Merge branch 'staging' into develop
diff --git a/.gitignore b/.gitignore
index 68272c7..62d6129 100644
--- a/.gitignore
+++ b/.gitignore
@@ -12,3 +12,4 @@
 *.swo
 __pycache__
 *~
+.idea/
\ No newline at end of file
diff --git a/erpnext/accounts/deferred_revenue.py b/erpnext/accounts/deferred_revenue.py
index 2ff2644..906dfbe 100644
--- a/erpnext/accounts/deferred_revenue.py
+++ b/erpnext/accounts/deferred_revenue.py
@@ -29,7 +29,7 @@
 			if date_diff(item.service_stop_date, item.service_end_date) > 0:
 				frappe.throw(_("Service Stop Date cannot be after Service End Date"))
 
-		if old_stop_dates and old_stop_dates[item.name] and item.service_stop_date!=old_stop_dates[item.name]:
+		if old_stop_dates and old_stop_dates.get(item.name) and item.service_stop_date!=old_stop_dates.get(item.name):
 			frappe.throw(_("Cannot change Service Stop Date for item in row {0}".format(item.idx)))
 
 def convert_deferred_expense_to_expense(start_date=None, end_date=None):
diff --git a/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py b/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py
index f558194..101b9f2 100644
--- a/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py
+++ b/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py
@@ -406,9 +406,9 @@
 		from frappe.utils.xlsxutils import read_xlsx_file_from_attached_file
 		rows = read_xlsx_file_from_attached_file(file_id=filename)
 	elif (filename.lower().endswith("csv")):
-		from frappe.utils.file_manager import get_file_path
 		from frappe.utils.csvutils import read_csv_content
-		filepath = get_file_path(filename)
+		_file = frappe.get_doc("File", {"file_name": filename})
+		filepath = _file.get_full_path()
 		with open(filepath,'rb') as csvfile:
 			rows = read_csv_content(csvfile.read())
 	elif (filename.lower().endswith("xls")):
@@ -428,8 +428,8 @@
 	return transactions
 
 def get_rows_from_xls_file(filename):
-	from frappe.utils.file_manager import get_file_path
-	filepath = get_file_path(filename)
+	_file = frappe.get_doc("File", {"file_name": filename})
+	filepath = _file.get_full_path()
 	import xlrd
 	book = xlrd.open_workbook(filepath)
 	sheets = book.sheets()
diff --git a/erpnext/accounts/doctype/budget/budget.py b/erpnext/accounts/doctype/budget/budget.py
index c83249b..b76cdf3 100644
--- a/erpnext/accounts/doctype/budget/budget.py
+++ b/erpnext/accounts/doctype/budget/budget.py
@@ -15,7 +15,7 @@
 
 class Budget(Document):
 	def autoname(self):
-		self.name = make_autoname(self.get(frappe.scrub(self.budget_against)) 
+		self.name = make_autoname(self.get(frappe.scrub(self.budget_against))
 			+ "/" + self.fiscal_year + "/.###")
 
 	def validate(self):
@@ -89,7 +89,7 @@
 
 	if args.get('company') and not args.fiscal_year:
 		args.fiscal_year = get_fiscal_year(args.get('posting_date'), company=args.get('company'))[0]
-		frappe.flags.exception_approver_role = frappe.get_cached_value('Company', 
+		frappe.flags.exception_approver_role = frappe.get_cached_value('Company',
 			args.get('company'),  'exception_budget_approver_role')
 
 	if not args.account:
@@ -106,12 +106,12 @@
 				and frappe.db.get_value("Account", {"name": args.account, "root_type": "Expense"})):
 
 			if args.project and budget_against == 'project':
-				condition = "and b.project='%s'" % frappe.db.escape(args.project)
+				condition = "and b.project=%s" % frappe.db.escape(args.project)
 				args.budget_against_field = "Project"
-			
+
 			elif args.cost_center and budget_against == 'cost_center':
 				cc_lft, cc_rgt = frappe.db.get_value("Cost Center", args.cost_center, ["lft", "rgt"])
-				condition = """and exists(select name from `tabCost Center` 
+				condition = """and exists(select name from `tabCost Center`
 					where lft<=%s and rgt>=%s and name=b.cost_center)""" % (cc_lft, cc_rgt)
 				args.budget_against_field = "Cost Center"
 
@@ -126,13 +126,13 @@
 					b.action_if_annual_budget_exceeded, b.action_if_accumulated_monthly_budget_exceeded,
 					b.action_if_annual_budget_exceeded_on_mr, b.action_if_accumulated_monthly_budget_exceeded_on_mr,
 					b.action_if_annual_budget_exceeded_on_po, b.action_if_accumulated_monthly_budget_exceeded_on_po
-				from 
+				from
 					`tabBudget` b, `tabBudget Account` ba
 				where
-					b.name=ba.parent and b.fiscal_year=%s 
+					b.name=ba.parent and b.fiscal_year=%s
 					and ba.account=%s and b.docstatus=1
 					{condition}
-			""".format(condition=condition, 
+			""".format(condition=condition,
 				budget_against_field=frappe.scrub(args.get("budget_against_field"))),
 				(args.fiscal_year, args.account), as_dict=True)
 
@@ -151,12 +151,12 @@
 
 				args["month_end_date"] = get_last_day(args.posting_date)
 
-				compare_expense_with_budget(args, budget_amount, 
+				compare_expense_with_budget(args, budget_amount,
 					_("Accumulated Monthly"), monthly_action, budget.budget_against, amount)
 
 			if yearly_action in ("Stop", "Warn") and monthly_action != "Stop" \
 				and yearly_action != monthly_action:
-				compare_expense_with_budget(args, flt(budget.budget_amount), 
+				compare_expense_with_budget(args, flt(budget.budget_amount),
 						_("Annual"), yearly_action, budget.budget_against, amount)
 
 def compare_expense_with_budget(args, budget_amount, action_for, action, budget_against, amount=0):
@@ -166,9 +166,9 @@
 		currency = frappe.get_cached_value('Company',  args.company,  'default_currency')
 
 		msg = _("{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5}").format(
-				_(action_for), frappe.bold(args.account), args.budget_against_field, 
+				_(action_for), frappe.bold(args.account), args.budget_against_field,
 				frappe.bold(budget_against),
-				frappe.bold(fmt_money(budget_amount, currency=currency)), 
+				frappe.bold(fmt_money(budget_amount, currency=currency)),
 				frappe.bold(fmt_money(diff, currency=currency)))
 
 		if (frappe.flags.exception_approver_role
@@ -250,12 +250,12 @@
 	condition1 = " and gle.posting_date <= %(month_end_date)s" \
 		if args.get("month_end_date") else ""
 	if args.budget_against_field == "Cost Center":
-		lft_rgt = frappe.db.get_value(args.budget_against_field, 
+		lft_rgt = frappe.db.get_value(args.budget_against_field,
 			args.budget_against, ["lft", "rgt"], as_dict=1)
 		args.update(lft_rgt)
-		condition2 = """and exists(select name from `tabCost Center` 
+		condition2 = """and exists(select name from `tabCost Center`
 			where lft>=%(lft)s and rgt<=%(rgt)s and name=gle.cost_center)"""
-	
+
 	elif args.budget_against_field == "Project":
 		condition2 = "and exists(select name from `tabProject` where name=gle.project and gle.project = %(budget_against)s)"
 
diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.py b/erpnext/accounts/doctype/gl_entry/gl_entry.py
index e6fe6ca..db93cf9 100644
--- a/erpnext/accounts/doctype/gl_entry/gl_entry.py
+++ b/erpnext/accounts/doctype/gl_entry/gl_entry.py
@@ -162,7 +162,7 @@
 
 def update_outstanding_amt(account, party_type, party, against_voucher_type, against_voucher, on_cancel=False):
 	if party_type and party:
-		party_condition = " and party_type='{0}' and party='{1}'"\
+		party_condition = " and party_type={0} and party={1}"\
 			.format(frappe.db.escape(party_type), frappe.db.escape(party))
 	else:
 		party_condition = ""
diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.py b/erpnext/accounts/doctype/journal_entry/journal_entry.py
index 259172e..7898bb2 100644
--- a/erpnext/accounts/doctype/journal_entry/journal_entry.py
+++ b/erpnext/accounts/doctype/journal_entry/journal_entry.py
@@ -800,7 +800,7 @@
 		from `tabJournal Entry` jv, `tabJournal Entry Account` jv_detail
 		where jv_detail.parent = jv.name and jv_detail.account = %s and ifnull(jv_detail.party, '') = %s
 		and (jv_detail.reference_type is null or jv_detail.reference_type = '')
-		and jv.docstatus = 1 and jv.`{0}` like %s order by jv.name desc limit %s, %s""".format(frappe.db.escape(searchfield)),
+		and jv.docstatus = 1 and jv.`{0}` like %s order by jv.name desc limit %s, %s""".format(searchfield),
 		(filters.get("account"), cstr(filters.get("party")), "%{0}%".format(txt), start, page_len))
 
 
diff --git a/erpnext/accounts/doctype/loyalty_program/loyalty_program.py b/erpnext/accounts/doctype/loyalty_program/loyalty_program.py
index d840304..563165b 100644
--- a/erpnext/accounts/doctype/loyalty_program/loyalty_program.py
+++ b/erpnext/accounts/doctype/loyalty_program/loyalty_program.py
@@ -19,7 +19,7 @@
 
 	condition = ''
 	if company:
-		condition = " and company='%s' " % frappe.db.escape(company)
+		condition = " and company=%s " % frappe.db.escape(company)
 	if not include_expired_entry:
 		condition += " and expiry_date>='%s' " % expiry_date
 
diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py
index aec3d1b..8205777 100644
--- a/erpnext/accounts/doctype/payment_entry/payment_entry.py
+++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py
@@ -549,7 +549,7 @@
 	# Get positive outstanding sales /purchase invoices/ Fees
 	condition = ""
 	if args.get("voucher_type") and args.get("voucher_no"):
-		condition = " and voucher_type='{0}' and voucher_no='{1}'"\
+		condition = " and voucher_type={0} and voucher_no={1}"\
 			.format(frappe.db.escape(args["voucher_type"]), frappe.db.escape(args["voucher_no"]))
 
 	# Add cost center condition
diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py
index 7cd951a..ec48e71 100644
--- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py
+++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py
@@ -13,20 +13,20 @@
 	def get_unreconciled_entries(self):
 		self.get_nonreconciled_payment_entries()
 		self.get_invoice_entries()
-		
+
 	def get_nonreconciled_payment_entries(self):
 		self.check_mandatory_to_fetch()
-		
+
 		payment_entries = self.get_payment_entries()
 		journal_entries = self.get_jv_entries()
-				
+
 		self.add_payment_entries(payment_entries + journal_entries)
-		
+
 	def get_payment_entries(self):
 		order_doctype = "Sales Order" if self.party_type=="Customer" else "Purchase Order"
-		payment_entries = get_advance_payment_entries(self.party_type, self.party, 
+		payment_entries = get_advance_payment_entries(self.party_type, self.party,
 			self.receivable_payable_account, order_doctype, against_all_orders=True)
-			
+
 		return payment_entries
 
 	def get_jv_entries(self):
@@ -38,8 +38,8 @@
 
 		journal_entries = frappe.db.sql("""
 			select
-				"Journal Entry" as reference_type, t1.name as reference_name, 
-				t1.posting_date, t1.remark as remarks, t2.name as reference_row, 
+				"Journal Entry" as reference_type, t1.name as reference_name,
+				t1.posting_date, t1.remark as remarks, t2.name as reference_row,
 				{dr_or_cr} as amount, t2.is_advance
 			from
 				`tabJournal Entry` t1, `tabJournal Entry Account` t2
@@ -47,8 +47,8 @@
 				t1.name = t2.parent and t1.docstatus = 1 and t2.docstatus = 1
 				and t2.party_type = %(party_type)s and t2.party = %(party)s
 				and t2.account = %(account)s and {dr_or_cr} > 0
-				and (t2.reference_type is null or t2.reference_type = '' or 
-					(t2.reference_type in ('Sales Order', 'Purchase Order') 
+				and (t2.reference_type is null or t2.reference_type = '' or
+					(t2.reference_type in ('Sales Order', 'Purchase Order')
 						and t2.reference_name is not null and t2.reference_name != ''))
 				and (CASE
 					WHEN t1.voucher_type in ('Debit Note', 'Credit Note')
@@ -106,7 +106,7 @@
 		self.validate_invoice()
 		dr_or_cr = ("credit_in_account_currency"
 			if erpnext.get_party_account_type(self.party_type) == 'Receivable' else "debit_in_account_currency")
-			
+
 		lst = []
 		for e in self.get('payments'):
 			if e.invoice_number and e.allocated_amount:
@@ -124,11 +124,11 @@
 					'unadjusted_amount' : flt(e.amount),
 					'allocated_amount' : flt(e.allocated_amount)
 				}))
-				
+
 		if lst:
 			from erpnext.accounts.utils import reconcile_against_document
 			reconcile_against_document(lst)
-			
+
 			msgprint(_("Successfully Reconciled"))
 			self.get_unreconciled_entries()
 
@@ -171,8 +171,8 @@
 			frappe.throw(_("Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row"))
 
 	def check_condition(self):
-		cond = " and posting_date >= '{0}'".format(frappe.db.escape(self.from_date)) if self.from_date else ""
-		cond += " and posting_date <= '{0}'".format(frappe.db.escape(self.to_date)) if self.to_date else ""
+		cond = " and posting_date >= {0}".format(frappe.db.escape(self.from_date)) if self.from_date else ""
+		cond += " and posting_date <= {0}".format(frappe.db.escape(self.to_date)) if self.to_date else ""
 		dr_or_cr = ("debit_in_account_currency" if erpnext.get_party_account_type(self.party_type) == 'Receivable'
 			else "credit_in_account_currency")
 
diff --git a/erpnext/accounts/doctype/pos_profile/pos_profile.py b/erpnext/accounts/doctype/pos_profile/pos_profile.py
index bf2e20c..9e4006c 100644
--- a/erpnext/accounts/doctype/pos_profile/pos_profile.py
+++ b/erpnext/accounts/doctype/pos_profile/pos_profile.py
@@ -107,7 +107,7 @@
 	if pos_profile.get('item_groups'):
 		# Get items based on the item groups defined in the POS profile
 		for data in pos_profile.get('item_groups'):
-			item_groups.extend(["'%s'" % frappe.db.escape(d.name) for d in get_child_nodes('Item Group', data.item_group)])
+			item_groups.extend(["%s" % frappe.db.escape(d.name) for d in get_child_nodes('Item Group', data.item_group)])
 
 	return list(set(item_groups))
 
diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py
index 42f371b..6756b65 100644
--- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py
+++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py
@@ -255,10 +255,12 @@
 
 			if parent_groups:
 				if allow_blank: parent_groups.append('')
-				condition = " ifnull("+field+", '') in ('" + \
-					"', '".join([frappe.db.escape(d) for d in parent_groups])+"')"
-			frappe.flags.tree_conditions[key] = condition
+				condition = "ifnull({field}, '') in ({parent_groups})".format(
+					field=field,
+					parent_groups=", ".join([frappe.db.escape(d) for d in parent_groups])
+				)
 
+				frappe.flags.tree_conditions[key] = condition
 		return condition
 
 
diff --git a/erpnext/accounts/doctype/tax_rule/tax_rule.py b/erpnext/accounts/doctype/tax_rule/tax_rule.py
index 5b8bcce..57b5ddb 100644
--- a/erpnext/accounts/doctype/tax_rule/tax_rule.py
+++ b/erpnext/accounts/doctype/tax_rule/tax_rule.py
@@ -75,7 +75,7 @@
 		for d in filters:
 			if conds:
 				conds += " and "
-			conds += """ifnull({0}, '') = '{1}'""".format(d, frappe.db.escape(cstr(filters[d])))
+			conds += """ifnull({0}, '') = {1}""".format(d, frappe.db.escape(cstr(filters[d])))
 
 		if self.from_date and self.to_date:
 			conds += """ and ((from_date > '{from_date}' and from_date < '{to_date}') or
@@ -152,7 +152,7 @@
 			customer_group_condition = get_customer_group_condition(value)
 			conditions.append("ifnull({0}, '') in ('', {1})".format(key, customer_group_condition))
 		else:
-			conditions.append("ifnull({0}, '') in ('', '{1}')".format(key, frappe.db.escape(cstr(value))))
+			conditions.append("ifnull({0}, '') in ('', {1})".format(key, frappe.db.escape(cstr(value))))
 
 	tax_rule = frappe.db.sql("""select * from `tabTax Rule`
 		where {0}""".format(" and ".join(conditions)), as_dict = True)
@@ -180,7 +180,7 @@
 
 def get_customer_group_condition(customer_group):
 	condition = ""
-	customer_groups = ["'%s'"%(frappe.db.escape(d.name)) for d in get_parent_customer_groups(customer_group)]
+	customer_groups = ["%s"%(frappe.db.escape(d.name)) for d in get_parent_customer_groups(customer_group)]
 	if customer_groups:
 		condition = ",".join(['%s'] * len(customer_groups))%(tuple(customer_groups))
 	return condition
\ No newline at end of file
diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py
index f19aaf8..d197206 100644
--- a/erpnext/accounts/party.py
+++ b/erpnext/accounts/party.py
@@ -443,7 +443,7 @@
 	# fetch and append data from Activity Log
 	data += frappe.db.sql("""select {fields}
 		from `tabActivity Log`
-		where reference_doctype="{doctype}" and reference_name="{name}"
+		where reference_doctype={doctype} and reference_name={name}
 		and status!='Success' and creation > {after}
 		{group_by} order by creation desc
 		""".format(doctype=frappe.db.escape(doctype), name=frappe.db.escape(name), fields=fields,
diff --git a/erpnext/accounts/report/budget_variance_report/budget_variance_report.py b/erpnext/accounts/report/budget_variance_report/budget_variance_report.py
index b292bd3..fe8de36 100644
--- a/erpnext/accounts/report/budget_variance_report/budget_variance_report.py
+++ b/erpnext/accounts/report/budget_variance_report/budget_variance_report.py
@@ -86,20 +86,20 @@
 			_("Total Variance") + ":Float:80"]
 	else:
 		return columns
-		
+
 def get_cost_centers(filters):
 	cond = "and 1=1"
 	if filters.get("budget_against") == "Cost Center":
 		cond = "order by lft"
 
-	return frappe.db.sql_list("""select name from `tab{tab}` where company=%s 
+	return frappe.db.sql_list("""select name from `tab{tab}` where company=%s
 		{cond}""".format(tab=filters.get("budget_against"), cond=cond), filters.get("company"))
 
 #Get cost center & target details
 def get_cost_center_target_details(filters):
 	cond = ""
 	if filters.get("cost_center"):
-		cond += " and b.cost_center='%s'" % frappe.db.escape(filters.get("cost_center"))
+		cond += " and b.cost_center=%s" % frappe.db.escape(filters.get("cost_center"))
 
 	return frappe.db.sql("""
 			select b.{budget_against} as budget_against, b.monthly_distribution, ba.account, ba.budget_amount,b.fiscal_year
@@ -159,7 +159,7 @@
 
 	for ccd in cost_center_target_details:
 		actual_details = get_actual_details(ccd.budget_against, filters)
-		
+
 		for month_id in range(1, 13):
 			month = datetime.date(2013, month_id, 1).strftime('%B')
 			cam_map.setdefault(ccd.budget_against, {}).setdefault(ccd.account, {}).setdefault(ccd.fiscal_year,{})\
@@ -172,7 +172,7 @@
 				if ccd.monthly_distribution else 100.0/12
 
 			tav_dict.target = flt(ccd.budget_amount) * month_percentage / 100
-			
+
 			for ad in actual_details.get(ccd.account, []):
 				if ad.month_name == month:
 						tav_dict.actual += flt(ad.debit) - flt(ad.credit)
diff --git a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py
index 2d13469..02c2b9f 100644
--- a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py
+++ b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py
@@ -100,7 +100,7 @@
 	net_profit_loss = get_net_profit_loss(income, expense, companies, filters.company, company_currency, True)
 
 	return income, expense, net_profit_loss
-	
+
 def get_cash_flow_data(fiscal_year, companies, filters):
 	cash_flow_accounts = get_cash_flow_accounts()
 
@@ -122,7 +122,7 @@
 			# add first net income in operations section
 			if net_profit_loss:
 				net_profit_loss.update({
-					"indent": 1, 
+					"indent": 1,
 					"parent_account": cash_flow_accounts[0]['section_header']
 				})
 				data.append(net_profit_loss)
@@ -271,7 +271,8 @@
 	return all_companies, companies
 
 def get_subsidiary_companies(company):
-	lft, rgt = frappe.db.get_value('Company', company,  ["lft", "rgt"])
+	lft, rgt = frappe.get_cached_value('Company',
+		company,  ["lft", "rgt"])
 
 	return frappe.db.sql_list("""select name from `tabCompany`
 		where lft >= {0} and rgt <= {1} order by lft, rgt""".format(lft, rgt))
@@ -324,7 +325,7 @@
 	accounts_by_name, ignore_closing_entries=False):
 	"""Returns a dict like { "account": [gl entries], ... }"""
 
-	company_lft, company_rgt = frappe.get_cached_value('Company', 
+	company_lft, company_rgt = frappe.get_cached_value('Company',
 		filters.get('company'),  ["lft", "rgt"])
 
 	additional_conditions = get_additional_conditions(from_date, ignore_closing_entries, filters)
@@ -332,7 +333,7 @@
 	gl_entries = frappe.db.sql("""select gl.posting_date, gl.account, gl.debit, gl.credit, gl.is_opening, gl.company,
 		gl.fiscal_year, gl.debit_in_account_currency, gl.credit_in_account_currency, gl.account_currency,
 		acc.account_name, acc.account_number
-		from `tabGL Entry` gl, `tabAccount` acc where acc.name = gl.account and gl.company in 
+		from `tabGL Entry` gl, `tabAccount` acc where acc.name = gl.account and gl.company in
 		(select name from `tabCompany` where lft >= %(company_lft)s and rgt <= %(company_rgt)s)
 		{additional_conditions} and gl.posting_date <= %(to_date)s and acc.lft >= %(lft)s and acc.rgt <= %(rgt)s
 		order by gl.account, gl.posting_date""".format(additional_conditions=additional_conditions),
@@ -370,10 +371,10 @@
 	company_finance_book = erpnext.get_default_finance_book(filters.get("company"))
 
 	if not filters.get('finance_book') or (filters.get('finance_book') == company_finance_book):
-		additional_conditions.append("ifnull(finance_book, '') in ('%s', '')" %
+		additional_conditions.append("ifnull(finance_book, '') in (%s, '')" %
 			frappe.db.escape(company_finance_book))
 	elif filters.get("finance_book"):
-		additional_conditions.append("ifnull(finance_book, '') = '%s' " %
+		additional_conditions.append("ifnull(finance_book, '') = %s " %
 			frappe.db.escape(filters.get("finance_book")))
 
 	return " and {}".format(" and ".join(additional_conditions)) if additional_conditions else ""
diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py
index 937911f..076dd84 100644
--- a/erpnext/accounts/report/financial_statements.py
+++ b/erpnext/accounts/report/financial_statements.py
@@ -341,8 +341,8 @@
 
 	accounts = frappe.db.sql_list("""select name from `tabAccount`
 		where lft >= %s and rgt <= %s""", (root_lft, root_rgt))
-	additional_conditions += " and account in ('{}')"\
-		.format("', '".join([frappe.db.escape(d) for d in accounts]))
+	additional_conditions += " and account in ({})"\
+		.format(", ".join([frappe.db.escape(d) for d in accounts]))
 
 	gl_entries = frappe.db.sql("""select posting_date, account, debit, credit, is_opening, fiscal_year, debit_in_account_currency, credit_in_account_currency, account_currency from `tabGL Entry`
 		where company=%(company)s
@@ -390,10 +390,10 @@
 		company_finance_book = erpnext.get_default_finance_book(filters.get("company"))
 
 		if not filters.get('finance_book') or (filters.get('finance_book') == company_finance_book):
-			additional_conditions.append("ifnull(finance_book, '') in ('%s', '')" %
+			additional_conditions.append("ifnull(finance_book, '') in (%s, '')" %
 				frappe.db.escape(company_finance_book))
 		elif filters.get("finance_book"):
-			additional_conditions.append("ifnull(finance_book, '') = '%s' " %
+			additional_conditions.append("ifnull(finance_book, '') = %s " %
 				frappe.db.escape(filters.get("finance_book")))
 
 	return " and {}".format(" and ".join(additional_conditions)) if additional_conditions else ""
diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py
index 6fbe97d..d3566fe 100644
--- a/erpnext/accounts/utils.py
+++ b/erpnext/accounts/utils.py
@@ -99,7 +99,7 @@
 
 	cond = []
 	if date:
-		cond.append("posting_date <= '%s'" % frappe.db.escape(cstr(date)))
+		cond.append("posting_date <= %s" % frappe.db.escape(cstr(date)))
 	else:
 		# get balance of all entries that exist
 		date = nowdate()
@@ -127,7 +127,7 @@
 			)""" % (cc.lft, cc.rgt))
 
 		else:
-			cond.append("""gle.cost_center = "%s" """ % (frappe.db.escape(cost_center, percent=False), ))
+			cond.append("""gle.cost_center = %s """ % (frappe.db.escape(cost_center, percent=False), ))
 
 
 	if account:
@@ -158,14 +158,14 @@
 			if acc.account_currency == frappe.get_cached_value('Company',  acc.company,  "default_currency"):
 				in_account_currency = False
 		else:
-			cond.append("""gle.account = "%s" """ % (frappe.db.escape(account, percent=False), ))
+			cond.append("""gle.account = %s """ % (frappe.db.escape(account, percent=False), ))
 
 	if party_type and party:
-		cond.append("""gle.party_type = "%s" and gle.party = "%s" """ %
+		cond.append("""gle.party_type = %s and gle.party = %s """ %
 			(frappe.db.escape(party_type), frappe.db.escape(party, percent=False)))
 
 	if company:
-		cond.append("""gle.company = "%s" """ % (frappe.db.escape(company, percent=False)))
+		cond.append("""gle.company = %s """ % (frappe.db.escape(company, percent=False)))
 
 	if account or (party_type and party):
 		if in_account_currency:
@@ -183,7 +183,7 @@
 def get_count_on(account, fieldname, date):
 	cond = []
 	if date:
-		cond.append("posting_date <= '%s'" % frappe.db.escape(cstr(date)))
+		cond.append("posting_date <= %s" % frappe.db.escape(cstr(date)))
 	else:
 		# get balance of all entries that exist
 		date = nowdate()
@@ -218,7 +218,7 @@
 				and ac.lft >= %s and ac.rgt <= %s
 			)""" % (acc.lft, acc.rgt))
 		else:
-			cond.append("""gle.account = "%s" """ % (frappe.db.escape(account, percent=False), ))
+			cond.append("""gle.account = %s """ % (frappe.db.escape(account, percent=False), ))
 
 		entries = frappe.db.sql("""
 			SELECT name, posting_date, account, party_type, party,debit,credit,
diff --git a/erpnext/assets/doctype/location/location.py b/erpnext/assets/doctype/location/location.py
index 4d73f11..317894c 100644
--- a/erpnext/assets/doctype/location/location.py
+++ b/erpnext/assets/doctype/location/location.py
@@ -203,12 +203,11 @@
 		from
 			`tab{doctype}` comp
 		where
-			ifnull(parent_location, "")="{parent}"
+			ifnull(parent_location, "")={parent}
 		""".format(
-		doctype=frappe.db.escape(doctype),
-		parent=frappe.db.escape(parent)
-	), as_dict=1)
-
+			doctype=doctype,
+			parent=frappe.db.escape(parent)
+		), as_dict=1)
 
 @frappe.whitelist()
 def add_node():
diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py
index ed761ce..33f70cb 100644
--- a/erpnext/buying/doctype/purchase_order/purchase_order.py
+++ b/erpnext/buying/doctype/purchase_order/purchase_order.py
@@ -182,7 +182,7 @@
 	def check_modified_date(self):
 		mod_db = frappe.db.sql("select modified from `tabPurchase Order` where name = %s",
 			self.name)
-		date_diff = frappe.db.sql("select TIMEDIFF('%s', '%s')" % ( mod_db[0][0],cstr(self.modified)))
+		date_diff = frappe.db.sql("select '%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),
diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py
index dbde304..79ed56b 100644
--- a/erpnext/controllers/buying_controller.py
+++ b/erpnext/controllers/buying_controller.py
@@ -747,7 +747,7 @@
 	if not items:
 		return
 
-	item_list = ", ".join(["'%s'" % frappe.db.escape(d) for d in items])
+	item_list = ", ".join(["%s" % frappe.db.escape(d) for d in items])
 
 	invalid_items = [d[0] for d in frappe.db.sql("""
 		select item_code from tabItem where name in ({0}) and {1}=0
diff --git a/erpnext/controllers/item_variant.py b/erpnext/controllers/item_variant.py
index 24726ad..85fbe0a 100644
--- a/erpnext/controllers/item_variant.py
+++ b/erpnext/controllers/item_variant.py
@@ -119,7 +119,7 @@
 	return frappe.flags.attribute_values, frappe.flags.numeric_values
 
 def find_variant(template, args, variant_item_code=None):
-	conditions = ["""(iv_attribute.attribute="{0}" and iv_attribute.attribute_value="{1}")"""\
+	conditions = ["""(iv_attribute.attribute={0} and iv_attribute.attribute_value={1})"""\
 		.format(frappe.db.escape(key), frappe.db.escape(cstr(value))) for key, value in args.items()]
 
 	conditions = " or ".join(conditions)
diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py
index 4c16323..85a6310 100644
--- a/erpnext/controllers/queries.py
+++ b/erpnext/controllers/queries.py
@@ -208,9 +208,8 @@
 		limit %(start)s, %(page_len)s """.format(
 			fcond=get_filters_cond(doctype, filters, conditions),
 			mcond=get_match_cond(doctype),
-			key=frappe.db.escape(searchfield)),
-		{
-			'txt': "%%%s%%" % frappe.db.escape(txt),
+			key=searchfield), {
+			'txt': '%' + txt + '%',
 			'_txt': txt.replace("%", ""),
 			'start': start or 0,
 			'page_len': page_len or 20
@@ -219,7 +218,7 @@
 def get_project_name(doctype, txt, searchfield, start, page_len, filters):
 	cond = ''
 	if filters.get('customer'):
-		cond = """(`tabProject`.customer = '%s' or
+		cond = """(`tabProject`.customer = %s or
 			ifnull(`tabProject`.customer,"")="") and""" %(frappe.db.escape(filters.get("customer")))
 
 	return frappe.db.sql("""select `tabProject`.name from `tabProject`
@@ -353,7 +352,7 @@
 				{condition} {match_condition}
 			order by idx desc, name"""
 			.format(condition=condition, match_condition=get_match_cond(doctype), key=searchfield), {
-				'txt': "%%%s%%" % frappe.db.escape(txt),
+				'txt': '%' + txt + '%',
 				'company': filters.get("company", "")
 			})
 
@@ -375,10 +374,10 @@
 			and tabAccount.docstatus!=2
 			and tabAccount.{key} LIKE %(txt)s
 			{condition} {match_condition}"""
-		.format(condition=condition, key=frappe.db.escape(searchfield),
+		.format(condition=condition, key=searchfield,
 			match_condition=get_match_cond(doctype)), {
 			'company': filters.get("company", ""),
-			'txt': "%%%s%%" % frappe.db.escape(txt)
+			'txt': '%' + txt + '%'
 		})
 
 
@@ -398,7 +397,7 @@
 		CONCAT_WS(" : ", "Actual Qty", ifnull( ({sub_query}), 0) ) as actual_qty
 		from `tabWarehouse`
 		where
-		   `tabWarehouse`.`{key}` like '{txt}'
+		   `tabWarehouse`.`{key}` like {txt}
 			{fcond} {mcond}
 		order by
 			`tabWarehouse`.name desc
@@ -406,7 +405,7 @@
 			{start}, {page_len}
 		""".format(
 			sub_query=sub_query,
-			key=frappe.db.escape(searchfield),
+			key=searchfield,
 			fcond=get_filters_cond(doctype, filter_dict.get("Warehouse"), conditions),
 			mcond=get_match_cond(doctype),
 			start=start,
@@ -430,9 +429,9 @@
 	query = """select batch_id from `tabBatch`
 			where disabled = 0
 			and (expiry_date >= CURDATE() or expiry_date IS NULL)
-			and name like '{txt}'""".format(txt = frappe.db.escape('%{0}%'.format(txt)))
+			and name like {txt}""".format(txt = frappe.db.escape('%{0}%'.format(txt)))
 
 	if filters and filters.get('item'):
-		query += " and item = '{item}'".format(item = frappe.db.escape(filters.get('item')))
+		query += " and item = {item}".format(item = frappe.db.escape(filters.get('item')))
 
 	return frappe.db.sql(query, filters)
diff --git a/erpnext/controllers/sales_and_purchase_return.py b/erpnext/controllers/sales_and_purchase_return.py
index 15294f6..feac856 100644
--- a/erpnext/controllers/sales_and_purchase_return.py
+++ b/erpnext/controllers/sales_and_purchase_return.py
@@ -244,6 +244,7 @@
 
 	def update_item(source_doc, target_doc, source_parent):
 		target_doc.qty = -1* source_doc.qty
+		default_return_warehouse = frappe.db.get_single_value("Stock Settings", "default_return_warehouse")
 		if doctype == "Purchase Receipt":
 			target_doc.received_qty = -1* source_doc.received_qty
 			target_doc.rejected_qty = -1* source_doc.rejected_qty
@@ -268,6 +269,7 @@
 			target_doc.so_detail = source_doc.so_detail
 			target_doc.si_detail = source_doc.si_detail
 			target_doc.expense_account = source_doc.expense_account
+			target_doc.warehouse = default_return_warehouse if default_return_warehouse else source_doc.warehouse
 		elif doctype == "Sales Invoice":
 			target_doc.sales_order = source_doc.sales_order
 			target_doc.delivery_note = source_doc.delivery_note
diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py
index d94564e..d239255 100644
--- a/erpnext/controllers/status_updater.py
+++ b/erpnext/controllers/status_updater.py
@@ -308,7 +308,7 @@
 	def _update_modified(self, args, update_modified):
 		args['update_modified'] = ''
 		if update_modified:
-			args['update_modified'] = ', modified = now(), modified_by = "{0}"'\
+			args['update_modified'] = ', modified = now(), modified_by = {0}'\
 				.format(frappe.db.escape(frappe.session.user))
 
 	def update_billing_status_for_zero_amount_refdoc(self, ref_dt):
diff --git a/erpnext/education/doctype/fee_schedule/fee_schedule.py b/erpnext/education/doctype/fee_schedule/fee_schedule.py
index b6df8c5..a42800a 100644
--- a/erpnext/education/doctype/fee_schedule/fee_schedule.py
+++ b/erpnext/education/doctype/fee_schedule/fee_schedule.py
@@ -117,14 +117,14 @@
 def get_students(student_group, academic_year, academic_term=None, student_category=None):
 	conditions = ""
 	if student_category:
-		conditions = " and pe.student_category='{}'".format(frappe.db.escape(student_category))
+		conditions = " and pe.student_category={}".format(frappe.db.escape(student_category))
 	if academic_term:
-		conditions = " and pe.academic_term='{}'".format(frappe.db.escape(academic_term))
+		conditions = " and pe.academic_term={}".format(frappe.db.escape(academic_term))
 
 	students = frappe.db.sql("""
 		select pe.student, pe.student_name, pe.program, pe.student_batch_name
 		from `tabStudent Group Student` sgs, `tabProgram Enrollment` pe
-		where 
+		where
 			pe.student = sgs.student and pe.academic_year = %s
 			and sgs.parent = %s and sgs.active = 1
 			{conditions}
diff --git a/erpnext/hooks.py b/erpnext/hooks.py
index 3a0ada8..fcadc38 100644
--- a/erpnext/hooks.py
+++ b/erpnext/hooks.py
@@ -11,7 +11,7 @@
 app_license = "GNU General Public License (v3)"
 source_link = "https://github.com/frappe/erpnext"
 
-develop_version = '11.x.x-develop'
+develop_version = '12.x.x-develop'
 staging_version = '11.0.3-beta.17'
 
 error_report_email = "support@erpnext.com"
diff --git a/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py b/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py
index 9a81405..6f9e4a9 100644
--- a/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py
+++ b/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py
@@ -59,15 +59,15 @@
 				if not d.item:
 					continue
 				day_rate = frappe.db.sql("""
-					select 
-						item.rate 
-					from 
+					select
+						item.rate
+					from
 						`tabHotel Room Pricing Item` item,
 						`tabHotel Room Pricing` pricing
 					where
 						item.parent = pricing.name
 						and item.item = %s
-						and %s between pricing.from_date 
+						and %s between pricing.from_date
 							and pricing.to_date""", (d.item, day))
 
 				if day_rate:
@@ -90,7 +90,7 @@
 def get_rooms_booked(room_type, day, exclude_reservation=None):
 	exclude_condition = ''
 	if exclude_reservation:
-		exclude_condition = 'and reservation.name != "{0}"'.format(frappe.db.escape(exclude_reservation))
+		exclude_condition = 'and reservation.name != {0}'.format(frappe.db.escape(exclude_reservation))
 
 	return frappe.db.sql("""
 		select sum(item.qty)
@@ -105,5 +105,5 @@
 			and reservation.docstatus = 1
 			{exclude_condition}
 			and %s between reservation.from_date
-				and reservation.to_date""".format(exclude_condition=exclude_condition), 
+				and reservation.to_date""".format(exclude_condition=exclude_condition),
 				(room_type, day))[0][0] or 0
diff --git a/erpnext/hr/doctype/attendance/attendance.py b/erpnext/hr/doctype/attendance/attendance.py
index 9f8cea8..74a5303 100644
--- a/erpnext/hr/doctype/attendance/attendance.py
+++ b/erpnext/hr/doctype/attendance/attendance.py
@@ -13,7 +13,7 @@
 class Attendance(Document):
 	def validate_duplicate_record(self):
 		res = frappe.db.sql("""select name from `tabAttendance` where employee = %s and attendance_date = %s
-			and name != %s and docstatus = 1""",
+			and name != %s and docstatus != 2""",
 			(self.employee, self.attendance_date, self.name))
 		if res:
 			frappe.throw(_("Attendance for employee {0} is already marked").format(self.employee))
@@ -89,4 +89,4 @@
 			"docstatus": d.docstatus
 		}
 		if e not in events:
-			events.append(e)
\ No newline at end of file
+			events.append(e)
diff --git a/erpnext/hr/doctype/employee_grade/employee_grade.js b/erpnext/hr/doctype/employee_grade/employee_grade.js
index fa679fa..6c67f54 100644
--- a/erpnext/hr/doctype/employee_grade/employee_grade.js
+++ b/erpnext/hr/doctype/employee_grade/employee_grade.js
@@ -2,7 +2,28 @@
 // For license information, please see license.txt
 
 frappe.ui.form.on('Employee Grade', {
-	refresh: function(frm) {
+    refresh: function (frm) {
 
-	}
+    },
+    setup: function (frm) {
+        frm.set_query("default_salary_structure", function () {
+            return {
+                "filters": {
+                    "docstatus": 1,
+                    "is_active": "Yes"
+                }
+            };
+        });
+
+        frm.set_query("default_leave_policy", function () {
+            return {
+                "filters": {
+                    "docstatus": 1
+                }
+            };
+        });
+
+
+    }
+
 });
diff --git a/erpnext/hr/doctype/employee_grade/employee_grade.json b/erpnext/hr/doctype/employee_grade/employee_grade.json
index e619c7b..e63ffae 100644
--- a/erpnext/hr/doctype/employee_grade/employee_grade.json
+++ b/erpnext/hr/doctype/employee_grade/employee_grade.json
@@ -15,150 +15,153 @@
  "fields": [
   {
    "allow_bulk_edit": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "default_leave_policy", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Default Leave Policy", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Leave Policy", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
+   "allow_in_quick_entry": 0,
+   "allow_on_submit": 0,
+   "bold": 0,
+   "collapsible": 0,
+   "columns": 0,
+   "fieldname": "default_leave_policy",
+   "fieldtype": "Link",
+   "hidden": 0,
+   "ignore_user_permissions": 0,
+   "ignore_xss_filter": 0,
+   "in_filter": 0,
+   "in_global_search": 0,
+   "in_list_view": 0,
+   "in_standard_filter": 0,
+   "label": "Default Leave Policy",
+   "length": 0,
+   "no_copy": 0,
+   "options": "Leave Policy",
+   "permlevel": 0,
+   "precision": "",
+   "print_hide": 0,
+   "print_hide_if_no_value": 0,
+   "read_only": 0,
+   "remember_last_selected_value": 0,
+   "report_hide": 0,
+   "reqd": 0,
+   "search_index": 0,
+   "set_only_once": 0,
+   "translatable": 0,
    "unique": 0
-  }, 
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "default_salary_structure", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Default Salary Structure", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Salary Structure", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
+   "allow_bulk_edit": 0,
+   "allow_in_quick_entry": 0,
+   "allow_on_submit": 0,
+   "bold": 0,
+   "collapsible": 0,
+   "columns": 0,
+   "fieldname": "default_salary_structure",
+   "fieldtype": "Link",
+   "hidden": 0,
+   "ignore_user_permissions": 0,
+   "ignore_xss_filter": 0,
+   "in_filter": 0,
+   "in_global_search": 0,
+   "in_list_view": 0,
+   "in_standard_filter": 0,
+   "label": "Default Salary Structure",
+   "length": 0,
+   "no_copy": 0,
+   "options": "Salary Structure",
+   "permlevel": 0,
+   "precision": "",
+   "print_hide": 0,
+   "print_hide_if_no_value": 0,
+   "read_only": 0,
+   "remember_last_selected_value": 0,
+   "report_hide": 0,
+   "reqd": 0,
+   "search_index": 0,
+   "set_only_once": 0,
+   "translatable": 0,
    "unique": 0
   }
- ], 
- "has_web_view": 0, 
- "hide_heading": 0, 
- "hide_toolbar": 0, 
- "idx": 0, 
- "image_view": 0, 
- "in_create": 0, 
- "is_submittable": 0, 
- "issingle": 0, 
- "istable": 0, 
- "max_attachments": 0, 
- "modified": "2018-04-13 16:14:24.174138", 
- "modified_by": "Administrator", 
- "module": "HR", 
- "name": "Employee Grade", 
- "name_case": "", 
- "owner": "Administrator", 
+ ],
+ "has_web_view": 0,
+ "hide_heading": 0,
+ "hide_toolbar": 0,
+ "idx": 0,
+ "image_view": 0,
+ "in_create": 0,
+ "is_submittable": 0,
+ "issingle": 0,
+ "istable": 0,
+ "max_attachments": 0,
+ "modified": "2018-09-18 17:17:45.617624",
+ "modified_by": "Administrator",
+ "module": "HR",
+ "name": "Employee Grade",
+ "name_case": "",
+ "owner": "Administrator",
  "permissions": [
   {
-   "amend": 0, 
-   "cancel": 0, 
-   "create": 1, 
-   "delete": 1, 
-   "email": 1, 
-   "export": 1, 
-   "if_owner": 0, 
-   "import": 0, 
-   "permlevel": 0, 
-   "print": 1, 
-   "read": 1, 
-   "report": 1, 
-   "role": "System Manager", 
-   "set_user_permissions": 0, 
-   "share": 1, 
-   "submit": 0, 
+   "amend": 0,
+   "cancel": 0,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "if_owner": 0,
+   "import": 0,
+   "permlevel": 0,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "set_user_permissions": 0,
+   "share": 1,
+   "submit": 0,
    "write": 1
-  }, 
+  },
   {
-   "amend": 0, 
-   "cancel": 0, 
-   "create": 1, 
-   "delete": 1, 
-   "email": 1, 
-   "export": 1, 
-   "if_owner": 0, 
-   "import": 0, 
-   "permlevel": 0, 
-   "print": 1, 
-   "read": 1, 
-   "report": 1, 
-   "role": "HR Manager", 
-   "set_user_permissions": 0, 
-   "share": 1, 
-   "submit": 0, 
+   "amend": 0,
+   "cancel": 0,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "if_owner": 0,
+   "import": 0,
+   "permlevel": 0,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "HR Manager",
+   "set_user_permissions": 0,
+   "share": 1,
+   "submit": 0,
    "write": 1
-  }, 
+  },
   {
-   "amend": 0, 
-   "cancel": 0, 
-   "create": 1, 
-   "delete": 1, 
-   "email": 1, 
-   "export": 1, 
-   "if_owner": 0, 
-   "import": 0, 
-   "permlevel": 0, 
-   "print": 1, 
-   "read": 1, 
-   "report": 1, 
-   "role": "HR User", 
-   "set_user_permissions": 0, 
-   "share": 1, 
-   "submit": 0, 
+   "amend": 0,
+   "cancel": 0,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "if_owner": 0,
+   "import": 0,
+   "permlevel": 0,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "HR User",
+   "set_user_permissions": 0,
+   "share": 1,
+   "submit": 0,
    "write": 1
   }
- ], 
- "quick_entry": 1, 
- "read_only": 0, 
- "read_only_onload": 0, 
- "show_name_in_global_search": 0, 
- "sort_field": "modified", 
- "sort_order": "DESC", 
- "track_changes": 1, 
- "track_seen": 0
+ ],
+ "quick_entry": 0,
+ "read_only": 0,
+ "read_only_onload": 0,
+ "show_name_in_global_search": 0,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1,
+ "track_seen": 0,
+ "track_views": 0
 }
\ No newline at end of file
diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.py b/erpnext/hr/doctype/expense_claim/expense_claim.py
index 09cdd54..d6b0eca 100644
--- a/erpnext/hr/doctype/expense_claim/expense_claim.py
+++ b/erpnext/hr/doctype/expense_claim/expense_claim.py
@@ -18,7 +18,7 @@
 
 class ExpenseClaim(AccountsController):
 	def onload(self):
-		self.get("__onload").make_payment_via_journal_entry = frappe.db.get_single_value('Accounts Settings', 
+		self.get("__onload").make_payment_via_journal_entry = frappe.db.get_single_value('Accounts Settings',
 			'make_payment_via_journal_entry')
 
 	def validate(self):
@@ -103,7 +103,7 @@
 		self.validate_account_details()
 
 		payable_amount = flt(self.total_sanctioned_amount) - flt(self.total_advance_amount)
-		
+
 		# payable entry
 		if payable_amount:
 			gl_entry.append(
@@ -233,7 +233,7 @@
 				expense.default_account = get_expense_claim_account(expense.expense_type, self.company)["account"]
 
 def update_reimbursed_amount(doc):
-	amt = frappe.db.sql("""select ifnull(sum(debit_in_account_currency), 0) as amt 
+	amt = frappe.db.sql("""select ifnull(sum(debit_in_account_currency), 0) as amt
 		from `tabGL Entry` where against_voucher_type = 'Expense Claim' and against_voucher = %s
 		and party = %s """, (doc.name, doc.employee) ,as_dict=1)[0].amt
 
@@ -288,7 +288,7 @@
 	if not account:
 		frappe.throw(_("Please set default account in Expense Claim Type {0}")
 			.format(expense_claim_type))
-	
+
 	return {
 		"account": account
 	}
@@ -296,14 +296,14 @@
 @frappe.whitelist()
 def get_advances(employee, advance_id=None):
 	if not advance_id:
-		condition = 'docstatus=1 and employee="{0}" and paid_amount > 0 and paid_amount > claimed_amount'.format(frappe.db.escape(employee))
+		condition = 'docstatus=1 and employee={0} and paid_amount > 0 and paid_amount > claimed_amount'.format(frappe.db.escape(employee))
 	else:
-		condition = 'name="{0}"'.format(frappe.db.escape(advance_id))
+		condition = 'name={0}'.format(frappe.db.escape(advance_id))
 
 	return frappe.db.sql("""
-		select 
+		select
 			name, posting_date, paid_amount, claimed_amount, advance_account
-		from 
+		from
 			`tabEmployee Advance`
 		where {0}
 	""".format(condition), as_dict=1)
diff --git a/erpnext/hub_node/api.py b/erpnext/hub_node/api.py
index 2356401..c236822 100644
--- a/erpnext/hub_node/api.py
+++ b/erpnext/hub_node/api.py
@@ -10,7 +10,6 @@
 from frappe import _
 from frappe.frappeclient import FrappeClient
 from frappe.desk.form.load import get_attachments
-from frappe.utils.file_manager import get_file_path
 from six import string_types
 
 current_user = frappe.session.user
diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.py b/erpnext/manufacturing/doctype/production_plan/production_plan.py
index 12f2f04..502541e 100644
--- a/erpnext/manufacturing/doctype/production_plan/production_plan.py
+++ b/erpnext/manufacturing/doctype/production_plan/production_plan.py
@@ -103,7 +103,7 @@
 
 		item_condition = ""
 		if self.item_code:
-			item_condition = ' and so_item.item_code = "{0}"'.format(frappe.db.escape(self.item_code))
+			item_condition = ' and so_item.item_code = {0}'.format(frappe.db.escape(self.item_code))
 
 		items = frappe.db.sql("""select distinct parent, item_code, warehouse,
 			(qty - work_order_qty) * conversion_factor as pending_qty, name
@@ -114,7 +114,7 @@
 			(", ".join(["%s"] * len(so_list)), item_condition), tuple(so_list), as_dict=1)
 
 		if self.item_code:
-			item_condition = ' and so_item.item_code = "{0}"'.format(frappe.db.escape(self.item_code))
+			item_condition = ' and so_item.item_code = {0}'.format(frappe.db.escape(self.item_code))
 
 		packed_items = frappe.db.sql("""select distinct pi.parent, pi.item_code, pi.warehouse as warehouse,
 			(((so_item.qty - so_item.work_order_qty) * pi.qty) / so_item.qty)
@@ -138,7 +138,7 @@
 
 		item_condition = ""
 		if self.item_code:
-			item_condition = " and mr_item.item_code ='{0}'".format(frappe.db.escape(self.item_code))
+			item_condition = " and mr_item.item_code ={0}".format(frappe.db.escape(self.item_code))
 
 		items = frappe.db.sql("""select distinct parent, name, item_code, warehouse,
 			(qty - ordered_qty) as pending_qty
@@ -512,7 +512,7 @@
 	conditions = ""
 	warehouse = row.source_warehouse or row.default_warehouse or row.warehouse
 	if warehouse:
-		conditions = " and warehouse='{0}'".format(frappe.db.escape(warehouse))
+		conditions = " and warehouse={0}".format(frappe.db.escape(warehouse))
 
 	item_projected_qty = frappe.db.sql(""" select ifnull(sum(projected_qty),0) as projected_qty,
 		ifnull(sum(actual_qty),0) as actual_qty from `tabBin`
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 323aaf9..dbc6552 100644
--- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py
+++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py
@@ -127,7 +127,7 @@
 
 		item_condition = ""
 		if self.fg_item:
-			item_condition = ' and so_item.item_code = "{0}"'.format(frappe.db.escape(self.fg_item))
+			item_condition = ' and so_item.item_code = {0}'.format(frappe.db.escape(self.fg_item))
 
 		items = frappe.db.sql("""select distinct parent, item_code, warehouse,
 			(qty - delivered_qty)*conversion_factor as pending_qty
@@ -138,7 +138,7 @@
 			(", ".join(["%s"] * len(so_list)), item_condition), tuple(so_list), as_dict=1)
 
 		if self.fg_item:
-			item_condition = ' and pi.item_code = "{0}"'.format(frappe.db.escape(self.fg_item))
+			item_condition = ' and pi.item_code = {0}'.format(frappe.db.escape(self.fg_item))
 
 		packed_items = frappe.db.sql("""select distinct pi.parent, pi.item_code, pi.warehouse as warehouse,
 			(((so_item.qty - so_item.delivered_qty) * pi.qty) / so_item.qty)
@@ -161,7 +161,7 @@
 
 		item_condition = ""
 		if self.fg_item:
-			item_condition = ' and mr_item.item_code = "' + frappe.db.escape(self.fg_item, percent=False) + '"'
+			item_condition = ' and mr_item.item_code =' + frappe.db.escape(self.fg_item, percent=False)
 
 		items = frappe.db.sql("""select distinct parent, name, item_code, warehouse,
 			(qty - ordered_qty) as pending_qty
@@ -487,7 +487,7 @@
 	def get_item_projected_qty(self,item):
 		conditions = ""
 		if self.purchase_request_for_warehouse:
-			conditions = " and warehouse='{0}'".format(frappe.db.escape(self.purchase_request_for_warehouse))
+			conditions = " and warehouse={0}".format(frappe.db.escape(self.purchase_request_for_warehouse))
 
 		item_projected_qty = frappe.db.sql("""
 			select ifnull(sum(projected_qty),0) as qty
diff --git a/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py b/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py
index 2d3d078..b6f7d01 100644
--- a/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py
+++ b/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py
@@ -62,7 +62,7 @@
 				where wh.lft >= %s and wh.rgt <= %s and ledger.warehouse = wh.name)" % (warehouse_details.lft,
 				warehouse_details.rgt)
 		else:
-			conditions += " and ledger.warehouse = '%s'" % frappe.db.escape(filters.get("warehouse"))
+			conditions += " and ledger.warehouse = %s" % frappe.db.escape(filters.get("warehouse"))
 
 	else:
 		conditions += ""
diff --git a/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py b/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py
index 3236839..44db1b5 100644
--- a/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py
+++ b/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py
@@ -43,7 +43,7 @@
 				where wh.lft >= %s and wh.rgt <= %s and ledger.warehouse = wh.name)" % (warehouse_details.lft,
 				warehouse_details.rgt)
 		else:
-			conditions += " and ledger.warehouse = '%s'" % frappe.db.escape(filters.get("warehouse"))
+			conditions += " and ledger.warehouse = %s" % frappe.db.escape(filters.get("warehouse"))
 
 	else:
 		conditions += ""
diff --git a/erpnext/patches/v10_0/update_territory_and_customer_group.py b/erpnext/patches/v10_0/update_territory_and_customer_group.py
index c02d327..dc99e8c 100644
--- a/erpnext/patches/v10_0/update_territory_and_customer_group.py
+++ b/erpnext/patches/v10_0/update_territory_and_customer_group.py
@@ -15,8 +15,8 @@
 				value = frappe.db.escape(frappe.as_unicode(customer.get("customer_group")))
 
 				when_then.append('''
-					WHEN `%s` = "%s" and %s != "%s"
-					THEN "%s"
+					WHEN `%s` = %s and %s != %s
+					THEN %s
 				'''%(d["master_fieldname"], frappe.db.escape(frappe.as_unicode(customer.name)),
 					d["linked_to_fieldname"], value, value))
 
diff --git a/erpnext/patches/v11_0/update_total_qty_field.py b/erpnext/patches/v11_0/update_total_qty_field.py
index 5c7663d..749e24f 100644
--- a/erpnext/patches/v11_0/update_total_qty_field.py
+++ b/erpnext/patches/v11_0/update_total_qty_field.py
@@ -9,7 +9,7 @@
 	frappe.reload_doc('stock', 'doctype', 'purchase_receipt')
 	frappe.reload_doc('accounts', 'doctype', 'sales_invoice')
 	frappe.reload_doc('accounts', 'doctype', 'purchase_invoice')
- 
+
 	doctypes = ["Sales Order", "Sales Invoice", "Delivery Note",\
 		"Purchase Order", "Purchase Invoice", "Purchase Receipt", "Quotation", "Supplier Quotation"]
 
@@ -25,7 +25,7 @@
 		when_then = []
 		for d in total_qty:
 			when_then.append("""
-				when dt.name = '{0}' then {1}
+				when dt.name = {0} then {1}
 			""".format(frappe.db.escape(d.get("parent")), d.get("qty")))
 
 		if when_then:
diff --git a/erpnext/patches/v5_4/fix_missing_item_images.py b/erpnext/patches/v5_4/fix_missing_item_images.py
index c0a2513..c6fe578 100644
--- a/erpnext/patches/v5_4/fix_missing_item_images.py
+++ b/erpnext/patches/v5_4/fix_missing_item_images.py
@@ -2,7 +2,7 @@
 import frappe
 import os
 from frappe.utils import get_files_path
-from frappe.utils.file_manager import get_content_hash
+from frappe.core.doctype.file.file import get_content_hash
 
 def execute():
 	files_path = get_files_path()
diff --git a/erpnext/patches/v8_0/create_domain_docs.py b/erpnext/patches/v8_0/create_domain_docs.py
index 4710287..3ef4f3c 100644
--- a/erpnext/patches/v8_0/create_domain_docs.py
+++ b/erpnext/patches/v8_0/create_domain_docs.py
@@ -22,7 +22,7 @@
 	condition = ""
 	company = erpnext.get_default_company()
 	if company:
-		condition = " and name='{0}'".format(frappe.db.escape(company))
+		condition = " and name={0}".format(frappe.db.escape(company))
 
 	domains = frappe.db.sql_list("select distinct domain from `tabCompany` where domain != 'Other' {0}".format(condition))
 
diff --git a/erpnext/patches/v8_0/set_sales_invoice_serial_number_from_delivery_note.py b/erpnext/patches/v8_0/set_sales_invoice_serial_number_from_delivery_note.py
index 5dedc81..8a4ef40 100644
--- a/erpnext/patches/v8_0/set_sales_invoice_serial_number_from_delivery_note.py
+++ b/erpnext/patches/v8_0/set_sales_invoice_serial_number_from_delivery_note.py
@@ -10,9 +10,9 @@
 
 	frappe.reload_doc("stock", "doctype", "serial_no")
 
-	frappe.db.sql(""" update `tabSales Invoice Item` sii inner join 
+	frappe.db.sql(""" update `tabSales Invoice Item` sii inner join
 		`tabDelivery Note Item` dni on sii.dn_detail=dni.name and  sii.qty=dni.qty
-		set sii.serial_no=dni.serial_no where sii.parent IN (select si.name 
+		set sii.serial_no=dni.serial_no where sii.parent IN (select si.name
 			from `tabSales Invoice` si where si.update_stock=0 and si.docstatus=1)""")
 
 	items = frappe.db.sql(""" select  sii.parent, sii.serial_no from  `tabSales Invoice Item` sii
@@ -26,13 +26,13 @@
 		if not sales_invoice or not serial_nos:
 			continue
 
-		serial_nos = ["'%s'"%frappe.db.escape(no) for no in serial_nos.split("\n")]
+		serial_nos = ["{}".format(frappe.db.escape(no)) for no in serial_nos.split("\n")]
 
 		frappe.db.sql("""
-			UPDATE 
+			UPDATE
 				`tabSerial No`
-			SET 
-				sales_invoice='{sales_invoice}'
+			SET
+				sales_invoice={sales_invoice}
 			WHERE
 				name in ({serial_nos})
 			""".format(
diff --git a/erpnext/patches/v8_10/change_default_customer_credit_days.py b/erpnext/patches/v8_10/change_default_customer_credit_days.py
index eddafb5..992be17 100644
--- a/erpnext/patches/v8_10/change_default_customer_credit_days.py
+++ b/erpnext/patches/v8_10/change_default_customer_credit_days.py
@@ -35,7 +35,7 @@
 			else:
 				template = frappe.get_doc("Payment Terms Template", pyt_template_name)
 
-			payment_terms.append('WHEN `name`="%s" THEN "%s"' % (frappe.db.escape(party_name), template.template_name))
+			payment_terms.append('WHEN `name`={0} THEN {1}'.format(frappe.db.escape(party_name), template.template_name))
 			records.append(frappe.db.escape(party_name))
 
 		begin_query_str = "UPDATE `tab{0}` SET `payment_terms` = CASE ".format(doctype)
diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py
index 3dc52d4..9426a91 100755
--- a/erpnext/projects/doctype/task/task.py
+++ b/erpnext/projects/doctype/task/task.py
@@ -163,12 +163,16 @@
 def get_project(doctype, txt, searchfield, start, page_len, filters):
 	from erpnext.controllers.queries import get_match_cond
 	return frappe.db.sql(""" select name from `tabProject`
-			where %(key)s like "%(txt)s"
+			where %(key)s like %(txt)s
 				%(mcond)s
 			order by name
-			limit %(start)s, %(page_len)s """ % {'key': searchfield,
-			'txt': "%%%s%%" % frappe.db.escape(txt), 'mcond':get_match_cond(doctype),
-			'start': start, 'page_len': page_len})
+			limit %(start)s, %(page_len)s""" % {
+				'key': searchfield,
+				'txt': frappe.db.escape('%' + txt + '%'),
+				'mcond':get_match_cond(doctype),
+				'start': start,
+				'page_len': page_len
+			})
 
 
 @frappe.whitelist()
diff --git a/erpnext/projects/doctype/timesheet/timesheet.py b/erpnext/projects/doctype/timesheet/timesheet.py
index f48c0c6..c51e3d9 100644
--- a/erpnext/projects/doctype/timesheet/timesheet.py
+++ b/erpnext/projects/doctype/timesheet/timesheet.py
@@ -223,7 +223,7 @@
 			and tsd.parent LIKE %(txt)s {condition}
 			order by tsd.parent limit %(start)s, %(page_len)s"""
 			.format(condition=condition), {
-				"txt": "%%%s%%" % frappe.db.escape(txt),
+				'txt': '%' + txt + '%',
 				"start": start, "page_len": page_len, 'project': filters.get("project")
 			})
 
diff --git a/erpnext/projects/utils.py b/erpnext/projects/utils.py
index d663ad0..d0d88eb 100644
--- a/erpnext/projects/utils.py
+++ b/erpnext/projects/utils.py
@@ -23,6 +23,6 @@
 			`%s`,
 			subject
 		limit %s, %s""" %
-		(frappe.db.escape(searchfield), "%s", "%s", match_conditions, "%s",
-			frappe.db.escape(searchfield), "%s", frappe.db.escape(searchfield), "%s", "%s"),
+		(searchfield, "%s", "%s", match_conditions, "%s",
+			searchfield, "%s", searchfield, "%s", "%s"),
 		(search_string, search_string, order_by_string, order_by_string, start, page_len))
diff --git a/erpnext/public/js/controllers/taxes_and_totals.js b/erpnext/public/js/controllers/taxes_and_totals.js
index 21e02b7..1f14e2c 100644
--- a/erpnext/public/js/controllers/taxes_and_totals.js
+++ b/erpnext/public/js/controllers/taxes_and_totals.js
@@ -73,15 +73,13 @@
 			if(this.frm.doc.currency == company_currency) {
 				this.frm.set_value("conversion_rate", 1);
 			} else {
-				frappe.throw(repl('%(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": this.frm.doc.currency,
-					"to_currency": company_currency
-				}));
+				const err_message = __('{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}', [
+					conversion_rate_label,
+					this.frm.doc.currency,
+					company_currency
+				]);
+				frappe.throw(err_message);
 			}
-
 		}
 	},
 
diff --git a/erpnext/regional/report/gstr_1/gstr_1.py b/erpnext/regional/report/gstr_1/gstr_1.py
index fa2d2af..c6f203b 100644
--- a/erpnext/regional/report/gstr_1/gstr_1.py
+++ b/erpnext/regional/report/gstr_1/gstr_1.py
@@ -117,7 +117,7 @@
 
 		if self.filters.get("type_of_business") ==  "B2B":
 			conditions += """ and ifnull(invoice_type, '') != 'Export' and is_return != 1
-				and customer in ('{0}')""".format("', '".join([frappe.db.escape(c.name) for c in customers]))
+				and customer in ({0})""".format(", ".join([frappe.db.escape(c.name) for c in customers]))
 
 		if self.filters.get("type_of_business") in ("B2C Large", "B2C Small"):
 			b2c_limit = frappe.db.get_single_value('GSt Settings', 'b2c_limit')
@@ -126,13 +126,13 @@
 
 		if self.filters.get("type_of_business") ==  "B2C Large":
 			conditions += """ and SUBSTR(place_of_supply, 1, 2) != SUBSTR(company_gstin, 1, 2)
-				and grand_total > {0} and is_return != 1 and customer in ('{1}')""".\
-					format(flt(b2c_limit), "', '".join([frappe.db.escape(c.name) for c in customers]))
+				and grand_total > {0} and is_return != 1 and customer in ({1})""".\
+					format(flt(b2c_limit), ", ".join([frappe.db.escape(c.name) for c in customers]))
 		elif self.filters.get("type_of_business") ==  "B2C Small":
 			conditions += """ and (
 				SUBSTR(place_of_supply, 1, 2) = SUBSTR(company_gstin, 1, 2)
-					or grand_total <= {0}) and is_return != 1 and customer in ('{1}')""".\
-						format(flt(b2c_limit), "', '".join([frappe.db.escape(c.name) for c in customers]))
+					or grand_total <= {0}) and is_return != 1 and customer in ({1})""".\
+						format(flt(b2c_limit), ", ".join([frappe.db.escape(c.name) for c in customers]))
 
 		elif self.filters.get("type_of_business") ==  "CDNR":
 			conditions += """ and is_return = 1 """
diff --git a/erpnext/selling/doctype/customer/customer.py b/erpnext/selling/doctype/customer/customer.py
index d285704..16dac28 100644
--- a/erpnext/selling/doctype/customer/customer.py
+++ b/erpnext/selling/doctype/customer/customer.py
@@ -91,7 +91,7 @@
 	def update_customer_groups(self):
 		ignore_doctypes = ["Lead", "Opportunity", "POS Profile", "Tax Rule", "Pricing Rule"]
 		if frappe.flags.customer_group_changed:
-			update_linked_doctypes('Customer', frappe.db.escape(self.name), 'Customer Group',
+			update_linked_doctypes('Customer', self.name, 'Customer Group',
 				self.customer_group, ignore_doctypes)
 
 	def create_primary_contact(self):
diff --git a/erpnext/selling/page/point_of_sale/point_of_sale.py b/erpnext/selling/page/point_of_sale/point_of_sale.py
index ed28204..e7ea4cd 100644
--- a/erpnext/selling/page/point_of_sale/point_of_sale.py
+++ b/erpnext/selling/page/point_of_sale/point_of_sale.py
@@ -60,11 +60,15 @@
 			where
 				i.disabled = 0 and i.has_variants = 0 and i.is_sales_item = 1
 				and i.item_group in (select name from `tabItem Group` where lft >= {lft} and rgt <= {rgt})
-		        	and {condition} limit {start}, {page_length}""".format(start=start,page_length=page_length,lft=lft, rgt=rgt, 					condition=condition),
-			{
-				'item_code': item_code,
+				and {condition} limit {start}, {page_length}""".format(
+					start=start,
+					page_length=page_length,
+					lft=lft,
+					rgt=rgt,
+					condition=condition
+			), {
 				'price_list': price_list
-			} , as_dict=1)
+			}, as_dict=1)
 
 		res = {
 		'items': res
@@ -126,7 +130,7 @@
 	condition = """(i.name like %(item_code)s
 			or i.item_name like %(item_code)s)"""
 
-	return '%%%s%%'%(frappe.db.escape(item_code)), condition
+	return frappe.db.escape('%' + item_code + '%'), condition
 
 def get_item_group_condition(pos_profile):
 	cond = "and 1=1"
diff --git a/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py b/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py
index 07b5f67..fe58af6 100644
--- a/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py
+++ b/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py
@@ -29,9 +29,11 @@
 
 		if customer_naming_type == "Naming Series":
 			row = [d.name, d.customer_name, credit_limit, outstanding_amt, bal,
-				d.bypass_credit_limit_check_at_sales_order, d.disabled]
+				d.bypass_credit_limit_check_at_sales_order, d.is_frozen,
+          d.disabled]
 		else:
-			row = [d.name, credit_limit, outstanding_amt, bal, d.bypass_credit_limit_check_at_sales_order, d.disabled]
+			row = [d.name, credit_limit, outstanding_amt, bal,
+          d.bypass_credit_limit_check_at_sales_order, d.is_frozen, d.disabled]
 
 		if credit_limit:
 			data.append(row)
@@ -44,8 +46,9 @@
 		_("Credit Limit") + ":Currency:120",
 		_("Outstanding Amt") + ":Currency:100",
 		_("Credit Balance") + ":Currency:120",
-		_("Bypass credit check at Sales Order ") + ":Check:240",
-		_("Is Disabled ") + ":Check:240"
+		_("Bypass credit check at Sales Order ") + ":Check:80",
+		_("Is Frozen") + ":Check:80",
+		_("Disabled") + ":Check:80",
 	]
 
 	if customer_naming_type == "Naming Series":
@@ -60,5 +63,5 @@
 		conditions += " where name = %(customer)s"
 
 	return frappe.db.sql("""select name, customer_name,
-		bypass_credit_limit_check_at_sales_order,disabled from `tabCustomer` %s
-	""" % conditions, filters, as_dict=1)
\ No newline at end of file
+		bypass_credit_limit_check_at_sales_order, is_frozen, disabled from `tabCustomer` %s
+	""" % conditions, filters, as_dict=1)
diff --git a/erpnext/setup/doctype/authorization_control/authorization_control.py b/erpnext/setup/doctype/authorization_control/authorization_control.py
index b419850..7db703f 100644
--- a/erpnext/setup/doctype/authorization_control/authorization_control.py
+++ b/erpnext/setup/doctype/authorization_control/authorization_control.py
@@ -40,7 +40,7 @@
 		chk = 1
 		add_cond1,add_cond2	= '',''
 		if based_on == 'Itemwise Discount':
-			add_cond1 += " and master_name = '"+frappe.db.escape(cstr(item))+"'"
+			add_cond1 += " and master_name = " + frappe.db.escape(cstr(item))
 			itemwise_exists = frappe.db.sql("""select value from `tabAuthorization Rule`
 				where transaction = %s and value <= %s
 				and based_on = %s and company = %s and docstatus != 2 %s %s""" %
diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py
index 0c58fb2..762f729 100644
--- a/erpnext/setup/doctype/company/company.py
+++ b/erpnext/setup/doctype/company/company.py
@@ -388,17 +388,19 @@
 	current_month_year = formatdate(today(), "MM-yyyy")
 
 	results = frappe.db.sql('''
-		select
-			sum(base_grand_total) as total, date_format(posting_date, '%m-%Y') as month_year
-		from
+		SELECT
+			SUM(base_grand_total) AS total,
+			DATE_FORMAT(`posting_date`, '%m-%Y') AS month_year
+		FROM
 			`tabSales Invoice`
-		where
-			date_format(posting_date, '%m-%Y')="{0}"
-			and docstatus = 1
-			and company = "{1}"
-		group by
+		WHERE
+			DATE_FORMAT(`posting_date`, '%m-%Y') = '{current_month_year}'
+			AND docstatus = 1
+			AND company = {company}
+		GROUP BY
 			month_year
-	'''.format(current_month_year, frappe.db.escape(company)), as_dict = True)
+	'''.format(current_month_year=current_month_year, company=frappe.db.escape(company)),
+		as_dict = True)
 
 	monthly_total = results[0]['total'] if len(results) > 0 else 0
 
@@ -408,7 +410,7 @@
 	'''Cache past year monthly sales of every company based on sales invoices'''
 	from frappe.utils.goal import get_monthly_results
 	import json
-	filter_str = "company = '{0}' and status != 'Draft' and docstatus=1".format(frappe.db.escape(company))
+	filter_str = "company = {0} and status != 'Draft' and docstatus=1".format(frappe.db.escape(company))
 	month_to_value_dict = get_monthly_results("Sales Invoice", "base_grand_total",
 		"posting_date", filter_str, "sum")
 
@@ -440,9 +442,9 @@
 		from
 			`tab{doctype}` comp
 		where
-			ifnull(parent_company, "")="{parent}"
+			ifnull(parent_company, "")={parent}
 		""".format(
-			doctype = frappe.db.escape(doctype),
+			doctype = doctype,
 			parent=frappe.db.escape(parent)
 		), as_dict=1)
 
diff --git a/erpnext/setup/doctype/company/delete_company_transactions.py b/erpnext/setup/doctype/company/delete_company_transactions.py
index 0ffe2c7..637e655 100644
--- a/erpnext/setup/doctype/company/delete_company_transactions.py
+++ b/erpnext/setup/doctype/company/delete_company_transactions.py
@@ -89,18 +89,18 @@
 	leads = [ "'%s'"%row.get("name") for row in leads ]
 	addresses = []
 	if leads:
-		addresses = frappe.db.sql_list("""select parent from `tabDynamic Link` where link_name 
+		addresses = frappe.db.sql_list("""select parent from `tabDynamic Link` where link_name
 			in ({leads})""".format(leads=",".join(leads)))
 
 		if addresses:
-			addresses = ["'%s'"%frappe.db.escape(addr) for addr in addresses]
+			addresses = ["%s" % frappe.db.escape(addr) for addr in addresses]
 
-			frappe.db.sql("""delete from tabAddress where name in ({addresses}) and 
-				name not in (select distinct dl1.parent from `tabDynamic Link` dl1 
-				inner join `tabDynamic Link` dl2 on dl1.parent=dl2.parent 
+			frappe.db.sql("""delete from tabAddress where name in ({addresses}) and
+				name not in (select distinct dl1.parent from `tabDynamic Link` dl1
+				inner join `tabDynamic Link` dl2 on dl1.parent=dl2.parent
 				and dl1.link_doctype<>dl2.link_doctype)""".format(addresses=",".join(addresses)))
 
-			frappe.db.sql("""delete from `tabDynamic Link` where link_doctype='Lead' 
+			frappe.db.sql("""delete from `tabDynamic Link` where link_doctype='Lead'
 				and parenttype='Address' and link_name in ({leads})""".format(leads=",".join(leads)))
 
 		frappe.db.sql("""update tabCustomer set lead_name=NULL where lead_name in ({leads})""".format(leads=",".join(leads)))
diff --git a/erpnext/setup/doctype/email_digest/email_digest.json b/erpnext/setup/doctype/email_digest/email_digest.json
index 12f275c..da95b25 100644
--- a/erpnext/setup/doctype/email_digest/email_digest.json
+++ b/erpnext/setup/doctype/email_digest/email_digest.json
@@ -4,7 +4,7 @@
  "allow_rename": 0, 
  "autoname": "Prompt", 
  "beta": 0, 
- "creation": "2013-02-21 14:15:31", 
+ "creation": "2018-09-16 22:00:00", 
  "custom": 0, 
  "description": "Send regular summary reports via Email.", 
  "docstatus": 0, 
@@ -568,6 +568,90 @@
    "bold": 0, 
    "collapsible": 0, 
    "columns": 0, 
+   "fieldname": "work_in_progress", 
+   "fieldtype": "Column Break", 
+   "hidden": 0, 
+   "ignore_user_permissions": 0, 
+   "ignore_xss_filter": 0, 
+   "in_filter": 0, 
+   "in_list_view": 0, 
+   "in_standard_filter": 0,
+   "label": "Work in Progress", 
+   "length": 0, 
+   "no_copy": 0, 
+   "permlevel": 0, 
+   "precision": "", 
+   "print_hide": 0, 
+   "print_hide_if_no_value": 0, 
+   "read_only": 0, 
+   "remember_last_selected_value": 0, 
+   "report_hide": 0, 
+   "reqd": 0, 
+   "search_index": 0, 
+   "set_only_once": 0, 
+   "unique": 0
+  }, 
+  {
+   "allow_on_submit": 0, 
+   "bold": 0, 
+   "collapsible": 0, 
+   "columns": 0, 
+   "fieldname": "sales_orders_to_bill", 
+   "fieldtype": "Check", 
+   "hidden": 0, 
+   "ignore_user_permissions": 0, 
+   "ignore_xss_filter": 0, 
+   "in_filter": 0, 
+   "in_list_view": 0, 
+   "in_standard_filter": 0,
+   "label": "Sales Orders to Bill", 
+   "length": 0, 
+   "no_copy": 0, 
+   "permlevel": 0, 
+   "precision": "", 
+   "print_hide": 0, 
+   "print_hide_if_no_value": 0, 
+   "read_only": 0, 
+   "remember_last_selected_value": 0, 
+   "report_hide": 0, 
+   "reqd": 0, 
+   "search_index": 0, 
+   "set_only_once": 0, 
+   "unique": 0
+  }, 
+  {
+   "allow_on_submit": 0, 
+   "bold": 0, 
+   "collapsible": 0, 
+   "columns": 0, 
+   "fieldname": "purchase_orders_to_bill", 
+   "fieldtype": "Check", 
+   "hidden": 0, 
+   "ignore_user_permissions": 0, 
+   "ignore_xss_filter": 0, 
+   "in_filter": 0, 
+   "in_list_view": 0, 
+   "in_standard_filter": 0,
+   "label": "Purchase Orders to Bill", 
+   "length": 0, 
+   "no_copy": 0, 
+   "permlevel": 0, 
+   "precision": "", 
+   "print_hide": 0, 
+   "print_hide_if_no_value": 0, 
+   "read_only": 0, 
+   "remember_last_selected_value": 0, 
+   "report_hide": 0, 
+   "reqd": 0, 
+   "search_index": 0, 
+   "set_only_once": 0, 
+   "unique": 0
+  }, 
+  {
+   "allow_on_submit": 0, 
+   "bold": 0, 
+   "collapsible": 0, 
+   "columns": 0, 
    "fieldname": "operation", 
    "fieldtype": "Section Break", 
    "hidden": 0, 
@@ -651,34 +735,6 @@
    "bold": 0, 
    "collapsible": 0, 
    "columns": 0, 
-   "fieldname": "pending_sales_orders", 
-   "fieldtype": "Check", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Pending Sales Orders", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
    "fieldname": "purchase_order", 
    "fieldtype": "Check", 
    "hidden": 0, 
@@ -686,7 +742,7 @@
    "ignore_xss_filter": 0, 
    "in_filter": 0, 
    "in_list_view": 0, 
-   "in_standard_filter": 0, 
+   "in_standard_filter": 0,
    "label": "New Purchase Orders", 
    "length": 0, 
    "no_copy": 0, 
@@ -707,15 +763,15 @@
    "bold": 0, 
    "collapsible": 0, 
    "columns": 0, 
-   "fieldname": "pending_purchase_orders", 
+   "fieldname": "sales_orders_to_deliver", 
    "fieldtype": "Check", 
    "hidden": 0, 
    "ignore_user_permissions": 0, 
    "ignore_xss_filter": 0, 
    "in_filter": 0, 
    "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Pending Purchase Orders", 
+   "in_standard_filter": 0,
+   "label": "Sales Orders to Deliver", 
    "length": 0, 
    "no_copy": 0, 
    "permlevel": 0, 
@@ -735,6 +791,34 @@
    "bold": 0, 
    "collapsible": 0, 
    "columns": 0, 
+   "fieldname": "purchase_orders_to_receive", 
+   "fieldtype": "Check", 
+   "hidden": 0, 
+   "ignore_user_permissions": 0, 
+   "ignore_xss_filter": 0, 
+   "in_filter": 0, 
+   "in_list_view": 0, 
+   "in_standard_filter": 0,
+   "label": "Purchase Orders to Receive", 
+   "length": 0, 
+   "no_copy": 0, 
+   "permlevel": 0, 
+   "precision": "", 
+   "print_hide": 0, 
+   "print_hide_if_no_value": 0, 
+   "read_only": 0, 
+   "remember_last_selected_value": 0, 
+   "report_hide": 0, 
+   "reqd": 0, 
+   "search_index": 0, 
+   "set_only_once": 0, 
+   "unique": 0
+  },
+  {
+   "allow_on_submit": 0, 
+   "bold": 0, 
+   "collapsible": 0, 
+   "columns": 0, 
    "fieldname": "column_break_operation", 
    "fieldtype": "Column Break", 
    "hidden": 0, 
@@ -798,8 +882,8 @@
    "ignore_xss_filter": 0, 
    "in_filter": 0, 
    "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Pending Quotations", 
+   "in_standard_filter": 0,
+   "label": "Open Quotations", 
    "length": 0, 
    "no_copy": 0, 
    "permlevel": 0, 
@@ -869,6 +953,34 @@
    "search_index": 0, 
    "set_only_once": 0, 
    "unique": 0
+  },
+  {
+   "allow_on_submit": 0, 
+   "bold": 0, 
+   "collapsible": 0, 
+   "columns": 0, 
+   "fieldname": "purchase_orders_items_overdue", 
+   "fieldtype": "Check", 
+   "hidden": 0, 
+   "ignore_user_permissions": 0, 
+   "ignore_xss_filter": 0, 
+   "in_filter": 0, 
+   "in_list_view": 0, 
+   "in_standard_filter": 0,
+   "label": "Purchase Orders Items Overdue", 
+   "length": 0, 
+   "no_copy": 0, 
+   "permlevel": 0, 
+   "precision": "", 
+   "print_hide": 0, 
+   "print_hide_if_no_value": 0, 
+   "read_only": 0, 
+   "remember_last_selected_value": 0, 
+   "report_hide": 0, 
+   "reqd": 0, 
+   "search_index": 0, 
+   "set_only_once": 0, 
+   "unique": 0
   }, 
   {
    "allow_on_submit": 0, 
@@ -1079,7 +1191,7 @@
  "istable": 0, 
  "max_attachments": 0, 
  "menu_index": 0, 
- "modified": "2016-11-07 05:10:32.190134", 
+ "modified": "2018-09-16 22:00:00.000000", 
  "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 e2189a1..d309e88 100644
--- a/erpnext/setup/doctype/email_digest/email_digest.py
+++ b/erpnext/setup/doctype/email_digest/email_digest.py
@@ -96,7 +96,13 @@
 		quote = get_random_quote()
 		context.quote = {"text": quote[0], "author": quote[1]}
 
-		if not (context.events or context.todo_list or context.notifications or context.cards):
+		if self.get("purchase_orders_items_overdue"):
+			context.purchase_order_list, context.purchase_orders_items_overdue_list = self.get_purchase_orders_items_overdue_list()
+			if not context.purchase_order_list:
+				frappe.throw(_("No items to be received are overdue"))
+
+		if not (context.events or context.todo_list or context.notifications or context.cards
+				or context.purchase_orders_items_overdue_list):
 			return None
 
 		frappe.flags.ignore_account_permission = False
@@ -230,9 +236,10 @@
 
 		cache = frappe.cache()
 		context.cards = []
-		for key in ("income", "expenses_booked", "income_year_to_date","expense_year_to_date",
-			 "new_quotations","pending_quotations","sales_order","purchase_order","pending_sales_orders","pending_purchase_orders",
-			"invoiced_amount", "payables", "bank_balance", "credit_balance"):
+		for key in ("income", "expenses_booked", "income_year_to_date", "expense_year_to_date",
+					"bank_balance", "credit_balance", "invoiced_amount", "payables",
+					"sales_orders_to_bill", "purchase_orders_to_bill", "sales_order", "purchase_order",
+					"sales_orders_to_deliver", "purchase_orders_to_receive", "new_quotations", "pending_quotations"):
 			if self.get(key):
 				cache_key = "email_digest:card:{0}:{1}:{2}:{3}".format(self.company, self.frequency, key, self.from_date)
 				card = cache.get(cache_key)
@@ -346,6 +353,62 @@
 
 		return balance, past_balance, count
 
+	def get_sales_orders_to_bill(self):
+		"""Get value not billed"""
+
+		value, count = frappe.db.sql("""select ifnull((sum(grand_total)) - (sum(grand_total*per_billed/100)),0),
+                    count(*) from `tabSales Order`
+					where (transaction_date <= %(to_date)s) and billing_status != "Fully Billed"
+					and status not in ('Closed','Cancelled', 'Completed') """, {"to_date": self.future_to_date})[0]
+
+		return {
+			"label": self.meta.get_label("sales_orders_to_bill"),
+			"value": value,
+			"count": count
+		}
+
+	def get_sales_orders_to_deliver(self):
+		"""Get value not delivered"""
+
+		value, count = frappe.db.sql("""select ifnull((sum(grand_total)) - (sum(grand_total*per_delivered/100)),0), 
+					count(*) from `tabSales Order`
+					where (transaction_date <= %(to_date)s) and delivery_status != "Fully Delivered"
+					and status not in ('Closed','Cancelled', 'Completed') """, {"to_date": self.future_to_date})[0]
+
+		return {
+			"label": self.meta.get_label("sales_orders_to_deliver"),
+			"value": value,
+			"count": count
+		}
+
+	def get_purchase_orders_to_receive(self):
+		"""Get value not received"""
+
+		value, count = frappe.db.sql("""select ifnull((sum(grand_total))-(sum(grand_total*per_received/100)),0),
+                    count(*) from `tabPurchase Order`
+					where (transaction_date <= %(to_date)s) and per_received < 100
+					and status not in ('Closed','Cancelled', 'Completed') """, {"to_date": self.future_to_date})[0]
+
+		return {
+			"label": self.meta.get_label("purchase_orders_to_receive"),
+			"value": value,
+			"count": count
+		}
+
+	def get_purchase_orders_to_bill(self):
+		"""Get purchase not billed"""
+
+		value, count = frappe.db.sql("""select ifnull((sum(grand_total)) - (sum(grand_total*per_billed/100)),0),
+                    count(*) from `tabPurchase Order`
+					where (transaction_date <= %(to_date)s) and per_billed < 100
+					and status not in ('Closed','Cancelled', 'Completed') """, {"to_date": self.future_to_date})[0]
+
+		return {
+			"label": self.meta.get_label("purchase_orders_to_bill"),
+			"value": value,
+			"count": count
+		}
+
 	def get_type_balance(self, fieldname, account_type, root_type=None):
 
 		if root_type:
@@ -529,6 +592,30 @@
 		else:
 			return fmt_money(value, currency=self.currency)
 
+	def get_purchase_orders_items_overdue_list(self):
+		fields_po = "distinct `tabPurchase Order Item`.parent as po"
+		fields_poi = "`tabPurchase Order Item`.parent, `tabPurchase Order Item`.schedule_date, item_code," \
+		             "received_qty, qty - received_qty as missing_qty, rate, amount"
+
+		sql_po = """select {fields} from `tabPurchase Order Item` 
+			left join `tabPurchase Order` on `tabPurchase Order`.name = `tabPurchase Order Item`.parent
+			where status<>'Closed' and `tabPurchase Order Item`.docstatus=1 and curdate() > `tabPurchase Order Item`.schedule_date
+			and received_qty < qty order by `tabPurchase Order Item`.parent DESC,
+			`tabPurchase Order Item`.schedule_date DESC""".format(fields=fields_po)
+
+		sql_poi = """select {fields} from `tabPurchase Order Item` 
+			left join `tabPurchase Order` on `tabPurchase Order`.name = `tabPurchase Order Item`.parent
+			where status<>'Closed' and `tabPurchase Order Item`.docstatus=1 and curdate() > `tabPurchase Order Item`.schedule_date
+			and received_qty < qty order by `tabPurchase Order Item`.idx""".format(fields=fields_poi)
+		purchase_order_list = frappe.db.sql(sql_po, as_dict=True)
+		purchase_order_items_overdue_list = frappe.db.sql(sql_poi, as_dict=True)
+
+		for t in purchase_order_items_overdue_list:
+			t.link = get_url_to_form("Purchase Order", t.parent)
+			t.rate = fmt_money(t.rate, 2, t.currency)
+			t.amount = fmt_money(t.amount, 2, t.currency)
+		return purchase_order_list, purchase_order_items_overdue_list
+
 def send():
 	now_date = now_datetime().date()
 
diff --git a/erpnext/setup/doctype/email_digest/templates/default.html b/erpnext/setup/doctype/email_digest/templates/default.html
index 5a657d2..4ee4b0f 100644
--- a/erpnext/setup/doctype/email_digest/templates/default.html
+++ b/erpnext/setup/doctype/email_digest/templates/default.html
@@ -1,6 +1,6 @@
 {% macro show_card(card) %}
-<div style="width: 50%; float:left; min-height: 80px; padding-top: 20px;">
-    <h6 style="color: {{ text_muted }}; font-size: 12px; margin-bottom: 0px; margin-top: 0px;">{{ _(card.label) }}
+<div style="width: 49%; display:inline-block; vertical-align: top; min-height: 80px; padding-top: 20px;">
+    <h6 style="color: {{ text_muted }}; font-size: 12px; margin-bottom: 0px; margin-top: 0px;">{{ card.label }}
     {% if card.count %}
     <span class="badge">({{ card.count }})</span>
     {% endif %}</h6>
@@ -180,5 +180,80 @@
     <br>
 </div>
 {% endif %}
-
+    
+<!-- Purchase Order Items Overdue -->    
+{% if purchase_orders_items_overdue_list %}
+<h4 style="{{ section_head }}" class="text-center">{{ _("Purchase Order Items not received on time") }}</h4>
+<div>
+    <div style="background-color: #fafbfc;">
+        <hr>
+        <table style="width: 100%;">
+            <tr>
+                <th style="width: 40%;">
+                    <span style="padding: 3px 7px; margin-right: 7px; font-weight: bold; {{ link_css }}">Item Code</span>
+                </th>
+                <th style="width: 20%; text-align: right">
+                    <span style="padding: 3px 7px; margin-right: 7px; font-weight: bold; {{ link_css }}">Quantity</span>
+                </th>
+                <th style="width: 20%; text-align: right">
+                    <span style="padding: 3px 7px; margin-right: 7px; font-weight: bold; {{ link_css }}">Rate</span>
+                </th>
+                <th style="width: 20%; text-align: right">
+                    <span style="padding: 3px 7px; margin-right: 7px; font-weight: bold; {{ link_css }}">Amount</span>
+                </th>
+            </tr>
+        </table>
+        <hr>
+    </div>
+    <div>
+    {% for po in purchase_order_list %}
+        <div style="{{ line_item }}">
+            <table style="width: 100%;">
+                <tr>
+                    <th>
+                        <span style="padding: 3px 7px; margin-right: 7px; font-weight: bold;">{{ po.po }}</span>
+                    </th>
+                </tr>
+                <tr>
+                    <td>
+                    {% for t in purchase_orders_items_overdue_list %}
+                        {% if t.parent == po.po %}
+                            <div >
+                                <table style="width: 100%;">
+                                    <tr>
+                                        <td style="padding-left: 7px;">
+                                            <a style="width: 40%; {{ link_css }}" href="{{ t.link }}">{{ _(t.item_code) }}</a>
+                                        </td>
+                                        <td style="width: 20%; text-align: right">
+                                            <span style="{{ label_css }}">
+                                                {{ t.missing_qty }}
+                                            </span>
+                                        </td>
+                                        <td style="width: 20%; text-align: right">
+                                            <span style="{{ label_css }}">
+                                                {{ t.rate }}
+                                            </span>
+                                        </td>
+                                        <td style="width: 20%; text-align: right">
+                                            <span style="{{ label_css }}">
+                                                {{ t.amount }}
+                                            </span>
+                                        </td>
+                                    </tr>
+                                </table>
+                            </div>
+                        {% endif %}
+                    {% endfor %}
+                    </td>
+                </tr>
+            </table>
+        </div>
+    {% endfor %}
+    </div>
+</div>
+<div class="text-center">
+    <br><br><span class="text-danger">Please take necessary action</span>
+</div>
+{% endif %}    
+    
 </div>
diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py
index 6bc9036..48963c2 100644
--- a/erpnext/setup/doctype/item_group/item_group.py
+++ b/erpnext/setup/doctype/item_group/item_group.py
@@ -88,7 +88,7 @@
 			# return child item groups if the type is of "Is Group"
 			return get_child_groups_for_list_in_html(item_group, start, limit, search)
 
-	child_groups = ", ".join(['"' + frappe.db.escape(i[0]) + '"' for i in get_child_groups(product_group)])
+	child_groups = ", ".join([frappe.db.escape(i[0]) for i in get_child_groups(product_group)])
 
 	# base query
 	query = """select I.name, I.item_name, I.item_code, I.route, I.image, I.website_image, I.thumbnail, I.item_group,
diff --git a/erpnext/setup/doctype/party_type/party_type.py b/erpnext/setup/doctype/party_type/party_type.py
index 8baddf4..b29c305 100644
--- a/erpnext/setup/doctype/party_type/party_type.py
+++ b/erpnext/setup/doctype/party_type/party_type.py
@@ -20,6 +20,6 @@
 			where `{key}` LIKE %(txt)s {cond}
 			order by name limit %(start)s, %(page_len)s"""
 			.format(key=searchfield, cond=cond), {
-				'txt': "%%%s%%" % frappe.db.escape(txt),
+				'txt': '%' + txt + '%',
 				'start': start, 'page_len': page_len
 			})
diff --git a/erpnext/setup/setup_wizard/operations/company_setup.py b/erpnext/setup/setup_wizard/operations/company_setup.py
index 7f9795b..3f0bb14 100644
--- a/erpnext/setup/setup_wizard/operations/company_setup.py
+++ b/erpnext/setup/setup_wizard/operations/company_setup.py
@@ -5,7 +5,6 @@
 import frappe
 from frappe import _
 from frappe.utils import cstr, getdate
-from frappe.utils.file_manager import save_file
 from .default_website import website_maker
 from erpnext.accounts.doctype.account.account import RootNotEditable
 
@@ -107,10 +106,16 @@
 		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
+			_file = frappe.get_doc({
+				"doctype": "File",
+				"file_name": filename,
+				"attached_to_doctype": "Website Settings",
+				"attached_to_name": "Website Settings",
+				"decode": True})
+			_file.save()
+			fileurl = _file.file_url
 			frappe.db.set_value("Website Settings", "Website Settings", "brand_html",
-				"<img src='{0}' style='max-width: 40px; max-height: 25px;'> {1}".format(fileurl, args.get("company_name")	))
+				"<img src='{0}' style='max-width: 40px; max-height: 25px;'> {1}".format(fileurl, args.get("company_name")))
 
 def create_website(args):
 	website_maker(args)
@@ -121,4 +126,4 @@
 		fy = cstr(start_year)
 	else:
 		fy = cstr(start_year) + '-' + cstr(start_year + 1)
-	return fy
\ No newline at end of file
+	return fy
diff --git a/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py b/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py
index be4670e..3098190 100644
--- a/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py
+++ b/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py
@@ -28,9 +28,10 @@
 				raise_exception=ShoppingCartSetupError)
 
 		price_list_currency_map = frappe.db.get_values("Price List",
-			[self.price_list],
-			"currency")
+			[self.price_list], "currency")
 
+		price_list_currency_map = dict(price_list_currency_map)
+		
 		# check if all price lists have a currency
 		for price_list, currency in price_list_currency_map.items():
 			if not currency:
@@ -39,8 +40,8 @@
 		expected_to_exist = [currency + "-" + company_currency
 			for currency in price_list_currency_map.values()
 			if currency != company_currency]
-		
-		# manqala 20/09/2016: set up selection parameters for query from tabCurrency Exchange	
+
+		# manqala 20/09/2016: set up selection parameters for query from tabCurrency Exchange
 		from_currency = [currency for currency in price_list_currency_map.values() if currency != company_currency]
 		to_currency = company_currency
 		# manqala end
diff --git a/erpnext/startup/boot.py b/erpnext/startup/boot.py
index 62c9e7b..473fba5 100644
--- a/erpnext/startup/boot.py
+++ b/erpnext/startup/boot.py
@@ -26,11 +26,12 @@
 			'default_valid_till'))
 
 		# 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.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.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, default_terms,
 			default_letter_head, default_bank_account, enable_perpetual_inventory from `tabCompany`""",
diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py
index 17cf044..f56c5f5 100644
--- a/erpnext/stock/doctype/item/item.py
+++ b/erpnext/stock/doctype/item/item.py
@@ -257,7 +257,7 @@
 						"file_url": self.website_image,
 						"attached_to_doctype": "Item",
 						"attached_to_name": self.name
-					}).insert()
+					}).save()
 
 				except IOError:
 					self.website_image = None
@@ -968,7 +968,7 @@
 	value = ""
 	uom_details = frappe.db.sql("""select to_uom, from_uom, value from `tabUOM Conversion Factor`\
 		where to_uom in ({0})
-		""".format(', '.join(['"' + frappe.db.escape(i, percent=False) + '"' for i in uoms])), as_dict=True)
+		""".format(', '.join([frappe.db.escape(i, percent=False) for i in uoms])), as_dict=True)
 
 	for d in uom_details:
 		if d.from_uom == stock_uom and d.to_uom == uom:
diff --git a/erpnext/stock/doctype/item_alternative/item_alternative.py b/erpnext/stock/doctype/item_alternative/item_alternative.py
index 6f9c5de..8e54539 100644
--- a/erpnext/stock/doctype/item_alternative/item_alternative.py
+++ b/erpnext/stock/doctype/item_alternative/item_alternative.py
@@ -35,6 +35,6 @@
 			where alternative_item_code = %(item_code)s and item_code like %(txt)s
 			and two_way = 1) limit {0}, {1}
 		""".format(start, page_len), {
-			"item_code": frappe.db.escape(filters.get('item_code')),
-			"txt": "%%%s%%" % frappe.db.escape(txt)
+			"item_code": filters.get('item_code'),
+			"txt": '%' + txt + '%'
 		})
\ No newline at end of file
diff --git a/erpnext/stock/doctype/serial_no/serial_no.py b/erpnext/stock/doctype/serial_no/serial_no.py
index 598504a..4b1ceed 100644
--- a/erpnext/stock/doctype/serial_no/serial_no.py
+++ b/erpnext/stock/doctype/serial_no/serial_no.py
@@ -171,7 +171,7 @@
 			where fieldname='serial_no' and fieldtype in ('Text', 'Small Text')"""):
 
 			for item in frappe.db.sql("""select name, serial_no from `tab%s`
-				where serial_no like '%%%s%%'""" % (dt[0], frappe.db.escape(old))):
+				where serial_no like %s""" % (dt[0], frappe.db.escape('%' + old + '%'))):
 
 				serial_nos = map(lambda i: new if i.upper()==old.upper() else i, item[1].split('\n'))
 				frappe.db.sql("""update `tab%s` set serial_no = %s
diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py
index 3c60896..66a294d 100644
--- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py
+++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py
@@ -124,11 +124,11 @@
 		is_group_warehouse(self.warehouse)
 
 def on_doctype_update():
-	if not frappe.db.sql("""show index from `tabStock Ledger Entry`
-		where Key_name="posting_sort_index" """):
+	if not frappe.db.has_index('tabStock Ledger Entry', 'posting_sort_index'):
 		frappe.db.commit()
-		frappe.db.sql("""alter table `tabStock Ledger Entry`
-			add index posting_sort_index(posting_date, posting_time, name)""")
+		frappe.db.add_index("Stock Ledger Entry",
+			fields=["posting_date", "posting_time", "name"],
+			index_name="posting_sort_index")
 
 	frappe.db.add_index("Stock Ledger Entry", ["voucher_no", "voucher_type"])
 	frappe.db.add_index("Stock Ledger Entry", ["batch_no", "item_code", "warehouse"])
diff --git a/erpnext/stock/doctype/stock_settings/stock_settings.json b/erpnext/stock/doctype/stock_settings/stock_settings.json
index 4d5423e..e05b320 100644
--- a/erpnext/stock/doctype/stock_settings/stock_settings.json
+++ b/erpnext/stock/doctype/stock_settings/stock_settings.json
@@ -14,6 +14,7 @@
  "fields": [
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -41,10 +42,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -72,10 +75,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -102,10 +107,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -133,10 +140,45 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
+   "allow_on_submit": 0, 
+   "bold": 0, 
+   "collapsible": 0, 
+   "columns": 0, 
+   "fieldname": "default_return_warehouse", 
+   "fieldtype": "Link", 
+   "hidden": 0, 
+   "ignore_user_permissions": 0, 
+   "ignore_xss_filter": 0, 
+   "in_filter": 0, 
+   "in_global_search": 0, 
+   "in_list_view": 0, 
+   "in_standard_filter": 0, 
+   "label": "Default Return Warehouse", 
+   "length": 0, 
+   "no_copy": 0, 
+   "options": "Warehouse", 
+   "permlevel": 0, 
+   "precision": "", 
+   "print_hide": 0, 
+   "print_hide_if_no_value": 0, 
+   "read_only": 0, 
+   "remember_last_selected_value": 0, 
+   "report_hide": 0, 
+   "reqd": 0, 
+   "search_index": 0, 
+   "set_only_once": 0, 
+   "translatable": 0, 
+   "unique": 0
+  }, 
+  {
+   "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -164,10 +206,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -192,10 +236,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -222,10 +268,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -252,10 +300,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -283,10 +333,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -314,10 +366,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -343,10 +397,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -373,10 +429,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -402,10 +460,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -431,10 +491,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -462,10 +524,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -493,10 +557,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -522,10 +588,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -551,10 +619,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -580,10 +650,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -609,10 +681,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -638,10 +712,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -667,10 +743,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -697,10 +775,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -727,10 +807,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -758,10 +840,12 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }, 
   {
    "allow_bulk_edit": 0, 
+   "allow_in_quick_entry": 0, 
    "allow_on_submit": 0, 
    "bold": 0, 
    "collapsible": 0, 
@@ -790,6 +874,7 @@
    "reqd": 0, 
    "search_index": 0, 
    "set_only_once": 0, 
+   "translatable": 0, 
    "unique": 0
   }
  ], 
@@ -804,7 +889,7 @@
  "issingle": 1, 
  "istable": 0, 
  "max_attachments": 0, 
- "modified": "2018-05-03 12:38:12.905394", 
+ "modified": "2018-09-25 01:19:07.738045", 
  "modified_by": "Administrator", 
  "module": "Stock", 
  "name": "Stock Settings", 
@@ -812,7 +897,6 @@
  "permissions": [
   {
    "amend": 0, 
-   "apply_user_permissions": 0, 
    "cancel": 0, 
    "create": 1, 
    "delete": 0, 
@@ -837,5 +921,6 @@
  "show_name_in_global_search": 0, 
  "sort_order": "ASC", 
  "track_changes": 0, 
- "track_seen": 0
+ "track_seen": 0, 
+ "track_views": 0
 }
\ No newline at end of file
diff --git a/erpnext/stock/report/item_variant_details/item_variant_details.py b/erpnext/stock/report/item_variant_details/item_variant_details.py
index c7ca388..e8449cc 100644
--- a/erpnext/stock/report/item_variant_details/item_variant_details.py
+++ b/erpnext/stock/report/item_variant_details/item_variant_details.py
@@ -22,7 +22,7 @@
 		frappe.msgprint(_("There isn't any item variant for the selected item"))
 		return []
 	else:
-		variants = ",".join(['"' + frappe.db.escape(variant['name']) + '"' for variant in variant_results])
+		variants = ", ".join([frappe.db.escape(variant['name']) for variant in variant_results])
 
 	order_count_map = get_open_sales_orders_map(variants)
 	stock_details_map = get_stock_details_map(variants)
diff --git a/erpnext/stock/report/stock_balance/stock_balance.py b/erpnext/stock/report/stock_balance/stock_balance.py
index e72e94b..cc1112c 100644
--- a/erpnext/stock/report/stock_balance/stock_balance.py
+++ b/erpnext/stock/report/stock_balance/stock_balance.py
@@ -101,7 +101,7 @@
 		frappe.throw(_("'From Date' is required"))
 
 	if filters.get("to_date"):
-		conditions += " and sle.posting_date <= '%s'" % frappe.db.escape(filters.get("to_date"))
+		conditions += " and sle.posting_date <= %s" % frappe.db.escape(filters.get("to_date"))
 	else:
 		frappe.throw(_("'To Date' is required"))
 
@@ -119,7 +119,7 @@
 	item_conditions_sql = ''
 	if items:
 		item_conditions_sql = ' and sle.item_code in ({})'\
-			.format(', '.join(['"' + frappe.db.escape(i, percent=False) + '"' for i in items]))
+			.format(', '.join([frappe.db.escape(i, percent=False) for i in items]))
 
 	conditions = get_conditions(filters)
 
@@ -173,15 +173,15 @@
 		qty_dict.val_rate = d.valuation_rate
 		qty_dict.bal_qty += qty_diff
 		qty_dict.bal_val += value_diff
-		
+
 	iwb_map = filter_items_with_no_transactions(iwb_map)
 
 	return iwb_map
-	
+
 def filter_items_with_no_transactions(iwb_map):
 	for (company, item, warehouse) in sorted(iwb_map):
 		qty_dict = iwb_map[(company, item, warehouse)]
-		
+
 		no_transactions = True
 		float_precision = cint(frappe.db.get_default("float_precision")) or 3
 		for key, val in iteritems(qty_dict):
@@ -189,7 +189,7 @@
 			qty_dict[key] = val
 			if key != "val_rate" and val:
 				no_transactions = False
-		
+
 		if no_transactions:
 			iwb_map.pop((company, item, warehouse))
 
@@ -219,15 +219,15 @@
 	if items:
 		cf_field = cf_join = ""
 		if filters.get("include_uom"):
-			cf_field = ", ucd.conversion_factor"
-			cf_join = "left join `tabUOM Conversion Detail` ucd on ucd.parent=item.name and ucd.uom=%(include_uom)s"
+			cf_field = ", ucd.`conversion_factor`"
+			cf_join = "LEFT JOIN `tabUOM Conversion Detail` ucd ON ucd.`parent`=item.`name` AND ucd.`uom`=%(include_uom)s"
 
 		for item in frappe.db.sql("""
-			select item.name, item.item_name, item.description, item.item_group, item.brand, item.stock_uom{cf_field}
-			from `tabItem` item
+			SELECT item.`name`, item.`item_name`, item.`description`, item.`item_group`, item.`brand`, item.`stock_uom` {cf_field}
+			FROM `tabItem` item
 			{cf_join}
-			where item.name in ({names}) and ifnull(item.disabled, 0) = 0
-			""".format(cf_field=cf_field, cf_join=cf_join, names=', '.join(['"' + frappe.db.escape(i, percent=False) + '"' for i in items])),
+			WHERE item.`name` IN ({names}) AND IFNULL(item.`disabled`, 0) = 0
+			""".format(cf_field=cf_field, cf_join=cf_join, names=', '.join([frappe.db.escape(i, percent=False) for i in items])),
 			{"include_uom": filters.get("include_uom")}, as_dict=1):
 				item_details.setdefault(item.name, item)
 
@@ -245,7 +245,7 @@
 			select parent, warehouse, warehouse_reorder_qty, warehouse_reorder_level
 			from `tabItem Reorder`
 			where parent in ({0})
-		""".format(', '.join(['"' + frappe.db.escape(i, percent=False) + '"' for i in items])), as_dict=1)
+		""".format(', '.join([frappe.db.escape(i, percent=False) for i in items])), as_dict=1)
 
 	return dict((d.parent + d.warehouse, d) for d in item_reorder_details)
 
@@ -268,4 +268,4 @@
 			attribute_map.setdefault(attr['parent'], {})
 			attribute_map[attr['parent']].update({attr['attribute']: attr['attribute_value']})
 
-	return attribute_map
\ No newline at end of file
+	return attribute_map
diff --git a/erpnext/stock/report/stock_ledger/stock_ledger.py b/erpnext/stock/report/stock_ledger/stock_ledger.py
index 578000b..805b314 100644
--- a/erpnext/stock/report/stock_ledger/stock_ledger.py
+++ b/erpnext/stock/report/stock_ledger/stock_ledger.py
@@ -67,7 +67,7 @@
 	item_conditions_sql = ''
 	if items:
 		item_conditions_sql = 'and sle.item_code in ({})'\
-			.format(', '.join(['"' + frappe.db.escape(i) + '"' for i in items]))
+			.format(', '.join([frappe.db.escape(i) for i in items]))
 
 	return frappe.db.sql("""select concat_ws(" ", posting_date, posting_time) as date,
 			item_code, warehouse, actual_qty, qty_after_transaction, incoming_rate, valuation_rate,
@@ -109,15 +109,15 @@
 
 	cf_field = cf_join = ""
 	if include_uom:
-		cf_field = ", ucd.conversion_factor"
-		cf_join = "left join `tabUOM Conversion Detail` ucd on ucd.parent=item.name and ucd.uom=%(include_uom)s"
+		cf_field = ", ucd.`conversion_factor`"
+		cf_join = "LEFT JOIN `tabUOM Conversion Detail` ucd ON ucd.`parent`=item.`name` and ucd.`uom`=%(include_uom)s"
 
 	for item in frappe.db.sql("""
-		select item.name, item.item_name, item.description, item.item_group, item.brand, item.stock_uom{cf_field}
-		from `tabItem` item
+		SELECT item.`name`, item.`item_name`, item.`description`, item.`item_group`, item.`brand`, item.`stock_uom` {cf_field}
+		FROM `tabItem` item
 		{cf_join}
-		where item.name in ({names})
-		""".format(cf_field=cf_field, cf_join=cf_join, names=', '.join(['"' + frappe.db.escape(i, percent=False) + '"' for i in items])),
+		where item.`name` in ({names})
+		""".format(cf_field=cf_field, cf_join=cf_join, names=', '.join([frappe.db.escape(i, percent=False) for i in items])),
 		{"include_uom": include_uom}, as_dict=1):
 			item_details.setdefault(item.name, item)
 
diff --git a/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py b/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py
index d6be6c08..913d7d8 100644
--- a/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py
+++ b/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py
@@ -83,10 +83,10 @@
 
 def get_bin_list(filters):
 	conditions = []
-	
+
 	if filters.item_code:
 		conditions.append("item_code = '%s' "%filters.item_code)
-		
+
 	if filters.warehouse:
 		warehouse_details = frappe.db.get_value("Warehouse", filters.warehouse, ["lft", "rgt"], as_dict=1)
 
@@ -107,7 +107,7 @@
 
 	condition = ""
 	if item_code:
-		condition = 'and item_code = "{0}"'.format(frappe.db.escape(item_code, percent=False))
+		condition = 'and item_code = {0}'.format(frappe.db.escape(item_code, percent=False))
 
 	cf_field = cf_join = ""
 	if include_uom:
@@ -128,7 +128,7 @@
 
 	condition = ""
 	if item_code:
-		condition = 'where parent="{0}"'.format(frappe.db.escape(item_code, percent=False))
+		condition = 'where parent={0}'.format(frappe.db.escape(item_code, percent=False))
 
 	reorder_levels = frappe._dict()
 	for ir in frappe.db.sql("""select * from `tabItem Reorder` {condition}""".format(condition=condition), as_dict=1):
diff --git a/erpnext/stock/report/total_stock_summary/total_stock_summary.py b/erpnext/stock/report/total_stock_summary/total_stock_summary.py
index fafc169..b25e096 100644
--- a/erpnext/stock/report/total_stock_summary/total_stock_summary.py
+++ b/erpnext/stock/report/total_stock_summary/total_stock_summary.py
@@ -30,8 +30,8 @@
 
 	if filters.get("group_by") == "Warehouse":
 		if filters.get("company"):
-			conditions += " AND warehouse.company = '%s'" % frappe.db.escape(filters.get("company"), percent=False)
-		
+			conditions += " AND warehouse.company = %s" % frappe.db.escape(filters.get("company"), percent=False)
+
 		conditions += " GROUP BY ledger.warehouse, item.item_code"
 		columns += "'' as company, ledger.warehouse"
 	else:
diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv
index 88d426c..76c6f58 100644
--- a/erpnext/translations/af.csv
+++ b/erpnext/translations/af.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Kliënt Items
 DocType: Project,Costing and Billing,Koste en faktuur
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Vorderingsrekening geldeenheid moet dieselfde wees as maatskappy geldeenheid {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Rekening {0}: Ouerrekening {1} kan nie &#39;n grootboek wees nie
+DocType: QuickBooks Migrator,Token Endpoint,Token Eindpunt
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Rekening {0}: Ouerrekening {1} kan nie &#39;n grootboek wees nie
 DocType: Item,Publish Item to hub.erpnext.com,Publiseer item op hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Kan nie aktiewe verlofperiode vind nie
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Kan nie aktiewe verlofperiode vind nie
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,evaluering
 DocType: Item,Default Unit of Measure,Standaard eenheid van maatreël
 DocType: SMS Center,All Sales Partner Contact,Alle verkope vennote kontak
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klik op Enter om by te voeg
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Ontbrekende waarde vir Wagwoord-, API-sleutel- of Shopify-URL"
 DocType: Employee,Rented,gehuur
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Alle rekeninge
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Alle rekeninge
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Kan nie werknemer oorplaas met status links nie
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",Gestopte Produksie Orde kan nie gekanselleer word nie. Staak dit eers om te kanselleer
 DocType: Vehicle Service,Mileage,kilometers
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Wil jy hierdie bate regtig skrap?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Wil jy hierdie bate regtig skrap?
 DocType: Drug Prescription,Update Schedule,Dateer skedule op
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Kies Standaardverskaffer
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Wys Werknemer
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nuwe wisselkoers
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Geldeenheid word vereis vir Pryslys {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Geldeenheid word vereis vir Pryslys {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sal in die transaksie bereken word.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Kliëntkontak
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Dit is gebaseer op transaksies teen hierdie verskaffer. Sien die tydlyn hieronder vir besonderhede
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Oorproduksie Persentasie Vir Werk Orde
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Wettig
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Wettig
+DocType: Delivery Note,Transport Receipt Date,Vervaardigingsdatum
 DocType: Shopify Settings,Sales Order Series,Verkooporderreeks
 DocType: Vital Signs,Tongue,tong
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA Vrystelling
 DocType: Sales Invoice,Customer Name,Kliënt naam
 DocType: Vehicle,Natural Gas,Natuurlike gas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankrekening kan nie as {0} genoem word nie.
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankrekening kan nie as {0} genoem word nie.
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA soos per Salarisstruktuur
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoofde (of groepe) waarteen rekeningkundige inskrywings gemaak word en saldo&#39;s word gehandhaaf.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Uitstaande vir {0} kan nie minder as nul wees nie ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Diensstopdatum kan nie voor die diens begin datum wees nie
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Diensstopdatum kan nie voor die diens begin datum wees nie
 DocType: Manufacturing Settings,Default 10 mins,Verstek 10 minute
 DocType: Leave Type,Leave Type Name,Verlaat tipe naam
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Wys oop
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Wys oop
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Reeks suksesvol opgedateer
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Uitteken
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} in ry {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} in ry {1}
 DocType: Asset Finance Book,Depreciation Start Date,Waardevermindering Aanvangsdatum
 DocType: Pricing Rule,Apply On,Pas aan
 DocType: Item Price,Multiple Item prices.,Meervoudige Item pryse.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Ondersteuningsinstellings
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Verwagte einddatum kan nie minder wees as verwagte begin datum nie
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS instellings
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ry # {0}: Die tarief moet dieselfde wees as {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ry # {0}: Die tarief moet dieselfde wees as {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch Item Vervaldatum
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Konsep
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primêre kontakbesonderhede
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Open probleme
 DocType: Production Plan Item,Production Plan Item,Produksieplan Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Gebruiker {0} is reeds toegewys aan Werknemer {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Gebruiker {0} is reeds toegewys aan Werknemer {1}
 DocType: Lab Test Groups,Add new line,Voeg nuwe reël by
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Gesondheidssorg
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Vertraging in betaling (Dae)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Voorskrif
 ,Delay Days,Vertragingsdae
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Diensuitgawes
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} is reeds in verkoopsfaktuur verwys: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} is reeds in verkoopsfaktuur verwys: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,faktuur
 DocType: Purchase Invoice Item,Item Weight Details,Item Gewig Besonderhede
 DocType: Asset Maintenance Log,Periodicity,periodisiteit
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskale jaar {0} word vereis
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Verskaffer&gt; Verskaffersgroep
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Die minimum afstand tussen rye plante vir optimale groei
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,verdediging
 DocType: Salary Component,Abbr,abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Vakansie Lys
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,rekenmeester
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Verkooppryslys
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Verkooppryslys
 DocType: Patient,Tobacco Current Use,Tabak huidige gebruik
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Verkoopprys
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Verkoopprys
 DocType: Cost Center,Stock User,Voorraad gebruiker
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontak inligting
 DocType: Company,Phone No,Telefoon nommer
 DocType: Delivery Trip,Initial Email Notification Sent,Aanvanklike e-pos kennisgewing gestuur
 DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Inskrywing begin datum
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Verstek ontvangbare rekeninge wat gebruik moet word indien dit nie in Pasiënt gestel word nie. Aanstellingskoste.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Heg .csv-lêer met twee kolomme, een vir die ou naam en een vir die nuwe naam"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Van adres 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Item Kode&gt; Itemgroep&gt; Handelsmerk
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Van adres 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} nie in enige aktiewe fiskale jaar nie.
 DocType: Packed Item,Parent Detail docname,Ouer Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Verwysing: {0}, Item Kode: {1} en Kliënt: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} is nie in die ouer maatskappy teenwoordig nie
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} is nie in die ouer maatskappy teenwoordig nie
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Proeftydperk Einddatum kan nie voor die begin datum van die proeftydperk wees nie
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,Belasting Weerhouding Kategorie
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Advertising
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Dieselfde maatskappy is meer as een keer ingeskryf
 DocType: Patient,Married,Getroud
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nie toegelaat vir {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nie toegelaat vir {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Kry items van
 DocType: Price List,Price Not UOM Dependant,Prys Nie UOM Afhanklik
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Pas Belastingterugbedrag toe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Voorraad kan nie opgedateer word teen afleweringsnota {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Totale bedrag gekrediteer
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Voorraad kan nie opgedateer word teen afleweringsnota {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Totale bedrag gekrediteer
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produk {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Geen items gelys nie
 DocType: Asset Repair,Error Description,Fout Beskrywing
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Gebruik aangepaste kontantvloeiformaat
 DocType: SMS Center,All Sales Person,Alle Verkoopspersoon
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Maandelikse Verspreiding ** help jou om die begroting / teiken oor maande te versprei as jy seisoenaliteit in jou besigheid het.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Geen items gevind nie
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Salarisstruktuur ontbreek
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Geen items gevind nie
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Salarisstruktuur ontbreek
 DocType: Lead,Person Name,Persoon Naam
 DocType: Sales Invoice Item,Sales Invoice Item,Verkoopsfaktuur Item
 DocType: Account,Credit,krediet
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Voorraadverslae
 DocType: Warehouse,Warehouse Detail,Warehouse Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Die Termyn Einddatum kan nie later wees as die Jaar Einde van die akademiese jaar waartoe die term gekoppel is nie (Akademiese Jaar ()). Korrigeer asseblief die datums en probeer weer.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Is Vaste Bate&quot; kan nie afgeskakel word nie, aangesien Bate-rekord teen die item bestaan"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Is Vaste Bate&quot; kan nie afgeskakel word nie, aangesien Bate-rekord teen die item bestaan"
 DocType: Delivery Trip,Departure Time,Vertrektyd
 DocType: Vehicle Service,Brake Oil,Remolie
 DocType: Tax Rule,Tax Type,Belasting Tipe
 ,Completed Work Orders,Voltooide werkorders
 DocType: Support Settings,Forum Posts,Forum Posts
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Belasbare Bedrag
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Belasbare Bedrag
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Jy is nie gemagtig om inskrywings by te voeg of op te dateer voor {0}
 DocType: Leave Policy,Leave Policy Details,Verlaat beleidsbesonderhede
 DocType: BOM,Item Image (if not slideshow),Item Image (indien nie skyfievertoning nie)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Uurtarief / 60) * Werklike operasietyd
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ry # {0}: Verwysingsdokumenttipe moet een van koste-eis of joernaalinskrywing wees
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Kies BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ry # {0}: Verwysingsdokumenttipe moet een van koste-eis of joernaalinskrywing wees
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Kies BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Koste van aflewerings
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Die vakansie op {0} is nie tussen die datum en die datum nie
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Templates van verskaffer standpunte.
 DocType: Lead,Interested,belangstellende
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,opening
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Van {0} tot {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Van {0} tot {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Kon nie belasting opstel nie
 DocType: Item,Copy From Item Group,Kopieer vanaf itemgroep
-DocType: Delivery Trip,Delivery Notification,Aflewerings Kennisgewing
 DocType: Journal Entry,Opening Entry,Opening Toegang
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Slegs rekeninge betaal
 DocType: Loan,Repay Over Number of Periods,Terugbetaling oor aantal periodes
 DocType: Stock Entry,Additional Costs,Addisionele koste
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Rekening met bestaande transaksie kan nie na groep omskep word nie.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Rekening met bestaande transaksie kan nie na groep omskep word nie.
 DocType: Lead,Product Enquiry,Produk Ondersoek
 DocType: Education Settings,Validate Batch for Students in Student Group,Valideer bondel vir studente in studentegroep
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Geen verlofrekord vir werknemer {0} vir {1} gevind nie
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Voer asseblief die maatskappy eerste in
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Kies asseblief Maatskappy eerste
 DocType: Employee Education,Under Graduate,Onder Graduate
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Stel asb. Standaard sjabloon vir verlofstatus kennisgewing in MH-instellings in.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Stel asb. Standaard sjabloon vir verlofstatus kennisgewing in MH-instellings in.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Teiken
 DocType: BOM,Total Cost,Totale koste
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Rekeningstaat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,farmaseutiese
 DocType: Purchase Invoice Item,Is Fixed Asset,Is vaste bate
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Beskikbare hoeveelheid is {0}, jy benodig {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Beskikbare hoeveelheid is {0}, jy benodig {1}"
 DocType: Expense Claim Detail,Claim Amount,Eisbedrag
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Werkorder is {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Kwaliteit Inspeksie Sjabloon
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Wil jy bywoning bywerk? <br> Teenwoordig: {0} \ <br> Afwesig: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aanvaarde + Afgekeurde hoeveelheid moet gelyk wees aan Ontvang hoeveelheid vir Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aanvaarde + Afgekeurde hoeveelheid moet gelyk wees aan Ontvang hoeveelheid vir Item {0}
 DocType: Item,Supply Raw Materials for Purchase,Voorsien grondstowwe vir aankoop
 DocType: Agriculture Analysis Criteria,Fertilizer,kunsmis
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Kan nie lewering volgens Serienommer verseker nie omdat \ Item {0} bygevoeg word met en sonder Verseker lewering deur \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Ten minste een manier van betaling is nodig vir POS faktuur.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Ten minste een manier van betaling is nodig vir POS faktuur.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankstaat Transaksie Faktuur Item
 DocType: Products Settings,Show Products as a List,Wys produkte as &#39;n lys
 DocType: Salary Detail,Tax on flexible benefit,Belasting op buigsame voordeel
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Hoeveelheid
 DocType: Production Plan,Material Request Detail,Materiaal Versoek Detail
 DocType: Selling Settings,Default Quotation Validity Days,Standaard Kwotasie Geldigheidsdae
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om belasting in ry {0} in Item-tarief in te sluit, moet belasting in rye {1} ook ingesluit word"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om belasting in ry {0} in Item-tarief in te sluit, moet belasting in rye {1} ook ingesluit word"
 DocType: SMS Center,SMS Center,Sms sentrum
 DocType: Payroll Entry,Validate Attendance,Bevestig Bywoning
 DocType: Sales Invoice,Change Amount,Verander bedrag
 DocType: Party Tax Withholding Config,Certificate Received,Sertifikaat ontvang
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Stel die faktuurwaarde vir B2C in. B2CL en B2CS bereken op grond van hierdie faktuurwaarde.
 DocType: BOM Update Tool,New BOM,Nuwe BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Voorgeskrewe Prosedures
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Voorgeskrewe Prosedures
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Wys net POS
 DocType: Supplier Group,Supplier Group Name,Verskaffer Groep Naam
 DocType: Driver,Driving License Categories,Bestuurslisensie Kategorieë
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Payroll Periods
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Maak werknemer
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,uitsaai
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Opstel af van POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Opstel af van POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Deaktiveer die skep van tydlogboeke teen werkorders. Operasies sal nie opgespoor word teen werkorder nie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Uitvoering
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Besonderhede van die operasies uitgevoer.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Afslag op pryslyskoers (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Item Sjabloon
 DocType: Job Offer,Select Terms and Conditions,Kies Terme en Voorwaardes
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Uitwaarde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Uitwaarde
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Bank Statement Settings Item
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-instellings
 DocType: Production Plan,Sales Orders,Verkoopsbestellings
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Die versoek om kwotasie kan verkry word deur op die volgende skakel te kliek
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Betaling Beskrywing
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Onvoldoende voorraad
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Onvoldoende voorraad
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiveer kapasiteitsbeplanning en tyd dop
 DocType: Email Digest,New Sales Orders,Nuwe verkope bestellings
 DocType: Bank Account,Bank Account,Bankrekening
 DocType: Travel Itinerary,Check-out Date,Check-out datum
 DocType: Leave Type,Allow Negative Balance,Laat Negatiewe Saldo toe
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Jy kan nie projektipe &#39;eksterne&#39; uitvee nie
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Kies alternatiewe item
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Kies alternatiewe item
 DocType: Employee,Create User,Skep gebruiker
 DocType: Selling Settings,Default Territory,Standaard Territorium
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,televisie
 DocType: Work Order Operation,Updated via 'Time Log',Opgedateer via &#39;Time Log&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Kies die kliënt of verskaffer.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Voorskotbedrag kan nie groter wees as {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Voorskotbedrag kan nie groter wees as {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tydsleuf oorgedra, die gleuf {0} tot {1} oorvleuel wat slot {2} tot {3}"
 DocType: Naming Series,Series List for this Transaction,Reekslys vir hierdie transaksie
 DocType: Company,Enable Perpetual Inventory,Aktiveer Perpetual Inventory
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Teen Verkoopsfaktuur Item
 DocType: Agriculture Analysis Criteria,Linked Doctype,Gekoppelde Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Netto kontant uit finansiering
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage is vol, het nie gestoor nie"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage is vol, het nie gestoor nie"
 DocType: Lead,Address & Contact,Adres &amp; Kontak
 DocType: Leave Allocation,Add unused leaves from previous allocations,Voeg ongebruikte blare by vorige toekennings by
 DocType: Sales Partner,Partner website,Vennoot webwerf
@@ -446,10 +446,10 @@
 ,Open Work Orders,Oop werkorders
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Consulting Item
 DocType: Payment Term,Credit Months,Kredietmaande
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Netto betaal kan nie minder as 0 wees nie
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Netto betaal kan nie minder as 0 wees nie
 DocType: Contract,Fulfilled,Vervul
 DocType: Inpatient Record,Discharge Scheduled,Kwijting Gepland
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Aflosdatum moet groter wees as Datum van aansluiting
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Aflosdatum moet groter wees as Datum van aansluiting
 DocType: POS Closing Voucher,Cashier,kassier
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Blare per jaar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ry {0}: Kontroleer asseblief &#39;Is vooruit&#39; teen rekening {1} indien dit &#39;n voorskot is.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Stel asseblief studente onder Studentegroepe op
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Voltooide werk
 DocType: Item Website Specification,Item Website Specification,Item webwerf spesifikasie
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Verlaat geblokkeer
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Item {0} het sy einde van die lewe bereik op {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Verlaat geblokkeer
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Item {0} het sy einde van die lewe bereik op {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bankinskrywings
 DocType: Customer,Is Internal Customer,Is interne kliënt
 DocType: Crop,Annual,jaarlikse
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","As Auto Opt In is nagegaan, word die kliënte outomaties gekoppel aan die betrokke Loyaliteitsprogram (op spaar)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voorraadversoening Item
 DocType: Stock Entry,Sales Invoice No,Verkoopsfaktuur No
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Voorsieningstipe
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Voorsieningstipe
 DocType: Material Request Item,Min Order Qty,Minimum aantal bestellings
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studente Groepskeppingsinstrument Kursus
 DocType: Lead,Do Not Contact,Moenie kontak maak nie
@@ -482,9 +482,9 @@
 DocType: Item,Publish in Hub,Publiseer in Hub
 DocType: Student Admission,Student Admission,Studentetoelating
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Item {0} is gekanselleer
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Item {0} is gekanselleer
 DocType: Contract Template,Fulfilment Terms and Conditions,Voorwaardes en Voorwaardes
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materiaal Versoek
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materiaal Versoek
 DocType: Bank Reconciliation,Update Clearance Date,Dateer opruimingsdatum op
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Aankoopbesonderhede
@@ -532,10 +532,11 @@
 DocType: Tax Rule,Shipping County,Versending County
 DocType: Currency Exchange,For Selling,Vir verkoop
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Leer
+DocType: Purchase Invoice Item,Enable Deferred Expense,Aktiveer Uitgestelde Uitgawe
 DocType: Asset,Next Depreciation Date,Volgende Depresiasie Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktiwiteitskoste per werknemer
 DocType: Accounts Settings,Settings for Accounts,Instellings vir rekeninge
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Verskafferfaktuur Geen bestaan in Aankoopfaktuur {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Verskafferfaktuur Geen bestaan in Aankoopfaktuur {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Bestuur verkopersboom.
 DocType: Job Applicant,Cover Letter,Dekbrief
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Uitstaande tjeks en deposito&#39;s om skoon te maak
@@ -550,7 +551,7 @@
 DocType: Employee,External Work History,Eksterne werkgeskiedenis
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Omsendbriefverwysingsfout
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studenteverslagkaart
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Van Pin-kode
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Van Pin-kode
 DocType: Appointment Type,Is Inpatient,Is binnepasiënt
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Voog 1 Naam
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,In Woorde (Uitvoer) sal sigbaar wees sodra jy die Afleweringsnota stoor.
@@ -565,18 +566,19 @@
 DocType: Journal Entry,Multi Currency,Multi Geld
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktuur Tipe
 DocType: Employee Benefit Claim,Expense Proof,Uitgawe Bewys
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Afleweringsnota
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Stoor {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Afleweringsnota
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Opstel van Belasting
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Koste van Verkoop Bate
 DocType: Volunteer,Morning,oggend
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Betalinginskrywing is gewysig nadat jy dit getrek het. Trek dit asseblief weer.
 DocType: Program Enrollment Tool,New Student Batch,Nuwe Studentejoernaal
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} het twee keer in Itembelasting ingeskryf
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Opsomming vir hierdie week en hangende aktiwiteite
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} het twee keer in Itembelasting ingeskryf
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Opsomming vir hierdie week en hangende aktiwiteite
 DocType: Student Applicant,Admitted,toegelaat
 DocType: Workstation,Rent Cost,Huur koste
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Bedrag na waardevermindering
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Bedrag na waardevermindering
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Komende kalendergebeure
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant Attributes
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Kies asseblief maand en jaar
@@ -613,8 +615,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Daar kan slegs 1 rekening per maatskappy wees in {0} {1}
 DocType: Support Search Source,Response Result Key Path,Reaksie Uitslag Sleutel Pad
 DocType: Journal Entry,Inter Company Journal Entry,Intermaatskappy Joernaal Inskrywing
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Vir hoeveelheid {0} moet nie grater wees as werk bestelhoeveelheid {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Sien asseblief aangehegte
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Vir hoeveelheid {0} moet nie grater wees as werk bestelhoeveelheid {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Sien asseblief aangehegte
 DocType: Purchase Order,% Received,% Ontvang
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Skep studentegroepe
 DocType: Volunteer,Weekends,naweke
@@ -653,7 +655,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Totaal Uitstaande
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Verander die begin- / huidige volgordenommer van &#39;n bestaande reeks.
 DocType: Dosage Strength,Strength,krag
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Skep &#39;n nuwe kliënt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Skep &#39;n nuwe kliënt
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Verlenging Aan
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","As verskeie prysreglemente voortduur, word gebruikers gevra om Prioriteit handmatig in te stel om konflik op te los."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Skep bestellings
@@ -664,17 +666,18 @@
 DocType: Workstation,Consumable Cost,Verbruikskoste
 DocType: Purchase Receipt,Vehicle Date,Voertuigdatum
 DocType: Student Log,Medical,Medies
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Rede vir verlies
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Kies asseblief Dwelm
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Rede vir verlies
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Kies asseblief Dwelm
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Leier Eienaar kan nie dieselfde wees as die Lood nie
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Toegewysde bedrag kan nie groter as onaangepaste bedrag wees nie
 DocType: Announcement,Receiver,ontvanger
 DocType: Location,Area UOM,Gebied UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Werkstasie is gesluit op die volgende datums soos per Vakansie Lys: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Geleenthede
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Geleenthede
 DocType: Lab Test Template,Single,enkele
 DocType: Compensatory Leave Request,Work From Date,Werk vanaf datum
 DocType: Salary Slip,Total Loan Repayment,Totale Lening Terugbetaling
+DocType: Project User,View attachments,Bekyk aanhangsels
 DocType: Account,Cost of Goods Sold,Koste van goedere verkoop
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Voer asseblief Koste Sentrum in
 DocType: Drug Prescription,Dosage,dosis
@@ -685,7 +688,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Hoeveelheid en Tarief
 DocType: Delivery Note,% Installed,% Geïnstalleer
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Klaskamers / Laboratoriums ens. Waar lesings geskeduleer kan word.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Maatskappy-geldeenhede van albei die maatskappye moet ooreenstem met Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Maatskappy-geldeenhede van albei die maatskappye moet ooreenstem met Inter Company Transactions.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Voer asseblief die maatskappy se naam eerste in
 DocType: Travel Itinerary,Non-Vegetarian,Nie-Vegetaries
 DocType: Purchase Invoice,Supplier Name,Verskaffernaam
@@ -695,7 +698,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Tydelik op hou
 DocType: Account,Is Group,Is die groep
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kredietnota {0} is outomaties geskep
-DocType: Email Digest,Pending Purchase Orders,Hangende bestellings
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Stel Serial Nos outomaties gebaseer op FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontroleer Verskaffer-faktuurnommer Uniekheid
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primêre adresbesonderhede
@@ -715,7 +717,7 @@
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globale instellings vir alle vervaardigingsprosesse.
 DocType: Accounts Settings,Accounts Frozen Upto,Rekeninge Bevrore Upto
 DocType: SMS Log,Sent On,Gestuur
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Attribuut {0} het verskeie kere gekies in Attributes Table
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Attribuut {0} het verskeie kere gekies in Attributes Table
 DocType: HR Settings,Employee record is created using selected field. ,Werknemer rekord is geskep met behulp van geselekteerde veld.
 DocType: Sales Order,Not Applicable,Nie van toepassing nie
 DocType: Amazon MWS Settings,UK,Verenigde Koninkryk
@@ -743,21 +745,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Werknemer {0} het reeds aansoek gedoen vir {1} op {2}:
 DocType: Inpatient Record,AB Positive,AB Positief
 DocType: Job Opening,Description of a Job Opening,Beskrywing van &#39;n werksopening
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Hangende aktiwiteite vir vandag
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Hangende aktiwiteite vir vandag
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Salaris Komponent vir tydlaar-gebaseerde betaalstaat.
+DocType: Driver,Applicable for external driver,Toepasbaar vir eksterne bestuurder
 DocType: Sales Order Item,Used for Production Plan,Gebruik vir Produksieplan
 DocType: Loan,Total Payment,Totale betaling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Kan nie transaksie vir voltooide werkorder kanselleer nie.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Kan nie transaksie vir voltooide werkorder kanselleer nie.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Tyd tussen bedrywighede (in mins)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,Pos reeds geskep vir alle verkope bestellingsitems
 DocType: Healthcare Service Unit,Occupied,beset
 DocType: Clinical Procedure,Consumables,Consumables
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} is gekanselleer sodat die aksie nie voltooi kan word nie
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} is gekanselleer sodat die aksie nie voltooi kan word nie
 DocType: Customer,Buyer of Goods and Services.,Koper van goedere en dienste.
 DocType: Journal Entry,Accounts Payable,Rekeninge betaalbaar
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Die bedrag van {0} in hierdie betalingsversoek verskil van die berekende bedrag van alle betaalplanne: {1}. Maak seker dat dit korrek is voordat u die dokument indien.
 DocType: Patient,Allergies,allergieë
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Die gekose BOM&#39;s is nie vir dieselfde item nie
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Die gekose BOM&#39;s is nie vir dieselfde item nie
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Verander Item Kode
 DocType: Supplier Scorecard Standing,Notify Other,Stel ander in kennis
 DocType: Vital Signs,Blood Pressure (systolic),Bloeddruk (sistolies)
@@ -769,7 +772,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Genoeg Onderdele om te Bou
 DocType: POS Profile User,POS Profile User,POS Profiel gebruiker
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Ry {0}: Waardevermindering Aanvangsdatum is nodig
-DocType: Sales Invoice Item,Service Start Date,Diens begin datum
+DocType: Purchase Invoice Item,Service Start Date,Diens begin datum
 DocType: Subscription Invoice,Subscription Invoice,Inskrywing Invoice
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Direkte inkomste
 DocType: Patient Appointment,Date TIme,Datum Tyd
@@ -788,7 +791,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Roetine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,skoonheidsmiddels
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Kies asseblief Voltooiingsdatum vir voltooide bateonderhoudslog
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Om saam te voeg, moet die volgende eienskappe dieselfde wees vir beide items"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Om saam te voeg, moet die volgende eienskappe dieselfde wees vir beide items"
 DocType: Supplier,Block Supplier,Blokverskaffer
 DocType: Shipping Rule,Net Weight,Netto gewig
 DocType: Job Opening,Planned number of Positions,Beplande aantal posisies
@@ -809,19 +812,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Kontantvloeikaartmap
 DocType: Travel Request,Costing Details,Koste Besonderhede
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Wys terugvoerinskrywings
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serie-item kan nie &#39;n breuk wees nie
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serie-item kan nie &#39;n breuk wees nie
 DocType: Journal Entry,Difference (Dr - Cr),Verskil (Dr - Cr)
 DocType: Bank Guarantee,Providing,Verskaffing
 DocType: Account,Profit and Loss,Wins en Verlies
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nie toegelaat nie, stel Lab Test Template op soos vereis"
 DocType: Patient,Risk Factors,Risiko faktore
 DocType: Patient,Occupational Hazards and Environmental Factors,Beroepsgevare en omgewingsfaktore
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Voorraadinskrywings wat reeds vir werkorder geskep is
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Voorraadinskrywings wat reeds vir werkorder geskep is
 DocType: Vital Signs,Respiratory rate,Respiratoriese tempo
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Bestuur van onderaanneming
 DocType: Vital Signs,Body Temperature,Liggaamstemperatuur
 DocType: Project,Project will be accessible on the website to these users,Projek sal op hierdie webwerf toeganklik wees
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Kan nie {0} {1} kanselleer nie omdat Serienommer {2} nie by die pakhuis hoort nie {3}
 DocType: Detected Disease,Disease,siekte
+DocType: Company,Default Deferred Expense Account,Standaard Uitgestelde Uitgawe Rekening
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definieer Projek tipe.
 DocType: Supplier Scorecard,Weighting Function,Gewig Funksie
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Konsultasiekoste
@@ -838,7 +843,7 @@
 DocType: Crop,Produced Items,Geproduseerde Items
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Pas transaksie na fakture
 DocType: Sales Order Item,Gross Profit,Bruto wins
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Ontgrendel faktuur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Ontgrendel faktuur
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Toename kan nie 0 wees nie
 DocType: Company,Delete Company Transactions,Verwyder maatskappytransaksies
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Verwysingsnommer en verwysingsdatum is verpligtend vir Banktransaksie
@@ -858,11 +863,11 @@
 DocType: Budget,Ignore,ignoreer
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} is nie aktief nie
 DocType: Woocommerce Settings,Freight and Forwarding Account,Vrag en vrag-rekening
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Opstel tjek dimensies vir die druk
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Opstel tjek dimensies vir die druk
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Skep salarisstrokies
 DocType: Vital Signs,Bloated,opgeblase
 DocType: Salary Slip,Salary Slip Timesheet,Salaris Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Verskaffer Pakhuis verplig vir onderaanneming Aankoop Ontvangs
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Verskaffer Pakhuis verplig vir onderaanneming Aankoop Ontvangs
 DocType: Item Price,Valid From,Geldig vanaf
 DocType: Sales Invoice,Total Commission,Totale Kommissie
 DocType: Tax Withholding Account,Tax Withholding Account,Belastingverhoudingsrekening
@@ -870,12 +875,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Alle verskaffer scorecards.
 DocType: Buying Settings,Purchase Receipt Required,Aankoop Ontvangs Benodig
 DocType: Delivery Note,Rail,spoor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Teiken pakhuis in ry {0} moet dieselfde wees as Werkorder
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Waardasietarief is verpligtend indien Openingsvoorraad ingeskryf is
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Teiken pakhuis in ry {0} moet dieselfde wees as Werkorder
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Waardasietarief is verpligtend indien Openingsvoorraad ingeskryf is
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Geen rekords gevind in die faktuur tabel nie
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Kies asseblief eers Maatskappy- en Partytipe
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Stel reeds standaard in posprofiel {0} vir gebruiker {1}, vriendelik gedeaktiveer"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finansiële / boekjaar.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finansiële / boekjaar.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Opgehoopte Waardes
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Jammer, Serial Nos kan nie saamgevoeg word nie"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kliëntegroep sal aan geselekteerde groep stel terwyl kliënte van Shopify gesinkroniseer word
@@ -889,7 +894,7 @@
 ,Lead Id,Lei Id
 DocType: C-Form Invoice Detail,Grand Total,Groot totaal
 DocType: Assessment Plan,Course,Kursus
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Afdeling Kode
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Afdeling Kode
 DocType: Timesheet,Payslip,betaalstrokie
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Die halwe dag moet tussen die datum en die datum wees
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Item winkelwagen
@@ -898,7 +903,8 @@
 DocType: Employee,Personal Bio,Persoonlike Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Lidmaatskap ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Afgelewer: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Afgelewer: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Gekoppel aan QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Betaalbare rekening
 DocType: Payment Entry,Type of Payment,Tipe Betaling
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Halfdag Datum is verpligtend
@@ -910,7 +916,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Versending wetsontwerp Datum
 DocType: Production Plan,Production Plan,Produksieplan
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Openingsfaktuurskeppingsinstrument
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Verkope terug
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Verkope terug
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Totale toegekende blare {0} moet nie minder wees as reeds goedgekeurde blare {1} vir die tydperk nie
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Stel aantal in Transaksies gebaseer op Serial No Input
 ,Total Stock Summary,Totale voorraadopsomming
@@ -923,9 +929,9 @@
 DocType: Authorization Rule,Customer or Item,Kliënt of Item
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kliënt databasis.
 DocType: Quotation,Quotation To,Aanhaling aan
-DocType: Lead,Middle Income,Middelinkomste
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Middelinkomste
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Opening (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Verstekeenheid van item vir item {0} kan nie direk verander word nie omdat jy reeds &#39;n transaksie (s) met &#39;n ander UOM gemaak het. Jy sal &#39;n nuwe item moet skep om &#39;n ander standaard UOM te gebruik.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Verstekeenheid van item vir item {0} kan nie direk verander word nie omdat jy reeds &#39;n transaksie (s) met &#39;n ander UOM gemaak het. Jy sal &#39;n nuwe item moet skep om &#39;n ander standaard UOM te gebruik.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Toegewysde bedrag kan nie negatief wees nie
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Stel asseblief die Maatskappy in
 DocType: Share Balance,Share Balance,Aandelebalans
@@ -942,15 +948,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Kies Betaalrekening om Bankinskrywing te maak
 DocType: Hotel Settings,Default Invoice Naming Series,Standaard faktuur naamgewing reeks
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Skep werknemerrekords om blare, koste-eise en betaalstaat te bestuur"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,&#39;N Fout het voorgekom tydens die opdateringsproses
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,&#39;N Fout het voorgekom tydens die opdateringsproses
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant bespreking
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Voorstel Skryf
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Inskrywing Aftrek
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Klaar maak
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Stel kliënte in kennis per e-pos
 DocType: Item,Batch Number Series,Lotnommer Serie
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Nog &#39;n verkoopspersoon {0} bestaan uit dieselfde werknemer-ID
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Nog &#39;n verkoopspersoon {0} bestaan uit dieselfde werknemer-ID
 DocType: Employee Advance,Claimed Amount,Eisbedrag
+DocType: QuickBooks Migrator,Authorization Settings,Magtigingsinstellings
 DocType: Travel Itinerary,Departure Datetime,Vertrek Datum Tyd
 DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Reisversoek Koste
@@ -988,20 +995,23 @@
 DocType: Buying Settings,Supplier Naming By,Verskaffer Naming By
 DocType: Activity Type,Default Costing Rate,Verstekkoste
 DocType: Maintenance Schedule,Maintenance Schedule,Onderhoudskedule
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dan word prysreëls uitgefiltreer op grond van kliënt, kliëntegroep, gebied, verskaffer, verskaffer tipe, veldtog, verkoopsvennoot, ens."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dan word prysreëls uitgefiltreer op grond van kliënt, kliëntegroep, gebied, verskaffer, verskaffer tipe, veldtog, verkoopsvennoot, ens."
 DocType: Employee Promotion,Employee Promotion Details,Werknemersbevorderingsbesonderhede
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Netto verandering in voorraad
 DocType: Employee,Passport Number,Paspoortnommer
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Verhouding met Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Bestuurder
 DocType: Payment Entry,Payment From / To,Betaling Van / Tot
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Vanaf die fiskale jaar
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nuwe kredietlimiet is minder as die huidige uitstaande bedrag vir die kliënt. Kredietlimiet moet ten minste {0} wees
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Stel asseblief rekening in pakhuis {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Stel asseblief rekening in pakhuis {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;Gebaseer op&#39; en &#39;Groepeer&#39; kan nie dieselfde wees nie
 DocType: Sales Person,Sales Person Targets,Verkope persoon teikens
 DocType: Work Order Operation,In minutes,In minute
 DocType: Issue,Resolution Date,Resolusie Datum
 DocType: Lab Test Template,Compound,saamgestelde
+DocType: Opportunity,Probability (%),Waarskynlikheid (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Versending Kennisgewing
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Kies Eiendom
 DocType: Student Batch Name,Batch Name,Joernaal
 DocType: Fee Validity,Max number of visit,Maksimum aantal besoeke
@@ -1047,12 +1057,12 @@
 DocType: Loan,Total Interest Payable,Totale rente betaalbaar
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Belandkoste en koste geland
 DocType: Work Order Operation,Actual Start Time,Werklike Aanvangstyd
+DocType: Purchase Invoice Item,Deferred Expense Account,Uitgestelde Uitgawe Rekening
 DocType: BOM Operation,Operation Time,Operasie Tyd
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Voltooi
 DocType: Salary Structure Assignment,Base,Basis
 DocType: Timesheet,Total Billed Hours,Totale gefaktureerde ure
 DocType: Travel Itinerary,Travel To,Reis na
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,is nie
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Skryf af Bedrag
 DocType: Leave Block List Allow,Allow User,Laat gebruiker toe
 DocType: Journal Entry,Bill No,Rekening No
@@ -1069,9 +1079,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Tydstaat
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Grondstowwe gebaseer op
 DocType: Sales Invoice,Port Code,Hawe kode
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reserve Warehouse
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reserve Warehouse
 DocType: Lead,Lead is an Organization,Lood is &#39;n organisasie
-DocType: Guardian Interest,Interest,belangstelling
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Voorverkope
 DocType: Instructor Log,Other Details,Ander besonderhede
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1081,7 +1090,7 @@
 DocType: Account,Accounts,rekeninge
 DocType: Vehicle,Odometer Value (Last),Odometer Waarde (Laaste)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Templates van verskaffer tellingskaart kriteria.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,bemarking
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,bemarking
 DocType: Sales Invoice,Redeem Loyalty Points,Los lojaliteitspunte in
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Betalinginskrywing is reeds geskep
 DocType: Request for Quotation,Get Suppliers,Kry Verskaffers
@@ -1098,16 +1107,14 @@
 DocType: Crop,Crop Spacing UOM,Crop Spacing UOM
 DocType: Loyalty Program,Single Tier Program,Enkelvlakprogram
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Kies slegs as u instellings vir kontantvloeimappers opstel
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Van adres 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Van adres 1
 DocType: Email Digest,Next email will be sent on:,Volgende e-pos sal gestuur word op:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Volgende item {items} {werkwoord} gemerk as {boodskap} item. \ U kan hulle as {boodskap} item uit die Item-meester aktiveer
 DocType: Supplier Scorecard,Per Week,Per week
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Item het variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Item het variante.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Totale Student
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} nie gevind nie
 DocType: Bin,Stock Value,Voorraadwaarde
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Maatskappy {0} bestaan nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Maatskappy {0} bestaan nie
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} het fooi geldigheid tot {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Boomstipe
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Aantal verbruik per eenheid
@@ -1122,7 +1129,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kredietkaartinskrywing
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Maatskappy en Rekeninge
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,In Waarde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,In Waarde
 DocType: Asset Settings,Depreciation Options,Waardevermindering Opsies
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Enige plek of werknemer moet vereis word
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Ongeldige plasings tyd
@@ -1139,20 +1146,21 @@
 DocType: Leave Allocation,Allocation,toekenning
 DocType: Purchase Order,Supply Raw Materials,Voorsien grondstowwe
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Huidige bates
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} is nie &#39;n voorraaditem nie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} is nie &#39;n voorraaditem nie
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Deel asseblief u terugvoering aan die opleiding deur op &#39;Training Feedback&#39; te klik en dan &#39;New&#39;
 DocType: Mode of Payment Account,Default Account,Verstek rekening
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Kies asseblief Sample Retention Warehouse in Voorraadinstellings
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Kies asseblief Sample Retention Warehouse in Voorraadinstellings
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Kies asseblief die Meervoudige Tier Program tipe vir meer as een versameling reëls.
 DocType: Payment Entry,Received Amount (Company Currency),Ontvangde Bedrag (Maatskappy Geld)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Lood moet gestel word indien Geleentheid van Lood gemaak word
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Betaling gekanselleer. Gaan asseblief jou GoCardless rekening vir meer besonderhede
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Stuur met aanhangsel
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Kies asseblief weekliks af
 DocType: Inpatient Record,O Negative,O Negatief
 DocType: Work Order Operation,Planned End Time,Beplande eindtyd
 ,Sales Person Target Variance Item Group-Wise,Verkoopspersoneel-doelwitafwyking
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Rekening met bestaande transaksie kan nie na grootboek omskep word nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Rekening met bestaande transaksie kan nie na grootboek omskep word nie
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership Tipe Besonderhede
 DocType: Delivery Note,Customer's Purchase Order No,Kliënt se bestellingnommer
 DocType: Clinical Procedure,Consume Stock,Verbruik Voorraad
@@ -1165,22 +1173,22 @@
 DocType: Soil Texture,Sand,sand
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,energie
 DocType: Opportunity,Opportunity From,Geleentheid Van
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ry {0}: {1} Serial nommers benodig vir item {2}. U het {3} verskaf.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ry {0}: {1} Serial nommers benodig vir item {2}. U het {3} verskaf.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Kies asseblief &#39;n tabel
 DocType: BOM,Website Specifications,Webwerf spesifikasies
 DocType: Special Test Items,Particulars,Besonderhede
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Vanaf {0} van tipe {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Ry {0}: Omskakelfaktor is verpligtend
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Ry {0}: Omskakelfaktor is verpligtend
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",Veelvuldige prysreëls bestaan volgens dieselfde kriteria. Beslis asseblief konflik deur prioriteit toe te ken. Prys Reëls: {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",Veelvuldige prysreëls bestaan volgens dieselfde kriteria. Beslis asseblief konflik deur prioriteit toe te ken. Prys Reëls: {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Wisselkoers herwaardasie rekening
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan BOM nie deaktiveer of kanselleer nie aangesien dit gekoppel is aan ander BOM&#39;s
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan BOM nie deaktiveer of kanselleer nie aangesien dit gekoppel is aan ander BOM&#39;s
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Kies asseblief Maatskappy en Posdatum om inskrywings te kry
 DocType: Asset,Maintenance,onderhoud
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Kry van pasiënt ontmoeting
 DocType: Subscriber,Subscriber,intekenaar
 DocType: Item Attribute Value,Item Attribute Value,Item Attribuutwaarde
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Werk asseblief jou projekstatus op
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Werk asseblief jou projekstatus op
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Geldwissel moet van toepassing wees vir koop of verkoop.
 DocType: Item,Maximum sample quantity that can be retained,Maksimum monster hoeveelheid wat behou kan word
 DocType: Project Update,How is the Project Progressing Right Now?,Hoe is die Progress Progressing nou?
@@ -1212,35 +1220,37 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Studente Verslag Generasie Tool
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Gesondheidsorgskedule Tydgleuf
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Naam
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Naam
 DocType: Expense Claim Detail,Expense Claim Type,Koste eis Tipe
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Verstek instellings vir die winkelwagentje
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Voeg tydslaaie by
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Bate geskrap via Joernaal Inskrywing {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Stel asseblief rekening in pakhuis {0} of verstekvoorraadrekening in maatskappy {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Bate geskrap via Joernaal Inskrywing {0}
 DocType: Loan,Interest Income Account,Rente Inkomsterekening
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maksimum voordele moet groter as nul wees om voordele te verdeel
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maksimum voordele moet groter as nul wees om voordele te verdeel
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Hersien uitnodiging gestuur
 DocType: Shift Assignment,Shift Assignment,Shift Opdrag
 DocType: Employee Transfer Property,Employee Transfer Property,Werknemersoordragseiendom
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Van tyd af moet minder as tyd wees
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,biotegnologie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Item {0} (Serial No: {1}) kan nie verteer word nie, want dit is voorbehou om die bestelling te vul {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Kantoor Onderhoud Uitgawes
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Gaan na
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Werk prys vanaf Shopify na ERPNext Pryslys
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,E-pos rekening opstel
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Voer asseblief eers die item in
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Behoefte-analise
 DocType: Asset Repair,Downtime,Af tyd
 DocType: Account,Liability,aanspreeklikheid
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gekonfekteerde bedrag kan nie groter wees as eisbedrag in ry {0} nie.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gekonfekteerde bedrag kan nie groter wees as eisbedrag in ry {0} nie.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademiese kwartaal:
 DocType: Salary Component,Do not include in total,Sluit nie in totaal in nie
 DocType: Company,Default Cost of Goods Sold Account,Verstek koste van goedere verkoop rekening
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Pryslys nie gekies nie
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Pryslys nie gekies nie
 DocType: Employee,Family Background,Familie agtergrond
 DocType: Request for Quotation Supplier,Send Email,Stuur e-pos
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Waarskuwing: Ongeldige aanhangsel {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Waarskuwing: Ongeldige aanhangsel {0}
 DocType: Item,Max Sample Quantity,Max Sample Hoeveelheid
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Geen toestemming nie
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrak Vervulling Checklist
@@ -1271,15 +1281,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Koste Sentrum {2} behoort nie aan Maatskappy {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Laai jou briefkop op (Hou dit webvriendelik as 900px by 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Rekening {2} kan nie &#39;n Groep wees nie
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Itemreeks {idx}: {doctype} {docname} bestaan nie in die boks &#39;{doctype}&#39; tabel nie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Rooster {0} is reeds voltooi of gekanselleer
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Rooster {0} is reeds voltooi of gekanselleer
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Geen take nie
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Verkoopsfaktuur {0} geskep as betaal
 DocType: Item Variant Settings,Copy Fields to Variant,Kopieer velde na variant
 DocType: Asset,Opening Accumulated Depreciation,Opening Opgehoopte Waardevermindering
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Die telling moet minder as of gelyk wees aan 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Inskrywing Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-vorm rekords
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-vorm rekords
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Die aandele bestaan reeds
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kliënt en Verskaffer
 DocType: Email Digest,Email Digest Settings,Email Digest Settings
@@ -1292,12 +1302,12 @@
 DocType: Production Plan,Select Items,Kies items
 DocType: Share Transfer,To Shareholder,Aan Aandeelhouer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} teen Wetsontwerp {1} gedateer {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Van staat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Van staat
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Setup instelling
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Toekenning van blare ...
 DocType: Program Enrollment,Vehicle/Bus Number,Voertuig / busnommer
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kursusskedule
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",U moet belasting aftrek vir nie-aangevraagde belastingvrystellingbewys en onopgeëiste \ Werknemervoordele in die laaste salarisstrokie van die loonstaat
 DocType: Request for Quotation Supplier,Quote Status,Aanhaling Status
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1323,13 +1333,13 @@
 DocType: Sales Invoice,Payment Due Date,Betaaldatum
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Herstel, as die gekose adres geredigeer word na die stoor"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Item Variant {0} bestaan reeds met dieselfde eienskappe
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Item Variant {0} bestaan reeds met dieselfde eienskappe
 DocType: Item,Hub Publishing Details,Hub Publishing Details
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Oopmaak&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Oopmaak&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Oop om te doen
 DocType: Issue,Via Customer Portal,Via Customer Portal
 DocType: Notification Control,Delivery Note Message,Afleweringsnota Boodskap
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Bedrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Bedrag
 DocType: Lab Test Template,Result Format,Resultaatformaat
 DocType: Expense Claim,Expenses,uitgawes
 DocType: Item Variant Attribute,Item Variant Attribute,Item Variant Attribute
@@ -1337,14 +1347,12 @@
 DocType: Payroll Entry,Bimonthly,tweemaandelikse
 DocType: Vehicle Service,Brake Pad,Remskoen
 DocType: Fertilizer,Fertilizer Contents,Kunsmis Inhoud
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,navorsing en ontwikkeling
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,navorsing en ontwikkeling
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Bedrag aan rekening
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Begindatum en einddatum oorvleuel met die poskaart <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registrasie Besonderhede
 DocType: Timesheet,Total Billed Amount,Totale gefactureerde bedrag
 DocType: Item Reorder,Re-Order Qty,Herbestelling Aantal
 DocType: Leave Block List Date,Leave Block List Date,Laat blokkie lys datum
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Installeer asseblief die Instrukteur Naming Stelsel in Onderwys&gt; Onderwys instellings
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Grondstowwe kan nie dieselfde wees as hoofitem nie
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totale Toepaslike Koste in Aankoopontvangste-items moet dieselfde wees as Totale Belasting en Heffings
 DocType: Sales Team,Incentives,aansporings
@@ -1358,7 +1366,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Punt van koop
 DocType: Fee Schedule,Fee Creation Status,Fee Creation Status
 DocType: Vehicle Log,Odometer Reading,Odometer Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Rekeningbalans reeds in Krediet, jy mag nie &#39;Balans moet wees&#39; as &#39;Debiet&#39; stel nie."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Rekeningbalans reeds in Krediet, jy mag nie &#39;Balans moet wees&#39; as &#39;Debiet&#39; stel nie."
 DocType: Account,Balance must be,Saldo moet wees
 DocType: Notification Control,Expense Claim Rejected Message,Koste-eis Afgekeurde Boodskap
 ,Available Qty,Beskikbare hoeveelheid
@@ -1370,7 +1378,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Sink altyd jou produkte van Amazon MWS voordat jy die Bestellingsbesonderhede sinkroniseer
 DocType: Delivery Trip,Delivery Stops,Afleweringstop
 DocType: Salary Slip,Working Days,Werksdae
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Kan nie diensstopdatum vir item in ry {0} verander nie
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Kan nie diensstopdatum vir item in ry {0} verander nie
 DocType: Serial No,Incoming Rate,Inkomende koers
 DocType: Packing Slip,Gross Weight,Totale gewig
 DocType: Leave Type,Encashment Threshold Days,Encashment Drempel Dae
@@ -1389,31 +1397,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimum sitplek
 DocType: Item Attribute,Item Attribute Values,Item Attribuutwaardes
 DocType: Examination Result,Examination Result,Eksamenuitslag
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Aankoop Ontvangst
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Aankoop Ontvangst
 ,Received Items To Be Billed,Items ontvang om gefaktureer te word
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Wisselkoers meester.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Wisselkoers meester.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Verwysings Doctype moet een van {0} wees.
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter Totale Nul Aantal
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Kan nie tydgleuf in die volgende {0} dae vir operasie {1} vind nie
 DocType: Work Order,Plan material for sub-assemblies,Beplan materiaal vir sub-gemeentes
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Verkope Vennote en Territory
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} moet aktief wees
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} moet aktief wees
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Geen items beskikbaar vir oordrag nie
 DocType: Employee Boarding Activity,Activity Name,Aktiwiteit Naam
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Verander Release Date
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Voltooide produk hoeveelheid <b>{0}</b> en vir Hoeveelheid <b>{1}</b> kan nie anders wees nie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Verander Release Date
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Voltooide produk hoeveelheid <b>{0}</b> en vir Hoeveelheid <b>{1}</b> kan nie anders wees nie
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Sluiting (Opening + Totaal)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Item Kode&gt; Itemgroep&gt; Handelsmerk
+DocType: Delivery Settings,Dispatch Notification Attachment,Versending Kennisgewing Aanhegsel
 DocType: Payroll Entry,Number Of Employees,Aantal werknemers
 DocType: Journal Entry,Depreciation Entry,Waardevermindering Inskrywing
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Kies asseblief die dokument tipe eerste
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Kies asseblief die dokument tipe eerste
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Kanselleer materiaalbesoeke {0} voordat u hierdie onderhoudsbesoek kanselleer
 DocType: Pricing Rule,Rate or Discount,Tarief of Korting
 DocType: Vital Signs,One Sided,Eenkantig
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Reeksnommer {0} behoort nie aan item {1} nie
 DocType: Purchase Receipt Item Supplied,Required Qty,Vereiste aantal
 DocType: Marketplace Settings,Custom Data,Aangepaste data
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Pakhuise met bestaande transaksies kan nie na grootboek omskep word nie.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serienommer is verpligtend vir die item {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Pakhuise met bestaande transaksies kan nie na grootboek omskep word nie.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serienommer is verpligtend vir die item {0}
 DocType: Bank Reconciliation,Total Amount,Totale bedrag
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Van datum tot datum lê in verskillende fiskale jaar
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Die pasiënt {0} het nie kliëntreferensie om te faktureer nie
@@ -1424,9 +1434,9 @@
 DocType: Soil Texture,Clay Composition (%),Kleiskomposisie (%)
 DocType: Item Group,Item Group Defaults,Itemgroep verstek
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Stoor asseblief voor die toewys van taak.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Balanswaarde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Balanswaarde
 DocType: Lab Test,Lab Technician,Lab tegnikus
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Verkooppryslys
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Verkooppryslys
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Indien gekontroleer, sal &#39;n kliënt geskep word, gekarteer na Pasiënt. Pasiëntfakture sal teen hierdie kliënt geskep word. U kan ook bestaande kliënt kies terwyl u pasiënt skep."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Kliënt is nie in enige Lojaliteitsprogram ingeskryf nie
@@ -1440,13 +1450,13 @@
 DocType: Support Search Source,Search Term Param Name,Soek termyn Param Naam
 DocType: Item Barcode,Item Barcode,Item Barcode
 DocType: Woocommerce Settings,Endpoints,eindpunte
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Itemvarianante {0} opgedateer
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Itemvarianante {0} opgedateer
 DocType: Quality Inspection Reading,Reading 6,Lees 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Kan nie {0} {1} {2} sonder enige negatiewe uitstaande faktuur
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Kan nie {0} {1} {2} sonder enige negatiewe uitstaande faktuur
 DocType: Share Transfer,From Folio No,Van Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Aankoopfaktuur Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Ry {0}: Kredietinskrywing kan nie gekoppel word aan &#39;n {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definieer begroting vir &#39;n finansiële jaar.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definieer begroting vir &#39;n finansiële jaar.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext Account
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} is geblokkeer, sodat hierdie transaksie nie kan voortgaan nie"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Aksie indien geakkumuleerde maandelikse begroting oorskry op MR
@@ -1462,19 +1472,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Aankoopfaktuur
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Laat veelvuldige materiaalverbruik toe teen &#39;n werkorder
 DocType: GL Entry,Voucher Detail No,Voucher Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nuwe verkope faktuur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nuwe verkope faktuur
 DocType: Stock Entry,Total Outgoing Value,Totale uitgaande waarde
 DocType: Healthcare Practitioner,Appointments,aanstellings
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Openingsdatum en sluitingsdatum moet binne dieselfde fiskale jaar wees
 DocType: Lead,Request for Information,Versoek vir inligting
 ,LeaderBoard,leader
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tarief Met Margin (Maatskappy Geld)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sinkroniseer vanlyn fakture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sinkroniseer vanlyn fakture
 DocType: Payment Request,Paid,betaal
 DocType: Program Fee,Program Fee,Programfooi
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Vervang &#39;n spesifieke BOM in alle ander BOM&#39;s waar dit gebruik word. Dit sal die ou BOM-skakel vervang, koste hersien en die &quot;BOM Explosion Item&quot; -tafel soos in &#39;n nuwe BOM vervang. Dit werk ook die nuutste prys in al die BOM&#39;s op."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Die volgende werkorders is geskep:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Die volgende werkorders is geskep:
 DocType: Salary Slip,Total in words,Totaal in woorde
 DocType: Inpatient Record,Discharged,ontslaan
 DocType: Material Request Item,Lead Time Date,Lei Tyd Datum
@@ -1485,16 +1495,16 @@
 DocType: Support Settings,Get Started Sections,Kry begin afdelings
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,beboet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,is verpligtend. Miskien is Geldwissel-rekord nie geskep vir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Ry # {0}: spesifiseer asseblief die serienommer vir item {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Totale Bydrae Bedrag: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Ry # {0}: spesifiseer asseblief die serienommer vir item {1}
 DocType: Payroll Entry,Salary Slips Submitted,Salarisstrokies ingedien
 DocType: Crop Cycle,Crop Cycle,Gewassiklus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Vir &#39;Product Bundle&#39; items, sal Warehouse, Serial No en Batch No oorweeg word vanaf die &#39;Packing List&#39;-tabel. As pakhuis en batch nommer dieselfde is vir alle verpakkingsitems vir &#39;n &#39;produkpakket&#39; -item, kan hierdie waardes in die hoofitemtafel ingevoer word, waardes sal na die &#39;paklys&#39;-tabel gekopieer word."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Vir &#39;Product Bundle&#39; items, sal Warehouse, Serial No en Batch No oorweeg word vanaf die &#39;Packing List&#39;-tabel. As pakhuis en batch nommer dieselfde is vir alle verpakkingsitems vir &#39;n &#39;produkpakket&#39; -item, kan hierdie waardes in die hoofitemtafel ingevoer word, waardes sal na die &#39;paklys&#39;-tabel gekopieer word."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Van Plek
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Netto betaal kan nie negatief wees nie
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Van Plek
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Netto betaal kan nie negatief wees nie
 DocType: Student Admission,Publish on website,Publiseer op die webwerf
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Verskafferfaktuurdatum mag nie groter wees as die datum van inskrywing nie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Verskafferfaktuurdatum mag nie groter wees as die datum van inskrywing nie
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Kansellasie Datum
 DocType: Purchase Invoice Item,Purchase Order Item,Bestelling Item
@@ -1503,7 +1513,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Studente Bywoning Gereedskap
 DocType: Restaurant Menu,Price List (Auto created),Pryslys (Outomaties geskep)
 DocType: Cheque Print Template,Date Settings,Datum instellings
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,variansie
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,variansie
 DocType: Employee Promotion,Employee Promotion Detail,Werknemersbevorderingsdetail
 ,Company Name,maatskappynaam
 DocType: SMS Center,Total Message(s),Totale boodskap (s)
@@ -1532,7 +1542,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Moenie Werknemer Verjaarsdag Herinnerings stuur nie
 DocType: Expense Claim,Total Advance Amount,Totale voorskotbedrag
 DocType: Delivery Stop,Estimated Arrival,Geskatte aankoms
-DocType: Delivery Stop,Notified by Email,Aangemeld per e-pos
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Sien alle artikels
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Loop in
 DocType: Item,Inspection Criteria,Inspeksiekriteria
@@ -1542,22 +1551,21 @@
 DocType: Timesheet Detail,Bill,Bill
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,wit
 DocType: SMS Center,All Lead (Open),Alle Lood (Oop)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ry {0}: Aantal nie beskikbaar vir {4} in pakhuis {1} by die plasing van die inskrywing ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ry {0}: Aantal nie beskikbaar vir {4} in pakhuis {1} by die plasing van die inskrywing ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,U kan slegs maksimum een opsie kies uit die keuselys.
 DocType: Purchase Invoice,Get Advances Paid,Kry vooruitbetalings betaal
 DocType: Item,Automatically Create New Batch,Skep outomaties nuwe bondel
 DocType: Supplier,Represents Company,Verteenwoordig Maatskappy
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,maak
 DocType: Student Admission,Admission Start Date,Toelating Aanvangsdatum
 DocType: Journal Entry,Total Amount in Words,Totale bedrag in woorde
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nuwe werknemer
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Daar was &#39;n fout. Een moontlike rede kan wees dat u die vorm nie gestoor het nie. Kontak asseblief support@erpnext.com as die probleem voortduur.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,My winkelwagen
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Bestelling Tipe moet een van {0} wees.
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Bestelling Tipe moet een van {0} wees.
 DocType: Lead,Next Contact Date,Volgende kontak datum
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Opening Aantal
 DocType: Healthcare Settings,Appointment Reminder,Aanstelling Herinnering
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Voer asseblief die rekening vir Veranderingsbedrag in
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Voer asseblief die rekening vir Veranderingsbedrag in
 DocType: Program Enrollment Tool Student,Student Batch Name,Studentejoernaal
 DocType: Holiday List,Holiday List Name,Vakansie Lys Naam
 DocType: Repayment Schedule,Balance Loan Amount,Saldo Lening Bedrag
@@ -1567,7 +1575,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Voorraadopsies
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Geen items bygevoeg aan kar
 DocType: Journal Entry Account,Expense Claim,Koste-eis
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Wil jy hierdie geskrapde bate regtig herstel?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Wil jy hierdie geskrapde bate regtig herstel?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Aantal vir {0}
 DocType: Leave Application,Leave Application,Los aansoek
 DocType: Patient,Patient Relation,Pasiëntverwantskap
@@ -1588,16 +1596,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Spesifiseer asseblief &#39;n {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Verwyder items sonder enige verandering in hoeveelheid of waarde.
 DocType: Delivery Note,Delivery To,Aflewering aan
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variantskepping is in die ry.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Werkopsomming vir {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variantskepping is in die ry.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Werkopsomming vir {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Die eerste verlof goedkeur in die lys sal as die verstek verlof aanvaar word.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Eienskapstabel is verpligtend
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Eienskapstabel is verpligtend
 DocType: Production Plan,Get Sales Orders,Verkoop bestellings
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} kan nie negatief wees nie
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Koppel aan Vinnige boeke
 DocType: Training Event,Self-Study,Selfstudie
 DocType: POS Closing Voucher,Period End Date,Periode Einddatum
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Grondsamestellings voeg nie tot 100 by nie
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,afslag
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Ry {0}: {1} is nodig om die Openings {2} fakture te skep
 DocType: Membership,Membership,lidmaatskap
 DocType: Asset,Total Number of Depreciations,Totale aantal afskrywings
 DocType: Sales Invoice Item,Rate With Margin,Beoordeel Met Marge
@@ -1608,7 +1618,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Spesifiseer asseblief &#39;n geldige ry-ID vir ry {0} in tabel {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Kan nie veranderlike vind nie:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Kies asseblief &#39;n veld om van numpad te wysig
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Kan nie &#39;n vaste bateitem wees nie, aangesien Voorraadgrootboek geskep is."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Kan nie &#39;n vaste bateitem wees nie, aangesien Voorraadgrootboek geskep is."
 DocType: Subscription Plan,Fixed rate,Vaste koers
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,erken
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Gaan na die lessenaar en begin met die gebruik van ERPNext
@@ -1642,7 +1652,7 @@
 DocType: Tax Rule,Shipping State,Versendstaat
 ,Projected Quantity as Source,Geprojekteerde hoeveelheid as bron
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Item moet bygevoeg word deur gebruik te maak van die &#39;Kry Items van Aankoopontvangste&#39; -knoppie
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Afleweringstoer
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Afleweringstoer
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Oordrag Tipe
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Verkoopsuitgawes
@@ -1655,8 +1665,9 @@
 DocType: Item Default,Default Selling Cost Center,Verstekverkoopsentrum
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,skyf
 DocType: Buying Settings,Material Transferred for Subcontract,Materiaal oorgedra vir subkontrakteur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poskode
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Verkoopsbestelling {0} is {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Aankooporders Items agterstallig
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Poskode
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Verkoopsbestelling {0} is {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Kies rentekoersrekening in lening {0}
 DocType: Opportunity,Contact Info,Kontakbesonderhede
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Maak voorraadinskrywings
@@ -1669,12 +1680,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Faktuur kan nie vir nul faktuuruur gemaak word nie
 DocType: Company,Date of Commencement,Aanvangsdatum
 DocType: Sales Person,Select company name first.,Kies die maatskappy se naam eerste.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-pos gestuur na {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-pos gestuur na {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Aanhalings ontvang van verskaffers.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Vervang BOM en verander nuutste prys in alle BOM&#39;s
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Na {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Dit is &#39;n wortelverskaffergroep en kan nie geredigeer word nie.
-DocType: Delivery Trip,Driver Name,Bestuurder Naam
+DocType: Delivery Note,Driver Name,Bestuurder Naam
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Gemiddelde ouderdom
 DocType: Education Settings,Attendance Freeze Date,Bywoning Vries Datum
 DocType: Payment Request,Inward,innerlike
@@ -1685,7 +1696,7 @@
 DocType: Company,Parent Company,Ouer maatskappy
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotelkamers van tipe {0} is nie beskikbaar op {1}
 DocType: Healthcare Practitioner,Default Currency,Verstek Geld
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maksimum afslag vir Item {0} is {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maksimum afslag vir Item {0} is {1}%
 DocType: Asset Movement,From Employee,Van Werknemer
 DocType: Driver,Cellphone Number,Selfoonnommer
 DocType: Project,Monitor Progress,Monitor vordering
@@ -1701,19 +1712,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Hoeveelheid moet minder as of gelyk wees aan {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},"Die maksimum bedrag wat in aanmerking kom vir die komponent {0}, oorskry {1}"
 DocType: Department Approver,Department Approver,Departement Goedkeuring
+DocType: QuickBooks Migrator,Application Settings,Aansoekinstellings
 DocType: SMS Center,Total Characters,Totale karakters
 DocType: Employee Advance,Claimed,beweer
 DocType: Crop,Row Spacing,Ry Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Kies asseblief BOM in BOM-veld vir Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Kies asseblief BOM in BOM-veld vir Item {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Daar is geen item variant vir die gekose item nie
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-vorm faktuur besonderhede
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsversoeningfaktuur
 DocType: Clinical Procedure,Procedure Template,Prosedure Sjabloon
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Bydrae%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Soos vir die aankoop instellings as aankoop bestelling benodig == &#39;JA&#39;, dan moet die aankooporder eers vir item {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Bydrae%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Soos vir die aankoop instellings as aankoop bestelling benodig == &#39;JA&#39;, dan moet die aankooporder eers vir item {0}"
 ,HSN-wise-summary of outward supplies,HSN-wyse-opsomming van uiterlike voorrade
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Maatskappy registrasienommers vir u verwysing. Belastingnommers, ens."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Om te meld
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Om te meld
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,verspreider
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Winkelwagen Stuur Pos
@@ -1722,7 +1734,7 @@
 ,Ordered Items To Be Billed,Bestelde items wat gefaktureer moet word
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Van Reeks moet minder wees as To Range
 DocType: Global Defaults,Global Defaults,Globale verstek
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projek vennootskappe Uitnodiging
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projek vennootskappe Uitnodiging
 DocType: Salary Slip,Deductions,aftrekkings
 DocType: Setup Progress Action,Action Name,Aksie Naam
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Beginjaar
@@ -1736,11 +1748,12 @@
 DocType: Lead,Consultant,konsultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Ouers Onderwysersvergadering Bywoning
 DocType: Salary Slip,Earnings,verdienste
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Voltooide item {0} moet ingevul word vir Produksie tipe inskrywing
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Voltooide item {0} moet ingevul word vir Produksie tipe inskrywing
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Openingsrekeningkundige balans
 ,GST Sales Register,GST Sales Register
 DocType: Sales Invoice Advance,Sales Invoice Advance,Verkope Faktuur Vooruit
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Niks om te versoek nie
+DocType: Stock Settings,Default Return Warehouse,Default Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Kies jou domeine
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Verskaffer
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalings faktuur items
@@ -1749,15 +1762,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Velds sal eers oor kopieë gekopieer word.
 DocType: Setup Progress Action,Domains,domeine
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;Werklike Aanvangsdatum&#39; kan nie groter wees as &#39;Werklike Einddatum&#39; nie.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,bestuur
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,bestuur
 DocType: Cheque Print Template,Payer Settings,Betaler instellings
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Geen hangende materiaal versoeke gevind om te skakel vir die gegewe items.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Kies maatskappy eerste
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dit sal aangeheg word aan die itemkode van die variant. As u afkorting byvoorbeeld &quot;SM&quot; is en die itemkode &quot;T-SHIRT&quot; is, sal die itemkode van die variant &quot;T-SHIRT-SM&quot; wees."
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Netto betaal (in woorde) sal sigbaar wees sodra jy die Salary Slip stoor.
 DocType: Delivery Note,Is Return,Is Terug
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,versigtigheid
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Begin dag is groter as einddag in taak &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Terug / Debiet Nota
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Terug / Debiet Nota
 DocType: Price List Country,Price List Country,Pryslys Land
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} geldige reeksnommers vir item {1}
@@ -1770,13 +1784,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Gee inligting.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Verskaffer databasis.
 DocType: Contract Template,Contract Terms and Conditions,Kontrak Terme en Voorwaardes
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,U kan nie &#39;n intekening herlaai wat nie gekanselleer is nie.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,U kan nie &#39;n intekening herlaai wat nie gekanselleer is nie.
 DocType: Account,Balance Sheet,Balansstaat
 DocType: Leave Type,Is Earned Leave,Is Verdien Verlof
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Kostesentrum vir item met itemkode &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Kostesentrum vir item met itemkode &#39;
 DocType: Fee Validity,Valid Till,Geldig tot
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Totale Ouers Onderwysersvergadering
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Betaalmetode is nie gekonfigureer nie. Kontroleer asseblief of die rekening op Betalingsmodus of op POS-profiel gestel is.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Betaalmetode is nie gekonfigureer nie. Kontroleer asseblief of die rekening op Betalingsmodus of op POS-profiel gestel is.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Dieselfde item kan nie verskeie kere ingevoer word nie.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Verdere rekeninge kan onder Groepe gemaak word, maar inskrywings kan gemaak word teen nie-groepe"
 DocType: Lead,Lead,lood
@@ -1785,11 +1799,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Voorraadinskrywing {0} geskep
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,U het nie genoeg lojaliteitspunte om te verkoop nie
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ry # {0}: Afgekeurde hoeveelheid kan nie in Aankoopopgawe ingevoer word nie
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Stel asseblief geassosieerde rekening in Belastingverhoudings Kategorie {0} teen Maatskappy {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ry # {0}: Afgekeurde hoeveelheid kan nie in Aankoopopgawe ingevoer word nie
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,"Om kliëntgroep vir die gekose kliënt te verander, word nie toegelaat nie."
 ,Purchase Order Items To Be Billed,Items bestel om te bestel om gefaktureer te word
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Opdatering van geskatte aankomstye.
 DocType: Program Enrollment Tool,Enrollment Details,Inskrywingsbesonderhede
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Kan nie verskeie itemvoorkeure vir &#39;n maatskappy stel nie.
 DocType: Purchase Invoice Item,Net Rate,Netto tarief
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Kies asseblief &#39;n kliënt
 DocType: Leave Policy,Leave Allocations,Verlof toekennings
@@ -1818,7 +1834,7 @@
 DocType: Loan Application,Repayment Info,Terugbetalingsinligting
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;Inskrywings&#39; kan nie leeg wees nie
 DocType: Maintenance Team Member,Maintenance Role,Onderhoudsrol
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Dupliseer ry {0} met dieselfde {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Dupliseer ry {0} met dieselfde {1}
 DocType: Marketplace Settings,Disable Marketplace,Deaktiveer Marketplace
 ,Trial Balance,Proefbalans
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Fiskale jaar {0} nie gevind nie
@@ -1829,9 +1845,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Subskripsie-instellings
 DocType: Purchase Invoice,Update Auto Repeat Reference,Dateer outomaties herhaal verwysing
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Opsionele vakansie lys nie vasgestel vir verlofperiode nie {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Opsionele vakansie lys nie vasgestel vir verlofperiode nie {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,navorsing
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Om Adres 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Om Adres 2
 DocType: Maintenance Visit Purpose,Work Done,Werk gedoen
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Spesifiseer asb. Ten minste een eienskap in die tabel Eienskappe
 DocType: Announcement,All Students,Alle studente
@@ -1841,16 +1857,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Versoende transaksies
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,vroegste
 DocType: Crop Cycle,Linked Location,Gekoppelde ligging
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","&#39;N Itemgroep bestaan met dieselfde naam, verander die itemnaam of verander die naamgroep"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","&#39;N Itemgroep bestaan met dieselfde naam, verander die itemnaam of verander die naamgroep"
 DocType: Crop Cycle,Less than a year,Minder as &#39;n jaar
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobiele Nr.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Res van die wêreld
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Res van die wêreld
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Die item {0} kan nie Batch hê nie
 DocType: Crop,Yield UOM,Opbrengs UOM
 ,Budget Variance Report,Begrotingsverskilverslag
 DocType: Salary Slip,Gross Pay,Bruto besoldiging
 DocType: Item,Is Item from Hub,Is item van hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Kry items van gesondheidsorgdienste
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Kry items van gesondheidsorgdienste
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Ry {0}: Aktiwiteitstipe is verpligtend.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividende Betaal
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Rekeningkunde Grootboek
@@ -1865,6 +1881,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Betaal af
 DocType: Purchase Invoice,Supplied Items,Voorsien Items
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Stel asseblief &#39;n aktiewe spyskaart vir Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Kommissie Koers%
 DocType: Work Order,Qty To Manufacture,Hoeveelheid om te vervaardig
 DocType: Email Digest,New Income,Nuwe inkomste
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Handhaaf dieselfde koers deur die hele aankoopsiklus
@@ -1879,12 +1896,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Waardasietempo benodig vir item in ry {0}
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard aksies
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Voorbeeld: Meesters in Rekenaarwetenskap
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Verskaffer {0} nie gevind in {1}
 DocType: Purchase Invoice,Rejected Warehouse,Verwerp Warehouse
 DocType: GL Entry,Against Voucher,Teen Voucher
 DocType: Item Default,Default Buying Cost Center,Standaard koop koste sentrum
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Om die beste uit ERPNext te kry, beveel ons aan dat u &#39;n rukkie neem om hierdie hulpvideo&#39;s te sien."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Vir Standaardverskaffer (opsioneel)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,om
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Vir Standaardverskaffer (opsioneel)
 DocType: Supplier Quotation Item,Lead Time in days,Lei Tyd in dae
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Rekeninge betaalbare opsomming
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Nie gemagtig om bevrore rekening te redigeer nie {0}
@@ -1893,7 +1910,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Waarsku vir nuwe versoek vir kwotasies
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Aankooporders help om jou aankope te beplan en op te volg
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Voorskrifte
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Die totale uitgawe / oordraghoeveelheid {0} in materiaalversoek {1} \ kan nie groter wees as versoekte hoeveelheid {2} vir item {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,klein
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","As Shopify nie &#39;n kliënt in Bestelling bevat nie, sal die stelsel, as u Bestellings sinkroniseer, die standaardkliënt vir bestelling oorweeg"
@@ -1905,6 +1922,7 @@
 DocType: Project,% Completed,% Voltooi
 ,Invoiced Amount (Exculsive Tax),Faktuurbedrag (Exklusiewe Belasting)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Item 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Magtiging Eindpunt
 DocType: Travel Request,International,internasionale
 DocType: Training Event,Training Event,Opleidingsgebeurtenis
 DocType: Item,Auto re-order,Outo herbestel
@@ -1913,24 +1931,24 @@
 DocType: Contract,Contract,kontrak
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorietoetsingstyd
 DocType: Email Digest,Add Quote,Voeg kwotasie by
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM dekselfaktor benodig vir UOM: {0} in Item: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM dekselfaktor benodig vir UOM: {0} in Item: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Indirekte uitgawes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Ry {0}: Aantal is verpligtend
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Ry {0}: Aantal is verpligtend
 DocType: Agriculture Analysis Criteria,Agriculture,Landbou
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Skep verkoopsbestelling
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Rekeningkundige Inskrywing vir Bate
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokfaktuur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Rekeningkundige Inskrywing vir Bate
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokfaktuur
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Hoeveelheid om te maak
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sinkroniseer meesterdata
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sinkroniseer meesterdata
 DocType: Asset Repair,Repair Cost,Herstel koste
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,U produkte of dienste
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Kon nie inteken nie
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Bate {0} geskep
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Bate {0} geskep
 DocType: Special Test Items,Special Test Items,Spesiale toetsitems
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Jy moet &#39;n gebruiker wees met Stelselbestuurder- en Itembestuurderrolle om op Marketplace te registreer.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Betaalmetode
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Volgens u toegewysde Salarisstruktuur kan u nie vir voordele aansoek doen nie
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Webwerfbeeld moet &#39;n publieke lêer of webwerf-URL wees
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Webwerfbeeld moet &#39;n publieke lêer of webwerf-URL wees
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Dit is &#39;n wortel-item groep en kan nie geredigeer word nie.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,saam te smelt
@@ -1939,7 +1957,8 @@
 DocType: Warehouse,Warehouse Contact Info,Warehouse Kontak Info
 DocType: Payment Entry,Write Off Difference Amount,Skryf af Verskilbedrag
 DocType: Volunteer,Volunteer Name,Vrywilliger Naam
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Werknemer e-pos nie gevind nie, vandaar e-pos nie gestuur nie"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Rye met duplikaatsperdatums in ander rye is gevind: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Werknemer e-pos nie gevind nie, vandaar e-pos nie gestuur nie"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Geen Salarisstruktuur toegeken vir Werknemer {0} op gegewe datum {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Versending reël nie van toepassing op land {0}
 DocType: Item,Foreign Trade Details,Buitelandse Handel Besonderhede
@@ -1947,16 +1966,16 @@
 DocType: Email Digest,Annual Income,Jaarlikse inkomste
 DocType: Serial No,Serial No Details,Rekeningnommer
 DocType: Purchase Invoice Item,Item Tax Rate,Item Belastingkoers
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Van Party Naam
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Van Party Naam
 DocType: Student Group Student,Group Roll Number,Groeprolnommer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",Vir {0} kan slegs kredietrekeninge gekoppel word teen &#39;n ander debietinskrywing
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Afleweringsnotasie {0} is nie ingedien nie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Afleweringsnotasie {0} is nie ingedien nie
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Item {0} moet &#39;n Subkontrakteerde Item wees
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitaal Uitrustings
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prysreël word eers gekies gebaseer op &#39;Apply On&#39; -veld, wat Item, Itemgroep of Handelsnaam kan wees."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Stel asseblief die Item Kode eerste
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Totale toegewysde persentasie vir verkope span moet 100 wees
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Totale toegewysde persentasie vir verkope span moet 100 wees
 DocType: Subscription Plan,Billing Interval Count,Rekeninginterval telling
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Aanstellings en pasiente
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Waarde ontbreek
@@ -1970,6 +1989,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Skep Drukformaat
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Fooi geskep
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Geen item gevind met die naam {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Items Filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteriaformule
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Totaal Uitgaande
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Daar kan slegs een Poskode van die Posisie wees met 0 of &#39;n leë waarde vir &quot;To Value&quot;
@@ -1978,14 +1998,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Vir &#39;n item {0} moet die hoeveelheid positief wees
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Let wel: Hierdie kostesentrum is &#39;n groep. Kan nie rekeningkundige inskrywings teen groepe maak nie.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Vergoedingsverlof versoek dae nie in geldige vakansiedae
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Kinderopslag bestaan vir hierdie pakhuis. U kan hierdie pakhuis nie uitvee nie.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Kinderopslag bestaan vir hierdie pakhuis. U kan hierdie pakhuis nie uitvee nie.
 DocType: Item,Website Item Groups,Webtuiste Item Groepe
 DocType: Purchase Invoice,Total (Company Currency),Totaal (Maatskappy Geld)
 DocType: Daily Work Summary Group,Reminder,herinnering
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Toegangswaarde
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Toegangswaarde
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serienommer {0} het meer as een keer ingeskryf
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Joernaalinskrywing
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Van GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Van GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Onopgeëiste bedrag
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} items aan die gang
 DocType: Workstation,Workstation Name,Werkstasie Naam
@@ -1993,7 +2013,7 @@
 DocType: POS Item Group,POS Item Group,POS Item Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternatiewe item mag nie dieselfde wees as die itemkode nie
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} behoort nie aan item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} behoort nie aan item {1}
 DocType: Sales Partner,Target Distribution,Teikenverspreiding
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-finalisering van voorlopige assessering
 DocType: Salary Slip,Bank Account No.,Bankrekeningnommer
@@ -2002,7 +2022,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard veranderlikes kan gebruik word, sowel as: {total_score} (die totale telling van daardie tydperk), {period_number} (die aantal tydperke wat vandag aangebied word)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Ineenstort alles
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Ineenstort alles
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Skep aankoopbestelling
 DocType: Quality Inspection Reading,Reading 8,Lees 8
 DocType: Inpatient Record,Discharge Note,Kwijting Nota
@@ -2018,7 +2038,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Verlof
 DocType: Purchase Invoice,Supplier Invoice Date,Verskaffer faktuur datum
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Hierdie waarde word gebruik vir pro rata temporis berekening
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Jy moet winkelwagentjie aktiveer
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Jy moet winkelwagentjie aktiveer
 DocType: Payment Entry,Writeoff,Afskryf
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Benaming van die reeksreeks
@@ -2033,11 +2053,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Oorvleuelende toestande tussen:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Teen Joernaal-inskrywing {0} is reeds aangepas teen &#39;n ander bewysstuk
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Totale bestellingswaarde
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Kos
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Kos
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Veroudering Reeks 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS sluitingsbewysbesonderhede
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series vir {0} via Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Inboek
 DocType: Maintenance Schedule Item,No of Visits,Aantal besoeke
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Onderhoudskedule {0} bestaan teen {1}
@@ -2077,6 +2096,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimum Voordele (Bedrag)
 DocType: Purchase Invoice,Contact Person,Kontak persoon
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;Verwagte begin datum&#39; kan nie groter wees as &#39;Verwagte einddatum&#39; nie
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Geen data vir hierdie tydperk nie
 DocType: Course Scheduling Tool,Course End Date,Kursus Einddatum
 DocType: Holiday List,Holidays,vakansies
 DocType: Sales Order Item,Planned Quantity,Beplande hoeveelheid
@@ -2088,7 +2108,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Netto verandering in vaste bate
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Aantal
 DocType: Leave Control Panel,Leave blank if considered for all designations,Los leeg as dit oorweeg word vir alle benamings
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Heffing van tipe &#39;Werklik&#39; in ry {0} kan nie in Item Rate ingesluit word nie
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Heffing van tipe &#39;Werklik&#39; in ry {0} kan nie in Item Rate ingesluit word nie
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Maks: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Vanaf Datetime
 DocType: Shopify Settings,For Company,Vir Maatskappy
@@ -2101,9 +2121,9 @@
 DocType: Material Request,Terms and Conditions Content,Terme en voorwaardes Inhoud
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Daar was foute om Kursusskedule te skep
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Die eerste uitgawes goedere in die lys sal ingestel word as die standaard uitgawes goedkeur.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,kan nie groter as 100 wees nie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,kan nie groter as 100 wees nie
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Jy moet &#39;n ander gebruiker as Administrateur wees met Stelselbestuurder en Itembestuurderrolle om op Marketplace te registreer.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Item {0} is nie &#39;n voorraaditem nie
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Item {0} is nie &#39;n voorraaditem nie
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,ongeskeduleerde
 DocType: Employee,Owned,Owned
@@ -2131,7 +2151,7 @@
 DocType: HR Settings,Employee Settings,Werknemer instellings
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Laai betaalstelsel
 ,Batch-Wise Balance History,Batch-Wise Balance Geskiedenis
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Ry # {0}: Kan nie die tarief stel as die bedrag groter is as die gefactureerde bedrag vir item {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Ry # {0}: Kan nie die tarief stel as die bedrag groter is as die gefactureerde bedrag vir item {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Drukinstellings opgedateer in die onderskeie drukformaat
 DocType: Package Code,Package Code,Pakketkode
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,vakleerling
@@ -2139,7 +2159,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negatiewe Hoeveelheid word nie toegelaat nie
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Belasting detail tabel haal uit item meester as &#39;n tou en gestoor in hierdie veld. Gebruik vir Belasting en Heffings
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Werknemer kan nie aan homself rapporteer nie.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Werknemer kan nie aan homself rapporteer nie.
 DocType: Leave Type,Max Leaves Allowed,Maksimum toelaatbare blare
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","As die rekening gevries is, is inskrywings toegelaat vir beperkte gebruikers."
 DocType: Email Digest,Bank Balance,Bankbalans
@@ -2165,6 +2185,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Banktransaksie-inskrywings
 DocType: Quality Inspection,Readings,lesings
 DocType: Stock Entry,Total Additional Costs,Totale addisionele koste
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Geen interaksies nie
 DocType: BOM,Scrap Material Cost(Company Currency),Skrootmateriaal Koste (Maatskappy Geld)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Subvergaderings
 DocType: Asset,Asset Name,Bate Naam
@@ -2172,10 +2193,10 @@
 DocType: Shipping Rule Condition,To Value,Na waarde
 DocType: Loyalty Program,Loyalty Program Type,Lojaliteitsprogramtipe
 DocType: Asset Movement,Stock Manager,Voorraadbestuurder
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Bron pakhuis is verpligtend vir ry {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Bron pakhuis is verpligtend vir ry {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Die betalingstermyn by ry {0} is moontlik &#39;n duplikaat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Landbou (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Packing Slip
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Packing Slip
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Kantoorhuur
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Opstel SMS gateway instellings
 DocType: Disease,Common Name,Algemene naam
@@ -2207,20 +2228,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-pos Salarisstrokie aan Werknemer
 DocType: Cost Center,Parent Cost Center,Ouer Koste Sentrum
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Kies moontlike verskaffer
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Kies moontlike verskaffer
 DocType: Sales Invoice,Source,Bron
 DocType: Customer,"Select, to make the customer searchable with these fields","Kies, om die kliënt soekbaar te maak met hierdie velde"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Voer afleweringsnotas van Shopify op gestuur
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Wys gesluit
 DocType: Leave Type,Is Leave Without Pay,Is Leave Without Pay
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Bate-kategorie is verpligtend vir vaste bate-item
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Bate-kategorie is verpligtend vir vaste bate-item
 DocType: Fee Validity,Fee Validity,Fooi Geldigheid
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Geen rekords gevind in die betalingstabel nie
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Hierdie {0} bots met {1} vir {2} {3}
 DocType: Student Attendance Tool,Students HTML,Studente HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Skrap asseblief die Werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om hierdie dokument te kanselleer"
 DocType: POS Profile,Apply Discount,Pas afslag toe
 DocType: GST HSN Code,GST HSN Code,GST HSN-kode
 DocType: Employee External Work History,Total Experience,Totale ervaring
@@ -2243,7 +2261,7 @@
 DocType: Maintenance Schedule,Schedules,skedules
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS-profiel is nodig om Punt van Verkope te gebruik
 DocType: Cashier Closing,Net Amount,Netto bedrag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} is nie ingedien nie, sodat die aksie nie voltooi kan word nie"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} is nie ingedien nie, sodat die aksie nie voltooi kan word nie"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No
 DocType: Landed Cost Voucher,Additional Charges,Bykomende heffings
 DocType: Support Search Source,Result Route Field,Resultaatroete
@@ -2272,11 +2290,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Opening fakture
 DocType: Contract,Contract Details,Kontrak Besonderhede
 DocType: Employee,Leave Details,Los besonderhede
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Stel asseblief gebruikers-ID-veld in &#39;n werknemer-rekord om werknemersrol in te stel
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Stel asseblief gebruikers-ID-veld in &#39;n werknemer-rekord om werknemersrol in te stel
 DocType: UOM,UOM Name,UOM Naam
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Om Adres 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Om Adres 1
 DocType: GST HSN Code,HSN Code,HSN-kode
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Bydrae Bedrag
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Bydrae Bedrag
 DocType: Inpatient Record,Patient Encounter,Pasiënt ontmoeting
 DocType: Purchase Invoice,Shipping Address,Posadres
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Met hierdie hulpmiddel kan u die hoeveelheid en waardering van voorraad in die stelsel opdateer of regstel. Dit word tipies gebruik om die stelselwaardes te sinkroniseer en wat werklik in u pakhuise bestaan.
@@ -2293,9 +2311,9 @@
 DocType: Travel Itinerary,Mode of Travel,Reismodus
 DocType: Sales Invoice Item,Brand Name,Handelsnaam
 DocType: Purchase Receipt,Transporter Details,Vervoerder besonderhede
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Standaard pakhuis is nodig vir geselekteerde item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Standaard pakhuis is nodig vir geselekteerde item
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Boks
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Moontlike Verskaffer
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Moontlike Verskaffer
 DocType: Budget,Monthly Distribution,Maandelikse Verspreiding
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Ontvangerlys is leeg. Maak asseblief Ontvangerlys
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Gesondheidsorg (beta)
@@ -2316,6 +2334,7 @@
 ,Lead Name,Lood Naam
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,prospektering
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Opening Voorraadbalans
 DocType: Asset Category Account,Capital Work In Progress Account,Kapitaal Werk in Voortgesette Rekening
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Batewaarde aanpassing
@@ -2324,7 +2343,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Blare suksesvol toegeken vir {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Geen items om te pak nie
 DocType: Shipping Rule Condition,From Value,Uit Waarde
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Vervaardiging Hoeveelheid is verpligtend
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Vervaardiging Hoeveelheid is verpligtend
 DocType: Loan,Repayment Method,Terugbetaling Metode
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","As dit gekontroleer is, sal die Tuisblad die standaard Itemgroep vir die webwerf wees"
 DocType: Quality Inspection Reading,Reading 4,Lees 4
@@ -2349,7 +2368,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Werknemer verwysing
 DocType: Student Group,Set 0 for no limit,Stel 0 vir geen limiet
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Die dag (en) waarop u aansoek doen om verlof, is vakansiedae. Jy hoef nie aansoek te doen vir verlof nie."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Ry {idx}: {field} is nodig om die fakture {Opening} {facture_type} te skep
 DocType: Customer,Primary Address and Contact Detail,Primêre adres en kontakbesonderhede
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Stuur betaling-e-pos weer
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nuwe taak
@@ -2359,8 +2377,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Kies asseblief ten minste een domein.
 DocType: Dependent Task,Dependent Task,Afhanklike taak
 DocType: Shopify Settings,Shopify Tax Account,Shopify Belastingrekening
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Omskakelingsfaktor vir verstek Eenheid van maatstaf moet 1 in ry {0} wees.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Verlof van tipe {0} kan nie langer wees as {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Omskakelingsfaktor vir verstek Eenheid van maatstaf moet 1 in ry {0} wees.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Verlof van tipe {0} kan nie langer wees as {1}
 DocType: Delivery Trip,Optimize Route,Optimeer roete
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Probeer beplanningsaktiwiteite vir X dae van vooraf.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2368,14 +2386,14 @@
 DocType: HR Settings,Stop Birthday Reminders,Stop verjaardag herinnerings
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Kry finansiële ontbinding van belasting en koste data deur Amazon
 DocType: SMS Center,Receiver List,Ontvanger Lys
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Soek item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Soek item
 DocType: Payment Schedule,Payment Amount,Betalingsbedrag
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Halfdag Datum moet tussen werk van datum en werk einddatum wees
 DocType: Healthcare Settings,Healthcare Service Items,Gesondheidsorg Diens Items
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Verbruik Bedrag
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Netto verandering in kontant
 DocType: Assessment Plan,Grading Scale,Graderingskaal
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid van maat {0} is meer as een keer in die Faktor Tabel ingevoer
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid van maat {0} is meer as een keer in die Faktor Tabel ingevoer
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Reeds afgehandel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Voorraad in die hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2398,25 +2416,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Reeksnommer {0} hoeveelheid {1} kan nie &#39;n breuk wees nie
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Voer asseblief die Woocommerce-bediener-URL in
 DocType: Purchase Order Item,Supplier Part Number,Verskaffer artikel nommer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Gesprek koers kan nie 0 of 1 wees nie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Gesprek koers kan nie 0 of 1 wees nie
 DocType: Share Balance,To No,Na nee
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Al die verpligte taak vir werkskepping is nog nie gedoen nie.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} is gekanselleer of gestop
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} is gekanselleer of gestop
 DocType: Accounts Settings,Credit Controller,Kredietbeheerder
 DocType: Loan,Applicant Type,Aansoeker Tipe
 DocType: Purchase Invoice,03-Deficiency in services,03-tekort aan dienste
 DocType: Healthcare Settings,Default Medical Code Standard,Standaard Mediese Kode Standaard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Aankoop Kwitansie {0} is nie ingedien nie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Aankoop Kwitansie {0} is nie ingedien nie
 DocType: Company,Default Payable Account,Verstekbetaalbare rekening
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Instellings vir aanlyn-inkopies soos die versendingsreëls, pryslys ens."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% gefaktureer
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Gereserveerde hoeveelheid
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Gereserveerde hoeveelheid
 DocType: Party Account,Party Account,Partyrekening
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Kies asseblief Maatskappy en Aanwysing
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Menslike hulpbronne
-DocType: Lead,Upper Income,Boonste Inkomste
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Boonste Inkomste
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,verwerp
 DocType: Journal Entry Account,Debit in Company Currency,Debiet in Maatskappy Geld
 DocType: BOM Item,BOM Item,BOM Item
@@ -2433,7 +2451,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Werksopnames vir aanwysing {0} reeds oop \ of verhuring voltooi volgens Personeelplan {1}
 DocType: Vital Signs,Constipated,hardlywig
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Teen Verskafferfaktuur {0} gedateer {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Teen Verskafferfaktuur {0} gedateer {1}
 DocType: Customer,Default Price List,Standaard pryslys
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Bate Beweging rekord {0} geskep
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Geen items gevind nie.
@@ -2449,16 +2467,17 @@
 DocType: Journal Entry,Entry Type,Inskrywingstipe
 ,Customer Credit Balance,Krediet Krediet Saldo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Netto verandering in rekeninge betaalbaar
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kredietlimiet is gekruis vir kliënt {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series vir {0} via Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kredietlimiet is gekruis vir kliënt {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kliënt benodig vir &#39;Customerwise Discount&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Dateer bankrekeningdatums met joernale op.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,pryse
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,pryse
 DocType: Quotation,Term Details,Termyn Besonderhede
 DocType: Employee Incentive,Employee Incentive,Werknemers aansporing
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kan nie meer as {0} studente vir hierdie studente groep inskryf nie.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Totaal (Sonder Belasting)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Loodtelling
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Voorraad beskikbaar
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Voorraad beskikbaar
 DocType: Manufacturing Settings,Capacity Planning For (Days),Kapasiteitsbeplanning vir (Dae)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,verkryging
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Geen van die items het enige verandering in hoeveelheid of waarde nie.
@@ -2482,7 +2501,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Verlof en Bywoning
 DocType: Asset,Comprehensive Insurance,Omvattende Versekering
 DocType: Maintenance Visit,Partially Completed,Gedeeltelik voltooi
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Lojaliteitspunt: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Lojaliteitspunt: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Voeg Leads by
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Matige Sensitiwiteit
 DocType: Leave Type,Include holidays within leaves as leaves,Sluit vakansiedae in blare in as blare
 DocType: Loyalty Program,Redemption,verlossing
@@ -2516,7 +2536,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Bemarkingsuitgawes
 ,Item Shortage Report,Item kortverslag
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Kan nie standaard kriteria skep nie. Verander asseblief die kriteria
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Gewig word genoem, \ nBelang ook &quot;Gewig UOM&quot;"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Gewig word genoem, \ nBelang ook &quot;Gewig UOM&quot;"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materiaal Versoek gebruik om hierdie Voorraadinskrywing te maak
 DocType: Hub User,Hub Password,Hub Wagwoord
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Afsonderlike kursusgebaseerde groep vir elke groep
@@ -2530,15 +2550,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Aanstelling Tydsduur (mins)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Maak Rekeningkundige Inskrywing Vir Elke Voorraadbeweging
 DocType: Leave Allocation,Total Leaves Allocated,Totale blare toegeken
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Voer asseblief geldige finansiële jaar se begin- en einddatums in
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Voer asseblief geldige finansiële jaar se begin- en einddatums in
 DocType: Employee,Date Of Retirement,Datum van aftrede
 DocType: Upload Attendance,Get Template,Kry Sjabloon
+,Sales Person Commission Summary,Verkope Persone Kommissie Opsomming
 DocType: Additional Salary Component,Additional Salary Component,Bykomende Salaris Komponent
 DocType: Material Request,Transferred,oorgedra
 DocType: Vehicle,Doors,deure
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Versamel fooi vir pasiëntregistrasie
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan nie eienskappe verander na voorraadtransaksie nie. Maak &#39;n nuwe item en dra voorraad na die nuwe item
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan nie eienskappe verander na voorraadtransaksie nie. Maak &#39;n nuwe item en dra voorraad na die nuwe item
 DocType: Course Assessment Criteria,Weightage,weightage
 DocType: Purchase Invoice,Tax Breakup,Belastingafskrywing
 DocType: Employee,Joining Details,Aansluitingsbesonderhede
@@ -2565,14 +2586,15 @@
 DocType: Lead,Next Contact By,Volgende kontak deur
 DocType: Compensatory Leave Request,Compensatory Leave Request,Vergoedingsverlofversoek
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Hoeveelheid benodig vir item {0} in ry {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Pakhuis {0} kan nie uitgevee word nie, aangesien die hoeveelheid vir item {1} bestaan"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Pakhuis {0} kan nie uitgevee word nie, aangesien die hoeveelheid vir item {1} bestaan"
 DocType: Blanket Order,Order Type,Bestelling Tipe
 ,Item-wise Sales Register,Item-wyse Verkope Register
 DocType: Asset,Gross Purchase Amount,Bruto aankoopbedrag
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Opening Saldo&#39;s
 DocType: Asset,Depreciation Method,Waardevermindering Metode
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Is hierdie belasting ingesluit in basiese tarief?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Totale teiken
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Totale teiken
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Persepsie-analise
 DocType: Soil Texture,Sand Composition (%),Sand Komposisie (%)
 DocType: Job Applicant,Applicant for a Job,Aansoeker vir &#39;n werk
 DocType: Production Plan Material Request,Production Plan Material Request,Produksieplan Materiaal Versoek
@@ -2587,23 +2609,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Assesseringspunt (uit 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Main
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Volgende item {0} is nie gemerk as {1} item nie. U kan hulle as {1} item in die Item-meester aktiveer
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Vir &#39;n item {0} moet die hoeveelheid negatief wees
 DocType: Naming Series,Set prefix for numbering series on your transactions,Stel voorvoegsel vir nommering van reekse op u transaksies
 DocType: Employee Attendance Tool,Employees HTML,Werknemers HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Standaard BOM ({0}) moet vir hierdie item of sy sjabloon aktief wees
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Standaard BOM ({0}) moet vir hierdie item of sy sjabloon aktief wees
 DocType: Employee,Leave Encashed?,Verlaten verlaat?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Geleentheid Van veld is verpligtend
 DocType: Email Digest,Annual Expenses,Jaarlikse uitgawes
 DocType: Item,Variants,variante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Maak &#39;n bestelling
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Maak &#39;n bestelling
 DocType: SMS Center,Send To,Stuur na
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Daar is nie genoeg verlofbalans vir Verlof-tipe {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Daar is nie genoeg verlofbalans vir Verlof-tipe {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Toegewysde bedrag
 DocType: Sales Team,Contribution to Net Total,Bydrae tot netto totaal
 DocType: Sales Invoice Item,Customer's Item Code,Kliënt se Item Kode
 DocType: Stock Reconciliation,Stock Reconciliation,Voorraadversoening
 DocType: Territory,Territory Name,Territorium Naam
+DocType: Email Digest,Purchase Orders to Receive,Aankooporders om te ontvang
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Werk-in-Progress-pakhuis word vereis voor indiening
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,U kan slegs Planne met dieselfde faktuursiklus in &#39;n intekening hê
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data
@@ -2620,9 +2644,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplikaatreeksnommer vir item {0} ingevoer
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Volg leidrade deur die leidingsbron.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,&#39;N Voorwaarde vir &#39;n verskepingsreël
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Kom asseblief in
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Kom asseblief in
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Onderhoud Log
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Stel asseblief die filter op grond van item of pakhuis
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Stel asseblief die filter op grond van item of pakhuis
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Die netto gewig van hierdie pakket. (bereken outomaties as som van netto gewig van items)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Maak Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Afslagbedrag kan nie groter as 100% wees nie.
@@ -2631,15 +2655,15 @@
 DocType: Sales Order,To Deliver and Bill,Om te lewer en rekening
 DocType: Student Group,Instructors,instrukteurs
 DocType: GL Entry,Credit Amount in Account Currency,Kredietbedrag in rekeninggeld
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} moet ingedien word
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Aandeelbestuur
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} moet ingedien word
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Aandeelbestuur
 DocType: Authorization Control,Authorization Control,Magtigingskontrole
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ry # {0}: Afgekeurde pakhuis is verpligtend teen verwerp item {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,betaling
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ry # {0}: Afgekeurde pakhuis is verpligtend teen verwerp item {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,betaling
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Warehouse {0} is nie gekoppel aan enige rekening nie, noem asseblief die rekening in die pakhuisrekord of stel verstekvoorraadrekening in maatskappy {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Bestuur jou bestellings
 DocType: Work Order Operation,Actual Time and Cost,Werklike Tyd en Koste
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiaal Versoek van maksimum {0} kan gemaak word vir Item {1} teen Verkoopsbestelling {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiaal Versoek van maksimum {0} kan gemaak word vir Item {1} teen Verkoopsbestelling {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Crop Spacing
 DocType: Course,Course Abbreviation,Kursus Afkorting
@@ -2651,6 +2675,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Totale werksure moet nie groter wees nie as maksimum werksure {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,op
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundel items op die tyd van verkoop.
+DocType: Delivery Settings,Dispatch Settings,Versending instellings
 DocType: Material Request Plan Item,Actual Qty,Werklike hoeveelheid
 DocType: Sales Invoice Item,References,verwysings
 DocType: Quality Inspection Reading,Reading 10,Lees 10
@@ -2660,10 +2685,12 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Jy het dubbele items ingevoer. Regstel asseblief en probeer weer.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Mede
 DocType: Asset Movement,Asset Movement,Batebeweging
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Nuwe karretjie
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Nuwe karretjie
 DocType: Taxable Salary Slab,From Amount,Uit Bedrag
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} is nie &#39;n seriële item nie
 DocType: Leave Type,Encashment,Die betaling
+DocType: Delivery Settings,Delivery Settings,Afleweringsinstellings
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Haal data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maksimum verlof toegelaat in die verlof tipe {0} is {1}
 DocType: SMS Center,Create Receiver List,Skep Ontvanger Lys
 DocType: Vehicle,Wheels,wiele
@@ -2679,7 +2706,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Faktureer geldeenheid moet gelyk wees aan óf die standaardmaatskappy se geldeenheid- of partyrekeninggeldeenheid
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Dui aan dat die pakket deel van hierdie aflewering is (Slegs Konsep)
 DocType: Soil Texture,Loam,leem
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Ry {0}: Due Date kan nie voor die posdatum wees nie
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Ry {0}: Due Date kan nie voor die posdatum wees nie
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Maak betalinginskrywing
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Hoeveelheid vir item {0} moet minder wees as {1}
 ,Sales Invoice Trends,Verkoopsfaktuur neigings
@@ -2687,12 +2714,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan slegs ry verwys as die lading tipe &#39;Op vorige rybedrag&#39; of &#39;Vorige ry totaal&#39; is
 DocType: Sales Order Item,Delivery Warehouse,Delivery Warehouse
 DocType: Leave Type,Earned Leave Frequency,Verdienstelike verloffrekwensie
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Boom van finansiële kostesentrums.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Subtipe
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Boom van finansiële kostesentrums.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Subtipe
 DocType: Serial No,Delivery Document No,Afleweringsdokument No
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Verseker lewering gebaseer op Geproduseerde Serienommer
 DocType: Vital Signs,Furry,Harige
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Stel asseblief &#39;Wins / Verliesrekening op Bateverkope&#39; in Maatskappy {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Stel asseblief &#39;Wins / Verliesrekening op Bateverkope&#39; in Maatskappy {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Kry Items Van Aankoop Ontvangste
 DocType: Serial No,Creation Date,Skeppingsdatum
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Teiken Plek is nodig vir die bate {0}
@@ -2706,10 +2733,11 @@
 DocType: Item,Has Variants,Het Varianten
 DocType: Employee Benefit Claim,Claim Benefit For,Eisvoordeel vir
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Update Response
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Jy het reeds items gekies van {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Jy het reeds items gekies van {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Naam van die Maandelikse Verspreiding
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Lotnommer is verpligtend
 DocType: Sales Person,Parent Sales Person,Ouer Verkoopspersoon
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Geen items wat ontvang moet word is agterstallig nie
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Die verkoper en die koper kan nie dieselfde wees nie
 DocType: Project,Collect Progress,Versamel vordering
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2725,7 +2753,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Geld
 DocType: Budget,Budget,begroting
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Stel oop
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Vaste bate-item moet &#39;n nie-voorraaditem wees.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Vaste bate-item moet &#39;n nie-voorraaditem wees.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Begroting kan nie teen {0} toegewys word nie, aangesien dit nie &#39;n Inkomste- of Uitgawe-rekening is nie"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maksimum vrystelling bedrag vir {0} is {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,bereik
@@ -2743,9 +2771,9 @@
 ,Amount to Deliver,Bedrag om te lewer
 DocType: Asset,Insurance Start Date,Versekering Aanvangsdatum
 DocType: Salary Component,Flexible Benefits,Buigsame Voordele
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Dieselfde item is verskeie kere ingevoer. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Dieselfde item is verskeie kere ingevoer. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Die Termyn Aanvangsdatum kan nie vroeër wees as die Jaar Begindatum van die akademiese jaar waaraan die term gekoppel is nie (Akademiese Jaar ()). Korrigeer asseblief die datums en probeer weer.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Daar was foute.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Daar was foute.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Werknemer {0} het reeds aansoek gedoen vir {1} tussen {2} en {3}:
 DocType: Guardian,Guardian Interests,Voogbelange
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Werk rekening naam / nommer op
@@ -2783,9 +2811,9 @@
 ,Item-wise Purchase History,Item-wyse Aankoop Geskiedenis
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Klik asseblief op &#39;Generate Schedule&#39; om Serial No te laai vir Item {0}
 DocType: Account,Frozen,bevrore
-DocType: Delivery Note,Vehicle Type,Voertuigtipe
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Voertuigtipe
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Basisbedrag (Maatskappy Geld)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Grondstowwe
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Grondstowwe
 DocType: Payment Reconciliation Payment,Reference Row,Verwysingsreeks
 DocType: Installation Note,Installation Time,Installasie Tyd
 DocType: Sales Invoice,Accounting Details,Rekeningkundige Besonderhede
@@ -2794,12 +2822,13 @@
 DocType: Inpatient Record,O Positive,O Positief
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,beleggings
 DocType: Issue,Resolution Details,Besluit Besonderhede
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Transaksie Tipe
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Transaksie Tipe
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Aanvaarding kriteria
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Vul asseblief die Materiaal Versoeke in die tabel hierbo in
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Geen terugbetalings beskikbaar vir Joernaalinskrywings nie
 DocType: Hub Tracked Item,Image List,Prentelys
 DocType: Item Attribute,Attribute Name,Eienskap Naam
+DocType: Subscription,Generate Invoice At Beginning Of Period,Genereer faktuur by begin van tydperk
 DocType: BOM,Show In Website,Wys op die webwerf
 DocType: Loan Application,Total Payable Amount,Totale betaalbare bedrag
 DocType: Task,Expected Time (in hours),Verwagte Tyd (in ure)
@@ -2836,7 +2865,7 @@
 DocType: Employee,Resignation Letter Date,Bedankingsbrief Datum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Prysreëls word verder gefiltreer op grond van hoeveelheid.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Nie gestel nie
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Stel asseblief die datum van aansluiting vir werknemer {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Stel asseblief die datum van aansluiting vir werknemer {0}
 DocType: Inpatient Record,Discharge,ontslag
 DocType: Task,Total Billing Amount (via Time Sheet),Totale faktuurbedrag (via tydblad)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Herhaal kliëntinkomste
@@ -2846,13 +2875,13 @@
 DocType: Chapter,Chapter,Hoofstuk
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Paar
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Verstek rekening sal outomaties opgedateer word in POS Invoice wanneer hierdie modus gekies word.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Kies BOM en hoeveelheid vir produksie
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Kies BOM en hoeveelheid vir produksie
 DocType: Asset,Depreciation Schedule,Waardeverminderingskedule
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Verkope Partner Adresse en Kontakte
 DocType: Bank Reconciliation Detail,Against Account,Teen rekening
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Halfdag Datum moet tussen datum en datum wees
 DocType: Maintenance Schedule Detail,Actual Date,Werklike Datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Stel asseblief die Standaardkostesentrum in {0} maatskappy.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Stel asseblief die Standaardkostesentrum in {0} maatskappy.
 DocType: Item,Has Batch No,Het lotnommer
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Jaarlikse faktuur: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2864,7 +2893,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,Persoonlike inligting
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Stel asseblief &#39;Bate Waardevermindering Kostesentrum&#39; in Maatskappy {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Stel asseblief &#39;Bate Waardevermindering Kostesentrum&#39; in Maatskappy {0}
 ,Maintenance Schedules,Onderhoudskedules
 DocType: Task,Actual End Date (via Time Sheet),Werklike Einddatum (via Tydblad)
 DocType: Soil Texture,Soil Type,Grondsoort
@@ -2872,10 +2901,10 @@
 ,Quotation Trends,Aanhalingstendense
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Itemgroep nie genoem in itemmeester vir item {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandaat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debiet Vir rekening moet &#39;n Ontvangbare rekening wees
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debiet Vir rekening moet &#39;n Ontvangbare rekening wees
 DocType: Shipping Rule,Shipping Amount,Posgeld
 DocType: Supplier Scorecard Period,Period Score,Periode telling
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Voeg kliënte by
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Voeg kliënte by
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Hangende bedrag
 DocType: Lab Test Template,Special,spesiale
 DocType: Loyalty Program,Conversion Factor,Gesprekfaktor
@@ -2892,7 +2921,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Voeg Briefhoof
 DocType: Program Enrollment,Self-Driving Vehicle,Selfritvoertuig
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Verskaffer Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Ry {0}: Rekening van materiaal wat nie vir die item {1} gevind is nie.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Ry {0}: Rekening van materiaal wat nie vir die item {1} gevind is nie.
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totale toegekende blare {0} kan nie minder wees as reeds goedgekeurde blare {1} vir die tydperk nie
 DocType: Contract Fulfilment Checklist,Requirement,vereiste
 DocType: Journal Entry,Accounts Receivable,Rekeninge ontvangbaar
@@ -2908,16 +2937,16 @@
 DocType: Projects Settings,Timesheets,roosters
 DocType: HR Settings,HR Settings,HR instellings
 DocType: Salary Slip,net pay info,netto betaalinligting
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS Bedrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS Bedrag
 DocType: Woocommerce Settings,Enable Sync,Aktiveer sinkronisering
 DocType: Tax Withholding Rate,Single Transaction Threshold,Enkele transaksiedrempel
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Hierdie waarde word opgedateer in die verstekverkooppryslys.
 DocType: Email Digest,New Expenses,Nuwe uitgawes
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Bedrag
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Bedrag
 DocType: Shareholder,Shareholder,aandeelhouer
 DocType: Purchase Invoice,Additional Discount Amount,Bykomende kortingsbedrag
 DocType: Cash Flow Mapper,Position,posisie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Kry artikels uit voorskrifte
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Kry artikels uit voorskrifte
 DocType: Patient,Patient Details,Pasiëntbesonderhede
 DocType: Inpatient Record,B Positive,B Positief
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2929,8 +2958,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Groep na Nie-Groep
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sport
 DocType: Loan Type,Loan Name,Lening Naam
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Totaal Werklik
-DocType: Lab Test UOM,Test UOM,Toets UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Totaal Werklik
 DocType: Student Siblings,Student Siblings,Student broers en susters
 DocType: Subscription Plan Detail,Subscription Plan Detail,Inskrywingsplanbesonderhede
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,eenheid
@@ -2957,7 +2985,6 @@
 DocType: Workstation,Wages per hour,Lone per uur
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Voorraadbalans in Batch {0} word negatief {1} vir Item {2} by Warehouse {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Volgende Materiële Versoeke is outomaties opgestel op grond van die item se herbestellingsvlak
-DocType: Email Digest,Pending Sales Orders,Hangende verkooporders
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Rekening {0} is ongeldig. Rekeninggeldeenheid moet {1} wees
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Vanaf datum {0} kan nie na werknemer se verligting wees nie Datum {1}
 DocType: Supplier,Is Internal Supplier,Is Interne Verskaffer
@@ -2966,13 +2993,14 @@
 DocType: Healthcare Settings,Remind Before,Herinner Voor
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Gespreksfaktor word benodig in ry {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ry # {0}: Verwysingsdokumenttipe moet een van verkoopsbestelling, verkoopsfaktuur of tydskrifinskrywing wees"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ry # {0}: Verwysingsdokumenttipe moet een van verkoopsbestelling, verkoopsfaktuur of tydskrifinskrywing wees"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyaliteitspunte = Hoeveel basisgeld?
 DocType: Salary Component,Deduction,aftrekking
 DocType: Item,Retain Sample,Behou monster
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Ry {0}: Van tyd tot tyd is verpligtend.
 DocType: Stock Reconciliation Item,Amount Difference,Bedrag Verskil
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Itemprys bygevoeg vir {0} in Pryslys {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Itemprys bygevoeg vir {0} in Pryslys {1}
+DocType: Delivery Stop,Order Information,Bestel inligting
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Voer asseblief die werknemer se ID van hierdie verkoopspersoon in
 DocType: Territory,Classification of Customers by region,Klassifikasie van kliënte volgens streek
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,In produksie
@@ -2983,8 +3011,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Berekende Bankstaatbalans
 DocType: Normal Test Template,Normal Test Template,Normale toets sjabloon
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,gestremde gebruiker
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,aanhaling
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Kan nie &#39;n RFQ vir geen kwotasie opstel nie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,aanhaling
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Kan nie &#39;n RFQ vir geen kwotasie opstel nie
 DocType: Salary Slip,Total Deduction,Totale aftrekking
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Kies &#39;n rekening om in rekeningmunt te druk
 ,Production Analytics,Produksie Analytics
@@ -2997,14 +3025,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Verskaffer Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Assesseringsplan Naam
 DocType: Work Order Operation,Work Order Operation,Werk Bestelling Operasie
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Waarskuwing: Ongeldige SSL-sertifikaat op aanhangsel {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Waarskuwing: Ongeldige SSL-sertifikaat op aanhangsel {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leiers help om sake te doen, voeg al jou kontakte en meer as jou leidrade by"
 DocType: Work Order Operation,Actual Operation Time,Werklike operasietyd
 DocType: Authorization Rule,Applicable To (User),Toepaslik op (Gebruiker)
 DocType: Purchase Taxes and Charges,Deduct,aftrek
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Pos beskrywing
 DocType: Student Applicant,Applied,Toegepaste
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Heropen
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Heropen
 DocType: Sales Invoice Item,Qty as per Stock UOM,Aantal per Voorraad UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Naam
 DocType: Attendance,Attendance Request,Bywoningsversoek
@@ -3022,7 +3050,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Volgnummer {0} is onder garantie tot en met {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimum toelaatbare waarde
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Gebruiker {0} bestaan reeds
-apps/erpnext/erpnext/hooks.py +114,Shipments,verskepings
+apps/erpnext/erpnext/hooks.py +115,Shipments,verskepings
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Totale toegewysde bedrag (Maatskappy Geld)
 DocType: Purchase Order Item,To be delivered to customer,Om aan kliënt gelewer te word
 DocType: BOM,Scrap Material Cost,Skrootmateriaal Koste
@@ -3030,11 +3058,12 @@
 DocType: Grant Application,Email Notification Sent,E-pos kennisgewing gestuur
 DocType: Purchase Invoice,In Words (Company Currency),In Woorde (Maatskappy Geld)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Maatskappy is manadatory vir maatskappy rekening
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Item Kode, pakhuis, hoeveelheid benodig op ry"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Item Kode, pakhuis, hoeveelheid benodig op ry"
 DocType: Bank Guarantee,Supplier,verskaffer
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Kry van
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Hierdie is &#39;n wortelafdeling en kan nie geredigeer word nie.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Wys betalingsbesonderhede
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Duur in Dae
 DocType: C-Form,Quarter,kwartaal
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Diverse uitgawes
 DocType: Global Defaults,Default Company,Verstek Maatskappy
@@ -3042,7 +3071,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Uitgawe of Verskil rekening is verpligtend vir Item {0} aangesien dit die totale voorraadwaarde beïnvloed
 DocType: Bank,Bank Name,Bank Naam
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-bo
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Los die veld leeg om bestellings vir alle verskaffers te maak
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Los die veld leeg om bestellings vir alle verskaffers te maak
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Besoek Koste Item
 DocType: Vital Signs,Fluid,vloeistof
 DocType: Leave Application,Total Leave Days,Totale Verlofdae
@@ -3051,7 +3080,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Item Variant instellings
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Kies Maatskappy ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Los leeg indien oorweeg vir alle departemente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} is verpligtend vir item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} is verpligtend vir item {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Item {0}: {1} hoeveelheid geproduseer,"
 DocType: Payroll Entry,Fortnightly,tweeweeklikse
 DocType: Currency Exchange,From Currency,Van Geld
@@ -3100,7 +3129,7 @@
 DocType: Account,Fixed Asset,Vaste bate
 DocType: Amazon MWS Settings,After Date,Na datum
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialized Inventory
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Ongeldige {0} vir Intermaatskappyfaktuur.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Ongeldige {0} vir Intermaatskappyfaktuur.
 ,Department Analytics,Departement Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-pos word nie in verstekkontak gevind nie
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Genereer Geheime
@@ -3118,6 +3147,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,hoof uitvoerende beampte
 DocType: Purchase Invoice,With Payment of Tax,Met betaling van belasting
 DocType: Expense Claim Detail,Expense Claim Detail,Koste eis Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Installeer asseblief die Instrukteur Naming Stelsel in Onderwys&gt; Onderwys instellings
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAAT VIR VERSKAFFER
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nuwe saldo in basiese geldeenheid
 DocType: Location,Is Container,Is Container
@@ -3125,13 +3155,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Kies asseblief die korrekte rekening
 DocType: Salary Structure Assignment,Salary Structure Assignment,Salarisstruktuuropdrag
 DocType: Purchase Invoice Item,Weight UOM,Gewig UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Lys van beskikbare Aandeelhouers met folio nommers
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Lys van beskikbare Aandeelhouers met folio nommers
 DocType: Salary Structure Employee,Salary Structure Employee,Salarisstruktuur Werknemer
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Wys Variant Eienskappe
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Wys Variant Eienskappe
 DocType: Student,Blood Group,Bloedgroep
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Die betaling gateway rekening in plan {0} verskil van die betaling gateway rekening in hierdie betaling versoek
 DocType: Course,Course Name,Kursus naam
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Geen belasting weerhou data gevind vir die huidige fiskale jaar.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Geen belasting weerhou data gevind vir die huidige fiskale jaar.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Gebruikers wat &#39;n spesifieke werknemer se verlof aansoeke kan goedkeur
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Kantoor Uitrustingen
 DocType: Purchase Invoice Item,Qty,Aantal
@@ -3139,6 +3169,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Scoring opstel
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debiet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Laat dieselfde item meervoudige tye toe
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Verhoog Materiaal Versoek wanneer voorraad bereik herbestellingsvlak bereik
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Voltyds
 DocType: Payroll Entry,Employees,Werknemers
@@ -3150,11 +3181,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Bevestiging van betaling
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Pryse sal nie getoon word indien Pryslys nie vasgestel is nie
 DocType: Stock Entry,Total Incoming Value,Totale Inkomende Waarde
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debiet na is nodig
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debiet na is nodig
 DocType: Clinical Procedure,Inpatient Record,Inpatient Rekord
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Tydskrifte help om tred te hou met tyd, koste en faktuur vir aktiwiteite wat deur u span gedoen is"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Aankooppryslys
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Datum van transaksie
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Aankooppryslys
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Datum van transaksie
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Templates van verskaffers telkaart veranderlikes.
 DocType: Job Offer Term,Offer Term,Aanbod Termyn
 DocType: Asset,Quality Manager,Kwaliteitsbestuurder
@@ -3175,18 +3206,18 @@
 DocType: Cashier Closing,To Time,Tot tyd
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) vir {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Goedkeurende rol (bo gemagtigde waarde)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Krediet Vir rekening moet &#39;n betaalbare rekening wees
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Krediet Vir rekening moet &#39;n betaalbare rekening wees
 DocType: Loan,Total Amount Paid,Totale bedrag betaal
 DocType: Asset,Insurance End Date,Versekering Einddatum
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Kies asseblief Studentetoelating wat verpligtend is vir die betaalde studenteversoeker
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} kan nie ouer of kind van {2} wees nie
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} kan nie ouer of kind van {2} wees nie
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Begrotingslys
 DocType: Work Order Operation,Completed Qty,Voltooide aantal
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",Vir {0} kan slegs debietrekeninge gekoppel word teen &#39;n ander kredietinskrywing
 DocType: Manufacturing Settings,Allow Overtime,Laat Oortyd toe
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized Item {0} kan nie met behulp van Voorraadversoening opgedateer word nie. Gebruik asseblief Voorraadinskrywing
 DocType: Training Event Employee,Training Event Employee,Opleiding Event Werknemer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimum monsters - {0} kan behou word vir bondel {1} en item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimum monsters - {0} kan behou word vir bondel {1} en item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Voeg tydgleuwe by
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Reeksnommers benodig vir Item {1}. U het {2} verskaf.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Huidige Waardasietarief
@@ -3216,11 +3247,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Rekeningnommer {0} nie gevind nie
 DocType: Fee Schedule Program,Fee Schedule Program,Fooiskedule Program
 DocType: Fee Schedule Program,Student Batch,Studentejoernaal
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Skrap asseblief die Werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om hierdie dokument te kanselleer"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Maak Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Graad
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Gesondheidsorgdiens Eenheidstipe
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},U is genooi om saam te werk aan die projek: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},U is genooi om saam te werk aan die projek: {0}
 DocType: Supplier Group,Parent Supplier Group,Ouer Verskaffersgroep
+DocType: Email Digest,Purchase Orders to Bill,Aankooporders na rekening
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Opgelope Waardes in Groepmaatskappy
 DocType: Leave Block List Date,Block Date,Blok Datum
 DocType: Crop,Crop,oes
@@ -3231,6 +3265,7 @@
 DocType: Sales Order,Not Delivered,Nie afgelewer nie
 ,Bank Clearance Summary,Bank Opruimingsopsomming
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Skep en bestuur daaglikse, weeklikse en maandelikse e-posverdelings."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Dit is gebaseer op transaksies teen hierdie verkoopspersoon. Sien die tydlyn hieronder vir besonderhede
 DocType: Appraisal Goal,Appraisal Goal,Evalueringsdoel
 DocType: Stock Reconciliation Item,Current Amount,Huidige Bedrag
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,geboue
@@ -3257,7 +3292,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Volgende kontak datum kan nie in die verlede wees nie
 DocType: Company,For Reference Only.,Slegs vir verwysing.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Kies lotnommer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Kies lotnommer
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Ongeldige {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Verwysings Inv
@@ -3275,16 +3310,16 @@
 DocType: Normal Test Items,Require Result Value,Vereis Resultaatwaarde
 DocType: Item,Show a slideshow at the top of the page,Wys &#39;n skyfievertoning bo-aan die bladsy
 DocType: Tax Withholding Rate,Tax Withholding Rate,Belasting Weerhouding
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,winkels
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,winkels
 DocType: Project Type,Projects Manager,Projekbestuurder
 DocType: Serial No,Delivery Time,Afleweringstyd
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Veroudering gebaseer op
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Aanstelling gekanselleer
 DocType: Item,End of Life,Einde van die lewe
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Reis
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Reis
 DocType: Student Report Generation Tool,Include All Assessment Group,Sluit alle assesseringsgroep in
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Geen aktiewe of standaard Salarestruktuur vir werknemer {0} vir die gegewe datums gevind nie
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Geen aktiewe of standaard Salarestruktuur vir werknemer {0} vir die gegewe datums gevind nie
 DocType: Leave Block List,Allow Users,Laat gebruikers toe
 DocType: Purchase Order,Customer Mobile No,Kliënt Mobiele Nr
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kontantvloeiskaart-sjabloon Besonderhede
@@ -3293,15 +3328,16 @@
 DocType: Rename Tool,Rename Tool,Hernoem Gereedskap
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Dateer koste
 DocType: Item Reorder,Item Reorder,Item Herbestelling
+DocType: Delivery Note,Mode of Transport,Vervoermodus
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Toon Salary Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Oordragmateriaal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Oordragmateriaal
 DocType: Fees,Send Payment Request,Stuur betalingsversoek
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Spesifiseer die bedrywighede, bedryfskoste en gee &#39;n unieke operasie nee vir u bedrywighede."
 DocType: Travel Request,Any other details,Enige ander besonderhede
 DocType: Water Analysis,Origin,oorsprong
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Hierdie dokument is oor limiet deur {0} {1} vir item {4}. Maak jy &#39;n ander {3} teen dieselfde {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Stel asseblief herhaaldelik na die stoor
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Kies verander bedrag rekening
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Stel asseblief herhaaldelik na die stoor
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Kies verander bedrag rekening
 DocType: Purchase Invoice,Price List Currency,Pryslys Geld
 DocType: Naming Series,User must always select,Gebruiker moet altyd kies
 DocType: Stock Settings,Allow Negative Stock,Laat negatiewe voorraad toe
@@ -3322,9 +3358,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,naspeurbaarheid
 DocType: Asset Maintenance Log,Actions performed,Aktiwiteite uitgevoer
 DocType: Cash Flow Mapper,Section Leader,Afdeling Leier
+DocType: Delivery Note,Transport Receipt No,Vervoerontvangstnr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Bron van fondse (laste)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Bron en teikengebied kan nie dieselfde wees nie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Hoeveelheid in ry {0} ({1}) moet dieselfde wees as vervaardigde hoeveelheid {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Hoeveelheid in ry {0} ({1}) moet dieselfde wees as vervaardigde hoeveelheid {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,werknemer
 DocType: Bank Guarantee,Fixed Deposit Number,Vaste deposito nommer
 DocType: Asset Repair,Failure Date,Mislukkingsdatum
@@ -3338,16 +3375,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Betaling aftrekkings of verlies
 DocType: Soil Analysis,Soil Analysis Criterias,Grondanalisiekriteria
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standaardkontrakvoorwaardes vir Verkope of Aankope.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Is jy seker jy wil hierdie afspraak kanselleer?
+DocType: BOM Item,Item operation,Item operasie
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Is jy seker jy wil hierdie afspraak kanselleer?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotel Kamerpryse
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Verkope Pyplyn
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Verkope Pyplyn
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Stel asseblief die verstek rekening in Salaris Komponent {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Vereis Aan
 DocType: Rename Tool,File to Rename,Lêer om hernoem te word
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Kies asseblief BOM vir item in ry {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Haal intekeningopdaterings
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Rekening {0} stem nie ooreen met Maatskappy {1} in rekeningmodus nie: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Spesifieke BOM {0} bestaan nie vir Item {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Spesifieke BOM {0} bestaan nie vir Item {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kursus:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Onderhoudskedule {0} moet gekanselleer word voordat u hierdie verkooporder kanselleer
@@ -3356,7 +3394,7 @@
 DocType: Notification Control,Expense Claim Approved,Koste-eis Goedgekeur
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Stel voorskotte en toekenning (EIEU)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Geen werkbestellings geskep nie
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Salaris Slip van werknemer {0} wat reeds vir hierdie tydperk geskep is
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Salaris Slip van werknemer {0} wat reeds vir hierdie tydperk geskep is
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,farmaseutiese
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,U kan slegs Verlof-inskrywing vir &#39;n geldige invoegingsbedrag indien
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Koste van gekoopte items
@@ -3364,7 +3402,8 @@
 DocType: Selling Settings,Sales Order Required,Verkope bestelling benodig
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Word &#39;n Verkoper
 DocType: Purchase Invoice,Credit To,Krediet aan
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktiewe Leiers / Kliënte
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktiewe Leiers / Kliënte
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Los leeg om die standaard afleweringsnotasformaat te gebruik
 DocType: Employee Education,Post Graduate,Nagraadse
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Onderhoudskedule Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Waarsku vir nuwe aankoopbestellings
@@ -3378,14 +3417,14 @@
 DocType: Support Search Source,Post Title Key,Pos Titel Sleutel
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Vir Werkkaart
 DocType: Warranty Claim,Raised By,Verhoog deur
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,voorskrifte
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,voorskrifte
 DocType: Payment Gateway Account,Payment Account,Betalingrekening
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Spesifiseer asseblief Maatskappy om voort te gaan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Spesifiseer asseblief Maatskappy om voort te gaan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Netto verandering in rekeninge ontvangbaar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompenserende Off
 DocType: Job Offer,Accepted,aanvaar
 DocType: POS Closing Voucher,Sales Invoices Summary,Verkope Fakture Opsomming
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Na partytjie naam
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Na partytjie naam
 DocType: Grant Application,Organization,organisasie
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
 DocType: SG Creation Tool Course,Student Group Name,Student Groep Naam
@@ -3394,7 +3433,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Maak asseblief seker dat u regtig alle transaksies vir hierdie maatskappy wil verwyder. Jou meesterdata sal bly soos dit is. Hierdie handeling kan nie ongedaan gemaak word nie.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Soek Resultate
 DocType: Room,Room Number,Kamer nommer
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Ongeldige verwysing {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Ongeldige verwysing {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan nie groter wees as beplande quanitity ({2}) in Produksie Orde {3}
 DocType: Shipping Rule,Shipping Rule Label,Poslys van die skeepsreël
 DocType: Journal Entry Account,Payroll Entry,Betaalstaatinskrywing
@@ -3402,8 +3441,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Maak belasting sjabloon
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Gebruikers Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Grondstowwe kan nie leeg wees nie.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Ry # {0} (Betalingstabel): Bedrag moet negatief wees
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Kon nie voorraad opdateer nie, faktuur bevat druppelversending item."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Ry # {0} (Betalingstabel): Bedrag moet negatief wees
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Kon nie voorraad opdateer nie, faktuur bevat druppelversending item."
 DocType: Contract,Fulfilment Status,Vervulling Status
 DocType: Lab Test Sample,Lab Test Sample,Lab Test Voorbeeld
 DocType: Item Variant Settings,Allow Rename Attribute Value,Laat die kenmerk waarde toe
@@ -3445,11 +3484,11 @@
 DocType: BOM,Show Operations,Wys Operasies
 ,Minutes to First Response for Opportunity,Notules tot Eerste Reaksie vir Geleentheid
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Totaal Afwesig
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Item of pakhuis vir ry {0} stem nie ooreen met Materiaalversoek nie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Item of pakhuis vir ry {0} stem nie ooreen met Materiaalversoek nie
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Eenheid van maatreël
 DocType: Fiscal Year,Year End Date,Jaarindeinde
 DocType: Task Depends On,Task Depends On,Taak hang af
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,geleentheid
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,geleentheid
 DocType: Operation,Default Workstation,Verstek werkstasie
 DocType: Notification Control,Expense Claim Approved Message,Koste-eis Goedgekeurde Boodskap
 DocType: Payment Entry,Deductions or Loss,Aftrekkings of verlies
@@ -3487,20 +3526,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Gebruiker kan nie dieselfde wees as gebruiker waarvan die reël van toepassing is op
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basiese tarief (soos per Voorraad UOM)
 DocType: SMS Log,No of Requested SMS,Geen versoekte SMS nie
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Verlof sonder betaal stem nie ooreen met goedgekeurde Verlof aansoek rekords
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Verlof sonder betaal stem nie ooreen met goedgekeurde Verlof aansoek rekords
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Volgende stappe
 DocType: Travel Request,Domestic,binnelandse
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Verskaf asseblief die gespesifiseerde items teen die beste moontlike tariewe
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Verskaf asseblief die gespesifiseerde items teen die beste moontlike tariewe
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Werknemeroordrag kan nie voor die Oordragdatum ingedien word nie
 DocType: Certification Application,USD,dollar
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Maak faktuur
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Oorblywende Saldo
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Oorblywende Saldo
 DocType: Selling Settings,Auto close Opportunity after 15 days,Vakansie sluit geleentheid na 15 dae
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Aankoopbestellings word nie toegelaat vir {0} weens &#39;n telkaart wat staan van {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Barcode {0} is nie &#39;n geldige {1} kode
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Barcode {0} is nie &#39;n geldige {1} kode
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Eindejaar
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Kwotasie / Lood%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Kontrak Einddatum moet groter wees as Datum van aansluiting
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Kontrak Einddatum moet groter wees as Datum van aansluiting
 DocType: Driver,Driver,bestuurder
 DocType: Vital Signs,Nutrition Values,Voedingswaardes
 DocType: Lab Test Template,Is billable,Is faktureerbaar
@@ -3511,7 +3550,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Dit is &#39;n voorbeeld webwerf wat outomaties deur ERPNext gegenereer word
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Veroudering Reeks 1
 DocType: Shopify Settings,Enable Shopify,Aktiveer Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Totale voorskotbedrag kan nie groter wees as die totale geëisde bedrag nie
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Totale voorskotbedrag kan nie groter wees as die totale geëisde bedrag nie
 DocType: Purchase Taxes and Charges Template,"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
@@ -3538,11 +3577,11 @@
 DocType: Employee Separation,Employee Separation,Werknemersskeiding
 DocType: BOM Item,Original Item,Oorspronklike item
 DocType: Purchase Receipt Item,Recd Quantity,Recd Quantity
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Datum
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Datum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fooi Rekords Geskep - {0}
 DocType: Asset Category Account,Asset Category Account,Bate Kategorie Rekening
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Ry # {0} (Betaal Tabel): Bedrag moet positief wees
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Kies kenmerkwaardes
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Ry # {0} (Betaal Tabel): Bedrag moet positief wees
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Kies kenmerkwaardes
 DocType: Purchase Invoice,Reason For Issuing document,Rede vir die uitreiking van dokument
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Voorraadinskrywing {0} is nie ingedien nie
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / Kontantrekening
@@ -3551,8 +3590,10 @@
 DocType: Asset,Manual,handleiding
 DocType: Salary Component Account,Salary Component Account,Salaris Komponentrekening
 DocType: Global Defaults,Hide Currency Symbol,Versteek geldeenheid simbool
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Verkoopsgeleenthede deur Bron
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Skenker inligting.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","bv. Bank, Kontant, Kredietkaart"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel asseblief nommersreeks vir Bywoning via Setup&gt; Numbering Series
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","bv. Bank, Kontant, Kredietkaart"
 DocType: Job Applicant,Source Name,Bron Naam
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normale rustende bloeddruk in &#39;n volwassene is ongeveer 120 mmHg sistolies en 80 mmHg diastolies, afgekort &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",Stel items raklewe in dae om verval te stel gebaseer op manufacturing_date plus selflewe
@@ -3582,7 +3623,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Vir Hoeveelheid moet minder wees as hoeveelheid {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ry {0}: Begindatum moet voor Einddatum wees
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimum Voordeelbedrag (Jaarliks)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS-tarief%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS-tarief%
 DocType: Crop,Planting Area,Plantingsgebied
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Totaal (Aantal)
 DocType: Installation Note Item,Installed Qty,Geïnstalleerde hoeveelheid
@@ -3604,8 +3645,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Laat Goedkeuring Kennisgewing
 DocType: Buying Settings,Default Buying Price List,Verstek kooppryslys
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Salarisstrokie gebaseer op tydsopgawe
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Koopkoers
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Ry {0}: Gee plek vir die bateitem {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Koopkoers
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Ry {0}: Gee plek vir die bateitem {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-VOK-.YYYY.-
 DocType: Company,About the Company,Oor die maatskappy
 DocType: Notification Control,Sales Order Message,Verkoopsvolgorde
@@ -3670,10 +3711,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Vir ry {0}: Gee beplande hoeveelheid
 DocType: Account,Income Account,Inkomsterekening
 DocType: Payment Request,Amount in customer's currency,Bedrag in kliënt se geldeenheid
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,aflewering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,aflewering
 DocType: Volunteer,Weekdays,weeksdae
 DocType: Stock Reconciliation Item,Current Qty,Huidige hoeveelheid
 DocType: Restaurant Menu,Restaurant Menu,Restaurant Menu
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Voeg verskaffers by
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Help afdeling
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Vorige
@@ -3683,19 +3725,20 @@
 apps/erpnext/erpnext/setup/doctype/company/company.py +163,Set default inventory account for perpetual inventory,Stel verstekvoorraadrekening vir voortdurende voorraad
 DocType: Item Reorder,Material Request Type,Materiaal Versoek Tipe
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Stuur Grant Review Email
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage is vol, het nie gestoor nie"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Ry {0}: UOM Gesprekfaktor is verpligtend
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage is vol, het nie gestoor nie"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Ry {0}: UOM Gesprekfaktor is verpligtend
 DocType: Employee Benefit Claim,Claim Date,Eisdatum
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kamer kapasiteit
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Reeds bestaan rekord vir die item {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,U sal rekords verloor van voorheen gegenereerde fakture. Is jy seker jy wil hierdie intekening herbegin?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Registrasiefooi
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojaliteitsprogramversameling
 DocType: Stock Entry Detail,Subcontracted Item,Onderaannemer Item
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} behoort nie aan groep {1}
 DocType: Budget,Cost Center,Kostesentrum
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Aankoopboodskap
 DocType: Tax Rule,Shipping Country,Versending Land
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Versteek Kliënt se Belasting-ID van Verkoopstransaksies
@@ -3714,23 +3757,22 @@
 DocType: Subscription,Cancel At End Of Period,Kanselleer aan die einde van die tydperk
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Eiendom is reeds bygevoeg
 DocType: Item Supplier,Item Supplier,Item Verskaffer
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Voer asseblief die kode in om groepsnommer te kry
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Kies asseblief &#39;n waarde vir {0} kwotasie_ tot {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Voer asseblief die kode in om groepsnommer te kry
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Kies asseblief &#39;n waarde vir {0} kwotasie_ tot {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Geen items gekies vir oordrag nie
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adresse.
 DocType: Company,Stock Settings,Voorraadinstellings
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samevoeging is slegs moontlik as die volgende eienskappe dieselfde in albei rekords is. Is Groep, Worteltipe, Maatskappy"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samevoeging is slegs moontlik as die volgende eienskappe dieselfde in albei rekords is. Is Groep, Worteltipe, Maatskappy"
 DocType: Vehicle,Electric,Electric
 DocType: Task,% Progress,% Vordering
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Wins / verlies op bateverkope
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Slegs die Student Aansoeker met die status &quot;Goedgekeur&quot; sal in die onderstaande tabel gekies word.
 DocType: Tax Withholding Category,Rates,tariewe
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Rekeningnommer vir rekening {0} is nie beskikbaar nie. <br> Stel asseblief u Kaart van Rekeninge korrek op.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Rekeningnommer vir rekening {0} is nie beskikbaar nie. <br> Stel asseblief u Kaart van Rekeninge korrek op.
 DocType: Task,Depends on Tasks,Hang af van take
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Bestuur kliëntgroepboom.
 DocType: Normal Test Items,Result Value,Resultaatwaarde
 DocType: Hotel Room,Hotels,Hotels
-DocType: Delivery Note,Transporter Date,Vervoerder Datum
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nuwe koste sentrum naam
 DocType: Leave Control Panel,Leave Control Panel,Verlaat beheerpaneel
 DocType: Project,Task Completion,Taak voltooiing
@@ -3777,11 +3819,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Alle assesseringsgroepe
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nuwe pakhuis naam
 DocType: Shopify Settings,App Type,App Type
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Totaal {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Totaal {0} ({1})
 DocType: C-Form Invoice Detail,Territory,gebied
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Noem asseblief geen besoeke benodig nie
 DocType: Stock Settings,Default Valuation Method,Verstekwaardasiemetode
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,fooi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Toon kumulatiewe bedrag
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Werk aan die gang. Dit kan &#39;n rukkie neem.
 DocType: Production Plan Item,Produced Qty,Geproduceerde hoeveelheid
 DocType: Vehicle Log,Fuel Qty,Brandstof Aantal
@@ -3789,7 +3832,7 @@
 DocType: Work Order Operation,Planned Start Time,Beplande aanvangstyd
 DocType: Course,Assessment,assessering
 DocType: Payment Entry Reference,Allocated,toegeken
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Sluit Balansstaat en boek Wins of Verlies.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Sluit Balansstaat en boek Wins of Verlies.
 DocType: Student Applicant,Application Status,Toepassingsstatus
 DocType: Additional Salary,Salary Component Type,Salaris Komponent Tipe
 DocType: Sensitivity Test Items,Sensitivity Test Items,Sensitiwiteitstoets Items
@@ -3800,10 +3843,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Totale uitstaande bedrag
 DocType: Sales Partner,Targets,teikens
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Registreer asseblief die SIREN nommer in die maatskappy inligting lêer
+DocType: Email Digest,Sales Orders to Bill,Verkoopsbestellings na rekening
 DocType: Price List,Price List Master,Pryslys Meester
 DocType: GST Account,CESS Account,CESS-rekening
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Alle verkoops transaksies kan gemerk word teen verskeie ** Verkope Persone ** sodat u teikens kan stel en monitor.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Skakel na Materiaal Versoek
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Skakel na Materiaal Versoek
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forum Aktiwiteit
 ,S.O. No.,SO nr
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Bankstaat Transaksieinstellings Item
@@ -3817,7 +3861,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Dit is &#39;n wortelkundegroep en kan nie geredigeer word nie.
 DocType: Student,AB-,mis-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Aksie indien opgehoopte maandelikse begroting oorskry op PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Te plaas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Te plaas
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Wisselkoers herwaardasie
 DocType: POS Profile,Ignore Pricing Rule,Ignoreer prysreël
 DocType: Employee Education,Graduate,Gegradueerde
@@ -3853,6 +3897,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Stel asseblief die standaardkliënt in Restaurantinstellings
 ,Salary Register,Salarisregister
 DocType: Warehouse,Parent Warehouse,Ouer Warehouse
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,grafiek
 DocType: Subscription,Net Total,Netto totaal
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Verstek BOM nie gevind vir Item {0} en Projek {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definieer verskillende leningstipes
@@ -3885,24 +3930,26 @@
 DocType: Membership,Membership Status,Lidmaatskapstatus
 DocType: Travel Itinerary,Lodging Required,Akkommodasie benodig
 ,Requested,versoek
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Geen opmerkings
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Geen opmerkings
 DocType: Asset,In Maintenance,In Onderhoud
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik op hierdie knoppie om jou verkoopsbeveldata van Amazon MWS te trek.
 DocType: Vital Signs,Abdomen,buik
 DocType: Purchase Invoice,Overdue,agterstallige
 DocType: Account,Stock Received But Not Billed,Voorraad ontvang maar nie gefaktureer nie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Wortelrekening moet &#39;n groep wees
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Wortelrekening moet &#39;n groep wees
 DocType: Drug Prescription,Drug Prescription,Dwelm Voorskrif
 DocType: Loan,Repaid/Closed,Terugbetaal / gesluit
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Totale Geprojekteerde Aantal
 DocType: Monthly Distribution,Distribution Name,Verspreidingsnaam
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Sluit UOM in
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Waardasietarief nie vir die item {0} gevind nie, wat vereis word om rekeningkundige inskrywings vir {1} {2} te doen. As die item as &#39;n nulwaardasyfersitem in die {1} verhandel, noem dit asseblief in die {1} Item-tabel. Andersins, skep asseblief &#39;n inkomende voorraadtransaksie vir die item of vermeld waardasietempo in die Item-rekord en probeer dan hierdie inskrywing in te dien / te kanselleer."
 DocType: Course,Course Code,Kursuskode
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kwaliteitsinspeksie benodig vir item {0}
 DocType: Location,Parent Location,Ouer Plek
 DocType: POS Settings,Use POS in Offline Mode,Gebruik POS in aflyn modus
 DocType: Supplier Scorecard,Supplier Variables,Verskaffers veranderlikes
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} is verpligtend. Miskien is Geldwissel-rekord nie geskep vir {1} tot {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Beoordeel by watter kliënt se geldeenheid omgeskakel word na die maatskappy se basiese geldeenheid
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Netto koers (Maatskappy Geld)
 DocType: Salary Detail,Condition and Formula Help,Toestand en Formule Hulp
@@ -3911,19 +3958,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Verkoopsfaktuur
 DocType: Journal Entry Account,Party Balance,Partybalans
 DocType: Cash Flow Mapper,Section Subtotal,Afdeling Subtotaal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Kies asseblief Verkoop afslag aan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Kies asseblief Verkoop afslag aan
 DocType: Stock Settings,Sample Retention Warehouse,Sample Retention Warehouse
 DocType: Company,Default Receivable Account,Verstek ontvangbare rekening
 DocType: Purchase Invoice,Deemed Export,Geagte Uitvoer
 DocType: Stock Entry,Material Transfer for Manufacture,Materiaal Oordrag vir Vervaardiging
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Afslagpersentasie kan óf teen &#39;n Pryslys óf vir alle Pryslys toegepas word.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Rekeningkundige Inskrywing vir Voorraad
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Rekeningkundige Inskrywing vir Voorraad
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,U het reeds geassesseer vir die assesseringskriteria ().
 DocType: Vehicle Service,Engine Oil,Enjin olie
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Werkorders geskep: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Werkorders geskep: {0}
 DocType: Sales Invoice,Sales Team1,Verkoopspan1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Item {0} bestaan nie
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Item {0} bestaan nie
 DocType: Sales Invoice,Customer Address,Kliënt Adres
 DocType: Loan,Loan Details,Leningsbesonderhede
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Kon nie posmaatskappye opstel nie
@@ -3944,34 +3991,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Wys hierdie skyfievertoning bo-aan die bladsy
 DocType: BOM,Item UOM,Item UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Belastingbedrag Na Korting Bedrag (Maatskappy Geld)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Teiken pakhuis is verpligtend vir ry {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Teiken pakhuis is verpligtend vir ry {0}
 DocType: Cheque Print Template,Primary Settings,Primêre instellings
 DocType: Attendance Request,Work From Home,Werk van die huis af
 DocType: Purchase Invoice,Select Supplier Address,Kies Verskaffersadres
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Voeg werknemers by
 DocType: Purchase Invoice Item,Quality Inspection,Kwaliteit Inspeksie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Ekstra Klein
 DocType: Company,Standard Template,Standaard Sjabloon
 DocType: Training Event,Theory,teorie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Waarskuwing: Materiaal Gevraagde hoeveelheid is minder as minimum bestelhoeveelheid
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Waarskuwing: Materiaal Gevraagde hoeveelheid is minder as minimum bestelhoeveelheid
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Rekening {0} is gevries
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Regspersoon / Filiaal met &#39;n afsonderlike Kaart van Rekeninge wat aan die Organisasie behoort.
 DocType: Payment Request,Mute Email,Demp e-pos
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Kos, drank en tabak"
 DocType: Account,Account Number,Rekening nommer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Kan slegs betaling teen onbillike {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Kommissie koers kan nie groter as 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Kan slegs betaling teen onbillike {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Kommissie koers kan nie groter as 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Verdeel Advances Outomaties (EIEU)
 DocType: Volunteer,Volunteer,vrywilliger
 DocType: Buying Settings,Subcontract,subkontrak
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Voer asseblief eers {0} in
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Geen antwoorde van
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Geen antwoorde van
 DocType: Work Order Operation,Actual End Time,Werklike Eindtyd
 DocType: Item,Manufacturer Part Number,Vervaardiger Art
 DocType: Taxable Salary Slab,Taxable Salary Slab,Belasbare Salarisplak
 DocType: Work Order Operation,Estimated Time and Cost,Geskatte tyd en koste
 DocType: Bin,Bin,bin
 DocType: Crop,Crop Name,Gewas Naam
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Slegs gebruikers met {0} -rol kan op Marketplace registreer
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Slegs gebruikers met {0} -rol kan op Marketplace registreer
 DocType: SMS Log,No of Sent SMS,Geen van gestuurde SMS nie
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Aanstellings en ontmoetings
@@ -4000,7 +4048,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Verander kode
 DocType: Purchase Invoice Item,Valuation Rate,Waardasietempo
 DocType: Vehicle,Diesel,diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Pryslys Geldeenheid nie gekies nie
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Pryslys Geldeenheid nie gekies nie
 DocType: Purchase Invoice,Availed ITC Cess,Benut ITC Cess
 ,Student Monthly Attendance Sheet,Student Maandelikse Bywoningsblad
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Stuurreël is slegs van toepassing op Verkoop
@@ -4015,7 +4063,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Bestuur verkoopsvennote.
 DocType: Quality Inspection,Inspection Type,Inspeksietipe
 DocType: Fee Validity,Visited yet,Nog besoek
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Pakhuise met bestaande transaksie kan nie na groep omskep word nie.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Pakhuise met bestaande transaksie kan nie na groep omskep word nie.
 DocType: Assessment Result Tool,Result HTML,Resultaat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hoe gereeld moet projek en maatskappy opgedateer word gebaseer op verkoops transaksies.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Verval op
@@ -4023,7 +4071,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Kies asseblief {0}
 DocType: C-Form,C-Form No,C-vorm nr
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,afstand
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,afstand
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Lys jou produkte of dienste wat jy koop of verkoop.
 DocType: Water Analysis,Storage Temperature,Stoor temperatuur
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4039,19 +4087,19 @@
 DocType: Shopify Settings,Delivery Note Series,Afleweringsnotasreeks
 DocType: Purchase Order Item,Returned Qty,Teruggekeerde hoeveelheid
 DocType: Student,Exit,uitgang
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Worteltipe is verpligtend
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Worteltipe is verpligtend
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Kon nie presets installeer nie
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Gesprek in ure
 DocType: Contract,Signee Details,Signee Besonderhede
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} het tans &#39;n {1} Verskaffer Scorecard en RFQs aan hierdie verskaffer moet met omsigtigheid uitgereik word.
 DocType: Certified Consultant,Non Profit Manager,Nie-winsgewende bestuurder
 DocType: BOM,Total Cost(Company Currency),Totale koste (Maatskappy Geld)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Rekeningnommer {0} geskep
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Rekeningnommer {0} geskep
 DocType: Homepage,Company Description for website homepage,Maatskappybeskrywing vir webwerf tuisblad
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",Vir die gerief van kliënte kan hierdie kodes gebruik word in drukformate soos fakture en afleweringsnotas
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Soepeler Naam
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Kon nie inligting vir {0} ophaal nie.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Opening Entry Journal
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Opening Entry Journal
 DocType: Contract,Fulfilment Terms,Vervolgingsvoorwaardes
 DocType: Sales Invoice,Time Sheet List,Tydskriflys
 DocType: Employee,You can enter any date manually,U kan enige datum handmatig invoer
@@ -4086,7 +4134,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Jou organisasie
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Oorskietverlof toewysing vir die volgende werknemers, aangesien rekords vir verloftoewysing reeds teen hulle bestaan. {0}"
 DocType: Fee Component,Fees Category,Gelde Kategorie
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Vul asseblief die verlig datum in.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Vul asseblief die verlig datum in.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Besonderhede van Borg (Naam, Plek)"
 DocType: Supplier Scorecard,Notify Employee,Stel werknemers in kennis
@@ -4099,9 +4147,9 @@
 DocType: Company,Chart Of Accounts Template,Sjabloon van rekeninge
 DocType: Attendance,Attendance Date,Bywoningsdatum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Opdateringsvoorraad moet vir die aankoopfaktuur {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Itemprys opgedateer vir {0} in Pryslys {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Itemprys opgedateer vir {0} in Pryslys {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salarisuitval gebaseer op verdienste en aftrekking.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Rekening met kinder nodusse kan nie na grootboek omgeskakel word nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Rekening met kinder nodusse kan nie na grootboek omgeskakel word nie
 DocType: Purchase Invoice Item,Accepted Warehouse,Aanvaarde pakhuis
 DocType: Bank Reconciliation Detail,Posting Date,Plasing datum
 DocType: Item,Valuation Method,Waardasie metode
@@ -4138,6 +4186,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Kies asseblief &#39;n bondel
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reis- en onkoste-eis
 DocType: Sales Invoice,Redemption Cost Center,Redemption Cost Center
+DocType: QuickBooks Migrator,Scope,omvang
 DocType: Assessment Group,Assessment Group Name,Assessering Groep Naam
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiaal oorgedra vir Vervaardiging
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Voeg by Besonderhede
@@ -4145,6 +4194,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Laaste sinchronisasie datum
 DocType: Landed Cost Item,Receipt Document Type,Kwitansie Dokument Tipe
 DocType: Daily Work Summary Settings,Select Companies,Kies Maatskappye
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Voorstel / prys kwotasie
 DocType: Antibiotic,Healthcare,Gesondheidssorg
 DocType: Target Detail,Target Detail,Teikenbesonderhede
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Enkel Variant
@@ -4154,6 +4204,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Tydperk sluitingsinskrywing
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Kies Departement ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Kostesentrum met bestaande transaksies kan nie na groep omskep word nie
+DocType: QuickBooks Migrator,Authorization URL,Magtigings-URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Bedrag {0} {1} {2} {3}
 DocType: Account,Depreciation,waardevermindering
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Die aantal aandele en die aandele is onbestaanbaar
@@ -4175,6 +4226,7 @@
 DocType: Support Search Source,Source DocType,Bron DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Maak &#39;n nuwe kaartjie oop
 DocType: Training Event,Trainer Email,Trainer E-pos
+DocType: Driver,Transporter,vervoerder
 DocType: Restaurant Reservation,No of People,Aantal mense
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Sjabloon van terme of kontrak.
 DocType: Bank Account,Address and Contact,Adres en kontak
@@ -4197,7 +4249,7 @@
 ,Qty to Deliver,Hoeveelheid om te lewer
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon sal data wat na hierdie datum opgedateer word, sinkroniseer"
 ,Stock Analytics,Voorraad Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operasies kan nie leeg gelaat word nie
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operasies kan nie leeg gelaat word nie
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab Test (s)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Teen dokumentbesonderhede No
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Skrapping is nie toegelaat vir land {0}
@@ -4205,13 +4257,12 @@
 DocType: Quality Inspection,Outgoing,uitgaande
 DocType: Material Request,Requested For,Gevra vir
 DocType: Quotation Item,Against Doctype,Teen Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} is gekanselleer of gesluit
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} is gekanselleer of gesluit
 DocType: Asset,Calculate Depreciation,Bereken depresiasie
 DocType: Delivery Note,Track this Delivery Note against any Project,Volg hierdie Afleweringsnota teen enige Projek
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Netto kontant uit belegging
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kliënt&gt; Kliëntegroep&gt; Territorium
 DocType: Work Order,Work-in-Progress Warehouse,Werk-in-Progress Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Bate {0} moet ingedien word
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Bate {0} moet ingedien word
 DocType: Fee Schedule Program,Total Students,Totale studente
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Bywoningsrekord {0} bestaan teen Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Verwysing # {0} gedateer {1}
@@ -4253,22 +4304,24 @@
 DocType: Amazon MWS Settings,Synch Products,Sinkprodukte
 DocType: Loyalty Point Entry,Loyalty Program,Lojaliteitsprogram
 DocType: Student Guardian,Father,Vader
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Ondersteuningskaartjies
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Op Voorraad Voorraad&#39; kan nie gekontroleer word vir vaste bateverkope nie
 DocType: Bank Reconciliation,Bank Reconciliation,Bankversoening
 DocType: Attendance,On Leave,Op verlof
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Kry opdaterings
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Rekening {2} behoort nie aan Maatskappy {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Kies ten minste een waarde uit elk van die eienskappe.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Kies ten minste een waarde uit elk van die eienskappe.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materiaalversoek {0} word gekanselleer of gestop
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Versendingstaat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Versendingstaat
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Verlofbestuur
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,groepe
 DocType: Purchase Invoice,Hold Invoice,Hou faktuur
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Kies asseblief Werknemer
 DocType: Sales Order,Fully Delivered,Volledig afgelewer
-DocType: Lead,Lower Income,Laer Inkomste
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Laer Inkomste
 DocType: Restaurant Order Entry,Current Order,Huidige bestelling
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Aantal reeksnommers en hoeveelheid moet dieselfde wees
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Bron en teiken pakhuis kan nie dieselfde wees vir ry {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Bron en teiken pakhuis kan nie dieselfde wees vir ry {0}
 DocType: Account,Asset Received But Not Billed,Bate ontvang maar nie gefaktureer nie
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Verskilrekening moet &#39;n Bate / Aanspreeklikheidsrekening wees, aangesien hierdie Voorraadversoening &#39;n Openingsinskrywing is"
 apps/erpnext/erpnext/utilities/user_progress.py +176,Go to Programs,Gaan na Programme
@@ -4276,7 +4329,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Aankoopordernommer benodig vir item {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;Vanaf datum&#39; moet na &#39;tot datum&#39; wees
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Geen personeelplanne vir hierdie aanwysing gevind nie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} van Item {1} is gedeaktiveer.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} van Item {1} is gedeaktiveer.
 DocType: Leave Policy Detail,Annual Allocation,Jaarlikse toekenning
 DocType: Travel Request,Address of Organizer,Adres van organiseerder
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Kies Gesondheidsorgpraktisyn ...
@@ -4285,12 +4338,12 @@
 DocType: Asset,Fully Depreciated,Ten volle gedepresieer
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Voorraad Geprojekteerde Aantal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Kliënt {0} behoort nie aan projek nie {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Kliënt {0} behoort nie aan projek nie {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Gemerkte Bywoning HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Aanhalings is voorstelle, bod wat jy aan jou kliënte gestuur het"
 DocType: Sales Invoice,Customer's Purchase Order,Kliënt se Aankoopbestelling
 DocType: Clinical Procedure,Patient,pasiënt
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bypass krediet tjek by verkope bestelling
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bypass krediet tjek by verkope bestelling
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Werknemer aan boord Aktiwiteit
 DocType: Location,Check if it is a hydroponic unit,Kyk of dit &#39;n hidroponiese eenheid is
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial No and Batch
@@ -4300,7 +4353,7 @@
 DocType: Supplier Scorecard Period,Calculations,berekeninge
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Waarde of Hoeveelheid
 DocType: Payment Terms Template,Payment Terms,Betalingsvoorwaardes
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Produksies Bestellings kan nie opgewek word vir:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Produksies Bestellings kan nie opgewek word vir:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,minuut
 DocType: Purchase Invoice,Purchase Taxes and Charges,Koopbelasting en heffings
 DocType: Chapter,Meetup Embed HTML,Ontmoet HTML
@@ -4308,17 +4361,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Gaan na verskaffers
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Sluitingsbewysbelasting
 ,Qty to Receive,Hoeveelheid om te ontvang
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Begin en einddatum nie in &#39;n geldige betaalstaat nie, kan nie {0} bereken nie."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Begin en einddatum nie in &#39;n geldige betaalstaat nie, kan nie {0} bereken nie."
 DocType: Leave Block List,Leave Block List Allowed,Laat blokkie lys toegelaat
 DocType: Grading Scale Interval,Grading Scale Interval,Gradering Skaal Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Uitgawe Eis vir Voertuiglogboek {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Korting (%) op pryslyskoers met marges
 DocType: Healthcare Service Unit Type,Rate / UOM,Tarief / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Alle pakhuise
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Geen {0} gevind vir intermaatskappy transaksies nie.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Geen {0} gevind vir intermaatskappy transaksies nie.
 DocType: Travel Itinerary,Rented Car,Huurde motor
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Oor jou maatskappy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Krediet Vir rekening moet &#39;n balansstaatrekening wees
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Krediet Vir rekening moet &#39;n balansstaatrekening wees
 DocType: Donor,Donor,Skenker
 DocType: Global Defaults,Disable In Words,Deaktiveer in woorde
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Item Kode is verpligtend omdat Item nie outomaties genommer is nie
@@ -4330,14 +4383,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bankoortrekkingsrekening
 DocType: Patient,Patient ID,Pasiënt ID
 DocType: Practitioner Schedule,Schedule Name,Skedule Naam
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Verkope Pyplyn per stadium
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Maak Salary Slip
 DocType: Currency Exchange,For Buying,Vir koop
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Voeg alle verskaffers by
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Voeg alle verskaffers by
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ry # {0}: Toegewysde bedrag kan nie groter wees as die uitstaande bedrag nie.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Blaai deur BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Beveiligde Lenings
 DocType: Purchase Invoice,Edit Posting Date and Time,Wysig die datum en tyd van die boeking
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Stel asseblief Waardeverminderingsverwante Rekeninge in Bate-kategorie {0} of Maatskappy {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Stel asseblief Waardeverminderingsverwante Rekeninge in Bate-kategorie {0} of Maatskappy {1}
 DocType: Lab Test Groups,Normal Range,Normale omvang
 DocType: Academic Term,Academic Year,Akademiese jaar
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Beskikbaar verkoop
@@ -4366,26 +4420,26 @@
 DocType: Patient Appointment,Patient Appointment,Pasiënt Aanstelling
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Goedkeurende rol kan nie dieselfde wees as die rol waarvan die reël van toepassing is op
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Uitschrijven van hierdie e-pos verhandeling
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Kry Verskaffers By
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Kry Verskaffers By
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nie gevind vir item {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Gaan na Kursusse
 DocType: Accounts Settings,Show Inclusive Tax In Print,Wys Inklusiewe Belasting In Druk
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankrekening, vanaf datum en datum is verpligtend"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Boodskap gestuur
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Rekening met kinder nodusse kan nie as grootboek gestel word nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Rekening met kinder nodusse kan nie as grootboek gestel word nie
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Koers waarteen Pryslys-geldeenheid omgeskakel word na die kliënt se basiese geldeenheid
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Netto Bedrag (Maatskappy Geld)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Totale voorskotbedrag kan nie groter wees as die totale sanksiebedrag nie
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Totale voorskotbedrag kan nie groter wees as die totale sanksiebedrag nie
 DocType: Salary Slip,Hour Rate,Uurtarief
 DocType: Stock Settings,Item Naming By,Item Naming By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},&#39;N Ander periode sluitingsinskrywing {0} is gemaak na {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materiaal oorgedra vir Vervaardiging
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Rekening {0} bestaan nie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Kies Lojaliteitsprogram
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Kies Lojaliteitsprogram
 DocType: Project,Project Type,Projek Type
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Kinderopdrag bestaan vir hierdie taak. U kan hierdie taak nie uitvee nie.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Die teiken hoeveelheid of teikenwaarde is verpligtend.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Die teiken hoeveelheid of teikenwaarde is verpligtend.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Koste van verskeie aktiwiteite
 DocType: Timesheet,Billing Details,Rekeningbesonderhede
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +163,Source and target warehouse must be different,Bron en teiken pakhuis moet anders wees
@@ -4441,13 +4495,13 @@
 DocType: Inpatient Record,A Negative,&#39;N Negatiewe
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Niks meer om te wys nie.
 DocType: Lead,From Customer,Van kliënt
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,oproepe
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,oproepe
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,&#39;N Produk
 DocType: Employee Tax Exemption Declaration,Declarations,verklarings
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,groepe
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Maak fooi skedule
 DocType: Purchase Order Item Supplied,Stock UOM,Voorraad UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Aankoop bestelling {0} is nie ingedien nie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Aankoop bestelling {0} is nie ingedien nie
 DocType: Account,Expenses Included In Asset Valuation,Uitgawes ingesluit by batewaarde
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normale verwysingsreeks vir &#39;n volwassene is 16-20 asemhalings / minuut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tariefnommer
@@ -4460,6 +4514,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Slaan asseblief eers die pasiënt op
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Bywoning is suksesvol gemerk.
 DocType: Program Enrollment,Public Transport,Publieke vervoer
+DocType: Delivery Note,GST Vehicle Type,GST Voertuigtipe
 DocType: Soil Texture,Silt Composition (%),Silt Samestelling (%)
 DocType: Journal Entry,Remark,opmerking
 DocType: Healthcare Settings,Avoid Confirmation,Vermy bevestiging
@@ -4468,11 +4523,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Blare en Vakansiedae
 DocType: Education Settings,Current Academic Term,Huidige Akademiese Termyn
 DocType: Sales Order,Not Billed,Nie gefaktureer nie
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Beide pakhuise moet aan dieselfde maatskappy behoort
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Beide pakhuise moet aan dieselfde maatskappy behoort
 DocType: Employee Grade,Default Leave Policy,Verstekverlofbeleid
 DocType: Shopify Settings,Shop URL,Winkel-URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nog geen kontakte bygevoeg nie.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel asseblief nommersreeks vir Bywoning via Setup&gt; Numbering Series
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Bedrag
 ,Item Balance (Simple),Item Balans (Eenvoudig)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Wetsontwerpe wat deur verskaffers ingesamel word.
@@ -4497,7 +4551,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Kwotasie Reeks
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","&#39;N Item bestaan met dieselfde naam ({0}), verander asseblief die itemgroepnaam of hernoem die item"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Grondanalise Kriteria
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Kies asseblief kliënt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Kies asseblief kliënt
 DocType: C-Form,I,Ek
 DocType: Company,Asset Depreciation Cost Center,Bate Waardevermindering Koste Sentrum
 DocType: Production Plan Sales Order,Sales Order Date,Verkoopsvolgorde
@@ -4510,8 +4564,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Tans is geen voorraad beskikbaar in enige pakhuis nie
 ,Payment Period Based On Invoice Date,Betalingsperiode gebaseer op faktuurdatum
 DocType: Sample Collection,No. of print,Aantal drukwerk
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Verjaardag Herinnering
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Kamer Besprekings Item
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Ontbrekende geldeenheid wisselkoerse vir {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Ontbrekende geldeenheid wisselkoerse vir {0}
 DocType: Employee Health Insurance,Health Insurance Name,Gesondheidsversekeringsnaam
 DocType: Assessment Plan,Examiner,eksaminator
 DocType: Student,Siblings,broers en susters
@@ -4528,19 +4583,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nuwe kliënte
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruto wins%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Aanstelling {0} en Verkoopfaktuur {1} gekanselleer
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Geleenthede deur hoofbron
 DocType: Appraisal Goal,Weightage (%),Gewig (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Verander POS-profiel
 DocType: Bank Reconciliation Detail,Clearance Date,Opruimingsdatum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Bate bestaan reeds teen die item {0}, jy kan nie die seriële geen waarde verander nie"
+DocType: Delivery Settings,Dispatch Notification Template,Versending Kennisgewings Sjabloon
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Bate bestaan reeds teen die item {0}, jy kan nie die seriële geen waarde verander nie"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Assesseringsverslag
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Kry Werknemers
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruto aankoopbedrag is verpligtend
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Maatskappy se naam is nie dieselfde nie
 DocType: Lead,Address Desc,Adres Beskrywing
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party is verpligtend
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Rye met duplikaat-sperdatums in ander rye is gevind: {lys}
 DocType: Topic,Topic Name,Onderwerp Naam
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Stel asb. Standaard sjabloon vir verlofgoedkeuring kennisgewing in MH-instellings in.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Stel asb. Standaard sjabloon vir verlofgoedkeuring kennisgewing in MH-instellings in.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Ten minste een van die verkope of koop moet gekies word
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Kies &#39;n werknemer om die werknemer vooraf te kry.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Kies asseblief &#39;n geldige datum
@@ -4574,6 +4630,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Kliënt- of Verskafferbesonderhede
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Huidige batewaarde
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Maatskappy ID
 DocType: Travel Request,Travel Funding,Reisbefondsing
 DocType: Loan Application,Required by Date,Vereis volgens datum
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,&#39;N Skakel na al die plekke waar die gewas groei
@@ -4587,9 +4644,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Beskikbare joernaal by From Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Bruto Betaling - Totale Aftrekking - Lening Terugbetaling
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Huidige BOM en Nuwe BOM kan nie dieselfde wees nie
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Huidige BOM en Nuwe BOM kan nie dieselfde wees nie
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Salaris Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Datum van aftrede moet groter wees as datum van aansluiting
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Datum van aftrede moet groter wees as datum van aansluiting
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Veelvuldige Varianten
 DocType: Sales Invoice,Against Income Account,Teen Inkomsterekening
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% afgelewer
@@ -4618,7 +4675,7 @@
 DocType: POS Profile,Update Stock,Werk Voorraad
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Verskillende UOM vir items sal lei tot foutiewe (Totale) Netto Gewigwaarde. Maak seker dat die netto gewig van elke item in dieselfde UOM is.
 DocType: Certification Application,Payment Details,Betaling besonderhede
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM-koers
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM-koers
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",Gestopte werkbestelling kan nie gekanselleer word nie. Staak dit eers om te kanselleer
 DocType: Asset,Journal Entry for Scrap,Tydskrifinskrywing vir afval
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Trek asseblief items van afleweringsnotas
@@ -4641,11 +4698,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Totale Sanctioned Amount
 ,Purchase Analytics,Koop Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Afleweringsnota Item
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Huidige faktuur {0} ontbreek
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Huidige faktuur {0} ontbreek
 DocType: Asset Maintenance Log,Task,taak
 DocType: Purchase Taxes and Charges,Reference Row #,Verwysingsreeks #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Lotnommer is verpligtend vir item {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Dit is &#39;n wortelverkoper en kan nie geredigeer word nie.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Dit is &#39;n wortelverkoper en kan nie geredigeer word nie.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Indien gekies, sal die waarde wat in hierdie komponent gespesifiseer of bereken word, nie bydra tot die verdienste of aftrekkings nie. Die waarde daarvan kan egter verwys word deur ander komponente wat bygevoeg of afgetrek kan word."
 DocType: Asset Settings,Number of Days in Fiscal Year,Aantal dae in fiskale jaar
 ,Stock Ledger,Voorraad Grootboek
@@ -4653,7 +4710,7 @@
 DocType: Company,Exchange Gain / Loss Account,Uitruil wins / verlies rekening
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Werknemer en Bywoning
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Doel moet een van {0} wees
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Doel moet een van {0} wees
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Vul die vorm in en stoor dit
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Gemeenskapsforum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Werklike hoeveelheid in voorraad
@@ -4668,7 +4725,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standaard verkoopkoers
 DocType: Account,Rate at which this tax is applied,Koers waarteen hierdie belasting toegepas word
 DocType: Cash Flow Mapper,Section Name,Afdeling Naam
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Herbestel Aantal
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Herbestel Aantal
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Waardeverminderingsreeks {0}: Verwagte waarde na nuttige lewensduur moet groter as of gelyk wees aan {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Huidige werksopnames
 DocType: Company,Stock Adjustment Account,Voorraadaanpassingsrekening
@@ -4678,8 +4735,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Stelsel gebruiker (login) ID. Indien ingestel, sal dit vir alle HR-vorms verstek wees."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Voer waardeverminderingsbesonderhede in
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Vanaf {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Laat aansoek {0} bestaan reeds teen die student {1}
 DocType: Task,depends_on,hang af van
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In wagtyd vir die opdatering van die jongste prys in alle materiaal. Dit kan &#39;n paar minute neem.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In wagtyd vir die opdatering van die jongste prys in alle materiaal. Dit kan &#39;n paar minute neem.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Naam van nuwe rekening. Nota: skep asseblief nie rekeninge vir kliënte en verskaffers nie
 DocType: POS Profile,Display Items In Stock,Wys items op voorraad
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Landverstandige standaard adres sjablonen
@@ -4709,14 +4767,17 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots vir {0} word nie by die skedule gevoeg nie
 DocType: Product Bundle,List items that form the package.,Lys items wat die pakket vorm.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nie toegelaat. Skakel asseblief die Toets Sjabloon uit
+DocType: Delivery Note,Distance (in km),Afstand (in km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Persentasie toewysing moet gelyk wees aan 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Kies asseblief Posdatum voordat jy Party kies
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Kies asseblief Posdatum voordat jy Party kies
 DocType: Program Enrollment,School House,Skoolhuis
 DocType: Serial No,Out of AMC,Uit AMC
+DocType: Opportunity,Opportunity Amount,Geleentheid Bedrag
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Aantal afskrywings wat bespreek word, kan nie groter wees as die totale aantal afskrywings nie"
 DocType: Purchase Order,Order Confirmation Date,Bestelling Bevestigingsdatum
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Maak onderhoudsbesoek
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Begindatum en einddatum oorvleuel met die poskaart <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Werknemersoordragbesonderhede
 DocType: Company,Default Cash Account,Standaard kontantrekening
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Maatskappy (nie kliënt of verskaffer) meester.
@@ -4725,9 +4786,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Voeg meer items by of maak volledige vorm oop
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Afleweringsnotas {0} moet gekanselleer word voordat u hierdie verkooporder kanselleer
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Gaan na gebruikers
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Betaalde bedrag + Skryf af Die bedrag kan nie groter as Grand Total wees nie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Betaalde bedrag + Skryf af Die bedrag kan nie groter as Grand Total wees nie
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} is nie &#39;n geldige lotnommer vir item {1} nie
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Nota: Daar is nie genoeg verlofbalans vir Verlof-tipe {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Nota: Daar is nie genoeg verlofbalans vir Verlof-tipe {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Ongeldige GSTIN of Tik NA vir Ongeregistreerde
 DocType: Training Event,Seminar,seminaar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Programinskrywingsfooi
@@ -4744,7 +4805,7 @@
 DocType: Fee Schedule,Fee Schedule,Fooibedule
 DocType: Company,Create Chart Of Accounts Based On,Skep grafiek van rekeninge gebaseer op
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Kan dit nie omskakel na nie-groep. Kindertakke bestaan.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Geboortedatum kan nie groter wees as vandag nie.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Geboortedatum kan nie groter wees as vandag nie.
 ,Stock Ageing,Voorraadveroudering
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Gedeeltelik geborg, vereis gedeeltelike befondsing"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Studente {0} bestaan teen studente aansoeker {1}
@@ -4791,11 +4852,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Voor versoening
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Na {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Belasting en heffings bygevoeg (Maatskappy Geld)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Itembelastingreeks {0} moet rekening hou met die tipe Belasting of Inkomste of Uitgawe of Belasbare
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Itembelastingreeks {0} moet rekening hou met die tipe Belasting of Inkomste of Uitgawe of Belasbare
 DocType: Sales Order,Partly Billed,Gedeeltelik gefaktureer
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Item {0} moet &#39;n vaste bate-item wees
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Maak Variante
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Maak Variante
 DocType: Item,Default BOM,Standaard BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Totale gefaktureerde bedrag (via verkoopsfakture)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debiet Nota Bedrag
@@ -4824,13 +4885,13 @@
 DocType: Notification Control,Custom Message,Aangepaste Boodskap
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Beleggingsbankdienste
 DocType: Purchase Invoice,input,insette
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Kontant of Bankrekening is verpligtend vir betaling van inskrywing
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Kontant of Bankrekening is verpligtend vir betaling van inskrywing
 DocType: Loyalty Program,Multiple Tier Program,Meervoudige Tierprogram
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Student Adres
 DocType: Purchase Invoice,Price List Exchange Rate,Pryslys wisselkoers
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Alle Verskaffersgroepe
 DocType: Employee Boarding Activity,Required for Employee Creation,Benodig vir die skep van werknemers
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Rekeningnommer {0} reeds in rekening gebruik {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Rekeningnommer {0} reeds in rekening gebruik {1}
 DocType: GoCardless Mandate,Mandate,mandaat
 DocType: POS Profile,POS Profile Name,POS Profiel Naam
 DocType: Hotel Room Reservation,Booked,bespreek
@@ -4846,18 +4907,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Verwysingsnommer is verpligtend as u verwysingsdatum ingevoer het
 DocType: Bank Reconciliation Detail,Payment Document,Betalingsdokument
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Kon nie die kriteria formule evalueer nie
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datum van aansluiting moet groter wees as Geboortedatum
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datum van aansluiting moet groter wees as Geboortedatum
 DocType: Subscription,Plans,planne
 DocType: Salary Slip,Salary Structure,Salarisstruktuur
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,lugredery
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Uitgawe Materiaal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Uitgawe Materiaal
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Koppel Shopify met ERPNext
 DocType: Material Request Item,For Warehouse,Vir pakhuis
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Afleweringsnotas {0} opgedateer
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Afleweringsnotas {0} opgedateer
 DocType: Employee,Offer Date,Aanbod Datum
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,kwotasies
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Jy is in die aflyn modus. Jy sal nie kan herlaai voordat jy netwerk het nie.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,kwotasies
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Jy is in die aflyn modus. Jy sal nie kan herlaai voordat jy netwerk het nie.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Geen studentegroepe geskep nie.
 DocType: Purchase Invoice Item,Serial No,Serienommer
@@ -4869,24 +4930,26 @@
 DocType: Sales Invoice,Customer PO Details,Kliënt PO Besonderhede
 DocType: Stock Entry,Including items for sub assemblies,Insluitende items vir sub-gemeentes
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tydelike Openingsrekening
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Invoerwaarde moet positief wees
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Invoerwaarde moet positief wees
 DocType: Asset,Finance Books,Finansiesboeke
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Werknemersbelastingvrystelling Verklaringskategorie
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Alle gebiede
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Stel asseblief verlofbeleid vir werknemer {0} in Werknemer- / Graadrekord
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ongeldige kombersorder vir die gekose kliënt en item
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ongeldige kombersorder vir die gekose kliënt en item
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Voeg verskeie take by
 DocType: Purchase Invoice,Items,items
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Einddatum kan nie voor die begin datum wees nie.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student is reeds ingeskryf.
 DocType: Fiscal Year,Year Name,Jaar Naam
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Daar is meer vakansiedae as werksdae hierdie maand.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Daar is meer vakansiedae as werksdae hierdie maand.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Die volgende items {0} word nie gemerk as {1} item nie. U kan hulle as {1} item in die Item-meester aktiveer
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Produk Bundel Item
 DocType: Sales Partner,Sales Partner Name,Verkope Vennoot Naam
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Versoek vir kwotasies
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Versoek vir kwotasies
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum faktuurbedrag
 DocType: Normal Test Items,Normal Test Items,Normale toetsitems
+DocType: QuickBooks Migrator,Company Settings,Maatskappyinstellings
 DocType: Additional Salary,Overwrite Salary Structure Amount,Oorskryf Salarisstruktuurbedrag
 DocType: Student Language,Student Language,Studente Taal
 apps/erpnext/erpnext/config/selling.py +23,Customers,kliënte
@@ -4898,21 +4961,23 @@
 DocType: Issue,Opening Time,Openingstyd
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Van en tot datums benodig
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Sekuriteite en kommoditeitsuitruilings
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard eenheid van maatstaf vir variant &#39;{0}&#39; moet dieselfde wees as in Sjabloon &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard eenheid van maatstaf vir variant &#39;{0}&#39; moet dieselfde wees as in Sjabloon &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Bereken Gebaseer Op
 DocType: Contract,Unfulfilled,onvervulde
 DocType: Delivery Note Item,From Warehouse,Uit pakhuis
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Geen werknemers vir die genoemde kriteria
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Geen items met die materiaal om te vervaardig
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Geen items met die materiaal om te vervaardig
 DocType: Shopify Settings,Default Customer,Verstekkliënt
+DocType: Sales Stage,Stage Name,Verhoognaam
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Toesighouer Naam
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Moenie bevestig of aanstelling geskep is vir dieselfde dag nie
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Stuur na staat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Stuur na staat
 DocType: Program Enrollment Course,Program Enrollment Course,Programinskrywing Kursus
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Gebruiker {0} is reeds aan gesondheidsorgpraktisyn toegewys {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Maak Voorbeeld Bewaring Voorraad Invoer
 DocType: Purchase Taxes and Charges,Valuation and Total,Waardasie en Totaal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Onderhandeling / Review
 DocType: Leave Encashment,Encashment Amount,Encashment Bedrag
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,telkaarte
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Vervaldatums
@@ -4922,7 +4987,7 @@
 DocType: Staffing Plan Detail,Current Openings,Huidige openings
 DocType: Notification Control,Customize the Notification,Pas die kennisgewing aan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Kontantvloei uit bedrywighede
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Bedrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Bedrag
 DocType: Purchase Invoice,Shipping Rule,Posbus
 DocType: Patient Relation,Spouse,eggenoot
 DocType: Lab Test Groups,Add Test,Voeg toets by
@@ -4936,14 +5001,14 @@
 DocType: Payroll Entry,Payroll Frequency,Payroll Frequency
 DocType: Lab Test Template,Sensitivity,sensitiwiteit
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Sinkronisering is tydelik gedeaktiveer omdat maksimum terugskrywings oorskry is
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Rou materiaal
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Rou materiaal
 DocType: Leave Application,Follow via Email,Volg via e-pos
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Plante en Masjinerie
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Belastingbedrag na afslagbedrag
 DocType: Patient,Inpatient Status,Inpatient Status
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daaglikse werkopsommingsinstellings
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Geselekteerde Pryslijst moet gekoop en verkoop velde nagegaan word.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Voer asseblief Reqd by Date in
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Geselekteerde Pryslijst moet gekoop en verkoop velde nagegaan word.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Voer asseblief Reqd by Date in
 DocType: Payment Entry,Internal Transfer,Interne Oordrag
 DocType: Asset Maintenance,Maintenance Tasks,Onderhoudstake
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Die teiken hoeveelheid of teikenwaarde is verpligtend
@@ -4964,7 +5029,7 @@
 DocType: Mode of Payment,General,algemene
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Laaste Kommunikasie
 ,TDS Payable Monthly,TDS betaalbaar maandeliks
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Wag vir die vervanging van die BOM. Dit kan &#39;n paar minute neem.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Wag vir die vervanging van die BOM. Dit kan &#39;n paar minute neem.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan nie aftrek wanneer die kategorie vir &#39;Waardasie&#39; of &#39;Waardasie en Totaal&#39; is nie.
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos Required for Serialized Item {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Pas betalings met fakture
@@ -4977,7 +5042,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Voeg by die winkelwagen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Groep By
 DocType: Guardian,Interests,Belange
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Aktiveer / deaktiveer geldeenhede.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Aktiveer / deaktiveer geldeenhede.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Kon nie &#39;n paar Salarisstrokies indien nie
 DocType: Exchange Rate Revaluation,Get Entries,Kry inskrywings
 DocType: Production Plan,Get Material Request,Kry materiaalversoek
@@ -4999,15 +5064,16 @@
 DocType: Lead,Lead Type,Lood Tipe
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Jy is nie gemagtig om bladsye op Blokdata te keur nie
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Al hierdie items is reeds gefaktureer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Stel Nuwe Release Date
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Stel Nuwe Release Date
 DocType: Company,Monthly Sales Target,Maandelikse verkoopsdoel
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan goedgekeur word deur {0}
 DocType: Hotel Room,Hotel Room Type,Hotel Kamer Type
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Verskaffer&gt; Verskaffer Tipe
 DocType: Leave Allocation,Leave Period,Verlofperiode
 DocType: Item,Default Material Request Type,Standaard Materiaal Versoek Tipe
 DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,onbekend
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Werkorde nie geskep nie
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Werkorde nie geskep nie
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","&#39;N Bedrag van {0} wat reeds vir die komponent {1} geëis is, stel die bedrag gelyk of groter as {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Posbusvoorwaardes
@@ -5040,15 +5106,15 @@
 DocType: Batch,Source Document Name,Bron dokument naam
 DocType: Production Plan,Get Raw Materials For Production,Kry grondstowwe vir produksie
 DocType: Job Opening,Job Title,Werkstitel
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} dui aan dat {1} nie &#39;n kwotasie sal verskaf nie, maar al die items \ is aangehaal. Opdateer die RFQ kwotasie status."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimum steekproewe - {0} is reeds behou vir bondel {1} en item {2} in bondel {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimum steekproewe - {0} is reeds behou vir bondel {1} en item {2} in bondel {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Dateer BOM koste outomaties op
 DocType: Lab Test,Test Name,Toets Naam
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Kliniese Prosedure Verbruikbare Item
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Skep gebruikers
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,subskripsies
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,subskripsies
 DocType: Supplier Scorecard,Per Month,Per maand
 DocType: Education Settings,Make Academic Term Mandatory,Maak akademiese termyn verpligtend
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Hoeveelheid tot Vervaardiging moet groter as 0 wees.
@@ -5057,9 +5123,9 @@
 DocType: Stock Entry,Update Rate and Availability,Update tarief en beskikbaarheid
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Persentasie wat u mag ontvang of meer lewer teen die hoeveelheid bestel. Byvoorbeeld: As jy 100 eenhede bestel het. en u toelae is 10%, dan mag u 110 eenhede ontvang."
 DocType: Loyalty Program,Customer Group,Kliëntegroep
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Ry # {0}: Operasie {1} is nie voltooi vir {2} Aantal voltooide goedere in Werkorder # {3}. Dateer asseblief die operasiestatus op deur Tydlogs
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Ry # {0}: Operasie {1} is nie voltooi vir {2} Aantal voltooide goedere in Werkorder # {3}. Dateer asseblief die operasiestatus op deur Tydlogs
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nuwe batch ID (opsioneel)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Uitgawe rekening is verpligtend vir item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Uitgawe rekening is verpligtend vir item {0}
 DocType: BOM,Website Description,Webwerf beskrywing
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Netto verandering in ekwiteit
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Kanselleer eers Aankoopfaktuur {0}
@@ -5074,7 +5140,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Daar is niks om te wysig nie.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Form View
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Uitgawe Goedkeuring Verpligte Uitgawe Eis
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Opsomming vir hierdie maand en hangende aktiwiteite
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Opsomming vir hierdie maand en hangende aktiwiteite
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Stel asseblief ongerealiseerde ruilverhoging / verliesrekening in maatskappy {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Voeg gebruikers by jou organisasie, behalwe jouself."
 DocType: Customer Group,Customer Group Name,Kliënt Groep Naam
@@ -5084,14 +5150,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Geen wesenlike versoek geskep nie
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lening Bedrag kan nie Maksimum Lening Bedrag van {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,lisensie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Verwyder asseblief hierdie faktuur {0} uit C-vorm {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Verwyder asseblief hierdie faktuur {0} uit C-vorm {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Kies asseblief Carry Forward as u ook die vorige fiskale jaar se balans wil insluit, verlaat na hierdie fiskale jaar"
 DocType: GL Entry,Against Voucher Type,Teen Voucher Tipe
 DocType: Healthcare Practitioner,Phone (R),Telefoon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Tydgleuwe bygevoeg
 DocType: Item,Attributes,eienskappe
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Aktiveer Sjabloon
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Voer asseblief &#39;Skryf &#39;n rekening in
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Voer asseblief &#39;Skryf &#39;n rekening in
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Laaste bestellingsdatum
 DocType: Salary Component,Is Payable,Is betaalbaar
 DocType: Inpatient Record,B Negative,B Negatief
@@ -5102,7 +5168,7 @@
 DocType: Hotel Room,Hotel Room,Hotelkamer
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Rekening {0} behoort nie aan maatskappy {1}
 DocType: Leave Type,Rounding,afronding
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Reeksnommers in ry {0} stem nie ooreen met Afleweringsnota nie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Reeksnommers in ry {0} stem nie ooreen met Afleweringsnota nie
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Uitgestelde bedrag (Pro-gegradeerde)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Dan word prysreëls gefilter op grond van kliënt, kliëntegroep, gebied, verskaffer, verskaffersgroep, veldtog, verkoopsvennoot, ens."
 DocType: Student,Guardian Details,Besonderhede van die voog
@@ -5111,10 +5177,10 @@
 DocType: Vehicle,Chassis No,Chassisnr
 DocType: Payment Request,Initiated,geïnisieer
 DocType: Production Plan Item,Planned Start Date,Geplande begin datum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Kies asseblief &#39;n BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Kies asseblief &#39;n BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Benut ITC Geïntegreerde Belasting
 DocType: Purchase Order Item,Blanket Order Rate,Dekking bestelkoers
-apps/erpnext/erpnext/hooks.py +156,Certification,sertifisering
+apps/erpnext/erpnext/hooks.py +157,Certification,sertifisering
 DocType: Bank Guarantee,Clauses and Conditions,Klousules en Voorwaardes
 DocType: Serial No,Creation Document Type,Skepping dokument tipe
 DocType: Project Task,View Timesheet,Bekyk tydrooster
@@ -5139,6 +5205,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Ouer Item {0} mag nie &#39;n voorraaditem wees nie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Webwerf aanbieding
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle Produkte of Dienste.
+DocType: Email Digest,Open Quotations,Oop Kwotasies
 DocType: Expense Claim,More Details,Meer besonderhede
 DocType: Supplier Quotation,Supplier Address,Verskaffer Adres
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget vir rekening {1} teen {2} {3} is {4}. Dit sal oorskry met {5}
@@ -5153,12 +5220,11 @@
 DocType: Training Event,Exam,eksamen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Markeringsfout
 DocType: Complaint,Complaint,klagte
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Pakhuis benodig vir voorraad Item {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Pakhuis benodig vir voorraad Item {0}
 DocType: Leave Allocation,Unused leaves,Ongebruikte blare
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Maak terugbetalinginskrywing
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Alle Departemente
 DocType: Healthcare Service Unit,Vacant,vakante
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Verskaffer&gt; Verskaffer Tipe
 DocType: Patient,Alcohol Past Use,Alkohol Gebruik
 DocType: Fertilizer Content,Fertilizer Content,Kunsmis Inhoud
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5166,7 +5232,7 @@
 DocType: Tax Rule,Billing State,Billing State
 DocType: Share Transfer,Transfer,oordrag
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Werkorder {0} moet gekanselleer word voordat u hierdie verkooporder kanselleer
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Haal ontplof BOM (insluitend sub-gemeentes)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Haal ontplof BOM (insluitend sub-gemeentes)
 DocType: Authorization Rule,Applicable To (Employee),Toepasbaar op (Werknemer)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Verpligte datum is verpligtend
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Toename vir kenmerk {0} kan nie 0 wees nie
@@ -5182,7 +5248,7 @@
 DocType: Disease,Treatment Period,Behandelingsperiode
 DocType: Travel Itinerary,Travel Itinerary,Reisplan
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Resultaat reeds ingedien
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Gereserveerde pakhuis is verpligtend vir Item {0} in Grondstowwe wat verskaf word
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Gereserveerde pakhuis is verpligtend vir Item {0} in Grondstowwe wat verskaf word
 ,Inactive Customers,Onaktiewe kliënte
 DocType: Student Admission Program,Maximum Age,Maksimum ouderdom
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Wag asseblief 3 dae voordat die herinnering weer gestuur word.
@@ -5191,7 +5257,6 @@
 DocType: Stock Entry,Delivery Note No,Aflewerings Nota Nr
 DocType: Cheque Print Template,Message to show,Boodskap om te wys
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Kleinhandel
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Bestuur aanstelling faktuur outomaties
 DocType: Student Attendance,Absent,afwesig
 DocType: Staffing Plan,Staffing Plan Detail,Personeelplanbesonderhede
 DocType: Employee Promotion,Promotion Date,Bevorderingsdatum
@@ -5213,7 +5278,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Maak Lood
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Druk en skryfbehoeftes
 DocType: Stock Settings,Show Barcode Field,Toon strepieskode veld
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Stuur verskaffer e-pos
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Stuur verskaffer e-pos
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaris wat reeds vir die tydperk tussen {0} en {1} verwerk is, kan die verlengde aansoekperiode nie tussen hierdie datumreeks wees nie."
 DocType: Fiscal Year,Auto Created,Outomaties geskep
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Dien dit in om die Werknemers rekord te skep
@@ -5222,7 +5287,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktuur {0} bestaan nie meer nie
 DocType: Guardian Interest,Guardian Interest,Voogbelang
 DocType: Volunteer,Availability,beskikbaarheid
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Stel verstekwaardes vir POS-fakture
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Stel verstekwaardes vir POS-fakture
 apps/erpnext/erpnext/config/hr.py +248,Training,opleiding
 DocType: Project,Time to send,Tyd om te stuur
 DocType: Timesheet,Employee Detail,Werknemersbesonderhede
@@ -5245,7 +5310,7 @@
 DocType: Training Event Employee,Optional,opsioneel
 DocType: Salary Slip,Earning & Deduction,Verdien en aftrekking
 DocType: Agriculture Analysis Criteria,Water Analysis,Wateranalise
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variante geskep.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variante geskep.
 DocType: Amazon MWS Settings,Region,streek
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opsioneel. Hierdie instelling sal gebruik word om in verskillende transaksies te filter.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negatiewe Waardasietarief word nie toegelaat nie
@@ -5264,7 +5329,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Koste van geskrap Bate
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Koste sentrum is verpligtend vir item {2}
 DocType: Vehicle,Policy No,Polisnr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Kry Items van Produk Bundel
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Kry Items van Produk Bundel
 DocType: Asset,Straight Line,Reguit lyn
 DocType: Project User,Project User,Projekgebruiker
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,verdeel
@@ -5272,7 +5337,7 @@
 DocType: GL Entry,Is Advance,Is vooruit
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Werknemer lewensiklus
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Bywoning vanaf datum en bywoning tot datum is verpligtend
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Tik asb. &#39;Ja&#39; of &#39;Nee&#39; in
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Tik asb. &#39;Ja&#39; of &#39;Nee&#39; in
 DocType: Item,Default Purchase Unit of Measure,Verstek aankoopeenheid van maatreël
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Laaste Kommunikasiedatum
 DocType: Clinical Procedure Item,Clinical Procedure Item,Kliniese Prosedure Item
@@ -5281,7 +5346,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Toegang token of Shopify-URL ontbreek
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,Scrap Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Pakhuis benodig by ry nr {0}, stel asseblief standaard pakhuis vir die item {1} vir die maatskappy {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Pakhuis benodig by ry nr {0}, stel asseblief standaard pakhuis vir die item {1} vir die maatskappy {2}"
 DocType: Work Order,Check if material transfer entry is not required,Kyk of die invoer van materiaal oorplasing nie nodig is nie
 DocType: Program Enrollment Tool,Get Students From,Kry studente van
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Publiseer items op die webwerf
@@ -5296,6 +5361,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nuwe batch hoeveelheid
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Auto &amp; Toebehore
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Kon nie geweegde tellingfunksie oplos nie. Maak seker dat die formule geldig is.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Bestelling Items wat nie betyds ontvang is nie
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Aantal bestellings
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner wat op die top van die produklys verskyn.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Spesifiseer voorwaardes om die versendingsbedrag te bereken
@@ -5304,9 +5370,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,pad
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Kan nie Kostesentrum omskakel na grootboek nie aangesien dit nodusse het
 DocType: Production Plan,Total Planned Qty,Totale Beplande Aantal
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Openingswaarde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Openingswaarde
 DocType: Salary Component,Formula,formule
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serie #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serie #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Verkooprekening
 DocType: Purchase Invoice Item,Total Weight,Totale Gewig
@@ -5324,7 +5390,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Materiaal Versoek
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Oop item {0}
 DocType: Asset Finance Book,Written Down Value,Geskryf af waarde
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Installeer asseblief die Naam van Werknemers in Menslike Hulpbronne&gt; MH-instellings
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Verkoopsfaktuur {0} moet gekanselleer word voordat u hierdie verkope bestelling kanselleer
 DocType: Clinical Procedure,Age,ouderdom
 DocType: Sales Invoice Timesheet,Billing Amount,Rekening Bedrag
@@ -5333,11 +5398,11 @@
 DocType: Company,Default Employee Advance Account,Verstekpersoneelvoorskotrekening
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Soek item (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Rekening met bestaande transaksie kan nie uitgevee word nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Rekening met bestaande transaksie kan nie uitgevee word nie
 DocType: Vehicle,Last Carbon Check,Laaste Carbon Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Regskoste
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Kies asseblief die hoeveelheid op ry
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Maak Openingsverkope en Aankoopfakture
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Maak Openingsverkope en Aankoopfakture
 DocType: Purchase Invoice,Posting Time,Posietyd
 DocType: Timesheet,% Amount Billed,% Bedrag gefaktureer
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefoon uitgawes
@@ -5352,14 +5417,14 @@
 DocType: Maintenance Visit,Breakdown,Afbreek
 DocType: Travel Itinerary,Vegetarian,Vegetariese
 DocType: Patient Encounter,Encounter Date,Ontmoeting Datum
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Rekening: {0} met valuta: {1} kan nie gekies word nie
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Rekening: {0} met valuta: {1} kan nie gekies word nie
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata
 DocType: Purchase Receipt Item,Sample Quantity,Monster Hoeveelheid
 DocType: Bank Guarantee,Name of Beneficiary,Naam van Begunstigde
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Werk BOM koste outomaties via Scheduler, gebaseer op die jongste waarderings koers / prys lys koers / laaste aankoop koers van grondstowwe."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Check Date
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Rekening {0}: Ouerrekening {1} behoort nie aan maatskappy nie: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Rekening {0}: Ouerrekening {1} behoort nie aan maatskappy nie: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Suksesvol verwyder alle transaksies met betrekking tot hierdie maatskappy!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Soos op datum
 DocType: Additional Salary,HR,HR
@@ -5367,7 +5432,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Uit Pasiënt SMS Alert
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Proef
 DocType: Program Enrollment Tool,New Academic Year,Nuwe akademiese jaar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Opgawe / Kredietnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Opgawe / Kredietnota
 DocType: Stock Settings,Auto insert Price List rate if missing,Voer outomaties pryslys in indien dit ontbreek
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Totale betaalde bedrag
 DocType: GST Settings,B2C Limit,B2C Limiet
@@ -5385,10 +5450,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Kinder nodusse kan slegs geskep word onder &#39;Groep&#39; tipe nodusse
 DocType: Attendance Request,Half Day Date,Halfdag Datum
 DocType: Academic Year,Academic Year Name,Naam van die akademiese jaar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} mag nie met {1} handel nie. Verander asseblief die Maatskappy.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} mag nie met {1} handel nie. Verander asseblief die Maatskappy.
 DocType: Sales Partner,Contact Desc,Kontak Desc
 DocType: Email Digest,Send regular summary reports via Email.,Stuur gereelde opsommingsverslae per e-pos.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Stel asseblief die verstekrekening in Koste-eis Tipe {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Stel asseblief die verstekrekening in Koste-eis Tipe {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Beskikbare blare
 DocType: Assessment Result,Student Name,Studente naam
 DocType: Hub Tracked Item,Item Manager,Itembestuurder
@@ -5413,9 +5478,10 @@
 DocType: Subscription,Trial Period End Date,Proefperiode Einddatum
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Nie outhroized sedert {0} oorskry limiete
 DocType: Serial No,Asset Status,Bate Status
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Oor Dimensionele Lading (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurant Tafel
 DocType: Hotel Room,Hotel Manager,Hotel Bestuurder
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Stel belastingreël vir inkopiesentrum
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Stel belastingreël vir inkopiesentrum
 DocType: Purchase Invoice,Taxes and Charges Added,Belasting en heffings bygevoeg
 ,Sales Funnel,Verkope trechter
 apps/erpnext/erpnext/setup/doctype/company/company.py +53,Abbreviation is mandatory,Afkorting is verpligtend
@@ -5430,10 +5496,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Alle kliënte groepe
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Opgehoop maandeliks
 DocType: Attendance Request,On Duty,Op diens
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verpligtend. Miskien is Geldwissel-rekord nie vir {1} tot {2} geskep nie.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verpligtend. Miskien is Geldwissel-rekord nie vir {1} tot {2} geskep nie.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Personeelplan {0} bestaan reeds vir aanwysing {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Belasting sjabloon is verpligtend.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Rekening {0}: Ouerrekening {1} bestaan nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Rekening {0}: Ouerrekening {1} bestaan nie
 DocType: POS Closing Voucher,Period Start Date,Periode Begin Datum
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Pryslyskoers (Maatskappy Geld)
 DocType: Products Settings,Products Settings,Produkte instellings
@@ -5453,7 +5519,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Hierdie aksie sal toekomstige fakturering stop. Is jy seker jy wil hierdie intekening kanselleer?
 DocType: Serial No,Distinct unit of an Item,Duidelike eenheid van &#39;n item
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriteria Naam
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Stel asseblief die Maatskappy in
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Stel asseblief die Maatskappy in
 DocType: Procedure Prescription,Procedure Created,Prosedure geskep
 DocType: Pricing Rule,Buying,koop
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Siektes en Misstowwe
@@ -5470,42 +5536,43 @@
 DocType: Employee Onboarding,Job Offer,Werksaanbod
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Instituut Afkorting
 ,Item-wise Price List Rate,Item-item Pryslys
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Verskaffer Kwotasie
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Verskaffer Kwotasie
 DocType: Quotation,In Words will be visible once you save the Quotation.,In Woorde sal sigbaar wees sodra jy die Kwotasie stoor.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan nie &#39;n breuk in ry {1} wees nie.
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan nie &#39;n breuk in ry {1} wees nie.
 DocType: Contract,Unsigned,Unsigned
 DocType: Selling Settings,Each Transaction,Elke transaksie
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} wat reeds in item {1} gebruik is
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} wat reeds in item {1} gebruik is
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reëls vir die byvoeging van verskepingskoste.
 DocType: Hotel Room,Extra Bed Capacity,Ekstra Bed Capaciteit
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Openingsvoorraad
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kliënt word vereis
 DocType: Lab Test,Result Date,Resultaat Datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Datum
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Datum
 DocType: Purchase Order,To Receive,Om te ontvang
 DocType: Leave Period,Holiday List for Optional Leave,Vakansie Lys vir Opsionele Verlof
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Bate-eienaar
 DocType: Purchase Invoice,Reason For Putting On Hold,Rede vir die aanskakel
 DocType: Employee,Personal Email,Persoonlike e-pos
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Totale Variansie
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Totale Variansie
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Indien geaktiveer, sal die stelsel outomaties rekeningkundige inskrywings vir voorraad plaas."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,makelaars
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Bywoning vir werknemer {0} is reeds gemerk vir hierdie dag
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Bywoning vir werknemer {0} is reeds gemerk vir hierdie dag
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",In Notules Opgedateer via &#39;Time Log&#39;
 DocType: Customer,From Lead,Van Lood
 DocType: Amazon MWS Settings,Synch Orders,Sinkorde
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Bestellings vrygestel vir produksie.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Kies fiskale jaar ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS-profiel wat nodig is om POS-inskrywing te maak
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS-profiel wat nodig is om POS-inskrywing te maak
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Loyaliteitspunte sal bereken word uit die bestede gedoen (via die Verkoopfaktuur), gebaseer op die genoemde invorderingsfaktor."
 DocType: Program Enrollment Tool,Enroll Students,Teken studente in
 DocType: Company,HRA Settings,HRA-instellings
 DocType: Employee Transfer,Transfer Date,Oordragdatum
 DocType: Lab Test,Approved Date,Goedgekeurde Datum
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standaardverkope
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Ten minste een pakhuis is verpligtend
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Ten minste een pakhuis is verpligtend
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Stel itemvelde soos UOM, Itemgroep, Beskrywing en Aantal ure."
 DocType: Certification Application,Certification Status,Sertifiseringsstatus
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,mark
@@ -5520,10 +5587,12 @@
 DocType: Antibiotic,Laboratory User,Laboratoriumgebruiker
 DocType: Request for Quotation Item,Project Name,Projek Naam
 DocType: Customer,Mention if non-standard receivable account,Noem as nie-standaard ontvangbare rekening
+apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +63,Please add the remaining benefits {0} to any of the existing component,Voeg asseblief die oorblywende voordele {0} by enige van die bestaande komponente by
 DocType: Journal Entry Account,If Income or Expense,As inkomste of uitgawes
 DocType: Bank Statement Transaction Entry,Matching Invoices,Aanpassing van fakture
 DocType: Work Order,Required Items,Vereiste items
 DocType: Stock Ledger Entry,Stock Value Difference,Voorraadwaarde Verskil
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Itemreeks {0}: {1} {2} bestaan nie in bostaande &#39;{1}&#39; tabel nie
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Menslike hulpbronne
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betaalversoening Betaling
 DocType: Disease,Treatment Task,Behandelingstaak
@@ -5541,7 +5610,8 @@
 DocType: Account,Debit,debiet-
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Blare moet in veelvoude van 0.5 toegeken word
 DocType: Work Order,Operation Cost,Bedryfskoste
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Uitstaande Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identifisering van Besluitmakers
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Uitstaande Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Stel teikens itemgroep-wys vir hierdie verkoopspersoon.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Vries Voorrade Ouer As [Dae]
 DocType: Payment Request,Payment Ordered,Betaling bestel
@@ -5553,13 +5623,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Laat die volgende gebruikers toe om Laat aansoeke vir blokdae goed te keur.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Lewens siklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Maak BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopsyfer vir item {0} is laer as sy {1}. Verkoopsyfer moet ten minste {2} wees
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopsyfer vir item {0} is laer as sy {1}. Verkoopsyfer moet ten minste {2} wees
 DocType: Subscription,Taxes,belasting
 DocType: Purchase Invoice,capital goods,kapitaalgoedere
 DocType: Purchase Invoice Item,Weight Per Unit,Gewig Per Eenheid
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Betaal en nie afgelewer nie
-DocType: Project,Default Cost Center,Verstek koste sentrum
-DocType: Delivery Note,Transporter Doc No,Vervoerder Dokument No
+DocType: QuickBooks Migrator,Default Cost Center,Verstek koste sentrum
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Voorraadtransaksies
 DocType: Budget,Budget Accounts,Begrotingsrekeninge
 DocType: Employee,Internal Work History,Interne werkgeskiedenis
@@ -5592,7 +5661,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Gesondheidsorgpraktisyn nie beskikbaar op {0}
 DocType: Stock Entry Detail,Additional Cost,Addisionele koste
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Kan nie filter gebaseer op Voucher No, indien gegroepeer deur Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Maak Verskaffer Kwotasie
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Maak Verskaffer Kwotasie
 DocType: Quality Inspection,Incoming,inkomende
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Standaard belasting sjablonen vir verkope en aankoop word gemaak.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Assesseringsresultaat rekord {0} bestaan reeds.
@@ -5608,7 +5677,7 @@
 DocType: Batch,Batch ID,Lot ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Nota: {0}
 ,Delivery Note Trends,Delivery Notendendense
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Hierdie week se opsomming
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Hierdie week se opsomming
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Op voorraad Aantal
 ,Daily Work Summary Replies,Daaglikse Werkopsomming Antwoorde
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Bereken die beraamde aankomstye
@@ -5618,7 +5687,7 @@
 DocType: Bank Account,Party,Party
 DocType: Healthcare Settings,Patient Name,Pasiënt Naam
 DocType: Variant Field,Variant Field,Variant Veld
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Teiken Plek
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Teiken Plek
 DocType: Sales Order,Delivery Date,Afleweringsdatum
 DocType: Opportunity,Opportunity Date,Geleentheid Datum
 DocType: Employee,Health Insurance Provider,Versekeringsverskaffer
@@ -5637,7 +5706,7 @@
 DocType: Employee,History In Company,Geskiedenis In Maatskappy
 DocType: Customer,Customer Primary Address,Primêre adres van die kliënt
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,nuusbriewe
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Verwysingsnommer.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Verwysingsnommer.
 DocType: Drug Prescription,Description/Strength,Beskrywing / Krag
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Skep Nuwe Betaling / Joernaal Inskrywing
 DocType: Certification Application,Certification Application,Sertifiseringsaansoek
@@ -5648,10 +5717,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Dieselfde item is verskeie kere ingevoer
 DocType: Department,Leave Block List,Los blokkie lys
 DocType: Purchase Invoice,Tax ID,Belasting ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} is nie opgestel vir Serial Nos. Kolom moet leeg wees
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} is nie opgestel vir Serial Nos. Kolom moet leeg wees
 DocType: Accounts Settings,Accounts Settings,Rekeninge Instellings
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,goed te keur
 DocType: Loyalty Program,Customer Territory,Klientegebied
+DocType: Email Digest,Sales Orders to Deliver,Verkoopsbestellings om te lewer
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Aantal nuwe rekeninge, dit sal as &#39;n voorvoegsel in die rekeningnaam ingesluit word"
 DocType: Maintenance Team Member,Team Member,Spanmaat
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Geen resultaat om in te dien nie
@@ -5661,7 +5731,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Totale {0} vir alle items is nul, mag u verander word &quot;Versprei koste gebaseer op &#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Tot op datum kan nie minder as van datum wees nie
 DocType: Opportunity,To Discuss,Om te bespreek
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Dit is gebaseer op transaksies teen hierdie intekenaar. Sien die tydlyn hieronder vir besonderhede
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} eenhede van {1} benodig in {2} om hierdie transaksie te voltooi.
 DocType: Loan Type,Rate of Interest (%) Yearly,Rentekoers (%) Jaarliks
 DocType: Support Settings,Forum URL,Forum URL
@@ -5676,7 +5745,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Leer meer
 DocType: Cheque Print Template,Distance from top edge,Afstand van boonste rand
 DocType: POS Closing Voucher Invoices,Quantity of Items,Hoeveelheid items
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Pryslys {0} is gedeaktiveer of bestaan nie
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Pryslys {0} is gedeaktiveer of bestaan nie
 DocType: Purchase Invoice,Return,terugkeer
 DocType: Pricing Rule,Disable,afskakel
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Betaalmetode is nodig om betaling te maak
@@ -5684,18 +5753,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Wysig in volle bladsy vir meer opsies soos bates, reeksnommers, bondels ens."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksimum Deurlopende Dae Toepaslik
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} is nie in die bondel {2} ingeskryf nie
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Bate {0} kan nie geskrap word nie, want dit is reeds {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Bate {0} kan nie geskrap word nie, want dit is reeds {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Kontrole vereis
 DocType: Task,Total Expense Claim (via Expense Claim),Totale koste-eis (via koste-eis)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Merk afwesig
 DocType: Job Applicant Source,Job Applicant Source,Job Applikant Bron
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Bedrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Bedrag
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Kon nie maatskappy opstel nie
 DocType: Asset Repair,Asset Repair,Bate Herstel
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ry {0}: Geld van die BOM # {1} moet gelyk wees aan die gekose geldeenheid {2}
 DocType: Journal Entry Account,Exchange Rate,Wisselkoers
 DocType: Patient,Additional information regarding the patient,Bykomende inligting rakende die pasiënt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Verkoopsbestelling {0} is nie ingedien nie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Verkoopsbestelling {0} is nie ingedien nie
 DocType: Homepage,Tag Line,Tag Line
 DocType: Fee Component,Fee Component,Fooi-komponent
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Vloot bestuur
@@ -5710,7 +5779,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobile
 ,Sales Person-wise Transaction Summary,Verkope Persoonlike Transaksie Opsomming
 DocType: Training Event,Contact Number,Kontak nommer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Warehouse {0} bestaan nie
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Warehouse {0} bestaan nie
 DocType: Cashier Closing,Custody,bewaring
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Werknemersbelastingvrystelling Bewysinligtingsbesonderhede
 DocType: Monthly Distribution,Monthly Distribution Percentages,Maandelikse Verspreidingspersentasies
@@ -5725,7 +5794,7 @@
 DocType: Payment Entry,Paid Amount,Betaalde bedrag
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Verken Verkoopsiklus
 DocType: Assessment Plan,Supervisor,toesighouer
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Behoud Voorraad Inskrywing
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Behoud Voorraad Inskrywing
 ,Available Stock for Packing Items,Beskikbare voorraad vir verpakking items
 DocType: Item Variant,Item Variant,Item Variant
 ,Work Order Stock Report,Werk Bestelling Voorraad Verslag
@@ -5734,9 +5803,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,As Toesighouer
 DocType: Leave Policy Detail,Leave Policy Detail,Verlaat beleidsdetail
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,"Bestellings wat ingedien is, kan nie uitgevee word nie"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Rekeningbalans reeds in Debiet, jy mag nie &#39;Balans moet wees&#39; as &#39;Krediet&#39;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Gehalte bestuur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,"Bestellings wat ingedien is, kan nie uitgevee word nie"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Rekeningbalans reeds in Debiet, jy mag nie &#39;Balans moet wees&#39; as &#39;Krediet&#39;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Gehalte bestuur
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Item {0} is gedeaktiveer
 DocType: Project,Total Billable Amount (via Timesheets),Totale Rekeninge Bedrag (via Tydstate)
 DocType: Agriculture Task,Previous Business Day,Vorige sakedag
@@ -5759,14 +5828,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Kostesentrums
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Herbegin inskrywing
 DocType: Linked Plant Analysis,Linked Plant Analysis,Gekoppelde plant analise
-DocType: Delivery Note,Transporter ID,Vervoerder ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Vervoerder ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Waarde Proposisie
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Beoordeel by watter verskaffer se geldeenheid omgeskakel word na die maatskappy se basiese geldeenheid
-DocType: Sales Invoice Item,Service End Date,Diens Einddatum
+DocType: Purchase Invoice Item,Service End Date,Diens Einddatum
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ry # {0}: Tydsbesteding stryd met ry {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Laat zero waarderingspercentage toe
 DocType: Bank Guarantee,Receiving,ontvang
 DocType: Training Event Employee,Invited,Genooi
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup Gateway rekeninge.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup Gateway rekeninge.
 DocType: Employee,Employment Type,Indiensnemingstipe
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Vaste Bates
 DocType: Payment Entry,Set Exchange Gain / Loss,Stel ruilverhoging / verlies
@@ -5782,7 +5852,7 @@
 DocType: Tax Rule,Sales Tax Template,Sales Tax Template
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Betaal teen voordeel eis
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Dateer koste sentrum nommer by
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Kies items om die faktuur te stoor
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Kies items om die faktuur te stoor
 DocType: Employee,Encashment Date,Bevestigingsdatum
 DocType: Training Event,Internet,internet
 DocType: Special Test Template,Special Test Template,Spesiale Toets Sjabloon
@@ -5790,12 +5860,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Verstekaktiwiteitskoste bestaan vir aktiwiteitstipe - {0}
 DocType: Work Order,Planned Operating Cost,Beplande bedryfskoste
 DocType: Academic Term,Term Start Date,Termyn Begindatum
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lys van alle aandeel transaksies
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lys van alle aandeel transaksies
+DocType: Supplier,Is Transporter,Is Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Voer verkoopsfaktuur van Shopify in as betaling gemerk is
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Oppentelling
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Beide proefperiode begin datum en proeftydperk einddatum moet ingestel word
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Gemiddelde koers
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totale Betalingsbedrag in Betaalskedule moet gelyk wees aan Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totale Betalingsbedrag in Betaalskedule moet gelyk wees aan Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bankstaatbalans soos per Algemene Grootboek
 DocType: Job Applicant,Applicant Name,Aansoeker Naam
@@ -5823,7 +5894,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Beskikbare hoeveelheid by Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,waarborg
 DocType: Purchase Invoice,Debit Note Issued,Debiet Nota Uitgereik
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter gebaseer op Kostesentrum is slegs van toepassing indien Budget Against gekies word as Kostesentrum
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter gebaseer op Kostesentrum is slegs van toepassing indien Budget Against gekies word as Kostesentrum
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Soek volgens item kode, reeksnommer, joernaal of streepieskode"
 DocType: Work Order,Warehouses,pakhuise
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} bate kan nie oorgedra word nie
@@ -5834,9 +5905,9 @@
 DocType: Workstation,per hour,per uur
 DocType: Blanket Order,Purchasing,Koop
 DocType: Announcement,Announcement,aankondiging
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Kliënt LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Kliënt LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Vir Batch-gebaseerde Studentegroep sal die Studente-batch vir elke student van die Programinskrywing gekwalifiseer word.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse kan nie uitgevee word nie aangesien voorraad grootboekinskrywing vir hierdie pakhuis bestaan.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse kan nie uitgevee word nie aangesien voorraad grootboekinskrywing vir hierdie pakhuis bestaan.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,verspreiding
 DocType: Journal Entry Account,Loan,lening
 DocType: Expense Claim Advance,Expense Claim Advance,Koste Eis Voorskot
@@ -5845,7 +5916,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projek bestuurder
 ,Quoted Item Comparison,Genoteerde Item Vergelyking
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Oorvleuel in die telling tussen {0} en {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,versending
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,versending
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maksimum afslag wat toegelaat word vir item: {0} is {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Netto batewaarde soos aan
 DocType: Crop,Produce,produseer
@@ -5855,20 +5926,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Materiële Verbruik vir Vervaardiging
 DocType: Item Alternative,Alternative Item Code,Alternatiewe Item Kode
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol wat toegelaat word om transaksies voor te lê wat groter is as kredietlimiete.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Kies items om te vervaardig
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Kies items om te vervaardig
 DocType: Delivery Stop,Delivery Stop,Afleweringstop
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Meesterdata-sinkronisering, dit kan tyd neem"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Meesterdata-sinkronisering, dit kan tyd neem"
 DocType: Item,Material Issue,Materiële Uitgawe
 DocType: Employee Education,Qualification,kwalifikasie
 DocType: Item Price,Item Price,Itemprys
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Seep en wasmiddel
 DocType: BOM,Show Items,Wys items
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Van die tyd kan nie groter wees as die tyd nie.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Wil u al die kliënte per e-pos in kennis stel?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Wil u al die kliënte per e-pos in kennis stel?
 DocType: Subscription Plan,Billing Interval,Rekeninginterval
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,bestel
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Werklike begin datum en werklike einddatum is verpligtend
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kliënt&gt; Kliëntegroep&gt; Territorium
 DocType: Salary Detail,Component,komponent
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Ry {0}: {1} moet groter as 0 wees
 DocType: Assessment Criteria,Assessment Criteria Group,Assesseringskriteria Groep
@@ -5899,11 +5971,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Voer die naam van die bank of leningsinstelling in voordat u dit ingedien het.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} moet ingedien word
 DocType: POS Profile,Item Groups,Itemgroepe
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Vandag is {0} se verjaardag!
 DocType: Sales Order Item,For Production,Vir Produksie
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Saldo in rekeninggeld
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Voeg asseblief &#39;n Tydelike Openingsrekening in die Grafiek van Rekeninge by
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Voeg asseblief &#39;n Tydelike Openingsrekening in die Grafiek van Rekeninge by
 DocType: Customer,Customer Primary Contact,Kliënt Primêre Kontak
 DocType: Project Task,View Task,Bekyk Taak
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lei%
@@ -5916,11 +5987,11 @@
 DocType: Sales Invoice,Get Advances Received,Kry voorskotte ontvang
 DocType: Email Digest,Add/Remove Recipients,Voeg / verwyder ontvangers
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Om hierdie fiskale jaar as verstek te stel, klik op &#39;Stel as verstek&#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Bedrag van TDS afgetrek
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Bedrag van TDS afgetrek
 DocType: Production Plan,Include Subcontracted Items,Sluit onderaannemerte items in
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,aansluit
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Tekort
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Item variant {0} bestaan met dieselfde eienskappe
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,aansluit
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Tekort
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Item variant {0} bestaan met dieselfde eienskappe
 DocType: Loan,Repay from Salary,Terugbetaal van Salaris
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Versoek betaling teen {0} {1} vir bedrag {2}
 DocType: Additional Salary,Salary Slip,Salarisstrokie
@@ -5936,7 +6007,7 @@
 DocType: Patient,Dormant,dormant
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Aftrekbelasting vir Onopgeëiste Werknemervoordele
 DocType: Salary Slip,Total Interest Amount,Totale Rente Bedrag
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Pakhuise met kinderknope kan nie na grootboek omskep word nie
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Pakhuise met kinderknope kan nie na grootboek omskep word nie
 DocType: BOM,Manage cost of operations,Bestuur koste van bedrywighede
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Aankoms Datum Tyd
@@ -5948,7 +6019,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Assesseringsresultaat Detail
 DocType: Employee Education,Employee Education,Werknemersonderwys
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplikaat-itemgroep wat in die itemgroeptabel gevind word
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Dit is nodig om Itembesonderhede te gaan haal.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Dit is nodig om Itembesonderhede te gaan haal.
 DocType: Fertilizer,Fertilizer Name,Kunsmis Naam
 DocType: Salary Slip,Net Pay,Netto salaris
 DocType: Cash Flow Mapping Accounts,Account,rekening
@@ -5959,14 +6030,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Skep &#39;n afsonderlike betaling inskrywing teen voordeel eis
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Aanwesigheid van &#39;n koors (temp&gt; 38.5 ° C / 101.3 ° F of volgehoue temperatuur&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Verkoopspanbesonderhede
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Vee permanent uit?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Vee permanent uit?
 DocType: Expense Claim,Total Claimed Amount,Totale eisbedrag
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potensiële geleenthede vir verkoop.
 DocType: Shareholder,Folio no.,Folio nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Ongeldige {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Siekverlof
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,is nie
 DocType: Delivery Note,Billing Address Name,Rekening Adres Naam
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Departement winkels
 ,Item Delivery Date,Item Afleweringsdatum
@@ -5982,16 +6052,16 @@
 DocType: Account,Chargeable,laste
 DocType: Company,Change Abbreviation,Verander Afkorting
 DocType: Contract,Fulfilment Details,Vervulling Besonderhede
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Betaal {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Betaal {0} {1}
 DocType: Employee Onboarding,Activities,aktiwiteite
 DocType: Expense Claim Detail,Expense Date,Uitgawe Datum
 DocType: Item,No of Months,Aantal maande
 DocType: Item,Max Discount (%),Maksimum afslag (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kredietdae kan nie &#39;n negatiewe nommer wees nie
-DocType: Sales Invoice Item,Service Stop Date,Diensstopdatum
+DocType: Purchase Invoice Item,Service Stop Date,Diensstopdatum
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Laaste bestelbedrag
 DocType: Cash Flow Mapper,e.g Adjustments for:,bv. Aanpassings vir:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} Behou Voorbeeld is gebaseer op &#39;n bondel. Kontroleer asseblief Het batchnommer om monster van item te behou
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} Behou Voorbeeld is gebaseer op &#39;n bondel. Kontroleer asseblief Het batchnommer om monster van item te behou
 DocType: Task,Is Milestone,Is Milestone
 DocType: Certification Application,Yet to appear,Nog om te verskyn
 DocType: Delivery Stop,Email Sent To,E-pos gestuur na
@@ -5999,16 +6069,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Laat die koste sentrum toe by die inskrywing van die balansstaatrekening
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Voeg saam met bestaande rekening
 DocType: Budget,Warn,waarsku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Alle items is reeds vir hierdie werkorder oorgedra.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Alle items is reeds vir hierdie werkorder oorgedra.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Enige ander opmerkings, noemenswaardige poging wat in die rekords moet plaasvind."
 DocType: Asset Maintenance,Manufacturing User,Vervaardigingsgebruiker
 DocType: Purchase Invoice,Raw Materials Supplied,Grondstowwe voorsien
 DocType: Subscription Plan,Payment Plan,Betalingsplan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Aktiveer aankoop van items via die webwerf
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Geld van die pryslys {0} moet {1} of {2} wees.
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Subskripsiebestuur
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Subskripsiebestuur
 DocType: Appraisal,Appraisal Template,Appraisal Template
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Om PIN te kode
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Om PIN te kode
 DocType: Soil Texture,Ternary Plot,Ternêre Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Kontroleer hierdie om &#39;n geskeduleerde daaglikse sinkronisasie roetine in te stel via skedulering
 DocType: Item Group,Item Classification,Item Klassifikasie
@@ -6018,6 +6088,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Faktuur Pasiënt Registrasie
 DocType: Crop,Period,tydperk
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Algemene lêer
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Na fiskale jaar
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Bekyk Leads
 DocType: Program Enrollment Tool,New Program,Nuwe Program
 DocType: Item Attribute Value,Attribute Value,Attribuutwaarde
@@ -6026,11 +6097,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Recommended Reorder Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Werknemer {0} van graad {1} het geen verlofverlofbeleid nie
 DocType: Salary Detail,Salary Detail,Salarisdetail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Kies asseblief eers {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Kies asseblief eers {0}
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Bygevoeg {0} gebruikers
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",In die geval van &#39;n multi-vlak program sal kliënte outomaties toegewys word aan die betrokke vlak volgens hul besteding
 DocType: Appointment Type,Physician,dokter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} van Item {1} is verval.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} van Item {1} is verval.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,konsultasies
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Voltooi Goed
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Itemprys verskyn verskeie kere gebaseer op Pryslys, Verskaffer / Kliënt, Geld, Item, UOM, Hoeveelheid en Datums."
@@ -6039,22 +6110,21 @@
 DocType: Certification Application,Name of Applicant,Naam van applikant
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tydskrif vir vervaardiging.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotaal
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kan nie Variant eiendomme verander na voorraad transaksie. Jy sal &#39;n nuwe item moet maak om dit te doen.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kan nie Variant eiendomme verander na voorraad transaksie. Jy sal &#39;n nuwe item moet maak om dit te doen.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA Mandaat
 DocType: Healthcare Practitioner,Charges,koste
 DocType: Production Plan,Get Items For Work Order,Kry items vir werkorder
 DocType: Salary Detail,Default Amount,Verstekbedrag
 DocType: Lab Test Template,Descriptive,beskrywende
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Pakhuis nie in die stelsel gevind nie
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Hierdie maand se opsomming
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Hierdie maand se opsomming
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kwaliteit Inspeksie Lees
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Vries voorraad ouer as` moet kleiner as% d dae wees.
 DocType: Tax Rule,Purchase Tax Template,Aankoop belasting sjabloon
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Stel &#39;n verkoopsdoel wat u vir u onderneming wil bereik.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Gesondheidsorgdienste
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Gesondheidsorgdienste
 ,Project wise Stock Tracking,Projek-wyse Voorraad dop
 DocType: GST HSN Code,Regional,plaaslike
-DocType: Delivery Note,Transport Mode,Vervoer af
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,laboratorium
 DocType: UOM Category,UOM Category,UOM Kategorie
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Werklike hoeveelheid (by bron / teiken)
@@ -6077,17 +6147,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Kon nie webwerf skep nie
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Gesprek Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Retensie Voorraad Inskrywing reeds geskep of monster hoeveelheid nie verskaf nie
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Retensie Voorraad Inskrywing reeds geskep of monster hoeveelheid nie verskaf nie
 DocType: Program,Program Abbreviation,Program Afkorting
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Produksie bestelling kan nie teen &#39;n Item Sjabloon verhoog word nie
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kostes word opgedateer in Aankoopontvangste teen elke item
 DocType: Warranty Claim,Resolved By,Besluit deur
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Skedule ontslag
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Tjeks en deposito&#39;s is verkeerd skoongemaak
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Rekening {0}: Jy kan nie homself as ouerrekening toewys nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Rekening {0}: Jy kan nie homself as ouerrekening toewys nie
 DocType: Purchase Invoice Item,Price List Rate,Pryslys
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Skep kliënte kwotasies
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Diensstopdatum kan nie na diens einddatum wees nie
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Diensstopdatum kan nie na diens einddatum wees nie
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Toon &quot;In voorraad&quot; of &quot;Nie in voorraad nie&quot; gebaseer op voorraad beskikbaar in hierdie pakhuis.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Wetsontwerp (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Gemiddelde tyd wat deur die verskaffer geneem word om te lewer
@@ -6099,11 +6169,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ure
 DocType: Project,Expected Start Date,Verwagte begin datum
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korreksie in Faktuur
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Werkorde wat reeds geskep is vir alle items met BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Werkorde wat reeds geskep is vir alle items met BOM
 DocType: Payment Request,Party Details,Party Besonderhede
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant Besonderhede Verslag
 DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Kooppryslys
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Kooppryslys
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Verwyder item as koste nie op daardie item van toepassing is nie
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Kanselleer intekening
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Kies asseblief Onderhoudstatus as Voltooi of verwyder Voltooiingsdatum
@@ -6121,7 +6191,7 @@
 DocType: Asset,Disposal Date,Vervreemdingsdatum
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-pos sal gestuur word aan alle Aktiewe Werknemers van die maatskappy op die gegewe uur, indien hulle nie vakansie het nie. Opsomming van antwoorde sal om middernag gestuur word."
 DocType: Employee Leave Approver,Employee Leave Approver,Werknemerverlofgoedkeuring
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Ry {0}: &#39;n Herbestellinginskrywing bestaan reeds vir hierdie pakhuis {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Ry {0}: &#39;n Herbestellinginskrywing bestaan reeds vir hierdie pakhuis {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Kan nie verklaar word as verlore nie, omdat aanhaling gemaak is."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP rekening
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Opleiding Terugvoer
@@ -6133,7 +6203,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Tot op datum kan nie voor die datum wees nie
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Afdeling voetstuk
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Voeg pryse by
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Voeg pryse by
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Werknemersbevordering kan nie voor die Bevorderingsdatum ingedien word nie
 DocType: Batch,Parent Batch,Ouer-bondel
 DocType: Cheque Print Template,Cheque Print Template,Gaan afdruk sjabloon
@@ -6143,6 +6213,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Voorbeeld versameling
 ,Requested Items To Be Ordered,Gevraagde items om bestel te word
 DocType: Price List,Price List Name,Pryslys Naam
+DocType: Delivery Stop,Dispatch Information,Versending Inligting
 DocType: Blanket Order,Manufacturing,vervaardiging
 ,Ordered Items To Be Delivered,Bestelde items wat afgelewer moet word
 DocType: Account,Income,Inkomste
@@ -6161,17 +6232,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} eenhede van {1} benodig in {2} op {3} {4} vir {5} om hierdie transaksie te voltooi.
 DocType: Fee Schedule,Student Category,Student Kategorie
 DocType: Announcement,Student,student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Voorraadhoeveelheid om te begin prosedure is nie beskikbaar in die pakhuis nie. Wil jy &#39;n Voorraadoorplasing opneem
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Voorraadhoeveelheid om te begin prosedure is nie beskikbaar in die pakhuis nie. Wil jy &#39;n Voorraadoorplasing opneem
 DocType: Shipping Rule,Shipping Rule Type,Versending Reël Tipe
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Gaan na kamers
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Maatskappy, Betalingrekening, Datum en Datum is verpligtend"
 DocType: Company,Budget Detail,Begrotingsbesonderhede
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vul asseblief die boodskap in voordat u dit stuur
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKAAT VIR VERSKAFFER
-DocType: Email Digest,Pending Quotations,Hangende kwotasies
-DocType: Delivery Note,Distance (KM),Afstand (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Verskaffer&gt; Verskaffersgroep
 DocType: Asset,Custodian,bewaarder
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Verkooppunt Profiel
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Verkooppunt Profiel
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} moet &#39;n waarde tussen 0 en 100 wees
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Betaling van {0} van {1} na {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Onversekerde Lenings
@@ -6203,10 +6273,10 @@
 DocType: Lead,Converted,Omgeskakel
 DocType: Item,Has Serial No,Het &#39;n serienummer
 DocType: Employee,Date of Issue,Datum van uitreiking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Soos vir die koop-instellings as aankoopversoek benodig == &#39;JA&#39;, dan moet u vir aankoop-kwitansie eers vir item {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Soos vir die koop-instellings as aankoopversoek benodig == &#39;JA&#39;, dan moet u vir aankoop-kwitansie eers vir item {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Ry # {0}: Stel verskaffer vir item {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Ry {0}: Ure waarde moet groter as nul wees.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Webwerfbeeld {0} verbonde aan Item {1} kan nie gevind word nie
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Webwerfbeeld {0} verbonde aan Item {1} kan nie gevind word nie
 DocType: Issue,Content Type,Inhoud Tipe
 DocType: Asset,Assets,bates
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,rekenaar
@@ -6217,7 +6287,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} bestaan nie
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Gaan asseblief die opsie Multi Currency aan om rekeninge met ander geldeenhede toe te laat
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} bestaan nie in die stelsel nie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Jy is nie gemagtig om die bevrore waarde te stel nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Jy is nie gemagtig om die bevrore waarde te stel nie
 DocType: Payment Reconciliation,Get Unreconciled Entries,Kry ongekonfronteerde inskrywings
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Werknemer {0} is op verlof op {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Geen terugbetalings gekies vir Joernaalinskrywings nie
@@ -6235,13 +6305,14 @@
 ,Average Commission Rate,Gemiddelde Kommissie Koers
 DocType: Share Balance,No of Shares,Aantal Aandele
 DocType: Taxable Salary Slab,To Amount,Om Bedrag
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;Het &#39;n serienummer&#39; kan nie &#39;Ja&#39; wees vir nie-voorraaditem
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;Het &#39;n serienummer&#39; kan nie &#39;Ja&#39; wees vir nie-voorraaditem
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Kies Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Bywoning kan nie vir toekomstige datums gemerk word nie
 DocType: Support Search Source,Post Description Key,Pos Beskrywing Sleutel
 DocType: Pricing Rule,Pricing Rule Help,Pricing Rule Help
 DocType: School House,House Name,Huis Naam
 DocType: Fee Schedule,Total Amount per Student,Totale bedrag per student
+DocType: Opportunity,Sales Stage,Verkoopsfase
 DocType: Purchase Taxes and Charges,Account Head,Rekeninghoof
 DocType: Company,HRA Component,HRA komponent
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektriese
@@ -6249,15 +6320,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Totale waardeverskil (Uit - In)
 DocType: Grant Application,Requested Amount,Gevraagde Bedrag
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Ry {0}: Wisselkoers is verpligtend
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Gebruiker ID nie ingestel vir Werknemer {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Gebruiker ID nie ingestel vir Werknemer {0}
 DocType: Vehicle,Vehicle Value,Voertuigwaarde
 DocType: Crop Cycle,Detected Diseases,Gevonde Siektes
 DocType: Stock Entry,Default Source Warehouse,Default Source Warehouse
 DocType: Item,Customer Code,Kliënt Kode
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Verjaardag Herinnering vir {0}
 DocType: Asset Maintenance Task,Last Completion Date,Laaste Voltooiingsdatum
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dae sedert Laaste bestelling
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debiet Vir rekening moet &#39;n balansstaatrekening wees
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debiet Vir rekening moet &#39;n balansstaatrekening wees
 DocType: Asset,Naming Series,Naming Series
 DocType: Vital Signs,Coated,Bedekte
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ry {0}: Verwagte Waarde Na Nuttige Lewe moet minder wees as Bruto Aankoopbedrag
@@ -6275,15 +6345,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Afleweringsnotasie {0} moet nie ingedien word nie
 DocType: Notification Control,Sales Invoice Message,Verkoopsfaktuurboodskap
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Sluitingsrekening {0} moet van die tipe Aanspreeklikheid / Ekwiteit wees
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Salaris Slip van werknemer {0} reeds geskep vir tydskrif {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Salaris Slip van werknemer {0} reeds geskep vir tydskrif {1}
 DocType: Vehicle Log,Odometer,odometer
 DocType: Production Plan Item,Ordered Qty,Bestelde hoeveelheid
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Item {0} is gedeaktiveer
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Item {0} is gedeaktiveer
 DocType: Stock Settings,Stock Frozen Upto,Voorraad Bevrore Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM bevat geen voorraaditem nie
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM bevat geen voorraaditem nie
 DocType: Chapter,Chapter Head,Hoof Hoof
 DocType: Payment Term,Month(s) after the end of the invoice month,Maand (en) na die einde van die faktuur maand
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Salarisstruktuur moet buigsame voordeelkomponent (e) hê om die voordeelbedrag te verdeel
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Salarisstruktuur moet buigsame voordeelkomponent (e) hê om die voordeelbedrag te verdeel
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projek aktiwiteit / taak.
 DocType: Vital Signs,Very Coated,Baie bedek
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Slegs Belasting Impak (Kan nie eis nie, maar deel van Belasbare inkomste)"
@@ -6301,7 +6371,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Rekeningure
 DocType: Project,Total Sales Amount (via Sales Order),Totale verkoopsbedrag (via verkoopsbestelling)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Verstek BOM vir {0} nie gevind nie
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Ry # {0}: Stel asseblief die volgorde van hoeveelheid in
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Ry # {0}: Stel asseblief die volgorde van hoeveelheid in
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tik items om hulle hier te voeg
 DocType: Fees,Program Enrollment,Programinskrywing
 DocType: Share Transfer,To Folio No,Om Folio No
@@ -6341,9 +6411,9 @@
 DocType: SG Creation Tool Course,Max Strength,Maksimum sterkte
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Voorinstellings installeer
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Geen afleweringsnota gekies vir kliënt {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Geen afleweringsnota gekies vir kliënt {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Werknemer {0} het geen maksimum voordeelbedrag nie
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Kies items gebaseer op Afleweringsdatum
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Kies items gebaseer op Afleweringsdatum
 DocType: Grant Application,Has any past Grant Record,Het enige vorige Grant-rekord
 ,Sales Analytics,Verkope Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Beskikbaar {0}
@@ -6351,12 +6421,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Vervaardigingsinstellings
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,E-pos opstel
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Voog 1 Mobiele Nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Voer asseblief die standaard geldeenheid in Company Master in
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Voer asseblief die standaard geldeenheid in Company Master in
 DocType: Stock Entry Detail,Stock Entry Detail,Voorraad Invoer Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Daaglikse onthounotas
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Daaglikse onthounotas
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Sien alle oop kaartjies
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Gesondheidsorg Diens Eenheid Boom
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,produk
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,produk
 DocType: Products Settings,Home Page is Products,Tuisblad is Produkte
 ,Asset Depreciation Ledger,Bate Waardevermindering Grootboek
 DocType: Salary Structure,Leave Encashment Amount Per Day,Verlof Encashment Bedrag per dag
@@ -6366,8 +6436,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Grondstowwe Voorsien Koste
 DocType: Selling Settings,Settings for Selling Module,Instellings vir Verkoop Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotel Kamer Bespreking
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Kliëntediens
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Kliëntediens
 DocType: BOM,Thumbnail,Duimnaelskets
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Geen kontakte met e-pos ID&#39;s gevind nie.
 DocType: Item Customer Detail,Item Customer Detail,Item kliënt detail
 DocType: Notification Control,Prompt for Email on Submission of,Vra vir epos oor indiening van
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maksimum voordeelbedrag van werknemer {0} oorskry {1}
@@ -6377,13 +6448,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Item {0} moet &#39;n voorraaditem wees
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Verstek werk in voortgang Warehouse
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Bylaes vir {0} oorvleuelings, wil jy voortgaan nadat jy oorlaaide gleuwe geslaan het?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Verstekinstellings vir rekeningkundige transaksies.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Verstekinstellings vir rekeningkundige transaksies.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Standaard belasting sjabloon
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studente is ingeskryf
 DocType: Fees,Student Details,Studente Besonderhede
 DocType: Purchase Invoice Item,Stock Qty,Voorraad Aantal
 DocType: Contract,Requires Fulfilment,Vereis Vervulling
+DocType: QuickBooks Migrator,Default Shipping Account,Verstek Posbus
 DocType: Loan,Repayment Period in Months,Terugbetalingsperiode in maande
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fout: Nie &#39;n geldige ID nie?
 DocType: Naming Series,Update Series Number,Werk reeksnommer
@@ -6397,11 +6469,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksimum bedrag
 DocType: Journal Entry,Total Amount Currency,Totale Bedrag Geld
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Soek subvergaderings
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Itemkode benodig by ry nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Itemkode benodig by ry nr {0}
 DocType: GST Account,SGST Account,SGST rekening
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Gaan na items
 DocType: Sales Partner,Partner Type,Vennoot Tipe
-DocType: Purchase Taxes and Charges,Actual,werklike
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,werklike
 DocType: Restaurant Menu,Restaurant Manager,Restaurant Bestuurder
 DocType: Authorization Rule,Customerwise Discount,Kliënte afslag
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Tydrooster vir take.
@@ -6422,7 +6494,7 @@
 DocType: Employee,Cheque,tjek
 DocType: Training Event,Employee Emails,Werknemende e-posse
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Reeks Opgedateer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Verslag Tipe is verpligtend
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Verslag Tipe is verpligtend
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Pakhuis is verpligtend vir voorraad Item {0} in ry {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Kleinhandel en Groothandel
@@ -6452,7 +6524,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Werk gefaktureerde bedrag in verkoopsbestelling op
 DocType: BOM,Materials,materiaal
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Indien nie gekontroleer nie, moet die lys by elke Departement gevoeg word waar dit toegepas moet word."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Posdatum en plasingstyd is verpligtend
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Posdatum en plasingstyd is verpligtend
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Belasting sjabloon vir die koop van transaksies.
 ,Item Prices,Itempryse
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,In Woorde sal sigbaar wees sodra jy die Aankoopbestelling stoor.
@@ -6468,12 +6540,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Reeks vir Bate Waardevermindering Inskrywing (Joernaal Inskrywing)
 DocType: Membership,Member Since,Lid sedert
 DocType: Purchase Invoice,Advance Payments,Vooruitbetalings
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Kies asseblief Gesondheidsorgdiens
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Kies asseblief Gesondheidsorgdiens
 DocType: Purchase Taxes and Charges,On Net Total,Op Netto Totaal
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Waarde vir kenmerk {0} moet binne die omvang van {1} tot {2} in die inkremente van {3} vir Item {4}
 DocType: Restaurant Reservation,Waitlisted,waglys
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Vrystellingskategorie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Geld kan nie verander word nadat inskrywings gebruik gemaak is van &#39;n ander geldeenheid nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Geld kan nie verander word nadat inskrywings gebruik gemaak is van &#39;n ander geldeenheid nie
 DocType: Shipping Rule,Fixed,vaste
 DocType: Vehicle Service,Clutch Plate,Koppelplaat
 DocType: Company,Round Off Account,Round Off Account
@@ -6482,7 +6554,7 @@
 DocType: Subscription Plan,Based on price list,Gebaseer op pryslys
 DocType: Customer Group,Parent Customer Group,Ouer Kliëntegroep
 DocType: Vehicle Service,Change,verandering
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,inskrywing
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,inskrywing
 DocType: Purchase Invoice,Contact Email,Kontak e-pos
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Fooi skepping hangende
 DocType: Appraisal Goal,Score Earned,Telling verdien
@@ -6509,23 +6581,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Ontvangbare / Betaalbare Rekening
 DocType: Delivery Note Item,Against Sales Order Item,Teen Verkooporder Item
 DocType: Company,Company Logo,Maatskappy Logo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Spesifiseer asseblief kenmerkwaarde vir attribuut {0}
-DocType: Item Default,Default Warehouse,Standaard pakhuis
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Spesifiseer asseblief kenmerkwaarde vir attribuut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Standaard pakhuis
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Begroting kan nie toegeken word teen Groeprekening {0}
 DocType: Shopping Cart Settings,Show Price,Wys prys
 DocType: Healthcare Settings,Patient Registration,Pasiëntregistrasie
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Voer asseblief ouer koste sentrum in
 DocType: Delivery Note,Print Without Amount,Druk Sonder Bedrag
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Depresiasie Datum
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Depresiasie Datum
 ,Work Orders in Progress,Werkopdragte in die proses
 DocType: Issue,Support Team,Ondersteuningspan
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Vervaldatum (In Dae)
 DocType: Appraisal,Total Score (Out of 5),Totale telling (uit 5)
 DocType: Student Attendance Tool,Batch,batch
 DocType: Support Search Source,Query Route String,Navraag roete string
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Opdateringskoers soos per vorige aankoop
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Opdateringskoers soos per vorige aankoop
 DocType: Donor,Donor Type,Skenker tipe
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Outo-herhaal dokument opgedateer
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Outo-herhaal dokument opgedateer
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,balans
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Kies asseblief die Maatskappy
 DocType: Job Card,Job Card,Werkkaart
@@ -6539,7 +6611,7 @@
 DocType: Assessment Result,Total Score,Totale telling
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standaard
 DocType: Journal Entry,Debit Note,Debietnota
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,U kan slegs maksimum {0} punte in hierdie volgorde los.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,U kan slegs maksimum {0} punte in hierdie volgorde los.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Voer asseblief die Verbruikersgeheim in
 DocType: Stock Entry,As per Stock UOM,Soos per Voorraad UOM
@@ -6552,10 +6624,11 @@
 DocType: Journal Entry,Total Debit,Totale Debiet
 DocType: Travel Request Costing,Sponsored Amount,Gekonsentreerde bedrag
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standaard voltooide goedere pakhuis
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Kies asseblief Pasiënt
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Kies asseblief Pasiënt
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Verkoopspersoon
 DocType: Hotel Room Package,Amenities,geriewe
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Begroting en Koste Sentrum
+DocType: QuickBooks Migrator,Undeposited Funds Account,Onvoorsiene Fondsrekening
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Begroting en Koste Sentrum
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Veelvuldige verstekmodus van betaling is nie toegelaat nie
 DocType: Sales Invoice,Loyalty Points Redemption,Lojaliteit punte Redemption
 ,Appointment Analytics,Aanstelling Analytics
@@ -6569,6 +6642,7 @@
 DocType: Batch,Manufacturing Date,Vervaardigingsdatum
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Fooi skepping misluk
 DocType: Opening Invoice Creation Tool,Create Missing Party,Skep &#39;n ontbrekende party
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Totale begroting
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Los leeg as jy studente groepe per jaar maak
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Indien gekontroleer, Totale nommer. van werksdae sal vakansiedae insluit, en dit sal die waarde van salaris per dag verminder"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Programme wat die huidige sleutel gebruik, sal nie toegang hê nie, is jy seker?"
@@ -6584,20 +6658,19 @@
 DocType: Opportunity Item,Basic Rate,Basiese tarief
 DocType: GL Entry,Credit Amount,Kredietbedrag
 DocType: Cheque Print Template,Signatory Position,Ondertekenende Posisie
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Stel as verlore
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Stel as verlore
 DocType: Timesheet,Total Billable Hours,Totale billike ure
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Aantal dae waarop die intekenaar fakture moet betaal wat gegenereer word deur hierdie intekening
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Werknemervoordeel-aansoekbesonderhede
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Betaling Ontvangst Nota
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dit is gebaseer op transaksies teen hierdie kliënt. Sien die tydlyn hieronder vir besonderhede
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Ry {0}: Toegewysde bedrag {1} moet minder of gelyk wees aan Betaling Inskrywingsbedrag {2}
 DocType: Program Enrollment Tool,New Academic Term,Nuwe Akademiese Termyn
 ,Course wise Assessment Report,Kursusse Assesseringsverslag
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Gebruikte ITC State / UT Tax
 DocType: Tax Rule,Tax Rule,Belastingreël
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Onderhou dieselfde tarief dwarsdeur verkoopsiklus
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Log in as &#39;n ander gebruiker om op Marketplace te registreer
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Log in as &#39;n ander gebruiker om op Marketplace te registreer
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Beplan tydstamme buite werkstasie werksure.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kliënte in wachtrij
 DocType: Driver,Issuing Date,Uitreikingsdatum
@@ -6606,11 +6679,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Dien hierdie werksopdrag in vir verdere verwerking.
 ,Items To Be Requested,Items wat gevra moet word
 DocType: Company,Company Info,Maatskappyinligting
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Kies of voeg nuwe kliënt by
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Kies of voeg nuwe kliënt by
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Koste sentrum is nodig om &#39;n koste-eis te bespreek
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Toepassing van fondse (bates)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dit is gebaseer op die bywoning van hierdie Werknemer
-DocType: Assessment Result,Summary,opsomming
 DocType: Payment Request,Payment Request Type,Betaling Versoek Tipe
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Puntbywoning
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debietrekening
@@ -6618,7 +6690,7 @@
 DocType: Additional Salary,Employee Name,Werknemer Naam
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restaurant bestellinginskrywing item
 DocType: Purchase Invoice,Rounded Total (Company Currency),Afgerond Totaal (Maatskappy Geld)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Kan nie in Groep verskuil word nie omdat rekeningtipe gekies is.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Kan nie in Groep verskuil word nie omdat rekeningtipe gekies is.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} is gewysig. Herlaai asseblief.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop gebruikers om verloftoepassings op die volgende dae te maak.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Indien die Loyaliteitspunte onbeperk is, hou die vervaldatum leeg of 0."
@@ -6639,11 +6711,12 @@
 DocType: Asset,Out of Order,Buite werking
 DocType: Purchase Receipt Item,Accepted Quantity,Geaccepteerde hoeveelheid
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignoreer werkstasie-tyd oorvleuel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Stel asseblief &#39;n standaard Vakansie Lys vir Werknemer {0} of Maatskappy {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Stel asseblief &#39;n standaard Vakansie Lys vir Werknemer {0} of Maatskappy {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} bestaan nie
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Kies lotnommer
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Na gstin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Na gstin
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Wetsontwerpe wat aan kliënte gehef word.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Faktuuraanstellings outomaties
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projek-ID
 DocType: Salary Component,Variable Based On Taxable Salary,Veranderlike gebaseer op Belasbare Salaris
 DocType: Company,Basic Component,Basiese komponent
@@ -6656,10 +6729,10 @@
 DocType: Stock Entry,Source Warehouse Address,Bron pakhuis adres
 DocType: GL Entry,Voucher Type,Voucher Type
 DocType: Amazon MWS Settings,Max Retry Limit,Maksimum herstel limiet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Pryslys nie gevind of gedeaktiveer nie
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Pryslys nie gevind of gedeaktiveer nie
 DocType: Student Applicant,Approved,goedgekeur
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,prys
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Werknemer verlig op {0} moet gestel word as &#39;Links&#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Werknemer verlig op {0} moet gestel word as &#39;Links&#39;
 DocType: Marketplace Settings,Last Sync On,Laaste sinchroniseer op
 DocType: Guardian,Guardian,voog
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Alle kommunikasie insluitend en hierbo sal in die nuwe Uitgawe verskuif word
@@ -6682,14 +6755,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lys van siektes wat op die veld bespeur word. Wanneer dit gekies word, sal dit outomaties &#39;n lys take byvoeg om die siekte te hanteer"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Dit is &#39;n wortelgesondheidsdiens-eenheid en kan nie geredigeer word nie.
 DocType: Asset Repair,Repair Status,Herstel Status
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Voeg verkoopsvennote by
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Rekeningkundige joernaalinskrywings
 DocType: Travel Request,Travel Request,Reisversoek
 DocType: Delivery Note Item,Available Qty at From Warehouse,Beskikbare hoeveelheid by From Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Kies asseblief eers werknemersrekord.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Bywoning is nie vir {0} ingedien nie aangesien dit &#39;n Vakansiedag is.
 DocType: POS Profile,Account for Change Amount,Verantwoord Veranderingsbedrag
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Koppel aan QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Totale wins / verlies
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Ongeldige Maatskappy vir Intermaatskappyfaktuur.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Ongeldige Maatskappy vir Intermaatskappyfaktuur.
 DocType: Purchase Invoice,input service,insetdiens
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ry {0}: Party / Rekening stem nie ooreen met {1} / {2} in {3} {4}
 DocType: Employee Promotion,Employee Promotion,Werknemersbevordering
@@ -6698,12 +6773,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kursuskode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Voer asseblief koste-rekening in
 DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ry # {0}: Verwysingsdokumenttipe moet een van Aankope, Aankoopfaktuur of Tydskrifinskrywing wees"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ry # {0}: Verwysingsdokumenttipe moet een van Aankope, Aankoopfaktuur of Tydskrifinskrywing wees"
 DocType: Employee,Current Address,Huidige adres
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","As die item &#39;n variant van &#39;n ander item is, sal beskrywing, beeld, prys, belasting ens van die sjabloon gestel word tensy dit spesifiek gespesifiseer word"
 DocType: Serial No,Purchase / Manufacture Details,Aankoop- / Vervaardigingsbesonderhede
 DocType: Assessment Group,Assessment Group,Assesseringsgroep
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Batch Inventory
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Prosedure Naam
 DocType: Employee,Contract End Date,Kontrak Einddatum
 DocType: Amazon MWS Settings,Seller ID,Verkoper ID
@@ -6723,12 +6799,12 @@
 DocType: Company,Date of Incorporation,Datum van inkorporasie
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Totale Belasting
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Laaste aankoopprys
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Vir Hoeveelheid (Vervaardigde Aantal) is verpligtend
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Vir Hoeveelheid (Vervaardigde Aantal) is verpligtend
 DocType: Stock Entry,Default Target Warehouse,Standaard Target Warehouse
 DocType: Purchase Invoice,Net Total (Company Currency),Netto Totaal (Maatskappy Geld)
 DocType: Delivery Note,Air,lug
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Die einde van die jaar kan nie vroeër wees as die jaar begin datum nie. Korrigeer asseblief die datums en probeer weer.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} is nie in opsionele vakansie lys nie
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} is nie in opsionele vakansie lys nie
 DocType: Notification Control,Purchase Receipt Message,Aankoop Ontvangsboodskap
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Afval items
@@ -6750,23 +6826,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,vervulling
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Op vorige rybedrag
 DocType: Item,Has Expiry Date,Het vervaldatum
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Oordrag Bate
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Oordrag Bate
 DocType: POS Profile,POS Profile,POS Profiel
 DocType: Training Event,Event Name,Gebeurtenis Naam
 DocType: Healthcare Practitioner,Phone (Office),Telefoon (Kantoor)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Kan nie inskryf nie, werknemers wat oorgebly het om bywoning te merk"
 DocType: Inpatient Record,Admission,Toegang
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Toelating vir {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Seisoenaliteit vir die opstel van begrotings, teikens ens."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Seisoenaliteit vir die opstel van begrotings, teikens ens."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Veranderlike Naam
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Item {0} is &#39;n sjabloon, kies asseblief een van sy variante"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Installeer asseblief die Naam van Werknemers in Menslike Hulpbronne&gt; MH-instellings
+DocType: Purchase Invoice Item,Deferred Expense,Uitgestelde Uitgawe
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Vanaf datum {0} kan nie voor werknemer se aanvangsdatum wees nie {1}
 DocType: Asset,Asset Category,Asset Kategorie
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Netto salaris kan nie negatief wees nie
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Netto salaris kan nie negatief wees nie
 DocType: Purchase Order,Advance Paid,Voorskot Betaal
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Oorproduksie persentasie vir verkoopsbestelling
 DocType: Item,Item Tax,Itembelasting
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiaal aan verskaffer
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiaal aan verskaffer
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Materiaal Versoek Beplanning
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Aksynsfaktuur
@@ -6788,11 +6866,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Skeduleringsinstrument
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kredietkaart
 DocType: BOM,Item to be manufactured or repacked,Item wat vervaardig of herverpak moet word
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Sintaksfout in toestand: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Sintaksfout in toestand: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Hoofvakke / Opsionele Vakke
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Stel asseblief Verskaffersgroep in Koopinstellings.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Stel asseblief Verskaffersgroep in Koopinstellings.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Totale buigsame voordeel komponent bedrag {0} moet nie minder wees nie as maksimum voordele {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,opgeskort
@@ -6812,7 +6890,7 @@
 DocType: Customer,Commission Rate,Kommissie Koers
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Suksesvolle betalinginskrywings geskep
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Geskep {0} telkaarte vir {1} tussen:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Maak Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Maak Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Betalingstipe moet een van ontvang, betaal en interne oordrag wees"
 DocType: Travel Itinerary,Preferred Area for Lodging,Voorkeurarea vir Akkommodasie
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6823,7 +6901,7 @@
 DocType: Work Order,Actual Operating Cost,Werklike Bedryfskoste
 DocType: Payment Entry,Cheque/Reference No,Tjek / Verwysingsnr
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Wortel kan nie geredigeer word nie.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Wortel kan nie geredigeer word nie.
 DocType: Item,Units of Measure,Eenhede van maatreël
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Huur in Metro City
 DocType: Supplier,Default Tax Withholding Config,Standaard Belasting Weerhouding Config
@@ -6841,21 +6919,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Na betaling voltooiing herlei gebruiker na geselekteerde bladsy.
 DocType: Company,Existing Company,Bestaande Maatskappy
 DocType: Healthcare Settings,Result Emailed,Resultaat ge-e-pos
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Belastingkategorie is verander na &quot;Totaal&quot; omdat al die items nie-voorraaditems is
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Belastingkategorie is verander na &quot;Totaal&quot; omdat al die items nie-voorraaditems is
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Tot op datum kan nie gelyk of minder as van datum wees nie
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Niks om te verander nie
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Kies asseblief &#39;n CSV-lêer
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Kies asseblief &#39;n CSV-lêer
 DocType: Holiday List,Total Holidays,Totale vakansiedae
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Ontbrekende e-pos sjabloon vir gestuur. Stel asseblief een in afleweringsinstellings in.
 DocType: Student Leave Application,Mark as Present,Merk as Aanwesig
 DocType: Supplier Scorecard,Indicator Color,Indicator Kleur
 DocType: Purchase Order,To Receive and Bill,Om te ontvang en rekening
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Ry # {0}: Reqd by Date kan nie voor transaksiedatum wees nie
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Ry # {0}: Reqd by Date kan nie voor transaksiedatum wees nie
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Voorgestelde Produkte
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Kies Serial No
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Kies Serial No
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Ontwerper
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Terme en Voorwaardes Sjabloon
 DocType: Serial No,Delivery Details,Afleweringsbesonderhede
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Kostesentrum word benodig in ry {0} in Belasting tabel vir tipe {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Kostesentrum word benodig in ry {0} in Belasting tabel vir tipe {1}
 DocType: Program,Program Code,Program Kode
 DocType: Terms and Conditions,Terms and Conditions Help,Terme en voorwaardes Help
 ,Item-wise Purchase Register,Item-wyse Aankoopregister
@@ -6868,15 +6947,16 @@
 DocType: Contract,Contract Terms,Kontrak Terme
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Moenie enige simbool soos $ ens langs die geldeenhede wys nie.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maksimum voordeelbedrag van komponent {0} oorskry {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Half Day)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Half Day)
 DocType: Payment Term,Credit Days,Kredietdae
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Kies asseblief Pasiënt om Lab Tests te kry
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Maak Studentejoernaal
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Laat Oordrag vir Vervaardiging toe
 DocType: Leave Type,Is Carry Forward,Is vorentoe
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Kry items van BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Kry items van BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lood Tyddae
 DocType: Cash Flow Mapping,Is Income Tax Expense,Is Inkomstebelastinguitgawe
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,U bestelling is uit vir aflewering!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ry # {0}: Posdatum moet dieselfde wees as aankoopdatum {1} van bate {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kontroleer of die Student by die Instituut se koshuis woon.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Vul asseblief die bestellings in die tabel hierbo in
@@ -6884,10 +6964,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Oordra &#39;n bate van een pakhuis na &#39;n ander
 DocType: Vehicle,Petrol,petrol
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Resterende Voordele (Jaarliks)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Handleiding
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Handleiding
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ry {0}: Party Tipe en Party word benodig vir ontvangbare / betaalbare rekening {1}
 DocType: Employee,Leave Policy,Verlofbeleid
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Dateer items op
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Dateer items op
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Date
 DocType: Employee,Reason for Leaving,Rede vir vertrek
 DocType: BOM Operation,Operating Cost(Company Currency),Bedryfskoste (Maatskappy Geld)
@@ -6898,7 +6978,7 @@
 DocType: Department,Expense Approvers,Uitgawes
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Ry {0}: Debietinskrywing kan nie met &#39;n {1} gekoppel word nie.
 DocType: Journal Entry,Subscription Section,Subskripsie afdeling
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Rekening {0} bestaan nie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Rekening {0} bestaan nie
 DocType: Training Event,Training Program,Opleidingsprogram
 DocType: Account,Cash,kontant
 DocType: Employee,Short biography for website and other publications.,Kort biografie vir webwerf en ander publikasies.
diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv
index e775ed6..2921e9f 100644
--- a/erpnext/translations/am.csv
+++ b/erpnext/translations/am.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,የደንበኛ ንጥሎች
 DocType: Project,Costing and Billing,ዋጋና አከፋፈል
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},የቅድሚያ መለያ ሂሳብ እንደ ኩባንያ ምንዛሬ መሆን አለበት {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,መለያ {0}: የወላጅ መለያ {1} ያሰኘንን ሊሆን አይችልም
+DocType: QuickBooks Migrator,Token Endpoint,የማስመሰያ የመጨረሻ ነጥብ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,መለያ {0}: የወላጅ መለያ {1} ያሰኘንን ሊሆን አይችልም
 DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com ወደ ንጥል አትም
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,ንቁ የቆየውን ጊዜ ማግኘት አይቻልም
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,ንቁ የቆየውን ጊዜ ማግኘት አይቻልም
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ግምገማ
 DocType: Item,Default Unit of Measure,ይለኩ ነባሪ ክፍል
 DocType: SMS Center,All Sales Partner Contact,ሁሉም የሽያጭ ባልደረባ ያግኙን
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,ለማከል አስገባን ጠቅ ያድርጉ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","ለይለፍ ቃል, ኤፒአይ ቁልፍ ወይም የዩቲዩብ ሽያጭ እሴት ይጎድላል"
 DocType: Employee,Rented,ተከራይቷል
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,ሁሉም መለያዎች
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,ሁሉም መለያዎች
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,ሰራተኛ በአቋም ሁኔታ ወደ ግራ ማስተላለፍ አይቻልም
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","አቁሟል የምርት ትዕዛዝ ሊሰረዝ አይችልም, ለመሰረዝ መጀመሪያ Unstop"
 DocType: Vehicle Service,Mileage,ርቀት
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,እርግጠኛ ነዎት ይህን ንብረት ቁራጭ ትፈልጋለህ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,እርግጠኛ ነዎት ይህን ንብረት ቁራጭ ትፈልጋለህ?
 DocType: Drug Prescription,Update Schedule,መርሐግብርን ያዘምኑ
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ይምረጡ ነባሪ አቅራቢ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,ተቀጣሪን አሳይ
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,አዲስ ልውጥ ተመን
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},የምንዛሬ ዋጋ ዝርዝር ያስፈልጋል {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},የምንዛሬ ዋጋ ዝርዝር ያስፈልጋል {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ግብይቱ ላይ ይሰላሉ.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,ማት-ዱብ-ያዮያን.-
 DocType: Purchase Order,Customer Contact,የደንበኛ ያግኙን
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,ይሄ በዚህ አቅራቢው ላይ ግብይቶችን ላይ የተመሠረተ ነው. ዝርዝሮችን ለማግኘት ከታች ያለውን የጊዜ ይመልከቱ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ለስራ ቅደም ተከተል የማካካሻ ምርቶች መቶኛ
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-yYYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,ሕጋዊ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,ሕጋዊ
+DocType: Delivery Note,Transport Receipt Date,የመጓጓዣ ደረሰኝ ቀን
 DocType: Shopify Settings,Sales Order Series,የሽያጭ ትዕዛዝ ተከታታይ
 DocType: Vital Signs,Tongue,ልሳናት
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA ነፃ መሆን
 DocType: Sales Invoice,Customer Name,የደንበኛ ስም
 DocType: Vehicle,Natural Gas,የተፈጥሮ ጋዝ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},የባንክ ሂሳብ እንደ የሚባል አይችልም {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},የባንክ ሂሳብ እንደ የሚባል አይችልም {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,አንድ / የሥራ ቦታ አዲስ አበባ
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ኃላፊዎች (ወይም ቡድኖች) ይህም ላይ አካውንቲንግ ግቤቶችን ናቸው እና ሚዛን ጠብቆ ነው.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),ያልተከፈሉ {0} ሊሆን አይችልም ከ ዜሮ ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,የአገልግሎት ማቆም ቀን ከ &quot;አገልግሎት ጅምር&quot; በፊት ሊሆን አይችልም
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,የአገልግሎት ማቆም ቀን ከ &quot;አገልግሎት ጅምር&quot; በፊት ሊሆን አይችልም
 DocType: Manufacturing Settings,Default 10 mins,10 ደቂቃ ነባሪ
 DocType: Leave Type,Leave Type Name,አይነት ስም ውጣ
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ክፍት አሳይ
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,ክፍት አሳይ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,ተከታታይ በተሳካ ሁኔታ ዘምኗል
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,ጨርሰህ ውጣ
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} በረድፍ {1} ውስጥ
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} በረድፍ {1} ውስጥ
 DocType: Asset Finance Book,Depreciation Start Date,የዋጋ ቅነሳ መጀመሪያ ቀን
 DocType: Pricing Rule,Apply On,ላይ ተግብር
 DocType: Item Price,Multiple Item prices.,በርካታ ንጥል ዋጋዎች.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,የድጋፍ ቅንብሮች
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,የሚጠበቀው የማብቂያ ቀን የተጠበቀው የመጀመሪያ ቀን ያነሰ መሆን አይችልም
 DocType: Amazon MWS Settings,Amazon MWS Settings,የ Amazon MWS ቅንብሮች
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,የረድፍ # {0}: ተመን ጋር ተመሳሳይ መሆን አለበት {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,የረድፍ # {0}: ተመን ጋር ተመሳሳይ መሆን አለበት {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,ባች ንጥል የሚቃጠልበት ሁኔታ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,ባንክ ረቂቅ
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-yYYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,ዋና እውቂያ ዝርዝሮች
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ክፍት ጉዳዮች
 DocType: Production Plan Item,Production Plan Item,የምርት ዕቅድ ንጥል
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},አባል {0} አስቀድሞ ሰራተኛ ተመድቧል {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},አባል {0} አስቀድሞ ሰራተኛ ተመድቧል {1}
 DocType: Lab Test Groups,Add new line,አዲስ መስመር ያክሉ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,የጤና ጥበቃ
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ክፍያ መዘግየት (ቀኖች)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,ላብራቶሪ መድኃኒት
 ,Delay Days,የዘገየ
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,የአገልግሎት የወጪ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},መለያ ቁጥር: {0} አስቀድሞ የሽያጭ ደረሰኝ ውስጥ የተጠቆመው ነው: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},መለያ ቁጥር: {0} አስቀድሞ የሽያጭ ደረሰኝ ውስጥ የተጠቆመው ነው: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,የዋጋ ዝርዝር
 DocType: Purchase Invoice Item,Item Weight Details,የንጥል ክብደት ዝርዝሮች
 DocType: Asset Maintenance Log,Periodicity,PERIODICITY
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,በጀት ዓመት {0} ያስፈልጋል
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,አቅራቢ&gt; የአቅራቢ ቡድን
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,በአትክልቶች መካከል ባሉ አነስተኛ ደረጃዎች መካከል ዝቅተኛ የዕድገት ልዩነት
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,መከላከያ
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-yYYYY.-
 DocType: Daily Work Summary Group,Holiday List,የበዓል ዝርዝር
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,ሒሳብ ሠራተኛ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,የዋጋ ዝርዝር ዋጋ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,የዋጋ ዝርዝር ዋጋ
 DocType: Patient,Tobacco Current Use,የትምባሆ ወቅታዊ አጠቃቀም
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,የሽያጭ ፍጥነት
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,የሽያጭ ፍጥነት
 DocType: Cost Center,Stock User,የአክሲዮን ተጠቃሚ
 DocType: Soil Analysis,(Ca+Mg)/K,(ካም + ኤምግ) / ኬ
+DocType: Delivery Stop,Contact Information,የመገኛ አድራሻ
 DocType: Company,Phone No,ስልክ የለም
 DocType: Delivery Trip,Initial Email Notification Sent,የመጀመሪያ ኢሜይል ማሳወቂያ ተላከ
 DocType: Bank Statement Settings,Statement Header Mapping,መግለጫ ርዕስ ራስ-ካርታ
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,የደንበኝነት ምዝገባ የመጀመሪያ ቀን
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,የታካሚ ክፍያዎች ለመመዝገብ በታካሚ ውስጥ ካልተቀመጠ ጥቅም ላይ የሚውሉ ነባሪ ሂሳቦች.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","ሁለት ዓምዶች, አሮጌውን ስም አንዱ አዲስ ስም አንድ ጋር .csv ፋይል አያይዝ"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,ከ አድራሻ 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,የእንጥል ኮድ&gt; የንጥል ቡድን&gt; ግሩፕ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,ከ አድራሻ 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} እንጂ ማንኛውም ገባሪ በጀት ዓመት ውስጥ.
 DocType: Packed Item,Parent Detail docname,የወላጅ ዝርዝር DOCNAME
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ማጣቀሻ: {0}, የእቃ ኮድ: {1} እና የደንበኞች: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} በወላጅ ኩባንያ ውስጥ የለም
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} በወላጅ ኩባንያ ውስጥ የለም
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,የሙከራ ጊዜ ክፍለጊዜ ቀን ከመሞቱ በፊት የሚጀምርበት ቀን
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,ኪግ
 DocType: Tax Withholding Category,Tax Withholding Category,የግብር ተቀናሽ ምድብ
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,ማስታወቂያ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,በዚሁ ኩባንያ ከአንድ ጊዜ በላይ ገባ ነው
 DocType: Patient,Married,ያገባ
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},አይፈቀድም {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},አይፈቀድም {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,ከ ንጥሎችን ያግኙ
 DocType: Price List,Price Not UOM Dependant,የዋጋ ተመን UOM ጥገኛ አይደለም
 DocType: Purchase Invoice,Apply Tax Withholding Amount,የግብር መያዣ መጠን ማመልከት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},የአክሲዮን አሰጣጥ ማስታወሻ ላይ መዘመን አይችልም {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,ጠቅላላ መጠን ተቀጠረ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},የአክሲዮን አሰጣጥ ማስታወሻ ላይ መዘመን አይችልም {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,ጠቅላላ መጠን ተቀጠረ
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},የምርት {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,የተዘረዘሩት ምንም ንጥሎች የሉም
 DocType: Asset Repair,Error Description,የስህተት መግለጫ
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,ብጁ የገንዘብ ፍሰት ቅርጸት ተጠቀም
 DocType: SMS Center,All Sales Person,ሁሉም ሽያጭ ሰው
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ወርሃዊ ስርጭት ** የእርስዎን ንግድ ውስጥ ወቅታዊ ቢኖራችሁ ወራት በመላ በጀት / ዒላማ ለማሰራጨት ይረዳል.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,ንጥሎች አልተገኘም
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,ደመወዝ መዋቅር ይጎድላል
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,ንጥሎች አልተገኘም
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,ደመወዝ መዋቅር ይጎድላል
 DocType: Lead,Person Name,ሰው ስም
 DocType: Sales Invoice Item,Sales Invoice Item,የሽያጭ ደረሰኝ ንጥል
 DocType: Account,Credit,የሥዕል
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,የክምችት ሪፖርቶች
 DocType: Warehouse,Warehouse Detail,የመጋዘን ዝርዝር
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,የሚለው ቃል መጨረሻ ቀን በኋላ የሚለው ቃል ጋር የተያያዘ ነው ይህም ወደ የትምህርት ዓመት ዓመት መጨረሻ ቀን በላይ መሆን አይችልም (የትምህርት ዓመት {}). ቀናት ለማረም እና እንደገና ይሞክሩ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",የንብረት ዘገባ ንጥል ላይ አለ እንደ ካልተደረገበት ሊሆን አይችልም &quot;ቋሚ ንብረት ነው&quot;
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",የንብረት ዘገባ ንጥል ላይ አለ እንደ ካልተደረገበት ሊሆን አይችልም &quot;ቋሚ ንብረት ነው&quot;
 DocType: Delivery Trip,Departure Time,የመነሻ ሰዓት
 DocType: Vehicle Service,Brake Oil,ፍሬን ኦይል
 DocType: Tax Rule,Tax Type,የግብር አይነት
 ,Completed Work Orders,የስራ ትዕዛዞችን አጠናቅቋል
 DocType: Support Settings,Forum Posts,ፎረም ልጥፎች
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,ግብር የሚከፈልበት መጠን
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,ግብር የሚከፈልበት መጠን
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},ከእናንተ በፊት ግቤቶችን ማከል ወይም ዝማኔ ስልጣን አይደለም {0}
 DocType: Leave Policy,Leave Policy Details,የፖሊሲ ዝርዝሮችን ይተው
 DocType: BOM,Item Image (if not slideshow),ንጥል ምስል (የተንሸራታች አይደለም ከሆነ)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(ሰዓት ተመን / 60) * ትክክለኛ ኦፕሬሽን ሰዓት
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ረድፍ # {0}: የማጣቀሻ ሰነድ አይነት ከክፍያ መጠየቂያ ወይም የጆርናል ምዝገባ አንድ አካል መሆን አለበት
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,ይምረጡ BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ረድፍ # {0}: የማጣቀሻ ሰነድ አይነት ከክፍያ መጠየቂያ ወይም የጆርናል ምዝገባ አንድ አካል መሆን አለበት
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,ይምረጡ BOM
 DocType: SMS Log,SMS Log,ኤስ ኤም ኤስ ምዝግብ ማስታወሻ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,የደረሱ ንጥሎች መካከል ወጪ
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} ላይ ያለው የበዓል ቀን ጀምሮ እና ቀን ወደ መካከል አይደለም
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,የአቅራቢዎች የጊዜ ሰሌዳዎች.
 DocType: Lead,Interested,ለመወዳደር የምትፈልጉ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,ቀዳዳ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},ከ {0} ወደ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},ከ {0} ወደ {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,ፕሮግራም:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,ግብሮችን ማቀናበር አልተሳካም
 DocType: Item,Copy From Item Group,ንጥል ቡድን ከ ቅዳ
-DocType: Delivery Trip,Delivery Notification,የማድረስ ማሳወቂያ
 DocType: Journal Entry,Opening Entry,በመክፈት ላይ የሚመዘገብ መረጃ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,መለያ ክፍያ ብቻ
 DocType: Loan,Repay Over Number of Periods,ጊዜዎች በላይ ቁጥር ብድራትን
 DocType: Stock Entry,Additional Costs,ተጨማሪ ወጪዎች
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መለያ ቡድን ሊቀየር አይችልም.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መለያ ቡድን ሊቀየር አይችልም.
 DocType: Lead,Product Enquiry,የምርት Enquiry
 DocType: Education Settings,Validate Batch for Students in Student Group,የተማሪ ቡድን ውስጥ ተማሪዎች ለ ባች Validate
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},ሠራተኛ አልተገኘም ምንም ፈቃድ መዝገብ {0} ለ {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,መጀመሪያ ኩባንያ ያስገቡ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,መጀመሪያ ኩባንያ እባክዎ ይምረጡ
 DocType: Employee Education,Under Graduate,ምረቃ በታች
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,እባክዎ በ HR ቅንብሮች ውስጥ ለመተው ሁኔታን ለመተው እባክዎ ነባሪ አብነት ያስቀምጡ.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,እባክዎ በ HR ቅንብሮች ውስጥ ለመተው ሁኔታን ለመተው እባክዎ ነባሪ አብነት ያስቀምጡ.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ዒላማ ላይ
 DocType: BOM,Total Cost,ጠቅላላ ወጪ
 DocType: Soil Analysis,Ca/K,ካ / ካ
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,መለያ መግለጫ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ፋርማሱቲካልስ
 DocType: Purchase Invoice Item,Is Fixed Asset,ቋሚ ንብረት ነው
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",ይገኛል ብዛት {0}: የሚያስፈልግህ ነው {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",ይገኛል ብዛት {0}: የሚያስፈልግህ ነው {1}
 DocType: Expense Claim Detail,Claim Amount,የይገባኛል መጠን
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-yYYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},የስራ ትዕዛዝ {0} ሆነዋል
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,የጥራት ቁጥጥር አብነት
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",እናንተ በስብሰባው ማዘመን ይፈልጋሉ? <br> አቅርብ: {0} \ <br> ብርቅ: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ብዛት ተቀባይነት አላገኘም ተቀባይነት + ንጥል ለማግኘት የተቀበልከው ብዛት ጋር እኩል መሆን አለባቸው {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ብዛት ተቀባይነት አላገኘም ተቀባይነት + ንጥል ለማግኘት የተቀበልከው ብዛት ጋር እኩል መሆን አለባቸው {0}
 DocType: Item,Supply Raw Materials for Purchase,አቅርቦት ጥሬ እቃዎች ግዢ
 DocType: Agriculture Analysis Criteria,Fertilizer,ማዳበሪያ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",በ Serial No ላይ መላክን ማረጋገጥ አይቻልም በ \ item {0} በ እና በ &quot;&quot; ያለመድረሱ ማረጋገጫ በ \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,የክፍያ ቢያንስ አንድ ሁነታ POS መጠየቂያ ያስፈልጋል.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,የክፍያ ቢያንስ አንድ ሁነታ POS መጠየቂያ ያስፈልጋል.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,የባንክ መግለጫ የግብይት ደረሰኝ አይነት
 DocType: Products Settings,Show Products as a List,አሳይ ምርቶች አንድ እንደ ዝርዝር
 DocType: Salary Detail,Tax on flexible benefit,በተመጣጣኝ ጥቅማ ጥቅም ላይ ግብር ይቀጣል
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,ልዩነት
 DocType: Production Plan,Material Request Detail,የቁስ ንብረት ጥያቄ ዝርዝር
 DocType: Selling Settings,Default Quotation Validity Days,ነባሪ ትዕዛዝ ዋጋ መስጫ ቀናት
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ንጥል መጠን ረድፍ {0} ውስጥ ግብርን ማካተት, ረድፎች ውስጥ ቀረጥ {1} ደግሞ መካተት አለበት"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ንጥል መጠን ረድፍ {0} ውስጥ ግብርን ማካተት, ረድፎች ውስጥ ቀረጥ {1} ደግሞ መካተት አለበት"
 DocType: SMS Center,SMS Center,ኤስ ኤም ኤስ ማዕከል
 DocType: Payroll Entry,Validate Attendance,ተገኝነትን ያረጋግጡ
 DocType: Sales Invoice,Change Amount,ለውጥ መጠን
 DocType: Party Tax Withholding Config,Certificate Received,ሰርቲፊኬት ተቀብሏል
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,የ B2C ካርኒ እሴት ያዘጋጁ. በዚህ የክፍያ መጠየቂያ ዋጋ ላይ ተመስርቶ B2CL እና B2CS የተሰሉ.
 DocType: BOM Update Tool,New BOM,አዲስ BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,የታዘዙ ሸቀጦች
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,የታዘዙ ሸቀጦች
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,POS ብቻ አሳይ
 DocType: Supplier Group,Supplier Group Name,የአቅራቢው የቡድን ስም
 DocType: Driver,Driving License Categories,የመንጃ ፍቃድ ምድቦች
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,የደመወዝ ክፍያዎች
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,የሰራተኛ አድርግ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,ብሮድካስቲንግ
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),የ POS (በኦንላይን / ከመስመር ውጭ) የመጫኛ ሞድ
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),የ POS (በኦንላይን / ከመስመር ውጭ) የመጫኛ ሞድ
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ከስራ ስራዎች ጋር የጊዜ ሪፖርቶች መፍጠርን ያሰናክላል. በስራ ቅደም ተከተል ላይ ክዋኔዎች ክትትል አይደረግባቸውም
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,ማስፈጸም
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ስለ ስራዎች ዝርዝሮች ፈጽሟል.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),የዋጋ ዝርዝር ተመን ላይ ቅናሽ (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,የንጥል አብነት
 DocType: Job Offer,Select Terms and Conditions,ይምረጡ ውሎች እና ሁኔታዎች
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,ውጪ ዋጋ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,ውጪ ዋጋ
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,የባንክ መግለጫ መግለጫዎች ንጥል
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ቅንጅቶች
 DocType: Production Plan,Sales Orders,የሽያጭ ትዕዛዞች
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,ጥቅስ ለማግኘት ጥያቄው በሚከተለው አገናኝ ላይ ጠቅ በማድረግ ሊደረስባቸው ይችላሉ
 DocType: SG Creation Tool Course,SG Creation Tool Course,ሹጋ የፈጠራ መሣሪያ ኮርስ
 DocType: Bank Statement Transaction Invoice Item,Payment Description,የክፍያ መግለጫ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,በቂ ያልሆነ የአክሲዮን
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,በቂ ያልሆነ የአክሲዮን
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,አሰናክል አቅም የእቅዴ እና ሰዓት መከታተያ
 DocType: Email Digest,New Sales Orders,አዲስ የሽያጭ ትዕዛዞች
 DocType: Bank Account,Bank Account,የባንክ ሒሳብ
 DocType: Travel Itinerary,Check-out Date,የመልቀቂያ ቀን
 DocType: Leave Type,Allow Negative Balance,አሉታዊ ቀሪ ፍቀድ
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',የፕሮጀክት አይነት «ውጫዊ» ን መሰረዝ አይችሉም.
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,አማራጭ ንጥል ምረጥ
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,አማራጭ ንጥል ምረጥ
 DocType: Employee,Create User,ተጠቃሚ ይፍጠሩ
 DocType: Selling Settings,Default Territory,ነባሪ ግዛት
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,ቴሌቪዥን
 DocType: Work Order Operation,Updated via 'Time Log',«ጊዜ Log&quot; በኩል Updated
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ደንቡን ወይም አቅራቢውን ይምረጡ.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},አስቀድሞ መጠን መብለጥ አይችልም {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},አስቀድሞ መጠን መብለጥ አይችልም {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","የሰዓት ማስገቢያ ይሻላል, መጎሰቻው {0} እስከ {1} የክፈፍ መተላለፊያ {2} በ {3} ላይ ይዛመዳል."
 DocType: Naming Series,Series List for this Transaction,ለዚህ ግብይት ተከታታይ ዝርዝር
 DocType: Company,Enable Perpetual Inventory,ለተመራ ቆጠራ አንቃ
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,የሽያጭ ደረሰኝ ንጥል ላይ
 DocType: Agriculture Analysis Criteria,Linked Doctype,የተገናኙ ዶከቢት
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,በገንዘብ ከ የተጣራ ገንዘብ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","የአካባቢ ማከማቻ ሙሉ ነው, ሊያድን አይችልም ነበር"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","የአካባቢ ማከማቻ ሙሉ ነው, ሊያድን አይችልም ነበር"
 DocType: Lead,Address & Contact,አድራሻ እና ዕውቂያ
 DocType: Leave Allocation,Add unused leaves from previous allocations,ወደ ቀዳሚው አመዳደብ ጀምሮ ጥቅም ላይ ያልዋለ ቅጠሎችን አክል
 DocType: Sales Partner,Partner website,የአጋር ድር ጣቢያ
@@ -446,10 +446,10 @@
 ,Open Work Orders,የሥራ ትዕዛዞችን ይክፈቱ
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,የታካሚ የሕክምና አማካሪ ክፍያ ይጠይቃል
 DocType: Payment Term,Credit Months,የብድር ቀናቶች
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,የተጣራ ክፍያ ከ 0 መሆን አይችልም
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,የተጣራ ክፍያ ከ 0 መሆን አይችልም
 DocType: Contract,Fulfilled,ተጠናቅቋል
 DocType: Inpatient Record,Discharge Scheduled,የኃይል መውጫ መርሃግብር ተይዞለታል
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,ቀን የሚያስታግሱ በመቀላቀል ቀን የበለጠ መሆን አለበት
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,ቀን የሚያስታግሱ በመቀላቀል ቀን የበለጠ መሆን አለበት
 DocType: POS Closing Voucher,Cashier,አካውንታንት
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,ዓመት በአንድ ማምለኩን
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ረድፍ {0}: ያረጋግጡ መለያ ላይ &#39;Advance ነው&#39; {1} ይህን የቅድሚያ ግቤት ከሆነ.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,እባክዎ ተማሪዎች በተማሪዎች ቡድኖች ውስጥ ያዋቅሯቸው
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,ሙሉ ያጠናቀቁ
 DocType: Item Website Specification,Item Website Specification,ንጥል የድር ጣቢያ ዝርዝር
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,ውጣ የታገዱ
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},ንጥል {0} ላይ ሕይወት ፍጻሜው ላይ ደርሷል {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,ውጣ የታገዱ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},ንጥል {0} ላይ ሕይወት ፍጻሜው ላይ ደርሷል {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,ባንክ ግቤቶችን
 DocType: Customer,Is Internal Customer,የውስጥ ደንበኛ ነው
 DocType: Crop,Annual,ዓመታዊ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ራስ-ሰር መርጦ መመርመር ከተመረጠ, ደንበኞቹ ከሚመለከታቸው የ &quot;ታማኝ ፌዴሬሽን&quot; (ተቆጥረው) ጋር በቀጥታ ይገናኛሉ."
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,የክምችት ማስታረቅ ንጥል
 DocType: Stock Entry,Sales Invoice No,የሽያጭ ደረሰኝ የለም
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,የምርት ዓይነት
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,የምርት ዓይነት
 DocType: Material Request Item,Min Order Qty,ዝቅተኛ ትዕዛዝ ብዛት
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,የተማሪ ቡድን የፈጠራ መሣሪያ ኮርስ
 DocType: Lead,Do Not Contact,ያነጋግሩ አትበል
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,ማዕከል ውስጥ አትም
 DocType: Student Admission,Student Admission,የተማሪ ምዝገባ
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} ንጥል ተሰርዟል
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} ንጥል ተሰርዟል
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,የአከፋፈል ረድፍ {0}: የአበሻ ማስወገጃ ቀን ልክ እንደ ያለፈው ቀን ተጨምሯል
 DocType: Contract Template,Fulfilment Terms and Conditions,የመሟላት ሁኔታዎች እና ሁኔታዎች
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,ቁሳዊ ጥያቄ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,ቁሳዊ ጥያቄ
 DocType: Bank Reconciliation,Update Clearance Date,አዘምን መልቀቂያ ቀን
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,የግዢ ዝርዝሮች
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},የግዥ ትዕዛዝ ውስጥ &#39;ጥሬ እቃዎች አቅርቦት&#39; ሠንጠረዥ ውስጥ አልተገኘም ንጥል {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},የግዥ ትዕዛዝ ውስጥ &#39;ጥሬ እቃዎች አቅርቦት&#39; ሠንጠረዥ ውስጥ አልተገኘም ንጥል {0} {1}
 DocType: Salary Slip,Total Principal Amount,አጠቃላይ የዋና ተመን
 DocType: Student Guardian,Relation,ዘመድ
 DocType: Student Guardian,Mother,እናት
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,የመርከብ ካውንቲ
 DocType: Currency Exchange,For Selling,ለሽያጭ
 apps/erpnext/erpnext/config/desktop.py +159,Learn,ይወቁ
+DocType: Purchase Invoice Item,Enable Deferred Expense,የሚገመተው ወጪን ያንቁ
 DocType: Asset,Next Depreciation Date,ቀጣይ የእርጅና ቀን
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,የተቀጣሪ በአንድ እንቅስቃሴ ወጪ
 DocType: Accounts Settings,Settings for Accounts,መለያዎች ቅንብሮች
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},አቅራቢው ደረሰኝ ምንም የግዢ ደረሰኝ ውስጥ አለ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},አቅራቢው ደረሰኝ ምንም የግዢ ደረሰኝ ውስጥ አለ {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,የሽያጭ ሰው ዛፍ ያቀናብሩ.
 DocType: Job Applicant,Cover Letter,የፊት ገፅ ደብዳቤ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ያልተከፈሉ Cheques እና ማጽዳት ተቀማጭ
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,ውጫዊ የስራ ታሪክ
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,ክብ ማጣቀሻ ስህተት
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,የተማሪ ሪፖርት ካርድ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,ከፒን ኮድ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,ከፒን ኮድ
 DocType: Appointment Type,Is Inpatient,ታካሚ ማለት ነው
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 ስም
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,የ የመላኪያ ማስታወሻ ማስቀመጥ አንዴ ቃላት (ላክ) ውስጥ የሚታይ ይሆናል.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,ባለብዙ ምንዛሬ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,የደረሰኝ አይነት
 DocType: Employee Benefit Claim,Expense Proof,የወጪ ማሳያ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,የመላኪያ ማስታወሻ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},በማስቀመጥ ላይ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,የመላኪያ ማስታወሻ
 DocType: Patient Encounter,Encounter Impression,የግፊት ማሳያ
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ግብሮች በማቀናበር ላይ
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,የተሸጠ ንብረት ዋጋ
 DocType: Volunteer,Morning,ጠዋት
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,አንተም አፈረሰ በኋላ የክፍያ Entry ተቀይሯል. እንደገና ጎትተው እባክህ.
 DocType: Program Enrollment Tool,New Student Batch,አዲስ የተማሪ ቁጥር
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ንጥል ግብር ውስጥ ሁለት ጊዜ ገብቶ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,በዚህ ሳምንት እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ንጥል ግብር ውስጥ ሁለት ጊዜ ገብቶ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,በዚህ ሳምንት እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ
 DocType: Student Applicant,Admitted,አምኗል
 DocType: Workstation,Rent Cost,የቤት ኪራይ ወጪ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,መጠን መቀነስ በኋላ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,መጠን መቀነስ በኋላ
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,መጪ የቀን መቁጠሪያ ክስተቶች
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,የተለዩ ባህርያት
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,ወር እና ዓመት ይምረጡ
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},ብቻ በ ኩባንያ በአንድ 1 መለያ ሊኖር ይችላል {0} {1}
 DocType: Support Search Source,Response Result Key Path,የምላሽ ውጤት ጎን ቁልፍ
 DocType: Journal Entry,Inter Company Journal Entry,ኢንተርናሽናል ኩባንያ የጆርናል ምዝገባ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},ለጨውቁ {0} ከስራ የስራ ሂደት ብዛት አንጻር {1} መሆን የለበትም
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,አባሪ ይመልከቱ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},ለጨውቁ {0} ከስራ የስራ ሂደት ብዛት አንጻር {1} መሆን የለበትም
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,አባሪ ይመልከቱ
 DocType: Purchase Order,% Received,% ደርሷል
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,የተማሪ ቡድኖች ይፍጠሩ
 DocType: Volunteer,Weekends,የሳምንት መጨረሻ ቀናት
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,ድምር ውጤት
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,አንድ ነባር ተከታታይ ጀምሮ / የአሁኑ ቅደም ተከተል ቁጥር ለውጥ.
 DocType: Dosage Strength,Strength,ጥንካሬ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,አዲስ ደንበኛ ይፍጠሩ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,አዲስ ደንበኛ ይፍጠሩ
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,ጊዜው የሚያልፍበት
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","በርካታ የዋጋ ደንቦች አይችሉአትም የሚቀጥሉ ከሆነ, ተጠቃሚዎች ግጭት ለመፍታት በእጅ ቅድሚያ ለማዘጋጀት ይጠየቃሉ."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,የግዢ ትዕዛዞች ፍጠር
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Consumable ወጪ
 DocType: Purchase Receipt,Vehicle Date,የተሽከርካሪ ቀን
 DocType: Student Log,Medical,የሕክምና
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,ማጣት ለ ምክንያት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,እባክዎ መድሃኒት ይምረጡ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,ማጣት ለ ምክንያት
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,እባክዎ መድሃኒት ይምረጡ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,በእርሳስ ባለቤቱ ግንባር ጋር ተመሳሳይ ሊሆን አይችልም
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,የተመደበ መጠን ያልተስተካከለ መጠን አይበልጥም ይችላል
 DocType: Announcement,Receiver,ተቀባይ
 DocType: Location,Area UOM,አካባቢ UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ከገቢር በአል ዝርዝር መሰረት በሚከተሉት ቀናት ላይ ዝግ ነው: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,ዕድሎች
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,ዕድሎች
 DocType: Lab Test Template,Single,ያላገባ
 DocType: Compensatory Leave Request,Work From Date,ከስራ ቀን ጀምሮ
 DocType: Salary Slip,Total Loan Repayment,ጠቅላላ ብድር የሚያየን
+DocType: Project User,View attachments,ዓባሪዎች እይ
 DocType: Account,Cost of Goods Sold,የዕቃዎችና ወጪ የተሸጡ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,ወጪ ማዕከል ያስገቡ
 DocType: Drug Prescription,Dosage,የመመገቢያ
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,ብዛት እና ደረጃ ይስጡ
 DocType: Delivery Note,% Installed,% ተጭኗል
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,ክፍሎች / ንግግሮች መርሐግብር ይቻላል የት ቤተ ሙከራ ወዘተ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,ኩባንያዎች ሁለቱም ኩባንያዎች ከ Inter Company Transactions ጋር መጣጣም ይኖርባቸዋል.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,ኩባንያዎች ሁለቱም ኩባንያዎች ከ Inter Company Transactions ጋር መጣጣም ይኖርባቸዋል.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,የመጀመሪያ የኩባንያ ስም ያስገቡ
 DocType: Travel Itinerary,Non-Vegetarian,ቬጅ ያልሆነ
 DocType: Purchase Invoice,Supplier Name,አቅራቢው ስም
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,ለጊዜው ይጠብቁ
 DocType: Account,Is Group,; ይህ ቡድን
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,የብድር ማስታወሻ {0} በራስ ሰር ተፈጥሯል
-DocType: Email Digest,Pending Purchase Orders,የግዢ ትዕዛዞች በመጠባበቅ ላይ
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,በራስ-ሰር FIFO ላይ የተመሠረተ ቁጥሮች መለያ አዘጋጅ
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ማጣሪያ አቅራቢው የደረሰኝ ቁጥር ልዩ
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,ዋና አድራሻዎች ዝርዝሮች
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,በዛ ኢሜይል አንድ ክፍል ሆኖ ይሄዳል ያለውን የመግቢያ ጽሑፍ ያብጁ. እያንዳንዱ ግብይት የተለየ የመግቢያ ጽሑፍ አለው.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},ረድፍ {0}: ከሽኩት ንጥረ ነገር ጋር {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},ኩባንያው ነባሪ ተከፋይ መለያ ለማዘጋጀት እባክዎ {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},የሥራ ትዕዛዝ በግዳጅ ትዕዛዝ {0} ላይ አልተፈቀደም.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},የሥራ ትዕዛዝ በግዳጅ ትዕዛዝ {0} ላይ አልተፈቀደም.
 DocType: Setup Progress Action,Min Doc Count,አነስተኛ ዳክ ሂሳብ
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,"በሙሉ አቅማቸው ባለማምረታቸው, ሂደቶች ዓለም አቀፍ ቅንብሮች."
 DocType: Accounts Settings,Accounts Frozen Upto,Frozen እስከሁለት መለያዎች
 DocType: SMS Log,Sent On,ላይ የተላከ
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,አይነታ {0} አይነታዎች ሠንጠረዥ ውስጥ በርካታ ጊዜ ተመርጠዋል
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,አይነታ {0} አይነታዎች ሠንጠረዥ ውስጥ በርካታ ጊዜ ተመርጠዋል
 DocType: HR Settings,Employee record is created using selected field. ,የተቀጣሪ መዝገብ የተመረጠው መስክ በመጠቀም የተፈጠረ ነው.
 DocType: Sales Order,Not Applicable,ተፈፃሚ የማይሆን
 DocType: Amazon MWS Settings,UK,ዩኬ
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,ተቀጣሪ {0} ቀደም ሲል በ {1} ላይ {1} እንዲውል አመልቷል:
 DocType: Inpatient Record,AB Positive,AB አዎንታዊ ነው
 DocType: Job Opening,Description of a Job Opening,የክፍት ሥራው ዝርዝር
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,በዛሬው ጊዜ በመጠባበቅ ላይ እንቅስቃሴዎች
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,በዛሬው ጊዜ በመጠባበቅ ላይ እንቅስቃሴዎች
 DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet የተመሠረተ ለደምዎዝ ደመወዝ ክፍለ አካል.
+DocType: Driver,Applicable for external driver,ለውጫዊ አሽከርካሪ የሚመለከተው
 DocType: Sales Order Item,Used for Production Plan,የምርት ዕቅድ ላይ ውሏል
 DocType: Loan,Total Payment,ጠቅላላ ክፍያ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,ለ Completed Work Order ግብይት መሰረዝ አይችሉም.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,ለ Completed Work Order ግብይት መሰረዝ አይችሉም.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(ደቂቃዎች ውስጥ) ክወናዎች መካከል ሰዓት
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,ፖስታው ቀድሞውኑ ለሁሉም የሽያጭ ነገዶች እቃዎች ተፈጥሯል
 DocType: Healthcare Service Unit,Occupied,ተይዟል
 DocType: Clinical Procedure,Consumables,ዕቃዎች
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} እርምጃ ሊጠናቀቅ አልቻለም, ስለዚህ ተሰርዟል"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} እርምጃ ሊጠናቀቅ አልቻለም, ስለዚህ ተሰርዟል"
 DocType: Customer,Buyer of Goods and Services.,ዕቃዎችና አገልግሎቶች የገዢ.
 DocType: Journal Entry,Accounts Payable,ተከፋይ መለያዎች
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,በዚህ የክፍያ ጥያቄ የተቀመጠው የ {0} መጠን ከማናቸውም የክፍያ እቅዶች ሂሳብ የተለየ ነው {1}. ሰነዱን ከማስገባትዎ በፊት ይሄ ትክክል መሆኑን ያረጋግጡ.
 DocType: Patient,Allergies,አለርጂዎች
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,የተመረጡት BOMs ተመሳሳይ ንጥል አይደሉም
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,የተመረጡት BOMs ተመሳሳይ ንጥል አይደሉም
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,የንጥል ኮድ ቀይር
 DocType: Supplier Scorecard Standing,Notify Other,ሌላ አሳውቅ
 DocType: Vital Signs,Blood Pressure (systolic),የደም ግፊት (ሲቲካሊ)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,በቂ ክፍሎች መመሥረት የሚቻለው
 DocType: POS Profile User,POS Profile User,POS የመገለጫ ተጠቃሚ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,ረድፍ {0}: የአበሻ ማስወገጃ ቀን ያስፈልጋል
-DocType: Sales Invoice Item,Service Start Date,የአገልግሎት የመጀመሪያ ቀን
+DocType: Purchase Invoice Item,Service Start Date,የአገልግሎት የመጀመሪያ ቀን
 DocType: Subscription Invoice,Subscription Invoice,የምዝገባ ደረሰኝ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,ቀጥታ ገቢ
 DocType: Patient Appointment,Date TIme,ቀን እቅድ
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,ላብራቶሪ መደበኛ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,መዋቢያዎች
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,እባክዎን ለተጠናቀቀው የንብረት ጥገና ምዝግብ ማስታወሻ ቀነ-ገደብ ይምረጡ
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","ማዋሃድ, የሚከተሉትን ንብረቶች ሁለቱም ንጥሎች ጋር ተመሳሳይ መሆን አለበት"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","ማዋሃድ, የሚከተሉትን ንብረቶች ሁለቱም ንጥሎች ጋር ተመሳሳይ መሆን አለበት"
 DocType: Supplier,Block Supplier,አቅራቢን አግድ
 DocType: Shipping Rule,Net Weight,የተጣራ ክብደት
 DocType: Job Opening,Planned number of Positions,የወቅቱ እጩዎች ቁጥር
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,የገንዘብ ማጓጓዣ ሞዱል
 DocType: Travel Request,Costing Details,የማጓጓዣ ዝርዝሮች
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,ምላሾችን አሳይ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,ተከታታይ ምንም ንጥል ክፍልፋይ ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,ተከታታይ ምንም ንጥል ክፍልፋይ ሊሆን አይችልም
 DocType: Journal Entry,Difference (Dr - Cr),ልዩነት (ዶክተር - CR)
 DocType: Bank Guarantee,Providing,መስጠት
 DocType: Account,Profit and Loss,ትርፍ ማጣት
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","አልተፈቀደም, እንደ አስፈላጊነቱ የቤተ ሙከራ ሙከራ ቅንብርን ያዋቅሩ"
 DocType: Patient,Risk Factors,የጭንቀት ሁኔታዎች
 DocType: Patient,Occupational Hazards and Environmental Factors,የሥራ ጉዳት እና የአካባቢ ብክለቶች
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,ክምችት ምዝገባዎች ቀድሞ ለስራ ትእዛዝ ተዘጋጅተዋል
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,ክምችት ምዝገባዎች ቀድሞ ለስራ ትእዛዝ ተዘጋጅተዋል
 DocType: Vital Signs,Respiratory rate,የመተንፈሻ መጠን
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,ማኔጂንግ Subcontracting
 DocType: Vital Signs,Body Temperature,የሰውነት ሙቀት
 DocType: Project,Project will be accessible on the website to these users,ፕሮጀክት በእነዚህ ተጠቃሚዎች ወደ ድረ ገጽ ላይ ተደራሽ ይሆናል
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Serial No {2} ከሱቅ መጋዘን ውስጥ ስላልሆነ {0} {1} መተው አይቻልም {3}
 DocType: Detected Disease,Disease,በሽታ
+DocType: Company,Default Deferred Expense Account,ነባሪ የተዘገዘ የወጪ ክፍያ መለያን
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,የፕሮጀክት አይነት ይግለጹ.
 DocType: Supplier Scorecard,Weighting Function,የክብደት ተግባር
 DocType: Healthcare Practitioner,OP Consulting Charge,የ OP የምክር አገልግሎት ክፍያ
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,የተመረቱ ዕቃዎች
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,የግንኙነት ጥያቄ ወደ ክፍያ መጠየቂያዎች
 DocType: Sales Order Item,Gross Profit,አጠቃላይ ትርፍ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,ደረሰኝን አታግድ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,ደረሰኝን አታግድ
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ጭማሬ 0 መሆን አይችልም
 DocType: Company,Delete Company Transactions,ኩባንያ ግብይቶች ሰርዝ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,ማጣቀሻ የለም እና የማጣቀሻ ቀን ባንክ ግብይት ግዴታ ነው
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,ችላ
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} ንቁ አይደለም
 DocType: Woocommerce Settings,Freight and Forwarding Account,ጭነት እና ማስተላለፍ ሂሳብ
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,የህትመት ማዋቀር ቼክ ልኬቶችን
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,የህትመት ማዋቀር ቼክ ልኬቶችን
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,ደሞዝ ቅበላዎችን ይፍጠሩ
 DocType: Vital Signs,Bloated,ተጣላ
 DocType: Salary Slip,Salary Slip Timesheet,የቀጣሪ Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ንዑስ-በኮንትራት የግዢ ደረሰኝ ለማግኘት የግዴታ በአቅራቢዎች መጋዘን
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ንዑስ-በኮንትራት የግዢ ደረሰኝ ለማግኘት የግዴታ በአቅራቢዎች መጋዘን
 DocType: Item Price,Valid From,ከ የሚሰራ
 DocType: Sales Invoice,Total Commission,ጠቅላላ ኮሚሽን
 DocType: Tax Withholding Account,Tax Withholding Account,የግብር መያዣ ሂሳብ
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,ሁሉም የአቅራቢ መለኪያ ካርዶች.
 DocType: Buying Settings,Purchase Receipt Required,የግዢ ደረሰኝ ያስፈልጋል
 DocType: Delivery Note,Rail,ባቡር
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,የረድፍ መጋዘን በረድፍ {0} ውስጥ እንደ የሥራ ትዕዛዝ ተመሳሳይ መሆን አለበት
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,የመክፈቻ የአክሲዮን ገብቶ ከሆነ ግምቱ ተመን የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,የረድፍ መጋዘን በረድፍ {0} ውስጥ እንደ የሥራ ትዕዛዝ ተመሳሳይ መሆን አለበት
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,የመክፈቻ የአክሲዮን ገብቶ ከሆነ ግምቱ ተመን የግዴታ ነው
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,በ የደረሰኝ ሠንጠረዥ ውስጥ አልተገኘም ምንም መዝገቦች
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,በመጀመሪያ ኩባንያ እና የፓርቲ አይነት ይምረጡ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","ቀድሞውኑ በ pos profile {0} ለ ተጠቃሚ {1} አስቀድሞ ተዋቅሯል, በደግነት የተሰናከለ ነባሪ"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,የፋይናንስ / የሂሳብ ዓመት ነው.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,የፋይናንስ / የሂሳብ ዓመት ነው.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ሲጠራቀሙ እሴቶች
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","ይቅርታ, ተከታታይ ቁጥሮች ሊዋሃዱ አይችሉም"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ደንበኞችን ከሻትሪንግ በማመሳሰል የደንበኛ ቡድን ለተመረጠው ቡድን ይዋቀራል
@@ -895,7 +900,7 @@
 ,Lead Id,ቀዳሚ መታወቂያ
 DocType: C-Form Invoice Detail,Grand Total,አጠቃላይ ድምር
 DocType: Assessment Plan,Course,ትምህርት
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,የክፍል ኮድ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,የክፍል ኮድ
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,የግማሽ ቀን ቀን ከቀን እና ከቀን ውስጥ መሆን አለበት
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,ንጥል ጨመር
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,የግል ህይወት ታሪክ
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,የአባልነት መታወቂያ
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},ደርሷል: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},ደርሷል: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,ከ QuickBooks ጋር ተገናኝቷል
 DocType: Bank Statement Transaction Entry,Payable Account,የሚከፈለው መለያ
 DocType: Payment Entry,Type of Payment,የክፍያው አይነት
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,የግማሽ ቀን ቀን የግድ ግዴታ ነው
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,የማጓጓዣ ክፍያ ቀን
 DocType: Production Plan,Production Plan,የምርት ዕቅድ
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,የጋብቻ ክፍያ መጠየቂያ መሳሪያ መፍጠሩ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,የሽያጭ ተመለስ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,የሽያጭ ተመለስ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ማስታወሻ: ጠቅላላ የተመደበ ቅጠሎች {0} አስቀድሞ ተቀባይነት ቅጠሎች ያነሰ መሆን የለበትም {1} ወደ ጊዜ
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,በ Serial No Entput ላይ በመመርኮዝ ስንት ግምት ያዘጋጁ
 ,Total Stock Summary,ጠቅላላ የአክሲዮን ማጠቃለያ
@@ -927,9 +933,9 @@
 DocType: Authorization Rule,Customer or Item,ደንበኛ ወይም ንጥል
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,የደንበኛ ጎታ.
 DocType: Quotation,Quotation To,ወደ ጥቅስ
-DocType: Lead,Middle Income,የመካከለኛ ገቢ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,የመካከለኛ ገቢ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),በመክፈት ላይ (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,እናንተ አስቀድሞ ከሌላ UOM አንዳንድ ግብይት (ዎች) ምክንያቱም ንጥል ለ ይለኩ ነባሪ ክፍል {0} በቀጥታ ሊቀየር አይችልም. የተለየ ነባሪ UOM ለመጠቀም አዲስ ንጥል መፍጠር አለብዎት.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,እናንተ አስቀድሞ ከሌላ UOM አንዳንድ ግብይት (ዎች) ምክንያቱም ንጥል ለ ይለኩ ነባሪ ክፍል {0} በቀጥታ ሊቀየር አይችልም. የተለየ ነባሪ UOM ለመጠቀም አዲስ ንጥል መፍጠር አለብዎት.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,የተመደበ መጠን አሉታዊ መሆን አይችልም
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,ካምፓኒው ማዘጋጀት እባክዎ
 DocType: Share Balance,Share Balance,የሒሳብ ሚዛን
@@ -946,15 +952,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,ይምረጡ የክፍያ መለያ ባንክ የሚመዘገብ ለማድረግ
 DocType: Hotel Settings,Default Invoice Naming Series,ነባሪ የክፍያ ደረሰኝ ስያሜዎች
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","ቅጠሎች, ወጪዎች እና የመክፈል ዝርዝር ለማስተዳደር የሰራተኛ መዝገብ ይፍጠሩ"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,በማዘመን ሂደቱ ጊዜ ስህተት ተከስቷል
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,በማዘመን ሂደቱ ጊዜ ስህተት ተከስቷል
 DocType: Restaurant Reservation,Restaurant Reservation,የምግብ ቤት ቦታ ማስያዣ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,ሐሳብ መጻፍ
 DocType: Payment Entry Deduction,Payment Entry Deduction,የክፍያ Entry ተቀናሽ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,ማጠራቀሚያ
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ደንበኛዎችን በኢሜይል ያሳውቁ
 DocType: Item,Batch Number Series,ቡት ቁጥር ተከታታይ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,ሌላው የሽያጭ ሰው {0} ተመሳሳይ የሰራተኛ መታወቂያ ጋር አለ
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,ሌላው የሽያጭ ሰው {0} ተመሳሳይ የሰራተኛ መታወቂያ ጋር አለ
 DocType: Employee Advance,Claimed Amount,የይገባኛል የተጠየቀው መጠን
+DocType: QuickBooks Migrator,Authorization Settings,የፈቀዳ ቅንብሮች
 DocType: Travel Itinerary,Departure Datetime,የመጓጓዣ ጊዜያት
 DocType: Customer,CUST-.YYYY.-,CUST-yYYYY.-
 DocType: Travel Request Costing,Travel Request Costing,የጉዞ ዋጋ ማስተካከያ
@@ -993,26 +1000,29 @@
 DocType: Buying Settings,Supplier Naming By,በ አቅራቢው አሰያየም
 DocType: Activity Type,Default Costing Rate,ነባሪ የኳንቲቲ ደረጃ
 DocType: Maintenance Schedule,Maintenance Schedule,ጥገና ፕሮግራም
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","በዚያን ጊዜ የዋጋ አሰጣጥ ደንቦቹ ወዘተ የደንበኞች, የደንበኞች ቡድን, ክልል, አቅራቢው, አቅራቢው ዓይነት, ዘመቻ, የሽያጭ ባልደረባ ላይ የተመሠረቱ ውጭ ይጣራሉ"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","በዚያን ጊዜ የዋጋ አሰጣጥ ደንቦቹ ወዘተ የደንበኞች, የደንበኞች ቡድን, ክልል, አቅራቢው, አቅራቢው ዓይነት, ዘመቻ, የሽያጭ ባልደረባ ላይ የተመሠረቱ ውጭ ይጣራሉ"
 DocType: Employee Promotion,Employee Promotion Details,የሰራተኛ ማስተዋወቂያ ዝርዝሮች
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,ቆጠራ ውስጥ የተጣራ ለውጥ
 DocType: Employee,Passport Number,የፓስፖርት ቁጥር
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 ጋር በተያያዘ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,አስተዳዳሪ
 DocType: Payment Entry,Payment From / To,/ ከ ወደ ክፍያ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,ከፋይስቲክ ዓመት
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},አዲስ የክሬዲት ገደብ ለደንበኛው ከአሁኑ የላቀ መጠን ያነሰ ነው. የክሬዲት ገደብ ላይ ቢያንስ መሆን አለበት {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},እባክዎ በ Warehouse {0} ውስጥ መለያ ያዘጋጁ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},እባክዎ በ Warehouse {0} ውስጥ መለያ ያዘጋጁ
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,እና &#39;የቡድን በ&#39; &#39;ላይ የተመሠረተ »ጋር ተመሳሳይ መሆን አይችልም
 DocType: Sales Person,Sales Person Targets,የሽያጭ ሰው ዒላማዎች
 DocType: Work Order Operation,In minutes,ደቂቃዎች ውስጥ
 DocType: Issue,Resolution Date,ጥራት ቀን
 DocType: Lab Test Template,Compound,ስብስብ
+DocType: Opportunity,Probability (%),ፕሮባቢሊቲ (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,የመልቀቂያ ማሳወቂያ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,ንብረትን ይምረጡ
 DocType: Student Batch Name,Batch Name,ባች ስም
 DocType: Fee Validity,Max number of visit,ከፍተኛ የጎብኝ ቁጥር
 ,Hotel Room Occupancy,የሆቴል ክፍል ባለቤትነት
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet ተፈጥሯል:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},የክፍያ ሁነታ ላይ ነባሪ በጥሬ ገንዘብ ወይም በባንክ መለያ ማዘጋጀት እባክዎ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},የክፍያ ሁነታ ላይ ነባሪ በጥሬ ገንዘብ ወይም በባንክ መለያ ማዘጋጀት እባክዎ {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,ይመዝገቡ
 DocType: GST Settings,GST Settings,GST ቅንብሮች
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},ምንዛሬ ልክ እንደ የዋጋ ዝርዝር ምንዛሬ መሆን አለበት: {0}
@@ -1053,12 +1063,12 @@
 DocType: Loan,Total Interest Payable,ተከፋይ ጠቅላላ የወለድ
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ደረስን ወጪ ግብሮች እና ክፍያዎች
 DocType: Work Order Operation,Actual Start Time,ትክክለኛው የማስጀመሪያ ሰዓት
+DocType: Purchase Invoice Item,Deferred Expense Account,የሚገመተው የወጪ ሂሳብ
 DocType: BOM Operation,Operation Time,ኦፕሬሽን ሰዓት
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,ጪረሰ
 DocType: Salary Structure Assignment,Base,መሠረት
 DocType: Timesheet,Total Billed Hours,ጠቅላላ የሚከፈል ሰዓቶች
 DocType: Travel Itinerary,Travel To,ወደ ተጓዙ
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,አይደለም
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,መጠን ጠፍቷል ይጻፉ
 DocType: Leave Block List Allow,Allow User,ተጠቃሚ ፍቀድ
 DocType: Journal Entry,Bill No,ቢል ምንም
@@ -1075,9 +1085,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,የጊዜ ሉህ
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush ጥሬ እቃዎች ላይ የተመረኮዘ ላይ
 DocType: Sales Invoice,Port Code,የወደብ ኮድ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,የመጠባበቂያ ክምችት
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,የመጠባበቂያ ክምችት
 DocType: Lead,Lead is an Organization,መሪ ድርጅት ነው
-DocType: Guardian Interest,Interest,ዝንባሌ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,ቅድመ ሽያጭ
 DocType: Instructor Log,Other Details,ሌሎች ዝርዝሮች
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1087,7 +1096,7 @@
 DocType: Account,Accounts,መለያዎች
 DocType: Vehicle,Odometer Value (Last),ቆጣሪው ዋጋ (የመጨረሻ)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,የአቅራቢዎች የውጤት መለኪያ መስፈርት ደንቦች.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,ማርኬቲንግ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,ማርኬቲንግ
 DocType: Sales Invoice,Redeem Loyalty Points,የታማኝነት ውጤቶች ያስመልሱ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,የክፍያ Entry አስቀድሞ የተፈጠረ ነው
 DocType: Request for Quotation,Get Suppliers,አቅራቢዎችን ያግኙ
@@ -1104,16 +1113,14 @@
 DocType: Crop,Crop Spacing UOM,UOM ከርክም አሰርጥ
 DocType: Loyalty Program,Single Tier Program,የነጠላ ደረጃ ፕሮግራም
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,የ &quot;Cash Flow Mapper&quot; ሰነዶች ካለህ ብቻ ምረጥ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,ከ አድራሻ 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,ከ አድራሻ 1
 DocType: Email Digest,Next email will be sent on:,ቀጣይ ኢሜይል ላይ ይላካል:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",ንጥል ተከትሎ ንጥል {ንጥሎች} {verb} እንደ {message} ንጥል ናቸው. \ እንደ {message} ንጥል ከንጥል ዋናው ላይ ሊያነቋቸው ይችላሉ
 DocType: Supplier Scorecard,Per Week,በሳምንት
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,ንጥል ተለዋጮች አለው.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,ንጥል ተለዋጮች አለው.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,ጠቅላላ ተማሪ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ንጥል {0} አልተገኘም
 DocType: Bin,Stock Value,የክምችት እሴት
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,ኩባንያ {0} የለም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,ኩባንያ {0} የለም
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} እስከ {1} ድረስ የአገልግሎት ክፍያ አለው.
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,የዛፍ አይነት
 DocType: BOM Explosion Item,Qty Consumed Per Unit,ብዛት አሃድ በእያንዳንዱ ፍጆታ
@@ -1128,7 +1135,7 @@
 ,Fichier des Ecritures Comptables [FEC],የምዕራፍ ቅዱሳት መጻሕፍትን መዝገቦች [FEC]
 DocType: Journal Entry,Credit Card Entry,ክሬዲት ካርድ Entry
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,ኩባንያ እና መለያዎች
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,እሴት ውስጥ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,እሴት ውስጥ
 DocType: Asset Settings,Depreciation Options,የዋጋ ቅነሳ አማራጮች
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,ቦታው ወይም ሰራተኛ መሆን አለበት
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,ልክ ያልሆነ የመለጠጫ ጊዜ
@@ -1145,20 +1152,21 @@
 DocType: Leave Allocation,Allocation,ምደባ
 DocType: Purchase Order,Supply Raw Materials,አቅርቦት ጥሬ እቃዎች
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,የአሁኑ ንብረቶች
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} አንድ የአክሲዮን ንጥል አይደለም
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} አንድ የአክሲዮን ንጥል አይደለም
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',በ &quot;Training Feedback&quot; እና &quot;New&quot; ላይ ጠቅ በማድረግ ግብረመልስዎን ለስልጠና ያጋሩ.
 DocType: Mode of Payment Account,Default Account,ነባሪ መለያ
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,እባክዎ በመጀመሪያ በቅምብዓት ቅንጅቶች ውስጥ የናሙና ማቆያ መደብርን ይምረጡ
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,እባክዎ በመጀመሪያ በቅምብዓት ቅንጅቶች ውስጥ የናሙና ማቆያ መደብርን ይምረጡ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,ከአንድ በላይ ስብስብ ደንቦች እባክዎ ከአንድ በላይ ደረጃ የቴክስት ፕሮግራም ይምረጡ.
 DocType: Payment Entry,Received Amount (Company Currency),ተቀብሏል መጠን (የኩባንያ የምንዛሬ)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,ዕድል አመራር የተሰራ ከሆነ ግንባር መዘጋጀት አለበት
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,ክፍያ ተሰርዟል. ለተጨማሪ ዝርዝሮች እባክዎ የ GoCardless መለያዎን ይመልከቱ
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,በአባሪነት ላክ
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,ሳምንታዊ ጠፍቷል ቀን ይምረጡ
 DocType: Inpatient Record,O Negative,ኦ አሉታዊ
 DocType: Work Order Operation,Planned End Time,የታቀደ መጨረሻ ሰዓት
 ,Sales Person Target Variance Item Group-Wise,የሽያጭ ሰው ዒላማ ልዩነት ንጥል ቡድን ጥበበኛ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,ነባር የግብይት ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,ነባር የግብይት ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,የማስታወሻ አይነት አይነት ዝርዝሮች
 DocType: Delivery Note,Customer's Purchase Order No,ደንበኛ የግዢ ትዕዛዝ ምንም
 DocType: Clinical Procedure,Consume Stock,ክምችት ተጠቀም
@@ -1171,26 +1179,26 @@
 DocType: Soil Texture,Sand,አሸዋ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,ኃይል
 DocType: Opportunity,Opportunity From,ከ አጋጣሚ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ረድፍ {0}: {1} የቁጥር ቁጥሮች ለ Item {2} ያስፈልጋሉ. {3} ሰጥተሃል.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ረድፍ {0}: {1} የቁጥር ቁጥሮች ለ Item {2} ያስፈልጋሉ. {3} ሰጥተሃል.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,እባክህ ሰንጠረዥ ምረጥ
 DocType: BOM,Website Specifications,የድር ጣቢያ ዝርዝር
 DocType: Special Test Items,Particulars,ዝርዝሮች
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: ከ {0} አይነት {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,ረድፍ {0}: የልወጣ ምክንያት የግዴታ ነው
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,ረድፍ {0}: የልወጣ ምክንያት የግዴታ ነው
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","በርካታ ዋጋ ደንቦች ተመሳሳይ መስፈርት ጋር አለ, ቅድሚያ ሰጥቷቸዋል ግጭት ለመፍታት ይሞክሩ. ዋጋ: ሕጎች: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","በርካታ ዋጋ ደንቦች ተመሳሳይ መስፈርት ጋር አለ, ቅድሚያ ሰጥቷቸዋል ግጭት ለመፍታት ይሞክሩ. ዋጋ: ሕጎች: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,የ Exchange Rate Revaluation Account
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,አቦዝን ወይም ሌሎች BOMs ጋር የተያያዘ ነው እንደ BOM ማስቀረት አይቻልም
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,አቦዝን ወይም ሌሎች BOMs ጋር የተያያዘ ነው እንደ BOM ማስቀረት አይቻልም
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,እባክዎ ግቤቶችን ለመመዝገብ እባክዎ ኩባንያ እና የድረ-ገጽ ቀንን ይምረጡ
 DocType: Asset,Maintenance,ጥገና
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,ከታካሚዎች ግኝት ያግኙ
 DocType: Subscriber,Subscriber,ደንበኛ
 DocType: Item Attribute Value,Item Attribute Value,ንጥል ዋጋ የአይነት
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,እባክዎ የፕሮጀክት ሁኔታዎን ያዘምኑ
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,እባክዎ የፕሮጀክት ሁኔታዎን ያዘምኑ
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,የምንዛሬ ልውውጥ ለግዢ ወይም ለሽያጭ ተፈጻሚ መሆን አለበት.
 DocType: Item,Maximum sample quantity that can be retained,ሊቆይ የሚችል ከፍተኛ የናሙና መጠን
 DocType: Project Update,How is the Project Progressing Right Now?,አሁን የፕሮጀክቱ ሂደት እንዴት ነው?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ረድፍ {0} # ንጥል {1} ከ {2} በላይ የግዢ ትዕዛዝ {3} ን ማስተላለፍ አይቻልም
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ረድፍ {0} # ንጥል {1} ከ {2} በላይ የግዢ ትዕዛዝ {3} ን ማስተላለፍ አይቻልም
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,የሽያጭ ዘመቻዎች.
 DocType: Project Task,Make Timesheet,Timesheet አድርግ
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1219,36 +1227,38 @@
 DocType: Lab Test,Lab Test,የቤተ ሙከራ ሙከራ
 DocType: Student Report Generation Tool,Student Report Generation Tool,የተማሪ ሪፖርት ማመንጫ መሳሪያ
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,የጤና እንክብካቤ የዕቅድ ሰአት
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,የዶ ስም
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,የዶ ስም
 DocType: Expense Claim Detail,Expense Claim Type,የወጪ የይገባኛል ጥያቄ አይነት
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,ወደ ግዢ ሳጥን ጨመር ነባሪ ቅንብሮች
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,ጊዜያቶችን ጨምር
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},ጆርናል Entry በኩል በመዛጉ ንብረት {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},እባክዎ በፋብሪካ ውስጥ {0} ወይም በካሜራ ውስጥ ያለው ነባሪ የምርቶች መለያን ያዘጋጁ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},ጆርናል Entry በኩል በመዛጉ ንብረት {0}
 DocType: Loan,Interest Income Account,የወለድ ገቢ መለያ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,ጥቅማጥቅሞችን ለማሟላት ከፍተኛ ጥቅሞች ከዜሮ በላይ መሆን አለባቸው
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,ጥቅማጥቅሞችን ለማሟላት ከፍተኛ ጥቅሞች ከዜሮ በላይ መሆን አለባቸው
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,የግብዓት ግብዣ ተልኳል
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,የተቀጣሪ ዝውውር ንብረት
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,ከጊዜ ውጪ የእድሜ መግፋት ያስፈልጋል
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,ባዮቴክኖሎጂ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",እቃ {0} (ተከታታይ ቁጥሩ: {1}) እንደ መሸብር / ሙሉ ዝርዝር ቅደም ተከተል የሽያጭ ትዕዛዝ {2} ን ጥቅም ላይ ሊውል አይችልም.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,ቢሮ ጥገና ወጪዎች
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,መሄድ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ዋጋን ከሻርክፍ ወደ ኤአርፒኢዜል ዋጋ ዝርዝር ይዝጉ
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,የኢሜይል መለያ በማቀናበር ላይ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,መጀመሪያ ንጥል ያስገቡ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,ትንታኔ ያስፈልገዋል
 DocType: Asset Repair,Downtime,ታግዷል
 DocType: Account,Liability,ኃላፊነት
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ማዕቀብ መጠን ረድፍ ውስጥ የይገባኛል ጥያቄ መጠን መብለጥ አይችልም {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ማዕቀብ መጠን ረድፍ ውስጥ የይገባኛል ጥያቄ መጠን መብለጥ አይችልም {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,አካዳሚያዊ ውል:
 DocType: Salary Component,Do not include in total,በአጠቃላይ አያካትቱ
 DocType: Company,Default Cost of Goods Sold Account,ጥሪታቸውንም እየሸጡ መለያ ነባሪ ዋጋ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},የናሙና መጠን {0} ከተላከ በላይ መሆን አይሆንም {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,የዋጋ ዝርዝር አልተመረጠም
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},የናሙና መጠን {0} ከተላከ በላይ መሆን አይሆንም {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,የዋጋ ዝርዝር አልተመረጠም
 DocType: Employee,Family Background,የቤተሰብ ዳራ
 DocType: Request for Quotation Supplier,Send Email,ኢሜይል ይላኩ
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},ማስጠንቀቂያ: ልክ ያልሆነ አባሪ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},ማስጠንቀቂያ: ልክ ያልሆነ አባሪ {0}
 DocType: Item,Max Sample Quantity,ከፍተኛ መጠን ናሙና ብዛት
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,ምንም ፍቃድ
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,የውል ፍጻሜ ማረጋገጫ ዝርዝር
@@ -1279,15 +1289,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: የወጪ ማዕከል {2} ኩባንያ የእርሱ ወገን አይደለም {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),የፊደል ራስዎን ይስቀሉ (900 ፒክስል በ 100 ፒክስል በድር ተስማሚ ያድርጉ)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: መለያ {2} አንድ ቡድን ሊሆን አይችልም
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ንጥል ረድፍ {idx}: {doctype} {DOCNAME} ከላይ ውስጥ የለም &#39;{doctype} »ሰንጠረዥ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} አስቀድሞ የተጠናቀቁ ወይም ተሰርዟል
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} አስቀድሞ የተጠናቀቁ ወይም ተሰርዟል
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ምንም ተግባራት
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,የሽያጭ ደረሰኝ {0} እንደ ተከፈለ ተደርጓል
 DocType: Item Variant Settings,Copy Fields to Variant,መስኮችን ወደ ስሪቶች ገልብጥ
 DocType: Asset,Opening Accumulated Depreciation,ክምችት መቀነስ በመክፈት ላይ
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,ነጥብ 5 ያነሰ ወይም እኩል መሆን አለበት
 DocType: Program Enrollment Tool,Program Enrollment Tool,ፕሮግራም ምዝገባ መሣሪያ
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,ሲ-ቅጽ መዝገቦች
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,ሲ-ቅጽ መዝገቦች
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,ክፍሎቹ ቀድሞውኑ ናቸው
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,የደንበኛ እና አቅራቢው
 DocType: Email Digest,Email Digest Settings,የኢሜይል ጥንቅር ቅንብሮች
@@ -1300,12 +1310,12 @@
 DocType: Production Plan,Select Items,ይምረጡ ንጥሎች
 DocType: Share Transfer,To Shareholder,ለባለአክሲዮን
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} ቢል ላይ {1} የተዘጋጀው {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,ከስቴት
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,ከስቴት
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,የማዋቀሪያ ተቋም
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,ቅጠሎችን በመመደብ ላይ ...
 DocType: Program Enrollment,Vehicle/Bus Number,ተሽከርካሪ / የአውቶቡስ ቁጥር
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,የኮርስ ፕሮግራም
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",በመጨረሻው የደመወዝ ክፍያ ሠንጠረዥ ውስጥ ያልተሰጠ የግብር ነጻ መሆን ማረጋገጫ እና የጥቅም ተከፋይ ጥቅማጥቅሞች
 DocType: Request for Quotation Supplier,Quote Status,የኹናቴ ሁኔታ
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1331,13 +1341,13 @@
 DocType: Sales Invoice,Payment Due Date,ክፍያ መጠናቀቅ ያለበት ቀን
 DocType: Drug Prescription,Interval UOM,የጊዜ ክፍተት UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",የተመረጠው አድራሻ ከተቀመጠ በኋላ ማስተካከያ ከተደረገበት አይምረጡ
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,ንጥል ተለዋጭ {0} ቀድሞውኑ ተመሳሳይ ባሕርያት ጋር አለ
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,ንጥል ተለዋጭ {0} ቀድሞውኑ ተመሳሳይ ባሕርያት ጋር አለ
 DocType: Item,Hub Publishing Details,ሃቢ የህትመት ዝርዝሮች
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;በመክፈት ላይ&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;በመክፈት ላይ&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ማድረግ ወደ ክፈት
 DocType: Issue,Via Customer Portal,በደንበኛ መግቢያ በኩል
 DocType: Notification Control,Delivery Note Message,የመላኪያ ማስታወሻ መልዕክት
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,የ SGST መጠን
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,የ SGST መጠን
 DocType: Lab Test Template,Result Format,የውጤት ፎርማት
 DocType: Expense Claim,Expenses,ወጪ
 DocType: Item Variant Attribute,Item Variant Attribute,ንጥል ተለዋጭ መገለጫ ባህሪ
@@ -1345,14 +1355,12 @@
 DocType: Payroll Entry,Bimonthly,በሚካሄዴ
 DocType: Vehicle Service,Brake Pad,የብሬክ ፓድ
 DocType: Fertilizer,Fertilizer Contents,የማዳበሪያ ይዘት
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,የጥናት ምርምር እና ልማት
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,የጥናት ምርምር እና ልማት
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ቢል የገንዘብ መጠን
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","የመጀመሪያ ቀን እና የመጨረሻ ቀን ከስራ ካርድ ጋር <a href=""#Form/Job Card/{0}"">{1}</a> ተደራራቢ"
 DocType: Company,Registration Details,ምዝገባ ዝርዝሮች
 DocType: Timesheet,Total Billed Amount,ጠቅላላ የሚከፈል መጠን
 DocType: Item Reorder,Re-Order Qty,ዳግም-ትዕዛዝ ብዛት
 DocType: Leave Block List Date,Leave Block List Date,አግድ ዝርዝር ቀን ውጣ
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,እባክዎ የመምህርውን ስም ስርዓትን በስርዓት&gt; የትምህርት ቅንብሮች ያዋቅሩ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,እቃ # {0}: ጥሬ እቃው እንደ ዋናው አይነት ተመሳሳይ መሆን አይችልም
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,የግዢ ደረሰኝ ንጥሎች ሰንጠረዥ ውስጥ ጠቅላላ የሚመለከታቸው ክፍያዎች ጠቅላላ ግብሮች እና ክፍያዎች እንደ አንድ አይነት መሆን አለበት
 DocType: Sales Team,Incentives,ማበረታቻዎች
@@ -1366,7 +1374,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,ነጥብ-መካከል-ሽያጭ
 DocType: Fee Schedule,Fee Creation Status,የአገልግሎት ክፍያ ሁኔታ
 DocType: Vehicle Log,Odometer Reading,ቆጣሪው ንባብ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","አስቀድሞ የሥዕል ውስጥ ቀሪ ሒሳብ, አንተ &#39;ዴቢት&#39; እንደ &#39;ሚዛናዊነት መሆን አለበት&#39; እንዲያዘጋጁ ያልተፈቀደላቸው ነው"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","አስቀድሞ የሥዕል ውስጥ ቀሪ ሒሳብ, አንተ &#39;ዴቢት&#39; እንደ &#39;ሚዛናዊነት መሆን አለበት&#39; እንዲያዘጋጁ ያልተፈቀደላቸው ነው"
 DocType: Account,Balance must be,ቀሪ መሆን አለበት
 DocType: Notification Control,Expense Claim Rejected Message,ወጪ የይገባኛል ጥያቄ ውድቅ መልዕክት
 ,Available Qty,ይገኛል ብዛት
@@ -1378,7 +1386,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,የትዕዛዝ ዝርዝሮችን ከማመሳሰልዎ በፊት የእርስዎን ምርቶች ሁልጊዜ ከአማዞን MWS ጋር ያመሳስሉ
 DocType: Delivery Trip,Delivery Stops,መላኪያ ማቆም
 DocType: Salary Slip,Working Days,ተከታታይ የስራ ቀናት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},በረድፍ {0} ውስጥ የንጥል አገልግሎት ቀን ማብራት አይቻልም.
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},በረድፍ {0} ውስጥ የንጥል አገልግሎት ቀን ማብራት አይቻልም.
 DocType: Serial No,Incoming Rate,ገቢ ተመን
 DocType: Packing Slip,Gross Weight,ጠቅላላ ክብደት
 DocType: Leave Type,Encashment Threshold Days,የእርስት ውዝግብ ቀናት
@@ -1397,30 +1405,32 @@
 DocType: Restaurant Table,Minimum Seating,አነስተኛ ቦታ መያዝ
 DocType: Item Attribute,Item Attribute Values,ንጥል መገለጫ ባህሪ እሴቶች
 DocType: Examination Result,Examination Result,ምርመራ ውጤት
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,የግዢ ደረሰኝ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,የግዢ ደረሰኝ
 ,Received Items To Be Billed,ተቀብሏል ንጥሎች እንዲከፍሉ ለማድረግ
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,ምንዛሬ ተመን ጌታቸው.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,ምንዛሬ ተመን ጌታቸው.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},ማጣቀሻ Doctype ውስጥ አንዱ መሆን አለበት {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,ጠቅላላ ዜሮ መጠይቁን አጣራ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ድርጊቱ ለ ቀጣዩ {0} ቀናት ውስጥ ጊዜ ማስገቢያ ማግኘት አልተቻለም {1}
 DocType: Work Order,Plan material for sub-assemblies,ንዑስ-አብያተ ክርስቲያናት ለ እቅድ ቁሳዊ
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,የሽያጭ አጋሮች እና ግዛት
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} ገባሪ መሆን አለበት
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} ገባሪ መሆን አለበት
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,ለሽግግር ምንም የለም
 DocType: Employee Boarding Activity,Activity Name,የእንቅስቃሴ ስም
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,የተለቀቀበት ቀን ለውጥ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,የተጠናቀቀው የምርት ብዛት <b>{0}</b> እና ለ Quantity <b>{1}</b> ሊለወጥ አይችልም
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,የተለቀቀበት ቀን ለውጥ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,የተጠናቀቀው የምርት ብዛት <b>{0}</b> እና ለ Quantity <b>{1}</b> ሊለወጥ አይችልም
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),መዝጊያ (መከፈቻ + ጠቅላላ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,የእንጥል ኮድ&gt; የንጥል ቡድን&gt; ግሩፕ
+DocType: Delivery Settings,Dispatch Notification Attachment,የመልቀቂያ ማሳወቂያ ፋይል
 DocType: Payroll Entry,Number Of Employees,የሰራተኞች ብዛት
 DocType: Journal Entry,Depreciation Entry,የእርጅና Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,በመጀመሪያ ስለ ሰነዱ አይነት ይምረጡ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,በመጀመሪያ ስለ ሰነዱ አይነት ይምረጡ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ይህ ጥገና ይጎብኙ በመሰረዝ በፊት ይቅር ቁሳዊ ጥገናዎች {0}
 DocType: Pricing Rule,Rate or Discount,ደረጃ ወይም ቅናሽ
 DocType: Vital Signs,One Sided,አንድ ጎን
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},ተከታታይ አይ {0} ንጥል የእርሱ ወገን አይደለም {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,ያስፈልጋል ብዛት
 DocType: Marketplace Settings,Custom Data,ብጁ ውሂብ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,አሁን ያሉ ግብይት ጋር መጋዘኖችን የመቁጠር ወደ ሊቀየር አይችልም.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,አሁን ያሉ ግብይት ጋር መጋዘኖችን የመቁጠር ወደ ሊቀየር አይችልም.
 DocType: Bank Reconciliation,Total Amount,አጠቃላይ ድምሩ
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,ከተለየበት ቀን እና ቀን ጀምሮ በተለያየ የፋሲሊቲ ዓመት ውስጥ ነው
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,ታካሚው {0} ለክፍለ ሃገር ደንበኞች ማመላከቻ የላቸውም
@@ -1431,9 +1441,9 @@
 DocType: Soil Texture,Clay Composition (%),የሸክላ አዘጋጅ (%)
 DocType: Item Group,Item Group Defaults,የቡድን ቡድን ነባሪዎች
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,እባክዎ ስራ ከመመደባቸው በፊት ያስቀምጡ.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ቀሪ ዋጋ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ቀሪ ዋጋ
 DocType: Lab Test,Lab Technician,ላብራቶሪ ቴክኒሽያን
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,የሽያጭ ዋጋ ዝርዝር
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,የሽያጭ ዋጋ ዝርዝር
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",ምልክት ከተደረገ ደንበኛው ታካሚን ይመርጣል. የታካሚ ደረሰኞች በዚህ ደንበኛ ላይ ይወጣሉ. ታካሚን በመፍጠር ላይ እያለ ነባር ደንበኛ መምረጥም ይችላሉ.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ደንበኛው በማንኛውም የታማኝነት ፕሮግራም ውስጥ አልተመዘገበም
@@ -1447,13 +1457,13 @@
 DocType: Support Search Source,Search Term Param Name,የፍለጋ ስም ፓራ ስም
 DocType: Item Barcode,Item Barcode,የእሴት ባር ኮድ
 DocType: Woocommerce Settings,Endpoints,መቁጠሪያዎች
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,ንጥል አይነቶች {0} ዘምኗል
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,ንጥል አይነቶች {0} ዘምኗል
 DocType: Quality Inspection Reading,Reading 6,6 ማንበብ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,አይደለም {0} {1} {2} ያለ ማንኛውም አሉታዊ ግሩም መጠየቂያ ማድረግ ይችላል
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,አይደለም {0} {1} {2} ያለ ማንኛውም አሉታዊ ግሩም መጠየቂያ ማድረግ ይችላል
 DocType: Share Transfer,From Folio No,ከ Folio ቁጥር
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,የደረሰኝ የቅድሚያ ግዢ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},ረድፍ {0}: የሥዕል ግቤት ጋር ሊገናኝ አይችልም አንድ {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,አንድ የገንዘብ ዓመት በጀት ይግለጹ.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,አንድ የገንዘብ ዓመት በጀት ይግለጹ.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext መለያ
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} ታግዶ ይህ ግብይት መቀጠል አይችልም
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,የተቆራረጠ ወርሃዊ በጀት ከወሰደ እርምጃ
@@ -1469,19 +1479,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,የግዢ ደረሰኝ
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,ከአንድ የስራ ትዕዛዝ በላይ ብዙ ቁሳቁሶችን ይፍቀዱ
 DocType: GL Entry,Voucher Detail No,የቫውቸር ዝርዝር የለም
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,አዲስ የሽያጭ ደረሰኝ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,አዲስ የሽያጭ ደረሰኝ
 DocType: Stock Entry,Total Outgoing Value,ጠቅላላ የወጪ ዋጋ
 DocType: Healthcare Practitioner,Appointments,ቀጠሮዎች
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,ቀን እና መዝጊያ ቀን በመክፈት ተመሳሳይ በጀት ዓመት ውስጥ መሆን አለበት
 DocType: Lead,Request for Information,መረጃ ጥያቄ
 ,LeaderBoard,የመሪዎች ሰሌዳ
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),ከዕንዳኔ ጋር (የኩባንያው የገንዘብ ምንዛሬ) ደረጃ ይስጡ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች
 DocType: Payment Request,Paid,የሚከፈልበት
 DocType: Program Fee,Program Fee,ፕሮግራም ክፍያ
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","አንድ BOM የሚጠቀሙበት በሁሉም በሁሉም የቦርድ አባላት ይተካሉ. አዲሱን የ BOM አገናኝ ይተካል, ዋጋውን ማዘመን እና &quot;BOM Explosion Item&quot; ሠንጠረዥን በአዲስ እመርታ ላይ ይተካዋል. እንዲሁም በሁሉም የ BOM ዎች ውስጥ የቅርብ ጊዜ ዋጋን ያሻሽላል."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,የሚከተሉት የስራ ስራዎች ተፈጥረው ነበር:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,የሚከተሉት የስራ ስራዎች ተፈጥረው ነበር:
 DocType: Salary Slip,Total in words,ቃላት ውስጥ አጠቃላይ
 DocType: Inpatient Record,Discharged,ተጥቋል
 DocType: Material Request Item,Lead Time Date,በእርሳስ ሰዓት ቀን
@@ -1492,16 +1502,16 @@
 DocType: Support Settings,Get Started Sections,ክፍሎችን ይጀምሩ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-YYYY.-
 DocType: Loan,Sanctioned,ማዕቀብ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ መዝገብ አልተፈጠረም ነው
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},የረድፍ # {0}: ንጥል ምንም መለያ ይግለጹ {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},ጠቅላላ ድጎማ መጠን: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},የረድፍ # {0}: ንጥል ምንም መለያ ይግለጹ {1}
 DocType: Payroll Entry,Salary Slips Submitted,የደመወዝ ወረቀቶች ተረክበዋል
 DocType: Crop Cycle,Crop Cycle,ከርክም ዑደት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","«የምርት ጥቅል &#39;ንጥሎች, መጋዘን, መለያ የለም እና ባች ምንም የ« ማሸጊያ ዝርዝር »ማዕድ ይብራራል. መጋዘን እና የጅምላ የለም ማንኛውም &#39;የምርት ጥቅል&#39; ንጥል ሁሉ ማሸጊያ ንጥሎች ተመሳሳይ ከሆነ, እነዚህ እሴቶች በዋናው ንጥል ሰንጠረዥ ውስጥ ገብቶ ሊሆን ይችላል, እሴቶች ማዕድ &#39;ዝርዝር ማሸግ&#39; ይገለበጣሉ."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","«የምርት ጥቅል &#39;ንጥሎች, መጋዘን, መለያ የለም እና ባች ምንም የ« ማሸጊያ ዝርዝር »ማዕድ ይብራራል. መጋዘን እና የጅምላ የለም ማንኛውም &#39;የምርት ጥቅል&#39; ንጥል ሁሉ ማሸጊያ ንጥሎች ተመሳሳይ ከሆነ, እነዚህ እሴቶች በዋናው ንጥል ሰንጠረዥ ውስጥ ገብቶ ሊሆን ይችላል, እሴቶች ማዕድ &#39;ዝርዝር ማሸግ&#39; ይገለበጣሉ."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,ከቦታ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay ማለት አሉታዊ አይደለም
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,ከቦታ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay ማለት አሉታዊ አይደለም
 DocType: Student Admission,Publish on website,ድር ላይ ያትሙ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,አቅራቢው ደረሰኝ ቀን መለጠፍ ቀን በላይ ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,አቅራቢው ደረሰኝ ቀን መለጠፍ ቀን በላይ ሊሆን አይችልም
 DocType: Installation Note,MAT-INS-.YYYY.-,ማታ-ግባ-አመድ.-
 DocType: Subscription,Cancelation Date,የመሰረዝ ቀን
 DocType: Purchase Invoice Item,Purchase Order Item,ትዕዛዝ ንጥል ይግዙ
@@ -1510,7 +1520,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,የተማሪ የትምህርት ክትትል መሣሪያ
 DocType: Restaurant Menu,Price List (Auto created),የዋጋ ዝርዝር (በራስ የተፈጠረ)
 DocType: Cheque Print Template,Date Settings,ቀን ቅንብሮች
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,ልዩነት
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,ልዩነት
 DocType: Employee Promotion,Employee Promotion Detail,የሰራተኛ ማስተዋወቂያ ዝርዝር
 ,Company Name,የድርጅት ስም
 DocType: SMS Center,Total Message(s),ጠቅላላ መልዕክት (ዎች)
@@ -1539,7 +1549,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,የተቀጣሪ የልደት አስታዋሾች አትላክ
 DocType: Expense Claim,Total Advance Amount,የጠቅላላ የቅድሚያ ክፍያ
 DocType: Delivery Stop,Estimated Arrival,የተገመተው መድረሻ
-DocType: Delivery Stop,Notified by Email,በኢሜይል አሳውቋል
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,ሁሉንም ጽሑፎች ይመልከቱ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,ውስጥ ይራመዱ
 DocType: Item,Inspection Criteria,የምርመራ መስፈርት
@@ -1549,22 +1558,21 @@
 DocType: Timesheet Detail,Bill,ቢል
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,ነጭ
 DocType: SMS Center,All Lead (Open),ሁሉም ቀዳሚ (ክፈት)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ረድፍ {0}: ለ ብዛት አይገኝም {4} መጋዘን ውስጥ {1} መግቢያ ጊዜ መለጠፍ (በ {2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ረድፍ {0}: ለ ብዛት አይገኝም {4} መጋዘን ውስጥ {1} መግቢያ ጊዜ መለጠፍ (በ {2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,ከቼክ ሳጥኖች ውስጥ ከፍተኛውን አንድ አማራጭ ብቻ መምረጥ ይችላሉ.
 DocType: Purchase Invoice,Get Advances Paid,እድገት የሚከፈልበት ያግኙ
 DocType: Item,Automatically Create New Batch,በራስ-ሰር አዲስ ባች ፍጠር
 DocType: Supplier,Represents Company,ድርጅትን ይወክላል
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,አድርግ
 DocType: Student Admission,Admission Start Date,ምዝገባ መጀመሪያ ቀን
 DocType: Journal Entry,Total Amount in Words,ቃላት ውስጥ ጠቅላላ መጠን
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,አዲስ ተቀጣሪ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,አንድ ስህተት ነበር. አንዱ ሊሆን ምክንያት በቅጹ አላስቀመጡም ሊሆን ይችላል. ችግሩ ከቀጠለ support@erpnext.com ያነጋግሩ.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,የእኔ ጨመር
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ትዕዛዝ አይነት ውስጥ አንዱ መሆን አለበት {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ትዕዛዝ አይነት ውስጥ አንዱ መሆን አለበት {0}
 DocType: Lead,Next Contact Date,ቀጣይ የእውቂያ ቀን
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ብዛት በመክፈት ላይ
 DocType: Healthcare Settings,Appointment Reminder,የቀጠሮ ማስታወሻ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,ለውጥ መጠን ለ መለያ ያስገቡ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,ለውጥ መጠን ለ መለያ ያስገቡ
 DocType: Program Enrollment Tool Student,Student Batch Name,የተማሪ የቡድን ስም
 DocType: Holiday List,Holiday List Name,የበዓል ዝርዝር ስም
 DocType: Repayment Schedule,Balance Loan Amount,ቀሪ የብድር መጠን
@@ -1574,13 +1582,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,የክምችት አማራጮች
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,ወደ ጋሪ የተጨመሩ ንጥሎች የሉም
 DocType: Journal Entry Account,Expense Claim,የወጪ የይገባኛል ጥያቄ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,በእርግጥ ይህን በመዛጉ ንብረት እነበረበት መመለስ ትፈልጋለህ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,በእርግጥ ይህን በመዛጉ ንብረት እነበረበት መመለስ ትፈልጋለህ?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},ለ ብዛት {0}
 DocType: Leave Application,Leave Application,አይተውህም ማመልከቻ
 DocType: Patient,Patient Relation,የታካሚ ግንኙነት
 DocType: Item,Hub Category to Publish,Hub ምድብ ወደ ህትመት
 DocType: Leave Block List,Leave Block List Dates,አግድ ዝርዝር ቀኖች ውጣ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","የሽያጭ ትዕዛዝ {0} ለንጥል {1} ቦታ ቦታ አለው, የተቀዳው {1} በ {0} ብቻ ነው ማቅረብ የሚችለው. ተከታታይ ቁጥር {2} አይገኝም"
 DocType: Sales Invoice,Billing Address GSTIN,የክፍያ አድራሻ GSTIN
@@ -1598,16 +1606,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ይጥቀሱ እባክዎ {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,ብዛት ወይም ዋጋ ላይ ምንም ለውጥ ጋር የተወገዱ ንጥሎች.
 DocType: Delivery Note,Delivery To,ወደ መላኪያ
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,ተለዋጭ ፍጥረት ተሰልፏል.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},የ {0} የጥናት ማጠቃለያ
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,ተለዋጭ ፍጥረት ተሰልፏል.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},የ {0} የጥናት ማጠቃለያ
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,በዝርዝሩ ውስጥ የመጀመሪያ የመጠቆም ፀባይ እንደ ነባሪው በመምሪያ ያሻሽሉ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,አይነታ ሠንጠረዥ የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,አይነታ ሠንጠረዥ የግዴታ ነው
 DocType: Production Plan,Get Sales Orders,የሽያጭ ትዕዛዞች ያግኙ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} አሉታዊ መሆን አይችልም
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,ወደ ጆርፈርስ ዎች ያገናኙ
 DocType: Training Event,Self-Study,በራስ ጥናት ማድረግ
 DocType: POS Closing Voucher,Period End Date,የጊዜ ማብቂያ ቀን
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,የአፈር ማቀናበሪያዎች እስከ 100 ድረስ አይጨምሩም
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,የዋጋ ቅናሽ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,ረድፍ {0}: ክፍት {2} ደረሰኞችን ለመፍጠር {1} ያስፈልጋል
 DocType: Membership,Membership,አባልነት
 DocType: Asset,Total Number of Depreciations,Depreciations አጠቃላይ ብዛት
 DocType: Sales Invoice Item,Rate With Margin,ኅዳግ ጋር ፍጥነት
@@ -1618,7 +1628,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},ሰንጠረዥ ውስጥ ረድፍ {0} ትክክለኛ የረድፍ መታወቂያ እባክዎን ለይተው {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,ተለዋዋጭ መለየት አልተቻለም:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,እባክዎ ከፓፖፓድ ለማርትዕ መስክ ይምረጡ
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,የክምች ሌደር አስከብር ቋሚ የንብረት ንጥል ሊሆን አይችልም.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,የክምች ሌደር አስከብር ቋሚ የንብረት ንጥል ሊሆን አይችልም.
 DocType: Subscription Plan,Fixed rate,ቋሚ ተመን
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,እቀበላለሁ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ወደ ዴስክቶፕ ሂድ እና ERPNext መጠቀም ጀምር
@@ -1652,7 +1662,7 @@
 DocType: Tax Rule,Shipping State,መላኪያ መንግስት
 ,Projected Quantity as Source,ምንጭ ፕሮጀክት ብዛት
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,ንጥል አዝራር &#39;የግዢ ደረሰኞች ከ ንጥሎች ያግኙ&#39; በመጠቀም መታከል አለበት
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,የመላኪያ ጉዞ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,የመላኪያ ጉዞ
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,የማስተላለፍ አይነት
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,የሽያጭ ወጪዎች
@@ -1665,8 +1675,9 @@
 DocType: Item Default,Default Selling Cost Center,ነባሪ ሽያጭ ወጪ ማዕከል
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ዲስክ
 DocType: Buying Settings,Material Transferred for Subcontract,ለንዐስ ኮንትራቱ የተሸጋገሩ ቁሳቁሶች
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,አካባቢያዊ መለያ ቁጥር
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},የሽያጭ ትዕዛዝ {0} ነው {1}
+DocType: Email Digest,Purchase Orders Items Overdue,የግዢ ትዕዛዞችን ያለፈባቸው ናቸው
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,አካባቢያዊ መለያ ቁጥር
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},የሽያጭ ትዕዛዝ {0} ነው {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},በብድር ውስጥ የወለድ ገቢን ይምረጡ {0}
 DocType: Opportunity,Contact Info,የመገኛ አድራሻ
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,የክምችት ግቤቶችን ማድረግ
@@ -1679,12 +1690,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,ደረሰኝ ወደ ዜሮ የክፍያ አከፋፈል ሰዓት ሊሠራ አይችልም
 DocType: Company,Date of Commencement,የመጀመርያው ቀን
 DocType: Sales Person,Select company name first.,በመጀመሪያ ይምረጡ የኩባንያ ስም.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ኢሜል ወደ {0} ተልኳል
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ኢሜል ወደ {0} ተልኳል
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ጥቅሶች አቅራቢዎች ደርሷል.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM ን ይተኩ እና በሁሉም የ BOM ዎች ውስጥ አዲስ ዋጋን ያዘምኑ
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},ወደ {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,ይህ ዋነኛ አቅራቢ አቅራቢ ነው እና አርትዕ ሊደረግ አይችልም.
-DocType: Delivery Trip,Driver Name,የአሽከርካሪ ስም
+DocType: Delivery Note,Driver Name,የአሽከርካሪ ስም
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,አማካይ ዕድሜ
 DocType: Education Settings,Attendance Freeze Date,በስብሰባው እሰር ቀን
 DocType: Payment Request,Inward,ወደ ውስጥ
@@ -1695,7 +1706,7 @@
 DocType: Company,Parent Company,ወላጅ ኩባንያ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},የ {0} ዓይነት የሆቴል ክፍሎች በ {1} ላይ አይገኙም
 DocType: Healthcare Practitioner,Default Currency,ነባሪ ምንዛሬ
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,ለእያንዳንዱ እቃ {0} ከፍተኛ ቅናሽ {1}% ነው
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,ለእያንዳንዱ እቃ {0} ከፍተኛ ቅናሽ {1}% ነው
 DocType: Asset Movement,From Employee,የሰራተኛ ከ
 DocType: Driver,Cellphone Number,የሞባይል ስልክ ቁጥር
 DocType: Project,Monitor Progress,የክትትል ሂደት
@@ -1710,19 +1721,20 @@
 DocType: Buying Settings,Default Supplier Group,ነባሪ የአቅራቢ ቡድን
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},ብዛት ይልቅ ያነሰ ወይም እኩል መሆን አለበት {0}
 DocType: Department Approver,Department Approver,Department Approve
+DocType: QuickBooks Migrator,Application Settings,የመተግበሪያ ቅንጅቶች
 DocType: SMS Center,Total Characters,ጠቅላላ ቁምፊዎች
 DocType: Employee Advance,Claimed,ይገባኛል ጥያቄ የቀረበበት
 DocType: Crop,Row Spacing,ረድፍ ክፍተት
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},ንጥል ለ BOM መስክ ውስጥ BOM ይምረጡ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},ንጥል ለ BOM መስክ ውስጥ BOM ይምረጡ {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,ለተመረጠው ንጥል የተለያየ አይነት የለም
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,ሲ-ቅጽ የደረሰኝ ዝርዝር
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ክፍያ እርቅ ደረሰኝ
 DocType: Clinical Procedure,Procedure Template,የአሰራር ሂደት
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,አስተዋጽዖ%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","የ ሊገዙ ቅንብሮች መሠረት የግዢ ትዕዛዝ ያስፈልጋል ከሆነ == &#39;አዎ&#39; ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ትዕዛዝ መፍጠር አለብዎት {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,አስተዋጽዖ%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","የ ሊገዙ ቅንብሮች መሠረት የግዢ ትዕዛዝ ያስፈልጋል ከሆነ == &#39;አዎ&#39; ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ትዕዛዝ መፍጠር አለብዎት {0}"
 ,HSN-wise-summary of outward supplies,HSN-ጥልቀት-የውጭ አቅርቦቶች ማጠቃለያ
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,የእርስዎ ማጣቀሻ የኩባንያ ምዝገባ ቁጥሮች. የግብር ቁጥሮች ወዘተ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,ለመናገር
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,ለመናገር
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,አከፋፋይ
 DocType: Asset Finance Book,Asset Finance Book,የንብረት ፋይናንስ መጽሐፍ
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ወደ ግዢ ሳጥን ጨመር መላኪያ ደንብ
@@ -1731,7 +1743,7 @@
 ,Ordered Items To Be Billed,የዕቃው ንጥሎች እንዲከፍሉ ለማድረግ
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ክልል ያነሰ መሆን አለበት ከ ይልቅ ወደ ክልል
 DocType: Global Defaults,Global Defaults,ዓለም አቀፍ ነባሪዎች
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,ፕሮጀክት ትብብር ማስታወቂያ
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,ፕሮጀክት ትብብር ማስታወቂያ
 DocType: Salary Slip,Deductions,ቅናሽ
 DocType: Setup Progress Action,Action Name,የእርምጃ ስም
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,የጀመረበት ዓመት
@@ -1745,11 +1757,12 @@
 DocType: Lead,Consultant,አማካሪ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,የወላጆች መምህራን መሰብሰቢያ ስብሰባ
 DocType: Salary Slip,Earnings,ገቢዎች
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,ተጠናቅቋል ንጥል {0} ማምረት አይነት መግቢያ መግባት አለበት
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,ተጠናቅቋል ንጥል {0} ማምረት አይነት መግቢያ መግባት አለበት
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,የመክፈቻ ዲግሪ ቀሪ
 ,GST Sales Register,GST የሽያጭ መመዝገቢያ
 DocType: Sales Invoice Advance,Sales Invoice Advance,የሽያጭ ደረሰኝ የቅድሚያ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,ምንም ነገር መጠየቅ
+DocType: Stock Settings,Default Return Warehouse,ነባሪ የመመለስ መጋዘን
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,ጎራዎችዎን ይምረጡ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,አቅራቢን ግዛ
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,የክፍያ መጠየቂያ ደረሰኝ ንጥሎች
@@ -1758,15 +1771,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,መስኮች በሚፈጠሩበት ጊዜ ብቻ ይገለበጣሉ.
 DocType: Setup Progress Action,Domains,ጎራዎች
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;ትክክለኛው የማስጀመሪያ ቀን&#39; &#39;ትክክለኛው መጨረሻ ቀን&#39; በላይ ሊሆን አይችልም
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,አስተዳደር
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,አስተዳደር
 DocType: Cheque Print Template,Payer Settings,ከፋዩ ቅንብሮች
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,ለተጠቀሱት ንጥሎች አገናኝ ለማድረግ በመጠባበቅ ላይ ያሉ የይዘት ጥያቄዎች አይገኙም.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,ኩባንያውን መጀመሪያ ይምረጡ
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ይህ ተለዋጭ ያለውን ንጥል ኮድ ተጨምሯል ይሆናል. የእርስዎ በምህፃረ ቃል &quot;SM&quot; ነው; ለምሳሌ ያህል, ንጥል ኮድ &quot;ቲሸርት&quot;, &quot;ቲሸርት-SM&quot; ይሆናል ተለዋጭ ያለውን ንጥል ኮድ ነው"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,የ የቀጣሪ ለማዳን አንዴ (ቃላት) የተጣራ ክፍያ የሚታይ ይሆናል.
 DocType: Delivery Note,Is Return,መመለሻ ነው
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,ጥንቃቄ
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',የመጀመሪያ ቀን በተግባር ውስጥ &#39;{0}&#39; ውስጥ ከሚኖረው የመጨረሻ ቀን የበለጠ ነው
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,ተመለስ / ዴቢት ማስታወሻ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,ተመለስ / ዴቢት ማስታወሻ
 DocType: Price List Country,Price List Country,የዋጋ ዝርዝር አገር
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} ንጥል ትክክለኛ ተከታታይ ቁጥሮች {1}
@@ -1779,13 +1793,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,መረጃ ስጥ.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,አቅራቢው ጎታ.
 DocType: Contract Template,Contract Terms and Conditions,የውል ስምምነቶች እና ሁኔታዎች
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,የማይሰረዝ የደንበኝነት ምዝገባን ዳግም ማስጀመር አይችሉም.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,የማይሰረዝ የደንበኝነት ምዝገባን ዳግም ማስጀመር አይችሉም.
 DocType: Account,Balance Sheet,ወጭና ገቢ ሂሳብ መመዝገቢያ
 DocType: Leave Type,Is Earned Leave,የተገኘ ፈቃድ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',&#39;ንጥል ኮድ ጋር ንጥል ለማግኘት ማዕከል ያስከፍላል
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',&#39;ንጥል ኮድ ጋር ንጥል ለማግኘት ማዕከል ያስከፍላል
 DocType: Fee Validity,Valid Till,ልክ ነጠ
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,ጠቅላላ የወላጆች መምህራን ስብሰባ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","የክፍያ ሁነታ አልተዋቀረም. የመለያ ክፍያዎች ሁነታ ላይ ወይም POS መገለጫ ላይ ተዘጋጅቷል እንደሆነ, ያረጋግጡ."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","የክፍያ ሁነታ አልተዋቀረም. የመለያ ክፍያዎች ሁነታ ላይ ወይም POS መገለጫ ላይ ተዘጋጅቷል እንደሆነ, ያረጋግጡ."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ብዙ ጊዜ ተመሳሳይ ንጥል ሊገቡ አይችሉም.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","ተጨማሪ መለያዎች ቡድኖች ስር ሊሆን ይችላል, ነገር ግን ግቤቶች ያልሆኑ ቡድኖች ላይ ሊሆን ይችላል"
 DocType: Lead,Lead,አመራር
@@ -1794,11 +1808,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,የ MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,የክምችት Entry {0} ተፈጥሯል
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,ለማስመለስ በቂ የታማኝነት ነጥቦች የሉዎትም
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,የረድፍ # {0}: ብዛት ግዢ መመለስ ውስጥ ገብቶ ሊሆን አይችልም ተቀባይነት አላገኘም
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},እባክዎ የተቆራኘ ሒሳብ በግብር መክፈያ ምድብ ላይ {0} ከካፒታል {1} ጋር ያቀናጁ
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,የረድፍ # {0}: ብዛት ግዢ መመለስ ውስጥ ገብቶ ሊሆን አይችልም ተቀባይነት አላገኘም
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,ለተመረጠው ደንበኛ የደንበኞች ቡድን መቀየር አይፈቀድም.
 ,Purchase Order Items To Be Billed,የግዢ ትዕዛዝ ንጥሎች እንዲከፍሉ ለማድረግ
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,የተገመተው የመድረሻ ጊዜዎችን በማዘመን ላይ.
 DocType: Program Enrollment Tool,Enrollment Details,የመመዝገቢያ ዝርዝሮች
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,የአንድ ኩባንያ ብዙ ንጥል ነባሪዎችን ማዘጋጀት አይቻልም.
 DocType: Purchase Invoice Item,Net Rate,የተጣራ ተመን
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,እባክዎ ደንበኛ ይምረጡ
 DocType: Leave Policy,Leave Allocations,ምደባዎችን ይተዉ
@@ -1827,7 +1843,7 @@
 DocType: Loan Application,Repayment Info,ብድር መክፈል መረጃ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;ግቤቶች&#39; ባዶ ሊሆን አይችልም
 DocType: Maintenance Team Member,Maintenance Role,የጥገና ሚና
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},ጋር የተባዛ ረድፍ {0} ተመሳሳይ {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},ጋር የተባዛ ረድፍ {0} ተመሳሳይ {1}
 DocType: Marketplace Settings,Disable Marketplace,የገበያ ቦታን አሰናክል
 ,Trial Balance,በችሎት ሒሳብ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,አልተገኘም በጀት ዓመት {0}
@@ -1838,9 +1854,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,የምዝገባ ቅንብሮች
 DocType: Purchase Invoice,Update Auto Repeat Reference,ራስ-ሰር ተደጋጋሚ ማጣቀሻን ያዘምኑ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},የአማራጭ የእረፍት ቀን ለአገልግሎት እረፍት ጊዜ አልተዘጋጀም {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},የአማራጭ የእረፍት ቀን ለአገልግሎት እረፍት ጊዜ አልተዘጋጀም {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,ምርምር
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,አድራሻ ለመድረስ 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,አድራሻ ለመድረስ 2
 DocType: Maintenance Visit Purpose,Work Done,ሥራ ተከናውኗል
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,በ አይነታዎች ሰንጠረዥ ውስጥ ቢያንስ አንድ መገለጫ ባህሪ ይግለጹ
 DocType: Announcement,All Students,ሁሉም ተማሪዎች
@@ -1850,16 +1866,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,የተመሳሰሉ ግዢዎች
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,የጥንቶቹ
 DocType: Crop Cycle,Linked Location,የተገናኘ አካባቢ
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","አንድ ንጥል ቡድን በተመሳሳይ ስም አለ, ወደ ንጥል ስም መቀየር ወይም ንጥል ቡድን ዳግም መሰየም እባክዎ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","አንድ ንጥል ቡድን በተመሳሳይ ስም አለ, ወደ ንጥል ስም መቀየር ወይም ንጥል ቡድን ዳግም መሰየም እባክዎ"
 DocType: Crop Cycle,Less than a year,ከአንድ ዓመት ያነሰ
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,የተማሪ የተንቀሳቃሽ ስልክ ቁጥር
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,ወደ ተቀረው ዓለም
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,ወደ ተቀረው ዓለም
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,የ ንጥል {0} ባች ሊኖረው አይችልም
 DocType: Crop,Yield UOM,ትርፍ UOM
 ,Budget Variance Report,በጀት ልዩነት ሪፖርት
 DocType: Salary Slip,Gross Pay,አጠቃላይ ክፍያ
 DocType: Item,Is Item from Hub,ንጥል ከዋኝ ነው
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,ከጤና እንክብካቤ አገልግሎት እቃዎችን ያግኙ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,ከጤና እንክብካቤ አገልግሎት እቃዎችን ያግኙ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,ረድፍ {0}: የእንቅስቃሴ አይነት የግዴታ ነው.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,ትርፍ የሚከፈልበት
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,አካውንቲንግ የሒሳብ መዝገብ
@@ -1874,6 +1890,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,የክፍያ ሁኔታ
 DocType: Purchase Invoice,Supplied Items,እጠነቀቅማለሁ ንጥሎች
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},እባክዎ ለምድቤ {{0} ንቁ የሆነ ምናሌ ያዘጋጁ.
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,የኮምሽል ተመን%
 DocType: Work Order,Qty To Manufacture,ለማምረት ብዛት
 DocType: Email Digest,New Income,አዲስ ገቢ
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,የግዢ ዑደት ውስጥ ተመሳሳይ መጠን ይኑራችሁ
@@ -1888,12 +1905,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},ረድፍ ውስጥ ንጥል ያስፈልጋል ከግምቱ ተመን {0}
 DocType: Supplier Scorecard,Scorecard Actions,የውጤት ካርድ ድርጊቶች
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,ምሳሌ: የኮምፒውተር ሳይንስ ሊቃውንት
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},አቅራቢ {0} በ {1} ውስጥ አልተገኘም
 DocType: Purchase Invoice,Rejected Warehouse,ውድቅ መጋዘን
 DocType: GL Entry,Against Voucher,ቫውቸር ላይ
 DocType: Item Default,Default Buying Cost Center,ነባሪ መግዛትና ወጪ ማዕከል
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext ውጭ የተሻለ ለማግኘት, እኛ የተወሰነ ጊዜ ሊወስድ እና እነዚህ እርዳታ ቪዲዮዎችን ለመመልከት እንመክራለን."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),ነባሪ አቅራቢ (አማራጭ)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ወደ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),ነባሪ አቅራቢ (አማራጭ)
 DocType: Supplier Quotation Item,Lead Time in days,ቀናት ውስጥ በእርሳስ ሰዓት
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,መለያዎች ተከፋይ ማጠቃለያ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},የታሰረው መለያ አርትዕ ለማድረግ ፈቃድ የለውም {0}
@@ -1902,7 +1919,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,ለማብራሪያዎች አዲስ ጥያቄ አስጠንቅቅ
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,የግዢ ትዕዛዞች ዕቅድ ለማገዝ እና ግዢዎች ላይ መከታተል
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,የሙከራ ምርመራዎች ትዕዛዝ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",ሐሳብ ጥያቄ ውስጥ ጠቅላላ እትም / ማስተላለፍ ብዛት {0} {1} \ ንጥል ለ የተጠየቀው ብዛት {2} በላይ ሊሆን አይችልም {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,ትንሽ
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","ሱቅ በቅደም ተከተል ውስጥ ደንበኛ ካልያዘ, ከዚያ ትዕዛዞችን በማመሳሰል ጊዜ ስርዓቱ ነባሪውን ደንበኛ ለትዕዛዝ ይቆጥራል"
@@ -1914,6 +1931,7 @@
 DocType: Project,% Completed,% ተጠናቋል
 ,Invoiced Amount (Exculsive Tax),በደረሰኝ የተቀመጠው መጠን (Exculsive ታክስ)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ንጥል 2
+DocType: QuickBooks Migrator,Authorization Endpoint,የማረጋገጫ የመጨረሻ ነጥብ
 DocType: Travel Request,International,ዓለም አቀፍ
 DocType: Training Event,Training Event,ስልጠና ክስተት
 DocType: Item,Auto re-order,ራስ-ዳግም-ትዕዛዝ
@@ -1922,24 +1940,24 @@
 DocType: Contract,Contract,ስምምነት
 DocType: Plant Analysis,Laboratory Testing Datetime,የላቦራቶሪ ሙከራ ጊዜ
 DocType: Email Digest,Add Quote,Quote አክል
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM ያስፈልጋል UOM coversion ምክንያት: {0} ንጥል ውስጥ: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM ያስፈልጋል UOM coversion ምክንያት: {0} ንጥል ውስጥ: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,በተዘዋዋሪ ወጪዎች
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,ረድፍ {0}: ብዛት የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,ረድፍ {0}: ብዛት የግዴታ ነው
 DocType: Agriculture Analysis Criteria,Agriculture,ግብርና
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,የሽያጭ ትዕዛዝ ፍጠር
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,የንብረት አስተዳደር ለንብረት
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,የእዳ ደረሰኝ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,የንብረት አስተዳደር ለንብረት
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,የእዳ ደረሰኝ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,የሚወጣው ብዛት
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,አመሳስል መምህር ውሂብ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,አመሳስል መምህር ውሂብ
 DocType: Asset Repair,Repair Cost,የጥገና ወጪ
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,የእርስዎ ምርቶች ወይም አገልግሎቶች
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,ለመግባት ተስኗል
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,ንብረት {0} ተፈጥሯል
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,ንብረት {0} ተፈጥሯል
 DocType: Special Test Items,Special Test Items,ልዩ የፈተና ንጥሎች
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,በገበያ ቦታ ላይ ለመመዝገብ የስርዓት አቀናባሪ እና የንጥል አስተዳዳሪ ሚናዎች ተጠቃሚ መሆን አለብዎት.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,የክፍያ ሁነታ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,በተመደበው የደመወዝ ስነስርዓት መሰረት ለእርዳታ ማመልከት አይችሉም
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,የድር ጣቢያ ምስል ይፋዊ ፋይል ወይም ድር ጣቢያ ዩ አር ኤል መሆን አለበት
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,የድር ጣቢያ ምስል ይፋዊ ፋይል ወይም ድር ጣቢያ ዩ አር ኤል መሆን አለበት
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,ይህ ሥር ንጥል ቡድን ነው እና አርትዕ ሊደረግ አይችልም.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,አዋህደኝ
@@ -1948,7 +1966,8 @@
 DocType: Warehouse,Warehouse Contact Info,መጋዘን የእውቂያ መረጃ
 DocType: Payment Entry,Write Off Difference Amount,ለችግሮችህ መጠን ጠፍቷል ይጻፉ
 DocType: Volunteer,Volunteer Name,የበጎ ፈቃደኝነት ስም
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: የሰራተኛ ኢሜይል አልተገኘም: ከዚህ አልተላከም ኢሜይል
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},በሌሎች ረድፎች ውስጥ ባሉ የተባዙ ቀነ-ቀናት ላይ ያሉ ረድፎች ተገኝተዋል: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: የሰራተኛ ኢሜይል አልተገኘም: ከዚህ አልተላከም ኢሜይል
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},በተሰጠው ቀን {0} ላይ ለተቀጠረ ተቀጣሪ {0} የተመደበ ደመወዝ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},የመላኪያ ደንቡ ለአገር አይተገበርም {0}
 DocType: Item,Foreign Trade Details,የውጭ ንግድ ዝርዝሮች
@@ -1956,16 +1975,16 @@
 DocType: Email Digest,Annual Income,አመታዊ ገቢ
 DocType: Serial No,Serial No Details,ተከታታይ ምንም ዝርዝሮች
 DocType: Purchase Invoice Item,Item Tax Rate,ንጥል የግብር ተመን
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,ከፓርቲ ስም
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,ከፓርቲ ስም
 DocType: Student Group Student,Group Roll Number,የቡድን ጥቅል ቁጥር
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0}: ብቻ የክሬዲት መለያዎች ሌላ ዴቢት ግቤት ላይ የተገናኘ ሊሆን ይችላል
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,የመላኪያ ማስታወሻ {0} ማቅረብ አይደለም
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,የመላኪያ ማስታወሻ {0} ማቅረብ አይደለም
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,ንጥል {0} አንድ ንዑስ-ኮንትራት ንጥል መሆን አለበት
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,የካፒታል ዕቃዎች
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","የዋጋ ደ መጀመሪያ ላይ በመመስረት ነው ንጥል, ንጥል ቡድን ወይም የምርት ስም ሊሆን ይችላል, ይህም መስክ ላይ ተግብር. &#39;"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,እባክህ መጀመሪያ የንጥል ኮድ አዘጋጅ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,የሰነድ ዓይነት
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,የሽያጭ ቡድን ጠቅላላ የተመደበ መቶኛ 100 መሆን አለበት
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,የሰነድ ዓይነት
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,የሽያጭ ቡድን ጠቅላላ የተመደበ መቶኛ 100 መሆን አለበት
 DocType: Subscription Plan,Billing Interval Count,የማስከፈያ የጊዜ ክፍተት ቆጠራ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,ቀጠሮዎች እና የታካሚ መጋጠሚያዎች
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,እሴት ይጎድላል
@@ -1979,6 +1998,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,አትም ቅርጸት ፍጠር
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,ክፍያ ተፈጠረ
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},ተብሎ ማንኛውም ንጥል አላገኘንም {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,ንጥል ማጣሪያ
 DocType: Supplier Scorecard Criteria,Criteria Formula,የመስፈርት ቀመር
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,ጠቅላላ ወጪ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",ብቻ &quot;እሴት« 0 ወይም ባዶ ዋጋ ጋር አንድ መላኪያ አገዛዝ ሁኔታ ሊኖር ይችላል
@@ -1987,14 +2007,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","ለንጥል {0}, ቁጥሩ አዎንታዊ ቁጥር መሆን አለበት"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ማስታወሻ: ይህ ወጪ ማዕከል ቡድን ነው. ቡድኖች ላይ የሂሳብ ግቤቶችን ማድረግ አይቻልም.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,ተቀባይነት ባላቸው በዓላት ውስጥ ክፍያ የማይሰጥ የቀን የጥበቃ ቀን ጥያቄ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,የልጅ መጋዘን ይህን መጋዘን የለም. ይህን መጋዘን መሰረዝ አይችሉም.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,የልጅ መጋዘን ይህን መጋዘን የለም. ይህን መጋዘን መሰረዝ አይችሉም.
 DocType: Item,Website Item Groups,የድር ጣቢያ ንጥል ቡድኖች
 DocType: Purchase Invoice,Total (Company Currency),ጠቅላላ (የኩባንያ የምንዛሬ)
 DocType: Daily Work Summary Group,Reminder,አስታዋሽ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,ሊደረስ የሚችል እሴት
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,ሊደረስ የሚችል እሴት
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,{0} መለያ ቁጥር ከአንድ ጊዜ በላይ ገባ
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,ጆርናል የሚመዘገብ መረጃ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,ከ GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,ከ GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,የይገባኛል ጥያቄ ያልተነሳበት መጠን
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,በሂደት ላይ {0} ንጥሎች
 DocType: Workstation,Workstation Name,ከገቢር ስም
@@ -2002,7 +2022,7 @@
 DocType: POS Item Group,POS Item Group,POS ንጥል ቡድን
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ጥንቅር ኢሜይል:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,ተለዋጭ ንጥል እንደ የንጥል ኮድ ተመሳሳይ መሆን የለበትም
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} ንጥል የእርሱ ወገን አይደለም {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} ንጥል የእርሱ ወገን አይደለም {1}
 DocType: Sales Partner,Target Distribution,ዒላማ ስርጭት
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-ጊዜያዊ ግምገማ ማጠናቀቅ
 DocType: Salary Slip,Bank Account No.,የባንክ ሂሳብ ቁጥር
@@ -2011,7 +2031,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","የውጤት ካርድ ተለዋዋጮች ጥቅም ላይ ይውላሉ, እንዲሁም {total_score} (ከዛ ጊዜ ጠቅላላ ውጤት), {period_number} (የአሁኑን ወቅቶች ቁጥር)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,ሁሉንም ሰብስብ
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,ሁሉንም ሰብስብ
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,የግዢ ትዕዛዝ ፍጠር
 DocType: Quality Inspection Reading,Reading 8,8 ማንበብ
 DocType: Inpatient Record,Discharge Note,የፍሳሽ ማስታወሻ
@@ -2027,7 +2047,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,መብት ውጣ
 DocType: Purchase Invoice,Supplier Invoice Date,አቅራቢው ደረሰኝ ቀን
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,ይህ ዋጋ ለፕሮሮታ የጊዜያዊ ስሌት ስራ ላይ የዋለ ነው
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,አንተ ወደ ግዢ ሳጥን ጨመር ማንቃት አለብዎት
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,አንተ ወደ ግዢ ሳጥን ጨመር ማንቃት አለብዎት
 DocType: Payment Entry,Writeoff,ሰረዘ
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-yYYYY.-
 DocType: Stock Settings,Naming Series Prefix,የሶስት ቅንጅቶችን ስም በማውጣት ላይ
@@ -2042,11 +2062,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,መካከል ተገኝቷል ከተደራቢ ሁኔታ:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ጆርናል ላይ የሚመዘገብ {0} አስቀድሞ አንዳንድ ሌሎች ቫውቸር ላይ ማስተካከያ ነው
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,ጠቅላላ ትዕዛዝ እሴት
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ምግብ
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,ምግብ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,ጥበቃና ክልል 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS የመዘጋጃ ዝርዝር ዝርዝሮች
 DocType: Shopify Log,Shopify Log,ምዝግብ ማስታወሻ ያዝ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,እባክዎን በቅንብር&gt; ቅንጅቶች&gt; የስምሪት ስሞች በኩል በ {0} ስም ማዕቀብ ያዘጋጁ
 DocType: Inpatient Occupancy,Check In,ያረጋግጡ
 DocType: Maintenance Schedule Item,No of Visits,ጉብኝቶች አይ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},ጥገና ፕሮግራም {0} ላይ አለ {1}
@@ -2086,6 +2105,7 @@
 DocType: Salary Structure,Max Benefits (Amount),ከፍተኛ ጥቅሞች (ብዛት)
 DocType: Purchase Invoice,Contact Person,የሚያነጋግሩት ሰው
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;የሚጠበቀው መጀመሪያ ቀን&#39; ከዜሮ በላይ &#39;የሚጠበቀው መጨረሻ ቀን&#39; ሊሆን አይችልም
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,ለዚህ ጊዜ ምንም ውሂብ የለም
 DocType: Course Scheduling Tool,Course End Date,የኮርስ መጨረሻ ቀን
 DocType: Holiday List,Holidays,በዓላት
 DocType: Sales Order Item,Planned Quantity,የታቀደ ብዛት
@@ -2097,7 +2117,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,ቋሚ ንብረት ውስጥ የተጣራ ለውጥ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,ሁሉንም ስያሜዎች እየታሰቡ ከሆነ ባዶውን ይተው
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት &#39;ትክክለኛው&#39; ረድፍ ውስጥ ኃላፊነት {0} ንጥል ተመን ውስጥ ሊካተቱ አይችሉም
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት &#39;ትክክለኛው&#39; ረድፍ ውስጥ ኃላፊነት {0} ንጥል ተመን ውስጥ ሊካተቱ አይችሉም
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},ከፍተኛ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ከ DATETIME
 DocType: Shopify Settings,For Company,ኩባንያ ለ
@@ -2110,9 +2130,9 @@
 DocType: Material Request,Terms and Conditions Content,ውል እና ሁኔታዎች ይዘት
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,የጊዜ ሰሌዳን የሚፈጥሩ ስህተቶች ነበሩ
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,በዝርዝሩ ውስጥ ያለው የመጀመሪያ ወጪ ተቀባይ እንደ ነባሪው ወጪ አውጪ ይዋቀራል.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,የበለጠ ከ 100 በላይ ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,የበለጠ ከ 100 በላይ ሊሆን አይችልም
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,በገበያ ቦታ ላይ ለመመዝገብ ከስተማይ አስተናጋጅ እና ከአልታ አቀናባሪ ሚናዎች ሌላ ተጠቃሚ መሆን አለብዎት.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} ንጥል ከአክሲዮን ንጥል አይደለም
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} ንጥል ከአክሲዮን ንጥል አይደለም
 DocType: Packing Slip,MAT-PAC-.YYYY.-,ማት-ፓክ-ያዮይሂ.-
 DocType: Maintenance Visit,Unscheduled,E ሶችን
 DocType: Employee,Owned,ባለቤትነት የተያዘ
@@ -2140,7 +2160,7 @@
 DocType: HR Settings,Employee Settings,የሰራተኛ ቅንብሮች
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,የክፍያ ስርዓት በመጫን ላይ
 ,Batch-Wise Balance History,ባች-ጥበበኛ ባላንስ ታሪክ
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ረድፍ # {0}: መጠን ከንጥል {1} ከተከፈለበት መጠን በላይ ከሆነ ያለው መጠን ማዘጋጀት አልተቻለም.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ረድፍ # {0}: መጠን ከንጥል {1} ከተከፈለበት መጠን በላይ ከሆነ ያለው መጠን ማዘጋጀት አልተቻለም.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,የህትመት ቅንብሮች በሚመለከታቸው የህትመት ቅርጸት ዘምኗል
 DocType: Package Code,Package Code,ጥቅል ኮድ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,ሞያ ተማሪ
@@ -2148,7 +2168,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,አሉታዊ ብዛት አይፈቀድም
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",እንደ ሕብረቁምፊ ንጥል ከጌታው አልተሰበሰበም እና በዚህ መስክ ውስጥ የተከማቸ ግብር ዝርዝር ሰንጠረዥ. ግብር እና ክፍያዎች ጥቅም ላይ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,የተቀጣሪ ራሱን ሪፖርት አይችልም.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,የተቀጣሪ ራሱን ሪፖርት አይችልም.
 DocType: Leave Type,Max Leaves Allowed,ከፍተኛዎቹ ቅጠሎች የተፈቀዱ
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","መለያ የታሰሩ ከሆነ, ግቤቶች የተገደቡ ተጠቃሚዎች ይፈቀዳል."
 DocType: Email Digest,Bank Balance,ባንክ ሒሳብ
@@ -2174,6 +2194,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,የባንክ የገንዘብ ልውውጥ ግቤቶች
 DocType: Quality Inspection,Readings,ንባብ
 DocType: Stock Entry,Total Additional Costs,ጠቅላላ ተጨማሪ ወጪዎች
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,የበስተጀርባዎች ብዛት
 DocType: BOM,Scrap Material Cost(Company Currency),ቁራጭ የቁስ ዋጋ (የኩባንያ የምንዛሬ)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,ንዑስ ትላልቅ
 DocType: Asset,Asset Name,የንብረት ስም
@@ -2181,10 +2202,10 @@
 DocType: Shipping Rule Condition,To Value,እሴት ወደ
 DocType: Loyalty Program,Loyalty Program Type,የታማኝነት ፕሮግራም አይነት
 DocType: Asset Movement,Stock Manager,የክምችት አስተዳዳሪ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},ምንጭ መጋዘን ረድፍ ግዴታ ነው {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},ምንጭ መጋዘን ረድፍ ግዴታ ነው {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,በረድፍ {0} ላይ ያለው የክፍያ ጊዜ ምናልባት የተባዛ ሊሆን ይችላል.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),እርሻ (ቤታ)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,ማሸጊያ የማያፈስ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,ማሸጊያ የማያፈስ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,የቢሮ ኪራይ
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,አዋቅር ኤስ ፍኖት ቅንብሮች
 DocType: Disease,Common Name,የተለመደ ስም
@@ -2216,20 +2237,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,የተቀጣሪ ወደ የኢሜይል የቀጣሪ
 DocType: Cost Center,Parent Cost Center,የወላጅ ወጪ ማዕከል
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,ይቻላል አቅራቢ ይምረጡ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,ይቻላል አቅራቢ ይምረጡ
 DocType: Sales Invoice,Source,ምንጭ
 DocType: Customer,"Select, to make the customer searchable with these fields",ደንበኞቹን በእነዚህ መስኮች እንዲፈለጉ ለማድረግ ይምረጡ
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,በሚላክበት ላይ ከግዢዎች አስገባ
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,አሳይ ተዘግቷል
 DocType: Leave Type,Is Leave Without Pay,ይክፈሉ ያለ ውጣ ነው
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-yYYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,የንብረት ምድብ ቋሚ ንብረት ንጥል ግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,የንብረት ምድብ ቋሚ ንብረት ንጥል ግዴታ ነው
 DocType: Fee Validity,Fee Validity,የአገልግሎት ክፍያ ዋጋ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,በክፍያ ሠንጠረዥ ውስጥ አልተገኘም ምንም መዝገቦች
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},ይህን {0} ግጭቶች {1} ለ {2} {3}
 DocType: Student Attendance Tool,Students HTML,ተማሪዎች ኤችቲኤምኤል
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ይህን ሰነድ ለመሰረዝ እባክዎ ተቀጣሪውን <a href=""#Form/Employee/{0}"">{0}</a> \ ሰርዝ"
 DocType: POS Profile,Apply Discount,ቅናሽ ተግብር
 DocType: GST HSN Code,GST HSN Code,GST HSN ኮድ
 DocType: Employee External Work History,Total Experience,ጠቅላላ የሥራ ልምድ
@@ -2252,7 +2270,7 @@
 DocType: Maintenance Schedule,Schedules,መርሐግብሮች
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS የመሸጫ ቦታን ለመጠቀም POS የመጠየቅ ግዴታ አለበት
 DocType: Cashier Closing,Net Amount,የተጣራ መጠን
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} እርምጃ ሊጠናቀቅ አልቻለም, ስለዚህ ገብቷል አልተደረገም"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} እርምጃ ሊጠናቀቅ አልቻለም, ስለዚህ ገብቷል አልተደረገም"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM ዝርዝር የለም
 DocType: Landed Cost Voucher,Additional Charges,ተጨማሪ ክፍያዎች
 DocType: Support Search Source,Result Route Field,የውጤት መስመር መስክ
@@ -2281,11 +2299,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,ክፍያ መጠየቂያዎች መክፈቻ
 DocType: Contract,Contract Details,የውል ዝርዝሮች
 DocType: Employee,Leave Details,ዝርዝሮችን ይተው
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,የተቀጣሪ ሚና ለማዘጋጀት አንድ ሰራተኛ መዝገብ ውስጥ የተጠቃሚ መታወቂያ መስኩን እባክዎ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,የተቀጣሪ ሚና ለማዘጋጀት አንድ ሰራተኛ መዝገብ ውስጥ የተጠቃሚ መታወቂያ መስኩን እባክዎ
 DocType: UOM,UOM Name,UOM ስም
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,አድራሻ ለማድረግ 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,አድራሻ ለማድረግ 1
 DocType: GST HSN Code,HSN Code,HSN ኮድ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,አስተዋጽዖ መጠን
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,አስተዋጽዖ መጠን
 DocType: Inpatient Record,Patient Encounter,የታካሚ ጉብኝት
 DocType: Purchase Invoice,Shipping Address,የመላኪያ አድራሻ
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ይህ መሳሪያ ለማዘመን ወይም ሥርዓት ውስጥ የአክሲዮን ብዛትና ግምቱ ለማስተካከል ይረዳናል. በተለምዶ ሥርዓት እሴቶች እና ምን በትክክል መጋዘኖችን ውስጥ አለ ለማመሳሰል ጥቅም ላይ ይውላል.
@@ -2302,9 +2320,9 @@
 DocType: Travel Itinerary,Mode of Travel,የጉዞ መንገድ
 DocType: Sales Invoice Item,Brand Name,የምርት ስም
 DocType: Purchase Receipt,Transporter Details,አጓጓዥ ዝርዝሮች
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,ነባሪ መጋዘን የተመረጠው ንጥል ያስፈልጋል
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,ነባሪ መጋዘን የተመረጠው ንጥል ያስፈልጋል
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,ሳጥን
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,በተቻለ አቅራቢ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,በተቻለ አቅራቢ
 DocType: Budget,Monthly Distribution,ወርሃዊ ስርጭት
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ተቀባይ ዝርዝር ባዶ ነው. ተቀባይ ዝርዝር ይፍጠሩ
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),የጤና እንክብካቤ (ቤታ)
@@ -2325,6 +2343,7 @@
 ,Lead Name,በእርሳስ ስም
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,እመርታ
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,በመክፈት ላይ የአክሲዮን ቀሪ
 DocType: Asset Category Account,Capital Work In Progress Account,ካፒታል ስራ በሂደት መለያ
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,የንብረት እሴት ማስተካከያ
@@ -2333,7 +2352,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ለ በተሳካ ሁኔታ የተመደበ ማምለኩን {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,ምንም ንጥሎች ለመሸከፍ
 DocType: Shipping Rule Condition,From Value,እሴት ከ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,ከማኑፋክቸሪንግ ብዛት የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,ከማኑፋክቸሪንግ ብዛት የግዴታ ነው
 DocType: Loan,Repayment Method,ብድር መክፈል ስልት
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ከተመረጠ, መነሻ ገጽ ድር ነባሪ ንጥል ቡድን ይሆናል"
 DocType: Quality Inspection Reading,Reading 4,4 ማንበብ
@@ -2358,7 +2377,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ሠራተኛ ሪፈራል
 DocType: Student Group,Set 0 for no limit,ምንም ገደብ ለ 0 አዘጋጅ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,እርስዎ ፈቃድ የሚያመለክቱ ናቸው ላይ ያለው ቀን (ዎች) በዓላት ናቸው. እናንተ ፈቃድን ለማግኘት ማመልከት አይገባም.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,ክፍት {idx}: {መክፈቻ} የግብዣ {invoice_type} ሒሳቦች ለመፍጠር ይጠየቃል
 DocType: Customer,Primary Address and Contact Detail,ተቀዳሚ አድራሻ እና የእውቂያ ዝርዝሮች
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,የክፍያ ኢሜይል ላክ
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,አዲስ ተግባር
@@ -2368,22 +2386,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,እባክህ ቢያንስ አንድ ጎራ ምረጥ.
 DocType: Dependent Task,Dependent Task,ጥገኛ ተግባር
 DocType: Shopify Settings,Shopify Tax Account,የግብር መለያውን ግዛ
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},የመለኪያ ነባሪ ክፍል ለ ልወጣ ምክንያቶች ረድፍ ውስጥ 1 መሆን አለበት {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},አይነት ፈቃድ {0} በላይ ሊሆን አይችልም {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},የመለኪያ ነባሪ ክፍል ለ ልወጣ ምክንያቶች ረድፍ ውስጥ 1 መሆን አለበት {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},አይነት ፈቃድ {0} በላይ ሊሆን አይችልም {1}
 DocType: Delivery Trip,Optimize Route,መስመርን ያመቻቹ
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,አስቀድሞ X ቀኖች ለ ቀዶ ዕቅድ ይሞክሩ.
 DocType: HR Settings,Stop Birthday Reminders,አቁም የልደት ቀን አስታዋሾች
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},ኩባንያ ውስጥ ነባሪ የደመወዝ ክፍያ ሊከፈል መለያ ማዘጋጀት እባክዎ {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,የፋይናንስ ክፍያን እና የአቅርቦት ውሂብ በአማዞን ያግኙ
 DocType: SMS Center,Receiver List,ተቀባይ ዝርዝር
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,የፍለጋ ንጥል
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,የፍለጋ ንጥል
 DocType: Payment Schedule,Payment Amount,የክፍያ መጠን
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,የግማሽ ቀን ቀን ከሥራ ቀን እና የስራ መጨረሻ ቀን መሃል መካከል መሆን አለበት
 DocType: Healthcare Settings,Healthcare Service Items,የጤና እንክብካቤ አገልግሎት እቃዎች
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,ፍጆታ መጠን
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,በጥሬ ገንዘብ ውስጥ የተጣራ ለውጥ
 DocType: Assessment Plan,Grading Scale,አሰጣጥ በስምምነት
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ይለኩ {0} መለኪያ የልወጣ ምክንያቶች የርዕስ ማውጫ ውስጥ ከአንድ ጊዜ በላይ ገባ ተደርጓል
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ይለኩ {0} መለኪያ የልወጣ ምክንያቶች የርዕስ ማውጫ ውስጥ ከአንድ ጊዜ በላይ ገባ ተደርጓል
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ቀድሞውኑ ተጠናቋል
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,የእጅ ውስጥ የአክሲዮን
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2406,25 +2424,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,ተከታታይ አይ {0} ብዛት {1} ክፍልፋይ ሊሆን አይችልም
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,እባክዎ የ Woocommerce አገልጋይ ዩ አር ኤል ያስገቡ
 DocType: Purchase Order Item,Supplier Part Number,አቅራቢው ክፍል ቁጥር
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,የልወጣ ተመን 0 ወይም 1 መሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,የልወጣ ተመን 0 ወይም 1 መሆን አይችልም
 DocType: Share Balance,To No,ወደ አይደለም
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ለሰራተኛ ሠራተኛ አስገዳጅ የሆነ ተግባር ገና አልተከናወነም.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ተሰርዟል ወይም አቁሟል ነው
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ተሰርዟል ወይም አቁሟል ነው
 DocType: Accounts Settings,Credit Controller,የብድር መቆጣጠሪያ
 DocType: Loan,Applicant Type,የአመልካች ዓይነት
 DocType: Purchase Invoice,03-Deficiency in services,03-በአገልግሎቶች እጥረት
 DocType: Healthcare Settings,Default Medical Code Standard,ነባሪ የሕክምና ኮድ መደበኛ
 DocType: Purchase Invoice Item,HSN/SAC,HSN / ከረጢት
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,የግዢ ደረሰኝ {0} ማቅረብ አይደለም
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,የግዢ ደረሰኝ {0} ማቅረብ አይደለም
 DocType: Company,Default Payable Account,ነባሪ ተከፋይ መለያ
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","እንደ የመላኪያ ደንቦች, የዋጋ ዝርዝር ወዘተ እንደ በመስመር ላይ ግዢ ጋሪ ቅንብሮች"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,ማት-ፕረ-ዎርት
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% የሚከፈል
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,የተጠበቁ ናቸው ብዛት
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,የተጠበቁ ናቸው ብዛት
 DocType: Party Account,Party Account,የድግስ መለያ
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,እባክዎ ኩባንያ እና ዲዛይን ይምረጡ
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,የሰው ሀይል አስተዳደር
-DocType: Lead,Upper Income,የላይኛው ገቢ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,የላይኛው ገቢ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,አይቀበሉ
 DocType: Journal Entry Account,Debit in Company Currency,ኩባንያ የምንዛሬ ውስጥ ዴቢት
 DocType: BOM Item,BOM Item,BOM ንጥል
@@ -2441,7 +2459,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",ለጥቆማ የሥራ ክፍት {0} ቀድሞውኑ ክፍት ነው ወይም ሥራን በሠራተኛ እቅድ (ፕሊንሲንግ ፕላንስ) መሠረት ተጠናቅቋል {1}
 DocType: Vital Signs,Constipated,ተለዋዋጭ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},አቅራቢው ላይ የደረሰኝ {0} የተዘጋጀው {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},አቅራቢው ላይ የደረሰኝ {0} የተዘጋጀው {1}
 DocType: Customer,Default Price List,ነባሪ ዋጋ ዝርዝር
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,የንብረት እንቅስቃሴ መዝገብ {0} ተፈጥሯል
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,ምንም ንጥሎች አልተገኙም.
@@ -2457,16 +2475,17 @@
 DocType: Journal Entry,Entry Type,ግቤት አይነት
 ,Customer Credit Balance,የደንበኛ የሥዕል ቀሪ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,ተከፋይ መለያዎች ውስጥ የተጣራ ለውጥ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),ለደንበኛ {0} ({1} / {2}) የብድር መጠን ተላልፏል.
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,እባክዎን በቅንብር&gt; ቅንጅቶች&gt; የስምሪት ስሞች በኩል በ {0} ስም ማዕቀብ ያዘጋጁ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),ለደንበኛ {0} ({1} / {2}) የብድር መጠን ተላልፏል.
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&#39;Customerwise ቅናሽ »ያስፈልጋል የደንበኛ
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,መጽሔቶች ጋር የባንክ የክፍያ ቀኖችን ያዘምኑ.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,የዋጋ
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,የዋጋ
 DocType: Quotation,Term Details,የሚለው ቃል ዝርዝሮች
 DocType: Employee Incentive,Employee Incentive,የሠራተኞች ማበረታቻ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ይህ ተማሪ ቡድን {0} ተማሪዎች በላይ መመዝገብ አይችልም.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),ጠቅላላ (ያለ ግብር)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,በእርሳስ ቆጠራ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,ክምችት ይገኛል
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,ክምችት ይገኛል
 DocType: Manufacturing Settings,Capacity Planning For (Days),(ቀኖች) ያህል አቅም ዕቅድ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,የግዥ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,ንጥሎች መካከል አንዳቸውም መጠን ወይም ዋጋ ላይ ምንም ዓይነት ለውጥ የላቸውም.
@@ -2490,7 +2509,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,ውጣ እና ክትትል
 DocType: Asset,Comprehensive Insurance,የተሟላ ዋስትና
 DocType: Maintenance Visit,Partially Completed,በከፊል የተጠናቀቁ
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},የታማኝነት ነጥብ: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},የታማኝነት ነጥብ: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,መርጃዎች አክል
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,መጠነኛ የችኮላ
 DocType: Leave Type,Include holidays within leaves as leaves,ቅጠሎች እንደ ቅጠል ውስጥ በዓላት አካትት
 DocType: Loyalty Program,Redemption,ድነት
@@ -2524,7 +2544,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,የገበያ ወጪ
 ,Item Shortage Report,ንጥል እጥረት ሪፖርት
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,መደበኛ መስፈርት መፍጠር አይቻልም. እባክዎ መስፈርቱን ዳግም ይሰይሙ
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","የክብደት \ n ደግሞ &quot;የክብደት UOM&quot; አውሳ, ተጠቅሷል"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","የክብደት \ n ደግሞ &quot;የክብደት UOM&quot; አውሳ, ተጠቅሷል"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ቁሳዊ ጥያቄ ይህ የአክሲዮን የሚመዘገብ ለማድረግ ስራ ላይ የሚውለው
 DocType: Hub User,Hub Password,Hub Password
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,እያንዳንዱ ባች ለ የተለየ አካሄድ የተመሠረተ ቡድን
@@ -2538,15 +2558,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),የቀጠሮ ጊዜ (ደቂቃ)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,እያንዳንዱ የአክሲዮን ንቅናቄ ለ በአካውንቲንግ የሚመዘገብ አድርግ
 DocType: Leave Allocation,Total Leaves Allocated,ጠቅላላ ቅጠሎች የተመደበ
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,ልክ የፋይናንስ ዓመት የመጀመሪያ እና መጨረሻ ቀኖች ያስገቡ
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,ልክ የፋይናንስ ዓመት የመጀመሪያ እና መጨረሻ ቀኖች ያስገቡ
 DocType: Employee,Date Of Retirement,ጡረታ ነው ቀን
 DocType: Upload Attendance,Get Template,አብነት ያግኙ
+,Sales Person Commission Summary,የሽያጭ ሰው ኮሚሽን ማጠቃለያ
 DocType: Additional Salary Component,Additional Salary Component,ተጨማሪ የደመወዝ ክፍል
 DocType: Material Request,Transferred,ተላልፈዋል
 DocType: Vehicle,Doors,በሮች
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext ማዋቀር ተጠናቋል!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext ማዋቀር ተጠናቋል!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,ለታካሚ ምዝገባ የከፈሉ
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ከግብይት ግብይት በኋላ የባህርይ ለውጦችን መለወጥ አይቻልም. አዲስ ንጥል ያዘጋጁ እና ወደ አዲሱ ንጥል ዝዋይ ያስተላልፉ
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ከግብይት ግብይት በኋላ የባህርይ ለውጦችን መለወጥ አይቻልም. አዲስ ንጥል ያዘጋጁ እና ወደ አዲሱ ንጥል ዝዋይ ያስተላልፉ
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,የግብር የፈጠረብኝን
 DocType: Employee,Joining Details,ዝርዝሮችን በመቀላቀል ላይ
@@ -2573,14 +2594,15 @@
 DocType: Lead,Next Contact By,በ ቀጣይ እውቂያ
 DocType: Compensatory Leave Request,Compensatory Leave Request,የማካካሻ ፍቃድ ጥያቄ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},ረድፍ ውስጥ ንጥል {0} ያስፈልጋል ብዛት {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},የብዛት ንጥል የለም እንደ መጋዘን {0} ሊሰረዝ አይችልም {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},የብዛት ንጥል የለም እንደ መጋዘን {0} ሊሰረዝ አይችልም {1}
 DocType: Blanket Order,Order Type,ትዕዛዝ አይነት
 ,Item-wise Sales Register,ንጥል-ጥበብ የሽያጭ መመዝገቢያ
 DocType: Asset,Gross Purchase Amount,አጠቃላይ የግዢ መጠን
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ክፍት እጆችን መክፈቻ
 DocType: Asset,Depreciation Method,የእርጅና ስልት
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,መሰረታዊ ተመን ውስጥ ተካትቷል ይህ ታክስ ነው?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,ጠቅላላ ዒላማ
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,ጠቅላላ ዒላማ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,የግንዛቤ ትንታኔ
 DocType: Soil Texture,Sand Composition (%),የአሸካ ቅንብር (%)
 DocType: Job Applicant,Applicant for a Job,ሥራ አመልካች
 DocType: Production Plan Material Request,Production Plan Material Request,የምርት ዕቅድ የቁሳዊ ጥያቄ
@@ -2595,23 +2617,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),የምክክር ማርክ (ከ 10 ውስጥ)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 ተንቀሳቃሽ አይ
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,ዋና
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,{0} ንጥል መከተል እንደ {1} ንጥል ምልክት አልተደረገበትም. እንደ {1} ንጥል ከንጥል ዋናው ላይ ሊያነሯቸው ይችላሉ
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,ተለዋጭ
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","ለንጥል {0}, ቁጥሩ አሉታዊ ቁጥር መሆን አለበት"
 DocType: Naming Series,Set prefix for numbering series on your transactions,በእርስዎ ግብይቶች ላይ ተከታታይ ቁጥር አዘጋጅ ቅድመ ቅጥያ
 DocType: Employee Attendance Tool,Employees HTML,ተቀጣሪዎች ኤችቲኤምኤል
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,ነባሪ BOM ({0}) ይህ ንጥል ወይም አብነት ገባሪ መሆን አለበት
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,ነባሪ BOM ({0}) ይህ ንጥል ወይም አብነት ገባሪ መሆን አለበት
 DocType: Employee,Leave Encashed?,Encashed ይውጡ?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,መስክ ከ አጋጣሚ የግዴታ ነው
 DocType: Email Digest,Annual Expenses,ዓመታዊ ወጪዎች
 DocType: Item,Variants,ተለዋጮች
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,የግዢ ትዕዛዝ አድርግ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,የግዢ ትዕዛዝ አድርግ
 DocType: SMS Center,Send To,ወደ ላክ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},አይተውህም አይነት የሚበቃ ፈቃድ ቀሪ የለም {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},አይተውህም አይነት የሚበቃ ፈቃድ ቀሪ የለም {0}
 DocType: Payment Reconciliation Payment,Allocated amount,በጀት መጠን
 DocType: Sales Team,Contribution to Net Total,ኔት ጠቅላላ መዋጮ
 DocType: Sales Invoice Item,Customer's Item Code,ደንበኛ ንጥል ኮድ
 DocType: Stock Reconciliation,Stock Reconciliation,የክምችት ማስታረቅ
 DocType: Territory,Territory Name,ግዛት ስም
+DocType: Email Digest,Purchase Orders to Receive,ለመቀበል የግዢ ትዕዛዞች
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,የስራ-በ-እድገት መጋዘን አስገባ በፊት ያስፈልጋል
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,በአንድ የደንበኝነት ምዝገባ ውስጥ አንድ አይነት የክፍያ ዑደት ብቻ ሊኖርዎት ይችላል
 DocType: Bank Statement Transaction Settings Item,Mapped Data,የተራፊ ውሂብ
@@ -2628,9 +2652,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},ተከታታይ ምንም ንጥል ገባ አባዛ {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,በ &quot;ምንጭ&quot; መሪዎችን ይከታተሉ.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,አንድ መላኪያ አገዛዝ አንድ ሁኔታ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,ያስገቡ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,ያስገቡ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,የጥገና መዝገብ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,ንጥል ወይም መጋዘን ላይ የተመሠረተ ማጣሪያ ማዘጋጀት እባክዎ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,ንጥል ወይም መጋዘን ላይ የተመሠረተ ማጣሪያ ማዘጋጀት እባክዎ
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),በዚህ ጥቅል የተጣራ ክብደት. (ንጥሎች ውስጥ የተጣራ ክብደት ድምር እንደ ሰር የሚሰላው)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,የ Inter Company Journal Entry ያድርጉ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,የቅናሽ ዋጋ ከ 100% በላይ ሊሆን አይችልም
@@ -2639,15 +2663,15 @@
 DocType: Sales Order,To Deliver and Bill,አድርስ እና ቢል
 DocType: Student Group,Instructors,መምህራን
 DocType: GL Entry,Credit Amount in Account Currency,መለያ ምንዛሬ ውስጥ የብድር መጠን
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} መቅረብ አለበት
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,የማጋራት አስተዳደር
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} መቅረብ አለበት
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,የማጋራት አስተዳደር
 DocType: Authorization Control,Authorization Control,ፈቀዳ ቁጥጥር
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},የረድፍ # {0}: መጋዘን አላገኘም ውድቅ ንጥል ላይ ግዴታ ነው {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,ክፍያ
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},የረድፍ # {0}: መጋዘን አላገኘም ውድቅ ንጥል ላይ ግዴታ ነው {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,ክፍያ
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","መጋዘን {0} ማንኛውም መለያ የተገናኘ አይደለም, ኩባንያ ውስጥ በመጋዘን መዝገብ ውስጥ መለያ ወይም ማዘጋጀት ነባሪ ቆጠራ መለያ መጥቀስ እባክዎ {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,የእርስዎን ትዕዛዞች ያቀናብሩ
 DocType: Work Order Operation,Actual Time and Cost,ትክክለኛው ጊዜ እና ወጪ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ከፍተኛው {0} ቁሳዊ ጥያቄ {1} የሽያጭ ትዕዛዝ ላይ ንጥል የተሰራ ሊሆን ይችላል {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ከፍተኛው {0} ቁሳዊ ጥያቄ {1} የሽያጭ ትዕዛዝ ላይ ንጥል የተሰራ ሊሆን ይችላል {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,ሰብልን ክፈል
 DocType: Course,Course Abbreviation,የኮርስ ምህፃረ ቃል
@@ -2659,6 +2683,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},ጠቅላላ የሥራ ሰዓቶች ከፍተኛ የሥራ ሰዓት በላይ መሆን የለበትም {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,ላይ
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,በሽያጭ ጊዜ ላይ ጥቅል ንጥሎች.
+DocType: Delivery Settings,Dispatch Settings,የመላኪያ ቅንጅቶች
 DocType: Material Request Plan Item,Actual Qty,ትክክለኛ ብዛት
 DocType: Sales Invoice Item,References,ማጣቀሻዎች
 DocType: Quality Inspection Reading,Reading 10,10 ማንበብ
@@ -2668,11 +2693,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,አንተ የተባዙ ንጥሎች አስገብተዋል. ለማስተካከል እና እንደገና ይሞክሩ.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,የሥራ ጓደኛ
 DocType: Asset Movement,Asset Movement,የንብረት ንቅናቄ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,የስራ ትዕዛዝ {0} ገቢ መሆን አለባቸው
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,አዲስ ጨመር
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,የስራ ትዕዛዝ {0} ገቢ መሆን አለባቸው
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,አዲስ ጨመር
 DocType: Taxable Salary Slab,From Amount,ከመጠን
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} ንጥል አንድ serialized ንጥል አይደለም
 DocType: Leave Type,Encashment,ግጭት
+DocType: Delivery Settings,Delivery Settings,የማድረስ ቅንብሮች
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ውሂብ ማምጣት
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},በአለቀቀው አይነት {0} ውስጥ የሚፈቀድ የመጨረሻ ፍቃድ {1}
 DocType: SMS Center,Create Receiver List,ተቀባይ ዝርዝር ፍጠር
 DocType: Vehicle,Wheels,መንኮራኩሮች
@@ -2688,7 +2715,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,የማስከፈያ ምንዛሬ ከሁለቱም የኩባንያዎች ምንዛሬ ወይም የፓርቲው የመገበያያ ገንዘብ ጋር እኩል መሆን አለበት
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),የጥቅል ይህን የመላኪያ (ብቻ ረቂቅ) አንድ ክፍል እንደሆነ ይጠቁማል
 DocType: Soil Texture,Loam,ፈገግታ
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,ረድፍ {0}: የሚላክበት ቀኑ ከተለቀቀበት ቀን በፊት ሊሆን አይችልም
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,ረድፍ {0}: የሚላክበት ቀኑ ከተለቀቀበት ቀን በፊት ሊሆን አይችልም
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,የክፍያ Entry አድርግ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},ንጥል ለ ብዛት {0} ያነሰ መሆን አለበት {1}
 ,Sales Invoice Trends,የሽያጭ ደረሰኝ አዝማሚያዎች
@@ -2696,12 +2723,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ወይም &#39;ቀዳሚ ረድፍ ጠቅላላ&#39; &#39;ቀዳሚ የረድፍ መጠን ላይ&#39; ክፍያ አይነት ከሆነ ብቻ ነው ረድፍ ሊያመለክት ይችላል
 DocType: Sales Order Item,Delivery Warehouse,የመላኪያ መጋዘን
 DocType: Leave Type,Earned Leave Frequency,ከወጡ የጣቢያ ፍጥነቱ
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,የገንዘብ ወጪ ማዕከላት ዛፍ.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,ንዑስ ዓይነት
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,የገንዘብ ወጪ ማዕከላት ዛፍ.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,ንዑስ ዓይነት
 DocType: Serial No,Delivery Document No,ማቅረቢያ ሰነድ የለም
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,በተመረጠው Serial No. ላይ የተመሠረተ አቅርቦት ማረጋገጥ
 DocType: Vital Signs,Furry,ድብደባ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ኩባንያ ውስጥ &#39;የንብረት ማስወገድ ላይ ቅሰም / ኪሳራ ሒሳብ&#39; ለማዘጋጀት እባክዎ {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ኩባንያ ውስጥ &#39;የንብረት ማስወገድ ላይ ቅሰም / ኪሳራ ሒሳብ&#39; ለማዘጋጀት እባክዎ {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,የግዢ ደረሰኞች ከ ንጥሎች ያግኙ
 DocType: Serial No,Creation Date,የተፈጠረበት ቀን
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},የዒላማው ቦታ ለንብረቱ {0} ያስፈልጋል
@@ -2715,10 +2742,11 @@
 DocType: Item,Has Variants,ተለዋጮች አለው
 DocType: Employee Benefit Claim,Claim Benefit For,የድጐማ ማመልከት ለ
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,ምላሽ ስጥ
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},ከዚህ ቀደም ከ ንጥሎች ተመርጠዋል ሊሆን {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},ከዚህ ቀደም ከ ንጥሎች ተመርጠዋል ሊሆን {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,ወደ ወርሃዊ ስርጭት ስም
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ባች መታወቂያ ግዴታ ነው
 DocType: Sales Person,Parent Sales Person,የወላጅ ሽያጭ ሰው
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,መድረስ የሚገባቸው ምንም ነገሮች የሉም
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,ሻጩ እና ገዢው ተመሳሳይ መሆን አይችሉም
 DocType: Project,Collect Progress,መሻሻል አሰባስቡ
 DocType: Delivery Note,MAT-DN-.YYYY.-,ማት-ዱር-ያዮያን .-
@@ -2732,7 +2760,7 @@
 DocType: Bank Guarantee,Margin Money,የማዳበያ ገንዘብ
 DocType: Budget,Budget,ባጀት
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,ክፍት የሚሆን
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,የተወሰነ የንብረት ንጥል ያልሆነ-የአክሲዮን ንጥል መሆን አለበት.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,የተወሰነ የንብረት ንጥል ያልሆነ-የአክሲዮን ንጥል መሆን አለበት.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ይህ የገቢ ወይም የወጪ መለያ አይደለም እንደ በጀት, ላይ {0} ሊመደብ አይችልም"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},የ {0} ከፍተኛ ነጻ ማስወጫ መጠን {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,አሳክቷል
@@ -2750,9 +2778,9 @@
 ,Amount to Deliver,መጠን ለማዳን
 DocType: Asset,Insurance Start Date,የኢንሹራንስ መጀመሪያ ቀን
 DocType: Salary Component,Flexible Benefits,ተለዋዋጭ ጥቅሞች
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},አንድ አይነት ንጥል ብዙ ጊዜ ተጨምሯል. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},አንድ አይነት ንጥል ብዙ ጊዜ ተጨምሯል. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,የሚለው ቃል መጀመሪያ ቀን የሚለው ቃል ጋር የተያያዘ ነው ይህም ወደ የትምህርት ዓመት ዓመት የመጀመሪያ ቀን ከ ቀደም ሊሆን አይችልም (የትምህርት ዓመት {}). ቀናት ለማረም እና እንደገና ይሞክሩ.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,ስህተቶች ነበሩ.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,ስህተቶች ነበሩ.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,ተቀጣሪ {0} ቀድሞውኑ በ {2} እና በ {3} መካከል በ {1} አመልክቷል:
 DocType: Guardian,Guardian Interests,አሳዳጊ ፍላጎቶች
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,የመለያ ስም / ቁጥር ያዘምኑ
@@ -2791,9 +2819,9 @@
 ,Item-wise Purchase History,ንጥል-ጥበብ የግዢ ታሪክ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},ተከታታይ ምንም ንጥል ታክሏል ለማምጣት &#39;ፍጠር ፕሮግራም »ላይ ጠቅ ያድርጉ {0}
 DocType: Account,Frozen,የቀዘቀዘ
-DocType: Delivery Note,Vehicle Type,የተሽከርካሪ አይነት
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,የተሽከርካሪ አይነት
 DocType: Sales Invoice Payment,Base Amount (Company Currency),የመሠረት መጠን (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,ጥሬ ዕቃዎች
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,ጥሬ ዕቃዎች
 DocType: Payment Reconciliation Payment,Reference Row,ማጣቀሻ ረድፍ
 DocType: Installation Note,Installation Time,መጫን ሰዓት
 DocType: Sales Invoice,Accounting Details,አካውንቲንግ ዝርዝሮች
@@ -2802,12 +2830,13 @@
 DocType: Inpatient Record,O Positive,አዎንታዊ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,ኢንቨስትመንት
 DocType: Issue,Resolution Details,ጥራት ዝርዝሮች
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,የግብይት አይነት
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,የግብይት አይነት
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ቅበላ መስፈርቶች
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,ከላይ በሰንጠረዡ ውስጥ ቁሳዊ ጥያቄዎች ያስገቡ
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,ለጆርናሉ ምዝገባ ምንም ክፍያ አይኖርም
 DocType: Hub Tracked Item,Image List,የምስል ዝርዝር
 DocType: Item Attribute,Attribute Name,ስም ይስጡ
+DocType: Subscription,Generate Invoice At Beginning Of Period,በመጀመሪያው ጊዜ የክፍያ ደረሰኝ ይፍጠሩ
 DocType: BOM,Show In Website,ድር ጣቢያ ውስጥ አሳይ
 DocType: Loan Application,Total Payable Amount,ጠቅላላ የሚከፈል መጠን
 DocType: Task,Expected Time (in hours),(ሰዓቶች ውስጥ) የሚጠበቀው ሰዓት
@@ -2844,7 +2873,7 @@
 DocType: Employee,Resignation Letter Date,የሥራ መልቀቂያ ደብዳቤ ቀን
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,የዋጋ ደንቦች ተጨማሪ በብዛት ላይ ተመስርተው ይጣራሉ.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,አዘጋጅ አይደለም
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ሠራተኛ ለማግኘት በመቀላቀል ቀን ማዘጋጀት እባክዎ {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ሠራተኛ ለማግኘት በመቀላቀል ቀን ማዘጋጀት እባክዎ {0}
 DocType: Inpatient Record,Discharge,ፍሳሽ
 DocType: Task,Total Billing Amount (via Time Sheet),ጠቅላላ የሂሳብ አከፋፈል መጠን (ጊዜ ሉህ በኩል)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ድገም የደንበኛ ገቢ
@@ -2854,13 +2883,13 @@
 DocType: Chapter,Chapter,ምዕራፍ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,ሁለት
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ይህ ሁነታ ሲመረቅ ነባሪ መለያ በ POS ክፍያ መጠየቂያ ካርዱ ውስጥ በራስ-ሰር ይዘምናል.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ለምርት BOM እና ብዛት ይምረጡ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ለምርት BOM እና ብዛት ይምረጡ
 DocType: Asset,Depreciation Schedule,የእርጅና ፕሮግራም
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,የሽያጭ አጋር አድራሻዎች እና እውቂያዎች
 DocType: Bank Reconciliation Detail,Against Account,መለያ ላይ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,ግማሽ ቀን ቀን ቀን ጀምሮ እና ቀን ወደ መካከል መሆን አለበት
 DocType: Maintenance Schedule Detail,Actual Date,ትክክለኛ ቀን
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,እባክዎ በ {0} ኩባንያ ውስጥ ያለውን ነባሪ ዋጋ ማስተካከያ ያዘጋጁ.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,እባክዎ በ {0} ኩባንያ ውስጥ ያለውን ነባሪ ዋጋ ማስተካከያ ያዘጋጁ.
 DocType: Item,Has Batch No,የጅምላ አይ አለው
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},ዓመታዊ አከፋፈል: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,የድርhook ዝርዝርን ይግዙ
@@ -2872,7 +2901,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-yYYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,የግል መረጃ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},ኩባንያ ውስጥ &#39;የንብረት የእርጅና ወጪ ማዕከል&#39; ለማዘጋጀት እባክዎ {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},ኩባንያ ውስጥ &#39;የንብረት የእርጅና ወጪ ማዕከል&#39; ለማዘጋጀት እባክዎ {0}
 ,Maintenance Schedules,ጥገና ፕሮግራም
 DocType: Task,Actual End Date (via Time Sheet),ትክክለኛው መጨረሻ ቀን (ሰዓት ሉህ በኩል)
 DocType: Soil Texture,Soil Type,የአፈር አይነት
@@ -2880,10 +2909,10 @@
 ,Quotation Trends,በትዕምርተ ጥቅስ አዝማሚያዎች
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},ንጥል ቡድን ንጥል ንጥል ጌታ ውስጥ የተጠቀሰው አይደለም {0}
 DocType: GoCardless Mandate,GoCardless Mandate,የ GoCardless ትዕዛዝ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,መለያ ወደ ዴቢት አንድ የሚሰበሰብ መለያ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,መለያ ወደ ዴቢት አንድ የሚሰበሰብ መለያ መሆን አለበት
 DocType: Shipping Rule,Shipping Amount,መላኪያ መጠን
 DocType: Supplier Scorecard Period,Period Score,የዘፈን ነጥብ
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,ደንበኞች ያክሉ
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,ደንበኞች ያክሉ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,በመጠባበቅ ላይ ያለ መጠን
 DocType: Lab Test Template,Special,ልዩ
 DocType: Loyalty Program,Conversion Factor,የልወጣ መንስኤ
@@ -2900,7 +2929,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Letterhead አክል
 DocType: Program Enrollment,Self-Driving Vehicle,የራስ-መንዳት ተሽከርካሪ
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,የአቅራቢ ካርድ መስጫ ቋሚ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},ረድፍ {0}: ቁሳቁሶች መካከል ቢል ንጥል አልተገኘም {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},ረድፍ {0}: ቁሳቁሶች መካከል ቢል ንጥል አልተገኘም {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ጠቅላላ የተመደበ ቅጠሎች {0} ያነሰ ሊሆን አይችልም ጊዜ ቀድሞውኑ ጸድቀዋል ቅጠሎች {1} ከ
 DocType: Contract Fulfilment Checklist,Requirement,መስፈርቶች
 DocType: Journal Entry,Accounts Receivable,ለመቀበል የሚቻሉ አካውንቶች
@@ -2916,16 +2945,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,የሰው ኃይል ቅንብሮች
 DocType: Salary Slip,net pay info,የተጣራ ክፍያ መረጃ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS እሴት
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS እሴት
 DocType: Woocommerce Settings,Enable Sync,ማመሳሰልን አንቃ
 DocType: Tax Withholding Rate,Single Transaction Threshold,ነጠላ የግብይት ጣሪያ
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ይህ ዋጋ በነባሪው የሽያጭ ዋጋ ዝርዝር ውስጥ ይዘምናል.
 DocType: Email Digest,New Expenses,አዲስ ወጪዎች
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC መጠን
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC መጠን
 DocType: Shareholder,Shareholder,ባለአክስዮን
 DocType: Purchase Invoice,Additional Discount Amount,ተጨማሪ የቅናሽ መጠን
 DocType: Cash Flow Mapper,Position,ቦታ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,እቃዎችን ከመድሃኒት ትእዛዞች ያግኙ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,እቃዎችን ከመድሃኒት ትእዛዞች ያግኙ
 DocType: Patient,Patient Details,የታካሚ ዝርዝሮች
 DocType: Inpatient Record,B Positive,ቢ አዎንታዊ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2937,8 +2966,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,ያልሆኑ ቡድን ቡድን
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,ስፖርት
 DocType: Loan Type,Loan Name,ብድር ስም
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,ትክክለኛ ጠቅላላ
-DocType: Lab Test UOM,Test UOM,የኡሞ ሞክርን ይሞክሩ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,ትክክለኛ ጠቅላላ
 DocType: Student Siblings,Student Siblings,የተማሪ እህቶቼ
 DocType: Subscription Plan Detail,Subscription Plan Detail,የደንበኝነት ምዝገባ ዕቅድ ዝርዝር
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,መለኪያ
@@ -2965,7 +2993,6 @@
 DocType: Workstation,Wages per hour,በሰዓት የደመወዝ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ባች ውስጥ የአክሲዮን ቀሪ {0} ይሆናል አሉታዊ {1} መጋዘን ላይ ንጥል {2} ለ {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ቁሳዊ ጥያቄዎች የሚከተሉት ንጥል ዳግም-ትዕዛዝ ደረጃ ላይ ተመስርቶ በራስ-ሰር ከፍ ተደርጓል
-DocType: Email Digest,Pending Sales Orders,የሽያጭ ትዕዛዞች በመጠባበቅ ላይ
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},መለያ {0} ልክ ያልሆነ ነው. መለያ ምንዛሬ መሆን አለበት {1}
 DocType: Supplier,Is Internal Supplier,ውስጣዊ አቅራቢ
 DocType: Employee,Create User Permission,የተጠቃሚ ፍቃድ ፍጠር
@@ -2973,13 +3000,14 @@
 DocType: Healthcare Settings,Remind Before,ከዚህ በፊት አስታውሳ
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM የመለወጥ ምክንያት ረድፍ ውስጥ ያስፈልጋል {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የሽያጭ ትዕዛዝ አንዱ ሽያጭ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የሽያጭ ትዕዛዝ አንዱ ሽያጭ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 የታማኝነት ነጥቦች = ምን ያህል መሠረታዊ ምንዛሬ ነው?
 DocType: Salary Component,Deduction,ቅናሽ
 DocType: Item,Retain Sample,ናሙና አጥሩ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,ረድፍ {0}: ሰዓት ጀምሮ እና ሰዓት ወደ የግዴታ ነው.
 DocType: Stock Reconciliation Item,Amount Difference,መጠን ያለው ልዩነት
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},ንጥል ዋጋ ለ ታክሏል {0} የዋጋ ዝርዝር ውስጥ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},ንጥል ዋጋ ለ ታክሏል {0} የዋጋ ዝርዝር ውስጥ {1}
+DocType: Delivery Stop,Order Information,የትዕዛዝ መረጃ
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ይህ የሽያጭ ሰው የሰራተኛ መታወቂያ ያስገቡ
 DocType: Territory,Classification of Customers by region,ክልል በ ደንበኞች መካከል ምደባ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,በምርት ውስጥ
@@ -2990,8 +3018,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,የተሰላው ባንክ መግለጫ ቀሪ
 DocType: Normal Test Template,Normal Test Template,መደበኛ የሙከራ ቅንብር
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ተሰናክሏል ተጠቃሚ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,ጥቅስ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,የተቀበሉት አር.ኤም.ፒ. ወደ &quot;ምንም&quot; የለም
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,ጥቅስ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,የተቀበሉት አር.ኤም.ፒ. ወደ &quot;ምንም&quot; የለም
 DocType: Salary Slip,Total Deduction,ጠቅላላ ተቀናሽ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,በመለያው ምንዛሬ ለማተም አንድ መለያ ይምረጡ
 ,Production Analytics,የምርት ትንታኔ
@@ -3004,14 +3032,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,የአቅራቢን የመሳሪያ ካርድ ማዋቀር
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,የግምገማ ዕቅድ ስም
 DocType: Work Order Operation,Work Order Operation,የሥራ ትእዛዝ ክዋኔ
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},ማስጠንቀቂያ: አባሪ ላይ ልክ ያልሆነ SSL ሰርቲፊኬት {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},ማስጠንቀቂያ: አባሪ ላይ ልክ ያልሆነ SSL ሰርቲፊኬት {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","እርሳሶች የንግድ, ሁሉም እውቂያዎች እና ተጨማሪ ይመራል እንደ ለማከል ለማገዝ"
 DocType: Work Order Operation,Actual Operation Time,ትክክለኛው ኦፕሬሽን ሰዓት
 DocType: Authorization Rule,Applicable To (User),የሚመለከታቸው ለማድረግ (ተጠቃሚ)
 DocType: Purchase Taxes and Charges,Deduct,ቀነሰ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,የሥራው ዝርዝር
 DocType: Student Applicant,Applied,የተተገበረ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,ዳግም-ክፈት
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,ዳግም-ክፈት
 DocType: Sales Invoice Item,Qty as per Stock UOM,ብዛት የአክሲዮን UOM መሰረት
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 ስም
 DocType: Attendance,Attendance Request,የመድረክ ጥያቄ
@@ -3029,7 +3057,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},ተከታታይ አይ {0} እስከሁለት ዋስትና ስር ነው {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ዝቅተኛ ፍቃደኛ ዋጋ
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,የተጠቃሚ {0} አስቀድሞም ይገኛል
-apps/erpnext/erpnext/hooks.py +114,Shipments,ማዕድኑን
+apps/erpnext/erpnext/hooks.py +115,Shipments,ማዕድኑን
 DocType: Payment Entry,Total Allocated Amount (Company Currency),ጠቅላላ የተመደበ መጠን (የኩባንያ የምንዛሬ)
 DocType: Purchase Order Item,To be delivered to customer,የደንበኛ እስኪደርስ ድረስ
 DocType: BOM,Scrap Material Cost,ቁራጭ ቁሳዊ ወጪ
@@ -3037,11 +3065,12 @@
 DocType: Grant Application,Email Notification Sent,የኢሜይል ማሳወቂያ ተልኳል
 DocType: Purchase Invoice,In Words (Company Currency),ቃላት ውስጥ (የኩባንያ የምንዛሬ)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,ኩባንያ ለኩባንያ መዝገብ ነው
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","የእቃ ቁጥር, መጋዘን, ብዛት በረድፍ ላይ ያስፈልጋል"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","የእቃ ቁጥር, መጋዘን, ብዛት በረድፍ ላይ ያስፈልጋል"
 DocType: Bank Guarantee,Supplier,አቅራቢ
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,ከ ያግኙ
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,ይህ የስርዓት ክፍል ነው እና አርትዖት ሊደረግበት አይችልም.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,የክፍያ ዝርዝሮችን አሳይ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,በቆይታ ጊዜ ውስጥ
 DocType: C-Form,Quarter,ሩብ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,ልዩ ልዩ ወጪዎች
 DocType: Global Defaults,Default Company,ነባሪ ኩባንያ
@@ -3049,7 +3078,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ወይም ወጪ ያለው ልዩነት መለያ ንጥል {0} እንደ ተፅዕኖዎች በአጠቃላይ የአክሲዮን ዋጋ ግዴታ ነው
 DocType: Bank,Bank Name,የባንክ ስም
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,ለሁሉም አቅራቢዎች የግዢ ትዕዛዞችን ለማድረግ መስኩን ባዶ ይተዉት
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,ለሁሉም አቅራቢዎች የግዢ ትዕዛዞችን ለማድረግ መስኩን ባዶ ይተዉት
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,የሆስፒታል መጓጓዣ ክፍያ መጠየቂያ ንጥል
 DocType: Vital Signs,Fluid,ፈሳሽ
 DocType: Leave Application,Total Leave Days,ጠቅላላ ፈቃድ ቀናት
@@ -3058,7 +3087,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,ንጥል ተለዋጭ ቅንብሮች
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,ኩባንያ ይምረጡ ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,ሁሉም ክፍሎች እየታሰቡ ከሆነ ባዶውን ይተው
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} ንጥል ግዴታ ነው {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} ንጥል ግዴታ ነው {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","ንጥል {0}: {1} qty የተተወ,"
 DocType: Payroll Entry,Fortnightly,በየሁለት ሳምንቱ
 DocType: Currency Exchange,From Currency,ምንዛሬ ከ
@@ -3107,7 +3136,7 @@
 DocType: Account,Fixed Asset,የተወሰነ ንብረት
 DocType: Amazon MWS Settings,After Date,ከቀኑ በኋላ
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialized ቆጠራ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,ለ Inter-company Invoice ልክ ያልሆነ {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,ለ Inter-company Invoice ልክ ያልሆነ {0}.
 ,Department Analytics,መምሪያ ትንታኔ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ኢሜይል በነባሪ እውቂያ አልተገኘም
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,ሚስጥራዊ አፍልቅ
@@ -3125,6 +3154,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,ዋና ሥራ አስኪያጅ
 DocType: Purchase Invoice,With Payment of Tax,በግብር ክፍያ
 DocType: Expense Claim Detail,Expense Claim Detail,የወጪ የይገባኛል ጥያቄ ዝርዝር
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,እባክዎ የመምህርውን ስም ስርዓትን በስርዓት&gt; የትምህርት ቅንብሮች ያዋቅሩ
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,አቅራቢ ለማግኘት TRIPLICATE
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,በመሠረታዊ ልውውጥ ውስጥ አዲስ ሚዛን
 DocType: Location,Is Container,መያዣ ነው
@@ -3132,12 +3162,12 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,ትክክለኛውን መለያ ይምረጡ
 DocType: Salary Structure Assignment,Salary Structure Assignment,የደመወዝ ክፍያ ሥራ
 DocType: Purchase Invoice Item,Weight UOM,የክብደት UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ሊገኙ የሚችሉ አክሲዮኖችን ዝርዝር በ folio ቁጥሮች
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ሊገኙ የሚችሉ አክሲዮኖችን ዝርዝር በ folio ቁጥሮች
 DocType: Salary Structure Employee,Salary Structure Employee,ደመወዝ መዋቅር ሰራተኛ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,ተለዋዋጭ ባህርያት አሳይ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,ተለዋዋጭ ባህርያት አሳይ
 DocType: Student,Blood Group,የደም ቡድን
 DocType: Course,Course Name,የኮርሱ ስም
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,ለአሁኑ የፋይናንስ ዓመት ምንም የታክስ ቆጠራ ውሂብ አልተገኘም.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,ለአሁኑ የፋይናንስ ዓመት ምንም የታክስ ቆጠራ ውሂብ አልተገኘም.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,በአንድ የተወሰነ ሠራተኛ ፈቃድ መተግበሪያዎች ማጽደቅ የሚችሉ ተጠቃሚዎች
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,ቢሮ ዕቃዎች
 DocType: Purchase Invoice Item,Qty,ብዛት
@@ -3145,6 +3175,7 @@
 DocType: Supplier Scorecard,Scoring Setup,የውጤት አሰጣጥ ቅንብር
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,ኤሌክትሮኒክስ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ዴቢት ({0})
+DocType: BOM,Allow Same Item Multiple Times,ተመሳሳይ ንጥል ብዙ ጊዜ ፍቀድ
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,የአክሲዮን ዳግም-ትዕዛዝ ደረጃ ላይ ሲደርስ የቁሳዊ ጥያቄ ላይ አንሥታችሁ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,ሙሉ ሰአት
 DocType: Payroll Entry,Employees,ተቀጣሪዎች
@@ -3156,11 +3187,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,የክፍያ ማረጋገጫ
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,የዋጋ ዝርዝር ካልተዋቀረ ዋጋዎች አይታይም
 DocType: Stock Entry,Total Incoming Value,ጠቅላላ ገቢ ዋጋ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ዴት ወደ ያስፈልጋል
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ዴት ወደ ያስፈልጋል
 DocType: Clinical Procedure,Inpatient Record,Inpatient Record
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets በእርስዎ ቡድን እንዳደረገ activites ጊዜ, ወጪ እና የማስከፈያ እንዲከታተሉ ለመርዳት"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,የግዢ ዋጋ ዝርዝር
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,የግብይት ቀን
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,የግዢ ዋጋ ዝርዝር
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,የግብይት ቀን
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,የአቅራቢዎች የውጤት መለኪያዎች አብነቶች.
 DocType: Job Offer Term,Offer Term,ቅናሽ የሚቆይበት ጊዜ
 DocType: Asset,Quality Manager,የጥራት ሥራ አስኪያጅ
@@ -3181,18 +3212,18 @@
 DocType: Cashier Closing,To Time,ጊዜ ወደ
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) ለ {0}
 DocType: Authorization Rule,Approving Role (above authorized value),(ፍቃድ ዋጋ በላይ) ሚና ማጽደቅ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,መለያ ወደ ብድር የሚከፈል መለያ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,መለያ ወደ ብድር የሚከፈል መለያ መሆን አለበት
 DocType: Loan,Total Amount Paid,ጠቅላላ መጠን የተከፈለ
 DocType: Asset,Insurance End Date,የኢንሹራንስ መጨረሻ ቀን
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,ለክፍያ ለተማሪው የሚያስፈልገውን የተማሪ ቅበላ የሚለውን እባክዎ ይምረጡ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM Recursion: {0} መካከል ወላጅ ወይም ልጅ ሊሆን አይችልም {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM Recursion: {0} መካከል ወላጅ ወይም ልጅ ሊሆን አይችልም {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,የበጀት ዝርዝር
 DocType: Work Order Operation,Completed Qty,ተጠናቋል ብዛት
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0}: ብቻ ዴቢት መለያዎች ሌላ ክሬዲት ግቤት ላይ የተገናኘ ሊሆን ይችላል
 DocType: Manufacturing Settings,Allow Overtime,የትርፍ ሰዓት ፍቀድ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized ንጥል {0} መጠቀም እባክዎ የአክሲዮን የገባበት የአክሲዮን ማስታረቅ በመጠቀም መዘመን አይችልም
 DocType: Training Event Employee,Training Event Employee,ስልጠና ክስተት ሰራተኛ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ከፍተኛ ቁጥር ያላቸው - {0} ለቡድን {1} እና ንጥል {2} ሊቀመጡ ይችላሉ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ከፍተኛ ቁጥር ያላቸው - {0} ለቡድን {1} እና ንጥል {2} ሊቀመጡ ይችላሉ.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,የሰዓት ማሸጊያዎችን ያክሉ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ንጥል ያስፈልጋል መለያ ቁጥር {1}. ያቀረቡት {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,የአሁኑ ግምቱ ተመን
@@ -3223,11 +3254,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,አልተገኘም ተከታታይ ምንም {0}
 DocType: Fee Schedule Program,Fee Schedule Program,የክፍያ መርሐግብር ፕሮግራም
 DocType: Fee Schedule Program,Student Batch,የተማሪ ባች
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ይህን ሰነድ ለመሰረዝ እባክዎ ተቀጣሪውን <a href=""#Form/Employee/{0}"">{0}</a> \ ሰርዝ"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,የተማሪ አድርግ
 DocType: Supplier Scorecard Scoring Standing,Min Grade,አነስተኛ ደረጃ
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,የህክምና አገልግሎት አይነት
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},እርስዎ ፕሮጀክት ላይ ተባበር ተጋብዘዋል: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},እርስዎ ፕሮጀክት ላይ ተባበር ተጋብዘዋል: {0}
 DocType: Supplier Group,Parent Supplier Group,የወላጅ አቅራቢ አቅራቢዎች
+DocType: Email Digest,Purchase Orders to Bill,ለግል ክፍያ ትዕዛዞችን ይግዙ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,በቡድን ኩባንያ ውስጥ የተጨመሩ ዋጋዎች
 DocType: Leave Block List Date,Block Date,አግድ ቀን
 DocType: Crop,Crop,ከርክም
@@ -3239,6 +3273,7 @@
 DocType: Sales Order,Not Delivered,ደርሷል አይደለም
 ,Bank Clearance Summary,የባንክ መልቀቂያ ማጠቃለያ
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","ይፍጠሩ እና, ዕለታዊ ሳምንታዊ እና ወርሃዊ የኢሜይል ዜናዎች ያስተዳድሩ."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,ይሄ በዚህ ሽያጭ ሰው ላይ የተደረጉ እንቅስቃሴዎች ላይ የተመሰረተ ነው. ለዝርዝሮች ከታች ያለውን የጊዜ መስመር ይመልከቱ
 DocType: Appraisal Goal,Appraisal Goal,ግምገማ ግብ
 DocType: Stock Reconciliation Item,Current Amount,የአሁኑ መጠን
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ሕንፃዎች
@@ -3265,7 +3300,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,ሶፍትዌሮችን
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,ቀጣይ የእውቂያ ቀን ያለፈ መሆን አይችልም
 DocType: Company,For Reference Only.,ማጣቀሻ ያህል ብቻ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,ምረጥ የጅምላ አይ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,ምረጥ የጅምላ አይ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},ልክ ያልሆነ {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,የማጣቀሻ ማመልከቻ
@@ -3283,16 +3318,16 @@
 DocType: Normal Test Items,Require Result Value,የ ውጤት ውጤት እሴት
 DocType: Item,Show a slideshow at the top of the page,በገጹ ላይኛው ክፍል ላይ አንድ ስላይድ ትዕይንት አሳይ
 DocType: Tax Withholding Rate,Tax Withholding Rate,የግብር መያዣ መጠን
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,መደብሮች
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,መደብሮች
 DocType: Project Type,Projects Manager,ፕሮጀክቶች ሥራ አስኪያጅ
 DocType: Serial No,Delivery Time,የማስረከቢያ ቀን ገደብ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,ላይ የተመሠረተ ጥበቃና
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,ቀጠሮ ተሰርዟል
 DocType: Item,End of Life,የሕይወት መጨረሻ
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ጉዞ
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ጉዞ
 DocType: Student Report Generation Tool,Include All Assessment Group,ሁሉንም የግምገማ ቡድን ይጨምሩ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,ለተሰጠው ቀናት ሠራተኛ {0} አልተገኘም ምንም ንቁ ወይም ነባሪ ደመወዝ መዋቅር
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,ለተሰጠው ቀናት ሠራተኛ {0} አልተገኘም ምንም ንቁ ወይም ነባሪ ደመወዝ መዋቅር
 DocType: Leave Block List,Allow Users,ተጠቃሚዎች ፍቀድ
 DocType: Purchase Order,Customer Mobile No,የደንበኛ ተንቀሳቃሽ ምንም
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,የገንዘብ ፍሰት ማካካሻ አብነት ዝርዝሮች
@@ -3301,15 +3336,16 @@
 DocType: Rename Tool,Rename Tool,መሣሪያ ዳግም ሰይም
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,አዘምን ወጪ
 DocType: Item Reorder,Item Reorder,ንጥል አስይዝ
+DocType: Delivery Note,Mode of Transport,የመጓጓዣ ዘዴ
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,አሳይ የቀጣሪ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,አስተላልፍ ሐሳብ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,አስተላልፍ ሐሳብ
 DocType: Fees,Send Payment Request,የክፍያ ጥያቄን ላክ
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","የ ክወናዎች, የክወና ወጪ ይጥቀሱ እና ቀዶ ሕክምና ምንም ልዩ ክወና መስጠት."
 DocType: Travel Request,Any other details,ሌሎች ማንኛውም ዝርዝሮች
 DocType: Water Analysis,Origin,መነሻ
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ይህ ሰነድ በ ገደብ በላይ ነው {0} {1} ንጥል {4}. እናንተ እያደረግን ነው በዚያው ላይ ሌላ {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,በማስቀመጥ ላይ በኋላ ተደጋጋሚ ማዘጋጀት እባክዎ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,ይምረጡ ለውጥ መጠን መለያ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,በማስቀመጥ ላይ በኋላ ተደጋጋሚ ማዘጋጀት እባክዎ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,ይምረጡ ለውጥ መጠን መለያ
 DocType: Purchase Invoice,Price List Currency,የዋጋ ዝርዝር ምንዛሬ
 DocType: Naming Series,User must always select,ተጠቃሚው ሁልጊዜ መምረጥ አለብዎ
 DocType: Stock Settings,Allow Negative Stock,አሉታዊ የአክሲዮን ፍቀድ
@@ -3330,9 +3366,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
 DocType: Asset Maintenance Log,Actions performed,ድርጊቶች አከናውነዋል
 DocType: Cash Flow Mapper,Section Leader,ክፍል መሪ
+DocType: Delivery Note,Transport Receipt No,የመጓጓዣ ደረሰኝ ቁጥር
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),የገንዘብ ምንጭ (ተጠያቂነቶች)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,የምንጭ እና ዒላማ አካባቢ ተመሳሳይ መሆን አይችሉም
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ረድፍ ውስጥ ብዛት {0} ({1}) የሚመረተው ብዛት እንደ አንድ አይነት መሆን አለበት {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ረድፍ ውስጥ ብዛት {0} ({1}) የሚመረተው ብዛት እንደ አንድ አይነት መሆን አለበት {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,ተቀጣሪ
 DocType: Bank Guarantee,Fixed Deposit Number,የተወሰነ የንብረት ቆጠራ ቁጥር
 DocType: Asset Repair,Failure Date,የመሳሪያ ቀን
@@ -3346,16 +3383,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,የክፍያ ተቀናሾች ወይም ማጣት
 DocType: Soil Analysis,Soil Analysis Criterias,የአፈር ምርመራ ትንታኔ መስፈርቶች
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,የሽያጭ ወይም ግዢ መደበኛ የኮንትራት ውል.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,እርግጠኛ ነዎት ይህንን ቀጠሮ መሰረዝ ይፈልጋሉ?
+DocType: BOM Item,Item operation,የንጥል ክወና
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,እርግጠኛ ነዎት ይህንን ቀጠሮ መሰረዝ ይፈልጋሉ?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,የሆቴል ክፍት የዋጋ ማቅረቢያ ጥቅል
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,የሽያጭ Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,የሽያጭ Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},ደመወዝ ክፍለ አካል ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ያስፈልጋል ላይ
 DocType: Rename Tool,File to Rename,ዳግም ሰይም ፋይል
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},ረድፍ ውስጥ ንጥል ለማግኘት BOM ይምረጡ {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,የደንበኝነት ምዝገባ ዝመናዎችን በማምጣት ላይ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},መለያ {0} {1} መለያ ሁነታ ውስጥ ኩባንያ ጋር አይዛመድም: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},ንጥል ለማግኘት የለም የተጠቀሰዉ BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},ንጥል ለማግኘት የለም የተጠቀሰዉ BOM {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,ኮርስ:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ጥገና ፕሮግራም {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት
@@ -3364,7 +3402,7 @@
 DocType: Notification Control,Expense Claim Approved,የወጪ የይገባኛል ጥያቄ ተፈቅዷል
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ቅድሚያ አቀባበል እና ምደባ (FIFO) ያዘጋጁ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,ምንም የሥራ ስራዎች አልተፈጠሩም
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,ሠራተኛ የቀጣሪ {0} አስቀድሞ በዚህ ጊዜ የተፈጠሩ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,ሠራተኛ የቀጣሪ {0} አስቀድሞ በዚህ ጊዜ የተፈጠሩ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,የህክምና
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,ለተመካቢ የማስገቢያ መጠን ብቻ ማስገባት ይችላሉ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,የተገዙ ንጥሎች መካከል ወጪ
@@ -3372,7 +3410,8 @@
 DocType: Selling Settings,Sales Order Required,የሽያጭ ትዕዛዝ ያስፈልጋል
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,ሻጭ ሁን
 DocType: Purchase Invoice,Credit To,ወደ ክሬዲት
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,ገባሪ እርሳሶች / ደንበኞች
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,ገባሪ እርሳሶች / ደንበኞች
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,ደረጃውን የጠበቀ የማሳወቂያ ቅርፀት ለመጠቀም ባዶውን ይተዉት
 DocType: Employee Education,Post Graduate,በድህረ ምረቃ
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ጥገና ፕሮግራም ዝርዝር
 DocType: Supplier Scorecard,Warn for new Purchase Orders,ለአዲስ የግዢ ትዕዛዞች ያስጠንቅቁ
@@ -3386,14 +3425,14 @@
 DocType: Support Search Source,Post Title Key,የልኡክ ጽሁፍ ርዕስ ቁልፍ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,ለሥራ ካርድ
 DocType: Warranty Claim,Raised By,በ አስነስቷል
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,መድሃኒት
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,መድሃኒት
 DocType: Payment Gateway Account,Payment Account,የክፍያ መለያ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,ለመቀጠል ኩባንያ ይግለጹ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,ለመቀጠል ኩባንያ ይግለጹ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,መለያዎች የሚሰበሰብ ሂሳብ ውስጥ የተጣራ ለውጥ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,የማካካሻ አጥፋ
 DocType: Job Offer,Accepted,ተቀባይነት አግኝቷል
 DocType: POS Closing Voucher,Sales Invoices Summary,የሽያጭ ደረሰኞች ማጠቃለያ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,ለፓርቲ ስም
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,ለፓርቲ ስም
 DocType: Grant Application,Organization,ድርጅት
 DocType: BOM Update Tool,BOM Update Tool,የ BOM ማሻሻያ መሳሪያ
 DocType: SG Creation Tool Course,Student Group Name,የተማሪ የቡድን ስም
@@ -3402,7 +3441,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,በእርግጥ ይህ ኩባንያ ሁሉንም ግብይቶችን መሰረዝ ይፈልጋሉ እርግጠኛ ይሁኑ. ነው እንደ ዋና ውሂብ ይቆያል. ይህ እርምጃ ሊቀለበስ አይችልም.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,የፍለጋ ውጤቶች
 DocType: Room,Room Number,የክፍል ቁጥር
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},ልክ ያልሆነ ማጣቀሻ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},ልክ ያልሆነ ማጣቀሻ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ታቅዶ quanitity መብለጥ አይችልም ({2}) በምርት ላይ ትእዛዝ {3}
 DocType: Shipping Rule,Shipping Rule Label,መላኪያ ደንብ መሰየሚያ
 DocType: Journal Entry Account,Payroll Entry,የክፍያ ገቢዎች
@@ -3410,8 +3449,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,የግብር አብነት ስራ
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,የተጠቃሚ መድረክ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,ጥሬ እቃዎች ባዶ መሆን አይችልም.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,ረድፍ # {0} (የክፍያ ሰንጠረዥ): መጠኑ አሉታዊ መሆን አለበት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","የአክሲዮን ማዘመን አልተቻለም, መጠየቂያ ጠብታ መላኪያ ንጥል ይዟል."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,ረድፍ # {0} (የክፍያ ሰንጠረዥ): መጠኑ አሉታዊ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","የአክሲዮን ማዘመን አልተቻለም, መጠየቂያ ጠብታ መላኪያ ንጥል ይዟል."
 DocType: Contract,Fulfilment Status,የመሟላት ሁኔታ
 DocType: Lab Test Sample,Lab Test Sample,የቤተ ሙከራ የሙከራ ናሙና
 DocType: Item Variant Settings,Allow Rename Attribute Value,የባህሪ እሴት ዳግም ሰይም ፍቀድ
@@ -3453,11 +3492,11 @@
 DocType: BOM,Show Operations,አሳይ ክወናዎች
 ,Minutes to First Response for Opportunity,አጋጣሚ ለማግኘት በመጀመሪያ ምላሽ ደቂቃ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,ጠቅላላ የተዉ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,ረድፍ {0} አይዛመድም ሐሳብ ጥያቄ ለ ንጥል ወይም መጋዘን
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,ረድፍ {0} አይዛመድም ሐሳብ ጥያቄ ለ ንጥል ወይም መጋዘን
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,የመለኪያ አሃድ
 DocType: Fiscal Year,Year End Date,ዓመት መጨረሻ ቀን
 DocType: Task Depends On,Task Depends On,ተግባር ላይ ይመረኮዛል
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,ዕድል
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,ዕድል
 DocType: Operation,Default Workstation,ነባሪ ከገቢር
 DocType: Notification Control,Expense Claim Approved Message,ወጪ የይገባኛል ጥያቄ ፀድቋል መልዕክት
 DocType: Payment Entry,Deductions or Loss,ቅናሽ ወይም ማጣት
@@ -3495,20 +3534,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,የተጠቃሚ ማጽደቅ ያለውን አገዛዝ ወደ የሚመለከታቸው ነው ተጠቃሚ ጋር ተመሳሳይ መሆን አይችልም
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),መሠረታዊ ተመን (ከወሰደው UOM መሰረት)
 DocType: SMS Log,No of Requested SMS,ተጠይቋል ኤስ የለም
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,ተቀባይነት ፈቃድ ማመልከቻ መዛግብት ጋር አይዛመድም Pay ያለ ይነሱ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,ተቀባይነት ፈቃድ ማመልከቻ መዛግብት ጋር አይዛመድም Pay ያለ ይነሱ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ቀጣይ እርምጃዎች
 DocType: Travel Request,Domestic,የቤት ውስጥ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,ምርጥ በተቻለ ፍጥነት በተጠቀሰው ንጥሎች አቅርብ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,ምርጥ በተቻለ ፍጥነት በተጠቀሰው ንጥሎች አቅርብ
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,የተቀጣሪ ዝውውሩ ከመሸጋገሪያ ቀን በፊት መቅረብ አይችልም
 DocType: Certification Application,USD,ዩኤስዶላር
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,የገንዘብ መጠየቂያ ደረሰኝ አድርግ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,ቀሪ ቆንጆ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,ቀሪ ቆንጆ
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 ቀናት በኋላ ራስ የቅርብ አጋጣሚ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,የግዢ ትዕዛዞች በ {1} ውጤት መስጫ ነጥብ ምክንያት ለ {0} አይፈቀዱም.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,ባር ኮድ {0} ትክክለኛ {1} ኮድ አይደለም
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,ባር ኮድ {0} ትክክለኛ {1} ኮድ አይደለም
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,የመጨረሻ ዓመት
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / በእርሳስ%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,ውሌ መጨረሻ ቀን በመቀላቀል ቀን የበለጠ መሆን አለበት
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,ውሌ መጨረሻ ቀን በመቀላቀል ቀን የበለጠ መሆን አለበት
 DocType: Driver,Driver,ነጂ
 DocType: Vital Signs,Nutrition Values,የተመጣጠነ ምግብ እሴት
 DocType: Lab Test Template,Is billable,ሂሳብ የሚጠይቅ ነው
@@ -3519,7 +3558,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,ይህ አንድ ምሳሌ ድር ጣቢያ ERPNext ከ በራስ-የመነጨ ነው
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,ጥበቃና ክልል 1
 DocType: Shopify Settings,Enable Shopify,Shopify ን አንቃ
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,የጠቅላላ የቅድመ ክፍያ መጠን ከተጠየቀው ጠቅላላ መጠን በላይ ሊሆን አይችልም
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,የጠቅላላ የቅድመ ክፍያ መጠን ከተጠየቀው ጠቅላላ መጠን በላይ ሊሆን አይችልም
 DocType: Purchase Taxes and Charges Template,"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
@@ -3546,12 +3585,12 @@
 DocType: Employee Separation,Employee Separation,የሰራተኛ መለያ
 DocType: BOM Item,Original Item,የመጀመሪያው ንጥል
 DocType: Purchase Receipt Item,Recd Quantity,Recd ብዛት
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Date
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},ክፍያ መዛግብት ፈጥሯል - {0}
 DocType: Asset Category Account,Asset Category Account,የንብረት ምድብ መለያ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,ረድፍ # {0} (የክፍያ ሰንጠረዥ): መጠኑ አዎንታዊ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,ረድፍ # {0} (የክፍያ ሰንጠረዥ): መጠኑ አዎንታዊ መሆን አለበት
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},የሽያጭ ትዕዛዝ ብዛት የበለጠ ንጥል {0} ማፍራት የማይችሉ {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,የባህርይ እሴቶች ይምረጡ
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,የባህርይ እሴቶች ይምረጡ
 DocType: Purchase Invoice,Reason For Issuing document,ለሰነድ የማስወጫ ምክንያት
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,የክምችት Entry {0} ማቅረብ አይደለም
 DocType: Payment Reconciliation,Bank / Cash Account,ባንክ / በጥሬ ገንዘብ መለያ
@@ -3560,8 +3599,10 @@
 DocType: Asset,Manual,መምሪያ መጽሐፍ
 DocType: Salary Component Account,Salary Component Account,ደመወዝ አካል መለያ
 DocType: Global Defaults,Hide Currency Symbol,የምንዛሬ ምልክት ደብቅ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,የሽያጭ እቃዎች በሶርስ
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,ለጋሽ መረጃ.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ለምሳሌ ባንክ, በጥሬ ገንዘብ, ክሬዲት ካርድ"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,እባክዎ በአካባቢያዊ ቅንጅቶች በኩል የቁጥር ተከታታይ ቁጥሮች ያስተካክሉ&gt; በማስተካከል ተከታታይ ቁጥር
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ለምሳሌ ባንክ, በጥሬ ገንዘብ, ክሬዲት ካርድ"
 DocType: Job Applicant,Source Name,ምንጭ ስም
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","በሰውነት ውስጥ መደበኛ የደም ግፊት ማረፊያ ወደ 120 mmHg ሲሊሲየም ሲሆን 80mmHg ዲያስቶሊክ, &quot;120 / 80mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",የንጥሎች የዕቃ መኖ ህይወትን በቀን ውስጥ በማብቀል_በጀትና በጨቅላ ዕድሜ ላይ ተመስርቶ ማለፊያ ጊዜን ያዘጋጁ
@@ -3591,7 +3632,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},መጠኑ ከቁጥር {0} ያነሰ መሆን አለበት
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ረድፍ {0}: የመጀመሪያ ቀን ከመጨረሻ ቀን በፊት መሆን አለበት
 DocType: Salary Component,Max Benefit Amount (Yearly),ከፍተኛ ጥቅማጥቅሩ መጠን (ዓመታዊ)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS ተመን%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS ተመን%
 DocType: Crop,Planting Area,መትከል አካባቢ
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),ጠቅላላ (ብዛት)
 DocType: Installation Note Item,Installed Qty,ተጭኗል ብዛት
@@ -3613,8 +3654,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,የአፈጻጸም ማሳወቂያ ይተው
 DocType: Buying Settings,Default Buying Price List,ነባሪ መግዛትና ዋጋ ዝርዝር
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Timesheet ላይ የተመሠረተ የቀጣሪ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,የግዢ ዋጋ
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},ረድፍ {0}: ለንብረታዊው ነገር መገኛ አካባቢ አስገባ {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,የግዢ ዋጋ
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},ረድፍ {0}: ለንብረታዊው ነገር መገኛ አካባቢ አስገባ {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-yYYY.-
 DocType: Company,About the Company,ስለ ድርጅቱ
 DocType: Notification Control,Sales Order Message,የሽያጭ ትዕዛዝ መልዕክት
@@ -3679,10 +3720,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,ለረድፍ {0}: የታቀዱ qty አስገባ
 DocType: Account,Income Account,የገቢ መለያ
 DocType: Payment Request,Amount in customer's currency,ደንበኛ ምንዛሬ መጠን
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,ርክክብ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,ርክክብ
 DocType: Volunteer,Weekdays,የሳምንቱ ቀናት
 DocType: Stock Reconciliation Item,Current Qty,የአሁኑ ብዛት
 DocType: Restaurant Menu,Restaurant Menu,የምግብ ቤት ምናሌ
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,አቅራቢዎችን ያክሉ
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-yYYYY.-
 DocType: Loyalty Program,Help Section,የእገዛ ክፍል
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,የቀድሞው
@@ -3694,19 +3736,20 @@
 												fullfill Sales Order {2}",ሙሉ የሙሉ ሽያጭ ትዕዛዝ {2} ላይ እንደተቀመጠው ሁሉ የአጠቃቀም ስርዓት ቁጥር {0} ማድረስ አይቻልም {2}
 DocType: Item Reorder,Material Request Type,ቁሳዊ ጥያቄ አይነት
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,የእርዳታ ግምገማን ኢሜይል ላክ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage ሙሉ ነው, ሊያድን አይችልም ነበር"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,ረድፍ {0}: UOM የልወጣ ምክንያት የግዴታ ነው
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage ሙሉ ነው, ሊያድን አይችልም ነበር"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,ረድፍ {0}: UOM የልወጣ ምክንያት የግዴታ ነው
 DocType: Employee Benefit Claim,Claim Date,የይገባኛል ጥያቄ ቀን
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,የቦታ መጠን
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},ለንጥል {0} ቀድሞውኑ መዝገብ አለ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,ማጣቀሻ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,ከዚህ ቀደም የተደረጉ የፋይናንስ ደረሰኞች መዝገቦችን ያጣሉ. እርግጠኛ ነዎት ይህንን ምዝገባ እንደገና መጀመር ይፈልጋሉ?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,የምዝገባ ክፍያ
 DocType: Loyalty Program Collection,Loyalty Program Collection,የታማኝነት ፕሮግራም ስብስብ
 DocType: Stock Entry Detail,Subcontracted Item,የንዑስ ተቋራጩን ንጥል
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},ተማሪ {0} ከቡድኑ ውስጥ አይካተተም {1}
 DocType: Budget,Cost Center,የወጭ ማዕከል
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,የቫውቸር #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,የቫውቸር #
 DocType: Notification Control,Purchase Order Message,ትዕዛዝ መልዕክት ግዢ
 DocType: Tax Rule,Shipping Country,የሚላክበት አገር
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,የሽያጭ ግብይቶች ከ የደንበኛ የግብር መታወቂያ ደብቅ
@@ -3725,23 +3768,22 @@
 DocType: Subscription,Cancel At End Of Period,በማለቂያ ጊዜ ሰርዝ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,ንብረቱ ቀድሞውኑ ታክሏል
 DocType: Item Supplier,Item Supplier,ንጥል አቅራቢ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,ባች ምንም ለማግኘት ንጥል ኮድ ያስገቡ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{0} quotation_to እሴት ይምረጡ {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,ባች ምንም ለማግኘት ንጥል ኮድ ያስገቡ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{0} quotation_to እሴት ይምረጡ {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,ለመተላለፍ ምንም የተመረጡ ንጥሎች የሉም
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ሁሉም አድራሻዎች.
 DocType: Company,Stock Settings,የክምችት ቅንብሮች
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","የሚከተሉትን ባሕሪያት በሁለቱም መዝገቦች ላይ ተመሳሳይ ከሆነ ሕዋሶችን ብቻ ነው. ቡድን, ሥር ዓይነት, ኩባንያ ነው?"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","የሚከተሉትን ባሕሪያት በሁለቱም መዝገቦች ላይ ተመሳሳይ ከሆነ ሕዋሶችን ብቻ ነው. ቡድን, ሥር ዓይነት, ኩባንያ ነው?"
 DocType: Vehicle,Electric,የኤሌክትሪክ
 DocType: Task,% Progress,% ሂደት
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,የንብረት ማስወገድ ላይ ረብ / ማጣት
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",&quot;የተረጋገጠ&quot; / የተረጋገጠ / የተማሪው አመልካች አመልካች ብቻ ከዚህ በታች ባለው ሠንጠረዥ ይመደባል.
 DocType: Tax Withholding Category,Rates,ተመኖች
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ለመለያ {0} የሂሳብ ቁጥር አይገኝም. <br> እባክዎ የመለያዎችዎን ሰንጠረዥ በትክክል ያዋቅሩ.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ለመለያ {0} የሂሳብ ቁጥር አይገኝም. <br> እባክዎ የመለያዎችዎን ሰንጠረዥ በትክክል ያዋቅሩ.
 DocType: Task,Depends on Tasks,ተግባራት ላይ ይመረኮዛል
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,የደንበኛ ቡድን ዛፍ ያቀናብሩ.
 DocType: Normal Test Items,Result Value,የውጤት እሴት
 DocType: Hotel Room,Hotels,ሆቴሎች
-DocType: Delivery Note,Transporter Date,ትራንስፖርት ቀን
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,አዲስ የወጪ ማዕከል ስም
 DocType: Leave Control Panel,Leave Control Panel,የመቆጣጠሪያ ፓነል ውጣ
 DocType: Project,Task Completion,ተግባር ማጠናቀቂያ
@@ -3788,11 +3830,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,ሁሉም የግምገማ ቡድኖች
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,አዲስ መጋዘን ስም
 DocType: Shopify Settings,App Type,የመተግበሪያ አይነት
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),ጠቅላላ {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),ጠቅላላ {0} ({1})
 DocType: C-Form Invoice Detail,Territory,ግዛት
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,የሚያስፈልግ ጉብኝቶች ምንም መጥቀስ እባክዎ
 DocType: Stock Settings,Default Valuation Method,ነባሪ ዋጋ ትመና ዘዴው
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ክፍያ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,የተደመረው መጠን አሳይ
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,በሂደት ላይ ያለ ዝማኔ. የተወሰነ ጊዜ ሊወስድ ይችላል.
 DocType: Production Plan Item,Produced Qty,ያመረተ
 DocType: Vehicle Log,Fuel Qty,የነዳጅ ብዛት
@@ -3800,7 +3843,7 @@
 DocType: Work Order Operation,Planned Start Time,የታቀደ መጀመሪያ ጊዜ
 DocType: Course,Assessment,ግምገማ
 DocType: Payment Entry Reference,Allocated,የተመደበ
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,ዝጋ ሚዛን ሉህ እና መጽሐፍ ትርፍ ወይም ማጣት.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,ዝጋ ሚዛን ሉህ እና መጽሐፍ ትርፍ ወይም ማጣት.
 DocType: Student Applicant,Application Status,የመተግበሪያ ሁኔታ
 DocType: Additional Salary,Salary Component Type,የክፍያ አካል ዓይነት
 DocType: Sensitivity Test Items,Sensitivity Test Items,የዝቅተኛ የሙከራ ውጤቶች
@@ -3811,10 +3854,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,ጠቅላላ ያልተወራረደ መጠን
 DocType: Sales Partner,Targets,ዒላማዎች
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,እባኮን በኩባንያው ውስጥ በሚገኙ የፋብሪካ መረጃዎች ውስጥ የሲንደን ቁጥርን ይመዝግቡ
+DocType: Email Digest,Sales Orders to Bill,የሽያጭ ትዕዛዞች ለ Bill
 DocType: Price List,Price List Master,የዋጋ ዝርዝር መምህር
 DocType: GST Account,CESS Account,CESS መለያ
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ማዘጋጀት እና ዒላማዎች ለመከታተል እንዲችሉ ሁሉም የሽያጭ ግብይቶች በርካታ ** የሽያጭ አካላት ** ላይ መለያ ተሰጥተዋቸዋል ይችላል.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,ወደ ቁሳዊ ጥያቄ አገናኝ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,ወደ ቁሳዊ ጥያቄ አገናኝ
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,የውይይት መድረክ
 ,S.O. No.,ምት ቁ
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,የባንክ መግለጫ መግለጫ የግብይት አሠራር ንጥል
@@ -3829,7 +3873,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,ይህ ሥር የደንበኛ ቡድን ነው እና አርትዕ ሊደረግ አይችልም.
 DocType: Student,AB-,A ሳዛኝ
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,የተቆራረጠ ወርሃዊ በጀት ከከፈቱ እርምጃ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,ቦታ ለማስያዝ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,ቦታ ለማስያዝ
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,የዝውውር ተመን ግምገማ
 DocType: POS Profile,Ignore Pricing Rule,የዋጋ አሰጣጥ ደንብ ችላ
 DocType: Employee Education,Graduate,ምረቃ
@@ -3865,6 +3909,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,እባክዎ በሆቴሎች ቅንጅቶች ውስጥ ነባሪ ደንበኛ ያዘጋጁ
 ,Salary Register,ደመወዝ ይመዝገቡ
 DocType: Warehouse,Parent Warehouse,የወላጅ መጋዘን
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,ሰንጠረዥ
 DocType: Subscription,Net Total,የተጣራ ጠቅላላ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},ነባሪ BOM ንጥል አልተገኘም {0} እና ፕሮጀክት {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,የተለያዩ የብድር ዓይነቶችን በይን
@@ -3897,24 +3942,26 @@
 DocType: Membership,Membership Status,የአባላት ሁኔታ
 DocType: Travel Itinerary,Lodging Required,ማረፊያ አስፈላጊ ነው
 ,Requested,ተጠይቋል
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,ምንም መግለጫዎች
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,ምንም መግለጫዎች
 DocType: Asset,In Maintenance,በመጠባበቂያ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,የእርስዎን የሽያጭ ትዕዛዝ ውሂብ ከአማዞን MWS ለመሳብ ይህን አዝራር ጠቅ ያድርጉ.
 DocType: Vital Signs,Abdomen,ሆዱ
 DocType: Purchase Invoice,Overdue,በጊዜዉ ያልተከፈለ
 DocType: Account,Stock Received But Not Billed,የክምችት ተቀብሏል ነገር ግን የሚከፈል አይደለም
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,ሥር መለያ ቡድን መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,ሥር መለያ ቡድን መሆን አለበት
 DocType: Drug Prescription,Drug Prescription,የመድሃኒት ማዘዣ
 DocType: Loan,Repaid/Closed,/ ይመልስ ተዘግቷል
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,ጠቅላላ ፕሮጀክት ብዛት
 DocType: Monthly Distribution,Distribution Name,የስርጭት ስም
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM አካት
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","የ {1} {2} የሂሳብ መመዝገቢያዎችን ለማቅረብ የሚያስፈልገውን የንጥል አይነት {0} አልተገኘም. ንጥሉ በ {1} ላይ የዜሮ ደረጃ አሰጣጥ ንጥል ነገርን እየቀጠረ ከሆነ እባክዎ በ {1} ንጥል ሰንጠረዥ ውስጥ ይጥቀሱ. አለበለዚያ እባክዎን ለእጩ ንጥል የገቢ የእዳ ልውውጥ ግብይትን ይንገሩን ወይም በአይገባሪው መዝገብ ውስጥ ጠቋሚ ግምት ይለዩ, ከዚያም ይህንን ግቤት / ማስገባት ይሞክሩ."
 DocType: Course,Course Code,የኮርስ ኮድ
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},ንጥል ያስፈልጋል ጥራት ምርመራ {0}
 DocType: Location,Parent Location,የወላጅ ቦታ
 DocType: POS Settings,Use POS in Offline Mode,POS ን ከመስመር ውጪ ሁነታ ይጠቀሙ
 DocType: Supplier Scorecard,Supplier Variables,የአቅራቢዎች አቅራቢ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} አስገዳጅ ነው. ምናልባት የገንዘብ ልውውጥ መዛግብት ለ {1} ለ {2} አልተፈጠረም
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ይህም ደንበኛ ምንዛሬ ላይ ተመን ኩባንያ መሰረታዊ ምንዛሬ በመለወጥ ላይ ነው
 DocType: Purchase Invoice Item,Net Rate (Company Currency),የተጣራ ተመን (የኩባንያ የምንዛሬ)
 DocType: Salary Detail,Condition and Formula Help,ሁኔታ እና የቀመር እገዛ
@@ -3923,19 +3970,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,የሽያጭ ደረሰኝ
 DocType: Journal Entry Account,Party Balance,የድግስ ሒሳብ
 DocType: Cash Flow Mapper,Section Subtotal,ክፍል ንዑስ ድምር
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,ቅናሽ ላይ ተግብር እባክዎ ይምረጡ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,ቅናሽ ላይ ተግብር እባክዎ ይምረጡ
 DocType: Stock Settings,Sample Retention Warehouse,የናሙና ማቆያ መደብር
 DocType: Company,Default Receivable Account,ነባሪ የሚሰበሰብ መለያ
 DocType: Purchase Invoice,Deemed Export,የሚታወቀው
 DocType: Stock Entry,Material Transfer for Manufacture,ማምረት ቁሳዊ ማስተላለፍ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,የቅናሽ መቶኛ አንድ ዋጋ ዝርዝር ላይ ወይም ሁሉንም የዋጋ ዝርዝር ለማግኘት ወይም ተግባራዊ ሊሆኑ ይችላሉ.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,የአክሲዮን ለ አካውንቲንግ Entry
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,የአክሲዮን ለ አካውንቲንግ Entry
 DocType: Lab Test,LabTest Approver,LabTest አፀደቀ
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ቀድሞውንም ግምገማ መስፈርት ከገመገምን {}.
 DocType: Vehicle Service,Engine Oil,የሞተር ዘይት
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},የስራ ስራዎች ተፈጠረ: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},የስራ ስራዎች ተፈጠረ: {0}
 DocType: Sales Invoice,Sales Team1,የሽያጭ Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,ንጥል {0} የለም
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,ንጥል {0} የለም
 DocType: Sales Invoice,Customer Address,የደንበኛ አድራሻ
 DocType: Loan,Loan Details,ብድር ዝርዝሮች
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,የልጥፍ ኩባንያ እቅዶችን ማዘጋጀት አልተሳካም
@@ -3956,34 +4003,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,በገጹ ላይኛው ክፍል ላይ ይህን ተንሸራታች ትዕይንት አሳይ
 DocType: BOM,Item UOM,ንጥል UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),የቅናሽ መጠን በኋላ የግብር መጠን (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},የዒላማ የመጋዘን ረድፍ ግዴታ ነው {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},የዒላማ የመጋዘን ረድፍ ግዴታ ነው {0}
 DocType: Cheque Print Template,Primary Settings,ዋና ቅንብሮች
 DocType: Attendance Request,Work From Home,ከቤት ስራ ይስሩ
 DocType: Purchase Invoice,Select Supplier Address,ይምረጡ አቅራቢው አድራሻ
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,ሰራተኞችን አክል
 DocType: Purchase Invoice Item,Quality Inspection,የጥራት ምርመራ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,የበለጠ አነስተኛ
 DocType: Company,Standard Template,መደበኛ አብነት
 DocType: Training Event,Theory,ፍልስፍና
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,ማስጠንቀቂያ: ብዛት ጠይቀዋል ሐሳብ ያለው አነስተኛ ትዕዛዝ ብዛት ያነሰ ነው
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,ማስጠንቀቂያ: ብዛት ጠይቀዋል ሐሳብ ያለው አነስተኛ ትዕዛዝ ብዛት ያነሰ ነው
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,መለያ {0} የታሰሩ ነው
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ወደ ድርጅት ንብረት መለያዎች የተለየ ሰንጠረዥ ጋር ሕጋዊ አካሌ / ንዑስ.
 DocType: Payment Request,Mute Email,ድምጸ-ኢሜይል
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","የምግብ, መጠጥ እና ትንባሆ"
 DocType: Account,Account Number,የመለያ ቁጥር
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},ብቻ ላይ ክፍያ ማድረግ ትችላለህ ያለተጠየቀበት {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,ኮሚሽን መጠን ከዜሮ በላይ 100 ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},ብቻ ላይ ክፍያ ማድረግ ትችላለህ ያለተጠየቀበት {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,ኮሚሽን መጠን ከዜሮ በላይ 100 ሊሆን አይችልም
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),ቅድሚያዎችን በራስሰር (FIFO) ድልድል
 DocType: Volunteer,Volunteer,ፈቃደኛ
 DocType: Buying Settings,Subcontract,በሰብ
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,በመጀመሪያ {0} ያስገቡ
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,ምንም ምላሾች
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,ምንም ምላሾች
 DocType: Work Order Operation,Actual End Time,ትክክለኛው መጨረሻ ሰዓት
 DocType: Item,Manufacturer Part Number,የአምራች ክፍል ቁጥር
 DocType: Taxable Salary Slab,Taxable Salary Slab,ታክስ ከፋይ
 DocType: Work Order Operation,Estimated Time and Cost,ግምታዊ ጊዜ እና ወጪ
 DocType: Bin,Bin,የእንጀራ ወዘተ ማስቀመጫ በርሜል
 DocType: Crop,Crop Name,ከርክም ስም
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,የ {0} ሚና ያላቸው ተጠቃሚዎች ብቻ በገበያ ቦታ ላይ መመዝገብ ይችላሉ
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,የ {0} ሚና ያላቸው ተጠቃሚዎች ብቻ በገበያ ቦታ ላይ መመዝገብ ይችላሉ
 DocType: SMS Log,No of Sent SMS,የተላከ ኤስ የለም
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-yYYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,ቀጠሮዎችና መገናኛዎች
@@ -4012,7 +4060,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,ኮድ ቀይር
 DocType: Purchase Invoice Item,Valuation Rate,ግምቱ ተመን
 DocType: Vehicle,Diesel,በናፍጣ
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,የዋጋ ዝርዝር ምንዛሬ አልተመረጠም
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,የዋጋ ዝርዝር ምንዛሬ አልተመረጠም
 DocType: Purchase Invoice,Availed ITC Cess,በ ITC Cess ማግኘት
 ,Student Monthly Attendance Sheet,የተማሪ ወርሃዊ ክትትል ሉህ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,የማጓጓዣ ደንብ ለሽያጭ ብቻ ነው የሚመለከተው
@@ -4028,7 +4076,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,የሽያጭ አጋሮች ያቀናብሩ.
 DocType: Quality Inspection,Inspection Type,የምርመራ አይነት
 DocType: Fee Validity,Visited yet,ጉብኝት ገና
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መጋዘኖችን ቡድን ሊቀየር አይችልም.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መጋዘኖችን ቡድን ሊቀየር አይችልም.
 DocType: Assessment Result Tool,Result HTML,ውጤት ኤችቲኤምኤል
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,በሽርክም ትራንስፖርቶች መሠረት ፕሮጀክቱ እና ኩባንያው በየስንት ጊዜ ማዘመን አለባቸው.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ጊዜው የሚያልፍበት
@@ -4036,7 +4084,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},እባክዎ ይምረጡ {0}
 DocType: C-Form,C-Form No,ሲ-ቅጽ የለም
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,ርቀት
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,ርቀት
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,የምትገዛቸውን ወይም የምትሸጧቸውን ምርቶች ወይም አገልግሎቶች ይዘርዝሩ.
 DocType: Water Analysis,Storage Temperature,የማከማቻ መጠን
 DocType: Sales Order,SAL-ORD-.YYYY.-,ሳል ኦል-ያዮይሂ.-
@@ -4052,19 +4100,19 @@
 DocType: Shopify Settings,Delivery Note Series,የማድረስ ማስታወሻ ተከታታይ
 DocType: Purchase Order Item,Returned Qty,ተመለሱ ብዛት
 DocType: Student,Exit,ውጣ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,ስርወ አይነት ግዴታ ነው
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,ስርወ አይነት ግዴታ ነው
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,ቅድመ-ቅምዶችን መጫን አልተሳካም
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM በ ሰዓቶች መለወጥ
 DocType: Contract,Signee Details,የዋና ዝርዝሮች
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} በአሁኑ ጊዜ {1} የአቅጣጫ ጠቋሚ የመቁጠሪያ አቋም አለው, እና ለዚህ አቅራቢ (RFQs) በጥብቅ ማስጠንቀቂያ ሊሰጠው ይገባል."
 DocType: Certified Consultant,Non Profit Manager,የጥቅመ-ዓለም ስራ አስኪያጅ
 DocType: BOM,Total Cost(Company Currency),ጠቅላላ ወጪ (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,{0} የተፈጠረ ተከታታይ የለም
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,{0} የተፈጠረ ተከታታይ የለም
 DocType: Homepage,Company Description for website homepage,ድር መነሻ ገጽ ለ ኩባንያ መግለጫ
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ደንበኞች ወደ ምቾት ሲባል, እነዚህ ኮዶች ደረሰኞች እና የመላኪያ ማስታወሻዎች እንደ የህትመት ቅርጸቶች ውስጥ ጥቅም ላይ ሊውል ይችላል"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier ስም
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,ለ {0} መረጃ ማምጣት አልተቻለም.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,የመግቢያ ጆርናል
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,የመግቢያ ጆርናል
 DocType: Contract,Fulfilment Terms,የመሟላት ለውጦች
 DocType: Sales Invoice,Time Sheet List,የጊዜ ሉህ ዝርዝር
 DocType: Employee,You can enter any date manually,እራስዎ ማንኛውንም ቀን ያስገቡ ይችላሉ
@@ -4099,7 +4147,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,የእርስዎ ድርጅት
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",የመለያ ምደባ መዛግብቱ አስቀድሞ በእነሱ ላይ እንደሚገኝ እንደመሆኑ ለሚከተሉት ሰራተኞች የመመደብ እረፍት ይለቁ. {0}
 DocType: Fee Component,Fees Category,ክፍያዎች ምድብ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,ቀን ማስታገሻ ያስገቡ.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,ቀን ማስታገሻ ያስገቡ.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","የስፖንሰር ዝርዝሮች (ስም, ቦታ)"
 DocType: Supplier Scorecard,Notify Employee,ለሠራተኛ አሳውቅ
@@ -4112,9 +4160,9 @@
 DocType: Company,Chart Of Accounts Template,መለያዎች አብነት ነው ገበታ
 DocType: Attendance,Attendance Date,በስብሰባው ቀን
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},ክምችት አዘምን ለግዢ ሂሳብ {0} መንቃት አለበት
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},የእቃ ዋጋ {0} ውስጥ የዋጋ ዝርዝር ዘምኗል {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},የእቃ ዋጋ {0} ውስጥ የዋጋ ዝርዝር ዘምኗል {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ማግኘት እና ተቀናሽ ላይ የተመሠረተ ደመወዝ መፈረካከስ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
 DocType: Purchase Invoice Item,Accepted Warehouse,ተቀባይነት መጋዘን
 DocType: Bank Reconciliation Detail,Posting Date,መለጠፍ ቀን
 DocType: Item,Valuation Method,ግምቱ ስልት
@@ -4151,6 +4199,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,ስብስብ ይምረጡ
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,የጉዞ እና የወጪ ጥያቄ
 DocType: Sales Invoice,Redemption Cost Center,የማስተላለፊያ ዋጋ
+DocType: QuickBooks Migrator,Scope,ወሰን
 DocType: Assessment Group,Assessment Group Name,ግምገማ ቡድን ስም
 DocType: Manufacturing Settings,Material Transferred for Manufacture,ቁሳዊ ማምረት ለ ተላልፈዋል
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,ወደ ዝርዝሮች አክል
@@ -4158,6 +4207,7 @@
 DocType: Shopify Settings,Last Sync Datetime,የመጨረሻ የማመሳሰል ጊዜ ታሪክ
 DocType: Landed Cost Item,Receipt Document Type,ደረሰኝ የሰነድ አይነት
 DocType: Daily Work Summary Settings,Select Companies,ይምረጡ ኩባንያዎች
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,እቅድ / ዋጋ ዋጋ
 DocType: Antibiotic,Healthcare,የጤና ጥበቃ
 DocType: Target Detail,Target Detail,ዒላማ ዝርዝር
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,ነጠላ መለኪያው
@@ -4167,6 +4217,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,ክፍለ ጊዜ መዝጊያ Entry
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,መምሪያ ይምረጡ ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,አሁን ያሉ ግብይቶችን ጋር ወጪ ማዕከል ቡድን ሊቀየር አይችልም
+DocType: QuickBooks Migrator,Authorization URL,የማረጋገጫ ዩ አር ኤል
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},የገንዘብ መጠን {0} {1} {2} {3}
 DocType: Account,Depreciation,የእርጅና
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,የአክሲዮኖች ቁጥር እና የማካካሻ ቁጥሮች ወጥ ናቸው
@@ -4188,13 +4239,14 @@
 DocType: Support Search Source,Source DocType,ምንጭ DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,አዲስ ቲኬት ክፈት
 DocType: Training Event,Trainer Email,አሰልጣኝ ኢሜይል
+DocType: Driver,Transporter,ትራንስፖርት
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,የተፈጠረ ቁሳዊ ጥያቄዎች {0}
 DocType: Restaurant Reservation,No of People,የሰዎች ቁጥር
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ውሎች ወይም ውል አብነት.
 DocType: Bank Account,Address and Contact,አድራሻ እና ዕውቂያ
 DocType: Vital Signs,Hyper,ከፍተኛ
 DocType: Cheque Print Template,Is Account Payable,ተከፋይ መለያ ነው
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},የአክሲዮን ግዢ ደረሰኝ ላይ መዘመን አይችልም {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},የአክሲዮን ግዢ ደረሰኝ ላይ መዘመን አይችልም {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 ቀናት በኋላ ራስ የቅርብ እትም
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","በፊት የተመደበ አይችልም ይተዉት {0}, ፈቃድ ቀሪ አስቀድሞ የማስቀመጫ-በሚተላለፈው ወደፊት ፈቃድ አመዳደብ መዝገብ ውስጥ ቆይቷል እንደ {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ማስታወሻ: የፍትህ / ማጣቀሻ ቀን {0} ቀን አይፈቀድም የደንበኛ ክሬዲት ቀናት አልፏል (ዎች)
@@ -4212,7 +4264,7 @@
 ,Qty to Deliver,ለማዳን ብዛት
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ከዚህ ቀን በኋላ ውሂብ ከአሁኑ በኋላ ይዘምናል
 ,Stock Analytics,የክምችት ትንታኔ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ክወናዎች ባዶ ሊተው አይችልም
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ክወናዎች ባዶ ሊተው አይችልም
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,የቤተ ሙከራ ሙከራ (ዎች)
 DocType: Maintenance Visit Purpose,Against Document Detail No,የሰነድ ዝርዝር ላይ የለም
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},ስረዛ ለአገር {0} አይፈቀድም
@@ -4220,13 +4272,12 @@
 DocType: Quality Inspection,Outgoing,የወጪ
 DocType: Material Request,Requested For,ለ ተጠይቋል
 DocType: Quotation Item,Against Doctype,Doctype ላይ
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ተሰርዟል ወይም ዝግ ነው
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ተሰርዟል ወይም ዝግ ነው
 DocType: Asset,Calculate Depreciation,የቅናሽ ዋጋን ያስሉ
 DocType: Delivery Note,Track this Delivery Note against any Project,ማንኛውም ፕሮጀክት ላይ ይህን የመላኪያ ማስታወሻ ይከታተሉ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,ንዋይ ከ የተጣራ ገንዘብ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ደንበኛ&gt; የሽያጭ ቡድን&gt; ግዛት
 DocType: Work Order,Work-in-Progress Warehouse,የስራ-በ-በሂደት ላይ መጋዘን
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,የንብረት {0} መቅረብ አለበት
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,የንብረት {0} መቅረብ አለበት
 DocType: Fee Schedule Program,Total Students,ጠቅላላ ተማሪዎች
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},በስብሰባው ሪከርድ {0} የተማሪ ላይ አለ {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},የማጣቀሻ # {0} የተዘጋጀው {1}
@@ -4245,7 +4296,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,ለቀጣሪ ሰራተኞች የድህረ ክፍያ ጉርሻ መፍጠር አይቻልም
 DocType: Lead,Market Segment,ገበያ ክፍሉ
 DocType: Agriculture Analysis Criteria,Agriculture Manager,የግብርና ሥራ አስኪያጅ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},የሚከፈልበት መጠን ጠቅላላ አሉታዊ የላቀ መጠን መብለጥ አይችልም {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},የሚከፈልበት መጠን ጠቅላላ አሉታዊ የላቀ መጠን መብለጥ አይችልም {0}
 DocType: Supplier Scorecard Period,Variables,ልዩነቶች
 DocType: Employee Internal Work History,Employee Internal Work History,የተቀጣሪ ውስጣዊ የስራ ታሪክ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),የመመዝገቢያ ጊዜ (ዶክተር)
@@ -4269,22 +4320,24 @@
 DocType: Amazon MWS Settings,Synch Products,ምርቶችን አስምር
 DocType: Loyalty Point Entry,Loyalty Program,የታማኝነት ፕሮግራም
 DocType: Student Guardian,Father,አባት
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,ትኬቶችን ይደግፉ
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;አዘምን Stock&#39; ቋሚ ንብረት ለሽያጭ ሊረጋገጥ አልቻለም
 DocType: Bank Reconciliation,Bank Reconciliation,ባንክ ማስታረቅ
 DocType: Attendance,On Leave,አረፍት ላይ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ዝማኔዎች አግኝ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: መለያ {2} ኩባንያ የእርሱ ወገን አይደለም {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,ከእያንዳንዱ ባህርያት ቢያንስ አንድ እሴት ይምረጡ.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,ከእያንዳንዱ ባህርያት ቢያንስ አንድ እሴት ይምረጡ.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,ቁሳዊ ጥያቄ {0} ተሰርዟል ወይም አቁሟል ነው
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,የመላኪያ ሁኔታ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,የመላኪያ ሁኔታ
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,አስተዳደር ውጣ
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,ቡድኖች
 DocType: Purchase Invoice,Hold Invoice,ደረሰኝ ያዙ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,እባክዎ ተቀጣሪን ይምረጡ
 DocType: Sales Order,Fully Delivered,ሙሉ በሙሉ ደርሷል
-DocType: Lead,Lower Income,የታችኛው ገቢ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,የታችኛው ገቢ
 DocType: Restaurant Order Entry,Current Order,የአሁን ትዕዛዝ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,የ Serial Nos እና ብዛቶች ቁጥር አንድ መሆን አለባቸው
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},የመነሻ እና የመድረሻ መጋዘን ረድፍ ጋር ተመሳሳይ መሆን አይችልም {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},የመነሻ እና የመድረሻ መጋዘን ረድፍ ጋር ተመሳሳይ መሆን አይችልም {0}
 DocType: Account,Asset Received But Not Billed,እድር በገንዘብ አልተቀበለም ግን አልተከፈለም
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ይህ የክምችት ማስታረቅ አንድ በመክፈት Entry በመሆኑ ልዩነት መለያ, አንድ ንብረት / የተጠያቂነት ዓይነት መለያ መሆን አለበት"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},በመገኘቱ መጠን የብድር መጠን መብለጥ አይችልም {0}
@@ -4293,7 +4346,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},ንጥል ያስፈልጋል ትዕዛዝ ቁጥር ይግዙ {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;ቀን ጀምሮ&#39; በኋላ &#39;እስከ ቀን&#39; መሆን አለበት
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,ለዚህ ዲዛይነር ምንም የሰራተኞች እቅድ አልተገኘም
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,የባንክ {0} ንጥል {1} ተሰናክሏል.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,የባንክ {0} ንጥል {1} ተሰናክሏል.
 DocType: Leave Policy Detail,Annual Allocation,ዓመታዊ ምደባ
 DocType: Travel Request,Address of Organizer,የአድራሻ አድራሻ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,የጤና አጠባበቅ ባለሙያ ይምረጡ ...
@@ -4302,12 +4355,12 @@
 DocType: Asset,Fully Depreciated,ሙሉ በሙሉ የቀነሰበት
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,የክምችት ብዛት የታቀደበት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},ይኸው የእርሱ ወገን አይደለም {0} የደንበኛ ፕሮጀክት ወደ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},ይኸው የእርሱ ወገን አይደለም {0} የደንበኛ ፕሮጀክት ወደ {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,ምልክት ተደርጎበታል ክትትል ኤችቲኤምኤል
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","ጥቅሶች, የእርስዎ ደንበኞች ልከዋል ተጫራቾች ሀሳቦች ናቸው"
 DocType: Sales Invoice,Customer's Purchase Order,ደንበኛ የግዢ ትዕዛዝ
 DocType: Clinical Procedure,Patient,ታካሚ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,በሽያጭ ትዕዛዝ ላይ የብድር ክሬዲት ይለፉ
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,በሽያጭ ትዕዛዝ ላይ የብድር ክሬዲት ይለፉ
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,ተቀጥሮ የሚሠራ ሰራተኛ
 DocType: Location,Check if it is a hydroponic unit,የሃይሮፓኒክ ዩኒት ከሆነ ይፈትሹ
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ተከታታይ የለም እና ባች
@@ -4317,7 +4370,7 @@
 DocType: Supplier Scorecard Period,Calculations,ስሌቶች
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,እሴት ወይም ብዛት
 DocType: Payment Terms Template,Payment Terms,የክፍያ ውል
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,ፕሮዳክሽን ትዕዛዞች ስለ ማጽደቅም የተነሣውን አይችልም:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,ፕሮዳክሽን ትዕዛዞች ስለ ማጽደቅም የተነሣውን አይችልም:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,ደቂቃ
 DocType: Purchase Invoice,Purchase Taxes and Charges,ግብሮች እና ክፍያዎች ይግዙ
 DocType: Chapter,Meetup Embed HTML,ማገናኘት ኤች.ቲ.ኤም.ኤል
@@ -4325,17 +4378,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,ወደ አቅራቢዎች ይሂዱ
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS የመዘጋጃ ቀረጥ ታክሶች
 ,Qty to Receive,ይቀበሉ ዘንድ ብዛት
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","የመጀመሪያዎቹ እና የመጨረሻዎቹን ቀናት በሚሰራበት የሰዓት ክፍተት ውስጥ የሌሉ, {0} ማስላት አይችሉም."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","የመጀመሪያዎቹ እና የመጨረሻዎቹን ቀናት በሚሰራበት የሰዓት ክፍተት ውስጥ የሌሉ, {0} ማስላት አይችሉም."
 DocType: Leave Block List,Leave Block List Allowed,አግድ ዝርዝር ተፈቅዷል ይነሱ
 DocType: Grading Scale Interval,Grading Scale Interval,አሰጣጥ ደረጃ ክፍተት
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},የተሽከርካሪ ምዝግብ ለ ወጪ የይገባኛል ጥያቄ {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ኅዳግ ጋር የዋጋ ዝርዝር ተመን ላይ ቅናሽ (%)
 DocType: Healthcare Service Unit Type,Rate / UOM,ደረጃ / ዩሞ
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ሁሉም መጋዘኖችን
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,ለድርጅት ኩባንያዎች ግብይት አልተገኘም {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,ለድርጅት ኩባንያዎች ግብይት አልተገኘም {0}.
 DocType: Travel Itinerary,Rented Car,የተከራየች መኪና
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,ስለ የእርስዎ ኩባንያ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,መለያ ወደ ክሬዲት ሚዛን ሉህ መለያ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,መለያ ወደ ክሬዲት ሚዛን ሉህ መለያ መሆን አለበት
 DocType: Donor,Donor,ለጋሽ
 DocType: Global Defaults,Disable In Words,ቃላት ውስጥ አሰናክል
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"ንጥል በራስ-ሰር ቁጥር አይደለም, ምክንያቱም ንጥል ኮድ የግዴታ ነው"
@@ -4347,14 +4400,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,ባንክ ኦቨርድራፍት መለያ
 DocType: Patient,Patient ID,የታካሚ መታወቂያ
 DocType: Practitioner Schedule,Schedule Name,መርሐግብር ያስይዙ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,የሽያጭ ቧንቧ መስመር በደረጃ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,የቀጣሪ አድርግ
 DocType: Currency Exchange,For Buying,ለግዢ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,ሁሉንም አቅራቢዎች አክል
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,ሁሉንም አቅራቢዎች አክል
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,የረድፍ # {0}: የተመደበ መጠን የላቀ መጠን የበለጠ ሊሆን አይችልም.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,አስስ BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,ደህንነቱ የተጠበቀ ብድሮች
 DocType: Purchase Invoice,Edit Posting Date and Time,አርትዕ የመለጠፍ ቀን እና ሰዓት
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},የንብረት ምድብ {0} ወይም ኩባንያ ውስጥ መቀነስ ጋር የተያያዙ መለያዎች ማዘጋጀት እባክዎ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},የንብረት ምድብ {0} ወይም ኩባንያ ውስጥ መቀነስ ጋር የተያያዙ መለያዎች ማዘጋጀት እባክዎ {1}
 DocType: Lab Test Groups,Normal Range,መደበኛ ክልል
 DocType: Academic Term,Academic Year,የትምህርት ዘመን
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,ሊሸጥ የሚቻል
@@ -4383,26 +4437,26 @@
 DocType: Patient Appointment,Patient Appointment,የታካሚ ቀጠሮ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ሚና ማጽደቅ ያለውን አገዛዝ ወደ የሚመለከታቸው ነው ሚና ጋር ተመሳሳይ ሊሆን አይችልም
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ይህን የኢሜይል ጥንቅር ምዝገባ ይውጡ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,አቅራቢዎችን በ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,አቅራቢዎችን በ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ለንጥል {1} አልተገኘም
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,ወደ ኮርሶች ይሂዱ
 DocType: Accounts Settings,Show Inclusive Tax In Print,Inclusive Tax In Print ውስጥ አሳይ
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","የባንክ አካውንት, ከምርጫ እና ቀን በኋላ ግዴታ ነው"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,መልዕክት ተልኳል
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,ልጅ እንደ አንጓዎች ጋር መለያ የመቁጠር ሊዘጋጅ አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,ልጅ እንደ አንጓዎች ጋር መለያ የመቁጠር ሊዘጋጅ አይችልም
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,ፍጥነት ዋጋ ዝርዝር ምንዛሬ ላይ የደንበኛ መሰረት ከሆነው ምንዛሬ በመለወጥ ላይ ነው
 DocType: Purchase Invoice Item,Net Amount (Company Currency),የተጣራ መጠን (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,የጠቅላላ የቅድመ ክፍያ መጠን ከማዕቀዛት ጠቅላላ መጠን በላይ ሊሆን አይችልም
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,የጠቅላላ የቅድመ ክፍያ መጠን ከማዕቀዛት ጠቅላላ መጠን በላይ ሊሆን አይችልም
 DocType: Salary Slip,Hour Rate,ሰዓቲቱም ተመን
 DocType: Stock Settings,Item Naming By,ንጥል በ መሰየምን
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},ሌላው ክፍለ ጊዜ መዝጊያ Entry {0} በኋላ ተደርጓል {1}
 DocType: Work Order,Material Transferred for Manufacturing,ቁሳዊ ማኑፋክቸሪንግ ለ ተላልፈዋል
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,መለያ {0} ነው አይደለም አለ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,የታማኝነት ፕሮግራም የሚለውን ይምረጡ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,የታማኝነት ፕሮግራም የሚለውን ይምረጡ
 DocType: Project,Project Type,የፕሮጀክት አይነት
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,ለዚህ ተግባር ስራ አስኪያጅ ስራ ተገኝቷል. ይህን ተግባር መሰረዝ አይችሉም.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ወይ ዒላማ ብዛት ወይም የዒላማ መጠን የግዴታ ነው.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ወይ ዒላማ ብዛት ወይም የዒላማ መጠን የግዴታ ነው.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,የተለያዩ እንቅስቃሴዎች ወጪ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ወደ ክስተቶች በማቀናበር ላይ {0}, የሽያጭ አካላት ከታች ያለውን ጋር ተያይዞ ሠራተኛው የተጠቃሚ መታወቂያ የለውም ጀምሮ {1}"
 DocType: Timesheet,Billing Details,አከፋፈል ዝርዝሮች
@@ -4458,13 +4512,13 @@
 DocType: Inpatient Record,A Negative,አሉታዊ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,የበለጠ ምንም ነገር ለማሳየት.
 DocType: Lead,From Customer,የደንበኛ ከ
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ጊዜ ጥሪዎች
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,ጊዜ ጥሪዎች
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,ምርት
 DocType: Employee Tax Exemption Declaration,Declarations,መግለጫዎች
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,ቡድኖች
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,የክፍያ ዕቅድ ያወጣሉ
 DocType: Purchase Order Item Supplied,Stock UOM,የክምችት UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,ትዕዛዝ {0} አልተካተተም ነው ይግዙ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,ትዕዛዝ {0} አልተካተተም ነው ይግዙ
 DocType: Account,Expenses Included In Asset Valuation,ወጪዎች በ Asset Valuation ውስጥ ተካተዋል
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),ለወጣቶች መደበኛ የማጣቀሻ ክልል 16-20 የእንፋሎት / ደቂቃ (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,ታሪፍ ቁጥር
@@ -4477,6 +4531,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,እባክዎን በሽተኛው መጀመሪያውን ያስቀምጡ
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,በስብሰባው ላይ በተሳካ ሁኔታ ምልክት ተደርጎበታል.
 DocType: Program Enrollment,Public Transport,የሕዝብ ማመላለሻ
+DocType: Delivery Note,GST Vehicle Type,የ GST የተሽከርካሪ ዓይነት
 DocType: Soil Texture,Silt Composition (%),የበቆሎ ቅንብር (%)
 DocType: Journal Entry,Remark,አመለከተ
 DocType: Healthcare Settings,Avoid Confirmation,ማረጋገጥ ያስወግዱ
@@ -4485,11 +4540,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,ቅጠሎች እና የበዓል
 DocType: Education Settings,Current Academic Term,የአሁኑ የትምህርት የሚቆይበት ጊዜ
 DocType: Sales Order,Not Billed,የሚከፈል አይደለም
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,ሁለቱም መጋዘን ተመሳሳይ ኩባንያ አባል መሆን
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,ሁለቱም መጋዘን ተመሳሳይ ኩባንያ አባል መሆን
 DocType: Employee Grade,Default Leave Policy,ነባሪ መመሪያ ይተው
 DocType: Shopify Settings,Shop URL,URL ይግዙ
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,ምንም እውቂያዎች ገና ታክሏል.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,እባክዎ በአካባቢያዊ ቅንጅቶች በኩል የቁጥር ተከታታይ ቁጥሮች ያስተካክሉ&gt; በማስተካከል ተከታታይ ቁጥር
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,አርፏል ወጪ ቫውቸር መጠን
 ,Item Balance (Simple),ንጥል ሚዛን (ቀላል)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,አቅራቢዎች ያሳደጉት ደረሰኞች.
@@ -4514,7 +4568,7 @@
 DocType: Shopping Cart Settings,Quotation Series,በትዕምርተ ጥቅስ ተከታታይ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","አንድ ንጥል በተመሳሳይ ስም አለ ({0}), ወደ ንጥል የቡድን ስም መቀየር ወይም ንጥል ዳግም መሰየም እባክዎ"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,የአፈር ምርመራ ትንታኔ መስፈርቶች
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,የደንበኛ ይምረጡ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,የደንበኛ ይምረጡ
 DocType: C-Form,I,እኔ
 DocType: Company,Asset Depreciation Cost Center,የንብረት ዋጋ መቀነስ ወጪ ማዕከል
 DocType: Production Plan Sales Order,Sales Order Date,የሽያጭ ትዕዛዝ ቀን
@@ -4527,8 +4581,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,በአሁኑ ጊዜ በማንኛውም መጋዘን ውስጥ ምንም አክሲዮስ የለም
 ,Payment Period Based On Invoice Date,ደረሰኝ ቀን ላይ የተመሠረተ የክፍያ ክፍለ ጊዜ
 DocType: Sample Collection,No. of print,የህትመት ብዛት
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,የልደት ቀን አስታዋሽ
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,የሆቴል ክፍል መያዣ ቦታ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ለ የጠፋ የገንዘብ ምንዛሪ ተመኖች {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},ለ የጠፋ የገንዘብ ምንዛሪ ተመኖች {0}
 DocType: Employee Health Insurance,Health Insurance Name,የጤና ኢንሹራንስ ስም
 DocType: Assessment Plan,Examiner,መርማሪ
 DocType: Student,Siblings,እህትማማቾች
@@ -4545,19 +4600,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,አዲስ ደንበኞች
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,አጠቃላይ ትርፍ%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,ቀጠሮ {0} እና ሽያጭ ደረሰኝ {1} ተሰርዟል
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,በመገኛ ምንጭነት ያሉ እድሎች
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS የመልዕክት መለወጥ
 DocType: Bank Reconciliation Detail,Clearance Date,መልቀቂያ ቀን
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","ንብረት በንጥል {0} ላይ ቀድሞውኑ ይገኛል, የ &quot;ተከታይ&quot; &quot;ዋጋ የለውም.&quot;"
+DocType: Delivery Settings,Dispatch Notification Template,የመልዕክት ልውውጥ መለኪያ
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","ንብረት በንጥል {0} ላይ ቀድሞውኑ ይገኛል, የ &quot;ተከታይ&quot; &quot;ዋጋ የለውም.&quot;"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,የግምገማ ሪፖርት
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,ሰራተኞችን ያግኙ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,አጠቃላይ የግዢ መጠን የግዴታ ነው
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,የኩባንያ ስም ተመሳሳይ አይደለም
 DocType: Lead,Address Desc,DESC አድራሻ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,ፓርቲ የግዴታ ነው
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},በሌሎች ረድፎች ውስጥ የተባዙ ቀነ-ግቢዎች ያለባቸው ረድፎች ተገኝተዋል: {list}
 DocType: Topic,Topic Name,ርዕስ ስም
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,እባክዎ በ HR ቅንብሮች ውስጥ የመልቀቂያ ማሳወቂያ ለመተው እባክዎ ነባሪ አብነት ያስቀምጡ.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,እባክዎ በ HR ቅንብሮች ውስጥ የመልቀቂያ ማሳወቂያ ለመተው እባክዎ ነባሪ አብነት ያስቀምጡ.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,የ መሸጥ ወይም መግዛትና ውስጥ ቢያንስ አንድ መመረጥ አለበት
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,ሰራተኞቹን ለማሻሻል ሰራተኛን ይምረጡ.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,እባክዎ ትክክለኛ ቀን ይምረጡ
@@ -4591,6 +4647,7 @@
 DocType: Stock Entry,Customer or Supplier Details,የደንበኛ ወይም አቅራቢ ዝርዝሮች
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY -YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,የአሁኑ የንብረት እሴት
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks የኩባንያ መታወቂያ
 DocType: Travel Request,Travel Funding,የጉዞ የገንዘብ ድጋፍ
 DocType: Loan Application,Required by Date,ቀን በሚጠይቀው
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,አዝርዕቱ የሚያድግበት ሁሉም ቦታዎች ላይ አገናኝ
@@ -4604,9 +4661,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,መጋዘን ከ ላይ ይገኛል ባች ብዛት
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,ጠቅላላ ክፍያ - ጠቅላላ ተቀናሽ - የብድር የሚያየን
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,የአሁኑ BOM ኒው BOM ተመሳሳይ መሆን አይችልም
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,የአሁኑ BOM ኒው BOM ተመሳሳይ መሆን አይችልም
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,የቀጣሪ መታወቂያ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,ጡረታ መካከል ቀን በመቀላቀል ቀን የበለጠ መሆን አለበት
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,ጡረታ መካከል ቀን በመቀላቀል ቀን የበለጠ መሆን አለበት
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,በርካታ ስሪቶች
 DocType: Sales Invoice,Against Income Account,የገቢ መለያ ላይ
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% ደርሷል
@@ -4635,7 +4692,7 @@
 DocType: POS Profile,Update Stock,አዘምን Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ንጥሎች በተለያዩ UOM ትክክል (ጠቅላላ) የተጣራ ክብደት ዋጋ ሊመራ ይችላል. እያንዳንዱ ንጥል የተጣራ ክብደት ተመሳሳይ UOM ውስጥ መሆኑን እርግጠኛ ይሁኑ.
 DocType: Certification Application,Payment Details,የክፍያ ዝርዝሮች
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM ተመን
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM ተመን
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","የተቋረጠው የሥራ ትዕዛዝ ሊተው አይችልም, መተው መጀመሪያ ይጥፉ"
 DocType: Asset,Journal Entry for Scrap,ቁራጭ ለ ጆርናል የሚመዘገብ መረጃ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,የመላኪያ ማስታወሻ የመጡ ንጥሎችን ለመንቀል እባክዎ
@@ -4658,11 +4715,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,ጠቅላላ ማዕቀብ መጠን
 ,Purchase Analytics,የግዢ ትንታኔ
 DocType: Sales Invoice Item,Delivery Note Item,የመላኪያ ማስታወሻ ንጥል
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,አሁን ያለው ደረሰኝ {0} ይጎድላል
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,አሁን ያለው ደረሰኝ {0} ይጎድላል
 DocType: Asset Maintenance Log,Task,ተግባር
 DocType: Purchase Taxes and Charges,Reference Row #,ማጣቀሻ ረድፍ #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},ባች ቁጥር ንጥል ግዴታ ነው {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,ይህ ሥር ሽያጭ ሰው ነው እና አርትዕ ሊደረግ አይችልም.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,ይህ ሥር ሽያጭ ሰው ነው እና አርትዕ ሊደረግ አይችልም.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","የተመረጡ ከሆነ, በዚህ አካል ውስጥ የተገለጹ ወይም የተሰላው የ ዋጋ ገቢዎች ወይም ድምዳሜ አስተዋጽኦ አይደለም. ሆኖም, እሴት ወይም ሊቆረጥ የሚችሉ ሌሎች ክፍሎች በማድረግ የተጠቆመው ይቻላል ነው."
 DocType: Asset Settings,Number of Days in Fiscal Year,በፋሲካው ዓመት ውስጥ የቀናት ቁጥር
 ,Stock Ledger,የክምችት የሒሳብ መዝገብ
@@ -4670,7 +4727,7 @@
 DocType: Company,Exchange Gain / Loss Account,የ Exchange ቅሰም / ማጣት መለያ
 DocType: Amazon MWS Settings,MWS Credentials,MWS ምስክርነቶች
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,የሰራተኛ እና ክትትል
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},ዓላማ ውስጥ አንዱ መሆን አለበት {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},ዓላማ ውስጥ አንዱ መሆን አለበት {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,ቅጹን መሙላት እና ማስቀመጥ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,የማህበረሰብ መድረክ
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,በክምችት ውስጥ ትክክለኛው ብዛት
@@ -4685,7 +4742,7 @@
 DocType: Lab Test Template,Standard Selling Rate,መደበኛ ሽያጭ ተመን
 DocType: Account,Rate at which this tax is applied,ይህ ግብር ተግባራዊ ሲሆን በ ተመን
 DocType: Cash Flow Mapper,Section Name,የክፍል ስም
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,አስይዝ ብዛት
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,አስይዝ ብዛት
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},የዋጋ ቅነሳ ድርድር {0}: ከቫይረሱ በኋላ የሚጠበቀው ዋጋ ከ {1} የበለጠ ወይም እኩል መሆን አለበት
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,የአሁኑ ክፍት የሥራ ቦታዎች
 DocType: Company,Stock Adjustment Account,የአክሲዮን የማስተካከያ መለያ
@@ -4695,8 +4752,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","የስርዓት የተጠቃሚ (መግቢያ) መታወቂያ. ከተዋቀረ ከሆነ, ለሁሉም የሰው ሃይል ቅጾች ነባሪ ይሆናል."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,የዋጋ ቅነሳዎችን ይግለጹ
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: ከ {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},መተግበሪያ {0} ተወግዶ የተማሪው ላይ {1} ላይ አስቀድሞ አለ
 DocType: Task,depends_on,እንደ ሁኔታው
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,በሁሉም የሂሳብ ማሻሻያ ሂሳቦች ውስጥ የቅርብ ጊዜውን ዋጋ ለማዘመን ሰልፍ ተደርጎ. ጥቂት ደቂቃዎችን ሊወስድ ይችላል.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,በሁሉም የሂሳብ ማሻሻያ ሂሳቦች ውስጥ የቅርብ ጊዜውን ዋጋ ለማዘመን ሰልፍ ተደርጎ. ጥቂት ደቂቃዎችን ሊወስድ ይችላል.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,አዲስ መለያ ስም. ማስታወሻ: ደንበኞች እና አቅራቢዎች መለያዎችን መፍጠር እባክዎ
 DocType: POS Profile,Display Items In Stock,እቃዎችን በእቃ ውስጥ አሳይ
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,አገር ጥበብ ነባሪ አድራሻ አብነቶች
@@ -4726,16 +4784,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,የ {0} የስልክ ጥቅሎች ወደ መርሐግብሩ አይታከሉም
 DocType: Product Bundle,List items that form the package.,የጥቅል እንድናቋቁም ዝርዝር ንጥሎች.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,አይፈቀድም. እባክዎን የሙከራ ቅጽዎን ያጥፉ
+DocType: Delivery Note,Distance (in km),ርቀት (በኬሜ)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,መቶኛ ምደባዎች 100% ጋር እኩል መሆን አለበት
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,ፓርቲ በመምረጥ በፊት መለጠፍ ቀን ይምረጡ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,ፓርቲ በመምረጥ በፊት መለጠፍ ቀን ይምረጡ
 DocType: Program Enrollment,School House,ትምህርት ቤት
 DocType: Serial No,Out of AMC,AMC ውጪ
+DocType: Opportunity,Opportunity Amount,እድል ብዛት
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,የተመዘገበ Depreciations ቁጥር Depreciations አጠቃላይ ብዛት በላይ ሊሆን አይችልም
 DocType: Purchase Order,Order Confirmation Date,የትዕዛዝ ማረጋገጫ ቀን
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-yYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,የጥገና ጉብኝት አድርግ
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","የመጀመሪያ ቀን እና የመጨረሻ ቀን ከስራ ካርድ ጋር <a href=""#Form/Job Card/{0}"">{1}</a> ተደራራቢ"
 DocType: Employee Transfer,Employee Transfer Details,የሰራተኛ ዝውውር ዝርዝሮች
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,የሽያጭ መምህር አስተዳዳሪ {0} ሚና ያላቸው ተጠቃሚው ወደ ያነጋግሩ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,የሽያጭ መምህር አስተዳዳሪ {0} ሚና ያላቸው ተጠቃሚው ወደ ያነጋግሩ
 DocType: Company,Default Cash Account,ነባሪ በጥሬ ገንዘብ መለያ
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,ኩባንያ (አይደለም የደንበኛ ወይም አቅራቢው) ጌታው.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ይህ የዚህ ተማሪ በስብሰባው ላይ የተመሠረተ ነው
@@ -4743,9 +4804,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,ተጨማሪ ንጥሎች ወይም ክፍት ሙሉ ቅጽ ያክሉ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,የመላኪያ ማስታወሻዎች {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,ወደ ተጠቃሚዎች ሂድ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,የሚከፈልበት መጠን መጠን ግራንድ ጠቅላላ በላይ ሊሆን አይችልም ጠፍቷል ጻፍ; +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,የሚከፈልበት መጠን መጠን ግራንድ ጠቅላላ በላይ ሊሆን አይችልም ጠፍቷል ጻፍ; +
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ንጥል ትክክለኛ ባች ቁጥር አይደለም {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},ማስታወሻ: አይተውህም ዓይነት በቂ ፈቃድ ቀሪ የለም {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},ማስታወሻ: አይተውህም ዓይነት በቂ ፈቃድ ቀሪ የለም {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,ልክ ያልሆነ GSTIN ወይም ያልተመዘገበ ለ NA ያስገቡ
 DocType: Training Event,Seminar,ሴሚናሩ
 DocType: Program Enrollment Fee,Program Enrollment Fee,ፕሮግራም ምዝገባ ክፍያ
@@ -4762,7 +4823,7 @@
 DocType: Fee Schedule,Fee Schedule,ክፍያ ፕሮግራም
 DocType: Company,Create Chart Of Accounts Based On,መለያዎች ላይ የተመሠረተ ላይ ነው ገበታ ፍጠር
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,ለቡድን ያልሆኑ ወደ መለወጥ አይችልም. የልጅ ተግባራት ይገኛሉ.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,የትውልድ ቀን በዛሬው ጊዜ በላይ ሊሆን አይችልም.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,የትውልድ ቀን በዛሬው ጊዜ በላይ ሊሆን አይችልም.
 ,Stock Ageing,የክምችት ጥበቃና
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","በከፊል የተደገፈ, ከፊል የገንዘብ ድጋፍ ጠይቅ"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},ተማሪ {0} ተማሪ አመልካች ላይ እንዳሉ {1}
@@ -4809,11 +4870,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,እርቅ በፊት
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ወደ {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ግብሮች እና ክፍያዎች ታክሏል (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ንጥል ግብር ረድፍ {0} አይነት ታክስ ወይም ገቢ ወይም የወጪ ወይም እንዳንከብድበት ምክንያት ሊኖረው ይገባል
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ንጥል ግብር ረድፍ {0} አይነት ታክስ ወይም ገቢ ወይም የወጪ ወይም እንዳንከብድበት ምክንያት ሊኖረው ይገባል
 DocType: Sales Order,Partly Billed,በከፊል የሚከፈል
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,ንጥል {0} አንድ ቋሚ የንብረት ንጥል መሆን አለበት
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,ኤችኤስኤን
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,ተለዋጮችን ይፍጠሩ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,ኤችኤስኤን
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,ተለዋጮችን ይፍጠሩ
 DocType: Item,Default BOM,ነባሪ BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),አጠቃላይ የተጠየቀው መጠን (በሽያጭ ደረሰኞች በኩል)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ዴቢት ማስታወሻ መጠን
@@ -4842,13 +4903,13 @@
 DocType: Notification Control,Custom Message,ብጁ መልዕክት
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,የኢንቨስትመንት ባንኪንግ
 DocType: Purchase Invoice,input,ግቤት
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,በጥሬ ገንዘብ ወይም የባንክ ሂሳብ ክፍያ ግቤት ለማድረግ ግዴታ ነው
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,በጥሬ ገንዘብ ወይም የባንክ ሂሳብ ክፍያ ግቤት ለማድረግ ግዴታ ነው
 DocType: Loyalty Program,Multiple Tier Program,በርካታ የቴስት ፕሮግራም
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,የተማሪ አድራሻ
 DocType: Purchase Invoice,Price List Exchange Rate,የዋጋ ዝርዝር ምንዛሪ ተመን
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,ሁሉም አቅራቢ ድርጅቶች
 DocType: Employee Boarding Activity,Required for Employee Creation,ለሠራተኛ ፈጠራ ይፈለጋል
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},የመለያ ቁጥር {0} አስቀድሞ በመለያ {1} ውስጥ ጥቅም ላይ ውሏል
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},የመለያ ቁጥር {0} አስቀድሞ በመለያ {1} ውስጥ ጥቅም ላይ ውሏል
 DocType: GoCardless Mandate,Mandate,ኃላፊ
 DocType: POS Profile,POS Profile Name,POS የመገለጫ ስም
 DocType: Hotel Room Reservation,Booked,ተይዟል
@@ -4864,18 +4925,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,አንተ የማጣቀሻ ቀን ያስገቡት ከሆነ ማጣቀሻ ምንም የግዴታ ነው
 DocType: Bank Reconciliation Detail,Payment Document,የክፍያ ሰነድ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,መስፈርት ቀመርን ለመገምገም ስህተት
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,በመቀላቀል ቀን የልደት ቀን የበለጠ መሆን አለበት
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,በመቀላቀል ቀን የልደት ቀን የበለጠ መሆን አለበት
 DocType: Subscription,Plans,እቅዶች
 DocType: Salary Slip,Salary Structure,ደመወዝ መዋቅር
 DocType: Account,Bank,ባንክ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,የአየር መንገድ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,እትም ይዘት
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,እትም ይዘት
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ከ ERPNext ጋር ግዢን ያገናኙ
 DocType: Material Request Item,For Warehouse,መጋዘን ለ
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,የማድረስ መላኪያ ማስታወሻዎች {0} ዘምኗል
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,የማድረስ መላኪያ ማስታወሻዎች {0} ዘምኗል
 DocType: Employee,Offer Date,ቅናሽ ቀን
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ጥቅሶች
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,ከመስመር ውጪ ሁነታ ላይ ነው ያሉት. እርስዎ መረብ ድረስ ዳግም አይችሉም.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,ጥቅሶች
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,ከመስመር ውጪ ሁነታ ላይ ነው ያሉት. እርስዎ መረብ ድረስ ዳግም አይችሉም.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,እርዳታ ስጥ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,ምንም የተማሪ ቡድኖች ተፈጥሯል.
 DocType: Purchase Invoice Item,Serial No,መለያ ቁጥር
@@ -4887,24 +4948,26 @@
 DocType: Sales Invoice,Customer PO Details,የደንበኛ PO ዝርዝሮች
 DocType: Stock Entry,Including items for sub assemblies,ንዑስ አብያተ ክርስቲያናት ለ ንጥሎችን በማካተት ላይ
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,ጊዜያዊ የመክፈቻ መለያ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,ያስገቡ እሴት አዎንታዊ መሆን አለበት
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,ያስገቡ እሴት አዎንታዊ መሆን አለበት
 DocType: Asset,Finance Books,የገንዘብ ሰነዶች
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,የሰራተኞች የግብር ነጻነት መግለጫ ምድብ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,ሁሉም ግዛቶች
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,እባክዎ ለሠራተኞቹ {0} በሠራተኛ / በክፍል መዝገብ ላይ የመተው ፖሊሲን ያስቀምጡ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,ለተመረጠው ደንበኛ እና ንጥል ልክ ያልሆነ የክላይት ትዕዛዝ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,ለተመረጠው ደንበኛ እና ንጥል ልክ ያልሆነ የክላይት ትዕዛዝ
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,በርካታ ተግባራትን ያክሉ
 DocType: Purchase Invoice,Items,ንጥሎች
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,የማብቂያ ቀን ከመጀመሪያ ቀን በፊት ሊሆን አይችልም.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,ተማሪው አስቀድሞ ተመዝግቧል.
 DocType: Fiscal Year,Year Name,ዓመት ስም
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,ተከታታይ የሥራ ቀናት በላይ በዓላት በዚህ ወር አሉ.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC ማጣቀሻ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,ተከታታይ የሥራ ቀናት በላይ በዓላት በዚህ ወር አሉ.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,{0} ንጥሎች መከተል እንደ {1} ንጥል ምልክት አልተደረገባቸውም. እንደ {1} ንጥል ከንጥል ዋናው ላይ ሊያነሯቸው ይችላሉ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC ማጣቀሻ
 DocType: Production Plan Item,Product Bundle Item,የምርት ጥቅል ንጥል
 DocType: Sales Partner,Sales Partner Name,የሽያጭ የአጋር ስም
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,ጥቅሶች ጠይቅ
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,ጥቅሶች ጠይቅ
 DocType: Payment Reconciliation,Maximum Invoice Amount,ከፍተኛው የደረሰኝ የገንዘብ መጠን
 DocType: Normal Test Items,Normal Test Items,መደበኛ የተሞሉ ንጥሎች
+DocType: QuickBooks Migrator,Company Settings,የድርጅት ቅንብሮች
 DocType: Additional Salary,Overwrite Salary Structure Amount,የደመወዝ መዋቅሩን መጠን መመለስ
 DocType: Student Language,Student Language,የተማሪ ቋንቋ
 apps/erpnext/erpnext/config/selling.py +23,Customers,ደንበኞች
@@ -4916,21 +4979,23 @@
 DocType: Issue,Opening Time,የመክፈቻ ሰዓት
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,እንዲሁም ያስፈልጋል ቀናት ወደ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,ዋስትና እና ምርት ልውውጥ
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ተለዋጭ ለ ይለኩ ነባሪ ክፍል «{0}» መለጠፊያ ውስጥ እንደ አንድ አይነት መሆን አለበት &#39;{1} »
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ተለዋጭ ለ ይለኩ ነባሪ ክፍል «{0}» መለጠፊያ ውስጥ እንደ አንድ አይነት መሆን አለበት &#39;{1} »
 DocType: Shipping Rule,Calculate Based On,የተመረኮዘ ላይ ማስላት
 DocType: Contract,Unfulfilled,አልተፈጸሙም
 DocType: Delivery Note Item,From Warehouse,መጋዘን ከ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,ለተጠቀሱት መስፈርቶች ምንም ሰራተኞች የሉም
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,ዕቃዎች መካከል ቢል ጋር ምንም ንጥሎች ለማምረት
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,ዕቃዎች መካከል ቢል ጋር ምንም ንጥሎች ለማምረት
 DocType: Shopify Settings,Default Customer,ነባሪ ደንበኛ
+DocType: Sales Stage,Stage Name,የመድረክ ስም
 DocType: Warranty Claim,SER-WRN-.YYYY.-,አእምሯዊው-አመሴይ.-
 DocType: Assessment Plan,Supervisor Name,ሱፐርቫይዘር ስም
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,ቀጠሮው ለተመሳሳይ ቀን መደረግ እንዳለበት አረጋግጡ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,ወደ ዋናው መርከብ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,ወደ ዋናው መርከብ
 DocType: Program Enrollment Course,Program Enrollment Course,ፕሮግራም ምዝገባ ኮርስ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},ተጠቃሚ {0} አስቀድሞ ለጤና እንክብካቤ ተቆጣጣሪ {1} ተመድቦለታል
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,የናሙና ማቆየትን (Stock Retaint) የማስመዝገቢያ ሁኔታን ያዘጋጁ
 DocType: Purchase Taxes and Charges,Valuation and Total,ግምቱ እና ጠቅላላ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,ድርድር / ክለሳ
 DocType: Leave Encashment,Encashment Amount,የክፍያ መጠን
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,የውጤት ካርዶች
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,ጊዜያቸው ያልደረሱ ብዛት
@@ -4940,7 +5005,7 @@
 DocType: Staffing Plan Detail,Current Openings,ወቅታዊ ክፍት ቦታዎች
 DocType: Notification Control,Customize the Notification,የ ማሳወቂያ አብጅ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,ክወናዎች ከ የገንዘብ ፍሰት
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,የ CGST ሂሳብ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,የ CGST ሂሳብ
 DocType: Purchase Invoice,Shipping Rule,መላኪያ ደንብ
 DocType: Patient Relation,Spouse,የትዳር ጓደኛ
 DocType: Lab Test Groups,Add Test,ሙከራ አክል
@@ -4954,14 +5019,14 @@
 DocType: Payroll Entry,Payroll Frequency,የመክፈል ዝርዝር ድግግሞሽ
 DocType: Lab Test Template,Sensitivity,ትብነት
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,ከፍተኛ ማረፊያዎች ታልፈው ስለመጡ ማመሳሰያ በጊዜያዊነት ተሰናክሏል
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,ጥሬ ሐሳብ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,ጥሬ ሐሳብ
 DocType: Leave Application,Follow via Email,በኢሜይል በኩል ተከተል
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,እጽዋት እና መሳሪያዎች
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,የቅናሽ መጠን በኋላ የግብር መጠን
 DocType: Patient,Inpatient Status,የሆስፒታል ሁኔታ
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,ዕለታዊ የስራ ማጠቃለያ ቅንብሮች
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,የተመረጠው የወጪ ዝርዝር መስኮቶችን መገበያየት እና መሸጥ ይኖርበታል.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,እባክዎ በቀን Reqd ያስገባሉ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,የተመረጠው የወጪ ዝርዝር መስኮቶችን መገበያየት እና መሸጥ ይኖርበታል.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,እባክዎ በቀን Reqd ያስገባሉ
 DocType: Payment Entry,Internal Transfer,ውስጣዊ ማስተላለፍ
 DocType: Asset Maintenance,Maintenance Tasks,የጥገና ተግባራት
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ወይ የዒላማ ብዛት ወይም የዒላማ መጠን የግዴታ ነው
@@ -4982,7 +5047,7 @@
 DocType: Mode of Payment,General,ጠቅላላ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,የመጨረሻው ኮሙኒኬሽን
 ,TDS Payable Monthly,TDS የሚከፈል ወርሃዊ
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,ቦም (BOM) ለመተመን ተሰልፏል. ጥቂት ደቂቃዎችን ሊወስድ ይችላል.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,ቦም (BOM) ለመተመን ተሰልፏል. ጥቂት ደቂቃዎችን ሊወስድ ይችላል.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',በምድብ «ግምቱ &#39;ወይም&#39; ግምቱ እና ጠቅላላ &#39;ነው ጊዜ ቀነሰ አይቻልም
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serialized ንጥል ሲሪያል ቁጥሮች ያስፈልጋል {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,ደረሰኞች ጋር አዛምድ ክፍያዎች
@@ -4995,7 +5060,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,ወደ ግዢው ቅርጫት ጨምር
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,ቡድን በ
 DocType: Guardian,Interests,ፍላጎቶች
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ አቦዝን ምንዛሬዎች ያንቁ.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ አቦዝን ምንዛሬዎች ያንቁ.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,አንዳንድ የደመወዝ ወረቀቶችን ማስገባት አልተቻለም
 DocType: Exchange Rate Revaluation,Get Entries,ግቤቶችን ያግኙ
 DocType: Production Plan,Get Material Request,የቁስ ጥያቄ ያግኙ
@@ -5017,15 +5082,16 @@
 DocType: Lead,Lead Type,በእርሳስ አይነት
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,አንተ አግድ ቀኖች ላይ ቅጠል ለማፅደቅ ስልጣን አይደለም
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,እነዚህ ሁሉ ንጥሎች ቀደም ሲል ደረሰኝ ተደርጓል
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,አዲስ የተለቀቀበት ቀን አዘጋጅ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,አዲስ የተለቀቀበት ቀን አዘጋጅ
 DocType: Company,Monthly Sales Target,ወርሃዊ የሽያጭ ዒላማ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},መጽደቅ ይችላል {0}
 DocType: Hotel Room,Hotel Room Type,የሆቴል አይነት አይነት
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,አቅራቢ&gt; አቅራቢ አይነት
 DocType: Leave Allocation,Leave Period,ጊዜውን ይተው
 DocType: Item,Default Material Request Type,ነባሪ የቁስ ጥያቄ አይነት
 DocType: Supplier Scorecard,Evaluation Period,የግምገማ ጊዜ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,ያልታወቀ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,የሥራ ትዕዛዝ አልተፈጠረም
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,የሥራ ትዕዛዝ አልተፈጠረም
 DocType: Shipping Rule,Shipping Rule Conditions,የመርከብ ደ ሁኔታዎች
 DocType: Purchase Invoice,Export Type,ወደ ውጪ ላክ
 DocType: Salary Slip Loan,Salary Slip Loan,የደመወዝ ወረቀት ብድር
@@ -5056,15 +5122,15 @@
 DocType: Batch,Source Document Name,ምንጭ ሰነድ ስም
 DocType: Production Plan,Get Raw Materials For Production,ለማምረት ጥሬ ዕቃዎችን ያግኙ
 DocType: Job Opening,Job Title,የስራ መደቡ መጠሪያ
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} እንደሚያሳየው {1} የጥቅስ ነገርን አያቀርብም, ነገር ግን ሁሉም ንጥሎች \ ተወስደዋል. የ RFQ መጠይቅ ሁኔታን በማዘመን ላይ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ከፍተኛ ቁጥር ያላቸው - {0} አስቀድመው በቡድን {1} እና በንጥል {2} በቡድን {3} ውስጥ ተይዘው ተቀምጠዋል.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ከፍተኛ ቁጥር ያላቸው - {0} አስቀድመው በቡድን {1} እና በንጥል {2} በቡድን {3} ውስጥ ተይዘው ተቀምጠዋል.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,የቤቶች ዋጋ በራስ-ሰር ያዘምኑ
 DocType: Lab Test,Test Name,የሙከራ ስም
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,ክሊኒክ አሠራር የንጥል መያዣ
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,ተጠቃሚዎች ፍጠር
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ግራም
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,የደንበኝነት ምዝገባዎች
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,የደንበኝነት ምዝገባዎች
 DocType: Supplier Scorecard,Per Month,በ ወር
 DocType: Education Settings,Make Academic Term Mandatory,አካዳሚያዊ ግዴታ አስገዳጅ ያድርጉ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,ለማምረት ብዛት 0 የበለጠ መሆን አለበት.
@@ -5073,9 +5139,9 @@
 DocType: Stock Entry,Update Rate and Availability,አዘምን ደረጃ እና ተገኝነት
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,መቶኛ መቀበል ወይም አዘዘ መጠን ላይ ተጨማሪ ማድረስ ይፈቀዳል. ለምሳሌ: 100 ቤቶች ትእዛዝ ከሆነ. እና በል ከዚያም 110 ቤቶች ለመቀበል የተፈቀደላቸው 10% ነው.
 DocType: Loyalty Program,Customer Group,የደንበኛ ቡድን
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ረድፍ # {0}: በክዚያት # {3} ውስጥ ለ {2} ቀደምት ሸቀጦች አልተጠናቀቀም {1} ክወና አልተጠናቀቀም. እባክዎ በጊዜ ምዝግቦች በኩል የክዋኔ ሁኔታን ያዘምኑ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ረድፍ # {0}: በክዚያት # {3} ውስጥ ለ {2} ቀደምት ሸቀጦች አልተጠናቀቀም {1} ክወና አልተጠናቀቀም. እባክዎ በጊዜ ምዝግቦች በኩል የክዋኔ ሁኔታን ያዘምኑ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),አዲስ ባች መታወቂያ (አማራጭ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},ወጪ መለያ ንጥል ግዴታ ነው {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},ወጪ መለያ ንጥል ግዴታ ነው {0}
 DocType: BOM,Website Description,የድር ጣቢያ መግለጫ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ፍትህ ውስጥ የተጣራ ለውጥ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,በመጀመሪያ የግዢ ደረሰኝ {0} ይቅር እባክዎ
@@ -5090,7 +5156,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,አርትዕ ለማድረግ ምንም ነገር የለም.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,የቅፅ እይታ
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,የወጪ ፍቃድ አስገዳጅ በክፍያ ጥያቄ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,በዚህ ወር እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,በዚህ ወር እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},በኩባንያ ውስጥ ያልተጣራ የሽያጭ ገንዘብ / የጠፋ ሂሳብን ያዘጋጁ {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",ከርስዎ ውጭ ሌሎችን ወደ እርስዎ ድርጅት ያክሏቸው.
 DocType: Customer Group,Customer Group Name,የደንበኛ የቡድን ስም
@@ -5100,14 +5166,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,ምንም የተፈጥሮ ጥያቄ አልተፈጠረም
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},የብድር መጠን ከፍተኛ የብድር መጠን መብለጥ አይችልም {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ፈቃድ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},ሲ-ቅጽ ይህን የደረሰኝ {0} ያስወግዱ እባክዎ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},ሲ-ቅጽ ይህን የደረሰኝ {0} ያስወግዱ እባክዎ {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,እናንተ ደግሞ ካለፈው በጀት ዓመት ሚዛን በዚህ የበጀት ዓመት ወደ ቅጠሎች ማካተት የሚፈልጉ ከሆነ ወደፊት አኗኗራችሁ እባክዎ ይምረጡ
 DocType: GL Entry,Against Voucher Type,ቫውቸር አይነት ላይ
 DocType: Healthcare Practitioner,Phone (R),ስልክ (አር)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,የሰዓት ማስገቢያዎች ታክለዋል
 DocType: Item,Attributes,ባህሪያት
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,አብነት አንቃ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,መለያ ጠፍቷል ይጻፉ ያስገቡ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,መለያ ጠፍቷል ይጻፉ ያስገቡ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,የመጨረሻ ትዕዛዝ ቀን
 DocType: Salary Component,Is Payable,መክፈል አለበት
 DocType: Inpatient Record,B Negative,ቢ አሉታዊ
@@ -5118,7 +5184,7 @@
 DocType: Hotel Room,Hotel Room,የሆቴል ክፍል
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},መለያ {0} ነው ኩባንያ ንብረት አይደለም {1}
 DocType: Leave Type,Rounding,መደርደር
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,{0} ረድፍ ላይ መለያ ቁጥር አሰጣጥ ማስታወሻ ጋር አይዛመድም
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,{0} ረድፍ ላይ መለያ ቁጥር አሰጣጥ ማስታወሻ ጋር አይዛመድም
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),የተከፈለ መጠን (የቅድሚያ ደረጃ የተሰጠው)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","ከዚያም የዋጋ አሰጣጥ ደንቦች በደንበኛ, ደንበኛ ቡድን, በተሪቶሪ, አቅራቢ, አቅራቢ ቡድን, ዘመቻ, ሽያጭ አጋዥ ወዘተ. ላይ ተመርኩዘዋል."
 DocType: Student,Guardian Details,አሳዳጊ ዝርዝሮች
@@ -5127,10 +5193,10 @@
 DocType: Vehicle,Chassis No,ለጥንካሬ ምንም
 DocType: Payment Request,Initiated,A ነሳሽነት
 DocType: Production Plan Item,Planned Start Date,የታቀደ መጀመሪያ ቀን
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,እባክዎን BOM ይምረጡ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,እባክዎን BOM ይምረጡ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,በ ITC የተዋቀረ ቀረጥ አግኝቷል
 DocType: Purchase Order Item,Blanket Order Rate,የበራሪ ትዕዛዝ ተመን
-apps/erpnext/erpnext/hooks.py +156,Certification,የዕውቅና ማረጋገጫ
+apps/erpnext/erpnext/hooks.py +157,Certification,የዕውቅና ማረጋገጫ
 DocType: Bank Guarantee,Clauses and Conditions,ደንቦች እና ሁኔታዎች
 DocType: Serial No,Creation Document Type,የፍጥረት የሰነድ አይነት
 DocType: Project Task,View Timesheet,የጊዜ ሠንጠረዥ ይመልከቱ
@@ -5155,6 +5221,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,የወላጅ ንጥል {0} አንድ የአክሲዮን ንጥል መሆን የለበትም
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,የድር ጣቢያ ዝርዝር
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ሁሉም ምርቶች ወይም አገልግሎቶች.
+DocType: Email Digest,Open Quotations,ክፍት ጥቅሶችን
 DocType: Expense Claim,More Details,ተጨማሪ ዝርዝሮች
 DocType: Supplier Quotation,Supplier Address,አቅራቢው አድራሻ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},መለያ {0} በጀት {1} ላይ {2} {3} ነው {4}. ይህ በ መብለጥ ይሆናል {5}
@@ -5169,12 +5236,11 @@
 DocType: Training Event,Exam,ፈተና
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,የገበያ ስህተት
 DocType: Complaint,Complaint,ቅሬታ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},የመጋዘን የአክሲዮን ንጥል ያስፈልጋል {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},የመጋዘን የአክሲዮን ንጥል ያስፈልጋል {0}
 DocType: Leave Allocation,Unused leaves,ያልዋለ ቅጠሎች
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,የክፍያ ተመላሽ ማድረግ
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,ሁሉም መምሪያዎች
 DocType: Healthcare Service Unit,Vacant,ተከራይ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,አቅራቢ&gt; አቅራቢ አይነት
 DocType: Patient,Alcohol Past Use,አልኮል ጊዜ ያለፈበት አጠቃቀም
 DocType: Fertilizer Content,Fertilizer Content,የማዳበሪያ ይዘት
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,CR
@@ -5182,7 +5248,7 @@
 DocType: Tax Rule,Billing State,አከፋፈል መንግስት
 DocType: Share Transfer,Transfer,ያስተላልፉ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,ይህን የሽያጭ ትእዛዝን ከመሰረዝዎ በፊት የስራ ትዕዛዝ {0} መሰረዝ አለበት
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(ንዑስ-አብያተ ክርስቲያናት ጨምሮ) ፈንድቶ BOM ሰብስብ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(ንዑስ-አብያተ ክርስቲያናት ጨምሮ) ፈንድቶ BOM ሰብስብ
 DocType: Authorization Rule,Applicable To (Employee),የሚመለከታቸው ለማድረግ (ሰራተኛ)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,መጠናቀቅ ያለበት ቀን የግዴታ ነው
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,አይነታ ጭማሬ {0} 0 መሆን አይችልም
@@ -5198,7 +5264,7 @@
 DocType: Disease,Treatment Period,የሕክምና ጊዜ
 DocType: Travel Itinerary,Travel Itinerary,የጉዞ አቅጣጫን
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,ውጤት ተረክቧል
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,በንብረቶቹ በሚቀርቡ ዕቃዎች ውስጥ ለ &lt;{0} ንጥል ነገር የተያዘው የሱፐርማርኬት ግዴታ ነው
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,በንብረቶቹ በሚቀርቡ ዕቃዎች ውስጥ ለ &lt;{0} ንጥል ነገር የተያዘው የሱፐርማርኬት ግዴታ ነው
 ,Inactive Customers,ያልነቁ ደንበኞች
 DocType: Student Admission Program,Maximum Age,ከፍተኛው ዕድሜ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,አስታዋሹን ከማስተላለፉ 3 ቀናት በፊት እባክዎ ይጠብቁ.
@@ -5207,7 +5273,6 @@
 DocType: Stock Entry,Delivery Note No,የመላኪያ ማስታወሻ የለም
 DocType: Cheque Print Template,Message to show,መልዕክት ለማሳየት
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,ችርቻሮ
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,የተቀጠረውን ደረሰኝ በራስሰር አቀናብር
 DocType: Student Attendance,Absent,ብርቅ
 DocType: Staffing Plan,Staffing Plan Detail,የሰራተኛ እቅድ ዝርዝር
 DocType: Employee Promotion,Promotion Date,የማስተዋወቂያ ቀን
@@ -5229,7 +5294,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,ሊድ አድርግ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,አትም የጽህፈት
 DocType: Stock Settings,Show Barcode Field,አሳይ ባርኮድ መስክ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,አቅራቢው ኢሜይሎች ላክ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,አቅራቢው ኢሜይሎች ላክ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ደመወዝ አስቀድሞ {0} እና {1}, ለዚህ የቀን ክልል መካከል ሊሆን አይችልም የማመልከቻ ጊዜ ተወው መካከል ለተወሰነ ጊዜ በሂደት ላይ."
 DocType: Fiscal Year,Auto Created,በራሱ የተፈጠረ
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,የሰራተኛ መዝገብ ለመፍጠር ይህን ያስገቡ
@@ -5238,7 +5303,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ደረሰኝ {0} ከአሁን በኋላ የለም
 DocType: Guardian Interest,Guardian Interest,አሳዳጊ የወለድ
 DocType: Volunteer,Availability,መገኘት
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,ለ POS መጋሪያዎች ነባሪ ዋጋዎችን ያዋቅሩ
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,ለ POS መጋሪያዎች ነባሪ ዋጋዎችን ያዋቅሩ
 apps/erpnext/erpnext/config/hr.py +248,Training,ልምምድ
 DocType: Project,Time to send,ለመላክ ሰዓት
 DocType: Timesheet,Employee Detail,የሰራተኛ ዝርዝር
@@ -5261,7 +5326,7 @@
 DocType: Training Event Employee,Optional,አማራጭ
 DocType: Salary Slip,Earning & Deduction,ገቢ እና ተቀናሽ
 DocType: Agriculture Analysis Criteria,Water Analysis,የውሃ ትንተና
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} ፈጣሪዎች ተፈጥረዋል.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} ፈጣሪዎች ተፈጥረዋል.
 DocType: Amazon MWS Settings,Region,ክልል
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ከተፈለገ. ይህ ቅንብር በተለያዩ ግብይቶችን ለማጣራት ጥቅም ላይ ይውላል.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,አሉታዊ ግምቱ ተመን አይፈቀድም
@@ -5280,7 +5345,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,በመዛጉ ንብረት ዋጋ
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ወጪ ማዕከል ንጥል ግዴታ ነው; {2}
 DocType: Vehicle,Policy No,መመሪያ የለም
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,የምርት ጥቅል ከ ንጥሎች ያግኙ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,የምርት ጥቅል ከ ንጥሎች ያግኙ
 DocType: Asset,Straight Line,ቀጥተኛ መስመር
 DocType: Project User,Project User,የፕሮጀክት ተጠቃሚ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,ሰነጠቀ
@@ -5288,7 +5353,7 @@
 DocType: GL Entry,Is Advance,የቅድሚያ ነው
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,የሰራተኛ ዑደት
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,ቀን ወደ ቀን እና የትምህርት ክትትል ጀምሮ በስብሰባው የግዴታ ነው
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,አዎ ወይም አይ እንደ &#39;Subcontracted ነው&#39; ያስገቡ
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,አዎ ወይም አይ እንደ &#39;Subcontracted ነው&#39; ያስገቡ
 DocType: Item,Default Purchase Unit of Measure,የመለኪያ ግዢ መለኪያ ክፍል
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,የመጨረሻው ኮሙኒኬሽን ቀን
 DocType: Clinical Procedure Item,Clinical Procedure Item,የክሊኒካዊ ሂደት እሴት
@@ -5311,6 +5376,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,አዲስ የጅምላ ብዛት
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,አልባሳት እና ማሟያዎች
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,የተመጣጠነ የውጤት ተግባርን መፍታት አልተቻለም. ቀመሩ በትክክል መሆኑን ያረጋግጡ.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,የግዢ ትዕዛዞች በወቅቱ ተቀባይነት የላቸውም
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ትዕዛዝ ቁጥር
 DocType: Item Group,HTML / Banner that will show on the top of product list.,የምርት ዝርዝር አናት ላይ ያሳያል የ HTML / ሰንደቅ.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,መላኪያ መጠን ለማስላት ሁኔታ ግለፅ
@@ -5319,9 +5385,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,ዱካ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,ይህ ልጅ መገናኛ ነጥቦች አሉት እንደ የመቁጠር ወደ ወጪ ማዕከል መለወጥ አይቻልም
 DocType: Production Plan,Total Planned Qty,የታቀደ አጠቃላይ ቅደም ተከተል
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,በመክፈት ላይ እሴት
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,በመክፈት ላይ እሴት
 DocType: Salary Component,Formula,ፎርሙላ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,ተከታታይ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,ተከታታይ #
 DocType: Lab Test Template,Lab Test Template,የሙከራ መለኪያ አብነት
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,የሽያጭ መለያ
 DocType: Purchase Invoice Item,Total Weight,ጠቅላላ ክብደት
@@ -5339,7 +5405,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,የቁስ ጥያቄ አድርግ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ክፍት ንጥል {0}
 DocType: Asset Finance Book,Written Down Value,የጽሑፍ እሴት ዋጋ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,እባክዎ የሰራተኛ ስም ማስቀመጫ ሲስተም በሰብል ሪሶርስ&gt; HR ቅንጅቶች ያዘጋጁ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት የደረሰኝ {0} ተሰርዟል አለበት የሽያጭ
 DocType: Clinical Procedure,Age,ዕድሜ
 DocType: Sales Invoice Timesheet,Billing Amount,አከፋፈል መጠን
@@ -5348,11 +5413,11 @@
 DocType: Company,Default Employee Advance Account,ነባሪ የሠራተኛ የቅድሚያ ተቀናሽ ሂሳብ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),ፈልግ ንጥል (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-yYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,ነባር የግብይት ጋር መለያ ሊሰረዝ አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,ነባር የግብይት ጋር መለያ ሊሰረዝ አይችልም
 DocType: Vehicle,Last Carbon Check,የመጨረሻው ካርቦን ፈትሽ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,የህግ ወጪዎች
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,ረድፍ ላይ ብዛት ይምረጡ
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,ክፍት ሽያጭ እና የግዢ ደረሰኞችን ይክፈቱ
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,ክፍት ሽያጭ እና የግዢ ደረሰኞችን ይክፈቱ
 DocType: Purchase Invoice,Posting Time,መለጠፍ ሰዓት
 DocType: Timesheet,% Amount Billed,% መጠን የሚከፈል
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,የስልክ ወጪ
@@ -5367,14 +5432,14 @@
 DocType: Maintenance Visit,Breakdown,መሰባበር
 DocType: Travel Itinerary,Vegetarian,ቬጀቴሪያን
 DocType: Patient Encounter,Encounter Date,የግጥሚያ ቀን
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,መለያ: {0} ምንዛሬ ጋር: {1} መመረጥ አይችልም
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,መለያ: {0} ምንዛሬ ጋር: {1} መመረጥ አይችልም
 DocType: Bank Statement Transaction Settings Item,Bank Data,የባንክ መረጃ
 DocType: Purchase Receipt Item,Sample Quantity,ናሙና መጠኑ
 DocType: Bank Guarantee,Name of Beneficiary,የዋና ተጠቃሚ ስም
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",በቅርብ ጊዜ የተመን ዋጋ / የዋጋ ዝርዝር / በመጨረሻው የጥሬ ዕቃ ዋጋ ላይ በመመርኮዝ የወኪል ማስተካከያውን በጊዜ መርሐግብር በኩል በራስሰር ያስከፍላል.
 DocType: Supplier,SUP-.YYYY.-,SUP-YYYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,ቼክ ቀን
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},መለያ {0}: የወላጅ መለያ {1} ኩባንያ የእርሱ ወገን አይደለም: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},መለያ {0}: የወላጅ መለያ {1} ኩባንያ የእርሱ ወገን አይደለም: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,በተሳካ ሁኔታ ከዚህ ድርጅት ጋር የተያያዙ ሁሉም ግብይቶች ተሰርዟል!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,ቀን ላይ እንደ
 DocType: Additional Salary,HR,HR
@@ -5382,7 +5447,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,ታካሚ የኤስኤምኤስ ማስጠንቀቂያዎች
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,የሥራ ልማድ የሚፈትን ጊዜ
 DocType: Program Enrollment Tool,New Academic Year,አዲስ የትምህርት ዓመት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,ተመለስ / ክሬዲት ማስታወሻ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,ተመለስ / ክሬዲት ማስታወሻ
 DocType: Stock Settings,Auto insert Price List rate if missing,ራስ-ያስገቡ ዋጋ ዝርዝር መጠን ይጎድለዋል ከሆነ
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,ጠቅላላ የሚከፈልበት መጠን
 DocType: GST Settings,B2C Limit,B2C ገደብ
@@ -5400,10 +5465,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,የልጆች እባጮች ብቻ &#39;ቡድን&#39; አይነት አንጓዎች ስር ሊፈጠር ይችላል
 DocType: Attendance Request,Half Day Date,ግማሾቹ ቀን ቀን
 DocType: Academic Year,Academic Year Name,ትምህርታዊ ዓመት ስም
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} ከ {1} ጋር ለመግባባት አልተፈቀደለትም. እባክዎ ኩባንያውን ይቀይሩ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} ከ {1} ጋር ለመግባባት አልተፈቀደለትም. እባክዎ ኩባንያውን ይቀይሩ.
 DocType: Sales Partner,Contact Desc,የእውቂያ DESC
 DocType: Email Digest,Send regular summary reports via Email.,በኢሜይል በኩል መደበኛ የማጠቃለያ ሪፖርቶች ላክ.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},የወጪ የይገባኛል ጥያቄ አይነት ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},የወጪ የይገባኛል ጥያቄ አይነት ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,የሚገኝ ቅጠሎች
 DocType: Assessment Result,Student Name,የተማሪ ስም
 DocType: Hub Tracked Item,Item Manager,ንጥል አስተዳዳሪ
@@ -5428,9 +5493,10 @@
 DocType: Subscription,Trial Period End Date,የሙከራ ክፍለ ጊዜ መጨረሻ ቀን
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ገደብ አልፏል ጀምሮ authroized አይደለም
 DocType: Serial No,Asset Status,የንብረት ሁኔታ
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ከዲዛይነር ጭነት (ኦ ዲ ኤ ሲ)
 DocType: Restaurant Order Entry,Restaurant Table,የምግብ ቤት ሰንጠረዥ
 DocType: Hotel Room,Hotel Manager,የሆቴል ሥራ አስኪያጅ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ወደ ግዢ ሳጥን ጨመር ያዘጋጁ ግብር ደንብ
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,ወደ ግዢ ሳጥን ጨመር ያዘጋጁ ግብር ደንብ
 DocType: Purchase Invoice,Taxes and Charges Added,ግብሮች እና ክፍያዎች ታክሏል
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,የአከፋፈል ቅደም ተከተልን {0}: የሚቀጥለው የአለሜሽን ቀን ከክፍያ ጋር ለመገናኘት የሚውል ቀን ከመሆኑ በፊት ሊሆን አይችልም
 ,Sales Funnel,የሽያጭ ማጥለያ
@@ -5446,9 +5512,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,ሁሉም የደንበኛ ቡድኖች
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,ሲጠራቀሙ ወርሃዊ
 DocType: Attendance Request,On Duty,በስራ ላይ
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ ዘገባ {1} {2} ዘንድ አልተፈጠረም ነው.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ ዘገባ {1} {2} ዘንድ አልተፈጠረም ነው.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,የግብር መለጠፊያ የግዴታ ነው.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,መለያ {0}: የወላጅ መለያ {1} የለም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,መለያ {0}: የወላጅ መለያ {1} የለም
 DocType: POS Closing Voucher,Period Start Date,የጊዜ መጀመሪያ ቀን
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),ዋጋ ዝርዝር ተመን (የኩባንያ የምንዛሬ)
 DocType: Products Settings,Products Settings,ምርቶች ቅንብሮች
@@ -5468,7 +5534,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,ይህ እርምጃ የወደፊት የክፍያ መጠየቂያ ሂሳብን ያቆማል. እርግጠኛ ነዎት ይህን የደንበኝነት ምዝገባ መሰረዝ ይፈልጋሉ?
 DocType: Serial No,Distinct unit of an Item,አንድ ንጥል ላይ የተለዩ አሃድ
 DocType: Supplier Scorecard Criteria,Criteria Name,የመመዘኛ ስም
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,ኩባንያ ማዘጋጀት እባክዎ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,ኩባንያ ማዘጋጀት እባክዎ
 DocType: Procedure Prescription,Procedure Created,ሂደት ተፈጥሯል
 DocType: Pricing Rule,Buying,ሊገዙ
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,በሽታዎች እና ማዳበሪያዎች
@@ -5485,42 +5551,43 @@
 DocType: Employee Onboarding,Job Offer,የስራ እድል
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,ተቋም ምህፃረ ቃል
 ,Item-wise Price List Rate,ንጥል-ጥበብ ዋጋ ዝርዝር ተመን
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,አቅራቢው ትዕምርተ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,አቅራቢው ትዕምርተ
 DocType: Quotation,In Words will be visible once you save the Quotation.,የ ትዕምርተ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ብዛት ({0}) ረድፍ ውስጥ ክፍልፋይ ሊሆን አይችልም {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ብዛት ({0}) ረድፍ ውስጥ ክፍልፋይ ሊሆን አይችልም {1}
 DocType: Contract,Unsigned,ያልተፈረመ
 DocType: Selling Settings,Each Transaction,እያንዳንዱ ግብይት
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},የአሞሌ {0} አስቀድሞ ንጥል ውስጥ ጥቅም ላይ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},የአሞሌ {0} አስቀድሞ ንጥል ውስጥ ጥቅም ላይ {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,የመላኪያ ወጪዎች ለማከል ደንቦች.
 DocType: Hotel Room,Extra Bed Capacity,ተጨማሪ የመኝታ አቅም
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,ቫንሪ
 DocType: Item,Opening Stock,በመክፈት ላይ የአክሲዮን
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ደንበኛ ያስፈልጋል
 DocType: Lab Test,Result Date,ውጤት ቀን
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC ቀን
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC ቀን
 DocType: Purchase Order,To Receive,መቀበል
 DocType: Leave Period,Holiday List for Optional Leave,የአማራጭ ፈቃድ የአፈፃጸም ዝርዝር
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,የንብረት ባለቤት
 DocType: Purchase Invoice,Reason For Putting On Hold,ለተያዘበት ምክንያት
 DocType: Employee,Personal Email,የግል ኢሜይል
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,ጠቅላላ ልዩነት
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,ጠቅላላ ልዩነት
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","የነቃ ከሆነ, ስርዓት በራስ ሰር ክምችት ለ የሂሳብ ግቤቶች መለጠፍ ነው."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,የደላላ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ሠራተኛ {0} ክትትልን ቀድሞውኑ ለዚህ ቀን ምልክት ነው
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ሠራተኛ {0} ክትትልን ቀድሞውኑ ለዚህ ቀን ምልክት ነው
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",ደቂቃዎች ውስጥ «ጊዜ Log&quot; በኩል ዘምኗል
 DocType: Customer,From Lead,ሊድ ከ
 DocType: Amazon MWS Settings,Synch Orders,የማመሳሰል ትዕዛዞች
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ትዕዛዞች ምርት ከእስር.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,በጀት ዓመት ይምረጡ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS መገለጫ POS የሚመዘገብ ለማድረግ ያስፈልጋል
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS መገለጫ POS የሚመዘገብ ለማድረግ ያስፈልጋል
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",የታማኝነት ስብስብ ነጥቦች ከተጠቀሰው ጊዜ (በሽያጭ ደረሰኝ በኩል) ተወስዶ የተሰራውን መሰረት በማድረግ ነው.
 DocType: Program Enrollment Tool,Enroll Students,ተማሪዎች ይመዝገቡ
 DocType: Company,HRA Settings,HRA ቅንብሮች
 DocType: Employee Transfer,Transfer Date,የማስተላለፍ ቀን
 DocType: Lab Test,Approved Date,የተፈቀደበት ቀን
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,መደበኛ ሽያጭ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,ቢያንስ አንድ መጋዘን የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,ቢያንስ አንድ መጋዘን የግዴታ ነው
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","እንደ UOM, የቡድን ምድብ, ገለፃ እና የሰዓት ብዛት ያሉ የንጥል መስመሮችን ያዋቅሩ."
 DocType: Certification Application,Certification Status,የዕውቅና ማረጋገጫ ሁኔታ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,የገበያ ቦታ
@@ -5540,6 +5607,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,ተመሳሳይ ደረሰኞች
 DocType: Work Order,Required Items,ተፈላጊ ንጥሎች
 DocType: Stock Ledger Entry,Stock Value Difference,የአክሲዮን ዋጋ ያለው ልዩነት
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,የዝርዝር ረድፍ {0}: {1} {2} ከላይ በ &quot;{1}&quot; ሰንጠረዥ ውስጥ የለም
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,የሰው ኃይል
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,የክፍያ ማስታረቅ ክፍያ
 DocType: Disease,Treatment Task,የሕክምና ተግባር
@@ -5557,7 +5625,8 @@
 DocType: Account,Debit,ዴቢት
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,ቅጠሎች 0.5 ላይ ብዜት ውስጥ ይመደባል አለበት
 DocType: Work Order,Operation Cost,ክወና ወጪ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,ያልተከፈሉ Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,ውሳኔ ሰጪዎችን መለየት
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,ያልተከፈሉ Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,አዘጋጅ ግቦች ንጥል ቡድን-ጥበብ ይህን የሽያጭ ሰው ነውና.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],እሰር አክሲዮኖች የቆየ ይልቅ [ቀኖች]
 DocType: Payment Request,Payment Ordered,ክፍያ ትዕዛዝ ተሰጥቷል
@@ -5569,13 +5638,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,የሚከተሉት ተጠቃሚዎች የማገጃ ቀናት ፈቃድ መተግበሪያዎች ማጽደቅ ፍቀድ.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,የህይወት ኡደት
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,ቦምብን ያድርጉ
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ንጥል ፍጥነት መሸጥ {0} ያነሰ ነው ያለው {1}. ተመን መሸጥ መሆን አለበት atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ንጥል ፍጥነት መሸጥ {0} ያነሰ ነው ያለው {1}. ተመን መሸጥ መሆን አለበት atleast {2}
 DocType: Subscription,Taxes,ግብሮች
 DocType: Purchase Invoice,capital goods,የካፒታል ዕቃዎች
 DocType: Purchase Invoice Item,Weight Per Unit,ክብደት በያንዳንዱ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,የሚከፈልበት እና ደርሷል አይደለም
-DocType: Project,Default Cost Center,ነባሪ ዋጋ ማዕከል
-DocType: Delivery Note,Transporter Doc No,ትራንስፖርት Doc No
+DocType: QuickBooks Migrator,Default Cost Center,ነባሪ ዋጋ ማዕከል
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,የክምችት ግብይቶች
 DocType: Budget,Budget Accounts,በጀት መለያዎች
 DocType: Employee,Internal Work History,ውስጣዊ የሥራ ታሪክ
@@ -5608,7 +5676,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Healthcare Practitioner በ {0} ላይ አይገኝም
 DocType: Stock Entry Detail,Additional Cost,ተጨማሪ ወጪ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","ቫውቸር ምንም ላይ የተመሠረተ ማጣሪያ አይችሉም, ቫውቸር በ ተመድበው ከሆነ"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,አቅራቢው ትዕምርተ አድርግ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,አቅራቢው ትዕምርተ አድርግ
 DocType: Quality Inspection,Incoming,ገቢ
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,ለሽያጭ እና ለግዢ ነባሪ የግብር አብነቶች ተፈጥረዋል.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,የአመሳሾቹ ውጤት ዘገባ {0} አስቀድሞም ይገኛል.
@@ -5624,7 +5692,7 @@
 DocType: Batch,Batch ID,ባች መታወቂያ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},ማስታወሻ: {0}
 ,Delivery Note Trends,የመላኪያ ማስታወሻ በመታየት ላይ ያሉ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,ይህ ሳምንት ማጠቃለያ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,ይህ ሳምንት ማጠቃለያ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,የክምችት ብዛት ውስጥ
 ,Daily Work Summary Replies,ዕለታዊ የትርጉም ማጠቃለያዎች
 DocType: Delivery Trip,Calculate Estimated Arrival Times,የተገመተ የመድረስ ጊዜዎችን አስሉ
@@ -5634,7 +5702,7 @@
 DocType: Bank Account,Party,ግብዣ
 DocType: Healthcare Settings,Patient Name,የታካሚ ስም
 DocType: Variant Field,Variant Field,ተለዋዋጭ መስክ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ዒላማ አካባቢ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ዒላማ አካባቢ
 DocType: Sales Order,Delivery Date,መላኪያ ቀን
 DocType: Opportunity,Opportunity Date,አጋጣሚ ቀን
 DocType: Employee,Health Insurance Provider,የጤና ኢንሹራንስ አቅራቢ
@@ -5653,7 +5721,7 @@
 DocType: Employee,History In Company,ኩባንያ ውስጥ ታሪክ
 DocType: Customer,Customer Primary Address,የደንበኛ ዋና አድራሻ
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,ጋዜጣዎች
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,ማጣቀሻ ቁጥር
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,ማጣቀሻ ቁጥር
 DocType: Drug Prescription,Description/Strength,መግለጫ / ጥንካሬ
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,አዲስ ክፍያ / የጆርናል ምዝገባ ይፍጠሩ
 DocType: Certification Application,Certification Application,የዕውቅና ማረጋገጫ ማመልከቻ
@@ -5664,10 +5732,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,ተመሳሳይ ንጥል በርካታ ጊዜ ገብቷል ታይቷል
 DocType: Department,Leave Block List,አግድ ዝርዝር ውጣ
 DocType: Purchase Invoice,Tax ID,የግብር መታወቂያ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. አምድ ባዶ መሆን አለበት
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. አምድ ባዶ መሆን አለበት
 DocType: Accounts Settings,Accounts Settings,ቅንብሮች መለያዎች
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,ማጽደቅ
 DocType: Loyalty Program,Customer Territory,የደንበኛ ግዛት
+DocType: Email Digest,Sales Orders to Deliver,የሚሸጡ የሽያጭ ትእዛዞች
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","የአዳዲስ መለያ ቁጥር, እንደ ቅጥያ በመለያው ስም ውስጥ ይካተታል"
 DocType: Maintenance Team Member,Team Member,የቡድን አባል
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,ለማስገባት ምንም ውጤት የለም
@@ -5677,7 +5746,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","ጠቅላላ {0} ሁሉም ንጥሎች እናንተ &#39;ላይ የተመሠረተ ክፍያዎች ያሰራጩ&#39; መቀየር አለበት ሊሆን ይችላል, ዜሮ ነው"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,እስከ ቀን ድረስ ከዕለት በታች መሆን አይችልም
 DocType: Opportunity,To Discuss,ለመወያየት
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,ይሄ በደንበኛው ላይ በተደረጉ ልውውጦች ላይ የተመሠረተ ነው. ለዝርዝሮች ከታች ያለውን የጊዜ መስመር ይመልከቱ
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} ክፍሎች {1} {2} ይህን ግብይት ለማጠናቀቅ ያስፈልጋል.
 DocType: Loan Type,Rate of Interest (%) Yearly,የወለድ ምጣኔ (%) ዓመታዊ
 DocType: Support Settings,Forum URL,መድረክ ዩ አር ኤል
@@ -5692,7 +5760,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,ተጨማሪ እወቅ
 DocType: Cheque Print Template,Distance from top edge,ከላይ ጠርዝ ያለው ርቀት
 DocType: POS Closing Voucher Invoices,Quantity of Items,የንጥሎች ብዛት
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,የዋጋ ዝርዝር {0} ተሰናክሏል ወይም የለም
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,የዋጋ ዝርዝር {0} ተሰናክሏል ወይም የለም
 DocType: Purchase Invoice,Return,ተመለስ
 DocType: Pricing Rule,Disable,አሰናክል
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,የክፍያ ሁነታ ክፍያ ለመሥራት የግድ አስፈላጊ ነው
@@ -5700,18 +5768,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","እንደ እሴቶች, ተከታታይ ኤሎች, ወዘተ የመሳሰሉ ተጨማሪ አማራጮች ውስጥ ሙሉ ገጽ ውስጥ ያርትዑ."
 DocType: Leave Type,Maximum Continuous Days Applicable,ከፍተኛው ቀጣይ ቀናት ሊሠራባቸው ይችላል
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} በ ባች ውስጥ አልተመዘገበም ነው {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",አስቀድሞ እንደ የንብረት {0} በመዛጉ አይችልም {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",አስቀድሞ እንደ የንብረት {0} በመዛጉ አይችልም {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,ቼኮች አስፈላጊ ናቸው
 DocType: Task,Total Expense Claim (via Expense Claim),(የወጪ የይገባኛል በኩል) ጠቅላላ የወጪ የይገባኛል ጥያቄ
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ማርቆስ የተዉ
 DocType: Job Applicant Source,Job Applicant Source,የሥራ አመልካች ምንጭ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST ሂሳብ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST ሂሳብ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,ኩባንያ ማቀናበር አልተሳካም
 DocType: Asset Repair,Asset Repair,የንብረት ጥገና
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ረድፍ {0}: ወደ BOM # ምንዛሬ {1} በተመረጠው ምንዛሬ እኩል መሆን አለበት {2}
 DocType: Journal Entry Account,Exchange Rate,የመለወጫ ተመን
 DocType: Patient,Additional information regarding the patient,በሽተኛውን በተመለከተ ተጨማሪ መረጃ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,የሽያጭ ትዕዛዝ {0} ማቅረብ አይደለም
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,የሽያጭ ትዕዛዝ {0} ማቅረብ አይደለም
 DocType: Homepage,Tag Line,መለያ መስመር
 DocType: Fee Component,Fee Component,የክፍያ ክፍለ አካል
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,መርከቦች አስተዳደር
@@ -5726,7 +5794,7 @@
 DocType: Healthcare Practitioner,Mobile,ሞባይል
 ,Sales Person-wise Transaction Summary,የሽያጭ ሰው-ጥበብ የግብይት ማጠቃለያ
 DocType: Training Event,Contact Number,የእውቂያ ቁጥር
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,መጋዘን {0} የለም
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,መጋዘን {0} የለም
 DocType: Cashier Closing,Custody,የጥበቃ
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,የተቀጣሪ ግብር ማከሚያ ማረጋገጫ የግቤት ዝርዝር
 DocType: Monthly Distribution,Monthly Distribution Percentages,ወርሃዊ የስርጭት መቶኛ
@@ -5741,7 +5809,7 @@
 DocType: Payment Entry,Paid Amount,የሚከፈልበት መጠን
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,የሽያጭ ዑደት ያስሱ
 DocType: Assessment Plan,Supervisor,ተቆጣጣሪ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,የቁልፍ አስመጪነት ማቆየት
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,የቁልፍ አስመጪነት ማቆየት
 ,Available Stock for Packing Items,ማሸግ ንጥሎች አይገኝም የአክሲዮን
 DocType: Item Variant,Item Variant,ንጥል ተለዋጭ
 ,Work Order Stock Report,የሥራ ትዕዛዝ ክምችት ሪፖርት
@@ -5750,9 +5818,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,ተቆጣጣሪ
 DocType: Leave Policy Detail,Leave Policy Detail,የፖሊሲ ዝርዝርን ይተው
 DocType: BOM Scrap Item,BOM Scrap Item,BOM ቁራጭ ንጥል
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,የተረከቡት ትዕዛዞች ሊሰረዝ አይችልም
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","አስቀድሞ ዴቢት ውስጥ ቀሪ ሒሳብ, አንተ &#39;ምንጭ&#39; እንደ &#39;ሚዛናዊ መሆን አለብህ&#39; እንዲያዘጋጁ ያልተፈቀደላቸው ነው"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,የጥራት ሥራ አመራር
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,የተረከቡት ትዕዛዞች ሊሰረዝ አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","አስቀድሞ ዴቢት ውስጥ ቀሪ ሒሳብ, አንተ &#39;ምንጭ&#39; እንደ &#39;ሚዛናዊ መሆን አለብህ&#39; እንዲያዘጋጁ ያልተፈቀደላቸው ነው"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,የጥራት ሥራ አመራር
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,{0} ንጥል ተሰናክሏል
 DocType: Project,Total Billable Amount (via Timesheets),ጠቅላላ የክፍያ መጠን (በዳበጣ ሉሆች በኩል)
 DocType: Agriculture Task,Previous Business Day,ቀዳሚ የስራ ቀን
@@ -5775,14 +5843,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,የወጭ ማዕከላት
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,የደንበኝነት ምዝገባን እንደገና ያስጀምሩ
 DocType: Linked Plant Analysis,Linked Plant Analysis,የተገናኘ የአትክልት ትንታኔ
-DocType: Delivery Note,Transporter ID,ትራንስፖርት መታወቂያ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ትራንስፖርት መታወቂያ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,እሴት ሐሳብ
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ይህም አቅራቢ ምንዛሬ ላይ ተመን ኩባንያ መሰረታዊ ምንዛሬ በመለወጥ ላይ ነው
-DocType: Sales Invoice Item,Service End Date,የአገልግሎት የመጨረሻ ቀን
+DocType: Purchase Invoice Item,Service End Date,የአገልግሎት የመጨረሻ ቀን
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},የረድፍ # {0}: ረድፍ ጋር ጊዜዎች ግጭቶች {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ዜሮ ከግምቱ ተመን ፍቀድ
 DocType: Bank Guarantee,Receiving,መቀበል
 DocType: Training Event Employee,Invited,የተጋበዙ
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,አዋቅር ጌትዌይ መለያዎች.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,አዋቅር ጌትዌይ መለያዎች.
 DocType: Employee,Employment Type,የቅጥር ዓይነት
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,ቋሚ ንብረት
 DocType: Payment Entry,Set Exchange Gain / Loss,የ Exchange ቅሰም አዘጋጅ / ማጣት
@@ -5798,7 +5867,7 @@
 DocType: Tax Rule,Sales Tax Template,የሽያጭ ግብር አብነት
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,የማግኘት መብትዎን ይክፈሉ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,የዋጋ ማዕከል ቁጥርን ያዘምኑ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ
 DocType: Employee,Encashment Date,Encashment ቀን
 DocType: Training Event,Internet,በይነመረብ
 DocType: Special Test Template,Special Test Template,ልዩ የፍተሻ አብነት
@@ -5806,12 +5875,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},ነባሪ እንቅስቃሴ ወጪ የእንቅስቃሴ ዓይነት የለም - {0}
 DocType: Work Order,Planned Operating Cost,የታቀደ ስርዓተ ወጪ
 DocType: Academic Term,Term Start Date,የሚለው ቃል መጀመሪያ ቀን
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,የሁሉም የገበያ ግብይቶች ዝርዝር
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,የሁሉም የገበያ ግብይቶች ዝርዝር
+DocType: Supplier,Is Transporter,ትራንስፖርተር ነው
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ክፍያ ከተሰየመ የሽያጭ ደረሰኝ አስገባ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp ቆጠራ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,ሁለቱም የፍርድ ሂደት የመጀመሪያ ቀን እና ሙከራ ክፍለ ጊዜ ማብቂያ ቀን መዘጋጀት አለበት
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,አማካኝ ደረጃ
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ጠቅላላ የክፍያ መጠን በክፍያ ሠንጠረዥ ውስጥ ከትልቅ / ጠቅላላ ድምር ጋር መሆን አለበት
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ጠቅላላ የክፍያ መጠን በክፍያ ሠንጠረዥ ውስጥ ከትልቅ / ጠቅላላ ድምር ጋር መሆን አለበት
 DocType: Subscription Plan Detail,Plan,ዕቅድ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,አጠቃላይ የሒሳብ መዝገብ መሠረት የባንክ መግለጫ ቀሪ
 DocType: Job Applicant,Applicant Name,የአመልካች ስም
@@ -5839,7 +5909,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,ምንጭ መጋዘን ላይ ይገኛል ብዛት
 apps/erpnext/erpnext/config/support.py +22,Warranty,ዋስ
 DocType: Purchase Invoice,Debit Note Issued,ዴት ማስታወሻ ቀርቧል
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,በ &quot;Cost Center&quot; ላይ የተመሠረተና ማጣሪያ የሚካሄደው የበጀት እክል ከበሽታ ማዕከል ጋር ከተመረመረ ብቻ ነው
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,በ &quot;Cost Center&quot; ላይ የተመሠረተና ማጣሪያ የሚካሄደው የበጀት እክል ከበሽታ ማዕከል ጋር ከተመረመረ ብቻ ነው
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","በንጥል ኮድ, መለያ ቁጥር, ባክ ቁጥር ወይም ባርኮድ ይፈልጉ"
 DocType: Work Order,Warehouses,መጋዘኖችን
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} ንብረት ማስተላለፍ አይቻልም
@@ -5850,9 +5920,9 @@
 DocType: Workstation,per hour,በ ሰዓት
 DocType: Blanket Order,Purchasing,የግዥ
 DocType: Announcement,Announcement,ማስታወቂያ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,የደንበኛ LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,የደንበኛ LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ባች የተመሠረተ የተማሪዎች ቡድን ለማግኘት, የተማሪዎች ባች በ ፕሮግራም ምዝገባ ከ እያንዳንዱ ተማሪ ሊረጋገጥ ይሆናል."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,የአክሲዮን የመቁጠር ግቤት ይህን መጋዘን የለም እንደ መጋዘን ሊሰረዝ አይችልም.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,የአክሲዮን የመቁጠር ግቤት ይህን መጋዘን የለም እንደ መጋዘን ሊሰረዝ አይችልም.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,ስርጭት
 DocType: Journal Entry Account,Loan,ብድር
 DocType: Expense Claim Advance,Expense Claim Advance,የወጪ ማሳሰቢያ ቅደም ተከተል
@@ -5861,7 +5931,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,ፕሮጀክት ሥራ አስኪያጅ
 ,Quoted Item Comparison,የተጠቀሰ ንጥል ንጽጽር
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},በ {0} እና በ {1} መካከል በማቀናጀት ይደራረቡ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,የደንበኞች አገልግሎት
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,የደንበኞች አገልግሎት
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,ንጥል የሚፈቀደው ከፍተኛ ቅናሽ: {0} {1}% ነው
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,የተጣራ የንብረት እሴት ላይ
 DocType: Crop,Produce,ምርት
@@ -5871,20 +5941,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,ለመግጫ ቁሳቁሶች
 DocType: Item Alternative,Alternative Item Code,አማራጭ የንጥል ኮድ
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ካልተዋቀረ የብድር ገደብ መብለጥ መሆኑን ግብይቶችን ማቅረብ አይፈቀድም ነው ሚና.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,ለማምረት ንጥሎች ይምረጡ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,ለማምረት ንጥሎች ይምረጡ
 DocType: Delivery Stop,Delivery Stop,የማድረስ ማቆሚያ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል"
 DocType: Item,Material Issue,ቁሳዊ ችግር
 DocType: Employee Education,Qualification,እዉቀት
 DocType: Item Price,Item Price,ንጥል ዋጋ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,ሳሙና እና ሳሙና
 DocType: BOM,Show Items,አሳይ ንጥሎች
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,ከጊዜ ወደ ጊዜ በላይ ሊሆን አይችልም.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,ሁሉንም ደንበኞች በኢሜል ማሳወቅ ይፈልጋሉ?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,ሁሉንም ደንበኞች በኢሜል ማሳወቅ ይፈልጋሉ?
 DocType: Subscription Plan,Billing Interval,የማስከፈያ ልዩነት
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,የተንቀሳቃሽ ምስል እና ቪዲዮ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,የዕቃው መረጃ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,ትክክለኛው የመጀመሪያ ቀን እና የመጨረሻው የመጨረሻ ቀን ግዴታ ነው
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ደንበኛ&gt; የሽያጭ ቡድን&gt; ግዛት
 DocType: Salary Detail,Component,ክፍል
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,ረድፍ {0}: {1} ከ 0 በላይ መሆን አለበት
 DocType: Assessment Criteria,Assessment Criteria Group,የግምገማ መስፈርት ቡድን
@@ -5915,11 +5986,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,ከማቅረብ በፊት የባንኩ ወይም የአበዳሪ ተቋሙ ስም ያስገቡ.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} መቅረብ አለበት
 DocType: POS Profile,Item Groups,ንጥል ቡድኖች
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,ዛሬ {0} »ን የልደት ቀን ነው!
 DocType: Sales Order Item,For Production,ለምርት
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,ቀሪ ሂሳብ በሂሳብ ውስጥ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,እባክዎ በመለያዎች ሰንጠረዥ ውስጥ ጊዜያዊ የመክፈቻ መለያ ያክሉ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,እባክዎ በመለያዎች ሰንጠረዥ ውስጥ ጊዜያዊ የመክፈቻ መለያ ያክሉ
 DocType: Customer,Customer Primary Contact,የደንበኛ ዋና ደረጃ ግንኙነት
 DocType: Project Task,View Task,ይመልከቱ ተግባር
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / በእርሳስ%
@@ -5932,11 +6002,11 @@
 DocType: Sales Invoice,Get Advances Received,እድገት ተቀብሏል ያግኙ
 DocType: Email Digest,Add/Remove Recipients,ተቀባዮች አክል / አስወግድ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",", ነባሪ በዚህ በጀት ዓመት ለማዘጋጀት &#39;ነባሪ አዘጋጅ »ላይ ጠቅ ያድርጉ"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,የ TDS ተቀንሷል
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,የ TDS ተቀንሷል
 DocType: Production Plan,Include Subcontracted Items,ንዐስ የተሠሩ ንጥሎችን አካትት
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,ተቀላቀል
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,እጥረት ብዛት
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,ተቀላቀል
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,እጥረት ብዛት
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ
 DocType: Loan,Repay from Salary,ደመወዝ ከ ልከፍለው
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},ላይ ክፍያ በመጠየቅ ላይ {0} {1} መጠን ለ {2}
 DocType: Additional Salary,Salary Slip,የቀጣሪ
@@ -5952,7 +6022,7 @@
 DocType: Patient,Dormant,ዋልጌ
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ለማይሰረደ ተቀጣሪ ሠራተኛ ጥቅማጥቅሞችን ግብር ይቀንሳል
 DocType: Salary Slip,Total Interest Amount,ጠቅላላ የወለድ መጠን
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መጋዘኖችን ያሰኘንን ወደ ሊቀየር አይችልም
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መጋዘኖችን ያሰኘንን ወደ ሊቀየር አይችልም
 DocType: BOM,Manage cost of operations,ስራዎች ወጪ ያቀናብሩ
 DocType: Accounts Settings,Stale Days,የቆዳ ቀናቶች
 DocType: Travel Itinerary,Arrival Datetime,የመድረሻ ወቅት
@@ -5964,7 +6034,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,ግምገማ ውጤት ዝርዝር
 DocType: Employee Education,Employee Education,የሰራተኛ ትምህርት
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,ንጥል ቡድን ሠንጠረዥ ውስጥ አልተገኘም አባዛ ንጥል ቡድን
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,ይህ የዕቃው መረጃ ማምጣት ያስፈልጋል.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,ይህ የዕቃው መረጃ ማምጣት ያስፈልጋል.
 DocType: Fertilizer,Fertilizer Name,የማዳበሪያ ስም
 DocType: Salary Slip,Net Pay,የተጣራ ክፍያ
 DocType: Cash Flow Mapping Accounts,Account,ሒሳብ
@@ -5975,14 +6045,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,በነፊጦቹ የይገባኛል ጥያቄ ላይ የተለየ ክፍያን ይፍጠሩ
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),ትኩሳት (የሙቀት&gt; 38.5 ° ሴ / 101.3 ° ፋ ወይም ዘላቂነት&gt; 38 ° C / 100.4 ° ፋ)
 DocType: Customer,Sales Team Details,የሽያጭ ቡድን ዝርዝሮች
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,እስከመጨረሻው ይሰረዝ?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,እስከመጨረሻው ይሰረዝ?
 DocType: Expense Claim,Total Claimed Amount,ጠቅላላ የቀረበበት የገንዘብ መጠን
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,መሸጥ የሚሆን እምቅ ዕድል.
 DocType: Shareholder,Folio no.,ፎሊዮ ቁጥር.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},ልክ ያልሆነ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,የህመም ጊዜ የስራ ዕረፍት ፍቃድ
 DocType: Email Digest,Email Digest,የኢሜይል ጥንቅር
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,አይደሉም
 DocType: Delivery Note,Billing Address Name,አከፋፈል አድራሻ ስም
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,መምሪያ መደብሮች
 ,Item Delivery Date,የንጥል ማቅረብ ቀን
@@ -5998,16 +6067,16 @@
 DocType: Account,Chargeable,እንዳንከብድበት
 DocType: Company,Change Abbreviation,ለውጥ ምህፃረ ቃል
 DocType: Contract,Fulfilment Details,የማሟያ ዝርዝሮች
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},ይክፈሉ {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},ይክፈሉ {0} {1}
 DocType: Employee Onboarding,Activities,እንቅስቃሴዎች
 DocType: Expense Claim Detail,Expense Date,የወጪ ቀን
 DocType: Item,No of Months,የወሮች ብዛት
 DocType: Item,Max Discount (%),ከፍተኛ ቅናሽ (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,የብድር ቀናት አሉታዊ ቁጥር ሊሆን አይችልም
-DocType: Sales Invoice Item,Service Stop Date,የአገልግሎት ቀን አቁም
+DocType: Purchase Invoice Item,Service Stop Date,የአገልግሎት ቀን አቁም
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,የመጨረሻ ትዕዛዝ መጠን
 DocType: Cash Flow Mapper,e.g Adjustments for:,ለምሳሌ: ማስተካከያዎች ለ:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} ናሙና ጠብቅ በቅደም ተከተል ላይ የተመሠረተ ነው, እባክዎን የንጥል ናሙና ለመያዝ ጨርቅ ቁጥር ይፈትሹ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} ናሙና ጠብቅ በቅደም ተከተል ላይ የተመሠረተ ነው, እባክዎን የንጥል ናሙና ለመያዝ ጨርቅ ቁጥር ይፈትሹ"
 DocType: Task,Is Milestone,ያበረከተ ነው
 DocType: Certification Application,Yet to appear,ገና ይታያል
 DocType: Delivery Stop,Email Sent To,ኢሜይል ተልኳል
@@ -6015,16 +6084,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,በ &quot;የሒሳብ መዝገብ&quot; ውስጥ የወጪ ማዕከሉን ይፍቀዱ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,በነበረው ሂሳብ ያዋህዳል
 DocType: Budget,Warn,አስጠንቅቅ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,ሁሉም ነገሮች ለዚህ የሥራ ትዕዛዝ ተላልፈዋል.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,ሁሉም ነገሮች ለዚህ የሥራ ትዕዛዝ ተላልፈዋል.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","ሌሎች ማንኛውም አስተያየት, መዝገቦች ውስጥ መሄድ ዘንድ ትኩረት የሚስብ ጥረት."
 DocType: Asset Maintenance,Manufacturing User,ማኑፋክቸሪንግ ተጠቃሚ
 DocType: Purchase Invoice,Raw Materials Supplied,ጥሬ እቃዎች አቅርቦት
 DocType: Subscription Plan,Payment Plan,የክፍያ ዕቅድ
 DocType: Shopping Cart Settings,Enable purchase of items via the website,በድር ጣቢያ በኩል ንጥሎችን መግዛትን አንቃ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},የዋጋ ዝርዝር {0} ልኬት {1} ወይም {2} መሆን አለበት
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,የምዝገባ አስተዳደር
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,የምዝገባ አስተዳደር
 DocType: Appraisal,Appraisal Template,ግምገማ አብነት
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,ኮድ ለመሰየም
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,ኮድ ለመሰየም
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,መርሃግብር በጊዜ መርሐግብር በመጠቀም የጊዜ ሰሌዳ ማመዛዘኛ መርሃ ግብርን ለማንቃት ይህን ያረጋግጡ
 DocType: Item Group,Item Classification,ንጥል ምደባ
@@ -6034,6 +6103,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,የህመምተኞች ምዝገባ ደረሰኝ
 DocType: Crop,Period,ወቅት
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,አጠቃላይ የሒሳብ መዝገብ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,እስከ የፊስካል አመት
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,ይመልከቱ እርሳሶች
 DocType: Program Enrollment Tool,New Program,አዲስ ፕሮግራም
 DocType: Item Attribute Value,Attribute Value,ዋጋ ይስጡ
@@ -6041,11 +6111,11 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test_list.js +16,Create Multiple,ብዙን ፍጠር
 ,Itemwise Recommended Reorder Level,Itemwise አስይዝ ደረጃ የሚመከር
 DocType: Salary Detail,Salary Detail,ደመወዝ ዝርዝር
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,በመጀመሪያ {0} እባክዎ ይምረጡ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,በመጀመሪያ {0} እባክዎ ይምረጡ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,የታከሉ {0} ተጠቃሚዎች
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","በባለብዙ ደረጃ መርሃግብር ሁኔታ, ደንበኞች በተጠቀሱት ወጪ መሰረት ለተሰጣቸው ደረጃ ደረጃ በራስ መተላለፍ ይኖራቸዋል"
 DocType: Appointment Type,Physician,ሐኪም
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,ንጥል ባች {0} {1} ጊዜው አልፎበታል.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,ንጥል ባች {0} {1} ጊዜው አልፎበታል.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,ምክክሮች
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,ተጠናቅቋል
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","የዝርዝር ዋጋ በዝርዝር ዋጋ, አቅራቢ / ደንበኛ, ምንዛሬ, ንጥል, UOM, Qty እና Dates ላይ ተመስርቶ ብዙ ጊዜ ይመጣል."
@@ -6053,22 +6123,21 @@
 DocType: Certification Application,Name of Applicant,የአመልካች ስም
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,የአምራች ሰዓት ሉህ.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ድምር
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,ከምርት ግብይት በኋላ ተለዋዋጭ ባህሪያትን መለወጥ አይቻልም. ይህን ለማድረግ አዲስ ንጥል ማዘጋጀት ይኖርብዎታል.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,ከምርት ግብይት በኋላ ተለዋዋጭ ባህሪያትን መለወጥ አይቻልም. ይህን ለማድረግ አዲስ ንጥል ማዘጋጀት ይኖርብዎታል.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,የ GoCardless SEPA ኃላፊ
 DocType: Healthcare Practitioner,Charges,ክፍያዎች
 DocType: Production Plan,Get Items For Work Order,ለስራ ትእዛዝ ዕቃዎችን ያግኙ
 DocType: Salary Detail,Default Amount,ነባሪ መጠን
 DocType: Lab Test Template,Descriptive,ገላጭ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,መጋዘን ሥርዓት ውስጥ አልተገኘም
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,በዚህ ወር የሰጠው ማጠቃለያ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,በዚህ ወር የሰጠው ማጠቃለያ
 DocType: Quality Inspection Reading,Quality Inspection Reading,የጥራት ምርመራ ንባብ
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`እሰር አክሲዮኖች የቆየ Than`% d ቀኖች ያነሰ መሆን ይኖርበታል.
 DocType: Tax Rule,Purchase Tax Template,የግብር አብነት ግዢ
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,ለኩባንያዎ ሊያገኙት የሚፈልጉትን የሽያጭ ግብ ያዘጋጁ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,የጤና እንክብካቤ አገልግሎቶች
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,የጤና እንክብካቤ አገልግሎቶች
 ,Project wise Stock Tracking,ፕሮጀክት ጥበበኛ የአክሲዮን ክትትል
 DocType: GST HSN Code,Regional,ክልላዊ
-DocType: Delivery Note,Transport Mode,የመጓጓዣ ሁነታ
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,ላቦራቶሪ
 DocType: UOM Category,UOM Category,የኡሞድ ምድብ
 DocType: Clinical Procedure Item,Actual Qty (at source/target),(ምንጭ / ዒላማ ላይ) ትክክለኛ ብዛት
@@ -6091,17 +6160,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,ድር ጣቢያ መፍጠር አልተሳካም
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ልወጣ ዝርዝር
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,የማቆየት የውጭ አክሲዮን ቀድሞውኑ ተፈጥሯል ወይም ናሙና አልቀረበም
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,የማቆየት የውጭ አክሲዮን ቀድሞውኑ ተፈጥሯል ወይም ናሙና አልቀረበም
 DocType: Program,Program Abbreviation,ፕሮግራም ምህፃረ ቃል
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,የምርት ትዕዛዝ አንድ ንጥል መለጠፊያ ላይ ይነሣሉ አይችልም
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ክፍያዎች እያንዳንዱ ንጥል ላይ የግዢ ደረሰኝ ውስጥ መዘመን ነው
 DocType: Warranty Claim,Resolved By,በ የተፈታ
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,መርሃግብር መውጣት
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques እና ተቀማጭ ትክክል ጸድቷል
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,መለያ {0}: አንተ ወላጅ መለያ ራሱን እንደ መመደብ አይችሉም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,መለያ {0}: አንተ ወላጅ መለያ ራሱን እንደ መመደብ አይችሉም
 DocType: Purchase Invoice Item,Price List Rate,የዋጋ ዝርዝር ተመን
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,የደንበኛ ጥቅሶችን ፍጠር
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,የአገልግሎት ቀን ማብቂያ ቀን የአገልግሎት ማብቂያ ቀን መሆን አይችልም
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,የአገልግሎት ቀን ማብቂያ ቀን የአገልግሎት ማብቂያ ቀን መሆን አይችልም
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",&quot;ክምችት ላይ አለ&quot; ወይም በዚህ መጋዘን ውስጥ ይገኛል በክምችት ላይ የተመሠረተ &quot;አይደለም የአክሲዮን ውስጥ&quot; አሳይ.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ዕቃዎች መካከል ቢል (BOM)
 DocType: Item,Average time taken by the supplier to deliver,አቅራቢው የተወሰደው አማካይ ጊዜ ለማቅረብ
@@ -6113,11 +6182,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ሰዓቶች
 DocType: Project,Expected Start Date,የሚጠበቀው መጀመሪያ ቀን
 DocType: Purchase Invoice,04-Correction in Invoice,04-በቅርስ ውስጥ ማስተካከያ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,የሥራ ቦርድ ቀደም ሲል ለ BOM ከተዘጋጁ ነገሮች ሁሉ ቀድሞ ተፈጥሯል
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,የሥራ ቦርድ ቀደም ሲል ለ BOM ከተዘጋጁ ነገሮች ሁሉ ቀድሞ ተፈጥሯል
 DocType: Payment Request,Party Details,የፓርቲ ዝርዝሮች
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,የተራዘመ የዝርዝር ሪፖርት
 DocType: Setup Progress Action,Setup Progress Action,የማዘጋጀት ሂደት የእንቅስቃሴ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,የዋጋ ዝርዝርን መግዛት
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,የዋጋ ዝርዝርን መግዛት
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ክስ ይህ ንጥል ተገቢነት አይደለም ከሆነ ንጥል አስወግድ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,የደንበኝነት ምዝገባን ተወው
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,እባክዎ የጥገና ሁኔታ እንደተጠናቀቀ ይምረጡ ወይም የተጠናቀቀው ቀንን ያስወግዱ
@@ -6135,7 +6204,7 @@
 DocType: Asset,Disposal Date,ማስወገድ ቀን
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","እነርሱ በዓል ከሌለዎት ኢሜይሎችን, በተሰጠው ሰዓት ላይ ኩባንያ ሁሉ ንቁ ሠራተኞች ይላካል. ምላሾች ማጠቃለያ እኩለ ሌሊት ላይ ይላካል."
 DocType: Employee Leave Approver,Employee Leave Approver,የሰራተኛ ፈቃድ አጽዳቂ
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},ረድፍ {0}: አንድ አስይዝ ግቤት አስቀድመው የዚህ መጋዘን ለ አለ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},ረድፍ {0}: አንድ አስይዝ ግቤት አስቀድመው የዚህ መጋዘን ለ አለ {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","ትዕምርተ ተደርጓል ምክንያቱም, እንደ የጠፋ ማወጅ አይቻልም."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP መለያ
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,ስልጠና ግብረ መልስ
@@ -6147,7 +6216,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ቀን ወደ ቀን ጀምሮ በፊት መሆን አይችልም
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,የክፍል ግርጌ
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ አርትዕ ዋጋዎች አክል
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ አርትዕ ዋጋዎች አክል
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,የሰራተኛ ማስተዋወቂያ ማስተዋወቂያ ቀን ከማለቁ በፊት መቅረብ አይችልም
 DocType: Batch,Parent Batch,የወላጅ ባች
 DocType: Cheque Print Template,Cheque Print Template,ቼክ የህትመት አብነት
@@ -6157,6 +6226,7 @@
 DocType: Clinical Procedure Template,Sample Collection,የናሙና ስብስብ
 ,Requested Items To Be Ordered,ተጠይቋል ንጥሎች ሊደረደር ወደ
 DocType: Price List,Price List Name,የዋጋ ዝርዝር ስም
+DocType: Delivery Stop,Dispatch Information,የመልዕክት ልውውጥ
 DocType: Blanket Order,Manufacturing,ማኑፋክቸሪንግ
 ,Ordered Items To Be Delivered,የዕቃው ንጥሎች እስኪደርስ ድረስ
 DocType: Account,Income,ገቢ
@@ -6175,17 +6245,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} ውስጥ አስፈላጊ {2} ላይ {3} {4} {5} ይህን ግብይት ለማጠናቀቅ ለ አሃዶች.
 DocType: Fee Schedule,Student Category,የተማሪ ምድብ
 DocType: Announcement,Student,ተማሪ
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ወደ መጀመሪያው አሠራር የሽያጭ መጠን በአቅራቢው ውስጥ አይገኝም. የአክሲዮን ውክልና ለመመዝገብ ይፈልጋሉ
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ወደ መጀመሪያው አሠራር የሽያጭ መጠን በአቅራቢው ውስጥ አይገኝም. የአክሲዮን ውክልና ለመመዝገብ ይፈልጋሉ
 DocType: Shipping Rule,Shipping Rule Type,የመርከብ ደንብ ዓይነት
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,ወደ ክፍሎች ይሂዱ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","ኩባንያ, የክፍያ ሂሳብ, ከምርጫ እና ከቀን ወደ ቀን ግዴታ ነው"
 DocType: Company,Budget Detail,የበጀት ዝርዝር
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ከመላክዎ በፊት መልዕክት ያስገቡ
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,አቅራቢ የተባዙ
-DocType: Email Digest,Pending Quotations,ጥቅሶች በመጠባበቅ ላይ
-DocType: Delivery Note,Distance (KM),ርቀት (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,አቅራቢ&gt; የአቅራቢ ቡድን
 DocType: Asset,Custodian,ጠባቂ
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,ነጥብ-መካከል-ሽያጭ መገለጫ
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,ነጥብ-መካከል-ሽያጭ መገለጫ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} በ 0 እና 100 መካከል የሆነ እሴት መሆን አለበት
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},የ {0} ክፍያ ከ {1} እስከ {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,ደህንነቱ ያልተጠበቀ ብድሮች
@@ -6217,10 +6286,10 @@
 DocType: Lead,Converted,የተቀየሩ
 DocType: Item,Has Serial No,ተከታታይ ምንም አለው
 DocType: Employee,Date of Issue,የተሰጠበት ቀን
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","የ ሊገዙ ቅንብሮች መሰረት የግዥ Reciept ያስፈልጋል == &#39;አዎ&#39; ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ደረሰኝ መፍጠር አለብዎት ከሆነ {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","የ ሊገዙ ቅንብሮች መሰረት የግዥ Reciept ያስፈልጋል == &#39;አዎ&#39; ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ደረሰኝ መፍጠር አለብዎት ከሆነ {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},የረድፍ # {0}: ንጥል አዘጋጅ አቅራቢው {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,ረድፍ {0}: ሰዓቶች ዋጋ ከዜሮ በላይ መሆን አለበት.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,ንጥል {1} ጋር ተያይዞ ድር ጣቢያ ምስል {0} ሊገኝ አልቻለም
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,ንጥል {1} ጋር ተያይዞ ድር ጣቢያ ምስል {0} ሊገኝ አልቻለም
 DocType: Issue,Content Type,የይዘት አይነት
 DocType: Asset,Assets,ንብረቶች
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,ኮምፕዩተር
@@ -6231,7 +6300,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} የለም
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,ሌሎች የምንዛሬ ጋር መለያዎች አትፍቀድ ወደ ባለብዙ የምንዛሬ አማራጭ ያረጋግጡ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ንጥል: {0} ሥርዓት ውስጥ የለም
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,አንተ ቀጥ እሴት ለማዘጋጀት ፍቃድ አይደለም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,አንተ ቀጥ እሴት ለማዘጋጀት ፍቃድ አይደለም
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled ግቤቶችን ያግኙ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},ተቀጣሪ {0} በርቷል {1} ላይ
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,ለጆርናሉ ምዝገባ ምንም ተመላሽ ገንዘቦች አልተመረጡም
@@ -6249,13 +6318,14 @@
 ,Average Commission Rate,አማካኝ ኮሚሽን ተመን
 DocType: Share Balance,No of Shares,የአክስቶች ቁጥር
 DocType: Taxable Salary Slab,To Amount,መጠን
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;አዎ&#39; መሆን ያልሆኑ-የአክሲዮን ንጥል አይችልም &#39;መለያ ምንም አለው&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;አዎ&#39; መሆን ያልሆኑ-የአክሲዮን ንጥል አይችልም &#39;መለያ ምንም አለው&#39;
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,ሁኔታን ይምረጡ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,በስብሰባው ወደፊት ቀናት ምልክት ሊሆን አይችልም
 DocType: Support Search Source,Post Description Key,የልኡክ ጽሁፍ ማብራሪያ ቁልፍ
 DocType: Pricing Rule,Pricing Rule Help,የዋጋ አሰጣጥ ደንብ እገዛ
 DocType: School House,House Name,ቤት ስም
 DocType: Fee Schedule,Total Amount per Student,የተማሪ ጠቅላላ ድምር በተማሪ
+DocType: Opportunity,Sales Stage,የሽያጭ ደረጃ
 DocType: Purchase Taxes and Charges,Account Head,መለያ ኃላፊ
 DocType: Company,HRA Component,HRA አካል
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,ኤሌክትሪክ
@@ -6263,15 +6333,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),ጠቅላላ ዋጋ ያለው ልዩነት (ውጭ - ውስጥ)
 DocType: Grant Application,Requested Amount,የተጠየቀው መጠን
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,ረድፍ {0}: ምንዛሪ ተመን የግዴታ ነው
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},የተጠቃሚ መታወቂያ ሰራተኛ ለ ካልተዋቀረ {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},የተጠቃሚ መታወቂያ ሰራተኛ ለ ካልተዋቀረ {0}
 DocType: Vehicle,Vehicle Value,የተሽከርካሪ ዋጋ
 DocType: Crop Cycle,Detected Diseases,የተገኙ በሽታዎች
 DocType: Stock Entry,Default Source Warehouse,ነባሪ ምንጭ መጋዘን
 DocType: Item,Customer Code,የደንበኛ ኮድ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},ለ የልደት አስታዋሽ {0}
 DocType: Asset Maintenance Task,Last Completion Date,መጨረሻ የተጠናቀቀበት ቀን
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,የመጨረሻ ትዕዛዝ ጀምሮ ቀናት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,መለያ ወደ ዴቢት አንድ ሚዛን ሉህ መለያ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,መለያ ወደ ዴቢት አንድ ሚዛን ሉህ መለያ መሆን አለበት
 DocType: Asset,Naming Series,መሰየምን ተከታታይ
 DocType: Vital Signs,Coated,የተሸፈነው
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ረድፍ {0}: ከተመዘገበ በኋላ የሚጠበቀው ዋጋ ከዋጋ ግዢ መጠን ያነሰ መሆን አለበት
@@ -6289,15 +6358,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,የመላኪያ ማስታወሻ {0} መቅረብ የለበትም
 DocType: Notification Control,Sales Invoice Message,የሽያጭ ደረሰኝ መልዕክት
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,መለያ {0} መዝጊያ አይነት ተጠያቂነት / ፍትህ መሆን አለበት
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},ሠራተኛ ደመወዝ ማዘዥ {0} አስቀድሞ ጊዜ ወረቀት የተፈጠሩ {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},ሠራተኛ ደመወዝ ማዘዥ {0} አስቀድሞ ጊዜ ወረቀት የተፈጠሩ {1}
 DocType: Vehicle Log,Odometer,ቆጣሪው
 DocType: Production Plan Item,Ordered Qty,የዕቃው መረጃ ብዛት
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,ንጥል {0} ተሰናክሏል
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,ንጥል {0} ተሰናክሏል
 DocType: Stock Settings,Stock Frozen Upto,የክምችት Frozen እስከሁለት
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM ማንኛውም የአክሲዮን ንጥል አልያዘም
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM ማንኛውም የአክሲዮን ንጥል አልያዘም
 DocType: Chapter,Chapter Head,የምዕራፍ ራስ
 DocType: Payment Term,Month(s) after the end of the invoice month,በወሩ ደረሰኝ ወሩ መጨረሻ ላይ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,የደመወዝ መዋቅሩ ጥቅማጥቅሞችን ለማሟላት የተቀናጀ ጥቅማ ጥቅም አካል (ዎች) ሊኖረው ይገባል
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,የደመወዝ መዋቅሩ ጥቅማጥቅሞችን ለማሟላት የተቀናጀ ጥቅማ ጥቅም አካል (ዎች) ሊኖረው ይገባል
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,የፕሮጀክት እንቅስቃሴ / ተግባር.
 DocType: Vital Signs,Very Coated,በጣም የቆየ
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),የግብር ማስከፈል ኃላፊነት ብቻ (ታክስ የሚከፈል ገቢ አካል ሊሆን አይችልም)
@@ -6315,7 +6384,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,አከፋፈል ሰዓቶች
 DocType: Project,Total Sales Amount (via Sales Order),ጠቅላላ የሽያጭ መጠን (በሽያጭ ትእዛዝ)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} አልተገኘም ነባሪ BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,የረድፍ # {0}: ዳግምስርዓትአስይዝ ብዛት ማዘጋጀት እባክዎ
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,የረድፍ # {0}: ዳግምስርዓትአስይዝ ብዛት ማዘጋጀት እባክዎ
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,እዚህ ላይ ማከል ንጥሎችን መታ
 DocType: Fees,Program Enrollment,ፕሮግራም ምዝገባ
 DocType: Share Transfer,To Folio No,ለ Folio ቁጥር
@@ -6355,9 +6424,9 @@
 DocType: SG Creation Tool Course,Max Strength,ከፍተኛ ጥንካሬ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,ቅድመ-ቅምዶችን በመጫን ላይ
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-yYYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ለደንበኛ {@} ለማድረስ የማድረሻ መላኪያ አልተሰጠም
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ለደንበኛ {@} ለማድረስ የማድረሻ መላኪያ አልተሰጠም
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,ተቀጣሪ / ሰራተኛ {0} ከፍተኛውን ጥቅም የለውም
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,በሚላክበት ቀን መሰረት የሆኑ ንጥሎችን ይምረጡ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,በሚላክበት ቀን መሰረት የሆኑ ንጥሎችን ይምረጡ
 DocType: Grant Application,Has any past Grant Record,ከዚህ በፊት የተመዝጋቢ መዝገብ አለው
 ,Sales Analytics,የሽያጭ ትንታኔ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ይገኛል {0}
@@ -6365,12 +6434,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,ማኑፋክቸሪንግ ቅንብሮች
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ኢሜይል በማቀናበር ላይ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 ተንቀሳቃሽ አይ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,የኩባንያ መምህር ውስጥ ነባሪ ምንዛሬ ያስገቡ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,የኩባንያ መምህር ውስጥ ነባሪ ምንዛሬ ያስገቡ
 DocType: Stock Entry Detail,Stock Entry Detail,የክምችት Entry ዝርዝር
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,ዕለታዊ አስታዋሾች
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,ዕለታዊ አስታዋሾች
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,ሁሉንም የተከፈቱ ትኬቶች ይመልከቱ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,የጤና እንክብካቤ አገልግሎት የቡድን ዛፍ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,ምርት
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,ምርት
 DocType: Products Settings,Home Page is Products,መነሻ ገጽ ምርቶች ነው
 ,Asset Depreciation Ledger,የንብረት ዋጋ መቀነስ የሒሳብ መዝገብ
 DocType: Salary Structure,Leave Encashment Amount Per Day,የክፍያ መጠን በየቀኑ ይውሰዱ
@@ -6380,8 +6449,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ጥሬ እቃዎች አቅርቦት ወጪ
 DocType: Selling Settings,Settings for Selling Module,ሞዱል መሸጥ ቅንብሮች
 DocType: Hotel Room Reservation,Hotel Room Reservation,የሆቴል ክፍል ማስያዣ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,የደንበኞች ግልጋሎት
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,የደንበኞች ግልጋሎት
 DocType: BOM,Thumbnail,ድንክዬ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ከኢሜይል መታወቂያዎች ጋር ምንም ዕውቂያዎች አልተገኙም.
 DocType: Item Customer Detail,Item Customer Detail,ንጥል የደንበኛ ዝርዝር
 DocType: Notification Control,Prompt for Email on Submission of,ማቅረቢያ ላይ ኢሜይል ለ ሊጠይቃቸው
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},ከፍተኛ የደመወዝ መጠን {0} ከ {1}
@@ -6391,13 +6461,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ንጥል {0} ከአክሲዮን ንጥል መሆን አለበት
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,የሂደት መጋዘን ውስጥ ነባሪ ሥራ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","ለ {0} የጊዜ ሰሌዳዎች መደቦች ተደራርበው, በተደጋጋሚ የተደባዙ ስሎዶች ከተዘለሉ በኋላ መቀጠል ይፈልጋሉ?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,የሂሳብ ግብይቶች ነባሪ ቅንብሮች.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,የሂሳብ ግብይቶች ነባሪ ቅንብሮች.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,ለጋስ ፍቃዶች
 DocType: Restaurant,Default Tax Template,ነባሪ የግብር አብነት
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} ተማሪዎች ተመዝግበዋል
 DocType: Fees,Student Details,የተማሪ ዝርዝሮች
 DocType: Purchase Invoice Item,Stock Qty,የአክሲዮን ብዛት
 DocType: Contract,Requires Fulfilment,መፈጸም ያስፈልገዋል
+DocType: QuickBooks Migrator,Default Shipping Account,ነባሪ የመላኪያ መለያ
 DocType: Loan,Repayment Period in Months,ወራት ውስጥ ብድር መክፈል ክፍለ ጊዜ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ስህተት: ልክ ያልሆነ መታወቂያ?
 DocType: Naming Series,Update Series Number,አዘምን ተከታታይ ቁጥር
@@ -6411,11 +6482,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,ከፍተኛ መጠን
 DocType: Journal Entry,Total Amount Currency,ጠቅላላ መጠን ምንዛሬ
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,የፍለጋ ንዑስ ትላልቅ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},ንጥል ኮድ ረድፍ ምንም ያስፈልጋል {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},ንጥል ኮድ ረድፍ ምንም ያስፈልጋል {0}
 DocType: GST Account,SGST Account,የ SGST መለያ
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,ወደ ንጥሎች ሂድ
 DocType: Sales Partner,Partner Type,የአጋርነት አይነት
-DocType: Purchase Taxes and Charges,Actual,ትክክለኛ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,ትክክለኛ
 DocType: Restaurant Menu,Restaurant Manager,የምግብ ቤት አደራጅ
 DocType: Authorization Rule,Customerwise Discount,Customerwise ቅናሽ
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,ተግባራት ለ Timesheet.
@@ -6436,7 +6507,7 @@
 DocType: Employee,Cheque,ቼክ
 DocType: Training Event,Employee Emails,የተቀጣሪ ኢሜይሎች
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,ተከታታይ የዘመነ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,ሪፖርት አይነት ግዴታ ነው
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,ሪፖርት አይነት ግዴታ ነው
 DocType: Item,Serial Number Series,መለያ ቁጥር ተከታታይ
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},የመጋዘን ረድፍ ውስጥ የአክሲዮን ንጥል {0} ግዴታ ነው {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,በችርቻሮ እና የጅምላ
@@ -6466,7 +6537,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,በሽያጭ ትእዛዝ ውስጥ የተከፈለ ሂሳብ ያዘምኑ
 DocType: BOM,Materials,እቃዎች
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ምልክት አልተደረገበትም ከሆነ, ዝርዝር ተግባራዊ መሆን አለበት የት እያንዳንዱ ክፍል መታከል አለባቸው."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,ቀን በመለጠፍ እና ሰዓት መለጠፍ ግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,ቀን በመለጠፍ እና ሰዓት መለጠፍ ግዴታ ነው
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ግብይቶች ለመግዛት የግብር አብነት.
 ,Item Prices,ንጥል ዋጋዎች
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,የ የግዢ ትዕዛዝ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል.
@@ -6482,12 +6553,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),ለንብረት አፈፃፀም ቅፅ (ተከታታይ ምልከታ) ዝርዝር
 DocType: Membership,Member Since,አባል ከ
 DocType: Purchase Invoice,Advance Payments,የቅድሚያ ክፍያዎች
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,እባክዎ የጤና እንክብካቤ አገልግሎትን ይምረጡ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,እባክዎ የጤና እንክብካቤ አገልግሎትን ይምረጡ
 DocType: Purchase Taxes and Charges,On Net Total,የተጣራ ጠቅላላ ላይ
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} አይነታ እሴት ክልል ውስጥ መሆን አለበት {1} ወደ {2} ላይ በመጨመር {3} ንጥል ለ {4}
 DocType: Restaurant Reservation,Waitlisted,ተጠባባቂ
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ነጻ የማድረግ ምድብ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,የመገበያያ ገንዘብ አንዳንድ ሌሎች የምንዛሬ በመጠቀም ግቤቶች በማድረጉ በኋላ ሊቀየር አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,የመገበያያ ገንዘብ አንዳንድ ሌሎች የምንዛሬ በመጠቀም ግቤቶች በማድረጉ በኋላ ሊቀየር አይችልም
 DocType: Shipping Rule,Fixed,ተጠግኗል
 DocType: Vehicle Service,Clutch Plate,ክላች ፕሌት
 DocType: Company,Round Off Account,መለያ ጠፍቷል በዙሪያቸው
@@ -6496,7 +6567,7 @@
 DocType: Subscription Plan,Based on price list,በዋጋ ዝርዝር ላይ ተመስርቶ
 DocType: Customer Group,Parent Customer Group,የወላጅ የደንበኞች ቡድን
 DocType: Vehicle Service,Change,ለዉጥ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,ምዝገባ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,ምዝገባ
 DocType: Purchase Invoice,Contact Email,የዕውቂያ ኢሜይል
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ክፍያ የሚፈጽም ክፍያ
 DocType: Appraisal Goal,Score Earned,የውጤት የተገኙ
@@ -6523,23 +6594,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,የሚሰበሰብ / ሊከፈል መለያ
 DocType: Delivery Note Item,Against Sales Order Item,የሽያጭ ትዕዛዝ ንጥል ላይ
 DocType: Company,Company Logo,የኩባንያ አርማ
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},አይነታ እሴት የአይነት ይግለጹ {0}
-DocType: Item Default,Default Warehouse,ነባሪ መጋዘን
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},አይነታ እሴት የአይነት ይግለጹ {0}
+DocType: QuickBooks Migrator,Default Warehouse,ነባሪ መጋዘን
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},በጀት ቡድን መለያ ላይ ሊመደብ አይችልም {0}
 DocType: Shopping Cart Settings,Show Price,ዋጋ አሳይ
 DocType: Healthcare Settings,Patient Registration,ታካሚ ምዝገባ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,ወላጅ የወጪ ማዕከል ያስገቡ
 DocType: Delivery Note,Print Without Amount,መጠን ያለ አትም
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,የእርጅና ቀን
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,የእርጅና ቀን
 ,Work Orders in Progress,የስራዎች በሂደት ላይ
 DocType: Issue,Support Team,የድጋፍ ቡድን
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(ቀኖች ውስጥ) የሚቃጠልበት
 DocType: Appraisal,Total Score (Out of 5),(5 ውጪ) አጠቃላይ ነጥብ
 DocType: Student Attendance Tool,Batch,ባች
 DocType: Support Search Source,Query Route String,የፍለጋ መንገድ ሕብረቁምፊ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,የዝማኔ ፍጥነት እንደ የመጨረሻው ግዢ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,የዝማኔ ፍጥነት እንደ የመጨረሻው ግዢ
 DocType: Donor,Donor Type,Donor Type
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,በቀጥታ ተዘምኗል
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,በቀጥታ ተዘምኗል
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,ሚዛን
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,እባክዎ ኩባንያውን ይምረጡ
 DocType: Job Card,Job Card,የስራ ካርድ
@@ -6553,7 +6624,7 @@
 DocType: Assessment Result,Total Score,አጠቃላይ ነጥብ
 DocType: Crop Cycle,ISO 8601 standard,የ ISO 8601 ደረጃ
 DocType: Journal Entry,Debit Note,ዴት ማስታወሻ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,በዚህ ትዕዛዝ ከፍተኛውን {0} ነጥቦች ብቻ ነው ማስመለስ የሚችሉት.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,በዚህ ትዕዛዝ ከፍተኛውን {0} ነጥቦች ብቻ ነው ማስመለስ የሚችሉት.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-yYYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,እባክዎ የኤ.ፒ. ኤተር የደንበኛ ሚስጥር ያስገቡ
 DocType: Stock Entry,As per Stock UOM,የክምችት UOM መሰረት
@@ -6566,10 +6637,11 @@
 DocType: Journal Entry,Total Debit,ጠቅላላ ዴቢት
 DocType: Travel Request Costing,Sponsored Amount,የተደገፈ መጠን
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,ነባሪ ጨርሷል ዕቃዎች መጋዘን
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,እባክዎ ታካሚን ይምረጡ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,እባክዎ ታካሚን ይምረጡ
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,የሽያጭ ሰው
 DocType: Hotel Room Package,Amenities,ምግቦች
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,በጀት እና ወጪ ማዕከል
+DocType: QuickBooks Migrator,Undeposited Funds Account,ተመላሽ ያልተደረገ የገንዘብ ሒሳብ
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,በጀት እና ወጪ ማዕከል
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,ባለብዙ ነባሪ የክፍያ ስልት አይፈቀድም
 DocType: Sales Invoice,Loyalty Points Redemption,የታማኝነት መክፈል ዋጋዎች
 ,Appointment Analytics,የቀጠሮ ትንታኔ
@@ -6583,6 +6655,7 @@
 DocType: Batch,Manufacturing Date,የማምረቻ ቀን
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,የአገልግሎት ክፍያ አልተሳካም
 DocType: Opening Invoice Creation Tool,Create Missing Party,ያመለጠውን ድግስ ይፍጠሩ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,ጠቅላላ በጀት
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,እርስዎ በዓመት ተማሪዎች ቡድኖች ለማድረግ ከሆነ ባዶ ይተዉት
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ከተመረጠ, ጠቅላላ የለም. የስራ ቀናት በዓላት ያካትታል; ይህም ደመወዝ በእያንዳንዱ ቀን ዋጋ እንዲቀንስ ያደርጋል"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","የአሁኑን ቁልፍ የሚጠቀሙ መተግበሪያዎች መዳረስ አይችሉም, እርግጠኛ ነዎት?"
@@ -6598,20 +6671,19 @@
 DocType: Opportunity Item,Basic Rate,መሰረታዊ ደረጃ
 DocType: GL Entry,Credit Amount,የብድር መጠን
 DocType: Cheque Print Template,Signatory Position,ፈራሚ የስራ መደቡ
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,የጠፋ እንደ አዘጋጅ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,የጠፋ እንደ አዘጋጅ
 DocType: Timesheet,Total Billable Hours,ጠቅላላ የሚከፈልበት ሰዓቶች
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ተመዝጋቢው በዚህ የደንበኝነት ምዝገባ የተፈጠሩ ደረሰኞችን መክፈል ያለባቸው ቀኖች
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,የሰራተኛ ጥቅማ ጥቅም ማመልከቻ
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,የክፍያ ደረሰኝ ማስታወሻ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ይሄ በዚህ የደንበኛ ላይ ግብይቶችን ላይ የተመሠረተ ነው. ዝርዝሮችን ለማግኘት ከታች ያለውን የጊዜ ይመልከቱ
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ረድፍ {0}: የተመደበ መጠን {1} ከ ያነሰ መሆን ወይም የክፍያ Entry መጠን ጋር እኩል መሆን አለበት {2}
 DocType: Program Enrollment Tool,New Academic Term,አዲስ የትምህርት ደረጃ
 ,Course wise Assessment Report,እርግጥ ጥበብ ግምገማ ሪፖርት
 DocType: Purchase Invoice,Availed ITC State/UT Tax,የ ITC ግዛት / ዩ ቲ ታክስ ተገኝቷል
 DocType: Tax Rule,Tax Rule,ግብር ደንብ
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,የሽያጭ ዑደት ዘመናት በሙሉ አንድ አይነት ተመን ይኑራችሁ
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,እባክዎ በ Marketplace ላይ ለመመዝገብ እባክዎ ሌላ ተጠቃሚ ይግቡ
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,እባክዎ በ Marketplace ላይ ለመመዝገብ እባክዎ ሌላ ተጠቃሚ ይግቡ
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ከገቢር የሥራ ሰዓት ውጪ ጊዜ መዝገቦች ያቅዱ.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,ወረፋ ውስጥ ደንበኞች
 DocType: Driver,Issuing Date,ቀንን በማቅረብ ላይ
@@ -6620,11 +6692,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,ለተጨማሪ ሂደት ይህን የሥራ ትዕዛዝ ያቅርቡ.
 ,Items To Be Requested,ንጥሎች ተጠይቋል መሆን ወደ
 DocType: Company,Company Info,የኩባንያ መረጃ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,ይምረጡ ወይም አዲስ ደንበኛ ለማከል
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,ይምረጡ ወይም አዲስ ደንበኛ ለማከል
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,በወጪ ማዕከል አንድ ወጪ የይገባኛል ጥያቄ መያዝ ያስፈልጋል
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ፈንድ (ንብረት) ውስጥ ማመልከቻ
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ይህ የዚህ ሰራተኛ መካከል በስብሰባው ላይ የተመሠረተ ነው
-DocType: Assessment Result,Summary,ማጠቃለያ
 DocType: Payment Request,Payment Request Type,የክፍያ መጠየቂያ ዓይነት
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ዴት መለያ
@@ -6632,7 +6703,7 @@
 DocType: Additional Salary,Employee Name,የሰራተኛ ስም
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,የምግብ ቤት ዕቃ ማስገቢያ ንጥል
 DocType: Purchase Invoice,Rounded Total (Company Currency),የከበበ ጠቅላላ (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,የመለያ አይነት ተመርጧል ነው ምክንያቱም ቡድን ጋር በድብቅ አይቻልም.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,የመለያ አይነት ተመርጧል ነው ምክንያቱም ቡድን ጋር በድብቅ አይቻልም.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} ተቀይሯል. እባክዎ ያድሱ.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,በሚቀጥሉት ቀኖች ላይ ፈቃድ መተግበሪያዎች በማድረጉ ተጠቃሚዎች አቁም.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",ለትክክለኛ ነጥቦች ያልተገደበ ጊዜ ካለብዎት የአገልግሎት ጊዜው ባዶውን ወይም 0ትን ያስቀምጡ.
@@ -6653,11 +6724,12 @@
 DocType: Asset,Out of Order,ከትዕዛዝ ውጪ
 DocType: Purchase Receipt Item,Accepted Quantity,ተቀባይነት ብዛት
 DocType: Projects Settings,Ignore Workstation Time Overlap,የትርፍ ሰአት ጊዜን መደራገርን ችላ ይበሉ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},የተቀጣሪ ነባሪ በዓል ዝርዝር ለማዘጋጀት እባክዎ {0} ወይም ኩባንያ {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},የተቀጣሪ ነባሪ በዓል ዝርዝር ለማዘጋጀት እባክዎ {0} ወይም ኩባንያ {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} ነው አይደለም አለ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,ምረጥ ባች ቁጥሮች
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,ወደ GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,ወደ GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ደንበኞች ከሞት ደረሰኞች.
+DocType: Healthcare Settings,Invoice Appointments Automatically,ደረሰኝ ቀጠሮዎች በራስ ሰር
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,የፕሮጀክት መታወቂያ
 DocType: Salary Component,Variable Based On Taxable Salary,በወታዊ የግብር ደመወዝ ላይ የተመሠረተ
 DocType: Company,Basic Component,መሠረታዊ ክፍል
@@ -6670,10 +6742,10 @@
 DocType: Stock Entry,Source Warehouse Address,ምንጭ የሱቅ ቤት አድራሻ
 DocType: GL Entry,Voucher Type,የቫውቸር አይነት
 DocType: Amazon MWS Settings,Max Retry Limit,ከፍተኛ ድጋሚ ገደብ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም
 DocType: Student Applicant,Approved,ጸድቋል
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,ዋጋ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} መዘጋጀት አለበት ላይ እፎይታ ሠራተኛ &#39;ግራ&#39; እንደ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} መዘጋጀት አለበት ላይ እፎይታ ሠራተኛ &#39;ግራ&#39; እንደ
 DocType: Marketplace Settings,Last Sync On,የመጨረሻው አስምር በርቷል
 DocType: Guardian,Guardian,ሞግዚት
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,እነዚህን ጨምሮ ጨምሮ ሁሉም ግንኙነቶች ወደ አዲሱ ጉዳይ ይንቀሳቀሳሉ
@@ -6696,14 +6768,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,በመስኩ ላይ የተገኙ የበሽታዎች ዝርዝር. ከተመረጠ በኋላ በሽታው ለመከላከል የሥራ ዝርዝርን ይጨምራል
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,ይህ ስር የሰደደ የጤና አገልግሎት አገልግሎት ክፍል ስለሆነ ማስተካከል አይቻልም.
 DocType: Asset Repair,Repair Status,የጥገና ሁኔታ
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,የሽያጭ አጋሮችን ያክሉ
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,ዲግሪ መጽሔት ግቤቶች.
 DocType: Travel Request,Travel Request,የጉዞ ጥያቄ
 DocType: Delivery Note Item,Available Qty at From Warehouse,መጋዘን ከ ላይ ይገኛል ብዛት
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,በመጀመሪያ የተቀጣሪ ሪኮርድ ይምረጡ.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,ለእይታዊ ጉብኝት ለ {0} ገቢ አልተደረገም.
 DocType: POS Profile,Account for Change Amount,ለውጥ መጠን መለያ
+DocType: QuickBooks Migrator,Connecting to QuickBooks,ወደ QuickBooks በማገናኘት ላይ
 DocType: Exchange Rate Revaluation,Total Gain/Loss,ጠቅላላ ገቢ / ኪሳራ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,ትክክለኛ ያልሆነ ኩባንያ ለድርጅት ኩባንያ ደረሰኝ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,ትክክለኛ ያልሆነ ኩባንያ ለድርጅት ኩባንያ ደረሰኝ.
 DocType: Purchase Invoice,input service,የግቤት አገልግሎት
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ረድፍ {0}: ፓርቲ / መለያዎ ጋር አይመሳሰልም {1} / {2} ውስጥ {3} {4}
 DocType: Employee Promotion,Employee Promotion,የሰራተኛ ማስተዋወቂያ
@@ -6712,12 +6786,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,የኮርስ ኮድ:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,የወጪ ሒሳብ ያስገቡ
 DocType: Account,Stock,አክሲዮን
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የግዢ ትዕዛዝ አንዱ, የግዥ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የግዢ ትዕዛዝ አንዱ, የግዥ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት"
 DocType: Employee,Current Address,ወቅታዊ አድራሻ
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","በግልጽ ካልተገለጸ በስተቀር ንጥል ከዚያም መግለጫ, ምስል, ዋጋ, ግብር አብነቱን ከ ማዘጋጀት ይሆናል ወዘተ ሌላ ንጥል ተለዋጭ ከሆነ"
 DocType: Serial No,Purchase / Manufacture Details,የግዢ / ማምረት ዝርዝሮች
 DocType: Assessment Group,Assessment Group,ግምገማ ቡድን
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,ባች ቆጠራ
+DocType: Supplier,GST Transporter ID,የ GST ትራንስፖርት መታወቂያ
 DocType: Procedure Prescription,Procedure Name,የአሠራር ስም
 DocType: Employee,Contract End Date,ውሌ መጨረሻ ቀን
 DocType: Amazon MWS Settings,Seller ID,የሻጭ መታወቂያ
@@ -6737,12 +6812,12 @@
 DocType: Company,Date of Incorporation,የተቀላቀለበት ቀን
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ጠቅላላ ግብር
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,የመጨረሻ የግዢ ዋጋ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,ብዛት ለ (ብዛት የተመረተ) ግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,ብዛት ለ (ብዛት የተመረተ) ግዴታ ነው
 DocType: Stock Entry,Default Target Warehouse,ነባሪ ዒላማ መጋዘን
 DocType: Purchase Invoice,Net Total (Company Currency),የተጣራ ጠቅላላ (የኩባንያ የምንዛሬ)
 DocType: Delivery Note,Air,አየር
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,የ ዓመት የማብቂያ ቀን ዓመት የመጀመሪያ ቀን ከ ቀደም ሊሆን አይችልም. ቀናት ለማረም እና እንደገና ይሞክሩ.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} በአማራጭ የዕረፍት ዝርዝር ውስጥ አይደለም
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} በአማራጭ የዕረፍት ዝርዝር ውስጥ አይደለም
 DocType: Notification Control,Purchase Receipt Message,የግዢ ደረሰኝ መልዕክት
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,ቁራጭ ንጥሎች
@@ -6764,22 +6839,24 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,ፍጻሜ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,ቀዳሚ ረድፍ መጠን ላይ
 DocType: Item,Has Expiry Date,የፍርድ ቀን አለው
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,አስተላልፍ ንብረት
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,አስተላልፍ ንብረት
 DocType: POS Profile,POS Profile,POS መገለጫ
 DocType: Training Event,Event Name,የክስተት ስም
 DocType: Healthcare Practitioner,Phone (Office),ስልክ (ጽ / ቤት)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","ማስገባት አይቻልም, መምህራንን ለመከታተል የቀሩ ሠራተኞች"
 DocType: Inpatient Record,Admission,መግባት
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},ለ የመግቢያ {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","ቅንብር በጀቶችን, ዒላማዎች ወዘተ ወቅታዊ"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","ቅንብር በጀቶችን, ዒላማዎች ወዘተ ወቅታዊ"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ተለዋዋጭ ስም
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} ንጥል አብነት ነው, በውስጡ ከተለዋጮችዎ አንዱ ይምረጡ"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,እባክዎ የሰራተኛ ስም ማስቀመጫ ሲስተም በሰብል ሪሶርስ&gt; HR ቅንጅቶች ያዘጋጁ
+DocType: Purchase Invoice Item,Deferred Expense,የወጡ ወጪዎች
 DocType: Asset,Asset Category,የንብረት ምድብ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,የተጣራ ክፍያ አሉታዊ መሆን አይችልም
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,የተጣራ ክፍያ አሉታዊ መሆን አይችልም
 DocType: Purchase Order,Advance Paid,የቅድሚያ ክፍያ የሚከፈልበት
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,የሽያጭ ምርት በመቶኛ ለሽያጭ ትእዛዝ
 DocType: Item,Item Tax,ንጥል ግብር
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,አቅራቢው ቁሳዊ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,አቅራቢው ቁሳዊ
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,የቁሳዊ ጥያቄ ዕቅድ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,ኤክሳይስ ደረሰኝ
@@ -6801,11 +6878,11 @@
 DocType: Scheduling Tool,Scheduling Tool,ዕቅድ ማውጫ መሣሪያ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,የዱቤ ካርድ
 DocType: BOM,Item to be manufactured or repacked,ንጥል የሚመረተው ወይም repacked ዘንድ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},የአገባብ ስህተት በስርዓት: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},የአገባብ ስህተት በስርዓት: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-yYYY.-
 DocType: Employee Education,Major/Optional Subjects,ሜጀር / አማራጭ ጉዳዮች
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,እባክዎ በግዢዎች ውስጥ የአቅራቢ ቡድኖችን ያዘጋጁ.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,እባክዎ በግዢዎች ውስጥ የአቅራቢ ቡድኖችን ያዘጋጁ.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",ጠቅላላ የተመጣጣኝ ጥቅማ ጥቅም ክፍል {0} ከዋና ዋናዎቹ ጥቅሞች ያነሰ መሆን የለበትም \ {1}
 DocType: Sales Invoice Item,Drop Ship,ጣል መርከብ
 DocType: Driver,Suspended,ታግዷል
@@ -6825,7 +6902,7 @@
 DocType: Customer,Commission Rate,ኮሚሽን ተመን
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,የክፍያ ግብዓቶችን በተሳካ ሁኔታ ፈጥሯል
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,በ {1} መካከል {0} የካታኬት ካርዶች በ:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,ተለዋጭ አድርግ
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,ተለዋጭ አድርግ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","የክፍያ ዓይነት, ተቀበል አንዱ መሆን ይክፈሉ እና የውስጥ ትልልፍ አለበት"
 DocType: Travel Itinerary,Preferred Area for Lodging,ለማረፊያ የሚመረጥ ቦታ
 apps/erpnext/erpnext/config/selling.py +184,Analytics,ትንታኔ
@@ -6836,7 +6913,7 @@
 DocType: Work Order,Actual Operating Cost,ትክክለኛ ማስኬጃ ወጪ
 DocType: Payment Entry,Cheque/Reference No,ቼክ / ማጣቀሻ የለም
 DocType: Soil Texture,Clay Loam,ክሬይ ሎማን
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,ሥር አርትዕ ሊደረግ አይችልም.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,ሥር አርትዕ ሊደረግ አይችልም.
 DocType: Item,Units of Measure,ይለኩ አሃዶች
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,በሜትሮ ከተማ ተከራይ
 DocType: Supplier,Default Tax Withholding Config,ነባሪ የግብር መያዣ ውቅር
@@ -6854,21 +6931,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,የክፍያ ማጠናቀቂያ በኋላ የተመረጠውን ገጽ ተጠቃሚ አቅጣጫ አዙር.
 DocType: Company,Existing Company,አሁን ያለው ኩባንያ
 DocType: Healthcare Settings,Result Emailed,ውጤት ተልኳል
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ሁሉም ንጥሎች ያልሆኑ የአክሲዮን ንጥሎች ናቸው ምክንያቱም የግብር ምድብ &quot;ጠቅላላ&quot; ወደ ተቀይሯል
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ሁሉም ንጥሎች ያልሆኑ የአክሲዮን ንጥሎች ናቸው ምክንያቱም የግብር ምድብ &quot;ጠቅላላ&quot; ወደ ተቀይሯል
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,እስከ ቀን ድረስ ከዕለት ቀን እኩል ወይም ያነሰ ሊሆን አይችልም
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,ምንም የሚቀይር ነገር የለም
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,የ CSV ፋይል ይምረጡ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,የ CSV ፋይል ይምረጡ
 DocType: Holiday List,Total Holidays,ጠቅላላ የበዓል ቀኖች
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,ለላኪያ የኢሜል አብነት ይጎድላል. እባክዎ በማቅረቢያ ቅንብሮች ውስጥ አንድ ያዋቅሩ.
 DocType: Student Leave Application,Mark as Present,አቅርብ ምልክት አድርግበት
 DocType: Supplier Scorecard,Indicator Color,ጠቋሚ ቀለም
 DocType: Purchase Order,To Receive and Bill,ይቀበሉ እና ቢል
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,ረድፍ # {0}: በቀን ማስተካከያ ቀን ከክ ልደት ቀን በፊት መሆን አይችልም
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,ረድፍ # {0}: በቀን ማስተካከያ ቀን ከክ ልደት ቀን በፊት መሆን አይችልም
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ተለይተው የቀረቡ ምርቶች
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,መለያ ቁጥርን ይምረጡ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,መለያ ቁጥርን ይምረጡ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,ዕቅድ ሠሪ
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,ውል እና ሁኔታዎች አብነት
 DocType: Serial No,Delivery Details,የመላኪያ ዝርዝሮች
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},አይነት ወጪ ማዕከል ረድፍ ውስጥ ያስፈልጋል {0} ግብሮች ውስጥ ሰንጠረዥ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},አይነት ወጪ ማዕከል ረድፍ ውስጥ ያስፈልጋል {0} ግብሮች ውስጥ ሰንጠረዥ {1}
 DocType: Program,Program Code,ፕሮግራም ኮድ
 DocType: Terms and Conditions,Terms and Conditions Help,ውሎች እና ሁኔታዎች እገዛ
 ,Item-wise Purchase Register,ንጥል-ጥበብ የግዢ ይመዝገቡ
@@ -6881,15 +6959,16 @@
 DocType: Contract,Contract Terms,የውል ስምምነቶች
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ምንዛሬዎች ወደ ወዘተ $ እንደ ማንኛውም ምልክት ቀጥሎ አታሳይ.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},ከፍተኛው የሽያጭ መጠን {0} ከ {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(ግማሽ ቀን)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(ግማሽ ቀን)
 DocType: Payment Term,Credit Days,የሥዕል ቀኖች
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,የፈተና ሙከራዎችን ለማግኘት እባክዎ ታካሚውን ይምረጡ
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,የተማሪ ባች አድርግ
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,ለምርቱ ማስተላለፍ ፍቀድ
 DocType: Leave Type,Is Carry Forward,አስተላልፍ አኗኗራችሁ ነው
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM ከ ንጥሎች ያግኙ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM ከ ንጥሎች ያግኙ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ሰዓት ቀኖች ሊመራ
 DocType: Cash Flow Mapping,Is Income Tax Expense,የገቢ ግብር ታክስ ነው
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,ትዕዛዝዎ ለማድረስ ወጥቷል!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},የረድፍ # {0}: ቀን መለጠፍ የግዢ ቀን ጋር ተመሳሳይ መሆን አለበት {1} ንብረት {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,የተማሪ ተቋም ዎቹ ሆስተል ላይ የሚኖር ከሆነ ይህን ምልክት ያድርጉ.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,ከላይ በሰንጠረዡ ውስጥ የሽያጭ ትዕዛዞች ያስገቡ
@@ -6897,10 +6976,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,እርስ በርሳችሁ መጋዘን አንድ ንብረት ማስተላለፍ
 DocType: Vehicle,Petrol,ቤንዚን
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),ቀሪ ጥቅሞች (ዓመታዊ)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,ቁሳቁሶች መካከል ቢል
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,ቁሳቁሶች መካከል ቢል
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ረድፍ {0}: የድግስ ዓይነት እና ወገን የሚሰበሰብ / ሊከፈል መለያ ያስፈልጋል {1}
 DocType: Employee,Leave Policy,መምሪያ ይተው
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,ንጥሎችን ያዘምኑ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,ንጥሎችን ያዘምኑ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,ማጣቀሻ ቀን
 DocType: Employee,Reason for Leaving,የምትሄድበት ምክንያት
 DocType: BOM Operation,Operating Cost(Company Currency),የክወና ወጪ (የኩባንያ የምንዛሬ)
@@ -6911,7 +6990,7 @@
 DocType: Department,Expense Approvers,ወጪዎች አንፃር
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},ረድፍ {0}: ዴት ግቤት ጋር ሊገናኝ አይችልም አንድ {1}
 DocType: Journal Entry,Subscription Section,የምዝገባ ክፍል
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,መለያ {0} የለም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,መለያ {0} የለም
 DocType: Training Event,Training Program,የሥልጠና ፕሮግራም
 DocType: Account,Cash,ጥሬ ገንዘብ
 DocType: Employee,Short biography for website and other publications.,ድር ጣቢያ እና ሌሎች ጽሑፎች አጭር የሕይወት ታሪክ.
diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv
index 68fc9bc..43cba69 100644
--- a/erpnext/translations/ar.csv
+++ b/erpnext/translations/ar.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,منتجات العميل
 DocType: Project,Costing and Billing,التكلفة و الفواتير
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},يجب أن تكون عملة الحساب المسبق مماثلة لعملة الشركة {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,الحساب {0}: الحساب الرئيسي {1} لا يمكن أن يكون حساب دفتر أستاذ
+DocType: QuickBooks Migrator,Token Endpoint,نقطة نهاية الرمز المميز
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,الحساب {0}: الحساب الرئيسي {1} لا يمكن أن يكون حساب دفتر أستاذ
 DocType: Item,Publish Item to hub.erpnext.com,نشر البند إلى hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,لا يمكن ايجاد فترة الاجازة النشطة
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,لا يمكن ايجاد فترة الاجازة النشطة
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,تقييم
 DocType: Item,Default Unit of Measure,وحدة القياس الافتراضية
 DocType: SMS Center,All Sales Partner Contact,بيانات الإتصال لكل شركاء البيع
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,انقر على إنتر للإضافة
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",القيمة المفقودة لكلمة المرور أو مفتاح واجهة برمجة التطبيقات أو عنوان URL للتنفيذ
 DocType: Employee,Rented,مؤجر
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,جميع الحسابات
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,جميع الحسابات
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,لا يمكن نقل الموظف بالحالة Left
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",لا يمكن إلغاء توقفت أمر الإنتاج، نزع السدادة لأول مرة إلغاء
 DocType: Vehicle Service,Mileage,المسافة المقطوعة
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,هل تريد حقا  تخريد هذه الأصول؟
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,هل تريد حقا  تخريد هذه الأصول؟
 DocType: Drug Prescription,Update Schedule,تحديث الجدول الزمني
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,حدد الافتراضي مزود
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,إظهار الموظف
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,سعر صرف جديد
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},العملة مطلوبة لقائمة الأسعار {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},العملة مطلوبة لقائمة الأسعار {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* سيتم احتسابه في المعاملة.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,معلومات اتصال العميل
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,ويستند هذا على المعاملات مقابل هذا المورد. انظر الجدول الزمني أدناه للاطلاع على التفاصيل
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,نسبة الإنتاج الزائد لأمر العمل
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,قانوني
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,قانوني
+DocType: Delivery Note,Transport Receipt Date,تاريخ استلام النقل
 DocType: Shopify Settings,Sales Order Series,سلسلة أوامر المبيعات
 DocType: Vital Signs,Tongue,لسان
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,إعفاء HRA
 DocType: Sales Invoice,Customer Name,اسم العميل
 DocType: Vehicle,Natural Gas,غاز طبيعي
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},لا يمكن تسمية الحساب المصرفي باسم {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},لا يمكن تسمية الحساب المصرفي باسم {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA حسب هيكل الراتب
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,رؤساء (أو مجموعات) التي تتم ضد القيود المحاسبية ويتم الاحتفاظ التوازنات.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),غير المسددة ل {0} لا يمكن أن يكون أقل من الصفر ( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,لا يمكن أن يكون تاريخ إيقاف الخدمة قبل تاريخ بدء الخدمة
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,لا يمكن أن يكون تاريخ إيقاف الخدمة قبل تاريخ بدء الخدمة
 DocType: Manufacturing Settings,Default 10 mins,افتراضي 10 دقيقة
 DocType: Leave Type,Leave Type Name,اسم نوع الاجازة
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,عرض مفتوح
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,عرض مفتوح
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,تم تحديث الترقيم المتسلسل بنجاح
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,دفع
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} في الحقل {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} في الحقل {1}
 DocType: Asset Finance Book,Depreciation Start Date,تاريخ بداية الإهلاك
 DocType: Pricing Rule,Apply On,تنطبق على
 DocType: Item Price,Multiple Item prices.,أسعار الإغلاق متعددة .
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,إعدادات الدعم
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,لا يمكن أن يكون (تاريخ الانتهاء المتوقع) قبل (تاريخ البدء المتوقع)
 DocType: Amazon MWS Settings,Amazon MWS Settings,إعدادات الأمازون MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,الصف # {0}: يجب أن يكون السعر كما هو {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,الصف # {0}: يجب أن يكون السعر كما هو {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,حالة انتهاء صلاحية الدفعة
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,مسودة بنكية
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,تفاصيل الاتصال الأساسية
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,القضايا المفتوحة
 DocType: Production Plan Item,Production Plan Item,خطة إنتاج السلعة
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},المستخدم {0} تم تعيينه بالفعل إلى موظف {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},المستخدم {0} تم تعيينه بالفعل إلى موظف {1}
 DocType: Lab Test Groups,Add new line,إضافة سطر جديد
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,الرعاية الصحية
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),التأخير في الدفع (أيام)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,وصفة المختبر
 ,Delay Days,أيام التأخير
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,نفقات الصيانة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},الرقم التسلسلي: {0} تم الإشارة إليه من قبل في فاتورة المبيعات: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},الرقم التسلسلي: {0} تم الإشارة إليه من قبل في فاتورة المبيعات: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,فاتورة
 DocType: Purchase Invoice Item,Item Weight Details,وزن السلعة التفاصيل
 DocType: Asset Maintenance Log,Periodicity,دورية
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,السنة المالية {0} مطلوبة
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,مورد&gt; مجموعة الموردين
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,الحد الأدنى للمسافة بين صفوف النباتات للنمو الأمثل
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,الدفاع
 DocType: Salary Component,Abbr,اسم مختصر
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,قائمة العطلات
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,محاسب
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,قائمة أسعار البيع
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,قائمة أسعار البيع
 DocType: Patient,Tobacco Current Use,التبغ الاستخدام الحالي
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,معدل البيع
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,معدل البيع
 DocType: Cost Center,Stock User,مخزون العضو
 DocType: Soil Analysis,(Ca+Mg)/K,(الكالسيوم +المغنيسيوم ) / ك
+DocType: Delivery Stop,Contact Information,معلومات الاتصال
 DocType: Company,Phone No,رقم الهاتف
 DocType: Delivery Trip,Initial Email Notification Sent,تم إرسال إشعار البريد الإلكتروني المبدئي
 DocType: Bank Statement Settings,Statement Header Mapping,تعيين رأس بيان
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,تاريخ بدء الاشتراك
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,الحسابات الافتراضية المستحقة للاستخدام في حالة عدم ضبطها في Patient لحجز رسوم موعد.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",إرفاق ملف csv مع عمودين، واحدة للاسم القديم واحدة للاسم الجديد
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,من العنوان 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,رمز البند&gt; مجموعة البند&gt; العلامة التجارية
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,من العنوان 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ليس في أي سنة مالية نشطة.
 DocType: Packed Item,Parent Detail docname,الأم تفاصيل docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",المرجع: {0}، رمز العنصر: {1} والعميل: {2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} غير موجود في الشركة الأم
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} غير موجود في الشركة الأم
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,لا يمكن أن يكون تاريخ انتهاء الفترة التجريبية قبل تاريخ بدء الفترة التجريبية
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,كجم
 DocType: Tax Withholding Category,Tax Withholding Category,فئة حجب الضرائب
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,الدعاية
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,تم إدخال نفس الشركة أكثر من مرة
 DocType: Patient,Married,متزوج
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},غير مسموح به {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},غير مسموح به {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,الحصول على البنود من
 DocType: Price List,Price Not UOM Dependant,السعر لا تعتمد على أوم
 DocType: Purchase Invoice,Apply Tax Withholding Amount,تطبيق مبلغ الاستقطاع الضريبي
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},لا يمكن تحديث المخزون ضد تسليم مذكرة {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,مجموع المبلغ المعتمد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},لا يمكن تحديث المخزون ضد تسليم مذكرة {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,مجموع المبلغ المعتمد
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},المنتج {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,لم يتم إدراج أية عناصر
 DocType: Asset Repair,Error Description,وصف خاطئ
@@ -209,29 +210,29 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,استخدم تنسيق التدفق النقدي المخصص
 DocType: SMS Center,All Sales Person,كل مندوبي المبيعات
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** التوزيع الشهري ** يساعدك على توزيع  الهدف أو الميزانية على مدى عدة شهور إذا كان لديك موسمية في عملك.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,لايوجد بنود
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,هيكل الراتب مفقودة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,لايوجد بنود
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,هيكل الراتب مفقودة
 DocType: Lead,Person Name,اسم الشخص
 DocType: Sales Invoice Item,Sales Invoice Item,فاتورة مبيعات السلعة
 DocType: Account,Credit,دائن
 DocType: POS Profile,Write Off Cost Center,شطب مركز التكلفة
-apps/erpnext/erpnext/public/js/setup_wizard.js +117,"e.g. ""Primary School"" or ""University""","مثلا ""المدرسة الابتدائية"" أو ""الجامعة"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +117,"e.g. ""Primary School"" or ""University""","مثلا، ""المدرسة الابتدائية"" أو ""الجامعة"""
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,تقارير المخزون
 DocType: Warehouse,Warehouse Detail,تفاصيل المستودع
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاريخ نهاية المدة لا يمكن أن يكون في وقت لاحق من تاريخ نهاية السنة للعام الدراسي الذي يرتبط مصطلح (السنة الأكاديمية {}). يرجى تصحيح التواريخ وحاول مرة أخرى.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""اصل ثابت"" لا يمكن أن يكون غير محدد، حيث يوجد سجل أصول مقابل البند"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""اصل ثابت"" لا يمكن أن يكون غير محدد، حيث يوجد سجل أصول مقابل البند"
 DocType: Delivery Trip,Departure Time,وقت المغادرة
 DocType: Vehicle Service,Brake Oil,زيت الفرامل
 DocType: Tax Rule,Tax Type,نوع الضريبة
 ,Completed Work Orders,أوامر العمل المكتملة
 DocType: Support Settings,Forum Posts,مشاركات المنتدى
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,المبلغ الخاضع للضريبة
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,المبلغ الخاضع للضريبة
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},غير مصرح لك لإضافة أو تحديث الإدخالات قبل {0}
 DocType: Leave Policy,Leave Policy Details,اترك تفاصيل السياسة
 DocType: BOM,Item Image (if not slideshow),صورة البند (إن لم يكن عرض شرائح)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(سعر الساعة / 60) * وقت العمل الفعلي
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,الصف # {0}: يجب أن يكون نوع المستند المرجعي واحدا من &quot;مطالبة النفقات&quot; أو &quot;دفتر اليومية&quot;
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,حدد مكتب الإدارة
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,الصف # {0}: يجب أن يكون نوع المستند المرجعي واحدا من &quot;مطالبة النفقات&quot; أو &quot;دفتر اليومية&quot;
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,حدد مكتب الإدارة
 DocType: SMS Log,SMS Log,SMS سجل رسائل
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,تكلفة البنود المسلمة
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,عطلة على {0} ليست بين من تاريخ وإلى تاريخ
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,قوالب ترتيب الموردين.
 DocType: Lead,Interested,مهتم
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,افتتاحي
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},من {0} إلى {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},من {0} إلى {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,برنامج:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,أخفق إعداد الضرائب
 DocType: Item,Copy From Item Group,نسخة من المجموعة السلعة
-DocType: Delivery Trip,Delivery Notification,إشعار التسليم
 DocType: Journal Entry,Opening Entry,فتح مدخل
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب الدفع فقط
 DocType: Loan,Repay Over Number of Periods,سداد على عدد فترات
 DocType: Stock Entry,Additional Costs,تكاليف إضافية
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,لا يمكن تحويل حساب جرت عليه أي عملية إلى تصنيف مجموعة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,لا يمكن تحويل حساب جرت عليه أي عملية إلى تصنيف مجموعة
 DocType: Lead,Product Enquiry,الإستفسار عن المنتج
 DocType: Education Settings,Validate Batch for Students in Student Group,التحقق من صحة الدفعة للطلاب في مجموعة الطلاب
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},لا يوجد سجل ايجازات للموظف {0} عند {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,فضلا ادخل الشركة اولا
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,يرجى اختيار الشركة أولاً
 DocType: Employee Education,Under Graduate,غير متخرج
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,يرجى تعيين القالب الافتراضي لإشعار حالة الإجازات في إعدادات الموارد البشرية.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,يرجى تعيين القالب الافتراضي لإشعار حالة الإجازات في إعدادات الموارد البشرية.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,الهدف في
 DocType: BOM,Total Cost,التكلفة الكلية لل
 DocType: Soil Analysis,Ca/K,Ca/K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,كشف حساب
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,الصيدليات
 DocType: Purchase Invoice Item,Is Fixed Asset,هو الأصول الثابتة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",الكمية المتوفرة {0}، تحتاج {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",الكمية المتوفرة {0}، تحتاج {1}
 DocType: Expense Claim Detail,Claim Amount,قيمة المطالبة
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},تم عمل الطلب {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,قالب فحص الجودة
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",هل تريد تحديث الحضور؟ <br> الحاضر: {0} \ <br> غائبة: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},الكمية المقبولة + الكمية المرفوضة يجب أن تساوي الكمية المستلمة من الصنف {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},الكمية المقبولة + الكمية المرفوضة يجب أن تساوي الكمية المستلمة من الصنف {0}
 DocType: Item,Supply Raw Materials for Purchase,توريد مواد خام للشراء
 DocType: Agriculture Analysis Criteria,Fertilizer,سماد
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",لا يمكن ضمان التسليم بواسطة Serial No كـ \ Item {0} يضاف مع وبدون ضمان التسليم بواسطة \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,يلزم استخدام طريقة دفع واحدة على الأقل لفاتورة نقطة البيع.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,يلزم استخدام طريقة دفع واحدة على الأقل لفاتورة نقطة البيع.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,بند الفواتير لمعاملات معاملات البنك
 DocType: Products Settings,Show Products as a List,عرض المنتجات كقائمة
 DocType: Salary Detail,Tax on flexible benefit,الضريبة على الفائدة المرنة
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,الفرق الكمية
 DocType: Production Plan,Material Request Detail,المواد طلب التفاصيل
 DocType: Selling Settings,Default Quotation Validity Days,أيام صلاحية عرض الأسعار الافتراضية
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف
 DocType: SMS Center,SMS Center,مركز رسائل SMS
 DocType: Payroll Entry,Validate Attendance,التحقق من صحة الحضور
 DocType: Sales Invoice,Change Amount,تغيير المبلغ
 DocType: Party Tax Withholding Config,Certificate Received,الشهادة المستلمة
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,تعيين قيمة الفاتورة ل B2C. B2CL و B2CS محسوبة بناء على قيمة الفاتورة هذه.
 DocType: BOM Update Tool,New BOM,قائمة مواد جديدة
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,الإجراءات المقررة
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,الإجراءات المقررة
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,عرض نقاط البيع فقط
 DocType: Supplier Group,Supplier Group Name,اسم مجموعة الموردين
 DocType: Driver,Driving License Categories,فئات رخصة القيادة
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,فترات الرواتب
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,أنشئ موظف
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,إذاعة
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),وضع الإعداد بوس (الانترنت / غير متصل)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),وضع الإعداد بوس (الانترنت / غير متصل)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,تعطيل إنشاء سجلات الوقت ضد أوامر العمل. لا يجوز تعقب العمليات ضد أمر العمل
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,تنفيذ
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,تفاصيل التشغيل أنجزت.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),معدل الخصم على قائمة الأسعار (٪)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,قالب البند
 DocType: Job Offer,Select Terms and Conditions,اختر الشروط والأحكام
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,القيمة الخارجه
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,القيمة الخارجه
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,بند إعدادات بيان البنك
 DocType: Woocommerce Settings,Woocommerce Settings,إعدادات Woocommerce
 DocType: Production Plan,Sales Orders,أوامر البيع
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,طلب للحصول على الاقتباس يمكن الوصول إليها من خلال النقر على الرابط التالي
 DocType: SG Creation Tool Course,SG Creation Tool Course,سان جرمان إنشاء ملعب أداة
 DocType: Bank Statement Transaction Invoice Item,Payment Description,وصف الدفع
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,المالية غير كافية
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,المالية غير كافية
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,تعطيل تخطيط القدرات وتتبع الوقت
 DocType: Email Digest,New Sales Orders,طلب مبيعات جديد
 DocType: Bank Account,Bank Account,حساب مصرفي
 DocType: Travel Itinerary,Check-out Date,موعد انتهاء الأقامة
 DocType: Leave Type,Allow Negative Balance,السماح برصيد سالب
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',لا يمكنك حذف مشروع من نوع 'خارجي'
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,اختر البند البديل
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,اختر البند البديل
 DocType: Employee,Create User,إنشاء مستخدم
 DocType: Selling Settings,Default Territory,الإقليم الافتراضي
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,تلفزيون
 DocType: Work Order Operation,Updated via 'Time Log',"تحديث عبر 'وقت دخول """
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,حدد العميل أو المورد.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},قيمة الدفعة المقدمة لا يمكن أن تكون أكبر من {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},قيمة الدفعة المقدمة لا يمكن أن تكون أكبر من {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",تم تخطي الفتحة الزمنية ، تتداخل الفتحة {0} إلى {1} مع فاصل الزمني {2} إلى {3}
 DocType: Naming Series,Series List for this Transaction,قائمة متسلسلة لهذه العملية
 DocType: Company,Enable Perpetual Inventory,تمكين المخزون الدائم
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,مقابل بند فاتورة المبيعات
 DocType: Agriculture Analysis Criteria,Linked Doctype,يرتبط دوكتيب
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,صافي النقد من التمويل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save",التخزين المحلي ممتلئ، لم يتم الحفظ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save",التخزين المحلي ممتلئ، لم يتم الحفظ
 DocType: Lead,Address & Contact,معلومات الاتصال والعنوان
 DocType: Leave Allocation,Add unused leaves from previous allocations,إضافة الاجازات غير المستخدمة من المخصصات السابقة
 DocType: Sales Partner,Partner website,موقع الشريك
@@ -446,10 +446,10 @@
 ,Open Work Orders,فتح أوامر العمل
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,خارج بند رسوم استشارات المريض
 DocType: Payment Term,Credit Months,أشهر الائتمان
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,صافي الأجر لا يمكن أن يكون أقل من 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,صافي الأجر لا يمكن أن يكون أقل من 0
 DocType: Contract,Fulfilled,استيفاء
 DocType: Inpatient Record,Discharge Scheduled,إبراء الذمة المجدولة
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,تاريخ ترك العمل يجب أن يكون بعد تاريخ الالتحاق بالعمل
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,تاريخ ترك العمل يجب أن يكون بعد تاريخ الالتحاق بالعمل
 DocType: POS Closing Voucher,Cashier,أمين الصندوق
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,الأجزات في السنة
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"الصف {0}: يرجى اختيار ""دفعة مقدمة"" مقابل الحساب {1} إذا كان هذا الادخال دفعة مقدمة."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,يرجى إعداد الطلاب تحت مجموعات الطلاب
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,وظيفة كاملة
 DocType: Item Website Specification,Item Website Specification,البند مواصفات الموقع
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,إجازة محظورة
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},البند {0} قد وصل إلى نهاية عمره في {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,إجازة محظورة
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},البند {0} قد وصل إلى نهاية عمره في {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,مدخلات البنك
 DocType: Customer,Is Internal Customer,هو عميل داخلي
 DocType: Crop,Annual,سنوي
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",إذا تم تحديد Auto Opt In ، فسيتم ربط العملاء تلقائيًا ببرنامج الولاء المعني (عند الحفظ)
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,جرد عناصر المخزون
 DocType: Stock Entry,Sales Invoice No,رقم فاتورة المبيعات
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,نوع التوريد
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,نوع التوريد
 DocType: Material Request Item,Min Order Qty,أقل كمية للطلب
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,دورة المجموعة الطلابية أداة الخلق
 DocType: Lead,Do Not Contact,عدم الاتصال
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,نشر في المحور
 DocType: Student Admission,Student Admission,قبول الطلاب
 ,Terretory,إقليم
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,تم إلغاء البند {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,تم إلغاء البند {0}
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,صف الإهلاك {0}: تاريخ بدء الإهلاك يتم إدخاله كتاريخ سابق
 DocType: Contract Template,Fulfilment Terms and Conditions,شروط وأحكام الوفاء
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,طلب مواد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,طلب مواد
 DocType: Bank Reconciliation,Update Clearance Date,تحديث تاريخ التخليص
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,تفاصيل شراء
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"الصنف {0} غير موجودة في ""مواد الخام المتوفره"" الجدول في أمر الشراء {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"الصنف {0} غير موجودة في ""مواد الخام المتوفره"" الجدول في أمر الشراء {1}"
 DocType: Salary Slip,Total Principal Amount,مجموع المبلغ الرئيسي
 DocType: Student Guardian,Relation,علاقة
 DocType: Student Guardian,Mother,أم
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,مقاطعة البريدية
 DocType: Currency Exchange,For Selling,للبيع
 apps/erpnext/erpnext/config/desktop.py +159,Learn,تعلم
+DocType: Purchase Invoice Item,Enable Deferred Expense,تمكين المصروفات المؤجلة
 DocType: Asset,Next Depreciation Date,تاريخ االاستهالك التالي
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,تكلفة النشاط لكل موظف
 DocType: Accounts Settings,Settings for Accounts,إعدادات الحسابات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},المورد فاتورة لا يوجد في شراء الفاتورة {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},المورد فاتورة لا يوجد في شراء الفاتورة {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,إدارة شجرة موظفي المبيعات.
 DocType: Job Applicant,Cover Letter,محتويات الرسالة المرفقة
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,الشيكات و الإيداعات المعلقة لتوضيح او للمقاصة
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,سجل العمل الخارجي
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Circular Reference Error
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,بطاقة تقرير الطالب
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,من الرقم السري
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,من الرقم السري
 DocType: Appointment Type,Is Inpatient,هو المرضى الداخليين
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,اسم الوصي 1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,بالحروف (تصدير) سوف تكون مرئية بمجرد حفظ اشعار التسليم.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,متعدد العملات
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,نوع الفاتورة
 DocType: Employee Benefit Claim,Expense Proof,إثبات المصاريف
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,ملاحظات التسليم
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},حفظ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,ملاحظات التسليم
 DocType: Patient Encounter,Encounter Impression,لقاء الانطباع
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,إعداد الضرائب
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,تكلفة الأصول المباعة
 DocType: Volunteer,Morning,الصباح
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,تم تعديل تدوين مدفوعات بعد سحبه. يرجى سحبه مرة أخرى.
 DocType: Program Enrollment Tool,New Student Batch,دفعة طالب جديدة
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ادخل مرتين في ضريبة البند
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,ملخص لهذا الأسبوع والأنشطة المعلقة
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ادخل مرتين في ضريبة البند
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,ملخص لهذا الأسبوع والأنشطة المعلقة
 DocType: Student Applicant,Admitted,قُبل
 DocType: Workstation,Rent Cost,تكلفة الإيجار
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,القيمة بعد الاستهلاك
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,القيمة بعد الاستهلاك
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,أحداث التقويم القادمة
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,سمات متفاوتة
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,الرجاء اختيار الشهر والسنة
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},يمكن أن يكون هناك سوى 1 في حساب الشركة في {0} {1}
 DocType: Support Search Source,Response Result Key Path,الاستجابة نتيجة المسار الرئيسي
 DocType: Journal Entry,Inter Company Journal Entry,الدخول المشترك بين الشركة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},للكمية {0} لا ينبغي أن تكون مفرزة من كمية طلب العمل {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,يرجى الإطلاع على المرفقات
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},للكمية {0} لا ينبغي أن تكون مفرزة من كمية طلب العمل {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,يرجى الإطلاع على المرفقات
 DocType: Purchase Order,% Received,تم استلام٪
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,إنشاء مجموعات الطلاب
 DocType: Volunteer,Weekends,عطلة نهاية الأسبوع
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,إجمالي المعلقة
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغيير رقم تسلسل بدء / الحالي من سلسلة الموجودة.
 DocType: Dosage Strength,Strength,قوة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,إنشاء زبون جديد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,إنشاء زبون جديد
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,تنتهي في
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",إذا استمر ظهور قواعد تسعير المتعددة، يطلب من المستخدمين تعيين الأولوية يدويا لحل التعارض.
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,إنشاء أمر شراء
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,تكلفة المواد المستهلكة
 DocType: Purchase Receipt,Vehicle Date,تاريخ تسجيل المركبة
 DocType: Student Log,Medical,طبي
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,سبب الفقدان
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,يرجى اختيار المخدرات
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,سبب الفقدان
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,يرجى اختيار المخدرات
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,(مالك الزبون المحتمل) لا يمكن أن يكون نفسه (الزبون المحتمل)
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,القيمة المخصصة لا يمكن ان تكون أكبر من القيمة الغير معدلة
 DocType: Announcement,Receiver,المستلم
 DocType: Location,Area UOM,منطقة UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},مغلق محطة العمل في التواريخ التالية وفقا لقائمة عطلة: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,الفرص
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,الفرص
 DocType: Lab Test Template,Single,أعزب
 DocType: Compensatory Leave Request,Work From Date,العمل من التاريخ
 DocType: Salary Slip,Total Loan Repayment,إجمالي سداد القروض
+DocType: Project User,View attachments,عرض المرفقات
 DocType: Account,Cost of Goods Sold,تكلفة البضاعة المباعة
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,الرجاء إدخال مركز التكلفة
 DocType: Drug Prescription,Dosage,جرعة
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,كمية وقيم
 DocType: Delivery Note,% Installed,٪ تم تركيب
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,الفصول الدراسية / المختبرات وغيرها حيث يمكن جدولة المحاضرات.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,يجب أن تتطابق عملات الشركة لكلتا الشركتين مع معاملات Inter Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,يجب أن تتطابق عملات الشركة لكلتا الشركتين مع معاملات Inter Inter Company.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,الرجاء إدخال اسم الشركة اولاً
 DocType: Travel Itinerary,Non-Vegetarian,غير نباتي
 DocType: Purchase Invoice,Supplier Name,اسم المورد
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,مؤقت في الانتظار
 DocType: Account,Is Group,هل مجموعة
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,تم إنشاء ملاحظة الائتمان {0} تلقائيًا
-DocType: Email Digest,Pending Purchase Orders,اوامر الشراء المعلقة
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,حدد الرقم التسلسلي بناءً على FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,التحقق من رقم الفتورة المرسلة من المورد مميز (ليس متكرر)
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,تفاصيل العنوان الرئيسي
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,تخصيص النص الاستهلالي الذي يذهب كجزء من أن البريد الإلكتروني. كل معاملة له نص منفصل استهلالي.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},الصف {0}: العملية مطلوبة مقابل عنصر المادة الخام {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},يرجى تعيين الحساب الافتراضي المستحق للشركة {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},المعاملة غير مسموح بها في مقابل أمر العمل المتوقف {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},المعاملة غير مسموح بها في مقابل أمر العمل المتوقف {0}
 DocType: Setup Progress Action,Min Doc Count,مين دوك كونت
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,إعدادات العالمية لجميع عمليات التصنيع.
 DocType: Accounts Settings,Accounts Frozen Upto,حسابات مجمدة حتى
 DocType: SMS Log,Sent On,ارسلت في
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,تم اختيار الخاصية {0} عدة مرات في جدول الخصائص
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,تم اختيار الخاصية {0} عدة مرات في جدول الخصائص
 DocType: HR Settings,Employee record is created using selected field. ,يتم إنشاء سجل الموظف باستخدام الحقل المحدد.
 DocType: Sales Order,Not Applicable,لا ينطبق
 DocType: Amazon MWS Settings,UK,المملكة المتحدة
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,الموظف {0} قد تم تطبيقه بالفعل على {1} في {2}:
 DocType: Inpatient Record,AB Positive,AB إيجابي
 DocType: Job Opening,Description of a Job Opening,وصف وظيفة شاغرة
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,الأنشطة في انتظار لهذا اليوم
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,الأنشطة في انتظار لهذا اليوم
 DocType: Salary Structure,Salary Component for timesheet based payroll.,مكون الرواتب لكشف المرتبات على أساس الجدول الزمني.
+DocType: Driver,Applicable for external driver,ينطبق على سائق خارجي
 DocType: Sales Order Item,Used for Production Plan,تستخدم لخطة الإنتاج
 DocType: Loan,Total Payment,إجمالي الدفعة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,لا يمكن إلغاء المعاملة لأمر العمل المكتمل.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,لا يمكن إلغاء المعاملة لأمر العمل المكتمل.
 DocType: Manufacturing Settings,Time Between Operations (in mins),الوقت بين العمليات (في دقيقة)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO تم إنشاؤها بالفعل لجميع عناصر أمر المبيعات
 DocType: Healthcare Service Unit,Occupied,احتل
 DocType: Clinical Procedure,Consumables,المواد الاستهلاكية
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} تم إلغاؤه لذلك لا يمكن إكمال الإجراء
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} تم إلغاؤه لذلك لا يمكن إكمال الإجراء
 DocType: Customer,Buyer of Goods and Services.,مشتري السلع والخدمات.
 DocType: Journal Entry,Accounts Payable,ذمم دائنة
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,يختلف مبلغ {0} المحدد في طلب الدفع هذا عن المبلغ المحسوب لجميع خطط الدفع: {1}. تأكد من صحة ذلك قبل إرسال المستند.
 DocType: Patient,Allergies,الحساسية
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,قواائم المواد المحددة ليست لنفس البند
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,قواائم المواد المحددة ليست لنفس البند
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,تغيير رمز البند
 DocType: Supplier Scorecard Standing,Notify Other,إعلام الآخرين
 DocType: Vital Signs,Blood Pressure (systolic),ضغط الدم (الانقباضي)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,يكفي لبناء أجزاء
 DocType: POS Profile User,POS Profile User,نقاط البيع الشخصية الملف الشخصي
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,الصف {0}: تاريخ بداية الإهلاك مطلوب
-DocType: Sales Invoice Item,Service Start Date,تاريخ بدء الخدمة
+DocType: Purchase Invoice Item,Service Start Date,تاريخ بدء الخدمة
 DocType: Subscription Invoice,Subscription Invoice,فاتورة الاشتراك
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,دخل مباشر
 DocType: Patient Appointment,Date TIme,تاريخ الوقت
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,مختبر الروتينية
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,مستحضرات التجميل
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,يرجى تحديد تاريخ الانتهاء لاستكمال سجل صيانة الأصول
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",لدمج ، يجب أن يكون نفس الخصائص التالية ل كلا البندين
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",لدمج ، يجب أن يكون نفس الخصائص التالية ل كلا البندين
 DocType: Supplier,Block Supplier,كتلة المورد
 DocType: Shipping Rule,Net Weight,الوزن الصافي
 DocType: Job Opening,Planned number of Positions,العدد المخطط للمناصب
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,قالب رسم التدفق النقدي
 DocType: Travel Request,Costing Details,تفاصيل التكاليف
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,إظهار إرجاع الإدخالات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,المسلسل أي بند لا يمكن أن يكون جزء
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,المسلسل أي بند لا يمكن أن يكون جزء
 DocType: Journal Entry,Difference (Dr - Cr),الفرق ( الدكتور - الكروم )
 DocType: Bank Guarantee,Providing,توفير
 DocType: Account,Profit and Loss,الربح والخسارة
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",غير مسموح به، قم بتهيئة قالب اختبار المختبر كما هو مطلوب
 DocType: Patient,Risk Factors,عوامل الخطر
 DocType: Patient,Occupational Hazards and Environmental Factors,المخاطر المهنية والعوامل البيئية
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,تم إنشاء إدخالات المخزون بالفعل لأمر العمل
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,تم إنشاء إدخالات المخزون بالفعل لأمر العمل
 DocType: Vital Signs,Respiratory rate,معدل التنفس
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,إدارة التعاقد من الباطن
 DocType: Vital Signs,Body Temperature,درجة حرارة الجسم
 DocType: Project,Project will be accessible on the website to these users,والمشروع أن تكون متاحة على الموقع الإلكتروني لهؤلاء المستخدمين
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},لا يمكن إلغاء {0} {1} لأن Serial No {2} لا ينتمي إلى المستودع {3}
 DocType: Detected Disease,Disease,مرض
+DocType: Company,Default Deferred Expense Account,حساب النفقات المؤجلة الافتراضي
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,تعريف نوع المشروع.
 DocType: Supplier Scorecard,Weighting Function,وظيفة الترجيح
 DocType: Healthcare Practitioner,OP Consulting Charge,رسوم الاستشارة
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,العناصر المنتجة
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,مطابقة المعاملة بالفواتير
 DocType: Sales Order Item,Gross Profit,الربح الإجمالي
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,الافراج عن الفاتورة
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,الافراج عن الفاتورة
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,لا يمكن أن تكون الزيادة 0
 DocType: Company,Delete Company Transactions,حذف العمليات التجارية للشركة
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,رقم المرجع و تاريخ المرجع إلزامي للمعاملة المصرفية
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,تجاهل
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} غير نشطة
 DocType: Woocommerce Settings,Freight and Forwarding Account,حساب الشحن والتخليص
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,أبعاد الاختيار الإعداد للطباعة
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,أبعاد الاختيار الإعداد للطباعة
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,إنشاء قسائم الرواتب
 DocType: Vital Signs,Bloated,منتفخ
 DocType: Salary Slip,Salary Slip Timesheet,كشف راتب معتمد علي سجل التوقيت
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,المورد مستودع إلزامية ل إيصال الشراء التعاقد من الباطن
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,المورد مستودع إلزامية ل إيصال الشراء التعاقد من الباطن
 DocType: Item Price,Valid From,صالحة من
 DocType: Sales Invoice,Total Commission,مجموع العمولة
 DocType: Tax Withholding Account,Tax Withholding Account,حساب حجب الضرائب
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,جميع نتائج الموردين
 DocType: Buying Settings,Purchase Receipt Required,إيصال استلام المشتريات مطلوب
 DocType: Delivery Note,Rail,سكة حديدية
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,يجب أن يكون المستهدف المستهدف في الصف {0} مطابقًا لأمر العمل
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,التقييم إلزامي إذا تم فتح محزون تم ادخاله
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,يجب أن يكون المستهدف المستهدف في الصف {0} مطابقًا لأمر العمل
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,التقييم إلزامي إذا تم فتح محزون تم ادخاله
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,لم يتم العثور على أي سجلات في جدول الفواتير
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,يرجى تحديد الشركة ونوع الطرف المعني أولا
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",تم تعيين الإعداد الافتراضي في الملف الشخصي لنقطة البيع {0} للمستخدم {1}، يرجى تعطيل الإعداد الافتراضي
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,مالي / سنة محاسبية.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,مالي / سنة محاسبية.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,القيم المتراكمة
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",عذراَ ، ارقام المسلسل لا يمكن دمجها
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,سيتم تعيين مجموعة العملاء على مجموعة محددة أثناء مزامنة العملاء من Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,معرف مبادرة البيع
 DocType: C-Form Invoice Detail,Grand Total,المجموع الإجمالي
 DocType: Assessment Plan,Course,دورة
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,كود القسم
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,كود القسم
 DocType: Timesheet,Payslip,قسيمة الدفع
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,يجب أن يكون تاريخ نصف يوم ما بين التاريخ والتاريخ
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,سلة البنود
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,السيرة الذاتية الشخصية
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,معرف العضوية
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},تسليم: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},تسليم: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,متصلة QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,حساب الدائنين
 DocType: Payment Entry,Type of Payment,نوع الدفع
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,تاريخ نصف اليوم إلزامي
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,تاريخ فاتورة الشحن
 DocType: Production Plan,Production Plan,خطة الإنتاج
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,أداة إنشاء فاتورة افتتاحية
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,مبيعات المعاده
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,مبيعات المعاده
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ملاحظة: مجموع الإجازات المخصصة {0} لا ينبغي أن تكون أقل من الإجازات المعتمدة بالفعل {1} للفترة
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,تعيين الكمية في المعاملات استناداً إلى Serial No Input
 ,Total Stock Summary,ملخص إجمالي المخزون
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,عميل أو بند
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,قاعدة بيانات العميل
 DocType: Quotation,Quotation To,مناقصة لـ
-DocType: Lead,Middle Income,الدخل المتوسط
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,الدخل المتوسط
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),افتتاحي (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,وحدة القياس الافتراضية للالبند {0} لا يمكن تغيير مباشرة لأنك قدمت بالفعل بعض المعاملات (s) مع UOM آخر. سوف تحتاج إلى إنشاء عنصر جديد لاستخدام افتراضي مختلف UOM.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,وحدة القياس الافتراضية للالبند {0} لا يمكن تغيير مباشرة لأنك قدمت بالفعل بعض المعاملات (s) مع UOM آخر. سوف تحتاج إلى إنشاء عنصر جديد لاستخدام افتراضي مختلف UOM.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,لا يمكن أن تكون القيمة المخصصة سالبة
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,يرجى تعيين الشركة
 DocType: Share Balance,Share Balance,رصيد السهم
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,اختار الحساب الذي سوف تدفع منه
 DocType: Hotel Settings,Default Invoice Naming Series,سلسلة تسمية الفاتورة الافتراضية
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",إنشاء سجلات موظف لإدارة الإجازات والمطالبة بالنفقات والرواتب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,حدث خطأ أثناء عملية التحديث
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,حدث خطأ أثناء عملية التحديث
 DocType: Restaurant Reservation,Restaurant Reservation,حجز المطعم
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,تجهيز العروض
 DocType: Payment Entry Deduction,Payment Entry Deduction,دفع الاشتراك خصم
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,تغليف
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,إعلام العملاء عبر البريد الإلكتروني
 DocType: Item,Batch Number Series,سلسلة رقم الدفعة
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,مندوب مبيعات آخر {0} موجود بنفس رقم هوية الموظف
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,مندوب مبيعات آخر {0} موجود بنفس رقم هوية الموظف
 DocType: Employee Advance,Claimed Amount,المبلغ المطالب به
+DocType: QuickBooks Migrator,Authorization Settings,إعدادات التخويل
 DocType: Travel Itinerary,Departure Datetime,موعد المغادرة
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,تكاليف طلب السفر
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,المورد تسمية بواسطة
 DocType: Activity Type,Default Costing Rate,سعر التكلفة الافتراضي
 DocType: Maintenance Schedule,Maintenance Schedule,صيانة جدول
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",ثم يتم تصفيت قاعدة التسعير على أساس العملاء، مجموعة العملاء، الأرض، المورد، نوع المورد ، الحملة، شريك المبيعات الخ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",ثم يتم تصفيت قاعدة التسعير على أساس العملاء، مجموعة العملاء، الأرض، المورد، نوع المورد ، الحملة، شريك المبيعات الخ
 DocType: Employee Promotion,Employee Promotion Details,تفاصيل ترقية الموظف
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,صافي التغير في المخزون
 DocType: Employee,Passport Number,رقم جواز السفر
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,العلاقة مع ولي الامر 2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,مدير
 DocType: Payment Entry,Payment From / To,الدفع من / إلى
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,من السنة المالية
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},الحد المسموح به للدين الجديد أقل من المبلغ  الحالي المستحق على الزبون. يجب أن يكون الحد المسموح به للدين على الأقل {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},يرجى تعيين الحساب في مستودع {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},يرجى تعيين الحساب في مستودع {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'على أساس' و 'المجموعة حسب' لا يمكن أن يكونا نفس الشيء
 DocType: Sales Person,Sales Person Targets,اهداف رجل المبيعات
 DocType: Work Order Operation,In minutes,في دقائق
 DocType: Issue,Resolution Date,تاريخ القرار
 DocType: Lab Test Template,Compound,مركب
+DocType: Opportunity,Probability (%),احتمالا (٪)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,إعلام الإرسال
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,اختر الملكية
 DocType: Student Batch Name,Batch Name,اسم الدفعة
 DocType: Fee Validity,Max number of visit,الحد الأقصى لعدد الزيارات
 ,Hotel Room Occupancy,فندق غرفة إشغال
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,الجدول الزمني الانشاء:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},يرجى تعيين حساب النقد أو الحساب المصرفيالافتراضي لطريقة الدفع {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},يرجى تعيين حساب النقد أو الحساب المصرفيالافتراضي لطريقة الدفع {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,سجل
 DocType: GST Settings,GST Settings,إعدادات غست
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},يجب أن تكون العملة مماثلة لعملة قائمة الأسعار: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,مجموع الفائدة الواجب دفعها
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,الضرائب التكلفة هبطت والرسوم
 DocType: Work Order Operation,Actual Start Time,الفعلي وقت البدء
+DocType: Purchase Invoice Item,Deferred Expense Account,حساب المصروفات المؤجلة
 DocType: BOM Operation,Operation Time,وقت العملية
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,إنهاء
 DocType: Salary Structure Assignment,Base,الاساسي
 DocType: Timesheet,Total Billed Hours,مجموع الساعات وصفت
 DocType: Travel Itinerary,Travel To,يسافر إلى
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ليس
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,شطب المبلغ
 DocType: Leave Block List Allow,Allow User,تسمح للمستخدم
 DocType: Journal Entry,Bill No,رقم الفاتورة
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,ورقة الوقت
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush المواد الخام مبني على
 DocType: Sales Invoice,Port Code,رمز الميناء
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,احتياطي مستودع
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,احتياطي مستودع
 DocType: Lead,Lead is an Organization,الرصاص هو منظمة
-DocType: Guardian Interest,Interest,فائدة
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,قبل البيع
 DocType: Instructor Log,Other Details,تفاصيل أخرى
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,حسابات
 DocType: Vehicle,Odometer Value (Last),قراءة عداد المسافات (الأخيرة)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,نماذج من معايير بطاقة الأداء المورد.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,التسويق
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,التسويق
 DocType: Sales Invoice,Redeem Loyalty Points,استبدل نقاط الولاء
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,تدوين المدفوعات تم انشاؤه بالفعل
 DocType: Request for Quotation,Get Suppliers,الحصول على الموردين
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,تباعد المحاصيل أوم
 DocType: Loyalty Program,Single Tier Program,برنامج الطبقة الواحدة
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,حدد فقط إذا كان لديك إعداد مخطط مخطط التدفق النقدي
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,من العنوان 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,من العنوان 1
 DocType: Email Digest,Next email will be sent on:,سيتم إرسال البريد الإلكترونية التالي في :
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",العنصر التالي {items} {فعل} الذي تم وضع علامة عليه على أنه {message} item. \ يمكنك تمكينهم كعنصر {message} من عنصره الرئيسي
 DocType: Supplier Scorecard,Per Week,في الاسبوع
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,البند لديه متغيرات.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,البند لديه متغيرات.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,إجمالي الطالب
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,البند {0} لم يتم العثور على
 DocType: Bin,Stock Value,قيمة المخزون
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,الشركة {0} غير موجودة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,الشركة {0} غير موجودة
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} له صلاحية الرسوم حتى {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,نوع الشجرة
 DocType: BOM Explosion Item,Qty Consumed Per Unit,الكمية المستهلكة لكل وحدة
@@ -1130,9 +1137,9 @@
 ,Fichier des Ecritures Comptables [FEC],فيشير ديس إكوريتورس كومبتابليز [فيك]
 DocType: Journal Entry,Credit Card Entry,إدخال بطاقة إئتمان
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,الشركة و الحسابات
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,القيمة القادمة
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,القيمة القادمة
 DocType: Asset Settings,Depreciation Options,خيارات الاهلاك
-apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,يجب أن يكون مطلوبا الموقع أو الموظف
+apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,الموقع أو الموظف، أحدهما إلزامي
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,وقت نشر غير صالح
 DocType: Salary Component,Condition and Formula,الشرط و الصيغة
 DocType: Lead,Campaign Name,اسم الحملة
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,توزيع
 DocType: Purchase Order,Supply Raw Materials,توريد المواد الخام
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,أصول متداولة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ليس من نوع المخزون
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ليس من نوع المخزون
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',يرجى حصة ملاحظاتك للتدريب من خلال النقر على &quot;التدريب ردود الفعل&quot; ثم &quot;جديد&quot;
 DocType: Mode of Payment Account,Default Account,الافتراضي حساب
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,يرجى تحديد نموذج الاحتفاظ مستودع في إعدادات المخزون أولا
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,يرجى تحديد نموذج الاحتفاظ مستودع في إعدادات المخزون أولا
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,يرجى تحديد نوع البرنامج متعدد الطبقات لأكثر من قواعد مجموعة واحدة.
 DocType: Payment Entry,Received Amount (Company Currency),تلقى المبلغ (شركة العملات)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,يجب تعيين (الزبون المحتمل) إذا كانت (الفرص) جاءت من زبون محتمل
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,دفع ملغى. يرجى التحقق من حسابك في GoCardless لمزيد من التفاصيل
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,إرسال مع المرفقات
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,الرجاء اختيار يوم العطلة الاسبوعي
 DocType: Inpatient Record,O Negative,O سلبي
 DocType: Work Order Operation,Planned End Time,وقت الانتهاء المخطط له
 ,Sales Person Target Variance Item Group-Wise,الشخص المبيعات المستهدفة الفرق البند المجموعة الحكيم
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,لا يمكن تحويل حساب جرت عليه أي عملية إلى حساب دفتر أستاذ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,لا يمكن تحويل حساب جرت عليه أي عملية إلى حساب دفتر أستاذ
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,تفاصيل نوع العضوية
 DocType: Delivery Note,Customer's Purchase Order No,رقم أمر الشراء الصادر من الزبون
 DocType: Clinical Procedure,Consume Stock,أستهلاك المخزون
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,رمل
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,طاقة
 DocType: Opportunity,Opportunity From,فرصة من
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,الصف {0}: {1} الأرقام التسلسلية المطلوبة للبند {2}. لقد قدمت {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,الصف {0}: {1} الأرقام التسلسلية المطلوبة للبند {2}. لقد قدمت {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,يرجى تحديد جدول
 DocType: BOM,Website Specifications,موقع المواصفات
 DocType: Special Test Items,Particulars,تفاصيل
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: من {0} من نوع {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,الصف {0}: معامل التحويل إلزامي
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,الصف {0}: معامل التحويل إلزامي
 DocType: Student,A+,+A
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",توجد قواعد أسعار متعددة بنفس المعايير، يرجى حل النزاع عن طريق تعيين الأولوية. قاعدة السعر: {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",توجد قواعد أسعار متعددة بنفس المعايير، يرجى حل النزاع عن طريق تعيين الأولوية. قاعدة السعر: {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,حساب إعادة تقييم سعر الصرف
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,لا يمكن تعطيل أو إلغاء قائمة المواد لانها مترابطة مع قوائم مواد اخرى
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,لا يمكن تعطيل أو إلغاء قائمة المواد لانها مترابطة مع قوائم مواد اخرى
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,يرجى تحديد الشركة وتاريخ النشر للحصول على إدخالات
 DocType: Asset,Maintenance,صيانة
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,الحصول على من لقاء المريض
 DocType: Subscriber,Subscriber,مكتتب
 DocType: Item Attribute Value,Item Attribute Value,البند قيمة السمة
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,يرجى تحديث حالة المشروع الخاص بك
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,يرجى تحديث حالة المشروع الخاص بك
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,يجب أن يكون صرف العملات ساريًا للشراء أو البيع.
 DocType: Item,Maximum sample quantity that can be retained,الحد الأقصى لعدد العينات التي يمكن الاحتفاظ بها
 DocType: Project Update,How is the Project Progressing Right Now?,كيف يتقدم المشروع الآن؟
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},الصف {0} # البند {1} لا يمكن نقله أكثر من {2} من أمر الشراء {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},الصف {0} # البند {1} لا يمكن نقله أكثر من {2} من أمر الشراء {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,حملات المبيعات
 DocType: Project Task,Make Timesheet,إنشاء سجل دوام
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1240,36 +1248,38 @@
 DocType: Lab Test,Lab Test,فخص المختبر
 DocType: Student Report Generation Tool,Student Report Generation Tool,أداة إنشاء تقرير الطلاب
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,فتحة وقت جدول الرعاية الصحية
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,اسم الوثيقة
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,اسم الوثيقة
 DocType: Expense Claim Detail,Expense Claim Type,نوع  المطالبة  بالنفقات
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,الإعدادات الافتراضية لسلة التسوق
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,إضافة فسحات زمنية
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},الأصول تم اهمالها عبر إدخال قيد دفتر اليومية {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},يرجى تعيين Account in Warehouse {0} أو Account Inventory Account in Company {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},الأصول تم اهمالها عبر إدخال قيد دفتر اليومية {0}
 DocType: Loan,Interest Income Account,الحساب الخاص بإيرادات الفائدة
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,يجب أن تكون الفوائد القصوى أكبر من الصفر لتوزيع الاستحقاقات
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,يجب أن تكون الفوائد القصوى أكبر من الصفر لتوزيع الاستحقاقات
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,تم إرسال دعوة المراجعة
 DocType: Shift Assignment,Shift Assignment,مهمة التحول
 DocType: Employee Transfer Property,Employee Transfer Property,خاصية نقل الموظفين
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,من وقت يجب أن يكون أقل من الوقت
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,التكنولوجيا الحيوية
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",لا يمكن استهلاك العنصر {0} (الرقم المسلسل: {1}) كما هو reserverd \ to Fullfill Sales Order {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,نفقات صيانة المكاتب
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,اذهب إلى
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,تحديث السعر من Shopify إلى قائمة أسعار ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,إعداد حساب بريد إلكتروني
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,الرجاء إدخال البند أولا
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,تحليل الاحتياجات
 DocType: Asset Repair,Downtime,التوقف
 DocType: Account,Liability,الخصوم
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,لا يمكن أن يكون المبلغ الموافق عليه أكبر من مبلغ المطالبة في الصف {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,لا يمكن أن يكون المبلغ الموافق عليه أكبر من مبلغ المطالبة في الصف {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,الشروط الأكاديمية :
 DocType: Salary Component,Do not include in total,لا تدرج في المجموع
 DocType: Company,Default Cost of Goods Sold Account,الحساب الافتراضي لتكلفة البضائع المباعة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},كمية العينة {0} لا يمكن أن تكون أكثر من الكمية المستلمة {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,قائمة الأسعار غير محددة
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},كمية العينة {0} لا يمكن أن تكون أكثر من الكمية المستلمة {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,قائمة الأسعار غير محددة
 DocType: Employee,Family Background,معلومات عن العائلة
 DocType: Request for Quotation Supplier,Send Email,إرسال بريد الإلكتروني
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},تحذير: مرفق غير صالح {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},تحذير: مرفق غير صالح {0}
 DocType: Item,Max Sample Quantity,الحد الأقصى لعدد العينات
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,لا يوجد تصريح
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,قائمة مراجعة إنجاز العقد
@@ -1300,15 +1310,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: مركز التكلفة {2} لا ينتمي إلى الشركة {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),حمل رأس الرسالة (حافظ على سهولة استخدام الويب ك 900 بكسل × 100 بكسل)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: الحساب {2} لا يمكن أن يكون مجموعة
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,البند الصف {IDX}: {DOCTYPE} {} DOCNAME لا وجود له في أعلاه &#39;{DOCTYPE} المائدة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,الجدول الزمني {0} بالفعل منتهي أو ملغى
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,الجدول الزمني {0} بالفعل منتهي أو ملغى
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,لايوجد مهام
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,تم إنشاء فاتورة المبيعات {0} كمدفوعة
 DocType: Item Variant Settings,Copy Fields to Variant,نسخ الحقول إلى متغير
 DocType: Asset,Opening Accumulated Depreciation,الاهلاك التراكمي الافتتاحي
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,يجب أن تكون النتيجة أقل من أو يساوي 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,أداة انتساب برنامج
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,سجلات النموذج - س
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,سجلات النموذج - س
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,الأسهم موجودة بالفعل
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,العميل والمورد
 DocType: Email Digest,Email Digest Settings,إعدادات الملخصات المرسله عبر الايميل
@@ -1321,12 +1331,12 @@
 DocType: Production Plan,Select Items,اختر العناصر
 DocType: Share Transfer,To Shareholder,للمساهم
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} مقابل الفاتورة {1} بتاريخ {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,من الدولة
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,من الدولة
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,مؤسسة الإعداد
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,تخصيص الأوراق ...
 DocType: Program Enrollment,Vehicle/Bus Number,رقم المركبة / الحافلة
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,الجدول الزمني للمقرر
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",يجب عليك خصم الضريبة لإثبات الإعفاء من الضرائب غير المُعتمَدة والمزايا غير المُطالب بها / الموظف في فترة سداد الرواتب السابقة
 DocType: Request for Quotation Supplier,Quote Status,حالة المناقصة
 DocType: GoCardless Settings,Webhooks Secret,Webhooks سر
@@ -1352,13 +1362,13 @@
 DocType: Sales Invoice,Payment Due Date,تاريخ استحقاق السداد
 DocType: Drug Prescription,Interval UOM,الفاصل الزمني أوم
 DocType: Customer,"Reselect, if the chosen address is edited after save",إعادة تحديد، إذا تم تحرير عنوان المختار بعد حفظ
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,متغير البند {0} موجود بالفعل مع نفس الخصائص
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,متغير البند {0} موجود بالفعل مع نفس الخصائص
 DocType: Item,Hub Publishing Details,هاب تفاصيل النشر
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','افتتاحي'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','افتتاحي'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,فتح قائمة المهام
 DocType: Issue,Via Customer Portal,عبر بوابة العملاء
 DocType: Notification Control,Delivery Note Message,رسالة ملاحظة التسليم
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,المبلغ SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,المبلغ SGST
 DocType: Lab Test Template,Result Format,تنسيق النتيجة
 DocType: Expense Claim,Expenses,النفقات
 DocType: Item Variant Attribute,Item Variant Attribute,صفات السلعة البديلة
@@ -1366,14 +1376,12 @@
 DocType: Payroll Entry,Bimonthly,نصف شهري
 DocType: Vehicle Service,Brake Pad,وسادة الفرامل
 DocType: Fertilizer,Fertilizer Contents,محتوى الأسمدة
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,البحث و التطوير
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,البحث و التطوير
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,فوترة الإجمالي
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","تاريخ البدء وتاريخ الانتهاء متداخل مع بطاقة الوظيفة <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,تفاصيل التسجيل
 DocType: Timesheet,Total Billed Amount,المبلغ الكلي وصفت
 DocType: Item Reorder,Re-Order Qty,إعادة ترتيب الكميه
 DocType: Leave Block List Date,Leave Block List Date,تواريخ الإجازات المحظورة
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,يرجى إعداد برنامج تسمية المعلم في التعليم&gt; إعدادات التعليم
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,بوم # {0}: المواد الخام لا يمكن أن يكون نفس البند الرئيسي
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,مجموع الرسوم المطبقة في شراء طاولة إيصال عناصر يجب أن يكون نفس مجموع الضرائب والرسوم
 DocType: Sales Team,Incentives,الحوافز
@@ -1387,7 +1395,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,نقطة البيع
 DocType: Fee Schedule,Fee Creation Status,حالة إنشاء الرسوم
 DocType: Vehicle Log,Odometer Reading,قراءة عداد المسافات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",رصيد الحساب رصيد دائن، لا يسمح لك بتغييره 'الرصيد يجب أن يكون مدين'
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",رصيد الحساب رصيد دائن، لا يسمح لك بتغييره 'الرصيد يجب أن يكون مدين'
 DocType: Account,Balance must be,يجب أن يكون الرصيد
 DocType: Notification Control,Expense Claim Rejected Message,رسالة رفض  طلب النفقات
 ,Available Qty,الكمية المتاحة
@@ -1399,7 +1407,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,قم دائمًا بمزامنة منتجاتك من Amazon MWS قبل مزامنة تفاصيل الطلبات
 DocType: Delivery Trip,Delivery Stops,توقف التسليم
 DocType: Salary Slip,Working Days,أيام العمل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},لا يمكن تغيير تاريخ إيقاف الخدمة للعنصر الموجود في الصف {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},لا يمكن تغيير تاريخ إيقاف الخدمة للعنصر الموجود في الصف {0}
 DocType: Serial No,Incoming Rate,معدل الواردة
 DocType: Packing Slip,Gross Weight,الوزن الإجمالي
 DocType: Leave Type,Encashment Threshold Days,أيام عتبة الاسترداد
@@ -1418,31 +1426,33 @@
 DocType: Restaurant Table,Minimum Seating,الحد الأدنى للجلوس
 DocType: Item Attribute,Item Attribute Values,قيم سمة العنصر
 DocType: Examination Result,Examination Result,نتيجة الامتحان
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,إيصال استلام مشتريات
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,إيصال استلام مشتريات
 ,Received Items To Be Billed,العناصر الواردة إلى أن توصف
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,الماستر الخاص بأسعار صرف العملات.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,الماستر الخاص بأسعار صرف العملات.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},يجب أن يكون مرجع DOCTYPE واحد من {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,تصفية مجموع صفر الكمية
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},تعذر العثور على فتحة الزمنية في {0} الأيام القليلة القادمة للعملية {1}
 DocType: Work Order,Plan material for sub-assemblies,المواد خطة للجمعيات الفرعي
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,المناديب و المناطق
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,قائمة المواد {0} يجب أن تكون نشطة
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,قائمة المواد {0} يجب أن تكون نشطة
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,لا توجد عناصر متاحة للنقل
 DocType: Employee Boarding Activity,Activity Name,اسم النشاط
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,تغيير تاريخ الإصدار
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,لا يمكن أن تكون كمية المنتج النهائي <b>{0}</b> و For Quantity <b>{1}</b> مختلفة
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,تغيير تاريخ الإصدار
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,لا يمكن أن تكون كمية المنتج النهائي <b>{0}</b> و For Quantity <b>{1}</b> مختلفة
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),الإغلاق (الافتتاح + الإجمالي)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,رمز البند&gt; مجموعة البند&gt; العلامة التجارية
+DocType: Delivery Settings,Dispatch Notification Attachment,مرفق إعلام الإرسال
 DocType: Payroll Entry,Number Of Employees,عدد الموظفين
 DocType: Journal Entry,Depreciation Entry,انخفاض الدخول
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,يرجى تحديد نوع الوثيقة أولاً
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,يرجى تحديد نوع الوثيقة أولاً
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,إلغاء المواد الخاصة بالزيارة {0} قبل إلغاء زيارة الصيانة هذه
 DocType: Pricing Rule,Rate or Discount,معدل أو خصم
 DocType: Vital Signs,One Sided,جانب واحد
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},رقم المسلسل {0} لا ينتمي إلى البند {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,مطلوب الكمية
 DocType: Marketplace Settings,Custom Data,البيانات المخصصة
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى دفتر الأستاذ.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},الرقم التسلسلي إلزامي للعنصر {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى دفتر الأستاذ.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},الرقم التسلسلي إلزامي للعنصر {0}
 DocType: Bank Reconciliation,Total Amount,المبلغ الكلي لل
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,من التاريخ والوقت تكمن في السنة المالية المختلفة
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,لا يتوفر لدى المريض {0} موفر خدمة العملاء للفاتورة
@@ -1453,9 +1463,9 @@
 DocType: Soil Texture,Clay Composition (%),تركيب الطين (٪)
 DocType: Item Group,Item Group Defaults,افتراضيات مجموعة العناصر
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,يرجى حفظ قبل تعيين المهمة.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,قيمة الرصيد
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,قيمة الرصيد
 DocType: Lab Test,Lab Technician,فني مختبر
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,قائمة مبيعات الأسعار
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,قائمة مبيعات الأسعار
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",إذا تم تحديده، سيتم إنشاء عميل، يتم تعيينه إلى المريض. سيتم إنشاء فواتير المرضى ضد هذا العميل. يمكنك أيضا تحديد العميل الحالي أثناء إنشاء المريض.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,العميل غير مسجل في أي برنامج ولاء
@@ -1469,13 +1479,13 @@
 DocType: Support Search Source,Search Term Param Name,Search Param Name
 DocType: Item Barcode,Item Barcode,البند الباركود
 DocType: Woocommerce Settings,Endpoints,النهاية
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,تم تحديث متغيرات البند {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,تم تحديث متغيرات البند {0}
 DocType: Quality Inspection Reading,Reading 6,قراءة 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,{0} {1} {2} لا يمكن  من دون أي فاتورة قائمة سالبة
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,{0} {1} {2} لا يمكن  من دون أي فاتورة قائمة سالبة
 DocType: Share Transfer,From Folio No,من فوليو نو
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,عربون  فاتورة الشراء
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},صف {0}: لا يمكن ربط قيد دائن مع {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,تحديد ميزانية السنة المالية
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,تحديد ميزانية السنة المالية
 DocType: Shopify Tax Account,ERPNext Account,حساب ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,تم حظر {0} حتى لا تتم متابعة هذه المعاملة
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,الإجراء في حالة تجاوز الميزانية الشهرية المتراكمة على MR
@@ -1491,19 +1501,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,فاتورة شراء
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,السماح باستهلاك المواد المتعددة مقابل طلب العمل
 DocType: GL Entry,Voucher Detail No,تفاصيل قسيمة لا
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,فاتورة مبيعات جديدة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,فاتورة مبيعات جديدة
 DocType: Stock Entry,Total Outgoing Value,إجمالي القيمة الصادرة
 DocType: Healthcare Practitioner,Appointments,تعيينات
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,تاريخ الافتتاح و تاريخ الاغلاق يجب ان تكون ضمن نفس السنة المالية
 DocType: Lead,Request for Information,طلب المعلومات
 ,LeaderBoard,المتصدرين
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),السعر بالهامش (عملة الشركة)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,تزامن غير متصل الفواتير
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,تزامن غير متصل الفواتير
 DocType: Payment Request,Paid,مدفوع
 DocType: Program Fee,Program Fee,رسوم البرنامج
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","استبدال قائمة مواد معينة في جميع قوائم المواد الأخرى حيث يتم استخدامها. وسوف تحل محل  قائمة المواد القديمة، تحديث التكلفة وتجديد ""قائمة المواد التي تحتوي بنود مفصصه"" الجدول وفقا لقائمة المواد جديد"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,تم إنشاء أوامر العمل التالية:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,تم إنشاء أوامر العمل التالية:
 DocType: Salary Slip,Total in words,إجمالي بالحروف
 DocType: Inpatient Record,Discharged,تفريغها
 DocType: Material Request Item,Lead Time Date,تاريخ و وقت مبادرة البيع
@@ -1514,16 +1524,16 @@
 DocType: Support Settings,Get Started Sections,تبدأ الأقسام
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,تقرها
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,إلزامي. ربما لم يتم انشاء سجل تحويل العملة ل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},الصف # {0}: يرجى تحديد رقم التسلسلي للتاريخ {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},إجمالي مبلغ المساهمة: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},الصف # {0}: يرجى تحديد رقم التسلسلي للتاريخ {1}
 DocType: Payroll Entry,Salary Slips Submitted,قسائم الرواتب المقدمة
 DocType: Crop Cycle,Crop Cycle,دورة المحاصيل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,من المكان
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,صافي الدفع لا يمكن أن يكون سلبيا
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,من المكان
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,صافي الدفع لا يمكن أن يكون سلبيا
 DocType: Student Admission,Publish on website,نشر على الموقع الإلكتروني
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,المورد تاريخ الفاتورة لا يمكن أن يكون أكبر من تاريخ النشر
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,المورد تاريخ الفاتورة لا يمكن أن يكون أكبر من تاريخ النشر
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,تاريخ الإلغاء
 DocType: Purchase Invoice Item,Purchase Order Item,صنف امر الشراء
@@ -1532,7 +1542,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,أداة طالب الحضور
 DocType: Restaurant Menu,Price List (Auto created),قائمة الأسعار (تم إنشاؤها تلقائيا)
 DocType: Cheque Print Template,Date Settings,إعدادات التاريخ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,فرق
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,فرق
 DocType: Employee Promotion,Employee Promotion Detail,ترقية الموظف التفاصيل
 ,Company Name,اسم الشركة
 DocType: SMS Center,Total Message(s),مجموع الرسائل ( ق )
@@ -1561,7 +1571,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,عدم ارسال تذكير للموضفين بأعياد الميلاد
 DocType: Expense Claim,Total Advance Amount,إجمالي المبلغ المدفوع مقدما
 DocType: Delivery Stop,Estimated Arrival,الوصول المتوقع
-DocType: Delivery Stop,Notified by Email,تم إخطاره بالبريد الإلكتروني
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,انظر جميع المقالات
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,عميل غير مسجل
 DocType: Item,Inspection Criteria,معايير التفتيش
@@ -1571,22 +1580,21 @@
 DocType: Timesheet Detail,Bill,فاتورة
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,أبيض
 DocType: SMS Center,All Lead (Open),جميع الزبائن المحتملين (مفتوح)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: الكمية لا تتوفر لل{4} في مستودع {1} في بالإرسال وقت دخول ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: الكمية لا تتوفر لل{4} في مستودع {1} في بالإرسال وقت دخول ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,يمكنك فقط تحديد خيار واحد كحد أقصى من قائمة مربعات الاختيار.
 DocType: Purchase Invoice,Get Advances Paid,الحصول على السلف المدفوعة
 DocType: Item,Automatically Create New Batch,إنشاء دفعة جديدة تلقائيا
 DocType: Supplier,Represents Company,يمثل الشركة
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,إنشاء
 DocType: Student Admission,Admission Start Date,تاريخ بداية القبول
 DocType: Journal Entry,Total Amount in Words,المبلغ الكلي في كلمات
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,موظف جديد
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,كان هناك خطأ . يمكن أن يكون أحد الأسباب المحتملة التي قد لا يتم حفظ النموذج. يرجى الاتصال support@erpnext.com إذا استمرت المشكلة.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,سلة مشترياتي
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},يجب أن يكون نوع الطلب واحدا من {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},يجب أن يكون نوع الطلب واحدا من {0}
 DocType: Lead,Next Contact Date,تاريخ جهة الاتصال التالية
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,الكمية الافتتاحية
 DocType: Healthcare Settings,Appointment Reminder,تذكير بالموعد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,الرجاء إدخال حساب لتغيير القيمة
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,الرجاء إدخال حساب لتغيير القيمة
 DocType: Program Enrollment Tool Student,Student Batch Name,طالب اسم دفعة
 DocType: Holiday List,Holiday List Name,اسم قائمة العطلات
 DocType: Repayment Schedule,Balance Loan Amount,رصيد مبلغ القرض
@@ -1596,13 +1604,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,خيارات المخزون
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,لا توجد عناصر مضافة إلى العربة
 DocType: Journal Entry Account,Expense Claim,طلب النفقات
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,هل تريد حقا  استعادة هذه الأصول المخردة ؟
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,هل تريد حقا  استعادة هذه الأصول المخردة ؟
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},الكمية ل {0}
 DocType: Leave Application,Leave Application,طلب اجازة
 DocType: Patient,Patient Relation,علاقة المريض
 DocType: Item,Hub Category to Publish,فئة المحور للنشر
 DocType: Leave Block List,Leave Block List Dates,التواريخ الممنوع اخذ اجازة فيها
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",يحتوي أمر المبيعات {0} على حجز للعنصر {1} ، يمكنك فقط تسليم {1} محجوز مقابل {0}. المسلسل لا {2} لا يمكن تسليمه
 DocType: Sales Invoice,Billing Address GSTIN,عنوان إرسال الفواتير غستين
@@ -1620,16 +1628,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},الرجاء تحديد {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,العناصر إزالتها مع أي تغيير في كمية أو قيمة.
 DocType: Delivery Note,Delivery To,التسليم إلى
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,وقد وضعت قائمة الانتظار في قائمة الانتظار.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},ملخص العمل ل {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,وقد وضعت قائمة الانتظار في قائمة الانتظار.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},ملخص العمل ل {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,سيتم تعيين أول موافقة على الإذن في القائمة كمقابل الإجازة الافتراضي.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,جدول الخصائص إلزامي
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,جدول الخصائص إلزامي
 DocType: Production Plan,Get Sales Orders,الحصول على أوامر البيع
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} لا يمكن أن يكون سالبا
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,الاتصال Quickbooks
 DocType: Training Event,Self-Study,دراسة ذاتية
 DocType: POS Closing Voucher,Period End Date,تاريخ انتهاء الفترة
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,تراكيب التربة لا تضيف ما يصل إلى 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,خصم
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,الصف {0}: {1} مطلوب لإنشاء الفواتير الافتتاحية {2}
 DocType: Membership,Membership,عضوية
 DocType: Asset,Total Number of Depreciations,إجمالي عدد التلفيات
 DocType: Sales Invoice Item,Rate With Margin,معدل مع الهامش
@@ -1640,7 +1650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},يرجى تحديد هوية الصف صالحة لصف {0} في الجدول {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,تعذر العثور على متغير:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,الرجاء تحديد حقل لتعديله من المفكرة
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,لا يمكن أن يكون عنصر الأصول الثابتة كما يتم إنشاء دفتر الأستاذ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,لا يمكن أن يكون عنصر الأصول الثابتة كما يتم إنشاء دفتر الأستاذ.
 DocType: Subscription Plan,Fixed rate,سعر الصرف الثابت
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,يعترف
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ERPNext اذهب إلى سطح المكتب والبدء في استخدام
@@ -1674,7 +1684,7 @@
 DocType: Tax Rule,Shipping State,الدولة الشحن
 ,Projected Quantity as Source,المتوقع الكمية كمصدر
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"الصنف يجب اضافته مستخدما  مفتاح ""احصل علي الأصناف من المشتريات المستلمة """
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,رحلة التسليم
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,رحلة التسليم
 DocType: Student,A-,-A
 DocType: Share Transfer,Transfer Type,نوع النقل
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,نفقات المبيعات
@@ -1687,8 +1697,9 @@
 DocType: Item Default,Default Selling Cost Center,الافتراضي البيع مركز التكلفة
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,القرص
 DocType: Buying Settings,Material Transferred for Subcontract,المواد المنقولة للعقود من الباطن
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,الرمز البريدي
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},طلب المبيعات {0} هو {1}
+DocType: Email Digest,Purchase Orders Items Overdue,أوامر الشراء البنود المتأخرة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,الرمز البريدي
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},طلب المبيعات {0} هو {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},اختر حساب دخل الفائدة في القرض {0}
 DocType: Opportunity,Contact Info,معلومات الاتصال
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,إنشاء إدخالات مخزون
@@ -1701,12 +1712,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,لا يمكن إجراء الفاتورة لمدة صفر ساعة
 DocType: Company,Date of Commencement,تاريخ البدء
 DocType: Sales Person,Select company name first.,حدد اسم الشركة الأول.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},أرسل بريد إلكتروني إلى {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},أرسل بريد إلكتروني إلى {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,عروض تم استقبالها من الموردين.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,استبدال بوم وتحديث أحدث الأسعار في جميع بومس
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},إلى {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,هذه مجموعة مورد جذر ولا يمكن تحريرها.
-DocType: Delivery Trip,Driver Name,اسم السائق
+DocType: Delivery Note,Driver Name,اسم السائق
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,متوسط العمر
 DocType: Education Settings,Attendance Freeze Date,تاريخ تجميد الحضور
 DocType: Payment Request,Inward,نحو الداخل
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,الشركة الام
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},الفندق غرف نوع {0} غير متوفرة على {1}
 DocType: Healthcare Practitioner,Default Currency,العملة الافتراضية
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,الحد الأقصى للخصم للعنصر {0} هو {1}٪
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,الحد الأقصى للخصم للعنصر {0} هو {1}٪
 DocType: Asset Movement,From Employee,من الموظف
 DocType: Driver,Cellphone Number,رقم الهاتف المحمول
 DocType: Project,Monitor Progress,التقدم المرئى
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},يجب أن تكون الكمية أقل من أو تساوي {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},أقصى مبلغ مؤهل للعنصر {0} يتجاوز {1}
 DocType: Department Approver,Department Approver,موافقة القسم
+DocType: QuickBooks Migrator,Application Settings,إعدادات التطبيق
 DocType: SMS Center,Total Characters,مجموع أحرف
 DocType: Employee Advance,Claimed,ادعى
 DocType: Crop,Row Spacing,المسافة بين السطور
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},يرجى تحديد قائمة المواد في الحقل (قائمة المواد) للبند {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},يرجى تحديد قائمة المواد في الحقل (قائمة المواد) للبند {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,لا يوجد أي متغير عنصر للعنصر المحدد
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,تفاصيل الفاتورة نموذج - س
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,دفع فاتورة المصالحة
 DocType: Clinical Procedure,Procedure Template,قالب الإجرائية
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,المساهمة %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",وفقا لإعدادات الشراء إذا طلب الشراء == 'نعم'، لإنشاء فاتورة الشراء، يحتاج المستخدم إلى إنشاء أمر الشراء أولا للبند {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,المساهمة %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",وفقا لإعدادات الشراء إذا طلب الشراء == 'نعم'، لإنشاء فاتورة الشراء، يحتاج المستخدم إلى إنشاء أمر الشراء أولا للبند {0}
 ,HSN-wise-summary of outward supplies,HSN-wise-summary of outward supplies
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ارقام تسجيل الشركة و ارقام ملفات الضرائب..... الخ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,إلى الدولة
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,إلى الدولة
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,موزع
 DocType: Asset Finance Book,Asset Finance Book,كتاب الأصول المالية
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,التسوق شحن العربة القاعدة
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,أمرت البنود التي يتعين صفت
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,(من المدى) يجب أن يكون أقل من (إلى المدى)
 DocType: Global Defaults,Global Defaults,افتراضيات العالمية
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,دعوة للمشاركة في المشاريع
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,دعوة للمشاركة في المشاريع
 DocType: Salary Slip,Deductions,استقطاعات
 DocType: Setup Progress Action,Action Name,اسم الإجراء
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,بداية السنة
@@ -1767,12 +1779,13 @@
 ,Trial Balance for Party,ميزان المراجعة للحزب
 DocType: Lead,Consultant,مستشار
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,حضور أولياء الأمور للمدرسين
-DocType: Salary Slip,Earnings,الكسب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,البند المنهي {0} يجب إدخاله لادخال نوع صناعة
+DocType: Salary Slip,Earnings,المستحقات
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,البند المنهي {0} يجب إدخاله لادخال نوع صناعة
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,فتح ميزان المحاسبة
 ,GST Sales Register,غست مبيعات التسجيل
 DocType: Sales Invoice Advance,Sales Invoice Advance,فاتورة مبيعات المقدمة
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,لا شيء للطلب
+DocType: Stock Settings,Default Return Warehouse,افتراضي عودة مستودع
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,حدد النطاقات الخاصة بك
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify المورد
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,بنود دفع الفواتير
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,سيتم نسخ الحقول فقط في وقت الإنشاء.
 DocType: Setup Progress Action,Domains,المجالات
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""تاريخ البدء الفعلي"" لا يمكن أن يكون بعد ""تاريخ الانتهاء الفعلي"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,الإدارة
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,الإدارة
 DocType: Cheque Print Template,Payer Settings,إعدادات الدافع
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,لم يتم العثور على طلبات المواد المعلقة للربط للعناصر المحددة.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,اختر الشركة أولا
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","سيتم إلحاق هذا إلى بند رمز للمتغير. على سبيل المثال، إذا اختصار الخاص بك هو ""SM""، ورمز البند هو ""T-SHIRT""، رمز العنصر المتغير سيكون ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,صافي الأجر (بالحروف) تكون مرئية بمجرد حفظ كشف راتب.
 DocType: Delivery Note,Is Return,هو العائد
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,الحذر
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',يوم البدء أكبر من يوم النهاية في المهمة &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,ارجاع / اشعار مدين
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,ارجاع / اشعار مدين
 DocType: Price List Country,Price List Country,قائمة الأسعار البلد
 DocType: Item,UOMs,وحدات القياس
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} أرقام تسلسلية صالحة للبند {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,منح المعلومات.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,مزود قاعدة البيانات.
 DocType: Contract Template,Contract Terms and Conditions,شروط وأحكام العقد
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,لا يمكنك إعادة تشغيل اشتراك غير ملغى.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,لا يمكنك إعادة تشغيل اشتراك غير ملغى.
 DocType: Account,Balance Sheet,المركز المالي
 DocType: Leave Type,Is Earned Leave,هو إجازة مكتسبة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',مركز تكلفة للبند مع كود البند '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',مركز تكلفة للبند مع كود البند '
 DocType: Fee Validity,Valid Till,صالح حتى
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,مجموع اجتماع الأهل المعلمين
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",(طريقة الدفع) لم يتم ضبطها. يرجى التحقق، ما إذا كان كان تم تعيين حساب على (طريقة الدفع) أو على (ملف نقاط البيع).
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",(طريقة الدفع) لم يتم ضبطها. يرجى التحقق، ما إذا كان كان تم تعيين حساب على (طريقة الدفع) أو على (ملف نقاط البيع).
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,لا يمكن إدخال البند نفسه عدة مرات.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",يمكن إنشاء المزيد من الحسابات تحت المجموعة، لكن إدخالات القيود يمكن ان تكون فقط مقابل  حسابات فردية و ليست مجموعة
 DocType: Lead,Lead,مبادرة بيع
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,الأسهم الدخول {0} خلق
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,ليس لديك ما يكفي من نقاط الولاء لاستردادها
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,الصف # {0}: لا يمكن إدخال الكمية المرفوضة في المشتريات الراجعة
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},يرجى تعيين الحساب المرتبط في فئة الضريبة المستقطعة {0} مقابل الشركة {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,الصف # {0}: لا يمكن إدخال الكمية المرفوضة في المشتريات الراجعة
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,لا يسمح بتغيير مجموعة العملاء للعميل المحدد.
 ,Purchase Order Items To Be Billed,تم اصدار فاتورة لأصناف امر الشراء
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,تحديث أوقات الوصول المقدرة.
 DocType: Program Enrollment Tool,Enrollment Details,تفاصيل التسجيل
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,لا يمكن تعيين عدة عناصر افتراضية لأي شركة.
 DocType: Purchase Invoice Item,Net Rate,صافي معدل
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,يرجى تحديد العميل
 DocType: Leave Policy,Leave Allocations,اترك المخصصات
@@ -1850,7 +1866,7 @@
 DocType: Loan Application,Repayment Info,معلومات السداد
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,المدخلات لا يمكن أن تكون فارغة
 DocType: Maintenance Team Member,Maintenance Role,صلاحية الصيانة
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},صف مكرر {0} مع نفس {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},صف مكرر {0} مع نفس {1}
 DocType: Marketplace Settings,Disable Marketplace,تعطيل السوق
 ,Trial Balance,ميزان المراجعة
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,السنة المالية {0} غير موجودة
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,إعدادات الاشتراك
 DocType: Purchase Invoice,Update Auto Repeat Reference,تحديث السيارات تكرار المرجع
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},لم يتم تعيين قائمة العطلات الاختيارية لفترة الإجازة {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},لم يتم تعيين قائمة العطلات الاختيارية لفترة الإجازة {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,ابحاث
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,على العنوان 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,على العنوان 2
 DocType: Maintenance Visit Purpose,Work Done,العمل المنجز
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,يرجى تحديد خاصية واحدة على الأقل في جدول (الخاصيات)
 DocType: Announcement,All Students,جميع الطلاب
@@ -1871,18 +1887,18 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,.عرض حساب الاستاد
 DocType: Grading Scale,Intervals,فترات
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,المعاملات المربوطة
-apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,اسبق
+apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,أولا
 DocType: Crop Cycle,Linked Location,الموقع المرتبط
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",توجد مجموعة بند بنفس الاسم، يرجى تغيير اسم البند أو إعادة تسمية مجموعة البند
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",توجد مجموعة بند بنفس الاسم، يرجى تغيير اسم البند أو إعادة تسمية مجموعة البند
 DocType: Crop Cycle,Less than a year,أقل من عام
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,رقم موبايل الطالب
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,بقية العالم
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,بقية العالم
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,العنصر {0} لا يمكن أن يكون دفعة
 DocType: Crop,Yield UOM,العائد أوم
 ,Budget Variance Report,تقرير إنحرافات الموازنة
 DocType: Salary Slip,Gross Pay,إجمالي الأجور
 DocType: Item,Is Item from Hub,هو البند من المحور
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,احصل على عناصر من خدمات الرعاية الصحية
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,احصل على عناصر من خدمات الرعاية الصحية
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,الصف {0}: نوع النشاط إلزامي.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,توزيع الأرباح
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,موازنة دفتر الأستاذ
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,طريقة الدفع
 DocType: Purchase Invoice,Supplied Items,الأصناف الموردة
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},الرجاء تعيين قائمة نشطة لمطعم {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,نسبة العمولة ٪
 DocType: Work Order,Qty To Manufacture,الكمية للتصنيع
 DocType: Email Digest,New Income,دخل جديد
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,الحفاظ على نفس السعر طوال دورة  الشراء
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},التقييم المعدل المطلوب لعنصر في الصف {0}
 DocType: Supplier Scorecard,Scorecard Actions,إجراءات بطاقة الأداء
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,مثال: ماجستير في علوم الحاسوب
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},المورد {0} غير موجود في {1}
 DocType: Purchase Invoice,Rejected Warehouse,رفض مستودع
 DocType: GL Entry,Against Voucher,مقابل إيصال
 DocType: Item Default,Default Buying Cost Center,مركز التكلفة المشتري الافتراضي
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",للحصول على أفضل النتائج من ERPNext، ونحن نوصي بأن تأخذ بعض الوقت ومشاهدة أشرطة الفيديو هذه المساعدة.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),للمورد الافتراضي (اختياري)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,إلى
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),للمورد الافتراضي (اختياري)
 DocType: Supplier Quotation Item,Lead Time in days,المهلة بالايام
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,ملخص الحسابات الدائنة
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},غير مخول بتعديل الحساب المجمد {0}
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,تحذير لطلب جديد للاقتباسات
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,أوامر الشراء تساعدك على تخطيط ومتابعة مشترياتك
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,وصفات اختبار المختبر
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",إجمالي كمية العدد / نقل {0} في المواد طلب {1} \ لا يمكن أن يكون أكبر من الكمية المطلوبة {2} لالبند {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,صغير
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",إذا لم يحتوي Shopify على عميل بالترتيب ، فعند مزامنة الطلبات ، سيعتبر النظام العميل الافتراضي للطلب
@@ -1937,6 +1954,7 @@
 DocType: Project,% Completed,٪ مكتمل
 ,Invoiced Amount (Exculsive Tax),المبلغ فواتير ( Exculsive الضرائب )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,البند 2
+DocType: QuickBooks Migrator,Authorization Endpoint,نقطة نهاية التخويل
 DocType: Travel Request,International,دولي
 DocType: Training Event,Training Event,حدث تدريب
 DocType: Item,Auto re-order,إعادة ترتيب تلقائي
@@ -1945,24 +1963,24 @@
 DocType: Contract,Contract,عقد
 DocType: Plant Analysis,Laboratory Testing Datetime,اختبار المختبر داتيتيم
 DocType: Email Digest,Add Quote,إضافة  عرض سعر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},معامل التحويل لوحدة القياس مطلوبةل:{0} في البند: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},معامل التحويل لوحدة القياس مطلوبةل:{0} في البند: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,نفقات غير مباشرة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,الصف {0}: الكمية إلزامي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,الصف {0}: الكمية إلزامي
 DocType: Agriculture Analysis Criteria,Agriculture,الزراعة
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,إنشاء أمر مبيعات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,المدخلات الحسابية للأصول
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,حظر الفاتورة
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,المدخلات الحسابية للأصول
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,حظر الفاتورة
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,كمية لجعل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,مزامنة البيانات الرئيسية
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,مزامنة البيانات الرئيسية
 DocType: Asset Repair,Repair Cost,تكلفة الإصلاح
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,المنتجات أو الخدمات الخاصة بك
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,فشل في تسجيل الدخول
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,تم إنشاء الأصل {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,تم إنشاء الأصل {0}
 DocType: Special Test Items,Special Test Items,عناصر الاختبار الخاصة
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,يجب أن تكون مستخدمًا بأدوار System Manager و Item Manager للتسجيل في Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,طريقة الدفع
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,حسب هيكل الرواتب المعيّن الخاص بك ، لا يمكنك التقدم بطلب للحصول على مخصصات
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,وينبغي أن يكون موقع صورة ملف العامة أو عنوان الموقع
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,وينبغي أن يكون موقع صورة ملف العامة أو عنوان الموقع
 DocType: Purchase Invoice Item,BOM,فاتورة المواد
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,هذه هي مجموعة البند الجذرية والتي لا يمكن تحريرها.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,دمج
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,معلومات الأتصال بالمستودع
 DocType: Payment Entry,Write Off Difference Amount,شطب الفرق المبلغ
 DocType: Volunteer,Volunteer Name,اسم المتطوعين
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: البريد الإلكتروني للموظف غير موجود، وبالتالي لن يتم إرسال البريد الإلكتروني
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},تم العثور على صفوف ذات تواريخ استحقاق مكررة في صفوف أخرى: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: البريد الإلكتروني للموظف غير موجود، وبالتالي لن يتم إرسال البريد الإلكتروني
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},لا يتم تحديد هيكل الراتب للموظف {0} في تاريخ معين {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},قاعدة الشحن لا تنطبق على البلد {0}
 DocType: Item,Foreign Trade Details,تفاصيل التجارة الخارجية
@@ -1979,16 +1998,16 @@
 DocType: Email Digest,Annual Income,الدخل السنوي
 DocType: Serial No,Serial No Details,تفاصيل المسلسل
 DocType: Purchase Invoice Item,Item Tax Rate,السلعة معدل ضريبة
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,من اسم الحزب
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,من اسم الحزب
 DocType: Student Group Student,Group Roll Number,رقم لفة المجموعة
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",ل{0}، فقط حساب الدائن يمكن ربطه مقابل قيد مدين أخر
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,اشعار تسليم {0} لم يتم تقديمها
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,اشعار تسليم {0} لم يتم تقديمها
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,البند {0} يجب أن يكون عنصر التعاقد الفرعي
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,المعدات الكبيرة
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",خاصية قاعدة التسعير يمكن تطبيقها على  بند، فئة بنود او علامة التجارية.
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,يرجى تعيين رمز العنصر أولا
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,نوع الوثيقة
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,مجموع النسبة المئوية المخصصة ل فريق المبيعات يجب أن يكون 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,نوع الوثيقة
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,مجموع النسبة المئوية المخصصة ل فريق المبيعات يجب أن يكون 100
 DocType: Subscription Plan,Billing Interval Count,عدد الفواتير الفوترة
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,المواعيد ومواجهات المرضى
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,القيمة مفقودة
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,إنشاء تنسيق طباعة
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,الرسوم التي تم إنشاؤها
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},لم يتم العثور على أي بند يسمى {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,تصفية العناصر
 DocType: Supplier Scorecard Criteria,Criteria Formula,معايير الصيغة
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,مجموع المنتهية ولايته
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","يمكن أن يكون هناك واحد فقط الشحن القاعدة الحالة مع 0 أو قيمة فارغة ل "" إلى القيمة """
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",بالنسبة إلى عنصر {0} ، يجب أن تكون الكمية رقمًا موجبًا
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ملاحظة: مركز التكلفة هذا هو مجموعة. لا يمكن إجراء القيود المحاسبية مقابل المجموعات.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,أيام طلب الإجازة التعويضية ليست في أيام العطل الصالحة
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,يوجد مستودع الطفل لهذا المستودع. لا يمكنك حذف هذا المستودع.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,يوجد مستودع الطفل لهذا المستودع. لا يمكنك حذف هذا المستودع.
 DocType: Item,Website Item Groups,مجموعات الأصناف للموقع
 DocType: Purchase Invoice,Total (Company Currency),مجموع (شركة العملات)
 DocType: Daily Work Summary Group,Reminder,تذكير
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,قيمة الوصول
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,قيمة الوصول
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,الرقم التسلسلي {0} دخلت أكثر من مرة
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,قيد يومية
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,من GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,من GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,كمية المبالغ الغير مطالب بها
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} العنصر قيد الأستخدام
 DocType: Workstation,Workstation Name,اسم محطة العمل
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,مجموعة المواد لنقطة البيع
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,الملخصات من خلال البريد الإلكتروني:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,يجب ألا يكون الصنف البديل هو نفسه رمز الصنف
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},قائمة المواد {0} لا تنتمي إلى البند {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},قائمة المواد {0} لا تنتمي إلى البند {1}
 DocType: Sales Partner,Target Distribution,هدف التوزيع
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06- الانتهاء من التقييم المؤقت
 DocType: Salary Slip,Bank Account No.,رقم الحساب في البك
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ",يمكن استخدام متغيرات بطاقة النقاط، وكذلك: {total_score} (إجمالي النقاط من تلك الفترة)، {period_number} (عدد الفترات حتى اليوم)
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,انهيار جميع
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,انهيار جميع
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,إنشاء أمر الشراء
 DocType: Quality Inspection Reading,Reading 8,قراءة 8
 DocType: Inpatient Record,Discharge Note,ملاحظة التفريغ
@@ -2050,12 +2070,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,إجازة الامتياز
 DocType: Purchase Invoice,Supplier Invoice Date,المورد فاتورة التسجيل
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,وتستخدم هذه القيمة لحساب النسبية النسبية
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,تحتاج إلى تمكين سلة التسوق
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,تحتاج إلى تمكين سلة التسوق
 DocType: Payment Entry,Writeoff,لا تصلح
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,بادئة سلسلة التسمية
-DocType: Appraisal Template Goal,Appraisal Template Goal,الغاية من نموذج التقييم
-DocType: Salary Component,Earning,كسب
+DocType: Appraisal Template Goal,Appraisal Template Goal,الغاية من قالب التقييم
+DocType: Salary Component,Earning,مستحق
 DocType: Supplier Scorecard,Scoring Criteria,معايير التسجيل
 DocType: Purchase Invoice,Party Account Currency,عملة حساب الطرف
 ,BOM Browser,BOM متصفح
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,تم العثور على شروط متداخلة بين:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,مقابل دفتر اليومية المدخل {0} تم تعديله مقابل بعض قسائم الشراء الأخرى
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,مجموع قيمة الطلب
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,طعام
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,طعام
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,مدى العمر 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,تفاصيل قسيمة إغلاق POS
 DocType: Shopify Log,Shopify Log,سجل Shopify
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد&gt; الإعدادات&gt; تسمية السلسلة
 DocType: Inpatient Occupancy,Check In,تحقق في
 DocType: Maintenance Schedule Item,No of Visits,لا الزيارات
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},جدول الصيانة {0} موجود ضد {1}
@@ -2109,6 +2128,7 @@
 DocType: Salary Structure,Max Benefits (Amount),أقصى الفوائد (المبلغ)
 DocType: Purchase Invoice,Contact Person,الشخص الذي يمكن الاتصال به
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""تاريخ البدء المتوقع"" لا يمكن أن يكون بعد ""تاريخ الانتهاء المتوقع"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,لا بيانات لهذه الفترة
 DocType: Course Scheduling Tool,Course End Date,تاريخ انتهاء المقرر التعليمي
 DocType: Holiday List,Holidays,العطلات
 DocType: Sales Order Item,Planned Quantity,المخطط الكمية
@@ -2120,7 +2140,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,صافي التغير في الأصول الثابتة
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,الكمية المقسمة
 DocType: Leave Control Panel,Leave blank if considered for all designations,اتركها فارغه اذا كنت تريد تطبيقها لجميع المسميات الوظيفية
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,الرسوم من النوع (فعلي) في الصف {0} لا يمكن تضمينها في سعر البند
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,الرسوم من النوع (فعلي) في الصف {0} لا يمكن تضمينها في سعر البند
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},الحد الأقصى: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,من (التاريخ والوقت)
 DocType: Shopify Settings,For Company,للشركة
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,محتويات الشروط والأحكام
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,حدثت أخطاء أثناء إنشاء جدول الدورات التدريبية
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,سيتم تعيين أول Expense Approver في القائمة كمصاريف النفقات الافتراضية.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,لا يمكن أن يكون أكبر من 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,لا يمكن أن يكون أكبر من 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,يجب أن تكون مستخدمًا غير المسؤول مع أدوار مدير النظام وإدارة العنصر للتسجيل في Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,البند {0} ليس بند مخزون
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,البند {0} ليس بند مخزون
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,غير المجدولة
 DocType: Employee,Owned,مملوك
@@ -2163,7 +2183,7 @@
 DocType: HR Settings,Employee Settings,إعدادات الموظف
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,تحميل نظام الدفع
 ,Batch-Wise Balance History,دفعة الحكيم التاريخ الرصيد
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,الصف # {0}: لا يمكن تعيين &quot;معدل&quot; إذا كان المقدار أكبر من مبلغ الفاتورة للعنصر {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,الصف # {0}: لا يمكن تعيين &quot;معدل&quot; إذا كان المقدار أكبر من مبلغ الفاتورة للعنصر {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,يتم تحديث إعدادات الطباعة في شكل تنسيق الطباعة
 DocType: Package Code,Package Code,رمز الحزمة
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,وضع تحت التدريب
@@ -2172,7 +2192,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","التفاصيل الضرائب الجدول المنال من سيده البند كسلسلة وتخزينها في هذا المجال.
  المستخدمة للضرائب والرسوم"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,الموظف لا يمكن أن يقدم تقارير إلى نفسه.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,الموظف لا يمكن أن يقدم تقارير إلى نفسه.
 DocType: Leave Type,Max Leaves Allowed,ماكس يترك مسموح به
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",إذا الحساب مجمد، يسمح بالدخول إلى المستخدمين المحددين.
 DocType: Email Digest,Bank Balance,الرصيد المصرفي
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,إدخالات معاملات البنك
 DocType: Quality Inspection,Readings,قراءات
 DocType: Stock Entry,Total Additional Costs,مجموع التكاليف الإضافية
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,لا من التفاعلات
 DocType: BOM,Scrap Material Cost(Company Currency),الخردة المواد التكلفة (شركة العملات)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,التركيبات الفرعية
 DocType: Asset,Asset Name,اسم الأصول
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,إلى القيمة
 DocType: Loyalty Program,Loyalty Program Type,نوع برنامج الولاء
 DocType: Asset Movement,Stock Manager,مدير المخزن
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},مستودع مصدر إلزامي ل صف {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},مستودع مصدر إلزامي ل صف {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,قد يكون مصطلح الدفع في الصف {0} مكررا.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),الزراعة (تجريبي)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,قائمة بمحتويات الشحنة
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,قائمة بمحتويات الشحنة
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,ايجار مكتب
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,إعدادات العبارة  SMS
 DocType: Disease,Common Name,اسم شائع
@@ -2240,20 +2261,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,إرسال كشف الراتب للموظفين بالبريد الالكتروني
 DocType: Cost Center,Parent Cost Center,مركز التكلفة الأب
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,اختر مزود ممكن
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,اختر مزود ممكن
 DocType: Sales Invoice,Source,المصدر
 DocType: Customer,"Select, to make the customer searchable with these fields",حدد، لجعل العميل قابلا للبحث باستخدام هذه الحقول
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,ملاحظات التسليم التسليم من Shopify على الشحن
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,مشاهدة مغلقة
 DocType: Leave Type,Is Leave Without Pay,إجازة بدون راتب
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,فئة الأصول إلزامي لبند الأصول الثابتة
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,فئة الأصول إلزامي لبند الأصول الثابتة
 DocType: Fee Validity,Fee Validity,صلاحية الرسوم
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,لم يتم العثور على أية سجلات في جدول الدفعات
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},هذا {0} يتعارض مع {1} عن {2} {3}
 DocType: Student Attendance Tool,Students HTML,طلاب HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","يرجى حذف الموظف <a href=""#Form/Employee/{0}"">{0}</a> \ لإلغاء هذا المستند"
 DocType: POS Profile,Apply Discount,تطبيق تخفيض
 DocType: GST HSN Code,GST HSN Code,غست هسن كود
 DocType: Employee External Work History,Total Experience,مجموع الخبرة
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,جداول
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,مطلوب بوس الشخصي لاستخدام نقطة البيع
 DocType: Cashier Closing,Net Amount,صافي القيمة
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لم يتم إرسالها، ولذلك لا يمكن إكمال الإجراء
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لم يتم إرسالها، ولذلك لا يمكن إكمال الإجراء
 DocType: Purchase Order Item Supplied,BOM Detail No,رقم تفاصيل فاتورة الموارد
 DocType: Landed Cost Voucher,Additional Charges,تكاليف إضافية
 DocType: Support Search Source,Result Route Field,النتيجة مجال التوجيه
@@ -2285,7 +2303,7 @@
 DocType: Supplier Scorecard,Supplier Scorecard,بطاقة أداء المورد
 DocType: Plant Analysis,Result Datetime,النتيجة داتيتيم
 ,Support Hour Distribution,دعم توزيع ساعة
-DocType: Maintenance Visit,Maintenance Visit,صيانة زيارة
+DocType: Maintenance Visit,Maintenance Visit,زيارة صيانة
 DocType: Student,Leaving Certificate Number,ترك رقم الشهادة
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +100,"Appointment cancelled, Please review and cancel the invoice {0}",تم إلغاء الموعد، يرجى المراجعة وإلغاء الفاتورة {0}
 DocType: Sales Invoice Item,Available Batch Qty at Warehouse,الكمية المتاحة من الباتش فى المخزن
@@ -2305,11 +2323,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,فتح الفواتير
 DocType: Contract,Contract Details,تفاصيل العقد
 DocType: Employee,Leave Details,اترك التفاصيل
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,الرجاء حدد هوية المستخدم في سجلات الموظف للتمكن من تحديد الصلاحية للموظف
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,الرجاء حدد هوية المستخدم في سجلات الموظف للتمكن من تحديد الصلاحية للموظف
 DocType: UOM,UOM Name,اسم وحدة القايس
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,على العنوان 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,على العنوان 1
 DocType: GST HSN Code,HSN Code,رمز هسن
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,قيمة المساهمة
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,قيمة المساهمة
 DocType: Inpatient Record,Patient Encounter,لقاء المريض
 DocType: Purchase Invoice,Shipping Address,عنوان الشحن
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,تساعدك هذه الأداة لتحديث أو تحديد الكمية وتقييم الأوراق المالية في النظام. وعادة ما يتم استخدامه لمزامنة قيم النظام وما هو موجود فعلا في المستودعات الخاصة بك.
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,طريقة السفر
 DocType: Sales Invoice Item,Brand Name,العلامة التجارية اسم
 DocType: Purchase Receipt,Transporter Details,تفاصيل نقل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,المستودع الافتراضي للصنف المحدد متطلب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,المستودع الافتراضي للصنف المحدد متطلب
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,صندوق
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,مورد محتمل
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,مورد محتمل
 DocType: Budget,Monthly Distribution,التوزيع الشهري
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,قائمة المرسل اليهم فارغة. يرجى إنشاء قائمة المرسل اليهم
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),الرعاية الصحية (إصدار تجريبي)
@@ -2349,6 +2367,7 @@
 ,Lead Name,اسم مبادرة البيع
 ,POS,نقطة البيع
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,تنقيب
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,الرصيد الافتتاحي للمخزون
 DocType: Asset Category Account,Capital Work In Progress Account,حساب رأس المال قيد التنفيذ
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,تعديل قيمة الأصول
@@ -2357,7 +2376,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},الاجازات خصصت بنجاح ل {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,لا توجد عناصر لحزمة
 DocType: Shipping Rule Condition,From Value,من القيمة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,تصنيع الكمية إلزامي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,تصنيع الكمية إلزامي
 DocType: Loan,Repayment Method,طريقة السداد
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",إذا تحققت، الصفحة الرئيسية ستكون المجموعة الافتراضية البند للموقع
 DocType: Quality Inspection Reading,Reading 4,قراءة 4
@@ -2382,7 +2401,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,إحالة موظف
 DocType: Student Group,Set 0 for no limit,مجموعة 0 لأي حد
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,اليوم (أيام) التي تقدم بطلب للحصول على إجازة هي العطل.لا تحتاج إلى تقديم طلب للحصول الإجازة.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,الصف {إدكس}: {فيلد} مطلوب لإنشاء الفواتير {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,العنوان الرئيسي وتفاصيل الاتصال
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,إعادة إرسال الدفعة عبر البريد الإلكتروني
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,مهمة جديدة
@@ -2392,24 +2410,24 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,الرجاء تحديد نطاق واحد على الأقل.
 DocType: Dependent Task,Dependent Task,مهمة تابعة
 DocType: Shopify Settings,Shopify Tax Account,Shopify حساب الضرائب
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},معامل التحويل الافتراضي لوحدة القياس يجب أن يكون 1 في الصف {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},نوع الاجازة {0} لا يمكن أن يكون أطول من {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},معامل التحويل الافتراضي لوحدة القياس يجب أن يكون 1 في الصف {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},نوع الاجازة {0} لا يمكن أن يكون أطول من {1}
 DocType: Delivery Trip,Optimize Route,تحسين الطريق
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,محاولة التخطيط لعمليات لX أيام مقدما.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
-				You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",تم تحديد {0} شواغر و {1} ميزانية لـ {2} بالفعل لشركات تابعة {3}. \ يمكنك فقط التخطيط لـ {4} شواغر وميزانية {5} وفقًا لخطة التوظيف {6} للشركة الأم {3}.
+				You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",تم التخطيط مسبقا لعدد {0} شواغر وعدد {1} ميزانيات لـ {2} شركات تابعة للشركة الأم {3}. \ يمكنك فقط التخطيط لـعدد {4} شواغر وعدد {5} ميزانيات وفقًا لخطة التوظيف {6} للشركة الأم {3}.
 DocType: HR Settings,Stop Birthday Reminders,ايقاف التذكير بأعياد الميلاد
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},الرجاء تحديد الحساب افتراضي لدفع الرواتب في الشركة {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,الحصول على تفكك مالي للبيانات الضرائب والرسوم من قبل الأمازون
 DocType: SMS Center,Receiver List,قائمة الاستقبال
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,بحث البند
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,بحث البند
 DocType: Payment Schedule,Payment Amount,دفع مبلغ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,يجب أن يكون تاريخ نصف يوم بين العمل من التاريخ وتاريخ انتهاء العمل
 DocType: Healthcare Settings,Healthcare Service Items,عناصر خدمة الرعاية الصحية
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,القيمة المستهلكة
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,صافي التغير في النقد
 DocType: Assessment Plan,Grading Scale,مقياس الدرجات
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,وحدة القياس {0} تم إدخال أكثر من مرة واحدة في معامل التحويل الجدول
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,وحدة القياس {0} تم إدخال أكثر من مرة واحدة في معامل التحويل الجدول
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,أنجزت بالفعل
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,الأسهم، إلى داخل، أعطى
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2432,25 +2450,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,المسلسل لا {0} كمية {1} لا يمكن أن يكون جزء
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,الرجاء إدخال عنوان URL لخادم Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,رقم قطعة المورد
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,لا يمكن أن يكون معدل التحويل 0 أو 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,لا يمكن أن يكون معدل التحويل 0 أو 1
 DocType: Share Balance,To No,إلى لا
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,لم يتم تنفيذ جميع المهام الإلزامية لإنشاء الموظفين حتى الآن.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ملغى أو موقف
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ملغى أو موقف
 DocType: Accounts Settings,Credit Controller,مراقب الرصيد دائن
 DocType: Loan,Applicant Type,نوع مقدم الطلب
 DocType: Purchase Invoice,03-Deficiency in services,03 - نقص في الخدمات
 DocType: Healthcare Settings,Default Medical Code Standard,المعايير الطبية الافتراضية
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,إيصال استلام المشتريات {0} لم يتم تقديمه
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,إيصال استلام المشتريات {0} لم يتم تقديمه
 DocType: Company,Default Payable Account,حساب الدائنون الافتراضي
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",إعدادات عربة التسوق مثل قواعد الشحن، وقائمة الأسعار الخ
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}٪ مفوترة
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,الكمية المحجوزة
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,الكمية المحجوزة
 DocType: Party Account,Party Account,حساب طرف
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,يرجى تحديد الشركة والتسمية
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,الموارد البشرية
-DocType: Lead,Upper Income,أعلى دخل
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,أعلى دخل
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,ارفض
 DocType: Journal Entry Account,Debit in Company Currency,الخصم في الشركة العملات
 DocType: BOM Item,BOM Item,بند قائمة المواد
@@ -2467,7 +2485,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",فتح فرص العمل للتعيين {0} مفتوحة بالفعل \ أو التوظيف مكتمل وفقًا لخطة التوظيف {1}
 DocType: Vital Signs,Constipated,ممسك
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},مقابل فاتورة المورد {0} بتاريخ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},مقابل فاتورة المورد {0} بتاريخ {1}
 DocType: Customer,Default Price List,قائمة الأسعار الافتراضي
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,سجل حركة الأصول {0} تم إنشاؤه
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,لم يتم العثور على العناصر.
@@ -2483,16 +2501,17 @@
 DocType: Journal Entry,Entry Type,نوع الدخول
 ,Customer Credit Balance,رصيد العميل
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,صافي التغير في الحسابات الدائنة
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),تم تجاوز حد الائتمان للعميل {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد&gt; الإعدادات&gt; تسمية السلسلة
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),تم تجاوز حد الائتمان للعميل {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',الزبون مطلوب للخصم المعني بالزبائن
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,تحديث تواريخ الدفع البنكي مع المجلات.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,التسعير
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,التسعير
 DocType: Quotation,Term Details,تفاصيل الشروط
 DocType: Employee Incentive,Employee Incentive,حافز الموظف
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,لا يمكن تسجيل أكثر من {0} طلاب لمجموعة الطلاب هذه.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),الإجمالي (بدون ضريبة)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,عدد الرصاص
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,مخزون متاح
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,مخزون متاح
 DocType: Manufacturing Settings,Capacity Planning For (Days),القدرة على التخطيط لل(أيام)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,الشراء
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,لا شيء من هذه البنود يكون أي تغيير في كمية أو قيمة.
@@ -2516,7 +2535,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,الاجازات و الحضور
 DocType: Asset,Comprehensive Insurance,تأمين شامل
 DocType: Maintenance Visit,Partially Completed,أنجزت جزئيا
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},نقطة الولاء: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},نقطة الولاء: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,إضافة العملاء المتوقعين
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,حساسية معتدلة
 DocType: Leave Type,Include holidays within leaves as leaves,ايام العطل التي ضمن الإجازات تحسب إجازة
 DocType: Loyalty Program,Redemption,فداء
@@ -2535,7 +2555,7 @@
 DocType: Project Update,Challenging/Slow,التحدي / البطيء
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +147,Please select item code,الرجاء اختيار كود البند
 DocType: Student Sibling,Studying in Same Institute,الذين يدرسون في نفس المعهد
-DocType: Leave Type,Earned Leave,مغادرة مستحقة
+DocType: Leave Type,Earned Leave,إجازة مكتسبة
 DocType: Employee,Salary Details,تفاصيل الراتب
 DocType: Territory,Territory Manager,مدير إقليمي
 DocType: Packed Item,To Warehouse (Optional),إلى مستودع (اختياري)
@@ -2550,7 +2570,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,نفقات تسويقية
 ,Item Shortage Report,تقرير نقص السلعة
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,لا يمكن إنشاء معايير قياسية. يرجى إعادة تسمية المعايير
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","يذكر الوزن، \n يرجى ذكر ""الوزن UOM"" للغاية"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","يذكر الوزن، \n يرجى ذكر ""الوزن UOM"" للغاية"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,طلب المواد المستخدمة لانشاء الحركة المخزنية
 DocType: Hub User,Hub Password,كلمة المرور
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,مجموعة منفصلة بالطبع مقرها لكل دفعة
@@ -2564,15 +2584,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),المدة الزمنية للموعد (دقيقة)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,اعمل قيد محاسبي لكل حركة للمخزون
 DocType: Leave Allocation,Total Leaves Allocated,إجمالي الاجازات المخصصة
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,الرجاء إدخال تاريخ بداية السنة المالية وتاريخ النهاية
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,الرجاء إدخال تاريخ بداية السنة المالية وتاريخ النهاية
 DocType: Employee,Date Of Retirement,تاريخ التقاعد
 DocType: Upload Attendance,Get Template,الحصول على نموذج
+,Sales Person Commission Summary,ملخص مندوب مبيعات الشخص
 DocType: Additional Salary Component,Additional Salary Component,مكون الراتب إضافية
 DocType: Material Request,Transferred,نقل
 DocType: Vehicle,Doors,الأبواب
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,اكتمل الإعداد ERPNext !
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,اكتمل الإعداد ERPNext !
 DocType: Healthcare Settings,Collect Fee for Patient Registration,تحصيل رسوم تسجيل المريض
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,لا يمكن تغيير سمات بعد معاملة الأسهم. جعل عنصر جديد ونقل الأسهم إلى البند الجديد
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,لا يمكن تغيير سمات بعد معاملة الأسهم. جعل عنصر جديد ونقل الأسهم إلى البند الجديد
 DocType: Course Assessment Criteria,Weightage,الوزن
 DocType: Purchase Invoice,Tax Breakup,تفكيك الضرائب
 DocType: Employee,Joining Details,تفاصيل الانضمام
@@ -2601,14 +2622,15 @@
 DocType: Lead,Next Contact By,جهة الاتصال التالية بواسطة
 DocType: Compensatory Leave Request,Compensatory Leave Request,طلب الإجازة التعويضية
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},الكمية المطلوبة للبند {0} في الصف {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},مستودع {0} لا يمكن حذف كما توجد كمية القطعة ل {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},مستودع {0} لا يمكن حذف كما توجد كمية القطعة ل {1}
 DocType: Blanket Order,Order Type,نوع الطلب
 ,Item-wise Sales Register,سجل مبيعات الصنف
 DocType: Asset,Gross Purchase Amount,اجمالي مبلغ المشتريات
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,أرصدة الافتتاح
 DocType: Asset,Depreciation Method,طريقة الاهلاك
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,هل هذه الضريبة متضمنة في الاسعار الأساسية؟
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,إجمالي المستهدف
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,إجمالي المستهدف
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,تحليل التصور
 DocType: Soil Texture,Sand Composition (%),تكوين الرمل (٪)
 DocType: Job Applicant,Applicant for a Job,المتقدم للحصول على وظيفة
 DocType: Production Plan Material Request,Production Plan Material Request,خطة إنتاج طلب المواد
@@ -2623,23 +2645,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),علامة التقييم (من أصل 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 رقم الجوال
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,رئيسي
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,لم يتم وضع علامة على البند {0} التالي كعنصر {1}. يمكنك تمكينها كـ عنصر {1} من العنصر الرئيسي الخاص بها
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,مختلف
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",بالنسبة إلى عنصر {0} ، يجب أن تكون الكمية رقمًا سالبًا
 DocType: Naming Series,Set prefix for numbering series on your transactions,تحديد بادئة للترقيم المتسلسل على المعاملات الخاصة بك
 DocType: Employee Attendance Tool,Employees HTML,الموظفين HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,يجب أن تكون قائمة المواد الافتراضية ({0}) نشطه لهذا الصنف أو قوالبه
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,يجب أن تكون قائمة المواد الافتراضية ({0}) نشطه لهذا الصنف أو قوالبه
 DocType: Employee,Leave Encashed?,إجازات مصروفة نقداً؟
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,(الفرصة من) حقل إلزامي
 DocType: Email Digest,Annual Expenses,المصروفات السنوية
 DocType: Item,Variants,المتغيرات
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,انشاء طلب شراء
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,انشاء طلب شراء
 DocType: SMS Center,Send To,أرسل إلى
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},ليس هناك ما يكفي من توازن إجازة لإجازة نوع {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},ليس هناك ما يكفي من توازن إجازة لإجازة نوع {0}
 DocType: Payment Reconciliation Payment,Allocated amount,المبلغ المخصص
 DocType: Sales Team,Contribution to Net Total,المساهمة في صافي إجمالي
 DocType: Sales Invoice Item,Customer's Item Code,كود صنف العميل
 DocType: Stock Reconciliation,Stock Reconciliation,جرد المخزون
 DocType: Territory,Territory Name,اسم الاقليم
+DocType: Email Digest,Purchase Orders to Receive,أوامر الشراء لتلقي
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,يمكنك فقط الحصول على خطط مع دورة الفواتير نفسها في الاشتراك
 DocType: Bank Statement Transaction Settings Item,Mapped Data,البيانات المعينة
@@ -2656,9 +2680,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},تكرار المسلسل لا دخل القطعة ل {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,تقدم العروض حسب المصدر الرصاص.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,شرط للحصول على قانون الشحن
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,من فضلك ادخل
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,من فضلك ادخل
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,سجل الصيانة
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,يرجى ضبط الفلتر على أساس البند أو المخزن
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,يرجى ضبط الفلتر على أساس البند أو المخزن
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن صافي من هذه الحزمة. (تحسب تلقائيا مجموع الوزن الصافي للسلعة)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,جعل دخول مجلة الشركة انترناسيونالي
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,مبلغ الخصم لا يمكن أن يكون أكبر من 100٪
@@ -2667,15 +2691,15 @@
 DocType: Sales Order,To Deliver and Bill,لتسليم وبيل
 DocType: Student Group,Instructors,المحاضرون
 DocType: GL Entry,Credit Amount in Account Currency,المبلغ الدائن بعملة الحساب
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,قائمة المواد {0} يجب تقديمها
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,إدارة المشاركة
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,قائمة المواد {0} يجب تقديمها
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,إدارة المشاركة
 DocType: Authorization Control,Authorization Control,التحكم في الترخيص
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},الصف # {0}: (مخزن المواد المرفوضه) إلزامي مقابل البند المرفوض {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,دفع
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},الصف # {0}: (مخزن المواد المرفوضه) إلزامي مقابل البند المرفوض {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,دفع
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",مستودع {0} غير مرتبط بأي حساب، يرجى ذكر الحساب في سجل المستودع أو تعيين حساب المخزون الافتراضي في الشركة {1}.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,إدارة طلباتك
 DocType: Work Order Operation,Actual Time and Cost,الوقت الفعلي والتكلفة
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},{0} هو أقصى عدد ممكن طلبه للمادة  {1} ضد طلب المبيعات {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},{0} هو أقصى عدد ممكن طلبه للمادة  {1} ضد طلب المبيعات {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,تباعد المحاصيل
 DocType: Course,Course Abbreviation,اختصار المقرر التعليمي
@@ -2687,6 +2711,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},عدد ساعات العمل الكلي يجب ألا يكون أكثر من العدد الأقصى لساعات العمل {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,في
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,حزمة البنود في وقت البيع.
+DocType: Delivery Settings,Dispatch Settings,إعدادات الإرسال
 DocType: Material Request Plan Item,Actual Qty,الكمية الفعلية
 DocType: Sales Invoice Item,References,المراجع
 DocType: Quality Inspection Reading,Reading 10,قراءة 10
@@ -2696,11 +2721,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,لقد أدخلت عناصر مككرة، يرجى التصحيح و المحاولة مرة أخرى.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,مساعد
 DocType: Asset Movement,Asset Movement,حركة الأصول
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,يجب تقديم طلب العمل {0}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,سلة جديدة
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,يجب تقديم طلب العمل {0}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,سلة جديدة
 DocType: Taxable Salary Slab,From Amount,من الكمية
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,البند {0} ليس بند لديه رقم تسلسلي
 DocType: Leave Type,Encashment,المدفوعات النقدية
+DocType: Delivery Settings,Delivery Settings,إعدادات التسليم
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ابحث عن المعلومة
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},الحد الأقصى للإجازة المسموح بها في نوع الإجازة {0} هو {1}
 DocType: SMS Center,Create Receiver List,إنشاء قائمة استقبال
 DocType: Vehicle,Wheels,عجلات
@@ -2716,20 +2743,20 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,يجب أن تكون عملة الفوترة مساوية لعملة الشركة الافتراضية أو عملة حساب الطرف
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),يشير إلى أن الحزمة هو جزء من هذا التسليم (مشروع فقط)
 DocType: Soil Texture,Loam,طين
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,الصف {0}: لا يمكن أن يكون تاريخ الاستحقاق قبل تاريخ النشر
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,الصف {0}: لا يمكن أن يكون تاريخ الاستحقاق قبل تاريخ النشر
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,انشئ تدوين مدفوعات
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},كمية القطعة ل {0} يجب أن يكون أقل من {1}
 ,Sales Invoice Trends,اتجاهات فاتورة المبيعات
 DocType: Leave Application,Apply / Approve Leaves,تقديم / الموافقة على أجازة
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total'
 DocType: Sales Order Item,Delivery Warehouse,مستودع تسليم
-DocType: Leave Type,Earned Leave Frequency,الاجازات المكتسبة التردد
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,شجرة من مراكز التكلفة المالية.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,النوع الفرعي
+DocType: Leave Type,Earned Leave Frequency,تكرار الإجازات المكتسبة
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,شجرة من مراكز التكلفة المالية.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,النوع الفرعي
 DocType: Serial No,Delivery Document No,رقم وثيقة التسليم
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ضمان التسليم على أساس المسلسل المنتجة
 DocType: Vital Signs,Furry,فروي
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"يرجى تحديد ""احساب لربح / الخسارة عند التخلص من الأصول"" للشركة {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"يرجى تحديد ""احساب لربح / الخسارة عند التخلص من الأصول"" للشركة {0}"
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,الحصول على أصناف من إيصالات الشراء
 DocType: Serial No,Creation Date,تاريخ الإنشاء
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},الموقع المستهدف مطلوب لمادة العرض {0}
@@ -2743,10 +2770,11 @@
 DocType: Item,Has Variants,يحتوي على متغيرات
 DocType: Employee Benefit Claim,Claim Benefit For,فائدة للمطالبة
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,تحديث الرد
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},لقد حددت العناصر من {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},لقد حددت العناصر من {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,اسم التوزيع الشهري
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,معرف الدفعة إلزامي
 DocType: Sales Person,Parent Sales Person,رجل المبيعات الرئيسي
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,لا توجد عناصر يتم استلامها متأخرة
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,البائع والمشتري لا يمكن أن يكون هو نفسه
 DocType: Project,Collect Progress,اجمع التقدم
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2762,7 +2790,7 @@
 DocType: Bank Guarantee,Margin Money,المال الهامش
 DocType: Budget,Budget,ميزانية
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,تعيين فتح
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,بند الأصول الثابتة يجب أن لا يكون بند مخزون.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,بند الأصول الثابتة يجب أن لا يكون بند مخزون.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",لا يمكن تعيين الميزانية مقابل {0}، حيث إنها ليست حسابا للدخل أو للمصروفات
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},أقصى مبلغ للإعفاء {0} هو {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,محقق
@@ -2780,9 +2808,9 @@
 ,Amount to Deliver,المبلغ تسليم
 DocType: Asset,Insurance Start Date,تاريخ بداية التأمين
 DocType: Salary Component,Flexible Benefits,فوائد مرنة
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},تم إدخال نفس العنصر عدة مرات. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},تم إدخال نفس العنصر عدة مرات. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاريخ البدء الأجل لا يمكن أن يكون أقدم من تاريخ بداية السنة للعام الدراسي الذي يرتبط مصطلح (السنة الأكاديمية {}). يرجى تصحيح التواريخ وحاول مرة أخرى.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,كانت هناك أخطاء .
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,كانت هناك أخطاء .
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,الموظف {0} قد طبق بالفعل على {1} بين {2} و {3}:
 DocType: Guardian,Guardian Interests,أهتمامات الوصي
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,تحديث اسم / رقم الحساب
@@ -2821,9 +2849,9 @@
 ,Item-wise Purchase History,الحركة التاريخيه للمشتريات وفقا للصنف
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"الرجاء النقر على ""إنشاء جدول"" لجلب الرقم التسلسلي المضاف للبند {0}"
 DocType: Account,Frozen,مجمد
-DocType: Delivery Note,Vehicle Type,نوع السيارة
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,نوع السيارة
 DocType: Sales Invoice Payment,Base Amount (Company Currency),المبلغ الأساسي (عملة الشركة )
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,مواد أولية
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,مواد أولية
 DocType: Payment Reconciliation Payment,Reference Row,إشارة الصف
 DocType: Installation Note,Installation Time,تثبيت الزمن
 DocType: Sales Invoice,Accounting Details,تفاصيل المحاسبة
@@ -2832,12 +2860,13 @@
 DocType: Inpatient Record,O Positive,O إيجابي
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,الاستثمارات
 DocType: Issue,Resolution Details,قرار تفاصيل
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,نوع المعاملة
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,نوع المعاملة
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,معايير القبول
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,الرجاء إدخال طلبات المواد في الجدول أعلاه
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,لا توجد مدفوعات متاحة لمدخل المجلة
 DocType: Hub Tracked Item,Image List,قائمة الصور
 DocType: Item Attribute,Attribute Name,السمة اسم
+DocType: Subscription,Generate Invoice At Beginning Of Period,توليد فاتورة في بداية الفترة
 DocType: BOM,Show In Website,تظهر في الموقع
 DocType: Loan Application,Total Payable Amount,المبلغ الكلي المستحق
 DocType: Task,Expected Time (in hours),الوقت المتوقع (بالساعات)
@@ -2874,7 +2903,7 @@
 DocType: Employee,Resignation Letter Date,تاريخ رسالة الإستقالة
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,كما تتم فلترت قواعد التسعير على أساس الكمية.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,غير محدد
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},يرجى تحديد تاريخ الالتحاق بالموظف {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},يرجى تحديد تاريخ الالتحاق بالموظف {0}
 DocType: Inpatient Record,Discharge,إبراء الذمة
 DocType: Task,Total Billing Amount (via Time Sheet),المبلغ الكلي الفواتير (عبر ورقة الوقت)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ايرادات الزبائن المكررين
@@ -2884,13 +2913,13 @@
 DocType: Chapter,Chapter,الفصل
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,زوج
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,سيتم تحديث الحساب الافتراضي تلقائيا في فاتورة نقاط البيع عند تحديد هذا الوضع.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,حدد BOM والكمية للإنتاج
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,حدد BOM والكمية للإنتاج
 DocType: Asset,Depreciation Schedule,جدول الاهلاك الزمني
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,عناوين شركاء المبيعات والاتصالات
 DocType: Bank Reconciliation Detail,Against Account,مقابل الحساب
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,يجب أن يكون تاريخ نصف يوم ما بين التاريخ والتاريخ
 DocType: Maintenance Schedule Detail,Actual Date,التاريخ الفعلي
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,يرجى تعيين مركز التكلفة الافتراضي في الشركة {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,يرجى تعيين مركز التكلفة الافتراضي في الشركة {0}.
 DocType: Item,Has Batch No,ودفعة واحدة لا
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},الفواتير السنوية:  {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify التفاصيل Webhook
@@ -2902,7 +2931,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,نوع التحول
 DocType: Student,Personal Details,تفاصيل شخصي
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},"يرجى تحديد ""مركز تكلفة اهلاك الأصول"" للشركة {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},"يرجى تحديد ""مركز تكلفة اهلاك الأصول"" للشركة {0}"
 ,Maintenance Schedules,جداول الصيانة
 DocType: Task,Actual End Date (via Time Sheet),تاريخ الإنتهاء الفعلي (عبر ورقة الوقت)
 DocType: Soil Texture,Soil Type,نوع التربة
@@ -2910,10 +2939,10 @@
 ,Quotation Trends,مؤشرات المناقصة
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},فئة البند غير مذكورة في ماستر البند لهذا البند {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless الانتداب
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,مدين لحساب يجب أن يكون حساب مدين
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,مدين لحساب يجب أن يكون حساب مدين
 DocType: Shipping Rule,Shipping Amount,مبلغ الشحن
 DocType: Supplier Scorecard Period,Period Score,فترة النتيجة
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,إضافة العملاء
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,إضافة العملاء
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,في انتظار المبلغ
 DocType: Lab Test Template,Special,خاص
 DocType: Loyalty Program,Conversion Factor,معامل التحويل
@@ -2930,7 +2959,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,إضافة ترويسة
 DocType: Program Enrollment,Self-Driving Vehicle,سيارة ذاتية القيادة
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,المورد بطاقة الأداء الدائمة
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},صف {0}: من مواد مشروع القانون لم يتم العثور على هذا البند {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},صف {0}: من مواد مشروع القانون لم يتم العثور على هذا البند {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,مجموع الأوراق المخصصة {0} لا يمكن أن يكون أقل من الأوراق وافق بالفعل {1} للفترة
 DocType: Contract Fulfilment Checklist,Requirement,المتطلبات
 DocType: Journal Entry,Accounts Receivable,حسابات القبض
@@ -2946,16 +2975,16 @@
 DocType: Projects Settings,Timesheets,الجداول الزمنية
 DocType: HR Settings,HR Settings,إعدادات الموارد البشرية
 DocType: Salary Slip,net pay info,معلومات صافي الأجر
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,مبلغ CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,مبلغ CESS
 DocType: Woocommerce Settings,Enable Sync,تمكين المزامنة
 DocType: Tax Withholding Rate,Single Transaction Threshold,عتبة معاملة واحدة
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,يتم تحديث هذه القيمة في قائمة أسعار المبيعات الافتراضية.
 DocType: Email Digest,New Expenses,مصاريف او نفقات جديدة
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,بك / لك المبلغ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,بك / لك المبلغ
 DocType: Shareholder,Shareholder,المساهم
 DocType: Purchase Invoice,Additional Discount Amount,مقدار الخصم الاضافي
 DocType: Cash Flow Mapper,Position,موضع
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,الحصول على عناصر من الوصفات
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,الحصول على عناصر من الوصفات
 DocType: Patient,Patient Details,تفاصيل المريض
 DocType: Inpatient Record,B Positive,B موجب
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2967,8 +2996,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,(من تصنيف (مجموعة) إلى تصنيف (غير المجموعة
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,الرياضة
 DocType: Loan Type,Loan Name,اسم قرض
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,الإجمالي الفعلي
-DocType: Lab Test UOM,Test UOM,اختبار أوم
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,الإجمالي الفعلي
 DocType: Student Siblings,Student Siblings,الإخوة والأخوات الطلاب
 DocType: Subscription Plan Detail,Subscription Plan Detail,تفاصيل خطة الاشتراك
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,وحدة
@@ -2995,7 +3023,6 @@
 DocType: Workstation,Wages per hour,الأجور في الساعة
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},توازن الأسهم في الدفعة {0} ستصبح سلبية {1} القطعة ل{2} في {3} مستودع
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,تم رفع طلبات المواد التالية تلقائيا بناء على مستوى اعادة الطلب للبنود
-DocType: Email Digest,Pending Sales Orders,طلبات مبيعات معلقة
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},الحساب {0} غير صحيح. يجب أن تكون عملة الحساب {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},من تاريخ {0} لا يمكن أن يكون بعد تاريخ التخفيف من الموظف {1}
 DocType: Supplier,Is Internal Supplier,هو المورد الداخلي
@@ -3004,13 +3031,14 @@
 DocType: Healthcare Settings,Remind Before,تذكير من قبل
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},معامل تحويل وحدة القياس مطلوب في الصف: {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",الصف # {0}: يجب أن يكون نوع الوثيقة المرجعي واحدة منن الاتي اما طلب مبيعات او فاتورة مبيعات أو قيد دفتر يومية
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",الصف # {0}: يجب أن يكون نوع الوثيقة المرجعي واحدة منن الاتي اما طلب مبيعات او فاتورة مبيعات أو قيد دفتر يومية
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 نقاط الولاء = كم العملة الأساسية؟
 DocType: Salary Component,Deduction,خصم
 DocType: Item,Retain Sample,الاحتفاظ عينة
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,صف {0}: (من الوقت) و (إلى وقت) تكون إلزامية.
 DocType: Stock Reconciliation Item,Amount Difference,مقدار الفرق
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},سعر السلعة تم اضافتة لـ {0} في قائمة الأسعار {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},سعر السلعة تم اضافتة لـ {0} في قائمة الأسعار {1}
+DocType: Delivery Stop,Order Information,معلومات الطلب
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,الرجاء إدخال (رقم هوية الموظف) لمندوب المبيعات هذا
 DocType: Territory,Classification of Customers by region,تصنيف العملاء حسب المنطقة
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,في الانتاج
@@ -3021,8 +3049,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,حساب رصيد الحساب المصرفي
 DocType: Normal Test Template,Normal Test Template,قالب الاختبار العادي
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,المستخدم معطل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,عرض أسعار
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,لا يمكن تعيين رفق وردت إلى أي اقتباس
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,عرض أسعار
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,لا يمكن تعيين رفق وردت إلى أي اقتباس
 DocType: Salary Slip,Total Deduction,مجموع الخصم
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,حدد حسابا للطباعة بعملة الحساب
 ,Production Analytics,تحليلات إنتاج
@@ -3035,14 +3063,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,إعداد بطاقة الأداء المورد
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,اسم خطة التقييم
 DocType: Work Order Operation,Work Order Operation,عملية ترتيب العمل
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},تحذير: شهادة SSL غير صالحة في المرفق {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},تحذير: شهادة SSL غير صالحة في المرفق {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",الزبائن المحتملين يساعدونك في الحصول على العمل، إضافة جميع جهات الاتصال الخاصة بك وأكثر من ذلك كزبائن محتملين
 DocType: Work Order Operation,Actual Operation Time,الفعلي وقت التشغيل
 DocType: Authorization Rule,Applicable To (User),قابلة للتطبيق على (المستخدم)
 DocType: Purchase Taxes and Charges,Deduct,خصم
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,الوصف الوظيفي
 DocType: Student Applicant,Applied,طُبق
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,إعادة فتح
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,إعادة فتح
 DocType: Sales Invoice Item,Qty as per Stock UOM,الكمية حسب السهم لوحدة قياس السهم
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,اسم Guardian2
 DocType: Attendance,Attendance Request,طلب حضور
@@ -3060,7 +3088,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},الرقم التسلسلي  {0} تحت الضمان حتى {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,الحد الأدنى للقيمة المسموح بها
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,المستخدم {0} موجود بالفعل
-apps/erpnext/erpnext/hooks.py +114,Shipments,شحنات
+apps/erpnext/erpnext/hooks.py +115,Shipments,شحنات
 DocType: Payment Entry,Total Allocated Amount (Company Currency),إجمالي المبلغ المخصص (شركة العملات)
 DocType: Purchase Order Item,To be delivered to customer,ليتم تسليمها إلى العملاء
 DocType: BOM,Scrap Material Cost,التكلفة الخردة المواد
@@ -3068,11 +3096,12 @@
 DocType: Grant Application,Email Notification Sent,تم إرسال إشعار البريد الإلكتروني
 DocType: Purchase Invoice,In Words (Company Currency),في الأحرف ( عملة الشركة )
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,الشركة هي manadatory لحساب الشركة
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",رمز البند، مستودع، الكمية المطلوبة على الصف
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",رمز البند، مستودع، الكمية المطلوبة على الصف
 DocType: Bank Guarantee,Supplier,المورد
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,احصل عليها من
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,هذا هو قسم الجذر ولا يمكن تحريره.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,عرض تفاصيل الدفع
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,المدة في أيام
 DocType: C-Form,Quarter,ربع
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,نفقات متنوعة
 DocType: Global Defaults,Default Company,الشركة الافتراضية
@@ -3080,7 +3109,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,حساب النفقات أو حساب الفروقات إلزامي للبند {0} لأنه يؤثر على القيمة الإجمالية للمخزون
 DocType: Bank,Bank Name,اسم المصرف
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-أعلى
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,اترك الحقل فارغًا لإجراء أوامر الشراء لجميع الموردين
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,اترك الحقل فارغًا لإجراء أوامر الشراء لجميع الموردين
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,عنصر زيارة زيارة المرضى الداخليين
 DocType: Vital Signs,Fluid,مائع
 DocType: Leave Application,Total Leave Days,مجموع أيام الإجازة
@@ -3089,7 +3118,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,إعدادات فاريانت العنصر
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,حدد الشركة ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,اتركها فارغه اذا كنت تريد تطبيقها لجميع الأقسام
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} إلزامي للبند {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} إلزامي للبند {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",البند {0}: {1} الكمية المنتجة،
 DocType: Payroll Entry,Fortnightly,مرة كل اسبوعين
 DocType: Currency Exchange,From Currency,من العملة
@@ -3122,7 +3151,7 @@
 DocType: Payment Request,Transaction Details,تفاصيل الصفقه
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"يرجى النقر على ""إنشاء الجدول الزمني"" للحصول على الجدول الزمني"
 DocType: Blanket Order Item,Ordered Quantity,الكمية التي تم طلبها
-apps/erpnext/erpnext/public/js/setup_wizard.js +118,"e.g. ""Build tools for builders""","مثلا ""أدوات البناء للبنائين"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +118,"e.g. ""Build tools for builders""","مثلا، ""أدوات البناء للبنائين"""
 DocType: Grading Scale,Grading Scale Intervals,فواصل درجات مقياس
 DocType: Item Default,Purchase Defaults,المشتريات الافتراضية
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +117,Make Job Card,جعل بطاقة العمل
@@ -3138,7 +3167,7 @@
 DocType: Account,Fixed Asset,الأصول الثابتة
 DocType: Amazon MWS Settings,After Date,بعد التاريخ
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,جرد المتسلسلة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,غير صالح {0} لفاتورة شركة إنتر.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,غير صالح {0} لفاتورة شركة إنتر.
 ,Department Analytics,تحليلات الإدارة
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,لم يتم العثور على البريد الإلكتروني في جهة الاتصال الافتراضية
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,توليد سر
@@ -3156,6 +3185,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,المدير التنفيذي
 DocType: Purchase Invoice,With Payment of Tax,مع دفع الضرائب
 DocType: Expense Claim Detail,Expense Claim Detail,تفاصيل  المطالبة بالنفقات
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,يرجى إعداد برنامج تسمية المعلم في التعليم&gt; إعدادات التعليم
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,تريبليكات للمورد
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,توازن جديد بالعملة الأساسية
 DocType: Location,Is Container,حاوية
@@ -3163,13 +3193,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,يرجى اختيارالحساب الصحيح
 DocType: Salary Structure Assignment,Salary Structure Assignment,تعيين هيكل الراتب
 DocType: Purchase Invoice Item,Weight UOM,وحدة قياس الوزن
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,قائمة المساهمين المتاحين بأرقام الأوراق
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,قائمة المساهمين المتاحين بأرقام الأوراق
 DocType: Salary Structure Employee,Salary Structure Employee,هيكلية مرتب الموظف
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,عرض سمات متغير
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,عرض سمات متغير
 DocType: Student,Blood Group,فصيلة الدم
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,يختلف حساب بوابة الدفع في الخطة {0} عن حساب بوابة الدفع في طلب الدفع هذا
 DocType: Course,Course Name,اسم المقرر التعليمي
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,لم يتم العثور على بيانات &quot;حجب الضرائب&quot; للسنة المالية الحالية.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,لم يتم العثور على بيانات &quot;حجب الضرائب&quot; للسنة المالية الحالية.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,المستخدمين الذين يمكنهم الموافقة على الطلبات إجازة موظف معين
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,أدوات مكتبية
 DocType: Purchase Invoice Item,Qty,الكمية
@@ -3177,6 +3207,7 @@
 DocType: Supplier Scorecard,Scoring Setup,سجل الإعداد
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,إلكترونيات
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),مدين ({0})
+DocType: BOM,Allow Same Item Multiple Times,السماح لنفس العنصر عدة مرات
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,رفع طلب المواد عند الأسهم تصل إلى مستوى إعادة الطلب
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,دوام كامل
 DocType: Payroll Entry,Employees,الموظفين
@@ -3188,11 +3219,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,تأكيد الدفعة
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,لن تظهر الأسعار إذا لم يتم تعيين قائمة الأسعار
 DocType: Stock Entry,Total Incoming Value,إجمالي القيمة الواردة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,مدين الي مطلوب
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,مدين الي مطلوب
 DocType: Clinical Procedure,Inpatient Record,سجل المرضى الداخليين
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",الجداول الزمنية تساعد على الحفاظ على المسار من الوقت والتكلفة وإعداد الفواتير للنشاطات الذي قام به فريقك
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,قائمة أسعار الشراء
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,تاريخ المعاملة
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,قائمة أسعار الشراء
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,تاريخ المعاملة
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,نماذج من متغيرات بطاقة الأداء المورد.
 DocType: Job Offer Term,Offer Term,شروط العرض
 DocType: Asset,Quality Manager,مدير الجودة
@@ -3213,18 +3244,18 @@
 DocType: Cashier Closing,To Time,إلى وقت
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) لـ {0}
 DocType: Authorization Rule,Approving Role (above authorized value),الدور الوظيفي الذي لديه صلاحية الموافقة على قيمة اعلى من القيمة المرخص بها
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,دائن الى حساب يجب أن يكون حساب دائن
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,دائن الى حساب يجب أن يكون حساب دائن
 DocType: Loan,Total Amount Paid,مجموع المبلغ المدفوع
 DocType: Asset,Insurance End Date,تاريخ انتهاء التأمين
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,يرجى اختيار قبول الطالب الذي هو إلزامي للمتقدم طالب طالب
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},تكرار قائمة المواد: {0} لا يمكن ان يكون أب او أبن من {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},تكرار قائمة المواد: {0} لا يمكن ان يكون أب او أبن من {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,قائمة الميزانية
 DocType: Work Order Operation,Completed Qty,الكمية المكتملة
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",ل{0}، فقط حساب المدين يمكن ربطه مقابل قيد دائن أخر
 DocType: Manufacturing Settings,Allow Overtime,تسمح العمل الإضافي
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",المسلسل البند {0} لا يمكن تحديثه باستخدام الأسهم المصالحة، يرجى استخدام دخول الأسهم
 DocType: Training Event Employee,Training Event Employee,تدريب الموظف للحدث
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,الحد الأقصى للعينات - {0} يمكن الاحتفاظ بالدفعة {1} والبند {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,الحد الأقصى للعينات - {0} يمكن الاحتفاظ بالدفعة {1} والبند {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,إضافة فسحة وقت
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} الرقم التسلسلي مطلوب للعنصر {1}. لقد قدمت {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,معدل التقييم الحالي
@@ -3234,7 +3265,7 @@
 DocType: Opportunity,Lost Reason,فقد السبب
 DocType: Amazon MWS Settings,Enable Amazon,تمكين الأمازون
 apps/erpnext/erpnext/controllers/accounts_controller.py +312,Row #{0}: Account {1} does not belong to company {2},الصف # {0}: الحساب {1} لا ينتمي إلى الشركة {2}
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +30,Unable to find DocType {0},تعذر العثور على دوكتيب {0}
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +30,Unable to find DocType {0},تعذر العثور على نوع الملف {0}
 apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,عنوان جديد
 DocType: Quality Inspection,Sample Size,حجم العينة
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +47,Please enter Receipt Document,الرجاء إدخال الوثيقة إيصال
@@ -3255,11 +3286,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,الرقم التسلسلي {0} غير موجود
 DocType: Fee Schedule Program,Fee Schedule Program,برنامج جدول الرسوم
 DocType: Fee Schedule Program,Student Batch,دفعة طالب
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","يرجى حذف الموظف <a href=""#Form/Employee/{0}"">{0}</a> \ لإلغاء هذا المستند"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,أنشاء طالب
 DocType: Supplier Scorecard Scoring Standing,Min Grade,دقيقة الصف
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,نوع وحدة خدمة الرعاية الصحية
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},لقد وجهت الدعوة إلى التعاون في هذا المشروع: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},لقد وجهت الدعوة إلى التعاون في هذا المشروع: {0}
 DocType: Supplier Group,Parent Supplier Group,مجموعة موردي الآباء
+DocType: Email Digest,Purchase Orders to Bill,أوامر الشراء إلى الفاتورة
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,القيم المتراكمة في مجموعة الشركة
 DocType: Leave Block List Date,Block Date,تاريخ الحظر
 DocType: Crop,Crop,محصول
@@ -3267,10 +3301,11 @@
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html +70,Apply Now,تطبيق الآن
 DocType: Employee Tax Exemption Proof Submission Detail,Type of Proof,نوع من الإثبات
 apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},الكمية الفعلية {0} / الكمية المنتظره {1}
-DocType: Purchase Invoice,E-commerce GSTIN,التجارة الإلكترونية غستين
+DocType: Purchase Invoice,E-commerce GSTIN,ضريبة المبيعات على التجارة الإلكترونية
 DocType: Sales Order,Not Delivered,ولا يتم توريدها
 ,Bank Clearance Summary,ملخص التخليص البنكى
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",إنشاء وإدارة البريد الإلكتروني يوميا وأسبوعية وشهرية .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,هذا يعتمد على المعاملات ضد هذا الشخص المبيعات. انظر الجدول الزمني أدناه للحصول على التفاصيل
 DocType: Appraisal Goal,Appraisal Goal,الغاية من التقييم
 DocType: Stock Reconciliation Item,Current Amount,المبلغ الحالي
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,المباني
@@ -3297,7 +3332,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,البرامج الالكترونية
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,(تاريخ الاتصال التالي) لا يمكن أن تكون في الماضي
 DocType: Company,For Reference Only.,للإشارة او المرجعية فقط.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,حدد الدفعة رقم
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,حدد الدفعة رقم
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},غير صالح {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,ريفيرانس إنف
@@ -3315,16 +3350,16 @@
 DocType: Normal Test Items,Require Result Value,تتطلب قيمة النتيجة
 DocType: Item,Show a slideshow at the top of the page,تظهر الشرائح في أعلى الصفحة
 DocType: Tax Withholding Rate,Tax Withholding Rate,سعر الخصم الضريبي
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,قوائم المواد
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,مخازن
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,قوائم المواد
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,مخازن
 DocType: Project Type,Projects Manager,مدير المشاريع
 DocType: Serial No,Delivery Time,وقت التسليم
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,العمرعلى أساس
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,تم إلغاء الموعد
 DocType: Item,End of Life,نهاية الحياة
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,السفر
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,السفر
 DocType: Student Report Generation Tool,Include All Assessment Group,تشمل جميع مجموعة التقييم
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,لا يوجد هيكل راتب افتراضيي نشط للموظف {0} للتواريخ المحددة
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,لا يوجد هيكل راتب افتراضيي نشط للموظف {0} للتواريخ المحددة
 DocType: Leave Block List,Allow Users,السماح للمستخدمين
 DocType: Purchase Order,Customer Mobile No,رقم محمول العميل
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,تفاصيل نموذج رسم التدفق النقدي
@@ -3333,15 +3368,16 @@
 DocType: Rename Tool,Rename Tool,إعادة تسمية أداة
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,تحديث التكلفة
 DocType: Item Reorder,Item Reorder,البند إعادة ترتيب
+DocType: Delivery Note,Mode of Transport,وسيلة تنقل
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,عرض كشف الراتب
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,نقل المواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,نقل المواد
 DocType: Fees,Send Payment Request,إرسال طلب الدفع
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",تحديد العمليات ، وتكلفة التشغيل وإعطاء عملية فريدة من نوعها لا لل عمليات الخاصة بك.
 DocType: Travel Request,Any other details,أي تفاصيل أخرى
 DocType: Water Analysis,Origin,الأصل
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,هذه الوثيقة هي على حد كتبها {0} {1} لمادة {4}. وجعل لكم آخر {3} ضد نفسه {2}؟
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,يرجى تحديد (تكرار) بعد الحفظ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,حساب كمية حدد التغيير
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,يرجى تحديد (تكرار) بعد الحفظ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,حساب كمية حدد التغيير
 DocType: Purchase Invoice,Price List Currency,قائمة الأسعار العملات
 DocType: Naming Series,User must always select,يجب دائما مستخدم تحديد
 DocType: Stock Settings,Allow Negative Stock,السماح بالقيم السالبة للمخزون
@@ -3362,9 +3398,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,التتبع
 DocType: Asset Maintenance Log,Actions performed,الإجراءات المنجزة
 DocType: Cash Flow Mapper,Section Leader,قائد قسم
+DocType: Delivery Note,Transport Receipt No,إيصالات النقل
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),(مصدر الأموال  (الخصوم
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,لا يمكن أن يكون المصدر و الموقع الهدف نفسه
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},كمية في الصف {0} ( {1} ) ويجب أن تكون نفس الكمية المصنعة {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},كمية في الصف {0} ( {1} ) ويجب أن تكون نفس الكمية المصنعة {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,موظف
 DocType: Bank Guarantee,Fixed Deposit Number,رقم الوديعة الثابتة
 DocType: Asset Repair,Failure Date,تاريخ الفشل
@@ -3378,16 +3415,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,خصومات الدفع أو الخسارة
 DocType: Soil Analysis,Soil Analysis Criterias,معايير تحليل التربة
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,شروط العقد القياسية للمبيعات أو للمشتريات .
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,هل تريد بالتأكيد إلغاء هذا الموعد؟
+DocType: BOM Item,Item operation,عملية البند
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,هل تريد بالتأكيد إلغاء هذا الموعد؟
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,غرفة فندق بريسينغ باكيج
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,خط أنابيب المبيعات
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,خط أنابيب المبيعات
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},الرجاء تحديد حساب افتراضي في مكون الراتب {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,مطلوب في
 DocType: Rename Tool,File to Rename,إعادة تسمية الملف
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},الرجاء تحديد قائمة المواد للبند في الصف {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,جلب تحديثات الاشتراك
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},الحساب {0} لا يتطابق مع الشركة {1} في طريقة الحساب: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},محدد BOM {0} غير موجود القطعة ل{1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},محدد BOM {0} غير موجود القطعة ل{1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,دورة:
 DocType: Soil Texture,Sandy Loam,ساندي لوم
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,يجب إلغاء الجدول الزمني للصيانة {0} قبل إلغاء طلب المبيعات
@@ -3396,7 +3434,7 @@
 DocType: Notification Control,Expense Claim Approved,اعتمد طلب النفقات
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),تعيين السلف والتخصيص (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,لم يتم إنشاء أوامر العمل
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,كشف الراتب للموظف {0} تم إنشاؤه لهذه الفترة
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,كشف الراتب للموظف {0} تم إنشاؤه لهذه الفترة
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,الأدوية
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,يمكنك فقط إرسال ترك الإلغاء لمبلغ سداد صالح
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,تكلفة البنود التي تم شراؤها
@@ -3404,7 +3442,8 @@
 DocType: Selling Settings,Sales Order Required,طلب المبيعات مطلوبة
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,كن بائعًا
 DocType: Purchase Invoice,Credit To,دائن الى
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,الزبائن المحتملين النشطاء / زبائن
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,الزبائن المحتملين النشطاء / زبائن
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,اتركه فارغًا لاستخدام تنسيق &quot;ملاحظة التسليم&quot; القياسي
 DocType: Employee Education,Post Graduate,إجازة عاليه
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,تفاصيل جدول الصيانة
 DocType: Supplier Scorecard,Warn for new Purchase Orders,تحذير لأوامر الشراء الجديدة
@@ -3418,14 +3457,14 @@
 DocType: Support Search Source,Post Title Key,عنوان العنوان الرئيسي
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,لبطاقة الوظيفة
 DocType: Warranty Claim,Raised By,التي أثارها
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,وصفات
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,وصفات
 DocType: Payment Gateway Account,Payment Account,حساب الدفع
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,يرجى تحديد الشركة للمتابعة
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,يرجى تحديد الشركة للمتابعة
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,صافي التغير في الحسابات المدينة
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,تعويض
 DocType: Job Offer,Accepted,مقبول
 DocType: POS Closing Voucher,Sales Invoices Summary,ملخص فواتير المبيعات
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,إلى اسم الحزب
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,إلى اسم الحزب
 DocType: Grant Application,Organization,منظمة
 DocType: BOM Update Tool,BOM Update Tool,أداة تحديث بوم
 DocType: SG Creation Tool Course,Student Group Name,اسم المجموعة الطلابية
@@ -3434,7 +3473,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,يرجى التأكد من أنك تريد حقا حذف جميع المعاملات لهذه الشركة. ستبقى بياناتك الرئيسية (الماستر) كما هيا. لا يمكن التراجع عن هذا الإجراء.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,نتائج البحث
 DocType: Room,Room Number,رقم القاعة
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},مرجع غير صالح {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},مرجع غير صالح {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) لا يمكن أن يكون أكبر من الكمية المخطط لها ({2}) في أمر الإنتاج {3}
 DocType: Shipping Rule,Shipping Rule Label,ملصق قاعدة الشحن
 DocType: Journal Entry Account,Payroll Entry,دخول الرواتب
@@ -3442,8 +3481,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,صنع قالب الضرائب
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,المنتدى المستعمل
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,لا يمكن ترك المواد الخام فارغة.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,الصف # {0} (جدول الدفع): يجب أن يكون المبلغ سلبيًا
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.",تعذر تحديث المخزون، الفاتورة تحتوي علي بند مبعد الشحن.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,الصف # {0} (جدول الدفع): يجب أن يكون المبلغ سلبيًا
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.",تعذر تحديث المخزون، الفاتورة تحتوي علي بند مبعد الشحن.
 DocType: Contract,Fulfilment Status,حالة الوفاء
 DocType: Lab Test Sample,Lab Test Sample,عينة اختبار المختبر
 DocType: Item Variant Settings,Allow Rename Attribute Value,السماح بميزة إعادة التسمية
@@ -3485,11 +3524,11 @@
 DocType: BOM,Show Operations,مشاهدة العمليات
 ,Minutes to First Response for Opportunity,دقائق إلى الاستجابة الأولى للفرص
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,إجمالي الغياب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,السلعة أو المستودع للصف {0} لا يطابق طلب المواد
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,السلعة أو المستودع للصف {0} لا يطابق طلب المواد
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,وحدة القياس
 DocType: Fiscal Year,Year End Date,تاريخ نهاية العام
 DocType: Task Depends On,Task Depends On,المهمة تعتمد على
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,فرصة
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,فرصة
 DocType: Operation,Default Workstation,محطة العمل الافتراضية
 DocType: Notification Control,Expense Claim Approved Message,رسالة اعتماد طلب النفقات
 DocType: Payment Entry,Deductions or Loss,الخصومات أو الخسارة
@@ -3527,20 +3566,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,المستخدم الذي لدية صلاحية الموافقة لايمكن ان يكون نفس المستخدم الذي تنطبق عليه القاعدة
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),التسعير الاساسي استنادأ لوحدة القياس
 DocType: SMS Log,No of Requested SMS,رقم رسائل SMS  التي طلبت
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,الإجازة بدون راتب لا تتطابق مع سجلات (طلب الإجازة) الموافق عليها
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,الإجازة بدون راتب لا تتطابق مع سجلات (طلب الإجازة) الموافق عليها
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,الخطوات القادمة
 DocType: Travel Request,Domestic,المنزلي
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,يرجى تزويدنا بالبنود المحددة بأفضل الأسعار الممكنة
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,يرجى تزويدنا بالبنود المحددة بأفضل الأسعار الممكنة
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,لا يمكن تقديم نقل الموظف قبل تاريخ النقل
 DocType: Certification Application,USD,دولار أمريكي
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,جعل الفاتورة
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,الرصيد المتبقي
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,الرصيد المتبقي
 DocType: Selling Settings,Auto close Opportunity after 15 days,اغلاق تلاقائي للفرص بعد 15 يوما
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,لا يسمح بأوامر الشراء {0} بسبب وضع بطاقة النقاط {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,الباركود {0} ليس رمز {1} صالحا
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,الباركود {0} ليس رمز {1} صالحا
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,نهاية السنة
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,مناقصة / زبون محتمل٪
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,يجب أن يكون تاريخ انتهاء العقد بعد تاريخ الالتحاق بالعمل
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,يجب أن يكون تاريخ انتهاء العقد بعد تاريخ الالتحاق بالعمل
 DocType: Driver,Driver,سائق
 DocType: Vital Signs,Nutrition Values,قيم التغذية
 DocType: Lab Test Template,Is billable,هو قابل للفوترة
@@ -3551,7 +3590,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,هذا مثال موقع ولدت لصناعة السيارات من ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,مدى العمر 1
 DocType: Shopify Settings,Enable Shopify,تمكين Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,لا يمكن أن يكون إجمالي المبلغ المدفوع أكبر من المبلغ الإجمالي المطالب به
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,لا يمكن أن يكون إجمالي المبلغ المدفوع أكبر من المبلغ الإجمالي المطالب به
 DocType: Purchase Taxes and Charges Template,"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
@@ -3598,12 +3637,12 @@
 DocType: Employee Separation,Employee Separation,فصل الموظف
 DocType: BOM Item,Original Item,البند الأصلي
 DocType: Purchase Receipt Item,Recd Quantity,Recd الكمية
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,وثيقة التاريخ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,وثيقة التاريخ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},سجلات الرسوم  تم انشاؤها - {0}
 DocType: Asset Category Account,Asset Category Account,حساب فئة الأصول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,الصف رقم {0} (جدول الدفع): يجب أن يكون المبلغ موجبا
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,الصف رقم {0} (جدول الدفع): يجب أن يكون المبلغ موجبا
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},لا يمكن أن تنتج المزيد من البند {0} اكثر من كمية طلب المبيعات {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,حدد قيم السمات
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,حدد قيم السمات
 DocType: Purchase Invoice,Reason For Issuing document,سبب إصدار المستند
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,الحركة المخزنية {0} غير مسجلة
 DocType: Payment Reconciliation,Bank / Cash Account,البنك حساب / النقدية
@@ -3612,8 +3651,10 @@
 DocType: Asset,Manual,يدوي
 DocType: Salary Component Account,Salary Component Account,حساب مكون الراتب
 DocType: Global Defaults,Hide Currency Symbol,إخفاء رمز العملة
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,فرص المبيعات حسب المصدر
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,معلومات الجهات المانحة.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card",على سبيل المثال المصرف، نقدا، بطاقة الائتمان
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,يرجى إعداد سلسلة ترقيم الإعداد للحضور عبر الإعداد&gt; سلسلة الترقيم
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card",على سبيل المثال، مصرف، نقدا، بطاقة الائتمان
 DocType: Job Applicant,Source Name,اسم المصدر
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",ضغط الدم الطبيعي يستريح في الكبار هو ما يقرب من 120 ملم زئبقي الانقباضي، و 80 ملم زئبق الانبساطي، مختصر &quot;120/80 ملم زئبق&quot;
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",تعيين العناصر العمر الافتراضي في أيام، لتعيين انتهاء الصلاحية على أساس manufacturing_date بالإضافة إلى الحياة الذاتية
@@ -3643,7 +3684,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},يجب أن تكون الكمية أقل من الكمية {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,الصف {0}: يجب أن يكون تاريخ البدء قبل تاريخ الانتهاء
 DocType: Salary Component,Max Benefit Amount (Yearly),أقصى فائدة المبلغ (سنويا)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,نسبة TDS٪
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,نسبة TDS٪
 DocType: Crop,Planting Area,زرع
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),إجمالي (الكمية)
 DocType: Installation Note Item,Installed Qty,الكميات الثابتة
@@ -3665,8 +3706,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,اترك إشعار الموافقة
 DocType: Buying Settings,Default Buying Price List,قائمة اسعار الشراء الافتراضية
 DocType: Payroll Entry,Salary Slip Based on Timesheet,كشف الرواتب بناء على سجل التوقيت
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,معدل الشراء
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},الصف {0}: أدخل الموقع لعنصر مادة العرض {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,معدل الشراء
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},الصف {0}: أدخل الموقع لعنصر مادة العرض {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,عن الشركة
 DocType: Notification Control,Sales Order Message,رسالة طلب المبيعات
@@ -3731,10 +3772,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,بالنسبة إلى الصف {0}: أدخل الكمية المخطط لها
 DocType: Account,Income Account,حساب الدخل
 DocType: Payment Request,Amount in customer's currency,المبلغ بعملة العميل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,تسليم
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,تسليم
 DocType: Volunteer,Weekdays,أيام الأسبوع
 DocType: Stock Reconciliation Item,Current Qty,الكمية الحالية
 DocType: Restaurant Menu,Restaurant Menu,قائمة المطاعم
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,إضافة الموردين
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,قسم المساعدة
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,السابق
@@ -3746,19 +3788,20 @@
 												fullfill Sales Order {2}",لا يمكن تسليم Serial No {0} من البند {1} لأنه محجوز لـ \ fullfill Sales Order {2}
 DocType: Item Reorder,Material Request Type,نوع طلب المواد
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,إرسال بريد إلكتروني منح مراجعة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",التخزين المحلي ممتلئة، لم يتم الحفظ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,الصف {0}: معامل تحويل وحدة القياس إلزامي
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",التخزين المحلي ممتلئة، لم يتم الحفظ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,الصف {0}: معامل تحويل وحدة القياس إلزامي
 DocType: Employee Benefit Claim,Claim Date,تاريخ المطالبة
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,سعة الغرفة
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},يوجد سجل للعنصر {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,المرجع
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,ستفقد سجلات الفواتير التي تم إنشاؤها من قبل. هل أنت متأكد من أنك تريد إعادة تشغيل هذا الاشتراك؟
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,رسوم التسجيل
 DocType: Loyalty Program Collection,Loyalty Program Collection,مجموعة برامج الولاء
 DocType: Stock Entry Detail,Subcontracted Item,البند من الباطن
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},الطالب {0} لا ينتمي إلى المجموعة {1}
 DocType: Budget,Cost Center,مركز التكلفة
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,سند #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,سند #
 DocType: Notification Control,Purchase Order Message,رسالة امر الشراء
 DocType: Tax Rule,Shipping Country,دولة الشحن
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,إخفاء المعرف الضريبي للعملاء من معاملات مبيعات
@@ -3777,23 +3820,22 @@
 DocType: Subscription,Cancel At End Of Period,الغاء في نهاية الفترة
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,الخاصية المضافة بالفعل
 DocType: Item Supplier,Item Supplier,البند مزود
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,الرجاء إدخال كود البند للحصول على رقم الدفعة
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},يرجى اختيار قيمة ل {0} عرض مسعر إلى {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,الرجاء إدخال كود البند للحصول على رقم الدفعة
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},يرجى اختيار قيمة ل {0} عرض مسعر إلى {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,لم يتم تحديد أي عناصر للنقل
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,جميع العناوين.
 DocType: Company,Stock Settings,إعدادات المخزون
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",دمج غير ممكن إلا إذا الخصائص التالية هي نفسها في كل السجلات. هي المجموعة، نوع الجذر، شركة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",دمج غير ممكن إلا إذا الخصائص التالية هي نفسها في كل السجلات. هي المجموعة، نوع الجذر، شركة
 DocType: Vehicle,Electric,كهربائي
 DocType: Task,% Progress,٪ التقدم
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,الربح / الخسارة عند التخلص من الأصول
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",لن يتم تحديد سوى طالب مقدم الطلب بالحالة &quot;موافق عليه&quot; في الجدول أدناه.
 DocType: Tax Withholding Category,Rates,معدلات
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,رقم الحساب للحساب {0} غير متوفر. <br> يرجى إعداد مخطط الحسابات بشكل صحيح.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,رقم الحساب للحساب {0} غير متوفر. <br> يرجى إعداد مخطط الحسابات بشكل صحيح.
 DocType: Task,Depends on Tasks,تعتمد على المهام
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,إدارة شجرة مجموعات الزبائن.
 DocType: Normal Test Items,Result Value,قيمة النتيجة
 DocType: Hotel Room,Hotels,الفنادق
-DocType: Delivery Note,Transporter Date,تاريخ الناقل
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,اسم مركز تكلفة جديد
 DocType: Leave Control Panel,Leave Control Panel,لوحة تحكم الأجازات
 DocType: Project,Task Completion,إنجاز المهمة
@@ -3840,11 +3882,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,جميع مجموعات التقييم
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,اسم المخزن الجديد
 DocType: Shopify Settings,App Type,نوع التطبيق
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),إجمالي {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),إجمالي {0} ({1})
 DocType: C-Form Invoice Detail,Territory,إقليم
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,يرجى ذكر عدد الزيارات المطلوبة
 DocType: Stock Settings,Default Valuation Method,أسلوب التقييم الافتراضي
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,رسوم
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,إظهار المبلغ التراكمي
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,التحديث قيد التقدم. قد يستغرق بعض الوقت.
 DocType: Production Plan Item,Produced Qty,الكمية المنتجة
 DocType: Vehicle Log,Fuel Qty,كمية الوقود
@@ -3852,7 +3895,7 @@
 DocType: Work Order Operation,Planned Start Time,المخططة بداية
 DocType: Course,Assessment,الأصول
 DocType: Payment Entry Reference,Allocated,تخصيص
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,اغلاق الميزانية و دفتر الربح أو الخسارة.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,اغلاق الميزانية و دفتر الربح أو الخسارة.
 DocType: Student Applicant,Application Status,حالة الطلب
 DocType: Additional Salary,Salary Component Type,نوع مكون الراتب
 DocType: Sensitivity Test Items,Sensitivity Test Items,حساسية اختبار العناصر
@@ -3863,10 +3906,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,إجمالي المبلغ المستحق
 DocType: Sales Partner,Targets,أهداف
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,يرجى تسجيل رقم سيرين في ملف معلومات الشركة
+DocType: Email Digest,Sales Orders to Bill,أوامر المبيعات إلى الفاتورة
 DocType: Price List,Price List Master,قائمة الأسعار ماستر
 DocType: GST Account,CESS Account,سيس حساب
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,جميع معاملات البيع يمكن ان تكون مشارة لعدة ** موظفين مبيعات** بحيث يمكنك تعيين و مراقبة اهداف البيع المحددة
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,رابط لطلب المواد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,رابط لطلب المواد
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,نشاط المنتدى
 ,S.O. No.,S.O. رقم
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,عنصر إعدادات معاملات بيان البنك
@@ -3881,7 +3925,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,هذه هي مجموعة العملاء الجذرية والتي لا يمكن تحريرها.
 DocType: Student,AB-,-AB
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,أجراء في حال تجاوزت الميزانية الشهرية المتراكمة طلب الشراء
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,الى المكان
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,الى المكان
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,إعادة تقييم سعر الصرف
 DocType: POS Profile,Ignore Pricing Rule,تجاهل (قاعدة التسعير)
 DocType: Employee Education,Graduate,التخرج
@@ -3929,6 +3973,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,يرجى تعيين العملاء الافتراضي في إعدادات المطعم
 ,Salary Register,راتب التسجيل
 DocType: Warehouse,Parent Warehouse,المستودع الأصل
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,خريطة
 DocType: Subscription,Net Total,صافي المجموع
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},لم يتم العثور على بوم الافتراضي للعنصر {0} والمشروع {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,تحديد أنواع القروض المختلفة
@@ -3961,24 +4006,26 @@
 DocType: Membership,Membership Status,حالة العضوية
 DocType: Travel Itinerary,Lodging Required,الإقامة المطلوبة
 ,Requested,طلب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,لا ملاحظات
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,لا ملاحظات
 DocType: Asset,In Maintenance,في الصيانة
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,انقر فوق هذا الزر لسحب بيانات &quot;أمر المبيعات&quot; من Amazon MWS.
 DocType: Vital Signs,Abdomen,بطن
 DocType: Purchase Invoice,Overdue,تأخير
 DocType: Account,Stock Received But Not Billed,المخزون المتلقي ولكن غير مفوتر
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,الحساب الجذري يجب أن يكون  مجموعة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,الحساب الجذري يجب أن يكون  مجموعة
 DocType: Drug Prescription,Drug Prescription,وصفة الدواء
 DocType: Loan,Repaid/Closed,سداد / مغلق
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,توقعات مجموع الكمية
 DocType: Monthly Distribution,Distribution Name,توزيع الاسم
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,تضمين UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",لم يتم العثور على معدل التقييم للبند {0}، المطلوب القيام به إدخالات المحاسبة ل {1} {2}. إذا كان العنصر يتم التعامل به على أنه عنصر معدل تقييم صفر في {1}، يرجى ذكر أنه في جدول {1} إيتم. خلاف ذلك، يرجى إنشاء معاملة الأسهم الواردة لهذا البند أو ذكر معدل التقييم في سجل البند، ثم حاول تقديم / إلغاء هذا الإدخال
 DocType: Course,Course Code,كود المقرر التعليمي
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},فحص الجودة مطلوب للبند {0}
 DocType: Location,Parent Location,الموقع الأم
 DocType: POS Settings,Use POS in Offline Mode,استخدام بوس في وضع غير متصل بالشبكة
 DocType: Supplier Scorecard,Supplier Variables,متغيرات المورد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} إلزامي. ربما لم يتم تسجيل سعر الصرف من {1} إلى {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,المعدل الذي يتم تحويل العملة إلى عملة العميل قاعدة الشركة
 DocType: Purchase Invoice Item,Net Rate (Company Currency),صافي السعر ( بعملة الشركة )
 DocType: Salary Detail,Condition and Formula Help,مساعدة باستخدام الصيغ و الشروط
@@ -3987,19 +4034,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,فاتورة مبيعات
 DocType: Journal Entry Account,Party Balance,ميزان الحزب
 DocType: Cash Flow Mapper,Section Subtotal,القسم الفرعي الفرعي
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,الرجاء اختيار (تطبيق تخفيض على)
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,الرجاء اختيار (تطبيق تخفيض على)
 DocType: Stock Settings,Sample Retention Warehouse,مستودع الاحتفاظ بالعينات
 DocType: Company,Default Receivable Account,حساب المدينون الأفتراضي
 DocType: Purchase Invoice,Deemed Export,يعتبر التصدير
 DocType: Stock Entry,Material Transfer for Manufacture,نقل المواد لتصنيع
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,نسبة الخصم يمكن تطبيقها إما مقابل قائمة الأسعار محددة أو لجميع قائمة الأسعار.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,القيود المحاسبية للمخزون
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,القيود المحاسبية للمخزون
 DocType: Lab Test,LabTest Approver,لابتيست أبروفر
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,لقد سبق أن قيمت معايير التقييم {}.
 DocType: Vehicle Service,Engine Oil,زيت المحرك
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},أوامر العمل التي تم إنشاؤها: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},أوامر العمل التي تم إنشاؤها: {0}
 DocType: Sales Invoice,Sales Team1,مبيعات Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,البند {0} غير موجود
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,البند {0} غير موجود
 DocType: Sales Invoice,Customer Address,عنوان العميل
 DocType: Loan,Loan Details,تفاصيل القرض
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,فشل في إعداد تركيبات الشركة بعد
@@ -4020,34 +4067,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,تظهر هذه الشرائح في أعلى الصفحة
 DocType: BOM,Item UOM,وحدة قياس البند
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),مبلغ الضريبة بعد خصم مبلغ (شركة العملات)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},المستودع المستهدف إلزامي لصف {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},المستودع المستهدف إلزامي لصف {0}
 DocType: Cheque Print Template,Primary Settings,الإعدادات الأولية
 DocType: Attendance Request,Work From Home,العمل من المنزل
 DocType: Purchase Invoice,Select Supplier Address,حدد مزود العناوين
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,إضافة موظفين
 DocType: Purchase Invoice Item,Quality Inspection,فحص الجودة
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,صغير جدا
 DocType: Company,Standard Template,قالب قياسي
 DocType: Training Event,Theory,نظرية
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,تحذير : كمية المواد المطلوبة  هي أقل من الحد الأدنى للطلب الكمية
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,تحذير : كمية المواد المطلوبة  هي أقل من الحد الأدنى للطلب الكمية
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,الحساب {0} مجمّد
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,الكيان القانوني و الشركات التابعة التى لها لدليل حسابات منفصل تنتمي إلى المنظمة.
 DocType: Payment Request,Mute Email,كتم البريد الإلكتروني
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco",الأغذية والمشروبات والتبغ
 DocType: Account,Account Number,رقم الحساب
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},يمكن إجراء دفعة فقط مقابل فاتورة غير مدفوعة {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,لا يمكن أن تكون نسبة العمولة أكبر من 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},يمكن إجراء دفعة فقط مقابل فاتورة غير مدفوعة {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,لا يمكن أن تكون نسبة العمولة أكبر من 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),تخصيص السلف تلقائيا (FIFO)
 DocType: Volunteer,Volunteer,تطوع
 DocType: Buying Settings,Subcontract,قام بمقاولة فرعية
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,الرجاء إدخال {0} أولا
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,لا توجد ردود من
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,لا توجد ردود من
 DocType: Work Order Operation,Actual End Time,الفعلي وقت الانتهاء
 DocType: Item,Manufacturer Part Number,رقم قطعة المُصَنِّع
 DocType: Taxable Salary Slab,Taxable Salary Slab,بلاطة الراتب الخاضع للضريبة
 DocType: Work Order Operation,Estimated Time and Cost,الوقت المقدر والتكلفة
 DocType: Bin,Bin,صندوق
 DocType: Crop,Crop Name,اسم المحصول
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,يمكن فقط للمستخدمين الذين لديهم دور {0} التسجيل في Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,يمكن فقط للمستخدمين الذين لديهم دور {0} التسجيل في Marketplace
 DocType: SMS Log,No of Sent SMS,رقم رسائل SMS  التي أرسلت
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,المواعيد واللقاءات
@@ -4076,7 +4124,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,تغيير رمز
 DocType: Purchase Invoice Item,Valuation Rate,معدل التقييم
 DocType: Vehicle,Diesel,ديزل
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,قائمة أسعار العملات غير محددة
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,قائمة أسعار العملات غير محددة
 DocType: Purchase Invoice,Availed ITC Cess,استفاد من إيتس سيس
 ,Student Monthly Attendance Sheet,طالب ورقة الحضور الشهري
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,الشحن القاعدة المعمول بها فقط للبيع
@@ -4092,7 +4140,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ادارة شركاء المبيعات.
 DocType: Quality Inspection,Inspection Type,نوع التفتيش
 DocType: Fee Validity,Visited yet,تمت الزيارة
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى المجموعة.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى المجموعة.
 DocType: Assessment Result Tool,Result HTML,نتيجة HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,كم مرة يجب تحديث المشروع والشركة استنادًا إلى معاملات المبيعات.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,تنتهي صلاحيته في
@@ -4100,7 +4148,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},الرجاء اختيار {0}
 DocType: C-Form,C-Form No,رقم النموذج - س
 DocType: BOM,Exploded_items,البنود المفصصة
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,مسافه: بعد
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,مسافه: بعد
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,قائمة المنتجات أو الخدمات التي تشتريها أو تبيعها.
 DocType: Water Analysis,Storage Temperature,درجة حرارة التخزين
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4116,19 +4164,19 @@
 DocType: Shopify Settings,Delivery Note Series,سلسلة ملاحظات التسليم
 DocType: Purchase Order Item,Returned Qty,عاد الكمية
 DocType: Student,Exit,خروج
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,نوع الجذر إلزامي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,نوع الجذر إلزامي
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,فشل في تثبيت الإعدادات المسبقة
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,تحويل UOM في ساعات
 DocType: Contract,Signee Details,تفاصيل المنشور
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} لديه حاليا {1} بطاقة أداء بطاقة الموردين، ويجب أن يتم إصدار طلبات إعادة الشراء إلى هذا المورد بحذر.
 DocType: Certified Consultant,Non Profit Manager,مدير غير الربح
 DocType: BOM,Total Cost(Company Currency),التكلفة الإجمالية (شركة العملات)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,المسلسل لا {0} خلق
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,المسلسل لا {0} خلق
 DocType: Homepage,Company Description for website homepage,وصف الشركة للصفة الرئيسيه بالموقع الألكتروني
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",لراحة العملاء، ويمكن استخدام هذه الرموز في أشكال الطباعة مثل الفواتير والسندات التسليم
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,اسم Suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,تعذر استرداد المعلومات ل {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,افتتاح مجلة الدخول
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,افتتاح مجلة الدخول
 DocType: Contract,Fulfilment Terms,شروط الوفاء
 DocType: Sales Invoice,Time Sheet List,الساعة قائمة ورقة
 DocType: Employee,You can enter any date manually,يمكنك إدخال أي تاريخ يدويا
@@ -4163,7 +4211,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,مؤسستك
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",تخطي تخصيص الأجازات للموظفين التاليين ، حيث أن سجلات الإضافة &quot;التخصيص&quot; موجودة بالفعل. {0}
 DocType: Fee Component,Fees Category,فئة الرسوم
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,من فضلك ادخل تاريخ ترك العمل.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,من فضلك ادخل تاريخ ترك العمل.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,الإجمالي
 DocType: Travel Request,"Details of Sponsor (Name, Location)",تفاصيل الراعي (الاسم والموقع)
 DocType: Supplier Scorecard,Notify Employee,إعلام الموظف
@@ -4176,9 +4224,9 @@
 DocType: Company,Chart Of Accounts Template,نمودج  دليل الحسابات
 DocType: Attendance,Attendance Date,تاريخ الحضور
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},يجب تمكين مخزون التحديث لفاتورة الشراء {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},العنصر السعر تحديث ل{0} في قائمة الأسعار {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},العنصر السعر تحديث ل{0} في قائمة الأسعار {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,تقسيم الراتب بناءَ على الكسب والاستقطاع.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,الحساب المتفرع منه عقدة ابن لايمكن ان يحول الي حساب دفتر استاد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,الحساب المتفرع منه عقدة ابن لايمكن ان يحول الي حساب دفتر استاد
 DocType: Purchase Invoice Item,Accepted Warehouse,مستودع مقبول
 DocType: Bank Reconciliation Detail,Posting Date,تاريخ الترحيل
 DocType: Item,Valuation Method,طريقة التقييم
@@ -4215,6 +4263,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,يرجى تحديد دفعة
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,مطالبة السفر والنفقات
 DocType: Sales Invoice,Redemption Cost Center,مركز تكلفة الاسترداد
+DocType: QuickBooks Migrator,Scope,نطاق
 DocType: Assessment Group,Assessment Group Name,اسم مجموعة التقييم
 DocType: Manufacturing Settings,Material Transferred for Manufacture,المواد المنقولة لغرض صناعة
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,إضافة إلى التفاصيل
@@ -4222,6 +4271,7 @@
 DocType: Shopify Settings,Last Sync Datetime,آخر مزامنة التاريخ والوقت
 DocType: Landed Cost Item,Receipt Document Type,استلام نوع الوثيقة
 DocType: Daily Work Summary Settings,Select Companies,اختر الشركات
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,اقتراح / سعر الاقتباس
 DocType: Antibiotic,Healthcare,الرعاىة الصحية
 DocType: Target Detail,Target Detail,تفاصل الهدف
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,متغير واحد
@@ -4231,6 +4281,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,قيد مدة ختامي
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,حدد القسم ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,مركز التكلفة مع المعاملات الحالية لا يمكن تحويلها إلى مجموعة
+DocType: QuickBooks Migrator,Authorization URL,عنوان التخويل
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},القيمة {0} {1} {2} {3}
 DocType: Account,Depreciation,إهلاك
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,عدد الأسهم وأعداد الأسهم غير متناسقة
@@ -4252,13 +4303,14 @@
 DocType: Support Search Source,Source DocType,المصدر DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,افتح تذكرة جديدة
 DocType: Training Event,Trainer Email,بريد المدرب الإلكتروني
+DocType: Driver,Transporter,الناقل
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,تم إنشاء طلبات المواد {0}
 DocType: Restaurant Reservation,No of People,أي من الناس
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,قالب الشروط أو العقد.
 DocType: Bank Account,Address and Contact,العناوين و التواصل
 DocType: Vital Signs,Hyper,فرط
 DocType: Cheque Print Template,Is Account Payable,هل هو حساب دائن
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},لا يمكن تحديث المخزون ضد إيصال الشراء {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},لا يمكن تحديث المخزون ضد إيصال الشراء {0}
 DocType: Support Settings,Auto close Issue after 7 days,أغلاق تلاقائي للقضية بعد 7 أيام.
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",لا يمكن تخصيص اجازة قبل {0}، لان رصيد الإجازات قد تم تحوبله الي سجل تخصيص اجازات مستقبلي {1}
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ملاحظة: تاريخ الاستحقاق أو المرجع يتجاوز الأيام المسموح بها بالدين للزبون بقدر{0} يوم
@@ -4276,7 +4328,7 @@
 ,Qty to Deliver,الكمية للتسليم
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ستعمل Amazon على مزامنة البيانات التي تم تحديثها بعد هذا التاريخ
 ,Stock Analytics,تحليلات المخزون
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,لا يمكن ترك (العمليات) فارغة
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,لا يمكن ترك (العمليات) فارغة
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,التحاليل المخبرية)
 DocType: Maintenance Visit Purpose,Against Document Detail No,مقابل المستند التفصيلى رقم
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},الحذف غير مسموح به في البلد {0}
@@ -4284,13 +4336,12 @@
 DocType: Quality Inspection,Outgoing,المنتهية ولايته
 DocType: Material Request,Requested For,طلب لل
 DocType: Quotation Item,Against Doctype,DOCTYPE ضد
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} تم إلغائه أو مغلق
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} تم إلغائه أو مغلق
 DocType: Asset,Calculate Depreciation,حساب الاهلاك
 DocType: Delivery Note,Track this Delivery Note against any Project,تتبع هذه ملاحظة التوصيل ضد أي مشروع
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,صافي النقد من الاستثمار
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,العميل&gt; مجموعة العملاء&gt; الإقليم
 DocType: Work Order,Work-in-Progress Warehouse,مستودع العمل قيد التنفيذ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,الاصل {0} يجب تقديمه
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,الاصل {0} يجب تقديمه
 DocType: Fee Schedule Program,Total Students,مجموع الطلاب
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},سجل الحضور {0} موجود مقابل الطالب {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},المرجع # {0} بتاريخ {1}
@@ -4309,7 +4360,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,لا يمكن إنشاء مكافأة الاحتفاظ بموظفي اليسار
 DocType: Lead,Market Segment,سوق القطاع
 DocType: Agriculture Analysis Criteria,Agriculture Manager,مدير الزراعة
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},المبلغ المدفوع لا يمكن أن يكون أكبر من إجمالي المبلغ القائم السالب {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},المبلغ المدفوع لا يمكن أن يكون أكبر من إجمالي المبلغ القائم السالب {0}
 DocType: Supplier Scorecard Period,Variables,المتغيرات
 DocType: Employee Internal Work History,Employee Internal Work History,سجل عمل الموظف داخل الشركة
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),إغلاق (Dr)
@@ -4333,22 +4384,24 @@
 DocType: Amazon MWS Settings,Synch Products,منتجات المزامنة
 DocType: Loyalty Point Entry,Loyalty Program,برنامج الولاء
 DocType: Student Guardian,Father,الآب
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,تذاكر الدعم الفني
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"تحديث المخزون""  لا يمكن إختياره من مبيعات الأصول الثابته"""
 DocType: Bank Reconciliation,Bank Reconciliation,تسويات مصرفية
 DocType: Attendance,On Leave,في إجازة
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,الحصول على التحديثات
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: الحساب {2} لا ينتمي إلى الشركة {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,حدد قيمة واحدة على الأقل من كل سمة.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,حدد قيمة واحدة على الأقل من كل سمة.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,طلب المواد {0} تم إلغاؤه أو توقيفه
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,حالة الإرسال
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,حالة الإرسال
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,إدارة تصاريح الخروج
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,مجموعات
 DocType: Purchase Invoice,Hold Invoice,عقد الفاتورة
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,يرجى تحديد موظف
 DocType: Sales Order,Fully Delivered,سلمت بالكامل
-DocType: Lead,Lower Income,دخل أدنى
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,دخل أدنى
 DocType: Restaurant Order Entry,Current Order,النظام الحالي
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,يجب أن يكون عدد الرسائل والكمية المتشابهة هو نفسه
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},مصدر و مستودع الهدف لا يمكن أن يكون نفس الصف ل {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},مصدر و مستودع الهدف لا يمكن أن يكون نفس الصف ل {0}
 DocType: Account,Asset Received But Not Billed,أصل مستلم ولكن غير فاتورة
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","حساب الفروقات سجب ان يكون نوع حساب الأصول / الخصوم, بحيث مطابقة المخزون بأدخال الأفتتاحي"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},المبلغ الصروف لا يمكن أن يكون أكبر من المبلغ المخصص للقرض {0}
@@ -4357,7 +4410,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},مطلوب رقم امر الشراء للصنف {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""من تاريخ "" يجب أن يكون بعد "" إلى تاريخ """
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,لم يتم العثور على خطط التوظيف لهذا التصنيف
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,تم تعطيل الدفعة {0} من العنصر {1}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,تم تعطيل الدفعة {0} من العنصر {1}.
 DocType: Leave Policy Detail,Annual Allocation,التخصيص السنوي
 DocType: Travel Request,Address of Organizer,عنوان المنظم
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,اختر طبيب ممارس ...
@@ -4366,12 +4419,12 @@
 DocType: Asset,Fully Depreciated,استهلكت بالكامل
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,كمية المخزون المتوقعة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},العميل {0} لا ينتمي إلى المشروع {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},العميل {0} لا ينتمي إلى المشروع {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,حضور مسجل HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",عروض المسعره هي المقترحات، و المناقصات التي تم إرسالها للزبائن
 DocType: Sales Invoice,Customer's Purchase Order,طلب شراء الزبون
 DocType: Clinical Procedure,Patient,صبور
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,تجاوز الائتمان الاختيار في أمر المبيعات
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,تجاوز الائتمان الاختيار في أمر المبيعات
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,نشاط Onboarding الموظف
 DocType: Location,Check if it is a hydroponic unit,تحقق ما إذا كان هو وحدة الزراعة المائية
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,رقم المسلسل و الدفعة
@@ -4381,7 +4434,7 @@
 DocType: Supplier Scorecard Period,Calculations,العمليات الحسابية
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,القيمة أو الكمية
 DocType: Payment Terms Template,Payment Terms,شروط الدفع
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,لا يمكن أن تثار أوامر الإنتاج من أجل:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,لا يمكن أن تثار أوامر الإنتاج من أجل:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,دقيقة
 DocType: Purchase Invoice,Purchase Taxes and Charges,الضرائب والرسوم الشراء
 DocType: Chapter,Meetup Embed HTML,ميتوب تضمين هتمل
@@ -4389,17 +4442,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,الذهاب إلى الموردين
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS إغلاق القسائم الضرائب
 ,Qty to Receive,الكمية للاستلام
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",تواريخ البدء والانتهاء ليست في فترة كشوف المرتبات الصالحة ، ولا يمكن حساب {0}.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",تواريخ البدء والانتهاء ليست في فترة كشوف المرتبات الصالحة ، ولا يمكن حساب {0}.
 DocType: Leave Block List,Leave Block List Allowed,قائمة اجازات محظورة مفعلة
 DocType: Grading Scale Interval,Grading Scale Interval,درجات مقياس الفاصل الزمني
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},مطالبة بالنفقات لسجل المركبة {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,الخصم (٪) على سعر قائمة السعر مع الهامش
 DocType: Healthcare Service Unit Type,Rate / UOM,معدل / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,جميع المخازن
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,لم يتم العثور على {0} معاملات Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,لم يتم العثور على {0} معاملات Inter Company.
 DocType: Travel Itinerary,Rented Car,سيارة مستأجرة
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,عن شركتك
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,دائن الى حساب يجب أن يكون من حسابات قائمة المركز المالي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,دائن الى حساب يجب أن يكون من حسابات قائمة المركز المالي
 DocType: Donor,Donor,الجهات المانحة
 DocType: Global Defaults,Disable In Words,تعطيل بالحروف
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,كود البند إلزامي لأنه لا يتم ترقيم او تكويد البند تلقائيا
@@ -4411,14 +4464,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,حساب السحب من البنك بدون رصيد
 DocType: Patient,Patient ID,معرف المريض
 DocType: Practitioner Schedule,Schedule Name,اسم الجدول الزمني
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,خط أنابيب المبيعات حسب المرحلة
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,أنشاء كشف رانب
 DocType: Currency Exchange,For Buying,للشراء
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,إضافة جميع الموردين
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,إضافة جميع الموردين
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,الصف # {0}: المبلغ المخصص لا يمكن أن يكون أكبر من المبلغ المستحق.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,تصفح قائمة المواد
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,القروض المضمونة
 DocType: Purchase Invoice,Edit Posting Date and Time,تحرير تاريخ النشر والوقت
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},يرجى تحديد الحسابات المتعلقة بالاهلاك في فئة الأصول {0} أو الشركة {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},يرجى تحديد الحسابات المتعلقة بالاهلاك في فئة الأصول {0} أو الشركة {1}
 DocType: Lab Test Groups,Normal Range,المعدل الطبيعي
 DocType: Academic Term,Academic Year,السنة الدراسية
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,بيع المتاحة
@@ -4447,26 +4501,26 @@
 DocType: Patient Appointment,Patient Appointment,موعد المريض
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Approving Role cannot be same as role the rule is Applicable To
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,إلغاء الاشتراك من هذا البريد الإلكتروني دايجست
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,الحصول على الموردين من قبل
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,الحصول على الموردين من قبل
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} لم يتم العثور على العنصر {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,انتقل إلى الدورات التدريبية
 DocType: Accounts Settings,Show Inclusive Tax In Print,عرض الضريبة الشاملة في الطباعة
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",الحساب المصرفي، من تاريخ إلى تاريخ إلزامي
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,تم ارسال الرسالة
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,الحساب الذي لديه حسابات فرعية لا يمكن تعيينه كحساب استاذ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,الحساب الذي لديه حسابات فرعية لا يمكن تعيينه كحساب استاذ
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,المعدل الذي يتم تحويل سعر العملة العملة الأساسية القائمة لالعملاء
 DocType: Purchase Invoice Item,Net Amount (Company Currency),صافي المبلغ  ( بعملة الشركة )
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,لا يمكن أن يكون إجمالي المبلغ المدفوع أكبر من المبلغ الإجمالي المعتمد
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,لا يمكن أن يكون إجمالي المبلغ المدفوع أكبر من المبلغ الإجمالي المعتمد
 DocType: Salary Slip,Hour Rate,سعرالساعة
 DocType: Stock Settings,Item Naming By,تسمية السلعة بواسطة
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},قيد إقفال فترة أخرى {0} تم إنشائها بعد {1}
 DocType: Work Order,Material Transferred for Manufacturing,المواد المنقولة لغرض التصنيع
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,الحساب {0} غير موجود
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,اختر برنامج الولاء
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,اختر برنامج الولاء
 DocType: Project,Project Type,نوع المشروع
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,مهمة الطفل موجودة لهذه المهمة. لا يمكنك حذف هذه المهمة.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,الكمية المستهدفة أو المبلغ المستهدف إلزامي
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,الكمية المستهدفة أو المبلغ المستهدف، أحدهما إلزامي
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,تكلفة الأنشطة المختلفة
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",وضع الأحداث إلى {0}، لأن الموظف المرفقة أدناه الأشخاص المبيعات لايوجد هوية المستخدم {1}
 DocType: Timesheet,Billing Details,تفاصيل الفاتورة
@@ -4523,13 +4577,13 @@
 DocType: Inpatient Record,A Negative,سلبي
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,لا شيء أكثر لإظهار.
 DocType: Lead,From Customer,من العملاء
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,مكالمات هاتفية
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,مكالمات هاتفية
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,منتج
 DocType: Employee Tax Exemption Declaration,Declarations,التصريحات
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,دفعات
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,جعل جدول الرسوم
 DocType: Purchase Order Item Supplied,Stock UOM,وحدة قياس السهم
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,أمر الشراء {0} لم يتم تقديمه
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,أمر الشراء {0} لم يتم تقديمه
 DocType: Account,Expenses Included In Asset Valuation,النفقات المدرجة في تقييم الأصول
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),النطاق المرجعي الطبيعي للكبار هو 16-20 نفسا / دقيقة (رسيب 2012)
 DocType: Customs Tariff Number,Tariff Number,عدد التعرفة
@@ -4542,6 +4596,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,يرجى حفظ المريض أولا
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,تم وضع علامة الحضور بنجاح.
 DocType: Program Enrollment,Public Transport,النقل العام
+DocType: Delivery Note,GST Vehicle Type,GST نوع المركبة
 DocType: Soil Texture,Silt Composition (%),تكوين الطمي (٪)
 DocType: Journal Entry,Remark,كلام
 DocType: Healthcare Settings,Avoid Confirmation,تجنب التأكيد
@@ -4550,11 +4605,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,الإجازات والعطلات
 DocType: Education Settings,Current Academic Term,المدة الأكاديمية الحالية
 DocType: Sales Order,Not Billed,لا صفت
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,كلا مستودع يجب أن تنتمي إلى نفس الشركة
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,كلا مستودع يجب أن تنتمي إلى نفس الشركة
 DocType: Employee Grade,Default Leave Policy,سياسة الإجازة الافتراضية
 DocType: Shopify Settings,Shop URL,عنوان URL للمتجر
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,لم تتم إضافة أي جهات اتصال حتى الآن.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,يرجى إعداد سلسلة ترقيم الإعداد للحضور عبر الإعداد&gt; سلسلة الترقيم
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,التكلفة هبطت قيمة قسيمة
 ,Item Balance (Simple),البند الرصيد (بسيط)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,فواتير حولت من قبل الموردين.
@@ -4579,7 +4633,7 @@
 DocType: Shopping Cart Settings,Quotation Series,سلسلة تسعيرات
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",يوجد بند بنفس الاسم ({0})، يرجى تغيير اسم مجموعة البند أو إعادة تسمية البند
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,معايير تحليل التربة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,الرجاء تحديد العميل
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,الرجاء تحديد العميل
 DocType: C-Form,I,أنا
 DocType: Company,Asset Depreciation Cost Center,مركز تكلفة إستهلاك الأصول
 DocType: Production Plan Sales Order,Sales Order Date,تاريخ طلب المبيعات
@@ -4592,8 +4646,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,حاليا لا يوجد مخزون متاح في أي مستودع
 ,Payment Period Based On Invoice Date,طريقة الدفع بناء على تاريخ الفاتورة
 DocType: Sample Collection,No. of print,رقم الطباعة
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,تذكير عيد ميلاد
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,فندق غرفة الحجز البند
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},أسعار صرف العملات مفقودة ل {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},أسعار صرف العملات مفقودة ل {0}
 DocType: Employee Health Insurance,Health Insurance Name,اسم التامين الصحي
 DocType: Assessment Plan,Examiner,ممتحن
 DocType: Student,Siblings,الأخوة والأخوات
@@ -4610,19 +4665,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,العملاء الجدد
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,الربح الإجمالي٪
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,تم إلغاء الموعد {0} و فاتورة المبيعات {1}
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,الفرص من خلال المصدر الرئيسي
 DocType: Appraisal Goal,Weightage (%),الوزن(٪)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,تغيير الملف الشخصي بوس
 DocType: Bank Reconciliation Detail,Clearance Date,تاريخ الاستحقاق
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",الأصل موجود بالفعل مقابل العنصر {0} ، لا يمكنك تغيير القيمة التسلسلية
+DocType: Delivery Settings,Dispatch Notification Template,قالب إعلام الإرسال
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",الأصل موجود بالفعل مقابل العنصر {0} ، لا يمكنك تغيير القيمة التسلسلية
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,تقرير التقييم
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,الحصول على الموظفين
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,إجمالي مبلغ الشراء إلزامي
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,اسم الشركة ليس نفسه
 DocType: Lead,Address Desc,معالجة التفاصيل
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,الطرف المعني إلزامي
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},تم العثور على صفوف ذات تواريخ استحقاق مكررة في صفوف أخرى: {ليست}
 DocType: Topic,Topic Name,اسم الموضوع
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,يرجى تعيين القالب الافتراضي لإشعار إجازة الموافقة في إعدادات الموارد البشرية.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,يرجى تعيين القالب الافتراضي لإشعار إجازة الموافقة في إعدادات الموارد البشرية.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,يجب اختيار واحدة من الخيارات على الاقل اما البيع او الشراء
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,حدد الموظف للحصول على تقدم الموظف.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,يرجى تحديد تاريخ صالح
@@ -4656,6 +4712,7 @@
 DocType: Stock Entry,Customer or Supplier Details,عميل او تفاصيل المورد
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,قيمة الأصول الحالية
+DocType: QuickBooks Migrator,Quickbooks Company ID,معرّف شركة Quickbooks
 DocType: Travel Request,Travel Funding,تمويل السفر
 DocType: Loan Application,Required by Date,مطلوب حسب التاريخ
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,رابط لجميع المواقع التي ينمو فيها المحصول
@@ -4669,9 +4726,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,متوفر (كمية باتش) عند (من المخزن)
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,اجمالي الأجر - إجمالي الخصم - سداد القروض
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,قائمة المواد الحالية و قائمة المواد الجديد لا يمكن أن تكون نفس بعضهما
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,قائمة المواد الحالية و قائمة المواد الجديد لا يمكن أن تكون نفس بعضهما
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,هوية كشف الراتب
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,تاريخ التقاعد يجب أن يكون بعد تاريخ الالتحاق بالعمل
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,تاريخ التقاعد يجب أن يكون بعد تاريخ الالتحاق بالعمل
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,متغيرات متعددة
 DocType: Sales Invoice,Against Income Account,مقابل حساب الدخل
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}٪ تم التسليم
@@ -4700,7 +4757,7 @@
 DocType: POS Profile,Update Stock,تحديث المخزون
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,سوف UOM مختلفة لعناصر تؤدي إلى غير صحيحة ( مجموع ) صافي قيمة الوزن . تأكد من أن الوزن الصافي من كل عنصر في نفس UOM .
 DocType: Certification Application,Payment Details,تفاصيل الدفع
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,سعر قائمة المواد
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,سعر قائمة المواد
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",لا يمكن إلغاء طلب العمل المتوقف ، قم بإلغاء إيقافه أولاً للإلغاء
 DocType: Asset,Journal Entry for Scrap,قيد دفتر يومية للتخريد
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,يرجى سحب البنوود من اشعار التسليم
@@ -4723,11 +4780,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,الإجمالي الكمية الموافق عليه
 ,Purchase Analytics,تحليلات المشتريات
 DocType: Sales Invoice Item,Delivery Note Item,ملاحظة تسليم السلعة
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,الفاتورة الحالية {0} مفقودة
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,الفاتورة الحالية {0} مفقودة
 DocType: Asset Maintenance Log,Task,مهمة
 DocType: Purchase Taxes and Charges,Reference Row #,مرجع صف #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},رقم الباتش إلزامي للصنف{0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,هذا هو الشخص المبيعات الجذرية والتي لا يمكن تحريرها.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,هذا هو الشخص المبيعات الجذرية والتي لا يمكن تحريرها.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",إذا تم تحديده، فإن القيمة المحددة أو المحسوبة في هذا المكون لن تساهم في الأرباح أو الاستقطاعات. ومع ذلك، فإنه يمكن الإشارة إلى القيمة من قبل المكونات الأخرى التي يمكن أن تضاف أو خصمها.
 DocType: Asset Settings,Number of Days in Fiscal Year,عدد الأيام في السنة المالية
 ,Stock Ledger,سجل المخزن
@@ -4735,7 +4792,7 @@
 DocType: Company,Exchange Gain / Loss Account,حساب الربح / الخسارة الناتتج عن الصرف
 DocType: Amazon MWS Settings,MWS Credentials,MWS بيانات الاعتماد
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,الموظف والحضور
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},يجب أن يكون هدف واحد من {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},يجب أن يكون هدف واحد من {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,املأ النموذج واحفظه
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,منتديات
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,الكمية الفعلية في المخزون
@@ -4750,7 +4807,7 @@
 DocType: Lab Test Template,Standard Selling Rate,مستوى البيع السعر
 DocType: Account,Rate at which this tax is applied,السعر الذي يتم فيه تطبيق هذه الضريبة
 DocType: Cash Flow Mapper,Section Name,اسم القسم
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,الكمية المحددة عند اعادة الطلب
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,الكمية المحددة عند اعادة الطلب
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},صف الإهلاك {0}: يجب أن تكون القيمة المتوقعة بعد العمر الافتراضي أكبر من أو تساوي {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,فرص العمل الحالية
 DocType: Company,Stock Adjustment Account,حساب تسوية الأوراق المالية
@@ -4760,8 +4817,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",هوية مستخدم النظام (تسجيل الدخول). إذا وضع، وسوف تصبح الافتراضية لكافة أشكال HR.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,أدخل تفاصيل الاستهلاك
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: من {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},ترك التطبيق {0} موجود بالفعل أمام الطالب {1}
 DocType: Task,depends_on,يعتمد على
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,قائمة الانتظار لتحديث أحدث الأسعار في جميع بيل المواد. قد يستغرق بضع دقائق.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,قائمة الانتظار لتحديث أحدث الأسعار في جميع بيل المواد. قد يستغرق بضع دقائق.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,اسم الحساب الجديد. ملاحظة: الرجاء عدم إنشاء حسابات للزبائن والموردين
 DocType: POS Profile,Display Items In Stock,عرض العناصر في الأوراق المالية
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,نماذج العناوين الافتراضية للبلدان
@@ -4791,16 +4849,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,لا يتم إضافة الفتحات الخاصة بـ {0} إلى الجدول
 DocType: Product Bundle,List items that form the package.,عناصر القائمة التي تشكل الحزمة.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,غير مسموح به. الرجاء تعطيل نموذج الاختبار
+DocType: Delivery Note,Distance (in km),المسافة (بالكيلومتر)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,مجموع النسب المخصصة يجب ان تساوي 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,يرجى اختيار تاريخ الترحيل قبل اختيار الطرف المعني
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,يرجى اختيار تاريخ الترحيل قبل اختيار الطرف المعني
 DocType: Program Enrollment,School House,مدرسة دار
 DocType: Serial No,Out of AMC,من AMC
+DocType: Opportunity,Opportunity Amount,مبلغ الفرصة
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,عدد الاهلاكات المستنفده مسبقا لا يمكن أن يكون أكبر من إجمالي عدد الاهلاكات خلال العمر الافتراضي النافع
 DocType: Purchase Order,Order Confirmation Date,تاريخ تأكيد الطلب
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,إنشاء زيارة صيانة
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","تاريخ البدء وتاريخ الانتهاء متداخل مع بطاقة الوظيفة <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,تفاصيل نقل الموظف
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,يرجى الاتصال بالمستخدم الذي لديه صلاحية مدير المبيعات الماستر {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,يرجى الاتصال بالمستخدم الذي لديه صلاحية مدير المبيعات الماستر {0}
 DocType: Company,Default Cash Account,حساب النقد الافتراضي
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,ماستر الشركة (ليس زبون أو مورد).
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ويستند هذا على حضور هذا الطالب
@@ -4808,9 +4869,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,إضافة المزيد من البنود أو فتح نموذج كامل
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,يجب إلغاء اشعار تسليم {0} قبل إلغاء طلب المبيعات
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,انتقل إلى المستخدمين
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,المبلغ المدفوع + شطب المبلغ لا يمكن أن يكون أكبر من المجموع الكلي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,المبلغ المدفوع + شطب المبلغ لا يمكن أن يكون أكبر من المجموع الكلي
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ليس رقم الدفعة صالحة للصنف {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},ملاحظة: لا يوجد رصيد إجازات كافي لنوع الإجازة {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},ملاحظة: لا يوجد رصيد إجازات كافي لنوع الإجازة {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,غستين غير صالح أو أدخل نا لغير المسجلين
 DocType: Training Event,Seminar,ندوة
 DocType: Program Enrollment Fee,Program Enrollment Fee,رسوم التسجيل برنامج
@@ -4827,7 +4888,7 @@
 DocType: Fee Schedule,Fee Schedule,جدول التكاليف
 DocType: Company,Create Chart Of Accounts Based On,إنشاء دليل الحسابات استنادا إلى
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,لا يمكن تحويله إلى غير مجموعة. مهام الطفل موجودة.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,تاريخ الميلاد لا يمكن أن يكون بعد تاريخ اليوم.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,تاريخ الميلاد لا يمكن أن يكون بعد تاريخ اليوم.
 ,Stock Ageing,التبويب التاريخي للمخزن
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",برعاية جزئية ، يتطلب التمويل الجزئي
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},طالب {0} موجودة ضد طالب طالب {1}
@@ -4874,11 +4935,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,قبل المصالحة
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},إلى {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),الضرائب والرسوم المضافة (عملة الشركة)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ضريبة البند في الصف {0} يجب أن يكون لديها حساب من نوع حساب ضرائب أو حساب دخل أو حساب نفقات أو حساب خاضع للرسوم
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ضريبة البند في الصف {0} يجب أن يكون لديها حساب من نوع حساب ضرائب أو حساب دخل أو حساب نفقات أو حساب خاضع للرسوم
 DocType: Sales Order,Partly Billed,تم فوترتها جزئيا
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,البند {0} يجب أن يكون بند أصول ثابتة
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,جعل المتغيرات
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,جعل المتغيرات
 DocType: Item,Default BOM,الافتراضي BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),إجمالي مبلغ الفاتورة (عبر فواتير المبيعات)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,مبلغ مذكرة الخصم
@@ -4891,7 +4952,7 @@
 DocType: Employee Advance,Advance Account,حساب مقدم
 DocType: Job Offer,Job Offer Terms,شروط عرض الوظيفة
 DocType: Sales Invoice,Include Payment (POS),تشمل الدفع (POS)
-DocType: Shopify Settings,eg: frappe.myshopify.com,على سبيل المثال: frappe.myshopify.com
+DocType: Shopify Settings,eg: frappe.myshopify.com,على سبيل المثال، frappe.myshopify.com
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +324,Total Debit must be equal to Total Credit. The difference is {0},يجب أن يكون إجمالي الخصم يساوي إجمالي الائتمان .
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +11,Automotive,سيارات
 DocType: Vehicle,Insurance Company,تفاصيل التأمين
@@ -4907,13 +4968,13 @@
 DocType: Notification Control,Custom Message,رسالة مخصصة
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,الخدمات المصرفية الاستثمارية
 DocType: Purchase Invoice,input,إدخال
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,النقد أو الحساب المصرفي إلزامي لإجراء الدفع
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,النقد أو الحساب المصرفي إلزامي لإجراء الدفع
 DocType: Loyalty Program,Multiple Tier Program,برنامج متعدد الطبقات
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,عنوان الطالب
 DocType: Purchase Invoice,Price List Exchange Rate,معدل سعر صرف قائمة
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,جميع مجموعات الموردين
 DocType: Employee Boarding Activity,Required for Employee Creation,مطلوب لإنشاء موظف
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},رقم الحساب {0} بالفعل مستخدم في الحساب {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},رقم الحساب {0} بالفعل مستخدم في الحساب {1}
 DocType: GoCardless Mandate,Mandate,تفويض
 DocType: POS Profile,POS Profile Name,بوس اسم الملف الشخصي
 DocType: Hotel Room Reservation,Booked,حجز
@@ -4929,18 +4990,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,رقم المرجع  إلزامي إذا أدخلت تاريخ المرجع
 DocType: Bank Reconciliation Detail,Payment Document,وثيقة الدفع
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,حدث خطأ أثناء تقييم صيغة المعايير
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,يجب أن يكون تاريخ الالتحاق بالعمل بعد تاريخ الميلاد
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,يجب أن يكون تاريخ الالتحاق بالعمل بعد تاريخ الميلاد
 DocType: Subscription,Plans,خطط
 DocType: Salary Slip,Salary Structure,هيكل الراتب
 DocType: Account,Bank,مصرف
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,الطيران
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,قضية المواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,قضية المواد
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,قم بتوصيل Shopify باستخدام ERPNext
 DocType: Material Request Item,For Warehouse,لمستودع
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,ملاحظات التسليم {0} محدثة
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,ملاحظات التسليم {0} محدثة
 DocType: Employee,Offer Date,تاريخ العرض
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,عروض مسعرة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,كنت في وضع غير متصل بالشبكة. أنت لن تكون قادرة على تحميل حتى يكون لديك شبكة
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,عروض مسعرة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,كنت في وضع غير متصل بالشبكة. أنت لن تكون قادرة على تحميل حتى يكون لديك شبكة
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,منحة
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,لم يتم إنشاء مجموعات الطلاب.
 DocType: Purchase Invoice Item,Serial No,رقم المسلسل
@@ -4952,24 +5013,26 @@
 DocType: Sales Invoice,Customer PO Details,تفاصيل طلب شراء العميل
 DocType: Stock Entry,Including items for sub assemblies,بما في ذلك السلع للمجموعات الفرعية
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,حساب الافتتاح المؤقت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,إدخال القيمة يجب أن يكون موجبا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,إدخال القيمة يجب أن يكون موجبا
 DocType: Asset,Finance Books,كتب المالية
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,فئة الإعفاء من ضريبة الموظف
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,جميع الأقاليم
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,يرجى وضع سياسة الإجازة للموظف {0} في سجل الموظف / الدرجة
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,طلب فارغ غير صالح للعميل والعنصر المحدد
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,طلب فارغ غير صالح للعميل والعنصر المحدد
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,إضافة مهام متعددة
 DocType: Purchase Invoice,Items,البنود
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,لا يمكن أن يكون تاريخ الانتهاء قبل تاريخ البدء.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,والتحق بالفعل طالب.
 DocType: Fiscal Year,Year Name,اسم العام
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,هناك عطلات أكثر من أيام العمل في هذا الشهر.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,بك / لك المرجع
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,هناك عطلات أكثر من أيام العمل في هذا الشهر.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,العناصر التالية {0} غير مميزة كعنصر {1}. يمكنك تمكينها كـ عنصر {1} من العنصر الرئيسي الخاص بها
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,بك / لك المرجع
 DocType: Production Plan Item,Product Bundle Item,المنتج حزمة البند
 DocType: Sales Partner,Sales Partner Name,اسم المندوب
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,طلب عروض مسعره
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,طلب عروض مسعره
 DocType: Payment Reconciliation,Maximum Invoice Amount,الحد الأقصى لمبلغ الفاتورة
 DocType: Normal Test Items,Normal Test Items,عناصر الاختبار العادية
+DocType: QuickBooks Migrator,Company Settings,إعدادات الشركة
 DocType: Additional Salary,Overwrite Salary Structure Amount,الكتابة فوق هيكل الهيكل المرتب
 DocType: Student Language,Student Language,اللغة طالب
 apps/erpnext/erpnext/config/selling.py +23,Customers,الزبائن
@@ -4981,21 +5044,23 @@
 DocType: Issue,Opening Time,يفتح من الساعة
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,التواريخ من وإلى مطلوبة
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,الأوراق المالية والبورصات
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',وحدة القياس الافتراضية للمتغير '{0}' يجب أن تكون كما في النمودج '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',وحدة القياس الافتراضية للمتغير '{0}' يجب أن تكون كما في النمودج '{1}'
 DocType: Shipping Rule,Calculate Based On,إحسب الربح بناء على
 DocType: Contract,Unfulfilled,لم تتحقق
 DocType: Delivery Note Item,From Warehouse,من المخزن
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,لا يوجد موظفون للمعايير المذكورة
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,لا توجد بنود في قائمة المواد للتصنيع
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,لا توجد بنود في قائمة المواد للتصنيع
 DocType: Shopify Settings,Default Customer,العميل الافتراضي
+DocType: Sales Stage,Stage Name,اسم المرحلة
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,اسم المشرف
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,لا تؤكد إذا تم إنشاء التعيين لنفس اليوم
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,السفينة الى الدولة
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,السفينة الى الدولة
 DocType: Program Enrollment Course,Program Enrollment Course,دورة التسجيل في البرنامج
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},تم تعيين المستخدم {0} بالفعل لممارس الرعاية الصحية {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,جعل عينة الاحتفاظ المخزون الدخول
 DocType: Purchase Taxes and Charges,Valuation and Total,التقييم والمجموع
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,التفاوض / مراجعة
 DocType: Leave Encashment,Encashment Amount,مبلغ مقطوع
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,بطاقات الأداء
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,دفعات منتهية الصلاحية
@@ -5005,7 +5070,7 @@
 DocType: Staffing Plan Detail,Current Openings,الفتحات الحالية
 DocType: Notification Control,Customize the Notification,تخصيص التنبيهات
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,التدفق النقدي من العمليات
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,مبلغ CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,مبلغ CGST
 DocType: Purchase Invoice,Shipping Rule,قواعد الشحن
 DocType: Patient Relation,Spouse,الزوج
 DocType: Lab Test Groups,Add Test,إضافة اختبار
@@ -5019,17 +5084,17 @@
 DocType: Payroll Entry,Payroll Frequency,الدورة الزمنية لدفع الرواتب
 DocType: Lab Test Template,Sensitivity,حساسية
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,تم تعطيل المزامنة مؤقتًا لأنه تم تجاوز الحد الأقصى من عمليات إعادة المحاولة
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,المواد الخام
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,المواد الخام
 DocType: Leave Application,Follow via Email,متابعة عبر البريد الإلكتروني
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,وحدات التصنيع  والآلات
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,المبلغ الضريبي بعد خصم المبلغ
 DocType: Patient,Inpatient Status,حالة المرضى الداخليين
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,إعدادات ملخص العمل اليومي
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,قائمة الأسعار المختارة يجب أن يكون لديها حقول بيع وشراء محددة.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,الرجاء إدخال ريد حسب التاريخ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,قائمة الأسعار المختارة يجب أن يكون لديها حقول بيع وشراء محددة.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,الرجاء إدخال ريد حسب التاريخ
 DocType: Payment Entry,Internal Transfer,نقل داخلي
 DocType: Asset Maintenance,Maintenance Tasks,مهام الصيانة
-apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,الكمية المستهدفة أو المبلغ المستهدف إلزامي
+apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,الكمية المستهدفة أو المبلغ المستهدف، أحدهما إلزامي
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +627,Please select Posting Date first,يرجى تحديد تاريخ الترحيل أولا
 apps/erpnext/erpnext/public/js/account_tree_grid.js +209,Opening Date should be before Closing Date,تاريخ الافتتاح يجب ان يكون قبل تاريخ الاغلاق
 DocType: Travel Itinerary,Flight,طيران
@@ -5047,7 +5112,7 @@
 DocType: Mode of Payment,General,عام
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخر الاتصالات
 ,TDS Payable Monthly,TDS مستحق الدفع شهريًا
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,في قائمة الانتظار لاستبدال BOM. قد يستغرق بضع دقائق.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,في قائمة الانتظار لاستبدال BOM. قد يستغرق بضع دقائق.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"لا يمكن الخصم عندما تكون الفئة ""التقييم"" أو ""التقييم والإجمالي"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},مسلسل نص مطلوب لل مسلسل البند {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,مطابقة المدفوعات مع الفواتير
@@ -5060,7 +5125,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,أضف إلى السلة
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,المجموعة حسب
 DocType: Guardian,Interests,الإهتمامات
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,تمكين / تعطيل العملات .
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,تمكين / تعطيل العملات .
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,لا يمكن تقديم بعض قسائم الرواتب
 DocType: Exchange Rate Revaluation,Get Entries,الحصول على مقالات
 DocType: Production Plan,Get Material Request,الحصول على المواد طلب
@@ -5082,15 +5147,16 @@
 DocType: Lead,Lead Type,نوع مبادرة البيع
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,غير مصرح لك الموافقة على المغادرات التي في التواريخ المحظورة
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,تم فوترة كل هذه البنود
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,تعيين تاريخ الإصدار الجديد
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,تعيين تاريخ الإصدار الجديد
 DocType: Company,Monthly Sales Target,هدف المبيعات الشهرية
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},يمكن الموافقة عليها بواسطة {0}
 DocType: Hotel Room,Hotel Room Type,فندق نوع الغرفة
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,المورد&gt; نوع المورد
 DocType: Leave Allocation,Leave Period,اترك فترة
 DocType: Item,Default Material Request Type,النوع الافتراضي لـ مستند 'طلب مواد'
 DocType: Supplier Scorecard,Evaluation Period,فترة التقييم
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,غير معروف
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,أمر العمل لم يتم إنشاؤه
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,أمر العمل لم يتم إنشاؤه
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",مبلغ {0} تمت المطالبة به بالفعل للمكوِّن {1} ، \ اضبط المبلغ مساويًا أو أكبر من {2}
 DocType: Shipping Rule,Shipping Rule Conditions,شروط قاعدة الشحن
@@ -5123,15 +5189,15 @@
 DocType: Batch,Source Document Name,اسم المستند المصدر
 DocType: Production Plan,Get Raw Materials For Production,الحصول على المواد الخام للإنتاج
 DocType: Job Opening,Job Title,المسمى الوظيفي
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0} يشير إلى أن {1} لن يقدم اقتباس، ولكن يتم نقل جميع العناصر \ تم نقلها. تحديث حالة اقتباس الأسعار.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,الحد الأقصى للعينات - {0} تم الاحتفاظ به مسبقا للدفعة {1} و العنصر {2} في الدفعة {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,الحد الأقصى للعينات - {0} تم الاحتفاظ به مسبقا للدفعة {1} و العنصر {2} في الدفعة {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,تحديث بوم التكلفة تلقائيا
 DocType: Lab Test,Test Name,اسم الاختبار
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,الإجراء السريري مستهلك البند
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,إنشاء المستخدمين
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,جرام
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,الاشتراكات
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,الاشتراكات
 DocType: Supplier Scorecard,Per Month,كل شهر
 DocType: Education Settings,Make Academic Term Mandatory,جعل الأكاديمي المدة إلزامية
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,"""الكمية لتصنيع"" يجب أن تكون أكبر من 0."
@@ -5140,14 +5206,14 @@
 DocType: Stock Entry,Update Rate and Availability,معدل التحديث والتوفر
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,النسبة المئوية يسمح لك لتلقي أو تقديم المزيد من ضد الكمية المطلوبة. على سبيل المثال: إذا كنت قد أمرت 100 وحدة. و10٪ ثم يسمح بدل الخاص بك لتلقي 110 وحدة.
 DocType: Loyalty Program,Customer Group,مجموعة العميل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,الصف # {0}: العملية {1} لم تكتمل بعد {2} من الكمية الكاملة للسلع تامة الصنع في أمر العمل رقم {3}. يرجى تحديث حالة التشغيل عبر سجلات الوقت
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,الصف # {0}: العملية {1} لم تكتمل بعد {2} من الكمية الكاملة للسلع تامة الصنع في أمر العمل رقم {3}. يرجى تحديث حالة التشغيل عبر سجلات الوقت
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),معرف الدفعة الجديد (اختياري)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},اجباري حساب النفقات للصنف {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},اجباري حساب النفقات للصنف {0}
 DocType: BOM,Website Description,وصف الموقع
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,صافي التغير في حقوق الملكية
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,يرجى إلغاء فاتورة المشتريات {0} أولاً
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +25,Not permitted. Please disable the Service Unit Type,غير مسموح به. يرجى تعطيل نوع وحدة الخدمة
-apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",يجب أن يكون عنوان البريد الإلكتروني فريد من نوعه، موجود بالفعل ل{0}
+apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",البريد الإلكتروني {0} مسجل مسبقا
 DocType: Serial No,AMC Expiry Date,AMC تاريخ انتهاء الاشتراك
 DocType: Asset,Receipt,إيصال
 ,Sales Register,سجل مبيعات
@@ -5157,7 +5223,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,لا يوجد شيء لتحريره
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,عرض النموذج
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,الموافقة على المصروفات إلزامية في مطالبة النفقات
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,ملخص لهذا الشهر والأنشطة المعلقة
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,ملخص لهذا الشهر والأنشطة المعلقة
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},يرجى تعيين حساب أرباح / خسائر غير محققة في الشركة {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",أضف مستخدمين إلى مؤسستك، بخلاف نفسك.
 DocType: Customer Group,Customer Group Name,أسم فئة العميل
@@ -5167,25 +5233,25 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,لم يتم إنشاء طلب مادي
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},لا يمكن أن تتجاوز قيمة القرض الحد الأقصى المحدد للقروض {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,رخصة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},الرجاء إزالة هذا فاتورة {0} من C-نموذج {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},الرجاء إزالة هذا فاتورة {0} من C-نموذج {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,الرجاء تحديد المضي قدما إذا كنت تريد ان تتضمن اجازات السنة السابقة
 DocType: GL Entry,Against Voucher Type,مقابل إيصال  نوع
 DocType: Healthcare Practitioner,Phone (R),الهاتف (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,تمت إضافة الفواصل الزمنية
 DocType: Item,Attributes,سمات
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,تمكين القالب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,الرجاء إدخال حساب الشطب
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,الرجاء إدخال حساب الشطب
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تاريخ آخر طلب
 DocType: Salary Component,Is Payable,مستحق الدفع
 DocType: Inpatient Record,B Negative,B سالب
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +25,Maintenance Status has to be Cancelled or Completed to Submit,يجب إلغاء حالة الصيانة أو إكمالها لإرسالها
-DocType: Amazon MWS Settings,US,لنا
+DocType: Amazon MWS Settings,US,الولايات المتحدة
 DocType: Holiday List,Add Weekly Holidays,أضف عطلات أسبوعية
 DocType: Staffing Plan Detail,Vacancies,الشواغر
 DocType: Hotel Room,Hotel Room,غرفة الفندق
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},الحساب {0} لا ينتمي إلى الشركة {1}
 DocType: Leave Type,Rounding,التقريب
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,لا تتطابق الأرقام التسلسلية في الصف {0} مع ملاحظة التسليم
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,لا تتطابق الأرقام التسلسلية في الصف {0} مع ملاحظة التسليم
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),المبلغ المخفَّض (المحسوب)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",ثم يتم تصفية قواعد التسعير على أساس العميل أو مجموعة العملاء أو الإقليم أو المورد أو مجموعة الموردين أو الحملة أو شريك المبيعات إلخ.
 DocType: Student,Guardian Details,تفاصيل الوصي
@@ -5194,10 +5260,10 @@
 DocType: Vehicle,Chassis No,رقم الشاسيه
 DocType: Payment Request,Initiated,بدأت
 DocType: Production Plan Item,Planned Start Date,المخطط لها تاريخ بدء
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,يرجى تحديد بوم
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,يرجى تحديد بوم
 DocType: Purchase Invoice,Availed ITC Integrated Tax,الاستفادة من الضرائب المتكاملة إيتس
 DocType: Purchase Order Item,Blanket Order Rate,بطالة سعر النظام
-apps/erpnext/erpnext/hooks.py +156,Certification,شهادة
+apps/erpnext/erpnext/hooks.py +157,Certification,شهادة
 DocType: Bank Guarantee,Clauses and Conditions,الشروط والأحكام
 DocType: Serial No,Creation Document Type,إنشاء نوع الوثيقة
 DocType: Project Task,View Timesheet,عرض الجدول الزمني
@@ -5210,7 +5276,7 @@
 DocType: Budget Account,Budget Amount,قيمة الميزانية
 DocType: Donor,Donor Name,اسم المانح
 DocType: Journal Entry,Inter Company Journal Entry Reference,انتر دخول الشركة مجلة الدخول
-DocType: Appraisal Template,Appraisal Template Title,عنوان نموذج التقييم
+DocType: Appraisal Template,Appraisal Template Title,عنوان قالب التقييم
 apps/erpnext/erpnext/utilities/user_progress_utils.py +29,Commercial,تجاري
 DocType: Patient,Alcohol Current Use,الاستخدام الحالي للكحول
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,منزل دفع مبلغ الإيجار
@@ -5222,6 +5288,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,البند الأب {0} يجب ألا يكون بند مخزون
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,إدراج موقع الويب
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,جميع المنتجات أو الخدمات.
+DocType: Email Digest,Open Quotations,فتح الاقتباسات
 DocType: Expense Claim,More Details,مزيد من التفاصيل
 DocType: Supplier Quotation,Supplier Address,عنوان المورد
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5}
@@ -5236,12 +5303,11 @@
 DocType: Training Event,Exam,امتحان
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,خطأ في السوق
 DocType: Complaint,Complaint,شكوى
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0}
 DocType: Leave Allocation,Unused leaves,إجازات غير مستخدمة
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,جعل إدخال السداد
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,جميع الاقسام
 DocType: Healthcare Service Unit,Vacant,شاغر
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,المورد&gt; نوع المورد
 DocType: Patient,Alcohol Past Use,الاستخدام الماضي للكحول
 DocType: Fertilizer Content,Fertilizer Content,محتوى الأسمدة
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5249,7 +5315,7 @@
 DocType: Tax Rule,Billing State,الدولة الفواتير
 DocType: Share Transfer,Transfer,نقل
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,يجب إلغاء طلب العمل {0} قبل إلغاء أمر المبيعات هذا
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),جلب BOM انفجرت (بما في ذلك المجالس الفرعية)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),جلب BOM انفجرت (بما في ذلك المجالس الفرعية)
 DocType: Authorization Rule,Applicable To (Employee),قابلة للتطبيق على (الموظف)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,(تاريخ الاستحقاق) إلزامي
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,الاضافة للخاصية {0} لا يمكن أن تكون 0
@@ -5265,7 +5331,7 @@
 DocType: Disease,Treatment Period,فترة العلاج
 DocType: Travel Itinerary,Travel Itinerary,خط سير الرحلة
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,تم إرسال النتيجة من قبل
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,مستودع محجوز إلزامي للبند {0} في المواد الخام الموردة
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,مستودع محجوز إلزامي للبند {0} في المواد الخام الموردة
 ,Inactive Customers,العملاء الغير النشطين
 DocType: Student Admission Program,Maximum Age,الحد الأقصى للعمر
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,يرجى الانتظار 3 أيام قبل إعادة إرسال التذكير.
@@ -5274,7 +5340,6 @@
 DocType: Stock Entry,Delivery Note No,رقم ملاحظة التسليم
 DocType: Cheque Print Template,Message to show,رسالة للإظهار
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,بيع قطاعي
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,إدارة موعد الفاتورة تلقائيا
 DocType: Student Attendance,Absent,غائب
 DocType: Staffing Plan,Staffing Plan Detail,تفاصيل خطة التوظيف
 DocType: Employee Promotion,Promotion Date,تاريخ العرض
@@ -5296,7 +5361,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,إنشاء عميل محتمل
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,طباعة وقرطاسية
 DocType: Stock Settings,Show Barcode Field,مشاهدة الباركود الميدان
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,إرسال رسائل البريد الإلكتروني مزود
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,إرسال رسائل البريد الإلكتروني مزود
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",تم معالجة الراتب للفترة ما بين {0} و {1}، (طلب الاجازة) لا يمكن أن يكون بين هذا النطاق الزمني.
 DocType: Fiscal Year,Auto Created,إنشاء تلقائي
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,إرسال هذا لإنشاء سجل الموظف
@@ -5305,7 +5370,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,الفاتورة {0} لم تعد موجودة
 DocType: Guardian Interest,Guardian Interest,أهتمام الوصي
 DocType: Volunteer,Availability,توفر
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,إعداد القيم الافتراضية لفواتير نقاط البيع
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,إعداد القيم الافتراضية لفواتير نقاط البيع
 apps/erpnext/erpnext/config/hr.py +248,Training,التدريب
 DocType: Project,Time to send,الوقت لارسال
 DocType: Timesheet,Employee Detail,تفاصيل الموظف
@@ -5328,7 +5393,7 @@
 DocType: Training Event Employee,Optional,اختياري
 DocType: Salary Slip,Earning & Deduction,الكسب و الخصم
 DocType: Agriculture Analysis Criteria,Water Analysis,تحليل المياه
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,تم إنشاء المتغيرات {0}.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,تم إنشاء المتغيرات {0}.
 DocType: Amazon MWS Settings,Region,منطقة
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختياري . سيتم استخدام هذا الإعداد لفلترت المعاملات المختلفة.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,معدل التقييم السالب غير مسموح به
@@ -5347,7 +5412,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,تكلفة الأصول الملغاة او المخردة
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مركز التكلفة إلزامي للبند {2}
 DocType: Vehicle,Policy No,رقم بوليصة التأمين
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,الحصول على أصناف من حزمة المنتج
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,الحصول على أصناف من حزمة المنتج
 DocType: Asset,Straight Line,خط مستقيم
 DocType: Project User,Project User,المشروع العضو
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,انشق، مزق
@@ -5355,7 +5420,7 @@
 DocType: GL Entry,Is Advance,هل مقدم
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,دورة حياة الموظف
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,(الحضور من التاريخ) و (الحضور إلى التاريخ) تكون إلزامية
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"الرجاء إدخال ""هل تعاقد بالباطن"" ب نعم أو لا"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"الرجاء إدخال ""هل تعاقد بالباطن"" ب نعم أو لا"
 DocType: Item,Default Purchase Unit of Measure,وحدة الشراء الافتراضية للقياس
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,تاريخ الاتصال الأخير
 DocType: Clinical Procedure Item,Clinical Procedure Item,عنصر العملية السريرية
@@ -5364,7 +5429,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,الوصول إلى الرمز المميز أو رابط المتجر مفقود
 DocType: Location,Latitude,خط العرض
 DocType: Work Order,Scrap Warehouse,الخردة مستودع
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",مستودع مطلوب في الصف رقم {0} ، يرجى تعيين المستودع الافتراضي للبند {1} للشركة {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",مستودع مطلوب في الصف رقم {0} ، يرجى تعيين المستودع الافتراضي للبند {1} للشركة {2}
 DocType: Work Order,Check if material transfer entry is not required,تحقق مما إذا كان إدخال نقل المواد غير مطلوب
 DocType: Program Enrollment Tool,Get Students From,الحصول على الطلاب من
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,نشر عناصر على الموقع
@@ -5379,6 +5444,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,جديد دفعة الكمية
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,ملابس واكسسوارات
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,تعذر حل وظيفة النتيجة المرجحة. تأكد من أن الصيغة صالحة.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,لم يتم استلام طلبات الشراء في الوقت المحدد
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,رقم الطلب
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / بانر التي سوف تظهر في الجزء العلوي من قائمة المنتجات.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,تحديد شروط لحساب كمية الشحن
@@ -5387,9 +5453,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,مسار
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,لا يمكن تحويل مركز التكلفة إلى حساب دفتر الأستاذ لانه مرتبط بعقدة ابن
 DocType: Production Plan,Total Planned Qty,مجموع الكمية المخطط لها
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,القيمة الافتتاحية
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,القيمة الافتتاحية
 DocType: Salary Component,Formula,صيغة
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,المسلسل #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,المسلسل #
 DocType: Lab Test Template,Lab Test Template,قالب اختبار المختبر
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,حساب مبيعات
 DocType: Purchase Invoice Item,Total Weight,الوزن الكلي
@@ -5407,7 +5473,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,انشاء طلب مواد
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},فتح البند {0}
 DocType: Asset Finance Book,Written Down Value,القيمة المكتوبة
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية&gt; إعدادات الموارد البشرية
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,فاتورة المبيعات {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات
 DocType: Clinical Procedure,Age,عمر
 DocType: Sales Invoice Timesheet,Billing Amount,قيمة الفواتير
@@ -5416,11 +5481,11 @@
 DocType: Company,Default Employee Advance Account,الحساب الافتراضي للموظف الافتراضي
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),عنصر البحث (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,لا يمكن حذف حساب جرت عليه أي عملية
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,لا يمكن حذف حساب جرت عليه أي عملية
 DocType: Vehicle,Last Carbon Check,آخر تحقق للكربون
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,نفقات قانونية
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,يرجى تحديد الكمية على الصف
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,جعل المبيعات فتح وفواتير الشراء
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,جعل المبيعات فتح وفواتير الشراء
 DocType: Purchase Invoice,Posting Time,نشر التوقيت
 DocType: Timesheet,% Amount Billed,المبلغ٪ صفت
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,نفقات الهاتف
@@ -5435,14 +5500,14 @@
 DocType: Maintenance Visit,Breakdown,انهيار
 DocType: Travel Itinerary,Vegetarian,نباتي
 DocType: Patient Encounter,Encounter Date,تاريخ لقاء
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,الحساب: {0} مع العملة: {1} لا يمكن اختياره
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,الحساب: {0} مع العملة: {1} لا يمكن اختياره
 DocType: Bank Statement Transaction Settings Item,Bank Data,بيانات البنك
 DocType: Purchase Receipt Item,Sample Quantity,كمية العينة
 DocType: Bank Guarantee,Name of Beneficiary,اسم المستفيد
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",تحديث تكلفة بوم تلقائيا عبر جدولة، استنادا إلى أحدث معدل التقييم / سعر قائمة معدل / آخر معدل شراء المواد الخام.
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,تاريخ الشيك
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},الحساب {0}: الحساب الرئيسي {1} لا ينتمي إلى الشركة: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},الحساب {0}: الحساب الرئيسي {1} لا ينتمي إلى الشركة: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,تم حذف جميع المعاملات المتعلقة بهذه الشركة!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,كما في الوقت
 DocType: Additional Salary,HR,الموارد البشرية
@@ -5450,7 +5515,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,خارج التنبيهات سمز المريض
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,فترة التجربة
 DocType: Program Enrollment Tool,New Academic Year,العام الدراسي الجديد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,ارجاع / اشعار دائن
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,ارجاع / اشعار دائن
 DocType: Stock Settings,Auto insert Price List rate if missing,إدراج تلقائي لقائمة الأسعار إن لم تكن موجودة
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,إجمالي المبلغ المدفوع
 DocType: GST Settings,B2C Limit,الحد B2C
@@ -5468,10 +5533,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,العقد التابعة يمكن أن تنشأ إلا في إطار العقد نوع &#39;المجموعة&#39;
 DocType: Attendance Request,Half Day Date,تاريخ نصف اليوم
 DocType: Academic Year,Academic Year Name,اسم العام الدراسي
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} غير مسموح بالتعامل مع {1}. يرجى تغيير الشركة.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} غير مسموح بالتعامل مع {1}. يرجى تغيير الشركة.
 DocType: Sales Partner,Contact Desc,الاتصال التفاصيل
 DocType: Email Digest,Send regular summary reports via Email.,إرسال تقارير موجزة منتظمة عبر البريد الإلكتروني.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},الرجاء تعيين الحساب الافتراضي في (نوع المطالبة بالنفقات) {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},الرجاء تعيين الحساب الافتراضي في (نوع المطالبة بالنفقات) {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,المغادارت المتوفرة
 DocType: Assessment Result,Student Name,أسم الطالب
 DocType: Hub Tracked Item,Item Manager,مدير البند
@@ -5496,9 +5561,10 @@
 DocType: Subscription,Trial Period End Date,تاريخ انتهاء الفترة التجريبية
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,غير مخول عندما {0} تتجاوز الحدود
 DocType: Serial No,Asset Status,حالة الأصول
+DocType: Delivery Note,Over Dimensional Cargo (ODC),عبر البعد الشحن (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,طاولة المطعم
 DocType: Hotel Room,Hotel Manager,مدير الفندق
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,مجموعة القاعدة الضريبية لعربة التسوق
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,مجموعة القاعدة الضريبية لعربة التسوق
 DocType: Purchase Invoice,Taxes and Charges Added,أضيفت الضرائب والرسوم
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,صف الإهلاك {0}: لا يمكن أن يكون تاريخ الاستهلاك التالي قبل التاريخ المتاح للاستخدام
 ,Sales Funnel,قمع المبيعات
@@ -5514,10 +5580,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,جميع مجموعات الزبائن
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,متراكمة شهريا
 DocType: Attendance Request,On Duty,في الخدمة
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} إلزامي. ربما لم يتم إنشاء سجل سعر صرف العملة ل{1} إلى {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} إلزامي. ربما لم يتم إنشاء سجل سعر صرف العملة ل{1} إلى {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},خطة التوظيف {0} موجودة بالفعل للتسمية {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,قالب الضرائب إلزامي.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,الحساب {0}: الحسابه الأب {1} غير موجود
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,الحساب {0}: الحسابه الأب {1} غير موجود
 DocType: POS Closing Voucher,Period Start Date,تاريخ بداية الفترة
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),قائمة الأسعار معدل (عملة الشركة)
 DocType: Products Settings,Products Settings,إعدادات المنتجات
@@ -5537,7 +5603,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,سيوقف هذا الإجراء الفوترة المستقبلية. هل أنت متأكد من أنك تريد إلغاء هذا الاشتراك؟
 DocType: Serial No,Distinct unit of an Item,وحدة متميزة من عنصر
 DocType: Supplier Scorecard Criteria,Criteria Name,اسم المعايير
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,يرجى تعيين الشركة
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,يرجى تعيين الشركة
 DocType: Procedure Prescription,Procedure Created,الإجراء الذي تم إنشاؤه
 DocType: Pricing Rule,Buying,شراء
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,الأمراض والأسمدة
@@ -5554,28 +5620,29 @@
 DocType: Employee Onboarding,Job Offer,عرض عمل
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,اختصار المؤسسة
 ,Item-wise Price List Rate,معدل قائمة الأسعار للصنف
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,اقتباس المورد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,اقتباس المورد
 DocType: Quotation,In Words will be visible once you save the Quotation.,وبعبارة تكون مرئية بمجرد حفظ اقتباس.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},الكمية ({0}) لا يمكن أن تكون جزءا من الصف {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},الكمية ({0}) لا يمكن أن تكون جزءا من الصف {1}
 DocType: Contract,Unsigned,غير موقعة
-DocType: Selling Settings,Each Transaction,كل معاملة
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},الباركود {0} مستخدم بالفعل في الصنف {1}
+DocType: Selling Settings,Each Transaction,كل عملية
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},الباركود {0} مستخدم بالفعل في الصنف {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,قواعد لإضافة تكاليف الشحن.
 DocType: Hotel Room,Extra Bed Capacity,سرير إضافي
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,مخزون أول المدة
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,العميل مطلوب
 DocType: Lab Test,Result Date,تاريخ النتيجة
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,بك / لك التاريخ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,بك / لك التاريخ
 DocType: Purchase Order,To Receive,تلقي
 DocType: Leave Period,Holiday List for Optional Leave,قائمة العطلة للإجازة الاختيارية
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,مالك الأصول
 DocType: Purchase Invoice,Reason For Putting On Hold,سبب لوضع في الانتظار
 DocType: Employee,Personal Email,البريد الالكتروني الشخصية
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,مجموع الفروق
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,مجموع الفروق
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",إذا تم التمكين، سيقوم النظام بترحيل القيود المحاسبية الخاصة بالمخزون تلقائيا.
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,أعمال سمسرة
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,تم بالفعل تسجيل الحضور للموظف {0} لهذا اليوم
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,تم بالفعل تسجيل الحضور للموظف {0} لهذا اليوم
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","في دقائق 
  تحديث عبر 'وقت دخول """
@@ -5583,14 +5650,14 @@
 DocType: Amazon MWS Settings,Synch Orders,أوامر التزامن
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,أوامر أصدرت للإنتاج.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,اختر السنة المالية ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,ملف نقطة البيع مطلوب للقيام بإدخال خاص بنقطة البيع
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,ملف نقطة البيع مطلوب للقيام بإدخال خاص بنقطة البيع
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",سيتم احتساب نقاط الولاء من المبالغ التي تم صرفها (عبر فاتورة المبيعات) ، بناءً على عامل الجمع المذكور.
 DocType: Program Enrollment Tool,Enroll Students,تسجيل الطلاب
 DocType: Company,HRA Settings,إعدادات HRA
 DocType: Employee Transfer,Transfer Date,تاريخ التحويل
 DocType: Lab Test,Approved Date,تاريخ الموافقة
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,البيع القياسية
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,واحدة على الاقل مستودع إلزامي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,واحدة على الاقل مستودع إلزامي
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.",تكوين حقول العناصر مثل UOM ومجموعة العناصر والوصف وعدد الساعات.
 DocType: Certification Application,Certification Status,حالة الشهادة
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,السوق
@@ -5610,6 +5677,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,مطابقة الفواتير
 DocType: Work Order,Required Items,الأصناف المطلوبة
 DocType: Stock Ledger Entry,Stock Value Difference,فرق قيمة المخزون
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,صنف الصف {0}: {1} {2} غير موجود في جدول &#39;{1}&#39; أعلاه
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Human Resource
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,دفع المصالحة الدفع
 DocType: Disease,Treatment Task,العلاج المهمة
@@ -5627,7 +5695,8 @@
 DocType: Account,Debit,مدين
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,يجب تخصيص الإجازات في مضاعفات 0.5 (مثلا 10.5 يوم او 4.5 او 30 يوم او 1 يوم)
 DocType: Work Order,Operation Cost,التكلفة العملية
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,القيمة القائمة
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,تحديد صناع القرار
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,القيمة القائمة
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,تحديد أهداف المجموعة السلعة الحكيم لهذا الشخص المبيعات.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],تجميد الأرصدة أقدم من [ أيام]
 DocType: Payment Request,Payment Ordered,دفع أمر
@@ -5639,13 +5708,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,السماح للمستخدمين التاليين للموافقة على طلبات الحصول على إجازة في الأيام المحظورة
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,دورة الحياة
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,جعل BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},سعر البيع للبند {0} أقل من {1}. يجب أن يكون سعر البيع على الأقل {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},سعر البيع للبند {0} أقل من {1}. يجب أن يكون سعر البيع على الأقل {2}
 DocType: Subscription,Taxes,الضرائب
 DocType: Purchase Invoice,capital goods,السلع الرأسمالية
 DocType: Purchase Invoice Item,Weight Per Unit,الوزن لكل وحدة
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,تم الدفع ولم يتم التسليم
-DocType: Project,Default Cost Center,مركز التكلفة الافتراضي
-DocType: Delivery Note,Transporter Doc No,ناقلة وثيقة رقم
+DocType: QuickBooks Migrator,Default Cost Center,مركز التكلفة الافتراضي
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,قيود المخزون
 DocType: Budget,Budget Accounts,حسابات الميزانية
 DocType: Employee,Internal Work History,سجل العمل الداخلي
@@ -5678,7 +5746,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},ممارس الرعاية الصحية غير متاح في {0}
 DocType: Stock Entry Detail,Additional Cost,تكلفة إضافية
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",لا يمكن الفلتره علي اساس (رقم الأيصال)، إذا تم وضعه في مجموعة على اساس (ايصال)
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,إنشاء عرض مسعر خاص بالمورد
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,إنشاء عرض مسعر خاص بالمورد
 DocType: Quality Inspection,Incoming,الوارد
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,يتم إنشاء قوالب الضرائب الافتراضية للمبيعات والشراء.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,سجل نتيجة التقييم {0} موجود بالفعل.
@@ -5694,7 +5762,7 @@
 DocType: Batch,Batch ID,هوية الباتش
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},ملاحظة : {0}
 ,Delivery Note Trends,ملاحظة اتجاهات التسليم
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,ملخص هذا الأسبوع
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,ملخص هذا الأسبوع
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,في سوق الأسهم الكمية
 ,Daily Work Summary Replies,ملخص العمل اليومي الردود
 DocType: Delivery Trip,Calculate Estimated Arrival Times,حساب أوقات الوصول المقدرة
@@ -5704,7 +5772,7 @@
 DocType: Bank Account,Party,الطرف المعني
 DocType: Healthcare Settings,Patient Name,اسم المريض
 DocType: Variant Field,Variant Field,الحقل البديل
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,الموقع المستهدف
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,الموقع المستهدف
 DocType: Sales Order,Delivery Date,تاريخ التسليم
 DocType: Opportunity,Opportunity Date,تاريخ الفرصة
 DocType: Employee,Health Insurance Provider,مزود التأمين الصحي
@@ -5723,7 +5791,7 @@
 DocType: Employee,History In Company,الحركة التاريخيه في الشركة
 DocType: Customer,Customer Primary Address,عنوان العميل الرئيسي
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,النشرات الإخبارية
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,رقم المرجع.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,رقم المرجع.
 DocType: Drug Prescription,Description/Strength,الوصف / القوة
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,إنشاء إدخال جديد للدفع / اليوميات
 DocType: Certification Application,Certification Application,تطبيق التصديق
@@ -5734,10 +5802,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,تم إدخال البند نفسه عدة مرات
 DocType: Department,Leave Block List,قائمة الايام المحضور الإجازة فيها
 DocType: Purchase Invoice,Tax ID,البطاقة الضريبية
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,البند {0} ليس الإعداد ل مسلسل رقم العمود يجب أن يكون فارغا
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,البند {0} ليس الإعداد ل مسلسل رقم العمود يجب أن يكون فارغا
 DocType: Accounts Settings,Accounts Settings,إعدادات الحسابات
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,وافق
 DocType: Loyalty Program,Customer Territory,منطقة العملاء
+DocType: Email Digest,Sales Orders to Deliver,أوامر المبيعات لتقديم
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",عدد الحساب الجديد، سيتم تضمينه في اسم الحساب كبادئة
 DocType: Maintenance Team Member,Team Member,أعضاء الفريق
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,لا توجد نتيجة لإرسال
@@ -5747,7 +5816,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",إجمالي {0} لجميع المواد والصفر، قد يكون عليك تغيير &quot;توزيع التكاليف على أساس &#39;
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,حتى الآن لا يمكن أن يكون أقل من من تاريخ
 DocType: Opportunity,To Discuss,لمناقشة
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,هذا يعتمد على المعاملات ضد هذا المشترك. انظر الجدول الزمني أدناه للحصول على التفاصيل
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} وحدات من  {1} لازمة في {2} لإكمال هذه المعاملة.
 DocType: Loan Type,Rate of Interest (%) Yearly,معدل الفائدة (٪) سنوي
 DocType: Support Settings,Forum URL,رابط المنتدى
@@ -5762,7 +5830,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,أعرف أكثر
 DocType: Cheque Print Template,Distance from top edge,المسافة من الحافة العلوية
 DocType: POS Closing Voucher Invoices,Quantity of Items,كمية من العناصر
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,قائمة الأسعار {0} تعطيل أو لا وجود لها
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,قائمة الأسعار {0} تعطيل أو لا وجود لها
 DocType: Purchase Invoice,Return,عودة
 DocType: Pricing Rule,Disable,تعطيل
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,طريقة الدفع مطلوبة لإجراء الدفع
@@ -5770,18 +5838,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.",يمكنك التعديل في الصفحة الكاملة للحصول على مزيد من الخيارات مثل مواد العرض، والرقم التسلسلي، والدفقات، إلخ.
 DocType: Leave Type,Maximum Continuous Days Applicable,أقصى يوم متواصل
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} غير مسجل في الدفعة {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",الأصل {0} لا يمكن اهماله، لانه بالفعل {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",الأصل {0} لا يمكن اهماله، لانه بالفعل {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,الشيكات المطلوبة
 DocType: Task,Total Expense Claim (via Expense Claim),مجموع المطالبة المصاريف (عبر مطالبات مصاريف)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,حدد كغائب
 DocType: Job Applicant Source,Job Applicant Source,مصدر مقدم الطلب
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,كمية IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,كمية IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,أخفق إعداد الشركة
 DocType: Asset Repair,Asset Repair,إصلاح الأصول
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},الصف {0}: عملة قائمة المواد يجب أن تكون# {1} يجب ان تكون مساوية للعملة المحددة {2}
 DocType: Journal Entry Account,Exchange Rate,سعر الصرف
 DocType: Patient,Additional information regarding the patient,معلومات إضافية عن المريض
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,طلب المبيعات {0} لم يتم تقديمه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,طلب المبيعات {0} لم يتم تقديمه
 DocType: Homepage,Tag Line,شعار
 DocType: Fee Component,Fee Component,مكون رسوم
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,إدارة أسطول المركبات
@@ -5796,7 +5864,7 @@
 DocType: Healthcare Practitioner,Mobile,التليفون المحمول
 ,Sales Person-wise Transaction Summary,ملخص المبيعات بناء على رجل المبيعات
 DocType: Training Event,Contact Number,رقم الاتصال
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,مستودع {0} غير موجود
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,مستودع {0} غير موجود
 DocType: Cashier Closing,Custody,عهدة
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,إعفاء من ضريبة الموظف
 DocType: Monthly Distribution,Monthly Distribution Percentages,النسب المئوية للتوزيع الشهري
@@ -5811,7 +5879,7 @@
 DocType: Payment Entry,Paid Amount,المبلغ المدفوع
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,استكشاف دورة المبيعات
 DocType: Assessment Plan,Supervisor,مشرف
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,الاحتفاظ الأسهم
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,الاحتفاظ الأسهم
 ,Available Stock for Packing Items,المخزون المتاج للأصناف المعبأة
 DocType: Item Variant,Item Variant,السلعة  البديلة
 ,Work Order Stock Report,تقرير مخزون أمر العمل
@@ -5820,9 +5888,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,كمشرف
 DocType: Leave Policy Detail,Leave Policy Detail,ترك سياسة التفاصيل
 DocType: BOM Scrap Item,BOM Scrap Item,البند الخردة بقائمة المواد
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,لا يمكن حذف طلبات مقدمة / مسجلة
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",رصيد الحساب رصيد مدين، لا يسمح لك بتغييره 'الرصيد يجب أن يكون دائن'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,إدارة الجودة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,لا يمكن حذف طلبات مقدمة / مسجلة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",رصيد الحساب رصيد مدين، لا يسمح لك بتغييره 'الرصيد يجب أن يكون دائن'
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,إدارة الجودة
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,البند {0} تم تعطيله
 DocType: Project,Total Billable Amount (via Timesheets),إجمالي المبلغ القابل للفوترة (عبر الجداول الزمنية)
 DocType: Agriculture Task,Previous Business Day,يوم العمل السابق
@@ -5845,14 +5913,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,مراكز التكلفة
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,إعادة تشغيل الاشتراك
 DocType: Linked Plant Analysis,Linked Plant Analysis,تحليل النباتات المرتبطة
-DocType: Delivery Note,Transporter ID,معرف الناقل
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,معرف الناقل
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,موقع ذو قيمة
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,المعدل الذي يتم تحويل العملة إلى عملة المورد قاعدة الشركة
-DocType: Sales Invoice Item,Service End Date,تاريخ انتهاء الخدمة
+DocType: Purchase Invoice Item,Service End Date,تاريخ انتهاء الخدمة
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},الصف # {0}: التوقيت يتعارض مع الصف {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,السماح بقيمة صفر
 DocType: Bank Guarantee,Receiving,يستلم
 DocType: Training Event Employee,Invited,دعوة
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,إعدادت بوابة الحسايات.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,إعدادت بوابة الحسايات.
 DocType: Employee,Employment Type,نوع الوظيفة
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,الاصول الثابتة
 DocType: Payment Entry,Set Exchange Gain / Loss,تعيين كسب تبادل / الخسارة
@@ -5868,7 +5937,7 @@
 DocType: Tax Rule,Sales Tax Template,قالب ضريبة المبيعات
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,ادفع ضد مطالبات الاستحقاق
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,تحديث رقم مركز التكلفة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة
 DocType: Employee,Encashment Date,تاريخ التحصيل
 DocType: Training Event,Internet,الإنترنت
 DocType: Special Test Template,Special Test Template,قالب اختبار خاص
@@ -5876,12 +5945,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},تكلفة النشاط الافتراضية موجودة لنوع النشاط - {0}
 DocType: Work Order,Planned Operating Cost,المخطط تكاليف التشغيل
 DocType: Academic Term,Term Start Date,تاريخ بدء الشرط
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,قائمة بجميع معاملات الأسهم
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,قائمة بجميع معاملات الأسهم
+DocType: Supplier,Is Transporter,هو الناقل
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,فاتورة مبيعات الاستيراد من Shopify إذا تم وضع علامة على الدفع
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,أوب كونت
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,يجب تعيين كل من تاريخ بدء الفترة التجريبية وتاريخ انتهاء الفترة التجريبية
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,المعدل المتوسط
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,يجب أن يكون إجمالي مبلغ الدفع في جدول الدفع مساويا للمجموع الكبير / المستدير
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,يجب أن يكون إجمالي مبلغ الدفع في جدول الدفع مساويا للمجموع الكبير / المستدير
 DocType: Subscription Plan Detail,Plan,خطة
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,كشف رصيد الحساب المصرفي وفقا لدفتر الأستاذ العام
 DocType: Job Applicant,Applicant Name,اسم طالب الوظيفة
@@ -5911,7 +5981,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,الكمية المتاحة في مستودع المصدر
 apps/erpnext/erpnext/config/support.py +22,Warranty,الضمان
 DocType: Purchase Invoice,Debit Note Issued,تم اصدار مذكرة الخصم
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,لا ينطبق الفلتر المستند إلى &quot;مركز التكلفة&quot; إلا في حالة تحديد &quot;الميزانية ضد&quot; كمركز تكلفة
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,لا ينطبق الفلتر المستند إلى &quot;مركز التكلفة&quot; إلا في حالة تحديد &quot;الميزانية ضد&quot; كمركز تكلفة
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",البحث عن طريق رمز البند ، والرقم التسلسلي ، لا يوجد دفعة أو الباركود
 DocType: Work Order,Warehouses,المستودعات
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} أصول لا يمكن نقلها
@@ -5922,9 +5992,9 @@
 DocType: Workstation,per hour,كل ساعة
 DocType: Blanket Order,Purchasing,المشتريات
 DocType: Announcement,Announcement,إعلان
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,العميل لبو
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,العميل لبو
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",بالنسبة لمجموعة الطالب القائمة على الدفعة، سيتم التحقق من الدفعة الطالب لكل طالب من تسجيل البرنامج.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,مستودع لا يمكن حذف كما يوجد مدخل الأسهم دفتر الأستاذ لهذا المستودع.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,مستودع لا يمكن حذف كما يوجد مدخل الأسهم دفتر الأستاذ لهذا المستودع.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,توزيع
 DocType: Journal Entry Account,Loan,قرض
 DocType: Expense Claim Advance,Expense Claim Advance,النفقات المطالبة مقدما
@@ -5933,7 +6003,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,مدير المشروع
 ,Quoted Item Comparison,مقارنة بند المناقصة
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},التداخل في التسجيل بين {0} و {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,ارسال
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,ارسال
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,الحد الاعلى المسموح به في التخفيض للمنتج : {0} هو  {1}٪
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,صافي قيمة الأصول كما في
 DocType: Crop,Produce,إنتاج
@@ -5943,20 +6013,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,اهلاك المواد للتصنيع
 DocType: Item Alternative,Alternative Item Code,رمز الصنف البديل
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,الدور الوظيفي الذي يسمح له بتقديم المعاملات التي تتجاوز حدود الدين المحددة.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,حدد العناصر لتصنيع
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,حدد العناصر لتصنيع
 DocType: Delivery Stop,Delivery Stop,توقف التسليم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time",مزامنة البيانات الماستر قد يستغرق بعض الوقت
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time",مزامنة البيانات الماستر قد يستغرق بعض الوقت
 DocType: Item,Material Issue,صرف مواد
 DocType: Employee Education,Qualification,المؤهل
 DocType: Item Price,Item Price,سعر السلعة
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,الصابون والمنظفات
 DocType: BOM,Show Items,إظهار العناصر
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,(من الوقت) لا يمكن أن يكون بعد من (الي الوقت).
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,هل تريد أن تخطر جميع العملاء عن طريق البريد الإلكتروني؟
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,هل تريد أن تخطر جميع العملاء عن طريق البريد الإلكتروني؟
 DocType: Subscription Plan,Billing Interval,فواتير الفوترة
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,الصور المتحركة والفيديو
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,تم طلبه
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,تاريخ البدء الفعلي وتاريخ الانتهاء الفعلي إلزامي
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,العميل&gt; مجموعة العملاء&gt; الإقليم
 DocType: Salary Detail,Component,مكون
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,الصف {0}: يجب أن يكون {1} أكبر من 0
 DocType: Assessment Criteria,Assessment Criteria Group,مجموعة معايير تقييم
@@ -5987,11 +6058,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,أدخل اسم البنك أو مؤسسة الإقراض قبل التقديم.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} يجب تسليمها
 DocType: POS Profile,Item Groups,مجموعات السلعة
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,اليوم هو {0} 'عيد ميلاد!
 DocType: Sales Order Item,For Production,للإنتاج
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,التوازن في حساب العملة
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,الرجاء إضافة حساب فتح مؤقت في مخطط الحسابات
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,الرجاء إضافة حساب فتح مؤقت في مخطط الحسابات
 DocType: Customer,Customer Primary Contact,جهة الاتصال الرئيسية للعميل
 DocType: Project Task,View Task,عرض المهمة
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,أوب / ليد٪
@@ -6005,11 +6075,11 @@
 DocType: Sales Invoice,Get Advances Received,الحصول على السلف المتلقاة
 DocType: Email Digest,Add/Remove Recipients,إضافة / إزالة المستلمين
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",""" لتحديد هذه السنة المالية كافتراضي ، انقر على "" تحديد كافتراضي"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,مبلغ TDS المقتطع
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,مبلغ TDS المقتطع
 DocType: Production Plan,Include Subcontracted Items,تضمين العناصر من الباطن
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,انضم
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,نقص الكمية
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,متغير البند {0} موجود بنفس الخاصية
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,انضم
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,نقص الكمية
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,متغير البند {0} موجود بنفس الخاصية
 DocType: Loan,Repay from Salary,سداد من الراتب
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},طلب الدفعة مقابل {0} {1} لقيمة {2}
 DocType: Additional Salary,Salary Slip,كشف الراتب
@@ -6025,7 +6095,7 @@
 DocType: Patient,Dormant,هاجع
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,خصم الضريبة لمزايا الموظف غير المطالب بها
 DocType: Salary Slip,Total Interest Amount,إجمالي مبلغ الفائدة
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,المستودعات مع العقد التابعة لا يمكن أن يتم تحويلها إلى ليدجر
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,المستودعات مع العقد التابعة لا يمكن أن يتم تحويلها إلى ليدجر
 DocType: BOM,Manage cost of operations,إدارة تكلفة العمليات
 DocType: Accounts Settings,Stale Days,أيام قديمة
 DocType: Travel Itinerary,Arrival Datetime,تارخ الوصول
@@ -6037,7 +6107,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,تفاصيل نتيجة التقييم
 DocType: Employee Education,Employee Education,المستوى التعليمي للموظف
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,تم العثور على فئة بنود مكررة في جدول فئات البنود
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,هناك حاجة لجلب تفاصيل البند.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,هناك حاجة لجلب تفاصيل البند.
 DocType: Fertilizer,Fertilizer Name,اسم السماد
 DocType: Salary Slip,Net Pay,صافي الراتب
 DocType: Cash Flow Mapping Accounts,Account,حساب
@@ -6048,14 +6118,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,إنشاء إدخال دفع منفصل ضد مطالبات الاستحقاق
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),وجود حمى (درجة الحرارة&gt; 38.5 درجة مئوية / 101.3 درجة فهرنهايت أو درجة حرارة ثابتة&gt; 38 درجة مئوية / 100.4 درجة فهرنهايت)
 DocType: Customer,Sales Team Details,تفاصيل فريق المبيعات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,الحذف بشكل نهائي؟
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,الحذف بشكل نهائي؟
 DocType: Expense Claim,Total Claimed Amount,إجمالي المبلغ المطالب به
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فرص بيع محتملة.
 DocType: Shareholder,Folio no.,فوليو نو.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},غير صالح {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,الإجازات المرضية
 DocType: Email Digest,Email Digest,ملخص مرسل عن طريق الايميل
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,غير صحيح
 DocType: Delivery Note,Billing Address Name,اسم عنوان تقديم الفواتير
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,متجر متعدد الاقسام
 ,Item Delivery Date,تاريخ تسليم السلعة
@@ -6071,16 +6140,16 @@
 DocType: Account,Chargeable,خاضع للرسوم
 DocType: Company,Change Abbreviation,تغيير الاختصار
 DocType: Contract,Fulfilment Details,تفاصيل الاستيفاء
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},ادفع {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},ادفع {0} {1}
 DocType: Employee Onboarding,Activities,أنشطة
 DocType: Expense Claim Detail,Expense Date,تاريخ النفقات
 DocType: Item,No of Months,عدد الشهور
 DocType: Item,Max Discount (%),الحد الأقصى للخصم (٪)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,لا يمكن أن تكون أيام الائتمان رقما سالبا
-DocType: Sales Invoice Item,Service Stop Date,تاريخ توقف الخدمة
+DocType: Purchase Invoice Item,Service Stop Date,تاريخ توقف الخدمة
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,قيمة آخر طلب
-DocType: Cash Flow Mapper,e.g Adjustments for:,على سبيل المثال تعديلات ل:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} العينة المرتجعة تعتمد على دفعة ، الرجاء التحقق من رقم الدفعة لإكمال إسترجاع العينة من العنصر
+DocType: Cash Flow Mapper,e.g Adjustments for:,على سبيل المثال، التعديلات على:
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} العينة المرتجعة تعتمد على دفعة ، الرجاء التحقق من رقم الدفعة لإكمال إسترجاع العينة من العنصر
 DocType: Task,Is Milestone,هو معلم
 DocType: Certification Application,Yet to appear,بعد أن تظهر
 DocType: Delivery Stop,Email Sent To,تم ارسال الايميل الي
@@ -6088,16 +6157,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,السماح مركز التكلفة في حساب الميزانية العمومية
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,دمج مع حساب موجود
 DocType: Budget,Warn,تحذير
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,جميع الإصناف تم نقلها لأمر العمل
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,جميع الإصناف تم نقلها لأمر العمل
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",أي ملاحظات أخرى، وجهود جديرة بالذكر يجب أن تدون في السجلات.
 DocType: Asset Maintenance,Manufacturing User,مستخدم التصنيع
 DocType: Purchase Invoice,Raw Materials Supplied,المواد الخام الموردة
 DocType: Subscription Plan,Payment Plan,خطة الدفع
 DocType: Shopping Cart Settings,Enable purchase of items via the website,تمكين شراء العناصر عبر موقع الويب
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},العملة من قائمة الأسعار {0} يجب أن تكون {1} أو {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,إدارة الاشتراك
-DocType: Appraisal,Appraisal Template,نموذج التقييم
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,إلى الرقم السري
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,إدارة الاشتراك
+DocType: Appraisal,Appraisal Template,قالب التقييم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,إلى الرقم السري
 DocType: Soil Texture,Ternary Plot,مؤامرة ثلاثية
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,تحقق من هذا لتمكين روتين تزامن يومي مجدول من خلال المجدول
 DocType: Item Group,Item Classification,تصنيف البند
@@ -6107,6 +6176,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,تسجيل فاتورة المريض
 DocType: Crop,Period,فترة
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,دفتر الأستاذ العام
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,إلى السنة المالية
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,مشاهدة العملاء المحتملون
 DocType: Program Enrollment Tool,New Program,برنامج جديد
 DocType: Item Attribute Value,Attribute Value,السمة القيمة
@@ -6115,11 +6185,11 @@
 ,Itemwise Recommended Reorder Level,يوصى به Itemwise إعادة ترتيب مستوى
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,ليس لدى الموظف {0} من الدرجة {1} سياسة إجازة افتراضية
 DocType: Salary Detail,Salary Detail,تفاصيل الراتب
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,الرجاء اختيار {0} أولاً
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,الرجاء اختيار {0} أولاً
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,تمت إضافة {0} مستخدمين
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",في حالة البرنامج متعدد المستويات ، سيتم تعيين العملاء تلقائيًا إلى الطبقة المعنية وفقًا للإنفاق
 DocType: Appointment Type,Physician,الطبيب المعالج
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,دفعة {0} من البند {1} قد انتهت صلاحيتها.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,دفعة {0} من البند {1} قد انتهت صلاحيتها.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,الاستشارات
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,جيد جيد
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",يظهر سعر السلعة عدة مرات استنادًا إلى قائمة الأسعار والمورد / العميل والعملة والبند و UOM والكمية والتواريخ.
@@ -6128,22 +6198,21 @@
 DocType: Certification Application,Name of Applicant,اسم صاحب الطلب
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ورقة الوقت للتصنيع.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,حاصل الجمع
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,لا يمكن تغيير خصائص المتغير بعد معاملة المخزون. سيكون عليك عمل عنصر جديد للقيام بذلك.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,لا يمكن تغيير خصائص المتغير بعد معاملة المخزون. سيكون عليك عمل عنصر جديد للقيام بذلك.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA التكليف
 DocType: Healthcare Practitioner,Charges,رسوم
 DocType: Production Plan,Get Items For Work Order,الحصول على البنود لأمر العمل
 DocType: Salary Detail,Default Amount,المبلغ الافتراضي
 DocType: Lab Test Template,Descriptive,وصفي
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,لم يتم العثور على المستودع في النظام
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,ملخص هذا الشهر
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,ملخص هذا الشهر
 DocType: Quality Inspection Reading,Quality Inspection Reading,جودة التفتيش القراءة
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,` تجميد المخزون الأقدم من يجب أن يكون أقل من ٪ d يوم ` .
 DocType: Tax Rule,Purchase Tax Template,قالب الضرائب على المشتريات
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,عين هدف المبيعات الذي تريد تحقيقه لشركتك.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,خدمات الرعاية الصحية
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,خدمات الرعاية الصحية
 ,Project wise Stock Tracking,مشروع تتبع حركة الأسهم الحكمة
 DocType: GST HSN Code,Regional,إقليمي
-DocType: Delivery Note,Transport Mode,وضع النقل
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,مختبر
 DocType: UOM Category,UOM Category,تصنيف وحدة القياس
 DocType: Clinical Procedure Item,Actual Qty (at source/target),الكمية الفعلية (في المصدر / الهدف)
@@ -6166,17 +6235,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,فشل في إنشاء الموقع الالكتروني
 DocType: Soil Analysis,Mg/K,ملغ / كيلو
 DocType: UOM Conversion Detail,UOM Conversion Detail,تفاصيل تحويل وحدة القياس
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,الاحتفاظ الأسهم دخول بالفعل إنشاء أو عينة الكمية غير المقدمة
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,الاحتفاظ الأسهم دخول بالفعل إنشاء أو عينة الكمية غير المقدمة
 DocType: Program,Program Abbreviation,اختصار برنامج
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,لا يمكن رفع أمر الإنتاج مقابل نمودج البند
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,تحديث الرسوم في اضافة المشتريات لكل صنف
 DocType: Warranty Claim,Resolved By,حلها عن طريق
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,الجدول الزمني التفريغ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,الشيكات والودائع موضحة او المقاصة تمت بشكل غير صحيح
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,الحساب {0}: لا يمكنك جعله حساب رئيسي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,الحساب {0}: لا يمكنك جعله حساب رئيسي
 DocType: Purchase Invoice Item,Price List Rate,قائمة الأسعار قيم
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,إنشاء عروض مسعرة للزبائن
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,لا يمكن أن يكون تاريخ إيقاف الخدمة بعد تاريخ انتهاء الخدمة
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,لا يمكن أن يكون تاريخ إيقاف الخدمة بعد تاريخ انتهاء الخدمة
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","تظهر ""في المخزن"" أو ""ليس في المخزن"" على أساس التواجد  في هذا المخزن."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),قوائم المواد
 DocType: Item,Average time taken by the supplier to deliver,متوسط الوقت المستغرق من قبل المورد للتسليم
@@ -6188,18 +6257,18 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ساعات
 DocType: Project,Expected Start Date,تاريخ البدأ المتوقع
 DocType: Purchase Invoice,04-Correction in Invoice,04-تصحيح في الفاتورة
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,تم إنشاء أمر العمل بالفعل لكافة العناصر باستخدام قائمة المواد
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,تم إنشاء أمر العمل بالفعل لكافة العناصر باستخدام قائمة المواد
 DocType: Payment Request,Party Details,تفاصيل الحزب
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,تفاصيل تقرير التقرير
 DocType: Setup Progress Action,Setup Progress Action,إعداد إجراء التقدم
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,قائمة أسعار الشراء
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,قائمة أسعار الشراء
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,إزالة البند إذا الرسوم لا تنطبق على هذا البند
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,إلغاء الاشتراك
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,يرجى تحديد حالة الصيانة على أنها اكتملت أو أزل تاريخ الاكتمال
 DocType: Supplier,Default Payment Terms Template,نموذج شروط الدفع الافتراضية
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +40,Transaction currency must be same as Payment Gateway currency,يجب أن تكون العملة المعاملة نفس العملة بوابة الدفع
 DocType: Payment Entry,Receive,تسلم
-DocType: Employee Benefit Application Detail,Earning Component,كسب مكون
+DocType: Employee Benefit Application Detail,Earning Component,أحدى المستحقات
 apps/erpnext/erpnext/templates/pages/rfq.html +75,Quotations: ,عروض مسعرة:
 DocType: Contract,Partially Fulfilled,تمت جزئيا
 DocType: Maintenance Visit,Fully Completed,يكتمل
@@ -6210,7 +6279,7 @@
 DocType: Asset,Disposal Date,تاريخ التخلص
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",سيتم إرسال رسائل البريد الإلكتروني لجميع الموظفين العاملين في الشركة في ساعة معينة، إذا لم يكن لديهم عطلة. سيتم إرسال ملخص الردود في منتصف الليل.
 DocType: Employee Leave Approver,Employee Leave Approver,المخول بالموافقة علي اجازات الموظفين
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: إدخال إعادة الطلب موجود بالفعل لهذا المخزن {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: إدخال إعادة الطلب موجود بالفعل لهذا المخزن {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",لا يمكن ان تعلن بانها فقدت ، لأنه تم تقديم عرض مسعر.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,حساب CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,ردود الفعل على التدريب
@@ -6222,7 +6291,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,(الى تاريخ) لا يمكن ان يكون قبل (من تاريخ)
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,تذييل القسم
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,إضافة و تعديل الأسعار
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,إضافة و تعديل الأسعار
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,لا يمكن تقديم ترقية الموظف قبل تاريخ العرض
 DocType: Batch,Parent Batch,دفعة الأم
 DocType: Cheque Print Template,Cheque Print Template,نمودج طباعة الشيك
@@ -6232,6 +6301,7 @@
 DocType: Clinical Procedure Template,Sample Collection,جمع العينات
 ,Requested Items To Be Ordered,البنود المطلوبة إلى أن يؤمر
 DocType: Price List,Price List Name,قائمة الأسعار اسم
+DocType: Delivery Stop,Dispatch Information,معلومات الإرسال
 DocType: Blanket Order,Manufacturing,تصنيع
 ,Ordered Items To Be Delivered,البنود المطلبة للتسليم
 DocType: Account,Income,الإيرادات
@@ -6250,17 +6320,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} وحدات من {1} لازمة ل {2} في {3} {4} ل {5} لإكمال هذه المعاملة.
 DocType: Fee Schedule,Student Category,طالب الفئة
 DocType: Announcement,Student,طالب
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,كمية المخزون لبدء الإجراء غير متوفرة في المستودع. هل تريد تسجيل نقل المخزون؟
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,كمية المخزون لبدء الإجراء غير متوفرة في المستودع. هل تريد تسجيل نقل المخزون؟
 DocType: Shipping Rule,Shipping Rule Type,نوع القاعدة الشحن
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,انتقل إلى الغرف
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory",الشركة ، حساب الدفع ، من تاريخ وتاريخ إلزامي
 DocType: Company,Budget Detail,تفاصيل الميزانية
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,الرجاء إدخال الرسالة قبل الإرسال
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,تنويه للمورد
-DocType: Email Digest,Pending Quotations,عروض مسعرة معلقة
-DocType: Delivery Note,Distance (KM),المسافة (كم)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,مورد&gt; مجموعة الموردين
 DocType: Asset,Custodian,وصي
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,ملف نقطة البيع
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,ملف نقطة البيع
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} يجب أن تكون القيمة بين 0 و 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},دفع {0} من {1} إلى {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,القروض غير المضمونة
@@ -6292,10 +6361,10 @@
 DocType: Lead,Converted,تحويل
 DocType: Item,Has Serial No,يحتوي على رقم تسلسلي
 DocType: Employee,Date of Issue,تاريخ الإصدار
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",وفقا لإعدادات الشراء في حالة ايصال الشراء مطلوب == 'نعم'، لإنشاء فاتورة شراء، يحتاج المستخدم إلى إنشاء إيصال الشراء أولا للبند {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",وفقا لإعدادات الشراء في حالة ايصال الشراء مطلوب == 'نعم'، لإنشاء فاتورة شراء، يحتاج المستخدم إلى إنشاء إيصال الشراء أولا للبند {0}
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},الصف # {0}: حدد المورد للبند {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,صف {0}: يجب أن تكون قيمة الساعات أكبر من الصفر.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,الموقع صورة {0} تعلق على البند {1} لا يمكن العثور
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,الموقع صورة {0} تعلق على البند {1} لا يمكن العثور
 DocType: Issue,Content Type,نوع المحتوى
 DocType: Asset,Assets,الأصول
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,الحاسوب
@@ -6306,7 +6375,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} غير موجود
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,يرجى اختيار الخيار عملات متعددة للسماح بحسابات مع عملة أخرى
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,البند: {0} غير موجود في النظام
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,.أنت غير مخول لتغيير القيم المجمدة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,.أنت غير مخول لتغيير القيم المجمدة
 DocType: Payment Reconciliation,Get Unreconciled Entries,الحصول على مدخلات لم تتم تسويتها
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},الموظف {0} في وضع الإجازة على {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,لم يتم اختيار السداد لمدخل المجلة
@@ -6324,29 +6393,29 @@
 ,Average Commission Rate,متوسط العمولة
 DocType: Share Balance,No of Shares,عدد األسهم
 DocType: Taxable Salary Slab,To Amount,لكمية
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""لهُ رقم تسلسل""  لا يمكن ان يكون ""نعم"" لبند غير قابل للتخزين"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""لهُ رقم تسلسل""  لا يمكن ان يكون ""نعم"" لبند غير قابل للتخزين"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,حدد الحالة
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,لا يمكن اثبات الحضور لتاريخ مستقبلي
 DocType: Support Search Source,Post Description Key,وظيفة الوصف
 DocType: Pricing Rule,Pricing Rule Help,تعليمات قاعدة التسعير
 DocType: School House,House Name,اسم المنزل
 DocType: Fee Schedule,Total Amount per Student,إجمالي المبلغ لكل طالب
+DocType: Opportunity,Sales Stage,مرحلة المبيعات
 DocType: Purchase Taxes and Charges,Account Head,رئيس حساب
 DocType: Company,HRA Component,مكون HRA
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,الكهرباء
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,كهربائي
 apps/erpnext/erpnext/utilities/activation.py +100,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,أضف بقية أفراد مؤسستك كمستخدمين. يمكنك أيضا إضافة دعوة العملاء إلى بوابتك عن طريق إضافتهم من جهات الاتصال
 DocType: Stock Entry,Total Value Difference (Out - In),إجمالي قيمة الفرق (خارج - في)
 DocType: Grant Application,Requested Amount,الكمية المطلوبة
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,الصف {0}: سعر صرف إلزامي
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},هوية المستخدم لم يتم تعيين موظف ل {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},هوية المستخدم لم يتم تعيين موظف ل {0}
 DocType: Vehicle,Vehicle Value,قيمة المركبة
 DocType: Crop Cycle,Detected Diseases,الأمراض المكتشفة
 DocType: Stock Entry,Default Source Warehouse,المصدر الافتراضي مستودع
 DocType: Item,Customer Code,رمز العميل
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},التذكير بعيد ميلاد {0}
 DocType: Asset Maintenance Task,Last Completion Date,تاريخ الانتهاء الأخير
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,الأيام منذ آخر طلب
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,مدين لحساب يجب أن يكون حساب قائمة المركز المالي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,مدين لحساب يجب أن يكون حساب قائمة المركز المالي
 DocType: Asset,Naming Series,التسمية التسلسلية
 DocType: Vital Signs,Coated,مطلي
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,الصف {0}: القيمة المتوقعة بعد أن تكون الحياة المفيدة أقل من إجمالي مبلغ الشراء
@@ -6364,15 +6433,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,تسليم مذكرة {0} يجب ألا تكون مسجلة
 DocType: Notification Control,Sales Invoice Message,فاتورة مبيعات رسالة
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,حساب ختامي {0} يجب أن يكون من نوع الخصومات/ حقوق الملكية
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},كشف الراتب للموظف {0} تم إنشاؤه لسجل التوقيت {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},كشف الراتب للموظف {0} تم إنشاؤه لسجل التوقيت {1}
 DocType: Vehicle Log,Odometer,عداد المسافات
 DocType: Production Plan Item,Ordered Qty,أمرت الكمية
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,تم تعطيل البند {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,تم تعطيل البند {0}
 DocType: Stock Settings,Stock Frozen Upto,المخزون المجمدة لغاية
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,فاتورة الموارد لا تحتوي على أي عنصر مخزون
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,فاتورة الموارد لا تحتوي على أي عنصر مخزون
 DocType: Chapter,Chapter Head,رئيس الفصل
 DocType: Payment Term,Month(s) after the end of the invoice month,شهر (أشهر) بعد نهاية شهر الفاتورة
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,يجب أن يكون هيكل المرتبات مكون (مكونات) منافع مرنة لتوزيع مبلغ المخصصات
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,يجب أن يكون هيكل المرتبات مكون (مكونات) منافع مرنة لتوزيع مبلغ المخصصات
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,نشاط او مهمة لمشروع .
 DocType: Vital Signs,Very Coated,المغلفة جدا
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),التأثير الضريبي فقط (لا يمكن المطالبة إلا جزء من الدخل الخاضع للضريبة)
@@ -6390,7 +6459,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,ساعات الفواتير
 DocType: Project,Total Sales Amount (via Sales Order),إجمالي مبلغ المبيعات (عبر أمر المبيعات)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,لم يتم العثور على قائمة المواد الافتراضي لي {0}
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,الصف # {0}: يرجى تعيين (الكمية المحددة عند اعادة الطلب)
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,الصف # {0}: يرجى تعيين (الكمية المحددة عند اعادة الطلب)
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,انقر على العناصر لإضافتها هنا
 DocType: Fees,Program Enrollment,ادراج البرنامج
 DocType: Share Transfer,To Folio No,إلى الورقة رقم
@@ -6431,9 +6500,9 @@
 DocType: SG Creation Tool Course,Max Strength,القوة القصوى
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,تثبيت الإعدادات المسبقة
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},لم يتم تحديد ملاحظة التسليم للعميل {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},لم يتم تحديد ملاحظة التسليم للعميل {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,الموظف {0} ليس لديه الحد الأقصى لمبلغ الاستحقاق
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,حدد العناصر بناء على تاريخ التسليم
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,حدد العناصر بناء على تاريخ التسليم
 DocType: Grant Application,Has any past Grant Record,لديه أي سجل المنحة الماضية
 ,Sales Analytics,تحليل المبيعات
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},متاح {0}
@@ -6441,12 +6510,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,إعدادات التصنيع
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,إعداد البريد الإلكتروني
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,رقم الهاتف النقال للوصي 1
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,الرجاء إدخال العملة الافتراضية في شركة الرئيسية
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,الرجاء إدخال العملة الافتراضية في شركة الرئيسية
 DocType: Stock Entry Detail,Stock Entry Detail,تفاصيل ادخال المخزون
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,تذكير يومي
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,تذكير يومي
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,شاهد جميع التذاكر المفتوحة
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,وحدة خدمة الرعاية الصحية
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,المنتج
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,المنتج
 DocType: Products Settings,Home Page is Products,الصفحة الرئيسية المنتجات غير
 ,Asset Depreciation Ledger,دفتر حسابات استهلاك الأصول
 DocType: Salary Structure,Leave Encashment Amount Per Day,ترك Encshment المبلغ لكل يوم
@@ -6456,8 +6525,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,المواد الخام الموردة التكلفة
 DocType: Selling Settings,Settings for Selling Module,إعدادات لبيع وحدة
 DocType: Hotel Room Reservation,Hotel Room Reservation,حجز غرفة الفندق
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,خدمة العملاء
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,خدمة العملاء
 DocType: BOM,Thumbnail,المصغرات
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,لم يتم العثور على جهات اتصال مع معرّفات البريد الإلكتروني.
 DocType: Item Customer Detail,Item Customer Detail,تفاصيل العميل لهذا البند
 DocType: Notification Control,Prompt for Email on Submission of,المطالبة البريد الالكتروني على تقديم
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},أقصى مبلغ لمبلغ الموظف {0} يتجاوز {1}
@@ -6467,13 +6537,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,البند {0} يجب أن يكون البند الأسهم
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,افتراضي العمل في مستودع التقدم
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",جداول التداخلات {0} ، هل تريد المتابعة بعد تخطي الفتحات المتراكبة؟
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,الإعدادات الافتراضية للمعاملات التجارية.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,الإعدادات الافتراضية للمعاملات التجارية.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,جرانت ليفز
 DocType: Restaurant,Default Tax Template,نموذج الضرائب الافتراضي
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} تم تسجيل الطلاب
 DocType: Fees,Student Details,تفاصيل الطالب
 DocType: Purchase Invoice Item,Stock Qty,الأسهم الكمية
 DocType: Contract,Requires Fulfilment,يتطلب وفاء
+DocType: QuickBooks Migrator,Default Shipping Account,حساب الشحن الافتراضي
 DocType: Loan,Repayment Period in Months,فترة السداد بالأشهر
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,خطأ: هوية غير صالحة؟
 DocType: Naming Series,Update Series Number,تحديث الرقم المتسلسل
@@ -6487,11 +6558,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,أقصى مبلغ
 DocType: Journal Entry,Total Amount Currency,مجموع المبلغ العملات
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,جمعيات البحث الفرعية
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},كود البند مطلوب في الصف رقم {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},كود البند مطلوب في الصف رقم {0}
 DocType: GST Account,SGST Account,حساب سست
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,انتقل إلى العناصر
 DocType: Sales Partner,Partner Type,نوع الشريك
-DocType: Purchase Taxes and Charges,Actual,فعلي
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,فعلي
 DocType: Restaurant Menu,Restaurant Manager,مدير المطعم
 DocType: Authorization Rule,Customerwise Discount,التخفيض من ناحية الزبائن
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,الجدول الزمني للمهام.
@@ -6512,7 +6583,7 @@
 DocType: Employee,Cheque,شيك
 DocType: Training Event,Employee Emails,رسائل البريد الإلكتروني للموظفين
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,تم تحديث الرقم المتسلسل
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,نوع التقرير إلزامي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,نوع التقرير إلزامي
 DocType: Item,Serial Number Series,المسلسل عدد سلسلة
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},المستودع إلزامي لصنف المخزون  {0} في الصف {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,بيع بالتجزئة والجملة
@@ -6542,7 +6613,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,تحديث مبلغ فاتورة في أمر المبيعات
 DocType: BOM,Materials,المواد
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",إذا لم يتم الاختيار، فان القائمة ستضاف إلى كل قسم حيث لابد من تطبيقها.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,تاريخ نشرها ونشر الوقت إلزامي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,تاريخ نشرها ونشر الوقت إلزامي
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,قالب الضرائب لشراء صفقة.
 ,Item Prices,أسعار السلعة
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,وبعبارة تكون مرئية بمجرد حفظ أمر الشراء.
@@ -6558,12 +6629,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),سلسلة دخول الأصول (دخول دفتر اليومية)
 DocType: Membership,Member Since,عضو منذ
 DocType: Purchase Invoice,Advance Payments,دفعات مقدمة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,يرجى اختيار خدمة الرعاية الصحية
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,يرجى اختيار خدمة الرعاية الصحية
 DocType: Purchase Taxes and Charges,On Net Total,على صافي الاجمالي
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},يجب أن تكون قيمة للسمة {0} ضمن مجموعة من {1} إلى {2} في الزيادات من {3} لالبند {4}
 DocType: Restaurant Reservation,Waitlisted,على قائمة الانتظار
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,فئة الإعفاء
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,لا يمكن تغيير العملة بعد إجراء إدخالات باستخدام بعض العملات الأخرى
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,لا يمكن تغيير العملة بعد إجراء إدخالات باستخدام بعض العملات الأخرى
 DocType: Shipping Rule,Fixed,ثابت
 DocType: Vehicle Service,Clutch Plate,صفائح التعشيق
 DocType: Company,Round Off Account,جولة قبالة حساب
@@ -6572,7 +6643,7 @@
 DocType: Subscription Plan,Based on price list,على أساس قائمة الأسعار
 DocType: Customer Group,Parent Customer Group,مجموعة عملاء أولياء الأمور
 DocType: Vehicle Service,Change,تغيير
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,اشتراك
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,اشتراك
 DocType: Purchase Invoice,Contact Email,عنوان البريد الإلكتروني
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,إنشاء الرسوم معلقة
 DocType: Appraisal Goal,Score Earned,نقاط المكتسبة
@@ -6599,23 +6670,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,القبض / حساب الدائنة
 DocType: Delivery Note Item,Against Sales Order Item,مقابل بند طلب مبيعات
 DocType: Company,Company Logo,شعار الشركة
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},يرجى تحديد قيمة الخاصية {0}
-DocType: Item Default,Default Warehouse,النماذج الافتراضية
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},يرجى تحديد قيمة الخاصية {0}
+DocType: QuickBooks Migrator,Default Warehouse,النماذج الافتراضية
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},لايمكن أسناد الميزانية للمجموعة Account {0}
 DocType: Shopping Cart Settings,Show Price,عرض السعر
 DocType: Healthcare Settings,Patient Registration,تسجيل المريض
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,الرجاء إدخال مركز تكلفة الأب
 DocType: Delivery Note,Print Without Amount,طباعة بدون قيمة
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,تاريخ الإهلاك
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,تاريخ الإهلاك
 ,Work Orders in Progress,أوامر العمل في التقدم
 DocType: Issue,Support Team,فريق الدعم
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),انتهاء (في يوم)
 DocType: Appraisal,Total Score (Out of 5),مجموع نقاط (من 5)
 DocType: Student Attendance Tool,Batch,باتش
 DocType: Support Search Source,Query Route String,سلسلة مسار الاستعلام
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,معدل التحديث حسب آخر عملية شراء
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,معدل التحديث حسب آخر عملية شراء
 DocType: Donor,Donor Type,نوع المانح
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,السيارات تكرار الوثيقة المحدثة
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,السيارات تكرار الوثيقة المحدثة
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,الرصيد
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,يرجى تحديد الشركة
 DocType: Job Card,Job Card,بطاقة عمل
@@ -6629,7 +6700,7 @@
 DocType: Assessment Result,Total Score,مجموع النقاط
 DocType: Crop Cycle,ISO 8601 standard,معيار ISO 8601
 DocType: Journal Entry,Debit Note,ملاحظة الخصم
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,لا يمكنك استرداد سوى {0} نقاط كحد أقصى بهذا الترتيب.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,لا يمكنك استرداد سوى {0} نقاط كحد أقصى بهذا الترتيب.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,الرجاء إدخال سر عميل واجهة برمجة التطبيقات
 DocType: Stock Entry,As per Stock UOM,وفقا للأوراق UOM
@@ -6642,10 +6713,11 @@
 DocType: Journal Entry,Total Debit,مجموع الخصم
 DocType: Travel Request Costing,Sponsored Amount,المبلغ المساند
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,المخزن الافتراضي للبضائع التامة الصنع
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,يرجى تحديد المريض
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,يرجى تحديد المريض
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,رجل المبيعات
 DocType: Hotel Room Package,Amenities,وسائل الراحة
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,الميزانيه و مركز التكلفة
+DocType: QuickBooks Migrator,Undeposited Funds Account,حساب الأموال غير المدعومة
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,الميزانيه و مركز التكلفة
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,لا يسمح بوضع الدفع الافتراضي المتعدد
 DocType: Sales Invoice,Loyalty Points Redemption,نقاط الولاء الفداء
 ,Appointment Analytics,موعد تحليلات
@@ -6659,6 +6731,7 @@
 DocType: Batch,Manufacturing Date,تاريخ التصنيع
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,أخفق إنشاء الرسوم
 DocType: Opening Invoice Creation Tool,Create Missing Party,إنشاء طرف مفقود
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,الميزانية الإجمالية
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,اتركه فارغا إذا جعلت مجموعات الطلاب في السنة
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",إذا تم، المشاركات لا. من أيام عمل وسوف تشمل أيام العطل، وهذا سوف يقلل من قيمة الراتب لكل يوم
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?",التطبيقات التي تستخدم المفتاح الحالي لن تتمكن من الدخول ، هل انت متأكد ؟
@@ -6674,20 +6747,19 @@
 DocType: Opportunity Item,Basic Rate,قيم الأساسية
 DocType: GL Entry,Credit Amount,مبلغ دائن
 DocType: Cheque Print Template,Signatory Position,الوظيفة الموقعة
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,على النحو المفقودة
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,على النحو المفقودة
 DocType: Timesheet,Total Billable Hours,مجموع الساعات فوترة
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,عدد الأيام التي يتعين على المشترك دفع الفواتير الناتجة عن هذا الاشتراك
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,تفاصيل تطبيق استحقاق الموظف
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,إشعار إيصال الدفع
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ويستند هذا على المعاملات ضد هذا العميل. انظر الجدول الزمني أدناه للاطلاع على التفاصيل
-DocType: Delivery Note,ODC,شركة التنمية النفطية
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},صف {0}: يجب أن يكون المبلغ المخصص {1} أقل من أو يساوي قيمة تدوين المدفوعات {2}
 DocType: Program Enrollment Tool,New Academic Term,مصطلح أكاديمي جديد
 ,Course wise Assessment Report,تقرير التقييم الحكيم للدورة
 DocType: Purchase Invoice,Availed ITC State/UT Tax,استفاد من ضريبة إيتس / ضريبة أوت
 DocType: Tax Rule,Tax Rule,القاعدة الضريبية
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,الحفاظ على نفس معدل خلال دورة المبيعات
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,الرجاء تسجيل الدخول كمستخدم آخر للتسجيل في Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,الرجاء تسجيل الدخول كمستخدم آخر للتسجيل في Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,تخطيط سجلات الوقت خارج ساعات العمل محطة العمل.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,العملاء في قائمة الانتظار
 DocType: Driver,Issuing Date,تاريخ الإصدار
@@ -6696,11 +6768,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,أرسل طلب العمل هذا لمزيد من المعالجة.
 ,Items To Be Requested,البنود يمكن طلبه
 DocType: Company,Company Info,معلومات عن الشركة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,تحديد أو إضافة عميل جديد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,تحديد أو إضافة عميل جديد
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,مركز التكلفة مطلوب لتسجيل المطالبة بالنفقات
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),استخدام الاموال (الأصول)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ويستند هذا على حضور هذا الموظف
-DocType: Assessment Result,Summary,ملخص
 DocType: Payment Request,Payment Request Type,نوع طلب الدفع
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,تسجيل الحضور
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,حساب مدين
@@ -6708,7 +6779,7 @@
 DocType: Additional Salary,Employee Name,اسم الموظف
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,مطعم دخول البند البند
 DocType: Purchase Invoice,Rounded Total (Company Currency),المشاركات تقريب (العملة الشركة)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,لا يمكن تحويل الحساب إلى تصنيف مجموعة لأن نوع الحساب تم اختياره.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,لا يمكن تحويل الحساب إلى تصنيف مجموعة لأن نوع الحساب تم اختياره.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,تم تعديل {0} {1}، يرجى تحديث الصفحة من المتصفح
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,وقف المستخدمين من طلب إجازة في الأيام التالية.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",إذا كان انتهاء الصلاحية غير محدود لنقاط الولاء ، فاحتفظ مدة الصلاحية فارغة أو 0.
@@ -6729,11 +6800,12 @@
 DocType: Asset,Out of Order,خارج عن السيطرة
 DocType: Purchase Receipt Item,Accepted Quantity,كمية مقبولة
 DocType: Projects Settings,Ignore Workstation Time Overlap,تجاهل تداخل وقت محطة العمل
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},يرجى تحديد قائمة العطل الافتراضية للموظف {0} أو الشركة {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},يرجى تحديد قائمة العطل الافتراضية للموظف {0} أو الشركة {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} غير موجود
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,حدد أرقام الدفعة
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,إلى GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,إلى GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,فواتير حولت للزبائن.
+DocType: Healthcare Settings,Invoice Appointments Automatically,مواعيد الفاتورة تلقائيا
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,هوية المشروع
 DocType: Salary Component,Variable Based On Taxable Salary,متغير على أساس الخاضع للضريبة
 DocType: Company,Basic Component,المكون الأساسي
@@ -6746,10 +6818,10 @@
 DocType: Stock Entry,Source Warehouse Address,عنوان مستودع المصدر
 DocType: GL Entry,Voucher Type,نوع السند
 DocType: Amazon MWS Settings,Max Retry Limit,الحد الأقصى لإعادة المحاولة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,قائمة الأسعار غير موجودة أو تم تعطيلها
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,قائمة الأسعار غير موجودة أو تم تعطيلها
 DocType: Student Applicant,Approved,موافق عليه
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,السعر
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',الموظف الذي ترك العمل في {0} يجب أن يتم تحديده ' مغادر '
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',الموظف الذي ترك العمل في {0} يجب أن يتم تحديده ' مغادر '
 DocType: Marketplace Settings,Last Sync On,آخر مزامنة تشغيل
 DocType: Guardian,Guardian,وصي
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,يجب نقل جميع الاتصالات بما في ذلك وما فوقها إلى الإصدار الجديد
@@ -6772,14 +6844,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,قائمة الأمراض المكتشفة في الميدان. عند اختيارها سوف تضيف تلقائيا قائمة من المهام للتعامل مع المرض
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,هذا هو وحدة خدمة الرعاية الصحية الجذر ولا يمكن تحريرها.
 DocType: Asset Repair,Repair Status,حالة الإصلاح
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,إضافة شركاء المبيعات
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,القيود المحاسبية لدفتر اليومية
 DocType: Travel Request,Travel Request,طلب السفر
 DocType: Delivery Note Item,Available Qty at From Warehouse,متوفر (كمية) في المخزن
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,الرجاء اختيارسجل الموظف أولا.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,لم يتم إرسال الحضور إلى {0} لأنه عطلة.
 DocType: POS Profile,Account for Change Amount,حساب لتغيير المبلغ
+DocType: QuickBooks Migrator,Connecting to QuickBooks,الاتصال QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,إجمالي الربح / الخسارة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,شركة غير صالحة لفاتورة شركة إنتر.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,شركة غير صالحة لفاتورة شركة إنتر.
 DocType: Purchase Invoice,input service,خدمة الإدخال
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},الصف {0}: حزب / حساب لا يتطابق مع {1} / {2} في {3} {4}
 DocType: Employee Promotion,Employee Promotion,ترقية الموظف
@@ -6788,12 +6862,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,رمز المقرر:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,الرجاء إدخال حساب المصاريف
 DocType: Account,Stock,المخزون
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",الصف # {0}:  يجب أن يكون نوع الوثيقة المرجعي واحدة منن الاتي اما  طلب شراء او فاتورة شراء أو قيد دفتر يومية
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",الصف # {0}:  يجب أن يكون نوع الوثيقة المرجعي واحدة منن الاتي اما  طلب شراء او فاتورة شراء أو قيد دفتر يومية
 DocType: Employee,Current Address,العنوان الحالي
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",إذا كان البند هو البديل من بند آخر ثم وصف، صورة، والتسعير، والضرائب سيتم تعيين غيرها من القالب، ما لم يذكر صراحة
 DocType: Serial No,Purchase / Manufacture Details,تفاصيل شراء / تصنيع
 DocType: Assessment Group,Assessment Group,مجموعة التقييم
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,جرد الباتش
+DocType: Supplier,GST Transporter ID,معرف ناقل GST
 DocType: Procedure Prescription,Procedure Name,اسم الإجراء
 DocType: Employee,Contract End Date,تاريخ نهاية العقد
 DocType: Amazon MWS Settings,Seller ID,معرف البائع
@@ -6813,12 +6888,12 @@
 DocType: Company,Date of Incorporation,تاريخ التأسيس
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,مجموع الضرائب
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,سعر الشراء الأخير
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,للكمية (الكمية المصنعة) إلزامي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,للكمية (الكمية المصنعة) إلزامي
 DocType: Stock Entry,Default Target Warehouse,المخزن الافتراضي المستهدف
 DocType: Purchase Invoice,Net Total (Company Currency),صافي الأجمالي ( بعملة الشركة )
 DocType: Delivery Note,Air,هواء
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,تاريخ نهاية السنة لا يمكن أن يكون أقدم من تاريخ بداية السنة. يرجى تصحيح التواريخ وحاول مرة أخرى.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ليس في قائمة عطلات اختيارية
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ليس في قائمة عطلات اختيارية
 DocType: Notification Control,Purchase Receipt Message,رسالة إيصال شراء
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,الخردة الأصناف
@@ -6840,23 +6915,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,تحقيق
 DocType: Purchase Taxes and Charges,On Previous Row Amount,على المبلغ الصف السابق
 DocType: Item,Has Expiry Date,تاريخ انتهاء الصلاحية
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,نقل الأصول
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,نقل الأصول
 DocType: POS Profile,POS Profile,الملف الشخصي لنقطة البيع
 DocType: Training Event,Event Name,اسم الحدث
 DocType: Healthcare Practitioner,Phone (Office),الهاتف (المكتب)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance",لا يمكن إرسال ، ترك الموظفين لوضع علامة الحضور
 DocType: Inpatient Record,Admission,القبول
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},قبول ل {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ
 DocType: Supplier Scorecard Scoring Variable,Variable Name,اسم المتغير
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",{0} البند هو قالب، يرجى اختيار واحد من مشتقاته
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية&gt; إعدادات الموارد البشرية
+DocType: Purchase Invoice Item,Deferred Expense,المصروفات المؤجلة
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},من تاريخ {0} لا يمكن أن يكون قبل تاريخ الانضمام للموظف {1}
 DocType: Asset,Asset Category,فئة الأصول
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,صافي الأجور لا يمكن أن يكون بالسالب
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,صافي الأجور لا يمكن أن يكون بالسالب
 DocType: Purchase Order,Advance Paid,مسبقا المدفوعة
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,نسبة الإنتاج الزائد لأمر المبيعات
 DocType: Item,Item Tax,ضريبة السلعة
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,مواد للمورد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,مواد للمورد
 DocType: Soil Texture,Loamy Sand,التربة الطميية
 DocType: Production Plan,Material Request Planning,تخطيط طلب المواد
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,المكوس الفاتورة
@@ -6878,11 +6955,11 @@
 DocType: Scheduling Tool,Scheduling Tool,أداة الجدولة
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,بطاقة ائتمان
 DocType: BOM,Item to be manufactured or repacked,البند الذي سيتم تصنيعه أو إعادة تعبئته
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},خطأ في بناء الجملة في الشرط: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},خطأ في بناء الجملة في الشرط: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,المواد الرئيسية والاختيارية التي تم دراستها
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,يرجى تعيين مجموعة الموردين في إعدادات الشراء.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,يرجى تعيين مجموعة الموردين في إعدادات الشراء.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",لا ينبغي أن يكون إجمالي مكون المكون المرن {0} أقل من الحد الأقصى للمنافع {1}
 DocType: Sales Invoice Item,Drop Ship,هبوط السفينة
 DocType: Driver,Suspended,معلق
@@ -6902,7 +6979,7 @@
 DocType: Customer,Commission Rate,نسبة العمولة
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,تم إنشاء إدخالات الدفع بنجاح
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,تم إنشاء {0} بطاقات الأداء {1} بين:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,أنشئ متغير
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,أنشئ متغير
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",يجب أن يكون نوع الدفعة واحدة من الاتي اما استلام او دفع او نقل داخلي
 DocType: Travel Itinerary,Preferred Area for Lodging,المنطقة المفضلة للسكن
 apps/erpnext/erpnext/config/selling.py +184,Analytics,التحليلات
@@ -6913,7 +6990,7 @@
 DocType: Work Order,Actual Operating Cost,الفعلية تكاليف التشغيل
 DocType: Payment Entry,Cheque/Reference No,رقم الصك / السند المرجع
 DocType: Soil Texture,Clay Loam,تربة طينية
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,الجذرلا يمكن تعديل.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,الجذرلا يمكن تعديل.
 DocType: Item,Units of Measure,وحدات القياس
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,مستأجر في مدينة مترو
 DocType: Supplier,Default Tax Withholding Config,الافتراضي حجب الضرائب التكوين
@@ -6931,21 +7008,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,اعاده توجيه المستخدم الى الصفحات المحدده بعد اكتمال عمليه الدفع
 DocType: Company,Existing Company,الشركة الحالية
 DocType: Healthcare Settings,Result Emailed,النتيجة عبر البريد الإلكتروني
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",تم تغيير فئة الضرائب إلى &quot;توتال&quot; لأن جميع العناصر هي عناصر غير مخزون
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",تم تغيير فئة الضرائب إلى &quot;توتال&quot; لأن جميع العناصر هي عناصر غير مخزون
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,حتى الآن لا يمكن أن يكون مساويا أو أقل من التاريخ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,لا شيء للتغيير
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,يرجى اختيار ملف CSV
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,يرجى اختيار ملف CSV
 DocType: Holiday List,Total Holidays,مجموع العطلات
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,قالب بريد إلكتروني مفقود للإرسال. يرجى ضبط واحد في إعدادات التسليم.
 DocType: Student Leave Application,Mark as Present,إجعلها الحاضر
 DocType: Supplier Scorecard,Indicator Color,لون المؤشر
 DocType: Purchase Order,To Receive and Bill,لتلقي وبيل
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,الصف # {0}: ريد بي ديت لا يمكن أن يكون قبل تاريخ المعاملة
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,الصف # {0}: ريد بي ديت لا يمكن أن يكون قبل تاريخ المعاملة
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,منتجات مميزة
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,حدد المسلسل لا
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,حدد المسلسل لا
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,مصمم
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,قالب الشروط والأحكام
 DocType: Serial No,Delivery Details,تفاصيل الدفع
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},مركز التكلفة مطلوب في الصف {0} في جدول الضرائب للنوع {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},مركز التكلفة مطلوب في الصف {0} في جدول الضرائب للنوع {1}
 DocType: Program,Program Code,رمز البرنامج
 DocType: Terms and Conditions,Terms and Conditions Help,مساعدة الشروط والأحكام
 ,Item-wise Purchase Register,سجل حركة المشتريات وفقا للصنف
@@ -6958,15 +7036,16 @@
 DocType: Contract,Contract Terms,شروط العقد
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,لا تظهر أي رمز مثل $  بجانب العملات.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},يتجاوز الحد الأقصى لمقدار المكون {0} {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(نصف يوم)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(نصف يوم)
 DocType: Payment Term,Credit Days,الائتمان أيام
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,يرجى اختيار المريض للحصول على اختبارات مختبر
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,إنشاء دفعة من الطلبة
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,السماح بالنقل للتصنيع
 DocType: Leave Type,Is Carry Forward,هل تضاف في العام التالي
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,تنزيل الاصناف من BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,تنزيل الاصناف من BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,المدة الزمنية بين بدء وإنهاء عملية الإنتاج
 DocType: Cash Flow Mapping,Is Income Tax Expense,هو ضريبة الدخل
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,طلبك تحت التسليم!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},الصف # {0}: تاريخ الترحيل يجب أن يكون نفس تاريخ شراء {1} الأصل {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,تحقق من ذلك إذا كان الطالب يقيم في نزل المعهد.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,الرجاء إدخال طلب المبيعات في الجدول أعلاه
@@ -6974,10 +7053,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,نقل رصيدا من مستودع واحد إلى آخر
 DocType: Vehicle,Petrol,بنزين
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),الفوائد المتبقية (سنوية)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,قائمة المواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,قائمة المواد
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},الصف {0}: نوع الطرف المعني والطرف المعني مطلوب للحسابات المدينة / الدائنة {0}
 DocType: Employee,Leave Policy,سياسة الإجازة
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,تحديث العناصر
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,تحديث العناصر
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,تاريخ المرجع
 DocType: Employee,Reason for Leaving,سبب ترك العمل
 DocType: BOM Operation,Operating Cost(Company Currency),تكاليف التشغيل (عملة الشركة)
@@ -6988,7 +7067,7 @@
 DocType: Department,Expense Approvers,Expense Exprovers
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},الصف {0}: لا يمكن ربط قيد مدين مع {1}
 DocType: Journal Entry,Subscription Section,قسم الاشتراك
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,حساب {0} غير موجود
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,حساب {0} غير موجود
 DocType: Training Event,Training Program,برنامج تدريب
 DocType: Account,Cash,نقد
 DocType: Employee,Short biography for website and other publications.,نبذة على موقع الويب وغيره من المنشورات.
diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv
index 00744b8..d4b306c 100644
--- a/erpnext/translations/bg.csv
+++ b/erpnext/translations/bg.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Клиентски елементи
 DocType: Project,Costing and Billing,Остойностяване и фактуриране
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Авансовата валута на сметката трябва да бъде същата като валутата на компанията {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Сметка {0}: Родителска сметка {1} не може да бъде Главна счетоводна книга
+DocType: QuickBooks Migrator,Token Endpoint,Точката крайна точка
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Сметка {0}: Родителска сметка {1} не може да бъде Главна счетоводна книга
 DocType: Item,Publish Item to hub.erpnext.com,Публикуване т да hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Не може да се намери активен период на отпуск
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Не може да се намери активен период на отпуск
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,оценка
 DocType: Item,Default Unit of Measure,Мерна единица по подразбиране
 DocType: SMS Center,All Sales Partner Contact,Всички продажби Partner Контакт
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Щракнете върху Enter to Add
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Липсва стойност за парола, ключ за API или URL адрес за пазаруване"
 DocType: Employee,Rented,Отдаден под наем
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Всички профили
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Всички профили
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Не можете да прехвърлите служител със състояние Left
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Спряно производство Поръчка не може да бъде отменено, отпуши го първо да отмените"
 DocType: Vehicle Service,Mileage,километраж
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Наистина ли искате да се бракувате от този актив?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Наистина ли искате да се бракувате от този актив?
 DocType: Drug Prescription,Update Schedule,Актуализиране на график
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Избор на доставчик по подразбиране
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Показване на служителя
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Нов обменен курс
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Изисква се валута за Ценоразпис {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Изисква се валута за Ценоразпис {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Ще се изчисли при транзакция.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,МАТ-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Клиент - Контакти
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Това се основава на сделки срещу този доставчик. Вижте график по-долу за повече подробности
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Процент на свръхпроизводство за работна поръчка
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,МАТ-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Правен
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Правен
+DocType: Delivery Note,Transport Receipt Date,Дата на получаване на транспорт
 DocType: Shopify Settings,Sales Order Series,Серия поръчки за продажба
 DocType: Vital Signs,Tongue,език
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA Освобождаване
 DocType: Sales Invoice,Customer Name,Име на клиента
 DocType: Vehicle,Natural Gas,Природен газ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Банкова сметка не може да бъде с име като {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Банкова сметка не може да бъде с име като {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA според структурата на заплатите
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (или групи), срещу които са направени счетоводни записвания и баланси се поддържат."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Изключително за {0} не може да бъде по-малък от нула ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Дата на спиране на услугата не може да бъде преди началната дата на услугата
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Дата на спиране на услугата не може да бъде преди началната дата на услугата
 DocType: Manufacturing Settings,Default 10 mins,По подразбиране 10 минути
 DocType: Leave Type,Leave Type Name,Тип отсъствие - Име
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Покажи отворен
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Покажи отворен
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Номерацията е успешно обновена
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Поръчка
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} на ред {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} на ред {1}
 DocType: Asset Finance Book,Depreciation Start Date,Начална дата на амортизацията
 DocType: Pricing Rule,Apply On,Приложи върху
 DocType: Item Price,Multiple Item prices.,Множество цени елемент.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Настройки на модул Поддръжка
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Очаквана крайна дата не може да бъде по-малка от очакваната начална дата
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Настройки
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Курсове трябва да е същото като {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Курсове трябва да е същото като {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Партида - Статус на срок на годност
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Банков чек
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Основни данни за контакт
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,открити въпроси
 DocType: Production Plan Item,Production Plan Item,Производство Plan Точка
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Потребителят {0} вече е назначен служител {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Потребителят {0} вече е назначен служител {1}
 DocType: Lab Test Groups,Add new line,Добавете нов ред
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Грижа за здравето
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Забавяне на плащане (дни)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Лабораторни предписания
 ,Delay Days,Дни в забава
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Expense Service
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериен номер: {0} вече е посочен в фактурата за продажби: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериен номер: {0} вече е посочен в фактурата за продажби: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Фактура
 DocType: Purchase Invoice Item,Item Weight Details,Елемент за теглото на елемента
 DocType: Asset Maintenance Log,Periodicity,Периодичност
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} се изисква
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Доставчик&gt; Група доставчици
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минималното разстояние между редиците растения за оптимален растеж
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Отбрана
 DocType: Salary Component,Abbr,Съкращение
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Списък на празиниците
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Счетоводител
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Ценова листа за продажба
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Ценова листа за продажба
 DocType: Patient,Tobacco Current Use,Тютюновата текуща употреба
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Продажна цена
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Продажна цена
 DocType: Cost Center,Stock User,Склад за потребителя
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Информация за връзка
 DocType: Company,Phone No,Телефон No
 DocType: Delivery Trip,Initial Email Notification Sent,Първоначално изпратено имейл съобщение
 DocType: Bank Statement Settings,Statement Header Mapping,Ръководство за картографиране на отчети
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Начална дата на абонамента
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Предпоставки за вземане по подразбиране, които да се използват, ако не са зададени в Пациента, за да резервират такси за назначаване."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Прикрепете .csv файл с две колони, по един за старото име и един за новото име"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,От адрес 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Код на елемента&gt; Група на елементите&gt; Марка
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,От адрес 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} не в някоя активна фискална година.
 DocType: Packed Item,Parent Detail docname,Родител Подробности docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Референция: {0}, кода на елемента: {1} и клиента: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} не присъства в компанията майка
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} не присъства в компанията майка
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Крайната дата на пробния период не може да бъде преди началната дата на пробния период
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Кг
 DocType: Tax Withholding Category,Tax Withholding Category,Категория на удържане на данъци
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Реклама
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Същата фирма се вписват повече от веднъж
 DocType: Patient,Married,Омъжена
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Не е разрешен за {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Не е разрешен за {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Вземете елементи от
 DocType: Price List,Price Not UOM Dependant,Цената не е зависима от UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Прилагане на сума за удържане на данък
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Фондова не може да бъде актуализиран срещу Бележка за доставка {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Общата сума е кредитирана
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Фондова не може да бъде актуализиран срещу Бележка за доставка {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Общата сума е кредитирана
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Продукт {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Няма изброени елементи
 DocType: Asset Repair,Error Description,Описание на грешката
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Използвайте персонализиран формат на паричен поток
 DocType: SMS Center,All Sales Person,Всички продажби Person
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Месечно Разпределение ** ви помага да разпределите бюджета / целеви разходи през месеците, ако имате сезонност в бизнеса си."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Не са намерени
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Липсва Структура на заплащането на служителите
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Не са намерени
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Липсва Структура на заплащането на служителите
 DocType: Lead,Person Name,Лице Име
 DocType: Sales Invoice Item,Sales Invoice Item,Фактурата за продажба - позиция
 DocType: Account,Credit,Кредит
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Сток Доклади
 DocType: Warehouse,Warehouse Detail,Скалд - Детайли
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term крайна дата не може да бъде по-късно от края на годината Дата на учебната година, към който е свързан терминът (Academic Година {}). Моля, коригирайте датите и опитайте отново."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Е фиксиран актив"" не може да бъде размаркирано, докато съществува запис за елемента"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Е фиксиран актив"" не може да бъде размаркирано, докато съществува запис за елемента"
 DocType: Delivery Trip,Departure Time,Час на отпътуване
 DocType: Vehicle Service,Brake Oil,Спирачна течност
 DocType: Tax Rule,Tax Type,Данъчна тип
 ,Completed Work Orders,Завършени работни поръчки
 DocType: Support Settings,Forum Posts,Форум Публикации
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Облагаема сума
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Облагаема сума
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Вие не можете да добавяте или актуализация записи преди {0}
 DocType: Leave Policy,Leave Policy Details,Оставете подробности за правилата
 DocType: BOM,Item Image (if not slideshow),Позиция - снимка (ако не слайдшоу)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(надница на час / 60) * действително отработено време
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Референтният Тип на документа трябва да е от декларация за разходи или запис в дневника
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Изберете BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Референтният Тип на документа трябва да е от декларация за разходи или запис в дневника
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Изберете BOM
 DocType: SMS Log,SMS Log,SMS Журнал
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Разходи за доставени изделия
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Отпускът на {0} не е между От Дата и До  дата
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Шаблони за класиране на доставчиците.
 DocType: Lead,Interested,Заинтересован
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Начален
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},От {0} до {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},От {0} до {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,програма:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Неуспешно настройване на данъци
 DocType: Item,Copy From Item Group,Копирай от група позиция
-DocType: Delivery Trip,Delivery Notification,Уведомление за доставка
 DocType: Journal Entry,Opening Entry,Начално записване
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Сметка за плащане
 DocType: Loan,Repay Over Number of Periods,Погасяване Над брой периоди
 DocType: Stock Entry,Additional Costs,Допълнителни разходи
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Сметка със съществуващa трансакция не може да бъде превърната в група.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Сметка със съществуващa трансакция не може да бъде превърната в група.
 DocType: Lead,Product Enquiry,Каталог Запитване
 DocType: Education Settings,Validate Batch for Students in Student Group,Валидирайте партида за студенти в студентска група
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Няма запис за отпуск за служител {0} за {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Моля, въведете първата компания"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Моля, изберете първо фирма"
 DocType: Employee Education,Under Graduate,Под Graduate
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"Моля, задайте шаблона по подразбиране за известие за отпадане на статуса в настройките на HR."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"Моля, задайте шаблона по подразбиране за известие за отпадане на статуса в настройките на HR."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Цел - На
 DocType: BOM,Total Cost,Обща Цена
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Извлечение от сметка
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Фармации
 DocType: Purchase Invoice Item,Is Fixed Asset,Има дълготраен актив
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Налични Количество е {0}, трябва {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Налични Количество е {0}, трябва {1}"
 DocType: Expense Claim Detail,Claim Amount,Изискайте Сума
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Работната поръчка е {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Шаблон за проверка на качеството
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Искате ли да се актуализира и обслужване? <br> Подарък: {0} \ <br> Absent: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прието + Отхвърлено Количество трябва да бъде равно на Получено количество за {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прието + Отхвърлено Количество трябва да бъде равно на Получено количество за {0}
 DocType: Item,Supply Raw Materials for Purchase,Доставка на суровини за поръчка
 DocType: Agriculture Analysis Criteria,Fertilizer,тор
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Не може да се осигури доставка по сериен номер, тъй като \ Item {0} е добавен с и без да се гарантира доставката чрез \ сериен номер"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,се изисква най-малко един режим на плащане за POS фактура.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,се изисква най-малко един режим на плащане за POS фактура.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Показател за транзакция на банкова декларация
 DocType: Products Settings,Show Products as a List,Показване на продукти като списък
 DocType: Salary Detail,Tax on flexible benefit,Данък върху гъвкавата полза
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Размер на размера
 DocType: Production Plan,Material Request Detail,Подробности за заявка за материал
 DocType: Selling Settings,Default Quotation Validity Days,Начални дни на валидност на котировката
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да включват курортна такса в ред {0} в скоростта на т, данъци в редове {1} трябва да се включат и"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да включват курортна такса в ред {0} в скоростта на т, данъци в редове {1} трябва да се включат и"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Утвърждаване на присъствието
 DocType: Sales Invoice,Change Amount,Промяна сума
 DocType: Party Tax Withholding Config,Certificate Received,Получен сертификат
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,"Задайте стойност на фактура за B2C. B2CL и B2CS, изчислени въз основа на тази стойност на фактурата."
 DocType: BOM Update Tool,New BOM,Нова спецификация на материал
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Предписани процедури
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Предписани процедури
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Показване само на POS
 DocType: Supplier Group,Supplier Group Name,Име на групата доставчици
 DocType: Driver,Driving License Categories,Категории лицензионни шофьори
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Периоди на заплащане
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Създай Служител
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Радиопредаване
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Режим на настройка на POS (онлайн / офлайн)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Режим на настройка на POS (онлайн / офлайн)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Деактивира създаването на дневници срещу работните поръчки. Операциите не трябва да бъдат проследени срещу работната поръчка
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Изпълнение
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Подробности за извършените операции.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Отстъпка от Ценоразпис (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Шаблон на елемент
 DocType: Job Offer,Select Terms and Conditions,Изберете Общи условия
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Изх. стойност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Изх. стойност
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Елемент за настройки на банковата декларация
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings
 DocType: Production Plan,Sales Orders,Поръчки за продажба
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Искането за котировки могат да бъдат достъпни чрез щракване върху следния линк
 DocType: SG Creation Tool Course,SG Creation Tool Course,ДВ Създаване Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Описание на плащането
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Недостатъчна наличност
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Недостатъчна наличност
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Изключване планиране на капацитета и проследяване на времето
 DocType: Email Digest,New Sales Orders,Нова поръчка за продажба
 DocType: Bank Account,Bank Account,Банкова Сметка
 DocType: Travel Itinerary,Check-out Date,Дата на напускане
 DocType: Leave Type,Allow Negative Balance,Разрешаване на отрицателен баланс
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Не можете да изтриете Тип на проекта &quot;Външен&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Изберете алтернативен елемент
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Изберете алтернативен елемент
 DocType: Employee,Create User,Създаване на потребител
 DocType: Selling Settings,Default Territory,Територия по подразбиране
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Телевизия
 DocType: Work Order Operation,Updated via 'Time Log',Updated чрез &quot;Time Log&quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Изберете клиента или доставчика.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Сумата на аванса не може да бъде по-голяма от {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Сумата на аванса не може да бъде по-голяма от {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Времето слот бе прескочен, слотът {0} до {1} препокрива съществуващ слот {2} до {3}"
 DocType: Naming Series,Series List for this Transaction,Списък с номерации за тази транзакция
 DocType: Company,Enable Perpetual Inventory,Активиране на постоянен инвентаризация
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Срещу ред от фактура за продажба
 DocType: Agriculture Analysis Criteria,Linked Doctype,Свързани
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Нетни парични средства от Финансиране
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage е пълен, не беше записан"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage е пълен, не беше записан"
 DocType: Lead,Address & Contact,Адрес и контакти
 DocType: Leave Allocation,Add unused leaves from previous allocations,Добави неизползвани отпуски от предишни разпределения
 DocType: Sales Partner,Partner website,Партньорски уебсайт
@@ -446,10 +446,10 @@
 ,Open Work Orders,Отваряне на поръчки за работа
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Извън позиция за консултация за консултация с пациента
 DocType: Payment Term,Credit Months,Кредитни месеци
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Net Pay не може да бъде по-малко от 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Net Pay не може да бъде по-малко от 0
 DocType: Contract,Fulfilled,Изпълнен
 DocType: Inpatient Record,Discharge Scheduled,Освобождаването е планирано
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Облекчаване дата трябва да е по-голяма от Дата на Присъединяване
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Облекчаване дата трябва да е по-голяма от Дата на Присъединяване
 DocType: POS Closing Voucher,Cashier,Касиер
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Отпуск на година
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Моля, проверете &quot;е Advance&quot; срещу Account {1}, ако това е предварително влизане."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Моля, настройте студентите под групи студенти"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Пълна работа
 DocType: Item Website Specification,Item Website Specification,Позиция Website Specification
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Оставете Блокиран
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Позиция {0} е достигнала края на своя живот на {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Оставете Блокиран
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Позиция {0} е достигнала края на своя живот на {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Банкови записи
 DocType: Customer,Is Internal Customer,Е вътрешен клиент
 DocType: Crop,Annual,Годишен
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ако е отметнато &quot;Автоматично включване&quot;, клиентите ще бъдат автоматично свързани със съответната програма за лоялност (при запазване)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Склад за помирение Точка
 DocType: Stock Entry,Sales Invoice No,Фактура за продажба - Номер
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Тип доставка
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Тип доставка
 DocType: Material Request Item,Min Order Qty,Минимално количество за поръчка
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Група инструмент за създаване на курса
 DocType: Lead,Do Not Contact,Не притеснявайте
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Публикувай в Hub
 DocType: Student Admission,Student Admission,прием на студенти
 ,Terretory,Територия
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Точка {0} е отменена
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Точка {0} е отменена
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Амортизационен ред {0}: Началната дата на амортизацията е въведена като минала дата
 DocType: Contract Template,Fulfilment Terms and Conditions,Условия и условия за изпълнение
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Заявка за материал
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Заявка за материал
 DocType: Bank Reconciliation,Update Clearance Date,Актуализация Клирънсът Дата
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Закупуване - Детайли
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Позиция {0} не е открита в ""суровини Доставени""в Поръчката {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Позиция {0} не е открита в ""суровини Доставени""в Поръчката {1}"
 DocType: Salary Slip,Total Principal Amount,Обща главна сума
 DocType: Student Guardian,Relation,Връзка
 DocType: Student Guardian,Mother,майка
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Доставка Област
 DocType: Currency Exchange,For Selling,За продажба
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Уча
+DocType: Purchase Invoice Item,Enable Deferred Expense,Активиране на отложения разход
 DocType: Asset,Next Depreciation Date,Следваща дата на амортизация
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Разходите за дейността според Служител
 DocType: Accounts Settings,Settings for Accounts,Настройки за сметки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Фактура на доставчик не съществува в фактурата за покупка {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Фактура на доставчик не съществува в фактурата за покупка {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управление на продажбите Person Tree.
 DocType: Job Applicant,Cover Letter,Мотивационно писмо
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Неуредени Чекове и Депозити
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Външно работа
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Циклична референция - Грешка
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Карта на студентите
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,От кода на ПИН
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,От кода на ПИН
 DocType: Appointment Type,Is Inpatient,Е стационар
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Наименование Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Словом (износ) ще бъде видим след като запазите складовата разписка.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Много валути
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Вид фактура
 DocType: Employee Benefit Claim,Expense Proof,Разходно доказателство
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Складова разписка
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Запазване на {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Складова разписка
 DocType: Patient Encounter,Encounter Impression,Среща впечатление
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Създаване Данъци
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Разходи за продадения актив
 DocType: Volunteer,Morning,Сутрин
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Записът за плащане е променен, след като е прочетено. Моля, изтеглете го отново."
 DocType: Program Enrollment Tool,New Student Batch,Нова студентска партида
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} е въведен два пъти в данък за позиция
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Резюме за тази седмица и предстоящи дейности
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} е въведен два пъти в данък за позиция
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Резюме за тази седмица и предстоящи дейности
 DocType: Student Applicant,Admitted,Приети
 DocType: Workstation,Rent Cost,Разход за наем
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Сума след амортизация
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Сума след амортизация
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Предстоящи Календар на събитията
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Вариант атрибути
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Моля, изберете месец и година"
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Може да има само един акаунт нза тази фирма в {0} {1}
 DocType: Support Search Source,Response Result Key Path,Ключова пътека за резултата от отговора
 DocType: Journal Entry,Inter Company Journal Entry,Вътрешно фирмено вписване
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},За количеството {0} не трябва да е по-голямо от количеството на поръчката {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Моля, вижте прикачения файл"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},За количеството {0} не трябва да е по-голямо от количеството на поръчката {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Моля, вижте прикачения файл"
 DocType: Purchase Order,% Received,% Получени
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Създаване на ученически групи
 DocType: Volunteer,Weekends,Събота и неделя
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Общо неизпълнени
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промяна на изходния / текущия номер за последователност на съществуваща серия.
 DocType: Dosage Strength,Strength,сила
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Създаване на нов клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Създаване на нов клиент
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Изтичане на On
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако няколко ценови правила продължават да преобладават, потребителите се приканват да се настрои приоритет ръчно да разрешите конфликт."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Създаване на поръчки за покупка
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Консумативи цена
 DocType: Purchase Receipt,Vehicle Date,Камион Дата
 DocType: Student Log,Medical,Медицински
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Причина за загубата
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Моля изберете Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Причина за загубата
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Моля изберете Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Собственикът на Потенциален клиент не може да бъде същия като потенциалния клиент
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Разпределени сума може да не по-голяма от некоригирана стойност
 DocType: Announcement,Receiver,Получател
 DocType: Location,Area UOM,Площ UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"Workstation е затворен на следните дати, както на Holiday Списък: {0}"
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Възможности
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Възможности
 DocType: Lab Test Template,Single,Единичен
 DocType: Compensatory Leave Request,Work From Date,Работа от дата
 DocType: Salary Slip,Total Loan Repayment,Общо кредит за погасяване
+DocType: Project User,View attachments,Преглед на прикачените файлове
 DocType: Account,Cost of Goods Sold,Себестойност на продадените стоки
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,"Моля, въведете Cost Center"
 DocType: Drug Prescription,Dosage,дозиране
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Брой и процент
 DocType: Delivery Note,% Installed,% Инсталиран
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Класните стаи / лаборатории и т.н., където може да бъдат насрочени лекции."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Фирмените валути на двете дружества трябва да съответстват на вътрешнофирмените сделки.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Фирмените валути на двете дружества трябва да съответстват на вътрешнофирмените сделки.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,"Моля, въведете име на компанията първа"
 DocType: Travel Itinerary,Non-Vegetarian,Не вегетарианец
 DocType: Purchase Invoice,Supplier Name,Доставчик Наименование
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Временно на задържане
 DocType: Account,Is Group,Е група
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Кредитната бележка {0} е създадена автоматично
-DocType: Email Digest,Pending Purchase Orders,В очакване на поръчки за покупка
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Автоматично Определете серийни номера на базата на FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Провери за уникалност на фактура на доставчик
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Основни данни за адреса
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Персонализирайте уводен текст, който върви като част от този имейл. Всяка транзакция има отделен въвеждащ текст."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Ред {0}: Необходима е операция срещу елемента на суровината {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},"Моля, задайте по подразбиране платим акаунт за фирмата {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Транзакцията не е разрешена срещу спряна поръчка за работа {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Транзакцията не е разрешена срещу спряна поръчка за работа {0}
 DocType: Setup Progress Action,Min Doc Count,Мин
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобални настройки за всички производствени процеси.
 DocType: Accounts Settings,Accounts Frozen Upto,Замразени Сметки до
 DocType: SMS Log,Sent On,Изпратено на
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Умение {0} избрани няколко пъти в атрибути на маса
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Умение {0} избрани няколко пъти в атрибути на маса
 DocType: HR Settings,Employee record is created using selected field. ,Запис на служителите е създаден с помощта на избран област.
 DocType: Sales Order,Not Applicable,Не Е Приложимо
 DocType: Amazon MWS Settings,UK,Великобритания
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Служител {0} вече кандидатства за {1} на {2}:
 DocType: Inpatient Record,AB Positive,AB Положителен
 DocType: Job Opening,Description of a Job Opening,Описание на позиция за работа
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Предстоящите дейности за днес
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Предстоящите дейности за днес
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Заплата Компонент за график базирани работни заплати.
+DocType: Driver,Applicable for external driver,Приложим за външен драйвер
 DocType: Sales Order Item,Used for Production Plan,Използвани за производство на План
 DocType: Loan,Total Payment,Общо плащане
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Не може да се анулира транзакцията за Завършена поръчка за работа.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Не може да се анулира транзакцията за Завършена поръчка за работа.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Време между операциите (в минути)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO вече е създадена за всички елементи от поръчките за продажба
 DocType: Healthcare Service Unit,Occupied,зает
 DocType: Clinical Procedure,Consumables,Консумативи
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} е анулиран, затова действието не може да бъде завършено"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} е анулиран, затова действието не може да бъде завършено"
 DocType: Customer,Buyer of Goods and Services.,Купувач на стоки и услуги.
 DocType: Journal Entry,Accounts Payable,Задължения
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Сумата от {0}, зададена в тази заявка за плащане, е различна от изчислената сума на всички планове за плащане: {1}. Уверете се, че това е правилно, преди да изпратите документа."
 DocType: Patient,Allergies,алергии
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Избраните списъците с материали не са за една и съща позиция
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Избраните списъците с материали не са за една и съща позиция
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Промяна на кода на елемента
 DocType: Supplier Scorecard Standing,Notify Other,Известяване на други
 DocType: Vital Signs,Blood Pressure (systolic),Кръвно налягане (систолично)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Достатъчно Части за изграждане
 DocType: POS Profile User,POS Profile User,Потребителски потребителски профил на POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Ред {0}: Изисква се начална дата на амортизацията
-DocType: Sales Invoice Item,Service Start Date,Начална дата на услугата
+DocType: Purchase Invoice Item,Service Start Date,Начална дата на услугата
 DocType: Subscription Invoice,Subscription Invoice,Фактура за абонамент
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Преки приходи
 DocType: Patient Appointment,Date TIme,Време за среща
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Рутинна лаборатория
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Козметика
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,"Моля, изберете Дата на завършване на регистрационния дневник за завършено състояние на активите"
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","За да се слеят, следните свойства трябва да са едни и същи и за двете позиции"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","За да се слеят, следните свойства трябва да са едни и същи и за двете позиции"
 DocType: Supplier,Block Supplier,Доставчик на блокове
 DocType: Shipping Rule,Net Weight,Нето Тегло
 DocType: Job Opening,Planned number of Positions,Планиран брой позиции
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Шаблон за картографиране на парични потоци
 DocType: Travel Request,Costing Details,Подробности за цената
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Показване на записите за връщане
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Сериен № - позиция не може да бъде част
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Сериен № - позиция не може да бъде част
 DocType: Journal Entry,Difference (Dr - Cr),Разлика (Dr - Cr)
 DocType: Bank Guarantee,Providing,Осигуряване
 DocType: Account,Profit and Loss,Приходи и разходи
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Не е разрешено, конфигурирайте шаблона за лабораторен тест според изискванията"
 DocType: Patient,Risk Factors,Рискови фактори
 DocType: Patient,Occupational Hazards and Environmental Factors,Професионални опасности и фактори на околната среда
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Вече се създават записи за поръчка за работа
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Вече се създават записи за поръчка за работа
 DocType: Vital Signs,Respiratory rate,Респираторна скорост
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Управление Подизпълнители
 DocType: Vital Signs,Body Temperature,Температура на тялото
 DocType: Project,Project will be accessible on the website to these users,Проектът ще бъде достъпен на интернет страницата на тези потребители
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Не може да се анулира {0} {1}, тъй като серийният номер {2} не принадлежи към склада {3}"
 DocType: Detected Disease,Disease,Болест
+DocType: Company,Default Deferred Expense Account,Отложен разход за сметка по подразбиране
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Определете типа на проекта.
 DocType: Supplier Scorecard,Weighting Function,Функция за тежест
 DocType: Healthcare Practitioner,OP Consulting Charge,Разходи за консултации по ОП
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Произведени елементи
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Сравняване на транзакциите с фактури
 DocType: Sales Order Item,Gross Profit,Брутна Печалба
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Деблокиране на фактурата
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Деблокиране на фактурата
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Увеличаване не може да бъде 0
 DocType: Company,Delete Company Transactions,Изтриване на транзакциите на фирма
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Референтен Не и Референтен Дата е задължително за Bank сделка
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Игнорирай
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} не е активен
 DocType: Woocommerce Settings,Freight and Forwarding Account,Сметка за превоз и спедиция
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Проверете настройките размери за печат
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Проверете настройките размери за печат
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Създаване на фишове за заплати
 DocType: Vital Signs,Bloated,подут
 DocType: Salary Slip,Salary Slip Timesheet,Заплата Slip график
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Доставчик склад е задължителен за подизпълнители с разписка за покупка
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Доставчик склад е задължителен за подизпълнители с разписка за покупка
 DocType: Item Price,Valid From,Валидна от
 DocType: Sales Invoice,Total Commission,Общо комисионна
 DocType: Tax Withholding Account,Tax Withholding Account,Сметка за удържане на данъци
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Всички оценъчни карти на доставчици.
 DocType: Buying Settings,Purchase Receipt Required,Покупка Квитанция Задължително
 DocType: Delivery Note,Rail,релса
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Целевият склад в ред {0} трябва да бъде същият като работната поръчка
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Оценка процент е задължително, ако влезе Откриване Фондова"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Целевият склад в ред {0} трябва да бъде същият като работната поръчка
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Оценка процент е задължително, ако влезе Откриване Фондова"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Не са намерени записи в таблицата с фактури
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Моля изберете Company и Party Type първи
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Вече е зададен по подразбиране в pos профил {0} за потребител {1}, който е деактивиран по подразбиране"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Финансови / Счетоводство година.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Финансови / Счетоводство година.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Натрупаните стойности
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Съжаляваме, серийни номера не могат да бъдат слети"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Групата на клиентите ще се включи в избраната група, докато синхронизира клиентите си от Shopify"
@@ -895,7 +900,7 @@
 ,Lead Id,Потенциален клиент - Номер
 DocType: C-Form Invoice Detail,Grand Total,Общо
 DocType: Assessment Plan,Course,Курс
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Код на раздела
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Код на раздела
 DocType: Timesheet,Payslip,Фиш за заплата
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Полудневната дата трябва да е между датата и датата
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Позиция в количка
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Лично Био
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Идентификационен номер на членство
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Доставени: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Доставени: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Свързан с QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Платими Акаунт
 DocType: Payment Entry,Type of Payment,Вид на плащане
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Половин ден е задължително
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Доставка на сметката
 DocType: Production Plan,Production Plan,План за производство
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Отваряне на инструмента за създаване на фактури
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Продажби - Връщане
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Продажби - Връщане
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Забележка: Общо отпуснати листа {0} не трябва да бъдат по-малки от вече одобрените листа {1} за периода
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Задайте количество в транзакции въз основа на сериен № вход
 ,Total Stock Summary,Общо обобщение на наличностите
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Клиент или елемент
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,База данни с клиенти.
 DocType: Quotation,Quotation To,Оферта до
-DocType: Lead,Middle Income,Среден доход
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Среден доход
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Откриване (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default мерната единица за т {0} не може да се променя директно, защото вече сте направили някаква сделка (и) с друга мерна единица. Вие ще трябва да се създаде нова т да използвате различен Default мерна единица."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default мерната единица за т {0} не може да се променя директно, защото вече сте направили някаква сделка (и) с друга мерна единица. Вие ще трябва да се създаде нова т да използвате различен Default мерна единица."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Отпусната сума не може да бъде отрицателна
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,"Моля, задайте фирмата"
 DocType: Share Balance,Share Balance,Баланс на акциите
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Изберете профил на плащане, за да се направи Bank Влизане"
 DocType: Hotel Settings,Default Invoice Naming Series,Стандартна серия за наименуване на фактури
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Създаване на записи на наети да управляват листа, претенции за разходи и заплати"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Възникна грешка по време на процеса на актуализиране
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Възникна грешка по време на процеса на актуализиране
 DocType: Restaurant Reservation,Restaurant Reservation,Ресторант Резервация
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Предложение за писане
 DocType: Payment Entry Deduction,Payment Entry Deduction,Плащането - отстъпка/намаление
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Обобщавайки
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Уведомявайте клиентите си по имейл
 DocType: Item,Batch Number Series,Серия от серии от партиди
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Съществува друга продажбите Person {0} със същия Employee ID
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Съществува друга продажбите Person {0} със същия Employee ID
 DocType: Employee Advance,Claimed Amount,Сумата по иск
+DocType: QuickBooks Migrator,Authorization Settings,Настройки за упълномощаване
 DocType: Travel Itinerary,Departure Datetime,Дата на заминаване
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Разходи за пътуване
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,"Доставчик наименуването им,"
 DocType: Activity Type,Default Costing Rate,Default Остойностяване Курсове
 DocType: Maintenance Schedule,Maintenance Schedule,График за поддръжка
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Тогава към цените правилник се филтрират базирани на гостите, група клиенти, територия, доставчик, доставчик Type, Кампания, продажба Partner т.н."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Тогава към цените правилник се филтрират базирани на гостите, група клиенти, територия, доставчик, доставчик Type, Кампания, продажба Partner т.н."
 DocType: Employee Promotion,Employee Promotion Details,Детайли за промоцията на служителите
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Нетна промяна в Инвентаризация
 DocType: Employee,Passport Number,Номер на паспорт
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Връзка с Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Мениджър
 DocType: Payment Entry,Payment From / To,Плащане от / към
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,От фискалната година
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нов кредитен лимит е по-малко от сегашната изключително количество за клиента. Кредитен лимит трябва да бъде поне {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},"Моля, задайте профил в Склад {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},"Моля, задайте профил в Склад {0}"
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Въз основа на"" и ""Групиране По"" не могат да бъдат еднакви"
 DocType: Sales Person,Sales Person Targets,Търговец - Цели
 DocType: Work Order Operation,In minutes,В минути
 DocType: Issue,Resolution Date,Резолюция Дата
 DocType: Lab Test Template,Compound,съединение
+DocType: Opportunity,Probability (%),Вероятност (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Изпращане на уведомление
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Изберете Имот
 DocType: Student Batch Name,Batch Name,Партида Име
 DocType: Fee Validity,Max number of visit,Максимален брой посещения
 ,Hotel Room Occupancy,Заседание в залата на хотела
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,График създаден:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Моля, задайте по подразбиране в брой или  по банкова сметка за начин на плащане {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Моля, задайте по подразбиране в брой или  по банкова сметка за начин на плащане {0}"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Записване
 DocType: GST Settings,GST Settings,Настройки за GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Валутата трябва да бъде същата като валутата на ценовата листа: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,"Общо дължима лихва,"
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Приземи Разходни данъци и такси
 DocType: Work Order Operation,Actual Start Time,Действително Начално Време
+DocType: Purchase Invoice Item,Deferred Expense Account,Отсрочен разход
 DocType: BOM Operation,Operation Time,Операция - време
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,завършек
 DocType: Salary Structure Assignment,Base,база
 DocType: Timesheet,Total Billed Hours,Общо Фактурирани Часа
 DocType: Travel Itinerary,Travel To,Пътувам до
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,не е
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Сума за отписване
 DocType: Leave Block List Allow,Allow User,Позволи на потребителя
 DocType: Journal Entry,Bill No,Фактура - Номер
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Time Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Изписване на суровини въз основа на
 DocType: Sales Invoice,Port Code,Пристанищен код
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Резервен склад
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Резервен склад
 DocType: Lead,Lead is an Organization,Водещият е организация
-DocType: Guardian Interest,Interest,Лихва
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Предварителни продажби
 DocType: Instructor Log,Other Details,Други детайли
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Доставчик
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Сметки
 DocType: Vehicle,Odometer Value (Last),Километраж Стойност (Последна)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Шаблони на критериите за оценка на доставчика.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Маркетинг
 DocType: Sales Invoice,Redeem Loyalty Points,Осребряване на точките за лоялност
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Запис за плащането вече е създаден
 DocType: Request for Quotation,Get Suppliers,Вземи доставчици
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Разреждане на реколта - мерна ед-ца
 DocType: Loyalty Program,Single Tier Program,Едноетажна програма
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Изберете само ако имате настройки за документиране на паричните потоци
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,От адрес 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,От адрес 1
 DocType: Email Digest,Next email will be sent on:,Следващият имейл ще бъде изпратен на:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Следващата статия {items} {verb} е означена като {message} елемент. \ Можете да ги активирате като {message} елемент от главния си елемент
 DocType: Supplier Scorecard,Per Week,На седмица
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Позицията има варианти.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Позицията има варианти.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Общо студент
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Точка {0} не е намерена
 DocType: Bin,Stock Value,Стойността на наличностите
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Компания {0} не съществува
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Компания {0} не съществува
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} има валидност на таксата до {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Количество Консумирано на бройка
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Кредитна карта - Запис
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Компания и сметки
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,В стойност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,В стойност
 DocType: Asset Settings,Depreciation Options,Опции за амортизация
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Трябва да се изисква местоположение или служител
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Невалидно време за публикуване
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Разпределяне
 DocType: Purchase Order,Supply Raw Materials,Доставка на суровини
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Текущи активи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} не е в наличност
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} не е в наличност
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Моля, споделете отзивите си към обучението, като кликнете върху &quot;Обратна връзка за обучението&quot; и след това върху &quot;Ново&quot;"
 DocType: Mode of Payment Account,Default Account,Сметка по подрозбиране
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,"Моля, първо изберете Списъка за запазване на образеца в настройките за запас"
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,"Моля, първо изберете Списъка за запазване на образеца в настройките за запас"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,"Моля, изберете типа Multiple Tier Program за повече от една правила за събиране."
 DocType: Payment Entry,Received Amount (Company Currency),Получената сума (фирмена валута)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Потенциален клиент трябва да се настрои, ако възможност е създадена за потенциален клиент"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Плащането е отменено. Моля, проверете профила си в GoCardless за повече подробности"
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Изпратете с прикачен файл
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Моля изберете седмичен почивен ден
 DocType: Inpatient Record,O Negative,O Отрицателен
 DocType: Work Order Operation,Planned End Time,Планирано Крайно време
 ,Sales Person Target Variance Item Group-Wise,Продажбите Person Target Вариацията т Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Сметка със съществуващa трансакция не може да бъде превърната в Главна Счетоводна Книга
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Сметка със съществуващa трансакция не може да бъде превърната в Главна Счетоводна Книга
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Детайли за типовете членове
 DocType: Delivery Note,Customer's Purchase Order No,Поръчка на Клиента - Номер
 DocType: Clinical Procedure,Consume Stock,Консумирайте запасите
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Пясък
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Енергия
 DocType: Opportunity,Opportunity From,Възможност - От
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Ред {0}: {1} Серийни номера, изисквани за елемент {2}. Предоставихте {3}."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Ред {0}: {1} Серийни номера, изисквани за елемент {2}. Предоставихте {3}."
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,"Моля, изберете таблица"
 DocType: BOM,Website Specifications,Сайт Спецификации
 DocType: Special Test Items,Particulars,подробности
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: От {0} от вид {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Превръщане Factor е задължително
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Превръщане Factor е задължително
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Няколко правила за цените съществува по същите критерии, моля, разрешаване на конфликти чрез възлагане приоритет. Правила Цена: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Няколко правила за цените съществува по същите критерии, моля, разрешаване на конфликти чрез възлагане приоритет. Правила Цена: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Сметка за преоценка на обменния курс
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да деактивирате или да отмените BOM тъй като е свързан с други спецификации на материали (BOM)
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да деактивирате или да отмените BOM тъй като е свързан с други спецификации на материали (BOM)
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"Моля, изберете Фирма и дата на публикуване, за да получавате записи"
 DocType: Asset,Maintenance,Поддръжка
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Излез от срещата с пациента
 DocType: Subscriber,Subscriber,абонат
 DocType: Item Attribute Value,Item Attribute Value,Позиция атрибут - Стойност
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,"Моля, актуализирайте състоянието на проекта си"
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,"Моля, актуализирайте състоянието на проекта си"
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Валутната обмяна трябва да бъде приложима при закупуване или продажба.
 DocType: Item,Maximum sample quantity that can be retained,"Максимално количество проба, което може да бъде запазено"
 DocType: Project Update,How is the Project Progressing Right Now?,Как е напредъкът на проекта точно сега?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ред {0} # елемент {1} не може да бъде прехвърлен повече от {2} срещу поръчка за покупка {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ред {0} # елемент {1} не може да бъде прехвърлен повече от {2} срещу поръчка за покупка {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Продажби кампании.
 DocType: Project Task,Make Timesheet,Въведи отчет на време
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,Лабораторен тест
 DocType: Student Report Generation Tool,Student Report Generation Tool,Инструмент за генериране на доклади за учениците
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,График за време за здравеопазване
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Име
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Име
 DocType: Expense Claim Detail,Expense Claim Type,Expense претенция Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Настройките по подразбиране за пазарската количка
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Добавете времеви слотове
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset бракуват чрез вестник Влизане {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Моля, задайте профил в Warehouse {0} или профил по подразбиране за инвентаризация в компанията {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset бракуват чрез вестник Влизане {0}
 DocType: Loan,Interest Income Account,Сметка Приходи от лихви
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Максималните ползи трябва да бъдат по-големи от нула, за да се освободят ползите"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Максималните ползи трябва да бъдат по-големи от нула, за да се освободят ползите"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Преглед на изпратената покана
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,Собственост
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,От времето трябва да бъде по-малко от времето
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Биотехнология
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Позиция {0} (сериен номер: {1}) не може да бъде консумирана, както е запазена, за да изпълни поръчката за продажба {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Разходи за поддръжка на офис
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Отидете
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Актуализиране на цената от Shopify до ERPNext Ценова листа
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Създаване на имейл акаунт
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Моля, въведете Точка първа"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Анализ на нуждите
 DocType: Asset Repair,Downtime,престой
 DocType: Account,Liability,Отговорност
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да бъде по-голяма от претенция Сума в Row {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да бъде по-голяма от претенция Сума в Row {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Академичен термин:
 DocType: Salary Component,Do not include in total,Не включвай в общо
 DocType: Company,Default Cost of Goods Sold Account,Себестойност на продадените стоки - Сметка по подразбиране
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Количеството на пробата {0} не може да бъде повече от полученото количество {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Не е избран ценоразпис
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Количеството на пробата {0} не може да бъде повече от полученото количество {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Не е избран ценоразпис
 DocType: Employee,Family Background,Семейна среда
 DocType: Request for Quotation Supplier,Send Email,Изпрати е-мейл
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Внимание: Невалиден прикачен файл {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Внимание: Невалиден прикачен файл {0}
 DocType: Item,Max Sample Quantity,Макс. Количество проби
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Няма разрешение
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контролен списък за изпълнение на договори
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Разходен център {2} не принадлежи на компания {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Качете писмото си с главата (поддържайте го удобно като 900px на 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Сметка {2} не може да бъде група
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Точка Row {IDX}: {DOCTYPE} {DOCNAME} не съществува в по-горе &quot;{DOCTYPE}&quot; на маса
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,График {0} вече е завършен или анулиран
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,График {0} вече е завършен или анулиран
+DocType: QuickBooks Migrator,QuickBooks Migrator,Бързият мигрант
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Няма задачи
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Фактура за продажба {0} е създадена като платена
 DocType: Item Variant Settings,Copy Fields to Variant,Копиране на полетата до вариант
 DocType: Asset,Opening Accumulated Depreciation,Начална начислената амортизация
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Резултати трябва да бъде по-малка или равна на 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Програма за записване Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Cи-форма записи
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Cи-форма записи
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Акциите вече съществуват
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Клиенти и доставчици
 DocType: Email Digest,Email Digest Settings,Имейл преглед Settings
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,Изберете артикули
 DocType: Share Transfer,To Shareholder,Към акционера
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} срещу Сметка {1} от {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,От държавата
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,От държавата
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Институция за настройка
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Разпределянето на листата ...
 DocType: Program Enrollment,Vehicle/Bus Number,Номер на превозното средство / автобуса
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,График на курса
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Трябва да се начислява данък за несъбрани доказателства за освобождаване от данъчно облагане и обезщетения за непредоставени \ служители в последния фиш за заплатите на периода на заплащане
 DocType: Request for Quotation Supplier,Quote Status,Статус на цитата
 DocType: GoCardless Settings,Webhooks Secret,Уикенд Тайк
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,Дължимото плащане Дата
 DocType: Drug Prescription,Interval UOM,Интервал (мерна единица)
 DocType: Customer,"Reselect, if the chosen address is edited after save","Преименувайте отново, ако избраният адрес се редактира след запазване"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Позиция Variant {0} вече съществува с едни и същи атрибути
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Позиция Variant {0} вече съществува с едни и същи атрибути
 DocType: Item,Hub Publishing Details,Подробна информация за издателя
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',"""Начален баланс"""
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',"""Начален баланс"""
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open To Do
 DocType: Issue,Via Customer Portal,Чрез Портал на клиенти
 DocType: Notification Control,Delivery Note Message,Складова разписка - Съобщение
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Сума на SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Сума на SGST
 DocType: Lab Test Template,Result Format,Формат на резултатите
 DocType: Expense Claim,Expenses,Разходи
 DocType: Item Variant Attribute,Item Variant Attribute,Позиция Variant Умение
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,Два пъти месечно
 DocType: Vehicle Service,Brake Pad,Спирачна накладка
 DocType: Fertilizer,Fertilizer Contents,Съдържание на тора
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Проучване & развитие
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Проучване & развитие
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Сума за Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Началната дата и крайната дата се припокриват с работната карта <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Регистрация Детайли
 DocType: Timesheet,Total Billed Amount,Общо Обявен сума
 DocType: Item Reorder,Re-Order Qty,Re-Поръчка Количество
 DocType: Leave Block List Date,Leave Block List Date,Оставете Block List Дата
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Моля, настройте инструмента за назначаване на инструктори в образованието&gt; Настройки за обучение"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Суровината не може да бъде същата като основната позиция
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Общо приложими такси в Покупка получаване артикули маса трябва да са същите, както Общо данъци и такси"
 DocType: Sales Team,Incentives,Стимули
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Точка на продажба
 DocType: Fee Schedule,Fee Creation Status,Статус за създаване на такси
 DocType: Vehicle Log,Odometer Reading,показание на километража
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Баланса на сметката вече е в 'Кредит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Дебит'
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Баланса на сметката вече е в 'Кредит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Дебит'
 DocType: Account,Balance must be,Балансът задължително трябва да бъде
 DocType: Notification Control,Expense Claim Rejected Message,Expense искането се отхвърля Message
 ,Available Qty,В наличност Количество
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Винаги синхронизирайте продуктите си с Amazon MWS преди да синхронизирате подробностите за поръчките
 DocType: Delivery Trip,Delivery Stops,Доставката спира
 DocType: Salary Slip,Working Days,Работни дни
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Не може да се промени датата на спиране на услугата за елемент в ред {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Не може да се промени датата на спиране на услугата за елемент в ред {0}
 DocType: Serial No,Incoming Rate,Постъпили Курсове
 DocType: Packing Slip,Gross Weight,Брутно Тегло
 DocType: Leave Type,Encashment Threshold Days,Дни на прага на инкаса
@@ -1399,31 +1407,33 @@
 DocType: Restaurant Table,Minimum Seating,Минимално сядане
 DocType: Item Attribute,Item Attribute Values,Позиция атрибут - Стойности
 DocType: Examination Result,Examination Result,Разглеждане Резултати
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Покупка Разписка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Покупка Разписка
 ,Received Items To Be Billed,"Приети артикули, които да се фактирират"
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Обмяна На Валута - основен курс
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Обмяна На Валута - основен курс
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Референтен Doctype трябва да бъде един от {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Филтриране общо нулев брой
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Не може да се намери време слот за следващия {0} ден за операция {1}
 DocType: Work Order,Plan material for sub-assemblies,План материал за частите
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Търговски дистрибутори и територия
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} трябва да бъде активен
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} трябва да бъде активен
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Няма налични елементи за прехвърляне
 DocType: Employee Boarding Activity,Activity Name,Име на дейност
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Промяна на датата на издаване
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Завършеното количество <b>{0}</b> и количеството <b>{1}</b> не могат да бъдат различни
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Промяна на датата на издаване
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Завършеното количество <b>{0}</b> и количеството <b>{1}</b> не могат да бъдат различни
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Затваряне (отваряне + общо)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Код на елемента&gt; Група на елементите&gt; Марка
+DocType: Delivery Settings,Dispatch Notification Attachment,Изпращане на уведомление за прикачване
 DocType: Payroll Entry,Number Of Employees,Брой служители
 DocType: Journal Entry,Depreciation Entry,Амортизация - Запис
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Моля, изберете вида на документа първо"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Моля, изберете вида на документа първо"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменете Материал Посещения {0} преди да анулирате тази поддръжка посещение
 DocType: Pricing Rule,Rate or Discount,Процент или Отстъпка
 DocType: Vital Signs,One Sided,Едностранно
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Сериен № {0} не принадлежи на позиция {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Необходим Количество
 DocType: Marketplace Settings,Custom Data,Персонализирани данни
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Складове с действащото сделка не може да се превърнат в книга.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Серийното № е задължително за елемента {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Складове с действащото сделка не може да се превърнат в книга.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Серийното № е задължително за елемента {0}
 DocType: Bank Reconciliation,Total Amount,Обща Сума
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,От дата до дата се намират в различна фискална година
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Пациентът {0} няма клиент да отразява фактурата
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),Състав на глина (%)
 DocType: Item Group,Item Group Defaults,Фабричните настройки на групата елементи
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,"Моля, запазете, преди да зададете задача."
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Балансова стойност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Балансова стойност
 DocType: Lab Test,Lab Technician,Лабораторен техник
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Продажби Ценоразпис
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Продажби Ценоразпис
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ако е поставена отметка, клиентът ще бъде създаден, преместен на пациента. Фактурите за пациента ще бъдат създадени срещу този клиент. Можете също така да изберете съществуващ клиент, докато създавате пациент."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Клиентът не е записан в програма за лоялност
@@ -1450,13 +1460,13 @@
 DocType: Support Search Source,Search Term Param Name,Име на параметъра за търсене
 DocType: Item Barcode,Item Barcode,Позиция Barcode
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Позиция Варианти {0} актуализиран
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Позиция Варианти {0} актуализиран
 DocType: Quality Inspection Reading,Reading 6,Четене 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да {0} {1} {2} без отрицателна неплатена фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да {0} {1} {2} без отрицателна неплатена фактура
 DocType: Share Transfer,From Folio No,От фолио №
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Фактурата за покупка - аванс
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit влизане не може да бъде свързана с {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Определяне на бюджета за финансовата година.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Определяне на бюджета за финансовата година.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext сметка
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} е блокиран, така че тази транзакция не може да продължи"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Действие, ако натрупаният месечен бюджет е надхвърлен на МР"
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Фактура за покупка
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Позволете многократна консумация на материали срещу работна поръчка
 DocType: GL Entry,Voucher Detail No,Ваучер Деайли Номер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Нова фактурата за продажба
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Нова фактурата за продажба
 DocType: Stock Entry,Total Outgoing Value,Общо Изходящ Value
 DocType: Healthcare Practitioner,Appointments,Назначения
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Откриване Дата и крайния срок трябва да бъде в рамките на същата фискална година
 DocType: Lead,Request for Information,Заявка за информация
 ,LeaderBoard,Списък с водачите
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Оцени с марджин (валута на компанията)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Синхронизиране на офлайн Фактури
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Синхронизиране на офлайн Фактури
 DocType: Payment Request,Paid,Платен
 DocType: Program Fee,Program Fee,Такса програма
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Замяна на конкретна спецификация за поръчки във всички други части, където се използва. Той ще замени старата връзка за BOM, ще актуализира разходите и ще регенерира таблицата &quot;BOM Explosion Item&quot; по нов BOM. Той също така актуализира най-новата цена във всички BOMs."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Бяха създадени следните работни поръчки:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Бяха създадени следните работни поръчки:
 DocType: Salary Slip,Total in words,Общо - СЛОВОМ
 DocType: Inpatient Record,Discharged,зауствани
 DocType: Material Request Item,Lead Time Date,Време за въвеждане - Дата
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,Стартирайте секциите
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,санкционирана
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,е задължително. Може би не е създаден запис на полето за обмен на валута за
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Моля, посочете Пореден № за позиция {1}"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Обща сума на приноса: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Моля, посочете Пореден № за позиция {1}"
 DocType: Payroll Entry,Salary Slips Submitted,Предоставени са фишове за заплати
 DocType: Crop Cycle,Crop Cycle,Цикъл на реколта
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За &#39;Продукт Пакетни &quot;, склад, сериен номер и партидният няма да се счита от&quot; Опаковка Списък &quot;масата. Ако Warehouse и партиден № са едни и същи за всички опаковъчни артикули за т всеки &quot;Продукт Bundle&quot;, тези стойности могат да бъдат вписани в основния таблицата позиция, стойностите ще се копират в &quot;Опаковка Списък&quot; маса."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За &#39;Продукт Пакетни &quot;, склад, сериен номер и партидният няма да се счита от&quot; Опаковка Списък &quot;масата. Ако Warehouse и партиден № са едни и същи за всички опаковъчни артикули за т всеки &quot;Продукт Bundle&quot;, тези стойности могат да бъдат вписани в основния таблицата позиция, стойностите ще се копират в &quot;Опаковка Списък&quot; маса."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,От мястото
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Нетното плащане не може да бъде отрицателно
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,От мястото
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Нетното плащане не може да бъде отрицателно
 DocType: Student Admission,Publish on website,Публикуване на интернет страницата
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,"Дата Доставчик на фактура не може да бъде по-голяма, отколкото Публикуване Дата"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,"Дата Доставчик на фактура не може да бъде по-голяма, отколкото Публикуване Дата"
 DocType: Installation Note,MAT-INS-.YYYY.-,МАТ-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Дата на анулиране
 DocType: Purchase Invoice Item,Purchase Order Item,Поръчка за покупка Точка
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Присъствие Tool
 DocType: Restaurant Menu,Price List (Auto created),Ценоразпис (създадено автоматично)
 DocType: Cheque Print Template,Date Settings,Дата Настройки
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Вариране
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Вариране
 DocType: Employee Promotion,Employee Promotion Detail,Подробности за промоцията на служителите
 ,Company Name,Име на фирмата
 DocType: SMS Center,Total Message(s),Общо съобщения
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Не изпращайте на служителите напомняне за рождени дни
 DocType: Expense Claim,Total Advance Amount,Обща сума на аванса
 DocType: Delivery Stop,Estimated Arrival,Очаквано пристигане
-DocType: Delivery Stop,Notified by Email,Нотифициран по имейл
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Виж всички статии
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Влизам
 DocType: Item,Inspection Criteria,Критериите за инспекция
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,Фактура
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Бял
 DocType: SMS Center,All Lead (Open),All Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Кол не е на разположение за {4} в склад {1} при публикуване време на влизането ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Кол не е на разположение за {4} в склад {1} при публикуване време на влизането ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Можете да изберете само една опция от списъка с отметки.
 DocType: Purchase Invoice,Get Advances Paid,Вземи платени аванси
 DocType: Item,Automatically Create New Batch,Автоматично създаване на нова папка
 DocType: Supplier,Represents Company,Представлява фирма
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Правя
 DocType: Student Admission,Admission Start Date,Прием - Начална дата
 DocType: Journal Entry,Total Amount in Words,Обща сума - Словом
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Нов служител
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Имаше грешка. Една вероятна причина може да бъде, че не сте запаметили формата. Моля, свържете се support@erpnext.com ако проблемът не бъде отстранен."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моята количка
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Тип поръчка трябва да е един от {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Тип поръчка трябва да е един от {0}
 DocType: Lead,Next Contact Date,Следваща дата за контакт
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Начално Количество
 DocType: Healthcare Settings,Appointment Reminder,Напомняне за назначаване
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Моля, въведете Account за промяна сума"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Моля, въведете Account за промяна сума"
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Име
 DocType: Holiday List,Holiday List Name,Име на списък на празниците
 DocType: Repayment Schedule,Balance Loan Amount,Баланс на заема
@@ -1577,13 +1585,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Сток Options
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Няма добавени продукти в количката
 DocType: Journal Entry Account,Expense Claim,Expense претенция
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Наистина ли искате да възстановите този бракуван актив?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Наистина ли искате да възстановите този бракуван актив?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Количество за {0}
 DocType: Leave Application,Leave Application,Заявяване на отсъствия
 DocType: Patient,Patient Relation,Отношение на пациента
 DocType: Item,Hub Category to Publish,Категория хъб за публикуване
 DocType: Leave Block List,Leave Block List Dates,Оставете Block Списък Дати
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Поръчката за продажба {0} има резервация за елемент {1}, можете да доставяте резервно {1} само срещу {0}. Серийният номер {2} не може да бъде доставен"
 DocType: Sales Invoice,Billing Address GSTIN,Адрес за фактуриране GSTIN
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},"Моля, посочете {0}"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Премахнати артикули с никаква промяна в количеството или стойността.
 DocType: Delivery Note,Delivery To,Доставка до
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Създаването на варианти е поставено на опашка.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Обобщена работа за {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Създаването на варианти е поставено на опашка.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Обобщена работа за {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Първият отпуск в списъка ще бъде зададен като по подразбиране.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Умение маса е задължително
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Умение маса е задължително
 DocType: Production Plan,Get Sales Orders,Вземи поръчките за продажби
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} не може да бъде отрицателно
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Свържете се с бързите книги
 DocType: Training Event,Self-Study,Самоподготовка
 DocType: POS Closing Voucher,Period End Date,Крайна дата на периода
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Почвените състави не прибавят до 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Отстъпка
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Ред {0}: {1} е необходим за създаване на {2} Фактури за отваряне
 DocType: Membership,Membership,членство
 DocType: Asset,Total Number of Depreciations,Общ брой на амортизации
 DocType: Sales Invoice Item,Rate With Margin,Оцени с марджин
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},"Моля, посочете валиден Row ID за ред {0} в таблица {1}"
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Променливата не може да се намери:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Моля, изберете поле, което да редактирате от numpad"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Не може да бъде фиксирана позиция на активите, тъй като е създадена складова книга."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Не може да бъде фиксирана позиция на активите, тъй като е създадена складова книга."
 DocType: Subscription Plan,Fixed rate,Фиксирана лихва
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,признавам
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Отидете на работния плот и започнете да използвате ERPNext
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,Доставка - състояние
 ,Projected Quantity as Source,Прогнозно количество като Източник
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Позициите трябва да се добавят с помощта на ""Вземи от поръчка за покупки"" бутона"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Планиране на доставките
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Планиране на доставките
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Тип трансфер
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Продажби Разходи
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,Разходен център за продажби по подразбиране
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,диск
 DocType: Buying Settings,Material Transferred for Subcontract,Прехвърлен материал за подизпълнение
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Пощенски код
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Поръчка за продажба {0} е {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Покупки за поръчки Елементи Просрочени
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Пощенски код
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Поръчка за продажба {0} е {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Изберете сметка за доходи от лихви в заем {0}
 DocType: Opportunity,Contact Info,Информация за контакт
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Въвеждане на складови записи
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Фактурата не може да бъде направена за нула час на фактуриране
 DocType: Company,Date of Commencement,Дата на започване
 DocType: Sales Person,Select company name first.,Изберете име на компанията на първо място.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email изпратен на {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email изпратен на {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Оферти получени от доставчици.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Заменете BOM и актуализирайте последната цена във всички BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},За  {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Това е коренна група доставчици и не може да бъде редактирана.
-DocType: Delivery Trip,Driver Name,Име на водача
+DocType: Delivery Note,Driver Name,Име на водача
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Средна възраст
 DocType: Education Settings,Attendance Freeze Date,Дата на замразяване на присъствие
 DocType: Payment Request,Inward,навътре
@@ -1698,7 +1709,7 @@
 DocType: Company,Parent Company,Компанията-майка
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Хотел Стаи тип {0} не са налице на {1}
 DocType: Healthcare Practitioner,Default Currency,Валута  по подразбиране
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Максималната отстъпка за елемент {0} е {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Максималната отстъпка за елемент {0} е {1}%
 DocType: Asset Movement,From Employee,От служител
 DocType: Driver,Cellphone Number,номер на мобилен телефон
 DocType: Project,Monitor Progress,Наблюдение на напредъка
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Количеството трябва да бъде по-малко или равно на {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Максималната допустима сума за компонента {0} надвишава {1}
 DocType: Department Approver,Department Approver,Сервиз на отдела
+DocType: QuickBooks Migrator,Application Settings,Настройки на приложението
 DocType: SMS Center,Total Characters,Общо знаци
 DocType: Employee Advance,Claimed,Твърдеше
 DocType: Crop,Row Spacing,Разстояние между редовете
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Моля изберете BOM BOM в полето за позиция {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Моля изберете BOM BOM в полето за позиция {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Няма вариант на елемента за избрания елемент
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Детайли на Cи-форма Фактура
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Заплащане помирение Invoice
 DocType: Clinical Procedure,Procedure Template,Шаблон на процедурата
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Принос %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Както е описано в Настройките за купуване, ако поръчката за доставка е задължителна == &quot;ДА&quot;, тогава за да се създаде фактура за покупка, потребителят трябва първо да създаде поръчка за покупка за елемент {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Принос %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Както е описано в Настройките за купуване, ако поръчката за доставка е задължителна == &quot;ДА&quot;, тогава за да се създаде фактура за покупка, потребителят трябва първо да създаде поръчка за покупка за елемент {0}"
 ,HSN-wise-summary of outward supplies,HSN-мъдро обобщение на външните доставки
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Регистрационен номер на дружеството, за ваше сведение. Данъчни номера и т.н."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Да заявя
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Да заявя
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Дистрибутор
 DocType: Asset Finance Book,Asset Finance Book,Асет книга за финансиране
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Количка за пазаруване - Правила за доставка
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,"Поръчани артикули, които да се фактурират"
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,От диапазон трябва да бъде по-малко от До диапазон
 DocType: Global Defaults,Global Defaults,Глобални настройки по подразбиране
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Проект Collaboration Покана
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Проект Collaboration Покана
 DocType: Salary Slip,Deductions,Удръжки
 DocType: Setup Progress Action,Action Name,Име на действието
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Старт Година
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,Консултант
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Участие на учители в родители
 DocType: Salary Slip,Earnings,Печалба
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Готов продукт {0} трябва да бъде въведен за запис на тип производство
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Готов продукт {0} трябва да бъде въведен за запис на тип производство
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Начален баланс
 ,GST Sales Register,Търговски регистър на GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Фактурата за продажба - Аванс
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Няма нищо за заявка
+DocType: Stock Settings,Default Return Warehouse,Стандартен склад за връщане
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Изберете вашите домейни
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Купи доставчик
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Елементи за плащане на фактура
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Полетата ще бъдат копирани само по време на създаването.
 DocType: Setup Progress Action,Domains,Домейни
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Актуалната Начална дата"" не може да бъде след  ""Актуалната Крайна дата"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Управление
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Управление
 DocType: Cheque Print Template,Payer Settings,Настройки платеца
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Няма изчакващи материали, за които да се установи връзка, за дадени елементи."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Първо изберете фирма
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Това ще бъде приложена към Кодекса Точка на варианта. Например, ако вашият съкращението е &quot;SM&quot;, а кодът на елемент е &quot;ТЕНИСКА&quot;, кодът позиция на варианта ще бъде &quot;ТЕНИСКА-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Pay (словом) ще бъде видим след като спаси квитанцията за заплата.
 DocType: Delivery Note,Is Return,Дали Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Внимание
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Началният ден е по-голям от крайния ден в задачата &quot;{0}&quot;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Връщане / дебитно известие
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Връщане / дебитно известие
 DocType: Price List Country,Price List Country,Ценоразпис - Държава
 DocType: Item,UOMs,Мерни единици
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} валидни серийни номера за Артикул {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Дайте информация.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Доставчик - база данни.
 DocType: Contract Template,Contract Terms and Conditions,Общите условия на договора
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Не можете да рестартирате абонамент, който не е анулиран."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Не можете да рестартирате абонамент, който не е анулиран."
 DocType: Account,Balance Sheet,Баланс
 DocType: Leave Type,Is Earned Leave,Спечелено е
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Разходен център за позиция с Код '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Разходен център за позиция с Код '
 DocType: Fee Validity,Valid Till,Валиден До
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Обща среща на учителите по родители
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режимът на плащане не е конфигуриран. Моля, проверете, дали сметката е настроен на режим на плащания или на POS профил."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режимът на плащане не е конфигуриран. Моля, проверете, дали сметката е настроен на режим на плащания или на POS профил."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Същата позиция не може да бъде въведена  няколко пъти.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Допълнителни сметки могат да бъдат направени по групи, но записи могат да бъдат направени по отношение на не-групи"
 DocType: Lead,Lead,Потенциален клиент
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Фондова Влизане {0} е създаден
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,"Нямате достатъчно точки за лоялност, за да осребрите"
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: отхвърля Количество не могат да бъдат вписани в Покупка Return
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},"Моля, задайте свързания профил в категорията за удържане на данъци {0} срещу фирмата {1}"
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: отхвърля Количество не могат да бъдат вписани в Покупка Return
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Промяната на клиентската група за избрания клиент не е разрешена.
 ,Purchase Order Items To Be Billed,"Покупка Поръчка артикули, които се таксуват"
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Актуализиране на очакваните часове на пристигане.
 DocType: Program Enrollment Tool,Enrollment Details,Детайли за записване
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Не може да се задават няколко елемента по подразбиране за компания.
 DocType: Purchase Invoice Item,Net Rate,Нетен коефициент
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,"Моля, изберете клиент"
 DocType: Leave Policy,Leave Allocations,Оставете разпределения
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,Възстановяване Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&quot;Записи&quot; не могат да бъдат празни
 DocType: Maintenance Team Member,Maintenance Role,Роля за поддръжка
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Дублиран ред {0} със същия {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Дублиран ред {0} със същия {1}
 DocType: Marketplace Settings,Disable Marketplace,Деактивиране на пазара
 ,Trial Balance,Оборотна ведомост
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Фискална година {0} не е намерена
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,О-
 DocType: Subscription Settings,Subscription Settings,Настройки за абонамент
 DocType: Purchase Invoice,Update Auto Repeat Reference,Актуализиране на референцията за автоматично повторение
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Незадължителен празничен списък не е зададен за период на отпуск {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Незадължителен празничен списък не е зададен за период на отпуск {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Проучване
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,За адреса 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,За адреса 2
 DocType: Maintenance Visit Purpose,Work Done,"Работата, извършена"
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Моля, посочете поне един атрибут в таблицата с атрибути"
 DocType: Announcement,All Students,Всички студенти
@@ -1854,16 +1870,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Съгласувани транзакции
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Най-ранната
 DocType: Crop Cycle,Linked Location,Свързано местоположение
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Артикул Group съществува със същото име, моля да промените името на елемент или преименувате група т"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Артикул Group съществува със същото име, моля да промените името на елемент или преименувате група т"
 DocType: Crop Cycle,Less than a year,По-малко от година
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Останалата част от света
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Останалата част от света
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Продуктът {0} не може да има партида
 DocType: Crop,Yield UOM,Добив UOM
 ,Budget Variance Report,Бюджет Вариацията Доклад
 DocType: Salary Slip,Gross Pay,Брутно възнаграждение
 DocType: Item,Is Item from Hub,Елементът е от Центъра
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Получавайте елементи от здравни услуги
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Получавайте елементи от здравни услуги
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Ред {0}: Вид дейност е задължително.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Дивиденти - изплащани
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Счетоводен Дневник
@@ -1878,6 +1894,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Режимът на плащане
 DocType: Purchase Invoice,Supplied Items,Доставени артикули
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},"Моля, задайте активно меню за ресторант {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Комисиона%
 DocType: Work Order,Qty To Manufacture,Количество за производство
 DocType: Email Digest,New Income,Нови приходи
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Поддържане на същия процент в цялия цикъл на покупка
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},"Оценка процент, необходим за позиция в ред {0}"
 DocType: Supplier Scorecard,Scorecard Actions,Действия в Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Пример: Магистър по компютърни науки
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Доставчикът {0} не е намерен в {1}
 DocType: Purchase Invoice,Rejected Warehouse,Отхвърлени Warehouse
 DocType: GL Entry,Against Voucher,Срещу ваучер
 DocType: Item Default,Default Buying Cost Center,Разходен център за закупуване по подразбиране
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","За да получите най-доброто от ERPNext, ние ви препоръчваме да отнеме известно време, и да гледате тези помощни видеоклипове."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),За доставчик по подразбиране (по избор)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,да се
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),За доставчик по подразбиране (по избор)
 DocType: Supplier Quotation Item,Lead Time in days,Време за въвеждане в дни
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Задължения Резюме
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Не е разрешено да редактирате замразена сметка {0}
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Предупреждавайте за нова заявка за оферти
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Поръчки помогнат да планирате и проследяване на вашите покупки
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Предписания за лабораторни тестове
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Общото количество на емисията / Transfer {0} в Подемно-Искане {1} \ не може да бъде по-голяма от поискани количества {2} за т {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Малък
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ако Shopify не съдържа клиент в поръчка, тогава докато синхронизирате поръчките, системата ще помисли за клиент по подразбиране за поръчка"
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,% Завършен
 ,Invoiced Amount (Exculsive Tax),Сума по фактура (без данък)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Позиция 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Крайна точка за разрешаване
 DocType: Travel Request,International,международен
 DocType: Training Event,Training Event,обучение на Събитията
 DocType: Item,Auto re-order,Автоматична повторна поръчка
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,Договор
 DocType: Plant Analysis,Laboratory Testing Datetime,Лабораторно тестване
 DocType: Email Digest,Add Quote,Добави оферта
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Мерна единица фактор coversion изисква за мерна единица: {0} в продукт: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Мерна единица фактор coversion изисква за мерна единица: {0} в продукт: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Непреки разходи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Кол е задължително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Кол е задължително
 DocType: Agriculture Analysis Criteria,Agriculture,Земеделие
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Създаване на поръчка за продажба
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Счетоводен запис за актив
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Блокиране на фактурата
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Счетоводен запис за актив
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Блокиране на фактурата
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,"Количество, което да се направи"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Синхронизиране на основни данни
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Синхронизиране на основни данни
 DocType: Asset Repair,Repair Cost,Цена на ремонта
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Вашите продукти или услуги
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Неуспешно влизане
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Актив {0} е създаден
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Актив {0} е създаден
 DocType: Special Test Items,Special Test Items,Специални тестови елементи
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Трябва да сте потребител с роля на системния мениджър и мениджър на елементи, за да се регистрирате на Marketplace."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Начин на плащане
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Според назначената структура на заплатите не можете да кандидатствате за обезщетения
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Сайт на снимката трябва да бъде държавна файл или уеб сайт URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Сайт на снимката трябва да бъде държавна файл или уеб сайт URL
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Това е главната позиция група и не може да се редактира.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,сливам
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,Склад - Информация за контакт
 DocType: Payment Entry,Write Off Difference Amount,Сметка за разлики от отписване
 DocType: Volunteer,Volunteer Name,Име на доброволците
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Имейлът на служителя не е намерен, следователно не е изпратен имейл"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Редове с дублиращи се дати в други редове бяха намерени: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Имейлът на служителя не е намерен, следователно не е изпратен имейл"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},"Няма структура на заплатата, определена за служител {0} на дадена дата {1}"
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Правилото за доставка не е приложимо за държавата {0}
 DocType: Item,Foreign Trade Details,Външна търговия - Детайли
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,Годишен доход
 DocType: Serial No,Serial No Details,Сериен № - Детайли
 DocType: Purchase Invoice Item,Item Tax Rate,Позиция данъчна ставка
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,От името на партията
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,От името на партията
 DocType: Student Group Student,Group Roll Number,Номер на ролката в групата
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитни сметки могат да бъдат свързани с друг запис дебитна"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Складова разписка {0} не е подадена
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Складова разписка {0} не е подадена
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Позиция {0} трябва да бъде позиция за подизпълнители
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Капиталови Активи
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ценообразуване правило е първият избран на базата на &quot;Нанесете върху&quot; област, която може да бъде т, т Group или търговска марка."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,"Моля, първо задайте кода на елемента"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Общо разпределят процентно за екип по продажбите трябва да бъде 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Общо разпределят процентно за екип по продажбите трябва да бъде 100
 DocType: Subscription Plan,Billing Interval Count,Графичен интервал на фактуриране
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Срещи и срещи с пациентите
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Стойността липсва
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Създаване на формат за печат
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Създадена е такса
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Не се намери никакъв елемент наречен {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Филтри за елементи
 DocType: Supplier Scorecard Criteria,Criteria Formula,Формула на критериите
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Общо Outgoing
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Не може да има само една доставка Правило Състояние с 0 или празно стойност за &quot;да цени&quot;
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",За елемент {0} количеството трябва да е положително число
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Забележка: Тази Cost Center е група. Не може да се направи счетоводни записи срещу групи.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Компенсаторните отпуски не важат за валидни празници
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Подчинен склад съществува за този склад. Не можете да изтриете този склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Подчинен склад съществува за този склад. Не можете да изтриете този склад.
 DocType: Item,Website Item Groups,Website стокови групи
 DocType: Purchase Invoice,Total (Company Currency),Общо (фирмена валута)
 DocType: Daily Work Summary Group,Reminder,Напомняне
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Достъпна стойност
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Достъпна стойност
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Сериен номер {0} влезли повече от веднъж
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Вестник Влизане
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,От GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,От GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Непоискана сума
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} артикула са в производство
 DocType: Workstation,Workstation Name,Работна станция - Име
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,POS Позиция Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email бюлетин:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Алтернативната позиция не трябва да е същата като кода на елемента
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} не принадлежи към позиция {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} не принадлежи към позиция {1}
 DocType: Sales Partner,Target Distribution,Цел - Разпределение
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Финализиране на временната оценка
 DocType: Salary Slip,Bank Account No.,Банкова сметка номер
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Променливите на таблицата с показатели могат да бъдат използвани, както и: {total_score} (общият резултат от този период), {period_number} (броят на периодите до ден днешен)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Свиване на всички
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Свиване на всички
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Създаване на поръчка за покупка
 DocType: Quality Inspection Reading,Reading 8,Четене 8
 DocType: Inpatient Record,Discharge Note,Забележка за освобождаване от отговорност
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege отпуск
 DocType: Purchase Invoice,Supplier Invoice Date,Доставчик Дата Invoice
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Тази стойност се използва за изчисление pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Трябва да се активира функционалността за количка за пазаруване
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Трябва да се активира функционалността за количка за пазаруване
 DocType: Payment Entry,Writeoff,Отписване
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,МАТ-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Наименуване на серийния префикс
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Припокриване условия намерени между:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Against Journal Entry {0} is already adjusted against some other voucher
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Обща стойност на поръчката
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Храна
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Храна
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Застаряването на населението Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Детайли за ваучерите за затваряне на POS
 DocType: Shopify Log,Shopify Log,Магазин за дневник
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Моля, задайте Naming Series за {0} чрез Setup&gt; Settings&gt; Naming Series"
 DocType: Inpatient Occupancy,Check In,Включване
 DocType: Maintenance Schedule Item,No of Visits,Брои на Посещения
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Графикът за поддръжка {0} съществува срещу {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Максимални ползи (сума)
 DocType: Purchase Invoice,Contact Person,Лице за контакт
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Очаквана начална дата"" не може да бъде след ""Очаквана крайна дата"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Няма данни за този период
 DocType: Course Scheduling Tool,Course End Date,Курс Крайна дата
 DocType: Holiday List,Holidays,Ваканция
 DocType: Sales Order Item,Planned Quantity,Планирано количество
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Нетна промяна в дълготрайни материални активи
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Необходимият брой
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Оставете празно, ако се отнася за всички наименования"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от тип &quot;Край&quot; в ред {0} не могат да бъдат включени в т Курсове
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от тип &quot;Край&quot; в ред {0} не могат да бъдат включени в т Курсове
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Макс: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,От дата/час
 DocType: Shopify Settings,For Company,За компания
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,Правила и условия - съдържание
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Имаше грешки при създаването на График на курса
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Първият разпоредител на разходите в списъка ще бъде зададен като подразбиращ се излишък на разходи.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,не може да бъде по-голямо от 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,не може да бъде по-голямо от 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Трябва да сте потребител, различен от администратор със системния мениджър и ролите на мениджъра на продукти, за да се регистрирате в Marketplace."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Позиция {0} е не-в-наличност позиция
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Позиция {0} е не-в-наличност позиция
 DocType: Packing Slip,MAT-PAC-.YYYY.-,МАТ-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Нерепаративен
 DocType: Employee,Owned,Собственост
@@ -2144,7 +2164,7 @@
 DocType: HR Settings,Employee Settings,Настройки на служители
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Зареждане на платежна система
 ,Batch-Wise Balance History,Баланс по партиди
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Ред # {0}: Не може да зададете Оцени, ако сумата е по-голяма от таксуваната сума за елемент {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Ред # {0}: Не може да зададете Оцени, ако сумата е по-голяма от таксуваната сума за елемент {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Настройки за печат обновяват в съответния формат печат
 DocType: Package Code,Package Code,пакет Код
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Чирак
@@ -2152,7 +2172,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Отрицателно количество не е позволено
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Данъчна подробно маса, извлечен от т майстор като низ и се съхранява в тази област. Използва се за данъци и такси"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Служител не може да докладва пред самия себе си.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Служител не може да докладва пред самия себе си.
 DocType: Leave Type,Max Leaves Allowed,Макс листата са разрешени
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако сметката е замразено, записи право да ограничават потребителите."
 DocType: Email Digest,Bank Balance,Баланс на банка
@@ -2178,6 +2198,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Въведени банкови транзакции
 DocType: Quality Inspection,Readings,Четения
 DocType: Stock Entry,Total Additional Costs,Общо допълнителни разходи
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Брой взаимодействия
 DocType: BOM,Scrap Material Cost(Company Currency),Скрап Cost (Company валути)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Възложени Изпълнения
 DocType: Asset,Asset Name,Наименование на активи
@@ -2185,10 +2206,10 @@
 DocType: Shipping Rule Condition,To Value,До стойност
 DocType: Loyalty Program,Loyalty Program Type,Тип програма за лоялност
 DocType: Asset Movement,Stock Manager,Склад за мениджъра
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Източник склад е задължително за ред {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Източник склад е задължително за ред {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Срокът за плащане на ред {0} е вероятно дубликат.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Селското стопанство (бета)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Приемо-предавателен протокол
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Приемо-предавателен протокол
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Офис под наем
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Настройки Setup SMS Gateway
 DocType: Disease,Common Name,Често срещано име
@@ -2220,20 +2241,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Заплата поднасяне на служителите
 DocType: Cost Center,Parent Cost Center,Разходен център - Родител
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Изберете Възможен доставчик
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Изберете Възможен доставчик
 DocType: Sales Invoice,Source,Източник
 DocType: Customer,"Select, to make the customer searchable with these fields","Изберете, за да направите клиента достъпен за търсене с тези полета"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Импортирайте бележките за доставка от Shopify при доставката
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Покажи затворен
 DocType: Leave Type,Is Leave Without Pay,Дали си тръгне без Pay
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Категория е задължително за Фиксирана позиция в актива
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Категория е задължително за Фиксирана позиция в актива
 DocType: Fee Validity,Fee Validity,Валидност на таксата
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Не са намерени в таблицата за плащане записи
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Този {0} е в конфликт с {1} за {2} {3}
 DocType: Student Attendance Tool,Students HTML,"Студентите, HTML"
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Моля, изтрийте служителя <a href=""#Form/Employee/{0}"">{0}</a> \, за да отмените този документ"
 DocType: POS Profile,Apply Discount,Прилагане на отстъпка
 DocType: GST HSN Code,GST HSN Code,GST HSN кодекс
 DocType: Employee External Work History,Total Experience,Общо Experience
@@ -2256,7 +2274,7 @@
 DocType: Maintenance Schedule,Schedules,Графици
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Профилът на POS е необходим за използване на Point-of-Sale
 DocType: Cashier Closing,Net Amount,Нетна сума
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е изпратена, така че действието не може да бъде завършено"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е изпратена, така че действието не може да бъде завършено"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Детайли Номер
 DocType: Landed Cost Voucher,Additional Charges,Допълнителни такси
 DocType: Support Search Source,Result Route Field,Поле за маршрут на резултата
@@ -2285,11 +2303,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Отваряне на фактури
 DocType: Contract,Contract Details,Детайли за договора
 DocType: Employee,Leave Details,Оставете подробности
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Моля, задайте поле ID на потребителя в рекордно Employee да зададете Role Employee"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Моля, задайте поле ID на потребителя в рекордно Employee да зададете Role Employee"
 DocType: UOM,UOM Name,Мерна единица - Име
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Адрес 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Адрес 1
 DocType: GST HSN Code,HSN Code,HSN код
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Принос Сума
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Принос Сума
 DocType: Inpatient Record,Patient Encounter,Среща на пациентите
 DocType: Purchase Invoice,Shipping Address,Адрес За Доставка
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Този инструмент ви помага да се актуализира, или да определи количеството и остойностяването на склад в системата. Той обикновено се използва за синхронизиране на ценностите на системата и какво всъщност съществува във вашите складове."
@@ -2306,9 +2324,9 @@
 DocType: Travel Itinerary,Mode of Travel,Начин на пътуване
 DocType: Sales Invoice Item,Brand Name,Марка Име
 DocType: Purchase Receipt,Transporter Details,Превозвач Детайли
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Изисква се склад по подразбиране за избрания елемент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Изисква се склад по подразбиране за избрания елемент
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Кутия
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Възможен доставчик
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Възможен доставчик
 DocType: Budget,Monthly Distribution,Месечно разпределение
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Списък Receiver е празна. Моля, създайте Списък Receiver"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Здравеопазване (бета)
@@ -2329,6 +2347,7 @@
 ,Lead Name,Потенциален клиент - име
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Проучване
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Начална наличност - Баланс
 DocType: Asset Category Account,Capital Work In Progress Account,Работа в процес на развитие на капитала
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Корекция на стойността на активите
@@ -2337,7 +2356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Листата Разпределен успешно в продължение на {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Няма елементи за опаковане
 DocType: Shipping Rule Condition,From Value,От стойност
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Произвеждано количество е задължително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Произвеждано количество е задължително
 DocType: Loan,Repayment Method,Възстановяване Метод
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако е избрано, на началната страница ще бъде по подразбиране т Групата за сайта"
 DocType: Quality Inspection Reading,Reading 4,Четене 4
@@ -2362,7 +2381,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Служебни препоръки
 DocType: Student Group,Set 0 for no limit,Определете 0 за без лимит
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Деня (и), на който кандидатствате за отпуск е празник. Не е нужно да кандидатствате за отпуск."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,"Ред {idx}: {field} е необходим, за да се създадат Фактурите {invoice_type} Отваряне"
 DocType: Customer,Primary Address and Contact Detail,Основен адрес и данни за контакт
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Повторно изпращане на плащане Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Нова задача
@@ -2372,8 +2390,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,"Моля, изберете поне един домейн."
 DocType: Dependent Task,Dependent Task,Зависима задача
 DocType: Shopify Settings,Shopify Tax Account,Купи данъчна сметка
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Коефициент на преобразуване за неизпълнение единица мярка трябва да бъде 1 в ред {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Разрешение за типа {0} не може да бъде по-дълъг от {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Коефициент на преобразуване за неизпълнение единица мярка трябва да бъде 1 в ред {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Разрешение за типа {0} не може да бъде по-дълъг от {1}
 DocType: Delivery Trip,Optimize Route,Оптимизиране на маршрута
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Опитайте планира операции за Х дни предварително.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2382,14 +2400,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Моля, задайте по подразбиране ТРЗ Задължения профил в Company {0}"
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Получете финансова разбивка на данните за данъците и таксите от Amazon
 DocType: SMS Center,Receiver List,Получател - Списък
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Търсене позиция
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Търсене позиция
 DocType: Payment Schedule,Payment Amount,Сума За Плащане
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Полудневният ден трябва да е между Работата от датата и датата на приключване на работата
 DocType: Healthcare Settings,Healthcare Service Items,Елементи на здравната служба
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Консумирана Сума
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Нетна промяна в паричната наличност
 DocType: Assessment Plan,Grading Scale,Оценъчна скала
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Мерна единица {0} е въведен повече от веднъж в реализациите Factor Таблица
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Мерна единица {0} е въведен повече от веднъж в реализациите Factor Таблица
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Вече приключен
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Склад в ръка
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2412,25 +2430,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Сериен № {0} количество {1} не може да бъде една малка част
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,"Моля, въведете URL адреса на Woocommerce Server"
 DocType: Purchase Order Item,Supplier Part Number,Доставчик Част номер
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Обменен курс не може да бъде 0 или 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Обменен курс не може да бъде 0 или 1
 DocType: Share Balance,To No,До номер
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Цялата задължителна задача за създаване на служители все още не е приключила.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{1} {0} е отменен или спрян
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{1} {0} е отменен или спрян
 DocType: Accounts Settings,Credit Controller,Кредит контрольор
 DocType: Loan,Applicant Type,Тип на кандидата
 DocType: Purchase Invoice,03-Deficiency in services,03-Недостиг на услуги
 DocType: Healthcare Settings,Default Medical Code Standard,Стандартен стандарт за медицински кодове
 DocType: Purchase Invoice Item,HSN/SAC,HSN / ВАС
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Покупка Квитанция {0} не е подадена
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Покупка Квитанция {0} не е подадена
 DocType: Company,Default Payable Account,Сметка за задължения по подразбиране
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Настройки за онлайн пазарска количка като правилата за доставка, ценоразпис т.н."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,МАТ-ПРЕДВАРИТЕЛНО .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Начислен
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Запазено Количество
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Запазено Количество
 DocType: Party Account,Party Account,Сметка на компания
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,"Моля, изберете Company and Designation"
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Човешки Ресурси
-DocType: Lead,Upper Income,Upper подоходно
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Upper подоходно
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Отхвърляне
 DocType: Journal Entry Account,Debit in Company Currency,Дебит сума във валута на фирмата
 DocType: BOM Item,BOM Item,BOM Позиция
@@ -2447,7 +2465,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Отваряне на работни места за означаване {0} вече отворено или завършено наемане по план за персонал {1}
 DocType: Vital Signs,Constipated,запек
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Срещу фактура от доставчик {0} от {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Срещу фактура от доставчик {0} от {1}
 DocType: Customer,Default Price List,Ценоразпис по подразбиране
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Движение на актив {0} е създаден
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Няма намерени елементи.
@@ -2463,16 +2481,17 @@
 DocType: Journal Entry,Entry Type,Влизане Type
 ,Customer Credit Balance,Клиентско кредитно салдо
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Нетна промяна в Задължения
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитният лимит е прекратен за клиенти {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Моля, задайте Naming Series за {0} чрез Setup&gt; Settings&gt; Naming Series"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитният лимит е прекратен за клиенти {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Клиент е необходим за ""Customerwise Discount"""
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Актуализиране дати банкови платежни с списания.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Ценообразуване
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Ценообразуване
 DocType: Quotation,Term Details,Условия - Детайли
 DocType: Employee Incentive,Employee Incentive,Стимулиране на служителите
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не може да се запишат повече от {0} студенти за този студентска група.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Общо (без данъци)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Водещ брой
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Наличен наличност
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Наличен наличност
 DocType: Manufacturing Settings,Capacity Planning For (Days),Планиране на капацитет за (дни)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,доставяне
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,"Нито един от елементите, има ли промяна в количеството или стойността."
@@ -2496,7 +2515,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Оставете и Присъствие
 DocType: Asset,Comprehensive Insurance,Цялостно застраховане
 DocType: Maintenance Visit,Partially Completed,Частично завършени
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Точка на лоялност: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Точка на лоялност: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Добавяне на олово
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Умерена чувствителност
 DocType: Leave Type,Include holidays within leaves as leaves,Включи празници в рамките на отпуските като отпуски
 DocType: Loyalty Program,Redemption,изкупление
@@ -2530,7 +2550,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Разходите за маркетинг
 ,Item Shortage Report,Позиция Недостиг Доклад
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,"Не може да се създадат стандартни критерии. Моля, преименувайте критериите"
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тегло се споменава, \ nМоля спомена &quot;Тегло мерна единица&quot; твърде"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тегло се споменава, \ nМоля спомена &quot;Тегло мерна единица&quot; твърде"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материал Заявка използва за направата на този запас Влизане
 DocType: Hub User,Hub Password,Парола за Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Разделна курсова група за всяка партида
@@ -2544,15 +2564,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Продължителност на срещата (мин.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Направи счетоводен запис за всеки склад Movement
 DocType: Leave Allocation,Total Leaves Allocated,Общо Leaves Отпуснати
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Моля, въведете валидни начални и крайни дати за финансова година"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Моля, въведете валидни начални и крайни дати за финансова година"
 DocType: Employee,Date Of Retirement,Дата на пенсиониране
 DocType: Upload Attendance,Get Template,Вземи шаблон
+,Sales Person Commission Summary,Резюме на Комисията по продажбите
 DocType: Additional Salary Component,Additional Salary Component,Допълнителен компонент на заплатата
 DocType: Material Request,Transferred,Прехвърлен
 DocType: Vehicle,Doors,Врати
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext инсталирането приключи!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext инсталирането приключи!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Съберете такса за регистрация на пациента
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Атрибутите не могат да се променят след сделка с акции. Направете нов елемент и преместете запас в новата позиция
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Атрибутите не могат да се променят след сделка с акции. Направете нов елемент и преместете запас в новата позиция
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Данъчно разделяне
 DocType: Employee,Joining Details,Обединяване на подробности
@@ -2580,14 +2601,15 @@
 DocType: Lead,Next Contact By,Следваща Контакт с
 DocType: Compensatory Leave Request,Compensatory Leave Request,Искане за компенсаторно напускане
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},"Количество, необходимо за елемент {0} на ред {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може да се изтрие, тъй като съществува количество за артикул {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може да се изтрие, тъй като съществува количество за артикул {1}"
 DocType: Blanket Order,Order Type,Тип поръчка
 ,Item-wise Sales Register,Точка-мъдър Продажби Регистрация
 DocType: Asset,Gross Purchase Amount,Брутна сума на покупката
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Начални салда
 DocType: Asset,Depreciation Method,Метод на амортизация
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,"Това ли е данък, включен в основната ставка?"
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Общо Цел
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Общо Цел
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Анализ на възприятията
 DocType: Soil Texture,Sand Composition (%),Състав на пясъка (%)
 DocType: Job Applicant,Applicant for a Job,Заявител на Job
 DocType: Production Plan Material Request,Production Plan Material Request,Производство План Материал Заявка
@@ -2602,23 +2624,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Маркер за оценка (от 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Не
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Основен
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Следващата позиция {0} не е означена като {1} елемент. Можете да ги активирате като {1} елемент от главния му елемент
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Вариант
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",За елемент {0} количеството трябва да е отрицателно число
 DocType: Naming Series,Set prefix for numbering series on your transactions,Определете префикс за номериране серия от вашите сделки
 DocType: Employee Attendance Tool,Employees HTML,Служители HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,BOM по подразбиране ({0}) трябва да бъде активен за тази позиция или шаблон
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,BOM по подразбиране ({0}) трябва да бъде активен за тази позиция или шаблон
 DocType: Employee,Leave Encashed?,Отсъствието е платено?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"""Възможност - От"" полето е задължително"
 DocType: Email Digest,Annual Expenses,годишните разходи
 DocType: Item,Variants,Варианти
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Направи поръчка
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Направи поръчка
 DocType: SMS Center,Send To,Изпрати на
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Няма достатъчно отпуск баланс за отпуск Тип {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Няма достатъчно отпуск баланс за отпуск Тип {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Разпределена сума
 DocType: Sales Team,Contribution to Net Total,Принос към Net Общо
 DocType: Sales Invoice Item,Customer's Item Code,Клиентски Код на позиция
 DocType: Stock Reconciliation,Stock Reconciliation,Склад за помирение
 DocType: Territory,Territory Name,Територия Име
+DocType: Email Digest,Purchase Orders to Receive,"Поръчки за покупка, които да получавате"
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Склад за Незавършено производство се изисква преди изпращане
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Можете да имате планове само със същия цикъл на таксуване в абонамент
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Картографирани данни
@@ -2635,9 +2659,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Дублиран Пореден № за позиция {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Следенето се проследява от водещия източник.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Условие за Правило за Доставка
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,"Моля, въведете"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,"Моля, въведете"
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Дневник за поддръжка
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Моля, задайте филтър на базата на т или Warehouse"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Моля, задайте филтър на базата на т или Warehouse"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нетното тегло на този пакет. (Изчислява се автоматично като сума от нетно тегло на позициите)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Направете вписване в интерфейса на компанията
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Сумата на отстъпката не може да бъде по-голяма от 100%
@@ -2646,15 +2670,15 @@
 DocType: Sales Order,To Deliver and Bill,Да се доставят и фактурира
 DocType: Student Group,Instructors,инструктори
 DocType: GL Entry,Credit Amount in Account Currency,Кредитна сметка във валута на сметката
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} трябва да бъде изпратен
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Управление на акции
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} трябва да бъде изпратен
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Управление на акции
 DocType: Authorization Control,Authorization Control,Разрешение Control
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: отхвърля Warehouse е задължително срещу отхвърли т {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Плащане
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: отхвърля Warehouse е задължително срещу отхвърли т {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Плащане
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Склад {0} не е свързан с нито един профил, моля, посочете профила в склада, или задайте профил по подразбиране за рекламни места в компанията {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Управление на вашите поръчки
 DocType: Work Order Operation,Actual Time and Cost,Действителното време и разходи
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материал Искане на максимална {0} може да се направи за позиция {1} срещу Продажби Поръчка {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материал Искане на максимална {0} може да се направи за позиция {1} срещу Продажби Поръчка {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Разреждане на реколта
 DocType: Course,Course Abbreviation,Курс - Съкращение
@@ -2666,6 +2690,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Общо работно време не трябва да са по-големи от работното време макс {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,На
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Пакетни позиции в момент на продажба.
+DocType: Delivery Settings,Dispatch Settings,Настройки за изпращане
 DocType: Material Request Plan Item,Actual Qty,Действително Количество
 DocType: Sales Invoice Item,References,Препратки
 DocType: Quality Inspection Reading,Reading 10,Четене 10
@@ -2675,11 +2700,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Въвели сте дублиращи се елементи. Моля, поправи и опитай отново."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Сътрудник
 DocType: Asset Movement,Asset Movement,Движение на активи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Поръчката за работа {0} трябва да бъде изпратена
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Нова пазарска количка
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Поръчката за работа {0} трябва да бъде изпратена
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Нова пазарска количка
 DocType: Taxable Salary Slab,From Amount,От сума
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Позиция {0} не е сериализирани позиция
 DocType: Leave Type,Encashment,Инкасо
+DocType: Delivery Settings,Delivery Settings,Настройки за доставка
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Извличане на данни
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},"Максималният отпуск, разрешен в отпуск тип {0} е {1}"
 DocType: SMS Center,Create Receiver List,Създаване на списък за получаване
 DocType: Vehicle,Wheels,Колела
@@ -2695,7 +2722,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Валутата за фактуриране трябва да бъде равна или на валутата на валутата или валутата на партията
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Показва, че опаковката е част от тази доставка (Само Проект)"
 DocType: Soil Texture,Loam,глинеста почва
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Ред {0}: Дневната дата не може да бъде преди датата на публикуване
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Ред {0}: Дневната дата не може да бъде преди датата на публикуване
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Въвеждане на плащане
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Количество за позиция {0} трябва да е по-малко от {1}
 ,Sales Invoice Trends,Тенденциите във фактурите за продажба
@@ -2703,12 +2730,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Може да се отнася ред само ако типът такса е ""На предишния ред - Сума"" или ""Предишния ред - Общо"""
 DocType: Sales Order Item,Delivery Warehouse,Склад за доставка
 DocType: Leave Type,Earned Leave Frequency,Спечелена честота на излизане
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Дърво на разходните центрове.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Под-тип
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Дърво на разходните центрове.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Под-тип
 DocType: Serial No,Delivery Document No,Доставка документ №
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Осигурете доставка на базата на произведен сериен номер
 DocType: Vital Signs,Furry,кожен
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Моля, задайте &quot;Печалба / Загуба на профила за изхвърляне на активи&quot; в компания {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Моля, задайте &quot;Печалба / Загуба на профила за изхвърляне на активи&quot; в компания {0}"
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Вземи елементите от Квитанция за покупки
 DocType: Serial No,Creation Date,Дата на създаване
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},За активи {0} се изисква местоположението на целта.
@@ -2722,10 +2749,11 @@
 DocType: Item,Has Variants,Има варианти
 DocType: Employee Benefit Claim,Claim Benefit For,Възползвайте се от обезщетението за
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Актуализиране на отговора
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Вие вече сте избрали елементи от {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Вие вече сте избрали елементи от {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Име на месец Дистрибуцията
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Идентификационният номер на партидата е задължителен
 DocType: Sales Person,Parent Sales Person,Родител Продажби Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Не се получават просрочени суми
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Продавачът и купувачът не могат да бъдат същите
 DocType: Project,Collect Progress,Събиране на напредъка
 DocType: Delivery Note,MAT-DN-.YYYY.-,МАТ-DN-.YYYY.-
@@ -2741,7 +2769,7 @@
 DocType: Bank Guarantee,Margin Money,Маржин пари
 DocType: Budget,Budget,Бюджет
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Задайте Отвори
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Дълготраен актив позиция трябва да бъде елемент не-склад.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Дълготраен актив позиция трябва да бъде елемент не-склад.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не могат да бъдат причислени към {0}, тъй като това не е сметка за приход или разход"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Максималната сума за освобождаване за {0} е {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнато
@@ -2759,9 +2787,9 @@
 ,Amount to Deliver,Сума за Избави
 DocType: Asset,Insurance Start Date,Начална дата на застраховката
 DocType: Salary Component,Flexible Benefits,Гъвкави ползи
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Същият елемент е въведен няколко пъти. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Същият елемент е въведен няколко пъти. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Дата на срока Start не може да бъде по-рано от началото на годината Дата на учебната година, към който е свързан терминът (Academic Година {}). Моля, коригирайте датите и опитайте отново."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Имаше грешки.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Имаше грешки.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Служител {0} вече кандидатства за {1} между {2} и {3}:
 DocType: Guardian,Guardian Interests,Guardian Интереси
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Актуализиране на името / номера на профила
@@ -2800,9 +2828,9 @@
 ,Item-wise Purchase History,Точка-мъдър История на покупките
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Моля, кликнете върху &quot;Генериране Schedule&quot;, за да донесе Пореден № добавя за позиция {0}"
 DocType: Account,Frozen,Замръзен
-DocType: Delivery Note,Vehicle Type,Тип на превозното средство
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Тип на превозното средство
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Базовата сума (Валута на компанията)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Суровини
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Суровини
 DocType: Payment Reconciliation Payment,Reference Row,Референтен Ред
 DocType: Installation Note,Installation Time,Време за монтаж
 DocType: Sales Invoice,Accounting Details,Счетоводство Детайли
@@ -2811,12 +2839,13 @@
 DocType: Inpatient Record,O Positive,O Положителен
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Инвестиции
 DocType: Issue,Resolution Details,Резолюция Детайли
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Тип транзакция
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Тип транзакция
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерии за приемане
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Моля, въведете Материал Исканията в таблицата по-горе"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Няма налични изплащания за вписване в дневника
 DocType: Hub Tracked Item,Image List,Списък с изображения
 DocType: Item Attribute,Attribute Name,Име на атрибута
+DocType: Subscription,Generate Invoice At Beginning Of Period,Генериране на фактура в началото на периода
 DocType: BOM,Show In Website,Покажи в уебсайта
 DocType: Loan Application,Total Payable Amount,Общо Задължения Сума
 DocType: Task,Expected Time (in hours),Очаквано време (в часове)
@@ -2853,7 +2882,7 @@
 DocType: Employee,Resignation Letter Date,Дата на молбата за напускане
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Правилата за ценообразуване са допълнително филтрирани въз основа на количеството.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Не е зададен
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},"Моля, задайте датата на присъединяване за служител {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},"Моля, задайте датата на присъединяване за служител {0}"
 DocType: Inpatient Record,Discharge,изпразване
 DocType: Task,Total Billing Amount (via Time Sheet),Обща сума за плащане (чрез Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторете Приходи Customer
@@ -2863,13 +2892,13 @@
 DocType: Chapter,Chapter,глава
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Двойка
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"По подразбиране профилът ще бъде автоматично актуализиран в POS фактура, когато е избран този режим."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Изберете BOM и Количество за производство
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Изберете BOM и Количество за производство
 DocType: Asset,Depreciation Schedule,Амортизационен план
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Адреси и контакти за партньори за продажби
 DocType: Bank Reconciliation Detail,Against Account,Срещу Сметка
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,"Половин ден Дата трябва да бъде между ""От Дата"" и ""До дата"""
 DocType: Maintenance Schedule Detail,Actual Date,Действителна дата
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,"Моля, задайте Центъра за разходи по подразбиране в {0} компания."
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,"Моля, задайте Центъра за разходи по подразбиране в {0} компания."
 DocType: Item,Has Batch No,Има партиден №
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Годишно плащане: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Магазин за подробности за Webhook
@@ -2881,7 +2910,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,Лични Данни
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},"Моля, задайте &quot;Асет Амортизация Cost Center&quot; в компания {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},"Моля, задайте &quot;Асет Амортизация Cost Center&quot; в компания {0}"
 ,Maintenance Schedules,Графици за поддръжка
 DocType: Task,Actual End Date (via Time Sheet),Действително Крайна дата (чрез Time Sheet)
 DocType: Soil Texture,Soil Type,Тип на почвата
@@ -2889,10 +2918,10 @@
 ,Quotation Trends,Оферта Тенденции
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Позиция Group не са посочени в т майстор за т {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Дебитиране на сметката трябва да е сметка за вземания
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Дебитиране на сметката трябва да е сметка за вземания
 DocType: Shipping Rule,Shipping Amount,Доставка Сума
 DocType: Supplier Scorecard Period,Period Score,Период Резултат
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Добавете клиенти
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Добавете клиенти
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Дължима Сума
 DocType: Lab Test Template,Special,Специален
 DocType: Loyalty Program,Conversion Factor,Коефициент на преобразуване
@@ -2909,7 +2938,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Добавяне на буквите
 DocType: Program Enrollment,Self-Driving Vehicle,Самоходно превозно средство
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Стойност на таблицата с доставчици
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Спецификация на материалите не е намерена за позиция {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Спецификация на материалите не е намерена за позиция {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Общо отпуснати листа {0} не могат да бъдат по-малки от вече одобрените листа {1} за периода
 DocType: Contract Fulfilment Checklist,Requirement,изискване
 DocType: Journal Entry,Accounts Receivable,Вземания
@@ -2925,16 +2954,16 @@
 DocType: Projects Settings,Timesheets,График (Отчет)
 DocType: HR Settings,HR Settings,Настройки на човешките ресурси (ЧР)
 DocType: Salary Slip,net pay info,Нет Инфо.БГ заплащане
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS Сума
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS Сума
 DocType: Woocommerce Settings,Enable Sync,Активиране на синхронизирането
 DocType: Tax Withholding Rate,Single Transaction Threshold,Праг на единична транзакция
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Тази стойност се актуализира в ценовата листа по подразбиране.
 DocType: Email Digest,New Expenses,Нови разходи
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Сума на PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Сума на PDC / LC
 DocType: Shareholder,Shareholder,акционер
 DocType: Purchase Invoice,Additional Discount Amount,Допълнителна отстъпка сума
 DocType: Cash Flow Mapper,Position,позиция
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Изтеглете елементи от предписанията
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Изтеглете елементи от предписанията
 DocType: Patient,Patient Details,Детайли за пациента
 DocType: Inpatient Record,B Positive,B Положителен
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2946,8 +2975,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Група към не-група
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Спортове
 DocType: Loan Type,Loan Name,Заем - Име
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Общо Край
-DocType: Lab Test UOM,Test UOM,Тестова мерна единица
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Общо Край
 DocType: Student Siblings,Student Siblings,студентските Братя и сестри
 DocType: Subscription Plan Detail,Subscription Plan Detail,Подробности за абонаментния план
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Единица
@@ -2974,7 +3002,6 @@
 DocType: Workstation,Wages per hour,Заплати на час
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Склад за баланс в Batch {0} ще стане отрицателна {1} за позиция {2} в склада {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,След Материал Исканията са повдигнати автоматично въз основа на нивото на повторна поръчка Точка на
-DocType: Email Digest,Pending Sales Orders,Чакащи Поръчки за продажби
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Сметка {0} е невалидна. Валутата на сметката трябва да е {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},От дата {0} не може да бъде след освобождаване на служител Дата {1}
 DocType: Supplier,Is Internal Supplier,Е вътрешен доставчик
@@ -2983,13 +3010,14 @@
 DocType: Healthcare Settings,Remind Before,Напомняй преди
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Мерна единица - фактор на превръщане се изисква на ред {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от продажбите Поръчка, продажба на фактура или вестник Влизане"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от продажбите Поръчка, продажба на фактура или вестник Влизане"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Точки на лоялност = Колко базова валута?
 DocType: Salary Component,Deduction,Намаление
 DocType: Item,Retain Sample,Запазете пробата
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Ред {0}: От време и До време - е задължително.
 DocType: Stock Reconciliation Item,Amount Difference,сума Разлика
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Елемент Цена добавя за {0} в Ценовата листа {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Елемент Цена добавя за {0} в Ценовата листа {1}
+DocType: Delivery Stop,Order Information,информация за поръчка
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Моля, въведете Id Служител на този търговец"
 DocType: Territory,Classification of Customers by region,Класификация на клиентите по регион
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,В производството
@@ -3000,8 +3028,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Изчисли Баланс на банково извлечение
 DocType: Normal Test Template,Normal Test Template,Нормален тестов шаблон
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,забранени потребители
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Оферта
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Не може да се зададе получена RFQ в Без котировка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Оферта
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Не може да се зададе получена RFQ в Без котировка
 DocType: Salary Slip,Total Deduction,Общо Приспадане
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Изберете профил, който да печата във валута на профила"
 ,Production Analytics,Производство - Анализи
@@ -3014,14 +3042,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Настройка на таблицата с доставчици
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Име на плана за оценка
 DocType: Work Order Operation,Work Order Operation,Работа с поръчки за работа
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Внимание: Invalid сертификат SSL за закрепване {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Внимание: Invalid сертификат SSL за закрепване {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads ви помогне да получите бизнес, добавете всичките си контакти и повече като си клиенти"
 DocType: Work Order Operation,Actual Operation Time,Действително време за операцията
 DocType: Authorization Rule,Applicable To (User),Приложими по отношение на (User)
 DocType: Purchase Taxes and Charges,Deduct,Приспада
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Описание На Работа
 DocType: Student Applicant,Applied,приложен
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Пре-отворена
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Пре-отворена
 DocType: Sales Invoice Item,Qty as per Stock UOM,Количество по мерна единица на склад
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Наименование Guardian2
 DocType: Attendance,Attendance Request,Искане за участие
@@ -3039,7 +3067,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Сериен № {0} е в гаранция до  {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална допустима стойност
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Потребителят {0} вече съществува
-apps/erpnext/erpnext/hooks.py +114,Shipments,Пратки
+apps/erpnext/erpnext/hooks.py +115,Shipments,Пратки
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Общата отпусната сума (Company валути)
 DocType: Purchase Order Item,To be delivered to customer,Да бъде доставен на клиент
 DocType: BOM,Scrap Material Cost,Скрап Cost
@@ -3047,11 +3075,12 @@
 DocType: Grant Application,Email Notification Sent,Изпратено е известие за имейл
 DocType: Purchase Invoice,In Words (Company Currency),Словом (фирмена валута)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Дружеството е ръководител на фирмената сметка
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Код на артикула, склад, количеството се изисква на ред"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Код на артикула, склад, количеството се изисква на ред"
 DocType: Bank Guarantee,Supplier,Доставчик
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Вземи От
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Това е коренно отделение и не може да бъде редактирано.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Показване на данните за плащане
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Продължителност в дни
 DocType: C-Form,Quarter,Тримесечие
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Други разходи
 DocType: Global Defaults,Default Company,Фирма по подразбиране
@@ -3059,7 +3088,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Expense или Разлика сметка е задължително за т {0}, както цялостната стойност фондова тя влияе"
 DocType: Bank,Bank Name,Име на банката
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-По-горе
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Оставете полето празно, за да направите поръчки за покупка за всички доставчици"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Оставете полето празно, за да направите поръчки за покупка за всички доставчици"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Стойност на такса за посещение в болница
 DocType: Vital Signs,Fluid,течност
 DocType: Leave Application,Total Leave Days,Общо дни отсъствие
@@ -3068,7 +3097,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Настройки на варианта на елемента
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Изберете компания ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Оставете празно, ако важи за всички отдели"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} е задължително за Артикул {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} е задължително за Артикул {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Елемент {0}: {1} произведен в количества,"
 DocType: Payroll Entry,Fortnightly,всеки две седмици
 DocType: Currency Exchange,From Currency,От валута
@@ -3117,7 +3146,7 @@
 DocType: Account,Fixed Asset,Дълготраен актив
 DocType: Amazon MWS Settings,After Date,След датата
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Сериализирани Инвентаризация
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Невалидна {0} за фактурата на фирмата.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Невалидна {0} за фактурата на фирмата.
 ,Department Analytics,Анализ на отделите
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Имейл не е намерен в контакта по подразбиране
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Генериране на тайна
@@ -3135,6 +3164,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Изпълнителен директор
 DocType: Purchase Invoice,With Payment of Tax,С изплащане на данък
 DocType: Expense Claim Detail,Expense Claim Detail,Expense претенция Подробности
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Моля, настройте инструмента за назначаване на инструктори в образованието&gt; Настройки за обучение"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,ТРИПЛИКАТ ЗА ДОСТАВЧИК
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Ново равновесие в основна валута
 DocType: Location,Is Container,Има контейнер
@@ -3142,13 +3172,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Моля изберете правилния акаунт
 DocType: Salary Structure Assignment,Salary Structure Assignment,Задание за структурата на заплатите
 DocType: Purchase Invoice Item,Weight UOM,Тегло мерна единица
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Списък на наличните акционери с номера на фолиото
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Списък на наличните акционери с номера на фолиото
 DocType: Salary Structure Employee,Salary Structure Employee,Структура на заплащането на служителите
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Показване на атрибутите на варианта
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Показване на атрибутите на варианта
 DocType: Student,Blood Group,Кръвна група
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Профилът на платежния шлюз в плана {0} е различен от профила на платежния шлюз в това искане за плащане
 DocType: Course,Course Name,Наименование на курс
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Няма данни за укриване на данъци за текущата фискална година.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Няма данни за укриване на данъци за текущата фискална година.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Потребителите, които могат да одобряват заявленията за отпуск специфичен служителя"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Офис оборудване
 DocType: Purchase Invoice Item,Qty,Количество
@@ -3156,6 +3186,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Настройване на точките
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Електроника
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Дебит ({0})
+DocType: BOM,Allow Same Item Multiple Times,Допускане на един и същ елемент няколко пъти
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Повдигнете Материал Заявка когато фондова достигне ниво повторна поръчка
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Пълен работен ден
 DocType: Payroll Entry,Employees,Служители
@@ -3167,11 +3198,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Потвърждение за плащане
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Цените няма да се показват, ако ценова листа не е настроено"
 DocType: Stock Entry,Total Incoming Value,Общо Incoming Value
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Дебит сметка се изисква
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Дебит сметка се изисква
 DocType: Clinical Procedure,Inpatient Record,Запис в болница
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Графици, за да следите на времето, разходите и таксуването по дейности, извършени от вашия екип"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Покупка Ценоразпис
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Дата на транзакцията
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Покупка Ценоразпис
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Дата на транзакцията
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Шаблони на променливите на таблицата с резултатите от доставчика.
 DocType: Job Offer Term,Offer Term,Оферта Условия
 DocType: Asset,Quality Manager,Мениджър по качеството
@@ -3192,18 +3223,18 @@
 DocType: Cashier Closing,To Time,До време
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) за {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Приемане Role (над разрешено стойност)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Кредитът на сметка трябва да бъде Платим акаунт
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Кредитът на сметка трябва да бъде Платим акаунт
 DocType: Loan,Total Amount Paid,Обща платена сума
 DocType: Asset,Insurance End Date,Крайна дата на застраховката
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Моля, изберете Студентски прием, който е задължителен за платения кандидат за студент"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не може да бъде родител или дете на {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не може да бъде родител или дете на {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Бюджетен списък
 DocType: Work Order Operation,Completed Qty,Изпълнено Количество
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само дебитни сметки могат да бъдат свързани с друга кредитна влизане"
 DocType: Manufacturing Settings,Allow Overtime,Разрешаване на Извънредно раб.време
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Сериализираната позиция {0} не може да бъде актуализирана с помощта на Ресурси за покупка, моля, използвайте Stock Entry"
 DocType: Training Event Employee,Training Event Employee,Обучение Събитие на служителите
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максималните проби - {0} могат да бъдат запазени за партида {1} и елемент {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максималните проби - {0} могат да бъдат запазени за партида {1} и елемент {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Добавете времеви слотове
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} серийни номера, необходими за т {1}. Вие сте предоставили {2}."
 DocType: Stock Reconciliation Item,Current Valuation Rate,Курс на преоценка
@@ -3234,11 +3265,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Сериен № {0} не е намерен
 DocType: Fee Schedule Program,Fee Schedule Program,Програма за таксуване на таксите
 DocType: Fee Schedule Program,Student Batch,Student Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Моля, изтрийте служителя <a href=""#Form/Employee/{0}"">{0}</a> \, за да отмените този документ"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Създаване на Студент
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Мин.оценка
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Тип на звеното за здравна служба
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Вие сте били поканени да си сътрудничат по проекта: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Вие сте били поканени да си сътрудничат по проекта: {0}
 DocType: Supplier Group,Parent Supplier Group,Група доставчици-родители
+DocType: Email Digest,Purchase Orders to Bill,Поръчки за покупка до Бил
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Натрупани стойности в група
 DocType: Leave Block List Date,Block Date,Блокиране - Дата
 DocType: Crop,Crop,Реколта
@@ -3250,6 +3284,7 @@
 DocType: Sales Order,Not Delivered,Не е доставен
 ,Bank Clearance Summary,Резюме - Банков Клирънс
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Създаване и управление на дневни, седмични и месечни имейл бюлетини."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Това се основава на транзакции срещу това лице за продажби. За подробности вижте графиката по-долу
 DocType: Appraisal Goal,Appraisal Goal,Оценка Goal
 DocType: Stock Reconciliation Item,Current Amount,Текуща сума
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Сгради
@@ -3276,7 +3311,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,софтуери
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Следваща дата за контакт не може да е в миналото
 DocType: Company,For Reference Only.,Само за справка.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Изберете партида №
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Изберете партида №
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Невалиден {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Референтна фактура
@@ -3294,16 +3329,16 @@
 DocType: Normal Test Items,Require Result Value,Изискайте резултатна стойност
 DocType: Item,Show a slideshow at the top of the page,Покажи на слайдшоу в горната част на страницата
 DocType: Tax Withholding Rate,Tax Withholding Rate,Данъчен удържан данък
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,списъците с материали
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Магазини
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,списъците с материали
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Магазини
 DocType: Project Type,Projects Manager,Мениджър Проекти
 DocType: Serial No,Delivery Time,Време За Доставка
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Застаряването на населението на базата на
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Анулирането е анулирано
 DocType: Item,End of Life,Края на живота
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Пътуване
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Пътуване
 DocType: Student Report Generation Tool,Include All Assessment Group,Включете цялата група за оценка
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Не активна или по подразбиране Заплата Структура намери за служител {0} за дадените дати
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Не активна или по подразбиране Заплата Структура намери за служител {0} за дадените дати
 DocType: Leave Block List,Allow Users,Разрешаване на потребителите
 DocType: Purchase Order,Customer Mobile No,Клиент - мобилен номер
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детайли на шаблона за картографиране на паричните потоци
@@ -3312,15 +3347,16 @@
 DocType: Rename Tool,Rename Tool,Преименуване на Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Актуализация на стойността
 DocType: Item Reorder,Item Reorder,Позиция Пренареждане
+DocType: Delivery Note,Mode of Transport,Начин на транспортиране
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Покажи фиш за заплата
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Прехвърляне на материал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Прехвърляне на материал
 DocType: Fees,Send Payment Request,Изпращане на искане за плащане
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Посочете операции, оперативни разходи и да даде уникална операция не на вашите операции."
 DocType: Travel Request,Any other details,Всякакви други подробности
 DocType: Water Analysis,Origin,произход
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Този документ е над ограничението от {0} {1} за елемент {4}. Възможно ли е да направи друг {3} срещу същите {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,"Моля, задайте повтарящи след спасяването"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,количество сметка Select промяна
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,"Моля, задайте повтарящи след спасяването"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,количество сметка Select промяна
 DocType: Purchase Invoice,Price List Currency,Ценоразпис на валути
 DocType: Naming Series,User must always select,Потребителят трябва винаги да избере
 DocType: Stock Settings,Allow Negative Stock,Разрешаване на отрицателна наличност
@@ -3341,9 +3377,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Проследяване
 DocType: Asset Maintenance Log,Actions performed,Извършени действия
 DocType: Cash Flow Mapper,Section Leader,Ръководител на секцията
+DocType: Delivery Note,Transport Receipt No,Разписка за транспорт №
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Източник на средства (пасиви)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Източникът и местоназначението не могат да бъдат едни и същи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Количество в ред {0} ({1}) трябва да е същото като произведено количество {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Количество в ред {0} ({1}) трябва да е същото като произведено количество {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Служител
 DocType: Bank Guarantee,Fixed Deposit Number,Номер на фиксиран депозит
 DocType: Asset Repair,Failure Date,Дата на неуспех
@@ -3357,16 +3394,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Плащане Удръжки или загуба
 DocType: Soil Analysis,Soil Analysis Criterias,Критерии за анализ на почвите
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандартни договорни условия за покупко-продажба или покупка.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Наистина ли искате да отмените тази среща?
+DocType: BOM Item,Item operation,Позиция на елемента
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Наистина ли искате да отмените тази среща?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Пакет за хотелско ценообразуване
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline Продажби
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Pipeline Продажби
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},"Моля, задайте профила по подразбиране в Заплата Компонент {0}"
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Необходим на
 DocType: Rename Tool,File to Rename,Файл за Преименуване
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Моля изберете BOM за позиция в Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Извличане на актуализации на абонаментите
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Профилът {0} не съвпада с фирмата {1} в режим на профила: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Предвидени BOM {0} не съществува за позиция {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Предвидени BOM {0} не съществува за позиция {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,курс:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График за поддръжка {0} трябва да се отмени преди да се анулира тази поръчка за продажба
@@ -3375,7 +3413,7 @@
 DocType: Notification Control,Expense Claim Approved,Expense претенция Одобрен
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Задаване на аванси и разпределение (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Няма създадени работни поръчки
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Заплата поднасяне на служител {0} вече е създаден за този период
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Заплата поднасяне на служител {0} вече е създаден за този период
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Лекарствена
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Можете да подадете Оставете Encashment само за валидна сума за инкасо
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Разходи за закупени стоки
@@ -3383,7 +3421,8 @@
 DocType: Selling Settings,Sales Order Required,Поръчка за продажба е задължителна
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Станете продавач
 DocType: Purchase Invoice,Credit To,Кредит на
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Активни Възможни клиенти / Клиенти
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Активни Възможни клиенти / Клиенти
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Оставете празно, за да използвате стандартния формат на бележката за доставка"
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,График за поддръжка Подробности
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Предупреждавайте за нови Поръчки за покупка
@@ -3397,14 +3436,14 @@
 DocType: Support Search Source,Post Title Key,Ключ за заглавието
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,За работна карта
 DocType: Warranty Claim,Raised By,Повдигнат от
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,предписания
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,предписания
 DocType: Payment Gateway Account,Payment Account,Разплащателна сметка
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Моля, посочете фирма, за да продължите"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Моля, посочете фирма, за да продължите"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Нетна промяна в Вземания
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Компенсаторни Off
 DocType: Job Offer,Accepted,Приет
 DocType: POS Closing Voucher,Sales Invoices Summary,Обобщение на фактурите за продажби
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,На името на партията
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,На името на партията
 DocType: Grant Application,Organization,организация
 DocType: BOM Update Tool,BOM Update Tool,Инструмент за актуализиране на буквите
 DocType: SG Creation Tool Course,Student Group Name,Наименование Student Group
@@ -3413,7 +3452,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Моля, уверете се, че наистина искате да изтриете всички сделки за тази компания. Вашите основни данни ще останат, тъй като е. Това действие не може да бъде отменено."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Резултати от търсенето
 DocType: Room,Room Number,Номер на стая
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Невалидна референция {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Невалидна референция {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да бъде по-голямо от планирано количество ({2}) в производствена поръчка {3}
 DocType: Shipping Rule,Shipping Rule Label,Доставка Правило Label
 DocType: Journal Entry Account,Payroll Entry,Въвеждане на заплати
@@ -3421,8 +3460,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Направете данъчен шаблон
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,потребителски форум
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Суровини - не могат да бъдат празни.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Ред # {0} (Платежна таблица): Сумата трябва да бъде отрицателна
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Не можа да се актуализира склад, фактура съдържа капка корабоплаването т."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Ред # {0} (Платежна таблица): Сумата трябва да бъде отрицателна
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Не можа да се актуализира склад, фактура съдържа капка корабоплаването т."
 DocType: Contract,Fulfilment Status,Статус на изпълнение
 DocType: Lab Test Sample,Lab Test Sample,Лабораторна проба за изпитване
 DocType: Item Variant Settings,Allow Rename Attribute Value,Разрешаване на преименуване на стойност на атрибута
@@ -3464,11 +3503,11 @@
 DocType: BOM,Show Operations,Показване на операции
 ,Minutes to First Response for Opportunity,Минути за първи отговор на възможност
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Общо Отсъствия
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Точка или склад за ред {0} не съвпада Материал Искане
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Точка или склад за ред {0} не съвпада Материал Искане
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Мерна единица
 DocType: Fiscal Year,Year End Date,Година Крайна дата
 DocType: Task Depends On,Task Depends On,Задачата зависи от
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Възможност
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Възможност
 DocType: Operation,Default Workstation,Работно място по подразбиране
 DocType: Notification Control,Expense Claim Approved Message,Expense претенция Одобрен Message
 DocType: Payment Entry,Deductions or Loss,Удръжки или загуба
@@ -3506,20 +3545,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Приемане Потребителят не може да бъде същата като потребителското правилото е приложим за
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Основен курс (по мерна единица на артикула)
 DocType: SMS Log,No of Requested SMS,Брои на заявени SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Неплатен отпуск не съвпада с одобрените записи оставите приложението
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Неплатен отпуск не съвпада с одобрените записи оставите приложението
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Следващи стъпки
 DocType: Travel Request,Domestic,вътрешен
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,"Моля, доставете определени елементи на възможно най-добрите цени"
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,"Моля, доставете определени елементи на възможно най-добрите цени"
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Прехвърлянето на служители не може да бъде подадено преди датата на прехвърлянето
 DocType: Certification Application,USD,щатски долар
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Направи фактура
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Оставащ баланс
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Оставащ баланс
 DocType: Selling Settings,Auto close Opportunity after 15 days,Автоматично затваряне на възможността в 15-дневен срок
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Поръчките за покупка не се допускат за {0} поради стойността на {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Баркодът {0} не е валиден код {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Баркодът {0} не е валиден код {1}
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Край Година
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Цитат / Водещ%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Договор Крайна дата трябва да бъде по-голяма от Дата на Присъединяване
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Договор Крайна дата трябва да бъде по-голяма от Дата на Присъединяване
 DocType: Driver,Driver,шофьор
 DocType: Vital Signs,Nutrition Values,Хранителни стойности
 DocType: Lab Test Template,Is billable,Таксува се
@@ -3530,7 +3569,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Това е пример за сайт автоматично генерирано от ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Застаряването на населението Range 1
 DocType: Shopify Settings,Enable Shopify,Активиране на Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Общият размер на авансовото плащане не може да бъде по-голям от общия размер на претендираната сума
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Общият размер на авансовото плащане не може да бъде по-голям от общия размер на претендираната сума
 DocType: Purchase Taxes and Charges Template,"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
@@ -3557,12 +3596,12 @@
 DocType: Employee Separation,Employee Separation,Отделяне на служители
 DocType: BOM Item,Original Item,Оригинален елемент
 DocType: Purchase Receipt Item,Recd Quantity,Recd Количество
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Дата на документа
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Дата на документа
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Такса - записи създадени - {0}
 DocType: Asset Category Account,Asset Category Account,Дълготраен актив Категория сметка
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Платежна таблица): Сумата трябва да бъде положителна
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Платежна таблица): Сумата трябва да бъде положителна
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Не може да се произвежда повече позиция {0} от количеството в поръчка за продажба {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Изберете стойности на атрибутите
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Изберете стойности на атрибутите
 DocType: Purchase Invoice,Reason For Issuing document,Причина за издаващия документ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Склад за вписване {0} не е подадена
 DocType: Payment Reconciliation,Bank / Cash Account,Банкова / Кеш Сметка
@@ -3571,8 +3610,10 @@
 DocType: Asset,Manual,наръчник
 DocType: Salary Component Account,Salary Component Account,Заплата Компонент - Сметка
 DocType: Global Defaults,Hide Currency Symbol,Скриване на валутен символ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Възможности за продажби по източници
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Донорска информация.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","напр банков превод, в брой, с кредитна карта"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Моля, настроите серийна номерация за участие чрез настройка&gt; Серия за номериране"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","напр банков превод, в брой, с кредитна карта"
 DocType: Job Applicant,Source Name,Източник Име
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормалното покой на кръвното налягане при възрастен е приблизително 120 mmHg систолично и 80 mmHg диастолично, съкратено &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Задайте срок на съхранение на продуктите в дни, за да определите срока на валидност въз основа на производствената_на_date и на самооценката"
@@ -3602,7 +3643,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},За количеството трябва да бъде по-малко от количеството {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Началната дата трябва да е преди крайната дата
 DocType: Salary Component,Max Benefit Amount (Yearly),Максимална сума на възнаграждението (годишно)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS процент%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS процент%
 DocType: Crop,Planting Area,Район за засаждане
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Общо (количество)
 DocType: Installation Note Item,Installed Qty,Инсталирано количество
@@ -3624,8 +3665,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Оставете уведомление за одобрение
 DocType: Buying Settings,Default Buying Price List,Ценови лист за закупуване по подразбиране
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Заплата Slip Въз основа на график
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Закупуване - Цена
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Ред {0}: Въведете местоположението на елемента на актив {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Закупуване - Цена
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Ред {0}: Въведете местоположението на елемента на актив {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,За компанията
 DocType: Notification Control,Sales Order Message,Поръчка за продажба - Съобщение
@@ -3690,10 +3731,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,За ред {0}: Въведете планираните количества
 DocType: Account,Income Account,Сметка за доход
 DocType: Payment Request,Amount in customer's currency,Сума във валута на клиента
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Доставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Доставка
 DocType: Volunteer,Weekdays,делници
 DocType: Stock Reconciliation Item,Current Qty,Текущо количество
 DocType: Restaurant Menu,Restaurant Menu,Ресторант Меню
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Добавяне на доставчици
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Помощната секция
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Предишна
@@ -3705,19 +3747,20 @@
 												fullfill Sales Order {2}","Не може да се получи сериен номер {0} на елемент {1}, тъй като е запазен за \ fullfill поръчка за продажба {2}"
 DocType: Item Reorder,Material Request Type,Заявка за материал - тип
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Изпратете имейл за преглед на одобрението
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage е пълен, не беше записан"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: мерна единица реализациите Factor е задължително
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage е пълен, не беше записан"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: мерна единица реализациите Factor е задължително
 DocType: Employee Benefit Claim,Claim Date,Дата на искането
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Капацитет на помещението
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Вече съществува запис за елемента {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,"Ще загубите записите на фактури, генерирани преди това. Наистина ли искате да рестартирате този абонамент?"
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Регистрационна такса
 DocType: Loyalty Program Collection,Loyalty Program Collection,Колекция от програми за лоялност
 DocType: Stock Entry Detail,Subcontracted Item,Подизпълнителна позиция
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Студентът {0} не принадлежи към групата {1}
 DocType: Budget,Cost Center,Разходен център
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Ваучер #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Ваучер #
 DocType: Notification Control,Purchase Order Message,Поръчка за покупка на ЛС
 DocType: Tax Rule,Shipping Country,Доставка Държава
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Скриване на данъчния идентификационен номер на клиента от сделки за продажба
@@ -3736,23 +3779,22 @@
 DocType: Subscription,Cancel At End Of Period,Отменете в края на периода
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Имоти вече добавени
 DocType: Item Supplier,Item Supplier,Позиция - Доставчик
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Моля, въведете Код, за да получите партиден №"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Моля изберете стойност за {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Моля, въведете Код, за да получите партиден №"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Моля изберете стойност за {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Няма избрани елементи за прехвърляне
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Всички адреси.
 DocType: Company,Stock Settings,Сток Settings
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Сливането е възможно само ако следните свойства са същите и в двете записи. Дали Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Сливането е възможно само ако следните свойства са същите и в двете записи. Дали Group, Root Type, Company"
 DocType: Vehicle,Electric,електрически
 DocType: Task,% Progress,% Прогрес
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Печалба / загуба от продажбата на активи
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Само кандидат-студентът със статус &quot;Одобрен&quot; ще бъде избран в таблицата по-долу.
 DocType: Tax Withholding Category,Rates,Цените
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Номерът на профила за {0} не е налице. <br> Моля, настроите правилно Вашата сметка."
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Номерът на профила за {0} не е налице. <br> Моля, настроите правилно Вашата сметка."
 DocType: Task,Depends on Tasks,Зависи от Задачи
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управление на дърво с групи на клиенти.
 DocType: Normal Test Items,Result Value,Резултатна стойност
 DocType: Hotel Room,Hotels,Хотели
-DocType: Delivery Note,Transporter Date,Дата на превозвача
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Име на нов разходен център
 DocType: Leave Control Panel,Leave Control Panel,Контролен панел - отстъствия
 DocType: Project,Task Completion,Задача Изпълнение
@@ -3799,11 +3841,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Всички оценка Групи
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Нов Склад Име
 DocType: Shopify Settings,App Type,Тип приложение
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Общо {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Общо {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Територия
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Моля, не споменете на посещенията, изисквани"
 DocType: Stock Settings,Default Valuation Method,Метод на оценка по подразбиране
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Такса
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Показване на кумулативната сума
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Актуализираното актуализиране. Може да отнеме известно време.
 DocType: Production Plan Item,Produced Qty,Произведен брой
 DocType: Vehicle Log,Fuel Qty,Количество на горивото
@@ -3811,7 +3854,7 @@
 DocType: Work Order Operation,Planned Start Time,Планиран начален час
 DocType: Course,Assessment,Оценяване
 DocType: Payment Entry Reference,Allocated,Разпределен
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Close Баланс и книга печалбата или загубата.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Close Баланс и книга печалбата или загубата.
 DocType: Student Applicant,Application Status,Статус Application
 DocType: Additional Salary,Salary Component Type,Тип компонент на заплатата
 DocType: Sensitivity Test Items,Sensitivity Test Items,Елементи за тестване на чувствителност
@@ -3822,10 +3865,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Общият размер
 DocType: Sales Partner,Targets,Цели
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,"Моля, регистрирайте номера SIREN в информационния файл на компанията"
+DocType: Email Digest,Sales Orders to Bill,Поръчки за продажба на Бил
 DocType: Price List,Price List Master,Ценоразпис - основен
 DocType: GST Account,CESS Account,CESS профил
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Всички продажби Сделки могат да бъдат маркирани с множество ** продавачи **, така че можете да настроите и да наблюдават цели."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Връзка към искането за материали
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Връзка към искането за материали
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Форумна активност
 ,S.O. No.,S.O. No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Елемент за настройки на транзакция на банкова декларация
@@ -3840,7 +3884,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Това е корен група клиенти и не може да се редактира.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Действие, ако натрупаният месечен бюджет е превишен в PO"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Да поставя
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Да поставя
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Преоценка на обменния курс
 DocType: POS Profile,Ignore Pricing Rule,Игнориране на правилата за ценообразуване
 DocType: Employee Education,Graduate,Завършвам
@@ -3876,6 +3920,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,"Моля, задайте клиент по подразбиране в настройките на ресторанта"
 ,Salary Register,Заплата Регистрирайте се
 DocType: Warehouse,Parent Warehouse,Склад - Родител
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,диаграма
 DocType: Subscription,Net Total,Нето Общо
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Стандартният BOM не е намерен за елемент {0} и проект {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Определяне на различни видове кредитни
@@ -3908,24 +3953,26 @@
 DocType: Membership,Membership Status,Състояние на членството
 DocType: Travel Itinerary,Lodging Required,Необходимо е настаняване
 ,Requested,Заявени
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Няма забележки
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Няма забележки
 DocType: Asset,In Maintenance,В поддръжката
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Кликнете върху този бутон, за да изтеглите данните за поръчките си от Amazon MWS."
 DocType: Vital Signs,Abdomen,корем
 DocType: Purchase Invoice,Overdue,Просрочен
 DocType: Account,Stock Received But Not Billed,Фондова Получени Но Не Обявен
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Корена на профил трябва да бъде група
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Корена на профил трябва да бъде група
 DocType: Drug Prescription,Drug Prescription,Лекарствена рецепта
 DocType: Loan,Repaid/Closed,Платени / Затворен
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Общото прогнозно Количество
 DocType: Monthly Distribution,Distribution Name,Дистрибутор - Име
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Включете UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Процентът на оценка не е намерен за елемент {0}, от който се изисква да извършва счетоводни записи за {1} {2}. Ако елементът извършва транзакция като елемент с нулева стойност в {1}, моля посочете това в таблицата {1} Елемент. В противен случай, моля, създайте транзакция за входящ фонд за артикула или споменете коефициента на оценка в регистрационния артикул и след това опитайте да подадете / анулирате този запис"
 DocType: Course,Course Code,Код на курса
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},"Инспекция на качеството, необходимо за т {0}"
 DocType: Location,Parent Location,Родителско местоположение
 DocType: POS Settings,Use POS in Offline Mode,Използвайте POS в режим Офлайн
 DocType: Supplier Scorecard,Supplier Variables,Променливи на доставчика
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} е задължително. Може би записът за обмен на валута не е създаден за {1} до {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Скоростта, с която на клиента валута се превръща в основна валута на компанията"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Нетен коефициент (фирмена валута)
 DocType: Salary Detail,Condition and Formula Help,Състояние и Формула Помощ
@@ -3934,19 +3981,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Фактурата за продажба
 DocType: Journal Entry Account,Party Balance,Компания - баланс
 DocType: Cash Flow Mapper,Section Subtotal,Раздел Междинна сума
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Моля изберете ""Прилагане на остъпка на"""
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Моля изберете ""Прилагане на остъпка на"""
 DocType: Stock Settings,Sample Retention Warehouse,Склад за съхраняване на проби
 DocType: Company,Default Receivable Account,Сметка за  вземания по подразбиране
 DocType: Purchase Invoice,Deemed Export,Смятан за износ
 DocType: Stock Entry,Material Transfer for Manufacture,Прехвърляне на материал за Производство
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Отстъпка Процент може да бъде приложена или за ценоразпис или за всички ценови листи (ценоразписи).
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Счетоводен запис за Складова наличност
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Счетоводен запис за Складова наличност
 DocType: Lab Test,LabTest Approver,LabTest Схема
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Вече оценихте критериите за оценка {}.
 DocType: Vehicle Service,Engine Oil,Моторно масло
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Създадени работни поръчки: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Създадени работни поръчки: {0}
 DocType: Sales Invoice,Sales Team1,Търговски отдел1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Точка {0} не съществува
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Точка {0} не съществува
 DocType: Sales Invoice,Customer Address,Клиент - Адрес
 DocType: Loan,Loan Details,Заем - Детайли
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Неуспешно настройване на приставки за фирми след публикуване
@@ -3967,34 +4014,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Покажете слайдшоу в горната част на страницата
 DocType: BOM,Item UOM,Позиция - Мерна единица
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сума на данъка след сумата на отстъпката (фирмена валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Целеви склад е задължителен за ред {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Целеви склад е задължителен за ред {0}
 DocType: Cheque Print Template,Primary Settings,Основни настройки
 DocType: Attendance Request,Work From Home,Работа от вкъщи
 DocType: Purchase Invoice,Select Supplier Address,Изберете доставчик Адрес
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Добави Служители
 DocType: Purchase Invoice Item,Quality Inspection,Проверка на качеството
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Стандартен шаблон
 DocType: Training Event,Theory,Теория
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал Заявени Количество е по-малко от минималното Поръчка Количество
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал Заявени Количество е по-малко от минималното Поръчка Количество
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Сметка {0} е замразена
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическо лице / Дъщерно дружество с отделен сметкоплан, част от организацията."
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Храни, напитки и тютюневи изделия"
 DocType: Account,Account Number,Номер на сметка
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Мога да направи плащане само срещу нетаксуван {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Ставка на Комисията не може да бъде по-голяма от 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Мога да направи плащане само срещу нетаксуван {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Ставка на Комисията не може да бъде по-голяма от 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Автоматично разпределяне на аванси (FIFO)
 DocType: Volunteer,Volunteer,доброволец
 DocType: Buying Settings,Subcontract,Подизпълнение
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Моля, въведете {0} първо"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Няма отговори от
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Няма отговори от
 DocType: Work Order Operation,Actual End Time,Действително Крайно Време
 DocType: Item,Manufacturer Part Number,Производител Номер
 DocType: Taxable Salary Slab,Taxable Salary Slab,Облагаема платежна платформа
 DocType: Work Order Operation,Estimated Time and Cost,Очаквано време и разходи
 DocType: Bin,Bin,Хамбар
 DocType: Crop,Crop Name,Име на реколтата
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Само потребители с {0} роля могат да се регистрират на Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Само потребители с {0} роля могат да се регистрират на Marketplace
 DocType: SMS Log,No of Sent SMS,Брои на изпратените SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Назначения и срещи
@@ -4023,7 +4071,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Промяна на кода
 DocType: Purchase Invoice Item,Valuation Rate,Оценка Оценка
 DocType: Vehicle,Diesel,дизел
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Не е избрана валута на ценоразписа
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Не е избрана валута на ценоразписа
 DocType: Purchase Invoice,Availed ITC Cess,Наблюдаваше ITC Cess
 ,Student Monthly Attendance Sheet,Student Месечен Присъствие Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,"Правило за доставка, приложимо само за продажбата"
@@ -4039,7 +4087,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управление на дистрибутори.
 DocType: Quality Inspection,Inspection Type,Тип Инспекция
 DocType: Fee Validity,Visited yet,Посетена още
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Складове с действащото сделка не може да се превърнат в група.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Складове с действащото сделка не може да се превърнат в група.
 DocType: Assessment Result Tool,Result HTML,Резултати HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колко често трябва да се актуализира проектът и фирмата въз основа на продажбите.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Изтича на
@@ -4047,7 +4095,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Моля изберете {0}
 DocType: C-Form,C-Form No,Си-форма номер
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,разстояние
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,разстояние
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Посочете продуктите или услугите, които купувате или продавате."
 DocType: Water Analysis,Storage Temperature,Температура на съхранение
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-РСР-.YYYY.-
@@ -4063,19 +4111,19 @@
 DocType: Shopify Settings,Delivery Note Series,Серия за доставка
 DocType: Purchase Order Item,Returned Qty,Върнати Количество
 DocType: Student,Exit,Изход
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type е задължително
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type е задължително
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Приставките не можаха да се инсталират
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Преобразуване в часове
 DocType: Contract,Signee Details,Сигнес Детайли
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} понастоящем има {1} карта с резултати за доставчика, а RFQ на този доставчик трябва да се издават с повишено внимание."
 DocType: Certified Consultant,Non Profit Manager,Мениджър с нестопанска цел
 DocType: BOM,Total Cost(Company Currency),Обща стойност (Company валути)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Сериен № {0} е създаден
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Сериен № {0} е създаден
 DocType: Homepage,Company Description for website homepage,Описание на компанията за началната страница на уеб сайта
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За удобство на клиентите, тези кодове могат да бъдат използвани в печатни формати като фактури и доставка Notes"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Наименование Доставчик
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Информацията за {0} не можа да бъде извлечена.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Отваряне на входния дневник
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Отваряне на входния дневник
 DocType: Contract,Fulfilment Terms,Условия за изпълнение
 DocType: Sales Invoice,Time Sheet List,Време Списък Sheet
 DocType: Employee,You can enter any date manually,Можете да въведете всяка дата ръчно
@@ -4110,7 +4158,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Вашата организация
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Прескачане на алгоритъма за оставащите служители, тъй като вече съществуват записи за алтернативно разпределение. {0}"
 DocType: Fee Component,Fees Category,Такси - Категория
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Моля, въведете облекчаване дата."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Моля, въведете облекчаване дата."
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Сума
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Подробности за спонсора (име, местоположение)"
 DocType: Supplier Scorecard,Notify Employee,Уведомявайте служителя
@@ -4123,9 +4171,9 @@
 DocType: Company,Chart Of Accounts Template,Сметкоплан - Шаблон
 DocType: Attendance,Attendance Date,Присъствие Дата
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Актуализирането на запас трябва да бъде разрешено за фактурата за покупка {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Елемент Цена актуализиран за {0} в Ценовата листа {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Елемент Цена актуализиран за {0} в Ценовата листа {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Заплата раздялата въз основа на доходите и приспадане.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Сметка с подсметки не може да бъде превърнати в Главна счетоводна книга
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Сметка с подсметки не може да бъде превърнати в Главна счетоводна книга
 DocType: Purchase Invoice Item,Accepted Warehouse,Приет Склад
 DocType: Bank Reconciliation Detail,Posting Date,Публикуване Дата
 DocType: Item,Valuation Method,Метод на оценка
@@ -4162,6 +4210,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,"Моля, изберете партида"
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Искане за пътуване и разноски
 DocType: Sales Invoice,Redemption Cost Center,Център за осребряване на разходите
+DocType: QuickBooks Migrator,Scope,Обхват
 DocType: Assessment Group,Assessment Group Name,Име Оценка Group
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Материалът е прехвърлен за Производство
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Добавете към подробностите
@@ -4169,6 +4218,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Последно време за синхронизиране
 DocType: Landed Cost Item,Receipt Document Type,Получаване Тип на документа
 DocType: Daily Work Summary Settings,Select Companies,Изберете компании
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Предложение / ценова оферта
 DocType: Antibiotic,Healthcare,Здравеопазване
 DocType: Target Detail,Target Detail,Цел - Подробности
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Един вариант
@@ -4178,6 +4228,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Месечно приключване - запис
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Изберете отдел ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Разходен център със съществуващи операции не може да бъде превърнат в група
+DocType: QuickBooks Migrator,Authorization URL,Упълномощен URL адрес
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Сума {0} {1} {2} {3}
 DocType: Account,Depreciation,Амортизация
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Броят на акциите и номерата на акциите са неконсистентни
@@ -4199,13 +4250,14 @@
 DocType: Support Search Source,Source DocType,Източник DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Отворете нов билет
 DocType: Training Event,Trainer Email,Trainer Email
+DocType: Driver,Transporter,транспортьор
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Заявки за материал {0} създадени
 DocType: Restaurant Reservation,No of People,Брой хора
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Шаблон за условия или договор.
 DocType: Bank Account,Address and Contact,Адрес и контакти
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Дали профил Платими
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Фондова не може да бъде актуализиран срещу Разписка {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Фондова не може да бъде актуализиран срещу Разписка {0}
 DocType: Support Settings,Auto close Issue after 7 days,Автоматично затваряне на проблема след 7 дни
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Отпуск не могат да бъдат разпределени преди {0}, като баланс отпуск вече е ръчен изпраща в записа на бъдещото разпределение отпуск {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забележка: Поради / Референция Дата надвишава право кредитни клиент дни от {0} ден (и)
@@ -4223,7 +4275,7 @@
 ,Qty to Deliver,Количество за доставка
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon ще синхронизира данните, актуализирани след тази дата"
 ,Stock Analytics,Анализи на наличностите
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Операциите не могат да бъдат оставени празни
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Операциите не могат да бъдат оставени празни
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Лабораторни тестове
 DocType: Maintenance Visit Purpose,Against Document Detail No,Against Document Detail No
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Изтриването не е разрешено за държава {0}
@@ -4231,13 +4283,12 @@
 DocType: Quality Inspection,Outgoing,Изходящ
 DocType: Material Request,Requested For,Поискана за
 DocType: Quotation Item,Against Doctype,Срещу Вид Документ
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} е отменен или затворен
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} е отменен или затворен
 DocType: Asset,Calculate Depreciation,Изчислете амортизацията
 DocType: Delivery Note,Track this Delivery Note against any Project,Абонирай се за тази доставка Note срещу всеки проект
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Нетни парични средства от Инвестиране
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Група клиенти&gt; Територия
 DocType: Work Order,Work-in-Progress Warehouse,Склад за Незавършено производство
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Дълготраен актив {0} трябва да бъде изпратен
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Дълготраен актив {0} трябва да бъде изпратен
 DocType: Fee Schedule Program,Total Students,Общо студенти
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Присъствие Record {0} съществува срещу Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Референтен # {0} от {1}
@@ -4256,7 +4307,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Не може да се създаде бонус за задържане за останалите служители
 DocType: Lead,Market Segment,Пазарен сегмент
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Мениджър на земеделието
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Платената сума не може да бъде по-голям от общия изключително отрицателна сума {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Платената сума не може да бъде по-голям от общия изключително отрицателна сума {0}
 DocType: Supplier Scorecard Period,Variables,Променливи
 DocType: Employee Internal Work History,Employee Internal Work History,Служител Вътрешен - История на работа
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Закриване (Dr)
@@ -4280,22 +4331,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch продукти
 DocType: Loyalty Point Entry,Loyalty Program,Програма за лоялност
 DocType: Student Guardian,Father,баща
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Подкрепа Билети
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Актуализация на склад"" не може да бъде избрано при продажба на активи"
 DocType: Bank Reconciliation,Bank Reconciliation,Банково извлечение
 DocType: Attendance,On Leave,В отпуск
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Получаване на актуализации
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Сметка {2} не принадлежи на компания {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Изберете поне една стойност от всеки от атрибутите.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Изберете поне една стойност от всеки от атрибутите.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Искане за материал {0} е отменен или спрян
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Държава на изпращане
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Държава на изпращане
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Управление на отсътствията
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Групи
 DocType: Purchase Invoice,Hold Invoice,Задържане на фактура
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,"Моля, изберете служител"
 DocType: Sales Order,Fully Delivered,Напълно Доставени
-DocType: Lead,Lower Income,По-ниски доходи
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,По-ниски доходи
 DocType: Restaurant Order Entry,Current Order,Текуща поръчка
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Номерът на номерата и количеството трябва да са еднакви
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Източник и целеви склад не могат да бъдат един и същ за ред {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Източник и целеви склад не могат да бъдат един и същ за ред {0}
 DocType: Account,Asset Received But Not Billed,"Активът е получен, но не е таксуван"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разлика трябва да се вида на актива / Отговорност сметка, тъй като това Фондова Помирението е Откриване Влизане"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Платената сума не може да бъде по-голяма от кредит сума {0}
@@ -4304,7 +4357,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},"Поръчка за покупка брой, необходим за т {0}"
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""От дата"" трябва да е преди ""До дата"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Няма намерени персонални планове за това означение
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Партида {0} на елемент {1} е деактивирана.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Партида {0} на елемент {1} е деактивирана.
 DocType: Leave Policy Detail,Annual Allocation,Годишно разпределение
 DocType: Travel Request,Address of Organizer,Адрес на организатора
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Изберете медицински специалист ...
@@ -4313,12 +4366,12 @@
 DocType: Asset,Fully Depreciated,напълно амортизирани
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Фондова Прогнозно Количество
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Клиент {0} не принадлежи на проекта {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Клиент {0} не принадлежи на проекта {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Маркирано като присъствие HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Оферта са предложения, оферти, изпратени до клиентите"
 DocType: Sales Invoice,Customer's Purchase Order,Поръчка на Клиента
 DocType: Clinical Procedure,Patient,Пациент
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Пропускане на проверка на кредитния лимит при поръчка за продажба
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Пропускане на проверка на кредитния лимит при поръчка за продажба
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Активност при наемане на служители
 DocType: Location,Check if it is a hydroponic unit,Проверете дали е хидропонична единица
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Сериен № и Партида
@@ -4328,7 +4381,7 @@
 DocType: Supplier Scorecard Period,Calculations,Изчисленията
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Стойност или Количество
 DocType: Payment Terms Template,Payment Terms,Условия за плащане
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions поръчки не могат да бъдат повдигнати за:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions поръчки не могат да бъдат повдигнати за:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Минута
 DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка данъци и такси
 DocType: Chapter,Meetup Embed HTML,Meetup Вграждане на HTML
@@ -4336,17 +4389,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Отидете на Доставчици
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Такси за ваучери за затваряне на POS
 ,Qty to Receive,Количество за получаване
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Началните и крайните дати, които не са в валиден период на заплащане, не могат да изчисляват {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Началните и крайните дати, които не са в валиден период на заплащане, не могат да изчисляват {0}."
 DocType: Leave Block List,Leave Block List Allowed,Оставете Block List любимци
 DocType: Grading Scale Interval,Grading Scale Interval,Оценъчна скала - Интервал
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Expense Искане за Vehicle Вход {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Отстъпка (%) от ценовата листа с марджин
 DocType: Healthcare Service Unit Type,Rate / UOM,Честота / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Всички Складове
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,"Не {0}, намерени за сделки между фирмите."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,"Не {0}, намерени за сделки между фирмите."
 DocType: Travel Itinerary,Rented Car,Отдавна кола
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,За вашата компания
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Кредит на сметката трябва да бъде балансова сметка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Кредит на сметката трябва да бъде балансова сметка
 DocType: Donor,Donor,дарител
 DocType: Global Defaults,Disable In Words,"Изключване ""С думи"""
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Код е задължително, тъй като номерацията не е автоматична"
@@ -4358,14 +4411,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Банков Овърдрафт Акаунт
 DocType: Patient,Patient ID,Идент.номер на пациента
 DocType: Practitioner Schedule,Schedule Name,Име на графиката
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Продажби на тръбопровод по етап
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Направи фиш за заплата
 DocType: Currency Exchange,For Buying,За покупка
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Добавете всички доставчици
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Добавете всички доставчици
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ред # {0}: Разпределената сума не може да бъде по-голяма от остатъка.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Разгледай BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Обезпечени кредити
 DocType: Purchase Invoice,Edit Posting Date and Time,Редактиране на Дата и час на публикуване
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Моля, задайте на амортизация, свързани акаунти в категория активи {0} или Фирма {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Моля, задайте на амортизация, свързани акаунти в категория активи {0} или Фирма {1}"
 DocType: Lab Test Groups,Normal Range,Нормален диапазон
 DocType: Academic Term,Academic Year,Академична година
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Налични продажби
@@ -4394,26 +4448,26 @@
 DocType: Patient Appointment,Patient Appointment,Назначаване на пациент
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Приемане роля не може да бъде същата като ролята на правилото се прилага за
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Отписване от този Email бюлетин
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Вземи доставчици от
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Вземи доставчици от
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} не е намерен за елемент {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Отидете на Курсове
 DocType: Accounts Settings,Show Inclusive Tax In Print,Показване на включения данък в печат
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Банкова сметка, от дата до дата са задължителни"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Съобщението е изпратено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Сметка с деца възли не могат да бъдат определени като книга
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Сметка с деца възли не могат да бъдат определени като книга
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Скоростта, с която Ценоразпис валута се превръща в основна валута на клиента"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Нетната сума (фирмена валута)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Общият размер на авансовото плащане не може да бъде по-голям от общия размер на санкцията
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Общият размер на авансовото плащане не може да бъде по-голям от общия размер на санкцията
 DocType: Salary Slip,Hour Rate,Цена на час
 DocType: Stock Settings,Item Naming By,"Позиция наименуването им,"
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Друг период Закриване Влизане {0} е направено след {1}
 DocType: Work Order,Material Transferred for Manufacturing,"Материал, прехвърлен за производство"
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Сметка {0} не съществува
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Изберете програма за лоялност
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Изберете програма за лоялност
 DocType: Project,Project Type,Тип на проекта
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Детската задача съществува за тази задача. Не можете да изтриете тази задача.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Или целта Количество или целева сума е задължително.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Или целта Количество или целева сума е задължително.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Разходи за други дейности
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Създаване на събитията в {0}, тъй като Работника прикрепен към по-долу, купува Лицата не разполага с потребителско име {1}"
 DocType: Timesheet,Billing Details,Детайли за фактура
@@ -4470,13 +4524,13 @@
 DocType: Inpatient Record,A Negative,А Отрицателен
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Нищо повече за показване.
 DocType: Lead,From Customer,От клиент
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Призовава
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Призовава
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Продукт
 DocType: Employee Tax Exemption Declaration,Declarations,декларации
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Партиди
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Направете график на таксите
 DocType: Purchase Order Item Supplied,Stock UOM,Склад - мерна единица
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Поръчка за покупка {0} не е подадена
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Поръчка за покупка {0} не е подадена
 DocType: Account,Expenses Included In Asset Valuation,"Разходи, включени в оценката на активите"
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Нормалният референтен диапазон за възрастен е 16-20 вдишвания / минута (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,тарифен номер
@@ -4489,6 +4543,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,"Моля, запишете първо данните на пациента"
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Присъствие е маркирано успешно.
 DocType: Program Enrollment,Public Transport,Обществен транспорт
+DocType: Delivery Note,GST Vehicle Type,GST Тип на превозното средство
 DocType: Soil Texture,Silt Composition (%),Състав на Silt (%)
 DocType: Journal Entry,Remark,Забележка
 DocType: Healthcare Settings,Avoid Confirmation,Пропускане на потвърждението
@@ -4497,11 +4552,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Отпуски и Празници
 DocType: Education Settings,Current Academic Term,Настоящ академичен срок
 DocType: Sales Order,Not Billed,Не фактуриран
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,И двата склада трябва да принадлежат към една и съща фирма
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,И двата склада трябва да принадлежат към една и съща фирма
 DocType: Employee Grade,Default Leave Policy,Стандартно отпуск
 DocType: Shopify Settings,Shop URL,URL адрес на магазин
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,"Не са добавени контакти, все още."
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Моля, настроите серийна номерация за участие чрез настройка&gt; Серия за номериране"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Поземлен Cost Ваучер Сума
 ,Item Balance (Simple),Баланс на елемента (опростен)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Фактури издадени от доставчици.
@@ -4526,7 +4580,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Оферта Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Една статия, съществува със същото име ({0}), моля да промените името на стокова група или преименувате елемента"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Критерии за анализ на почвите
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Моля изберете клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Моля изберете клиент
 DocType: C-Form,I,аз
 DocType: Company,Asset Depreciation Cost Center,Център за амортизация на разходите Асет
 DocType: Production Plan Sales Order,Sales Order Date,Поръчка за продажба - Дата
@@ -4539,8 +4593,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Понастоящем няма налични запаси в нито един склад
 ,Payment Period Based On Invoice Date,Заплащане Период на базата на датата на фактурата
 DocType: Sample Collection,No. of print,Брой разпечатки
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Напомняне за рожден ден
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Резервация за хотелска стая
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Липсва обменен курс за валута {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Липсва обменен курс за валута {0}
 DocType: Employee Health Insurance,Health Insurance Name,Здравноосигурително име
 DocType: Assessment Plan,Examiner,ревизор
 DocType: Student,Siblings,Братя и сестри
@@ -4557,19 +4612,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Нови клиенти
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Брутна Печалба %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Сроковете {0} и фактурите за продажба {1} бяха анулирани
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Възможности от оловен източник
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Промяна на POS профила
 DocType: Bank Reconciliation Detail,Clearance Date,Клирънсът Дата
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Активът вече съществува срещу елемента {0}, не можете да го промените, няма стойност за серий"
+DocType: Delivery Settings,Dispatch Notification Template,Шаблон за уведомяване за изпращане
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Активът вече съществува срещу елемента {0}, не можете да го промените, няма стойност за серий"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Доклад за оценка
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Вземете служители
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Брутна Сума на покупката е задължителна
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Името на фирмата не е същото
 DocType: Lead,Address Desc,Адрес Описание
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Компания е задължителна
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Бяха открити редове с дублиращи се дати в други редове: {list}
 DocType: Topic,Topic Name,Тема Наименование
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Моля, задайте шаблон по подразбиране за уведомление за одобрение на отпадане в настройките на HR."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Моля, задайте шаблон по подразбиране за уведомление за одобрение на отпадане в настройките на HR."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Поне една от продажба или закупуване трябва да бъдат избрани
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Изберете служител, за да накарате служителя предварително."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,"Моля, изберете валидна дата"
@@ -4603,6 +4659,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Клиент или доставчик - Детайли
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Текуща стойност на активите
+DocType: QuickBooks Migrator,Quickbooks Company ID,Идентификационен номер на фирма за бързи книги
 DocType: Travel Request,Travel Funding,Финансиране на пътуванията
 DocType: Loan Application,Required by Date,Изисвани до дата
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Връзка към всички Местоположения, в които расте Растението"
@@ -4616,9 +4673,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Свободно Batch Количество в От Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Общо Приспадане - кредит за погасяване
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Текущ BOM и нов BOM не могат да бъдат едни и същи
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Текущ BOM и нов BOM не могат да бъдат едни и същи
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Фиш за заплата ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Дата на пенсиониране трябва да е по-голяма от Дата на Присъединяване
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Дата на пенсиониране трябва да е по-голяма от Дата на Присъединяване
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Няколко варианта
 DocType: Sales Invoice,Against Income Account,Срещу Приходна Сметка
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Доставени
@@ -4647,7 +4704,7 @@
 DocType: POS Profile,Update Stock,Актуализация Наличности
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Different мерна единица за елементи ще доведе до неправилно (Total) Нетна стойност на теглото. Уверете се, че нетното тегло на всеки артикул е в една и съща мерна единица."
 DocType: Certification Application,Payment Details,Подробности на плащане
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Курс
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Курс
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Спиралата поръчка за работа не може да бъде отменена, първо я отменете, за да я отмените"
 DocType: Asset,Journal Entry for Scrap,Вестник Влизане за скрап
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Моля, дръпнете елементи от Delivery Note"
@@ -4670,11 +4727,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Общо санкционирани Сума
 ,Purchase Analytics,Закупуване - Анализи
 DocType: Sales Invoice Item,Delivery Note Item,Складова разписка - Позиция
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Текущата фактура {0} липсва
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Текущата фактура {0} липсва
 DocType: Asset Maintenance Log,Task,Задача
 DocType: Purchase Taxes and Charges,Reference Row #,Референтен Ред #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Номер на партидата е задължителна за позиция {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,"Това е човек, корен на продажбите и не може да се редактира."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,"Това е човек, корен на продажбите и не може да се редактира."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ако е избрано, стойността, посочена или изчислена в този компонент, няма да допринесе за приходите или удръжките. Въпреки това, стойността му може да се посочи от други компоненти, които могат да бъдат добавени или приспаднати."
 DocType: Asset Settings,Number of Days in Fiscal Year,Брой дни във фискалната година
 ,Stock Ledger,Фондова Ledger
@@ -4682,7 +4739,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Печалба / загуба на профила
 DocType: Amazon MWS Settings,MWS Credentials,Удостоверения за MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Служител и Присъствие
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Цел трябва да бъде един от {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Цел трябва да бъде един от {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Попълнете формата и да го запишете
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Community Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Реално количество в наличност
@@ -4697,7 +4754,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard Selling Rate
 DocType: Account,Rate at which this tax is applied,"Скоростта, с която се прилага този данък"
 DocType: Cash Flow Mapper,Section Name,Име на секцията
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Пренареждане Количество
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Пренареждане Количество
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Амортизационен ред {0}: Очакваната стойност след полезен живот трябва да бъде по-голяма или равна на {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Текущи свободни работни места
 DocType: Company,Stock Adjustment Account,Корекция на наличности - Сметка
@@ -4707,8 +4764,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System Потребител (вход) ID. Ако е зададено, че ще стане по подразбиране за всички форми на човешките ресурси."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Въведете данни за амортизацията
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: От {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Оставете заявката {0} вече да съществува срещу ученика {1}
 DocType: Task,depends_on,зависи от
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Нарежда се за актуализиране на последната цена във всички сметки. Може да отнеме няколко минути.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Нарежда се за актуализиране на последната цена във всички сметки. Може да отнеме няколко минути.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Име на нов профил. Забележка: Моля, не създават сметки за клиенти и доставчици"
 DocType: POS Profile,Display Items In Stock,Показва наличните елементи
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Шаблон на адрес по подразбиране за държавата
@@ -4738,16 +4796,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Слотовете за {0} не се добавят към графика
 DocType: Product Bundle,List items that form the package.,"Списък на елементите, които формират пакета."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,"Не е разрешено. Моля, деактивирайте тестовия шаблон"
+DocType: Delivery Note,Distance (in km),Разстояние (в км)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Процентно разпределение следва да е равно на 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Моля, изберете дата на завеждане, преди да изберете страна"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Моля, изберете дата на завеждане, преди да изберете страна"
 DocType: Program Enrollment,School House,училище Къща
 DocType: Serial No,Out of AMC,Няма AMC
+DocType: Opportunity,Opportunity Amount,Възможност Сума
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Брой на амортизации Договорени не може да бъде по-голям от общия брой амортизации
 DocType: Purchase Order,Order Confirmation Date,Дата на потвърждаване на поръчката
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Създаване на Посещение за поддръжка
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Началната дата и крайната дата се припокриват с работната карта <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Детайли за прехвърлянето на служители
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Моля, свържете се с потребител, който има {0} роля Продажби Майстор на мениджъра"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Моля, свържете се с потребител, който има {0} роля Продажби Майстор на мениджъра"
 DocType: Company,Default Cash Account,Каса - сметка по подразбиране
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (не клиент или доставчик) майстор.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Това се основава на присъствието на този Student
@@ -4755,9 +4816,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Добавете още предмети или отворен пълна форма
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Складовата разписка {0} трябва да се отмени преди да анулирате тази поръчка за продажба
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Отидете на Потребители
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Платената сума + отписана сума не може да бъде по-голяма от обща сума
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Платената сума + отписана сума не може да бъде по-голяма от обща сума
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не е валиден Партиден номер за Артикул {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Забележка: Няма достатъчно отпуск баланс за отпуск Тип {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Забележка: Няма достатъчно отпуск баланс за отпуск Тип {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Enter NA за нерегистриран
 DocType: Training Event,Seminar,семинар
 DocType: Program Enrollment Fee,Program Enrollment Fee,Програма такса за записване
@@ -4774,7 +4835,7 @@
 DocType: Fee Schedule,Fee Schedule,График за такса
 DocType: Company,Create Chart Of Accounts Based On,Създаване на индивидуален сметкоплан на базата на
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Не може да се конвертира в не-група. Децата работят.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,"Дата на раждане не може да бъде по-голяма, отколкото е днес."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,"Дата на раждане не може да бъде по-голяма, отколкото е днес."
 ,Stock Ageing,Склад за живот на възрастните хора
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Частично спонсорирани, изискват частично финансиране"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Студент {0} съществува срещу ученик кандидат {1}
@@ -4821,11 +4882,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Преди изравняване
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},За  {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Данъци и такси - Добавени (фирмена валута)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Позиция Tax Row {0} Трябва да имате предвид тип данък или приход или разход или Дължими
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Позиция Tax Row {0} Трябва да имате предвид тип данък или приход или разход или Дължими
 DocType: Sales Order,Partly Billed,Частично фактурирани
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Позиция {0} трябва да е дълготраен актив
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Направете варианти
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Направете варианти
 DocType: Item,Default BOM,BOM по подразбиране
 DocType: Project,Total Billed Amount (via Sales Invoices),Обща таксувана сума (чрез фактури за продажби)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Дебитно известие - сума
@@ -4854,13 +4915,13 @@
 DocType: Notification Control,Custom Message,Персонализирано съобщение
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Инвестиционно банкиране
 DocType: Purchase Invoice,input,вход
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Брой или банкова сметка е задължителна за въвеждане на плащане
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Брой или банкова сметка е задължителна за въвеждане на плащане
 DocType: Loyalty Program,Multiple Tier Program,Програма с няколко нива
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Студентски адрес
 DocType: Purchase Invoice,Price List Exchange Rate,Ценоразпис Валутен курс
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Всички групи доставчици
 DocType: Employee Boarding Activity,Required for Employee Creation,Изисква се за създаване на служители
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},"Номер на профила {0}, вече използван в профила {1}"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},"Номер на профила {0}, вече използван в профила {1}"
 DocType: GoCardless Mandate,Mandate,мандат
 DocType: POS Profile,POS Profile Name,Името на профила на POS
 DocType: Hotel Room Reservation,Booked,Резервирано
@@ -4876,18 +4937,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Референтен Не е задължително, ако сте въвели, Референция Дата"
 DocType: Bank Reconciliation Detail,Payment Document,платежен документ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Грешка при оценката на формулата за критерии
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Дата на Присъединяване трябва да е по-голяма от Дата на раждане
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Дата на Присъединяване трябва да е по-голяма от Дата на раждане
 DocType: Subscription,Plans,планове
 DocType: Salary Slip,Salary Structure,Структура Заплата
 DocType: Account,Bank,Банка
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Авиолиния
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Изписване на материал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Изписване на материал
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Свържете Shopify с ERPNext
 DocType: Material Request Item,For Warehouse,За склад
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Бележките за доставка {0} бяха актуализирани
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Бележките за доставка {0} бяха актуализирани
 DocType: Employee,Offer Date,Оферта - Дата
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Оферти
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Вие сте в офлайн режим. Вие няма да бъдете в състояние да презареждате, докато нямате мрежа."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Оферти
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Вие сте в офлайн режим. Вие няма да бъдете в състояние да презареждате, докато нямате мрежа."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Няма създаден студентски групи.
 DocType: Purchase Invoice Item,Serial No,Сериен Номер
@@ -4899,24 +4960,26 @@
 DocType: Sales Invoice,Customer PO Details,Подробни данни за клиента
 DocType: Stock Entry,Including items for sub assemblies,Включително артикули за под събрания
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Временна сметка за откриване
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,"Въведете стойност, която да бъде положителна"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,"Въведете стойност, която да бъде положителна"
 DocType: Asset,Finance Books,Финансови книги
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Декларация за освобождаване от данък за служителите
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Всички територии
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,"Моля, задайте политика за отпуск за служител {0} в регистъра за служител / степен"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Невалидна поръчка за избрания клиент и елемент
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Невалидна поръчка за избрания клиент и елемент
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Добавете няколко задачи
 DocType: Purchase Invoice,Items,Позиции
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Крайната дата не може да бъде преди началната дата.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student вече е регистриран.
 DocType: Fiscal Year,Year Name,Година Име
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Има повече почивки от работни дни в този месец.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Реф
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Има повече почивки от работни дни в този месец.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Следните елементи {0} не се означават като {1} елемент. Можете да ги активирате като {1} елемент от главния му елемент
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Реф
 DocType: Production Plan Item,Product Bundle Item,Каталог Bundle Точка
 DocType: Sales Partner,Sales Partner Name,Търговски партньор - Име
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Запитвания за оферти
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Запитвания за оферти
 DocType: Payment Reconciliation,Maximum Invoice Amount,Максимална сума на фактурата
 DocType: Normal Test Items,Normal Test Items,Нормални тестови елементи
+DocType: QuickBooks Migrator,Company Settings,Настройки на компанията
 DocType: Additional Salary,Overwrite Salary Structure Amount,Презаписване на сумата на структурата на заплатите
 DocType: Student Language,Student Language,Student Език
 apps/erpnext/erpnext/config/selling.py +23,Customers,Клиенти
@@ -4928,21 +4991,23 @@
 DocType: Issue,Opening Time,Наличност - Време
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,От и до датите са задължителни
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Ценни книжа и стоковите борси
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default мерната единица за Variant &#39;{0}&#39; трябва да бъде същото, както в Template &quot;{1}&quot;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default мерната единица за Variant &#39;{0}&#39; трябва да бъде същото, както в Template &quot;{1}&quot;"
 DocType: Shipping Rule,Calculate Based On,Изчислете на основата на
 DocType: Contract,Unfulfilled,неизпълнен
 DocType: Delivery Note Item,From Warehouse,От склад
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Няма служители за посочените критерии
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Не артикули с Бил на материали за производство на
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Не артикули с Бил на материали за производство на
 DocType: Shopify Settings,Default Customer,Клиент по подразбиране
+DocType: Sales Stage,Stage Name,Сценично име
 DocType: Warranty Claim,SER-WRN-.YYYY.-,ДОИ-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Наименование на надзорник
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Не потвърждавайте дали среща е създадена за същия ден
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Кораб към държавата
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Кораб към държавата
 DocType: Program Enrollment Course,Program Enrollment Course,Курс за записване на програмата
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Потребител {0} вече е назначен за здравен специалист {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Направете вписване за запазване на пробата
 DocType: Purchase Taxes and Charges,Valuation and Total,Оценка и Обща сума
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Преговори / Преглед
 DocType: Leave Encashment,Encashment Amount,Сума за инкасация
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Изтекли партиди
@@ -4952,7 +5017,7 @@
 DocType: Staffing Plan Detail,Current Openings,Текущи отвори
 DocType: Notification Control,Customize the Notification,Персонализиране на Notification
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Парични потоци от операции
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Сума
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Сума
 DocType: Purchase Invoice,Shipping Rule,Доставка Правило
 DocType: Patient Relation,Spouse,Съпруг
 DocType: Lab Test Groups,Add Test,Добавяне на тест
@@ -4966,14 +5031,14 @@
 DocType: Payroll Entry,Payroll Frequency,ТРЗ Честота
 DocType: Lab Test Template,Sensitivity,чувствителност
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Синхронизирането временно бе деактивирано, тъй като максималните опити бяха превишени"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Суровина
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Суровина
 DocType: Leave Application,Follow via Email,Следвайте по имейл
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Заводи и машини
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сума на данъка след сумата на отстъпката
 DocType: Patient,Inpatient Status,Стационарно състояние на пациентите
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Дневни Settings Work Резюме
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Избраните ценови листи трябва да са проверени и проверени.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,"Моля, въведете Reqd по дата"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Избраните ценови листи трябва да са проверени и проверени.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,"Моля, въведете Reqd по дата"
 DocType: Payment Entry,Internal Transfer,вътрешен трансфер
 DocType: Asset Maintenance,Maintenance Tasks,Задачи за поддръжка
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Или целта Количество или целева сума е задължителна
@@ -4994,7 +5059,7 @@
 DocType: Mode of Payment,General,Общ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последна комуникация
 ,TDS Payable Monthly,Такса за плащане по месеци
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Зареден за замяна на BOM. Това може да отнеме няколко минути.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Зареден за замяна на BOM. Това може да отнеме няколко минути.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се приспадне при категория е за &quot;оценка&quot; или &quot;Оценка и Total&quot;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},"Серийни номера, изисквано за серийни номера, т {0}"
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Краен Плащания с фактури
@@ -5007,7 +5072,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Добави в кошницата
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Групирай по
 DocType: Guardian,Interests,Интереси
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Включване / Изключване на валути.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Включване / Изключване на валути.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Не можах да подам няколко фишове за заплати
 DocType: Exchange Rate Revaluation,Get Entries,Получете вписвания
 DocType: Production Plan,Get Material Request,Вземи заявка за материал
@@ -5029,15 +5094,16 @@
 DocType: Lead,Lead Type,Тип потенциален клиент
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Вие нямате право да одобри листата на Блок Дати
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Всички тези елементи вече са били фактурирани
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Задайте нова дата на издаване
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Задайте нова дата на издаване
 DocType: Company,Monthly Sales Target,Месечна цел за продажби
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Може да бъде одобрен от {0}
 DocType: Hotel Room,Hotel Room Type,Тип стая тип хотел
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Доставчик&gt; Тип доставчик
 DocType: Leave Allocation,Leave Period,Оставете период
 DocType: Item,Default Material Request Type,Тип заявка за материали по подразбиране
 DocType: Supplier Scorecard,Evaluation Period,Период на оценяване
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,неизвестен
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Работната поръчка не е създадена
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Работната поръчка не е създадена
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Сумата от {0}, която вече е претендирана за компонента {1}, \ определи сумата равна или по-голяма от {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Условия за доставка
@@ -5070,15 +5136,15 @@
 DocType: Batch,Source Document Name,Име на изходния документ
 DocType: Production Plan,Get Raw Materials For Production,Вземи суровини за производство
 DocType: Job Opening,Job Title,Длъжност
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} показва, че {1} няма да предостави котировка, но са цитирани всички елементи \. Актуализиране на състоянието на котировката на RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максималните проби - {0} вече са запазени за партида {1} и елемент {2} в партида {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максималните проби - {0} вече са запазени за партида {1} и елемент {2} в партида {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Актуализиране на цената на BOM автоматично
 DocType: Lab Test,Test Name,Име на теста
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Клинична процедура консумирана точка
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Създаване на потребители
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,грам
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Абонаменти
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Абонаменти
 DocType: Supplier Scorecard,Per Month,На месец
 DocType: Education Settings,Make Academic Term Mandatory,Задължително е академичното наименование
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Количество за Производство трябва да е по-голямо от 0.
@@ -5087,9 +5153,9 @@
 DocType: Stock Entry,Update Rate and Availability,Актуализация Курсове и Наличност
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Процент ви е позволено да получи или достави повече от поръчаното количество. Например: Ако сте поръчали 100 единици. и си Allowance е 10% след което се оставя да се получи 110 единици.
 DocType: Loyalty Program,Customer Group,Група клиенти
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Ред # {0}: Операция {1} не е завършена за {2} брой готови продукти в работна поръчка # {3}. Моля, актуализирайте състоянието на операциите чрез часовите дневници"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Ред # {0}: Операция {1} не е завършена за {2} брой готови продукти в работна поръчка # {3}. Моля, актуализирайте състоянието на операциите чрез часовите дневници"
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Нов идентификационен номер на партидата (незадължително)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Разходна сметка е задължително за покупка {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Разходна сметка е задължително за покупка {0}
 DocType: BOM,Website Description,Website Описание
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Нетна промяна в собствения капитал
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Моля анулирайте фактурата за покупка {0} първо
@@ -5104,7 +5170,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,"Няма нищо, за да редактирате."
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Изглед на формата
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Задължителният разпоредител с разходи в декларацията за разходи
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Резюме за този месец и предстоящи дейности
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Резюме за този месец и предстоящи дейности
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Моля, задайте нереализирана сметка за печалба / загуба в компанията {0}"
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Добавете потребители към вашата организация, различни от вас."
 DocType: Customer Group,Customer Group Name,Група клиенти - Име
@@ -5114,14 +5180,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Не е създадена материална заявка
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Размер на кредита не може да надвишава сума на максимален заем  {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Разрешително
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Моля, премахнете тази фактура {0} от C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Моля, премахнете тази фактура {0} от C-Form {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Моля изберете прехвърляне, ако и вие искате да се включат предходната фискална година баланс оставя на тази фискална година"
 DocType: GL Entry,Against Voucher Type,Срещу ваучер Вид
 DocType: Healthcare Practitioner,Phone (R),Телефон (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Добавени са времеви слотове
 DocType: Item,Attributes,Атрибути
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Активиране на шаблона
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Моля, въведете отпишат Акаунт"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Моля, въведете отпишат Акаунт"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последна Поръчка Дата
 DocType: Salary Component,Is Payable,Плаща се
 DocType: Inpatient Record,B Negative,B Отрицателен
@@ -5132,7 +5198,7 @@
 DocType: Hotel Room,Hotel Room,Хотелска стая
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Сметка {0} не принадлежи на фирма {1}
 DocType: Leave Type,Rounding,Усъвършенстването
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Серийните номера в ред {0} не съвпадат с бележката за доставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Серийните номера в ред {0} не съвпадат с бележката за доставка
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),"Сума, разпределена (пропорционално)"
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","След това правилата за ценообразуване се филтрират на базата на клиент, група клиенти, територия, доставчик, доставчик група, кампания, търговски партньор и т.н."
 DocType: Student,Guardian Details,Guardian Детайли
@@ -5141,10 +5207,10 @@
 DocType: Vehicle,Chassis No,Шаси Номер
 DocType: Payment Request,Initiated,Образувани
 DocType: Production Plan Item,Planned Start Date,Планирана начална дата
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,"Моля, изберете BOM"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,"Моля, изберете BOM"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Наблюдава интегрирания данък за ИТС
 DocType: Purchase Order Item,Blanket Order Rate,Обикновена поръчка
-apps/erpnext/erpnext/hooks.py +156,Certification,сертифициране
+apps/erpnext/erpnext/hooks.py +157,Certification,сертифициране
 DocType: Bank Guarantee,Clauses and Conditions,Клаузи и условия
 DocType: Serial No,Creation Document Type,Създаване на тип документ
 DocType: Project Task,View Timesheet,Преглед на график
@@ -5169,6 +5235,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Родител позиция {0} не трябва да бъде позиция с наличности
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Уебсайт
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Всички продукти или услуги.
+DocType: Email Digest,Open Quotations,Отворени котировки
 DocType: Expense Claim,More Details,Повече детайли
 DocType: Supplier Quotation,Supplier Address,Доставчик Адрес
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет за сметка {1} по {2} {3} е {4}. Той ще буде превишен с {5}
@@ -5183,12 +5250,11 @@
 DocType: Training Event,Exam,Изпит
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Грешка на пазара
 DocType: Complaint,Complaint,оплакване
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Склад се изисква за артикул {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Склад се изисква за артикул {0}
 DocType: Leave Allocation,Unused leaves,Неизползваните отпуски
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Направете вход за погасяване
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Всички отдели
 DocType: Healthcare Service Unit,Vacant,незает
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Доставчик&gt; Тип доставчик
 DocType: Patient,Alcohol Past Use,Използване на алкохол в миналото
 DocType: Fertilizer Content,Fertilizer Content,Съдържание на тор
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5196,7 +5262,7 @@
 DocType: Tax Rule,Billing State,(Фактура) Състояние
 DocType: Share Transfer,Transfer,Прехвърляне
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Поръчката за работа {0} трябва да бъде анулирана преди отмяната на тази поръчка за продажба
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Изважда се взриви BOM (включително монтажните възли)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Изважда се взриви BOM (включително монтажните възли)
 DocType: Authorization Rule,Applicable To (Employee),Приложими по отношение на (Employee)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Срок за плащане е задължителен
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Увеличаване на атрибут {0} не може да бъде 0
@@ -5212,7 +5278,7 @@
 DocType: Disease,Treatment Period,Период на лечение
 DocType: Travel Itinerary,Travel Itinerary,Пътешествие
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Резултат вече е подаден
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Запазеният склад е задължителен за елемент {0} в доставените суровини
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Запазеният склад е задължителен за елемент {0} в доставените суровини
 ,Inactive Customers,Неактивни Клиенти
 DocType: Student Admission Program,Maximum Age,Максимална възраст
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,"Моля, изчакайте 3 дни преди да изпратите отново напомнянето."
@@ -5221,7 +5287,6 @@
 DocType: Stock Entry,Delivery Note No,Складова разписка - Номер
 DocType: Cheque Print Template,Message to show,Съобщение за показване
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,На дребно
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Управление на фактурата за назначаване автоматично
 DocType: Student Attendance,Absent,Липсващ
 DocType: Staffing Plan,Staffing Plan Detail,Персоналният план подробности
 DocType: Employee Promotion,Promotion Date,Дата на промоцията
@@ -5243,7 +5308,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Създаване на Възможност
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Печат и консумативи
 DocType: Stock Settings,Show Barcode Field,Покажи поле за баркод
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Изпрати Доставчик имейли
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Изпрати Доставчик имейли
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Заплата вече обработени за период между {0} и {1}, Оставете период заявление не може да бъде между този период от време."
 DocType: Fiscal Year,Auto Created,Автоматично създадена
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Изпратете това, за да създадете запис на служителите"
@@ -5252,7 +5317,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Фактурата {0} вече не съществува
 DocType: Guardian Interest,Guardian Interest,Guardian Интерес
 DocType: Volunteer,Availability,Наличност
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Настройване на стандартните стойности за POS фактури
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Настройване на стандартните стойности за POS фактури
 apps/erpnext/erpnext/config/hr.py +248,Training,Обучение
 DocType: Project,Time to send,Време за изпращане
 DocType: Timesheet,Employee Detail,Служител - Детайли
@@ -5275,7 +5340,7 @@
 DocType: Training Event Employee,Optional,по избор
 DocType: Salary Slip,Earning & Deduction,Приходи & Удръжки
 DocType: Agriculture Analysis Criteria,Water Analysis,Воден анализ
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} вариантите са създадени.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} вариантите са създадени.
 DocType: Amazon MWS Settings,Region,Област
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"По избор. Тази настройка ще бъде използван, за да филтрирате по различни сделки."
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Отрицателна сума не е позволена
@@ -5294,7 +5359,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Разходите за Брак на активи
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Разходен Център е задължително за {2}
 DocType: Vehicle,Policy No,Полица номер
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Вземи елементите  от продуктов пакет
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Вземи елементите  от продуктов пакет
 DocType: Asset,Straight Line,Права
 DocType: Project User,Project User,Потребител в проект
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,разцепване
@@ -5302,7 +5367,7 @@
 DocType: GL Entry,Is Advance,Е аванс
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Живот на служителите
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Присъствие От Дата и зрители към днешна дата е задължително
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Моля, изберете ""е от подизпълнител"" като Да или Не"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Моля, изберете ""е от подизпълнител"" като Да или Не"
 DocType: Item,Default Purchase Unit of Measure,Елемент за мярка по подразбиране за покупка
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Дата на Последна комуникация
 DocType: Clinical Procedure Item,Clinical Procedure Item,Клинична процедура позиция
@@ -5311,7 +5376,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Липсва маркер за достъп или URL адрес на Shopify
 DocType: Location,Latitude,Географска ширина
 DocType: Work Order,Scrap Warehouse,скрап Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Необходимо е склад в ред № {0}, моля, задайте склад по подразбиране за елемента {1} за фирмата {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Необходимо е склад в ред № {0}, моля, задайте склад по подразбиране за елемента {1} за фирмата {2}"
 DocType: Work Order,Check if material transfer entry is not required,Проверете дали не се изисква въвеждане на материал за прехвърляне
 DocType: Program Enrollment Tool,Get Students From,Вземете студентите от
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Публикуване Теми на Website
@@ -5326,6 +5391,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Нова партида - колич.
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Облекло &amp; Аксесоари
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Функцията за претеглена оценка не можа да бъде решена. Уверете се, че формулата е валидна."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Поръчки за доставка не са получени навреме
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Брой на Поръчка
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML / банер, който ще се появи на върха на списъка с продукти."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,"Посочете условия, за да изчисли стойността на доставката"
@@ -5334,9 +5400,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,път
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Не може да конвертирате Cost Center да Леджър, тъй като има дете възли"
 DocType: Production Plan,Total Planned Qty,Общ планиран брой
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Наличност - Стойност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Наличност - Стойност
 DocType: Salary Component,Formula,формула
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Лабораторен тестов шаблон
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Профил за продажби
 DocType: Purchase Invoice Item,Total Weight,Общо тегло
@@ -5354,7 +5420,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Направи Материал Заявка
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open т {0}
 DocType: Asset Finance Book,Written Down Value,Написана стойност надолу
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Моля, настройте система за наименуване на служители в Човешки ресурси&gt; Настройки за персонала"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Фактурата за продажба {0} трябва да се отмени преди анулирането този Продажби Поръчка
 DocType: Clinical Procedure,Age,Възраст
 DocType: Sales Invoice Timesheet,Billing Amount,Сума за фактуриране
@@ -5363,11 +5428,11 @@
 DocType: Company,Default Employee Advance Account,Стандартен авансов профил на служител
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Елемент от търсенето (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Сметка със съществуващa трансакция не може да бъде изтрита
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Сметка със съществуващa трансакция не може да бъде изтрита
 DocType: Vehicle,Last Carbon Check,Последна проверка на въглерода
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Правни разноски
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,"Моля, изберете количество на ред"
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Отваряне на фактурите за продажби и покупки
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Отваряне на фактурите за продажби и покупки
 DocType: Purchase Invoice,Posting Time,Време на осчетоводяване
 DocType: Timesheet,% Amount Billed,% Фактурирана сума
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Разходите за телефония
@@ -5382,14 +5447,14 @@
 DocType: Maintenance Visit,Breakdown,Авария
 DocType: Travel Itinerary,Vegetarian,вегетарианец
 DocType: Patient Encounter,Encounter Date,Дата на среща
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Сметка: {0} с валута: не може да бъде избран {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Сметка: {0} с валута: не може да бъде избран {1}
 DocType: Bank Statement Transaction Settings Item,Bank Data,Банкови данни
 DocType: Purchase Receipt Item,Sample Quantity,Количество проба
 DocType: Bank Guarantee,Name of Beneficiary,Име на бенефициента
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Актуализиране на BOM струва автоматично чрез Scheduler, въз основа на последната скорост на оценка / ценоразпис / последната сума на покупката на суровини."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Чек Дата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Сметка {0}: Родителска сметка {1} не принадлежи на фирмата: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Сметка {0}: Родителска сметка {1} не принадлежи на фирмата: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,"Успешно изтрити всички транзакции, свързани с тази компания!"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Както по Дата
 DocType: Additional Salary,HR,ЧР
@@ -5397,7 +5462,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Извън SMS съобщения за пациента
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Изпитание
 DocType: Program Enrollment Tool,New Academic Year,Новата учебна година
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Връщане / кредитно известие
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Връщане / кредитно известие
 DocType: Stock Settings,Auto insert Price List rate if missing,"Auto вложка Ценоразпис ставка, ако липсва"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Общо платената сума
 DocType: GST Settings,B2C Limit,B2C лимит
@@ -5415,10 +5480,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,"Подвъзли могат да се създават само при възли от тип ""група"""
 DocType: Attendance Request,Half Day Date,Половин ден - Дата
 DocType: Academic Year,Academic Year Name,Учебна година - Наименование
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,"{0} не е разрешено да извършва транзакции с {1}. Моля, променете фирмата."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,"{0} не е разрешено да извършва транзакции с {1}. Моля, променете фирмата."
 DocType: Sales Partner,Contact Desc,Контакт - Описание
 DocType: Email Digest,Send regular summary reports via Email.,Изпрати редовни обобщени доклади чрез електронна поща.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Моля, задайте профила по подразбиране в Expense претенция Type {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Моля, задайте профила по подразбиране в Expense претенция Type {0}"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Налични листа
 DocType: Assessment Result,Student Name,Студент - Име
 DocType: Hub Tracked Item,Item Manager,Мениджъра на позиция
@@ -5443,9 +5508,10 @@
 DocType: Subscription,Trial Period End Date,Крайна дата на пробния период
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не authroized тъй {0} надхвърля границите
 DocType: Serial No,Asset Status,Състояние на активите
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Различни товари (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Ресторант Маса
 DocType: Hotel Room,Hotel Manager,Управител на хотел
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Определете данъчни правила за количката
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Определете данъчни правила за количката
 DocType: Purchase Invoice,Taxes and Charges Added,Данъци и такси - Добавени
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,"Амортизационен ред {0}: Следващата дата на амортизация не може да бъде преди датата, която е налице за използване"
 ,Sales Funnel,Фуния на продажбите
@@ -5461,10 +5527,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Всички групи клиенти
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Натрупвано месечно
 DocType: Attendance Request,On Duty,На смяна
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задължително. Може би запис за обменни курсове на валута не е създаден от {1} към {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задължително. Може би запис за обменни курсове на валута не е създаден от {1} към {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Персоналният план {0} вече съществува за означаване {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Данъчен шаблон е задължителен.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Сметка {0}: Родителска сметка {1} не съществува
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Сметка {0}: Родителска сметка {1} не съществува
 DocType: POS Closing Voucher,Period Start Date,Дата на началния период
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценоразпис Rate (Company валути)
 DocType: Products Settings,Products Settings,Продукти - Настройки
@@ -5484,7 +5550,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Това действие ще спре бъдещо таксуване. Наистина ли искате да отмените този абонамент?
 DocType: Serial No,Distinct unit of an Item,Обособена единица на артикул
 DocType: Supplier Scorecard Criteria,Criteria Name,Име на критерия
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,"Моля, задайте фирмата"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,"Моля, задайте фирмата"
 DocType: Procedure Prescription,Procedure Created,Създадена е процедура
 DocType: Pricing Rule,Buying,Купуване
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Болести и торове
@@ -5501,42 +5567,43 @@
 DocType: Employee Onboarding,Job Offer,Предложение за работа
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Институт Съкращение
 ,Item-wise Price List Rate,Точка-мъдър Ценоразпис Курсове
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Доставчик оферта
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Доставчик оферта
 DocType: Quotation,In Words will be visible once you save the Quotation.,Словом ще бъде видим след като запазите офертата.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Количеството ({0}) не може да бъде част от реда {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Количеството ({0}) не може да бъде част от реда {1}
 DocType: Contract,Unsigned,неподписан
 DocType: Selling Settings,Each Transaction,Всяка транзакция
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Баркод {0} вече се използва в ред {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Баркод {0} вече се използва в ред {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила за добавяне на транспортни разходи.
 DocType: Hotel Room,Extra Bed Capacity,Допълнителен капацитет на легло
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Начална наличност
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Изисква се Клиент
 DocType: Lab Test,Result Date,Дата на резултата
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Дата
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Дата
 DocType: Purchase Order,To Receive,Да получавам
 DocType: Leave Period,Holiday List for Optional Leave,Почивен списък за незадължителен отпуск
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Собственик на актив
 DocType: Purchase Invoice,Reason For Putting On Hold,Причина за задържане
 DocType: Employee,Personal Email,Личен имейл
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Общото отклонение
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Общото отклонение
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е активирана, системата ще публикуваме счетоводни записвания за инвентара автоматично."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Брокераж
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Присъствие на служител {0} вече е маркиран за този ден
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Присъствие на служител {0} вече е маркиран за този ден
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",в протокола Updated чрез &quot;Time Log&quot;
 DocType: Customer,From Lead,От потенциален клиент
 DocType: Amazon MWS Settings,Synch Orders,Синхронизиращи поръчки
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Поръчки пуснати за производство.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Изберете фискална година ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS профил изисква да направи POS Влизане
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS профил изисква да направи POS Влизане
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Точките на лоялност ще се изчисляват от направеното направено (чрез фактурата за продажби), въз основа на посочения коефициент на събираемост."
 DocType: Program Enrollment Tool,Enroll Students,Прием на студенти
 DocType: Company,HRA Settings,HRA Настройки
 DocType: Employee Transfer,Transfer Date,Дата на прехвърляне
 DocType: Lab Test,Approved Date,Одобрена дата
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Поне един склад е задължително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Поне един склад е задължително
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Конфигурирайте полетата на елементите като UOM, група елементи, описание и брой часове."
 DocType: Certification Application,Certification Status,Сертификационен статус
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,пазар
@@ -5556,6 +5623,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Съответстващи фактури
 DocType: Work Order,Required Items,Необходими неща
 DocType: Stock Ledger Entry,Stock Value Difference,Склад за Value Разлика
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Елементът ред {0}: {1} {2} не съществува в горната таблица &quot;{1}&quot;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Човешки Ресурси
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Заплащане помирение плащане
 DocType: Disease,Treatment Task,Лечение на лечението
@@ -5573,7 +5641,8 @@
 DocType: Account,Debit,Дебит
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Отпуските трябва да бъдат разпределени в кратни на 0,5"
 DocType: Work Order,Operation Cost,Оперативни разходи
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Дължима сума
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,"Идентифициране на лицата, вземащи решения"
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Дължима сума
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Дефинират целите т Group-мъдър за тази Продажби Person.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Запаси по-стари от [Days]
 DocType: Payment Request,Payment Ordered,Платено нареждане
@@ -5585,13 +5654,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Позволете на следните потребители да одобрят Оставете Applications за блокови дни.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Жизнен цикъл
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Направете BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Процентът на продажбата за елемент {0} е по-нисък от {1}. Процентът на продажба трябва да бъде най-малко {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Процентът на продажбата за елемент {0} е по-нисък от {1}. Процентът на продажба трябва да бъде най-малко {2}
 DocType: Subscription,Taxes,Данъци
 DocType: Purchase Invoice,capital goods,капиталови стоки
 DocType: Purchase Invoice Item,Weight Per Unit,Тегло на единица
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Платени и недоставени
-DocType: Project,Default Cost Center,Разходен център по подразбиране
-DocType: Delivery Note,Transporter Doc No,Доставчик на док
+DocType: QuickBooks Migrator,Default Cost Center,Разходен център по подразбиране
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,сделки с акции
 DocType: Budget,Budget Accounts,бюджетни сметки
 DocType: Employee,Internal Work History,Вътрешен Work История
@@ -5624,7 +5692,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Здравеопазването не е налице на {0}
 DocType: Stock Entry Detail,Additional Cost,Допълнителен разход
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрира по Ваучер Не, ако е групирано по ваучер"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Въведи оферта на доставчик
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Въведи оферта на доставчик
 DocType: Quality Inspection,Incoming,Входящ
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Създават се стандартни данъчни шаблони за продажби и покупки.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Отчет за резултата от оценката {0} вече съществува.
@@ -5640,7 +5708,7 @@
 DocType: Batch,Batch ID,Партида Номер
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Забележка: {0}
 ,Delivery Note Trends,Складова разписка - Тенденции
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Тази Седмица Резюме
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Тази Седмица Резюме
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,В наличност брой
 ,Daily Work Summary Replies,Обобщена информация за дневната работа
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Изчислете прогнозните часове на пристигане
@@ -5650,7 +5718,7 @@
 DocType: Bank Account,Party,Компания
 DocType: Healthcare Settings,Patient Name,Име на пациента
 DocType: Variant Field,Variant Field,Поле за варианти
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Насочване към местоположението
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Насочване към местоположението
 DocType: Sales Order,Delivery Date,Дата На Доставка
 DocType: Opportunity,Opportunity Date,Възможност - Дата
 DocType: Employee,Health Insurance Provider,Доставчик на здравно осигуряване
@@ -5669,7 +5737,7 @@
 DocType: Employee,History In Company,История във фирмата
 DocType: Customer,Customer Primary Address,Първичен адрес на клиента
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Бютелини с новини
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Референтен номер.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Референтен номер.
 DocType: Drug Prescription,Description/Strength,Описание / Сила
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Създаване на нов запис / запис в дневника
 DocType: Certification Application,Certification Application,Заявление за сертифициране
@@ -5680,10 +5748,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Същата позиция е въведена много пъти
 DocType: Department,Leave Block List,Оставете Block List
 DocType: Purchase Invoice,Tax ID,Данъчен номер
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Точка {0} не е настройка за серийни номера. Колоната трябва да бъде празно
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Точка {0} не е настройка за серийни номера. Колоната трябва да бъде празно
 DocType: Accounts Settings,Accounts Settings,Настройки на Сметки
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Одобрявам
 DocType: Loyalty Program,Customer Territory,Клиентска територия
+DocType: Email Digest,Sales Orders to Deliver,Поръчки за доставка за доставка
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Нов профил, той ще бъде включен в името на профила като префикс"
 DocType: Maintenance Team Member,Team Member,Член на екипа
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Няма отговор за изпращане
@@ -5693,7 +5762,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Общо {0} за всички позиции е равна на нула, може да е необходимо да се промени &quot;Разпределете такси на базата на&quot;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,"Към днешна дата не може да е по-малко, отколкото от датата"
 DocType: Opportunity,To Discuss,Да обсъдим
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Това се основава на транзакции срещу този абонат. За подробности вижте графиката по-долу
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,"{0} единици от {1} необходимо в {2}, за да завършите тази транзакция."
 DocType: Loan Type,Rate of Interest (%) Yearly,Лихвен процент (%) Годишен
 DocType: Support Settings,Forum URL,URL адрес на форума
@@ -5708,7 +5776,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Научете повече
 DocType: Cheque Print Template,Distance from top edge,Разстояние от горния ръб
 DocType: POS Closing Voucher Invoices,Quantity of Items,Количество артикули
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Ценоразпис {0} е забранено или не съществува
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Ценоразпис {0} е забранено или не съществува
 DocType: Purchase Invoice,Return,Връщане
 DocType: Pricing Rule,Disable,Изключване
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Начин на плащане се изисква за извършване на плащане
@@ -5716,18 +5784,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Редактирайте цялата страница за повече опции, като активи, серийни номера, партиди и т.н."
 DocType: Leave Type,Maximum Continuous Days Applicable,Използват се максимални продължителни дни
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не е записан в пакета {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Дълготраен актив {0} не може да се бракува, тъй като вече е {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Дълготраен актив {0} не може да се бракува, тъй като вече е {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Необходими са проверки
 DocType: Task,Total Expense Claim (via Expense Claim),Общо разход претенция (чрез Expense претенция)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Маркирай като отсъстващ
 DocType: Job Applicant Source,Job Applicant Source,Източник на кандидат за работа
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Сума
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Сума
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Създаването на фирма не бе успешно
 DocType: Asset Repair,Asset Repair,Възстановяване на активи
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Валута на BOM # {1} трябва да бъде равна на избраната валута {2}
 DocType: Journal Entry Account,Exchange Rate,Обменен курс
 DocType: Patient,Additional information regarding the patient,Допълнителна информация относно пациента
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Поръчка за продажба {0} не е изпратена
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Поръчка за продажба {0} не е изпратена
 DocType: Homepage,Tag Line,Tag Line
 DocType: Fee Component,Fee Component,Такса Компонент
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Управление на автопарка
@@ -5742,7 +5810,7 @@
 DocType: Healthcare Practitioner,Mobile,Мобилен
 ,Sales Person-wise Transaction Summary,Цели на търговец -  Резюме на транзакцията
 DocType: Training Event,Contact Number,Телефон за контакти
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Склад {0} не съществува
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Склад {0} не съществува
 DocType: Cashier Closing,Custody,попечителство
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Данни за освобождаване от данък върху доходите на служителите
 DocType: Monthly Distribution,Monthly Distribution Percentages,Месечено процентно разпределение
@@ -5757,7 +5825,7 @@
 DocType: Payment Entry,Paid Amount,Платената сума
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Разгледайте цикъла на продажбите
 DocType: Assessment Plan,Supervisor,Ръководител
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Вписване на запасите от запаси
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Вписване на запасите от запаси
 ,Available Stock for Packing Items,"Свободно фондова за артикули, Опаковки"
 DocType: Item Variant,Item Variant,Артикул вариант
 ,Work Order Stock Report,Доклад за работните поръчки
@@ -5766,9 +5834,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Като супервайзор
 DocType: Leave Policy Detail,Leave Policy Detail,Оставете подробности за правилата
 DocType: BOM Scrap Item,BOM Scrap Item,BOM позиция за брак
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Подадените поръчки не могат да бъдат изтрити
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Баланса на сметката вече е в 'Дебит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Кребит'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Управление на качеството
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Подадените поръчки не могат да бъдат изтрити
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Баланса на сметката вече е в 'Дебит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Кребит'
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Управление на качеството
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Позиция {0} е деактивирана
 DocType: Project,Total Billable Amount (via Timesheets),Обща таксуваема сума (чрез Timesheets)
 DocType: Agriculture Task,Previous Business Day,Предишен работен ден
@@ -5791,14 +5859,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Разходни центрове
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Рестартирайте абонамента
 DocType: Linked Plant Analysis,Linked Plant Analysis,Свързан анализ на растенията
-DocType: Delivery Note,Transporter ID,Идентификационен номер на превозвача
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Идентификационен номер на превозвача
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Стойностно предложение
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Скоростта, с която доставчик валута се превръща в основна валута на компанията"
-DocType: Sales Invoice Item,Service End Date,Дата на приключване на услугата
+DocType: Purchase Invoice Item,Service End Date,Дата на приключване на услугата
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: тайминги конфликти с ред {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Разрешаване на нулева стойност
 DocType: Bank Guarantee,Receiving,получаване
 DocType: Training Event Employee,Invited,Поканен
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Gateway сметки за настройка.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Gateway сметки за настройка.
 DocType: Employee,Employment Type,Тип заетост
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Дълготрайни активи
 DocType: Payment Entry,Set Exchange Gain / Loss,Определете Exchange Печалба / загуба
@@ -5814,7 +5883,7 @@
 DocType: Tax Rule,Sales Tax Template,Данъка върху продажбите - Шаблон
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Заплащане срещу обезщетение за обезщетение
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Актуализиране на номера на центъра за разходи
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,"Изберете артикули, за да запазите фактурата"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,"Изберете артикули, за да запазите фактурата"
 DocType: Employee,Encashment Date,Инкасо Дата
 DocType: Training Event,Internet,интернет
 DocType: Special Test Template,Special Test Template,Специален тестов шаблон
@@ -5822,12 +5891,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Съществува Cost Default активност за вид дейност - {0}
 DocType: Work Order,Planned Operating Cost,Планиран експлоатационни разходи
 DocType: Academic Term,Term Start Date,Условия - Начална дата
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Списък на всички транзакции с акции
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Списък на всички транзакции с акции
+DocType: Supplier,Is Transporter,Трансферър
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Импорт на фактурата за продажба от Shopify, ако плащането е маркирано"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Трябва да се настрои и началната дата на пробния период и крайната дата на изпитателния период
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Средна цена
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общата сума за плащане в График на плащанията трябва да е равна на Голямо / Закръглено Общо
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общата сума за плащане в График на плащанията трябва да е равна на Голямо / Закръглено Общо
 DocType: Subscription Plan Detail,Plan,план
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Банково извлечение по Главна книга
 DocType: Job Applicant,Applicant Name,Заявител Име
@@ -5855,7 +5925,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Налични количества в склада на източника
 apps/erpnext/erpnext/config/support.py +22,Warranty,Гаранция
 DocType: Purchase Invoice,Debit Note Issued,Дебитно известие - Издадено
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Филтърът, базиран на &quot;Разходен център&quot;, е приложим само, ако е избран &quot;Бюджет срещу&quot;"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Филтърът, базиран на &quot;Разходен център&quot;, е приложим само, ако е избран &quot;Бюджет срещу&quot;"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Търсене по код на продукта, сериен номер, партида № или баркод"
 DocType: Work Order,Warehouses,Складове
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} активът не може да се прехвърля
@@ -5866,9 +5936,9 @@
 DocType: Workstation,per hour,на час
 DocType: Blanket Order,Purchasing,Закупуване
 DocType: Announcement,Announcement,обявление
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Клиентски LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Клиентски LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За групова студентска група, студентската партида ще бъде валидирана за всеки студент от програмата за записване."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може да се изтрие, тъй като съществува записвания за материални движения за този склад."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може да се изтрие, тъй като съществува записвания за материални движения за този склад."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Дистрибуция
 DocType: Journal Entry Account,Loan,заем
 DocType: Expense Claim Advance,Expense Claim Advance,Разходи за възстановяване на разходи
@@ -5877,7 +5947,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Ръководител На Проект
 ,Quoted Item Comparison,Сравнение на редове от оферти
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Припокриване на точкуването между {0} и {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Изпращане
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Изпращане
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Максимална отстъпка разрешена за позиция: {0} е {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,"Нетната стойност на активите, както на"
 DocType: Crop,Produce,продукция
@@ -5887,20 +5957,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Материалната консумация за производство
 DocType: Item Alternative,Alternative Item Code,Алтернативен код на елемента
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роля, която е оставена да се представят сделки, които надвишават кредитни лимити, определени."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Изберете артикули за Производство
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Изберете артикули за Производство
 DocType: Delivery Stop,Delivery Stop,Спиране на доставката
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време,"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време,"
 DocType: Item,Material Issue,Изписване на материал
 DocType: Employee Education,Qualification,Квалификация
 DocType: Item Price,Item Price,Елемент Цена
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Сапуни & почистващи препарати
 DocType: BOM,Show Items,Показване на артикули
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,"""От време"" не може да бъде по-голямо отколкото на ""До време""."
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Искате ли да уведомите всички клиенти по имейл?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Искате ли да уведомите всички клиенти по имейл?
 DocType: Subscription Plan,Billing Interval,Интервал на фактуриране
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Поръчан
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Действителната начална дата и действителната крайна дата са задължителни
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Група клиенти&gt; Територия
 DocType: Salary Detail,Component,Компонент
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Ред {0}: {1} трябва да е по-голям от 0
 DocType: Assessment Criteria,Assessment Criteria Group,Критерии за оценка Group
@@ -5931,11 +6002,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Въведете името на банката или кредитната институция преди да я изпратите.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} трябва да бъде изпратено
 DocType: POS Profile,Item Groups,Групи елементи
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Днес е рожденния ден на {0}!
 DocType: Sales Order Item,For Production,За производство
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Баланс във валутата на сметката
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,"Моля, добавете временна отваряща сметка в сметкоплана"
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,"Моля, добавете временна отваряща сметка в сметкоплана"
 DocType: Customer,Customer Primary Contact,Първичен контакт на клиента
 DocType: Project Task,View Task,Виж задачи
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Оп / Олово%
@@ -5948,11 +6018,11 @@
 DocType: Sales Invoice,Get Advances Received,Вземи Получени аванси
 DocType: Email Digest,Add/Remove Recipients,Добавяне / Премахване на Получатели
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","За да зададете тази фискална година, като по подразбиране, щракнете върху &quot;По подразбиране&quot;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Размер на изтегления ТДС
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Размер на изтегления ТДС
 DocType: Production Plan,Include Subcontracted Items,Включете подизпълнители
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Присъедини
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Недостиг Количество
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Присъедини
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Недостиг Количество
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути
 DocType: Loan,Repay from Salary,Погасяване от Заплата
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Искане за плащане срещу {0} {1} за количество {2}
 DocType: Additional Salary,Salary Slip,Фиш за заплата
@@ -5968,7 +6038,7 @@
 DocType: Patient,Dormant,спящ
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Приспадане на данъка за несправедливи обезщетения за служителите
 DocType: Salary Slip,Total Interest Amount,Обща сума на лихвата
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Складове с деца възли не могат да бъдат превърнати в Леджър
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Складове с деца възли не могат да бъдат превърнати в Леджър
 DocType: BOM,Manage cost of operations,Управление на разходите за дейността
 DocType: Accounts Settings,Stale Days,Старши дни
 DocType: Travel Itinerary,Arrival Datetime,Дата на пристигане
@@ -5980,7 +6050,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Оценка Резултати Подробности
 DocType: Employee Education,Employee Education,Служител - Образование
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplicate група т намерена в таблицата на т група
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"Той е необходим, за да донесе точка Details."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"Той е необходим, за да донесе точка Details."
 DocType: Fertilizer,Fertilizer Name,Име на тора
 DocType: Salary Slip,Net Pay,Net Pay
 DocType: Cash Flow Mapping Accounts,Account,Сметка
@@ -5991,14 +6061,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Създаване на отделен запис за плащане срещу обезщетение за обезщетение
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Наличие на треска (температура&gt; 38,5 ° С или поддържана температура&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Търговски отдел - Детайли
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Изтриете завинаги?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Изтриете завинаги?
 DocType: Expense Claim,Total Claimed Amount,Общо заявена Сума
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенциалните възможности за продажби.
 DocType: Shareholder,Folio no.,Фолио №
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Невалиден {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Отпуск По Болест
 DocType: Email Digest,Email Digest,Email бюлетин
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,не са
 DocType: Delivery Note,Billing Address Name,Име за фактуриране
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Универсални Магазини
 ,Item Delivery Date,Дата на доставка на елемента
@@ -6014,16 +6083,16 @@
 DocType: Account,Chargeable,Платим
 DocType: Company,Change Abbreviation,Промени Съкращение
 DocType: Contract,Fulfilment Details,Подробности за изпълнението
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Платете {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Платете {0} {1}
 DocType: Employee Onboarding,Activities,дейности
 DocType: Expense Claim Detail,Expense Date,Expense Дата
 DocType: Item,No of Months,Брой месеци
 DocType: Item,Max Discount (%),Максимална отстъпка (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Кредитните дни не могат да бъдат отрицателни
-DocType: Sales Invoice Item,Service Stop Date,Дата на спиране на услугата
+DocType: Purchase Invoice Item,Service Stop Date,Дата на спиране на услугата
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Последна Поръчка Сума
 DocType: Cash Flow Mapper,e.g Adjustments for:,напр. корекции за:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Задържане на пробата се основава на партида, моля, проверете дали има партида №, за да запазите извадката от елемента"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Задържане на пробата се основава на партида, моля, проверете дали има партида №, за да запазите извадката от елемента"
 DocType: Task,Is Milestone,Е важна дата
 DocType: Certification Application,Yet to appear,И все пак да се появи
 DocType: Delivery Stop,Email Sent To,"Писмо, изпратено до"
@@ -6031,16 +6100,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Разрешаване на разходен център при вписване в баланса
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Сливане със съществуващ профил
 DocType: Budget,Warn,Предупреждавай
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Всички елементи вече са прехвърлени за тази поръчка.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Всички елементи вече са прехвърлени за тази поръчка.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Всякакви други забележки, отбелязване на усилието, които трябва да отиде в регистрите."
 DocType: Asset Maintenance,Manufacturing User,Потребител - производство
 DocType: Purchase Invoice,Raw Materials Supplied,Суровини - доставени
 DocType: Subscription Plan,Payment Plan,Платежен план
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Активирайте купуването на продукти чрез уебсайта
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Валутата на ценовата листа {0} трябва да бъде {1} или {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Управление на абонаментите
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Управление на абонаментите
 DocType: Appraisal,Appraisal Template,Оценка Template
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,За да кодирате кода
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,За да кодирате кода
 DocType: Soil Texture,Ternary Plot,Ternary Парцел
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Поставете отметка за това, за да активирате рутината за ежедневно синхронизиране по график"
 DocType: Item Group,Item Classification,Класификация на позиция
@@ -6050,6 +6119,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Фактура за регистриране на пациента
 DocType: Crop,Period,Период
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Главна книга
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Към фискалната година
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Преглед на потенциалните клиенти
 DocType: Program Enrollment Tool,New Program,Нова програма
 DocType: Item Attribute Value,Attribute Value,Атрибут Стойност
@@ -6058,11 +6128,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Препоръчано Пренареждане Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Служител {0} от клас {1} няма правила за отпускане по подразбиране
 DocType: Salary Detail,Salary Detail,Заплата Подробности
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Моля изберете {0} първо
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Моля изберете {0} първо
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Добавени са {0} потребители
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","В случай на многостепенна програма, клиентите ще бъдат автоматично зададени на съответния подреждан по тяхна сметка"
 DocType: Appointment Type,Physician,лекар
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Партида {0} на артикул {1} е изтекла.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Партида {0} на артикул {1} е изтекла.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Консултации
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Завършено добро
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Елемент Цена се появява няколко пъти въз основа на ценоразпис, доставчик / клиент, валута, позиция, UOM, брой и дати."
@@ -6071,22 +6141,21 @@
 DocType: Certification Application,Name of Applicant,Име на кандидата
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet за производство.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Междинна сума
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Не може да се променят свойствата на Variant след транзакция с акции. Ще трябва да направите нова позиция, за да направите това."
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Не може да се променят свойствата на Variant след транзакция с акции. Ще трябва да направите нова позиция, за да направите това."
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA мандат
 DocType: Healthcare Practitioner,Charges,Такси
 DocType: Production Plan,Get Items For Work Order,Получете поръчки за работа
 DocType: Salary Detail,Default Amount,Сума по подразбиране
 DocType: Lab Test Template,Descriptive,описателен
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Складът не е открит в системата
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Резюме този месец
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Резюме този месец
 DocType: Quality Inspection Reading,Quality Inspection Reading,Проверка на качеството Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Замрази наличности по-стари от` трябва да бъде по-малък от %d дни.
 DocType: Tax Rule,Purchase Tax Template,Покупка Tax Template
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Задайте цел на продажбите, която искате да постигнете за фирмата си."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Здравни услуги
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Здравни услуги
 ,Project wise Stock Tracking,Проект мъдър фондова Tracking
 DocType: GST HSN Code,Regional,областен
-DocType: Delivery Note,Transport Mode,Транспортен режим
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Лаборатория
 DocType: UOM Category,UOM Category,UOM Категория
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Действително Количество (at source/target)
@@ -6109,17 +6178,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Създаването на уебсайт не бе успешно
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Мерна единица - превръщане - детайли
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Вече е създадено влизане в запасите от запаси или не е предоставено количество проба
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Вече е създадено влизане в запасите от запаси или не е предоставено количество проба
 DocType: Program,Program Abbreviation,програма Съкращение
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Производство на поръчката не може да бъде повдигнато срещу т Template
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Такси се обновяват на изкупните Квитанция за всяка стока
 DocType: Warranty Claim,Resolved By,Разрешен от
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,График за освобождаване от отговорност
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Чекове Депозити и неправилно изчистени
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Сметка {0}: Не можете да назначите себе си за родителска сметка
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Сметка {0}: Не можете да назначите себе си за родителска сметка
 DocType: Purchase Invoice Item,Price List Rate,Ценоразпис Курсове
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Създаване на оферти на клиенти
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Дата на спиране на услугата не може да бъде след датата на приключване на услугата
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Дата на спиране на услугата не може да бъде след датата на приключване на услугата
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Покажи ""В наличност"" или ""Не е в наличност"" на базата на складовата наличност в този склад."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Спецификация на материал (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Средното време взети от доставчика да достави
@@ -6131,11 +6200,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Часове
 DocType: Project,Expected Start Date,Очаквана начална дата
 DocType: Purchase Invoice,04-Correction in Invoice,04-Корекция в фактурата
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Работна поръчка вече е създадена за всички елементи с BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Работна поръчка вече е създадена за всички елементи с BOM
 DocType: Payment Request,Party Details,Детайли за партито
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Отчет за подробните варианти
 DocType: Setup Progress Action,Setup Progress Action,Настройка на напредъка на настройката
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Ценоразпис - Закупуване
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Ценоразпис - Закупуване
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Махни позиция, ако цените не се отнася за тази позиция"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Анулиране на абонамента
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,"Моля, изберете Статус на поддръжка като завършен или премахнете дата на завършване"
@@ -6153,7 +6222,7 @@
 DocType: Asset,Disposal Date,Отписване - Дата
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Имейли ще бъдат изпратени на всички активни служители на компанията в даден час, ако те не разполагат с почивка. Обобщение на отговорите ще бъдат изпратени в полунощ."
 DocType: Employee Leave Approver,Employee Leave Approver,Служител одобряващ отпуски
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Един запис Пренареждане вече съществува за този склад {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Един запис Пренареждане вече съществува за този склад {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Не може да се обяви като загубена, защото е направена оферта."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP сметка
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,обучение Обратна връзка
@@ -6165,7 +6234,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Към днешна дата не може да бъде преди от дата
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Раздел Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Добавяне / Редактиране на цените
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Добавяне / Редактиране на цените
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Промоцията на служителите не може да бъде подадена преди датата на промоцията
 DocType: Batch,Parent Batch,Родителска партида
 DocType: Cheque Print Template,Cheque Print Template,Чек шаблони за печат
@@ -6175,6 +6244,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Колекция от проби
 ,Requested Items To Be Ordered,Заявени продукти за да поръчка
 DocType: Price List,Price List Name,Ценоразпис Име
+DocType: Delivery Stop,Dispatch Information,Информация за изпращане
 DocType: Blanket Order,Manufacturing,Производство
 ,Ordered Items To Be Delivered,Поръчани артикули да бъдат доставени
 DocType: Account,Income,Доход
@@ -6193,17 +6263,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,"{0} единици от {1} са необходими в {2} на {3} {4} за {5}, за да завършите тази транзакция."
 DocType: Fee Schedule,Student Category,Student Категория
 DocType: Announcement,Student,Студент
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедурата за количеството на стоката не е налице в склада. Искате ли да запишете прехвърляне на наличности
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедурата за количеството на стоката не е налице в склада. Искате ли да запишете прехвърляне на наличности
 DocType: Shipping Rule,Shipping Rule Type,Тип правило за превоз
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Отидете в Стаите
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Дружеството, Платежна сметка, От дата до Дата е задължително"
 DocType: Company,Budget Detail,Бюджет Подробности
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Моля, въведете съобщение, преди да изпратите"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,КОПИЕ ЗА ДОСТАВЧИКА
-DocType: Email Digest,Pending Quotations,До цитати
-DocType: Delivery Note,Distance (KM),Разстояние (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Доставчик&gt; Група доставчици
 DocType: Asset,Custodian,попечител
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,POS профил
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,POS профил
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} трябва да бъде стойност между 0 и 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Плащането на {0} от {1} до {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Необезпечени кредити
@@ -6235,10 +6304,10 @@
 DocType: Lead,Converted,Преобразуван
 DocType: Item,Has Serial No,Има сериен номер
 DocType: Employee,Date of Issue,Дата на издаване
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Както е описано в Настройки за купуване, ако се изисква изискване за покупка == &quot;ДА&quot;, за да се създаде фактура за покупка, потребителят трябва първо да създаде разписка за покупка за елемент {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Както е описано в Настройки за купуване, ако се изисква изискване за покупка == &quot;ДА&quot;, за да се създаде фактура за покупка, потребителят трябва първо да създаде разписка за покупка за елемент {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Определете доставчик за т {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: Часове стойност трябва да е по-голяма от нула.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,"Сайт на снимката {0}, прикрепена към т {1} не може да бъде намерена"
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,"Сайт на снимката {0}, прикрепена към т {1} не може да бъде намерена"
 DocType: Issue,Content Type,Съдържание Тип
 DocType: Asset,Assets,Дълготраен активи
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Компютър
@@ -6249,7 +6318,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} не съществува
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Моля, проверете опцията Multi валути да се позволи на сметки в друга валута"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Позиция: {0} не съществува в системата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Вие не можете да настроите Frozen стойност
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Вие не можете да настроите Frozen стойност
 DocType: Payment Reconciliation,Get Unreconciled Entries,Вземи неизравнени записвания
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Служител {0} е включен Оставете на {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Няма избрани изплащания за вписване в дневника
@@ -6267,13 +6336,14 @@
 ,Average Commission Rate,Среден процент на комисионна
 DocType: Share Balance,No of Shares,Брой акции
 DocType: Taxable Salary Slab,To Amount,Към сумата
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Има сериен номер' не може да бъде 'Да' за нескладируеми стоки
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Има сериен номер' не може да бъде 'Да' за нескладируеми стоки
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Изберете Статус
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Присъствие не може да бъде маркиран за бъдещи дати
 DocType: Support Search Source,Post Description Key,Ключ за описание на публикацията
 DocType: Pricing Rule,Pricing Rule Help,Ценообразуване Правило Помощ
 DocType: School House,House Name,Наименование Къща
 DocType: Fee Schedule,Total Amount per Student,Обща сума на студент
+DocType: Opportunity,Sales Stage,Етап на продажба
 DocType: Purchase Taxes and Charges,Account Head,Главна Сметка
 DocType: Company,HRA Component,Компонент HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Електрически
@@ -6281,15 +6351,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Общо Разлика (Изх - Вх)
 DocType: Grant Application,Requested Amount,Исканата сума
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Ред {0}: Валутен курс е задължителен
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},User ID не е конфигуриран за служител {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},User ID не е конфигуриран за служител {0}
 DocType: Vehicle,Vehicle Value,стойност на превозното средство
 DocType: Crop Cycle,Detected Diseases,Открити болести
 DocType: Stock Entry,Default Source Warehouse,Склад по подразбиране
 DocType: Item,Customer Code,Клиент - Код
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Напомняне за рожден ден за {0}
 DocType: Asset Maintenance Task,Last Completion Date,Последна дата на приключване
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дни след последната поръчка
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Дебит на сметка трябва да бъде балансова сметка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Дебит на сметка трябва да бъде балансова сметка
 DocType: Asset,Naming Series,Поредни Номера
 DocType: Vital Signs,Coated,покрит
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ред {0}: Очакваната стойност след полезния живот трябва да е по-малка от сумата на брутната покупка
@@ -6307,15 +6376,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Складова разписка {0} не трябва да бъде подадена
 DocType: Notification Control,Sales Invoice Message,Съобщение - Фактура за продажба
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Закриване на профила {0} трябва да е от тип Отговорност / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Заплата поднасяне на служител {0} вече е създаден за времето лист {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Заплата поднасяне на служител {0} вече е създаден за времето лист {1}
 DocType: Vehicle Log,Odometer,одометър
 DocType: Production Plan Item,Ordered Qty,Поръчано Количество
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Точка {0} е деактивирана
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Точка {0} е деактивирана
 DocType: Stock Settings,Stock Frozen Upto,Фондова Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM не съдържа материали / стоки
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM не съдържа материали / стоки
 DocType: Chapter,Chapter Head,Заглавие на глава
 DocType: Payment Term,Month(s) after the end of the invoice month,Месец (и) след края на месеца на фактурата
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структурата на заплатите трябва да има гъвкави компоненти на обезщетението за отпускане на обезщетение
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структурата на заплатите трябва да има гъвкави компоненти на обезщетението за отпускане на обезщетение
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Дейността на проект / задача.
 DocType: Vital Signs,Very Coated,Много покрито
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Само данъчно въздействие (не може да претендира, но част от облагаемия доход)"
@@ -6333,7 +6402,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Фактурирани часове
 DocType: Project,Total Sales Amount (via Sales Order),Обща продажна сума (чрез поръчка за продажба)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM по подразбиране за {0} не е намерен
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,"Row # {0}: Моля, задайте повторна поръчка количество"
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,"Row # {0}: Моля, задайте повторна поръчка количество"
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Докоснете елементи, за да ги добавите тук"
 DocType: Fees,Program Enrollment,програма за записване
 DocType: Share Transfer,To Folio No,Към фолио №
@@ -6373,9 +6442,9 @@
 DocType: SG Creation Tool Course,Max Strength,Максимална здравина
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Инсталиране на предварителни настройки
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},За клиента не е избрано известие за доставка {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},За клиента не е избрано известие за доставка {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Служител {0} няма максимална сума на доходите
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Изберете Елементи въз основа на Дата на доставка
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Изберете Елементи въз основа на Дата на доставка
 DocType: Grant Application,Has any past Grant Record,Има ли някакъв минал регистър за безвъзмездни средства
 ,Sales Analytics,Анализ на продажбите
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Налични {0}
@@ -6383,12 +6452,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Настройки производство
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Настройване на Email
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Не
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Моля, въведете подразбиране валута през Company магистър"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Моля, въведете подразбиране валута през Company магистър"
 DocType: Stock Entry Detail,Stock Entry Detail,Склад за вписване Подробности
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Дневни Напомняния
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Дневни Напомняния
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Вижте всички отворени билети
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Дърво на звеното на здравната служба
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,продукт
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,продукт
 DocType: Products Settings,Home Page is Products,Начална страница е Продукти
 ,Asset Depreciation Ledger,Asset Амортизация Леджър
 DocType: Salary Structure,Leave Encashment Amount Per Day,Оставете сума за натрупване на ден
@@ -6398,8 +6467,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Цена на доставени суровини
 DocType: Selling Settings,Settings for Selling Module,Настройки на модул - Продажба
 DocType: Hotel Room Reservation,Hotel Room Reservation,Резервация на хотелски стаи
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Обслужване на клиенти
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Обслужване на клиенти
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Няма намерени контакти с идентификационни номера на имейли.
 DocType: Item Customer Detail,Item Customer Detail,Клиентска Позиция - Детайли
 DocType: Notification Control,Prompt for Email on Submission of,Пита за Email при представяне на
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Максималната стойност на доходите на служител {0} надвишава {1}
@@ -6409,13 +6479,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Позиция {0} трябва да бъде позиция със следене на наличности
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Склад за незав.производство по подразбиране
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Графики за припокриване на {0}, искате ли да продължите, след като прескочите припокритите слотове?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Настройките по подразбиране за счетоводни операции.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Настройките по подразбиране за счетоводни операции.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Стандартен данъчен шаблон
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Студенти са записани
 DocType: Fees,Student Details,Студентски детайли
 DocType: Purchase Invoice Item,Stock Qty,Коефициент на запас
 DocType: Contract,Requires Fulfilment,Изисква изпълнение
+DocType: QuickBooks Migrator,Default Shipping Account,Стандартна пощенска пратка
 DocType: Loan,Repayment Period in Months,Възстановяването Период в месеци
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Грешка: Не е валиден документ за самоличност?
 DocType: Naming Series,Update Series Number,Актуализация на номер за номериране
@@ -6429,11 +6500,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Максимална сума
 DocType: Journal Entry,Total Amount Currency,Обща сума във валута
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Търсене под Изпълнения
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Код на позиция се изисква за ред номер {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Код на позиция се изисква за ред номер {0}
 DocType: GST Account,SGST Account,Сметка SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Отидете на елементи
 DocType: Sales Partner,Partner Type,Тип родител
-DocType: Purchase Taxes and Charges,Actual,Действителен
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Действителен
 DocType: Restaurant Menu,Restaurant Manager,Мениджър на ресторант
 DocType: Authorization Rule,Customerwise Discount,Отстъпка на ниво клиент
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,График за изпълнение на задачите.
@@ -6454,7 +6525,7 @@
 DocType: Employee,Cheque,Чек
 DocType: Training Event,Employee Emails,Имейли на служителите
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Номерация е обновена
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Тип на отчета е задължително
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Тип на отчета е задължително
 DocType: Item,Serial Number Series,Сериен номер Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Изисква се склад за артикул {0} на ред {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Търговия на дребно и едро
@@ -6484,7 +6555,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Актуализиране на таксуваната сума в поръчката за продажба
 DocType: BOM,Materials,Материали
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако не се проверява, списъкът ще трябва да бъдат добавени към всеки отдел, където тя трябва да се приложи."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Публикуване дата и публикуване време е задължително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Публикуване дата и публикуване време е задължително
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Данъчен шаблон за сделки при закупуване.
 ,Item Prices,Елемент Цени
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Словом ще бъде видим след като запазите поръчката за покупка.
@@ -6500,12 +6571,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серия за вписване на амортизацията на активите (вписване в дневника)
 DocType: Membership,Member Since,Потребител от
 DocType: Purchase Invoice,Advance Payments,Авансови плащания
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,"Моля, изберете Здравна служба"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,"Моля, изберете Здравна служба"
 DocType: Purchase Taxes and Charges,On Net Total,На Net Общо
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Цена Умение {0} трябва да бъде в интервала от {1} до {2} в стъпките на {3} за т {4}
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категория на освобождаване
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,"Валутна не може да се промени, след като записи с помощта на някои друга валута"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,"Валутна не може да се промени, след като записи с помощта на някои друга валута"
 DocType: Shipping Rule,Fixed,Фиксиран
 DocType: Vehicle Service,Clutch Plate,Съединител Плейт
 DocType: Company,Round Off Account,Закръгляне - Акаунт
@@ -6514,7 +6585,7 @@
 DocType: Subscription Plan,Based on price list,Въз основа на ценоразпис
 DocType: Customer Group,Parent Customer Group,Клиентска група - Родител
 DocType: Vehicle Service,Change,Промяна
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,абонамент
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,абонамент
 DocType: Purchase Invoice,Contact Email,Контакт Email
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Изчаква се създаването на такси
 DocType: Appraisal Goal,Score Earned,Резултат спечелените
@@ -6541,23 +6612,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Вземания / дължими суми Акаунт
 DocType: Delivery Note Item,Against Sales Order Item,Срещу ред от поръчка за продажба
 DocType: Company,Company Logo,Лого на фирмата
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Моля, посочете Умение Цена атрибут {0}"
-DocType: Item Default,Default Warehouse,Склад по подразбиране
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Моля, посочете Умение Цена атрибут {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Склад по подразбиране
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Бюджетът не може да бъде назначен срещу Group Account {0}
 DocType: Shopping Cart Settings,Show Price,Показване на цената
 DocType: Healthcare Settings,Patient Registration,Регистриране на пациента
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Моля, въведете разходен център майка"
 DocType: Delivery Note,Print Without Amount,Печат без сума
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Амортизация - Дата
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Амортизация - Дата
 ,Work Orders in Progress,Работни поръчки в ход
 DocType: Issue,Support Team,Екип по поддръжката
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Изтичане (в дни)
 DocType: Appraisal,Total Score (Out of 5),Общ резултат (от 5)
 DocType: Student Attendance Tool,Batch,Партида
 DocType: Support Search Source,Query Route String,Запитване за низ на маршрута
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Честота на актуализиране според последната покупка
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Честота на актуализиране според последната покупка
 DocType: Donor,Donor Type,Тип на дарителя
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Автоматичното повторение на документа е актуализиран
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Автоматичното повторение на документа е актуализиран
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Баланс
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,"Моля, изберете фирмата"
 DocType: Job Card,Job Card,Работна карта
@@ -6571,7 +6642,7 @@
 DocType: Assessment Result,Total Score,Общ резултат
 DocType: Crop Cycle,ISO 8601 standard,Стандарт ISO 8601
 DocType: Journal Entry,Debit Note,Дебитно известие
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Можете да осребрите максимум {0} точки в тази поръчка.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Можете да осребрите максимум {0} точки в тази поръчка.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,"Моля, въведете потребителската тайна на API"
 DocType: Stock Entry,As per Stock UOM,По мерна единица на склад
@@ -6584,10 +6655,11 @@
 DocType: Journal Entry,Total Debit,Общо дебит
 DocType: Travel Request Costing,Sponsored Amount,Спонсорирана сума
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,По подразбиране - Склад за готова продукция
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,"Моля, изберете пациент"
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,"Моля, изберете пациент"
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Търговец
 DocType: Hotel Room Package,Amenities,Удобства
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Бюджет и Разходен център
+DocType: QuickBooks Migrator,Undeposited Funds Account,Сметка за неплатени средства
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Бюджет и Разходен център
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Не е разрешен няколко начина на плащане по подразбиране
 DocType: Sales Invoice,Loyalty Points Redemption,Изплащане на точки за лоялност
 ,Appointment Analytics,Анализ за назначаване
@@ -6601,6 +6673,7 @@
 DocType: Batch,Manufacturing Date,Дата на производство
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Създаването на такси не бе успешно
 DocType: Opening Invoice Creation Tool,Create Missing Party,Създайте липсващата страна
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Общ бюджет
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Оставете празно, ако правите групи ученици на година"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ако е избрано, Total не. на работните дни ще включва празници, а това ще доведе до намаляване на стойността на Заплата на ден"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Приложенията, използващи текущия ключ, няма да имат достъп, вярно ли е?"
@@ -6616,20 +6689,19 @@
 DocType: Opportunity Item,Basic Rate,Основен курс
 DocType: GL Entry,Credit Amount,Кредитна сметка
 DocType: Cheque Print Template,Signatory Position,подписалите Позиция
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Задай като Загубени
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Задай като Загубени
 DocType: Timesheet,Total Billable Hours,Общо Billable Часа
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Брой дни, през които абонатът трябва да плати фактури, генерирани от този абонамент"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Детайли за кандидатстване за обезщетения за служители
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Заплащане Получаване Забележка
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Това се основава на сделки срещу този клиент. Вижте график по-долу за повече подробности
-DocType: Delivery Note,ODC,ОСО
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: отпусната сума {1} трябва да е по-малка или равна на сумата на плащане Влизане {2}
 DocType: Program Enrollment Tool,New Academic Term,Нов академичен термин
 ,Course wise Assessment Report,Разумен доклад за оценка
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Навлязъл данък за държавата / UT
 DocType: Tax Rule,Tax Rule,Данъчна Правило
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Поддържане и съща ставка През Продажби Cycle
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Моля, влезте като друг потребител, за да се регистрирате в Marketplace"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Моля, влезте като друг потребител, за да се регистрирате в Marketplace"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планирайте времето трупи извън Workstation работно време.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Клиентите на опашката
 DocType: Driver,Issuing Date,Дата на издаване
@@ -6638,11 +6710,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Изпратете тази работна поръчка за по-нататъшна обработка.
 ,Items To Be Requested,Позиции които да бъдат поискани
 DocType: Company,Company Info,Информация за компанията
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Изберете или добавите нов клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Изберете или добавите нов клиент
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,"Разходен център е необходим, за да осчетоводите разход"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Прилагане на средства (активи)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Това се основава на присъствието на този служител
-DocType: Assessment Result,Summary,резюме
 DocType: Payment Request,Payment Request Type,Тип на заявката за плащане
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Маркиране на присъствието
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Дебит сметка
@@ -6650,7 +6721,7 @@
 DocType: Additional Salary,Employee Name,Служител Име
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Рекламен елемент за поръчка на ресторант
 DocType: Purchase Invoice,Rounded Total (Company Currency),Общо закръглено (фирмена валута)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Не може да се покров Group, защото е избран типа на профила."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Не може да се покров Group, защото е избран типа на профила."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0} {1} е променен. Моля, опреснете."
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Спрете потребители от извършване Оставете Заявленията за следните дни.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",При неограничено изтичане на срока на действие на точките за лоялност запазете времето за изтичане на валидност или 0.
@@ -6671,11 +6742,12 @@
 DocType: Asset,Out of Order,Извънредно
 DocType: Purchase Receipt Item,Accepted Quantity,Прието Количество
 DocType: Projects Settings,Ignore Workstation Time Overlap,Игнорирайте времето за припокриване на работната станция
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Моля, задайте по подразбиране Holiday Списък на служителите {0} или Фирма {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Моля, задайте по подразбиране Holiday Списък на служителите {0} или Фирма {1}"
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} не съществува
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Изберете партидни номера
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Към GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Към GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Фактури издадени на клиенти.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Фактуриране на срещи автоматично
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id Project
 DocType: Salary Component,Variable Based On Taxable Salary,Променлива основа на облагаемата заплата
 DocType: Company,Basic Component,Основен компонент
@@ -6688,10 +6760,10 @@
 DocType: Stock Entry,Source Warehouse Address,Адрес на склад за източника
 DocType: GL Entry,Voucher Type,Тип Ваучер
 DocType: Amazon MWS Settings,Max Retry Limit,Макс
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Ценоразписът не е намерен или е деактивиран
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ценоразписът не е намерен или е деактивиран
 DocType: Student Applicant,Approved,Одобрен
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Цена
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Служител облекчение на {0} трябва да се зададе като &quot;Ляв&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Служител облекчение на {0} трябва да се зададе като &quot;Ляв&quot;
 DocType: Marketplace Settings,Last Sync On,Последно синхронизиране на
 DocType: Guardian,Guardian,пазач
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Всички комуникации, включително и над тях, се преместват в новата емисия"
@@ -6714,14 +6786,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Списък на заболяванията, открити на полето. Когато е избран, той автоматично ще добави списък със задачи, за да се справи с болестта"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Това е единица за здравни услуги и не може да бъде редактирана.
 DocType: Asset Repair,Repair Status,Ремонт Състояние
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Добавяне на търговски партньори
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Счетоводни записи в дневник
 DocType: Travel Request,Travel Request,Заявка за пътуване
 DocType: Delivery Note Item,Available Qty at From Warehouse,В наличност Количество в От Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Моля, изберете първо запис на служител."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Участието не е изпратено за {0}, тъй като е празник."
 DocType: POS Profile,Account for Change Amount,Сметка за ресто
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Свързване с QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Общо печалба / загуба
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Невалидна фирмена фактура за фирмата.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Невалидна фирмена фактура за фирмата.
 DocType: Purchase Invoice,input service,входна услуга
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Сметка не съвпада с {1} / {2} в {3} {4}
 DocType: Employee Promotion,Employee Promotion,Промоция на служителите
@@ -6730,12 +6804,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Код на курса:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Моля, въведете Expense Account"
 DocType: Account,Stock,Наличност
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от поръчка за покупка, покупка на фактура или вестник Влизане"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от поръчка за покупка, покупка на фактура или вестник Влизане"
 DocType: Employee,Current Address,Настоящ Адрес
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако елемент е вариант на друга позиция след това описание, изображение, ценообразуване, данъци и т.н., ще бъдат определени от шаблона, освен ако изрично е посочено"
 DocType: Serial No,Purchase / Manufacture Details,Покупка / Производство Детайли
 DocType: Assessment Group,Assessment Group,Група за оценка
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Инвентаризация на партиди
+DocType: Supplier,GST Transporter ID,Идентификационен номер на GST Transporter
 DocType: Procedure Prescription,Procedure Name,Име на процедурата
 DocType: Employee,Contract End Date,Договор Крайна дата
 DocType: Amazon MWS Settings,Seller ID,Идентификатор на продавача
@@ -6755,12 +6830,12 @@
 DocType: Company,Date of Incorporation,Дата на учредяване
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Общо Данък
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Последна цена на покупката
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,За Количество (Произведено Количество) е задължително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,За Количество (Произведено Количество) е задължително
 DocType: Stock Entry,Default Target Warehouse,Приемащ склад по подразбиране
 DocType: Purchase Invoice,Net Total (Company Currency),Нето Общо (фирмена валута)
 DocType: Delivery Note,Air,Въздух
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Датата края на годината не може да бъде по-рано от датата Година Start. Моля, коригирайте датите и опитайте отново."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} не е в списъка за избор на почивка
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} не е в списъка за избор на почивка
 DocType: Notification Control,Purchase Receipt Message,Покупка получено съобщение
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,скрап артикули
@@ -6782,23 +6857,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,изпълняване
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На предишния ред Сума
 DocType: Item,Has Expiry Date,Има дата на изтичане
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Прехвърляне на активи
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Прехвърляне на активи
 DocType: POS Profile,POS Profile,POS профил
 DocType: Training Event,Event Name,Име на събитието
 DocType: Healthcare Practitioner,Phone (Office),Телефон (офис)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Не може да бъде изпратено, служителите са оставени да отбележат присъствието"
 DocType: Inpatient Record,Admission,Прием
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Прием за {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Сезонността за определяне на бюджетите, цели и т.н."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Сезонността за определяне на бюджетите, цели и т.н."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Име на променливата
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Позиция {0} е шаблон, моля изберете една от неговите варианти"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Моля, настройте система за наименуване на служители в Човешки ресурси&gt; Настройки за персонала"
+DocType: Purchase Invoice Item,Deferred Expense,Отсрочени разходи
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},От дата {0} не може да бъде преди датата на присъединяване на служителя {1}
 DocType: Asset,Asset Category,Дълготраен актив Категория
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Net заплащането не може да бъде отрицателна
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Net заплащането не може да бъде отрицателна
 DocType: Purchase Order,Advance Paid,Авансово изплатени суми
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент на свръхпроизводство за поръчка за продажба
 DocType: Item,Item Tax,Позиция - Данък
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Материал на доставчик
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Материал на доставчик
 DocType: Soil Texture,Loamy Sand,Сладък пясък
 DocType: Production Plan,Material Request Planning,Планиране на материални заявки
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Акцизи - фактура
@@ -6820,11 +6897,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Scheduling Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Кредитна Карта
 DocType: BOM,Item to be manufactured or repacked,Т да се произвеждат или преопаковани
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Синтактична грешка при състоянието: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Синтактична грешка при състоянието: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Основни / избираеми предмети
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,"Моля, задайте група доставчици в настройките за купуване."
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,"Моля, задайте група доставчици в настройките за купуване."
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Общият размер на компонента на гъвкавия доход {0} не трябва да бъде по-малък от максималните ползи {1}
 DocType: Sales Invoice Item,Drop Ship,Капка Корабно
 DocType: Driver,Suspended,окачен
@@ -6844,7 +6921,7 @@
 DocType: Customer,Commission Rate,Комисионен Курс
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Създадени са успешно записи за плащане
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Създадохте {0} scorecards за {1} между:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Направи вариант
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Направи вариант
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Вид на плащане трябва да бъде един от получаване, плащане или вътрешен трансфер"
 DocType: Travel Itinerary,Preferred Area for Lodging,Предпочитана площ за настаняване
 apps/erpnext/erpnext/config/selling.py +184,Analytics,анализ
@@ -6855,7 +6932,7 @@
 DocType: Work Order,Actual Operating Cost,Действителни оперативни разходи
 DocType: Payment Entry,Cheque/Reference No,Чек / Референтен номер по
 DocType: Soil Texture,Clay Loam,Клей Гран
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root не може да се редактира.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root не може да се редактира.
 DocType: Item,Units of Measure,Мерни единици за измерване
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Нает в Метро Сити
 DocType: Supplier,Default Tax Withholding Config,По подразбиране конфиг
@@ -6873,21 +6950,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,След плащане завършване пренасочи потребителското към избраната страница.
 DocType: Company,Existing Company,Съществуваща фирма
 DocType: Healthcare Settings,Result Emailed,Резултатът е изпратен по имейл
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Категорията &quot;Данъци&quot; е променена на &quot;Общо&quot;, тъй като всички теми са неакции"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Категорията &quot;Данъци&quot; е променена на &quot;Общо&quot;, тъй като всички теми са неакции"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,"Към днешна дата не може да бъде равна или по-малка, отколкото от датата"
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,"Нищо, което да се промени"
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Моля изберете файл CSV
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Моля изберете файл CSV
 DocType: Holiday List,Total Holidays,Общо почивки
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,"Липсва шаблон за изпращане на имейли. Моля, задайте една от настройките за доставка."
 DocType: Student Leave Application,Mark as Present,Маркирай като настояще
 DocType: Supplier Scorecard,Indicator Color,Цвят на индикатора
 DocType: Purchase Order,To Receive and Bill,За получаване и фактуриране
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Ред # {0}: Reqd by Date не може да бъде преди датата на транзакцията
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Ред # {0}: Reqd by Date не може да бъде преди датата на транзакцията
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Подбрани продукти
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Изберете сериен номер
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Изберете сериен номер
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Дизайнер
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Условия за ползване - Шаблон
 DocType: Serial No,Delivery Details,Детайли за доставка
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Разходен център се изисква в ред {0} в таблица за данъци вид {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Разходен център се изисква в ред {0} в таблица за данъци вид {1}
 DocType: Program,Program Code,програмен код
 DocType: Terms and Conditions,Terms and Conditions Help,Условия за ползване - Помощ
 ,Item-wise Purchase Register,Точка-мъдър Покупка Регистрация
@@ -6900,15 +6978,16 @@
 DocType: Contract,Contract Terms,Условия на договора
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Да не се показва символи като $ и т.н. до валути.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Максималната полза от компонент {0} надвишава {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Половин ден)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Половин ден)
 DocType: Payment Term,Credit Days,Дни - Кредит
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Моля, изберете Пациент, за да получите лабораторни тестове"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Направи Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Позволете прехвърляне за производство
 DocType: Leave Type,Is Carry Forward,Е пренасяне
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Вземи позициите от BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Вземи позициите от BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Време за въвеждане - Дни
 DocType: Cash Flow Mapping,Is Income Tax Expense,Разходите за данък върху дохода
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Поръчката ви е за доставка!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row {0}: Публикуване Дата трябва да е същото като датата на покупка {1} на актив {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Проверете това, ако студентът пребивава в хостел на института."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Моля, въведете Поръчки за продажби в таблицата по-горе"
@@ -6916,10 +6995,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Прехвърляне на актив от един склад в друг
 DocType: Vehicle,Petrol,бензин
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Оставащи ползи (годишно)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Спецификация на материал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Спецификация на материал
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Party Тип и страна се изисква за получаване / плащане сметка {1}
 DocType: Employee,Leave Policy,Оставете политика
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Актуализиране на елементи
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Актуализиране на елементи
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Дата
 DocType: Employee,Reason for Leaving,Причина за напускане
 DocType: BOM Operation,Operating Cost(Company Currency),Експлоатационни разходи (Валути на фирмата)
@@ -6930,7 +7009,7 @@
 DocType: Department,Expense Approvers,Одобрители на разходи
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: дебитна не може да бъде свързана с {1}
 DocType: Journal Entry,Subscription Section,Абонаментна секция
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Сметка {0} не съществува
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Сметка {0} не съществува
 DocType: Training Event,Training Program,Програма за обучение
 DocType: Account,Cash,Каса (Пари в брой)
 DocType: Employee,Short biography for website and other publications.,Кратка биография за уебсайт и други публикации.
diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv
index d2b0c5b..8c023a1 100644
--- a/erpnext/translations/bn.csv
+++ b/erpnext/translations/bn.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,গ্রাহক চলছে
 DocType: Project,Costing and Billing,খোয়াতে এবং বিলিং
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},অগ্রিম অ্যাকাউন্ট মুদ্রা কোম্পানির মুদ্রার সমান হওয়া উচিত {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট তথ্য {1} একটি খতিয়ান হতে পারবেন না
+DocType: QuickBooks Migrator,Token Endpoint,টোকেন এন্ডপয়েন্ট
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট তথ্য {1} একটি খতিয়ান হতে পারবেন না
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com আইটেমটি প্রকাশ করুন
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,সক্রিয় ছাড়ের সময়কাল খুঁজে পাওয়া যাবে না
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,সক্রিয় ছাড়ের সময়কাল খুঁজে পাওয়া যাবে না
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,মূল্যায়ন
 DocType: Item,Default Unit of Measure,মেজার ডিফল্ট ইউনিট
 DocType: SMS Center,All Sales Partner Contact,সমস্ত বিক্রয় সঙ্গী সাথে যোগাযোগ
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,যোগ করতে এন্টার ক্লিক করুন
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","পাসওয়ার্ড, API কী বা Shopify URL এর জন্য অনুপস্থিত মান"
 DocType: Employee,Rented,ভাড়াটে
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,সব অ্যাকাউন্ট
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,সব অ্যাকাউন্ট
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,কর্মচারী বদলাতে পারবে না অবস্থা বাম
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","থামানো উৎপাদন অর্ডার বাতিল করা যাবে না, বাতিল করতে এটি প্রথম দুর"
 DocType: Vehicle Service,Mileage,যত মাইল দীর্ঘ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,আপনি কি সত্যিই এই সম্পদ স্ক্র্যাপ করতে চান?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,আপনি কি সত্যিই এই সম্পদ স্ক্র্যাপ করতে চান?
 DocType: Drug Prescription,Update Schedule,আপডেট সূচি
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,নির্বাচন ডিফল্ট সরবরাহকারী
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,কর্মচারী দেখান
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,নতুন এক্সচেঞ্জ রেট
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},মুদ্রাটির মূল্য তালিকা জন্য প্রয়োজন {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},মুদ্রাটির মূল্য তালিকা জন্য প্রয়োজন {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* লেনদেনে গণনা করা হবে.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,Mat-মোর্চা-.YYYY.-
 DocType: Purchase Order,Customer Contact,গ্রাহকের পরিচিতি
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,এই সরবরাহকারী বিরুদ্ধে লেনদেনের উপর ভিত্তি করে তৈরি. বিস্তারিত জানার জন্য নিচের টাইমলাইনে দেখুন
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,কাজের আদেশের জন্য প্রযোজক শতাংশ
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,Mat-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,আইনগত
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,আইনগত
+DocType: Delivery Note,Transport Receipt Date,পরিবহন রসিদ তারিখ
 DocType: Shopify Settings,Sales Order Series,বিক্রয় আদেশ সিরিজ
 DocType: Vital Signs,Tongue,জিহ্বা
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,এইচআরএ অব্যাহতি
 DocType: Sales Invoice,Customer Name,ক্রেতার নাম
 DocType: Vehicle,Natural Gas,প্রাকৃতিক গ্যাস
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},ব্যাংক অ্যাকাউন্ট হিসেবে নামকরণ করা যাবে না {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},ব্যাংক অ্যাকাউন্ট হিসেবে নামকরণ করা যাবে না {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,বেতন কাঠামো অনুযায়ী এইচআরএ
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"প্রধান (বা গ্রুপ), যার বিরুদ্ধে হিসাব থেকে তৈরি করা হয় এবং উদ্বৃত্ত বজায় রাখা হয়."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),বিশিষ্ট {0} হতে পারে না শূন্য কম ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,সার্ভিস স্টপ তারিখ সার্ভিস শুরু হওয়ার আগে হতে পারে না
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,সার্ভিস স্টপ তারিখ সার্ভিস শুরু হওয়ার আগে হতে পারে না
 DocType: Manufacturing Settings,Default 10 mins,10 মিনিট ডিফল্ট
 DocType: Leave Type,Leave Type Name,প্রকার নাম ত্যাগ
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,খোলা দেখাও
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,খোলা দেখাও
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,সিরিজ সফলভাবে আপডেট
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,চেকআউট
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{1} সারিতে {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{1} সারিতে {1}
 DocType: Asset Finance Book,Depreciation Start Date,ঘনত্ব শুরু তারিখ
 DocType: Pricing Rule,Apply On,উপর প্রয়োগ
 DocType: Item Price,Multiple Item prices.,একাধিক আইটেম মূল্য.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,সাপোর্ট সেটিং
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,সমাপ্তি প্রত্যাশিত তারিখ প্রত্যাশিত স্টার্ট জন্ম কম হতে পারে না
 DocType: Amazon MWS Settings,Amazon MWS Settings,আমাজন MWS সেটিংস
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,সারি # {0}: হার হিসাবে একই হতে হবে {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,সারি # {0}: হার হিসাবে একই হতে হবে {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,ব্যাচ আইটেম মেয়াদ শেষ হওয়ার স্থিতি
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,ব্যাংক খসড়া
 DocType: Journal Entry,ACC-JV-.YYYY.-,দুদক-জেভি-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,প্রাথমিক যোগাযোগের বিবরণ
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,এমনকি আপনি যদি
 DocType: Production Plan Item,Production Plan Item,উৎপাদন পরিকল্পনা আইটেম
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},ব্যবহারকারী {0} ইতিমধ্যে কর্মচারী নির্ধারিত হয় {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},ব্যবহারকারী {0} ইতিমধ্যে কর্মচারী নির্ধারিত হয় {1}
 DocType: Lab Test Groups,Add new line,নতুন লাইন যোগ করুন
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,স্বাস্থ্যের যত্ন
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),পেমেন্ট মধ্যে বিলম্ব (দিন)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,ল্যাব প্রেসক্রিপশন
 ,Delay Days,বিলম্বিত দিনগুলি
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,পরিষেবা ব্যায়ের
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},ক্রমিক সংখ্যা: {0} ইতিমধ্যে বিক্রয় চালান উল্লেখ করা হয়: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},ক্রমিক সংখ্যা: {0} ইতিমধ্যে বিক্রয় চালান উল্লেখ করা হয়: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,চালান
 DocType: Purchase Invoice Item,Item Weight Details,আইটেম ওজন বিশদ
 DocType: Asset Maintenance Log,Periodicity,পর্যাবৃত্তি
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,অর্থবছরের {0} প্রয়োজন বোধ করা হয়
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,সরবরাহকারী&gt; সরবরাহকারী গ্রুপ
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,সর্বোত্তম বৃদ্ধির জন্য উদ্ভিদের সারিগুলির মধ্যে সর্বনিম্ন দূরত্ব
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,প্রতিরক্ষা
 DocType: Salary Component,Abbr,সংক্ষিপ্তকরণ
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,ছুটির তালিকা
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,হিসাবরক্ষক
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,মূল্য তালিকা বিক্রি
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,মূল্য তালিকা বিক্রি
 DocType: Patient,Tobacco Current Use,তামাক বর্তমান ব্যবহার
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,বিক্রি হার
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,বিক্রি হার
 DocType: Cost Center,Stock User,স্টক ইউজার
 DocType: Soil Analysis,(Ca+Mg)/K,(CA ম্যাগনেসিয়াম + +) / কে
+DocType: Delivery Stop,Contact Information,যোগাযোগের তথ্য
 DocType: Company,Phone No,ফোন নম্বর
 DocType: Delivery Trip,Initial Email Notification Sent,প্রাথমিক ইমেল বিজ্ঞপ্তি পাঠানো
 DocType: Bank Statement Settings,Statement Header Mapping,বিবৃতি হেডার ম্যাপিং
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,সাবস্ক্রিপশন শুরু তারিখ
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,আপত্তিমূলক চার্জ বইয়ের জন্য রোগীর মধ্যে সেট না হলে ডিফল্ট গ্রহনযোগ্য অ্যাকাউন্ট ব্যবহার করা।
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","দুই কলাম, পুরাতন নাম জন্য এক এবং নতুন নামের জন্য এক সঙ্গে CSV ফাইল সংযুক্ত"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,ঠিকানা থেকে 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,আইটেম কোড&gt; আইটেম গ্রুপ&gt; ব্র্যান্ড
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,ঠিকানা থেকে 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} কোনো সক্রিয় অর্থবছরে না.
 DocType: Packed Item,Parent Detail docname,মূল বিস্তারিত docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","রেফারেন্স: {0}, আইটেম কোড: {1} এবং গ্রাহক: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} মূল কোম্পানির মধ্যে উপস্থিত নেই
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} মূল কোম্পানির মধ্যে উপস্থিত নেই
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,ট্রায়ালের মেয়াদ শেষের তারিখটি ট্রায়ালের মেয়াদ শুরু তারিখের আগে হতে পারে না
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,কেজি
 DocType: Tax Withholding Category,Tax Withholding Category,ট্যাক্স আটকানোর বিভাগ
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,বিজ্ঞাপন
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,একই কোম্পানীর একবারের বেশি প্রবেশ করানো হয়
 DocType: Patient,Married,বিবাহিত
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},অনুমোদিত নয় {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},অনুমোদিত নয় {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,থেকে আইটেম পান
 DocType: Price List,Price Not UOM Dependant,দাম না UOM নির্ভরশীলতা
 DocType: Purchase Invoice,Apply Tax Withholding Amount,কর আটকানোর পরিমাণ প্রয়োগ করুন
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},শেয়ার হুণ্ডি বিরুদ্ধে আপডেট করা যাবে না {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,মোট পরিমাণ কৃতিত্ব
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},শেয়ার হুণ্ডি বিরুদ্ধে আপডেট করা যাবে না {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,মোট পরিমাণ কৃতিত্ব
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},প্রোডাক্ট {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,তালিকাভুক্ত কোনো আইটেম
 DocType: Asset Repair,Error Description,ত্রুটি বর্ণনা
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,কাস্টম ক্যাশ ফ্লো বিন্যাস ব্যবহার করুন
 DocType: SMS Center,All Sales Person,সব বিক্রয় ব্যক্তি
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** মাসিক বিতরণ ** আপনি যদি আপনার ব্যবসার মধ্যে ঋতু আছে আপনি মাস জুড়ে বাজেট / উদ্দিষ্ট বিতরণ করতে সাহায্য করে.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,না আইটেম পাওয়া যায়নি
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,বেতন কাঠামো অনুপস্থিত
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,না আইটেম পাওয়া যায়নি
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,বেতন কাঠামো অনুপস্থিত
 DocType: Lead,Person Name,ব্যক্তির নাম
 DocType: Sales Invoice Item,Sales Invoice Item,বিক্রয় চালান আইটেম
 DocType: Account,Credit,জমা
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,স্টক রিপোর্ট
 DocType: Warehouse,Warehouse Detail,ওয়ারহাউস বিস্তারিত
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,টার্ম শেষ তারিখ পরে একাডেমিক ইয়ার বছর শেষ তারিখ যা শব্দটি সংযুক্ত করা হয় না হতে পারে (শিক্ষাবর্ষ {}). তারিখ সংশোধন করে আবার চেষ্টা করুন.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", অবারিত হতে পারে না যেমন অ্যাসেট রেকর্ড আইটেমটি বিরুদ্ধে বিদ্যমান &quot;ফিক্সড সম্পদ&quot;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", অবারিত হতে পারে না যেমন অ্যাসেট রেকর্ড আইটেমটি বিরুদ্ধে বিদ্যমান &quot;ফিক্সড সম্পদ&quot;"
 DocType: Delivery Trip,Departure Time,ছাড়ার সময়
 DocType: Vehicle Service,Brake Oil,ব্রেক অয়েল
 DocType: Tax Rule,Tax Type,ট্যাক্স ধরন
 ,Completed Work Orders,সম্পন্ন কাজ আদেশ
 DocType: Support Settings,Forum Posts,ফোরাম পোস্ট
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,করযোগ্য অর্থ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,করযোগ্য অর্থ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},আপনি আগে এন্ট্রি যোগ করতে অথবা আপডেট করার জন্য অনুমতিপ্রাপ্ত নন {0}
 DocType: Leave Policy,Leave Policy Details,শর্তাবলী |
 DocType: BOM,Item Image (if not slideshow),আইটেম ইমেজ (ছবি না হলে)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(ঘন্টা হার / ৬০) * প্রকৃত অপারেশন টাইম
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,সারি # {0}: রেফারেন্স দস্তাবেজ প্রকার ব্যয় দাবি বা জার্নাল এন্ট্রি এক হতে হবে
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM নির্বাচন
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,সারি # {0}: রেফারেন্স দস্তাবেজ প্রকার ব্যয় দাবি বা জার্নাল এন্ট্রি এক হতে হবে
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM নির্বাচন
 DocType: SMS Log,SMS Log,এসএমএস লগ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,বিতরণ আইটেম খরচ
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,এ {0} ছুটির মধ্যে তারিখ থেকে এবং তারিখ থেকে নয়
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,সরবরাহকারী স্ট্যান্ডিং টেম্পলেট।
 DocType: Lead,Interested,আগ্রহী
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,উদ্বোধন
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},থেকে {0} থেকে {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},থেকে {0} থেকে {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,কার্যক্রম:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,ট্যাক্স সেট করতে ব্যর্থ হয়েছে
 DocType: Item,Copy From Item Group,আইটেম গ্রুপ থেকে কপি
-DocType: Delivery Trip,Delivery Notification,ডেলিভারি বিজ্ঞপ্তি
 DocType: Journal Entry,Opening Entry,প্রারম্ভিক ভুক্তি
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,হিসাব চুকিয়ে শুধু
 DocType: Loan,Repay Over Number of Periods,শোধ ওভার পর্যায়কাল সংখ্যা
 DocType: Stock Entry,Additional Costs,অতিরিক্ত খরচ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,বিদ্যমান লেনদেন সঙ্গে অ্যাকাউন্ট গ্রুপ রূপান্তরিত করা যাবে না.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,বিদ্যমান লেনদেন সঙ্গে অ্যাকাউন্ট গ্রুপ রূপান্তরিত করা যাবে না.
 DocType: Lead,Product Enquiry,পণ্য অনুসন্ধান
 DocType: Education Settings,Validate Batch for Students in Student Group,শিক্ষার্থীর গ্রুপ ছাত্ররা জন্য ব্যাচ যাচাই
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},কোন ছুটি রেকর্ড কর্মচারী জন্য পাওয়া {0} জন্য {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,প্রথম কোম্পানি লিখুন দয়া করে
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,প্রথম কোম্পানি নির্বাচন করুন
 DocType: Employee Education,Under Graduate,গ্রাজুয়েট অধীনে
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,এইচআর সেটিংসে স্থিতি বিজ্ঞপ্তি ত্যাগের জন্য ডিফল্ট টেমপ্লেটটি সেট করুন।
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,এইচআর সেটিংসে স্থিতি বিজ্ঞপ্তি ত্যাগের জন্য ডিফল্ট টেমপ্লেটটি সেট করুন।
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,টার্গেটের
 DocType: BOM,Total Cost,মোট খরচ
 DocType: Soil Analysis,Ca/K,ক্যাচ / কে
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,অ্যাকাউন্ট বিবৃতি
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ফার্মাসিউটিক্যালস
 DocType: Purchase Invoice Item,Is Fixed Asset,পরিসম্পদ হয়
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","উপলভ্য Qty {0}, আপনি প্রয়োজন হয় {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","উপলভ্য Qty {0}, আপনি প্রয়োজন হয় {1}"
 DocType: Expense Claim Detail,Claim Amount,দাবি পরিমাণ
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-পিএটি-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},কাজের আদেশ {0} হয়েছে
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,গুণ পরিদর্শন টেমপ্লেট
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",আপনি উপস্থিতি আপডেট করতে চান না? <br> বর্তমান: {0} \ <br> অনুপস্থিত: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty পরিত্যক্ত গৃহীত + আইটেম জন্য গৃহীত পরিমাণ সমান হতে হবে {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty পরিত্যক্ত গৃহীত + আইটেম জন্য গৃহীত পরিমাণ সমান হতে হবে {0}
 DocType: Item,Supply Raw Materials for Purchase,সাপ্লাই কাঁচামালের ক্রয় জন্য
 DocType: Agriculture Analysis Criteria,Fertilizer,সার
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",সিরিয়াল নং দ্বারা প্রসবের নিশ্চিত করতে পারবেন না \ Item {0} সাথে এবং \ Serial No. দ্বারা নিশ্চিত ডেলিভারি ছাড়া যোগ করা হয়।
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,পেমেন্ট অন্তত একটি মোড পিওএস চালান জন্য প্রয়োজন বোধ করা হয়.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,পেমেন্ট অন্তত একটি মোড পিওএস চালান জন্য প্রয়োজন বোধ করা হয়.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,ব্যাংক বিবৃতি লেনদেন চালান আইটেম
 DocType: Products Settings,Show Products as a List,দেখান পণ্য একটি তালিকা হিসাবে
 DocType: Salary Detail,Tax on flexible benefit,নমনীয় বেনিফিট ট্যাক্স
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,ডিফ পরিমাণ
 DocType: Production Plan,Material Request Detail,উপাদান অনুরোধ বিস্তারিত
 DocType: Selling Settings,Default Quotation Validity Days,ডিফল্ট কোটেশন বৈধতা দিন
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","আইটেম রেট সারি {0} মধ্যে ট্যাক্স সহ, সারি করের {1} এছাড়াও অন্তর্ভুক্ত করা আবশ্যক"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","আইটেম রেট সারি {0} মধ্যে ট্যাক্স সহ, সারি করের {1} এছাড়াও অন্তর্ভুক্ত করা আবশ্যক"
 DocType: SMS Center,SMS Center,এসএমএস কেন্দ্র
 DocType: Payroll Entry,Validate Attendance,এ্যাটেনডেন্স যাচাই করুন
 DocType: Sales Invoice,Change Amount,পরিমাণ পরিবর্তন
 DocType: Party Tax Withholding Config,Certificate Received,শংসাপত্র প্রাপ্ত
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C জন্য চালান মান সেট করুন এই চালান মান উপর ভিত্তি করে B2CL এবং B2CS গণনা।
 DocType: BOM Update Tool,New BOM,নতুন BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,নির্ধারিত পদ্ধতি
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,নির্ধারিত পদ্ধতি
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,শুধুমাত্র পিওএস দেখান
 DocType: Supplier Group,Supplier Group Name,সরবরাহকারী গ্রুপ নাম
 DocType: Driver,Driving License Categories,ড্রাইভিং লাইসেন্স বিভাগ
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,পেরোল কালার
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,কর্মচারী করুন
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,সম্প্রচার
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),পিওএস (অনলাইন / অফলাইন) সেটআপ মোড
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),পিওএস (অনলাইন / অফলাইন) সেটআপ মোড
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,কাজের আদেশগুলির বিরুদ্ধে সময় লগগুলি তৈরি করতে অক্ষম। অপারেশন কর্ম আদেশ বিরুদ্ধে ট্র্যাক করা হবে না
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,সম্পাদন
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,অপারেশনের বিবরণ সম্পন্ন.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),মূল্য তালিকা রেট বাট্টা (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,আইটেম টেমপ্লেট
 DocType: Job Offer,Select Terms and Conditions,নির্বাচন শর্তাবলী
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,আউট মূল্য
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,আউট মূল্য
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,ব্যাংক বিবৃতি সেটিং আইটেম
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce সেটিংস
 DocType: Production Plan,Sales Orders,বিক্রয় আদেশ
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,উদ্ধৃতি জন্য অনুরোধ নিম্নলিখিত লিঙ্কে ক্লিক করে প্রবেশ করা যেতে পারে
 DocType: SG Creation Tool Course,SG Creation Tool Course,এস জি ক্রিয়েশন টুল কোর্স
 DocType: Bank Statement Transaction Invoice Item,Payment Description,পরিশোধ বর্ণনা
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,অপর্যাপ্ত স্টক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,অপর্যাপ্ত স্টক
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,অক্ষম ক্ষমতা পরিকল্পনা এবং সময় ট্র্যাকিং
 DocType: Email Digest,New Sales Orders,নতুন বিক্রয় আদেশ
 DocType: Bank Account,Bank Account,ব্যাংক হিসাব
 DocType: Travel Itinerary,Check-out Date,তারিখ চেক আউট
 DocType: Leave Type,Allow Negative Balance,ঋণাত্মক ব্যালান্স মঞ্জুরি
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',আপনি প্রকল্প প্রকার &#39;বহিরাগত&#39; মুছে ফেলতে পারবেন না
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,বিকল্প আইটেম নির্বাচন করুন
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,বিকল্প আইটেম নির্বাচন করুন
 DocType: Employee,Create User,ব্যবহারকারী
 DocType: Selling Settings,Default Territory,ডিফল্ট টেরিটরি
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,টিভি
 DocType: Work Order Operation,Updated via 'Time Log',&#39;টাইম ইন&#39; র মাধ্যমে আপডেট
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,গ্রাহক বা সরবরাহকারী নির্বাচন করুন।
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},অগ্রিম পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},অগ্রিম পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","সময় স্লট skiped, স্লট {0} থেকে {1} exisiting স্লট ওভারল্যাপ {2} থেকে {3}"
 DocType: Naming Series,Series List for this Transaction,এই লেনদেনে সিরিজ তালিকা
 DocType: Company,Enable Perpetual Inventory,চিরস্থায়ী পরিসংখ্যা সক্ষম করুন
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,বিক্রয় চালান আইটেমটি বিরুদ্ধে
 DocType: Agriculture Analysis Criteria,Linked Doctype,লিঙ্কড ডক্টাইপ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,অর্থায়ন থেকে নিট ক্যাশ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি"
 DocType: Lead,Address & Contact,ঠিকানা ও যোগাযোগ
 DocType: Leave Allocation,Add unused leaves from previous allocations,আগের বরাদ্দ থেকে অব্যবহৃত পাতার করো
 DocType: Sales Partner,Partner website,অংশীদার ওয়েবসাইট
@@ -446,10 +446,10 @@
 ,Open Work Orders,ওপেন ওয়ার্ক অর্ডার
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,আউট রোগী কনসাল্টিং চার্জ আইটেম
 DocType: Payment Term,Credit Months,ক্রেডিট মাস
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,নিট পে 0 কম হতে পারে না
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,নিট পে 0 কম হতে পারে না
 DocType: Contract,Fulfilled,পূর্ণ
 DocType: Inpatient Record,Discharge Scheduled,স্রাব নির্ধারিত
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,তারিখ মুক্তিদান যোগদান তারিখ থেকে বড় হওয়া উচিত
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,তারিখ মুক্তিদান যোগদান তারিখ থেকে বড় হওয়া উচিত
 DocType: POS Closing Voucher,Cashier,কোষাধ্যক্ষ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,প্রতি বছর পত্রাদি
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,সারি {0}: চেক করুন অ্যাকাউন্টের বিরুদ্ধে &#39;আগাম&#39; {1} এই একটি অগ্রিম এন্ট্রি হয়.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,ছাত্রদের অধীন ছাত্রদের সেটআপ করুন
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,সম্পূর্ণ কাজ করুন
 DocType: Item Website Specification,Item Website Specification,আইটেম ওয়েবসাইট স্পেসিফিকেশন
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,ত্যাগ অবরুদ্ধ
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},আইটেম {0} জীবনের তার শেষ পৌঁছেছে {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,ত্যাগ অবরুদ্ধ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},আইটেম {0} জীবনের তার শেষ পৌঁছেছে {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,ব্যাংক দাখিলা
 DocType: Customer,Is Internal Customer,অভ্যন্তরীণ গ্রাহক হয়
 DocType: Crop,Annual,বার্ষিক
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","অটো অপ ইন চেক করা হলে, গ্রাহকরা স্বয়ংক্রিয়ভাবে সংশ্লিষ্ট আনুগত্য প্রোগ্রাম (সংরক্ষণের সাথে) সংযুক্ত হবে"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,শেয়ার রিকনসিলিয়েশন আইটেম
 DocType: Stock Entry,Sales Invoice No,বিক্রয় চালান কোন
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,সাপ্লাই প্রকার
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,সাপ্লাই প্রকার
 DocType: Material Request Item,Min Order Qty,ন্যূনতম আদেশ Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,শিক্ষার্থীর গ্রুপ সৃষ্টি টুল কোর্স
 DocType: Lead,Do Not Contact,যোগাযোগ না
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,হাব প্রকাশ
 DocType: Student Admission,Student Admission,ছাত্র-ছাত্রী ভর্তি
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} আইটেম বাতিল করা হয়
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} আইটেম বাতিল করা হয়
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,হ্রাস সারি {0}: ঘনত্ব শুরু তারিখ অতীতের তারিখ হিসাবে প্রবেশ করা হয়
 DocType: Contract Template,Fulfilment Terms and Conditions,পরিপূরক শর্তাবলী
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,উপাদানের জন্য অনুরোধ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,উপাদানের জন্য অনুরোধ
 DocType: Bank Reconciliation,Update Clearance Date,আপডেট পরিস্কারের তারিখ
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,ক্রয় বিবরণ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ক্রয় করার &#39;কাঁচামাল সরবরাহ করা&#39; টেবিলের মধ্যে পাওয়া আইটেম {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ক্রয় করার &#39;কাঁচামাল সরবরাহ করা&#39; টেবিলের মধ্যে পাওয়া আইটেম {0} {1}
 DocType: Salary Slip,Total Principal Amount,মোট প্রিন্সিপাল পরিমাণ
 DocType: Student Guardian,Relation,সম্পর্ক
 DocType: Student Guardian,Mother,মা
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,শিপিং কাউন্টি
 DocType: Currency Exchange,For Selling,বিক্রয় জন্য
 apps/erpnext/erpnext/config/desktop.py +159,Learn,শেখা
+DocType: Purchase Invoice Item,Enable Deferred Expense,বিলম্বিত ব্যয় সক্রিয় করুন
 DocType: Asset,Next Depreciation Date,পরবর্তী অবচয় তারিখ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,কর্মচারী প্রতি কার্যকলাপ খরচ
 DocType: Accounts Settings,Settings for Accounts,অ্যাকাউন্ট এর জন্য সেটিং
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},সরবরাহকারী চালান কোন ক্রয় চালান মধ্যে বিদ্যমান {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},সরবরাহকারী চালান কোন ক্রয় চালান মধ্যে বিদ্যমান {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,সেলস পারসন গাছ পরিচালনা.
 DocType: Job Applicant,Cover Letter,কাভার লেটার
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,বিশিষ্ট চেক এবং পরিষ্কার আমানত
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,বাহ্যিক কাজের ইতিহাস
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,সার্কুলার রেফারেন্স ত্রুটি
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,ছাত্র প্রতিবেদন কার্ড
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,পিন কোড থেকে
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,পিন কোড থেকে
 DocType: Appointment Type,Is Inpatient,ইনপেশেন্ট
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 নাম
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,আপনি হুণ্ডি সংরক্ষণ একবার শব্দ (রপ্তানি) দৃশ্যমান হবে.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,বিভিন্ন দেশের মুদ্রা
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,চালান প্রকার
 DocType: Employee Benefit Claim,Expense Proof,ব্যয় প্রুফ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,চালান পত্র
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},সংরক্ষণ করা হচ্ছে {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,চালান পত্র
 DocType: Patient Encounter,Encounter Impression,এনকোডেড ইমপ্রেসন
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,করের আপ সেট
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,বিক্রি অ্যাসেট খরচ
 DocType: Volunteer,Morning,সকাল
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,আপনি এটি টানা পরে পেমেন্ট ভুক্তি নথীটি পরিবর্তিত হয়েছে. আবার এটি টান করুন.
 DocType: Program Enrollment Tool,New Student Batch,নতুন ছাত্র ব্যাচ
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} আইটেম ট্যাক্সে দুইবার প্রবেশ করা হয়েছে
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,এই সপ্তাহে এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} আইটেম ট্যাক্সে দুইবার প্রবেশ করা হয়েছে
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,এই সপ্তাহে এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ
 DocType: Student Applicant,Admitted,ভর্তি
 DocType: Workstation,Rent Cost,ভাড়া খরচ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,পরিমাণ অবচয় পর
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,পরিমাণ অবচয় পর
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,আসন্ন ক্যালেন্ডার ইভেন্টস
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,ভেরিয়েন্ট আরোপ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,মাস এবং বছর নির্বাচন করুন
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},শুধুমাত্র এ কোম্পানির প্রতি 1 অ্যাকাউন্ট থাকতে পারে {0} {1}
 DocType: Support Search Source,Response Result Key Path,প্রতিক্রিয়া ফলাফল কী পাথ
 DocType: Journal Entry,Inter Company Journal Entry,ইন্টার কোম্পানি জার্নাল এন্ট্রি
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},পরিমাণ {0} জন্য কাজের আদেশ পরিমাণ চেয়ে grater করা উচিত নয় {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,অনুগ্রহ পূর্বক সংযুক্তি দেখুন
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},পরিমাণ {0} জন্য কাজের আদেশ পরিমাণ চেয়ে grater করা উচিত নয় {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,অনুগ্রহ পূর্বক সংযুক্তি দেখুন
 DocType: Purchase Order,% Received,% গৃহীত
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ছাত্র সংগঠনগুলো তৈরি করুন
 DocType: Volunteer,Weekends,সপ্তাহান্তে
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,পুরো অসাধারন
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,একটি বিদ্যমান সিরিজের শুরু / বর্তমান ক্রম সংখ্যা পরিবর্তন করুন.
 DocType: Dosage Strength,Strength,শক্তি
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,একটি নতুন গ্রাহক তৈরি করুন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,একটি নতুন গ্রাহক তৈরি করুন
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,শেষ হচ্ছে
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",একাধিক দামে ব্যাপা চলতে থাকে তবে ব্যবহারকারীরা সংঘাতের সমাধান করতে নিজে অগ্রাধিকার সেট করতে বলা হয়.
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,ক্রয় আদেশ তৈরি করুন
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Consumable খরচ
 DocType: Purchase Receipt,Vehicle Date,যানবাহন তারিখ
 DocType: Student Log,Medical,মেডিকেল
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,হারানোর জন্য কারণ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,ড্রাগন নির্বাচন করুন
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,হারানোর জন্য কারণ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,ড্রাগন নির্বাচন করুন
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,লিড মালিক লিড হিসাবে একই হতে পারে না
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,বরাদ্দ পরিমাণ অনিয়ন্ত্রিত পরিমাণ তার চেয়ে অনেক বেশী করতে পারেন না
 DocType: Announcement,Receiver,গ্রাহক
 DocType: Location,Area UOM,এলাকা UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ওয়ার্কস্টেশন ছুটির তালিকা অনুযায়ী নিম্নলিখিত তারিখগুলি উপর বন্ধ করা হয়: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,সুযোগ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,সুযোগ
 DocType: Lab Test Template,Single,একক
 DocType: Compensatory Leave Request,Work From Date,তারিখ থেকে কাজ
 DocType: Salary Slip,Total Loan Repayment,মোট ঋণ পরিশোধ
+DocType: Project User,View attachments,সংযুক্তি দেখুন
 DocType: Account,Cost of Goods Sold,বিক্রি সামগ্রীর খরচ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,খরচ কেন্দ্র লিখুন দয়া করে
 DocType: Drug Prescription,Dosage,ডোজ
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,পরিমাণ ও হার
 DocType: Delivery Note,% Installed,% ইনস্টল করা হয়েছে
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,শ্রেণীকক্ষ / গবেষণাগার ইত্যাদি যেখানে বক্তৃতা নির্ধারণ করা যাবে.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,কোম্পানির উভয় কোম্পানির মুদ্রায় ইন্টার কোম্পানি লেনদেনের জন্য মিলিত হওয়া উচিত।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,কোম্পানির উভয় কোম্পানির মুদ্রায় ইন্টার কোম্পানি লেনদেনের জন্য মিলিত হওয়া উচিত।
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,প্রথম কোম্পানি নাম লিখুন
 DocType: Travel Itinerary,Non-Vegetarian,মাংসাশি
 DocType: Purchase Invoice,Supplier Name,সরবরাহকারী নাম
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,সাময়িকভাবে ধরে রাখা
 DocType: Account,Is Group,দলটির
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,ক্রেডিট নোট {0} স্বয়ংক্রিয়ভাবে তৈরি করা হয়েছে
-DocType: Email Digest,Pending Purchase Orders,ক্রয় আদেশ অপেক্ষারত
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,স্বয়ংক্রিয়ভাবে FIFO উপর ভিত্তি করে আমরা সিরিয়াল সেট
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,চেক সরবরাহকারী চালান নম্বর স্বতন্ত্রতা
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,প্রাথমিক ঠিকানা বিবরণ
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,যে ইমেইল এর একটি অংশ হিসাবে যে যায় পরিচায়ক টেক্সট কাস্টমাইজ করুন. প্রতিটি লেনদেনের একটি পৃথক পরিচায়ক টেক্সট আছে.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},সারি {0}: কাঁচামাল আইটেমের বিরুদ্ধে অপারেশন প্রয়োজন {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},কোম্পানির জন্য ডিফল্ট প্রদেয় অ্যাকাউন্ট সেট দয়া করে {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},লেনদেন বন্ধ আদেশ আদেশ {0} বিরুদ্ধে অনুমোদিত নয়
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},লেনদেন বন্ধ আদেশ আদেশ {0} বিরুদ্ধে অনুমোদিত নয়
 DocType: Setup Progress Action,Min Doc Count,মিনি ডক গণনা
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,সব উত্পাদন প্রক্রিয়া জন্য গ্লোবাল সেটিংস.
 DocType: Accounts Settings,Accounts Frozen Upto,হিমায়িত পর্যন্ত অ্যাকাউন্ট
 DocType: SMS Log,Sent On,পাঠানো
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,গুন {0} আরোপ ছক মধ্যে একাধিক বার নির্বাচিত
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,গুন {0} আরোপ ছক মধ্যে একাধিক বার নির্বাচিত
 DocType: HR Settings,Employee record is created using selected field. ,কর্মচারী রেকর্ড নির্বাচিত ক্ষেত্র ব্যবহার করে নির্মিত হয়.
 DocType: Sales Order,Not Applicable,প্রযোজ্য নয়
 DocType: Amazon MWS Settings,UK,যুক্তরাজ্য
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,কর্মচারী {0} ইতিমধ্যে {2} এর জন্য {2} প্রয়োগ করেছে:
 DocType: Inpatient Record,AB Positive,এবি ইতিবাচক
 DocType: Job Opening,Description of a Job Opening,একটি কাজের খোলার বর্ণনা
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,আজকের জন্য মুলতুবি কার্যক্রম
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,আজকের জন্য মুলতুবি কার্যক্রম
 DocType: Salary Structure,Salary Component for timesheet based payroll.,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড ভিত্তিক মাইনে জন্য বেতন কম্পোনেন্ট.
+DocType: Driver,Applicable for external driver,বহিরাগত ড্রাইভার জন্য প্রযোজ্য
 DocType: Sales Order Item,Used for Production Plan,উৎপাদন পরিকল্পনা জন্য ব্যবহৃত
 DocType: Loan,Total Payment,মোট পরিশোধ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,সম্পূর্ণ ওয়ার্ক অর্ডারের জন্য লেনদেন বাতিল করা যাবে না
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,সম্পূর্ণ ওয়ার্ক অর্ডারের জন্য লেনদেন বাতিল করা যাবে না
 DocType: Manufacturing Settings,Time Between Operations (in mins),(মিনিট) অপারেশনস মধ্যে সময়
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO ইতিমধ্যে সমস্ত বিক্রয় আদেশ আইটেম জন্য তৈরি
 DocType: Healthcare Service Unit,Occupied,অধিকৃত
 DocType: Clinical Procedure,Consumables,consumables
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} বাতিল করা হয়েছে, যাতে কর্ম সম্পন্ন করা যাবে না"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} বাতিল করা হয়েছে, যাতে কর্ম সম্পন্ন করা যাবে না"
 DocType: Customer,Buyer of Goods and Services.,পণ্য ও সার্ভিসেস ক্রেতা.
 DocType: Journal Entry,Accounts Payable,পরিশোধযোগ্য হিসাব
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,এই পেমেন্ট অনুরোধে সেট করা {0} পরিমাণটি সমস্ত অর্থ প্রদান প্ল্যানগুলির গণনা করা পরিমাণের থেকে আলাদা: {1}। দস্তাবেজ জমা দেওয়ার আগে এটি সঠিক কিনা তা নিশ্চিত করুন।
 DocType: Patient,Allergies,এলার্জি
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,নির্বাচিত BOMs একই আইটেমের জন্য নয়
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,নির্বাচিত BOMs একই আইটেমের জন্য নয়
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,আইটেম কোড পরিবর্তন করুন
 DocType: Supplier Scorecard Standing,Notify Other,অন্যান্য
 DocType: Vital Signs,Blood Pressure (systolic),রক্তচাপ (systolic)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,পর্যাপ্ত যন্ত্রাংশ তৈরি করুন
 DocType: POS Profile User,POS Profile User,পিওএস প্রোফাইল ব্যবহারকারী
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,সারি {0}: মূল্যের শুরু তারিখ প্রয়োজন
-DocType: Sales Invoice Item,Service Start Date,পরিষেবা শুরু তারিখ
+DocType: Purchase Invoice Item,Service Start Date,পরিষেবা শুরু তারিখ
 DocType: Subscription Invoice,Subscription Invoice,সাবস্ক্রিপশন ইনভয়েস
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,সরাসরি আয়
 DocType: Patient Appointment,Date TIme,তারিখ সময়
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,ল্যাব রাউটিং
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,অঙ্গরাগ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,সম্পুর্ণ সম্পত্তির রক্ষণাবেক্ষণ লগের জন্য সমাপ্তির তারিখ নির্বাচন করুন
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",মার্জ করার জন্য নিম্নলিখিত বৈশিষ্ট্য উভয় আইটেম জন্য একই হতে হবে
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",মার্জ করার জন্য নিম্নলিখিত বৈশিষ্ট্য উভয় আইটেম জন্য একই হতে হবে
 DocType: Supplier,Block Supplier,ব্লক সরবরাহকারী
 DocType: Shipping Rule,Net Weight,প্রকৃত ওজন
 DocType: Job Opening,Planned number of Positions,পরিকল্পিত সংখ্যা অবস্থান
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,ক্যাশ ফ্লো ম্যাপিং টেমপ্লেট
 DocType: Travel Request,Costing Details,খরচ বিবরণ
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,রিটার্ন এন্ট্রি দেখান
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,সিরিয়াল কোন আইটেমের একটি ভগ্নাংশ হতে পারে না
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,সিরিয়াল কোন আইটেমের একটি ভগ্নাংশ হতে পারে না
 DocType: Journal Entry,Difference (Dr - Cr),পার্থক্য (ডাঃ - CR)
 DocType: Bank Guarantee,Providing,প্রদান
 DocType: Account,Profit and Loss,লাভ এবং ক্ষতি
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","অনুমতি নেই, প্রয়োজনে ল্যাব টেস্ট টেমপ্লেট কনফিগার করুন"
 DocType: Patient,Risk Factors,ঝুঁকির কারণ
 DocType: Patient,Occupational Hazards and Environmental Factors,পেশাগত ঝুঁকি এবং পরিবেশগত ফ্যাক্টর
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,স্টক তালিকাগুলি ইতিমধ্যে ওয়ার্ক অর্ডারের জন্য তৈরি করা হয়েছে
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,স্টক তালিকাগুলি ইতিমধ্যে ওয়ার্ক অর্ডারের জন্য তৈরি করা হয়েছে
 DocType: Vital Signs,Respiratory rate,শ্বাসপ্রশ্বাসের হার
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,ম্যানেজিং প্রণীত
 DocType: Vital Signs,Body Temperature,শরীরের তাপমাত্রা
 DocType: Project,Project will be accessible on the website to these users,প্রকল্প এই ব্যবহারকারীর জন্য ওয়েবসাইটে অ্যাক্সেস করা যাবে
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},বাতিল করা যাবে না {0} {1} কারণ সিরিয়াল নং {2} গুদামের অন্তর্গত নয় {3}
 DocType: Detected Disease,Disease,রোগ
+DocType: Company,Default Deferred Expense Account,ডিফল্ট বিলম্বিত ব্যয় অ্যাকাউন্ট
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,প্রকল্প টাইপ নির্ধারণ করুন
 DocType: Supplier Scorecard,Weighting Function,ওয়েটিং ফাংশন
 DocType: Healthcare Practitioner,OP Consulting Charge,ওপ কনসাল্টিং চার্জ
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,উত্পাদিত আইটেম
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ইনভয়েসস থেকে ম্যাচ লেনদেন
 DocType: Sales Order Item,Gross Profit,পুরো লাভ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,চালান আনলক করুন
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,চালান আনলক করুন
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,বর্ধিত 0 হতে পারবেন না
 DocType: Company,Delete Company Transactions,কোম্পানি লেনদেন মুছে
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,রেফারেন্স কোন ও রেফারেন্স তারিখ ব্যাংক লেনদেনের জন্য বাধ্যতামূলক
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,উপেক্ষা করা
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} সক্রিয় নয়
 DocType: Woocommerce Settings,Freight and Forwarding Account,মালবাহী এবং ফরওয়ার্ডিং অ্যাকাউন্ট
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,সেটআপ চেক মুদ্রণের জন্য মাত্রা
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,সেটআপ চেক মুদ্রণের জন্য মাত্রা
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,বেতন স্লিপ তৈরি করুন
 DocType: Vital Signs,Bloated,স্ফীত
 DocType: Salary Slip,Salary Slip Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,উপ-সংকুচিত কেনার রসিদ জন্য বাধ্যতামূলক সরবরাহকারী ওয়্যারহাউস
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,উপ-সংকুচিত কেনার রসিদ জন্য বাধ্যতামূলক সরবরাহকারী ওয়্যারহাউস
 DocType: Item Price,Valid From,বৈধ হবে
 DocType: Sales Invoice,Total Commission,মোট কমিশন
 DocType: Tax Withholding Account,Tax Withholding Account,কর আটকানোর অ্যাকাউন্ট
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,সমস্ত সরবরাহকারী স্কোরকার্ড
 DocType: Buying Settings,Purchase Receipt Required,কেনার রসিদ প্রয়োজনীয়
 DocType: Delivery Note,Rail,রেল
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,সারি {0} মধ্যে লক্ষ্য গুদাম কাজ আদেশ হিসাবে একই হতে হবে
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,যদি খোলা স্টক প্রবেশ মূল্যনির্ধারণ হার বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,সারি {0} মধ্যে লক্ষ্য গুদাম কাজ আদেশ হিসাবে একই হতে হবে
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,যদি খোলা স্টক প্রবেশ মূল্যনির্ধারণ হার বাধ্যতামূলক
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,চালান টেবিল অন্তর্ভুক্ত কোন রেকর্ড
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,প্রথম কোম্পানি ও অনুষ্ঠান প্রকার নির্বাচন করুন
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","ইতিমধ্যে ব্যবহারকারীর {1} জন্য পজ প্রোফাইল {0} ডিফল্ট সেট করেছে, দয়া করে প্রতিবন্ধী ডিফল্ট অক্ষম"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,আর্থিক / অ্যাকাউন্টিং বছর.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,আর্থিক / অ্যাকাউন্টিং বছর.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,সঞ্চিত মূল্যবোধ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","দুঃখিত, সিরিয়াল আমরা মার্জ করা যাবে না"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify থেকে গ্রাহকদের সিঙ্ক করার সময় গ্রাহক গোষ্ঠী নির্বাচিত গোষ্ঠীতে সেট করবে
@@ -895,7 +900,7 @@
 ,Lead Id,লিড আইডি
 DocType: C-Form Invoice Detail,Grand Total,সর্বমোট
 DocType: Assessment Plan,Course,পথ
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,বিভাগ কোড
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,বিভাগ কোড
 DocType: Timesheet,Payslip,স্লিপে
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,ছয় দিনের তারিখ তারিখ এবং তারিখের মধ্যে থাকা উচিত
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,আইটেম কার্ট
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,ব্যক্তিগত বায়ো
 DocType: C-Form,IV,চতুর্থ
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,সদস্য আইডি
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},বিতরণ: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},বিতরণ: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks সংযুক্ত
 DocType: Bank Statement Transaction Entry,Payable Account,প্রদেয় অ্যাকাউন্ট
 DocType: Payment Entry,Type of Payment,পেমেন্ট প্রকার
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,অর্ধ দিবসের তারিখ বাধ্যতামূলক
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,শপিং বিল ডেট
 DocType: Production Plan,Production Plan,উৎপাদন পরিকল্পনা
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ইনভয়েস ক্রিয়েশন টুল খুলছে
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,সেলস প্রত্যাবর্তন
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,সেলস প্রত্যাবর্তন
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,দ্রষ্টব্য: মোট বরাদ্দ পাতা {0} ইতিমধ্যে অনুমোদন পাতার চেয়ে কম হওয়া উচিত নয় {1} সময়ের জন্য
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,সিরিয়াল কোন ইনপুটের উপর ভিত্তি করে লেনদেনের পরিমাণ নির্ধারণ করুন
 ,Total Stock Summary,মোট শেয়ার সারাংশ
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,গ্রাহক বা আইটেম
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,গ্রাহক ডাটাবেস.
 DocType: Quotation,Quotation To,উদ্ধৃতি
-DocType: Lead,Middle Income,মধ্য আয়
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,মধ্য আয়
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),খোলা (যোগাযোগ Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,আপনি ইতিমধ্যে অন্য UOM সঙ্গে কিছু লেনদেন (গুলি) করেছেন কারণ আইটেম জন্য মেজার ডিফল্ট ইউনিট {0} সরাসরি পরিবর্তন করা যাবে না. আপনি একটি ভিন্ন ডিফল্ট UOM ব্যবহার করার জন্য একটি নতুন আইটেম তৈরি করতে হবে.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,আপনি ইতিমধ্যে অন্য UOM সঙ্গে কিছু লেনদেন (গুলি) করেছেন কারণ আইটেম জন্য মেজার ডিফল্ট ইউনিট {0} সরাসরি পরিবর্তন করা যাবে না. আপনি একটি ভিন্ন ডিফল্ট UOM ব্যবহার করার জন্য একটি নতুন আইটেম তৈরি করতে হবে.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,বরাদ্দ পরিমাণ নেতিবাচক হতে পারে না
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,কোম্পানির সেট করুন
 DocType: Share Balance,Share Balance,ভাগ ব্যালেন্স
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,নির্বাচন পেমেন্ট একাউন্ট ব্যাংক এণ্ট্রি করতে
 DocType: Hotel Settings,Default Invoice Naming Series,ডিফল্ট ইনভয়েস নামকরণ সিরিজ
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","পাতা, ব্যয় দাবী এবং মাইনে পরিচালনা করতে কর্মচারী রেকর্ড তৈরি করুন"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,আপডেট প্রক্রিয়ার সময় একটি ত্রুটি ঘটেছে
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,আপডেট প্রক্রিয়ার সময় একটি ত্রুটি ঘটেছে
 DocType: Restaurant Reservation,Restaurant Reservation,রেস্টুরেন্ট রিজার্ভেশন
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,প্রস্তাবনা লিখন
 DocType: Payment Entry Deduction,Payment Entry Deduction,পেমেন্ট এণ্ট্রি সিদ্ধান্তগ্রহণ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,মোড়ক উম্মচন
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ইমেল মাধ্যমে গ্রাহকদের বিজ্ঞপ্তি
 DocType: Item,Batch Number Series,ব্যাচ সংখ্যা সিরিজ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,অন্য বিক্রয় ব্যক্তি {0} একই কর্মচারী আইডি দিয়ে বিদ্যমান
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,অন্য বিক্রয় ব্যক্তি {0} একই কর্মচারী আইডি দিয়ে বিদ্যমান
 DocType: Employee Advance,Claimed Amount,দাবি করা পরিমাণ
+DocType: QuickBooks Migrator,Authorization Settings,অনুমোদন সেটিংস
 DocType: Travel Itinerary,Departure Datetime,প্রস্থান ডেটটাইম
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,ভ্রমণ অনুরোধ খরচ
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,দ্বারা সরবরাহকারী নেমিং
 DocType: Activity Type,Default Costing Rate,ডিফল্ট খোয়াতে হার
 DocType: Maintenance Schedule,Maintenance Schedule,রক্ষণাবেক্ষণ সময়সূচী
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","তারপর দামে ইত্যাদি গ্রাহক, ক্রেতা গ্রুপ, টেরিটরি, সরবরাহকারী, কারখানা, সরবরাহকারী ধরন, প্রচারাভিযান, বিক্রয় অংশীদার উপর ভিত্তি করে ফিল্টার আউট হয়"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","তারপর দামে ইত্যাদি গ্রাহক, ক্রেতা গ্রুপ, টেরিটরি, সরবরাহকারী, কারখানা, সরবরাহকারী ধরন, প্রচারাভিযান, বিক্রয় অংশীদার উপর ভিত্তি করে ফিল্টার আউট হয়"
 DocType: Employee Promotion,Employee Promotion Details,কর্মচারী প্রচার বিবরণ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,পরিসংখ্যা মধ্যে নিট পরিবর্তন
 DocType: Employee,Passport Number,পাসপোর্ট নম্বার
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 সাথে সর্ম্পক
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,ম্যানেজার
 DocType: Payment Entry,Payment From / To,পেমেন্ট থেকে / প্রতি
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,রাজস্ব বছর থেকে
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},নতুন ক্রেডিট সীমা গ্রাহকের জন্য বর্তমান অসামান্য রাশির চেয়ে কম হয়. ক্রেডিট সীমা অন্তত হতে হয়েছে {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},গুদামে অ্যাকাউন্ট সেট করুন {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},গুদামে অ্যাকাউন্ট সেট করুন {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'গ্রুপ দ্বারা' এবং 'উপর ভিত্তি করে' একই হতে পারে না
 DocType: Sales Person,Sales Person Targets,সেলস পারসন লক্ষ্যমাত্রা
 DocType: Work Order Operation,In minutes,মিনিটের মধ্যে
 DocType: Issue,Resolution Date,রেজোলিউশন তারিখ
 DocType: Lab Test Template,Compound,যৌগিক
+DocType: Opportunity,Probability (%),সম্ভাবনা (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,ডিসপ্যাচ বিজ্ঞপ্তি
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,সম্পত্তি নির্বাচন করুন
 DocType: Student Batch Name,Batch Name,ব্যাচ নাম
 DocType: Fee Validity,Max number of visit,দেখার সর্বাধিক সংখ্যা
 ,Hotel Room Occupancy,হোটেল রুম আবাসন
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড তৈরি করা হয়েছে:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},পেমেন্ট মোডে ডিফল্ট ক্যাশ বা ব্যাংক একাউন্ট সেট করুন {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},পেমেন্ট মোডে ডিফল্ট ক্যাশ বা ব্যাংক একাউন্ট সেট করুন {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,নথিভুক্ত করা
 DocType: GST Settings,GST Settings,GST সেটিং
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},মুদ্রা মূল্য তালিকা মুদ্রা হিসাবে একই হওয়া উচিত: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,প্রদেয় মোট সুদ
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ল্যান্ড খরচ কর ও শুল্ক
 DocType: Work Order Operation,Actual Start Time,প্রকৃত আরম্ভের সময়
+DocType: Purchase Invoice Item,Deferred Expense Account,বিলম্বিত ব্যয় অ্যাকাউন্ট
 DocType: BOM Operation,Operation Time,অপারেশন টাইম
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,শেষ
 DocType: Salary Structure Assignment,Base,ভিত্তি
 DocType: Timesheet,Total Billed Hours,মোট বিল ঘন্টা
 DocType: Travel Itinerary,Travel To,ভ্রমন করা
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,এটি না
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,পরিমাণ বন্ধ লিখুন
 DocType: Leave Block List Allow,Allow User,অনুমতি
 DocType: Journal Entry,Bill No,বিল কোন
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,টাইম শিট
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush কাঁচামালের ভিত্তিতে
 DocType: Sales Invoice,Port Code,পোর্ট কোড
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,রিজার্ভ গুদামে
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,রিজার্ভ গুদামে
 DocType: Lead,Lead is an Organization,লিড একটি সংস্থা
-DocType: Guardian Interest,Interest,স্বার্থ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,প্রাক সেলস
 DocType: Instructor Log,Other Details,অন্যান্য বিস্তারিত
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,অ্যাকাউন্ট
 DocType: Vehicle,Odometer Value (Last),দূরত্বমাপণী মূল্য (শেষ)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,সরবরাহকারী স্কোরকার্ড মাপদণ্ডের টেমপ্লেট।
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,মার্কেটিং
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,মার্কেটিং
 DocType: Sales Invoice,Redeem Loyalty Points,আনুগত্য পয়েন্ট
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,পেমেন্ট ভুক্তি ইতিমধ্যে তৈরি করা হয়
 DocType: Request for Quotation,Get Suppliers,সরবরাহকারীরা পান
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,ফসল স্পেসিং UOM
 DocType: Loyalty Program,Single Tier Program,একক টিয়ার প্রোগ্রাম
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,যদি আপনি সেটআপ ক্যাশ ফ্লো ম্যাপার ডকুমেন্টগুলি নির্বাচন করেন তবে কেবল নির্বাচন করুন
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,ঠিকানা 1 থেকে
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,ঠিকানা 1 থেকে
 DocType: Email Digest,Next email will be sent on:,পরবর্তী ইমেলে পাঠানো হবে:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",নিম্নলিখিত আইটেম {আইটেম} {ক্রিয়া} {message} আইটেম হিসাবে চিহ্নিত। আপনি তাদের আইটেম মাস্টার থেকে {message} আইটেম হিসাবে সক্ষম করতে পারেন
 DocType: Supplier Scorecard,Per Week,প্রতি সপ্তাহে
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,আইটেম ভিন্নতা আছে.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,আইটেম ভিন্নতা আছে.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,মোট ছাত্র
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,আইটেম {0} পাওয়া যায়নি
 DocType: Bin,Stock Value,স্টক মূল্য
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,কোম্পানির {0} অস্তিত্ব নেই
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,কোম্পানির {0} অস্তিত্ব নেই
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} পর্যন্ত ফি বৈধতা আছে {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,বৃক্ষ ধরন
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Qty ইউনিট প্রতি ক্ষয়প্রাপ্ত
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],ফিসার ডেস ইকরিটেস কমপ্যাটবলস [এফকে]
 DocType: Journal Entry,Credit Card Entry,ক্রেডিট কার্ড এন্ট্রি
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,কোম্পানি অ্যান্ড অ্যাকাউন্টস
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,মান
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,মান
 DocType: Asset Settings,Depreciation Options,হ্রাস বিকল্প
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,স্থান বা কর্মচারী কোনও প্রয়োজন হবে
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,অবৈধ পোস্টিং সময়
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,বণ্টন
 DocType: Purchase Order,Supply Raw Materials,সাপ্লাই কাঁচামালের
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,চলতি সম্পদ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} একটি স্টক আইটেম নয়
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} একটি স্টক আইটেম নয়
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',প্রশিক্ষণ &#39;প্রতিক্রিয়া&#39; এবং তারপর &#39;নতুন&#39; ক্লিক করে প্রশিক্ষণ আপনার প্রতিক্রিয়া ভাগ করুন
 DocType: Mode of Payment Account,Default Account,ডিফল্ট একাউন্ট
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,প্রথমে স্টক সেটিংস মধ্যে নমুনা ধারণ গুদাম নির্বাচন করুন
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,প্রথমে স্টক সেটিংস মধ্যে নমুনা ধারণ গুদাম নির্বাচন করুন
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,একাধিক সংগ্রহের নিয়মগুলির জন্য দয়া করে একাধিক টিয়ার প্রোগ্রামের ধরন নির্বাচন করুন
 DocType: Payment Entry,Received Amount (Company Currency),প্রাপ্তঃ পরিমাণ (কোম্পানি মুদ্রা)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,সুযোগ লিড থেকে তৈরি করা হয় তাহলে লিড নির্ধারণ করা আবশ্যক
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,পেমেন্ট বাতিল আরো তথ্যের জন্য আপনার GoCardless অ্যাকাউন্ট চেক করুন
 DocType: Contract,N/A,এন / এ
+DocType: Delivery Settings,Send with Attachment,সংযুক্তি সঙ্গে পাঠান
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,সাপ্তাহিক ছুটির দিন নির্বাচন করুন
 DocType: Inpatient Record,O Negative,হে নেতিবাচক
 DocType: Work Order Operation,Planned End Time,পরিকল্পনা শেষ সময়
 ,Sales Person Target Variance Item Group-Wise,সেলস পারসন উদ্দিষ্ট ভেদাংক আইটেমটি গ্রুপ-প্রজ্ঞাময়
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,সম্মিলিত প্রকার বিবরণ
 DocType: Delivery Note,Customer's Purchase Order No,গ্রাহকের ক্রয় আদেশ কোন
 DocType: Clinical Procedure,Consume Stock,স্টক ভোজন
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,বালি
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,শক্তি
 DocType: Opportunity,Opportunity From,থেকে সুযোগ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,সারি {0}: {1} আইটেমের জন্য প্রয়োজনীয় সিরিয়াল নম্বর {2}। আপনি {3} প্রদান করেছেন।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,সারি {0}: {1} আইটেমের জন্য প্রয়োজনীয় সিরিয়াল নম্বর {2}। আপনি {3} প্রদান করেছেন।
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,একটি টেবিল নির্বাচন করুন
 DocType: BOM,Website Specifications,ওয়েবসাইট উল্লেখ
 DocType: Special Test Items,Particulars,বিবরণ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: টাইপ {1} এর {0} থেকে
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,সারি {0}: রূপান্তর ফ্যাক্টর বাধ্যতামূলক
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,সারি {0}: রূপান্তর ফ্যাক্টর বাধ্যতামূলক
 DocType: Student,A+,একটি A
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","একাধিক দাম বিধি একই মানদণ্ড সঙ্গে বিদ্যমান, অগ্রাধিকার বরাদ্দ করে সংঘাত সমাধান করুন. দাম নিয়মাবলী: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","একাধিক দাম বিধি একই মানদণ্ড সঙ্গে বিদ্যমান, অগ্রাধিকার বরাদ্দ করে সংঘাত সমাধান করুন. দাম নিয়মাবলী: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,বিনিময় হার রিভিউয়্যানেশন অ্যাকাউন্ট
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,নিষ্ক্রিয় অথবা অন্য BOMs সাথে সংযুক্ত করা হয় হিসাবে BOM বাতিল করতে পারেন না
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,নিষ্ক্রিয় অথবা অন্য BOMs সাথে সংযুক্ত করা হয় হিসাবে BOM বাতিল করতে পারেন না
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,অনুগ্রহ করে এন্ট্রি পাওয়ার জন্য কোম্পানি এবং পোস্টিং তারিখ নির্বাচন করুন
 DocType: Asset,Maintenance,রক্ষণাবেক্ষণ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,রোগীর এনকাউন্টার থেকে পান
 DocType: Subscriber,Subscriber,গ্রাহক
 DocType: Item Attribute Value,Item Attribute Value,আইটেম মান গুন
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,দয়া করে আপনার প্রকল্প স্থিতি আপডেট করুন
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,দয়া করে আপনার প্রকল্প স্থিতি আপডেট করুন
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,মুদ্রা বিনিময় কেনা বা বিক্রয়ের জন্য প্রযোজ্য হবে।
 DocType: Item,Maximum sample quantity that can be retained,সর্বাধিক নমুনা পরিমাণ যা বজায় রাখা যায়
 DocType: Project Update,How is the Project Progressing Right Now?,প্রজেক্ট কীভাবে এখনই এগোচ্ছে?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},সারি {0} # আইটেম {1} ক্রয় আদেশ {2} এর চেয়ে বেশি {2} স্থানান্তর করা যাবে না
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},সারি {0} # আইটেম {1} ক্রয় আদেশ {2} এর চেয়ে বেশি {2} স্থানান্তর করা যাবে না
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,সেলস প্রচারণা.
 DocType: Project Task,Make Timesheet,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড করুন
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,ল্যাব পরীক্ষা
 DocType: Student Report Generation Tool,Student Report Generation Tool,ছাত্র প্রতিবেদন জেনারেশন টুল
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,স্বাস্থ্যসেবা সময় সময় স্লট
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,ডক নাম
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,ডক নাম
 DocType: Expense Claim Detail,Expense Claim Type,ব্যয় দাবি প্রকার
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,শপিং কার্ট জন্য ডিফল্ট সেটিংস
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Timeslots যোগ করুন
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},অ্যাসেট জার্নাল এন্ট্রি মাধ্যমে বাতিল {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},দয়া করে গুদামে {0} অ্যাকাউন্টে বা ডিফল্ট ইনভেন্টরি অ্যাকাউন্টে অ্যাকাউন্ট সেট করুন {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},অ্যাসেট জার্নাল এন্ট্রি মাধ্যমে বাতিল {0}
 DocType: Loan,Interest Income Account,সুদ আয় অ্যাকাউন্ট
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,বেনিফিট বিতরণের জন্য সর্বোচ্চ বেনিফিট শূন্যের চেয়ে বেশি হতে হবে
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,বেনিফিট বিতরণের জন্য সর্বোচ্চ বেনিফিট শূন্যের চেয়ে বেশি হতে হবে
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,পর্যালোচনা আমন্ত্রণ প্রেরিত
 DocType: Shift Assignment,Shift Assignment,শিফট অ্যাসাইনমেন্ট
 DocType: Employee Transfer Property,Employee Transfer Property,কর্মচারী স্থানান্তর স্থানান্তর
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,সময় থেকে সময় কম হতে হবে
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,বায়োটেকনোলজি
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",আইটেম {0} (সিরিয়াল নাম্বার: {1}) রিচার্ভার্ড \ পূর্ণফিল সেলস অর্ডার হিসাবে ব্যবহার করা যাবে না {2}।
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,অফিস রক্ষণাবেক্ষণ খরচ
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,যাও
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify থেকে ইআরপিএলে পরবর্তী মূল্যের তালিকা আপডেট করুন
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ইমেইল অ্যাকাউন্ট সেট আপ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,প্রথম আইটেম লিখুন দয়া করে
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,বিশ্লেষণ প্রয়োজন
 DocType: Asset Repair,Downtime,ডাউনটাইম
 DocType: Account,Liability,দায়
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,অনুমোদিত পরিমাণ সারি মধ্যে দাবি করে বেশি পরিমাণে হতে পারে না {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,অনুমোদিত পরিমাণ সারি মধ্যে দাবি করে বেশি পরিমাণে হতে পারে না {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,একাডেমিক টার্ম:
 DocType: Salary Component,Do not include in total,মোট অন্তর্ভুক্ত করবেন না
 DocType: Company,Default Cost of Goods Sold Account,জিনিষপত্র বিক্রি অ্যাকাউন্ট ডিফল্ট খরচ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},নমুনা পরিমাণ {0} প্রাপ্ত পরিমাণের চেয়ে বেশি হতে পারে না {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,মূল্যতালিকা নির্বাচিত না
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},নমুনা পরিমাণ {0} প্রাপ্ত পরিমাণের চেয়ে বেশি হতে পারে না {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,মূল্যতালিকা নির্বাচিত না
 DocType: Employee,Family Background,পারিবারিক ইতিহাস
 DocType: Request for Quotation Supplier,Send Email,বার্তা পাঠাও
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},সতর্কবাণী: অবৈধ সংযুক্তি {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},সতর্কবাণী: অবৈধ সংযুক্তি {0}
 DocType: Item,Max Sample Quantity,সর্বোচ্চ নমুনা পরিমাণ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,অনুমতি নেই
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,চুক্তি পূরণের চেকলিস্ট
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: খরচ কেন্দ্র {2} কোম্পানির অন্তর্গত নয় {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),আপনার চিঠির মাথাটি আপলোড করুন (এটি ওয়েবপৃষ্ঠাটি 900px দ্বারা 100px করে রাখুন)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: অ্যাকাউন্ট {2} একটি গ্রুপ হতে পারে না
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,আইটেম সারি {idx}: {DOCTYPE} {DOCNAME} উপরে বিদ্যমান নেই &#39;{DOCTYPE}&#39; টেবিল
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড {0} ইতিমধ্যে সম্পন্ন বা বাতিল করা হয়েছে
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড {0} ইতিমধ্যে সম্পন্ন বা বাতিল করা হয়েছে
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks মাইগ্রেটর
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,কোন কর্ম
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,বিক্রয় ইনভয়েস {0} কে পরিশোধিত হিসাবে তৈরি করা হয়েছে
 DocType: Item Variant Settings,Copy Fields to Variant,ক্ষেত্রগুলি থেকে বৈকল্পিক কপি করুন
 DocType: Asset,Opening Accumulated Depreciation,খোলা সঞ্চিত অবচয়
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,স্কোর 5 থেকে কম বা সমান হবে
 DocType: Program Enrollment Tool,Program Enrollment Tool,প্রোগ্রাম তালিকাভুক্তি টুল
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,সি-ফরম রেকর্ড
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,সি-ফরম রেকর্ড
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,শেয়ার ইতিমধ্যে বিদ্যমান
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,গ্রাহক এবং সরবরাহকারী
 DocType: Email Digest,Email Digest Settings,ইমেইল ডাইজেস্ট সেটিংস
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,আইটেম নির্বাচন করুন
 DocType: Share Transfer,To Shareholder,শেয়ারহোল্ডারের কাছে
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} বিল বিপরীতে {1} তারিখের {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,রাজ্য থেকে
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,রাজ্য থেকে
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,সেটআপ প্রতিষ্ঠান
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,পাতা বরাদ্দ করা ...
 DocType: Program Enrollment,Vehicle/Bus Number,ভেহিকেল / বাস নম্বর
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,কোর্স সুচী
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",আপনাকে বেতনভোগী মেয়াদ শেষ বেতন শেষ না হওয়া পর্যন্ত ট্যাক্স ছাড় ছাড়াই ট্যাক্স আদায় করতে হবে।
 DocType: Request for Quotation Supplier,Quote Status,উদ্ধৃতি অবস্থা
 DocType: GoCardless Settings,Webhooks Secret,ওয়েবহকস সিক্রেট
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,পরিশোধযোগ্য তারিখ
 DocType: Drug Prescription,Interval UOM,অন্তর্বর্তী UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",সংরক্ষণ করার পরে যদি নির্বাচিত ঠিকানাটি সম্পাদনা করা হয় তবে নির্বাচন বাতিল করুন
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,আইটেম ভেরিয়েন্ট {0} ইতিমধ্যে একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,আইটেম ভেরিয়েন্ট {0} ইতিমধ্যে একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
 DocType: Item,Hub Publishing Details,হাব প্রকাশনা বিবরণ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',' শুরু'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',' শুরু'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,কি জন্য উন্মুক্ত
 DocType: Issue,Via Customer Portal,গ্রাহক পোর্টাল মাধ্যমে
 DocType: Notification Control,Delivery Note Message,হুণ্ডি পাঠান
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST পরিমাণ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST পরিমাণ
 DocType: Lab Test Template,Result Format,ফলাফল ফরম্যাট
 DocType: Expense Claim,Expenses,খরচ
 DocType: Item Variant Attribute,Item Variant Attribute,আইটেম ভেরিয়েন্ট গুন
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,দ্বিমাসিক
 DocType: Vehicle Service,Brake Pad,ব্রেক প্যাড
 DocType: Fertilizer,Fertilizer Contents,সার সার্টিফিকেট
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,গবেষণা ও উন্নয়ন
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,গবেষণা ও উন্নয়ন
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,বিল পরিমাণ
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","শুরুর তারিখ এবং শেষ তারিখটি কাজের কার্ডের সাথে ওভারল্যাপ করছে <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,রেজিস্ট্রেশন বিস্তারিত
 DocType: Timesheet,Total Billed Amount,মোট বিল পরিমাণ
 DocType: Item Reorder,Re-Order Qty,পুনরায় আদেশ Qty
 DocType: Leave Block List Date,Leave Block List Date,ব্লক তালিকা তারিখ ত্যাগ
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,শিক্ষা&gt; শিক্ষা সেটিংসে নির্দেশক নামকরণ সিস্টেম সেটআপ করুন
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: কাঁচামাল প্রধান আইটেমের মত একইরকম হতে পারে না
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ক্রয় রশিদ সামগ্রী টেবিলের মোট প্রযোজ্য চার্জ মোট কর ও চার্জ হিসাবে একই হতে হবে
 DocType: Sales Team,Incentives,ইনসেনটিভ
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,বিক্রয় বিন্দু
 DocType: Fee Schedule,Fee Creation Status,ফি নির্মাণ স্থিতি
 DocType: Vehicle Log,Odometer Reading,দূরত্বমাপণী পড়া
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ইতিমধ্যে ক্রেডিট অ্যাকাউন্ট ব্যালেন্স, আপনি &#39;ডেবিট&#39; হিসেবে &#39;ব্যালেন্স করতে হবে&#39; সেট করার অনুমতি দেওয়া হয় না"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ইতিমধ্যে ক্রেডিট অ্যাকাউন্ট ব্যালেন্স, আপনি &#39;ডেবিট&#39; হিসেবে &#39;ব্যালেন্স করতে হবে&#39; সেট করার অনুমতি দেওয়া হয় না"
 DocType: Account,Balance must be,ব্যালেন্স থাকতে হবে
 DocType: Notification Control,Expense Claim Rejected Message,ব্যয় দাবি প্রত্যাখ্যান পাঠান
 ,Available Qty,প্রাপ্তিসাধ্য Qty
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,সর্বদা অ্যামাজন MWS থেকে আপনার পণ্য একত্রিত করার আগে আদেশ বিবরণ সংশ্লেষণ
 DocType: Delivery Trip,Delivery Stops,ডেলিভারি স্টপ
 DocType: Salary Slip,Working Days,কর্মদিবস
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},{0} সারিতে আইটেমের জন্য সার্ভিস স্টপ তারিখ পরিবর্তন করা যাবে না
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},{0} সারিতে আইটেমের জন্য সার্ভিস স্টপ তারিখ পরিবর্তন করা যাবে না
 DocType: Serial No,Incoming Rate,ইনকামিং হার
 DocType: Packing Slip,Gross Weight,মোট ওজন
 DocType: Leave Type,Encashment Threshold Days,এনক্যাশমেন্ট থ্রেশহোল্ড ডে
@@ -1399,31 +1407,33 @@
 DocType: Restaurant Table,Minimum Seating,ন্যূনতম আসন
 DocType: Item Attribute,Item Attribute Values,আইটেম বৈশিষ্ট্য মূল্যবোধ
 DocType: Examination Result,Examination Result,পরীক্ষার ফলাফল
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,কেনার রশিদ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,কেনার রশিদ
 ,Received Items To Be Billed,গৃহীত চলছে বিল তৈরি করা
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,মুদ্রা বিনিময় হার মাস্টার.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,মুদ্রা বিনিময় হার মাস্টার.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},রেফারেন্স DOCTYPE এক হতে হবে {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,ফিল্টার মোট জিরো Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},অপারেশন জন্য পরের {0} দিন টাইম স্লটে এটি অক্ষম {1}
 DocType: Work Order,Plan material for sub-assemblies,উপ-সমাহারকে পরিকল্পনা উপাদান
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,সেলস অংশীদার এবং টেরিটরি
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} সক্রিয় হতে হবে
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} সক্রিয় হতে হবে
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,স্থানান্তর জন্য কোন আইটেম উপলব্ধ
 DocType: Employee Boarding Activity,Activity Name,কার্যকলাপ নাম
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,রিলিজ তারিখ পরিবর্তন করুন
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,সমাপ্ত পণ্য পরিমাণ <b>{0}</b> এবং পরিমাণ জন্য <b>{1}</b> বিভিন্ন হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,রিলিজ তারিখ পরিবর্তন করুন
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,সমাপ্ত পণ্য পরিমাণ <b>{0}</b> এবং পরিমাণ জন্য <b>{1}</b> বিভিন্ন হতে পারে না
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),বন্ধ (খোলা + মোট)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,আইটেম কোড&gt; আইটেম গ্রুপ&gt; ব্র্যান্ড
+DocType: Delivery Settings,Dispatch Notification Attachment,ডিসপ্যাচ বিজ্ঞপ্তি সংযুক্তি
 DocType: Payroll Entry,Number Of Employees,কর্মচারীর সংখ্যা
 DocType: Journal Entry,Depreciation Entry,অবচয় এণ্ট্রি
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,প্রথম ডকুমেন্ট টাইপ নির্বাচন করুন
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,প্রথম ডকুমেন্ট টাইপ নির্বাচন করুন
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,এই রক্ষণাবেক্ষণ পরিদর্শন বাতিল আগে বাতিল উপাদান ভিজিট {0}
 DocType: Pricing Rule,Rate or Discount,রেট বা ডিসকাউন্ট
 DocType: Vital Signs,One Sided,এক পার্শ্বযুক্ত
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},সিরিয়াল কোন {0} আইটেম অন্তর্গত নয় {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,প্রয়োজনীয় Qty
 DocType: Marketplace Settings,Custom Data,কাস্টম ডেটা
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,বিদ্যমান লেনদেনের সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},আইটেমের জন্য সিরিয়াল নম্বর বাধ্যতামূলক {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,বিদ্যমান লেনদেনের সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},আইটেমের জন্য সিরিয়াল নম্বর বাধ্যতামূলক {0}
 DocType: Bank Reconciliation,Total Amount,মোট পরিমাণ
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,তারিখ এবং তারিখ থেকে বিভিন্ন রাজস্ব বছর
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,রোগীর {0} চালককে গ্রাহককে জবাবদিহি করতে হবে না
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),ক্লে গঠন (%)
 DocType: Item Group,Item Group Defaults,আইটেম গ্রুপ ডিফল্টগুলি
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,টাস্ক নির্ধারণের আগে সংরক্ষণ করুন
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ব্যালেন্স মূল্য
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ব্যালেন্স মূল্য
 DocType: Lab Test,Lab Technician,ল্যাব কারিগর
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,বিক্রয় মূল্য তালিকা
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,বিক্রয় মূল্য তালিকা
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","যদি চেক করা হয়, একটি গ্রাহক তৈরি করা হবে, রোগীর কাছে ম্যাপ করা হবে এই গ্রাহকের বিরুদ্ধে রোগীর ইনভয়েসিস তৈরি করা হবে। আপনি পেশেন্ট তৈরির সময় বিদ্যমান গ্রাহক নির্বাচন করতে পারেন।"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,গ্রাহক কোনও আনুষ্ঠানিকতা প্রোগ্রামে নথিভুক্ত নয়
@@ -1450,13 +1460,13 @@
 DocType: Support Search Source,Search Term Param Name,অনুসন্ধানের প্যারাম নাম
 DocType: Item Barcode,Item Barcode,আইটেম বারকোড
 DocType: Woocommerce Settings,Endpoints,এন্ডপয়েন্ট
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,আইটেম রুপভেদ {0} আপডেট
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,আইটেম রুপভেদ {0} আপডেট
 DocType: Quality Inspection Reading,Reading 6,6 পঠন
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,না {0} {1} {2} ছাড়া কোনো নেতিবাচক অসামান্য চালান Can
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,না {0} {1} {2} ছাড়া কোনো নেতিবাচক অসামান্য চালান Can
 DocType: Share Transfer,From Folio No,ফোলিও নং থেকে
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,চালান অগ্রিম ক্রয়
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},সারি {0}: ক্রেডিট এন্ট্রি সঙ্গে যুক্ত করা যাবে না একটি {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,একটি অর্থবছরের বাজেট নির্ধারণ করুন.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,একটি অর্থবছরের বাজেট নির্ধারণ করুন.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext অ্যাকাউন্ট
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} অবরোধ করা হয় যাতে এই লেনদেনটি এগিয়ে যায় না
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,সংশোধিত মাসিক বাজেট এমআর অতিক্রম করেছে
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,ক্রয় চালান
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,একটি ওয়ার্ক অর্ডার বিরুদ্ধে একাধিক উপাদান ব্যবহার অনুমোদন
 DocType: GL Entry,Voucher Detail No,ভাউচার বিস্তারিত কোন
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,নতুন সেলস চালান
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,নতুন সেলস চালান
 DocType: Stock Entry,Total Outgoing Value,মোট আউটগোয়িং মূল্য
 DocType: Healthcare Practitioner,Appointments,কলকব্জা
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,তারিখ এবং শেষ তারিখ খোলার একই অর্থবছরের মধ্যে হওয়া উচিত
 DocType: Lead,Request for Information,তথ্যের জন্য অনুরোধ
 ,LeaderBoard,লিডারবোর্ড
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),মার্জিনের সাথে রেট (কোম্পানির মুদ্রা)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,সিঙ্ক অফলাইন চালান
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,সিঙ্ক অফলাইন চালান
 DocType: Payment Request,Paid,প্রদত্ত
 DocType: Program Fee,Program Fee,প্রোগ্রাম ফি
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","এটি ব্যবহার করা হয় যেখানে অন্য সব BOMs একটি বিশেষ BOM প্রতিস্থাপন। এটি পুরোনো BOM লিংকে প্রতিস্থাপন করবে, আপডেটের খরচ এবং নতুন BOM অনুযায়ী &quot;BOM Explosion Item&quot; টেবিলের পুনর্নির্মাণ করবে। এটি সব BOMs মধ্যে সর্বশেষ মূল্য আপডেট।"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,নিম্নোক্ত কাজ করার আদেশগুলি তৈরি করা হয়েছে:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,নিম্নোক্ত কাজ করার আদেশগুলি তৈরি করা হয়েছে:
 DocType: Salary Slip,Total in words,কথায় মোট
 DocType: Inpatient Record,Discharged,কারামুক্ত
 DocType: Material Request Item,Lead Time Date,সময় লিড তারিখ
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,বিভাগগুলি শুরু করুন
 DocType: Lead,CRM-LEAD-.YYYY.-,সিআরএম-লিড .YYYY.-
 DocType: Loan,Sanctioned,অনুমোদিত
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,আবশ্যক. হয়তো মুদ্রা বিনিময় রেকর্ড এজন্য তৈরি করা হয়নি
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},সারি # {0}: আইটেম জন্য কোন সিরিয়াল উল্লেখ করুন {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},মোট অবদান পরিমাণ: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},সারি # {0}: আইটেম জন্য কোন সিরিয়াল উল্লেখ করুন {1}
 DocType: Payroll Entry,Salary Slips Submitted,বেতন স্লিপ জমা
 DocType: Crop Cycle,Crop Cycle,ফসল চক্র
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;পণ্য সমষ্টি&#39; আইটেম, গুদাম, সিরিয়াল না এবং ব্যাচ জন্য কোন &#39;প্যাকিং তালিকা টেবিল থেকে বিবেচনা করা হবে. ওয়ারহাউস ও ব্যাচ কোন কোন &#39;পণ্য সমষ্টি&#39; আইটেমের জন্য সব প্যাকিং আইটেম জন্য একই থাকে, যারা মান প্রধান আইটেম টেবিলে সন্নিবেশ করানো যাবে, মান মেজ বোঁচকা তালিকা &#39;থেকে কপি করা হবে."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;পণ্য সমষ্টি&#39; আইটেম, গুদাম, সিরিয়াল না এবং ব্যাচ জন্য কোন &#39;প্যাকিং তালিকা টেবিল থেকে বিবেচনা করা হবে. ওয়ারহাউস ও ব্যাচ কোন কোন &#39;পণ্য সমষ্টি&#39; আইটেমের জন্য সব প্যাকিং আইটেম জন্য একই থাকে, যারা মান প্রধান আইটেম টেবিলে সন্নিবেশ করানো যাবে, মান মেজ বোঁচকা তালিকা &#39;থেকে কপি করা হবে."
 DocType: Amazon MWS Settings,BR,বিআর
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,স্থান থেকে
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,নেট পে নেগেটিভ হতে পারে না
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,স্থান থেকে
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,নেট পে নেগেটিভ হতে পারে না
 DocType: Student Admission,Publish on website,ওয়েবসাইটে প্রকাশ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,সরবরাহকারী চালান তারিখ পোস্টিং তারিখ তার চেয়ে অনেক বেশী হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,সরবরাহকারী চালান তারিখ পোস্টিং তারিখ তার চেয়ে অনেক বেশী হতে পারে না
 DocType: Installation Note,MAT-INS-.YYYY.-,মাদুর-ইনগুলি-.YYYY.-
 DocType: Subscription,Cancelation Date,বাতিলকরণ তারিখ
 DocType: Purchase Invoice Item,Purchase Order Item,আদেশ আইটেম ক্রয়
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,ছাত্র এ্যাটেনডেন্স টুল
 DocType: Restaurant Menu,Price List (Auto created),মূল্য তালিকা (অটো তৈরি)
 DocType: Cheque Print Template,Date Settings,তারিখ সেটিং
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,অনৈক্য
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,অনৈক্য
 DocType: Employee Promotion,Employee Promotion Detail,কর্মচারী প্রচার বিস্তারিত
 ,Company Name,কোমপানির নাম
 DocType: SMS Center,Total Message(s),মোট বার্তা (গুলি)
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,কর্মচারী জন্মদিনের রিমাইন্ডার পাঠাবেন না
 DocType: Expense Claim,Total Advance Amount,মোট অগ্রিম পরিমাণ
 DocType: Delivery Stop,Estimated Arrival,আনুমানিক আগমন
-DocType: Delivery Stop,Notified by Email,ইমেল দ্বারা বিজ্ঞাপিত
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,সমস্ত প্রবন্ধ দেখুন
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,প্রবেশ
 DocType: Item,Inspection Criteria,ইন্সপেকশন নির্ণায়ক
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,বিল
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,সাদা
 DocType: SMS Center,All Lead (Open),সব নেতৃত্ব (ওপেন)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),সারি {0}: Qty জন্য পাওয়া যায় না {4} গুদামে {1} এন্ট্রির সময় পোস্টিং এ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),সারি {0}: Qty জন্য পাওয়া যায় না {4} গুদামে {1} এন্ট্রির সময় পোস্টিং এ ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,চেক বাক্সগুলির তালিকা থেকে আপনি কেবলমাত্র একাধিক বিকল্প নির্বাচন করতে পারেন।
 DocType: Purchase Invoice,Get Advances Paid,উন্নতির প্রদত্ত করুন
 DocType: Item,Automatically Create New Batch,নিউ ব্যাচ স্বয়ংক্রিয়ভাবে তৈরি করুন
 DocType: Supplier,Represents Company,কোম্পানির প্রতিনিধিত্ব করে
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,করা
 DocType: Student Admission,Admission Start Date,ভর্তি শুরুর তারিখ
 DocType: Journal Entry,Total Amount in Words,শব্দ মধ্যে মোট পরিমাণ
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,নতুন কর্মচারী
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,সেখানে একটা ভুল ছিল. এক সম্ভাব্য কারণ আপনার ফর্ম সংরক্ষণ করেন নি যে হতে পারে. সমস্যা থেকে গেলে support@erpnext.com সাথে যোগাযোগ করুন.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,আমার ট্রলি
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},যাতে টাইপ এক হতে হবে {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},যাতে টাইপ এক হতে হবে {0}
 DocType: Lead,Next Contact Date,পরের যোগাযোগ তারিখ
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty খোলা
 DocType: Healthcare Settings,Appointment Reminder,নিয়োগ অনুস্মারক
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,পরিমাণ পরিবর্তন অ্যাকাউন্ট প্রবেশ করুন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,পরিমাণ পরিবর্তন অ্যাকাউন্ট প্রবেশ করুন
 DocType: Program Enrollment Tool Student,Student Batch Name,ছাত্র ব্যাচ নাম
 DocType: Holiday List,Holiday List Name,ছুটির তালিকা নাম
 DocType: Repayment Schedule,Balance Loan Amount,ব্যালেন্স ঋণের পরিমাণ
@@ -1577,13 +1585,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,বিকল্প তহবিল
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,কোন পণ্য কার্ট যোগ
 DocType: Journal Entry Account,Expense Claim,ব্যয় দাবি
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,আপনি কি সত্যিই এই বাতিল সম্পদ পুনরুদ্ধার করতে চান না?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,আপনি কি সত্যিই এই বাতিল সম্পদ পুনরুদ্ধার করতে চান না?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},জন্য Qty {0}
 DocType: Leave Application,Leave Application,আবেদন কর
 DocType: Patient,Patient Relation,রোগীর সম্পর্ক
 DocType: Item,Hub Category to Publish,হাব বিভাগ প্রকাশ করতে
 DocType: Leave Block List,Leave Block List Dates,ব্লক তালিকা তারিখগুলি ছেড়ে
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","বিক্রয় আদেশ {0} আইটেম {1} জন্য রিজার্ভেশন আছে, আপনি কেবল {1} এর বিরুদ্ধে সংরক্ষিত {1} প্রদান করতে পারেন। সিরিয়াল না {2} বিতরণ করা যাবে না"
 DocType: Sales Invoice,Billing Address GSTIN,বিলিং ঠিকানা জিএসটিআইএন
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},উল্লেখ করুন একটি {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,পরিমাণ বা মান কোন পরিবর্তনের সঙ্গে সরানো আইটেম.
 DocType: Delivery Note,Delivery To,বিতরণ
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,বৈকল্পিক সৃষ্টি সারি করা হয়েছে।
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} এর জন্য কাজ সারাংশ
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,বৈকল্পিক সৃষ্টি সারি করা হয়েছে।
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} এর জন্য কাজ সারাংশ
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,তালিকায় প্রথম ত্যাগ গ্রহনকারীকে ডিফল্ট রও অ্যাপারওর হিসাবে সেট করা হবে।
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,গুন টেবিল বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,গুন টেবিল বাধ্যতামূলক
 DocType: Production Plan,Get Sales Orders,বিক্রয় আদেশ পান
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} নেতিবাচক হতে পারে না
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Quickbooks সাথে সংযোগ করুন
 DocType: Training Event,Self-Study,নিজ পাঠ
 DocType: POS Closing Voucher,Period End Date,সময়কাল শেষ তারিখ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,মৃত্তিকা রচনাগুলি 100 পর্যন্ত যোগ করা হয় না
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,ডিসকাউন্ট
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,সারি {0}: {1} ওপেনিং {2} চালান তৈরি করতে হবে
 DocType: Membership,Membership,সদস্যতা
 DocType: Asset,Total Number of Depreciations,মোট Depreciations সংখ্যা
 DocType: Sales Invoice Item,Rate With Margin,মার্জিন সঙ্গে হার
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},টেবিলের সারি {0} জন্য একটি বৈধ সারি আইডি উল্লেখ করুন {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,পরিবর্তনশীল খুঁজে পাওয়া যায়নি:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,নমপ্যাড থেকে সম্পাদনা করার জন্য দয়া করে একটি ক্ষেত্র নির্বাচন করুন
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,স্টক লেজার তৈরি করা হয়েছে হিসাবে একটি নির্দিষ্ট সম্পদ আইটেম হতে পারে না।
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,স্টক লেজার তৈরি করা হয়েছে হিসাবে একটি নির্দিষ্ট সম্পদ আইটেম হতে পারে না।
 DocType: Subscription Plan,Fixed rate,একদর
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,সত্য বলিয়া স্বীকার করা
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ডেস্কটপে যান এবং ERPNext ব্যবহার শুরু
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,শিপিং রাজ্য
 ,Projected Quantity as Source,উত্স হিসাবে অভিক্ষিপ্ত পরিমাণ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,আইটেম বাটন &#39;ক্রয় রসিদ থেকে জানানোর পান&#39; ব্যবহার করে যোগ করা হবে
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,ডেলিভারি ট্রিপ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,ডেলিভারি ট্রিপ
 DocType: Student,A-,এ-
 DocType: Share Transfer,Transfer Type,স্থানান্তর প্রকার
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,সেলস খরচ
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,ডিফল্ট বিক্রি খরচ কেন্দ্র
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ডিস্ক
 DocType: Buying Settings,Material Transferred for Subcontract,উপসম্পাদকীয় জন্য উপাদান হস্তান্তর
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,জিপ কোড
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},বিক্রয় আদেশ {0} হল {1}
+DocType: Email Digest,Purchase Orders Items Overdue,ক্রয় আদেশ আইটেম শেষ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,জিপ কোড
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},বিক্রয় আদেশ {0} হল {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},ঋণের সুদ আয় অ্যাকাউন্ট নির্বাচন করুন {0}
 DocType: Opportunity,Contact Info,যোগাযোগের তথ্য
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,শেয়ার দাখিলা তৈরীর
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,চালান শূন্য বিলিং ঘন্টা জন্য করা যাবে না
 DocType: Company,Date of Commencement,প্রারম্ভিক তারিখ
 DocType: Sales Person,Select company name first.,প্রথমটি বেছে নিন কোম্পানির নাম.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ইমেইল পাঠানো {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ইমেইল পাঠানো {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,এবার সরবরাহকারী থেকে প্রাপ্ত.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM প্রতিস্থাপন করুন এবং সমস্ত BOMs মধ্যে সর্বশেষ মূল্য আপডেট করুন
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},করুন {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,এটি একটি মূল সরবরাহকারী গ্রুপ এবং সম্পাদনা করা যাবে না।
-DocType: Delivery Trip,Driver Name,ড্রাইভারের নাম
+DocType: Delivery Note,Driver Name,ড্রাইভারের নাম
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,গড় বয়স
 DocType: Education Settings,Attendance Freeze Date,এ্যাটেনডেন্স ফ্রিজ তারিখ
 DocType: Payment Request,Inward,অভ্যন্তরস্থ
@@ -1698,7 +1709,7 @@
 DocType: Company,Parent Company,মূল কোম্পানি
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},হোটেলের রুম {0} {1} এ অনুপলব্ধ
 DocType: Healthcare Practitioner,Default Currency,ডিফল্ট মুদ্রা
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,আইটেম {0} জন্য সর্বাধিক ডিসকাউন্ট হল {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,আইটেম {0} জন্য সর্বাধিক ডিসকাউন্ট হল {1}%
 DocType: Asset Movement,From Employee,কর্মী থেকে
 DocType: Driver,Cellphone Number,মোবাইল নম্বর
 DocType: Project,Monitor Progress,মনিটর অগ্রগতি
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},পরিমাণ থেকে কম বা সমান হতে হবে {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},{0} উপাত্তের জন্য সর্বোচ্চ পরিমাণ {1} অতিক্রম করে
 DocType: Department Approver,Department Approver,ডিপার্টমেন্ট অফার
+DocType: QuickBooks Migrator,Application Settings,আবেদন নির্ধারণ
 DocType: SMS Center,Total Characters,মোট অক্ষর
 DocType: Employee Advance,Claimed,দাবি করা
 DocType: Crop,Row Spacing,সারি ব্যবধান
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},আইটেম জন্য BOM ক্ষেত্রের মধ্যে BOM নির্বাচন করুন {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},আইটেম জন্য BOM ক্ষেত্রের মধ্যে BOM নির্বাচন করুন {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,নির্বাচিত আইটেমের জন্য কোনও আইটেম ভেরিয়েন্ট নেই
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,সি-ফরম চালান বিস্তারিত
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,পেমেন্ট রিকনসিলিয়েশন চালান
 DocType: Clinical Procedure,Procedure Template,পদ্ধতি টেমপ্লেট
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,অবদান%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ক্রয় সেটিংস অনুযায়ী যদি ক্রয় আদেশ প্রয়োজনীয় == &#39;হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় অর্ডার তৈরি করতে হবে {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,অবদান%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ক্রয় সেটিংস অনুযায়ী যদি ক্রয় আদেশ প্রয়োজনীয় == &#39;হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় অর্ডার তৈরি করতে হবে {0}"
 ,HSN-wise-summary of outward supplies,এইচএসএন-ভিত্তিক বাহ্যিক সরবরাহের সারসংক্ষেপ
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,আপনার অবগতির জন্য কোম্পানি রেজিস্ট্রেশন নম্বর. ট্যাক্স নম্বর ইত্যাদি
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,রাষ্ট্র
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,রাষ্ট্র
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,পরিবেশক
 DocType: Asset Finance Book,Asset Finance Book,সম্পদ ফাইন্যান্স বুক
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,শপিং কার্ট শিপিং রুল
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,আদেশ আইটেম বিল তৈরি করা
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,বিন্যাস কম হতে হয়েছে থেকে চেয়ে পরিসীমা
 DocType: Global Defaults,Global Defaults,আন্তর্জাতিক ডিফল্ট
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,প্রকল্প সাহায্য আমন্ত্রণ
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,প্রকল্প সাহায্য আমন্ত্রণ
 DocType: Salary Slip,Deductions,Deductions
 DocType: Setup Progress Action,Action Name,কর্ম নাম
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,শুরুর বছর
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,পরামর্শকারী
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,মাতাপিতা শিক্ষকের বৈঠক আয়োজন
 DocType: Salary Slip,Earnings,উপার্জন
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,সমাপ্ত আইটেম {0} প্রস্তুত টাইপ এন্ট্রির জন্য প্রবেশ করতে হবে
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,সমাপ্ত আইটেম {0} প্রস্তুত টাইপ এন্ট্রির জন্য প্রবেশ করতে হবে
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,খোলা অ্যাকাউন্টিং ব্যালান্স
 ,GST Sales Register,GST সেলস নিবন্ধন
 DocType: Sales Invoice Advance,Sales Invoice Advance,বিক্রয় চালান অগ্রিম
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,কিছুই অনুরোধ করতে
+DocType: Stock Settings,Default Return Warehouse,ডিফল্ট রিটার্ন গুদাম
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,আপনার ডোমেন নির্বাচন করুন
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify সরবরাহকারী
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,পেমেন্ট ইনভয়েস আইটেমগুলি
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,সৃষ্টির সময় ক্ষেত্রগুলি শুধুমাত্র কপি করা হবে।
 DocType: Setup Progress Action,Domains,ডোমেইন
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','প্রকৃত আরম্ভের তারিখ' কখনই 'প্রকৃত শেষ তারিখ' থেকে বেশি হতে পারে না
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,ম্যানেজমেন্ট
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,ম্যানেজমেন্ট
 DocType: Cheque Print Template,Payer Settings,প্রদায়ক সেটিংস
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,দেওয়া আইটেমের জন্য লিঙ্ক পাওয়া কোন মুলতুবি উপাদান অনুরোধ।
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,প্রথম কোম্পানি নির্বাচন করুন
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","এই বৈকল্পিক আইটেম কোড যোগ করা হবে. আপনার সমাহার &quot;এস এম&quot;, এবং উদাহরণস্বরূপ, যদি আইটেমটি কোড &quot;টি-শার্ট&quot;, &quot;টি-শার্ট-এস এম&quot; হতে হবে বৈকল্পিক আইটেমটি কোড"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,আপনি বেতন স্লিপ সংরক্ষণ একবার (কথায়) নিট পে দৃশ্যমান হবে.
 DocType: Delivery Note,Is Return,ফিরে যেতে হবে
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,সতর্কতা
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',শুরু দিনটি টাস্কের শেষ দিনের চেয়ে বড় &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,রিটার্ন / ডেবিট নোট
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,রিটার্ন / ডেবিট নোট
 DocType: Price List Country,Price List Country,মূল্যতালিকা দেশ
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} আইটেম জন্য বৈধ সিরিয়াল আমরা {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,তথ্য মঞ্জুর
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,সরবরাহকারী ডাটাবেস.
 DocType: Contract Template,Contract Terms and Conditions,চুক্তি শর্তাবলী
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,আপনি সাবস্ক্রিপশনটি বাতিল না করা পুনরায় শুরু করতে পারবেন না
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,আপনি সাবস্ক্রিপশনটি বাতিল না করা পুনরায় শুরু করতে পারবেন না
 DocType: Account,Balance Sheet,হিসাবনিকাশপত্র
 DocType: Leave Type,Is Earned Leave,আর্কাইভ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',&#39;আইটেম কোড দিয়ে আইটেমের জন্য কেন্দ্র উড়ানের তালিকাটি
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',&#39;আইটেম কোড দিয়ে আইটেমের জন্য কেন্দ্র উড়ানের তালিকাটি
 DocType: Fee Validity,Valid Till,বৈধ পর্যন্ত
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,মোট মাতাপিতা শিক্ষক সভা
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","পেমেন্ট মোড কনফিগার করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন, কিনা অ্যাকাউন্ট পেমেন্ট মোড বা পিওএস প্রোফাইল উপর স্থাপন করা হয়েছে."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","পেমেন্ট মোড কনফিগার করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন, কিনা অ্যাকাউন্ট পেমেন্ট মোড বা পিওএস প্রোফাইল উপর স্থাপন করা হয়েছে."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,একই আইটেম একাধিক বার প্রবেশ করানো যাবে না.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","আরও অ্যাকাউন্ট দলের অধীনে করা যেতে পারে, কিন্তু এন্ট্রি অ গ্রুপের বিরুদ্ধে করা যেতে পারে"
 DocType: Lead,Lead,লিড
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth টোকেন
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,শেয়ার এণ্ট্রি {0} সৃষ্টি
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,আপনি বিক্রি করার জন্য আনুগত্য পয়েন্ট enought না
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,সারি # {0}: স্টক ক্রয় ফেরত মধ্যে প্রবেশ করা যাবে না প্রত্যাখ্যাত
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},কোম্পানির বিরুদ্ধে ট্যাক্স প্রতিরোধক বিভাগ {0} এর সাথে সম্পর্কিত অ্যাকাউন্ট সেট করুন {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,সারি # {0}: স্টক ক্রয় ফেরত মধ্যে প্রবেশ করা যাবে না প্রত্যাখ্যাত
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,নির্বাচিত গ্রাহকের জন্য গ্রাহক গোষ্ঠী পরিবর্তিত হচ্ছে না।
 ,Purchase Order Items To Be Billed,ক্রয় আদেশ আইটেম বিল তৈরি করা
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,আনুমানিক আগমনের সময়গুলি আপডেট করা হচ্ছে
 DocType: Program Enrollment Tool,Enrollment Details,নামকরণ বিবরণ
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,একটি কোম্পানির জন্য একাধিক আইটেম ডিফল্ট সেট করতে পারবেন না।
 DocType: Purchase Invoice Item,Net Rate,নিট হার
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,একটি গ্রাহক নির্বাচন করুন
 DocType: Leave Policy,Leave Allocations,বরাদ্দ ছেড়ে দিন
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,ঋণ পরিশোধের তথ্য
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;এন্ট্রি&#39; খালি রাখা যাবে না
 DocType: Maintenance Team Member,Maintenance Role,রক্ষণাবেক্ষণ ভূমিকা
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},সদৃশ সারিতে {0} একই {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},সদৃশ সারিতে {0} একই {1}
 DocType: Marketplace Settings,Disable Marketplace,মার্কেটপ্লেস অক্ষম করুন
 ,Trial Balance,ট্রায়াল ব্যালেন্স
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,অর্থবছরের {0} পাওয়া যায়নি
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,o-
 DocType: Subscription Settings,Subscription Settings,সাবস্ক্রিপশন সেটিংস
 DocType: Purchase Invoice,Update Auto Repeat Reference,অটো পুনরাবৃত্তি রেফারেন্স আপডেট করুন
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},ঐচ্ছিক ছুটির তালিকা ছাড়ের সময়কালের জন্য নির্ধারিত {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},ঐচ্ছিক ছুটির তালিকা ছাড়ের সময়কালের জন্য নির্ধারিত {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,গবেষণা
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,ঠিকানা 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,ঠিকানা 2
 DocType: Maintenance Visit Purpose,Work Done,কাজ শেষ
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,আরোপ করা টেবিলের মধ্যে অন্তত একটি বৈশিষ্ট্য উল্লেখ করুন
 DocType: Announcement,All Students,সকল শিক্ষার্থীরা
@@ -1854,16 +1870,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,পুনর্বিবেচনার লেনদেন
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,পুরনো
 DocType: Crop Cycle,Linked Location,লিঙ্কযুক্ত অবস্থান
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","একটি আইটেম গ্রুপ একই নামের সঙ্গে বিদ্যমান, আইটেমের নাম পরিবর্তন বা আইটেম গ্রুপ নামান্তর করুন"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","একটি আইটেম গ্রুপ একই নামের সঙ্গে বিদ্যমান, আইটেমের নাম পরিবর্তন বা আইটেম গ্রুপ নামান্তর করুন"
 DocType: Crop Cycle,Less than a year,এক বছরেরও কম
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,শিক্ষার্থীর মোবাইল নং
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,বিশ্বের বাকি
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,বিশ্বের বাকি
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,আইটেম {0} ব্যাচ থাকতে পারে না
 DocType: Crop,Yield UOM,ফলন
 ,Budget Variance Report,বাজেট ভেদাংক প্রতিবেদন
 DocType: Salary Slip,Gross Pay,গ্রস পে
 DocType: Item,Is Item from Hub,হাব থেকে আইটেম
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,স্বাস্থ্যসেবা পরিষেবা থেকে আইটেম পান
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,স্বাস্থ্যসেবা পরিষেবা থেকে আইটেম পান
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,সারি {0}: কার্যকলাপ প্রকার বাধ্যতামূলক.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,লভ্যাংশ দেওয়া
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,অ্যাকাউন্টিং লেজার
@@ -1878,6 +1894,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,পরিশোধের মাধ্যম
 DocType: Purchase Invoice,Supplied Items,সরবরাহকৃত চলছে
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},রেস্টুরেন্ট {0} জন্য একটি সক্রিয় মেনু সেট করুন
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,কমিশন হার %
 DocType: Work Order,Qty To Manufacture,উত্পাদনপ্রণালী Qty
 DocType: Email Digest,New Income,নতুন আয়
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,কেনার চক্র সারা একই হার বজায় রাখা
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},মূল্যনির্ধারণ হার সারিতে আইটেম জন্য প্রয়োজনীয় {0}
 DocType: Supplier Scorecard,Scorecard Actions,স্কোরকার্ড অ্যাকশনগুলি
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,উদাহরণ: কম্পিউটার বিজ্ঞানে মাস্টার্স
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},সরবরাহকারী {0} পাওয়া যায় নি {1}
 DocType: Purchase Invoice,Rejected Warehouse,পরিত্যক্ত গুদাম
 DocType: GL Entry,Against Voucher,ভাউচার বিরুদ্ধে
 DocType: Item Default,Default Buying Cost Center,ডিফল্ট রাজধানীতে খরচ কেন্দ্র
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext শ্রেষ্ঠ আউট পেতে, আমরা আপনার জন্য কিছু সময় লাগতে এবং এইসব সাহায্যের ভিডিও দেখতে যে সুপারিশ."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),ডিফল্ট সরবরাহকারীর জন্য (ঐচ্ছিক)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,থেকে
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),ডিফল্ট সরবরাহকারীর জন্য (ঐচ্ছিক)
 DocType: Supplier Quotation Item,Lead Time in days,দিন সময় লিড
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,অ্যাকাউন্ট প্রদেয় সংক্ষিপ্ত
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},হিমায়িত অ্যাকাউন্ট সম্পাদনা করার জন্য অনুমোদিত নয় {0}
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,উদ্ধৃতি জন্য নতুন অনুরোধের জন্য সতর্কতা
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,ক্রয় আদেশ আপনি পরিকল্পনা সাহায্য এবং আপনার ক্রয়ের উপর ফলোআপ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,ল্যাব টেস্ট প্রেসক্রিপশন
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",মোট ইস্যু / স্থানান্তর পরিমাণ {0} উপাদান অনুরোধ মধ্যে {1} \ আইটেম জন্য অনুরোধ পরিমাণ {2} তার চেয়ে অনেক বেশী হতে পারে না {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,ছোট
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","যদি Shopify- এর মধ্যে কোনও গ্রাহক থাকে না, তাহলে অর্ডারগুলি সিঙ্ক করার সময়, সিস্টেম অর্ডারের জন্য ডিফল্ট গ্রাহককে বিবেচনা করবে"
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,% সম্পন্ন হয়েছে
 ,Invoiced Amount (Exculsive Tax),Invoiced পরিমাণ (Exculsive ট্যাক্স)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,আইটেম 2
+DocType: QuickBooks Migrator,Authorization Endpoint,অনুমোদন শেষ বিন্দু
 DocType: Travel Request,International,আন্তর্জাতিক
 DocType: Training Event,Training Event,প্রশিক্ষণ ইভেন্ট
 DocType: Item,Auto re-order,অটো পুনরায় আদেশ
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,চুক্তি
 DocType: Plant Analysis,Laboratory Testing Datetime,ল্যাবরেটরি টেস্টিং ডেটটাইম
 DocType: Email Digest,Add Quote,উক্তি করো
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM জন্য প্রয়োজন UOM coversion ফ্যাক্টর: {0} আইটেম: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM জন্য প্রয়োজন UOM coversion ফ্যাক্টর: {0} আইটেম: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,পরোক্ষ খরচ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,সারি {0}: Qty বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,সারি {0}: Qty বাধ্যতামূলক
 DocType: Agriculture Analysis Criteria,Agriculture,কৃষি
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,সেলস অর্ডার তৈরি করুন
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,সম্পদ জন্য অ্যাকাউন্টিং এন্ট্রি
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,অবরোধ চালান
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,সম্পদ জন্য অ্যাকাউন্টিং এন্ট্রি
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,অবরোধ চালান
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,পরিমাণ তৈরি করতে
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,সিঙ্ক মাস্টার ডেটা
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,সিঙ্ক মাস্টার ডেটা
 DocType: Asset Repair,Repair Cost,মেরামতের খরচ
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,আপনার পণ্য বা সেবা
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,লগ ইনে ব্যর্থ
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,সম্পদ {0} তৈরি করা হয়েছে
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,সম্পদ {0} তৈরি করা হয়েছে
 DocType: Special Test Items,Special Test Items,বিশেষ টেস্ট আইটেম
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,মার্কেটপ্লেসে রেজিস্টার করার জন্য আপনাকে সিস্টেম ম্যানেজার এবং আইটেম ম্যানেজার ভূমিকার সাথে একজন ব্যবহারকারী হওয়া প্রয়োজন।
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,পেমেন্ট মোড
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,আপনার নিয়োগপ্রাপ্ত বেতন গঠন অনুযায়ী আপনি বেনিফিটের জন্য আবেদন করতে পারবেন না
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,ওয়েবসাইট চিত্র একটি পাবলিক ফাইল বা ওয়েবসাইট URL হওয়া উচিত
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,ওয়েবসাইট চিত্র একটি পাবলিক ফাইল বা ওয়েবসাইট URL হওয়া উচিত
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,এটি একটি root আইটেমটি গ্রুপ এবং সম্পাদনা করা যাবে না.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,মার্জ
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,ওয়ারহাউস যোগাযোগের তথ্য
 DocType: Payment Entry,Write Off Difference Amount,বন্ধ লিখতে পার্থক্য পরিমাণ
 DocType: Volunteer,Volunteer Name,স্বেচ্ছাসেবক নাম
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: কর্মচারী ইমেল পাওয়া যায়নি, অত: পর না পাঠানো ই-মেইল"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},অন্যান্য সারিতে অনুলিপিযুক্ত তারিখগুলির সাথে সারি পাওয়া গেছে: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: কর্মচারী ইমেল পাওয়া যায়নি, অত: পর না পাঠানো ই-মেইল"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},প্রদত্ত তারিখের {0} কর্মচারীর জন্য নির্ধারিত কোন বেতন কাঠামো {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},দেশের জন্য শপিংয়ের নিয়ম প্রযোজ্য নয় {0}
 DocType: Item,Foreign Trade Details,বৈদেশিক বানিজ্য বিবরণ
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,বার্ষিক আয়
 DocType: Serial No,Serial No Details,সিরিয়াল কোন বিবরণ
 DocType: Purchase Invoice Item,Item Tax Rate,আইটেমটি ট্যাক্স হার
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,পার্টি নাম থেকে
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,পার্টি নাম থেকে
 DocType: Student Group Student,Group Roll Number,গ্রুপ রোল নম্বর
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, শুধুমাত্র ক্রেডিট অ্যাকাউন্ট অন্য ডেবিট এন্ট্রি বিরুদ্ধে সংযুক্ত করা যাবে জন্য"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,হুণ্ডি {0} দাখিল করা হয় না
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,হুণ্ডি {0} দাখিল করা হয় না
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,আইটেম {0} একটি সাব-সংকুচিত আইটেম হতে হবে
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,ক্যাপিটাল উপকরণ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","প্রাইসিং রুল প্রথম উপর ভিত্তি করে নির্বাচন করা হয় আইটেম, আইটেম গ্রুপ বা ব্র্যান্ড হতে পারে, যা ক্ষেত্র &#39;প্রয়োগ&#39;."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,প্রথম আইটেম কোড প্রথম সেট করুন
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ডক ধরন
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,সেলস টিম জন্য মোট বরাদ্দ শতাংশ 100 হওয়া উচিত
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ডক ধরন
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,সেলস টিম জন্য মোট বরাদ্দ শতাংশ 100 হওয়া উচিত
 DocType: Subscription Plan,Billing Interval Count,বিলিং বিরতি গণনা
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,নিয়োগ এবং রোগীর এনকাউন্টার
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,মূল্য অনুপস্থিত
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,প্রিন্ট বিন্যাস তৈরি করুন
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,ফি তৈরি
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},কোন আইটেম নামক খুঁজে পাওয়া যায় নি {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,আইটেম ফিল্টার
 DocType: Supplier Scorecard Criteria,Criteria Formula,পরিমাপ সূত্র
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,মোট আউটগোয়িং
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",শুধুমাত্র &quot;মান&quot; 0 বা জন্য ফাঁকা মান সঙ্গে এক কোটি টাকার রুল শর্ত হতে পারে
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","একটি আইটেম {0} জন্য, পরিমাণ ইতিবাচক সংখ্যা হতে হবে"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,উল্লেখ্য: এই খরচ কেন্দ্র একটি গ্রুপ. গ্রুপ বিরুদ্ধে অ্যাকাউন্টিং এন্ট্রি করতে পারবেন না.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,বাধ্যতামূলক ছুটি অনুরোধ দিন বৈধ ছুটির দিন না
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,শিশু গুদাম এই গুদাম জন্য বিদ্যমান. আপনি এই গুদাম মুছতে পারবেন না.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,শিশু গুদাম এই গুদাম জন্য বিদ্যমান. আপনি এই গুদাম মুছতে পারবেন না.
 DocType: Item,Website Item Groups,ওয়েবসাইট আইটেম গ্রুপ
 DocType: Purchase Invoice,Total (Company Currency),মোট (কোম্পানি একক)
 DocType: Daily Work Summary Group,Reminder,অনুস্মারক
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,অ্যাক্সেসযোগ্য মান
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,অ্যাক্সেসযোগ্য মান
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,{0} সিরিয়াল নম্বর একবারের বেশি প্রবেশ
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,জার্নাল এন্ট্রি
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,জিএসটিআইএন থেকে
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,জিএসটিআইএন থেকে
 DocType: Expense Claim Advance,Unclaimed amount,নিষিদ্ধ পরিমাণ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} প্রগতিতে আইটেম
 DocType: Workstation,Workstation Name,ওয়ার্কস্টেশন নাম
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,পিওএস আইটেম গ্রুপ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ডাইজেস্ট ইমেল:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,বিকল্প আইটেম আইটেম কোড হিসাবে একই হতে হবে না
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} আইটেম অন্তর্গত নয় {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} আইটেম অন্তর্গত নয় {1}
 DocType: Sales Partner,Target Distribution,উদ্দিষ্ট ডিস্ট্রিবিউশনের
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 আঞ্চলিক মূল্যায়নের চূড়ান্তকরণ
 DocType: Salary Slip,Bank Account No.,ব্যাংক একাউন্ট নং
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","স্কোরকার্ড ভেরিয়েবলগুলি ব্যবহার করা যেতে পারে, যেমন: {total_score} (সেই সময় থেকে মোট স্কোর), {period_number} (বর্তমান দিনের সংখ্যা)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,সব ভেঙ্গে
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,সব ভেঙ্গে
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,ক্রয় অর্ডার তৈরি করুন
 DocType: Quality Inspection Reading,Reading 8,8 পড়া
 DocType: Inpatient Record,Discharge Note,স্রাব নোট
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,সুবিধা বাতিল ছুটি
 DocType: Purchase Invoice,Supplier Invoice Date,সরবরাহকারী চালান তারিখ
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,এই মানটি pro-rata temporis গণনা জন্য ব্যবহার করা হয়
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,আপনি শপিং কার্ট সক্রিয় করতে হবে
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,আপনি শপিং কার্ট সক্রিয় করতে হবে
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,Mat-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,নামকরণ সিরিজ উপসর্গ
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,মধ্যে পাওয়া ওভারল্যাপিং শর্ত:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,জার্নাল বিরুদ্ধে এণ্ট্রি {0} ইতিমধ্যে অন্য কিছু ভাউচার বিরুদ্ধে স্থায়ী হয়
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,মোট আদেশ মান
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,খাদ্য
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,খাদ্য
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,বুড়ো রেঞ্জ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,পিওস সমাপ্তি ভাউচার বিবরণ
 DocType: Shopify Log,Shopify Log,Shopify লগ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,সেটআপ&gt; সেটিংস&gt; নামকরণ সিরিজের মাধ্যমে {0} জন্য নামকরণ সিরিজ সেট করুন
 DocType: Inpatient Occupancy,Check In,চেক ইন
 DocType: Maintenance Schedule Item,No of Visits,ভিজিট কোন
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},রক্ষণাবেক্ষণ সূচি {0} বিরুদ্ধে বিদ্যমান {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),সর্বোচ্চ বেনিফিট (পরিমাণ)
 DocType: Purchase Invoice,Contact Person,ব্যক্তি যোগাযোগ
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','প্রত্যাশিত শুরুর তারিখ' কখনও 'প্রত্যাশিত শেষ তারিখ' এর চেয়ে বড় হতে পারে না
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,এই সময়ের জন্য কোন তথ্য
 DocType: Course Scheduling Tool,Course End Date,কোর্স শেষ তারিখ
 DocType: Holiday List,Holidays,ছুটির
 DocType: Sales Order Item,Planned Quantity,পরিকল্পনা পরিমাণ
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,পরিসম্পদ মধ্যে নিট পরিবর্তন
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,রেকিড Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,সব প্রশিক্ষণে জন্য বিবেচিত হলে ফাঁকা ছেড়ে দিন
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ &#39;প্রকৃত&#39; সারিতে ভারপ্রাপ্ত {0} আইটেম রেট মধ্যে অন্তর্ভুক্ত করা যাবে না
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ &#39;প্রকৃত&#39; সারিতে ভারপ্রাপ্ত {0} আইটেম রেট মধ্যে অন্তর্ভুক্ত করা যাবে না
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},সর্বোচ্চ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime থেকে
 DocType: Shopify Settings,For Company,কোম্পানি জন্য
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,শর্তাবলী কনটেন্ট
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,কোর্স সময়সূচী তৈরি ত্রুটি ছিল
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,তালিকার প্রথম ব্যয় নির্ধারণকারীকে ডিফল্ট ব্যয়ের ব্যয় হিসাবে নির্ধারণ করা হবে।
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,এর চেয়ে বড় 100 হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,এর চেয়ে বড় 100 হতে পারে না
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,আপনি মার্কেটপ্লেসে রেজিস্টার করার জন্য সিস্টেম ব্যবস্থাপক এবং আইটেম ম্যানেজার ভূমিকার সাথে অ্যাডমিনিস্টরের পরিবর্তে অন্য একটি ব্যবহারকারী হওয়া প্রয়োজন।
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} আইটেম একটি স্টক আইটেম নয়
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} আইটেম একটি স্টক আইটেম নয়
 DocType: Packing Slip,MAT-PAC-.YYYY.-,Mat-পিএসি-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,অনির্ধারিত
 DocType: Employee,Owned,মালিক
@@ -2144,7 +2164,7 @@
 DocType: HR Settings,Employee Settings,কর্মচারী সেটিংস
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,পেমেন্ট সিস্টেম লোড হচ্ছে
 ,Batch-Wise Balance History,ব্যাচ প্রজ্ঞাময় বাকি ইতিহাস
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,সারি # {0}: আইটেম {1} জন্য বিলের পরিমাণের চেয়ে পরিমাণের বেশি হলে রেট নির্ধারণ করা যাবে না।
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,সারি # {0}: আইটেম {1} জন্য বিলের পরিমাণের চেয়ে পরিমাণের বেশি হলে রেট নির্ধারণ করা যাবে না।
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,মুদ্রণ সেটিংস নিজ মুদ্রণ বিন্যাসে আপডেট
 DocType: Package Code,Package Code,প্যাকেজ কোড
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,শিক্ষানবিস
@@ -2152,7 +2172,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,নেতিবাচক পরিমাণ অনুমোদিত নয়
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",পংক্তিরূপে উল্লিখিত হয় আইটেমটি মাস্টার থেকে সংগৃহীত এবং এই ক্ষেত্রের মধ্যে সংরক্ষিত ট্যাক্স বিস্তারিত টেবিল. কর ও চার্জের জন্য ব্যবহৃত
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,কর্মচারী নিজেকে প্রতিবেদন করতে পারবে না.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,কর্মচারী নিজেকে প্রতিবেদন করতে পারবে না.
 DocType: Leave Type,Max Leaves Allowed,সর্বোচ্চ অনুমোদিত অনুমোদিত
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","অ্যাকাউন্ট নিথর হয় তাহলে, এন্ট্রি সীমিত ব্যবহারকারীদের অনুমতি দেওয়া হয়."
 DocType: Email Digest,Bank Balance,অধিকোষস্থিতি
@@ -2178,6 +2198,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,ব্যাংক লেনদেনের এন্ট্রি
 DocType: Quality Inspection,Readings,রিডিং
 DocType: Stock Entry,Total Additional Costs,মোট অতিরিক্ত খরচ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,ইন্টারেকশন না
 DocType: BOM,Scrap Material Cost(Company Currency),স্ক্র্যাপ উপাদান খরচ (কোম্পানির মুদ্রা)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,উপ সমাহারগুলি
 DocType: Asset,Asset Name,অ্যাসেট নাম
@@ -2185,10 +2206,10 @@
 DocType: Shipping Rule Condition,To Value,মান
 DocType: Loyalty Program,Loyalty Program Type,আনুগত্য প্রোগ্রাম প্রকার
 DocType: Asset Movement,Stock Manager,স্টক ম্যানেজার
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},উত্স গুদাম সারিতে জন্য বাধ্যতামূলক {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},উত্স গুদাম সারিতে জন্য বাধ্যতামূলক {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,সারি {0} এর পেমেন্ট টার্ম সম্ভবত একটি ডুপ্লিকেট।
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),কৃষি (বিটা)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,প্যাকিং স্লিপ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,প্যাকিং স্লিপ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,অফিস ভাড়া
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,সেটআপ এসএমএস গেটওয়ে সেটিংস
 DocType: Disease,Common Name,সাধারণ নাম
@@ -2220,20 +2241,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,কর্মচারী ইমেল বেতন স্লিপ
 DocType: Cost Center,Parent Cost Center,মূল খরচ কেন্দ্র
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,সম্ভাব্য সরবরাহকারী নির্বাচন
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,সম্ভাব্য সরবরাহকারী নির্বাচন
 DocType: Sales Invoice,Source,উত্স
 DocType: Customer,"Select, to make the customer searchable with these fields",এই ক্ষেত্রগুলির সাথে গ্রাহককে অনুসন্ধান করতে নির্বাচন করুন
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,চালানের উপর Shopify থেকে সরবরাহের নথি আমদানি করুন
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,দেখান বন্ধ
 DocType: Leave Type,Is Leave Without Pay,বিনা বেতনে ছুটি হয়
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-লেফটেন্যান্ট .YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,অ্যাসেট শ্রেণী ফিক্সড অ্যাসেট আইটেমের জন্য বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,অ্যাসেট শ্রেণী ফিক্সড অ্যাসেট আইটেমের জন্য বাধ্যতামূলক
 DocType: Fee Validity,Fee Validity,ফি বৈধতা
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,পেমেন্ট টেবিল অন্তর্ভুক্ত কোন রেকর্ড
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},এই {0} সঙ্গে দ্বন্দ্ব {1} জন্য {2} {3}
 DocType: Student Attendance Tool,Students HTML,শিক্ষার্থীরা এইচটিএমএল
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","এই দস্তাবেজটি বাতিল করতে কর্মচারী <a href=""#Form/Employee/{0}"">{0}</a> \ মুছে দিন"
 DocType: POS Profile,Apply Discount,ছাড়ের আবেদন
 DocType: GST HSN Code,GST HSN Code,GST HSN কোড
 DocType: Employee External Work History,Total Experience,মোট অভিজ্ঞতা
@@ -2256,7 +2274,7 @@
 DocType: Maintenance Schedule,Schedules,সূচী
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,পয়েন্ট-অফ-সেল ব্যবহার করার জন্য পিওএস প্রোফাইল প্রয়োজন
 DocType: Cashier Closing,Net Amount,থোক
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} জমা দেওয়া হয়েছে করেননি তাই কর্ম সম্পন্ন করা যাবে না
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} জমা দেওয়া হয়েছে করেননি তাই কর্ম সম্পন্ন করা যাবে না
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM বিস্তারিত কোন
 DocType: Landed Cost Voucher,Additional Charges,অতিরিক্ত চার্জ
 DocType: Support Search Source,Result Route Field,ফলাফল রুট ক্ষেত্র
@@ -2285,11 +2303,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,খোলা ইনভয়েসাস
 DocType: Contract,Contract Details,চুক্তি বিবরণ
 DocType: Employee,Leave Details,বিস্তারিত বিবরণ দিন
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,কর্মচারী ভূমিকা সেট একজন কর্মী রেকর্ডে ইউজার আইডি ক্ষেত্রের সেট করুন
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,কর্মচারী ভূমিকা সেট একজন কর্মী রেকর্ডে ইউজার আইডি ক্ষেত্রের সেট করুন
 DocType: UOM,UOM Name,UOM নাম
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,ঠিকানা 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,ঠিকানা 1
 DocType: GST HSN Code,HSN Code,HSN কোড
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,অথর্
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,অথর্
 DocType: Inpatient Record,Patient Encounter,রোগীর এনকাউন্টার
 DocType: Purchase Invoice,Shipping Address,প্রেরণের ঠিকানা
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,এই সরঞ্জামের সাহায্যে আপনি আপডেট বা সিস্টেমের মধ্যে স্টক পরিমাণ এবং মূল্যনির্ধারণ ঠিক করতে সাহায্য করে. এটা সাধারণত সিস্টেম মান এবং কি আসলে আপনার গুদাম বিদ্যমান সুসংগত করতে ব্যবহার করা হয়.
@@ -2306,9 +2324,9 @@
 DocType: Travel Itinerary,Mode of Travel,ভ্রমণের মোড
 DocType: Sales Invoice Item,Brand Name,পরিচিতিমুলক নাম
 DocType: Purchase Receipt,Transporter Details,স্থানান্তরকারী বিস্তারিত
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,ডিফল্ট গুদাম নির্বাচিত আইটেমের জন্য প্রয়োজন বোধ করা হয়
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,ডিফল্ট গুদাম নির্বাচিত আইটেমের জন্য প্রয়োজন বোধ করা হয়
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,বক্স
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,সম্ভাব্য সরবরাহকারী
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,সম্ভাব্য সরবরাহকারী
 DocType: Budget,Monthly Distribution,মাসিক বন্টন
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,রিসিভার তালিকা শূণ্য. রিসিভার তালিকা তৈরি করুন
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),স্বাস্থ্যসেবা (বিটা)
@@ -2329,6 +2347,7 @@
 ,Lead Name,লিড নাম
 ,POS,পিওএস
 DocType: C-Form,III,তৃতীয়
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,প্রত্যাশা
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,খোলা স্টক ব্যালেন্স
 DocType: Asset Category Account,Capital Work In Progress Account,অগ্রগতি অ্যাকাউন্টে ক্যাপিটাল ওয়ার্ক
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,সম্পদ মূল্য সমন্বয়
@@ -2337,7 +2356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},সাফল্যের বরাদ্দ পাতার {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,কোনও আইটেম প্যাক
 DocType: Shipping Rule Condition,From Value,মূল্য থেকে
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,উৎপাদন পরিমাণ বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,উৎপাদন পরিমাণ বাধ্যতামূলক
 DocType: Loan,Repayment Method,পরিশোধ পদ্ধতি
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","যদি চেক করা, হোম পেজে ওয়েবসাইটের জন্য ডিফল্ট আইটেম গ্রুপ হতে হবে"
 DocType: Quality Inspection Reading,Reading 4,4 পঠন
@@ -2362,7 +2381,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,কর্মচারী রেফারেল
 DocType: Student Group,Set 0 for no limit,কোন সীমা 0 সেট
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"আপনি ছুটি জন্য আবেদন করেন, যা প্রথম দিন (গুলি) ছুটির হয়. আপনি চলে জন্য আবেদন করার প্রয়োজন নেই."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,সারি {idx}: {ক্ষেত্র} খুলতে {invoice_type} ইনভয়েসস তৈরি করতে হবে
 DocType: Customer,Primary Address and Contact Detail,প্রাথমিক ঠিকানা এবং যোগাযোগ বিস্তারিত
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,পেমেন্ট ইমেইল পুনরায় পাঠান
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,ত্যে
@@ -2372,22 +2390,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,অন্তত একটি ডোমেন নির্বাচন করুন।
 DocType: Dependent Task,Dependent Task,নির্ভরশীল কার্য
 DocType: Shopify Settings,Shopify Tax Account,Shopify ট্যাক্স অ্যাকাউন্ট
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},মেজার ডিফল্ট ইউনিট জন্য রূপান্তর গুণনীয়ক সারিতে 1 হতে হবে {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},ধরনের ছুটি {0} চেয়ে বেশি হতে পারেনা {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},মেজার ডিফল্ট ইউনিট জন্য রূপান্তর গুণনীয়ক সারিতে 1 হতে হবে {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},ধরনের ছুটি {0} চেয়ে বেশি হতে পারেনা {1}
 DocType: Delivery Trip,Optimize Route,রুট অপ্টিমাইজ করুন
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,অগ্রিম এক্স দিনের জন্য অপারেশন পরিকল্পনা চেষ্টা করুন.
 DocType: HR Settings,Stop Birthday Reminders,বন্ধ করুন জন্মদিনের রিমাইন্ডার
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},কোম্পানির মধ্যে ডিফল্ট বেতনের প্রদেয় অ্যাকাউন্ট নির্ধারণ করুন {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,আমাজন দ্বারা ট্যাক্স এবং চার্জ তথ্য আর্থিক ভাঙ্গন পায়
 DocType: SMS Center,Receiver List,রিসিভার তালিকা
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,অনুসন্ধান আইটেম
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,অনুসন্ধান আইটেম
 DocType: Payment Schedule,Payment Amount,পরিশোধিত অর্থ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,কাজের তারিখ এবং কাজের শেষ তারিখের মধ্যে অর্ধ দিবসের তারিখ হওয়া উচিত
 DocType: Healthcare Settings,Healthcare Service Items,স্বাস্থ্যসেবা সেবা আইটেম
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,ক্ষয়প্রাপ্ত পরিমাণ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,ক্যাশ মধ্যে নিট পরিবর্তন
 DocType: Assessment Plan,Grading Scale,শূন্য স্কেল
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,মেজার {0} এর ইউনিট রূপান্তর ফ্যাক্টর ছক একাধিকবার প্রবেশ করানো হয়েছে
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,মেজার {0} এর ইউনিট রূপান্তর ফ্যাক্টর ছক একাধিকবার প্রবেশ করানো হয়েছে
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ইতিমধ্যে সম্পন্ন
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,শেয়ার হাতে
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2410,25 +2428,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,সিরিয়াল কোন {0} পরিমাণ {1} একটি ভগ্নাংশ হতে পারবেন না
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,দয়া করে Woocommerce সার্ভার URL প্রবেশ করুন
 DocType: Purchase Order Item,Supplier Part Number,সরবরাহকারী পার্ট সংখ্যা
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,রূপান্তরের হার 0 বা 1 হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,রূপান্তরের হার 0 বা 1 হতে পারে না
 DocType: Share Balance,To No,না
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,কর্মচারী সৃষ্টির জন্য সব বাধ্যতামূলক কাজ এখনো সম্পন্ন হয়নি।
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} বাতিল বা বন্ধ করা
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} বাতিল বা বন্ধ করা
 DocType: Accounts Settings,Credit Controller,ক্রেডিট কন্ট্রোলার
 DocType: Loan,Applicant Type,আবেদনকারী প্রকার
 DocType: Purchase Invoice,03-Deficiency in services,03-সেবা দারিদ্র্য
 DocType: Healthcare Settings,Default Medical Code Standard,ডিফল্ট মেডিকেল কোড স্ট্যান্ডার্ড
 DocType: Purchase Invoice Item,HSN/SAC,HSN / এসএসি
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,কেনার রসিদ {0} দাখিল করা হয় না
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,কেনার রসিদ {0} দাখিল করা হয় না
 DocType: Company,Default Payable Account,ডিফল্ট প্রদেয় অ্যাকাউন্ট
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","যেমন গ্রেপ্তার নিয়ম, মূল্যতালিকা ইত্যাদি হিসাবে অনলাইন শপিং কার্ট এর সেটিংস"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,Mat-প্রাক .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% চালান করা হয়েছে
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,সংরক্ষিত Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,সংরক্ষিত Qty
 DocType: Party Account,Party Account,পক্ষের অ্যাকাউন্টে
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,দয়া করে কোম্পানি এবং মনোনীত নির্বাচন করুন
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,মানব সম্পদ
-DocType: Lead,Upper Income,আপার আয়
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,আপার আয়
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,প্রত্যাখ্যান
 DocType: Journal Entry Account,Debit in Company Currency,কোম্পানি মুদ্রা ডেবিট
 DocType: BOM Item,BOM Item,BOM আইটেম
@@ -2445,7 +2463,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",নিয়োগের জন্য কাজের খোলার {0} ইতিমধ্যে খোলা আছে বা স্টাফিং প্ল্যান অনুযায়ী সম্পন্ন নিয়োগ {1}
 DocType: Vital Signs,Constipated,কোষ্ঠকাঠিন্য
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},সরবরাহকারী বিরুদ্ধে চালান {0} তারিখের {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},সরবরাহকারী বিরুদ্ধে চালান {0} তারিখের {1}
 DocType: Customer,Default Price List,ডিফল্ট মূল্য তালিকা
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,অ্যাসেট আন্দোলন রেকর্ড {0} সৃষ্টি
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,কোন আইটেম পাওয়া যায় নি
@@ -2461,16 +2479,17 @@
 DocType: Journal Entry,Entry Type,এন্ট্রি টাইপ
 ,Customer Credit Balance,গ্রাহকের ক্রেডিট ব্যালেন্স
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,হিসাবের পরিশোধযোগ্য অংশ মধ্যে নিট পরিবর্তন
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),গ্রাহকের জন্য ক্রেডিট সীমা অতিক্রম করা হয়েছে {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,সেটআপ&gt; সেটিংস&gt; নামকরণ সিরিজের মাধ্যমে {0} জন্য নামকরণ সিরিজ সেট করুন
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),গ্রাহকের জন্য ক্রেডিট সীমা অতিক্রম করা হয়েছে {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&#39;Customerwise ছাড়&#39; জন্য প্রয়োজনীয় গ্রাহক
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,পত্রিকার সঙ্গে ব্যাংক পেমেন্ট তারিখ আপডেট করুন.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,প্রাইসিং
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,প্রাইসিং
 DocType: Quotation,Term Details,টার্ম বিস্তারিত
 DocType: Employee Incentive,Employee Incentive,কর্মচারী উদ্দীপক
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} এই ছাত্র দলের জন্য ছাত্রদের তুলনায় আরো নথিভুক্ত করা যায় না.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),মোট (কর ছাড়)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,লিড কাউন্ট
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,পরিমান মত মজুত আছে
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,পরিমান মত মজুত আছে
 DocType: Manufacturing Settings,Capacity Planning For (Days),(দিন) জন্য ক্ষমতা পরিকল্পনা
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,আসাদন
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,আইটেম কোনটিই পরিমাণ বা মান কোনো পরিবর্তন আছে.
@@ -2494,7 +2513,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,ত্যাগ এবং অ্যাটেনডেন্স
 DocType: Asset,Comprehensive Insurance,ব্যাপক বীমা
 DocType: Maintenance Visit,Partially Completed,আংশিকভাবে সম্পন্ন
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},বিশ্বস্ততা পয়েন্ট: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},বিশ্বস্ততা পয়েন্ট: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Leads যোগ করুন
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,মাঝারি সংবেদনশীলতা
 DocType: Leave Type,Include holidays within leaves as leaves,পাতার হিসাবে পাতার মধ্যে ছুটির অন্তর্ভুক্ত
 DocType: Loyalty Program,Redemption,মুক্তি
@@ -2528,7 +2548,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,বিপণন খরচ
 ,Item Shortage Report,আইটেম পত্র
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,স্ট্যান্ডার্ড মানদণ্ড তৈরি করতে পারবেন না মানদণ্ডের নাম পরিবর্তন করুন
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ওজন \ n দয়া খুব &quot;ওজন UOM&quot; উল্লেখ, উল্লেখ করা হয়"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ওজন \ n দয়া খুব &quot;ওজন UOM&quot; উল্লেখ, উল্লেখ করা হয়"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,উপাদানের জন্য অনুরোধ এই স্টক এন্ট্রি করতে ব্যবহৃত
 DocType: Hub User,Hub Password,হাব পাসওয়ার্ড
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,প্রত্যেক ব্যাচ জন্য আলাদা কোর্স ভিত্তিক গ্রুপ
@@ -2542,15 +2562,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),নিয়োগের সময়কাল (মিনিট)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,প্রতি স্টক আন্দোলনের জন্য অ্যাকাউন্টিং এন্ট্রি করতে
 DocType: Leave Allocation,Total Leaves Allocated,মোট পাতার বরাদ্দ
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,বৈধ আর্থিক বছরের শুরু এবং শেষ তারিখগুলি লিখুন দয়া করে
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,বৈধ আর্থিক বছরের শুরু এবং শেষ তারিখগুলি লিখুন দয়া করে
 DocType: Employee,Date Of Retirement,অবসর তারিখ
 DocType: Upload Attendance,Get Template,টেমপ্লেট করুন
+,Sales Person Commission Summary,বিক্রয় ব্যক্তি কমিশন সারসংক্ষেপ
 DocType: Additional Salary Component,Additional Salary Component,অতিরিক্ত বেতন কম্পোনেন্ট
 DocType: Material Request,Transferred,স্থানান্তরিত
 DocType: Vehicle,Doors,দরজা
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext সেটআপ সম্পূর্ণ!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext সেটআপ সম্পূর্ণ!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,রোগীর নিবন্ধন জন্য ফি সংগ্রহ করুন
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,স্টক লেনদেনের পরে বৈশিষ্ট্য পরিবর্তন করা যাবে না। নতুন আইটেম তৈরি করুন এবং নতুন আইটেমের স্টক স্থানান্তর করুন
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,স্টক লেনদেনের পরে বৈশিষ্ট্য পরিবর্তন করা যাবে না। নতুন আইটেম তৈরি করুন এবং নতুন আইটেমের স্টক স্থানান্তর করুন
 DocType: Course Assessment Criteria,Weightage,গুরুত্ব
 DocType: Purchase Invoice,Tax Breakup,ট্যাক্স ছুটি
 DocType: Employee,Joining Details,যোগদান বিবরণ
@@ -2578,14 +2599,15 @@
 DocType: Lead,Next Contact By,পরবর্তী যোগাযোগ
 DocType: Compensatory Leave Request,Compensatory Leave Request,ক্ষতিপূরণ অফার অনুরোধ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},সারিতে আইটেম {0} জন্য প্রয়োজনীয় পরিমাণ {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},পরিমাণ আইটেমটি জন্য বিদ্যমান হিসাবে ওয়্যারহাউস {0} মোছা যাবে না {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},পরিমাণ আইটেমটি জন্য বিদ্যমান হিসাবে ওয়্যারহাউস {0} মোছা যাবে না {1}
 DocType: Blanket Order,Order Type,যাতে টাইপ
 ,Item-wise Sales Register,আইটেম-জ্ঞানী সেলস নিবন্ধন
 DocType: Asset,Gross Purchase Amount,গ্রস ক্রয়ের পরিমাণ
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,খোলা ব্যালেন্স
 DocType: Asset,Depreciation Method,অবচয় পদ্ধতি
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,মৌলিক হার মধ্যে অন্তর্ভুক্ত এই খাজনা?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,মোট লক্ষ্যমাত্রা
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,মোট লক্ষ্যমাত্রা
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,উপলব্ধি বিশ্লেষণ
 DocType: Soil Texture,Sand Composition (%),বালি গঠন (%)
 DocType: Job Applicant,Applicant for a Job,একটি কাজের জন্য আবেদনকারী
 DocType: Production Plan Material Request,Production Plan Material Request,উৎপাদন পরিকল্পনা উপাদান অনুরোধ
@@ -2600,23 +2622,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),মূল্যায়ন মার্ক (10 এর মধ্যে)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 মোবাইল কোন
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,প্রধান
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,নিচের আইটেমটি {0} আইটেম হিসাবে {1} চিহ্নিত করা হয় না। আপনি তাদের আইটেম মাস্টার থেকে {1} আইটেম হিসাবে সক্ষম করতে পারেন
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,বৈকল্পিক
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","একটি আইটেম {0} জন্য, পরিমাণ নেতিবাচক নম্বর হতে হবে"
 DocType: Naming Series,Set prefix for numbering series on your transactions,আপনার লেনদেনের উপর সিরিজ সংখ্যায়ন জন্য সেট উপসর্গ
 DocType: Employee Attendance Tool,Employees HTML,এমপ্লয়িজ এইচটিএমএল
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,ডিফল্ট BOM ({0}) এই আইটেমটি বা তার টেমপ্লেট জন্য সক্রিয় হতে হবে
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,ডিফল্ট BOM ({0}) এই আইটেমটি বা তার টেমপ্লেট জন্য সক্রিয় হতে হবে
 DocType: Employee,Leave Encashed?,Encashed ত্যাগ করবেন?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ক্ষেত্রের থেকে সুযোগ বাধ্যতামূলক
 DocType: Email Digest,Annual Expenses,বার্ষিক খরচ
 DocType: Item,Variants,রুপভেদ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,ক্রয় আদেশ করা
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,ক্রয় আদেশ করা
 DocType: SMS Center,Send To,পাঠানো
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},ছুটি টাইপ জন্য যথেষ্ট ছুটি ভারসাম্য নেই {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},ছুটি টাইপ জন্য যথেষ্ট ছুটি ভারসাম্য নেই {0}
 DocType: Payment Reconciliation Payment,Allocated amount,বরাদ্দ পরিমাণ
 DocType: Sales Team,Contribution to Net Total,একুন অবদান
 DocType: Sales Invoice Item,Customer's Item Code,গ্রাহকের আইটেম কোড
 DocType: Stock Reconciliation,Stock Reconciliation,শেয়ার রিকনসিলিয়েশন
 DocType: Territory,Territory Name,টেরিটরি নাম
+DocType: Email Digest,Purchase Orders to Receive,অর্ডার অর্ডার ক্রয়
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,কাজ-অগ্রগতি ওয়্যারহাউস জমা করার আগে প্রয়োজন বোধ করা হয়
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,আপনি শুধুমাত্র একটি সাবস্ক্রিপশন একই বিলিং চক্র সঙ্গে পরিকল্পনা করতে পারেন
 DocType: Bank Statement Transaction Settings Item,Mapped Data,মানচিত্র ডেটা
@@ -2633,9 +2657,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},সিরিয়াল কোন আইটেম জন্য প্রবেশ সদৃশ {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,লিড উত্স দ্বারা অগ্রসর হয় ট্র্যাক
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,একটি শিপিং শাসনের জন্য একটি শর্ত
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,অনুগ্রহ করে প্রবেশ করুন
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,অনুগ্রহ করে প্রবেশ করুন
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,রক্ষণাবেক্ষণ লগ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,দয়া করে আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,দয়া করে আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),এই প্যাকেজের নিট ওজন. (আইটেম নিট ওজন যোগফল আকারে স্বয়ংক্রিয়ভাবে হিসাব)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,ইন্টার কোম্পানি জার্নাল এন্ট্রি করুন
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,ছাড়ের পরিমাণ 100% এর বেশি হতে পারে না
@@ -2644,15 +2668,15 @@
 DocType: Sales Order,To Deliver and Bill,রক্ষা কর এবং বিল থেকে
 DocType: Student Group,Instructors,প্রশিক্ষক
 DocType: GL Entry,Credit Amount in Account Currency,অ্যাকাউন্টের মুদ্রা মধ্যে ক্রেডিট পরিমাণ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} দাখিল করতে হবে
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,ভাগ ব্যবস্থাপনা
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} দাখিল করতে হবে
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,ভাগ ব্যবস্থাপনা
 DocType: Authorization Control,Authorization Control,অনুমোদন কন্ট্রোল
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},সারি # {0}: ওয়্যারহাউস প্রত্যাখ্যাত প্রত্যাখ্যান আইটেম বিরুদ্ধে বাধ্যতামূলক {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,প্রদান
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},সারি # {0}: ওয়্যারহাউস প্রত্যাখ্যাত প্রত্যাখ্যান আইটেম বিরুদ্ধে বাধ্যতামূলক {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,প্রদান
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","গুদাম {0} কোনো অ্যাকাউন্টে লিঙ্ক করা হয় না, দয়া করে কোম্পানিতে গুদাম রেকর্ডে অ্যাকাউন্ট বা সেট ডিফল্ট জায় অ্যাকাউন্ট উল্লেখ {1}।"
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,আপনার আদেশ পরিচালনা
 DocType: Work Order Operation,Actual Time and Cost,প্রকৃত সময় এবং খরচ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},সর্বাধিক {0} এর উপাদানের জন্য অনুরোধ {1} সেলস আদেশের বিরুদ্ধে আইটেম জন্য তৈরি করা যেতে পারে {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},সর্বাধিক {0} এর উপাদানের জন্য অনুরোধ {1} সেলস আদেশের বিরুদ্ধে আইটেম জন্য তৈরি করা যেতে পারে {2}
 DocType: Amazon MWS Settings,DE,ডেন
 DocType: Crop,Crop Spacing,ক্রপ স্পেসিং
 DocType: Course,Course Abbreviation,কোর্সের সমাহার
@@ -2664,6 +2688,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},মোট কাজ ঘন্টা সর্বোচ্চ কর্মঘন্টা চেয়ে বেশী করা উচিত হবে না {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,উপর
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,বিক্রয়ের সময়ে সমষ্টি জিনিস.
+DocType: Delivery Settings,Dispatch Settings,ডিসপ্যাচ সেটিংস
 DocType: Material Request Plan Item,Actual Qty,প্রকৃত স্টক
 DocType: Sales Invoice Item,References,তথ্যসূত্র
 DocType: Quality Inspection Reading,Reading 10,10 পঠন
@@ -2673,11 +2698,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,আপনি ডুপ্লিকেট জিনিস প্রবেশ করে. ত্রুটিমুক্ত এবং আবার চেষ্টা করুন.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,সহযোগী
 DocType: Asset Movement,Asset Movement,অ্যাসেট আন্দোলন
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,কাজের আদেশ {0} জমা দিতে হবে
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,নিউ কার্ট
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,কাজের আদেশ {0} জমা দিতে হবে
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,নিউ কার্ট
 DocType: Taxable Salary Slab,From Amount,পরিমাণ থেকে
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} আইটেম ধারাবাহিকভাবে আইটেম নয়
 DocType: Leave Type,Encashment,নগদীকরণ
+DocType: Delivery Settings,Delivery Settings,ডেলিভারি সেটিংস
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ডেটা আনুন
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},{0} ছুটির প্রকারে অনুমোদিত সর্বাধিক ছুটি হল {1}
 DocType: SMS Center,Create Receiver List,রিসিভার তালিকা তৈরি করুন
 DocType: Vehicle,Wheels,চাকা
@@ -2693,7 +2720,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,বিলিং মুদ্রা ডিফল্ট কোম্পানির মুদ্রার বা পার্টি অ্যাকাউন্ট মুদ্রার সমান হতে হবে
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),বাক্স এই বন্টন (শুধু খসড়া) একটি অংশ কিনা তা চিহ্নিত
 DocType: Soil Texture,Loam,দোআঁশ মাটি
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,সারি {0}: ডেট তারিখ তারিখ পোস্ট করার আগে হতে পারে না
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,সারি {0}: ডেট তারিখ তারিখ পোস্ট করার আগে হতে পারে না
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,পেমেন্ট এন্ট্রি করতে
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},আইটেমের জন্য পরিমাণ {0} চেয়ে কম হতে হবে {1}
 ,Sales Invoice Trends,বিক্রয় চালান প্রবণতা
@@ -2701,12 +2728,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',বা &#39;পূর্ববর্তী সারি মোট&#39; &#39;পূর্ববর্তী সারি পরিমাণ&#39; চার্জ টাইপ শুধুমাত্র যদি সারিতে পাঠাতে পারেন
 DocType: Sales Order Item,Delivery Warehouse,ডেলিভারি ওয়্যারহাউস
 DocType: Leave Type,Earned Leave Frequency,আয়ের ছুটি ফ্রিকোয়েন্সি
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,আর্থিক খরচ কেন্দ্রগুলি বৃক্ষ.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,উপ প্রকার
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,আর্থিক খরচ কেন্দ্রগুলি বৃক্ষ.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,উপ প্রকার
 DocType: Serial No,Delivery Document No,ডেলিভারি ডকুমেন্ট
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,উত্পাদিত সিরিয়াল নম্বর উপর ভিত্তি করে ডেলিভারি নিশ্চিত করুন
 DocType: Vital Signs,Furry,লোমযুক্ত
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},কোম্পানি &#39;অ্যাসেট নিষ্পত্তির লাভ / ক্ষতির অ্যাকাউন্ট&#39; নির্ধারণ করুন {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},কোম্পানি &#39;অ্যাসেট নিষ্পত্তির লাভ / ক্ষতির অ্যাকাউন্ট&#39; নির্ধারণ করুন {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ক্রয় রসিদ থেকে জানানোর পান
 DocType: Serial No,Creation Date,তৈরির তারিখ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},সম্পদ {0} জন্য লক্ষ্যের স্থান প্রয়োজন
@@ -2720,10 +2747,11 @@
 DocType: Item,Has Variants,ধরন আছে
 DocType: Employee Benefit Claim,Claim Benefit For,জন্য বেনিফিট দাবি
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,প্রতিক্রিয়া আপডেট করুন
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},আপনি ইতিমধ্যে থেকে আইটেম নির্বাচন করা আছে {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},আপনি ইতিমধ্যে থেকে আইটেম নির্বাচন করা আছে {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,মাসিক বন্টন নাম
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ব্যাচ আইডি বাধ্যতামূলক
 DocType: Sales Person,Parent Sales Person,মূল সেলস পারসন
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,প্রাপ্ত করা কোন আইটেম মুলতুবি হয়
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,বিক্রেতা এবং ক্রেতা একই হতে পারে না
 DocType: Project,Collect Progress,সংগ্রহ অগ্রগতি
 DocType: Delivery Note,MAT-DN-.YYYY.-,Mat-ডিএন .YYYY.-
@@ -2739,7 +2767,7 @@
 DocType: Bank Guarantee,Margin Money,মার্জিন টাকা
 DocType: Budget,Budget,বাজেট
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,খুলুন সেট করুন
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,পরিসম্পদ আইটেম একটি অ স্টক আইটেম হতে হবে.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,পরিসম্পদ আইটেম একটি অ স্টক আইটেম হতে হবে.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",এটি একটি আয় বা ব্যয় অ্যাকাউন্ট না হিসাবে বাজেট বিরুদ্ধে {0} নিয়োগ করা যাবে না
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} এর জন্য সর্বোচ্চ ছাড়ের পরিমাণ {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,অর্জন
@@ -2757,9 +2785,9 @@
 ,Amount to Deliver,পরিমাণ প্রদান করতে
 DocType: Asset,Insurance Start Date,বীমা শুরু তারিখ
 DocType: Salary Component,Flexible Benefits,নমনীয় উপকারিতা
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},একই আইটেম বহুবার প্রবেশ করা হয়েছে। {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},একই আইটেম বহুবার প্রবেশ করা হয়েছে। {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,টার্ম শুরুর তারিখ চেয়ে একাডেমিক ইয়ার ইয়ার স্টার্ট তারিখ যা শব্দটি সংযুক্ত করা হয় তার আগে না হতে পারে (শিক্ষাবর্ষ {}). তারিখ সংশোধন করে আবার চেষ্টা করুন.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,ত্রুটি রয়েছে.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,ত্রুটি রয়েছে.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,কর্মচারী {0} ইতিমধ্যে {1} এবং {3} এর মধ্যে {1} জন্য প্রয়োগ করেছেন:
 DocType: Guardian,Guardian Interests,গার্ডিয়ান রুচি
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,অ্যাকাউন্টের নাম / সংখ্যা আপডেট করুন
@@ -2798,9 +2826,9 @@
 ,Item-wise Purchase History,আইটেম-বিজ্ঞ ক্রয় ইতিহাস
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},সিরিয়াল কোন আইটেম জন্য যোগ সংগ্রহ করার &#39;নির্মাণ সূচি&#39; তে ক্লিক করুন {0}
 DocType: Account,Frozen,হিমায়িত
-DocType: Delivery Note,Vehicle Type,গাড়ির ধরন
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,গাড়ির ধরন
 DocType: Sales Invoice Payment,Base Amount (Company Currency),বেজ পরিমাণ (কোম্পানি মুদ্রা)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,কাচামাল
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,কাচামাল
 DocType: Payment Reconciliation Payment,Reference Row,রেফারেন্স সারি
 DocType: Installation Note,Installation Time,ইনস্টলেশনের সময়
 DocType: Sales Invoice,Accounting Details,অ্যাকাউন্টিং এর বর্ণনা
@@ -2809,12 +2837,13 @@
 DocType: Inpatient Record,O Positive,ও ইতিবাচক
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,বিনিয়োগ
 DocType: Issue,Resolution Details,রেজোলিউশনের বিবরণ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,লেনদেন প্রকার
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,লেনদেন প্রকার
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,গ্রহণযোগ্য বৈশিষ্ট্য
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,উপরে টেবিল উপাদান অনুরোধ দয়া করে প্রবেশ করুন
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,জার্নাল এন্ট্রি জন্য কোন প্রতিস্থাপনের উপলব্ধ
 DocType: Hub Tracked Item,Image List,চিত্র তালিকা
 DocType: Item Attribute,Attribute Name,নাম গুন
+DocType: Subscription,Generate Invoice At Beginning Of Period,সময়ের শুরুতে চালান তৈরি করুন
 DocType: BOM,Show In Website,ওয়েবসাইট দেখান
 DocType: Loan Application,Total Payable Amount,মোট প্রদেয় টাকার পরিমাণ
 DocType: Task,Expected Time (in hours),(ঘণ্টায়) প্রত্যাশিত সময়
@@ -2851,7 +2880,7 @@
 DocType: Employee,Resignation Letter Date,পদত্যাগ পত্র তারিখ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,দামে আরও পরিমাণের উপর ভিত্তি করে ফিল্টার করা হয়.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,সেট না
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},কর্মচারী জন্য যোগদানের তারিখ সেট করুন {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},কর্মচারী জন্য যোগদানের তারিখ সেট করুন {0}
 DocType: Inpatient Record,Discharge,নির্গমন
 DocType: Task,Total Billing Amount (via Time Sheet),মোট বিলিং পরিমাণ (টাইম শিট মাধ্যমে)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,পুনরাবৃত্ত গ্রাহক রাজস্ব
@@ -2861,13 +2890,13 @@
 DocType: Chapter,Chapter,অধ্যায়
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,জুড়ি
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,এই মোড নির্বাচিত হলে ডিফল্ট অ্যাকাউন্ট স্বয়ংক্রিয়ভাবে পিওএস ইনভয়েস আপডেট হবে।
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,উত্পাদনের জন্য BOM এবং Qty নির্বাচন
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,উত্পাদনের জন্য BOM এবং Qty নির্বাচন
 DocType: Asset,Depreciation Schedule,অবচয় সূচি
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,সেলস অংশীদার ঠিকানা ও যোগাযোগ
 DocType: Bank Reconciliation Detail,Against Account,অ্যাকাউন্টের বিরুদ্ধে
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,অর্ধদিবস তারিখ তারিখ থেকে এবং তারিখ থেকে মধ্যবর্তী হওয়া উচিত
 DocType: Maintenance Schedule Detail,Actual Date,সঠিক তারিখ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,{0} কোম্পানির মধ্যে ডিফল্ট মূল্য কেন্দ্র সেট করুন।
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,{0} কোম্পানির মধ্যে ডিফল্ট মূল্য কেন্দ্র সেট করুন।
 DocType: Item,Has Batch No,ব্যাচ কোন আছে
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},বার্ষিক বিলিং: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify ওয়েবহুক বিস্তারিত
@@ -2879,7 +2908,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,দুদক-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift প্রকার
 DocType: Student,Personal Details,ব্যক্তিগত বিবরণ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},কোম্পানি &#39;অ্যাসেট অবচয় খরচ কেন্দ্র&#39; নির্ধারণ করুন {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},কোম্পানি &#39;অ্যাসেট অবচয় খরচ কেন্দ্র&#39; নির্ধারণ করুন {0}
 ,Maintenance Schedules,রক্ষণাবেক্ষণ সময়সূচী
 DocType: Task,Actual End Date (via Time Sheet),প্রকৃত শেষ তারিখ (টাইম শিট মাধ্যমে)
 DocType: Soil Texture,Soil Type,মৃত্তিকা টাইপ
@@ -2887,10 +2916,10 @@
 ,Quotation Trends,উদ্ধৃতি প্রবণতা
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},আইটেমটি গ্রুপ আইটেমের জন্য আইটেম মাস্টার উল্লেখ না {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless ম্যান্ডেট
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,অ্যাকাউন্ট ডেবিট একটি গ্রহনযোগ্য অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,অ্যাকাউন্ট ডেবিট একটি গ্রহনযোগ্য অ্যাকাউন্ট থাকতে হবে
 DocType: Shipping Rule,Shipping Amount,শিপিং পরিমাণ
 DocType: Supplier Scorecard Period,Period Score,সময়কাল স্কোর
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,গ্রাহকরা যোগ করুন
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,গ্রাহকরা যোগ করুন
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,অপেক্ষারত পরিমাণ
 DocType: Lab Test Template,Special,বিশেষ
 DocType: Loyalty Program,Conversion Factor,রূপান্তর ফ্যাক্টর
@@ -2907,7 +2936,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,লেটারহেড যোগ করুন
 DocType: Program Enrollment,Self-Driving Vehicle,স্বচালিত যানবাহন
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,সরবরাহকারী স্কোরকার্ড স্থায়ী
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},সারি {0}: সামগ্রী বিল আইটেমের জন্য পাওয়া যায়নি {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},সারি {0}: সামগ্রী বিল আইটেমের জন্য পাওয়া যায়নি {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,সর্বমোট পাতার {0} কম হতে পারে না সময়ের জন্য ইতিমধ্যেই অনুমোদন পাতার {1} চেয়ে
 DocType: Contract Fulfilment Checklist,Requirement,প্রয়োজন
 DocType: Journal Entry,Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট
@@ -2923,16 +2952,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,এইচআর সেটিংস
 DocType: Salary Slip,net pay info,নেট বিল তথ্য
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS পরিমাণ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS পরিমাণ
 DocType: Woocommerce Settings,Enable Sync,সিঙ্ক সক্ষম করুন
 DocType: Tax Withholding Rate,Single Transaction Threshold,একক লেনদেন থ্রেশহোল্ড
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,এই মান ডিফল্ট সেলস মূল্য তালিকাতে আপডেট করা হয়।
 DocType: Email Digest,New Expenses,নিউ খরচ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,পিডিসি / এলসি পরিমাণ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,পিডিসি / এলসি পরিমাণ
 DocType: Shareholder,Shareholder,ভাগীদার
 DocType: Purchase Invoice,Additional Discount Amount,অতিরিক্ত মূল্য ছাড়ের পরিমাণ
 DocType: Cash Flow Mapper,Position,অবস্থান
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,প্রেসক্রিপশন থেকে আইটেম পান
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,প্রেসক্রিপশন থেকে আইটেম পান
 DocType: Patient,Patient Details,রোগীর বিবরণ
 DocType: Inpatient Record,B Positive,বি ইতিবাচক
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2944,8 +2973,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,অ-গ্রুপ গ্রুপ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,স্পোর্টস
 DocType: Loan Type,Loan Name,ঋণ নাম
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,প্রকৃত মোট
-DocType: Lab Test UOM,Test UOM,পরীক্ষা UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,প্রকৃত মোট
 DocType: Student Siblings,Student Siblings,ছাত্র সহোদর
 DocType: Subscription Plan Detail,Subscription Plan Detail,সাবস্ক্রিপশন পরিকল্পনা বিস্তারিত
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,একক
@@ -2972,7 +3000,6 @@
 DocType: Workstation,Wages per hour,প্রতি ঘন্টায় মজুরী
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ব্যাচ স্টক ব্যালেন্স {0} হয়ে যাবে ঋণাত্মক {1} ওয়্যারহাউস এ আইটেম {2} জন্য {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,উপাদান অনুরোধ নিম্নলিখিত আইটেম এর পুনরায় আদেশ স্তরের উপর ভিত্তি করে স্বয়ংক্রিয়ভাবে উত্থাপিত হয়েছে
-DocType: Email Digest,Pending Sales Orders,সেলস অর্ডার অপেক্ষারত
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},অ্যাকাউন্ট {0} অবৈধ. অ্যাকাউন্টের মুদ্রা হতে হবে {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},তারিখ থেকে {0} কর্মী এর relieving তারিখ {1} পরে হতে পারে না
 DocType: Supplier,Is Internal Supplier,অভ্যন্তরীণ সরবরাহকারী
@@ -2981,13 +3008,14 @@
 DocType: Healthcare Settings,Remind Before,আগে স্মরণ করিয়ে দিন
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM রূপান্তর ফ্যাক্টর সারিতে প্রয়োজন বোধ করা হয় {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার সেলস অর্ডার এক, সেলস চালান বা জার্নাল এন্ট্রি করতে হবে"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার সেলস অর্ডার এক, সেলস চালান বা জার্নাল এন্ট্রি করতে হবে"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 আনুগত্য পয়েন্ট = কত বেস মুদ্রা?
 DocType: Salary Component,Deduction,সিদ্ধান্তগ্রহণ
 DocType: Item,Retain Sample,নমুনা রাখা
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,সারি {0}: সময় থেকে এবং সময় বাধ্যতামূলক.
 DocType: Stock Reconciliation Item,Amount Difference,পরিমাণ পার্থক্য
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},আইটেমের মূল্য জন্য যোগ {0} মূল্যতালিকা {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},আইটেমের মূল্য জন্য যোগ {0} মূল্যতালিকা {1}
+DocType: Delivery Stop,Order Information,আদেশ তথ্য
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,এই বিক্রয় ব্যক্তির কর্মী ID লিখুন দয়া করে
 DocType: Territory,Classification of Customers by region,অঞ্চল গ্রাহকের সাইট
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,উৎপাদন
@@ -2998,8 +3026,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,হিসাব ব্যাংক ব্যালেন্সের
 DocType: Normal Test Template,Normal Test Template,সাধারণ টেস্ট টেমপ্লেট
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,প্রতিবন্ধী ব্যবহারকারী
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,উদ্ধৃতি
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,কোন উদ্ধৃত কোন প্রাপ্ত RFQ সেট করতে পারবেন না
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,উদ্ধৃতি
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,কোন উদ্ধৃত কোন প্রাপ্ত RFQ সেট করতে পারবেন না
 DocType: Salary Slip,Total Deduction,মোট সিদ্ধান্তগ্রহণ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,অ্যাকাউন্ট মুদ্রার মুদ্রণ করতে একটি অ্যাকাউন্ট নির্বাচন করুন
 ,Production Analytics,উত্পাদনের অ্যানালিটিক্স
@@ -3012,14 +3040,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,সরবরাহকারী স্কোরকার্ড সেটআপ
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,মূল্যায়ন পরিকল্পনা নাম
 DocType: Work Order Operation,Work Order Operation,কাজ অর্ডার অপারেশন
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},সতর্কবাণী: সংযুক্তি অবৈধ SSL সার্টিফিকেট {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},সতর্কবাণী: সংযুক্তি অবৈধ SSL সার্টিফিকেট {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","বিশালাকার আপনি ব্যবসা, আপনার বিশালাকার হিসাবে সব আপনার পরিচিতি এবং আরো যোগ পেতে সাহায্য"
 DocType: Work Order Operation,Actual Operation Time,প্রকৃত অপারেশন টাইম
 DocType: Authorization Rule,Applicable To (User),প্রযোজ্য (ব্যবহারকারী)
 DocType: Purchase Taxes and Charges,Deduct,বিয়োগ করা
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,কাজের বর্ণনা
 DocType: Student Applicant,Applied,ফলিত
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,পুনরায় খুলুন
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,পুনরায় খুলুন
 DocType: Sales Invoice Item,Qty as per Stock UOM,স্টক Qty UOM অনুযায়ী
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 নাম
 DocType: Attendance,Attendance Request,আবেদনের অনুরোধ
@@ -3037,7 +3065,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},সিরিয়াল কোন {0} পর্যন্ত ওয়ারেন্টি বা তার কম বয়সী {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ন্যূনতম অনুমতিযোগ্য মান
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,ব্যবহারকারী {0} ইতিমধ্যে বিদ্যমান
-apps/erpnext/erpnext/hooks.py +114,Shipments,চালানে
+apps/erpnext/erpnext/hooks.py +115,Shipments,চালানে
 DocType: Payment Entry,Total Allocated Amount (Company Currency),সর্বমোট পরিমাণ (কোম্পানি মুদ্রা)
 DocType: Purchase Order Item,To be delivered to customer,গ্রাহকের মধ্যে বিতরণ করা হবে
 DocType: BOM,Scrap Material Cost,স্ক্র্যাপ উপাদান খরচ
@@ -3045,11 +3073,12 @@
 DocType: Grant Application,Email Notification Sent,ইমেল বিজ্ঞপ্তি পাঠানো হয়েছে
 DocType: Purchase Invoice,In Words (Company Currency),ভাষায় (কোম্পানি একক)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,কোম্পানি কোম্পানির অ্যাকাউন্টের জন্য manadatory হয়
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","আইটেম কোড, গুদাম, পরিমাণ সারি প্রয়োজন হয়"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","আইটেম কোড, গুদাম, পরিমাণ সারি প্রয়োজন হয়"
 DocType: Bank Guarantee,Supplier,সরবরাহকারী
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,থেকে পান
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,এটি একটি রুট বিভাগ এবং সম্পাদনা করা যাবে না।
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,পেমেন্ট বিবরণ দেখান
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,দিন সময়কাল
 DocType: C-Form,Quarter,সিকি
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,বিবিধ খরচ
 DocType: Global Defaults,Default Company,ডিফল্ট কোম্পানি
@@ -3057,7 +3086,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ব্যয় বা পার্থক্য অ্যাকাউন্ট আইটেম {0} হিসাবে এটি প্রভাব সার্বিক শেয়ার মূল্য জন্য বাধ্যতামূলক
 DocType: Bank,Bank Name,ব্যাংকের নাম
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-সর্বোপরি
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,সব সরবরাহকারীদের জন্য ক্রয় আদেশ করতে ফাঁকা ক্ষেত্র ত্যাগ করুন
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,সব সরবরাহকারীদের জন্য ক্রয় আদেশ করতে ফাঁকা ক্ষেত্র ত্যাগ করুন
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ইনপেশেন্ট ভিজিট চার্জ আইটেম
 DocType: Vital Signs,Fluid,তরল
 DocType: Leave Application,Total Leave Days,মোট ছুটি দিন
@@ -3066,7 +3095,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,আইটেম বৈকল্পিক সেটিংস
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,কোম্পানি নির্বাচন ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,সব বিভাগের জন্য বিবেচিত হলে ফাঁকা ছেড়ে দিন
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} আইটেমের জন্য বাধ্যতামূলক {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} আইটেমের জন্য বাধ্যতামূলক {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","আইটেম {0}: {1} qty উত্পাদিত,"
 DocType: Payroll Entry,Fortnightly,পাক্ষিক
 DocType: Currency Exchange,From Currency,মুদ্রা থেকে
@@ -3115,7 +3144,7 @@
 DocType: Account,Fixed Asset,নির্দিষ্ট সম্পত্তি
 DocType: Amazon MWS Settings,After Date,তারিখ পরে
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,ধারাবাহিকভাবে পরিসংখ্যা
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,আন্তঃ ইনভয়েসের জন্য অবৈধ {0}।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,আন্তঃ ইনভয়েসের জন্য অবৈধ {0}।
 ,Department Analytics,বিভাগ বিশ্লেষণ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ইমেল ডিফল্ট পরিচিতিতে পাওয়া যায় নি
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,সিক্রেট তৈরি করুন
@@ -3133,6 +3162,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,সিইও
 DocType: Purchase Invoice,With Payment of Tax,ট্যাক্স পরিশোধ সঙ্গে
 DocType: Expense Claim Detail,Expense Claim Detail,ব্যয় দাবি বিস্তারিত
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,শিক্ষা&gt; শিক্ষা সেটিংসে নির্দেশক নামকরণ সিস্টেম সেটআপ করুন
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,সরবরাহকারী জন্য তৃতীয়ক
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,বেস কারেন্সি মধ্যে নতুন ব্যালেন্স
 DocType: Location,Is Container,কনটেইনার হচ্ছে
@@ -3140,13 +3170,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,সঠিক অ্যাকাউন্ট নির্বাচন করুন
 DocType: Salary Structure Assignment,Salary Structure Assignment,বেতন কাঠামো অ্যাসাইনমেন্ট
 DocType: Purchase Invoice Item,Weight UOM,ওজন UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ফোলিও নম্বরগুলি সহ উপলব্ধ অংশীদারদের তালিকা
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ফোলিও নম্বরগুলি সহ উপলব্ধ অংশীদারদের তালিকা
 DocType: Salary Structure Employee,Salary Structure Employee,বেতন কাঠামো কর্মচারী
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,বৈকল্পিক গুণাবলী দেখান
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,বৈকল্পিক গুণাবলী দেখান
 DocType: Student,Blood Group,রক্তের গ্রুপ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,এই পেমেন্ট অনুরোধে পেমেন্ট গেটওয়ে অ্যাকাউন্ট থেকে প্ল্যান {0} পেমেন্ট গেটওয়ে অ্যাকাউন্টটি ভিন্ন
 DocType: Course,Course Name,কোর্সের নাম
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,বর্তমান আর্থিক বছরে কোন কর আটকানো তথ্য পাওয়া যায় নি।
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,বর্তমান আর্থিক বছরে কোন কর আটকানো তথ্য পাওয়া যায় নি।
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,একটি নির্দিষ্ট কর্মচারী হুকুমে অ্যাপ্লিকেশন অনুমোদন করতে পারেন ব্যবহারকারীরা
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,অফিস সরঞ্জাম
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3154,6 +3184,7 @@
 DocType: Supplier Scorecard,Scoring Setup,স্কোরিং সেটআপ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,যন্ত্রপাতির
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ডেবিট ({0})
+DocType: BOM,Allow Same Item Multiple Times,একই আইটেম একাধিক টাইম অনুমতি দিন
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,শেয়ার পুনরায় আদেশ পর্যায়ে পৌঁছে যখন উপাদান অনুরোধ বাড়াতে
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,ফুল টাইম
 DocType: Payroll Entry,Employees,এমপ্লয়িজ
@@ -3165,11 +3196,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,বিল প্রদানের সত্ততা
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,দাম দেখানো হবে না যদি মূল্য তালিকা নির্ধারণ করা হয় না
 DocType: Stock Entry,Total Incoming Value,মোট ইনকামিং মূল্য
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ডেবিট প্রয়োজন বোধ করা হয়
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ডেবিট প্রয়োজন বোধ করা হয়
 DocType: Clinical Procedure,Inpatient Record,ইনপেশেন্ট রেকর্ড
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets সাহায্য আপনার দলের দ্বারা সম্পন্ন তৎপরতা জন্য সময়, খরচ এবং বিলিং ট্র্যাক রাখতে"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,ক্রয়মূল্য তালিকা
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,লেনদেনের তারিখ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,ক্রয়মূল্য তালিকা
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,লেনদেনের তারিখ
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,সরবরাহকারী স্কোরকার্ড ভেরিয়েবলের টেমপ্লেট
 DocType: Job Offer Term,Offer Term,অপরাধ টার্ম
 DocType: Asset,Quality Manager,গুনগতমান ব্যবস্থাপক
@@ -3190,18 +3221,18 @@
 DocType: Cashier Closing,To Time,সময়
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) জন্য {0}
 DocType: Authorization Rule,Approving Role (above authorized value),(কঠিন মূল্য উপরে) ভূমিকা অনুমোদন
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,একাউন্টে ক্রেডিট একটি প্রদেয় অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,একাউন্টে ক্রেডিট একটি প্রদেয় অ্যাকাউন্ট থাকতে হবে
 DocType: Loan,Total Amount Paid,মোট পরিমাণ পরিশোধ
 DocType: Asset,Insurance End Date,বীমা শেষ তারিখ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,অনুগ্রহ করে ছাত্র ভর্তি নির্বাচন করুন যা প্রদত্ত শিক্ষার্থী আবেদনকারীর জন্য বাধ্যতামূলক
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} এর পিতা বা মাতা বা সন্তান হতে পারবেন না {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} এর পিতা বা মাতা বা সন্তান হতে পারবেন না {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,বাজেট তালিকা
 DocType: Work Order Operation,Completed Qty,সমাপ্ত Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0}, শুধুমাত্র ডেবিট অ্যাকাউন্ট অন্য ক্রেডিট এন্ট্রি বিরুদ্ধে সংযুক্ত করা যাবে জন্য"
 DocType: Manufacturing Settings,Allow Overtime,ওভারটাইম মঞ্জুরি
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ধারাবাহিকভাবে আইটেম {0} শেয়ার এণ্ট্রি শেয়ার সামঞ্জস্যবিধান ব্যবহার করে, ব্যবহার করুন আপডেট করা যাবে না"
 DocType: Training Event Employee,Training Event Employee,প্রশিক্ষণ ইভেন্ট কর্মচারী
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,সর্বাধিক নমুনা - {0} ব্যাচ {1} এবং আইটেম {2} জন্য রাখা যেতে পারে।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,সর্বাধিক নমুনা - {0} ব্যাচ {1} এবং আইটেম {2} জন্য রাখা যেতে পারে।
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,সময় স্লট যোগ করুন
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} আইটেম জন্য প্রয়োজন সিরিয়াল নাম্বার {1}. আপনার দেওয়া {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,বর্তমান মূল্যনির্ধারণ হার
@@ -3232,11 +3263,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,পাওয়া না সিরিয়াল কোন {0}
 DocType: Fee Schedule Program,Fee Schedule Program,ফি শিগগির প্রোগ্রাম
 DocType: Fee Schedule Program,Student Batch,ছাত্র ব্যাচ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","এই দস্তাবেজটি বাতিল করতে কর্মচারী <a href=""#Form/Employee/{0}"">{0}</a> \ মুছে দিন"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,স্টুডেন্ট করুন
 DocType: Supplier Scorecard Scoring Standing,Min Grade,ন্যূনতম গ্রেড
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,স্বাস্থ্যসেবা পরিষেবা ইউনিট প্রকার
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},আপনি প্রকল্পের সহযোগীতা করার জন্য আমন্ত্রণ জানানো হয়েছে: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},আপনি প্রকল্পের সহযোগীতা করার জন্য আমন্ত্রণ জানানো হয়েছে: {0}
 DocType: Supplier Group,Parent Supplier Group,মূল সরবরাহকারী গ্রুপ
+DocType: Email Digest,Purchase Orders to Bill,বিল অর্ডার ক্রয়
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,গ্রুপ কোম্পানির সংগৃহীত মূল্য
 DocType: Leave Block List Date,Block Date,ব্লক তারিখ
 DocType: Crop,Crop,ফসল
@@ -3248,6 +3282,7 @@
 DocType: Sales Order,Not Delivered,বিতরিত হয় নি
 ,Bank Clearance Summary,ব্যাংক পরিস্কারের সংক্ষিপ্ত
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","তৈরি করুন এবং দৈনিক, সাপ্তাহিক এবং মাসিক ইমেল digests পরিচালনা."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,এই এই সেলস ব্যক্তি বিরুদ্ধে লেনদেনের উপর ভিত্তি করে। বিস্তারিত জানার জন্য নিচের সময়রেখা দেখুন
 DocType: Appraisal Goal,Appraisal Goal,মূল্যায়ন গোল
 DocType: Stock Reconciliation Item,Current Amount,বর্তমান পরিমাণ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ভবন
@@ -3274,7 +3309,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,সফটওয়্যার
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,পরবর্তী যোগাযোগ তারিখ অতীতে হতে পারে না
 DocType: Company,For Reference Only.,শুধুমাত্র রেফারেন্সের জন্য.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,ব্যাচ নির্বাচন কোন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,ব্যাচ নির্বাচন কোন
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},অকার্যকর {0}: {1}
 ,GSTR-1,GSTR -1
 DocType: Fee Validity,Reference Inv,রেফারেন্স INV
@@ -3292,16 +3327,16 @@
 DocType: Normal Test Items,Require Result Value,ফলাফল মান প্রয়োজন
 DocType: Item,Show a slideshow at the top of the page,পৃষ্ঠার উপরের একটি স্লাইডশো প্রদর্শন
 DocType: Tax Withholding Rate,Tax Withholding Rate,কর আটকানোর হার
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,দোকান
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,দোকান
 DocType: Project Type,Projects Manager,প্রকল্প ম্যানেজার
 DocType: Serial No,Delivery Time,প্রসবের সময়
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,উপর ভিত্তি করে বুড়ো
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,নিয়োগ বাতিল
 DocType: Item,End of Life,জীবনের শেষে
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ভ্রমণ
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ভ্রমণ
 DocType: Student Report Generation Tool,Include All Assessment Group,সমস্ত অ্যাসেসমেন্ট গ্রুপ অন্তর্ভুক্ত করুন
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,প্রদত্ত তারিখ জন্য কর্মচারী {0} জন্য পাওয়া যায়নি সক্রিয় বা ডিফল্ট বেতন কাঠামো
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,প্রদত্ত তারিখ জন্য কর্মচারী {0} জন্য পাওয়া যায়নি সক্রিয় বা ডিফল্ট বেতন কাঠামো
 DocType: Leave Block List,Allow Users,ব্যবহারকারীদের মঞ্জুরি
 DocType: Purchase Order,Customer Mobile No,গ্রাহক মোবাইল কোন
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ক্যাশ ফ্লো ম্যাপিং টেমপ্লেট বিবরণ
@@ -3310,15 +3345,16 @@
 DocType: Rename Tool,Rename Tool,টুল পুনঃনামকরণ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,আপডেট খরচ
 DocType: Item Reorder,Item Reorder,আইটেম অনুসারে পুনঃক্রম করুন
+DocType: Delivery Note,Mode of Transport,পরিবহনের কর্মপদ্ধতি
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,বেতন দেখান স্লিপ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,ট্রান্সফার উপাদান
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,ট্রান্সফার উপাদান
 DocType: Fees,Send Payment Request,অর্থ প্রদানের অনুরোধ পাঠান
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","অপারেশন, অপারেটিং খরচ উল্লেখ করুন এবং আপনার কাজকর্মকে কোন একটি অনন্য অপারেশন দিতে."
 DocType: Travel Request,Any other details,অন্য কোন বিবরণ
 DocType: Water Analysis,Origin,উত্স
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,এই দস্তাবেজটি দ্বারা সীমা উত্তীর্ণ {0} {1} আইটেমের জন্য {4}. আপনি তৈরি করছেন আরেকটি {3} একই বিরুদ্ধে {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,সংরক্ষণ পরে আবর্তক নির্ধারণ করুন
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,নির্বাচন পরিবর্তনের পরিমাণ অ্যাকাউন্ট
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,সংরক্ষণ পরে আবর্তক নির্ধারণ করুন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,নির্বাচন পরিবর্তনের পরিমাণ অ্যাকাউন্ট
 DocType: Purchase Invoice,Price List Currency,মূল্যতালিকা মুদ্রা
 DocType: Naming Series,User must always select,ব্যবহারকারী সবসময় নির্বাচন করতে হবে
 DocType: Stock Settings,Allow Negative Stock,নেতিবাচক শেয়ার মঞ্জুরি
@@ -3339,9 +3375,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability
 DocType: Asset Maintenance Log,Actions performed,কর্ম সঞ্চালিত
 DocType: Cash Flow Mapper,Section Leader,সেকশন লিডার
+DocType: Delivery Note,Transport Receipt No,পরিবহন রসিদ নং
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),তহবিলের উৎস (দায়)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,উৎস এবং লক্ষ্য অবস্থান একই হতে পারে না
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},সারিতে পরিমাণ {0} ({1}) শিল্পজাত পরিমাণ হিসাবে একই হতে হবে {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},সারিতে পরিমাণ {0} ({1}) শিল্পজাত পরিমাণ হিসাবে একই হতে হবে {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,কর্মচারী
 DocType: Bank Guarantee,Fixed Deposit Number,স্থায়ী আমানত নম্বর
 DocType: Asset Repair,Failure Date,ব্যর্থতা তারিখ
@@ -3355,16 +3392,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,পেমেন্ট Deductions বা হ্রাস
 DocType: Soil Analysis,Soil Analysis Criterias,মৃত্তিকা বিশ্লেষণ
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,সেলস বা কেনার জন্য আদর্শ চুক্তি পদ.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,আপনি কি এই অ্যাপয়েন্টমেন্টটি বাতিল করতে চান?
+DocType: BOM Item,Item operation,আইটেম অপারেশন
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,আপনি কি এই অ্যাপয়েন্টমেন্টটি বাতিল করতে চান?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,হোটেল রুম প্রাইসিং প্যাকেজ
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,সেলস পাইপলাইন
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,সেলস পাইপলাইন
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},বেতন কম্পোনেন্ট এর ডিফল্ট অ্যাকাউন্ট সেট করুন {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,প্রয়োজনীয় উপর
 DocType: Rename Tool,File to Rename,পুনঃনামকরণ করা ফাইল
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},সারি মধ্যে আইটেম জন্য BOM দয়া করে নির্বাচন করুন {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,সদস্যতা আপডেটগুলি আনুন
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},অ্যাকাউন্ট {0} {1} অ্যাকাউন্টের মোডে কোম্পানির সঙ্গে মিলছে না: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},আইটেম জন্য বিদ্যমান নয় নির্দিষ্ট BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},আইটেম জন্য বিদ্যমান নয় নির্দিষ্ট BOM {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,কোর্স:
 DocType: Soil Texture,Sandy Loam,স্যান্ডী লোম
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,রক্ষণাবেক্ষণ সূচি {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে
@@ -3373,7 +3411,7 @@
 DocType: Notification Control,Expense Claim Approved,ব্যয় দাবি অনুমোদিত
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),অ্যাডভান্স এবং বরাদ্দ (ফিফো) সেট করুন
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,কোনও ওয়ার্ক অর্ডার তৈরি করা হয়নি
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে এই সময়ের জন্য সৃষ্টি
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে এই সময়ের জন্য সৃষ্টি
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ফার্মাসিউটিক্যাল
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,আপনি কেবলমাত্র একটি বৈধ নগদ পরিমাণের জন্য নগদ নগদীকরণ জমা দিতে পারেন
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ক্রয় আইটেম খরচ
@@ -3381,7 +3419,8 @@
 DocType: Selling Settings,Sales Order Required,সেলস আদেশ প্রয়োজন
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,একটি বিক্রেতা হয়ে
 DocType: Purchase Invoice,Credit To,ক্রেডিট
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,সক্রিয় বাড়ে / গ্রাহকরা
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,সক্রিয় বাড়ে / গ্রাহকরা
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,স্ট্যান্ডার্ড ডেলিভারি নোট বিন্যাস ব্যবহার করতে ফাঁকা ছেড়ে দিন
 DocType: Employee Education,Post Graduate,পোস্ট গ্র্যাজুয়েট
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,রক্ষণাবেক্ষণ তফসিল বিস্তারিত
 DocType: Supplier Scorecard,Warn for new Purchase Orders,নতুন ক্রয় আদেশের জন্য সতর্ক করুন
@@ -3395,14 +3434,14 @@
 DocType: Support Search Source,Post Title Key,পোস্ট শিরোনাম কী
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,কাজের কার্ডের জন্য
 DocType: Warranty Claim,Raised By,দ্বারা উত্থাপিত
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,প্রেসক্রিপশন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,প্রেসক্রিপশন
 DocType: Payment Gateway Account,Payment Account,টাকা পরিষদের অ্যাকাউন্ট
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,এগিয়ে যেতে কোম্পানি উল্লেখ করুন
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,এগিয়ে যেতে কোম্পানি উল্লেখ করুন
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট মধ্যে নিট পরিবর্তন
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,পূরক অফ
 DocType: Job Offer,Accepted,গৃহীত
 DocType: POS Closing Voucher,Sales Invoices Summary,বিক্রয় চালান সারাংশ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,পার্টির নাম
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,পার্টির নাম
 DocType: Grant Application,Organization,সংগঠন
 DocType: BOM Update Tool,BOM Update Tool,BOM আপডেট সরঞ্জাম
 DocType: SG Creation Tool Course,Student Group Name,স্টুডেন্ট গ্রুপের নাম
@@ -3411,7 +3450,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"আপনি কি সত্যিই এই কোম্পানির জন্য সব লেনদেন মুছে ফেলতে চান, নিশ্চিত করুন. হিসাবে এটা আপনার মাস্টার ডেটা থাকবে. এই ক্রিয়াটি পূর্বাবস্থায় ফেরানো যাবে না."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,অনুসন্ধান ফলাফল
 DocType: Room,Room Number,রুম নম্বর
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},অবৈধ উল্লেখ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},অবৈধ উল্লেখ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) পরিকল্পনা quanitity তার চেয়ে অনেক বেশী হতে পারে না ({2}) উত্পাদন আদেশ {3}
 DocType: Shipping Rule,Shipping Rule Label,শিপিং রুল ট্যাগ
 DocType: Journal Entry Account,Payroll Entry,পেরোল এণ্ট্রি
@@ -3419,8 +3458,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,ট্যাক্স টেমপ্লেট তৈরি করুন
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ব্যবহারকারী ফোরাম
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,কাঁচামালের ফাঁকা থাকতে পারে না.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,সারি # {0} (পেমেন্ট সারণি): পরিমাণ নেগেটিভ হতে হবে
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","স্টক আপডেট করা যায়নি, চালান ড্রপ শিপিং আইটেমটি রয়েছে."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,সারি # {0} (পেমেন্ট সারণি): পরিমাণ নেগেটিভ হতে হবে
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","স্টক আপডেট করা যায়নি, চালান ড্রপ শিপিং আইটেমটি রয়েছে."
 DocType: Contract,Fulfilment Status,পূরণের স্থিতি
 DocType: Lab Test Sample,Lab Test Sample,ল্যাব পরীক্ষার নমুনা
 DocType: Item Variant Settings,Allow Rename Attribute Value,নামকরণ অ্যাট্রিবিউট মান অনুমোদন করুন
@@ -3462,11 +3501,11 @@
 DocType: BOM,Show Operations,দেখান অপারেশনস
 ,Minutes to First Response for Opportunity,সুযোগ প্রথম প্রতিক্রিয়া মিনিট
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,মোট অনুপস্থিত
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,সারি {0} মেলে না উপাদানের জন্য অনুরোধ জন্য আইটেম বা গুদাম
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,সারি {0} মেলে না উপাদানের জন্য অনুরোধ জন্য আইটেম বা গুদাম
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,পরিমাপের একক
 DocType: Fiscal Year,Year End Date,বছর শেষ তারিখ
 DocType: Task Depends On,Task Depends On,কাজের উপর নির্ভর করে
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,সুযোগ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,সুযোগ
 DocType: Operation,Default Workstation,ডিফল্ট ওয়ার্কস্টেশন
 DocType: Notification Control,Expense Claim Approved Message,ব্যয় দাবি অনুমোদিত পাঠান
 DocType: Payment Entry,Deductions or Loss,Deductions বা হ্রাস
@@ -3504,20 +3543,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,ব্যবহারকারী অনুমোদন নিয়ম প্রযোজ্য ব্যবহারকারী হিসাবে একই হতে পারে না
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),মৌলিক হার (স্টক UOM অনুযায়ী)
 DocType: SMS Log,No of Requested SMS,অনুরোধ করা এসএমএস এর কোন
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,বিনা বেতনে ছুটি অনুমোদিত ছুটি অ্যাপ্লিকেশন রেকর্ডের সঙ্গে মিলছে না
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,বিনা বেতনে ছুটি অনুমোদিত ছুটি অ্যাপ্লিকেশন রেকর্ডের সঙ্গে মিলছে না
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,পরবর্তী ধাপ
 DocType: Travel Request,Domestic,গার্হস্থ্য
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,সম্ভাব্য সর্বোত্তম হারে নির্দিষ্ট আইটেম সরবরাহ অনুগ্রহ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,সম্ভাব্য সর্বোত্তম হারে নির্দিষ্ট আইটেম সরবরাহ অনুগ্রহ
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,স্থানান্তর তারিখ আগে কর্মচারী স্থানান্তর জমা দেওয়া যাবে না
 DocType: Certification Application,USD,আমেরিকান ডলার
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,চালান করুন
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,অবশিষ্ট জমা খরছ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,অবশিষ্ট জমা খরছ
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 দিন পর অটো বন্ধ সুযোগ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} এর স্কোরকার্ড স্থানের কারণে {0} জন্য ক্রয় অর্ডার অনুমোদিত নয়।
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,বারকোড {0} একটি বৈধ {1} কোড নয়
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,বারকোড {0} একটি বৈধ {1} কোড নয়
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,শেষ বছর
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / লিড%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,চুক্তি শেষ তারিখ যোগদান তারিখ থেকে বড় হওয়া উচিত
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,চুক্তি শেষ তারিখ যোগদান তারিখ থেকে বড় হওয়া উচিত
 DocType: Driver,Driver,চালক
 DocType: Vital Signs,Nutrition Values,পুষ্টি মান
 DocType: Lab Test Template,Is billable,বিল
@@ -3528,7 +3567,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,এই একটি উদাহরণ ওয়েবসাইট ERPNext থেকে স্বয়ংক্রিয় উত্পন্ন হয়
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,বুড়ো বিন্যাস 1
 DocType: Shopify Settings,Enable Shopify,Shopify সক্ষম করুন
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,মোট অগ্রিম পরিমাণ মোট দাবি পরিমাণ বেশী হতে পারে না
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,মোট অগ্রিম পরিমাণ মোট দাবি পরিমাণ বেশী হতে পারে না
 DocType: Purchase Taxes and Charges Template,"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
@@ -3555,12 +3594,12 @@
 DocType: Employee Separation,Employee Separation,কর্মচারী বিচ্ছেদ
 DocType: BOM Item,Original Item,মৌলিক আইটেম
 DocType: Purchase Receipt Item,Recd Quantity,Recd পরিমাণ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,ডক তারিখ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,ডক তারিখ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},ফি রেকর্ডস নির্মিত - {0}
 DocType: Asset Category Account,Asset Category Account,অ্যাসেট শ্রেণী অ্যাকাউন্ট
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,সারি # {0} (পেমেন্ট সারণি): পরিমাণ ইতিবাচক হতে হবে
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,সারি # {0} (পেমেন্ট সারণি): পরিমাণ ইতিবাচক হতে হবে
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},সেলস আদেশ পরিমাণ বেশী আইটেম {0} সৃষ্টি করতে পারে না {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,অ্যাট্রিবিউট মান নির্বাচন করুন
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,অ্যাট্রিবিউট মান নির্বাচন করুন
 DocType: Purchase Invoice,Reason For Issuing document,দস্তাবেজ ইস্যু করার জন্য কারণ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,শেয়ার এণ্ট্রি {0} দাখিল করা হয় না
 DocType: Payment Reconciliation,Bank / Cash Account,ব্যাংক / নগদ অ্যাকাউন্ট
@@ -3569,8 +3608,10 @@
 DocType: Asset,Manual,ম্যানুয়াল
 DocType: Salary Component Account,Salary Component Account,বেতন কম্পোনেন্ট অ্যাকাউন্ট
 DocType: Global Defaults,Hide Currency Symbol,মুদ্রা প্রতীক লুকান
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,উত্স দ্বারা বিক্রয় সুযোগ
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,দাতা তথ্য
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","যেমন ব্যাংক, ক্যাশ, ক্রেডিট কার্ড"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,সেটআপের মাধ্যমে উপস্থিতি জন্য সংখ্যায়ন সিরিজ সেটআপ করুন&gt; সংখ্যায়ন সিরিজ
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","যেমন ব্যাংক, ক্যাশ, ক্রেডিট কার্ড"
 DocType: Job Applicant,Source Name,উত্স নাম
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","প্রাপ্তবয়স্কদের মধ্যে স্বাভাবিক বিশ্রামহীন রক্তচাপ প্রায় 120 mmHg systolic এবং 80 mmHg ডায়স্টোলিক, সংক্ষিপ্ত &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","দিনের মধ্যে শেলফ জীবন আইটেম সেট করুন, উত্পাদন_ডেট প্লাস স্ব জীবনের উপর ভিত্তি করে মেয়াদ শেষ করতে"
@@ -3600,7 +3641,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},পরিমাণ জন্য পরিমাণ কম হতে হবে {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,সারি {0}: আরম্ভের তারিখ শেষ তারিখের আগে হওয়া আবশ্যক
 DocType: Salary Component,Max Benefit Amount (Yearly),সর্বোচ্চ বেনিফিট পরিমাণ (বার্ষিক)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,টিডিএস হার%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,টিডিএস হার%
 DocType: Crop,Planting Area,রোপণ এলাকা
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),মোট (Qty)
 DocType: Installation Note Item,Installed Qty,ইনস্টল Qty
@@ -3622,8 +3663,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,অনুমোদন বিজ্ঞপ্তি ত্যাগ করুন
 DocType: Buying Settings,Default Buying Price List,ডিফল্ট ক্রয় মূল্য তালিকা
 DocType: Payroll Entry,Salary Slip Based on Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড উপর ভিত্তি করে
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,কেনা দর
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},সারি {0}: সম্পদ আইটেমের জন্য অবস্থান লিখুন {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,কেনা দর
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},সারি {0}: সম্পদ আইটেমের জন্য অবস্থান লিখুন {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,প্রতিষ্ঠানটি সম্পর্কে
 DocType: Notification Control,Sales Order Message,বিক্রয় আদেশ পাঠান
@@ -3688,10 +3729,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,সারি {0} জন্য: পরিকল্পিত পরিমাণ লিখুন
 DocType: Account,Income Account,আয় অ্যাকাউন্ট
 DocType: Payment Request,Amount in customer's currency,গ্রাহকের মুদ্রার পরিমাণ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,বিলি
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,বিলি
 DocType: Volunteer,Weekdays,কাজের
 DocType: Stock Reconciliation Item,Current Qty,বর্তমান স্টক
 DocType: Restaurant Menu,Restaurant Menu,রেস্টুরেন্ট মেনু
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,সরবরাহকারী জুড়ুন
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,দুদক-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,সাহায্য বিভাগ
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,পূর্ববর্তী
@@ -3703,19 +3745,20 @@
 												fullfill Sales Order {2}",আইটেম {1} এর {0} সিরিয়াল নম্বর প্রদান করা যাবে না কারণ এটি \ fullfill বিক্রয় আদেশ {2} সংরক্ষণ করা হয়
 DocType: Item Reorder,Material Request Type,উপাদান অনুরোধ টাইপ
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,গ্রান্ট রিভিউ ইমেল পাঠান
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,সারি {0}: UOM রূপান্তর ফ্যাক্টর বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,সারি {0}: UOM রূপান্তর ফ্যাক্টর বাধ্যতামূলক
 DocType: Employee Benefit Claim,Claim Date,দাবি তারিখ
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,রুম ক্যাপাসিটি
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},ইতোমধ্যে আইটেমের জন্য বিদ্যমান রেকর্ড {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,সুত্র
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,আপনি পূর্বে উত্পন্ন ইনভয়েসগুলির রেকর্ডগুলি হারাবেন। আপনি কি এই সাবস্ক্রিপশনটি পুনরায় চালু করতে চান?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,নিবন্ধন ফি
 DocType: Loyalty Program Collection,Loyalty Program Collection,আনুগত্য প্রোগ্রাম সংগ্রহ
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted আইটেম
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},ছাত্র {0} গোষ্ঠীর অন্তর্গত নয় {1}
 DocType: Budget,Cost Center,খরচ কেন্দ্র
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,ভাউচার #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,ভাউচার #
 DocType: Notification Control,Purchase Order Message,আদেশ বার্তাতে ক্রয়
 DocType: Tax Rule,Shipping Country,শিপিং দেশ
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,সেলস লেনদেন থেকে গ্রাহকের ট্যাক্স আইডি লুকান
@@ -3734,23 +3777,22 @@
 DocType: Subscription,Cancel At End Of Period,মেয়াদ শেষের সময় বাতিল
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,সম্পত্তি ইতিমধ্যে যোগ করা
 DocType: Item Supplier,Item Supplier,আইটেম সরবরাহকারী
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,ব্যাচ কোন পেতে আইটেম কোড প্রবেশ করুন
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{0} quotation_to জন্য একটি মান নির্বাচন করুন {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,ব্যাচ কোন পেতে আইটেম কোড প্রবেশ করুন
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{0} quotation_to জন্য একটি মান নির্বাচন করুন {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,স্থানান্তর জন্য কোন আইটেম নির্বাচিত
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,সব ঠিকানাগুলি.
 DocType: Company,Stock Settings,স্টক সেটিংস
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","নিম্নলিখিত বৈশিষ্ট্য উভয় রেকর্ডে একই হলে মার্জ শুধুমাত্র সম্ভব. গ্রুপ, root- র ধরন, কোম্পানী"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","নিম্নলিখিত বৈশিষ্ট্য উভয় রেকর্ডে একই হলে মার্জ শুধুমাত্র সম্ভব. গ্রুপ, root- র ধরন, কোম্পানী"
 DocType: Vehicle,Electric,বৈদ্যুতিক
 DocType: Task,% Progress,% অগ্রগতি
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,লাভ / অ্যাসেট নিষ্পত্তির হ্রাস
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",শুধুমাত্র &quot;অনুমোদিত&quot; স্ট্যাটাসের সাথে ছাত্র আবেদনকারীকে নীচের সারণিতে নির্বাচিত করা হবে।
 DocType: Tax Withholding Category,Rates,হার
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,অ্যাকাউন্ট {0} জন্য অ্যাকাউন্ট নম্বর উপলব্ধ নয়। <br> আপনার অ্যাকাউন্ট সঠিকভাবে সঠিকভাবে সেট করুন।
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,অ্যাকাউন্ট {0} জন্য অ্যাকাউন্ট নম্বর উপলব্ধ নয়। <br> আপনার অ্যাকাউন্ট সঠিকভাবে সঠিকভাবে সেট করুন।
 DocType: Task,Depends on Tasks,কার্যগুলি উপর নির্ভর করে
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,গ্রাহক গ্রুপ গাছ পরিচালনা.
 DocType: Normal Test Items,Result Value,ফলাফল মান
 DocType: Hotel Room,Hotels,হোটেল
-DocType: Delivery Note,Transporter Date,ট্রান্সপোর্টার তারিখ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,নতুন খরচ কেন্দ্রের নাম
 DocType: Leave Control Panel,Leave Control Panel,কন্ট্রোল প্যানেল ছেড়ে চলে
 DocType: Project,Task Completion,কাজটি সমাপ্তির
@@ -3797,11 +3839,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,সকল অ্যাসেসমেন্ট গোষ্ঠীসমূহ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,নতুন গুদাম নাম
 DocType: Shopify Settings,App Type,অ্যাপ্লিকেশন প্রকার
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),মোট {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),মোট {0} ({1})
 DocType: C-Form Invoice Detail,Territory,এলাকা
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,প্রয়োজনীয় ভিজিট কোন উল্লেখ করুন
 DocType: Stock Settings,Default Valuation Method,ডিফল্ট মূল্যনির্ধারণ পদ্ধতি
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ফী
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,সংখ্যার পরিমাণ দেখান
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,অগ্রগতি আপডেট. এটি একটি সময় নিতে পারে.
 DocType: Production Plan Item,Produced Qty,উত্পাদিত পরিমাণ
 DocType: Vehicle Log,Fuel Qty,জ্বালানীর Qty
@@ -3809,7 +3852,7 @@
 DocType: Work Order Operation,Planned Start Time,পরিকল্পনা শুরুর সময়
 DocType: Course,Assessment,অ্যাসেসমেন্ট
 DocType: Payment Entry Reference,Allocated,বরাদ্দ
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,বন্ধ স্থিতিপত্র ও বই লাভ বা ক্ষতি.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,বন্ধ স্থিতিপত্র ও বই লাভ বা ক্ষতি.
 DocType: Student Applicant,Application Status,আবেদনপত্রের অবস্থা
 DocType: Additional Salary,Salary Component Type,বেতন কম্পোনেন্ট প্রকার
 DocType: Sensitivity Test Items,Sensitivity Test Items,সংবেদনশীলতা পরীক্ষা আইটেম
@@ -3820,10 +3863,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,মোট বকেয়া পরিমাণ
 DocType: Sales Partner,Targets,লক্ষ্যমাত্রা
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,কোম্পানির তথ্য ফাইলের SIREN নম্বর নিবন্ধন করুন
+DocType: Email Digest,Sales Orders to Bill,বিল অর্ডার বিক্রয় আদেশ
 DocType: Price List,Price List Master,মূল্য তালিকা মাস্টার
 DocType: GST Account,CESS Account,CESS অ্যাকাউন্ট
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,আপনি সেট এবং নির্দেশকের লক্ষ্যমাত্রা নজর রাখতে পারেন যাতে সব বিক্রয় লেনদেন একাধিক ** বিক্রয় ব্যক্তি ** বিরুদ্ধে ট্যাগ করা যায়.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,উপাদান অনুরোধ লিঙ্ক
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,উপাদান অনুরোধ লিঙ্ক
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,ফোরাম কার্যক্রম
 ,S.O. No.,তাই নং
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,ব্যাংক স্টেটমেন্ট লেনদেন সেটিং আইটেম
@@ -3838,7 +3882,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,এটি একটি root গ্রাহক গ্রুপ এবং সম্পাদনা করা যাবে না.
 DocType: Student,AB-,এবি নিগেটিভ
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,একত্রিত মাসিক বাজেট যদি পি.ও.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,স্থান
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,স্থান
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,বিনিময় হার রিভেলয়ন
 DocType: POS Profile,Ignore Pricing Rule,প্রাইসিং বিধি উপেক্ষা
 DocType: Employee Education,Graduate,স্নাতক
@@ -3874,6 +3918,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,রেস্টুরেন্ট সেটিংস এ ডিফল্ট গ্রাহক সেট করুন
 ,Salary Register,বেতন নিবন্ধন
 DocType: Warehouse,Parent Warehouse,পেরেন্ট ওয়্যারহাউস
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,তালিকা
 DocType: Subscription,Net Total,সর্বমোট
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},ডিফল্ট BOM আইটেমের জন্য পাওয়া যায়নি {0} এবং প্রকল্প {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,বিভিন্ন ঋণ ধরনের নির্ধারণ
@@ -3906,24 +3951,26 @@
 DocType: Membership,Membership Status,সদস্যতা স্থিতি
 DocType: Travel Itinerary,Lodging Required,লোডিং প্রয়োজন
 ,Requested,অনুরোধ করা
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,কোন মন্তব্য
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,কোন মন্তব্য
 DocType: Asset,In Maintenance,রক্ষণাবেক্ষণের মধ্যে
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWS থেকে আপনার বিক্রয় আদেশ ডেটা টানতে এই বোতামটি ক্লিক করুন
 DocType: Vital Signs,Abdomen,উদর
 DocType: Purchase Invoice,Overdue,পরিশোধসময়াতীত
 DocType: Account,Stock Received But Not Billed,শেয়ার পেয়েছি কিন্তু বিল না
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root অ্যাকাউন্টের একটি গ্রুপ হতে হবে
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root অ্যাকাউন্টের একটি গ্রুপ হতে হবে
 DocType: Drug Prescription,Drug Prescription,ড্রাগ প্রেসক্রিপশন
 DocType: Loan,Repaid/Closed,শোধ / বন্ধ
 DocType: Amazon MWS Settings,CA,সিএ
 DocType: Item,Total Projected Qty,মোট অভিক্ষিপ্ত Qty
 DocType: Monthly Distribution,Distribution Name,বন্টন নাম
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM অন্তর্ভুক্ত করুন
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","আইটেম {0} জন্য মূল্যমানের হার পাওয়া যায়নি, যা {1} {2} এর জন্য অ্যাকাউন্টিং এন্ট্রি করতে হবে। যদি আইটেমটি {1} এ শূন্য মূল্যায়ন হারের আইটেম হিসাবে রূপান্তরিত হয় তবে দয়া করে {1} আইটেম টেবিলে উল্লেখ করুন। অন্যথায়, আইটেমের জন্য একটি ইনকামিং স্টক লেনদেন তৈরি করুন বা আইটেম রেকর্ডে মূল্যায়ন হার উল্লেখ করুন, এবং তারপর এই এন্ট্রি জমা / বাতিল করার চেষ্টা করুন"
 DocType: Course,Course Code,কোর্স কোড
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},আইটেম জন্য প্রয়োজনীয় মান পরিদর্শন {0}
 DocType: Location,Parent Location,মূল স্থান
 DocType: POS Settings,Use POS in Offline Mode,অফলাইন মোডে পিওএস ব্যবহার করুন
 DocType: Supplier Scorecard,Supplier Variables,সরবরাহকারী ভেরিয়েবল
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} বাধ্যতামূলক। হয়তো কারেন্সি এক্সচেঞ্জ রেকর্ড {1} থেকে {2} জন্য তৈরি করা হয় না
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,যা গ্রাহকের কারেন্সি হারে কোম্পানির বেস কারেন্সি রূপান্তরিত হয়
 DocType: Purchase Invoice Item,Net Rate (Company Currency),নিট হার (কোম্পানি একক)
 DocType: Salary Detail,Condition and Formula Help,কন্ডিশন ও ফর্মুলা সাহায্য
@@ -3932,19 +3979,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,বিক্রয় চালান
 DocType: Journal Entry Account,Party Balance,পার্টি ব্যালেন্স
 DocType: Cash Flow Mapper,Section Subtotal,বিভাগ উপবিভাগ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,ডিসকাউন্ট উপর প্রয়োগ নির্বাচন করুন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,ডিসকাউন্ট উপর প্রয়োগ নির্বাচন করুন
 DocType: Stock Settings,Sample Retention Warehouse,নমুনা ধারণ গুদাম
 DocType: Company,Default Receivable Account,ডিফল্ট গ্রহনযোগ্য অ্যাকাউন্ট
 DocType: Purchase Invoice,Deemed Export,ডেমিড এক্সপোর্ট
 DocType: Stock Entry,Material Transfer for Manufacture,প্রস্তুত জন্য উপাদান স্থানান্তর
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ডিসকাউন্ট শতাংশ একটি মূল্য তালিকা বিরুদ্ধে বা সব মূল্য তালিকা জন্য হয় প্রয়োগ করা যেতে পারে.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,স্টক জন্য অ্যাকাউন্টিং এণ্ট্রি
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,স্টক জন্য অ্যাকাউন্টিং এণ্ট্রি
 DocType: Lab Test,LabTest Approver,LabTest আবির্ভাব
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,"আপনি ইতিমধ্যে মূল্যায়ন মানদণ্ডের জন্য মূল্যায়ন করে নিলে, {}।"
 DocType: Vehicle Service,Engine Oil,ইঞ্জিনের তেল
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},তৈরি ওয়ার্ক অর্ডার: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},তৈরি ওয়ার্ক অর্ডার: {0}
 DocType: Sales Invoice,Sales Team1,সেলস team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,আইটেম {0} অস্তিত্ব নেই
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,আইটেম {0} অস্তিত্ব নেই
 DocType: Sales Invoice,Customer Address,গ্রাহকের ঠিকানা
 DocType: Loan,Loan Details,ঋণ বিবরণ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,পোস্ট কোম্পানী fixtures সেট আপ করতে ব্যর্থ
@@ -3965,34 +4012,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,পৃষ্ঠার উপরের এই স্লাইডশো প্রদর্শন
 DocType: BOM,Item UOM,আইটেম UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ছাড়ের পরিমাণ পরে ট্যাক্স পরিমাণ (কোম্পানি একক)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},উদ্দিষ্ট গুদাম সারিতে জন্য বাধ্যতামূলক {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},উদ্দিষ্ট গুদাম সারিতে জন্য বাধ্যতামূলক {0}
 DocType: Cheque Print Template,Primary Settings,প্রাথমিক সেটিংস
 DocType: Attendance Request,Work From Home,বাসা থেকে কাজ
 DocType: Purchase Invoice,Select Supplier Address,সরবরাহকারী ঠিকানা নির্বাচন
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,এমপ্লয়িজ যোগ
 DocType: Purchase Invoice Item,Quality Inspection,উচ্চমানের তদন্ত
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,অতিরিক্ত ছোট
 DocType: Company,Standard Template,স্ট্যান্ডার্ড টেমপ্লেট
 DocType: Training Event,Theory,তত্ত্ব
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,সতর্কতা: Qty অনুরোধ উপাদান নূন্যতম অর্ডার QTY কম হয়
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,সতর্কতা: Qty অনুরোধ উপাদান নূন্যতম অর্ডার QTY কম হয়
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,অ্যাকাউন্ট {0} নিথর হয়
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,সংস্থার একাত্মতার অ্যাকাউন্টের একটি পৃথক চার্ট সঙ্গে আইনি সত্তা / সাবসিডিয়ারি.
 DocType: Payment Request,Mute Email,নিঃশব্দ ইমেইল
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","খাদ্য, পানীয় ও তামাকের"
 DocType: Account,Account Number,হিসাব নাম্বার
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},শুধুমাত্র বিরুদ্ধে পেমেন্ট করতে পারবেন যেতে উদ্ভাবনী উপায় {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,কমিশন হার তার চেয়ে অনেক বেশী 100 হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},শুধুমাত্র বিরুদ্ধে পেমেন্ট করতে পারবেন যেতে উদ্ভাবনী উপায় {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,কমিশন হার তার চেয়ে অনেক বেশী 100 হতে পারে না
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),স্বয়ংক্রিয়ভাবে আগাছা বরাদ্দ (ফিফা)
 DocType: Volunteer,Volunteer,স্বেচ্ছাসেবক
 DocType: Buying Settings,Subcontract,ঠিকা
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,প্রথম {0} লিখুন দয়া করে
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,থেকে কোন জবাব
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,থেকে কোন জবাব
 DocType: Work Order Operation,Actual End Time,প্রকৃত শেষ সময়
 DocType: Item,Manufacturer Part Number,প্রস্তুতকর্তা পার্ট সংখ্যা
 DocType: Taxable Salary Slab,Taxable Salary Slab,করযোগ্য বেতন স্ল্যাব
 DocType: Work Order Operation,Estimated Time and Cost,আনুমানিক সময় এবং খরচ
 DocType: Bin,Bin,বিন
 DocType: Crop,Crop Name,ক্রপ নাম
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,শুধুমাত্র {0} ভূমিকা সহ ব্যবহারকারীরা বাজারে রেজিস্টার করতে পারেন
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,শুধুমাত্র {0} ভূমিকা সহ ব্যবহারকারীরা বাজারে রেজিস্টার করতে পারেন
 DocType: SMS Log,No of Sent SMS,এসএমএস পাঠানোর কোন
 DocType: Leave Application,HR-LAP-.YYYY.-,এইচআর-ভাঁজ-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,নিয়োগ এবং এনকাউন্টার
@@ -4021,7 +4069,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,কোড পরিবর্তন করুন
 DocType: Purchase Invoice Item,Valuation Rate,মূল্যনির্ধারণ হার
 DocType: Vehicle,Diesel,ডীজ়ল্
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,মূল্য তালিকা মুদ্রা একক নির্বাচন করবেন
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,মূল্য তালিকা মুদ্রা একক নির্বাচন করবেন
 DocType: Purchase Invoice,Availed ITC Cess,এজিড আইটিসি সেস
 ,Student Monthly Attendance Sheet,শিক্ষার্থীর মাসের এ্যাটেনডেন্স পত্রক
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,শপিং শাসন কেবল বিক্রয় জন্য প্রযোজ্য
@@ -4037,7 +4085,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,সেলস পার্টনার্স সেকেন্ড.
 DocType: Quality Inspection,Inspection Type,ইন্সপেকশন ধরন
 DocType: Fee Validity,Visited yet,এখনো পরিদর্শন
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,বিদ্যমান লেনদেনের সঙ্গে গুদাম গ্রুপে রূপান্তর করা যাবে না.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,বিদ্যমান লেনদেনের সঙ্গে গুদাম গ্রুপে রূপান্তর করা যাবে না.
 DocType: Assessment Result Tool,Result HTML,ফল এইচটিএমএল
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,সেলস লেনদেনের উপর ভিত্তি করে কতগুলি প্রকল্প এবং কোম্পানিকে আপডেট করা উচিত।
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,মেয়াদ শেষ
@@ -4045,7 +4093,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},দয়া করে নির্বাচন করুন {0}
 DocType: C-Form,C-Form No,সি-ফরম কোন
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,দূরত্ব
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,দূরত্ব
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,আপনার পণ্য বা পরিষেবাগুলি যে আপনি কিনতে বা বিক্রয় তালিকা।
 DocType: Water Analysis,Storage Temperature,সংগ্রহস্থল তাপমাত্রা
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4061,18 +4109,18 @@
 DocType: Shopify Settings,Delivery Note Series,ডেলিভারি নোট সিরিজ
 DocType: Purchase Order Item,Returned Qty,ফিরে Qty
 DocType: Student,Exit,প্রস্থান
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root- র ধরন বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root- র ধরন বাধ্যতামূলক
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,প্রিসেটগুলি ইনস্টল করতে ব্যর্থ হয়েছে
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,ঘন্টা মধ্যে UOM রূপান্তর
 DocType: Contract,Signee Details,স্বাক্ষরকারী বিবরণ
 DocType: Certified Consultant,Non Profit Manager,অ লাভ ম্যানেজার
 DocType: BOM,Total Cost(Company Currency),মোট খরচ (কোম্পানি মুদ্রা)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,{0} নির্মিত সিরিয়াল কোন
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,{0} নির্মিত সিরিয়াল কোন
 DocType: Homepage,Company Description for website homepage,ওয়েবসাইট হোমপেজে জন্য এখানে বর্ণনা
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","গ্রাহকদের সুবিধার জন্য, এই কোড চালান এবং বিলি নোট মত মুদ্রণ বিন্যাস ব্যবহার করা যেতে পারে"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier নাম
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} এর জন্য তথ্য পুনরুদ্ধার করা যায়নি।
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,প্রবেশ নিবন্ধন জার্নাল
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,প্রবেশ নিবন্ধন জার্নাল
 DocType: Contract,Fulfilment Terms,শর্তাবলী |
 DocType: Sales Invoice,Time Sheet List,টাইম শিট তালিকা
 DocType: Employee,You can enter any date manually,আপনি নিজে কোনো তারিখ লিখতে পারেন
@@ -4107,7 +4155,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,তোমার অর্গানাইজেশন
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","নিম্নবর্ণ কর্মীদের জন্য বন্টন বরখাস্ত করা হচ্ছে, যেমন তাদের বরখেলাপের রেকর্ডগুলি ইতিমধ্যে তাদের বিরুদ্ধে বিদ্যমান। {0}"
 DocType: Fee Component,Fees Category,ফি শ্রেণী
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,তারিখ মুক্তিদান লিখুন.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,তারিখ মুক্তিদান লিখুন.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Travel Request,"Details of Sponsor (Name, Location)","পৃষ্ঠার বিবরণ (নাম, অবস্থান)"
 DocType: Supplier Scorecard,Notify Employee,কর্মচারীকে জানান
@@ -4120,9 +4168,9 @@
 DocType: Company,Chart Of Accounts Template,একাউন্টস টেমপ্লেটের চার্ট
 DocType: Attendance,Attendance Date,এ্যাটেনডেন্স তারিখ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},আপডেট স্টক ক্রয় বিনিময় জন্য সক্ষম করা আবশ্যক {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},আইটেম দাম {0} মূল্য তালিকা জন্য আপডেট {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},আইটেম দাম {0} মূল্য তালিকা জন্য আপডেট {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,আদায় এবং সিদ্ধান্তগ্রহণ উপর ভিত্তি করে বেতন ছুটি.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
 DocType: Purchase Invoice Item,Accepted Warehouse,গৃহীত ওয়্যারহাউস
 DocType: Bank Reconciliation Detail,Posting Date,পোস্টিং তারিখ
 DocType: Item,Valuation Method,মূল্যনির্ধারণ পদ্ধতি
@@ -4159,6 +4207,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,দয়া করে একটি ব্যাচ নির্বাচন
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,ভ্রমণ এবং ব্যয় দাবি
 DocType: Sales Invoice,Redemption Cost Center,রিমমপশন কস্ট সেন্টার
+DocType: QuickBooks Migrator,Scope,ব্যাপ্তি
 DocType: Assessment Group,Assessment Group Name,অ্যাসেসমেন্ট গ্রুপের নাম
 DocType: Manufacturing Settings,Material Transferred for Manufacture,উপাদান প্রস্তুত জন্য বদলিকৃত
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,বিস্তারিত যোগ করুন
@@ -4166,6 +4215,7 @@
 DocType: Shopify Settings,Last Sync Datetime,শেষ সিঙ্ক ডেটটাইম
 DocType: Landed Cost Item,Receipt Document Type,রশিদ ডকুমেন্ট টাইপ
 DocType: Daily Work Summary Settings,Select Companies,কোম্পানি নির্বাচন
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,প্রস্তাব / মূল্য উদ্ধৃতি
 DocType: Antibiotic,Healthcare,স্বাস্থ্যসেবা
 DocType: Target Detail,Target Detail,উদ্দিষ্ট বিস্তারিত
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,একক বৈকল্পিক
@@ -4175,6 +4225,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,সময়কাল সমাপন ভুক্তি
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,বিভাগ নির্বাচন করুন ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,বিদ্যমান লেনদেন সঙ্গে খরচ কেন্দ্র গ্রুপ রূপান্তরিত করা যাবে না
+DocType: QuickBooks Migrator,Authorization URL,অনুমোদন URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},পরিমাণ {0} {1} {2} {3}
 DocType: Account,Depreciation,অবচয়
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,শেয়ার সংখ্যা এবং শেয়ার নম্বর অসম্পূর্ণ
@@ -4196,13 +4247,14 @@
 DocType: Support Search Source,Source DocType,উত্স ডক টাইপ
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,একটি নতুন টিকিট খুলুন
 DocType: Training Event,Trainer Email,প্রশিক্ষকদের ইমেইল
+DocType: Driver,Transporter,পরিবহনকারী
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,তৈরি উপাদান অনুরোধ {0}
 DocType: Restaurant Reservation,No of People,মানুষের সংখ্যা
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,পদ বা চুক্তি টেমপ্লেট.
 DocType: Bank Account,Address and Contact,ঠিকানা ও যোগাযোগ
 DocType: Vital Signs,Hyper,অধি
 DocType: Cheque Print Template,Is Account Payable,অ্যাকাউন্ট প্রদেয়
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},শেয়ার ক্রয় রশিদ বিরুদ্ধে আপডেট করা যাবে না {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},শেয়ার ক্রয় রশিদ বিরুদ্ধে আপডেট করা যাবে না {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 দিন পরে অটো বন্ধ ইস্যু
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","আগে বরাদ্দ করা না যাবে ছেড়ে {0}, ছুটি ভারসাম্য ইতিমধ্যে হ্যান্ড ফরওয়ার্ড ভবিষ্যতে ছুটি বরাদ্দ রেকর্ড হয়েছে হিসাবে {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),উল্লেখ্য: দরুন / রেফারেন্স তারিখ {0} দিন দ্বারা অনুমোদিত গ্রাহকের ক্রেডিট দিন অতিক্রম (গুলি)
@@ -4220,7 +4272,7 @@
 ,Qty to Deliver,বিতরণ Qty
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,আমাজন এই তারিখের পরে আপডেট তথ্য সংঙ্ক্বরিত হবে
 ,Stock Analytics,স্টক বিশ্লেষণ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,অপারেশনস ফাঁকা রাখা যাবে না
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,অপারেশনস ফাঁকা রাখা যাবে না
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,ল্যাব টেস্ট (গুলি)
 DocType: Maintenance Visit Purpose,Against Document Detail No,ডকুমেন্ট বিস্তারিত বিরুদ্ধে কোন
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},দেশের জন্য অপসারণের অনুমতি নেই {0}
@@ -4228,13 +4280,12 @@
 DocType: Quality Inspection,Outgoing,বহির্গামী
 DocType: Material Request,Requested For,জন্য অনুরোধ করা
 DocType: Quotation Item,Against Doctype,Doctype বিরুদ্ধে
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} বাতিল বা বন্ধ করা
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} বাতিল বা বন্ধ করা
 DocType: Asset,Calculate Depreciation,হ্রাস হিসাব করুন
 DocType: Delivery Note,Track this Delivery Note against any Project,কোন প্রকল্পের বিরুদ্ধে এই হুণ্ডি সন্ধান
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,বিনিয়োগ থেকে নিট ক্যাশ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,গ্রাহক&gt; গ্রাহক গ্রুপ&gt; অঞ্চল
 DocType: Work Order,Work-in-Progress Warehouse,কাজ-অগ্রগতি ওয়্যারহাউস
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,অ্যাসেট {0} দাখিল করতে হবে
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,অ্যাসেট {0} দাখিল করতে হবে
 DocType: Fee Schedule Program,Total Students,মোট ছাত্র
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},এ্যাটেনডেন্স রেকর্ড {0} শিক্ষার্থীর বিরুদ্ধে বিদ্যমান {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},রেফারেন্স # {0} তারিখের {1}
@@ -4253,7 +4304,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,বাম কর্মচারীদের জন্য রিটেনশন বোনাস তৈরি করতে পারবেন না
 DocType: Lead,Market Segment,মার্কেটের অংশ
 DocType: Agriculture Analysis Criteria,Agriculture Manager,কৃষি ম্যানেজার
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Paid পরিমাণ মোট নেতিবাচক অসামান্য পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Paid পরিমাণ মোট নেতিবাচক অসামান্য পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0}
 DocType: Supplier Scorecard Period,Variables,ভেরিয়েবল
 DocType: Employee Internal Work History,Employee Internal Work History,কর্মচারী অভ্যন্তরীণ কাজের ইতিহাস
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),বন্ধ (ড)
@@ -4277,22 +4328,24 @@
 DocType: Amazon MWS Settings,Synch Products,শঙ্ক পণ্য
 DocType: Loyalty Point Entry,Loyalty Program,বিশ্বস্ততা প্রোগ্রাম
 DocType: Student Guardian,Father,পিতা
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,সমর্থন টিকেট
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;আপডেট শেয়ার&#39; স্থায়ী সম্পদ বিক্রি চেক করা যাবে না
 DocType: Bank Reconciliation,Bank Reconciliation,ব্যাংক পুনর্মিলন
 DocType: Attendance,On Leave,ছুটিতে
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,আপডেট পান
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: অ্যাকাউন্ট {2} কোম্পানির অন্তর্গত নয় {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,প্রতিটি গুণাবলী থেকে কমপক্ষে একটি মান নির্বাচন করুন
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,প্রতিটি গুণাবলী থেকে কমপক্ষে একটি মান নির্বাচন করুন
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,উপাদানের জন্য অনুরোধ {0} বাতিল বা বন্ধ করা হয়
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,ডিসপ্যাচ স্টেট
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,ডিসপ্যাচ স্টেট
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,ম্যানেজমেন্ট ত্যাগ
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,গ্রুপ
 DocType: Purchase Invoice,Hold Invoice,চালান চালান
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,কর্মচারী নির্বাচন করুন
 DocType: Sales Order,Fully Delivered,সম্পূর্ণ বিতরণ
-DocType: Lead,Lower Income,নিম্ন আয়
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,নিম্ন আয়
 DocType: Restaurant Order Entry,Current Order,বর্তমান আদেশ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,ক্রমিক সংখ্যা এবং পরিমাণ সংখ্যা একই হতে হবে
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},সোর্স ও টার্গেট গুদাম সারির এক হতে পারে না {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},সোর্স ও টার্গেট গুদাম সারির এক হতে পারে না {0}
 DocType: Account,Asset Received But Not Billed,সম্পত্তির প্রাপ্ত কিন্তু বি বিল নয়
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","এই স্টক রিকনসিলিয়েশন একটি খোলা এণ্ট্রি যেহেতু পার্থক্য অ্যাকাউন্ট, একটি সম্পদ / দায় ধরনের অ্যাকাউন্ট থাকতে হবে"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},বিতরণ পরিমাণ ঋণ পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0}
@@ -4301,7 +4354,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},আইটেম জন্য প্রয়োজন ক্রম সংখ্যা ক্রয় {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','তারিখ থেকে' অবশ্যই 'তারিখ পর্যন্ত' এর পরে হতে হবে
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,এই পদবী জন্য কোন স্টাফিং পরিকল্পনা পাওয়া যায় নি
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,আইটেম {1} এর ব্যাচ {1} অক্ষম করা আছে।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,আইটেম {1} এর ব্যাচ {1} অক্ষম করা আছে।
 DocType: Leave Policy Detail,Annual Allocation,বার্ষিক বরাদ্দ
 DocType: Travel Request,Address of Organizer,সংগঠক ঠিকানা
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,স্বাস্থ্যসেবা চিকিত্সক নির্বাচন করুন ...
@@ -4310,12 +4363,12 @@
 DocType: Asset,Fully Depreciated,সম্পূর্ণরূপে মূল্যমান হ্রাস
 DocType: Item Barcode,UPC-A,ইউপিসি-এ
 ,Stock Projected Qty,স্টক Qty অনুমিত
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},অন্তর্গত নয় {0} গ্রাহক প্রকল্পের {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},অন্তর্গত নয় {0} গ্রাহক প্রকল্পের {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,চিহ্নিত এ্যাটেনডেন্স এইচটিএমএল
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","উদ্ধৃতি প্রস্তাব, দর আপনি আপনার গ্রাহকদের কাছে পাঠানো হয়েছে"
 DocType: Sales Invoice,Customer's Purchase Order,গ্রাহকের ক্রয় আদেশ
 DocType: Clinical Procedure,Patient,ধৈর্যশীল
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,সেলস অর্ডার এ ক্রেডিট চেক বাইপাস
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,সেলস অর্ডার এ ক্রেডিট চেক বাইপাস
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,কর্মচারী অনবোর্ডিং কার্যকলাপ
 DocType: Location,Check if it is a hydroponic unit,এটি একটি hydroponic ইউনিট কিনা দেখুন
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ক্রমিক নং এবং ব্যাচ
@@ -4325,7 +4378,7 @@
 DocType: Supplier Scorecard Period,Calculations,গণনাগুলি
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,মূল্য বা স্টক
 DocType: Payment Terms Template,Payment Terms,পরিশোধের শর্ত
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,প্রোডাকসন্স আদেশ জন্য উত্থাপিত করা যাবে না:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,প্রোডাকসন্স আদেশ জন্য উত্থাপিত করা যাবে না:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,মিনিট
 DocType: Purchase Invoice,Purchase Taxes and Charges,কর ও শুল্ক ক্রয়
 DocType: Chapter,Meetup Embed HTML,Meetup এম্বেড HTML
@@ -4333,17 +4386,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,সরবরাহকারী যান
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,পিওস ক্লোজিং ভাউচার ট্যাক্স
 ,Qty to Receive,জখন Qty
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","শুরু এবং শেষ তারিখ একটি বৈধ বেতন খোলার না, গণনা করা যাবে না {0}।"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","শুরু এবং শেষ তারিখ একটি বৈধ বেতন খোলার না, গণনা করা যাবে না {0}।"
 DocType: Leave Block List,Leave Block List Allowed,ব্লক তালিকা প্রেজেন্টেশন ত্যাগ
 DocType: Grading Scale Interval,Grading Scale Interval,শূন্য স্কেল ব্যবধান
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},যানবাহন লগিন জন্য ব্যয় দাবি {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ছাড় (%) উপর মার্জিন সহ PRICE তালিকা হার
 DocType: Healthcare Service Unit Type,Rate / UOM,হার / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,সকল গুদাম
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,ইন্টার কোম্পানি লেনদেনের জন্য কোন {0} পাওয়া যায়নি।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,ইন্টার কোম্পানি লেনদেনের জন্য কোন {0} পাওয়া যায়নি।
 DocType: Travel Itinerary,Rented Car,ভাড়া গাড়ি
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,আপনার কোম্পানি সম্পর্কে
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,একাউন্টে ক্রেডিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,একাউন্টে ক্রেডিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
 DocType: Donor,Donor,দাতা
 DocType: Global Defaults,Disable In Words,শব্দ অক্ষম
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"আইটেম স্বয়ংক্রিয়ভাবে গণনা করা হয়, কারণ আইটেমটি কোড বাধ্যতামূলক"
@@ -4355,14 +4408,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,ব্যাংক ওভারড্রাফ্ট অ্যাকাউন্ট
 DocType: Patient,Patient ID,রোগীর আইডি
 DocType: Practitioner Schedule,Schedule Name,সূচি নাম
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,পর্যায় দ্বারা বিক্রয় পাইপলাইন
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,বেতন স্লিপ করুন
 DocType: Currency Exchange,For Buying,কেনার জন্য
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,সমস্ত সরবরাহকারী যোগ করুন
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,সমস্ত সরবরাহকারী যোগ করুন
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,সারি # {0}: বরাদ্দ বকেয়া পরিমাণ পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না।
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,ব্রাউজ BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,নিরাপদ ঋণ
 DocType: Purchase Invoice,Edit Posting Date and Time,পোস্টিং তারিখ এবং সময় সম্পাদনা
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},সম্পদ শ্রেণী {0} বা কোম্পানির অবচয় সম্পর্কিত হিসাব নির্ধারণ করুন {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},সম্পদ শ্রেণী {0} বা কোম্পানির অবচয় সম্পর্কিত হিসাব নির্ধারণ করুন {1}
 DocType: Lab Test Groups,Normal Range,সাধারণ অন্তর্ভুক্তি
 DocType: Academic Term,Academic Year,শিক্ষাবর্ষ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,উপলভ্য বিক্রি
@@ -4391,26 +4445,26 @@
 DocType: Patient Appointment,Patient Appointment,রোগীর অ্যাপয়েন্টমেন্ট
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ভূমিকা অনুমোদন নিয়ম প্রযোজ্য ভূমিকা হিসাবে একই হতে পারে না
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,এই ইমেইল ডাইজেস্ট থেকে সদস্যতা রদ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,দ্বারা সরবরাহকারী পেতে
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,দ্বারা সরবরাহকারী পেতে
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},আইটেম {1} জন্য পাওয়া যায়নি {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,কোর্স যান
 DocType: Accounts Settings,Show Inclusive Tax In Print,প্রিন্ট ইন ইনজেকশন ট্যাক্স দেখান
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","তারিখ এবং তারিখ থেকে ব্যাংক অ্যাকাউন্ট, বাধ্যতামূলক"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,বার্তা পাঠানো
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট খতিয়ান হিসাবে সেট করা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট খতিয়ান হিসাবে সেট করা যাবে না
 DocType: C-Form,II,২
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,হারে যা মূল্যতালিকা মুদ্রার এ গ্রাহকের বেস কারেন্সি রূপান্তরিত হয়
 DocType: Purchase Invoice Item,Net Amount (Company Currency),থোক (কোম্পানি একক)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,মোট অগ্রিম পরিমাণ মোট অনুমোদিত পরিমাণের চেয়ে বেশি হতে পারে না
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,মোট অগ্রিম পরিমাণ মোট অনুমোদিত পরিমাণের চেয়ে বেশি হতে পারে না
 DocType: Salary Slip,Hour Rate,ঘন্টা হার
 DocType: Stock Settings,Item Naming By,দফে নামকরণ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},অন্য সময়ের সমাপ্তি এন্ট্রি {0} পরে তৈরি করা হয়েছে {1}
 DocType: Work Order,Material Transferred for Manufacturing,উপাদান উৎপাদন জন্য বদলিকৃত
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,অ্যাকাউন্ট {0} না বিদ্যমান
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,আনুগত্য প্রোগ্রাম নির্বাচন করুন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,আনুগত্য প্রোগ্রাম নির্বাচন করুন
 DocType: Project,Project Type,প্রকল্প ধরন
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,এই টাস্কের জন্য শিশু টাস্ক বিদ্যমান। আপনি এই টাস্কটি মুছতে পারবেন না।
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,উভয় ক্ষেত্রেই লক্ষ্য Qty বা টার্গেট পরিমাণ বাধ্যতামূলক.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,উভয় ক্ষেত্রেই লক্ষ্য Qty বা টার্গেট পরিমাণ বাধ্যতামূলক.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,বিভিন্ন কার্যক্রম খরচ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","জন্য ইভেন্ট নির্ধারণ {0}, যেহেতু কর্মচারী সেলস ব্যক্তি নিচে সংযুক্ত একটি ইউজার আইডি নেই {1}"
 DocType: Timesheet,Billing Details,পূর্ণ রূপ প্রকাশ
@@ -4467,13 +4521,13 @@
 DocType: Inpatient Record,A Negative,একটি নেতিবাচক
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,আর কিছুই দেখানোর জন্য।
 DocType: Lead,From Customer,গ্রাহকের কাছ থেকে
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,কল
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,কল
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,আক্তি পন্ন
 DocType: Employee Tax Exemption Declaration,Declarations,ঘোষণা
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,ব্যাচ
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,ফি শেল্ড তৈরি করুন
 DocType: Purchase Order Item Supplied,Stock UOM,শেয়ার UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,অর্ডার {0} দাখিল করা হয় না ক্রয়
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,অর্ডার {0} দাখিল করা হয় না ক্রয়
 DocType: Account,Expenses Included In Asset Valuation,সম্পদ মূল্যায়নের মধ্যে অন্তর্ভুক্ত ব্যয়
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),একটি প্রাপ্তবয়স্কদের জন্য সাধারণ রেফারেন্স পরিসীমা হল 16-20 শ্বাস / মিনিট (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,ট্যারিফ নম্বর
@@ -4486,6 +4540,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,দয়া করে প্রথমে রোগীর সংরক্ষণ করুন
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,এ্যাটেনডেন্স সফলভাবে হিসাবে চিহ্নিত হয়েছে.
 DocType: Program Enrollment,Public Transport,পাবলিক ট্রান্সপোর্ট
+DocType: Delivery Note,GST Vehicle Type,জিএসটি যানবাহন প্রকার
 DocType: Soil Texture,Silt Composition (%),গাদা গঠন (%)
 DocType: Journal Entry,Remark,মন্তব্য
 DocType: Healthcare Settings,Avoid Confirmation,নিশ্চিতকরণ থেকে বাঁচুন
@@ -4494,11 +4549,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,পত্রাদি এবং হলিডে
 DocType: Education Settings,Current Academic Term,বর্তমান একাডেমিক টার্ম
 DocType: Sales Order,Not Billed,বিল না
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,উভয় ওয়্যারহাউস একই কোম্পানির অন্তর্গত নয়
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,উভয় ওয়্যারহাউস একই কোম্পানির অন্তর্গত নয়
 DocType: Employee Grade,Default Leave Policy,ডিফল্ট ত্যাগ নীতি
 DocType: Shopify Settings,Shop URL,দোকান ইউআরএল
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,কোনো পরিচিতি এখনো যোগ.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,সেটআপের মাধ্যমে উপস্থিতি জন্য সংখ্যায়ন সিরিজ সেটআপ করুন&gt; সংখ্যায়ন সিরিজ
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ল্যান্ড কস্ট ভাউচার পরিমাণ
 ,Item Balance (Simple),আইটেম ব্যালেন্স (সরল)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,প্রস্তাব উত্থাপিত বিল.
@@ -4523,7 +4577,7 @@
 DocType: Shopping Cart Settings,Quotation Series,উদ্ধৃতি সিরিজের
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","একটি আইটেম একই নামের সঙ্গে বিদ্যমান ({0}), আইটেম গ্রুপের নাম পরিবর্তন বা আইটেম নামান্তর করুন"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,মাটি বিশ্লেষণ পরিমাপ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,দয়া করে গ্রাহক নির্বাচন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,দয়া করে গ্রাহক নির্বাচন
 DocType: C-Form,I,আমি
 DocType: Company,Asset Depreciation Cost Center,অ্যাসেট অবচয় মূল্য কেন্দ্র
 DocType: Production Plan Sales Order,Sales Order Date,বিক্রয় আদেশ তারিখ
@@ -4536,8 +4590,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,বর্তমানে কোন গুদামে পন্য উপলব্ধ নেই
 ,Payment Period Based On Invoice Date,চালান তারিখ উপর ভিত্তি করে পরিশোধ সময়সীমার
 DocType: Sample Collection,No. of print,মুদ্রণের সংখ্যা
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,জন্মদিন অনুস্মারক
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,হোটেল রুম সংরক্ষণ আইটেম
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},নিখোঁজ মুদ্রা বিনিময় হার {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},নিখোঁজ মুদ্রা বিনিময় হার {0}
 DocType: Employee Health Insurance,Health Insurance Name,স্বাস্থ্য বীমা নাম
 DocType: Assessment Plan,Examiner,পরীক্ষক
 DocType: Student,Siblings,সহোদর
@@ -4554,19 +4609,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,নতুন গ্রাহকরা
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,পুরো লাভ %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,নিয়োগ {0} এবং সেলস ইনভয়েস {1} বাতিল
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,সীসা উৎস দ্বারা সুযোগ
 DocType: Appraisal Goal,Weightage (%),গুরুত্ব (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,পিওএস প্রোফাইল পরিবর্তন করুন
 DocType: Bank Reconciliation Detail,Clearance Date,পরিস্কারের তারিখ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","সম্পদ {0} এর সাথে ইতিমধ্যেই বিদ্যমান আছে, আপনি ধারাবাহিক কোন মান পরিবর্তন করতে পারবেন না"
+DocType: Delivery Settings,Dispatch Notification Template,ডিসপ্যাচ বিজ্ঞপ্তি টেমপ্লেট
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","সম্পদ {0} এর সাথে ইতিমধ্যেই বিদ্যমান আছে, আপনি ধারাবাহিক কোন মান পরিবর্তন করতে পারবেন না"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,মূল্যায়ন প্রতিবেদন
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,কর্মচারী পান
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,গ্রস ক্রয়ের পরিমাণ বাধ্যতামূলক
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,কোম্পানির নাম একই নয়
 DocType: Lead,Address Desc,নিম্নক্রমে ঠিকানার
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,পার্টির বাধ্যতামূলক
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},অন্যান্য সারিতে ডুপ্লিকেট স্থায়ী তারিখগুলির সাথে সারি পাওয়া গেছে: {তালিকা}
 DocType: Topic,Topic Name,টপিক নাম
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,এইচআর সেটিংস এ অনুমোদন বিজ্ঞপ্তি বরখাস্ত করতে ডিফল্ট টেমপ্লেট সেট করুন।
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,এইচআর সেটিংস এ অনুমোদন বিজ্ঞপ্তি বরখাস্ত করতে ডিফল্ট টেমপ্লেট সেট করুন।
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,বিক্রি বা কেনার অন্তত একটি নির্বাচন করতে হবে
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,কর্মচারী অগ্রিম পেতে একটি কর্মচারী নির্বাচন করুন
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,একটি বৈধ তারিখ নির্বাচন করুন
@@ -4600,6 +4656,7 @@
 DocType: Stock Entry,Customer or Supplier Details,গ্রাহক বা সরবরাহকারী
 DocType: Payment Entry,ACC-PAY-.YYYY.-,দুদক-পে-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,বর্তমান সম্পদ মূল্য
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks কোম্পানি আইডি
 DocType: Travel Request,Travel Funding,ভ্রমণ তহবিল
 DocType: Loan Application,Required by Date,তারিখ দ্বারা প্রয়োজনীয়
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ফসল ক্রমবর্ধমান হয় যা সমস্ত অবস্থানের একটি লিঙ্ক
@@ -4613,9 +4670,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,গুদাম থেকে এ উপলব্ধ ব্যাচ Qty
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,গ্রস পে - মোট সিদ্ধান্তগ্রহণ - ঋণ পরিশোধ
 DocType: Bank Account,IBAN,IBAN রয়েছে
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,বর্তমান BOM এবং নতুন BOM একই হতে পারে না
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,বর্তমান BOM এবং নতুন BOM একই হতে পারে না
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,বেতন স্লিপ আইডি
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,অবসর তারিখ যোগদান তারিখ থেকে বড় হওয়া উচিত
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,অবসর তারিখ যোগদান তারিখ থেকে বড় হওয়া উচিত
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,একাধিক বৈকল্পিক
 DocType: Sales Invoice,Against Income Account,আয় অ্যাকাউন্টের বিরুদ্ধে
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% বিতরণ করা হয়েছে
@@ -4644,7 +4701,7 @@
 DocType: POS Profile,Update Stock,আপডেট শেয়ার
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,আইটেম জন্য বিভিন্ন UOM ভুল (মোট) নিট ওজন মান হতে হবে. প্রতিটি আইটেমের নিট ওজন একই UOM হয় তা নিশ্চিত করুন.
 DocType: Certification Application,Payment Details,অর্থ প্রদানের বিবরণ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM হার
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM হার
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","বন্ধ করা অর্ডারের অর্ডার বাতিল করা যাবে না, বাতিল করার জন্য এটি প্রথম থেকে বন্ধ করুন"
 DocType: Asset,Journal Entry for Scrap,স্ক্র্যাপ জন্য জার্নাল এন্ট্রি
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,হুণ্ডি থেকে আইটেম টান অনুগ্রহ
@@ -4667,11 +4724,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,মোট অনুমোদিত পরিমাণ
 ,Purchase Analytics,ক্রয় অ্যানালিটিক্স
 DocType: Sales Invoice Item,Delivery Note Item,হুণ্ডি আইটেম
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,বর্তমান চালান {0} অনুপস্থিত
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,বর্তমান চালান {0} অনুপস্থিত
 DocType: Asset Maintenance Log,Task,কার্য
 DocType: Purchase Taxes and Charges,Reference Row #,রেফারেন্স সারি #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},ব্যাচ নম্বর আইটেম জন্য বাধ্যতামূলক {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,এটি একটি root বিক্রয় ব্যক্তি এবং সম্পাদনা করা যাবে না.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,এটি একটি root বিক্রয় ব্যক্তি এবং সম্পাদনা করা যাবে না.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","নির্বাচিত হলে, নির্দিষ্ট, এই উপাদানটি হিসাব মান উপার্জন বা কর্তন অবদান করা হবে না। যাইহোক, এটা মান অন্যান্য উপাদান যে যোগ অথবা বাদ করা যেতে পারে রেফারেন্সড হতে পারে।"
 DocType: Asset Settings,Number of Days in Fiscal Year,আর্থিক বছরে দিন সংখ্যা
 ,Stock Ledger,স্টক লেজার
@@ -4679,7 +4736,7 @@
 DocType: Company,Exchange Gain / Loss Account,এক্সচেঞ্জ লাভ / ক্ষতির অ্যাকাউন্ট
 DocType: Amazon MWS Settings,MWS Credentials,এমডব্লুএস ক্রিডেনশিয়াল
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,কর্মচারী এবং অ্যাটেনডেন্স
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},"উদ্দেশ্য, এক হতে হবে {0}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},"উদ্দেশ্য, এক হতে হবে {0}"
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,ফর্ম পূরণ করুন এবং এটি সংরক্ষণ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,কমিউনিটি ফোরাম
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,স্টক মধ্যে প্রকৃত Qty এ
@@ -4694,7 +4751,7 @@
 DocType: Lab Test Template,Standard Selling Rate,স্ট্যান্ডার্ড বিক্রয় হার
 DocType: Account,Rate at which this tax is applied,"এই ট্যাক্স প্রয়োগ করা হয়, যা এ হার"
 DocType: Cash Flow Mapper,Section Name,বিভাগের নাম
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,রেকর্ডার Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,রেকর্ডার Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},হ্রাস সারি {0}: দরকারী জীবন পরে প্রত্যাশিত মান {1} এর চেয়ে বড় বা সমান হতে হবে
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,বর্তমান জব
 DocType: Company,Stock Adjustment Account,শেয়ার সামঞ্জস্য অ্যাকাউন্ট
@@ -4704,8 +4761,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","সিস্টেম ব্যবহারকারী (লগইন) আইডি. সেট, এটি সব এইচআর ফরম জন্য ডিফল্ট হয়ে যাবে."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,ঘনত্ব বিবরণ লিখুন
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: {1} থেকে
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},অ্যাপ্লিকেশন ছেড়ে দিন {0} ইতিমধ্যে ছাত্রের বিরুদ্ধে বিদ্যমান {1}
 DocType: Task,depends_on,নির্ভর করে
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,সমস্ত বিল উপকরণ মধ্যে সর্বশেষ মূল্য আপডেট করার জন্য সারিবদ্ধ। এটি কয়েক মিনিট সময় নিতে পারে।
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,সমস্ত বিল উপকরণ মধ্যে সর্বশেষ মূল্য আপডেট করার জন্য সারিবদ্ধ। এটি কয়েক মিনিট সময় নিতে পারে।
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,নতুন একাউন্টের নাম. উল্লেখ্য: গ্রাহকদের এবং সরবরাহকারী জন্য অ্যাকাউন্ট তৈরি করবেন না দয়া করে
 DocType: POS Profile,Display Items In Stock,স্টক প্রদর্শন আইটেম
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,দেশ অনুযায়ী ডিফল্ট ঠিকানা টেমপ্লেট
@@ -4735,16 +4793,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} জন্য স্লটগুলি শেলিমে যুক্ত করা হয় না
 DocType: Product Bundle,List items that form the package.,বাক্স গঠন করে তালিকা আইটেম.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,অননুমোদিত. টেস্ট টেমপ্লেট অক্ষম করুন
+DocType: Delivery Note,Distance (in km),দূরত্ব (কিলোমিটার)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,শতকরা বরাদ্দ 100% সমান হওয়া উচিত
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,দয়া করে পার্টির নির্বাচন সামনে পোস্টিং তারিখ নির্বাচন
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,দয়া করে পার্টির নির্বাচন সামনে পোস্টিং তারিখ নির্বাচন
 DocType: Program Enrollment,School House,স্কুল হাউস
 DocType: Serial No,Out of AMC,এএমসি আউট
+DocType: Opportunity,Opportunity Amount,সুযোগ পরিমাণ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,বুক Depreciations সংখ্যা মোট Depreciations সংখ্যা তার চেয়ে অনেক বেশী হতে পারে না
 DocType: Purchase Order,Order Confirmation Date,অর্ডার নিশ্চিতকরণ তারিখ
 DocType: Driver,HR-DRI-.YYYY.-,এইচআর-ডিআরআই-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,রক্ষণাবেক্ষণ দর্শন করা
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","শুরুর তারিখ এবং শেষ তারিখটি কাজের কার্ডের সাথে ওভারল্যাপ করছে <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,কর্মচারী স্থানান্তর বিবরণ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,সেলস মাস্টার ম্যানেজার {0} ভূমিকা আছে যারা ব্যবহারকারীর সাথে যোগাযোগ করুন
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,সেলস মাস্টার ম্যানেজার {0} ভূমিকা আছে যারা ব্যবহারকারীর সাথে যোগাযোগ করুন
 DocType: Company,Default Cash Account,ডিফল্ট নগদ অ্যাকাউন্ট
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,কোম্পানি (না গ্রাহক বা সরবরাহকারীর) মাস্টার.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,এই শিক্ষার্থী উপস্থিতির উপর ভিত্তি করে
@@ -4752,9 +4813,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,আরো আইটেম বা খোলা পূর্ণ ফর্ম যোগ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,প্রসবের নোট {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,ব্যবহারকারীদের কাছে যান
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,প্রদত্ত পরিমাণ পরিমাণ সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না বন্ধ লিখুন + +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,প্রদত্ত পরিমাণ পরিমাণ সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না বন্ধ লিখুন + +
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} আইটেম জন্য একটি বৈধ ব্যাচ নম্বর নয় {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},উল্লেখ্য: ছুটি টাইপ জন্য যথেষ্ট ছুটি ভারসাম্য নেই {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},উল্লেখ্য: ছুটি টাইপ জন্য যথেষ্ট ছুটি ভারসাম্য নেই {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,অবৈধ GSTIN বা অনিবন্ধিত জন্য na লিখুন
 DocType: Training Event,Seminar,সেমিনার
 DocType: Program Enrollment Fee,Program Enrollment Fee,প্রোগ্রাম তালিকাভুক্তি ফি
@@ -4771,7 +4832,7 @@
 DocType: Fee Schedule,Fee Schedule,ফি সময়সূচী
 DocType: Company,Create Chart Of Accounts Based On,হিসাব উপর ভিত্তি করে চার্ট তৈরি করুন
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,এটি অ-গ্রুপে রূপান্তর করা যাবে না শিশু কাজগুলি বিদ্যমান।
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,জন্ম তারিখ আজ তার চেয়ে অনেক বেশী হতে পারে না.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,জন্ম তারিখ আজ তার চেয়ে অনেক বেশী হতে পারে না.
 ,Stock Ageing,শেয়ার বুড়ো
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","আংশিকভাবে স্পনসর্ড, আংশিক অর্থায়ন প্রয়োজন"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},ছাত্র {0} ছাত্র আবেদনকারী বিরুদ্ধে অস্তিত্ব {1}
@@ -4818,11 +4879,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,পুনর্মিলন আগে
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},করুন {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),কর ও চার্জ যোগ (কোম্পানি একক)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,আইটেমটি ট্যাক্স সারি {0} টাইপ ট্যাক্স বা আয় বা ব্যয় বা প্রদেয় এর একাউন্ট থাকতে হবে
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,আইটেমটি ট্যাক্স সারি {0} টাইপ ট্যাক্স বা আয় বা ব্যয় বা প্রদেয় এর একাউন্ট থাকতে হবে
 DocType: Sales Order,Partly Billed,আংশিক দেখানো হয়েছিল
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,আইটেম {0} একটি ফিক্সড অ্যাসেট আইটেম হতে হবে
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,বৈকল্পিক করুন
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,বৈকল্পিক করুন
 DocType: Item,Default BOM,ডিফল্ট BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),মোট বিল পরিমাণ (বিক্রয় চালান মাধ্যমে)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ডেবিট নোট পরিমাণ
@@ -4851,13 +4912,13 @@
 DocType: Notification Control,Custom Message,নিজস্ব বার্তা
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,বিনিয়োগ ব্যাংকিং
 DocType: Purchase Invoice,input,ইনপুট
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,ক্যাশ বা ব্যাংক একাউন্ট পেমেন্ট এন্ট্রি করার জন্য বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,ক্যাশ বা ব্যাংক একাউন্ট পেমেন্ট এন্ট্রি করার জন্য বাধ্যতামূলক
 DocType: Loyalty Program,Multiple Tier Program,একাধিক টিয়ার প্রোগ্রাম
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,শিক্ষার্থীর ঠিকানা
 DocType: Purchase Invoice,Price List Exchange Rate,মূল্য তালিকা বিনিময় হার
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,সমস্ত সরবরাহকারী গ্রুপ
 DocType: Employee Boarding Activity,Required for Employee Creation,কর্মচারী সৃষ্টির জন্য প্রয়োজনীয়
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},অ্যাকাউন্ট নম্বর {0} ইতিমধ্যে অ্যাকাউন্টে ব্যবহৃত {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},অ্যাকাউন্ট নম্বর {0} ইতিমধ্যে অ্যাকাউন্টে ব্যবহৃত {1}
 DocType: GoCardless Mandate,Mandate,হুকুম
 DocType: POS Profile,POS Profile Name,পিওএস প্রোফাইল নাম
 DocType: Hotel Room Reservation,Booked,কাজে ব্যস্ত
@@ -4873,18 +4934,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,আপনি রেফারেন্স তারিখ প্রবেশ যদি রেফারেন্স কোন বাধ্যতামূলক
 DocType: Bank Reconciliation Detail,Payment Document,পেমেন্ট ডকুমেন্ট
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,মানদণ্ড সূত্র মূল্যায়ন ত্রুটি
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,যোগদান তারিখ জন্ম তারিখ থেকে বড় হওয়া উচিত
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,যোগদান তারিখ জন্ম তারিখ থেকে বড় হওয়া উচিত
 DocType: Subscription,Plans,পরিকল্পনা সমূহ
 DocType: Salary Slip,Salary Structure,বেতন কাঠামো
 DocType: Account,Bank,ব্যাংক
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,বিমানসংস্থা
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,ইস্যু উপাদান
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,ইস্যু উপাদান
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext সঙ্গে Shopify সংযোগ করুন
 DocType: Material Request Item,For Warehouse,গুদাম জন্য
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,ডেলিভারি নোট {0} আপডেট করা হয়েছে
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,ডেলিভারি নোট {0} আপডেট করা হয়েছে
 DocType: Employee,Offer Date,অপরাধ তারিখ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,উদ্ধৃতি
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,আপনি অফলাইন মোডে হয়. আপনি যতক্ষণ না আপনি নেটওয়ার্ক আছে রিলোড করতে সক্ষম হবে না.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,উদ্ধৃতি
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,আপনি অফলাইন মোডে হয়. আপনি যতক্ষণ না আপনি নেটওয়ার্ক আছে রিলোড করতে সক্ষম হবে না.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,প্রদান
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,কোন ছাত্র সংগঠনের সৃষ্টি.
 DocType: Purchase Invoice Item,Serial No,ক্রমিক নং
@@ -4896,24 +4957,26 @@
 DocType: Sales Invoice,Customer PO Details,গ্রাহক পি.ও.
 DocType: Stock Entry,Including items for sub assemblies,সাব সমাহারকে জিনিস সহ
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,অস্থায়ী খোলার অ্যাকাউন্ট
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,লিখুন মান ধনাত্মক হবে
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,লিখুন মান ধনাত্মক হবে
 DocType: Asset,Finance Books,অর্থ বই
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,কর্মচারী ট্যাক্স মোছা ঘোষণা বিভাগ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,সমস্ত অঞ্চল
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,কর্মচারী / গ্রেড রেকর্ডে কর্মচারী {0} জন্য ছাড় নীতি সেট করুন
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,নির্বাচিত গ্রাহক এবং আইটেমের জন্য অবৈধ কুমির আদেশ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,নির্বাচিত গ্রাহক এবং আইটেমের জন্য অবৈধ কুমির আদেশ
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,একাধিক কাজ যোগ করুন
 DocType: Purchase Invoice,Items,চলছে
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,শেষ তারিখ শুরু তারিখের আগে হতে পারে না
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,ছাত্র ইতিমধ্যে নথিভুক্ত করা হয়.
 DocType: Fiscal Year,Year Name,সাল নাম
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,কার্যদিবসের তুলনায় আরো ছুটির এই মাস আছে.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / এলসি রেফারেন্স
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,কার্যদিবসের তুলনায় আরো ছুটির এই মাস আছে.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,নিম্নলিখিত আইটেমগুলি {0} আইটেম হিসাবে {1} চিহ্নিত করা হয় না। আপনি তাদের আইটেম মাস্টার থেকে {1} আইটেম হিসাবে সক্ষম করতে পারেন
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / এলসি রেফারেন্স
 DocType: Production Plan Item,Product Bundle Item,পণ্য সমষ্টি আইটেম
 DocType: Sales Partner,Sales Partner Name,বিক্রয় অংশীদার নাম
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,উদ্ধৃতি জন্য অনুরোধ
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,উদ্ধৃতি জন্য অনুরোধ
 DocType: Payment Reconciliation,Maximum Invoice Amount,সর্বাধিক চালান পরিমাণ
 DocType: Normal Test Items,Normal Test Items,সাধারণ টেস্ট আইটেম
+DocType: QuickBooks Migrator,Company Settings,কোম্পানী সেটিংস
 DocType: Additional Salary,Overwrite Salary Structure Amount,বেতন কাঠামো উপর ওভাররাইট পরিমাণ
 DocType: Student Language,Student Language,ছাত্র ভাষা
 apps/erpnext/erpnext/config/selling.py +23,Customers,গ্রাহকদের
@@ -4925,21 +4988,23 @@
 DocType: Issue,Opening Time,খোলার সময়
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,থেকে এবং প্রয়োজনীয় তারিখগুলি
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,সিকিউরিটিজ ও পণ্য বিনিময়ের
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',বৈকল্পিক জন্য মেজার ডিফল্ট ইউনিট &#39;{0}&#39; টেমপ্লেট হিসাবে একই হতে হবে &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',বৈকল্পিক জন্য মেজার ডিফল্ট ইউনিট &#39;{0}&#39; টেমপ্লেট হিসাবে একই হতে হবে &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,ভিত্তি করে গণনা
 DocType: Contract,Unfulfilled,অপরিটুষ্ত
 DocType: Delivery Note Item,From Warehouse,গুদাম থেকে
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,উল্লিখিত মানদণ্ড জন্য কোন কর্মচারী
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,সামগ্রী বিল দিয়ে কোন সামগ্রী উত্পাদনপ্রণালী
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,সামগ্রী বিল দিয়ে কোন সামগ্রী উত্পাদনপ্রণালী
 DocType: Shopify Settings,Default Customer,ডিফল্ট গ্রাহক
+DocType: Sales Stage,Stage Name,পর্যায় নাম
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,সুপারভাইজার নাম
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,একই দিনের জন্য অ্যাপয়েন্টমেন্ট তৈরি করা হয় কিনা তা নিশ্চিত করবেন না
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,রাজ্য থেকে জাহাজ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,রাজ্য থেকে জাহাজ
 DocType: Program Enrollment Course,Program Enrollment Course,প্রোগ্রাম তালিকাভুক্তি কোর্সের
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},ব্যবহারকারী {0} ইতিমধ্যেই স্বাস্থ্যসেবা অনুশীলনকারীকে {1} নিয়োগ করা হয়েছে
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,নমুনা ধারণ স্টক এন্ট্রি করুন
 DocType: Purchase Taxes and Charges,Valuation and Total,মূল্যনির্ধারণ এবং মোট
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,আলোচনার মাধ্যমে স্থির / পর্যালোচনা
 DocType: Leave Encashment,Encashment Amount,এনক্যাশমেন্ট পরিমাণ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,মেয়াদ শেষ হওয়া ব্যাটস
@@ -4949,7 +5014,7 @@
 DocType: Staffing Plan Detail,Current Openings,বর্তমান প্রারম্ভ
 DocType: Notification Control,Customize the Notification,বিজ্ঞপ্তি কাস্টমাইজ করুন
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,অপারেশন থেকে নগদ প্রবাহ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST পরিমাণ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST পরিমাণ
 DocType: Purchase Invoice,Shipping Rule,শিপিং রুল
 DocType: Patient Relation,Spouse,পত্নী
 DocType: Lab Test Groups,Add Test,টেস্ট যোগ করুন
@@ -4963,14 +5028,14 @@
 DocType: Payroll Entry,Payroll Frequency,বেতনের ফ্রিকোয়েন্সি
 DocType: Lab Test Template,Sensitivity,সংবেদনশীলতা
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,সিঙ্কটি অস্থায়ীভাবে অক্ষম করা হয়েছে কারণ সর্বাধিক পুনরুদ্ধারগুলি অতিক্রম করা হয়েছে
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,কাঁচামাল
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,কাঁচামাল
 DocType: Leave Application,Follow via Email,ইমেইলের মাধ্যমে অনুসরণ করুন
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,চারাগাছ ও মেশিনারি
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ছাড়ের পরিমাণ পরে ট্যাক্স পরিমাণ
 DocType: Patient,Inpatient Status,ইনপেশেন্ট স্ট্যাটাস
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,দৈনন্দিন কাজের সংক্ষিপ্ত সেটিং
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,নির্বাচিত মূল্য তালিকা চেক করা ক্ষেত্রগুলি চেক করা উচিত।
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,তারিখ দ্বারা Reqd লিখুন দয়া করে
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,নির্বাচিত মূল্য তালিকা চেক করা ক্ষেত্রগুলি চেক করা উচিত।
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,তারিখ দ্বারা Reqd লিখুন দয়া করে
 DocType: Payment Entry,Internal Transfer,অভ্যন্তরীণ স্থানান্তর
 DocType: Asset Maintenance,Maintenance Tasks,রক্ষণাবেক্ষণ কাজ
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,উভয় ক্ষেত্রেই লক্ষ্য Qty বা টার্গেট পরিমাণ বাধ্যতামূলক
@@ -4991,7 +5056,7 @@
 DocType: Mode of Payment,General,সাধারণ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,গত কমিউনিকেশন
 ,TDS Payable Monthly,টিডিএস মাসিক মাসিক
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM প্রতিস্থাপন জন্য সারিবদ্ধ এটি কয়েক মিনিট সময় নিতে পারে।
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM প্রতিস্থাপন জন্য সারিবদ্ধ এটি কয়েক মিনিট সময় নিতে পারে।
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',বিভাগ &#39;মূল্যনির্ধারণ&#39; বা &#39;মূল্যনির্ধারণ এবং মোট&#39; জন্য যখন বিয়োগ করা যাবে
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},ধারাবাহিকভাবে আইটেম জন্য সিরিয়াল আমরা প্রয়োজনীয় {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,চালানসমূহ সঙ্গে ম্যাচ পেমেন্টস্
@@ -5004,7 +5069,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,কার্ট যোগ করুন
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,গ্রুপ দ্বারা
 DocType: Guardian,Interests,রুচি
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ নিষ্ক্রিয় মুদ্রা সক্রিয় করুন.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ নিষ্ক্রিয় মুদ্রা সক্রিয় করুন.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,কিছু বেতন স্লিপ জমা দিতে পারে নি
 DocType: Exchange Rate Revaluation,Get Entries,প্রবেশ করুন প্রবেশ করুন
 DocType: Production Plan,Get Material Request,উপাদান অনুরোধ করুন
@@ -5026,15 +5091,16 @@
 DocType: Lead,Lead Type,লিড ধরন
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,আপনি ব্লক তারিখগুলি উপর পাতার অনুমোদন যথাযথ অনুমতি নেই
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,এই সব জিনিস ইতিমধ্যে invoiced হয়েছে
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,নতুন রিলিজ তারিখ সেট করুন
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,নতুন রিলিজ তারিখ সেট করুন
 DocType: Company,Monthly Sales Target,মাসিক বিক্রয় লক্ষ্য
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},দ্বারা অনুমোদিত হতে পারে {0}
 DocType: Hotel Room,Hotel Room Type,হোটেল রুম প্রকার
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,সরবরাহকারী&gt; সরবরাহকারী প্রকার
 DocType: Leave Allocation,Leave Period,ছেড়ে দিন
 DocType: Item,Default Material Request Type,ডিফল্ট উপাদান অনুরোধ প্রকার
 DocType: Supplier Scorecard,Evaluation Period,মূল্যায়ন সময়ের
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,অজানা
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,কাজ অর্ডার তৈরি করা হয়নি
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,কাজ অর্ডার তৈরি করা হয়নি
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{0} এর পরিমাণ পূর্বে {1} উপাদানটির জন্য দাবি করা হয়েছে, {2} এর সমান বা বড় পরিমাণ সেট করুন"
 DocType: Shipping Rule,Shipping Rule Conditions,শিপিং রুল শর্তাবলী
@@ -5067,15 +5133,15 @@
 DocType: Batch,Source Document Name,উত্স দস্তাবেজের নাম
 DocType: Production Plan,Get Raw Materials For Production,উত্পাদনের জন্য কাঁচামাল পান
 DocType: Job Opening,Job Title,কাজের শিরোনাম
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} ইঙ্গিত দেয় যে {1} একটি উদ্ধৃতি প্রদান করবে না, কিন্তু সমস্ত আইটেম উদ্ধৃত করা হয়েছে। আরএফকিউ কোট অবস্থা স্থির করা"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,সর্বাধিক নমুনা - {0} ইতিমধ্যে ব্যাচ {1} এবং আইটেম {2} ব্যাচ {3} এর জন্য সংরক্ষিত হয়েছে।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,সর্বাধিক নমুনা - {0} ইতিমধ্যে ব্যাচ {1} এবং আইটেম {2} ব্যাচ {3} এর জন্য সংরক্ষিত হয়েছে।
 DocType: Manufacturing Settings,Update BOM Cost Automatically,স্বয়ংক্রিয়ভাবে BOM খরচ আপডেট করুন
 DocType: Lab Test,Test Name,টেস্ট নাম
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,ক্লিনিক্যাল পদ্ধতির ব্যবহারযোগ্য আইটেম
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,তৈরি করুন ব্যবহারকারীরা
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,গ্রাম
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,সাবস্ক্রিপশন
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,সাবস্ক্রিপশন
 DocType: Supplier Scorecard,Per Month,প্রতি মাসে
 DocType: Education Settings,Make Academic Term Mandatory,একাডেমিক শব্দ বাধ্যতামূলক করুন
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,প্রস্তুত পরিমাণ 0 থেকে বড় হওয়া উচিত.
@@ -5084,9 +5150,9 @@
 DocType: Stock Entry,Update Rate and Availability,হালনাগাদ হার এবং প্রাপ্যতা
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,শতকরা আপনি পাবেন বা আদেশ পরিমাণ বিরুদ্ধে আরো বিলি করার অনুমতি দেওয়া হয়. উদাহরণস্বরূপ: আপনি 100 ইউনিট আদেশ আছে. এবং আপনার ভাতা তারপর আপনি 110 ইউনিট গ্রহণ করার অনুমতি দেওয়া হয় 10% হয়.
 DocType: Loyalty Program,Customer Group,গ্রাহক গ্রুপ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,সারি # {0}: ওয়ার্ক অর্ডার # {3} তে সমাপ্ত পণ্যগুলির {2} গুণ জন্য অপারেশন {1} সম্পন্ন হয় না। সময় লগ মাধ্যমে অপারেশন অবস্থা আপডেট করুন
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,সারি # {0}: ওয়ার্ক অর্ডার # {3} তে সমাপ্ত পণ্যগুলির {2} গুণ জন্য অপারেশন {1} সম্পন্ন হয় না। সময় লগ মাধ্যমে অপারেশন অবস্থা আপডেট করুন
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),নিউ ব্যাচ আইডি (ঐচ্ছিক)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},ব্যয় অ্যাকাউন্ট আইটেমের জন্য বাধ্যতামূলক {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},ব্যয় অ্যাকাউন্ট আইটেমের জন্য বাধ্যতামূলক {0}
 DocType: BOM,Website Description,ওয়েবসাইট বর্ণনা
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ইক্যুইটি মধ্যে নিট পরিবর্তন
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,ক্রয় চালান {0} বাতিল অনুগ্রহ প্রথম
@@ -5101,7 +5167,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,সম্পাদনা করার কিছুই নেই.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,ফর্ম দেখুন
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ব্যয় দাবি মধ্যে ব্যয়বহুল ব্যয়বহুল
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,এই মাস এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,এই মাস এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},অনুগ্রহ করে কোম্পানির অনাদায়ী এক্সচেঞ্জ লাভ / লস অ্যাকাউন্ট সেট করুন {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","আপনার প্রতিষ্ঠান ছাড়া ব্যবহারকারীদের যোগ করুন, আপনার নিজের চেয়ে অন্য।"
 DocType: Customer Group,Customer Group Name,গ্রাহক গ্রুপ নাম
@@ -5111,14 +5177,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,কোন উপাদান অনুরোধ তৈরি
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ঋণের পরিমাণ সর্বোচ্চ ঋণের পরিমাণ বেশি হতে পারে না {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,লাইসেন্স
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},সি-ফরম থেকে এই চালান {0} মুছে ফেলুন দয়া করে {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},সি-ফরম থেকে এই চালান {0} মুছে ফেলুন দয়া করে {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,এছাড়াও আপনি আগের অর্থবছরের ভারসাম্য এই অর্থবছরের ছেড়ে অন্তর্ভুক্ত করতে চান তাহলে এগিয়ে দয়া করে নির্বাচন করুন
 DocType: GL Entry,Against Voucher Type,ভাউচার টাইপ বিরুদ্ধে
 DocType: Healthcare Practitioner,Phone (R),ফোন (আর)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,সময় স্লট যোগ করা
 DocType: Item,Attributes,আরোপ করা
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,টেমপ্লেট সক্ষম করুন
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"অ্যাকাউন্ট বন্ধ লিখতে লিখতে, অনুগ্রহ করে"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"অ্যাকাউন্ট বন্ধ লিখতে লিখতে, অনুগ্রহ করে"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,শেষ আদেশ তারিখ
 DocType: Salary Component,Is Payable,প্রদান করা হয়
 DocType: Inpatient Record,B Negative,বি নেতিবাচক
@@ -5129,7 +5195,7 @@
 DocType: Hotel Room,Hotel Room,হোটেল রুম
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},অ্যাকাউন্ট {0} আছে কোম্পানীর জন্যে না {1}
 DocType: Leave Type,Rounding,রাউন্ডইং
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,{0} সারিতে সিরিয়াল নম্বর দিয়ে ডেলিভারি নোট মেলে না
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,{0} সারিতে সিরিয়াল নম্বর দিয়ে ডেলিভারি নোট মেলে না
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),অসম্পূর্ণ পরিমাণ (প্রি-রেট)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","তারপর গ্রাহক, গ্রাহক গোষ্ঠী, টেরিটরি, সরবরাহকারী, সরবরাহকারী গ্রুপ, প্রচারাভিযান, বিক্রয় অংশীদার ইত্যাদির ভিত্তিতে প্রাইসিং রুলসগুলি ফিল্টার করা হয়।"
 DocType: Student,Guardian Details,গার্ডিয়ান বিবরণ
@@ -5138,10 +5204,10 @@
 DocType: Vehicle,Chassis No,চেসিস কোন
 DocType: Payment Request,Initiated,প্রবর্তিত
 DocType: Production Plan Item,Planned Start Date,পরিকল্পনা শুরুর তারিখ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,একটি BOM নির্বাচন করুন
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,একটি BOM নির্বাচন করুন
 DocType: Purchase Invoice,Availed ITC Integrated Tax,সুবিধাভোগী আইটিসি ইন্টিগ্রেটেড ট্যাক্স
 DocType: Purchase Order Item,Blanket Order Rate,কংক্রিট অর্ডার রেট
-apps/erpnext/erpnext/hooks.py +156,Certification,সাক্ষ্যদান
+apps/erpnext/erpnext/hooks.py +157,Certification,সাক্ষ্যদান
 DocType: Bank Guarantee,Clauses and Conditions,ক্লাউজ এবং শর্তাবলী
 DocType: Serial No,Creation Document Type,ক্রিয়েশন ডকুমেন্ট টাইপ
 DocType: Project Task,View Timesheet,টাইমসাইট দেখুন
@@ -5166,6 +5232,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,মূল আইটেমটি {0} একটি স্টক আইটেম হবে না
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,ওয়েবসাইট লিস্টিং
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,সব পণ্য বা সেবা.
+DocType: Email Digest,Open Quotations,খোলা উদ্ধৃতি
 DocType: Expense Claim,More Details,আরো বিস্তারিত
 DocType: Supplier Quotation,Supplier Address,সরবরাহকারী ঠিকানা
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} অ্যাকাউন্টের জন্য বাজেট {1} বিরুদ্ধে {2} {3} হল {4}. এটা দ্বারা অতিক্রম করবে {5}
@@ -5180,12 +5247,11 @@
 DocType: Training Event,Exam,পরীক্ষা
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,মার্কেটপ্লেস ভুল
 DocType: Complaint,Complaint,অভিযোগ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},গুদাম স্টক আইটেম জন্য প্রয়োজন {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},গুদাম স্টক আইটেম জন্য প্রয়োজন {0}
 DocType: Leave Allocation,Unused leaves,অব্যবহৃত পাতার
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,পুনঃঅর্থায়ন এন্ট্রি করুন
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,সব বিভাগে
 DocType: Healthcare Service Unit,Vacant,খালি
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,সরবরাহকারী&gt; সরবরাহকারী প্রকার
 DocType: Patient,Alcohol Past Use,অ্যালকোহল অতীত ব্যবহার
 DocType: Fertilizer Content,Fertilizer Content,সার কনটেন্ট
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,CR
@@ -5193,7 +5259,7 @@
 DocType: Tax Rule,Billing State,বিলিং রাজ্য
 DocType: Share Transfer,Transfer,হস্তান্তর
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,এই অর্ডার অর্ডার বাতিল করার আগে অর্ডার অর্ডার {0} বাতিল করা আবশ্যক
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(সাব-সমাহারগুলি সহ) অপ্রমাণিত BOM পান
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(সাব-সমাহারগুলি সহ) অপ্রমাণিত BOM পান
 DocType: Authorization Rule,Applicable To (Employee),প্রযোজ্য (কর্মচারী)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,দরুন জন্ম বাধ্যতামূলক
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,অ্যাট্রিবিউট জন্য বর্ধিত {0} 0 হতে পারবেন না
@@ -5209,7 +5275,7 @@
 DocType: Disease,Treatment Period,চিকিত্সা সময়ের
 DocType: Travel Itinerary,Travel Itinerary,ভ্রমণের সুনির্দিষ্ট পরিকল্পনা
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,ফলাফল ইতিমধ্যে জমা দেওয়া
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,রিজার্ভ ওয়ারহাউজ অপরিহার্য আইটেম {0} কাঁচামাল সরবরাহ করা
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,রিজার্ভ ওয়ারহাউজ অপরিহার্য আইটেম {0} কাঁচামাল সরবরাহ করা
 ,Inactive Customers,নিষ্ক্রিয় গ্রাহকরা
 DocType: Student Admission Program,Maximum Age,সর্বোচ্চ বয়স
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,অনুস্মারক পুনর্সূচনা করার আগে 3 দিন অপেক্ষা করুন
@@ -5218,7 +5284,6 @@
 DocType: Stock Entry,Delivery Note No,হুণ্ডি কোন
 DocType: Cheque Print Template,Message to show,বার্তা দেখাতে
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,খুচরা
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,স্বয়ংক্রিয়ভাবে নিয়োগ অভিযান পরিচালনা করুন
 DocType: Student Attendance,Absent,অনুপস্থিত
 DocType: Staffing Plan,Staffing Plan Detail,স্টাফিং প্ল্যান বিস্তারিত
 DocType: Employee Promotion,Promotion Date,প্রচারের তারিখ
@@ -5240,7 +5305,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,লিড করুন
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,মুদ্রণ করুন এবং স্টেশনারি
 DocType: Stock Settings,Show Barcode Field,দেখান বারকোড ফিল্ড
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,সরবরাহকারী ইমেইল পাঠান
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,সরবরাহকারী ইমেইল পাঠান
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","বেতন ইতিমধ্যে মধ্যে {0} এবং {1}, আবেদন সময়ের ত্যাগ এই তারিখ সীমার মধ্যে হতে পারে না সময়ের জন্য প্রক্রিয়া."
 DocType: Fiscal Year,Auto Created,অটো প্রস্তুত
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,কর্মচারীর রেকর্ড তৈরির জন্য এটি জমা দিন
@@ -5249,7 +5314,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ইনভয়েস {0} আর নেই
 DocType: Guardian Interest,Guardian Interest,গার্ডিয়ান সুদ
 DocType: Volunteer,Availability,উপস্থিতি
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,পিওএস ইনভয়েসেসের জন্য ডিফল্ট মান সেটআপ করুন
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,পিওএস ইনভয়েসেসের জন্য ডিফল্ট মান সেটআপ করুন
 apps/erpnext/erpnext/config/hr.py +248,Training,প্রশিক্ষণ
 DocType: Project,Time to send,পাঠাতে সময়
 DocType: Timesheet,Employee Detail,কর্মচারী বিস্তারিত
@@ -5272,7 +5337,7 @@
 DocType: Training Event Employee,Optional,ঐচ্ছিক
 DocType: Salary Slip,Earning & Deduction,রোজগার &amp; সিদ্ধান্তগ্রহণ
 DocType: Agriculture Analysis Criteria,Water Analysis,জল বিশ্লেষণ
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} বৈকল্পিক তৈরি করা হয়েছে।
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} বৈকল্পিক তৈরি করা হয়েছে।
 DocType: Amazon MWS Settings,Region,এলাকা
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ঐচ্ছিক. এই সেটিং বিভিন্ন লেনদেন ফিল্টার ব্যবহার করা হবে.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,নেতিবাচক মূল্যনির্ধারণ হার অনুমোদিত নয়
@@ -5291,7 +5356,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,বাতিল অ্যাসেট খরচ
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: খরচ কেন্দ্র আইটেম জন্য বাধ্যতামূলক {2}
 DocType: Vehicle,Policy No,নীতি কোন
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,পণ্য সমষ্টি থেকে আইটেম পেতে
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,পণ্য সমষ্টি থেকে আইটেম পেতে
 DocType: Asset,Straight Line,সোজা লাইন
 DocType: Project User,Project User,প্রকল্প ব্যবহারকারী
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,বিভক্ত করা
@@ -5299,7 +5364,7 @@
 DocType: GL Entry,Is Advance,অগ্রিম
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,কর্মচারী জীবনচক্র
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,জন্ম তারিখ এবং উপস্থিত এ্যাটেনডেন্স বাধ্যতামূলক
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,হ্যাঁ অথবা না হিসাবে &#39;আউটসোর্স থাকলে&#39; দয়া করে প্রবেশ করুন
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,হ্যাঁ অথবা না হিসাবে &#39;আউটসোর্স থাকলে&#39; দয়া করে প্রবেশ করুন
 DocType: Item,Default Purchase Unit of Measure,পরিমাপের ডিফল্ট ক্রয় ইউনিট
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,গত কমিউনিকেশন তারিখ
 DocType: Clinical Procedure Item,Clinical Procedure Item,ক্লিনিক্যাল পদ্ধতি আইটেম
@@ -5308,7 +5373,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,অ্যাক্সেস টোকেন বা Shopify URL অনুপস্থিত
 DocType: Location,Latitude,অক্ষাংশ
 DocType: Work Order,Scrap Warehouse,স্ক্র্যাপ ওয়্যারহাউস
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","সারি নং {0} তে গুদাম প্রয়োজন, দয়া করে কোম্পানির {1} আইটেমের জন্য ডিফল্ট গুদাম সেট করুন {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","সারি নং {0} তে গুদাম প্রয়োজন, দয়া করে কোম্পানির {1} আইটেমের জন্য ডিফল্ট গুদাম সেট করুন {2}"
 DocType: Work Order,Check if material transfer entry is not required,যদি বস্তুগত স্থানান্তর এন্ট্রি প্রয়োজন হয় না চেক করুন
 DocType: Program Enrollment Tool,Get Students From,থেকে শিক্ষার্থীরা পান
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,ওয়েবসাইটে আইটেম প্রকাশ
@@ -5323,6 +5388,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,নিউ ব্যাচ চলছে
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,পোশাক ও আনুষাঙ্গিক
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,ওজনযুক্ত স্কোর ফাংশন সমাধান করা যায়নি। নিশ্চিত করুন সূত্রটি বৈধ।
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,ক্রয় আদেশ আইটেম সময় প্রাপ্ত না
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,অর্ডার সংখ্যা
 DocType: Item Group,HTML / Banner that will show on the top of product list.,পণ্য তালিকার শীর্ষে প্রদর্শন করবে এইচটিএমএল / ব্যানার.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,শিপিং পরিমাণ নিরূপণ শর্ত নির্দিষ্ট
@@ -5331,9 +5397,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,পথ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,এটা সন্তানের নোড আছে খতিয়ান করার খরচ কেন্দ্র রূপান্তর করতে পারবেন না
 DocType: Production Plan,Total Planned Qty,মোট পরিকল্পিত পরিমাণ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,খোলা মূল্য
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,খোলা মূল্য
 DocType: Salary Component,Formula,সূত্র
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,সিরিয়াল #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,সিরিয়াল #
 DocType: Lab Test Template,Lab Test Template,ল্যাব টেস্ট টেমপ্লেট
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,বিক্রয় অ্যাকাউন্ট
 DocType: Purchase Invoice Item,Total Weight,সম্পূর্ণ ওজন
@@ -5351,7 +5417,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,উপাদান অনুরোধ করুন
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ওপেন আইটেম {0}
 DocType: Asset Finance Book,Written Down Value,লিখিত ডাউন মূল্য
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,মানব সম্পদ&gt; এইচআর সেটিংস মধ্যে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,এই সেলস অর্ডার বাতিলের আগে চালান {0} বাতিল করতে হবে বিক্রয়
 DocType: Clinical Procedure,Age,বয়স
 DocType: Sales Invoice Timesheet,Billing Amount,বিলিং পরিমাণ
@@ -5360,11 +5425,11 @@
 DocType: Company,Default Employee Advance Account,ডিফল্ট কর্মচারী অ্যাডভান্স অ্যাকাউন্ট
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),আইটেম অনুসন্ধান করুন (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,দুদক-cf-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট মুছে ফেলা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট মুছে ফেলা যাবে না
 DocType: Vehicle,Last Carbon Check,সর্বশেষ কার্বন চেক
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,আইনি খরচ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,দয়া করে সারিতে পরিমাণ নির্বাচন
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,খোলা বিক্রয় এবং ক্রয় ইনভয়েসিস তৈরি করুন
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,খোলা বিক্রয় এবং ক্রয় ইনভয়েসিস তৈরি করুন
 DocType: Purchase Invoice,Posting Time,পোস্টিং সময়
 DocType: Timesheet,% Amount Billed,% পরিমাণ চালান করা হয়েছে
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,টেলিফোন খরচ
@@ -5379,14 +5444,14 @@
 DocType: Maintenance Visit,Breakdown,ভাঙ্গন
 DocType: Travel Itinerary,Vegetarian,নিরামিষ
 DocType: Patient Encounter,Encounter Date,দ্বন্দ্বের তারিখ
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,অ্যাকাউন্ট: {0} একক সঙ্গে: {1} নির্বাচন করা যাবে না
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,অ্যাকাউন্ট: {0} একক সঙ্গে: {1} নির্বাচন করা যাবে না
 DocType: Bank Statement Transaction Settings Item,Bank Data,ব্যাংক ডেটা
 DocType: Purchase Receipt Item,Sample Quantity,নমুনা পরিমাণ
 DocType: Bank Guarantee,Name of Beneficiary,সুবিধা গ্রহণকারীর নাম
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",সর্বশেষ মূল্যনির্ধারণ হার / মূল্য তালিকা হার / কাঁচামালের সর্বশেষ ক্রয়ের হারের ভিত্তিতে স্বয়ংক্রিয়ভাবে নির্ধারিত BOM- এর মূল্য নির্ধারনের মাধ্যমে।
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,চেক তারিখ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} কোম্পানি অন্তর্গত নয়: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} কোম্পানি অন্তর্গত নয়: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,সফলভাবে এই কোম্পানীর সাথে সম্পর্কিত সব লেনদেন মোছা!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,আজকের তারিখে
 DocType: Additional Salary,HR,এইচআর
@@ -5394,7 +5459,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,আউট রোগীর এসএমএস সতর্কতা
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,পরীক্ষাকাল
 DocType: Program Enrollment Tool,New Academic Year,নতুন শিক্ষাবর্ষ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,রিটার্ন / ক্রেডিট নোট
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,রিটার্ন / ক্রেডিট নোট
 DocType: Stock Settings,Auto insert Price List rate if missing,অটো সন্নিবেশ মূল্য তালিকা হার অনুপস্থিত যদি
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,মোট প্রদত্ত পরিমাণ
 DocType: GST Settings,B2C Limit,B2C সীমা
@@ -5412,10 +5477,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,শিশু নোড শুধুমাত্র &#39;গ্রুপ&#39; টাইপ নোড অধীনে তৈরি করা যেতে পারে
 DocType: Attendance Request,Half Day Date,অর্ধদিবস তারিখ
 DocType: Academic Year,Academic Year Name,একাডেমিক বছরের নাম
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} এর সাথে ট্রান্সফার করতে অনুমোদিত নয়। কোম্পানী পরিবর্তন করুন।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} এর সাথে ট্রান্সফার করতে অনুমোদিত নয়। কোম্পানী পরিবর্তন করুন।
 DocType: Sales Partner,Contact Desc,যোগাযোগ নিম্নক্রমে
 DocType: Email Digest,Send regular summary reports via Email.,ইমেইলের মাধ্যমে নিয়মিত সংক্ষিপ্ত রিপোর্ট পাঠান.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},এ ব্যায়ের দাবি প্রকার ডিফল্ট অ্যাকাউন্ট সেট করুন {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},এ ব্যায়ের দাবি প্রকার ডিফল্ট অ্যাকাউন্ট সেট করুন {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,উপলব্ধ পাতা
 DocType: Assessment Result,Student Name,শিক্ষার্থীর নাম
 DocType: Hub Tracked Item,Item Manager,আইটেম ম্যানেজার
@@ -5440,9 +5505,10 @@
 DocType: Subscription,Trial Period End Date,ট্রায়াল সময়কাল শেষ তারিখ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"{0} সীমা অতিক্রম করে, যেহেতু authroized না"
 DocType: Serial No,Asset Status,সম্পদ স্থিতি
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ডাইমেনশনাল কার্গো ওভার (ওডিসি)
 DocType: Restaurant Order Entry,Restaurant Table,রেস্টুরেন্ট টেবিল
 DocType: Hotel Room,Hotel Manager,হোটেল ব্যবস্থাপক
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,শপিং কার্ট জন্য সেট করের রুল
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,শপিং কার্ট জন্য সেট করের রুল
 DocType: Purchase Invoice,Taxes and Charges Added,কর ও চার্জ যোগ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,হ্রাস সারি {0}: পরবর্তী অবচয় তারিখটি আগে উপলব্ধ নাও হতে পারে ব্যবহারের জন্য তারিখ
 ,Sales Funnel,বিক্রয় ফানেল
@@ -5458,10 +5524,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,সকল গ্রাহকের গ্রুপ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,সঞ্চিত মাসিক
 DocType: Attendance Request,On Duty,কাজে আছি
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} বাধ্যতামূলক. হয়তো মুদ্রা বিনিময় রেকর্ড {1} {2} করার জন্য তৈরি করা হয় না.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} বাধ্যতামূলক. হয়তো মুদ্রা বিনিময় রেকর্ড {1} {2} করার জন্য তৈরি করা হয় না.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},স্টাফিং প্ল্যান {0} ইতিমধ্যে পদায়ন জন্য বিদ্যমান {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,ট্যাক্স টেমপ্লেট বাধ্যতামূলক.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} অস্তিত্ব নেই
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} অস্তিত্ব নেই
 DocType: POS Closing Voucher,Period Start Date,সময়ের শুরু তারিখ
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),মূল্যতালিকা হার (কোম্পানি একক)
 DocType: Products Settings,Products Settings,পণ্য সেটিংস
@@ -5481,7 +5547,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,এই ক্রিয়া ভবিষ্যতের বিলিং বন্ধ করবে আপনি কি এই সদস্যতা বাতিল করতে চান?
 DocType: Serial No,Distinct unit of an Item,একটি আইটেম এর স্বতন্ত্র ইউনিট
 DocType: Supplier Scorecard Criteria,Criteria Name,ধাপ নাম
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,সেট করুন কোম্পানির
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,সেট করুন কোম্পানির
 DocType: Procedure Prescription,Procedure Created,পদ্ধতি তৈরি
 DocType: Pricing Rule,Buying,ক্রয়
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,রোগ ও সার
@@ -5498,42 +5564,43 @@
 DocType: Employee Onboarding,Job Offer,কাজের প্রস্তাব
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,ইনস্টিটিউট সমাহার
 ,Item-wise Price List Rate,আইটেম-জ্ঞানী মূল্য তালিকা হার
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,সরবরাহকারী উদ্ধৃতি
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,সরবরাহকারী উদ্ধৃতি
 DocType: Quotation,In Words will be visible once you save the Quotation.,আপনি উধৃতি সংরক্ষণ একবার শব্দ দৃশ্যমান হবে.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},পরিমাণ ({0}) সারিতে ভগ্নাংশ হতে পারে না {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},পরিমাণ ({0}) সারিতে ভগ্নাংশ হতে পারে না {1}
 DocType: Contract,Unsigned,অস্বাক্ষরিত
 DocType: Selling Settings,Each Transaction,প্রতিটি লেনদেন
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},বারকোড {0} ইতিমধ্যে আইটেম ব্যবহৃত {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},বারকোড {0} ইতিমধ্যে আইটেম ব্যবহৃত {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,শিপিং খরচ যোগ করার জন্য বিধি.
 DocType: Hotel Room,Extra Bed Capacity,অতিরিক্ত বেড ক্যাপাসিটি
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,খোলা স্টক
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,গ্রাহক প্রয়োজন বোধ করা হয়
 DocType: Lab Test,Result Date,ফলাফল তারিখ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / এলসি তারিখ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / এলসি তারিখ
 DocType: Purchase Order,To Receive,গ্রহণ করতে
 DocType: Leave Period,Holiday List for Optional Leave,ঐচ্ছিক তালিকার জন্য হলিডে তালিকা
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,সম্পদ মালিক
 DocType: Purchase Invoice,Reason For Putting On Hold,ধরে রাখার জন্য কারণ রাখা
 DocType: Employee,Personal Email,ব্যক্তিগত ইমেইল
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,মোট ভেদাংক
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,মোট ভেদাংক
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","সক্রিয় করা হলে, সিস্টেম স্বয়ংক্রিয়ভাবে পরিসংখ্যা জন্য অ্যাকাউন্টিং এন্ট্রি পোস্ট করতে হবে."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,দালালি
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,কর্মচারী {0} জন্য এ্যাটেনডেন্স ইতিমধ্যে এই দিনের জন্য চিহ্নিত করা হয়
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,কর্মচারী {0} জন্য এ্যাটেনডেন্স ইতিমধ্যে এই দিনের জন্য চিহ্নিত করা হয়
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",মিনিটের মধ্যে &#39;টাইম ইন&#39; র মাধ্যমে আপডেট
 DocType: Customer,From Lead,লিড
 DocType: Amazon MWS Settings,Synch Orders,শঙ্কর আদেশগুলি
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,আদেশ উৎপাদনের জন্য মুক্তি.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,ফিস্ক্যাল বছর নির্বাচন ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,পিওএস প্রোফাইল পিওএস এন্ট্রি করতে প্রয়োজন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,পিওএস প্রোফাইল পিওএস এন্ট্রি করতে প্রয়োজন
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","আনুগত্য পয়েন্টগুলি খরচ করা হবে (বিক্রয় চালান মাধ্যমে), সংগ্রহ ফ্যাক্টর উপর ভিত্তি করে উল্লিখিত।"
 DocType: Program Enrollment Tool,Enroll Students,শিক্ষার্থীরা তালিকাভুক্ত
 DocType: Company,HRA Settings,এইচআরএ সেটিংস
 DocType: Employee Transfer,Transfer Date,তারিখ স্থানান্তর
 DocType: Lab Test,Approved Date,অনুমোদিত তারিখ
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,স্ট্যান্ডার্ড বিক্রি
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,অন্তত একটি গুদাম বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,অন্তত একটি গুদাম বাধ্যতামূলক
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","ইউওম, আইটেম গ্রুপ, বর্ণনা এবং ঘন্টাগুলির সংখ্যাগুলি যেমন আইটেম ক্ষেত্র কনফিগার করুন।"
 DocType: Certification Application,Certification Status,সার্টিফিকেশন স্থিতি
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,নগরচত্বর
@@ -5553,6 +5620,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,ম্যাচিং ইনভয়েসেস
 DocType: Work Order,Required Items,প্রয়োজনীয় সামগ্রী
 DocType: Stock Ledger Entry,Stock Value Difference,শেয়ার মূল্য পার্থক্য
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,আইটেম সারি {0}: {1} {2} উপরের &#39;{1}&#39; টেবিলে বিদ্যমান নেই
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,মানব সম্পদ
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,পেমেন্ট পুনর্মিলন পরিশোধের
 DocType: Disease,Treatment Task,চিকিত্সা কাজ
@@ -5570,7 +5638,8 @@
 DocType: Account,Debit,ডেবিট
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,পাতার 0.5 এর গুণিতক বরাদ্দ করা আবশ্যক
 DocType: Work Order,Operation Cost,অপারেশন খরচ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,বিশিষ্ট মাসিক
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,সিদ্ধান্ত সৃষ্টিকর্তা চিহ্নিত করা
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,বিশিষ্ট মাসিক
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,সেট লক্ষ্যমাত্রা আইটেমটি গ্রুপ-ভিত্তিক এই বিক্রয় ব্যক্তি.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],ফ্রিজ স্টক চেয়ে পুরোনো [দিন]
 DocType: Payment Request,Payment Ordered,প্রদান আদেশ
@@ -5582,13 +5651,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,নিম্নলিখিত ব্যবহারকারীদের ব্লক দিনের জন্য চলে যায় অ্যাপ্লিকেশন অনুমোদন করার অনুমতি দিন.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,জীবনচক্র
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,বোম তৈরি করুন
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},তার {1} আইটেমের জন্য হার বিক্রী {0} চেয়ে কম। বিক্রী হার কত হওয়া উচিত অন্তত {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},তার {1} আইটেমের জন্য হার বিক্রী {0} চেয়ে কম। বিক্রী হার কত হওয়া উচিত অন্তত {2}
 DocType: Subscription,Taxes,কর
 DocType: Purchase Invoice,capital goods,মূলধন পণ্য
 DocType: Purchase Invoice Item,Weight Per Unit,ওজন প্রতি ইউনিট
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,প্রদত্ত এবং বিতরিত হয় নি
-DocType: Project,Default Cost Center,ডিফল্ট খরচের কেন্দ্র
-DocType: Delivery Note,Transporter Doc No,ট্রান্সপোর্টার ডক না
+DocType: QuickBooks Migrator,Default Cost Center,ডিফল্ট খরচের কেন্দ্র
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,শেয়ার লেনদেন
 DocType: Budget,Budget Accounts,বাজেট হিসাব
 DocType: Employee,Internal Work History,অভ্যন্তরীণ কাজের ইতিহাস
@@ -5621,7 +5689,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},{0} এ স্বাস্থ্যসেবা প্রদানকারী নেই
 DocType: Stock Entry Detail,Additional Cost,অতিরিক্ত খরচ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","ভাউচার কোন উপর ভিত্তি করে ফিল্টার করতে পারবে না, ভাউচার দ্বারা গ্রুপকৃত যদি"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,সরবরাহকারী উদ্ধৃতি করা
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,সরবরাহকারী উদ্ধৃতি করা
 DocType: Quality Inspection,Incoming,ইনকামিং
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,বিক্রয় এবং ক্রয় জন্য ডিফল্ট ট্যাক্স টেমপ্লেট তৈরি করা হয়।
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,মূল্যায়ন ফলাফল রেকর্ড {0} ইতিমধ্যে বিদ্যমান।
@@ -5637,7 +5705,7 @@
 DocType: Batch,Batch ID,ব্যাচ আইডি
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},উল্লেখ্য: {0}
 ,Delivery Note Trends,হুণ্ডি প্রবণতা
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,এই সপ্তাহের সংক্ষিপ্ত
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,এই সপ্তাহের সংক্ষিপ্ত
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,স্টক Qty ইন
 ,Daily Work Summary Replies,দৈনিক কাজ সারসংক্ষেপ উত্তর
 DocType: Delivery Trip,Calculate Estimated Arrival Times,আনুমানিক আসন্ন টাইমস হিসাব করুন
@@ -5647,7 +5715,7 @@
 DocType: Bank Account,Party,পার্টি
 DocType: Healthcare Settings,Patient Name,রোগীর নাম
 DocType: Variant Field,Variant Field,বৈকল্পিক ক্ষেত্র
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,গন্তব্য
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,গন্তব্য
 DocType: Sales Order,Delivery Date,প্রসবের তারিখ
 DocType: Opportunity,Opportunity Date,সুযোগ তারিখ
 DocType: Employee,Health Insurance Provider,স্বাস্থ্য বীমা প্রদানকারী
@@ -5666,7 +5734,7 @@
 DocType: Employee,History In Company,কোম্পানি ইন ইতিহাস
 DocType: Customer,Customer Primary Address,গ্রাহক প্রাথমিক ঠিকানা
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,নিউজ লেটার
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,রেফারেন্স নম্বর
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,রেফারেন্স নম্বর
 DocType: Drug Prescription,Description/Strength,বর্ণনা / স্ট্রেংথ
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,নতুন অর্থ প্রদান / জার্নাল এন্ট্রি তৈরি করুন
 DocType: Certification Application,Certification Application,সার্টিফিকেশন অ্যাপ্লিকেশন
@@ -5677,10 +5745,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,একই আইটেমকে একাধিক বার প্রবেশ করা হয়েছে
 DocType: Department,Leave Block List,ব্লক তালিকা ত্যাগ
 DocType: Purchase Invoice,Tax ID,ট্যাক্স আইডি
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. কলাম ফাঁকা রাখা আবশ্যক
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. কলাম ফাঁকা রাখা আবশ্যক
 DocType: Accounts Settings,Accounts Settings,সেটিংস অ্যাকাউন্ট
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,অনুমোদন করা
 DocType: Loyalty Program,Customer Territory,গ্রাহক টেরিটরি
+DocType: Email Digest,Sales Orders to Deliver,বিক্রয় আদেশ প্রদান করা
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","নতুন অ্যাকাউন্টের সংখ্যা, এটি একটি উপসর্গ হিসাবে অ্যাকাউন্টের নাম অন্তর্ভুক্ত করা হবে"
 DocType: Maintenance Team Member,Team Member,দলের সদস্য
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,কোন ফলাফল জমা নেই
@@ -5690,7 +5759,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","মোট {0} সব আইটেম জন্য শূন্য, আপনি &#39;উপর ভিত্তি করে চার্জ বিতরণ&#39; পরিবর্তন করা উচিত হতে পারে"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,তারিখ থেকে তারিখ থেকে কম হতে পারে না
 DocType: Opportunity,To Discuss,আলোচনা করতে
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,এটি এই গ্রাহকের বিরুদ্ধে লেনদেনের উপর ভিত্তি করে। বিস্তারিত জানার জন্য নীচের টাইমলাইনে দেখুন
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} একক {1} {2} এই লেনদেন সম্পন্ন করার জন্য প্রয়োজন.
 DocType: Loan Type,Rate of Interest (%) Yearly,সুদের হার (%) বাত্সরিক
 DocType: Support Settings,Forum URL,ফোরাম URL
@@ -5705,7 +5773,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,আরও জানুন
 DocType: Cheque Print Template,Distance from top edge,উপরের প্রান্ত থেকে দূরত্ব
 DocType: POS Closing Voucher Invoices,Quantity of Items,আইটেম পরিমাণ
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,মূল্য তালিকা {0} অক্ষম করা থাকে বা কোন অস্তিত্ব নেই
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,মূল্য তালিকা {0} অক্ষম করা থাকে বা কোন অস্তিত্ব নেই
 DocType: Purchase Invoice,Return,প্রত্যাবর্তন
 DocType: Pricing Rule,Disable,অক্ষম
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,পেমেন্ট মোড একটি পেমেন্ট করতে প্রয়োজন বোধ করা হয়
@@ -5713,18 +5781,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","সম্পদের মত আরও বিকল্পগুলির জন্য সম্পূর্ণ পৃষ্ঠাতে সম্পাদনা করুন, সিরিয়াল নাম্বার, ব্যাচ ইত্যাদি"
 DocType: Leave Type,Maximum Continuous Days Applicable,সর্বোচ্চ নিয়মিত দিন প্রযোজ্য
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ব্যাচ মধ্যে নাম নথিভুক্ত করা হয় না {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","অ্যাসেট {0}, বাতিল করা যাবে না এটা আগে থেকেই {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","অ্যাসেট {0}, বাতিল করা যাবে না এটা আগে থেকেই {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,চেক প্রয়োজন
 DocType: Task,Total Expense Claim (via Expense Claim),(ব্যয় দাবি মাধ্যমে) মোট ব্যয় দাবি
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,মার্ক অনুপস্থিত
 DocType: Job Applicant Source,Job Applicant Source,কাজের আবেদনকারী উত্স
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST পরিমাণ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST পরিমাণ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,কোম্পানী সেট আপ করতে ব্যর্থ হয়েছে
 DocType: Asset Repair,Asset Repair,সম্পদ মেরামত
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},সারি {0}: BOM # মুদ্রা {1} নির্বাচিত মুদ্রার সমান হতে হবে {2}
 DocType: Journal Entry Account,Exchange Rate,বিনিময় হার
 DocType: Patient,Additional information regarding the patient,রোগীর সম্পর্কে অতিরিক্ত তথ্য
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,বিক্রয় আদেশ {0} দাখিল করা হয় না
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,বিক্রয় আদেশ {0} দাখিল করা হয় না
 DocType: Homepage,Tag Line,ট্যাগ লাইন
 DocType: Fee Component,Fee Component,ফি কম্পোনেন্ট
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,দ্রুতগামী ব্যবস্থাপনা
@@ -5739,7 +5807,7 @@
 DocType: Healthcare Practitioner,Mobile,মোবাইল
 ,Sales Person-wise Transaction Summary,সেলস পারসন অনুসার লেনদেন সংক্ষিপ্ত
 DocType: Training Event,Contact Number,যোগাযোগ নম্বর
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,ওয়ারহাউস {0} অস্তিত্ব নেই
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,ওয়ারহাউস {0} অস্তিত্ব নেই
 DocType: Cashier Closing,Custody,হেফাজত
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,কর্মচারী ট্যাক্স ছাড় ছাড় প্রুফ জমা বিস্তারিত
 DocType: Monthly Distribution,Monthly Distribution Percentages,মাসিক বন্টন শতকরা
@@ -5754,7 +5822,7 @@
 DocType: Payment Entry,Paid Amount,দেওয়া পরিমাণ
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,বিক্রয় চক্র এক্সপ্লোর পরিচালনা করুন
 DocType: Assessment Plan,Supervisor,কর্মকর্তা
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,ধারণ স্টক এণ্ট্রি
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,ধারণ স্টক এণ্ট্রি
 ,Available Stock for Packing Items,প্যাকিং আইটেম জন্য উপলব্ধ স্টক
 DocType: Item Variant,Item Variant,আইটেম ভেরিয়েন্ট
 ,Work Order Stock Report,ওয়ার্ক অর্ডার স্টক রিপোর্ট
@@ -5763,9 +5831,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,সুপারভাইজার হিসেবে
 DocType: Leave Policy Detail,Leave Policy Detail,নীতি বিস্তারিত বিবরণ ছেড়ে দিন
 DocType: BOM Scrap Item,BOM Scrap Item,BOM স্ক্র্যাপ আইটেম
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,জমা করা অফার মোছা যাবে না
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ইতিমধ্যে ডেবিট অ্যাকাউন্ট ব্যালেন্স, আপনি &#39;ক্রেডিট&#39; হিসেবে &#39;ব্যালেন্স করতে হবে&#39; সেট করার অনুমতি দেওয়া হয় না"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,গুনমান ব্যবস্থাপনা
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,জমা করা অফার মোছা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ইতিমধ্যে ডেবিট অ্যাকাউন্ট ব্যালেন্স, আপনি &#39;ক্রেডিট&#39; হিসেবে &#39;ব্যালেন্স করতে হবে&#39; সেট করার অনুমতি দেওয়া হয় না"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,গুনমান ব্যবস্থাপনা
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,আইটেম {0} অক্ষম করা হয়েছে
 DocType: Project,Total Billable Amount (via Timesheets),মোট বিলযোগ্য পরিমাণ (টাইমসাইটের মাধ্যমে)
 DocType: Agriculture Task,Previous Business Day,আগের ব্যবসা দিবস
@@ -5788,14 +5856,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,খরচ কেন্দ্র
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,সদস্যতা পুনর্সূচনা করুন
 DocType: Linked Plant Analysis,Linked Plant Analysis,লিঙ্কড প্ল্যান্ট বিশ্লেষণ
-DocType: Delivery Note,Transporter ID,ট্রান্সপোর্টার আইডি
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ট্রান্সপোর্টার আইডি
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,মূল্যবান প্রস্তাবনা
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,যা সরবরাহকারী মুদ্রার হারে কোম্পানির বেস কারেন্সি রূপান্তরিত হয়
-DocType: Sales Invoice Item,Service End Date,পরিষেবা শেষ তারিখ
+DocType: Purchase Invoice Item,Service End Date,পরিষেবা শেষ তারিখ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},সারি # {0}: সারিতে সঙ্গে উপস্থাপনার দ্বন্দ্ব {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,জিরো মূল্যনির্ধারণ রেট অনুমতি দিন
 DocType: Bank Guarantee,Receiving,গ্রহণ
 DocType: Training Event Employee,Invited,আমন্ত্রিত
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,সেটআপ গেটওয়ে অ্যাকাউন্ট.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,সেটআপ গেটওয়ে অ্যাকাউন্ট.
 DocType: Employee,Employment Type,কর্মসংস্থান প্রকার
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,নির্দিষ্ট পরিমান সম্পত্তি
 DocType: Payment Entry,Set Exchange Gain / Loss,সেট এক্সচেঞ্জ লাভ / ক্ষতির
@@ -5811,7 +5880,7 @@
 DocType: Tax Rule,Sales Tax Template,সেলস ট্যাক্স টেমপ্লেট
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,বেনিফিট দাবি বিরুদ্ধে পে
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,আপডেট কেন্দ্র সেন্টার নম্বর আপডেট করুন
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন
 DocType: Employee,Encashment Date,নগদীকরণ তারিখ
 DocType: Training Event,Internet,ইন্টারনেটের
 DocType: Special Test Template,Special Test Template,বিশেষ টেস্ট টেমপ্লেট
@@ -5819,12 +5888,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},ডিফল্ট কার্যকলাপ খরচ কার্যকলাপ টাইপ জন্য বিদ্যমান - {0}
 DocType: Work Order,Planned Operating Cost,পরিকল্পনা অপারেটিং খরচ
 DocType: Academic Term,Term Start Date,টার্ম শুরুর তারিখ
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,সমস্ত শেয়ার লেনদেনের তালিকা
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,সমস্ত শেয়ার লেনদেনের তালিকা
+DocType: Supplier,Is Transporter,ট্রান্সপোর্টার হয়
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,পেমেন্ট চিহ্ন চিহ্নিত করা হলে Shopify থেকে আমদানি ইনভয়েস আমদানি করুন
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,OPP কাউন্ট
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,উভয় ট্রায়াল সময়কাল শুরু তারিখ এবং ট্রায়াল সময়কাল শেষ তারিখ সেট করা আবশ্যক
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,গড় হার
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,পেমেন্ট শংসাপত্রের মোট পরিশোধের পরিমাণ গ্র্যান্ড / গোলাকার মোট সমান হওয়া আবশ্যক
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,পেমেন্ট শংসাপত্রের মোট পরিশোধের পরিমাণ গ্র্যান্ড / গোলাকার মোট সমান হওয়া আবশ্যক
 DocType: Subscription Plan Detail,Plan,পরিকল্পনা
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,জেনারেল লেজার অনুযায়ী ব্যাংক ব্যালেন্সের
 DocType: Job Applicant,Applicant Name,আবেদনকারীর নাম
@@ -5852,7 +5922,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,উত্স ওয়্যারহাউস এ উপলব্ধ করে চলছে
 apps/erpnext/erpnext/config/support.py +22,Warranty,পাটা
 DocType: Purchase Invoice,Debit Note Issued,ডেবিট নোট ইস্যু
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,খরচ কেন্দ্রের উপর ভিত্তি করে ফিল্টার শুধুমাত্র প্রযোজ্য যদি বাজেট বিরুদ্ধে খরচ কেন্দ্র হিসেবে নির্বাচিত হয়
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,খরচ কেন্দ্রের উপর ভিত্তি করে ফিল্টার শুধুমাত্র প্রযোজ্য যদি বাজেট বিরুদ্ধে খরচ কেন্দ্র হিসেবে নির্বাচিত হয়
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","আইটেম কোড, সিরিয়াল নম্বর, ব্যাচ নম্বর বা বারকোড দ্বারা অনুসন্ধান করুন"
 DocType: Work Order,Warehouses,ওয়ারহাউস
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} সম্পদ স্থানান্তরিত করা যাবে না
@@ -5863,9 +5933,9 @@
 DocType: Workstation,per hour,প্রতি ঘণ্টা
 DocType: Blanket Order,Purchasing,ক্রয়
 DocType: Announcement,Announcement,ঘোষণা
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,গ্রাহক এলপো
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,গ্রাহক এলপো
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ব্যাচ ভিত্তিক স্টুডেন্ট গ্রুপের জন্য, শিক্ষার্থী ব্যাচ প্রোগ্রাম তালিকাভুক্তি থেকে শিক্ষার্থীর জন্য যাচাই করা হবে না।"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,শেয়ার খতিয়ান এন্ট্রি এই গুদাম জন্য বিদ্যমান হিসাবে ওয়্যারহাউস মোছা যাবে না.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,শেয়ার খতিয়ান এন্ট্রি এই গুদাম জন্য বিদ্যমান হিসাবে ওয়্যারহাউস মোছা যাবে না.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,বিতরণ
 DocType: Journal Entry Account,Loan,ঋণ
 DocType: Expense Claim Advance,Expense Claim Advance,ব্যয় দাবি আগাম
@@ -5874,7 +5944,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,প্রকল্প ব্যবস্থাপক
 ,Quoted Item Comparison,উদ্ধৃত আইটেম তুলনা
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} এবং {1} এর মধ্যে স্কোরিংয়ের উপর ওভারল্যাপ করুন
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,প্রাণবধ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,প্রাণবধ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,আইটেম জন্য অনুমোদিত সর্বোচ্চ ছাড়: {0} {1}% হল
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,নিট অ্যাসেট ভ্যালু হিসেবে
 DocType: Crop,Produce,উৎপাদন করা
@@ -5884,20 +5954,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,পণ্যদ্রব্য জন্য উপাদান ব্যবহার
 DocType: Item Alternative,Alternative Item Code,বিকল্প আইটেম কোড
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,সেট ক্রেডিট সীমা অতিক্রম লেনদেন জমা করার অনুমতি দেওয়া হয় যে ভূমিকা.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,উত্পাদনপ্রণালী চলছে নির্বাচন
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,উত্পাদনপ্রণালী চলছে নির্বাচন
 DocType: Delivery Stop,Delivery Stop,ডেলিভারি স্টপ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে"
 DocType: Item,Material Issue,উপাদান ইস্যু
 DocType: Employee Education,Qualification,যোগ্যতা
 DocType: Item Price,Item Price,আইটেমের মূল্য
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,সাবান ও ডিটারজেন্ট
 DocType: BOM,Show Items,আইটেম দেখান
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,সময় সময় তার চেয়ে অনেক বেশী হতে পারে না.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,আপনি কি ইমেলের মাধ্যমে সমস্ত গ্রাহকদের অবহিত করতে চান?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,আপনি কি ইমেলের মাধ্যমে সমস্ত গ্রাহকদের অবহিত করতে চান?
 DocType: Subscription Plan,Billing Interval,বিলিং বিরতি
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,মোশন পিকচার ও ভিডিও
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,আদেশ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,প্রকৃত শুরু তারিখ এবং প্রকৃত শেষ তারিখ বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,গ্রাহক&gt; গ্রাহক গ্রুপ&gt; অঞ্চল
 DocType: Salary Detail,Component,উপাদান
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,সারি {0}: {1} 0 এর থেকে বড় হতে হবে
 DocType: Assessment Criteria,Assessment Criteria Group,অ্যাসেসমেন্ট নির্ণায়ক গ্রুপ
@@ -5928,11 +5999,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,জমা দেওয়ার আগে ব্যাংক বা ঋণ প্রতিষ্ঠানের নাম লিখুন।
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} জমা দিতে হবে
 DocType: POS Profile,Item Groups,আইটেম গোষ্ঠীসমূহ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,আজ {0} এর জন্মদিন!
 DocType: Sales Order Item,For Production,উত্পাদনের জন্য
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,অ্যাকাউন্ট মুদ্রার মধ্যে ব্যালেন্স
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,দয়া করে চার্ট অফ অ্যাকাউন্টগুলির একটি অস্থায়ী খোলার অ্যাকাউন্ট যোগ করুন
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,দয়া করে চার্ট অফ অ্যাকাউন্টগুলির একটি অস্থায়ী খোলার অ্যাকাউন্ট যোগ করুন
 DocType: Customer,Customer Primary Contact,গ্রাহক প্রাথমিক যোগাযোগ
 DocType: Project Task,View Task,দেখুন টাস্ক
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / লিড%
@@ -5945,11 +6015,11 @@
 DocType: Sales Invoice,Get Advances Received,উন্নতির গৃহীত করুন
 DocType: Email Digest,Add/Remove Recipients,প্রাপক Add / Remove
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",", ডিফল্ট হিসাবে চলতি অর্থবছরেই সেট করতে &#39;ডিফল্ট হিসাবে সেট করুন&#39; ক্লিক করুন"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,টিডিএসের পরিমাণ কমেছে
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,টিডিএসের পরিমাণ কমেছে
 DocType: Production Plan,Include Subcontracted Items,Subcontracted আইটেম অন্তর্ভুক্ত করুন
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,যোগদান
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,ঘাটতি Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,যোগদান
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,ঘাটতি Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
 DocType: Loan,Repay from Salary,বেতন থেকে শুধা
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},বিরুদ্ধে পেমেন্ট অনুরোধ {0} {1} পরিমাণ জন্য {2}
 DocType: Additional Salary,Salary Slip,বেতন পিছলানো
@@ -5965,7 +6035,7 @@
 DocType: Patient,Dormant,সুপ্ত
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,দখলকৃত কর্মচারী বেনিফিটের জন্য কর আদায়
 DocType: Salary Slip,Total Interest Amount,মোট সুদের পরিমাণ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না
 DocType: BOM,Manage cost of operations,অপারেশনের খরচ পরিচালনা
 DocType: Accounts Settings,Stale Days,স্টাইল দিন
 DocType: Travel Itinerary,Arrival Datetime,আগমন ডেটাটাইম
@@ -5977,7 +6047,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,অ্যাসেসমেন্ট রেজাল্ট বিস্তারিত
 DocType: Employee Education,Employee Education,কর্মচারী শিক্ষা
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,ডুপ্লিকেট আইটেম গ্রুপ আইটেম গ্রুপ টেবিল অন্তর্ভুক্ত
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,এটি একটি আইটেম বিবরণ পেতে প্রয়োজন হয়.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,এটি একটি আইটেম বিবরণ পেতে প্রয়োজন হয়.
 DocType: Fertilizer,Fertilizer Name,সারের নাম
 DocType: Salary Slip,Net Pay,নেট বেতন
 DocType: Cash Flow Mapping Accounts,Account,হিসাব
@@ -5988,14 +6058,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,বেনিফিট দাবির বিরুদ্ধে পৃথক পেমেন্ট এন্ট্রি তৈরি করুন
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),একটি জ্বরের উপস্থিতি (তাপমাত্রা&gt; 38.5 ° সে / 101.3 ° ফা বা স্থায়ী তাপ&gt; 38 ° সে / 100.4 ° ফা)
 DocType: Customer,Sales Team Details,সেলস টিম বিবরণ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,স্থায়ীভাবে মুছে ফেলতে চান?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,স্থায়ীভাবে মুছে ফেলতে চান?
 DocType: Expense Claim,Total Claimed Amount,দাবি মোট পরিমাণ
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,বিক্রি জন্য সম্ভাব্য সুযোগ.
 DocType: Shareholder,Folio no.,ফোলিও নং
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},অকার্যকর {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,অসুস্থতাজনিত ছুটি
 DocType: Email Digest,Email Digest,ইমেইল ডাইজেস্ট
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,না
 DocType: Delivery Note,Billing Address Name,বিলিং ঠিকানা নাম
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ডিপার্টমেন্ট স্টোর
 ,Item Delivery Date,আইটেম ডেলিভারি তারিখ
@@ -6011,16 +6080,16 @@
 DocType: Account,Chargeable,প্রদেয়
 DocType: Company,Change Abbreviation,পরিবর্তন সমাহার
 DocType: Contract,Fulfilment Details,পূরণের বিবরণ
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1} পে
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1} পে
 DocType: Employee Onboarding,Activities,ক্রিয়াকলাপ
 DocType: Expense Claim Detail,Expense Date,ব্যয় তারিখ
 DocType: Item,No of Months,মাস এর সংখ্যা
 DocType: Item,Max Discount (%),সর্বোচ্চ ছাড় (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,ক্রেডিট দিন একটি নেতিবাচক নম্বর হতে পারে না
-DocType: Sales Invoice Item,Service Stop Date,সার্ভিস স্টপ তারিখ
+DocType: Purchase Invoice Item,Service Stop Date,সার্ভিস স্টপ তারিখ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,শেষ আদেশ পরিমাণ
 DocType: Cash Flow Mapper,e.g Adjustments for:,উদাহরণস্বরূপ:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} নমুনা রাখা ব্লেকের উপর ভিত্তি করে, অনুগ্রহ করে আইটেমের নমুনা রাখার জন্য ব্যাচ নামটি চেক করুন"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} নমুনা রাখা ব্লেকের উপর ভিত্তি করে, অনুগ্রহ করে আইটেমের নমুনা রাখার জন্য ব্যাচ নামটি চেক করুন"
 DocType: Task,Is Milestone,মাইলফলক
 DocType: Certification Application,Yet to appear,এখনও প্রদর্শিত হবে
 DocType: Delivery Stop,Email Sent To,ইমেইল পাঠানো
@@ -6028,16 +6097,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ব্যালেন্স শীট একাউন্টের প্রবেশ মূল্য খরচ কেন্দ্র অনুমতি দিন
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,বিদ্যমান অ্যাকাউন্টের সাথে একত্রিত করুন
 DocType: Budget,Warn,সতর্ক করো
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,এই ওয়ার্ক অর্ডারের জন্য সমস্ত আইটেম ইতিমধ্যে স্থানান্তর করা হয়েছে।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,এই ওয়ার্ক অর্ডারের জন্য সমস্ত আইটেম ইতিমধ্যে স্থানান্তর করা হয়েছে।
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","অন্য কোন মন্তব্য, রেকর্ড মধ্যে যেতে হবে যে উল্লেখযোগ্য প্রচেষ্টা."
 DocType: Asset Maintenance,Manufacturing User,উৎপাদন ব্যবহারকারী
 DocType: Purchase Invoice,Raw Materials Supplied,কাঁচামালের সরবরাহ
 DocType: Subscription Plan,Payment Plan,পরিশোধের পরিকল্পনা
 DocType: Shopping Cart Settings,Enable purchase of items via the website,ওয়েবসাইট মাধ্যমে আইটেম ক্রয় সক্ষম করুন
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},মূল্য তালিকা মুদ্রা {0} {1} বা {2} হতে হবে
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,সাবস্ক্রিপশন ব্যবস্থাপনা
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,সাবস্ক্রিপশন ব্যবস্থাপনা
 DocType: Appraisal,Appraisal Template,মূল্যায়ন টেমপ্লেট
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,পিন কোড করতে
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,পিন কোড করতে
 DocType: Soil Texture,Ternary Plot,টেরনারি প্লট
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,নির্ধারিত সময়সূচী অনুসারে নির্ধারিত দৈনিক সমন্বয়করণ রুটিন সক্ষম করার জন্য এটি পরীক্ষা করুন
 DocType: Item Group,Item Classification,আইটেম সাইট
@@ -6047,6 +6116,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,চালান রোগীর নিবন্ধন
 DocType: Crop,Period,কাল
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,জেনারেল লেজার
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,রাজস্ব বছর
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,দেখুন বাড়ে
 DocType: Program Enrollment Tool,New Program,নতুন প্রোগ্রাম
 DocType: Item Attribute Value,Attribute Value,মূল্য গুন
@@ -6055,11 +6125,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise রেকর্ডার শ্রেনী প্রস্তাবিত
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,গ্রেড {1} এর কর্মচারী {0} এর কোনো ডিফল্ট ছাড় নীতি নেই
 DocType: Salary Detail,Salary Detail,বেতন বিস্তারিত
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,প্রথম {0} দয়া করে নির্বাচন করুন
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,প্রথম {0} দয়া করে নির্বাচন করুন
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} ব্যবহারকারীদের যোগ করা হয়েছে
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","মাল্টি-টিয়ার প্রোগ্রামের ক্ষেত্রে, গ্রাহকরা তাদের ব্যয় অনুযায়ী সংশ্লিষ্ট টায়ারে স্বয়ংক্রিয়ভাবে নিয়োগ পাবেন"
 DocType: Appointment Type,Physician,চিকিত্সক
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,আইটেম এর ব্যাচ {0} {1} মেয়াদ শেষ হয়ে গেছে.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,আইটেম এর ব্যাচ {0} {1} মেয়াদ শেষ হয়ে গেছে.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,আলোচনা
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,ভাল সমাপ্ত
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","আইটেম মূল্য মূল্য তালিকা, সরবরাহকারী / গ্রাহক, মুদ্রা, আইটেম, UOM, পরিমাণ এবং তারিখগুলির উপর ভিত্তি করে একাধিক বার প্রদর্শিত হয়।"
@@ -6068,22 +6138,21 @@
 DocType: Certification Application,Name of Applicant,আবেদনকারীর নাম
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,উত্পাদন জন্য টাইম শিট.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,উপমোট
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,স্টক লেনদেনের পরে বৈকল্পিক বৈশিষ্ট্য পরিবর্তন করা যাবে না। আপনি এটি করতে একটি নতুন আইটেম করতে হবে।
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,স্টক লেনদেনের পরে বৈকল্পিক বৈশিষ্ট্য পরিবর্তন করা যাবে না। আপনি এটি করতে একটি নতুন আইটেম করতে হবে।
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA আদেশ
 DocType: Healthcare Practitioner,Charges,চার্জ
 DocType: Production Plan,Get Items For Work Order,কাজের আদেশ জন্য আইটেম পান
 DocType: Salary Detail,Default Amount,ডিফল্ট পরিমাণ
 DocType: Lab Test Template,Descriptive,বর্ণনামূলক
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,ওয়্যারহাউস সিস্টেম অন্তর্ভুক্ত না
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,এই মাস এর সংক্ষিপ্ত
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,এই মাস এর সংক্ষিপ্ত
 DocType: Quality Inspection Reading,Quality Inspection Reading,গুণ পরিদর্শন ফাইন্যান্স
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`ফ্রিজ স্টক পুরাতন Than`% D দিন চেয়ে কম হওয়া দরকার.
 DocType: Tax Rule,Purchase Tax Template,ট্যাক্স টেমপ্লেট ক্রয়
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,আপনি আপনার কোম্পানির জন্য অর্জন করতে চান একটি বিক্রয় লক্ষ্য সেট করুন।
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,স্বাস্থ্য সেবা পরিষদ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,স্বাস্থ্য সেবা পরিষদ
 ,Project wise Stock Tracking,প্রকল্প জ্ঞানী স্টক ট্র্যাকিং
 DocType: GST HSN Code,Regional,আঞ্চলিক
-DocType: Delivery Note,Transport Mode,পরিবহন মোড
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,পরীক্ষাগার
 DocType: UOM Category,UOM Category,UOM বিভাগ
 DocType: Clinical Procedure Item,Actual Qty (at source/target),(উৎস / লক্ষ্য) প্রকৃত স্টক
@@ -6106,17 +6175,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,ওয়েবসাইট তৈরি করতে ব্যর্থ
 DocType: Soil Analysis,Mg/K,Mg / কে
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM রূপান্তর বিস্তারিত
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,ধারণন স্টক এন্ট্রি ইতিমধ্যে তৈরি বা নমুনা পরিমাণ প্রদান না
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,ধারণন স্টক এন্ট্রি ইতিমধ্যে তৈরি বা নমুনা পরিমাণ প্রদান না
 DocType: Program,Program Abbreviation,প্রোগ্রাম সমাহার
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,উৎপাদন অর্ডার একটি আইটেম টেমপ্লেট বিরুদ্ধে উত্থাপিত হতে পারবেন না
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,চার্জ প্রতিটি আইটেমের বিরুদ্ধে কেনার রসিদ মধ্যে আপডেট করা হয়
 DocType: Warranty Claim,Resolved By,দ্বারা এই সমস্যাগুলি সমাধান
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,সময়সূচী স্রাব
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,চেক এবং আমানত ভুল সাফ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,অ্যাকাউন্ট {0}: আপনি অভিভাবক অ্যাকাউন্ট হিসাবে নিজেকে ধার্য করতে পারবেন না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,অ্যাকাউন্ট {0}: আপনি অভিভাবক অ্যাকাউন্ট হিসাবে নিজেকে ধার্য করতে পারবেন না
 DocType: Purchase Invoice Item,Price List Rate,মূল্যতালিকা হার
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,গ্রাহকের কোট তৈরি করুন
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,পরিষেবা শেষ তারিখ পরিষেবা শেষ তারিখের পরে হতে পারে না
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,পরিষেবা শেষ তারিখ পরিষেবা শেষ তারিখের পরে হতে পারে না
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",&quot;শেয়ার&quot; অথবা এই গুদাম পাওয়া স্টক উপর ভিত্তি করে &quot;না স্টক&quot; প্রদর্শন করা হবে.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),উপকরণ বিল (BOM)
 DocType: Item,Average time taken by the supplier to deliver,সরবরাহকারী কর্তৃক গৃহীত মাঝামাঝি সময় বিলি
@@ -6128,11 +6197,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ঘন্টা
 DocType: Project,Expected Start Date,প্রত্যাশিত স্টার্ট তারিখ
 DocType: Purchase Invoice,04-Correction in Invoice,04 ইনভয়েস ইন সংশোধন
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,BOM এর সাথে সমস্ত আইটেমের জন্য ইতিমধ্যেই তৈরি করা অর্ডার অর্ডার
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,BOM এর সাথে সমস্ত আইটেমের জন্য ইতিমধ্যেই তৈরি করা অর্ডার অর্ডার
 DocType: Payment Request,Party Details,পার্টি বিবরণ
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,বৈকল্পিক বিবরণ প্রতিবেদন
 DocType: Setup Progress Action,Setup Progress Action,সেটআপ অগ্রগতি অ্যাকশন
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,মূল্য তালিকা কেনা
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,মূল্য তালিকা কেনা
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,চার্জ যে আইটেমটি জন্য প্রযোজ্য নয় যদি আইটেমটি মুছে ফেলুন
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,সাবস্ক্রিপশন বাতিল করুন
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,সম্পূর্ণ হিসাবে পরিচর্যা স্থিতি নির্বাচন করুন বা সমাপ্তি তারিখ সরান
@@ -6150,7 +6219,7 @@
 DocType: Asset,Disposal Date,নিষ্পত্তি তারিখ
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ইমেল দেওয়া ঘন্টা এ কোম্পানির সব সক্রিয় এমপ্লয়িজ পাঠানো হবে, যদি তারা ছুটির দিন না. প্রতিক্রিয়া সংক্ষিপ্তসার মধ্যরাতে পাঠানো হবে."
 DocType: Employee Leave Approver,Employee Leave Approver,কর্মী ছুটি রাজসাক্ষী
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},সারি {0}: একটি রেকর্ডার এন্ট্রি ইতিমধ্যে এই গুদাম জন্য বিদ্যমান {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},সারি {0}: একটি রেকর্ডার এন্ট্রি ইতিমধ্যে এই গুদাম জন্য বিদ্যমান {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","উদ্ধৃতি দেয়া হয়েছে, কারণ যত হারিয়ে ডিক্লেয়ার করতে পারেন না."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP অ্যাকাউন্ট
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,প্রশিক্ষণ প্রতিক্রিয়া
@@ -6162,7 +6231,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,তারিখ থেকে তারিখের আগে হতে পারে না
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,সেকশন ফুটার
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ সম্পাদনা বর্ণনা করো
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ সম্পাদনা বর্ণনা করো
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,প্রচারের তারিখের আগে কর্মচারী প্রচার জমা দিতে পারে না
 DocType: Batch,Parent Batch,মূল ব্যাচ
 DocType: Cheque Print Template,Cheque Print Template,চেক প্রিন্ট টেমপ্লেট
@@ -6172,6 +6241,7 @@
 DocType: Clinical Procedure Template,Sample Collection,নমুনা সংগ্রহ
 ,Requested Items To Be Ordered,অনুরোধ করা চলছে আদেশ করা
 DocType: Price List,Price List Name,মূল্যতালিকা নাম
+DocType: Delivery Stop,Dispatch Information,ডিসপ্যাচ তথ্য
 DocType: Blanket Order,Manufacturing,উৎপাদন
 ,Ordered Items To Be Delivered,আদেশ আইটেম বিতরণ করা
 DocType: Account,Income,আয়
@@ -6190,17 +6260,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} প্রয়োজন {2} উপর {3} {4} {5} এই লেনদেন সম্পন্ন করার জন্য ইউনিট.
 DocType: Fee Schedule,Student Category,ছাত্র শ্রেণী
 DocType: Announcement,Student,ছাত্র
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,স্টোরেজ শুরু করার পদ্ধতিটি গুদামে পাওয়া যায় না। আপনি একটি স্টক ট্রান্সফার রেকর্ড করতে চান
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,স্টোরেজ শুরু করার পদ্ধতিটি গুদামে পাওয়া যায় না। আপনি একটি স্টক ট্রান্সফার রেকর্ড করতে চান
 DocType: Shipping Rule,Shipping Rule Type,শিপিং নিয়ম প্রকার
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,রুম এ যান
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","কোম্পানি, পেমেন্ট একাউন্ট, তারিখ থেকে এবং তারিখ থেকে বাধ্যতামূলক"
 DocType: Company,Budget Detail,বাজেট বিস্তারিত
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,পাঠানোর আগে বার্তা লিখতে
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,সরবরাহকারী ক্ষেত্রে সদৃশ
-DocType: Email Digest,Pending Quotations,উদ্ধৃতি অপেক্ষারত
-DocType: Delivery Note,Distance (KM),দূরত্ব (কে.এম)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,সরবরাহকারী&gt; সরবরাহকারী গ্রুপ
 DocType: Asset,Custodian,জিম্মাদার
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,পয়েন্ট অফ বিক্রয় প্রোফাইল
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,পয়েন্ট অফ বিক্রয় প্রোফাইল
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 এবং 100 এর মধ্যে একটি মান হওয়া উচিত
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1} থেকে {2} পর্যন্ত {0} অর্থ প্রদান
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,জামানতবিহীন ঋণ
@@ -6232,10 +6301,10 @@
 DocType: Lead,Converted,ধর্মান্তরিত
 DocType: Item,Has Serial No,সিরিয়াল কোন আছে
 DocType: Employee,Date of Issue,প্রদান এর তারিখ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ক্রয় সেটিংস অনুযায়ী ক্রয় Reciept প্রয়োজনীয় == &#39;হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় রশিদ তৈরি করতে হবে যদি {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ক্রয় সেটিংস অনুযায়ী ক্রয় Reciept প্রয়োজনীয় == &#39;হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় রশিদ তৈরি করতে হবে যদি {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},সারি # {0}: আইটেমের জন্য সেট সরবরাহকারী {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,সারি {0}: ঘন্টা মান শূন্য থেকে বড় হওয়া উচিত.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,আইটেম {1} সংযুক্ত ওয়েবসাইট চিত্র {0} পাওয়া যাবে না
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,আইটেম {1} সংযুক্ত ওয়েবসাইট চিত্র {0} পাওয়া যাবে না
 DocType: Issue,Content Type,কোন ধরনের
 DocType: Asset,Assets,সম্পদ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,কম্পিউটার
@@ -6246,7 +6315,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} অস্তিত্ব নেই
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,অন্যান্য মুদ্রা হিসাব অনুমতি মাল্টি মুদ্রা বিকল্প চেক করুন
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,আইটেম: {0} সিস্টেমের মধ্যে উপস্থিত না
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,আপনি হিমায়িত মূল্য নির্ধারণ করার জন্য অনুমতিপ্রাপ্ত নন
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,আপনি হিমায়িত মূল্য নির্ধারণ করার জন্য অনুমতিপ্রাপ্ত নন
 DocType: Payment Reconciliation,Get Unreconciled Entries,অসমর্পিত এন্ট্রি পেতে
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},কর্মচারী {0} ছেড়ে চলে গেছে {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,জার্নাল এন্ট্রি জন্য কোন প্রতিস্থাপিত নির্বাচন
@@ -6264,13 +6333,14 @@
 ,Average Commission Rate,গড় কমিশন হার
 DocType: Share Balance,No of Shares,শেয়ারের সংখ্যা
 DocType: Taxable Salary Slab,To Amount,মূল্যে
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'সিরিয়াল নং আছে' কখনই নন-ষ্টক আইটেমের ক্ষেত্রে 'হ্যাঁ' হতে পারবে না
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'সিরিয়াল নং আছে' কখনই নন-ষ্টক আইটেমের ক্ষেত্রে 'হ্যাঁ' হতে পারবে না
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,স্থিতি নির্বাচন করুন
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,এ্যাটেনডেন্স ভবিষ্যতে তারিখগুলি জন্য চিহ্নিত করা যাবে না
 DocType: Support Search Source,Post Description Key,পোস্ট বর্ণনা কী
 DocType: Pricing Rule,Pricing Rule Help,প্রাইসিং শাসন সাহায্য
 DocType: School House,House Name,হাউস নাম
 DocType: Fee Schedule,Total Amount per Student,প্রতি শিক্ষার্থীর মোট পরিমাণ
+DocType: Opportunity,Sales Stage,বিক্রয় পর্যায়
 DocType: Purchase Taxes and Charges,Account Head,অ্যাকাউন্ট হেড
 DocType: Company,HRA Component,এইচআরএ কম্পোনেন্ট
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,বৈদ্যুতিক
@@ -6278,15 +6348,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),মোট মূল্য পার্থক্য (আউট - ইন)
 DocType: Grant Application,Requested Amount,অনুরোধ পরিমাণ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,সারি {0}: বিনিময় হার বাধ্যতামূলক
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ইউজার আইডি কর্মচারী জন্য নির্ধারণ করে না {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ইউজার আইডি কর্মচারী জন্য নির্ধারণ করে না {0}
 DocType: Vehicle,Vehicle Value,যানবাহন মূল্য
 DocType: Crop Cycle,Detected Diseases,সনাক্ত রোগ
 DocType: Stock Entry,Default Source Warehouse,ডিফল্ট সোর্স ওয়্যারহাউস
 DocType: Item,Customer Code,গ্রাহক কোড
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},জন্য জন্মদিনের স্মারক {0}
 DocType: Asset Maintenance Task,Last Completion Date,শেষ সমাপ্তি তারিখ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,শেষ আদেশ থেকে দিনের
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,অ্যাকাউন্ট ডেবিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,অ্যাকাউন্ট ডেবিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
 DocType: Asset,Naming Series,নামকরণ সিরিজ
 DocType: Vital Signs,Coated,প্রলিপ্ত
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,সারি {0}: সম্ভাব্য মূল্য পরে দরকারী জীবন গ্রস ক্রয় পরিমাণের চেয়ে কম হওয়া আবশ্যক
@@ -6304,15 +6373,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,হুণ্ডি {0} সম্পন্ন করা সম্ভব নয়
 DocType: Notification Control,Sales Invoice Message,বিক্রয় চালান পাঠান
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,অ্যাকাউন্ট {0} সমাপ্তি ধরনের দায় / ইক্যুইটি হওয়া আবশ্যক
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে সময় শীট জন্য নির্মিত {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে সময় শীট জন্য নির্মিত {1}
 DocType: Vehicle Log,Odometer,দূরত্বমাপণী
 DocType: Production Plan Item,Ordered Qty,আদেশ Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,আইটেম {0} নিষ্ক্রিয় করা হয়
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,আইটেম {0} নিষ্ক্রিয় করা হয়
 DocType: Stock Settings,Stock Frozen Upto,শেয়ার হিমায়িত পর্যন্ত
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM কোনো স্টক আইটেম নেই
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM কোনো স্টক আইটেম নেই
 DocType: Chapter,Chapter Head,অধ্যায় হেড
 DocType: Payment Term,Month(s) after the end of the invoice month,চালান মাস শেষে মাস (গণ)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,বেনিফিটের পরিমাণ বিতরণের জন্য বেতন কাঠামোর নমনীয় সুবিধা উপাদান (গুলি) থাকা উচিত
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,বেনিফিটের পরিমাণ বিতরণের জন্য বেতন কাঠামোর নমনীয় সুবিধা উপাদান (গুলি) থাকা উচিত
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,প্রকল্পের কার্যকলাপ / টাস্ক.
 DocType: Vital Signs,Very Coated,খুব কোটা
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),শুধুমাত্র ট্যাক্স প্রভাব (করযোগ্য আয়ের দাবি নাও করতে পারে)
@@ -6330,7 +6399,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,বিলিং ঘন্টা
 DocType: Project,Total Sales Amount (via Sales Order),মোট বিক্রয় পরিমাণ (বিক্রয় আদেশের মাধ্যমে)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,জন্য {0} পাওয়া ডিফল্ট BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,সারি # {0}: পুনর্বিন্যাস পরিমাণ সেট করুন
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,সারি # {0}: পুনর্বিন্যাস পরিমাণ সেট করুন
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,তাদের এখানে যোগ করার জন্য আইটেম ট্যাপ
 DocType: Fees,Program Enrollment,প্রোগ্রাম তালিকাভুক্তি
 DocType: Share Transfer,To Folio No,ফোলিও না
@@ -6370,9 +6439,9 @@
 DocType: SG Creation Tool Course,Max Strength,সর্বোচ্চ শক্তি
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,প্রিসেটগুলি ইনস্টল করা হচ্ছে
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,Edu-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},গ্রাহকের জন্য কোন ডেলিভারি নোট নির্বাচিত {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},গ্রাহকের জন্য কোন ডেলিভারি নোট নির্বাচিত {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,কর্মচারী {0} এর সর্বাধিক বেনিফিট পরিমাণ নেই
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,ডেলিভারি তারিখ উপর ভিত্তি করে আইটেম নির্বাচন করুন
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,ডেলিভারি তারিখ উপর ভিত্তি করে আইটেম নির্বাচন করুন
 DocType: Grant Application,Has any past Grant Record,কোন অতীতের গ্রান্ট রেকর্ড আছে
 ,Sales Analytics,বিক্রয় বিশ্লেষণ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},উপলভ্য {0}
@@ -6380,12 +6449,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,উৎপাদন সেটিংস
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ইমেইল সেট আপ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 মোবাইল কোন
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,কোম্পানি মাস্টার ডিফল্ট মুদ্রা লিখুন দয়া করে
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,কোম্পানি মাস্টার ডিফল্ট মুদ্রা লিখুন দয়া করে
 DocType: Stock Entry Detail,Stock Entry Detail,শেয়ার এন্ট্রি বিস্তারিত
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,দৈনিক অনুস্মারক
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,দৈনিক অনুস্মারক
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,সমস্ত খোলা টিকিট দেখুন
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,স্বাস্থ্যসেবা পরিষেবা ইউনিট ট্রি
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,প্রোডাক্ট
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,প্রোডাক্ট
 DocType: Products Settings,Home Page is Products,হোম পেজ পণ্য
 ,Asset Depreciation Ledger,অ্যাসেট অবচয় লেজার
 DocType: Salary Structure,Leave Encashment Amount Per Day,ছুটির নগদ নগদ পরিমাণ প্রতি দিন
@@ -6395,8 +6464,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,কাঁচামালের সরবরাহ খরচ
 DocType: Selling Settings,Settings for Selling Module,মডিউল বিক্রী জন্য সেটিংস
 DocType: Hotel Room Reservation,Hotel Room Reservation,হোটেল রুম সংরক্ষণ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,গ্রাহক সেবা
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,গ্রাহক সেবা
 DocType: BOM,Thumbnail,ছোট
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ইমেল আইডি সঙ্গে কোন যোগাযোগ পাওয়া যায় নি।
 DocType: Item Customer Detail,Item Customer Detail,আইটেম গ্রাহক বিস্তারিত
 DocType: Notification Control,Prompt for Email on Submission of,জমা ইমেইল জন্য অনুরোধ করা
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},কর্মীর সর্বাধিক সুবিধা পরিমাণ {0} অতিক্রম করে {1}
@@ -6406,13 +6476,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,আইটেম {0} একটি স্টক আইটেম হতে হবে
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,প্রগতি গুদাম ডিফল্ট কাজ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} ওভারল্যাপের জন্য সময়সূচী, আপনি কি ওভারল্যাপেড স্লটগুলি বাদ দিয়ে এগিয়ে যেতে চান?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,অ্যাকাউন্টিং লেনদেনের জন্য ডিফল্ট সেটিংস.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,অ্যাকাউন্টিং লেনদেনের জন্য ডিফল্ট সেটিংস.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,গ্রান্ট পাতা
 DocType: Restaurant,Default Tax Template,ডিফল্ট ট্যাক্স টেমপ্লেট
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} শিক্ষার্থীদের নাম তালিকাভুক্ত করা হয়েছে
 DocType: Fees,Student Details,ছাত্রের বিবরণ
 DocType: Purchase Invoice Item,Stock Qty,স্টক Qty
 DocType: Contract,Requires Fulfilment,পূরণের প্রয়োজন
+DocType: QuickBooks Migrator,Default Shipping Account,ডিফল্ট শিপিং অ্যাকাউন্ট
 DocType: Loan,Repayment Period in Months,মাস মধ্যে ঋণ পরিশোধের সময় সীমা
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ত্রুটি: একটি বৈধ আইডি?
 DocType: Naming Series,Update Series Number,আপডেট সিরিজ সংখ্যা
@@ -6426,11 +6497,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,সর্বোচ্চ পরিমাণ
 DocType: Journal Entry,Total Amount Currency,মোট পরিমাণ মুদ্রা
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,অনুসন্ধান সাব সমাহারগুলি
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},আইটেম কোড সারি কোন সময়ে প্রয়োজনীয় {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},আইটেম কোড সারি কোন সময়ে প্রয়োজনীয় {0}
 DocType: GST Account,SGST Account,SGST অ্যাকাউন্ট
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,আইটেমগুলিতে যান
 DocType: Sales Partner,Partner Type,সাথি ধরন
-DocType: Purchase Taxes and Charges,Actual,আসল
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,আসল
 DocType: Restaurant Menu,Restaurant Manager,রেস্টুরেন্ট ম্যানেজার
 DocType: Authorization Rule,Customerwise Discount,Customerwise ছাড়
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,কাজের জন্য শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড.
@@ -6451,7 +6522,7 @@
 DocType: Employee,Cheque,চেক
 DocType: Training Event,Employee Emails,কর্মচারী ইমেইলের
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,সিরিজ আপডেট
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,প্রতিবেদন প্রকার বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,প্রতিবেদন প্রকার বাধ্যতামূলক
 DocType: Item,Serial Number Series,ক্রমিক সংখ্যা সিরিজ
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ওয়্যারহাউস সারিতে স্টক আইটেম {0} জন্য বাধ্যতামূলক {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,খুচরা পাইকারি
@@ -6481,7 +6552,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,বিক্রয় আদেশ বিল পরিশোধ পরিমাণ আপডেট
 DocType: BOM,Materials,উপকরণ
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","সংযত না হলে, তালিকা থেকে এটি প্রয়োগ করা হয়েছে যেখানে প্রতিটি ডিপার্টমেন্ট যোগ করা হবে."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,তারিখ পোস্টিং এবং সময় পোস্ট বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,তারিখ পোস্টিং এবং সময় পোস্ট বাধ্যতামূলক
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,লেনদেন কেনার জন্য ট্যাক্স টেমপ্লেট.
 ,Item Prices,আইটেমটি মূল্য
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,আপনি ক্রয় আদেশ সংরক্ষণ একবার শব্দ দৃশ্যমান হবে.
@@ -6497,12 +6568,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),অ্যাসেট হ্রাসের প্রারম্ভিক সিরিজ (জার্নাল এণ্ট্রি)
 DocType: Membership,Member Since,সদস্য থেকে
 DocType: Purchase Invoice,Advance Payments,অগ্রিম প্রদান
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,স্বাস্থ্যসেবা পরিষেবা নির্বাচন করুন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,স্বাস্থ্যসেবা পরিষেবা নির্বাচন করুন
 DocType: Purchase Taxes and Charges,On Net Total,একুন উপর
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} অ্যাট্রিবিউট মূল্য পরিসীমা মধ্যে হতে হবে {1} থেকে {2} এর ইনক্রিমেন্ট নামের মধ্যে {3} আইটেম জন্য {4}
 DocType: Restaurant Reservation,Waitlisted,অপেক্ষমান তালিকার
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,অব্যাহতি বিভাগ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,মুদ্রা একক কিছু অন্যান্য মুদ্রা ব্যবহার এন্ট্রি করার পর পরিবর্তন করা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,মুদ্রা একক কিছু অন্যান্য মুদ্রা ব্যবহার এন্ট্রি করার পর পরিবর্তন করা যাবে না
 DocType: Shipping Rule,Fixed,স্থায়ী
 DocType: Vehicle Service,Clutch Plate,ক্লাচ প্লেট
 DocType: Company,Round Off Account,অ্যাকাউন্ট বন্ধ বৃত্তাকার
@@ -6511,7 +6582,7 @@
 DocType: Subscription Plan,Based on price list,মূল্য তালিকা উপর ভিত্তি করে
 DocType: Customer Group,Parent Customer Group,মূল ক্রেতা গ্রুপ
 DocType: Vehicle Service,Change,পরিবর্তন
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,চাঁদা
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,চাঁদা
 DocType: Purchase Invoice,Contact Email,যোগাযোগের ই - মেইল
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ফি নির্মাণ মুলতুবি
 DocType: Appraisal Goal,Score Earned,স্কোর অর্জিত
@@ -6538,23 +6609,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,গ্রহনযোগ্য / প্রদেয় অ্যাকাউন্ট
 DocType: Delivery Note Item,Against Sales Order Item,বিক্রয় আদেশ আইটেমটি বিরুদ্ধে
 DocType: Company,Company Logo,কোম্পানী লোগো
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},অ্যাট্রিবিউট মূল্য গুন উল্লেখ করুন {0}
-DocType: Item Default,Default Warehouse,ডিফল্ট ওয়্যারহাউস
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},অ্যাট্রিবিউট মূল্য গুন উল্লেখ করুন {0}
+DocType: QuickBooks Migrator,Default Warehouse,ডিফল্ট ওয়্যারহাউস
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},বাজেট গ্রুপ অ্যাকাউন্ট বিরুদ্ধে নিয়োগ করা যাবে না {0}
 DocType: Shopping Cart Settings,Show Price,মূল্য দেখান
 DocType: Healthcare Settings,Patient Registration,রোগীর নিবন্ধন
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,ঊর্ধ্বতন খরচ কেন্দ্র লিখুন দয়া করে
 DocType: Delivery Note,Print Without Amount,পরিমাণ ব্যতীত প্রিন্ট
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,অবচয় তারিখ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,অবচয় তারিখ
 ,Work Orders in Progress,অগ্রগতির কাজ আদেশ
 DocType: Issue,Support Team,দলকে সমর্থন
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),মেয়াদ শেষ হওয়ার (দিনে)
 DocType: Appraisal,Total Score (Out of 5),(5 এর মধ্যে) মোট স্কোর
 DocType: Student Attendance Tool,Batch,ব্যাচ
 DocType: Support Search Source,Query Route String,প্রশ্ন রুট স্ট্রিং
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,সর্বশেষ ক্রয় অনুযায়ী হার আপডেট করুন
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,সর্বশেষ ক্রয় অনুযায়ী হার আপডেট করুন
 DocType: Donor,Donor Type,দাতার প্রকার
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,স্বতঃ পুনরাবৃত্ত নথি আপডেট করা হয়েছে
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,স্বতঃ পুনরাবৃত্ত নথি আপডেট করা হয়েছে
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,ভারসাম্য
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,কোম্পানী নির্বাচন করুন
 DocType: Job Card,Job Card,কাজের কার্ড
@@ -6568,7 +6639,7 @@
 DocType: Assessment Result,Total Score,সম্পূর্ণ ফলাফল
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 মান
 DocType: Journal Entry,Debit Note,ডেবিট নোট
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,আপনি এই ক্রমে সর্বোচ্চ {0} পয়েন্টটি পুনরুদ্ধার করতে পারেন।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,আপনি এই ক্রমে সর্বোচ্চ {0} পয়েন্টটি পুনরুদ্ধার করতে পারেন।
 DocType: Expense Claim,HR-EXP-.YYYY.-,এইচআর-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,দয়া করে API উপভোক্তা সিক্রেট প্রবেশ করুন
 DocType: Stock Entry,As per Stock UOM,শেয়ার UOM অনুযায়ী
@@ -6581,10 +6652,11 @@
 DocType: Journal Entry,Total Debit,খরচের অঙ্ক
 DocType: Travel Request Costing,Sponsored Amount,স্পনসর্ড পরিমাণ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,ডিফল্ট তৈরি পণ্য গুদাম
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,রোগীর নির্বাচন করুন
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,রোগীর নির্বাচন করুন
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,সেলস পারসন
 DocType: Hotel Room Package,Amenities,সুযোগ-সুবিধা
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,বাজেট এবং খরচ কেন্দ্র
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited তহবিল অ্যাকাউন্ট
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,বাজেট এবং খরচ কেন্দ্র
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,পেমেন্ট একাধিক ডিফল্ট মোড অনুমতি দেওয়া হয় না
 DocType: Sales Invoice,Loyalty Points Redemption,আনুগত্য পয়েন্ট রিডমপশন
 ,Appointment Analytics,নিয়োগের বিশ্লেষণ
@@ -6598,6 +6670,7 @@
 DocType: Batch,Manufacturing Date,উৎপাদনের তারিখ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,ফি নির্মাণ ব্যর্থ হয়েছে
 DocType: Opening Invoice Creation Tool,Create Missing Party,নিখোঁজ পার্টি তৈরি করুন
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,মোট বাজেট
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ফাঁকা ছেড়ে দিন যদি আপনি প্রতি বছরে শিক্ষার্থীদের গ্রুপ করা
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","চেক করা থাকলে, মোট কোন. কার্যদিবসের ছুটির অন্তর্ভুক্ত করা হবে, এবং এই বেতন প্রতি দিন মূল্য কমাতে হবে"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","বর্তমান কী ব্যবহার করে অ্যাপস অ্যাক্সেস করতে পারবে না, আপনি কি নিশ্চিত?"
@@ -6613,20 +6686,19 @@
 DocType: Opportunity Item,Basic Rate,মৌলিক হার
 DocType: GL Entry,Credit Amount,ক্রেডিট পরিমাণ
 DocType: Cheque Print Template,Signatory Position,স্বাক্ষরকারী অবস্থান
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,লস্ট হিসেবে সেট
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,লস্ট হিসেবে সেট
 DocType: Timesheet,Total Billable Hours,মোট বিলযোগ্য ঘন্টা
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,গ্রাহককে এই সাবস্ক্রিপশন দ্বারা উত্পন্ন চালান প্রদান করতে হবে এমন দিনের সংখ্যা
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,কর্মচারী বেনিফিট আবেদন বিস্তারিত
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,পরিশোধের রশিদের উল্লেখ্য
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,এই গ্রাহকের বিরুদ্ধে লেনদেনের উপর ভিত্তি করে তৈরি. বিস্তারিত জানার জন্য নিচের টাইমলাইনে দেখুন
-DocType: Delivery Note,ODC,ওডিসি
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},সারি {0}: বরাদ্দ পরিমাণ {1} কম হতে পারে অথবা পেমেন্ট এন্ট্রি পরিমাণ সমান নয় {2}
 DocType: Program Enrollment Tool,New Academic Term,নতুন অ্যাকাডেমিক টার্ম
 ,Course wise Assessment Report,কোর্সের জ্ঞানী আসেসমেন্ট রিপোর্ট
 DocType: Purchase Invoice,Availed ITC State/UT Tax,আসন্ন আইটিসি রাজ্য / কেন্দ্রশাসিত অঞ্চল ট্যাক্স
 DocType: Tax Rule,Tax Rule,ট্যাক্স রুল
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,বিক্রয় চক্র সর্বত্র একই হার বজায় রাখা
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,মার্কেটপ্লেসে রেজিস্টার করার জন্য অন্য ব্যবহারকারী হিসাবে লগইন করুন
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,মার্কেটপ্লেসে রেজিস্টার করার জন্য অন্য ব্যবহারকারী হিসাবে লগইন করুন
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ওয়ার্কস্টেশন ওয়ার্কিং সময়ের বাইরে সময় লগ পরিকল্পনা করুন.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,সারিতে গ্রাহকরা
 DocType: Driver,Issuing Date,বরাদ্দের তারিখ
@@ -6635,11 +6707,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,আরও প্রসেসিং জন্য এই ওয়ার্ক অর্ডার জমা।
 ,Items To Be Requested,চলছে অনুরোধ করা
 DocType: Company,Company Info,প্রতিষ্ঠানের তথ্য
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,নির্বাচন বা নতুন গ্রাহক যোগ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,নির্বাচন বা নতুন গ্রাহক যোগ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,খরচ কেন্দ্র একটি ব্যয় দাবি বুক করতে প্রয়োজন বোধ করা হয়
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ফান্ডস (সম্পদ) এর আবেদন
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,এই কর্মচারী উপস্থিতি উপর ভিত্তি করে
-DocType: Assessment Result,Summary,সারাংশ
 DocType: Payment Request,Payment Request Type,পেমেন্ট অনুরোধ প্রকার
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,মার্ক এ্যাটেনডেন্স
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ডেবিট অ্যাকাউন্ট
@@ -6647,7 +6718,7 @@
 DocType: Additional Salary,Employee Name,কর্মকর্তার নাম
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,রেস্টুরেন্ট অর্ডার এন্ট্রি আইটেম
 DocType: Purchase Invoice,Rounded Total (Company Currency),গোলাকৃতি মোট (কোম্পানি একক)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"অ্যাকাউন্ট ধরন নির্বাচন করা হয়, কারণ গ্রুপের গোপন করা যাবে না."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"অ্যাকাউন্ট ধরন নির্বাচন করা হয়, কারণ গ্রুপের গোপন করা যাবে না."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} নথীটি পরিবর্তিত হয়েছে. রিফ্রেশ করুন.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,নিম্নলিখিত দিন ছুটি অ্যাপ্লিকেশন তৈরি করা থেকে ব্যবহারকারীদের বিরত থাকুন.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","যদি আনুগত্যকালের আনুপাতিক মেয়াদকালের মেয়াদ শেষ হয়ে যায়, তাহলে মেয়াদ শেষের সময়টি খালি রাখুন অথবা 0।"
@@ -6668,11 +6739,12 @@
 DocType: Asset,Out of Order,অর্ডার আউট
 DocType: Purchase Receipt Item,Accepted Quantity,গৃহীত পরিমাণ
 DocType: Projects Settings,Ignore Workstation Time Overlap,ওয়ার্কস্টেশন সময় ওভারল্যাপ উপেক্ষা করুন
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},একটি ডিফল্ট কর্মচারী জন্য হলিডে তালিকা নির্ধারণ করুন {0} বা কোম্পানির {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},একটি ডিফল্ট কর্মচারী জন্য হলিডে তালিকা নির্ধারণ করুন {0} বা কোম্পানির {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} বিদ্যমান নয়
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,ব্যাচ নাম্বার নির্বাচন
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN তে
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN তে
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,গ্রাহকরা উত্থাপিত বিল.
+DocType: Healthcare Settings,Invoice Appointments Automatically,স্বয়ংক্রিয়ভাবে চালান নিয়োগ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,প্রকল্প আইডি
 DocType: Salary Component,Variable Based On Taxable Salary,করযোগ্য বেতন উপর ভিত্তি করে পরিবর্তনশীল
 DocType: Company,Basic Component,বেসিক কম্পোনেন্ট
@@ -6685,10 +6757,10 @@
 DocType: Stock Entry,Source Warehouse Address,উত্স গুদাম ঠিকানা
 DocType: GL Entry,Voucher Type,ভাউচার ধরন
 DocType: Amazon MWS Settings,Max Retry Limit,সর্বাধিক রিট্রি সীমা
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না
 DocType: Student Applicant,Approved,অনুমোদিত
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,মূল্য
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} নির্ধারণ করা আবশ্যক উপর অব্যাহতিপ্রাপ্ত কর্মচারী &#39;বাম&#39; হিসাবে
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} নির্ধারণ করা আবশ্যক উপর অব্যাহতিপ্রাপ্ত কর্মচারী &#39;বাম&#39; হিসাবে
 DocType: Marketplace Settings,Last Sync On,শেষ সিঙ্ক অন
 DocType: Guardian,Guardian,অভিভাবক
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,এর সাথে এবং এর সাথে সম্পর্কিত সমস্ত যোগাযোগগুলি নতুন ইস্যুতে স্থানান্তরিত হবে
@@ -6711,14 +6783,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ক্ষেত্র সনাক্ত রোগের তালিকা। নির্বাচিত হলে এটি স্বয়ংক্রিয়ভাবে রোগের মোকাবেলা করার জন্য কর্মের তালিকা যোগ করবে
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,এটি একটি রুট হেলথ কেয়ার সার্ভিস ইউনিট এবং সম্পাদনা করা যাবে না।
 DocType: Asset Repair,Repair Status,স্থায়ী অবস্থা মেরামত
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,বিক্রয় অংশীদার যোগ করুন
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,অ্যাকাউন্টিং জার্নাল এন্ট্রি.
 DocType: Travel Request,Travel Request,ভ্রমণের অনুরোধ
 DocType: Delivery Note Item,Available Qty at From Warehouse,গুদাম থেকে এ উপলব্ধ Qty
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,প্রথম কর্মী রেকর্ড নির্বাচন করুন.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,এটি একটি হলিডে হিসাবে {0} জন্য উপস্থিতি জমা না
 DocType: POS Profile,Account for Change Amount,পরিমাণ পরিবর্তনের জন্য অ্যাকাউন্ট
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks সাথে সংযোগ স্থাপন
 DocType: Exchange Rate Revaluation,Total Gain/Loss,মোট লাভ / ক্ষতি
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,ইন্টার কোম্পানি ইনভয়েস জন্য অবৈধ কোম্পানি।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,ইন্টার কোম্পানি ইনভয়েস জন্য অবৈধ কোম্পানি।
 DocType: Purchase Invoice,input service,ইনপুট পরিষেবা
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},সারি {0}: পার্টি / অ্যাকাউন্টের সাথে মেলে না {1} / {2} এ {3} {4}
 DocType: Employee Promotion,Employee Promotion,কর্মচারী প্রচার
@@ -6727,12 +6801,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,কোর্স কোড:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,ব্যয় অ্যাকাউন্ট লিখুন দয়া করে
 DocType: Account,Stock,স্টক
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার ক্রয় আদেশ এক, ক্রয় চালান বা জার্নাল এন্ট্রি করতে হবে"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার ক্রয় আদেশ এক, ক্রয় চালান বা জার্নাল এন্ট্রি করতে হবে"
 DocType: Employee,Current Address,বর্তমান ঠিকানা
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","স্পষ্টভাবে উল্লেখ তবে আইটেমটি তারপর বর্ণনা, চিত্র, প্রাইসিং, করের টেমপ্লেট থেকে নির্ধারণ করা হবে ইত্যাদি অন্য আইটেম একটি বৈকল্পিক যদি"
 DocType: Serial No,Purchase / Manufacture Details,ক্রয় / প্রস্তুত বিস্তারিত
 DocType: Assessment Group,Assessment Group,অ্যাসেসমেন্ট গ্রুপ
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,ব্যাচ পরিসংখ্যা
+DocType: Supplier,GST Transporter ID,জিএসটি ট্রান্সপোর্টার আইডি
 DocType: Procedure Prescription,Procedure Name,পদ্ধতি নাম
 DocType: Employee,Contract End Date,চুক্তি শেষ তারিখ
 DocType: Amazon MWS Settings,Seller ID,বিক্রেতা আইডি
@@ -6752,12 +6827,12 @@
 DocType: Company,Date of Incorporation,নিগম তারিখ
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,মোট ট্যাক্স
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,শেষ ক্রয় মূল্য
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,পরিমাণ (Qty শিল্পজাত) বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,পরিমাণ (Qty শিল্পজাত) বাধ্যতামূলক
 DocType: Stock Entry,Default Target Warehouse,ডিফল্ট উদ্দিষ্ট ওয়্যারহাউস
 DocType: Purchase Invoice,Net Total (Company Currency),একুন (কোম্পানি একক)
 DocType: Delivery Note,Air,বায়ু
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,বছর শেষ তারিখ চেয়ে বছর শুরুর তারিখ আগেই হতে পারে না. তারিখ সংশোধন করে আবার চেষ্টা করুন.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ঐচ্ছিক ছুটির তালিকাতে নেই
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ঐচ্ছিক ছুটির তালিকাতে নেই
 DocType: Notification Control,Purchase Receipt Message,কেনার রসিদ পাঠান
 DocType: Amazon MWS Settings,JP,জেপি
 DocType: BOM,Scrap Items,স্ক্র্যাপ সামগ্রী
@@ -6779,23 +6854,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,সিদ্ধি
 DocType: Purchase Taxes and Charges,On Previous Row Amount,পূর্ববর্তী সারি পরিমাণ
 DocType: Item,Has Expiry Date,মেয়াদ শেষের তারিখ আছে
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,ট্রান্সফার অ্যাসেট
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,ট্রান্সফার অ্যাসেট
 DocType: POS Profile,POS Profile,পিওএস প্রোফাইল
 DocType: Training Event,Event Name,অনুষ্ঠানের নাম
 DocType: Healthcare Practitioner,Phone (Office),ফোন (অফিস)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","জমা দিতে পারবেন না, কর্মচারী উপস্থিতি হাজির বাকি"
 DocType: Inpatient Record,Admission,স্বীকারোক্তি
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},জন্য অ্যাডমিশন {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","সেটিং বাজেটের, লক্ষ্যমাত্রা ইত্যাদি জন্য ঋতু"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","সেটিং বাজেটের, লক্ষ্যমাত্রা ইত্যাদি জন্য ঋতু"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,পরিবর্তনশীল নাম
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} আইটেম একটি টেমপ্লেট, তার ভিন্নতা একটি নির্বাচন করুন"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,মানব সম্পদ&gt; এইচআর সেটিংস মধ্যে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন
+DocType: Purchase Invoice Item,Deferred Expense,বিলম্বিত ব্যয়
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},তারিখ থেকে {0} কর্মী এর যোগদান তারিখ {1} আগে হতে পারে না
 DocType: Asset,Asset Category,অ্যাসেট শ্রেণী
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,নেট বেতন নেতিবাচক হতে পারে না
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,নেট বেতন নেতিবাচক হতে পারে না
 DocType: Purchase Order,Advance Paid,অগ্রিম প্রদত্ত
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,বিক্রয় আদেশের জন্য প্রযোজক শতাংশ
 DocType: Item,Item Tax,আইটেমটি ট্যাক্স
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,সরবরাহকারী উপাদান
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,সরবরাহকারী উপাদান
 DocType: Soil Texture,Loamy Sand,দোআঁশ বালি
 DocType: Production Plan,Material Request Planning,উপাদান অনুরোধ পরিকল্পনা
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,আবগারি চালান
@@ -6817,11 +6894,11 @@
 DocType: Scheduling Tool,Scheduling Tool,পূর্বপরিকল্পনা টুল
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,ক্রেডিট কার্ড
 DocType: BOM,Item to be manufactured or repacked,আইটেম শিল্পজাত বা repacked করা
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},শর্তে সিনট্যাক্স ত্রুটি: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},শর্তে সিনট্যাক্স ত্রুটি: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,Edu-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,মেজর / ঐচ্ছিক বিষয়াবলী
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,আপনার বিপণন সেটিংস সরবরাহকারী গ্রুপ সেট করুন।
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,আপনার বিপণন সেটিংস সরবরাহকারী গ্রুপ সেট করুন।
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",সর্বাধিক নমনীয় সুবিধা উপাদান পরিমাণ {0} সর্বাধিক বেনিফিটের চেয়ে কম হওয়া উচিত নয় {1}
 DocType: Sales Invoice Item,Drop Ship,ড্রপ জাহাজ
 DocType: Driver,Suspended,স্থগিত
@@ -6841,7 +6918,7 @@
 DocType: Customer,Commission Rate,কমিশন হার
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,সফলভাবে পেমেন্ট এন্ট্রি তৈরি করা হয়েছে
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1} এর জন্য {1} স্কোরকার্ড তৈরি করেছেন:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,ভেরিয়েন্ট করুন
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,ভেরিয়েন্ট করুন
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","পেমেন্ট টাইপ, জখন এক হতে হবে বেতন ও ইন্টারনাল ট্রান্সফার"
 DocType: Travel Itinerary,Preferred Area for Lodging,লোডিং জন্য পছন্দের ক্ষেত্র
 apps/erpnext/erpnext/config/selling.py +184,Analytics,বৈশ্লেষিক ন্যায়
@@ -6852,7 +6929,7 @@
 DocType: Work Order,Actual Operating Cost,আসল অপারেটিং খরচ
 DocType: Payment Entry,Cheque/Reference No,চেক / রেফারেন্স কোন
 DocType: Soil Texture,Clay Loam,কাদা দোআঁশ মাটি
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,রুট সম্পাদনা করা যাবে না.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,রুট সম্পাদনা করা যাবে না.
 DocType: Item,Units of Measure,পরিমাপ ইউনিট
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,মেট্রো শহরের ভাড়াটে
 DocType: Supplier,Default Tax Withholding Config,ডিফল্ট ট্যাক্স আটকানো কনফিগারেশন
@@ -6870,21 +6947,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,পেমেন্ট সম্পন্ন করার পর নির্বাচিত পৃষ্ঠাতে ব্যবহারকারী পুনর্নির্দেশ.
 DocType: Company,Existing Company,বিদ্যমান কোম্পানী
 DocType: Healthcare Settings,Result Emailed,ফলাফল ইমেল
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ট্যাক্স শ্রেণী &quot;মোট&quot; এ পরিবর্তন করা হয়েছে কারণ সব আইটেম অ স্টক আইটেম নেই
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ট্যাক্স শ্রেণী &quot;মোট&quot; এ পরিবর্তন করা হয়েছে কারণ সব আইটেম অ স্টক আইটেম নেই
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,তারিখ থেকে তারিখ থেকে সমান বা কম হতে পারে না
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,পরিবর্তন করতে কিছুই নেই
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,একটি CSV ফাইল নির্বাচন করুন
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,একটি CSV ফাইল নির্বাচন করুন
 DocType: Holiday List,Total Holidays,মোট ছুটির দিন
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,প্রেরণের জন্য অনুপস্থিত ইমেল টেমপ্লেট। ডেলিভারি সেটিংস এক সেট করুন।
 DocType: Student Leave Application,Mark as Present,বর্তমান হিসাবে চিহ্নিত করুন
 DocType: Supplier Scorecard,Indicator Color,নির্দেশক রঙ
 DocType: Purchase Order,To Receive and Bill,জখন এবং বিল থেকে
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,সারি # {0}: তারিখ দ্বারা রেকিড লেনদেন তারিখের আগে হতে পারে না
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,সারি # {0}: তারিখ দ্বারা রেকিড লেনদেন তারিখের আগে হতে পারে না
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,বৈশিষ্ট্যযুক্ত পণ্য
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,সিরিয়াল নম্বর নির্বাচন করুন
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,সিরিয়াল নম্বর নির্বাচন করুন
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,ডিজাইনার
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,শর্তাবলী টেমপ্লেট
 DocType: Serial No,Delivery Details,প্রসবের বিবরণ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},ধরণ জন্য খরচ কেন্দ্র সারিতে প্রয়োজন বোধ করা হয় {0} কর টেবিল {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},ধরণ জন্য খরচ কেন্দ্র সারিতে প্রয়োজন বোধ করা হয় {0} কর টেবিল {1}
 DocType: Program,Program Code,প্রোগ্রাম কোড
 DocType: Terms and Conditions,Terms and Conditions Help,চুক্তি ও শর্তাদি সহায়তা
 ,Item-wise Purchase Register,আইটেম-বিজ্ঞ ক্রয় নিবন্ধন
@@ -6897,15 +6975,16 @@
 DocType: Contract,Contract Terms,চুক্তির শর্তাবলী
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,মুদ্রা ইত্যাদি $ মত কোন প্রতীক পরের প্রদর্শন না.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},{0} উপাদানের সর্বাধিক সুবিধা পরিমাণ ছাড়িয়ে গেছে {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(অর্ধদিবস)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(অর্ধদিবস)
 DocType: Payment Term,Credit Days,ক্রেডিট দিন
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,ল্যাব পরীক্ষা পেতে রোগীর নির্বাচন করুন
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,স্টুডেন্ট ব্যাচ করুন
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,উত্পাদন জন্য স্থানান্তর অনুমোদন
 DocType: Leave Type,Is Carry Forward,এগিয়ে বহন করা হয়
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM থেকে জানানোর পান
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM থেকে জানানোর পান
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,সময় দিন লিড
 DocType: Cash Flow Mapping,Is Income Tax Expense,আয়কর ব্যয় হয়
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,আপনার অর্ডার প্রসবের জন্য আউট!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},সারি # {0}: পোস্টিং তারিখ ক্রয় তারিখ হিসাবে একই হতে হবে {1} সম্পত্তির {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,এই চেক শিক্ষার্থীর ইন্সটিটিউটের হোস্টেল এ অবস্থিত হয়।
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,উপরে টেবিল এ সেলস অর্ডার প্রবেশ করুন
@@ -6913,10 +6992,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,অন্য এক গুদাম থেকে একটি সম্পদ ট্রান্সফার
 DocType: Vehicle,Petrol,পেট্রল
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),অবশিষ্ট বেনিফিট (বার্ষিক)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,উপকরণ বিল
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,উপকরণ বিল
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},সারি {0}: পার্টি প্রকার ও অনুষ্ঠান গ্রহনযোগ্য / প্রদেয় অ্যাকাউন্টের জন্য প্রয়োজন বোধ করা হয় {1}
 DocType: Employee,Leave Policy,ত্যাগ করুন নীতি
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,আইটেম আপডেট করুন
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,আইটেম আপডেট করুন
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,সুত্র তারিখ
 DocType: Employee,Reason for Leaving,ত্যাগ করার জন্য কারণ
 DocType: BOM Operation,Operating Cost(Company Currency),অপারেটিং খরচ (কোম্পানি মুদ্রা)
@@ -6927,7 +7006,7 @@
 DocType: Department,Expense Approvers,ব্যয় অ্যাপস
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},সারি {0}: ডেবিট এন্ট্রি সঙ্গে যুক্ত করা যাবে না একটি {1}
 DocType: Journal Entry,Subscription Section,সাবস্ক্রিপশন বিভাগ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,অ্যাকাউন্ট {0} অস্তিত্ব নেই
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,অ্যাকাউন্ট {0} অস্তিত্ব নেই
 DocType: Training Event,Training Program,প্রশিক্ষণ প্রোগ্রাম
 DocType: Account,Cash,নগদ
 DocType: Employee,Short biography for website and other publications.,ওয়েবসাইট ও অন্যান্য প্রকাশনা সংক্ষিপ্ত জীবনী.
diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv
index fe10f9f..4d49f43 100644
--- a/erpnext/translations/bs.csv
+++ b/erpnext/translations/bs.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Customer Predmeti
 DocType: Project,Costing and Billing,Cijena i naplata
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Advance valuta valute mora biti ista kao valuta kompanije {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Nadređeni konto {1} Ne može biti knjiga
+DocType: QuickBooks Migrator,Token Endpoint,Krajnji tačak žetona
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Nadređeni konto {1} Ne može biti knjiga
 DocType: Item,Publish Item to hub.erpnext.com,Objavite stavku da hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Ne mogu pronaći aktivni period otpusta
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Ne mogu pronaći aktivni period otpusta
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,procjena
 DocType: Item,Default Unit of Measure,Zadana mjerna jedinica
 DocType: SMS Center,All Sales Partner Contact,Svi kontakti distributera
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Kliknite Enter za dodavanje
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Nedostajuća vrijednost za lozinku, API ključ ili Shopify URL"
 DocType: Employee,Rented,Iznajmljuje
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Svi računi
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Svi računi
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Ne može preneti zaposlenog sa statusom Levo
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zaustavila proizvodnju Naredba se ne može otkazati, odčepiti to prvi koji će otkazati"
 DocType: Vehicle Service,Mileage,kilometraža
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Da li zaista želite da ukine ove imovine?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Da li zaista želite da ukine ove imovine?
 DocType: Drug Prescription,Update Schedule,Raspored ažuriranja
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Izaberite snabdjevač
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Show Employee
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Novi kurs
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta je potreban za Cjenovnik {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuta je potreban za Cjenovnik {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Hoće li biti izračunata u transakciji.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-YYYY.-
 DocType: Purchase Order,Customer Contact,Kontakt kupca
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Ovo se zasniva na transakcije protiv tog dobavljača. Pogledajte vremenski okvir ispod za detalje
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Procent prekomerne proizvodnje za radni nalog
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Pravni
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Pravni
+DocType: Delivery Note,Transport Receipt Date,Datum prijema prevoza
 DocType: Shopify Settings,Sales Order Series,Narudžbe serije prodaje
 DocType: Vital Signs,Tongue,Jezik
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA izuzeće
 DocType: Sales Invoice,Customer Name,Naziv kupca
 DocType: Vehicle,Natural Gas,prirodni gas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Žiro račun ne može biti imenovan kao {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Žiro račun ne može biti imenovan kao {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA po plati strukturi
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (ili grupe) protiv kojih Računovodstvo unosi se izrađuju i sredstva se održavaju.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Izvanredna za {0} ne može biti manji od nule ( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Servisni datum zaustavljanja ne može biti pre početka usluge
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Servisni datum zaustavljanja ne može biti pre početka usluge
 DocType: Manufacturing Settings,Default 10 mins,Uobičajeno 10 min
 DocType: Leave Type,Leave Type Name,Ostavite ime tipa
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Pokaži otvoren
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Pokaži otvoren
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Serija Updated uspješno
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Provjeri
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} u redu {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} u redu {1}
 DocType: Asset Finance Book,Depreciation Start Date,Datum početka amortizacije
 DocType: Pricing Rule,Apply On,Primjeni na
 DocType: Item Price,Multiple Item prices.,Više cijene stavke.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,podrška Postavke
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Očekivani Završni datum ne može biti manji od očekivanog datuma Početak
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rate moraju biti isti kao {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rate moraju biti isti kao {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch Stavka Status isteka
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Nacrt
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primarni kontakt podaci
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,otvorena pitanja
 DocType: Production Plan Item,Production Plan Item,Proizvodnja plan artikla
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1}
 DocType: Lab Test Groups,Add new line,Dodajte novu liniju
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Zdravstvena zaštita
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kašnjenje u plaćanju (Dani)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab recept
 ,Delay Days,Dani odlaganja
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Servis rashodi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} je već spomenut u prodaje Faktura: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} je već spomenut u prodaje Faktura: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura
 DocType: Purchase Invoice Item,Item Weight Details,Detaljna težina stavke
 DocType: Asset Maintenance Log,Periodicity,Periodičnost
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskalna godina {0} je potrebno
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dobavljač&gt; Grupa dobavljača
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimalno rastojanje između redova biljaka za optimalan rast
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Obrana
 DocType: Salary Component,Abbr,Skraćeni naziv
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Lista odmora
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Računovođa
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Prodajni cjenik
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Prodajni cjenik
 DocType: Patient,Tobacco Current Use,Upotreba duvana
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Prodajna stopa
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Prodajna stopa
 DocType: Cost Center,Stock User,Stock korisnika
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontakt informacije
 DocType: Company,Phone No,Telefonski broj
 DocType: Delivery Trip,Initial Email Notification Sent,Poslato je prvo obaveštenje o e-mailu
 DocType: Bank Statement Settings,Statement Header Mapping,Mapiranje zaglavlja izjave
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Datum početka pretplate
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Podrazumevani računi potraživanja koji će se koristiti ako nisu postavljeni u Pacijentu da rezervišu troškove naplate.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Priložiti .csv datoteku s dvije kolone, jedan za stari naziv i jedna za novo ime"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Od adrese 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Šifra proizvoda&gt; Grupa proizvoda&gt; Marka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Od adrese 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ne u bilo kojem aktivnom fiskalne godine.
 DocType: Packed Item,Parent Detail docname,Roditelj Detalj docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenca: {0}, Šifra: {1} i kupaca: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} nije prisutan u matičnoj kompaniji
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} nije prisutan u matičnoj kompaniji
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Krajnji datum probnog perioda ne može biti pre početka probnog perioda
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,Kategorija za oduzimanje poreza
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Oglašavanje
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ista firma je ušao više od jednom
 DocType: Patient,Married,Oženjen
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nije dozvoljeno za {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nije dozvoljeno za {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Get stavke iz
 DocType: Price List,Price Not UOM Dependant,Cena nije UOM zavisna
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Primijeniti iznos poreznog štednje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Ukupan iznos kredita
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Ukupan iznos kredita
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Proizvod {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,No stavke navedene
 DocType: Asset Repair,Error Description,Opis greške
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Koristite Custom Flow Flow Format
 DocType: SMS Center,All Sales Person,Svi prodavači
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Mjesečna distribucija ** će Vam pomoći distribuirati budžeta / Target preko mjeseca ako imate sezonalnost u vaše poslovanje.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nije pronađenim predmetima
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Plaća Struktura Missing
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nije pronađenim predmetima
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Plaća Struktura Missing
 DocType: Lead,Person Name,Ime osobe
 DocType: Sales Invoice Item,Sales Invoice Item,Stavka fakture prodaje
 DocType: Account,Credit,Kredit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Stock Izvještaji
 DocType: Warehouse,Warehouse Detail,Detalji o skladištu
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termin Završni datum ne može biti kasnije od kraja godine Datum akademske godine za koji je vezana pojam (akademska godina {}). Molimo ispravite datume i pokušajte ponovo.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Da li je osnovno sredstvo&quot; ne može biti označeno, kao rekord imovine postoji u odnosu na stavku"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Da li je osnovno sredstvo&quot; ne može biti označeno, kao rekord imovine postoji u odnosu na stavku"
 DocType: Delivery Trip,Departure Time,Vrijeme odlaska
 DocType: Vehicle Service,Brake Oil,Brake ulje
 DocType: Tax Rule,Tax Type,Vrste poreza
 ,Completed Work Orders,Završene radne naloge
 DocType: Support Settings,Forum Posts,Forum Posts
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,oporezivi iznos
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,oporezivi iznos
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Niste ovlašteni za dodati ili ažurirati unose prije {0}
 DocType: Leave Policy,Leave Policy Details,Ostavite detalje o politici
 DocType: BOM,Item Image (if not slideshow),Slika proizvoda (ako nije slide prikaz)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Satnica / 60) * Puna radno vrijeme
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Red # {0}: Referentni tip dokumenta mora biti jedan od potraživanja troškova ili unosa dnevnika
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Izaberite BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Red # {0}: Referentni tip dokumenta mora biti jedan od potraživanja troškova ili unosa dnevnika
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Izaberite BOM
 DocType: SMS Log,SMS Log,SMS log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Troškovi isporučenih Predmeti
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Na odmor na {0} nije između Od datuma i Do datuma
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Šabloni pozicija dobavljača.
 DocType: Lead,Interested,Zainteresovan
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Otvaranje
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Od {0} do {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Od {0} do {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Neuspešno podešavanje poreza
 DocType: Item,Copy From Item Group,Primjerak iz točke Group
-DocType: Delivery Trip,Delivery Notification,Obaveštenje o isporuci
 DocType: Journal Entry,Opening Entry,Otvaranje unos
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun plaćaju samo
 DocType: Loan,Repay Over Number of Periods,Otplatiti Preko broj perioda
 DocType: Stock Entry,Additional Costs,Dodatni troškovi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Konto sa postojećim transakcijama se ne može pretvoriti u grupu konta .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Konto sa postojećim transakcijama se ne može pretvoriti u grupu konta .
 DocType: Lead,Product Enquiry,Na upit
 DocType: Education Settings,Validate Batch for Students in Student Group,Potvrditi Batch za studente u Studentskom Group
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nema odmora Snimanje pronađena za zaposlenog {0} za {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Unesite tvrtka prva
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Molimo najprije odaberite Company
 DocType: Employee Education,Under Graduate,Pod diplomski
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Molimo podesite podrazumevani obrazac za obaveštenje o statusu ostavljanja u HR postavkama.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Molimo podesite podrazumevani obrazac za obaveštenje o statusu ostavljanja u HR postavkama.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target Na
 DocType: BOM,Total Cost,Ukupan trošak
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Izjava o računu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Lijekovi
 DocType: Purchase Invoice Item,Is Fixed Asset,Fiksni Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Dostupno Količina je {0}, potrebno je {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Dostupno Količina je {0}, potrebno je {1}"
 DocType: Expense Claim Detail,Claim Amount,Iznos štete
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Radni nalog je bio {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Šablon za proveru kvaliteta
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Da li želite da ažurirate prisustvo? <br> Prisutni: {0} \ <br> Odsutni: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0}
 DocType: Item,Supply Raw Materials for Purchase,Supply sirovine za kupovinu
 DocType: Agriculture Analysis Criteria,Fertilizer,Đubrivo
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Ne može se osigurati isporuka pomoću serijskog broja dok se \ Item {0} dodaje sa i bez Osiguranje isporuke od \ Serijski broj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Najmanje jedan način plaćanja je potreban za POS računa.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Najmanje jedan način plaćanja je potreban za POS računa.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Stavka fakture za transakciju iz banke
 DocType: Products Settings,Show Products as a List,Prikaži proizvode kao listu
 DocType: Salary Detail,Tax on flexible benefit,Porez na fleksibilnu korist
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Količina
 DocType: Production Plan,Material Request Detail,Zahtev za materijal za materijal
 DocType: Selling Settings,Default Quotation Validity Days,Uobičajeni dani valute kvotiranja
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"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"
 DocType: SMS Center,SMS Center,SMS centar
 DocType: Payroll Entry,Validate Attendance,Potvrdite prisustvo
 DocType: Sales Invoice,Change Amount,Promjena Iznos
 DocType: Party Tax Withholding Config,Certificate Received,Primljeno sertifikat
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Postavite vrednost fakture za B2C. B2CL i B2CS izračunati na osnovu ove fakture vrednosti.
 DocType: BOM Update Tool,New BOM,Novi BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Propisane procedure
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Propisane procedure
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Prikaži samo POS
 DocType: Supplier Group,Supplier Group Name,Ime grupe dobavljača
 DocType: Driver,Driving License Categories,Vozačke dozvole Kategorije
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Periodi plaćanja
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Make zaposlenih
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,radiodifuzija
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Način podešavanja POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Način podešavanja POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Onemogućava kreiranje evidencija vremena protiv radnih naloga. Operacije neće biti praćene radnim nalogom
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,izvršenje
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detalji o poslovanju obavlja.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Popust na cijenu List stopa (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Šablon predmeta
 DocType: Job Offer,Select Terms and Conditions,Odaberite uvjeti
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,out vrijednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,out vrijednost
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Stavka Postavke banke
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce postavke
 DocType: Production Plan,Sales Orders,Sales Orders
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Stvaranje Alat za golf
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plaćanja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,nedovoljna Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,nedovoljna Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogućite planiranje kapaciteta i Time Tracking
 DocType: Email Digest,New Sales Orders,Nove narudžbenice
 DocType: Bank Account,Bank Account,Žiro račun
 DocType: Travel Itinerary,Check-out Date,Datum odlaska
 DocType: Leave Type,Allow Negative Balance,Dopustite negativan saldo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Ne možete obrisati tip projekta &#39;Spoljni&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Izaberite Alternativnu stavku
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Izaberite Alternativnu stavku
 DocType: Employee,Create User,Kreiranje korisnika
 DocType: Selling Settings,Default Territory,Zadani teritorij
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televizija
 DocType: Work Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Izaberite kupca ili dobavljača.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},iznos Advance ne može biti veći od {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},iznos Advance ne može biti veći od {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vremenski slot preskočen, slot {0} do {1} se preklapa sa postojećim slotom {2} do {3}"
 DocType: Naming Series,Series List for this Transaction,Serija Popis za ovu transakciju
 DocType: Company,Enable Perpetual Inventory,Omogućiti vječni zaliha
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Protiv prodaje fakture Item
 DocType: Agriculture Analysis Criteria,Linked Doctype,Linked Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Neto gotovine iz aktivnosti finansiranja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage je puna, nije spasio"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage je puna, nije spasio"
 DocType: Lead,Address & Contact,Adresa i kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neiskorišteni lišće iz prethodnog izdvajanja
 DocType: Sales Partner,Partner website,website partner
@@ -446,10 +446,10 @@
 ,Open Work Orders,Otvorite radne naloge
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Iznad Pansionske konsultantske stavke
 DocType: Payment Term,Credit Months,Kreditni meseci
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Neto Pay ne može biti manja od 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Neto Pay ne može biti manja od 0
 DocType: Contract,Fulfilled,Ispunjeno
 DocType: Inpatient Record,Discharge Scheduled,Pražnjenje je zakazano
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u
 DocType: POS Closing Voucher,Cashier,Blagajna
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Ostavlja per Godina
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Molimo provjerite 'Je li Advance ""protiv Account {1} ako je to unaprijed unos."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Molimo da podesite studente pod studentskim grupama
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Kompletan posao
 DocType: Item Website Specification,Item Website Specification,Specifikacija web stranice artikla
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Ostavite blokirani
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Artikal {0} je dosegao svoj rok trajanja na {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Ostavite blokirani
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Artikal {0} je dosegao svoj rok trajanja na {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,banka unosi
 DocType: Customer,Is Internal Customer,Je interni korisnik
 DocType: Crop,Annual,godišnji
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ako se proveri automatsko uključivanje, klijenti će automatski biti povezani sa dotičnim programom lojalnosti (pri uštedi)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Pomirenje Item
 DocType: Stock Entry,Sales Invoice No,Faktura prodaje br
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tip isporuke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tip isporuke
 DocType: Material Request Item,Min Order Qty,Min Red Kol
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
 DocType: Lead,Do Not Contact,Ne kontaktirati
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Objavite u Hub
 DocType: Student Admission,Student Admission,student Ulaz
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Artikal {0} je otkazan
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Artikal {0} je otkazan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Redosled amortizacije {0}: Početni datum amortizacije upisuje se kao prošli datum
 DocType: Contract Template,Fulfilment Terms and Conditions,Uslovi ispunjavanja uslova
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materijal zahtjev
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materijal zahtjev
 DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Kupnja Detalji
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u &#39;sirovine Isporučuje&#39; sto u narudžbenice {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u &#39;sirovine Isporučuje&#39; sto u narudžbenice {1}
 DocType: Salary Slip,Total Principal Amount,Ukupni glavni iznos
 DocType: Student Guardian,Relation,Odnos
 DocType: Student Guardian,Mother,majka
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Dostava županije
 DocType: Currency Exchange,For Selling,Za prodaju
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Učiti
+DocType: Purchase Invoice Item,Enable Deferred Expense,Omogućite odloženi trošak
 DocType: Asset,Next Depreciation Date,Sljedeća Amortizacija Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivnost Trošak po zaposlenom
 DocType: Accounts Settings,Settings for Accounts,Postavke za račune
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun ne postoji u fakturi {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun ne postoji u fakturi {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Menadzeri prodaje - Upravljanje.
 DocType: Job Applicant,Cover Letter,Pismo
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Izvanredna Čekovi i depoziti očistiti
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Vanjski History Work
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Kružna Reference Error
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studentski izveštaj kartica
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Od PIN-a
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Od PIN-a
 DocType: Appointment Type,Is Inpatient,Je stacionarno
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 ime
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Riječima (izvoz) će biti vidljivo nakon što spremite otpremnicu.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Multi valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip fakture
 DocType: Employee Benefit Claim,Expense Proof,Dokaz o troškovima
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Otpremnica
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Čuvanje {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Otpremnica
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavljanje Poreza
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Troškovi prodate imovine
 DocType: Volunteer,Morning,Jutro
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Plaćanje Entry je izmijenjena nakon što ste ga izvukao. Molimo vas da se ponovo povucite.
 DocType: Program Enrollment Tool,New Student Batch,Nova studentska serija
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0}pritisnite dva puta u sifri poreza
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Pregled za ovaj tjedan i aktivnostima na čekanju
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0}pritisnite dva puta u sifri poreza
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Pregled za ovaj tjedan i aktivnostima na čekanju
 DocType: Student Applicant,Admitted,Prihvaćen
 DocType: Workstation,Rent Cost,Rent cost
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Iznos nakon Amortizacija
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Iznos nakon Amortizacija
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Najave Kalendar događanja
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Varijanta atributi
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Molimo odaberite mjesec i godinu
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Tu može biti samo 1 račun po kompanije u {0} {1}
 DocType: Support Search Source,Response Result Key Path,Response Result Key Path
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Za količinu {0} ne bi trebalo biti veća od količine radnog naloga {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Pogledajte prilog
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Za količinu {0} ne bi trebalo biti veća od količine radnog naloga {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Pogledajte prilog
 DocType: Purchase Order,% Received,% Primljeno
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Napravi studentske grupe
 DocType: Volunteer,Weekends,Vikendi
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Total Outstanding
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije.
 DocType: Dosage Strength,Strength,Snaga
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Kreiranje novog potrošača
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Kreiranje novog potrošača
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Ističe se
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ako više Cijene pravila i dalje prevladavaju, korisnici su zamoljeni da postavite prioritet ručno riješiti sukob."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Napravi Narudžbenice
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,potrošni cost
 DocType: Purchase Receipt,Vehicle Date,Vozilo Datum
 DocType: Student Log,Medical,liječnički
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Razlog za gubljenje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Molimo izaberite Lijek
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Razlog za gubljenje
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Molimo izaberite Lijek
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Olovo Vlasnik ne može biti isti kao olovo
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Dodijeljeni iznos ne može veći od neprilagođena iznosa
 DocType: Announcement,Receiver,prijemnik
 DocType: Location,Area UOM,Područje UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation je zatvoren sljedećih datuma po Holiday List: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Prilike
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Prilike
 DocType: Lab Test Template,Single,Singl
 DocType: Compensatory Leave Request,Work From Date,Rad sa datuma
 DocType: Salary Slip,Total Loan Repayment,Ukupno otplate kredita
+DocType: Project User,View attachments,Pregledajte priloge
 DocType: Account,Cost of Goods Sold,Troškovi prodane robe
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Unesite troška
 DocType: Drug Prescription,Dosage,Doziranje
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Količina i stopa
 DocType: Delivery Note,% Installed,Instalirano%
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratorije, itd, gdje se mogu zakazati predavanja."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Kompanijske valute obe kompanije treba da se podudaraju za transakcije Inter preduzeća.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Kompanijske valute obe kompanije treba da se podudaraju za transakcije Inter preduzeća.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Unesite ime tvrtke prvi
 DocType: Travel Itinerary,Non-Vegetarian,Ne-Vegetarijanac
 DocType: Purchase Invoice,Supplier Name,Dobavljač Ime
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Privremeno na čekanju
 DocType: Account,Is Group,Is Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditna beleška {0} je kreirana automatski
-DocType: Email Digest,Pending Purchase Orders,U očekivanju Narudžbenice
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatski se postavlja rednim brojevima na osnovu FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Check Dobavljač Faktura Broj Jedinstvenost
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primarne adrese
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Prilagodite uvodni tekst koji ide kao dio tog e-maila. Svaka transakcija ima zaseban uvodni tekst.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Red {0}: Operacija je neophodna prema elementu sirovine {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Molimo postavite zadani plaća račun za kompaniju {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transakcija nije dozvoljena zaustavljen Radni nalog {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transakcija nije dozvoljena zaustavljen Radni nalog {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global postavke za sve proizvodne procese.
 DocType: Accounts Settings,Accounts Frozen Upto,Računi Frozen Upto
 DocType: SMS Log,Sent On,Poslano na adresu
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atribut {0} odabrani više puta u atributi tabeli
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atribut {0} odabrani više puta u atributi tabeli
 DocType: HR Settings,Employee record is created using selected field. ,Zapis o radniku je kreiran odabirom polja .
 DocType: Sales Order,Not Applicable,Nije primjenjivo
 DocType: Amazon MWS Settings,UK,UK
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Zaposleni {0} već je prijavio za {1} na {2}:
 DocType: Inpatient Record,AB Positive,AB Pozitivan
 DocType: Job Opening,Description of a Job Opening,Opis posla Otvaranje
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Aktivnostima na čekanju za danas
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Aktivnostima na čekanju za danas
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Plaća Komponenta za obračun plata na osnovu timesheet.
+DocType: Driver,Applicable for external driver,Važeće za spoljni upravljački program
 DocType: Sales Order Item,Used for Production Plan,Koristi se za plan proizvodnje
 DocType: Loan,Total Payment,Ukupna uplata
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Ne mogu otkazati transakciju za Završeni radni nalog.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Ne mogu otkazati transakciju za Završeni radni nalog.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Vrijeme između operacije (u min)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO je već kreiran za sve stavke porudžbine
 DocType: Healthcare Service Unit,Occupied,Zauzeti
 DocType: Clinical Procedure,Consumables,Potrošni materijal
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} je otkazan tako da akcija ne može završiti
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} je otkazan tako da akcija ne može završiti
 DocType: Customer,Buyer of Goods and Services.,Kupac robe i usluga.
 DocType: Journal Entry,Accounts Payable,Naplativa konta
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Iznos od {0} postavljen na ovaj zahtev za plaćanje razlikuje se od obračunatog iznosa svih planova plaćanja: {1}. Pre nego što pošaljete dokument, proverite da li je to tačno."
 DocType: Patient,Allergies,Alergije
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Izabrani sastavnica nisu za isti predmet
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Izabrani sastavnica nisu za isti predmet
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Promenite stavku
 DocType: Supplier Scorecard Standing,Notify Other,Obavesti drugu
 DocType: Vital Signs,Blood Pressure (systolic),Krvni pritisak (sistolni)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Dosta dijelova za izgradnju
 DocType: POS Profile User,POS Profile User,POS korisnik profila
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Red {0}: datum početka amortizacije je potreban
-DocType: Sales Invoice Item,Service Start Date,Datum početka usluge
+DocType: Purchase Invoice Item,Service Start Date,Datum početka usluge
 DocType: Subscription Invoice,Subscription Invoice,Pretplata faktura
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Direktni prihodi
 DocType: Patient Appointment,Date TIme,Date TIme
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,kozmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Molimo izaberite Datum završetka za popunjeni dnevnik održavanja sredstava
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke"
 DocType: Supplier,Block Supplier,Blok isporučilac
 DocType: Shipping Rule,Net Weight,Neto težina
 DocType: Job Opening,Planned number of Positions,Planirani broj pozicija
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Šablon za mapiranje toka gotovine
 DocType: Travel Request,Costing Details,Detalji o troškovima
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Prikaži povratne unose
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serijski br stavka ne može biti frakcija
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serijski br stavka ne može biti frakcija
 DocType: Journal Entry,Difference (Dr - Cr),Razlika ( dr. - Cr )
 DocType: Bank Guarantee,Providing,Pružanje
 DocType: Account,Profit and Loss,Račun dobiti i gubitka
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nije dopušteno, konfigurirati Lab Test Template po potrebi"
 DocType: Patient,Risk Factors,Faktori rizika
 DocType: Patient,Occupational Hazards and Environmental Factors,Opasnosti po životnu sredinu i faktore zaštite životne sredine
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Upis zaliha već je kreiran za radni nalog
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Upis zaliha već je kreiran za radni nalog
 DocType: Vital Signs,Respiratory rate,Stopa respiratornih organa
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Upravljanje Subcontracting
 DocType: Vital Signs,Body Temperature,Temperatura tela
 DocType: Project,Project will be accessible on the website to these users,Projekt će biti dostupna na web stranici ovih korisnika
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Ne mogu da otkažem {0} {1} jer Serijski broj {2} ne pripada skladištu {3}
 DocType: Detected Disease,Disease,Bolest
+DocType: Company,Default Deferred Expense Account,Podrazumevani odloženi račun za troškove
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definišite tip projekta.
 DocType: Supplier Scorecard,Weighting Function,Funkcija ponderiranja
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Konsalting Charge
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Proizvedene stavke
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Transakcija na fakture
 DocType: Sales Order Item,Gross Profit,Bruto dobit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Unblock Faktura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Unblock Faktura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Prirast ne može biti 0
 DocType: Company,Delete Company Transactions,Izbrišite Company Transakcije
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Poziv na broj i referentni datum je obavezan za transakcije banke
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Ignorirati
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} nije aktivan
 DocType: Woocommerce Settings,Freight and Forwarding Account,Teretni i špediterski račun
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,dimenzije ček setup za štampanje
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,dimenzije ček setup za štampanje
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Napravite liste plata
 DocType: Vital Signs,Bloated,Vatreno
 DocType: Salary Slip,Salary Slip Timesheet,Plaća Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka
 DocType: Item Price,Valid From,Vrijedi od
 DocType: Sales Invoice,Total Commission,Ukupno komisija
 DocType: Tax Withholding Account,Tax Withholding Account,Porez na odbitak
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Sve ispostavne kartice.
 DocType: Buying Settings,Purchase Receipt Required,Kupnja Potvrda Obvezno
 DocType: Delivery Note,Rail,Rail
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Ciljno skladište u redu {0} mora biti isto kao radni nalog
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje Rate je obavezno ako ušla Otvaranje Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Ciljno skladište u redu {0} mora biti isto kao radni nalog
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje Rate je obavezno ako ušla Otvaranje Stock
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nisu pronađeni u tablici fakturu
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Molimo najprije odaberite Društva i Party Tip
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Već je postavljeno podrazumevano u profilu pos {0} za korisnika {1}, obično je onemogućeno podrazumevano"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Financijska / obračunska godina .
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Financijska / obračunska godina .
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,akumulirani Vrijednosti
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Grupa potrošača će postaviti odabranu grupu dok sinhronizuje kupce iz Shopify-a
@@ -895,7 +900,7 @@
 ,Lead Id,Lead id
 DocType: C-Form Invoice Detail,Grand Total,Ukupno za platiti
 DocType: Assessment Plan,Course,Kurs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kodeks sekcije
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kodeks sekcije
 DocType: Timesheet,Payslip,payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Datum pola dana treba da bude između datuma i datuma
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,stavka Košarica
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Lični Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID članstva
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Isporučuje se: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Isporučuje se: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Povezan sa QuickBooks-om
 DocType: Bank Statement Transaction Entry,Payable Account,Račun se plaća
 DocType: Payment Entry,Type of Payment,Vrsta plaćanja
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Datum poluvremena je obavezan
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Datum isporuke
 DocType: Production Plan,Production Plan,Plan proizvodnje
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otvaranje alata za kreiranje fakture
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Povrat robe
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Povrat robe
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Napomena: Ukupna izdvojena lišće {0} ne smije biti manja od već odobrenih lišće {1} za period
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Postavite količinu u transakcijama na osnovu Serijski broj ulaza
 ,Total Stock Summary,Ukupno Stock Pregled
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Kupac ili stavka
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Šifarnik kupaca
 DocType: Quotation,Quotation To,Ponuda za
-DocType: Lead,Middle Income,Srednji Prihodi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Srednji Prihodi
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),P.S. (Pot)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Uobičajeno mjerna jedinica za artikl {0} ne može se mijenjati izravno, jer ste već napravili neke transakcije (e) sa drugim UOM. Morat ćete stvoriti nove stavke koristiti drugačiji Uobičajeno UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Uobičajeno mjerna jedinica za artikl {0} ne može se mijenjati izravno, jer ste već napravili neke transakcije (e) sa drugim UOM. Morat ćete stvoriti nove stavke koristiti drugačiji Uobičajeno UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativan
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Molimo vas da postavite poduzeća
 DocType: Share Balance,Share Balance,Podeli Balans
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Izaberite plaćanje računa da banke Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Podrazumevana faktura imenovanja serije
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Kreiranje evidencije zaposlenih za upravljanje lišće, trošak potraživanja i platnom spisku"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Došlo je do greške tokom procesa ažuriranja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Došlo je do greške tokom procesa ažuriranja
 DocType: Restaurant Reservation,Restaurant Reservation,Rezervacija restorana
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Pisanje prijedlog
 DocType: Payment Entry Deduction,Payment Entry Deduction,Plaćanje Entry Odbitak
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Zavijanje
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Obaveštavajte kupce putem e-pošte
 DocType: Item,Batch Number Series,Serija brojeva serija
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Još jedna osoba Sales {0} postoji s istim ID zaposlenih
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Još jedna osoba Sales {0} postoji s istim ID zaposlenih
 DocType: Employee Advance,Claimed Amount,Zahtevani iznos
+DocType: QuickBooks Migrator,Authorization Settings,Podešavanja autorizacije
 DocType: Travel Itinerary,Departure Datetime,Odlazak Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Potraživanje putovanja
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Dobavljač nazivanje
 DocType: Activity Type,Default Costing Rate,Uobičajeno Costing Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Raspored održavanja
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"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."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"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."
 DocType: Employee Promotion,Employee Promotion Details,Detalji o promociji zaposlenih
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Neto promjena u zalihama
 DocType: Employee,Passport Number,Putovnica Broj
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Odnos sa Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,menadžer
 DocType: Payment Entry,Payment From / To,Plaćanje Od / Do
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Od fiskalne godine
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novi kreditni limit je manje od trenutne preostali iznos za kupca. Kreditni limit mora biti atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Molimo postavite nalog u skladištu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Molimo postavite nalog u skladištu {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,' Temelji se na' i 'Grupisanje po ' ne mogu biti isti
 DocType: Sales Person,Sales Person Targets,Prodaje osobi Mete
 DocType: Work Order Operation,In minutes,U minuta
 DocType: Issue,Resolution Date,Rezolucija Datum
 DocType: Lab Test Template,Compound,Jedinjenje
+DocType: Opportunity,Probability (%),Verovatnoća (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Obaveštenje o otpremi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Izaberite svojstvo
 DocType: Student Batch Name,Batch Name,Batch ime
 DocType: Fee Validity,Max number of visit,Maksimalan broj poseta
 ,Hotel Room Occupancy,Hotelska soba u posjedu
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet created:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,upisati
 DocType: GST Settings,GST Settings,PDV Postavke
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuta mora biti ista kao cenovnik Valuta: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Ukupno kamata
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Sleteo Troškovi poreza i naknada
 DocType: Work Order Operation,Actual Start Time,Stvarni Start Time
+DocType: Purchase Invoice Item,Deferred Expense Account,Odloženi račun za troškove
 DocType: BOM Operation,Operation Time,Operacija Time
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,završiti
 DocType: Salary Structure Assignment,Base,baza
 DocType: Timesheet,Total Billed Hours,Ukupno Fakturisana Hours
 DocType: Travel Itinerary,Travel To,Putovati u
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nije
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Napišite paušalni iznos
 DocType: Leave Block List Allow,Allow User,Dopusti korisnika
 DocType: Journal Entry,Bill No,Račun br
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Time Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush sirovine na osnovu
 DocType: Sales Invoice,Port Code,Port Code
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Rezervni skladište
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Rezervni skladište
 DocType: Lead,Lead is an Organization,Olovo je organizacija
-DocType: Guardian Interest,Interest,interes
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pre Sales
 DocType: Instructor Log,Other Details,Ostali detalji
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Konta
 DocType: Vehicle,Odometer Value (Last),Odometar vrijednost (Zadnje)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Šabloni za kriterijume rezultata dobavljača.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Iskoristite lojalnostne tačke
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Plaćanje Ulaz je već stvorena
 DocType: Request for Quotation,Get Suppliers,Uzmite dobavljača
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Crop Spacing UOM
 DocType: Loyalty Program,Single Tier Program,Jednostavni program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Samo izaberite ako imate postavke Map Flower Documents
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Od adrese 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Od adrese 1
 DocType: Email Digest,Next email will be sent on:,Sljedeća e-mail će biti poslan na:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Prateći stavku {items} {verb} označenu kao {message} stavku. \ Možete ih omogućiti kao {message} stavku iz glavnog poglavlja
 DocType: Supplier Scorecard,Per Week,Po tjednu
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Stavka ima varijante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Stavka ima varijante.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Total Student
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Stavka {0} nije pronađena
 DocType: Bin,Stock Value,Stock vrijednost
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Kompanija {0} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Kompanija {0} ne postoji
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ima važeću tarifu do {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tip stabla
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Kol Potrošeno po jedinici
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Credit Card Entry
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Company i računi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,u vrijednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,u vrijednost
 DocType: Asset Settings,Depreciation Options,Opcije amortizacije
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Moraju biti potrebne lokacije ili zaposleni
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Neispravno vreme slanja poruka
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Alokacija
 DocType: Purchase Order,Supply Raw Materials,Supply sirovine
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Dugotrajna imovina
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ne postoji na zalihama.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ne postoji na zalihama.
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Molimo vas podelite svoje povratne informacije na trening klikom na &#39;Feedback Feedback&#39;, a zatim &#39;New&#39;"
 DocType: Mode of Payment Account,Default Account,Podrazumjevani konto
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Prvo izaberite skladište za zadržavanje uzorka u postavkama zaliha
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Prvo izaberite skladište za zadržavanje uzorka u postavkama zaliha
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Molimo da izaberete tip višestrukog programa za više pravila kolekcije.
 DocType: Payment Entry,Received Amount (Company Currency),Primljeni Iznos (Company Valuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Lead mora biti postavljen ako je prilika iz njega izrađena
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Plaćanje je otkazano. Molimo provjerite svoj GoCardless račun za više detalja
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Pošaljite sa Prilogom
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Odaberite tjednik off dan
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planirani End Time
 ,Sales Person Target Variance Item Group-Wise,Prodaja Osoba Target varijance artikla Group - Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Konto sa postojećim transakcijama se ne može pretvoriti u glavnu knjigu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Konto sa postojećim transakcijama se ne može pretvoriti u glavnu knjigu
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Detalji o tipu Memebership
 DocType: Delivery Note,Customer's Purchase Order No,Kupca Narudžbenica br
 DocType: Clinical Procedure,Consume Stock,Consume Stock
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Pesak
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,energija
 DocType: Opportunity,Opportunity From,Prilika od
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Red {0}: {1} Serijski brojevi potrebni za stavku {2}. Proveli ste {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Red {0}: {1} Serijski brojevi potrebni za stavku {2}. Proveli ste {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Izaberite tabelu
 DocType: BOM,Website Specifications,Web Specifikacije
 DocType: Special Test Items,Particulars,Posebnosti
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Od {0} {1} tipa
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više pravila Cijena postoji sa istim kriterijima, molimo vas da riješe sukob dodjelom prioriteta. Cijena pravila: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više pravila Cijena postoji sa istim kriterijima, molimo vas da riješe sukob dodjelom prioriteta. Cijena pravila: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Račun revalorizacije kursa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može se isključiti ili otkaže BOM kao što je povezano s drugim Boms
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može se isključiti ili otkaže BOM kao što je povezano s drugim Boms
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Molimo da odaberete Kompaniju i Datum objavljivanja da biste dobili unose
 DocType: Asset,Maintenance,Održavanje
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Izlazite iz susreta sa pacijentom
 DocType: Subscriber,Subscriber,Pretplatnik
 DocType: Item Attribute Value,Item Attribute Value,Stavka vrijednost atributa
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Molimo Vas da ažurirate svoj status projekta
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Molimo Vas da ažurirate svoj status projekta
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Menjanje mjenjača mora biti primjenjivo za kupovinu ili prodaju.
 DocType: Item,Maximum sample quantity that can be retained,Maksimalna količina uzorka koja se može zadržati
 DocType: Project Update,How is the Project Progressing Right Now?,Kako se projekat napreduje odmah?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Red {0} # Stavka {1} ne može se prenijeti više od {2} u odnosu na narudžbenicu {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Red {0} # Stavka {1} ne može se prenijeti više od {2} u odnosu na narudžbenicu {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne kampanje.
 DocType: Project Task,Make Timesheet,Make Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1240,36 +1248,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Alat za generisanje studenata
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Vremenska raspored zdravstvene zaštite
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc ime
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc ime
 DocType: Expense Claim Detail,Expense Claim Type,Rashodi Vrsta polaganja
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Početne postavke za Košarica
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Dodaj Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset odbačen preko Journal Entry {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Molimo da postavite nalog u skladištu {0} ili podrazumevani račun inventara u kompaniji {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset odbačen preko Journal Entry {0}
 DocType: Loan,Interest Income Account,Prihod od kamata računa
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maksimalne koristi bi trebalo da budu veće od nule da bi se izbacile koristi
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maksimalne koristi bi trebalo da budu veće od nule da bi se izbacile koristi
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Poslato
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,Imovina Transfera zaposlenika
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Od vremena bi trebalo biti manje od vremena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotehnologija
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Stavka {0} (serijski broj: {1}) ne može se potrošiti kao što je preserverd \ da biste popunili nalog za prodaju {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Troškovi održavanja ureda
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Idi
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ažurirajte cijenu od Shopify do ERPNext Cjenik
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Postavljanje e-pošte
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Unesite predmeta prvi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analiza potreba
 DocType: Asset Repair,Downtime,Zaustavljanje
 DocType: Account,Liability,Odgovornost
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionisano Iznos ne može biti veći od potraživanja Iznos u nizu {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionisano Iznos ne može biti veći od potraživanja Iznos u nizu {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademski termin:
 DocType: Salary Component,Do not include in total,Ne uključujte u potpunosti
 DocType: Company,Default Cost of Goods Sold Account,Uobičajeno Nabavna vrednost prodate robe računa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Količina uzorka {0} ne može biti veća od primljene količine {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Popis Cijena ne bira
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Količina uzorka {0} ne može biti veća od primljene količine {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Popis Cijena ne bira
 DocType: Employee,Family Background,Obitelj Pozadina
 DocType: Request for Quotation Supplier,Send Email,Pošaljite e-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0}
 DocType: Item,Max Sample Quantity,Maksimalna količina uzorka
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Bez dozvole
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolna lista Ispunjavanja ugovora
@@ -1300,15 +1310,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} ne pripada kompaniji {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Otpremite svoju pismo glavom (Držite ga na webu kao 900px po 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Račun {2} ne može biti Group
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Stavka Row {idx}: {doctype} {docname} ne postoji u gore &#39;{doctype}&#39; sto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} je već završen ili otkazan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} je već završen ili otkazan
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No zadataka
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Prodajna faktura {0} stvorena je kao plaćena
 DocType: Item Variant Settings,Copy Fields to Variant,Kopiraj polja na varijantu
 DocType: Asset,Opening Accumulated Depreciation,Otvaranje Ispravka vrijednosti
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Ocjena mora biti manja od ili jednaka 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Upis Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C - Form zapisi
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C - Form zapisi
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Akcije već postoje
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kupaca i dobavljača
 DocType: Email Digest,Email Digest Settings,E-pošta Postavke
@@ -1321,12 +1331,12 @@
 DocType: Production Plan,Select Items,Odaberite artikle
 DocType: Share Transfer,To Shareholder,Za dioničara
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} protiv placanje {1}  od {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Od države
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Od države
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Setup Institution
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Raspodjela listova ...
 DocType: Program Enrollment,Vehicle/Bus Number,Vozila / Autobus broj
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Raspored za golf
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Morate oduzeti porez za neosvojen dokaz o oslobađanju od poreza i nepropisane koristi zaposlenima u poslednjem periodu platnog spiska
 DocType: Request for Quotation Supplier,Quote Status,Quote Status
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1352,13 +1362,13 @@
 DocType: Sales Invoice,Payment Due Date,Plaćanje Due Date
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Ponovo odaberite, ako je izabrana adresa uređena nakon čuvanja"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Stavka Variant {0} već postoji s istim atributima
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Stavka Variant {0} već postoji s istim atributima
 DocType: Item,Hub Publishing Details,Detalji izdavanja stanice
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Otvaranje&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Otvaranje&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open To Do
 DocType: Issue,Via Customer Portal,Preko portala za kupce
 DocType: Notification Control,Delivery Note Message,Otpremnica - poruka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Iznos
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Iznos
 DocType: Lab Test Template,Result Format,Format rezultata
 DocType: Expense Claim,Expenses,troškovi
 DocType: Item Variant Attribute,Item Variant Attribute,Stavka Variant Atributi
@@ -1366,14 +1376,12 @@
 DocType: Payroll Entry,Bimonthly,časopis koji izlazi svaka dva mjeseca
 DocType: Vehicle Service,Brake Pad,Brake Pad
 DocType: Fertilizer,Fertilizer Contents,Sadržaj đubriva
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Istraživanje i razvoj
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Istraživanje i razvoj
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Iznos za naplatu
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Datum početka i završetka se preklapa sa kartom posla <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registracija Brodu
 DocType: Timesheet,Total Billed Amount,Ukupno Fakturisana iznos
 DocType: Item Reorder,Re-Order Qty,Re-order Količina
 DocType: Leave Block List Date,Leave Block List Date,Ostavite Date Popis Block
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Molimo vas da podesite sistem imenovanja instruktora u obrazovanju&gt; Obrazovne postavke
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Sirovi materijal ne može biti isti kao i glavna stavka
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Ukupno Primjenjivo Optužbe na račun za prodaju Predmeti sto mora biti isti kao Ukupni porezi i naknada
 DocType: Sales Team,Incentives,Poticaji
@@ -1387,7 +1395,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-of-prodaju
 DocType: Fee Schedule,Fee Creation Status,Status stvaranja naknade
 DocType: Vehicle Log,Odometer Reading,odometar Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"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 """
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"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 """
 DocType: Account,Balance must be,Bilans mora biti
 DocType: Notification Control,Expense Claim Rejected Message,Rashodi Zahtjev odbijen poruku
 ,Available Qty,Dostupno Količina
@@ -1399,7 +1407,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Uvek sinhronizujte svoje proizvode sa Amazon MWS pre sinhronizacije detalja o narudžbini
 DocType: Delivery Trip,Delivery Stops,Dostava je prestala
 DocType: Salary Slip,Working Days,Radnih dana
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Nije moguće promeniti datum zaustavljanja usluge za stavku u redu {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Nije moguće promeniti datum zaustavljanja usluge za stavku u redu {0}
 DocType: Serial No,Incoming Rate,Dolazni Stopa
 DocType: Packing Slip,Gross Weight,Bruto težina
 DocType: Leave Type,Encashment Threshold Days,Dani praga osiguravanja
@@ -1418,31 +1426,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimalno sedenje
 DocType: Item Attribute,Item Attribute Values,Stavka Atributi vrijednosti
 DocType: Examination Result,Examination Result,ispitivanje Rezultat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Račun kupnje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Račun kupnje
 ,Received Items To Be Billed,Primljeni Proizvodi se naplaćuje
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Majstor valute .
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Majstor valute .
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referentni Doctype mora biti jedan od {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter Total Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},U nemogućnosti da pronađe termin u narednih {0} dana za operaciju {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan materijal za podsklopove
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodaja Partneri i teritorija
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} mora biti aktivna
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} mora biti aktivna
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Nema stavki za prenos
 DocType: Employee Boarding Activity,Activity Name,Naziv aktivnosti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Promeni datum izdanja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Završena količina proizvoda <b>{0}</b> i Za količinu <b>{1}</b> ne mogu biti različite
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Promeni datum izdanja
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Završena količina proizvoda <b>{0}</b> i Za količinu <b>{1}</b> ne mogu biti različite
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Zatvaranje (otvaranje + ukupno)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Šifra proizvoda&gt; Grupa proizvoda&gt; Marka
+DocType: Delivery Settings,Dispatch Notification Attachment,Prilog za obavještenje o otpremi
 DocType: Payroll Entry,Number Of Employees,Broj zaposlenih
 DocType: Journal Entry,Depreciation Entry,Amortizacija Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Molimo odaberite vrstu dokumenta prvi
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Molimo odaberite vrstu dokumenta prvi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod
 DocType: Pricing Rule,Rate or Discount,Stopa ili popust
 DocType: Vital Signs,One Sided,Jednostrani
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Potrebna Kol
 DocType: Marketplace Settings,Custom Data,Korisnički podaci
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Skladišta sa postojećim transakcija se ne može pretvoriti u knjizi.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serijski broj je obavezan za stavku {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Skladišta sa postojećim transakcija se ne može pretvoriti u knjizi.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serijski broj je obavezan za stavku {0}
 DocType: Bank Reconciliation,Total Amount,Ukupan iznos
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Od datuma i do datuma leži u različitim fiskalnim godinama
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacijent {0} nema refrence kupca za fakturu
@@ -1453,9 +1463,9 @@
 DocType: Soil Texture,Clay Composition (%),Glina sastav (%)
 DocType: Item Group,Item Group Defaults,Podrazumevana postavka grupe
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Molimo vas da sačuvate pre nego što dodate zadatak.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Vrijednost bilance
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Vrijednost bilance
 DocType: Lab Test,Lab Technician,Laboratorijski tehničar
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Sales Cjenovnik
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Sales Cjenovnik
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ako se proveri, biće kreiran korisnik, mapiran na Pacijent. Pacijentove fakture će biti stvorene protiv ovog Korisnika. Takođe možete izabrati postojećeg kupca prilikom stvaranja Pacijenta."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Korisnik nije upisan u bilo koji program lojalnosti
@@ -1469,13 +1479,13 @@
 DocType: Support Search Source,Search Term Param Name,Termin za pretragu Param Ime
 DocType: Item Barcode,Item Barcode,Barkod artikla
 DocType: Woocommerce Settings,Endpoints,Krajnje tačke
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Stavka Varijante {0} ažurirani
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Stavka Varijante {0} ažurirani
 DocType: Quality Inspection Reading,Reading 6,Čitanje 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izuzetan fakture
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izuzetan fakture
 DocType: Share Transfer,From Folio No,Od Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Narudzbine avans
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: Kredit stavka ne može se povezati sa {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definirajte budžet za finansijsku godinu.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definirajte budžet za finansijsku godinu.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext nalog
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} je blokiran, tako da se ova transakcija ne može nastaviti"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Akcija ako je akumulirani mesečni budžet prešao na MR
@@ -1491,19 +1501,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Narudzbine
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Dozvoli višestruku potrošnju materijala protiv radnog naloga
 DocType: GL Entry,Voucher Detail No,Bon Detalj Ne
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Prodaja novih Račun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Prodaja novih Račun
 DocType: Stock Entry,Total Outgoing Value,Ukupna vrijednost Odlazni
 DocType: Healthcare Practitioner,Appointments,Imenovanja
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Datum otvaranja i zatvaranja datum bi trebao biti u istoj fiskalnoj godini
 DocType: Lead,Request for Information,Zahtjev za informacije
 ,LeaderBoard,leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate With Margin (Valuta kompanije)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline Fakture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline Fakture
 DocType: Payment Request,Paid,Plaćen
 DocType: Program Fee,Program Fee,naknada za program
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Zamenite određenu tehničku tehničku pomoć u svim ostalim BOM-u gde se koristi. On će zamijeniti stari BOM link, ažurirati troškove i regenerirati tabelu &quot;BOM Explosion Item&quot; po novom BOM-u. Takođe ažurira najnoviju cenu u svim BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Stvoreni su sledeći Radni nalogi:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Stvoreni su sledeći Radni nalogi:
 DocType: Salary Slip,Total in words,Ukupno je u riječima
 DocType: Inpatient Record,Discharged,Ispušteni
 DocType: Material Request Item,Lead Time Date,Datum i vrijeme Lead-a
@@ -1514,16 +1524,16 @@
 DocType: Support Settings,Get Started Sections,Započnite sekcije
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sankcionisani
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,Obavezan unos. Možda nije kreirana valuta za
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Ukupan iznos doprinosa: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
 DocType: Payroll Entry,Salary Slips Submitted,Iznosi plate poslati
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za &#39;proizvoda Bundle&#39; stavki, Magacin, serijski broj i serijski broj smatrat će se iz &#39;Pakiranje List&#39; stol. Ako Skladište i serijski broj su isti za sve pakovanje stavke za bilo &#39;Bundle proizvoda&#39; stavku, te vrijednosti mogu se unijeti u glavnom Stavka stola, vrijednosti će se kopirati u &#39;Pakiranje List&#39; stol."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za &#39;proizvoda Bundle&#39; stavki, Magacin, serijski broj i serijski broj smatrat će se iz &#39;Pakiranje List&#39; stol. Ako Skladište i serijski broj su isti za sve pakovanje stavke za bilo &#39;Bundle proizvoda&#39; stavku, te vrijednosti mogu se unijeti u glavnom Stavka stola, vrijednosti će se kopirati u &#39;Pakiranje List&#39; stol."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,From Place
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Neto plate ne mogu biti negativne
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,From Place
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Neto plate ne mogu biti negativne
 DocType: Student Admission,Publish on website,Objaviti na web stranici
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Dobavljač Datum računa ne može biti veći od Datum knjiženja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Dobavljač Datum računa ne može biti veći od Datum knjiženja
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Datum otkazivanja
 DocType: Purchase Invoice Item,Purchase Order Item,Narudžbenica predmet
@@ -1532,7 +1542,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Posjeta Tool
 DocType: Restaurant Menu,Price List (Auto created),Cenovnik (Automatski kreiran)
 DocType: Cheque Print Template,Date Settings,Datum Postavke
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varijacija
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varijacija
 DocType: Employee Promotion,Employee Promotion Detail,Detalji o napredovanju zaposlenih
 ,Company Name,Naziv preduzeća
 DocType: SMS Center,Total Message(s),Ukupno poruka ( i)
@@ -1561,7 +1571,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ne šaljite podsjetnik za rođendan zaposlenika
 DocType: Expense Claim,Total Advance Amount,Ukupan avansni iznos
 DocType: Delivery Stop,Estimated Arrival,Procijenjeni dolazak
-DocType: Delivery Stop,Notified by Email,Prijavljen putem e-pošte
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Vidi sve članke
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Ulaz u
 DocType: Item,Inspection Criteria,Inspekcijski Kriteriji
@@ -1571,22 +1580,21 @@
 DocType: Timesheet Detail,Bill,račun
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Bijel
 DocType: SMS Center,All Lead (Open),Svi potencijalni kupci (aktualni)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Količina nije dostupan za {4} u skladištu {1} na postavljanje trenutku stupanja ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Količina nije dostupan za {4} u skladištu {1} na postavljanje trenutku stupanja ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Iz liste polja za potvrdu možete izabrati najviše jedne opcije.
 DocType: Purchase Invoice,Get Advances Paid,Kreiraj avansno plaćanje
 DocType: Item,Automatically Create New Batch,Automatski Create New Batch
 DocType: Supplier,Represents Company,Predstavlja kompaniju
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Napraviti
 DocType: Student Admission,Admission Start Date,Prijem Ozljede Datum
 DocType: Journal Entry,Total Amount in Words,Ukupan iznos riječima
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Novi zaposleni
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Došlo je do pogreške . Jedan vjerojatan razlog bi mogao biti da niste spremili obrazac. Molimo kontaktirajte support@erpnext.com ako se problem ne riješi .
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Moja košarica
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0}
 DocType: Lead,Next Contact Date,Datum sledeceg kontaktiranja
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otvaranje Kol
 DocType: Healthcare Settings,Appointment Reminder,Pamćenje imenovanja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Unesite račun za promjene Iznos
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Unesite račun za promjene Iznos
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Ime
 DocType: Holiday List,Holiday List Name,Naziv liste odmora
 DocType: Repayment Schedule,Balance Loan Amount,Balance Iznos kredita
@@ -1596,13 +1604,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Stock Opcije
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nijedna stavka nije dodata u korpu
 DocType: Journal Entry Account,Expense Claim,Rashodi polaganja
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Da li zaista želite da vratite ovaj ukinut imovine?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Da li zaista želite da vratite ovaj ukinut imovine?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Količina za {0}
 DocType: Leave Application,Leave Application,Ostavite aplikaciju
 DocType: Patient,Patient Relation,Relacija pacijenta
 DocType: Item,Hub Category to Publish,Glavna kategorija za objavljivanje
 DocType: Leave Block List,Leave Block List Dates,Ostavite datumi lista blokiranih
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Porudžbina prodaje {0} ima rezervaciju za stavku {1}, možete dostaviti samo rezervirano {1} na {0}. Serijski broj {2} se ne može isporučiti"
 DocType: Sales Invoice,Billing Address GSTIN,Adresa za obračun GSTIN
@@ -1620,16 +1628,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Ukloniti stavke bez promjene u količini ili vrijednosti.
 DocType: Delivery Note,Delivery To,Dostava za
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Kreiranje varijante je stavljeno u red.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Pregled radova za {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Kreiranje varijante je stavljeno u red.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Pregled radova za {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prvi dozvoljni otpust na listi biće postavljen kao podrazumevani Leave Approver.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Atribut sto je obavezno
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Atribut sto je obavezno
 DocType: Production Plan,Get Sales Orders,Kreiraj narudžbe
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ne može biti negativna
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Povežite se sa knjigama
 DocType: Training Event,Self-Study,Samo-studiranje
 DocType: POS Closing Voucher,Period End Date,Datum završetka perioda
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Sastave zemljišta ne daju do 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Popust
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Red {0}: {1} je potreban za kreiranje Opening {2} faktura
 DocType: Membership,Membership,Članstvo
 DocType: Asset,Total Number of Depreciations,Ukupan broj Amortizacija
 DocType: Sales Invoice Item,Rate With Margin,Stopu sa margina
@@ -1640,7 +1650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Molimo navedite važeću Row ID za redom {0} {1} u tabeli
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Nije moguće pronaći varijablu:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Molimo izaberite polje za uređivanje iz numpad-a
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Ne može biti osnovna stavka sredstva kao što je stvorena knjiga zaliha.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Ne može biti osnovna stavka sredstva kao što je stvorena knjiga zaliha.
 DocType: Subscription Plan,Fixed rate,Fiksna stopa
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Priznati
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Idite na radnu površinu i početi koristiti ERPNext
@@ -1674,7 +1684,7 @@
 DocType: Tax Rule,Shipping State,State dostava
 ,Projected Quantity as Source,Projektovanih količina kao izvor
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Stavka mora biti dodan pomoću 'Get stavki iz Kupovina Primici' gumb
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Dostava putovanja
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Dostava putovanja
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Tip prenosa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Prodajni troškovi
@@ -1687,8 +1697,9 @@
 DocType: Item Default,Default Selling Cost Center,Zadani trošak prodaje
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,disk
 DocType: Buying Settings,Material Transferred for Subcontract,Preneseni materijal za podugovaranje
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poštanski broj
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Prodajnog naloga {0} je {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Nalozi za kupovinu narudžbine
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Poštanski broj
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Prodajnog naloga {0} je {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Izaberete račun prihoda od kamata u pozajmici {0}
 DocType: Opportunity,Contact Info,Kontakt Informacije
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Izrada Stock unosi
@@ -1701,12 +1712,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Faktura ne može biti napravljena za nultu cenu fakturisanja
 DocType: Company,Date of Commencement,Datum početka
 DocType: Sales Person,Select company name first.,Prvo odaberite naziv preduzeća.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail poslan na {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail poslan na {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ponude dobijene od dobavljača.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Zamijenite BOM i ažurirajte najnoviju cijenu u svim BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Za {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ovo je korenska grupa dobavljača i ne može se uređivati.
-DocType: Delivery Trip,Driver Name,Ime vozača
+DocType: Delivery Note,Driver Name,Ime vozača
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Prosječna starost
 DocType: Education Settings,Attendance Freeze Date,Posjećenost Freeze Datum
 DocType: Payment Request,Inward,Unutra
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,Matična kompanija
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Sobe Hotela tipa {0} nisu dostupne na {1}
 DocType: Healthcare Practitioner,Default Currency,Zadana valuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maksimalni popust za stavku {0} je {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maksimalni popust za stavku {0} je {1}%
 DocType: Asset Movement,From Employee,Od zaposlenika
 DocType: Driver,Cellphone Number,Broj mobitela
 DocType: Project,Monitor Progress,Napredak monitora
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Količina mora biti manji ili jednak {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Maksimalni iznos koji odgovara komponenti {0} prelazi {1}
 DocType: Department Approver,Department Approver,Odjel Odobrenja
+DocType: QuickBooks Migrator,Application Settings,Postavke aplikacije
 DocType: SMS Center,Total Characters,Ukupno Likovi
 DocType: Employee Advance,Claimed,Tvrdio
 DocType: Crop,Row Spacing,Razmak redova
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Molimo odaberite BOM BOM u polje za Stavka {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Molimo odaberite BOM BOM u polje za Stavka {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Za izabranu stavku nema nijedne varijante stavki
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Obrazac Račun Detalj
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pomirenje Plaćanje fakture
 DocType: Clinical Procedure,Procedure Template,Šablon procedure
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Doprinos%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Prema Kupnja Postavke ako Narudžbenice željeni == &#39;DA&#39;, onda za stvaranje fakturi, korisnik treba prvo stvoriti Narudžbenice za stavku {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Doprinos%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Prema Kupnja Postavke ako Narudžbenice željeni == &#39;DA&#39;, onda za stvaranje fakturi, korisnik treba prvo stvoriti Narudžbenice za stavku {0}"
 ,HSN-wise-summary of outward supplies,HSN-mudar-rezime izvora isporuke
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Tvrtka registracijski brojevi za svoju referencu. Porezni brojevi itd.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Držati
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Držati
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributer
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Košarica Shipping pravilo
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,Naručeni artikli za naplatu
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od opseg mora biti manji od u rasponu
 DocType: Global Defaults,Global Defaults,Globalne zadane postavke
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projekt Collaboration Poziv
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projekt Collaboration Poziv
 DocType: Salary Slip,Deductions,Odbici
 DocType: Setup Progress Action,Action Name,Naziv akcije
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Početak godine
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,Konsultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Prisustvo sastanaka učitelja roditelja
 DocType: Salary Slip,Earnings,Zarada
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Završio Stavka {0} mora biti unesen za tip Proizvodnja unos
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Završio Stavka {0} mora biti unesen za tip Proizvodnja unos
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Otvaranje Računovodstvo Balance
 ,GST Sales Register,PDV prodaje Registracija
 DocType: Sales Invoice Advance,Sales Invoice Advance,Predujam prodajnog računa
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Ništa se zatražiti
+DocType: Stock Settings,Default Return Warehouse,Default Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Izaberite svoje domene
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Supplier
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Stavke fakture za plaćanje
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Polja će se kopirati samo u trenutku kreiranja.
 DocType: Setup Progress Action,Domains,Domena
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"' Stvarni datum početka ' ne može biti veći od stvarnog datuma završetka """
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,upravljanje
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,upravljanje
 DocType: Cheque Print Template,Payer Settings,Payer Postavke
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Nema traženih materijala koji su pronađeni za povezivanje za date stavke.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Prvo odaberite kompaniju
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ovo će biti dodan na Šifra za varijantu. Na primjer, ako je vaš skraćenica ""SM"", a stavka kod je ""T-SHIRT"", stavka kod varijante će biti ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto plaća (riječima) će biti vidljiva nakon što spremite klizne plaće.
 DocType: Delivery Note,Is Return,Je li povratak
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Oprez
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Dan početka je veći od kraja dana u zadatku &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Povratak / Debit Napomena
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Povratak / Debit Napomena
 DocType: Price List Country,Price List Country,Cijena Lista država
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} valjani serijski broj za artikal {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Grant informacije.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Šifarnik dobavljača
 DocType: Contract Template,Contract Terms and Conditions,Uslovi i uslovi ugovora
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Ne možete ponovo pokrenuti pretplatu koja nije otkazana.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Ne možete ponovo pokrenuti pretplatu koja nije otkazana.
 DocType: Account,Balance Sheet,Završni račun
 DocType: Leave Type,Is Earned Leave,Da li ste zarađeni?
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Troška Za Stavke sa Šifra '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Troška Za Stavke sa Šifra '
 DocType: Fee Validity,Valid Till,Valid Till
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Ukupno sastanak učitelja roditelja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Način plaćanja nije konfiguriran. Molimo provjerite da li račun je postavljena o načinu plaćanja ili na POS profilu.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Način plaćanja nije konfiguriran. Molimo provjerite da li račun je postavljena o načinu plaćanja ili na POS profilu.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti stavka ne može se upisati više puta.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dalje računa može biti pod Grupe, ali unosa može biti protiv ne-Grupe"
 DocType: Lead,Lead,Potencijalni kupac
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} stvorio
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Ne iskoristite Loyalty Points za otkup
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Odbijena Količina ne može unijeti u Kupovina Povratak
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Molimo da podesite pridruženi račun u Kategorija za odbijanje poreza {0} protiv Kompanije {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Odbijena Količina ne može unijeti u Kupovina Povratak
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Promena klijentske grupe za izabranog klijenta nije dozvoljena.
 ,Purchase Order Items To Be Billed,Narudžbenica Proizvodi se naplaćuje
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Ažuriranje procijenjenih vremena dolaska.
 DocType: Program Enrollment Tool,Enrollment Details,Detalji upisa
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Ne može se podesiti više postavki postavki za preduzeće.
 DocType: Purchase Invoice Item,Net Rate,Neto stopa
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Izaberite kupca
 DocType: Leave Policy,Leave Allocations,Ostavite dodelu
@@ -1850,7 +1866,7 @@
 DocType: Loan Application,Repayment Info,otplata Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,' Prijave ' ne može biti prazno
 DocType: Maintenance Team Member,Maintenance Role,Uloga održavanja
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Dupli red {0} sa istim {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Dupli red {0} sa istim {1}
 DocType: Marketplace Settings,Disable Marketplace,Onemogući tržište
 ,Trial Balance,Pretresno bilanca
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađen
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Podešavanja pretplate
 DocType: Purchase Invoice,Update Auto Repeat Reference,Ažurirajte Auto Repeat Reference
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Opciona lista letenja nije postavljena za period odmora {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Opciona lista letenja nije postavljena za period odmora {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,istraživanje
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Na adresu 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Na adresu 2
 DocType: Maintenance Visit Purpose,Work Done,Rad Done
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Molimo navedite barem jedan atribut atribute tabeli
 DocType: Announcement,All Students,Svi studenti
@@ -1873,16 +1889,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Usklađene transakcije
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Najstarije
 DocType: Crop Cycle,Linked Location,Povezana lokacija
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Stavka Grupa postoji s istim imenom , molimo promijenite ime stavku ili preimenovati stavku grupe"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"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"
 DocType: Crop Cycle,Less than a year,Manje od godinu dana
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Ostatak svijeta
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Ostatak svijeta
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Stavka {0} ne može imati Batch
 DocType: Crop,Yield UOM,Primarni UOM
 ,Budget Variance Report,Proračun varijance Prijavi
 DocType: Salary Slip,Gross Pay,Bruto plaća
 DocType: Item,Is Item from Hub,Je stavka iz Hub-a
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Uzmite predmete iz zdravstvenih usluga
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Uzmite predmete iz zdravstvenih usluga
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Red {0}: Aktivnost Tip je obavezno.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Isplaćene dividende
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Računovodstvo Ledger
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Način plaćanja
 DocType: Purchase Invoice,Supplied Items,Isporučenog pribora
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Molimo aktivirajte meni za restoran {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Procenat Komisije%
 DocType: Work Order,Qty To Manufacture,Količina za proizvodnju
 DocType: Email Digest,New Income,novi prihod
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Održavanje istu stopu tijekom kupnje ciklusa
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Vrednovanje potrebne za Stavka u nizu objekta {0}
 DocType: Supplier Scorecard,Scorecard Actions,Action Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Primer: Masters u Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Dobavljač {0} nije pronađen u {1}
 DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija
 DocType: GL Entry,Against Voucher,Protiv Voucheru
 DocType: Item Default,Default Buying Cost Center,Zadani trošak kupnje
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Da biste dobili najbolje iz ERPNext, preporučujemo vam da malo vremena i gledati ove snimke pomoć."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Za podrazumevani dobavljač
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,Za
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Za podrazumevani dobavljač
 DocType: Supplier Quotation Item,Lead Time in days,Potencijalni kupac u danima
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Računi se plaćaju Sažetak
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Nije ovlašten za uređivanje smrznute račun {0}
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Upozorite na novi zahtev za citate
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Narudžbenice vam pomoći planirati i pratiti na kupovinu
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Testiranje laboratorijskih testova
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Ukupne emisije / Transfer količina {0} u Industrijska Zahtjev {1} \ ne može biti veća od tražene količine {2} za Stavka {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Mali
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ako Shopify ne sadrži kupca u porudžbini, tada će sinhronizirati naloge, sistem će razmatrati podrazumevani kupac za porudžbinu"
@@ -1937,6 +1954,7 @@
 DocType: Project,% Completed,Završen%
 ,Invoiced Amount (Exculsive Tax),Dostavljeni iznos ( Exculsive poreza )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Stavku 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorizacija Endpoint
 DocType: Travel Request,International,International
 DocType: Training Event,Training Event,treningu
 DocType: Item,Auto re-order,Autorefiniš reda
@@ -1945,24 +1963,24 @@
 DocType: Contract,Contract,ugovor
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorijsko ispitivanje Datetime
 DocType: Email Digest,Add Quote,Dodaj Citat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Neizravni troškovi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Red {0}: Količina je obvezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Red {0}: Količina je obvezno
 DocType: Agriculture Analysis Criteria,Agriculture,Poljoprivreda
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Kreirajte porudžbinu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Računovodstveni unos za imovinu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blok faktura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Računovodstveni unos za imovinu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blok faktura
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Količina koju treba napraviti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Troškovi popravki
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Vaši proizvodi ili usluge
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Neuspešno se prijaviti
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Sredstvo {0} kreirano
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Sredstvo {0} kreirano
 DocType: Special Test Items,Special Test Items,Specijalne testne jedinice
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Potrebno je da budete korisnik sa ulogama System Manager i Item Manager za prijavljivanje na Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Način plaćanja
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Prema vašoj dodeljenoj strukturi zarada ne možete se prijaviti za naknade
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Sajt slika treba da bude javni datoteke ili web stranice URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Sajt slika treba da bude javni datoteke ili web stranice URL
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati .
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Spoji se
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,Kontakt informacije skladišta
 DocType: Payment Entry,Write Off Difference Amount,Otpis Razlika Iznos
 DocType: Volunteer,Volunteer Name,Ime volontera
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: e-mail nije poslat jer e-mail zaposlenog nije pronađen
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Redovi sa dupliciranim datumima u drugim redovima su pronađeni: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: e-mail nije poslat jer e-mail zaposlenog nije pronađen
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Struktura zarada nije dodeljena zaposlenom {0} na datom datumu {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Pravilo o isporuci ne važi za zemlju {0}
 DocType: Item,Foreign Trade Details,Vanjske trgovine Detalji
@@ -1979,16 +1998,16 @@
 DocType: Email Digest,Annual Income,Godišnji prihod
 DocType: Serial No,Serial No Details,Serijski nema podataka
 DocType: Purchase Invoice Item,Item Tax Rate,Poreska stopa artikla
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Od imena partije
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Od imena partije
 DocType: Student Group Student,Group Roll Number,Grupa Roll Broj
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, samo kredit računa može biti povezan protiv drugog ulaska debit"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Stavka {0} mora bitisklopljen ugovor artikla
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitalni oprema
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cijene Pravilo prvo se bira na temelju 'Nanesite na' terenu, koji može biti točka, točka Grupa ili Brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Molimo prvo postavite kod za stavku
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc tip
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc tip
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100
 DocType: Subscription Plan,Billing Interval Count,Interval broja obračuna
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Imenovanja i susreti sa pacijentom
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Nedostaje vrijednost
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Napravi Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Kreirana naknada
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Nije našao bilo koji predmet pod nazivom {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filter predmeta
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterijum Formula
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Ukupno Odlazni
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"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 """
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Za stavku {0}, količina mora biti pozitivni broj"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Napomena : Ovaj troška jegrupa . Ne mogu napraviti računovodstvenih unosa protiv skupine .
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Dane zahtjeva za kompenzacijski odmor ne važe u valjanim praznicima
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,skladište dijete postoji za to skladište. Ne možete brisati ovo skladište.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,skladište dijete postoji za to skladište. Ne možete brisati ovo skladište.
 DocType: Item,Website Item Groups,Website Stavka Grupe
 DocType: Purchase Invoice,Total (Company Currency),Ukupno (Company valuta)
 DocType: Daily Work Summary Group,Reminder,Podsjetnik
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Dostupna vrednost
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Dostupna vrednost
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serijski broj {0} ušao više puta
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Časopis Stupanje
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Iz GSTIN-a
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Iz GSTIN-a
 DocType: Expense Claim Advance,Unclaimed amount,Neobjavljeni iznos
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} stavke u tijeku
 DocType: Workstation,Workstation Name,Ime Workstation
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS Stavka Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternativni predmet ne sme biti isti kao kod stavke
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} ne pripada Stavka {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} ne pripada Stavka {1}
 DocType: Sales Partner,Target Distribution,Ciljana Distribucija
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Završetak privremene procjene
 DocType: Salary Slip,Bank Account No.,Žiro račun broj
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Može se koristiti varijable Scorecard, kao i: {total_score} (ukupna ocjena iz tog perioda), {period_number} (broj perioda za današnji dan)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Skupi sve
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Skupi sve
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Kreirajte narudžbinu
 DocType: Quality Inspection Reading,Reading 8,Čitanje 8
 DocType: Inpatient Record,Discharge Note,Napomena o pražnjenju
@@ -2050,7 +2070,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege dopust
 DocType: Purchase Invoice,Supplier Invoice Date,Dobavljač Datum fakture
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ova vrijednost se koristi za izračun pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Trebate omogućiti Košarica
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Trebate omogućiti Košarica
 DocType: Payment Entry,Writeoff,Otpisati
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Prefiks naziva serije
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Preklapanje uvjeti nalaze između :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Protiv Journal Entry {0} je već prilagođen protiv nekih drugih vaučer
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Ukupna vrijednost Order
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Hrana
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Hrana
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Starenje Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detalji
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Molimo postavite Naming Series za {0} preko Setup&gt; Settings&gt; Series Naming
 DocType: Inpatient Occupancy,Check In,Provjeri
 DocType: Maintenance Schedule Item,No of Visits,Bez pregleda
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Održavanje Raspored {0} postoji protiv {1}
@@ -2109,6 +2128,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimalne prednosti (iznos)
 DocType: Purchase Invoice,Contact Person,Kontakt osoba
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',""" Očekivani datum početka ' ne može biti veći od očekivanog datuma završetka"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nema podataka za ovaj period
 DocType: Course Scheduling Tool,Course End Date,Naravno Završni datum
 DocType: Holiday List,Holidays,Praznici
 DocType: Sales Order Item,Planned Quantity,Planirana količina
@@ -2120,7 +2140,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Neto promjena u fiksnoj Asset
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Ostavite prazno ako smatra za sve oznake
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datuma i vremena
 DocType: Shopify Settings,For Company,Za tvrtke
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,Uvjeti sadržaj
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Bilo je grešaka u kreiranju rasporeda kursa
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Prvi Expens Approver na listi biće postavljen kao podrazumevani Expens Approver.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,ne može biti veća od 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,ne može biti veća od 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Morate biti korisnik osim administratora sa ulogama upravitelja sistema i menadžera postavki za registraciju na tržištu.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Stavka {0} nijestock Stavka
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Stavka {0} nijestock Stavka
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-YYYY.-
 DocType: Maintenance Visit,Unscheduled,Neplanski
 DocType: Employee,Owned,U vlasništvu
@@ -2163,7 +2183,7 @@
 DocType: HR Settings,Employee Settings,Postavke zaposlenih
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Uplata platnog sistema
 ,Batch-Wise Balance History,Batch-Wise bilanca Povijest
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Red # {0}: Ne može se podesiti Rate ako je iznos veći od fakturisane količine za stavku {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Red # {0}: Ne može se podesiti Rate ako je iznos veći od fakturisane količine za stavku {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,podešavanja print ažuriran u odgovarajućim formatu print
 DocType: Package Code,Package Code,paket kod
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,šegrt
@@ -2172,7 +2192,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Porez detalj stol učitani iz stavka master kao string i pohranjeni u ovoj oblasti.
  Koristi se za poreza i naknada"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Zaposleni ne može prijaviti samog sebe.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Zaposleni ne može prijaviti samog sebe.
 DocType: Leave Type,Max Leaves Allowed,Maksimalno dozvoljeno odstupanje
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut , unosi dopušteno ograničene korisnike ."
 DocType: Email Digest,Bank Balance,Banka Balance
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Bankovne transakcije
 DocType: Quality Inspection,Readings,Očitavanja
 DocType: Stock Entry,Total Additional Costs,Ukupno dodatnih troškova
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Broj interakcija
 DocType: BOM,Scrap Material Cost(Company Currency),Otpadnog materijala troškova (poduzeća Valuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,pod skupštine
 DocType: Asset,Asset Name,Asset ime
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,Za vrijednost
 DocType: Loyalty Program,Loyalty Program Type,Vrsta programa lojalnosti
 DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Rok plaćanja na redu {0} je možda duplikat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Poljoprivreda (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Odreskom
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Odreskom
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,najam ureda
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Postavke Setup SMS gateway
 DocType: Disease,Common Name,Zajedničko ime
@@ -2240,20 +2261,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-mail Plaća Slip na zaposlenog
 DocType: Cost Center,Parent Cost Center,Roditelj troška
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Odaberite Moguće dobavljač
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Odaberite Moguće dobavljač
 DocType: Sales Invoice,Source,Izvor
 DocType: Customer,"Select, to make the customer searchable with these fields",Izaberite da biste potrošaču omogućili pretragu sa ovim poljima
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Napomene o uvoznoj isporuci od Shopify na pošiljci
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show zatvoren
 DocType: Leave Type,Is Leave Without Pay,Ostavi se bez plate
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obavezno za Fixed stavku imovine
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obavezno za Fixed stavku imovine
 DocType: Fee Validity,Fee Validity,Vrijednost naknade
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nisu pronađeni u tablici plaćanja
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ovo {0} sukobe sa {1} za {2} {3}
 DocType: Student Attendance Tool,Students HTML,studenti HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Molimo obrišite Employee <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 DocType: POS Profile,Apply Discount,Nanesite Popust
 DocType: GST HSN Code,GST HSN Code,PDV HSN Kod
 DocType: Employee External Work History,Total Experience,Ukupno Iskustvo
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,Rasporedi
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS profil je potreban za korištenje Point-of-Sale
 DocType: Cashier Closing,Net Amount,Neto iznos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije dostavljen tako akciju nije moguće dovršiti
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije dostavljen tako akciju nije moguće dovršiti
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM detalji - broj
 DocType: Landed Cost Voucher,Additional Charges,dodatnih troškova
 DocType: Support Search Source,Result Route Field,Polje trase rezultata
@@ -2305,11 +2323,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Otvaranje faktura
 DocType: Contract,Contract Details,Detalji ugovora
 DocType: Employee,Leave Details,Ostavite detalje
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Molimo postavite korisniku ID polja u rekord zaposlenog da postavite uloga zaposlenih
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Molimo postavite korisniku ID polja u rekord zaposlenog da postavite uloga zaposlenih
 DocType: UOM,UOM Name,UOM Ime
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Za adresu 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Za adresu 1
 DocType: GST HSN Code,HSN Code,HSN Kod
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Doprinos Iznos
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Doprinos Iznos
 DocType: Inpatient Record,Patient Encounter,Patient Encounter
 DocType: Purchase Invoice,Shipping Address,Adresa isporuke
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ovaj alat pomaže vam da ažurirate ili popraviti količinu i vrednovanje zaliha u sistemu. To se obično koristi za usklađivanje vrijednosti sistema i ono što zaista postoji u skladištima.
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,Režim putovanja
 DocType: Sales Invoice Item,Brand Name,Naziv brenda
 DocType: Purchase Receipt,Transporter Details,Transporter Detalji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Uobičajeno skladište je potreban za izabranu stavku
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Uobičajeno skladište je potreban za izabranu stavku
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Kutija
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,moguće dobavljač
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,moguće dobavljač
 DocType: Budget,Monthly Distribution,Mjesečni Distribucija
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Zdravstvo (beta)
@@ -2349,6 +2367,7 @@
 ,Lead Name,Ime Lead-a
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Istraživanje
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Otvaranje Stock Balance
 DocType: Asset Category Account,Capital Work In Progress Account,Kapitalni rad je u toku
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Podešavanje vrednosti imovine
@@ -2357,7 +2376,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lišće Dodijeljeni uspješno za {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Nema stavki za omot
 DocType: Shipping Rule Condition,From Value,Od Vrijednost
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezno
 DocType: Loan,Repayment Method,otplata Način
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ako je označeno, na početnu stranicu će biti default Stavka grupe za web stranicu"
 DocType: Quality Inspection Reading,Reading 4,Čitanje 4
@@ -2382,7 +2401,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Upućivanje zaposlenih
 DocType: Student Group,Set 0 for no limit,Set 0 za no limit
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dan (e) na koje se prijavljujete za odmor su praznici. Vi ne trebate podnijeti zahtjev za dozvolu.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Red {idx}: {polje} je potreban za kreiranje Opening {invoice_type} faktura
 DocType: Customer,Primary Address and Contact Detail,Primarna adresa i kontakt detalji
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Ponovo pošaljite mail plaćanja
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,novi zadatak
@@ -2392,8 +2410,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Izaberite najmanje jedan domen.
 DocType: Dependent Task,Dependent Task,Zavisna Task
 DocType: Shopify Settings,Shopify Tax Account,Kupujte poreski račun
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Ostavite tipa {0} ne može biti duži od {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Ostavite tipa {0} ne može biti duži od {1}
 DocType: Delivery Trip,Optimize Route,Optimizirajte rutu
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pokušajte planiraju operacije za X dana unaprijed.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2402,14 +2420,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Molimo podesite Uobičajeno plaće plaćaju račun poduzeća {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Dobije finansijski raspad podataka o porezima i naplaćuje Amazon
 DocType: SMS Center,Receiver List,Lista primalaca
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Traži Stavka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Traži Stavka
 DocType: Payment Schedule,Payment Amount,Plaćanje Iznos
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Datum poluvremena treba da bude između rada od datuma i datuma rada
 DocType: Healthcare Settings,Healthcare Service Items,Stavke zdravstvene zaštite
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Consumed Iznos
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Neto promjena u gotovini
 DocType: Assessment Plan,Grading Scale,Pravilo Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,već završena
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock u ruci
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2432,25 +2450,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Molimo unesite URL adresu Woocommerce Servera
 DocType: Purchase Order Item,Supplier Part Number,Dobavljač Broj dijela
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1
 DocType: Share Balance,To No,Da ne
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Sva obavezna zadatka za stvaranje zaposlenih još nije izvršena.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili zaustavljen
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili zaustavljen
 DocType: Accounts Settings,Credit Controller,Kreditne kontroler
 DocType: Loan,Applicant Type,Tip podnosioca zahteva
 DocType: Purchase Invoice,03-Deficiency in services,03-Nedostatak usluga
 DocType: Healthcare Settings,Default Medical Code Standard,Standardni medicinski kodni standard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Račun kupnje {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Račun kupnje {0} nije podnesen
 DocType: Company,Default Payable Account,Uobičajeno računa se plaća
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Postavke za online kupovinu košaricu poput shipping pravila, cjenik i sl"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Fakturisana
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Rezervirano Kol
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Rezervirano Kol
 DocType: Party Account,Party Account,Party račun
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Izaberite kompaniju i oznaku
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Ljudski resursi
-DocType: Lead,Upper Income,Viši Prihodi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Viši Prihodi
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,odbiti
 DocType: Journal Entry Account,Debit in Company Currency,Debit u Company valuta
 DocType: BOM Item,BOM Item,BOM proizvod
@@ -2467,7 +2485,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Otvaranje radnih mjesta za imenovanje {0} već otvoreno ili zapošljavanje završeno u skladu sa planom osoblja {1}
 DocType: Vital Signs,Constipated,Zapremljen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Protiv Dobavljač fakture {0} od {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Protiv Dobavljač fakture {0} od {1}
 DocType: Customer,Default Price List,Zadani cjenik
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,rekord Asset pokret {0} stvorio
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Ništa nije pronađeno.
@@ -2483,16 +2501,17 @@
 DocType: Journal Entry,Entry Type,Entry Tip
 ,Customer Credit Balance,Customer Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Neto promjena na računima dobavljača
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditni limit je prešao za kupca {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Molimo postavite Naming Series za {0} preko Setup&gt; Settings&gt; Series Naming
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditni limit je prešao za kupca {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kupac je potrebno za ' Customerwise Popust '
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Update banka datum plaćanja s časopisima.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,cijene
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,cijene
 DocType: Quotation,Term Details,Oročeni Detalji
 DocType: Employee Incentive,Employee Incentive,Incentive za zaposlene
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ne može upisati više od {0} studenata za ovu grupa studenata.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Ukupno (bez poreza)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stock Available
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stock Available
 DocType: Manufacturing Settings,Capacity Planning For (Days),Kapacitet planiranje (Dana)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,nabavka
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Nijedan od stavki imaju bilo kakve promjene u količini ili vrijednosti.
@@ -2516,7 +2535,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Ostavite i posjećenost
 DocType: Asset,Comprehensive Insurance,Sveobuhvatno osiguranje
 DocType: Maintenance Visit,Partially Completed,Djelomično Završeni
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Tačka lojalnosti: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Tačka lojalnosti: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Add Leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Umerena osetljivost
 DocType: Leave Type,Include holidays within leaves as leaves,Uključiti praznika u roku od lišća što je lišće
 DocType: Loyalty Program,Redemption,Otkupljenje
@@ -2550,7 +2570,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Troškovi marketinga
 ,Item Shortage Report,Nedostatak izvješća za artikal
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Ne mogu napraviti standardne kriterijume. Molim preimenovati kriterijume
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spominje, \n Navedite ""Težina UOM"" previše"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spominje, \n Navedite ""Težina UOM"" previše"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materijal Zahtjev se koristi da bi se ova Stock unos
 DocType: Hub User,Hub Password,Hub Password
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Poseban grupe na osnovu naravno za svaku seriju
@@ -2564,15 +2584,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Trajanje imenovanja (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Provjerite knjiženje za svaki burzi pokreta
 DocType: Leave Allocation,Total Leaves Allocated,Ukupno Lišće Dodijeljeni
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Molimo vas da unesete važeću finansijsku godinu datume početka i završetka
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Molimo vas da unesete važeću finansijsku godinu datume početka i završetka
 DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu
 DocType: Upload Attendance,Get Template,Kreiraj predložak
+,Sales Person Commission Summary,Povjerenik Komisije za prodaju
 DocType: Additional Salary Component,Additional Salary Component,Dodatna plata komponenta
 DocType: Material Request,Transferred,prebačen
 DocType: Vehicle,Doors,vrata
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Prikupiti naknadu za registraciju pacijenta
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Ne mogu promijeniti atribute nakon transakcije sa akcijama. Napravite novu stavku i prenesite zalihu na novu stavku
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Ne mogu promijeniti atribute nakon transakcije sa akcijama. Napravite novu stavku i prenesite zalihu na novu stavku
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,porez Raspad
 DocType: Employee,Joining Details,Sastavljanje Detalji
@@ -2600,14 +2621,15 @@
 DocType: Lead,Next Contact By,Sledeci put kontaktirace ga
 DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenzacijski zahtev za odlazak
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Količina potrebna za točke {0} je u redu {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima artikal {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima artikal {1}
 DocType: Blanket Order,Order Type,Vrsta narudžbe
 ,Item-wise Sales Register,Stavka-mudri prodaja registar
 DocType: Asset,Gross Purchase Amount,Bruto Kupovina Iznos
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Početni balansi
 DocType: Asset,Depreciation Method,Način Amortizacija
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je li ovo pristojba uključena u osnovne stope?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Ukupna ciljna
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Ukupna ciljna
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analiza percepcije
 DocType: Soil Texture,Sand Composition (%),Kompozicija peska (%)
 DocType: Job Applicant,Applicant for a Job,Kandidat za posao
 DocType: Production Plan Material Request,Production Plan Material Request,Proizvodni plan materijala Upit
@@ -2622,23 +2644,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Oznaka ocene (od 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Nema
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Glavni
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Sledeća stavka {0} nije označena kao {1} stavka. Možete ih omogućiti kao {1} stavku iz glavnog poglavlja
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Varijanta
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Za stavku {0}, količina mora biti negativna"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije
 DocType: Employee Attendance Tool,Employees HTML,Zaposleni HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Uobičajeno BOM ({0}) mora biti aktivna za ovu stavku ili njegove predložak
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Uobičajeno BOM ({0}) mora biti aktivna za ovu stavku ili njegove predložak
 DocType: Employee,Leave Encashed?,Ostavite Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Prilika iz polja je obavezna
 DocType: Email Digest,Annual Expenses,Godišnji troškovi
 DocType: Item,Variants,Varijante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Provjerite narudžbenice
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Provjerite narudžbenice
 DocType: SMS Center,Send To,Pošalji na adresu
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Izdvojena iznosu
 DocType: Sales Team,Contribution to Net Total,Doprinos neto Ukupno
 DocType: Sales Invoice Item,Customer's Item Code,Kupca Stavka Šifra
 DocType: Stock Reconciliation,Stock Reconciliation,Kataloški pomirenje
 DocType: Territory,Territory Name,Regija Ime
+DocType: Email Digest,Purchase Orders to Receive,Narudžbe za kupovinu
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Planove možete imati samo sa istim ciklusom naplate na Pretplati
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data
@@ -2655,9 +2679,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Dupli serijski broj je unešen za artikl {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Vodite praćenje po izvorima izvora.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,A uvjet za Shipping Pravilo
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Molimo unesite
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Molimo unesite
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Dnevnik održavanja
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Molimo podesite filter na osnovu Item ili Skladište
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Molimo podesite filter na osnovu Item ili Skladište
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina tog paketa. (Automatski izračunava kao zbroj neto težini predmeta)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Napravite Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Iznos popusta ne može biti veći od 100%
@@ -2666,15 +2690,15 @@
 DocType: Sales Order,To Deliver and Bill,Dostaviti i Bill
 DocType: Student Group,Instructors,instruktori
 DocType: GL Entry,Credit Amount in Account Currency,Iznos kredita u računu valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} mora biti dostavljena
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Share Management
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} mora biti dostavljena
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Share Management
 DocType: Authorization Control,Authorization Control,Odobrenje kontrole
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Odbijena Skladište je obavezno protiv odbijen Stavka {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Plaćanje
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Odbijena Skladište je obavezno protiv odbijen Stavka {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Plaćanje
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Skladište {0} nije povezan na bilo koji račun, navedite račun u zapisnik skladištu ili postaviti zadani popis računa u firmi {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Upravljanje narudžbe
 DocType: Work Order Operation,Actual Time and Cost,Stvarno vrijeme i troškovi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materijal Zahtjev maksimalno {0} može biti za točku {1} od prodajnog naloga {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materijal Zahtjev maksimalno {0} može biti za točku {1} od prodajnog naloga {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Rastojanje usjeva
 DocType: Course,Course Abbreviation,Skraćenica za golf
@@ -2686,6 +2710,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Ukupno radnog vremena ne smije biti veća od max radnog vremena {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,na
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bala stavke na vrijeme prodaje.
+DocType: Delivery Settings,Dispatch Settings,Dispečerske postavke
 DocType: Material Request Plan Item,Actual Qty,Stvarna kol
 DocType: Sales Invoice Item,References,Reference
 DocType: Quality Inspection Reading,Reading 10,Čitanje 10
@@ -2695,11 +2720,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Unijeli duple stavke . Molimo ispraviti i pokušajte ponovno .
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Pomoćnik
 DocType: Asset Movement,Asset Movement,Asset pokret
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Radni nalog {0} mora biti dostavljen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,novi Košarica
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Radni nalog {0} mora biti dostavljen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,novi Košarica
 DocType: Taxable Salary Slab,From Amount,Od iznosa
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Stavka {0} nijeserijaliziranom predmeta
 DocType: Leave Type,Encashment,Encashment
+DocType: Delivery Settings,Delivery Settings,Postavke isporuke
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Izvadite podatke
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maksimalni dozvoljeni odmor u tipu odlaska {0} je {1}
 DocType: SMS Center,Create Receiver List,Kreiraj listu primalaca
 DocType: Vehicle,Wheels,Wheels
@@ -2715,7 +2742,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Valuta za obračun mora biti jednaka valuti valute kompanije ili valute partijskog računa
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Ukazuje da je paket je dio ove isporuke (samo nacrti)
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Red {0}: Due Date ne može biti pre datuma objavljivanja
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Red {0}: Due Date ne može biti pre datuma objavljivanja
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Napravite unos Plaćanje
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Količina za točku {0} mora biti manji od {1}
 ,Sales Invoice Trends,Trendovi prodajnih računa
@@ -2723,12 +2750,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,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 '"
 DocType: Sales Order Item,Delivery Warehouse,Isporuka Skladište
 DocType: Leave Type,Earned Leave Frequency,Zarađena frekvencija odlaska
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tree financijskih troškova centara.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Pod Tip
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tree financijskih troškova centara.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Pod Tip
 DocType: Serial No,Delivery Document No,Dokument isporuke br
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Osigurati isporuku zasnovanu na serijskom br
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Molimo podesite &#39;dobitak / gubitak računa na Asset Odlaganje&#39; u kompaniji {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Molimo podesite &#39;dobitak / gubitak računa na Asset Odlaganje&#39; u kompaniji {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Get Predmeti iz otkupa Primici
 DocType: Serial No,Creation Date,Datum stvaranja
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Ciljna lokacija je potrebna za sredstvo {0}
@@ -2742,10 +2769,11 @@
 DocType: Item,Has Variants,Ima Varijante
 DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Update Response
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Vi ste već odabrane stavke iz {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Vi ste već odabrane stavke iz {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Naziv Mjesečni distribucije
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID je obavezno
 DocType: Sales Person,Parent Sales Person,Roditelj Prodaja Osoba
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Nijedna stavka koja se primi ne kasni
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Prodavac i kupac ne mogu biti isti
 DocType: Project,Collect Progress,Prikupi napredak
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-YYYY.-
@@ -2761,7 +2789,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Money
 DocType: Budget,Budget,Budžet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Set Open
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Osnovnih sredstava Stavka mora biti ne-stock stavku.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Osnovnih sredstava Stavka mora biti ne-stock stavku.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budžet se ne može dodijeliti protiv {0}, jer to nije prihod ili rashod račun"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maksimalna izuzeća za {0} je {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Ostvareni
@@ -2779,9 +2807,9 @@
 ,Amount to Deliver,Iznose Deliver
 DocType: Asset,Insurance Start Date,Datum početka osiguranja
 DocType: Salary Component,Flexible Benefits,Fleksibilne prednosti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Ista stavka je uneta više puta. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Ista stavka je uneta više puta. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termin Ozljede Datum ne može biti ranije od godine Početak Datum akademske godine za koji je vezana pojam (akademska godina {}). Molimo ispravite datume i pokušajte ponovo.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Bilo je grešaka .
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Bilo je grešaka .
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Zaposleni {0} već je prijavio za {1} između {2} i {3}:
 DocType: Guardian,Guardian Interests,Guardian Interesi
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Ažurirajte ime / broj računa
@@ -2821,9 +2849,9 @@
 ,Item-wise Purchase History,Stavka-mudar Kupnja Povijest
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,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}"
 DocType: Account,Frozen,Zaleđeni
-DocType: Delivery Note,Vehicle Type,Tip vozila
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Tip vozila
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Iznos (Company Valuta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Sirovine
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Sirovine
 DocType: Payment Reconciliation Payment,Reference Row,referentni Row
 DocType: Installation Note,Installation Time,Vrijeme instalacije
 DocType: Sales Invoice,Accounting Details,Računovodstvo Detalji
@@ -2832,12 +2860,13 @@
 DocType: Inpatient Record,O Positive,O Pozitivno
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investicije
 DocType: Issue,Resolution Details,Detalji o rjesenju problema
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Tip transakcije
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tip transakcije
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriterij prihvaćanja
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Molimo unesite materijala Zahtjevi u gornjoj tablici
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Nema otplate dostupnih za unos novina
 DocType: Hub Tracked Item,Image List,Lista slika
 DocType: Item Attribute,Attribute Name,Atributi Ime
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generirajte fakturu na početku perioda
 DocType: BOM,Show In Website,Pokaži Na web stranice
 DocType: Loan Application,Total Payable Amount,Ukupan iznos
 DocType: Task,Expected Time (in hours),Očekivano trajanje (u satima)
@@ -2874,7 +2903,7 @@
 DocType: Employee,Resignation Letter Date,Ostavka Pismo Datum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Pravilnik o određivanju cijena dodatno se filtrira na temelju količine.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,ne Set
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Molimo vas da postavite datum ulaska za zaposlenog {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Molimo vas da postavite datum ulaska za zaposlenog {0}
 DocType: Inpatient Record,Discharge,Pražnjenje
 DocType: Task,Total Billing Amount (via Time Sheet),Ukupno Billing Iznos (preko Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite Customer prihoda
@@ -2884,13 +2913,13 @@
 DocType: Chapter,Chapter,Poglavlje
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Par
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Podrazumevani nalog će se automatski ažurirati u POS računu kada je izabran ovaj režim.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Odaberite BOM i količina za proizvodnju
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Odaberite BOM i količina za proizvodnju
 DocType: Asset,Depreciation Schedule,Amortizacija Raspored
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Prodajni partner adrese i kontakti
 DocType: Bank Reconciliation Detail,Against Account,Protiv računa
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Poludnevni datum treba biti između Od datuma i Do datuma
 DocType: Maintenance Schedule Detail,Actual Date,Stvarni datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Molimo da podesite Centar za podrazumevane troškove u kompaniji {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Molimo da podesite Centar za podrazumevane troškove u kompaniji {0}.
 DocType: Item,Has Batch No,Je Hrpa Ne
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Godišnji Billing: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2902,7 +2931,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-YYYY.-
 DocType: Shift Assignment,Shift Type,Tip pomaka
 DocType: Student,Personal Details,Osobni podaci
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo podesite &#39;Asset Amortizacija troškova Center&#39; u kompaniji {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo podesite &#39;Asset Amortizacija troškova Center&#39; u kompaniji {0}
 ,Maintenance Schedules,Rasporedi održavanja
 DocType: Task,Actual End Date (via Time Sheet),Stvarni Završni datum (preko Time Sheet)
 DocType: Soil Texture,Soil Type,Vrsta zemljišta
@@ -2910,10 +2939,10 @@
 ,Quotation Trends,Trendovi ponude
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Stavka artikla se ne spominje u master artiklu za artikal {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debit na račun mora biti potraživanja računa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debit na račun mora biti potraživanja računa
 DocType: Shipping Rule,Shipping Amount,Iznos transporta
 DocType: Supplier Scorecard Period,Period Score,Ocena perioda
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Dodaj Kupci
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Dodaj Kupci
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Iznos na čekanju
 DocType: Lab Test Template,Special,Poseban
 DocType: Loyalty Program,Conversion Factor,Konverzijski faktor
@@ -2930,7 +2959,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Dodaj slovo
 DocType: Program Enrollment,Self-Driving Vehicle,Self-vožnje vozila
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Standing Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Red {0}: Bill materijala nije pronađen za stavku {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Red {0}: Bill materijala nije pronađen za stavku {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Ukupno izdvojene lišće {0} ne može biti manja od već odobrenih lišće {1} za period
 DocType: Contract Fulfilment Checklist,Requirement,Zahtev
 DocType: Journal Entry,Accounts Receivable,Konto potraživanja
@@ -2946,16 +2975,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,Podešavanja ljudskih resursa
 DocType: Salary Slip,net pay info,neto plata info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS Iznos
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS Iznos
 DocType: Woocommerce Settings,Enable Sync,Omogući sinhronizaciju
 DocType: Tax Withholding Rate,Single Transaction Threshold,Pojedinačni transakcioni prag
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ova vrijednost se ažurira na listi podrazumevanih prodajnih cijena.
 DocType: Email Digest,New Expenses,novi Troškovi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Iznos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Iznos
 DocType: Shareholder,Shareholder,Akcionar
 DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Iznos
 DocType: Cash Flow Mapper,Position,Pozicija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Dobijte stavke iz recepta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Dobijte stavke iz recepta
 DocType: Patient,Patient Details,Detalji pacijenta
 DocType: Inpatient Record,B Positive,B Pozitivan
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2967,8 +2996,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupa Non-grupa
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,sportovi
 DocType: Loan Type,Loan Name,kredit ime
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Ukupno Actual
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Ukupno Actual
 DocType: Student Siblings,Student Siblings,student Siblings
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detalji pretplate
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,jedinica
@@ -2995,7 +3023,6 @@
 DocType: Workstation,Wages per hour,Plaće po satu
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock balans u Batch {0} će postati negativan {1} {2} za tačka na skladištu {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Nakon materijala Zahtjevi su automatski podignuta na osnovu nivou ponovnog reda stavke
-DocType: Email Digest,Pending Sales Orders,U očekivanju Prodajni nalozi
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeća. Račun valuta mora biti {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Od datuma {0} ne može biti poslije otpuštanja zaposlenog Datum {1}
 DocType: Supplier,Is Internal Supplier,Je interni snabdevač
@@ -3004,13 +3031,14 @@
 DocType: Healthcare Settings,Remind Before,Podsjeti prije
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od prodajnog naloga, prodaje fakture ili Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od prodajnog naloga, prodaje fakture ili Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyalty Bodovi = Kolika osnovna valuta?
 DocType: Salary Component,Deduction,Odbitak
 DocType: Item,Retain Sample,Zadrži uzorak
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i do vremena je obavezno.
 DocType: Stock Reconciliation Item,Amount Difference,iznos Razlika
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Stavka Cijena je dodao za {0} u {1} Cjenik
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Stavka Cijena je dodao za {0} u {1} Cjenik
+DocType: Delivery Stop,Order Information,Informacije o porudžbini
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Unesite zaposlenih Id ove prodaje osoba
 DocType: Territory,Classification of Customers by region,Klasifikacija Kupci po regiji
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,U proizvodnji
@@ -3021,8 +3049,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Izračunato Banka bilans
 DocType: Normal Test Template,Normal Test Template,Normalni testni šablon
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,invaliditetom korisnika
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Ponude
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Ne možete postaviti primljeni RFQ na No Quote
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Ponude
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Ne možete postaviti primljeni RFQ na No Quote
 DocType: Salary Slip,Total Deduction,Ukupno Odbitak
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Izaberite nalog za štampanje u valuti računa
 ,Production Analytics,proizvodnja Analytics
@@ -3035,14 +3063,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Podešavanje Scorecard-a
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Naziv plana procene
 DocType: Work Order Operation,Work Order Operation,Operacija rada
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL certifikat o prilogu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL certifikat o prilogu {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads biste se lakše poslovanje, dodati sve svoje kontakte i još kao vodi"
 DocType: Work Order Operation,Actual Operation Time,Stvarni Operation Time
 DocType: Authorization Rule,Applicable To (User),Odnosi se na (Upute)
 DocType: Purchase Taxes and Charges,Deduct,Odbiti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Opis posla
 DocType: Student Applicant,Applied,Applied
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Ponovno otvorena
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Ponovno otvorena
 DocType: Sales Invoice Item,Qty as per Stock UOM,Količina po burzi UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 ime
 DocType: Attendance,Attendance Request,Zahtev za prisustvo
@@ -3060,7 +3088,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijski Ne {0} je pod jamstvom upto {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dozvoljena vrijednost
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Korisnik {0} već postoji
-apps/erpnext/erpnext/hooks.py +114,Shipments,Pošiljke
+apps/erpnext/erpnext/hooks.py +115,Shipments,Pošiljke
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Ukupan dodijeljeni iznos (Company Valuta)
 DocType: Purchase Order Item,To be delivered to customer,Dostaviti kupcu
 DocType: BOM,Scrap Material Cost,Otpadnog materijala troškova
@@ -3068,11 +3096,12 @@
 DocType: Grant Application,Email Notification Sent,Poslato obaveštenje o pošti
 DocType: Purchase Invoice,In Words (Company Currency),Riječima (valuta tvrtke)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Kompanija je umanjena za račun kompanije
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Šifra proizvoda, skladište, količina su potrebna u redu"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Šifra proizvoda, skladište, količina su potrebna u redu"
 DocType: Bank Guarantee,Supplier,Dobavljači
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Dobiti od
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ovo je korijensko odjeljenje i ne može se uređivati.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Prikaži podatke o plaćanju
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Trajanje u danima
 DocType: C-Form,Quarter,Četvrtina
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Razni troškovi
 DocType: Global Defaults,Default Company,Zadana tvrtka
@@ -3080,7 +3109,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,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
 DocType: Bank,Bank Name,Naziv banke
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,Iznad
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Ostavite polje prazno da biste naručili naloge za sve dobavljače
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Ostavite polje prazno da biste naručili naloge za sve dobavljače
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Obavezna posjeta obaveznoj posjeti
 DocType: Vital Signs,Fluid,Fluid
 DocType: Leave Application,Total Leave Days,Ukupno Ostavite Dani
@@ -3089,7 +3118,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Postavke varijante postavki
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Odaberite preduzeće...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Ostavite prazno ako smatra za sve odjele
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} je obavezno za tu stavku {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} je obavezno za tu stavku {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Stavka {0}: {1} količina proizvedena,"
 DocType: Payroll Entry,Fortnightly,četrnaestodnevni
 DocType: Currency Exchange,From Currency,Od novca
@@ -3138,7 +3167,7 @@
 DocType: Account,Fixed Asset,Dugotrajne imovine
 DocType: Amazon MWS Settings,After Date,Posle Datuma
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serijalizovanoj zaliha
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Invalid {0} za Inter Company račun.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Invalid {0} za Inter Company račun.
 ,Department Analytics,Odjel analitike
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-pošta nije pronađena u podrazumevanom kontaktu
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generiraj tajnu
@@ -3156,6 +3185,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Uz plaćanje poreza
 DocType: Expense Claim Detail,Expense Claim Detail,Rashodi Zahtjev Detalj
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Molimo vas da podesite sistem imenovanja instruktora u obrazovanju&gt; Obrazovne postavke
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Tri primjerka ZA SUPPLIER
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Novo stanje u osnovnoj valuti
 DocType: Location,Is Container,Je kontejner
@@ -3163,13 +3193,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Molimo odaberite ispravan račun
 DocType: Salary Structure Assignment,Salary Structure Assignment,Dodjela strukture plata
 DocType: Purchase Invoice Item,Weight UOM,Težina UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Spisak dostupnih akcionara sa brojevima folije
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Spisak dostupnih akcionara sa brojevima folije
 DocType: Salary Structure Employee,Salary Structure Employee,Plaća Struktura zaposlenih
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Prikaži varijante atributa
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Prikaži varijante atributa
 DocType: Student,Blood Group,Krvna grupa
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Račun plaćačkog plaćanja u planu {0} razlikuje se od naloga za plaćanje u ovom zahtjevu za plaćanje
 DocType: Course,Course Name,Naziv predmeta
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nije pronađen nikakav porezni zadatak za tekuću fiskalnu godinu.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nije pronađen nikakav porezni zadatak za tekuću fiskalnu godinu.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Korisnici koji može odobriti odsustvo aplikacije određenu zaposlenog
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,uredske opreme
 DocType: Purchase Invoice Item,Qty,Kol
@@ -3177,6 +3207,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Podešavanje bodova
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Dozvolite istu stavku više puta
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Podignite Materijal Zahtjev kad dionica dosegne ponovno poredak razinu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Puno radno vrijeme
 DocType: Payroll Entry,Employees,Zaposleni
@@ -3188,11 +3219,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Potvrda o plaćanju
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Cijene neće biti prikazan ako nije postavljena Cjenik
 DocType: Stock Entry,Total Incoming Value,Ukupna vrijednost Incoming
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,To je potrebno Debit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,To je potrebno Debit
 DocType: Clinical Procedure,Inpatient Record,Zapisnik o stacionarnom stanju
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomoći pratiti vremena, troškova i naplate za aktivnostima obavlja svoj tim"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Kupoprodajna cijena List
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Datum transakcije
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Kupoprodajna cijena List
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Datum transakcije
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Šabloni varijabli indeksa dobavljača.
 DocType: Job Offer Term,Offer Term,Ponuda Term
 DocType: Asset,Quality Manager,Quality Manager
@@ -3213,18 +3244,18 @@
 DocType: Cashier Closing,To Time,Za vrijeme
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) za {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Odobravanje ulogu (iznad ovlašteni vrijednost)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Credit na račun mora biti računa se plaćaju
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Credit na račun mora biti računa se plaćaju
 DocType: Loan,Total Amount Paid,Ukupan iznos plaćen
 DocType: Asset,Insurance End Date,Krajnji datum osiguranja
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Molimo izaberite Studentski prijem koji je obavezan za učeniku koji je platio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Budžetska lista
 DocType: Work Order Operation,Completed Qty,Završen Kol
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, samo debitne račune mogu povezati protiv druge kreditne unos"
 DocType: Manufacturing Settings,Allow Overtime,Omogućiti Prekovremeni rad
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serijalizovanoj Stavka {0} ne može se ažurirati pomoću Stock pomirenje, molimo vas da koristite Stock Entry"
 DocType: Training Event Employee,Training Event Employee,Treningu zaposlenih
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimalni uzorci - {0} mogu biti zadržani za seriju {1} i stavku {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimalni uzorci - {0} mogu biti zadržani za seriju {1} i stavku {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Dodajte vremenske utore
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijski brojevi potrebni za artikal {1}. koji ste trazili {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutno Vrednovanje Rate
@@ -3255,11 +3286,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} nije pronađena
 DocType: Fee Schedule Program,Fee Schedule Program,Program raspoređivanja naknada
 DocType: Fee Schedule Program,Student Batch,student Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Molimo obrišite Employee <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Make Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min razred
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Vrsta jedinice za zdravstvenu zaštitu
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Vi ste pozvani da surađuju na projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Vi ste pozvani da surađuju na projektu: {0}
 DocType: Supplier Group,Parent Supplier Group,Matična grupa dobavljača
+DocType: Email Digest,Purchase Orders to Bill,Narudžbe za kupovinu
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Akumulirane vrijednosti u grupnoj kompaniji
 DocType: Leave Block List Date,Block Date,Blok Datum
 DocType: Crop,Crop,Rezati
@@ -3271,6 +3305,7 @@
 DocType: Sales Order,Not Delivered,Ne Isporučeno
 ,Bank Clearance Summary,Razmak banka Sažetak
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Stvaranje i upravljanje dnevne , tjedne i mjesečne e razgradnju ."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Ovo se zasniva na transakcijama protiv ovog Prodavca. Za detalje pogledajte vremenski okvir ispod
 DocType: Appraisal Goal,Appraisal Goal,Procjena gol
 DocType: Stock Reconciliation Item,Current Amount,Trenutni iznos
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,zgrade
@@ -3297,7 +3332,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,softvera
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Sljedeća Kontakt datum ne može biti u prošlosti
 DocType: Company,For Reference Only.,Za referencu samo.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Izaberite serijski br
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Izaberite serijski br
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},{1}: Invalid {0}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Reference Inv
@@ -3315,16 +3350,16 @@
 DocType: Normal Test Items,Require Result Value,Zahtevaj vrednost rezultata
 DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice
 DocType: Tax Withholding Rate,Tax Withholding Rate,Stopa zadržavanja poreza
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,prodavaonice
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,prodavaonice
 DocType: Project Type,Projects Manager,Projektni menadzer
 DocType: Serial No,Delivery Time,Vrijeme isporuke
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Starenje temelju On
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Imenovanje je otkazano
 DocType: Item,End of Life,Kraj života
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,putovanje
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,putovanje
 DocType: Student Report Generation Tool,Include All Assessment Group,Uključite svu grupu procene
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Nema aktivnih ili zadani Plaća Struktura nađeni za zaposlenog {0} za navedeni datumi
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Nema aktivnih ili zadani Plaća Struktura nađeni za zaposlenog {0} za navedeni datumi
 DocType: Leave Block List,Allow Users,Omogućiti korisnicima
 DocType: Purchase Order,Customer Mobile No,Mobilni broj kupca
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalji šablona za mapiranje gotovog toka
@@ -3333,15 +3368,16 @@
 DocType: Rename Tool,Rename Tool,Preimenovanje alat
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Update cost
 DocType: Item Reorder,Item Reorder,Ponovna narudžba artikla
+DocType: Delivery Note,Mode of Transport,Način transporta
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Pokaži Plaća Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Prijenos materijala
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Prijenos materijala
 DocType: Fees,Send Payment Request,Pošaljite zahtev za plaćanje
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Navedite operacija, operativni troškovi i dati jedinstven radom najkasnije do svojih operacija ."
 DocType: Travel Request,Any other details,Bilo koji drugi detalj
 DocType: Water Analysis,Origin,Poreklo
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ovaj dokument je preko granice po {0} {1} za stavku {4}. Da li što još {3} u odnosu na isti {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Molimo podesite ponavljaju nakon spremanja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Izaberite promjene iznos računa
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Molimo podesite ponavljaju nakon spremanja
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Izaberite promjene iznos računa
 DocType: Purchase Invoice,Price List Currency,Cjenik valuta
 DocType: Naming Series,User must always select,Korisničko uvijek mora odabrati
 DocType: Stock Settings,Allow Negative Stock,Dopustite negativnu zalihu
@@ -3362,9 +3398,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sljedivost
 DocType: Asset Maintenance Log,Actions performed,Izvršene akcije
 DocType: Cash Flow Mapper,Section Leader,Rukovodilac odjela
+DocType: Delivery Note,Transport Receipt No,Transportni prijem br
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Izvor sredstava ( pasiva)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Izvor i ciljna lokacija ne mogu biti isti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redu {0} ( {1} ) mora biti isti kao proizvedena količina {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redu {0} ( {1} ) mora biti isti kao proizvedena količina {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Radnik
 DocType: Bank Guarantee,Fixed Deposit Number,Fiksni depozitni broj
 DocType: Asset Repair,Failure Date,Datum otkaza
@@ -3378,16 +3415,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Plaćanje Smanjenja ili gubitak
 DocType: Soil Analysis,Soil Analysis Criterias,Kriterijumi za analizu zemljišta
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Da li ste sigurni da želite da otkažete ovaj termin?
+DocType: BOM Item,Item operation,Rad operacija
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Da li ste sigurni da želite da otkažete ovaj termin?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Paket za hotelsku sobu
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,prodaja Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,prodaja Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Molimo podesite zadani račun u Plaća Komponenta {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Potrebna On
 DocType: Rename Tool,File to Rename,File da biste preimenovali
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Molimo odaberite BOM za Stavka zaredom {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Izvrši ažuriranje pretplate
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Računa {0} ne odgovara Company {1} u režimu računa: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Navedene BOM {0} ne postoji za Stavka {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Navedene BOM {0} ne postoji za Stavka {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kurs:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Raspored održavanja {0} mora biti otkazana prije poništenja ovu prodajnog naloga
@@ -3396,7 +3434,7 @@
 DocType: Notification Control,Expense Claim Approved,Rashodi Zahtjev odobren
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Postavite napredak i dodelite (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Stvaranje radnih naloga
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Plaća listić od zaposlenika {0} već kreirali za ovaj period
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Plaća listić od zaposlenika {0} već kreirali za ovaj period
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,farmaceutski
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Možete podnijeti Leave Encashment samo važeći iznos za unos
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Troškovi Kupljene stavke
@@ -3404,7 +3442,8 @@
 DocType: Selling Settings,Sales Order Required,Prodajnog naloga Obvezno
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Postanite Prodavac
 DocType: Purchase Invoice,Credit To,Kreditne Da
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktivni Potencijani kupci / Kupci
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktivni Potencijani kupci / Kupci
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Ostavite prazno da biste koristili standardni format isporuke
 DocType: Employee Education,Post Graduate,Post diplomski
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Raspored održavanja detaljno
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Upozoriti na nova narudžbina
@@ -3418,14 +3457,14 @@
 DocType: Support Search Source,Post Title Key,Ključ posta za naslov
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Za karticu posla
 DocType: Warranty Claim,Raised By,Povišena Do
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Prescriptions
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Prescriptions
 DocType: Payment Gateway Account,Payment Account,Plaćanje računa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Navedite Tvrtka postupiti
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Navedite Tvrtka postupiti
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Neto promjena u Potraživanja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,kompenzacijski Off
 DocType: Job Offer,Accepted,Prihvaćeno
 DocType: POS Closing Voucher,Sales Invoices Summary,Sažetak prodajnih faktura
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,U ime stranke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,U ime stranke
 DocType: Grant Application,Organization,organizacija
 DocType: BOM Update Tool,BOM Update Tool,Alat za ažuriranje BOM
 DocType: SG Creation Tool Course,Student Group Name,Student Ime grupe
@@ -3434,7 +3473,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Molimo Vas da proverite da li ste zaista želite izbrisati sve transakcije za ovu kompaniju. Tvoj gospodar podaci će ostati kao što je to. Ova akcija se ne može poništiti.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Search Results
 DocType: Room,Room Number,Broj sobe
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Invalid referentni {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Invalid referentni {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći nego što je planirana kolicina ({2}) u proizvodnoj porudzbini {3}
 DocType: Shipping Rule,Shipping Rule Label,Naziv pravila transporta
 DocType: Journal Entry Account,Payroll Entry,Unos plata
@@ -3442,8 +3481,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Napravite poreznu šemu
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Sirovine ne može biti prazan.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Red # {0} (Tabela za plaćanje): Iznos mora biti negativan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nije mogao ažurirati zaliha, faktura sadrži drop shipping stavke."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Red # {0} (Tabela za plaćanje): Iznos mora biti negativan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nije mogao ažurirati zaliha, faktura sadrži drop shipping stavke."
 DocType: Contract,Fulfilment Status,Status ispune
 DocType: Lab Test Sample,Lab Test Sample,Primjer laboratorijskog testa
 DocType: Item Variant Settings,Allow Rename Attribute Value,Dozvoli preimenovati vrednost atributa
@@ -3485,11 +3524,11 @@
 DocType: BOM,Show Operations,Pokaži operacije
 ,Minutes to First Response for Opportunity,Minuta na prvi odgovor za Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Ukupno Odsutan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Artikal ili skladište za redak {0} ne odgovara Zahtjevu za materijalom
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Artikal ili skladište za redak {0} ne odgovara Zahtjevu za materijalom
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Jedinica mjere
 DocType: Fiscal Year,Year End Date,Završni datum godine
 DocType: Task Depends On,Task Depends On,Zadatak ovisi o
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Prilika (Opportunity)
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Prilika (Opportunity)
 DocType: Operation,Default Workstation,Uobičajeno Workstation
 DocType: Notification Control,Expense Claim Approved Message,Rashodi Zahtjev Odobren poruku
 DocType: Payment Entry,Deductions or Loss,Smanjenja ili gubitak
@@ -3527,20 +3566,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Korisnik koji odobrava ne može biti isti kao i korisnik na kojeg se odnosi pravilo.
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (kao po akciji UOM)
 DocType: SMS Log,No of Requested SMS,Nema traženih SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Ostavite bez plate ne odgovara odobrenim Records Ostaviti Primjena
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Ostavite bez plate ne odgovara odobrenim Records Ostaviti Primjena
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Sljedeći koraci
 DocType: Travel Request,Domestic,Domaći
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Molimo vas da dostavite navedene stavke na najbolji mogući stope
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Molimo vas da dostavite navedene stavke na najbolji mogući stope
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Transfer radnika ne može se podneti pre datuma prenosa
 DocType: Certification Application,USD,Američki dolar
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Napravite fakturu
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Preostali iznos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Preostali iznos
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto blizu Opportunity nakon 15 dana
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Narudžbe za kupovinu nisu dozvoljene za {0} zbog stanja kartice koja se nalazi na {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Bar kod {0} nije važeći {1} kod
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Bar kod {0} nije važeći {1} kod
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,do kraja godine
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Ugovor Datum završetka mora biti veći od dana ulaska u
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Ugovor Datum završetka mora biti veći od dana ulaska u
 DocType: Driver,Driver,Vozač
 DocType: Vital Signs,Nutrition Values,Vrednosti ishrane
 DocType: Lab Test Template,Is billable,Da li se može naplatiti
@@ -3551,7 +3590,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Ovo je primjer web stranica automatski generira iz ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Starenje Range 1
 DocType: Shopify Settings,Enable Shopify,Omogući Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Ukupan iznos uplate ne može biti veći od ukupne tražene iznose
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Ukupan iznos uplate ne može biti veći od ukupne tražene iznose
 DocType: Purchase Taxes and Charges Template,"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
@@ -3598,12 +3637,12 @@
 DocType: Employee Separation,Employee Separation,Separacija zaposlenih
 DocType: BOM Item,Original Item,Original Item
 DocType: Purchase Receipt Item,Recd Quantity,RecD Količina
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Date
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Naknada Records Kreirano - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategorija računa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Red # {0} (Tabela za plaćanje): Iznos mora biti pozitivan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Red # {0} (Tabela za plaćanje): Iznos mora biti pozitivan
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Odaberite vrijednosti atributa
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Odaberite vrijednosti atributa
 DocType: Purchase Invoice,Reason For Issuing document,Razlog za izdavanje dokumenta
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock upis {0} nije podnesen
 DocType: Payment Reconciliation,Bank / Cash Account,Banka / Cash račun
@@ -3612,8 +3651,10 @@
 DocType: Asset,Manual,priručnik
 DocType: Salary Component Account,Salary Component Account,Plaća Komponenta računa
 DocType: Global Defaults,Hide Currency Symbol,Sakrij simbol valute
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Mogućnosti prodaje po izvoru
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informacije o donatorima.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Molimo da podesite serije brojeva za prisustvo preko Setup&gt; Serija numeracije
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice"
 DocType: Job Applicant,Source Name,izvor ime
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalni krvni pritisak pri odraslima je oko 120 mmHg sistolnog, a dijastolni 80 mmHg, skraćeni &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Postavite rok trajanja u danima, postavite isteku na osnovu production_date plus životni vijek"
@@ -3643,7 +3684,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Količina mora biti manja od količine {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimalni iznos naknade (godišnji)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Stopa%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Stopa%
 DocType: Crop,Planting Area,Sala za sadnju
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Ukupno (Qty)
 DocType: Installation Note Item,Installed Qty,Instalirana kol
@@ -3665,8 +3706,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Ostavite odobrenje za odobrenje
 DocType: Buying Settings,Default Buying Price List,Zadani cjenik kupnje
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Plaća za klađenje na Timesheet osnovu
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Procenat kupovine
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Red {0}: Unesite lokaciju za stavku aktive {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Procenat kupovine
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Red {0}: Unesite lokaciju za stavku aktive {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,O kompaniji
 DocType: Notification Control,Sales Order Message,Poruka narudžbe kupca
@@ -3731,10 +3772,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Za red {0}: Unesite planirani broj
 DocType: Account,Income Account,Konto prihoda
 DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Isporuka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Isporuka
 DocType: Volunteer,Weekdays,Radnim danima
 DocType: Stock Reconciliation Item,Current Qty,Trenutno Količina
 DocType: Restaurant Menu,Restaurant Menu,Restoran meni
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Dodajte dobavljače
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Help Section
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,prev
@@ -3746,19 +3788,20 @@
 												fullfill Sales Order {2}",Nije moguće dostaviti serijski broj {0} stavke {1} pošto je rezervisan za \ popuniti nalog za prodaju {2}
 DocType: Item Reorder,Material Request Type,Materijal Zahtjev Tip
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Pošaljite e-poruku za Grant Review
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage je puna, nije spasio"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM Faktor konverzije je obavezno
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage je puna, nije spasio"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM Faktor konverzije je obavezno
 DocType: Employee Benefit Claim,Claim Date,Datum podnošenja zahtjeva
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kapacitet sobe
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Već postoji zapis za stavku {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref.
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Izgubićete podatke o prethodno generisanim računima. Da li ste sigurni da želite ponovo pokrenuti ovu pretplatu?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Kotizaciju
 DocType: Loyalty Program Collection,Loyalty Program Collection,Zbirka programa lojalnosti
 DocType: Stock Entry Detail,Subcontracted Item,Predmet podizvođača
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} ne pripada grupi {1}
 DocType: Budget,Cost Center,Troška
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,bon #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,bon #
 DocType: Notification Control,Purchase Order Message,Poruka narudžbenice
 DocType: Tax Rule,Shipping Country,Dostava Country
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Sakriti poreza Id klijenta iz transakcija prodaje
@@ -3777,23 +3820,22 @@
 DocType: Subscription,Cancel At End Of Period,Otkaži na kraju perioda
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Imovina je već dodata
 DocType: Item Supplier,Item Supplier,Dobavljač artikla
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nije izabrana stavka za prenos
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Sve adrese.
 DocType: Company,Stock Settings,Stock Postavke
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je moguće samo ako sljedeće osobine su iste u oba zapisa. Grupa je, Root Tip, Društvo"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je moguće samo ako sljedeće osobine su iste u oba zapisa. Grupa je, Root Tip, Društvo"
 DocType: Vehicle,Electric,Electric
 DocType: Task,% Progress,% Napredak
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Dobit / Gubitak imovine Odlaganje
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Samo studentski kandidat sa statusom &quot;Odobreno&quot; biće izabran u donjoj tabeli.
 DocType: Tax Withholding Category,Rates,Cijene
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Broj računa za račun {0} nije dostupan. <br> Molimo pravilno podesite svoj račun.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Broj računa za račun {0} nije dostupan. <br> Molimo pravilno podesite svoj račun.
 DocType: Task,Depends on Tasks,Ovisi o Zadaci
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Upravljanje vrstama djelatnosti
 DocType: Normal Test Items,Result Value,Vrednost rezultata
 DocType: Hotel Room,Hotels,Hoteli
-DocType: Delivery Note,Transporter Date,Datum transportera
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novi troška Naziv
 DocType: Leave Control Panel,Leave Control Panel,Ostavite Upravljačka ploča
 DocType: Project,Task Completion,zadatak Završetak
@@ -3840,11 +3882,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Sve procjene Grupe
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Novo skladište Ime
 DocType: Shopify Settings,App Type,Tip aplikacije
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Ukupno {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Ukupno {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Regija
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Molimo spomenuti nema posjeta potrebnih
 DocType: Stock Settings,Default Valuation Method,Zadana metoda vrednovanja
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,provizija
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Prikaži kumulativni iznos
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Ažuriranje je u toku. Možda će potrajati neko vrijeme.
 DocType: Production Plan Item,Produced Qty,Proizveden količina
 DocType: Vehicle Log,Fuel Qty,gorivo Količina
@@ -3852,7 +3895,7 @@
 DocType: Work Order Operation,Planned Start Time,Planirani Start Time
 DocType: Course,Assessment,procjena
 DocType: Payment Entry Reference,Allocated,Izdvojena
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
 DocType: Student Applicant,Application Status,Primjena Status
 DocType: Additional Salary,Salary Component Type,Tip komponenti plata
 DocType: Sensitivity Test Items,Sensitivity Test Items,Točke testa osjetljivosti
@@ -3863,10 +3906,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Ukupno preostali iznos
 DocType: Sales Partner,Targets,Mete
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Molimo registrirajte broj SIREN-a u informacijskoj datoteci kompanije
+DocType: Email Digest,Sales Orders to Bill,Prodajni nalogi za Bill
 DocType: Price List,Price List Master,Cjenik Master
 DocType: GST Account,CESS Account,CESS nalog
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Sve Sales Transakcije mogu biti označena protiv više osoba ** ** Sales, tako da možete postaviti i pratiti ciljeve."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link na zahtev za materijal
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link na zahtev za materijal
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Aktivnost foruma
 ,S.O. No.,S.O. Ne.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Stavka Postavke Transakcije Stavke Bank Banke
@@ -3881,7 +3925,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,To jekorijen skupini kupaca i ne može se mijenjati .
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Akcija ako je zbirni mesečni budžet prešao na PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Da postavim
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Da postavim
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revalorizacija deviznog kursa
 DocType: POS Profile,Ignore Pricing Rule,Ignorirajte Cijene pravilo
 DocType: Employee Education,Graduate,Diplomski
@@ -3929,6 +3973,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Podesite podrazumevani kupac u podešavanjima restorana
 ,Salary Register,Plaća Registracija
 DocType: Warehouse,Parent Warehouse,Parent Skladište
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Grafikon
 DocType: Subscription,Net Total,Osnovica
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Uobičajeno sastavnice nije pronađen za Stavka {0} i projekt {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definirati različite vrste kredita
@@ -3961,24 +4006,26 @@
 DocType: Membership,Membership Status,Status članstva
 DocType: Travel Itinerary,Lodging Required,Potrebno smeštanje
 ,Requested,Tražena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,No Napomene
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,No Napomene
 DocType: Asset,In Maintenance,U održavanju
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Kliknite ovo dugme da biste izveli podatke o prodaji iz Amazon MWS-a.
 DocType: Vital Signs,Abdomen,Stomak
 DocType: Purchase Invoice,Overdue,Istekao
 DocType: Account,Stock Received But Not Billed,Stock primljeni Ali ne Naplaćeno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root račun mora biti grupa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root račun mora biti grupa
 DocType: Drug Prescription,Drug Prescription,Prescription drugs
 DocType: Loan,Repaid/Closed,Otplaćen / Closed
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Ukupni planirani Količina
 DocType: Monthly Distribution,Distribution Name,Naziv distribucije
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Uključite UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopa procene nije pronađena za stavku {0}, koja je obavezna da izvrši računovodstvene unose za {1} {2}. Ako je stavka transakcija kao stavka nulte stope procjene u {1}, molimo vas da navedete to u tabeli {1} Item. U suprotnom, molimo vas da kreirate dolaznu transakciju sa akcijama za stavku ili da navedete stopu procene u zapisu Stavke, a zatim pokušajte da podnesete / poništite ovaj unos"
 DocType: Course,Course Code,Šifra predmeta
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Provera kvaliteta potrebna za točke {0}
 DocType: Location,Parent Location,Lokacija roditelja
 DocType: POS Settings,Use POS in Offline Mode,Koristite POS u Offline načinu
 DocType: Supplier Scorecard,Supplier Variables,Dobavljačke varijable
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} je obavezno. Možda evidencija valute ne kreira se za {1} do {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Stopa po kojoj se valuta klijenta se pretvaraju u tvrtke bazne valute
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Neto stopa (Company valuta)
 DocType: Salary Detail,Condition and Formula Help,Stanje i Formula Pomoć
@@ -3987,19 +4034,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Faktura prodaje
 DocType: Journal Entry Account,Party Balance,Party Balance
 DocType: Cash Flow Mapper,Section Subtotal,Sekcija subota
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Molimo odaberite Apply popusta na
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Molimo odaberite Apply popusta na
 DocType: Stock Settings,Sample Retention Warehouse,Skladište za zadržavanje uzorka
 DocType: Company,Default Receivable Account,Uobičajeno Potraživanja račun
 DocType: Purchase Invoice,Deemed Export,Pretpostavljeni izvoz
 DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za izradu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Postotak popusta se može neovisno primijeniti prema jednom ili za više cjenika.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Računovodstvo Entry za Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Računovodstvo Entry za Stock
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ste već ocijenili za kriterije procjene {}.
 DocType: Vehicle Service,Engine Oil,Motorno ulje
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Objavljeni radni nalogi: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Objavljeni radni nalogi: {0}
 DocType: Sales Invoice,Sales Team1,Prodaja Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Artikal {0} ne postoji
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Artikal {0} ne postoji
 DocType: Sales Invoice,Customer Address,Kupac Adresa
 DocType: Loan,Loan Details,kredit Detalji
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Nije uspelo postaviti post kompanije
@@ -4020,34 +4067,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Prikaži ovaj slideshow na vrhu stranice
 DocType: BOM,Item UOM,Mjerna jedinica artikla
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Iznos PDV-a Nakon Popust Iznos (Company valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
 DocType: Cheque Print Template,Primary Settings,primarni Postavke
 DocType: Attendance Request,Work From Home,Radite od kuće
 DocType: Purchase Invoice,Select Supplier Address,Izaberite dobavljač adresa
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Dodaj zaposlenog
 DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,standard Template
 DocType: Training Event,Theory,teorija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal tražena količina manja nego minimalna narudžba kol
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal tražena količina manja nego minimalna narudžba kol
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Konto {0} je zamrznut
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna osoba / Podružnica sa zasebnim kontnom pripadaju Organizacije.
 DocType: Payment Request,Mute Email,Mute-mail
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Hrana , piće i duhan"
 DocType: Account,Account Number,Broj računa
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Mogu samo napraviti uplatu protiv nenaplaćenu {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Mogu samo napraviti uplatu protiv nenaplaćenu {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Dodjeljivanje unaprijed automatski (FIFO)
 DocType: Volunteer,Volunteer,Dobrovoljno
 DocType: Buying Settings,Subcontract,Podugovor
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Unesite {0} prvi
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Nema odgovora od
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Nema odgovora od
 DocType: Work Order Operation,Actual End Time,Stvarni End Time
 DocType: Item,Manufacturer Part Number,Proizvođač Broj dijela
 DocType: Taxable Salary Slab,Taxable Salary Slab,Oporeziva plata za oporezivanje
 DocType: Work Order Operation,Estimated Time and Cost,Procijenjena vremena i troškova
 DocType: Bin,Bin,Kanta
 DocType: Crop,Crop Name,Naziv žetve
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Samo korisnici sa ulogom {0} mogu se registrovati na tržištu
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Samo korisnici sa ulogom {0} mogu se registrovati na tržištu
 DocType: SMS Log,No of Sent SMS,Ne poslanih SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Imenovanja i susreti
@@ -4076,7 +4124,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Promeni kod
 DocType: Purchase Invoice Item,Valuation Rate,Vrednovanje Stopa
 DocType: Vehicle,Diesel,dizel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Cjenik valuta ne bira
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Cjenik valuta ne bira
 DocType: Purchase Invoice,Availed ITC Cess,Iskoristio ITC Cess
 ,Student Monthly Attendance Sheet,Student Mjesečni Posjeta list
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Pravilo o isporuci primenjuje se samo za prodaju
@@ -4092,7 +4140,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Upravljanje prodajnih partnera.
 DocType: Quality Inspection,Inspection Type,Inspekcija Tip
 DocType: Fee Validity,Visited yet,Posjećeno još
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Skladišta sa postojećim transakcija se ne može pretvoriti u grupi.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Skladišta sa postojećim transakcija se ne može pretvoriti u grupi.
 DocType: Assessment Result Tool,Result HTML,rezultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Koliko često treba ažurirati projekat i kompaniju na osnovu prodajnih transakcija.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ističe
@@ -4100,7 +4148,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Odaberite {0}
 DocType: C-Form,C-Form No,C-Obrazac br
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Razdaljina
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Razdaljina
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Navedite svoje proizvode ili usluge koje kupujete ili prodajete.
 DocType: Water Analysis,Storage Temperature,Temperatura skladištenja
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-YYYY.-
@@ -4116,19 +4164,19 @@
 DocType: Shopify Settings,Delivery Note Series,Serija Napomena o isporuci
 DocType: Purchase Order Item,Returned Qty,Vraćeni Količina
 DocType: Student,Exit,Izlaz
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Korijen Tip je obvezno
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Korijen Tip je obvezno
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Nije uspela instalirati memorije
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM konverzija u satima
 DocType: Contract,Signee Details,Signee Detalji
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} trenutno ima {1} Scorecard stava i RFQs ovog dobavljača treba izdati oprezno.
 DocType: Certified Consultant,Non Profit Manager,Neprofitni menadžer
 DocType: BOM,Total Cost(Company Currency),Ukupni troškovi (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serijski Ne {0} stvorio
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serijski Ne {0} stvorio
 DocType: Homepage,Company Description for website homepage,Kompanija Opis za web stranice homepage
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za praktičnost kupaca, te kodovi mogu se koristiti u tiskanim formata kao što su fakture i otpremnice"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier ime
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Ne mogu se preuzeti podaci za {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Otvaranje časopisa
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Otvaranje časopisa
 DocType: Contract,Fulfilment Terms,Uslovi ispunjenja
 DocType: Sales Invoice,Time Sheet List,Time Sheet List
 DocType: Employee,You can enter any date manually,Možete unijeti bilo koji datum ručno
@@ -4163,7 +4211,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Vaša organizacija
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Preskočite raspodelu raspoređivanja za sledeće zaposlene, jer evidencije o izuzeću već postoje protiv njih. {0}"
 DocType: Fee Component,Fees Category,naknade Kategorija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Unesite olakšavanja datum .
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Unesite olakšavanja datum .
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detalji sponzora (ime, lokacija)"
 DocType: Supplier Scorecard,Notify Employee,Obavesti zaposlenika
@@ -4176,9 +4224,9 @@
 DocType: Company,Chart Of Accounts Template,Kontni plan Template
 DocType: Attendance,Attendance Date,Gledatelja Datum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Ažuriranje zaliha mora biti omogućeno za fakturu za kupovinu {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Artikal Cijena ažuriranje za {0} u Cjenik {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Artikal Cijena ažuriranje za {0} u Cjenik {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plaća raspada temelju zarađivati i odbitka.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Konto sa pod-kontima se ne može pretvoriti u glavnoj knjizi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Konto sa pod-kontima se ne može pretvoriti u glavnoj knjizi
 DocType: Purchase Invoice Item,Accepted Warehouse,Prihvaćeno skladište
 DocType: Bank Reconciliation Detail,Posting Date,Objavljivanje Datum
 DocType: Item,Valuation Method,Vrednovanje metoda
@@ -4215,6 +4263,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Molimo odaberite serije
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Zahtev za putovanja i troškove
 DocType: Sales Invoice,Redemption Cost Center,Centar za isplatu troškova
+DocType: QuickBooks Migrator,Scope,Obim
 DocType: Assessment Group,Assessment Group Name,Procjena Ime grupe
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Materijal za Preneseni Proizvodnja
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Dodaj u Detalji
@@ -4222,6 +4271,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Last Sync Datetime
 DocType: Landed Cost Item,Receipt Document Type,Prijem Document Type
 DocType: Daily Work Summary Settings,Select Companies,Izaberite Tvrtke
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Predlog / Cjenik cijene
 DocType: Antibiotic,Healthcare,Zdravstvena zaštita
 DocType: Target Detail,Target Detail,Ciljana Detalj
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Jedinstvena varijanta
@@ -4231,6 +4281,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Period zatvaranja Entry
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Izaberite Odeljenje ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Troška s postojećim transakcija ne može se prevesti u skupini
+DocType: QuickBooks Migrator,Authorization URL,URL autorizacije
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Broj {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortizacija
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Broj akcija i brojevi učešća su nedosljedni
@@ -4252,13 +4303,14 @@
 DocType: Support Search Source,Source DocType,Source DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Otvorite novu kartu
 DocType: Training Event,Trainer Email,trener-mail
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materijalni Zahtjevi {0} stvorio
 DocType: Restaurant Reservation,No of People,Broj ljudi
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Predložak termina ili ugovor.
 DocType: Bank Account,Address and Contact,Adresa i kontakt
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Je nalog plaćaju
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock se ne može ažurirati protiv kupovine Prijem {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock se ne može ažurirati protiv kupovine Prijem {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto blizu izdanje nakon 7 dana
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ostavite se ne može dodijeliti prije {0}, kao odsustvo ravnoteža je već carry-proslijeđen u budućnosti rekord raspodjeli odsustvo {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: Zbog / Reference Datum premašuje dozvoljeni dana kreditnu kupca {0} dan (a)
@@ -4276,7 +4328,7 @@
 ,Qty to Deliver,Količina za dovođenje
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon će sinhronizovati podatke ažurirane nakon ovog datuma
 ,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operacije se ne može ostati prazno
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operacije se ne može ostati prazno
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab Test (i)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Protiv dokumenta Detalj No
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Brisanje nije dozvoljeno za zemlju {0}
@@ -4284,13 +4336,12 @@
 DocType: Quality Inspection,Outgoing,Društven
 DocType: Material Request,Requested For,Traženi Za
 DocType: Quotation Item,Against Doctype,Protiv DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
 DocType: Asset,Calculate Depreciation,Izračunajte amortizaciju
 DocType: Delivery Note,Track this Delivery Note against any Project,Prati ovu napomenu o isporuci na svim Projektima
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Neto novčani tok od investicione
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klijent&gt; Grupa klijenata&gt; Teritorija
 DocType: Work Order,Work-in-Progress Warehouse,Rad u tijeku Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} mora biti dostavljena
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} mora biti dostavljena
 DocType: Fee Schedule Program,Total Students,Ukupno Studenti
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Rekord {0} postoji protiv Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Reference # {0} od {1}
@@ -4309,7 +4360,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Ne mogu napraviti bonus zadržavanja za ljevičke zaposlene
 DocType: Lead,Market Segment,Tržišni segment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Poljoprivredni menadžer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog broja negativnih preostali iznos {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog broja negativnih preostali iznos {0}
 DocType: Supplier Scorecard Period,Variables,Varijable
 DocType: Employee Internal Work History,Employee Internal Work History,Istorija rada zaposlenog u preduzeću
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Zatvaranje (Dr)
@@ -4333,22 +4384,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Products
 DocType: Loyalty Point Entry,Loyalty Program,Program lojalnosti
 DocType: Student Guardian,Father,otac
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Podrška ulaznice
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Update Stock&#39; ne može se provjeriti na prodaju osnovnih sredstava
 DocType: Bank Reconciliation,Bank Reconciliation,Banka pomirenje
 DocType: Attendance,On Leave,Na odlasku
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get Updates
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada kompaniji {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Izaberite najmanje jednu vrijednost od svakog atributa.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Izaberite najmanje jednu vrijednost od svakog atributa.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materijal Zahtjev {0} je otkazan ili zaustavljen
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Država otpreme
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Država otpreme
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Ostavite Management
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupe
 DocType: Purchase Invoice,Hold Invoice,Držite fakturu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Molimo odaberite Employee
 DocType: Sales Order,Fully Delivered,Potpuno Isporučeno
-DocType: Lead,Lower Income,Niži Prihodi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Niži Prihodi
 DocType: Restaurant Order Entry,Current Order,Trenutna porudžbina
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Broj serijskog broja i količina mora biti isti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0}
 DocType: Account,Asset Received But Not Billed,Imovina je primljena ali nije fakturisana
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika račun mora biti tip imovine / odgovornošću obzir, jer je to Stock Pomirenje je otvor za ulaz"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni iznos ne može biti veći od Iznos kredita {0}
@@ -4357,7 +4410,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"' Od datuma ' mora biti poslije ' Do datuma"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Nije pronađeno planiranje kadrova za ovu oznaku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} elementa {1} je onemogućen.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} elementa {1} je onemogućen.
 DocType: Leave Policy Detail,Annual Allocation,Godišnja dodjela
 DocType: Travel Request,Address of Organizer,Adresa organizatora
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Izaberite zdravstvenu praksu ...
@@ -4366,12 +4419,12 @@
 DocType: Asset,Fully Depreciated,potpuno je oslabio
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Projektovana kolicina na zalihama
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Kupac {0} ne pripada projektu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Kupac {0} ne pripada projektu {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Označena Posjećenost HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citati su prijedlozi, ponude koje ste poslali svojim kupcima"
 DocType: Sales Invoice,Customer's Purchase Order,Narudžbenica kupca
 DocType: Clinical Procedure,Patient,Pacijent
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Provjerite kreditnu obavezu na nalogu za prodaju
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Provjerite kreditnu obavezu na nalogu za prodaju
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktivnost aktivnosti na radnom mjestu
 DocType: Location,Check if it is a hydroponic unit,Proverite da li je to hidroponska jedinica
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serijski broj i Batch
@@ -4381,7 +4434,7 @@
 DocType: Supplier Scorecard Period,Calculations,Izračunavanje
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,"Vrijednost, ili kol"
 DocType: Payment Terms Template,Payment Terms,Uslovi plaćanja
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions naloga ne može biti podignuta za:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions naloga ne može biti podignuta za:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minuta
 DocType: Purchase Invoice,Purchase Taxes and Charges,Kupnja Porezi i naknade
 DocType: Chapter,Meetup Embed HTML,Upoznajte Embed HTML
@@ -4389,17 +4442,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Idite na dobavljače
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Taxes
 ,Qty to Receive,Količina za primanje
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datumi početka i kraja koji nisu u važećem periodu zarada, ne mogu se izračunati {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datumi početka i kraja koji nisu u važećem periodu zarada, ne mogu se izračunati {0}."
 DocType: Leave Block List,Leave Block List Allowed,Ostavite Block List dopuštenih
 DocType: Grading Scale Interval,Grading Scale Interval,Pravilo Scale Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Rashodi Preuzmi za putnom {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cjenovnik objekta sa margina
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Svi Skladišta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nije pronađeno {0} za Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nije pronađeno {0} za Inter Company Transactions.
 DocType: Travel Itinerary,Rented Car,Iznajmljen automobil
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,O vašoj Kompaniji
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredit na račun mora biti bilans stanja računa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredit na račun mora biti bilans stanja računa
 DocType: Donor,Donor,Donor
 DocType: Global Defaults,Disable In Words,Onemogućena u Words
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Kod artikla je obvezan jer artikli nisu automatski numerirani
@@ -4411,14 +4464,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bank Prekoračenje računa
 DocType: Patient,Patient ID,ID pacijenta
 DocType: Practitioner Schedule,Schedule Name,Ime rasporeda
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Prodajni gasovod po Stazi
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Provjerite plaće slip
 DocType: Currency Exchange,For Buying,Za kupovinu
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Dodajte sve dobavljače
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Dodajte sve dobavljače
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: dodijeljeni iznos ne može biti veći od preostalog iznosa.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Browse BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,osigurani krediti
 DocType: Purchase Invoice,Edit Posting Date and Time,Edit knjiženja datuma i vremena
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Molimo podesite Računi se odnose amortizacije u Asset Kategorija {0} ili kompanije {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Molimo podesite Računi se odnose amortizacije u Asset Kategorija {0} ili kompanije {1}
 DocType: Lab Test Groups,Normal Range,Normalni opseg
 DocType: Academic Term,Academic Year,akademska godina
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Dostupna prodaja
@@ -4447,26 +4501,26 @@
 DocType: Patient Appointment,Patient Appointment,Imenovanje pacijenta
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Odobravanje ulogu ne mogu biti isti kao i ulogepravilo odnosi se na
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjavili od ovog mail Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Uzmite dobavljača
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Uzmite dobavljača
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nije pronađen za stavku {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Idi na kurseve
 DocType: Accounts Settings,Show Inclusive Tax In Print,Prikaži inkluzivni porez u štampi
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankarski račun, od datuma i do datuma je obavezan"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Poruka je poslana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Račun s djetetom čvorovi se ne može postaviti kao glavnu knjigu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Račun s djetetom čvorovi se ne može postaviti kao glavnu knjigu
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Stopa po kojoj Cjenik valute se pretvaraju u kupca osnovne valute
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto iznos (Company valuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Ukupan iznos avansa ne može biti veći od ukupnog sankcionisanog iznosa
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Ukupan iznos avansa ne može biti veći od ukupnog sankcionisanog iznosa
 DocType: Salary Slip,Hour Rate,Cijena sata
 DocType: Stock Settings,Item Naming By,Artikal imenovan po
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Drugi period Zatvaranje Stupanje {0} je postignut nakon {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materijal Prebačen za izradu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Račun {0} ne postoji
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Odaberite Loyalty Program
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Odaberite Loyalty Program
 DocType: Project,Project Type,Vrsta projekta
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Zadatak za djecu postoji za ovaj zadatak. Ne možete da izbrišete ovaj zadatak.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Ili meta Količina ili ciljani iznos je obavezna .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Ili meta Količina ili ciljani iznos je obavezna .
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Troškova različitih aktivnosti
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Postavljanje Događanja u {0}, jer zaposleni u prilogu ispod prodaje osoba nema korisniku ID {1}"
 DocType: Timesheet,Billing Details,Billing Detalji
@@ -4523,13 +4577,13 @@
 DocType: Inpatient Record,A Negative,Negativan
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ništa više pokazati.
 DocType: Lead,From Customer,Od kupca
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Pozivi
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Pozivi
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,A Product
 DocType: Employee Tax Exemption Declaration,Declarations,Deklaracije
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,serija
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Napravite raspored naknada
 DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
 DocType: Account,Expenses Included In Asset Valuation,Uključeni troškovi u procenu aktive
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normalni referentni opseg za odraslu osobu je 16-20 diha / minut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tarifni broj
@@ -4542,6 +4596,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Molim vas prvo sačuvajte pacijenta
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Posjećenost je uspješno označen.
 DocType: Program Enrollment,Public Transport,Javni prijevoz
+DocType: Delivery Note,GST Vehicle Type,Tip vozila GST
 DocType: Soil Texture,Silt Composition (%),Silt sastav (%)
 DocType: Journal Entry,Remark,Primjedba
 DocType: Healthcare Settings,Avoid Confirmation,Izbjegavajte potvrdu
@@ -4550,11 +4605,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Lišće i privatnom
 DocType: Education Settings,Current Academic Term,Trenutni Academic Term
 DocType: Sales Order,Not Billed,Ne Naplaćeno
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istom preduzeću
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istom preduzeću
 DocType: Employee Grade,Default Leave Policy,Default Leave Policy
 DocType: Shopify Settings,Shop URL,URL prodavnice
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Još nema ni jednog unijetog kontakta.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Molimo da podesite serije brojeva za prisustvo preko Setup&gt; Serija numeracije
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Sleteo Cost vaučera Iznos
 ,Item Balance (Simple),Balans predmeta (Jednostavno)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Mjenice podigao dobavljače.
@@ -4579,7 +4633,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Citat serije
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"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"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriterijumi za analizu zemljišta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Molimo odaberite kupac
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Molimo odaberite kupac
 DocType: C-Form,I,ja
 DocType: Company,Asset Depreciation Cost Center,Asset Amortizacija troškova Center
 DocType: Production Plan Sales Order,Sales Order Date,Datum narudžbe kupca
@@ -4592,8 +4646,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Trenutno nema dostupnih trgovina na zalihama
 ,Payment Period Based On Invoice Date,Razdoblje za naplatu po Datum fakture
 DocType: Sample Collection,No. of print,Broj otiska
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Podsjetnik rođendana
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotelska rezervacija Stavka
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Nedostaje Valuta Tečaj za {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Nedostaje Valuta Tečaj za {0}
 DocType: Employee Health Insurance,Health Insurance Name,Naziv zdravstvenog osiguranja
 DocType: Assessment Plan,Examiner,ispitivač
 DocType: Student,Siblings,braća i sestre
@@ -4610,19 +4665,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novi Kupci
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruto dobit%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Imenovanje {0} i faktura za prodaju {1} otkazana
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Mogućnosti izvora izvora
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Promenite POS profil
 DocType: Bank Reconciliation Detail,Clearance Date,Razmak Datum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Asset već postoji protiv stavke {0}, ne možete promeniti serijsku vrijednost"
+DocType: Delivery Settings,Dispatch Notification Template,Šablon za obavještenje o otpremi
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Asset već postoji protiv stavke {0}, ne možete promeniti serijsku vrijednost"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Izveštaj o proceni
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Dobijte zaposlene
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruto Kupovina Iznos je obavezno
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Ime kompanije nije isto
 DocType: Lead,Address Desc,Adresa silazno
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party je obavezno
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Redovi sa dupliciranim datumima u drugim redovima su pronađeni: {list}
 DocType: Topic,Topic Name,Topic Name
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Molimo postavite podrazumevani obrazac za obavještenje o odobrenju odobrenja u HR postavkama.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Molimo postavite podrazumevani obrazac za obavještenje o odobrenju odobrenja u HR postavkama.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Izaberi zaposlenog da unapredi radnika.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Izaberite važeći datum
@@ -4656,6 +4712,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Detalji o Kupcu ili Dobavljacu
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Trenutna vrednost aktive
+DocType: QuickBooks Migrator,Quickbooks Company ID,Identifikacijski broj kompanije Quickbooks
 DocType: Travel Request,Travel Funding,Finansiranje putovanja
 DocType: Loan Application,Required by Date,Potreban po datumu
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Veza sa svim lokacijama u kojima se Crop raste
@@ -4669,9 +4726,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Dostupno Batch Količina na Od Skladište
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Bruto Pay - Ukupno odbitak - Otplata kredita
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Plaća Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Višestruke varijante
 DocType: Sales Invoice,Against Income Account,Protiv računu dohotka
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Isporučeno
@@ -4700,7 +4757,7 @@
 DocType: POS Profile,Update Stock,Ažurirajte Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Različite mjerne jedinice proizvoda će dovesti do ukupne pogrešne neto težine. Budite sigurni da je neto težina svakog proizvoda u istoj mjernoj jedinici.
 DocType: Certification Application,Payment Details,Detalji plaćanja
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Prekinuto radno porudžbanje ne može se otkazati, Unstop prvi da otkaže"
 DocType: Asset,Journal Entry for Scrap,Journal Entry za otpad
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Molimo povucite stavke iz Dostavnica
@@ -4723,11 +4780,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Ukupno kažnjeni Iznos
 ,Purchase Analytics,Kupnja Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Stavka otpremnice
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Nedostaje trenutna faktura {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Nedostaje trenutna faktura {0}
 DocType: Asset Maintenance Log,Task,Zadatak
 DocType: Purchase Taxes and Charges,Reference Row #,Reference Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Batch broj je obavezno za Stavka {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,To jekorijen prodavač i ne može se mijenjati .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,To jekorijen prodavač i ne može se mijenjati .
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ukoliko bude izabran, vrijednost navedene ili izračunata u ovoj komponenti neće doprinijeti zaradu ili odbitaka. Međutim, to je vrijednost se može referencirati druge komponente koje se mogu dodati ili oduzeti."
 DocType: Asset Settings,Number of Days in Fiscal Year,Broj dana u fiskalnoj godini
 ,Stock Ledger,Stock Ledger
@@ -4735,7 +4792,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange dobitak / gubitak računa
 DocType: Amazon MWS Settings,MWS Credentials,MVS akreditivi
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Zaposleni i dolaznost
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Svrha mora biti jedan od {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Svrha mora biti jedan od {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Ispunite obrazac i spremite ga
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Community Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Stvarne Količina na lageru
@@ -4750,7 +4807,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard prodajni kurs
 DocType: Account,Rate at which this tax is applied,Stopa po kojoj je taj porez se primjenjuje
 DocType: Cash Flow Mapper,Section Name,Naziv odeljka
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Ponovno red Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Ponovno red Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Redosled amortizacije {0}: Očekivana vrednost nakon korisnog veka mora biti veća ili jednaka {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Trenutni Otvori Posao
 DocType: Company,Stock Adjustment Account,Stock Adjustment račun
@@ -4760,8 +4817,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ID korisnika sustava. Ako je postavljen, postat će zadani za sve HR oblike."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Unesite podatke o amortizaciji
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: {1} Od
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Izlaz iz aplikacije {0} već postoji protiv učenika {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Očekuje se ažuriranje najnovije cene u svim materijalima. Može potrajati nekoliko minuta.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Očekuje se ažuriranje najnovije cene u svim materijalima. Može potrajati nekoliko minuta.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Ime novog računa. Napomena: Molimo vas da ne stvaraju račune za kupcima i dobavljačima
 DocType: POS Profile,Display Items In Stock,Prikazivi proizvodi na raspolaganju
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Država mudar zadana adresa predlošci
@@ -4791,16 +4849,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slotovi za {0} se ne dodaju u raspored
 DocType: Product Bundle,List items that form the package.,Popis stavki koje čine paket.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nije dozvoljeno. Molim vas isključite Test Template
+DocType: Delivery Note,Distance (in km),Udaljenost (u km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Postotak izdvajanja trebala bi biti jednaka 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Molimo odaberite Datum knjiženja prije izbora stranke
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Molimo odaberite Datum knjiženja prije izbora stranke
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Od AMC
+DocType: Opportunity,Opportunity Amount,Mogućnost Iznos
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broj Amortizacija Booked ne može biti veća od Ukupan broj Amortizacija
 DocType: Purchase Order,Order Confirmation Date,Datum potvrđivanja porudžbine
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Provjerite održavanja Posjetite
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Datum početka i završetka se preklapa sa kartom posla <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Detalji transfera zaposlenih
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte za korisnike koji imaju Sales Manager Master {0} ulogu
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte za korisnike koji imaju Sales Manager Master {0} ulogu
 DocType: Company,Default Cash Account,Zadani novčani račun
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor .
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To se temelji na prisustvo ovog Student
@@ -4808,9 +4869,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Dodaj više stavki ili otvoreni punu formu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Idite na Korisnike
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za artikal {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Enter NA neregistriranim
 DocType: Training Event,Seminar,seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Upis Naknada
@@ -4827,7 +4888,7 @@
 DocType: Fee Schedule,Fee Schedule,naknada Raspored
 DocType: Company,Create Chart Of Accounts Based On,Napravite Kontni plan na osnovu
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Ne mogu ga pretvoriti u ne-grupu. Postoje zadaci za decu.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Datum rođenja ne može biti veći nego što je danas.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Datum rođenja ne može biti veći nego što je danas.
 ,Stock Ageing,Kataloški Starenje
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delimično sponzorisani, zahtevaju delimično finansiranje"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} postoje protiv podnosioca prijave student {1}
@@ -4874,11 +4935,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Prije nego pomirenje
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade uvrštenja (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ
 DocType: Sales Order,Partly Billed,Djelomično Naplaćeno
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Stavka {0} mora biti osnovna sredstva stavka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Pravite varijante
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Pravite varijante
 DocType: Item,Default BOM,Zadani BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Ukupan fakturisani iznos (preko faktura prodaje)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debitne Napomena Iznos
@@ -4907,13 +4968,13 @@
 DocType: Notification Control,Custom Message,Prilagođena poruka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investicijsko bankarstvo
 DocType: Purchase Invoice,input,ulaz
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
 DocType: Loyalty Program,Multiple Tier Program,Multiple Tier Program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,student adresa
 DocType: Purchase Invoice,Price List Exchange Rate,Cjenik tečajna
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Sve grupe dobavljača
 DocType: Employee Boarding Activity,Required for Employee Creation,Potrebno za stvaranje zaposlenih
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Broj računa {0} već se koristi na nalogu {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Broj računa {0} već se koristi na nalogu {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,POS Profil Ime
 DocType: Hotel Room Reservation,Booked,Rezervirano
@@ -4929,18 +4990,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Reference Ne obvezno ako ušao referentnog datuma
 DocType: Bank Reconciliation Detail,Payment Document,plaćanje Document
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Greška u procjeni formula za kriterijume
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datum pristupa mora biti veći od datuma rođenja
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datum pristupa mora biti veći od datuma rođenja
 DocType: Subscription,Plans,Planovi
 DocType: Salary Slip,Salary Structure,Plaća Struktura
 DocType: Account,Bank,Banka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Aviokompanija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Tiketi - materijal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Tiketi - materijal
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Povežite Shopify sa ERPNext
 DocType: Material Request Item,For Warehouse,Za galeriju
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Beleške o isporuci {0} ažurirane
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Beleške o isporuci {0} ažurirane
 DocType: Employee,Offer Date,ponuda Datum
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citati
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Vi ste u isključenom modu. Nećete biti u mogućnosti da ponovo sve dok imate mrežu.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Citati
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Vi ste u isključenom modu. Nećete biti u mogućnosti da ponovo sve dok imate mrežu.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,No studentskih grupa stvorio.
 DocType: Purchase Invoice Item,Serial No,Serijski br
@@ -4952,24 +5013,26 @@
 DocType: Sales Invoice,Customer PO Details,Kupac PO Detalji
 DocType: Stock Entry,Including items for sub assemblies,Uključujući i stavke za pod sklopova
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Privremeni račun za otvaranje
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Unesite vrijednost mora biti pozitivan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Unesite vrijednost mora biti pozitivan
 DocType: Asset,Finance Books,Finansijske knjige
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Kategorija izjave o izuzeću poreza na radnike
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Sve teritorije
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Molimo navedite politiku odlaska za zaposlenog {0} u Zapisniku zaposlenih / razreda
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Neveljavna porudžbina za odabrani korisnik i stavku
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Neveljavna porudžbina za odabrani korisnik i stavku
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Dodajte više zadataka
 DocType: Purchase Invoice,Items,Artikli
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Krajnji datum ne može biti pre početka datuma.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student je već upisana.
 DocType: Fiscal Year,Year Name,Naziv godine
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca .
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca .
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Sledeće stavke {0} nisu označene kao {1} stavka. Možete ih omogućiti kao {1} stavku iz glavnog poglavlja
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Proizvod Bundle Stavka
 DocType: Sales Partner,Sales Partner Name,Prodaja Ime partnera
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Zahtjev za ponudu
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Zahtjev za ponudu
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalni iznos fakture
 DocType: Normal Test Items,Normal Test Items,Normalni testovi
+DocType: QuickBooks Migrator,Company Settings,Tvrtka Postavke
 DocType: Additional Salary,Overwrite Salary Structure Amount,Izmijeniti iznos plata
 DocType: Student Language,Student Language,student Jezik
 apps/erpnext/erpnext/config/selling.py +23,Customers,Kupci
@@ -4981,21 +5044,23 @@
 DocType: Issue,Opening Time,Radno vrijeme
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Od i Do datuma zahtijevanih
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Uobičajeno mjerna jedinica za varijantu &#39;{0}&#39; mora biti isti kao u obrascu &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Uobičajeno mjerna jedinica za varijantu &#39;{0}&#39; mora biti isti kao u obrascu &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Izračun zasnovan na
 DocType: Contract,Unfulfilled,Neispunjeno
 DocType: Delivery Note Item,From Warehouse,Od Skladište
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Nema zaposlenih po navedenim kriterijumima
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Nema artikala sa Bill materijala za proizvodnju
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Nema artikala sa Bill materijala za proizvodnju
 DocType: Shopify Settings,Default Customer,Podrazumevani korisnik
+DocType: Sales Stage,Stage Name,Ime faze
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Supervizor ime
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Ne potvrdite da li je zakazan termin za isti dan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Brod u državu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Brod u državu
 DocType: Program Enrollment Course,Program Enrollment Course,Program Upis predmeta
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Korisnik {0} je već dodeljen Zdravstvenom lekaru {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Napravite uzorak zadržavanja uzorka uzorka
 DocType: Purchase Taxes and Charges,Valuation and Total,Vrednovanje i Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Pregovaranje / pregled
 DocType: Leave Encashment,Encashment Amount,Amount of Encashment
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Istekao paketi
@@ -5005,7 +5070,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuelno otvaranje
 DocType: Notification Control,Customize the Notification,Prilagodite Obavijest
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Novčani tok iz poslovanja
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Iznos
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Iznos
 DocType: Purchase Invoice,Shipping Rule,Pravilo transporta
 DocType: Patient Relation,Spouse,Supružnik
 DocType: Lab Test Groups,Add Test,Dodajte test
@@ -5019,14 +5084,14 @@
 DocType: Payroll Entry,Payroll Frequency,Payroll Frequency
 DocType: Lab Test Template,Sensitivity,Osjetljivost
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Sinhronizacija je privremeno onemogućena jer su prekoračeni maksimalni pokušaji
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,sirovine
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,sirovine
 DocType: Leave Application,Follow via Email,Slijedite putem e-maila
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Biljke i Machineries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Iznos poreza Nakon iznosa popusta
 DocType: Patient,Inpatient Status,Status bolesnika
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Svakodnevni rad Pregled Postavke
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Izabrana cenovna lista treba da ima provereno kupovinu i prodaju.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Molimo unesite Reqd po datumu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Izabrana cenovna lista treba da ima provereno kupovinu i prodaju.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Molimo unesite Reqd po datumu
 DocType: Payment Entry,Internal Transfer,Interna Transfer
 DocType: Asset Maintenance,Maintenance Tasks,Zadaci održavanja
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ili meta Količina ili ciljani iznos je obvezna
@@ -5047,7 +5112,7 @@
 DocType: Mode of Payment,General,Opšti
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje Komunikacija
 ,TDS Payable Monthly,TDS se plaća mesečno
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Očekuje se zamena BOM-a. Može potrajati nekoliko minuta.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Očekuje se zamena BOM-a. Može potrajati nekoliko minuta.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Meč plaćanja fakture
@@ -5060,7 +5125,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Dodaj u košaricu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Group By
 DocType: Guardian,Interests,Interesi
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Omogućiti / onemogućiti valute .
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Omogućiti / onemogućiti valute .
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Ne mogu da podnesem neke plate
 DocType: Exchange Rate Revaluation,Get Entries,Get Entries
 DocType: Production Plan,Get Material Request,Get materijala Upit
@@ -5082,15 +5147,16 @@
 DocType: Lead,Lead Type,Tip potencijalnog kupca
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Niste ovlašteni za odobravanje lišće na bloku Termini
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Svi ovi artikli su već fakturisani
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Podesite novi datum izdanja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Podesite novi datum izdanja
 DocType: Company,Monthly Sales Target,Mesečni cilj prodaje
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Može biti odobren od strane {0}
 DocType: Hotel Room,Hotel Room Type,Tip sobe hotela
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Dobavljač&gt; Tip dobavljača
 DocType: Leave Allocation,Leave Period,Ostavite Period
 DocType: Item,Default Material Request Type,Uobičajeno materijala Upit Tip
 DocType: Supplier Scorecard,Evaluation Period,Period evaluacije
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,nepoznat
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Radni nalog nije kreiran
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Radni nalog nije kreiran
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Količina {0} koja je već zahtevana za komponentu {1}, \ postavite količinu jednaka ili veća od {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Uslovi pravila transporta
@@ -5123,15 +5189,15 @@
 DocType: Batch,Source Document Name,Izvor Document Name
 DocType: Production Plan,Get Raw Materials For Production,Uzmite sirovine za proizvodnju
 DocType: Job Opening,Job Title,Titula
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} označava da {1} neće dati citat, ali su svi stavci \ citirani. Ažuriranje statusa RFQ citata."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimalni uzorci - {0} su već zadržani za Batch {1} i Item {2} u Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimalni uzorci - {0} su već zadržani za Batch {1} i Item {2} u Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Ažurirajte BOM trošak automatski
 DocType: Lab Test,Test Name,Ime testa
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinička procedura Potrošna stavka
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,kreiranje korisnika
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Pretplate
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Pretplate
 DocType: Supplier Scorecard,Per Month,Mjesečno
 DocType: Education Settings,Make Academic Term Mandatory,Obavezni akademski termin
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0.
@@ -5140,9 +5206,9 @@
 DocType: Stock Entry,Update Rate and Availability,Ažuriranje Rate i raspoloživost
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Postotak koju smiju primiti ili isporučiti više od naručene količine. Na primjer: Ako ste naručili 100 jedinica. i tvoj ispravak je 10% onda se smiju primati 110 jedinica.
 DocType: Loyalty Program,Customer Group,Vrsta djelatnosti Kupaca
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Red # {0}: Operacija {1} nije završena za {2} količina gotove robe u Work Order # {3}. Molimo ažurirajte status operacije preko Time Logs-a
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Red # {0}: Operacija {1} nije završena za {2} količina gotove robe u Work Order # {3}. Molimo ažurirajte status operacije preko Time Logs-a
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),New Batch ID (opcionalno)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0}
 DocType: BOM,Website Description,Web stranica Opis
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Neto promjena u kapitalu
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Molimo vas da otkaže fakturi {0} prvi
@@ -5157,7 +5223,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Ne postoji ništa za uređivanje .
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Form View
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Troškovi odobrenja obavezni u potraživanju troškova
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Sažetak za ovaj mjesec i aktivnostima na čekanju
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Sažetak za ovaj mjesec i aktivnostima na čekanju
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Molimo da unesete Nerealizovani Exchange Gain / Loss Account u kompaniji {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Dodajte korisnike u svoju organizaciju, osim sebe."
 DocType: Customer Group,Customer Group Name,Naziv vrste djelatnosti Kupca
@@ -5167,14 +5233,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Nije napravljen materijalni zahtev
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od Maksimalni iznos kredita od {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licenca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Molimo vas da uklonite ovu fakture {0} iz C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Molimo vas da uklonite ovu fakture {0} iz C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Molimo odaberite prenositi ako želite uključiti prethodnoj fiskalnoj godini je ravnoteža ostavlja na ovoj fiskalnoj godini
 DocType: GL Entry,Against Voucher Type,Protiv voucher vrsti
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Dodato je vremenska utrka
 DocType: Item,Attributes,Atributi
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Omogući šablon
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Unesite otpis račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Unesite otpis račun
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Last Order Datum
 DocType: Salary Component,Is Payable,Da li se plaća
 DocType: Inpatient Record,B Negative,B Negativno
@@ -5185,7 +5251,7 @@
 DocType: Hotel Room,Hotel Room,Hotelska soba
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Računa {0} ne pripada kompaniji {1}
 DocType: Leave Type,Rounding,Zaokruživanje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u nizu {0} ne odgovara otpremnica
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u nizu {0} ne odgovara otpremnica
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Dispensed Amount (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Tada Pravila cene se filtriraju na osnovu klijenta, grupe potrošača, teritorije, dobavljača, grupe dobavljača, kampanje, prodajnog partnera itd."
 DocType: Student,Guardian Details,Guardian Detalji
@@ -5194,10 +5260,10 @@
 DocType: Vehicle,Chassis No,šasija Ne
 DocType: Payment Request,Initiated,Inicirao
 DocType: Production Plan Item,Planned Start Date,Planirani Ozljede Datum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Izaberite BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Izaberite BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Korišćen ITC integrisani porez
 DocType: Purchase Order Item,Blanket Order Rate,Stopa porudžbine odeće
-apps/erpnext/erpnext/hooks.py +156,Certification,Certifikat
+apps/erpnext/erpnext/hooks.py +157,Certification,Certifikat
 DocType: Bank Guarantee,Clauses and Conditions,Klauzule i uslovi
 DocType: Serial No,Creation Document Type,Tip stvaranje dokumenata
 DocType: Project Task,View Timesheet,View Timesheet
@@ -5222,6 +5288,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Roditelj Stavka {0} ne smije biti Stock Item
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Listing na sajtu
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Svi proizvodi i usluge.
+DocType: Email Digest,Open Quotations,Open Quotations
 DocType: Expense Claim,More Details,Više informacija
 DocType: Supplier Quotation,Supplier Address,Dobavljač Adresa
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budžeta za računa {1} protiv {2} {3} je {4}. To će premašiti po {5}
@@ -5236,12 +5303,11 @@
 DocType: Training Event,Exam,ispit
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Greška na tržištu
 DocType: Complaint,Complaint,Žalba
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0}
 DocType: Leave Allocation,Unused leaves,Neiskorišteni lišće
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Unošenje otplate
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Svi odjeli
 DocType: Healthcare Service Unit,Vacant,Slobodno
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Dobavljač&gt; Tip dobavljača
 DocType: Patient,Alcohol Past Use,Upotreba alkohola u prošlosti
 DocType: Fertilizer Content,Fertilizer Content,Sadržaj đubriva
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5249,7 +5315,7 @@
 DocType: Tax Rule,Billing State,State billing
 DocType: Share Transfer,Transfer,Prijenos
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Radni nalog {0} mora biti otkazan prije otkazivanja ovog prodajnog naloga
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova )
 DocType: Authorization Rule,Applicable To (Employee),Odnosi se na (Radnik)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Due Date je obavezno
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Prirast za Atributi {0} ne može biti 0
@@ -5265,7 +5331,7 @@
 DocType: Disease,Treatment Period,Period lečenja
 DocType: Travel Itinerary,Travel Itinerary,Putni put
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Rezultat već podnet
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervisano skladište je obavezno za stavku {0} u isporučenim sirovinama
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervisano skladište je obavezno za stavku {0} u isporučenim sirovinama
 ,Inactive Customers,neaktivnih kupaca
 DocType: Student Admission Program,Maximum Age,Maksimalno doba
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Molim vas sačekajte 3 dana pre ponovnog podnošenja podsetnika.
@@ -5274,7 +5340,6 @@
 DocType: Stock Entry,Delivery Note No,Otpremnica br
 DocType: Cheque Print Template,Message to show,Poruke za prikaz
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Maloprodaja
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Automatsko upravljajte nalogom za imenovanje
 DocType: Student Attendance,Absent,Odsutan
 DocType: Staffing Plan,Staffing Plan Detail,Detaljno planiranje osoblja
 DocType: Employee Promotion,Promotion Date,Datum promocije
@@ -5296,7 +5361,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Make Olovo
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Print i pribora
 DocType: Stock Settings,Show Barcode Field,Pokaži Barcode Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Pošalji dobavljač Email
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Pošalji dobavljač Email
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća je već pripremljena za period od {0} i {1}, Ostavi period aplikacija ne može da bude između tog datuma opseg."
 DocType: Fiscal Year,Auto Created,Automatski kreiran
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Pošaljite ovo da biste napravili zapis Zaposlenog
@@ -5305,7 +5370,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Račun {0} više ne postoji
 DocType: Guardian Interest,Guardian Interest,Guardian interesa
 DocType: Volunteer,Availability,Dostupnost
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Podesi podrazumevane vrednosti za POS Račune
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Podesi podrazumevane vrednosti za POS Račune
 apps/erpnext/erpnext/config/hr.py +248,Training,trening
 DocType: Project,Time to send,Vreme za slanje
 DocType: Timesheet,Employee Detail,Detalji o radniku
@@ -5328,7 +5393,7 @@
 DocType: Training Event Employee,Optional,Neobavezno
 DocType: Salary Slip,Earning & Deduction,Zarada &amp; Odbitak
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} kreirane varijante.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} kreirane varijante.
 DocType: Amazon MWS Settings,Region,Regija
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Izborni . Ova postavka će se koristiti za filtriranje u raznim transakcijama .
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negativna stopa vrijednovanja nije dopuštena
@@ -5347,7 +5412,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Troškovi Rashodovan imovine
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: trošak je obvezan za artikal {2}
 DocType: Vehicle,Policy No,Politika Nema
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Saznajte Predmeti od Bundle proizvoda
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Saznajte Predmeti od Bundle proizvoda
 DocType: Asset,Straight Line,Duž
 DocType: Project User,Project User,Korisnik projekta
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Podijeliti
@@ -5355,7 +5420,7 @@
 DocType: GL Entry,Is Advance,Je avans
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Životni vek zaposlenih
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Gledatelja Od datuma i posjećenost do sada je obvezno
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne
 DocType: Item,Default Purchase Unit of Measure,Podrazumevana jedinica kupovine mjere
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Zadnje Komunikacija Datum
 DocType: Clinical Procedure Item,Clinical Procedure Item,Klinička procedura
@@ -5364,7 +5429,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Nije dostupan token ili Shopify URL
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,Scrap Skladište
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Skladište je potrebno na redosledu {0}, molimo postavite podrazumevano skladište za predmet {1} za kompaniju {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Skladište je potrebno na redosledu {0}, molimo postavite podrazumevano skladište za predmet {1} za kompaniju {2}"
 DocType: Work Order,Check if material transfer entry is not required,Provjerite da li se ne traži upis prenosa materijala
 DocType: Program Enrollment Tool,Get Students From,Get Studenti iz
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Objavite Artikli na sajtu
@@ -5379,6 +5444,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,New Batch Količina
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Odjeća i modni dodaci
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Nije moguće riješiti funkciju ponderisane ocjene. Proverite da li je formula validna.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Stavke porudžbine nisu blagovremeno dobijene
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Broj Order
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / baner koji će se prikazivati na vrhu liste proizvoda.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Odredite uvjete za izračunavanje iznosa shipping
@@ -5387,9 +5453,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Put
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,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"
 DocType: Production Plan,Total Planned Qty,Ukupna planirana količina
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,otvaranje vrijednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,otvaranje vrijednost
 DocType: Salary Component,Formula,formula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Lab test šablon
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Račun prodaje
 DocType: Purchase Invoice Item,Total Weight,Ukupna tezina
@@ -5407,7 +5473,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Make Materijal Upit
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvorena Stavka {0}
 DocType: Asset Finance Book,Written Down Value,Pisanje vrednosti
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Molimo da podesite sistem imenovanja zaposlenih u ljudskim resursima&gt; HR Settings
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodaja Račun {0} mora biti otkazana prije poništenja ovu prodajnog naloga
 DocType: Clinical Procedure,Age,Starost
 DocType: Sales Invoice Timesheet,Billing Amount,Billing Iznos
@@ -5416,11 +5481,11 @@
 DocType: Company,Default Employee Advance Account,Uobičajeni uposni račun zaposlenog
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Pretraga stavke (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Konto sa postojećim transakcijama se ne može izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Konto sa postojećim transakcijama se ne može izbrisati
 DocType: Vehicle,Last Carbon Check,Zadnji Carbon Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Pravni troškovi
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Molimo odaberite Količina na red
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Otvorite račune za prodaju i kupovinu
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Otvorite račune za prodaju i kupovinu
 DocType: Purchase Invoice,Posting Time,Objavljivanje Vrijeme
 DocType: Timesheet,% Amount Billed,% Naplaćenog iznosa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefonski troškovi
@@ -5435,14 +5500,14 @@
 DocType: Maintenance Visit,Breakdown,Slom
 DocType: Travel Itinerary,Vegetarian,Vegetarijanac
 DocType: Patient Encounter,Encounter Date,Datum susreta
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutnom: {1} se ne mogu odabrati
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutnom: {1} se ne mogu odabrati
 DocType: Bank Statement Transaction Settings Item,Bank Data,Podaci banke
 DocType: Purchase Receipt Item,Sample Quantity,Količina uzorka
 DocType: Bank Guarantee,Name of Beneficiary,Ime korisnika
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Automatsko ažuriranje troškova BOM-a putem Planera, na osnovu najnovije procene stope / cenovnika / poslednje stope sirovina."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Datum čeka
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Nadređeni konto {1} ne pripada preduzeću: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Nadređeni konto {1} ne pripada preduzeću: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Uspješno obrisane sve transakcije koje se odnose na ove kompanije!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Kao i na datum
 DocType: Additional Salary,HR,HR
@@ -5450,7 +5515,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Out Patient SMS upozorenja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Probni rad
 DocType: Program Enrollment Tool,New Academic Year,Nova akademska godina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Povratak / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Povratak / Credit Note
 DocType: Stock Settings,Auto insert Price List rate if missing,Auto umetak Cjenik stopa ako nedostaje
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Ukupno uplaćeni iznos
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5468,10 +5533,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Dijete čvorovi se mogu kreirati samo pod &#39;Grupa&#39; tipa čvorova
 DocType: Attendance Request,Half Day Date,Pola dana datum
 DocType: Academic Year,Academic Year Name,Akademska godina Ime
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} nije dozvoljeno da radi sa {1}. Zamijenite Kompaniju.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} nije dozvoljeno da radi sa {1}. Zamijenite Kompaniju.
 DocType: Sales Partner,Contact Desc,Kontakt ukratko
 DocType: Email Digest,Send regular summary reports via Email.,Pošalji redovne zbirne izvještaje putem e-maila.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Molimo podesite zadani račun u Rashodi Preuzmi Tip {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Molimo podesite zadani račun u Rashodi Preuzmi Tip {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Raspoložive liste
 DocType: Assessment Result,Student Name,ime studenta
 DocType: Hub Tracked Item,Item Manager,Stavka Manager
@@ -5496,9 +5561,10 @@
 DocType: Subscription,Trial Period End Date,Datum završetka probnog perioda
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized od {0} prelazi granice
 DocType: Serial No,Asset Status,Status imovine
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Over Dimensional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restoran Stol
 DocType: Hotel Room,Hotel Manager,Menadžer hotela
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set poreza Pravilo za košarica
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Set poreza Pravilo za košarica
 DocType: Purchase Invoice,Taxes and Charges Added,Porezi i naknade Dodano
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Redosled amortizacije {0}: Sledeći datum amortizacije ne može biti pre datuma raspoloživog za upotrebu
 ,Sales Funnel,Tok prodaje (Funnel)
@@ -5514,10 +5580,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Sve grupe kupaca
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,akumulirani Mjesečno
 DocType: Attendance Request,On Duty,Na dužnosti
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda knjigovodstveni zapis nije kreiran za {1} na {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda knjigovodstveni zapis nije kreiran za {1} na {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Plan zapošljavanja {0} već postoji za oznaku {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Porez Template je obavezno.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Konto {0}: Nadređeni konto {1} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Konto {0}: Nadređeni konto {1} ne postoji
 DocType: POS Closing Voucher,Period Start Date,Datum početka perioda
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cjenik stopa (Društvo valuta)
 DocType: Products Settings,Products Settings,Proizvodi Postavke
@@ -5537,7 +5603,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Ova akcija će zaustaviti buduće obračunavanje. Da li ste sigurni da želite otkazati ovu pretplatu?
 DocType: Serial No,Distinct unit of an Item,Različite jedinice strane jedinice
 DocType: Supplier Scorecard Criteria,Criteria Name,Ime kriterijuma
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Molimo podesite Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Molimo podesite Company
 DocType: Procedure Prescription,Procedure Created,Kreiran postupak
 DocType: Pricing Rule,Buying,Nabavka
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Bolesti i đubriva
@@ -5554,28 +5620,29 @@
 DocType: Employee Onboarding,Job Offer,Ponudu za posao
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institut Skraćenica
 ,Item-wise Price List Rate,Stavka - mudar Cjenovnik Ocijenite
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Dobavljač Ponuda
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Dobavljač Ponuda
 DocType: Quotation,In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u nizu {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u nizu {1}
 DocType: Contract,Unsigned,Unsigned
 DocType: Selling Settings,Each Transaction,Svaka transakcija
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barkod {0} se već koristi u artiklu {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barkod {0} se već koristi u artiklu {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodavanjem troškove prijevoza .
 DocType: Hotel Room,Extra Bed Capacity,Kapacitet dodatnog ležaja
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,otvaranje Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je obavezan
 DocType: Lab Test,Result Date,Datum rezultata
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Datum
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Datum
 DocType: Purchase Order,To Receive,Da Primite
 DocType: Leave Period,Holiday List for Optional Leave,List za odmor za opcioni odlazak
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Vlasnik imovine
 DocType: Purchase Invoice,Reason For Putting On Hold,Razlog za stavljanje na čekanje
 DocType: Employee,Personal Email,Osobni e
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Ukupno Varijansa
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Ukupno Varijansa
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,posredništvo
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Posjećenost za zaposlenog {0} je već označena za ovaj dan
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Posjećenost za zaposlenog {0} je već označena za ovaj dan
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","u minutama 
  ažurirano preko 'Time Log'"
@@ -5583,14 +5650,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch Porudžbine
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Narudžbe objavljen za proizvodnju.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Odaberite fiskalnu godinu ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profil potrebno da bi POS upis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profil potrebno da bi POS upis
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Točke lojalnosti će se izračunati iz potrošene (preko fakture za prodaju), na osnovu navedenog faktora sakupljanja."
 DocType: Program Enrollment Tool,Enroll Students,upisati studenti
 DocType: Company,HRA Settings,HRA Settings
 DocType: Employee Transfer,Transfer Date,Datum prenosa
 DocType: Lab Test,Approved Date,Odobreni datum
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna prodaja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurirajte polja polja kao što su UOM, grupa stavki, opis i broj sati."
 DocType: Certification Application,Certification Status,Status certifikacije
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Tržište
@@ -5610,6 +5677,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Upoređivanje faktura
 DocType: Work Order,Required Items,potrebna Predmeti
 DocType: Stock Ledger Entry,Stock Value Difference,Stock Vrijednost razlika
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Stavka Red {0}: {1} {2} ne postoji iznad tabele &quot;{1}&quot;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Human Resource
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pomirenje Plaćanje Plaćanje
 DocType: Disease,Treatment Task,Tretman zadataka
@@ -5627,7 +5695,8 @@
 DocType: Account,Debit,Zaduženje
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Listovi moraju biti dodijeljeno u COMBI 0,5"
 DocType: Work Order,Operation Cost,Operacija Cost
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Izvanredna Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identifikovanje donosilaca odluka
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Izvanredna Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set cilja predmet Grupa-mudar za ovaj prodavač.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Dionice stariji od [ dana ]
 DocType: Payment Request,Payment Ordered,Raspored plaćanja
@@ -5639,13 +5708,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Dopusti sljedeći korisnici odobriti ostavite aplikacije za blok dana.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Životni ciklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Napravite BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopa za stavke prodaje {0} je niža od {1}. stopa prodaje bi trebao biti atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopa za stavke prodaje {0} je niža od {1}. stopa prodaje bi trebao biti atleast {2}
 DocType: Subscription,Taxes,Porezi
 DocType: Purchase Invoice,capital goods,kapitalna dobra
 DocType: Purchase Invoice Item,Weight Per Unit,Težina po jedinici
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Platio i nije dostavila
-DocType: Project,Default Cost Center,Standard Cost Center
-DocType: Delivery Note,Transporter Doc No,Doc
+DocType: QuickBooks Migrator,Default Cost Center,Standard Cost Center
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock Transakcije
 DocType: Budget,Budget Accounts,računa budžeta
 DocType: Employee,Internal Work History,Interni History Work
@@ -5678,7 +5746,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Zdravstveni radnik nije dostupan na {0}
 DocType: Stock Entry Detail,Additional Cost,Dodatni trošak
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Provjerite Supplier kotaciji
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Provjerite Supplier kotaciji
 DocType: Quality Inspection,Incoming,Dolazni
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Osnovani porezni predlošci za prodaju i kupovinu su stvoreni.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Evidencija Rezultat zapisa {0} već postoji.
@@ -5694,7 +5762,7 @@
 DocType: Batch,Batch ID,ID serije
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Napomena : {0}
 ,Delivery Note Trends,Trendovi otpremnica
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Ovonedeljnom Pregled
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Ovonedeljnom Pregled
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Na skladištu Količina
 ,Daily Work Summary Replies,Dnevni rad Sumarni odgovori
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunajte procenjene vremenske prilike
@@ -5704,7 +5772,7 @@
 DocType: Bank Account,Party,Stranka
 DocType: Healthcare Settings,Patient Name,Ime pacijenta
 DocType: Variant Field,Variant Field,Varijantsko polje
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Ciljna lokacija
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Ciljna lokacija
 DocType: Sales Order,Delivery Date,Datum isporuke
 DocType: Opportunity,Opportunity Date,Datum prilike
 DocType: Employee,Health Insurance Provider,Zdravstveno osiguranje
@@ -5723,7 +5791,7 @@
 DocType: Employee,History In Company,Povijest tvrtke
 DocType: Customer,Customer Primary Address,Primarna adresa klijenta
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletteri
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referentni broj
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referentni broj
 DocType: Drug Prescription,Description/Strength,Opis / snaga
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Kreirajte novu uplatu / dnevnik
 DocType: Certification Application,Certification Application,Aplikacija za sertifikaciju
@@ -5734,10 +5802,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Isto artikal je ušao više puta
 DocType: Department,Leave Block List,Ostavite Block List
 DocType: Purchase Invoice,Tax ID,Porez ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan
 DocType: Accounts Settings,Accounts Settings,Podešavanja konta
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,odobriti
 DocType: Loyalty Program,Customer Territory,Teritorija kupaca
+DocType: Email Digest,Sales Orders to Deliver,Prodajna narudžbina za isporuku
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Broj novog naloga, on će biti uključen u ime računa kao prefiks"
 DocType: Maintenance Team Member,Team Member,Član tima
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Nije rezultat koji se šalje
@@ -5747,7 +5816,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Ukupno {0} za sve stavke je nula, možda biste trebali promijeniti &#39;Rasporedite Optužbe na osnovu&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Do danas ne može biti manje od datuma
 DocType: Opportunity,To Discuss,Za diskusiju
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Ovo se zasniva na transakcijama protiv ovog pretplatnika. Za detalje pogledajte vremenski okvir ispod
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} jedinicama {1} potrebno {2} za završetak ove transakcije.
 DocType: Loan Type,Rate of Interest (%) Yearly,Kamatnu stopu (%) Godišnji
 DocType: Support Settings,Forum URL,Forum URL
@@ -5762,7 +5830,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Nauči više
 DocType: Cheque Print Template,Distance from top edge,Udaljenost od gornje ivice
 DocType: POS Closing Voucher Invoices,Quantity of Items,Količina predmeta
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Popis Cijena {0} je isključena ili ne postoji
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Popis Cijena {0} je isključena ili ne postoji
 DocType: Purchase Invoice,Return,Povratak
 DocType: Pricing Rule,Disable,Ugasiti
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Način plaćanja je potrebno izvršiti uplatu
@@ -5770,18 +5838,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Uredite na celoj stranici za više opcija kao što su imovina, serijski nos, serije itd."
 DocType: Leave Type,Maximum Continuous Days Applicable,Primenjivi su maksimalni trajni dani
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nije upisana u Batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ne može biti ukinuta, jer je već {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ne može biti ukinuta, jer je već {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Potrebni provjeri
 DocType: Task,Total Expense Claim (via Expense Claim),Ukupni rashodi potraživanja (preko rashodi potraživanje)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsutan
 DocType: Job Applicant Source,Job Applicant Source,Izvor aplikanta za posao
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Iznos
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Iznos
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Nije uspela kompanija podesiti
 DocType: Asset Repair,Asset Repair,Popravka imovine
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnicu # {1} treba da bude jednaka odabrane valute {2}
 DocType: Journal Entry Account,Exchange Rate,Tečaj
 DocType: Patient,Additional information regarding the patient,Dodatne informacije o pacijentu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen
 DocType: Homepage,Tag Line,Tag Line
 DocType: Fee Component,Fee Component,naknada Komponenta
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Fleet Management
@@ -5796,7 +5864,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobilni
 ,Sales Person-wise Transaction Summary,Prodaja Osobne mudar Transakcija Sažetak
 DocType: Training Event,Contact Number,Kontakt broj
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Skladište {0} ne postoji
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Skladište {0} ne postoji
 DocType: Cashier Closing,Custody,Starateljstvo
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Detalji o podnošenju dokaza o izuzeću poreza na radnike
 DocType: Monthly Distribution,Monthly Distribution Percentages,Mjesečni Distribucija Procenat
@@ -5811,7 +5879,7 @@
 DocType: Payment Entry,Paid Amount,Plaćeni iznos
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Istražite kola prodaje
 DocType: Assessment Plan,Supervisor,nadzornik
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Zadržavanje zaliha zaliha
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Zadržavanje zaliha zaliha
 ,Available Stock for Packing Items,Raspoloživo stanje za pakirane proizvode
 DocType: Item Variant,Item Variant,Stavka Variant
 ,Work Order Stock Report,Izveštaj o radnom nalogu
@@ -5820,9 +5888,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Kao supervizor
 DocType: Leave Policy Detail,Leave Policy Detail,Ostavite detalje o politici
 DocType: BOM Scrap Item,BOM Scrap Item,BOM otpad Stavka
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,upravljanja kvalitetom
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,upravljanja kvalitetom
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Stavka {0} je onemogućena
 DocType: Project,Total Billable Amount (via Timesheets),Ukupan iznos iznosa (preko Timesheeta)
 DocType: Agriculture Task,Previous Business Day,Prethodni radni dan
@@ -5845,14 +5913,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Troška
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Restart pretplata
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analiza povezanih biljaka
-DocType: Delivery Note,Transporter ID,ID transportera
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID transportera
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Value Proposition
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Stopa po kojoj supplier valuta se pretvaraju u tvrtke bazne valute
-DocType: Sales Invoice Item,Service End Date,Datum završetka usluge
+DocType: Purchase Invoice Item,Service End Date,Datum završetka usluge
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: Timings sukobi s redom {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dozvolite Zero Vrednovanje Rate
 DocType: Bank Guarantee,Receiving,Primanje
 DocType: Training Event Employee,Invited,pozvan
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Podešavanje Gateway račune.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Podešavanje Gateway račune.
 DocType: Employee,Employment Type,Zapošljavanje Tip
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Dugotrajna imovina
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange dobitak / gubitak
@@ -5868,7 +5937,7 @@
 DocType: Tax Rule,Sales Tax Template,Porez na promet Template
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Plaćanje protiv povlastice
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Ažurirajte broj centra troškova
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Odaberite stavke za spremanje fakture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Odaberite stavke za spremanje fakture
 DocType: Employee,Encashment Date,Encashment Datum
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Specijalni test šablon
@@ -5876,12 +5945,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Uobičajeno aktivnosti Troškovi postoji aktivnost Tip - {0}
 DocType: Work Order,Planned Operating Cost,Planirani operativnih troškova
 DocType: Academic Term,Term Start Date,Term Ozljede Datum
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Spisak svih dionica transakcija
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Spisak svih dionica transakcija
+DocType: Supplier,Is Transporter,Je transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Uvezite fakturu prodaje iz Shopify-a ako je oznaka uplaćena
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Moraju se podesiti datum početka probnog perioda i datum završetka probnog perioda
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Prosečna stopa
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupan iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / zaokruženom ukupno
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupan iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / zaokruženom ukupno
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Banka bilans po glavnoj knjizi
 DocType: Job Applicant,Applicant Name,Podnositelj zahtjeva Ime
@@ -5909,7 +5979,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Dostupno Količina na izvoru Skladište
 apps/erpnext/erpnext/config/support.py +22,Warranty,garancija
 DocType: Purchase Invoice,Debit Note Issued,Debit Napomena Zadani
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter baziran na Centru za troškove primjenjuje se samo ako je Budget Against izabran kao Cost Center
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter baziran na Centru za troškove primjenjuje se samo ako je Budget Against izabran kao Cost Center
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Pretraga po kodu stavke, serijskom broju, broju serije ili barkodu"
 DocType: Work Order,Warehouses,Skladišta
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} imovine ne može se prenositi
@@ -5920,9 +5990,9 @@
 DocType: Workstation,per hour,na sat
 DocType: Blanket Order,Purchasing,Nabava
 DocType: Announcement,Announcement,objava
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Korisnički LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Korisnički LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Za studentske grupe Batch bazi Studentskog Batch će biti potvrđeni za svakog studenta iz Upis Programa.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,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 ."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,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 ."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribucija
 DocType: Journal Entry Account,Loan,Loan
 DocType: Expense Claim Advance,Expense Claim Advance,Advance Expense Claim
@@ -5931,7 +6001,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Menadzer projekata
 ,Quoted Item Comparison,Citirano Stavka Poređenje
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Preklapanje u bodovima između {0} i {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Otpremanje
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Otpremanje
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maksimalni popust dopušteno za predmet: {0} je {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Neto vrijednost imovine kao i na
 DocType: Crop,Produce,Proizvesti
@@ -5941,20 +6011,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Potrošnja materijala za proizvodnju
 DocType: Item Alternative,Alternative Item Code,Alternativni kod artikla
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Uloga koja je dopušteno podnijeti transakcije koje premašuju kreditnih ograničenja postavljena.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Odaberi stavke za proizvodnju
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Odaberi stavke za proizvodnju
 DocType: Delivery Stop,Delivery Stop,Dostava Stop
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master podataka sinhronizaciju, to bi moglo da potraje"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master podataka sinhronizaciju, to bi moglo da potraje"
 DocType: Item,Material Issue,Materijal Issue
 DocType: Employee Education,Qualification,Kvalifikacija
 DocType: Item Price,Item Price,Cijena artikla
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sapun i deterdžent
 DocType: BOM,Show Items,Pokaži Predmeti
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Od vremena ne može biti veća nego vremena.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Želite li obavijestiti sve kupce putem e-pošte?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Želite li obavijestiti sve kupce putem e-pošte?
 DocType: Subscription Plan,Billing Interval,Interval zaračunavanja
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Naručeno
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Datum stvarnog početka i stvarni datum završetka su obavezni
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klijent&gt; Grupa klijenata&gt; Teritorija
 DocType: Salary Detail,Component,sastavni
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Red {0}: {1} mora biti veći od 0
 DocType: Assessment Criteria,Assessment Criteria Group,Kriteriji procjene Group
@@ -5985,11 +6056,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Pre podnošenja navedite ime banke ili kreditne institucije.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} moraju biti dostavljeni
 DocType: POS Profile,Item Groups,stavka grupe
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Danas je {0} 's rođendan!
 DocType: Sales Order Item,For Production,Za proizvodnju
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Balans u valuti računa
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Molimo da dodate račun za privremeni otvaranje na kontnom planu
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Molimo da dodate račun za privremeni otvaranje na kontnom planu
 DocType: Customer,Customer Primary Contact,Primarni kontakt klijenta
 DocType: Project Task,View Task,Pogledaj Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6002,11 +6072,11 @@
 DocType: Sales Invoice,Get Advances Received,Kreiraj avansno primanje
 DocType: Email Digest,Add/Remove Recipients,Dodaj / ukloni primaoce
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Za postavljanje ove fiskalne godine kao zadano , kliknite na "" Set as Default '"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Iznos TDS odbijen
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Iznos TDS odbijen
 DocType: Production Plan,Include Subcontracted Items,Uključite predmete sa podugovaračima
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,pristupiti
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Nedostatak Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,pristupiti
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Nedostatak Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima
 DocType: Loan,Repay from Salary,Otplatiti iz Plata
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Tražeći isplatu protiv {0} {1} za iznos {2}
 DocType: Additional Salary,Salary Slip,Plaća proklizavanja
@@ -6022,7 +6092,7 @@
 DocType: Patient,Dormant,skriven
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odbitak poreza za neprocenjive koristi zaposlenima
 DocType: Salary Slip,Total Interest Amount,Ukupan iznos kamate
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Skladišta s djecom čvorovi se ne može pretvoriti u Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Skladišta s djecom čvorovi se ne može pretvoriti u Ledger
 DocType: BOM,Manage cost of operations,Upravljanje troškove poslovanja
 DocType: Accounts Settings,Stale Days,Zastareli dani
 DocType: Travel Itinerary,Arrival Datetime,Dolazak Datetime
@@ -6034,7 +6104,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Procjena Rezultat Detail
 DocType: Employee Education,Employee Education,Obrazovanje zaposlenog
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplikat stavka grupa naći u tabeli stavka grupa
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Potrebno je da se donese Stavka Detalji.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Potrebno je da se donese Stavka Detalji.
 DocType: Fertilizer,Fertilizer Name,Ime đubriva
 DocType: Salary Slip,Net Pay,Neto plaća
 DocType: Cash Flow Mapping Accounts,Account,Konto
@@ -6045,14 +6115,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Napravite odvojeni ulaz za plaćanje protiv potraživanja za naknadu štete
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Prisustvo groznice (temperatura&gt; 38,5 ° C / 101,3 ° F ili trajna temperatura&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Prodaja Team Detalji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Obrisati trajno?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Obrisati trajno?
 DocType: Expense Claim,Total Claimed Amount,Ukupno Zatražio Iznos
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencijalne prilike za prodaju.
 DocType: Shareholder,Folio no.,Folio br.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Invalid {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Bolovanje
 DocType: Email Digest,Email Digest,E-pošta
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,nisu
 DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Robne kuće
 ,Item Delivery Date,Datum isporuke artikla
@@ -6068,16 +6137,16 @@
 DocType: Account,Chargeable,Naplativ
 DocType: Company,Change Abbreviation,Promijeni Skraćenica
 DocType: Contract,Fulfilment Details,Ispunjavanje Detalji
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Plaćajte {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Plaćajte {0} {1}
 DocType: Employee Onboarding,Activities,Aktivnosti
 DocType: Expense Claim Detail,Expense Date,Rashodi Datum
 DocType: Item,No of Months,Broj meseci
 DocType: Item,Max Discount (%),Max rabat (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kreditni dani ne mogu biti negativni broj
-DocType: Sales Invoice Item,Service Stop Date,Datum zaustavljanja usluge
+DocType: Purchase Invoice Item,Service Stop Date,Datum zaustavljanja usluge
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Last Order Iznos
 DocType: Cash Flow Mapper,e.g Adjustments for:,npr. prilagođavanja za:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zadržavanje uzorka je zasnovano na seriji, molimo vas da proverite da li je serija ne da zadržite uzorak stavke"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zadržavanje uzorka je zasnovano na seriji, molimo vas da proverite da li je serija ne da zadržite uzorak stavke"
 DocType: Task,Is Milestone,je Milestone
 DocType: Certification Application,Yet to appear,Još uvek se pojavljuje
 DocType: Delivery Stop,Email Sent To,E-mail poslat
@@ -6085,16 +6154,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Dozvoli Centru za troškove prilikom unosa računa bilansa stanja
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Spoji se sa postojećim računom
 DocType: Budget,Warn,Upozoriti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Svi predmeti su već preneti za ovaj radni nalog.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Svi predmeti su već preneti za ovaj radni nalog.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bilo koji drugi primjedbe, napomenuti napor koji treba da ide u evidenciji."
 DocType: Asset Maintenance,Manufacturing User,Proizvodnja korisnika
 DocType: Purchase Invoice,Raw Materials Supplied,Sirovine nabavlja
 DocType: Subscription Plan,Payment Plan,Plan placanja
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Omogućite kupovinu stavki putem web stranice
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valuta cenovnika {0} mora biti {1} ili {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Upravljanje pretplatama
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Upravljanje pretplatama
 DocType: Appraisal,Appraisal Template,Procjena Predložak
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Za Pin kod
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Za Pin kod
 DocType: Soil Texture,Ternary Plot,Ternary plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Proverite ovo da biste omogućili planiranu dnevnu sinhronizaciju rutine preko rasporeda
 DocType: Item Group,Item Classification,Stavka Klasifikacija
@@ -6104,6 +6173,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Registracija računa pacijenta
 DocType: Crop,Period,Period
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Glavna knjiga
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Do fiskalne godine
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Pogledaj potencijalne kupce
 DocType: Program Enrollment Tool,New Program,novi program
 DocType: Item Attribute Value,Attribute Value,Vrijednost atributa
@@ -6112,11 +6182,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Preporučio redoslijeda Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Zaposleni {0} razreda {1} nemaju nikakvu politiku za odlazni odmor
 DocType: Salary Detail,Salary Detail,Plaća Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Odaberite {0} Prvi
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Odaberite {0} Prvi
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Dodao je {0} korisnike
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","U slučaju višeslojnog programa, Korisnici će automatski biti dodeljeni za dotičnu grupu po njihovom trošenju"
 DocType: Appointment Type,Physician,Lekar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} od {1} Stavka je istekla.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} od {1} Stavka je istekla.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konsultacije
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Finished Good
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Stavka Cena se pojavljuje više puta na osnovu Cenovnika, dobavljača / kupca, valute, stavke, UOM, kola i datuma."
@@ -6125,22 +6195,21 @@
 DocType: Certification Application,Name of Applicant,Ime podnosioca zahteva
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet za proizvodnju.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,suma stavke
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Ne mogu promijeniti svojstva varijante nakon transakcije sa akcijama. Za to ćete morati napraviti novu stavku.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Ne mogu promijeniti svojstva varijante nakon transakcije sa akcijama. Za to ćete morati napraviti novu stavku.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA Mandat
 DocType: Healthcare Practitioner,Charges,Naknade
 DocType: Production Plan,Get Items For Work Order,Dobijte stavke za radni nalog
 DocType: Salary Detail,Default Amount,Zadani iznos
 DocType: Lab Test Template,Descriptive,Deskriptivno
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Skladište nije pronađeno u sistemu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Ovaj mjesec je sažetak
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Ovaj mjesec je sažetak
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kvaliteta Inspekcija čitanje
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`blokiraj zalihe starije od podrazumijevanog manje od % d dana .
 DocType: Tax Rule,Purchase Tax Template,Porez na promet Template
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Postavite cilj prodaje koji želite ostvariti za svoju kompaniju.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Zdravstvene usluge
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Zdravstvene usluge
 ,Project wise Stock Tracking,Supervizor pracenje zaliha
 DocType: GST HSN Code,Regional,regionalni
-DocType: Delivery Note,Transport Mode,Transportni režim
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorija
 DocType: UOM Category,UOM Category,Kategorija UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Stvarna kol (na izvoru/cilju)
@@ -6163,17 +6232,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Neuspelo je kreirati web stranicu
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM pretvorbe Detalj
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Već stvoreni unos zadržavanja zaliha ili količina uzorka nisu obezbeđeni
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Već stvoreni unos zadržavanja zaliha ili količina uzorka nisu obezbeđeni
 DocType: Program,Program Abbreviation,program Skraćenica
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Proizvodnja Nalog ne može biti podignuta protiv Item Template
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Naknade se ažuriraju u Kupovina Prijem protiv svaku stavku
 DocType: Warranty Claim,Resolved By,Riješen Do
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Raspoređivanje rasporeda
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čekovi i depoziti pogrešno spašava
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Konto {0}: Ne može se označiti kao nadređeni konto samom sebi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Konto {0}: Ne može se označiti kao nadređeni konto samom sebi
 DocType: Purchase Invoice Item,Price List Rate,Cjenik Stopa
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Napravi citati kupac
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Servisni datum zaustavljanja ne može biti nakon datuma završetka usluge
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Servisni datum zaustavljanja ne može biti nakon datuma završetka usluge
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Show &quot;na lageru&quot; ili &quot;Nije u skladištu&quot; temelji se na skladištu dostupna u tom skladištu.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Sastavnice (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Prosječno vrijeme koje je dobavljač isporuči
@@ -6185,11 +6254,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Sati
 DocType: Project,Expected Start Date,Očekivani datum početka
 DocType: Purchase Invoice,04-Correction in Invoice,04-Ispravka u fakturi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Radni nalog već je kreiran za sve predmete sa BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Radni nalog već je kreiran za sve predmete sa BOM
 DocType: Payment Request,Party Details,Party Detalji
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Varijanta Detalji Izveštaj
 DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Kupovni cjenovnik
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Kupovni cjenovnik
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Uklonite stavku ako naknada nije primjenjiv na tu stavku
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Otkaži pretplatu
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Izaberite stanje održavanja kao završeno ili uklonite datum završetka
@@ -6207,7 +6276,7 @@
 DocType: Asset,Disposal Date,odlaganje Datum
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E će biti poslana svim aktivnih radnika kompanije u datom sat, ako nemaju odmor. Sažetak odgovora će biti poslan u ponoć."
 DocType: Employee Leave Approver,Employee Leave Approver,Osoba koja odobrava izlaske zaposlenima
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Unos Ponovno red već postoji za to skladište {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Unos Ponovno red već postoji za to skladište {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Ne može proglasiti izgubili , jer citat je napravio ."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP nalog
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,trening Feedback
@@ -6219,7 +6288,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danas ne može biti prije od datuma
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Segment Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Dodaj / Uredi cijene
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Dodaj / Uredi cijene
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Promocija zaposlenih ne može se podneti pre datuma promocije
 DocType: Batch,Parent Batch,roditelja Batch
 DocType: Cheque Print Template,Cheque Print Template,Ček Ispis Template
@@ -6229,6 +6298,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Prikupljanje uzoraka
 ,Requested Items To Be Ordered,Traženi Proizvodi se mogu naručiti
 DocType: Price List,Price List Name,Cjenik Ime
+DocType: Delivery Stop,Dispatch Information,Informacije o otpremi
 DocType: Blanket Order,Manufacturing,Proizvodnja
 ,Ordered Items To Be Delivered,Naručeni proizvodi za dostavu
 DocType: Account,Income,Prihod
@@ -6247,17 +6317,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jedinicama {1} potrebno {2} na {3} {4} za {5} da završi ovu transakciju.
 DocType: Fee Schedule,Student Category,student Kategorija
 DocType: Announcement,Student,student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Procedura započinjanja količine zaliha nije dostupna u skladištu. Da li želite da zabeležite transfer novca?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Procedura započinjanja količine zaliha nije dostupna u skladištu. Da li želite da zabeležite transfer novca?
 DocType: Shipping Rule,Shipping Rule Type,Tip pravila isporuke
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Idite u Sobe
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Kompanija, račun za plaćanje, od datuma i do datuma je obavezan"
 DocType: Company,Budget Detail,Proračun Detalj
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Unesite poruku prije slanja
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ZA SUPPLIER
-DocType: Email Digest,Pending Quotations,U očekivanju Citati
-DocType: Delivery Note,Distance (KM),Udaljenost (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dobavljač&gt; Grupa dobavljača
 DocType: Asset,Custodian,Skrbnik
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-prodaju profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-prodaju profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} treba da bude vrednost između 0 i 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Isplata {0} od {1} do {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,unsecured krediti
@@ -6289,10 +6358,10 @@
 DocType: Lead,Converted,Pretvoreno
 DocType: Item,Has Serial No,Ima serijski br
 DocType: Employee,Date of Issue,Datum izdavanja
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Prema Kupnja Postavke ako Kupovina Reciept željeni == &#39;DA&#39;, onda za stvaranje fakturi, korisnik treba prvo stvoriti račun za prodaju za stavku {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Prema Kupnja Postavke ako Kupovina Reciept željeni == &#39;DA&#39;, onda za stvaranje fakturi, korisnik treba prvo stvoriti račun za prodaju za stavku {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Set dobavljač za stavku {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Red {0}: Radno vrijednost mora biti veća od nule.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Sajt Slika {0} prilogu Stavka {1} ne može biti pronađena
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Sajt Slika {0} prilogu Stavka {1} ne može biti pronađena
 DocType: Issue,Content Type,Vrsta sadržaja
 DocType: Asset,Assets,Imovina
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Računar
@@ -6303,7 +6372,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} ne postoji
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Molimo provjerite Multi opciju valuta kako bi se omogućilo račune sa drugoj valuti
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Detaljnije: {0} ne postoji u sustavu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje Frozen vrijednost
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje Frozen vrijednost
 DocType: Payment Reconciliation,Get Unreconciled Entries,Kreiraj neusklađene ulaze
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Zaposleni {0} je na {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Za unos novina nije izabrana otplata
@@ -6321,13 +6390,14 @@
 ,Average Commission Rate,Prosječna stopa komisija
 DocType: Share Balance,No of Shares,Broj akcija
 DocType: Taxable Salary Slab,To Amount,Do iznosa
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,' Ima serijski broj ' ne može biti ' Da ' za artikle bez zalihe
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,' Ima serijski broj ' ne može biti ' Da ' za artikle bez zalihe
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Izaberite Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Gledatelji ne može biti označena za budući datum
 DocType: Support Search Source,Post Description Key,Post Opis Ključ
 DocType: Pricing Rule,Pricing Rule Help,Cijene Pravilo Pomoć
 DocType: School House,House Name,nazivu
 DocType: Fee Schedule,Total Amount per Student,Ukupan iznos po učeniku
+DocType: Opportunity,Sales Stage,Prodajna scena
 DocType: Purchase Taxes and Charges,Account Head,Zaglavlje konta
 DocType: Company,HRA Component,HRA komponenta
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Električna
@@ -6335,15 +6405,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Ukupna vrijednost Razlika (Out - In)
 DocType: Grant Application,Requested Amount,Traženi iznos
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Red {0}: kursa obavezna
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Korisnik ID nije postavljen za zaposlenika {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Korisnik ID nije postavljen za zaposlenika {0}
 DocType: Vehicle,Vehicle Value,Vrijednost vozila
 DocType: Crop Cycle,Detected Diseases,Otkrivene bolesti
 DocType: Stock Entry,Default Source Warehouse,Zadano izvorno skladište
 DocType: Item,Customer Code,Kupac Šifra
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Rođendan Podsjetnik za {0}
 DocType: Asset Maintenance Task,Last Completion Date,Zadnji datum završetka
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dana od posljednje narudžbe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Zaduženja na račun mora biti bilans stanja računa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Zaduženja na račun mora biti bilans stanja računa
 DocType: Asset,Naming Series,Imenovanje serije
 DocType: Vital Signs,Coated,Premazan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Red {0}: Očekivana vrednost nakon korisnog života mora biti manja od iznosa bruto kupovine
@@ -6361,15 +6430,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Otpremnica {0} ne smije biti potvrđena
 DocType: Notification Control,Sales Invoice Message,Poruka prodajnog  računa
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Zatvaranje računa {0} mora biti tipa odgovornosti / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Plaća listić od zaposlenika {0} već kreirali za vrijeme stanja {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Plaća listić od zaposlenika {0} već kreirali za vrijeme stanja {1}
 DocType: Vehicle Log,Odometer,mjerač za pređeni put
 DocType: Production Plan Item,Ordered Qty,Naručena kol
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Stavka {0} je onemogućeno
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Stavka {0} je onemogućeno
 DocType: Stock Settings,Stock Frozen Upto,Kataloški Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM ne sadrži nikakve zaliha stavka
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM ne sadrži nikakve zaliha stavka
 DocType: Chapter,Chapter Head,Glava poglavlja
 DocType: Payment Term,Month(s) after the end of the invoice month,Mesec (i) nakon kraja mjeseca fakture
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura plata treba da ima fleksibilnu komponentu (beneficije) za izdavanje naknade
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura plata treba da ima fleksibilnu komponentu (beneficije) za izdavanje naknade
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projektna aktivnost / zadatak.
 DocType: Vital Signs,Very Coated,Veoma prevučeni
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Samo uticaj na porez (ne mogu tvrditi, ali dio oporezivog prihoda)"
@@ -6387,7 +6456,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours
 DocType: Project,Total Sales Amount (via Sales Order),Ukupan iznos prodaje (preko prodajnog naloga)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Uobičajeno sastavnice za {0} nije pronađen
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Molimo set Ponovno redj količinu
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Molimo set Ponovno redj količinu
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Dodirnite stavke da biste ih dodali ovdje
 DocType: Fees,Program Enrollment,Upis program
 DocType: Share Transfer,To Folio No,Za Folio No
@@ -6428,9 +6497,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Snaga
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instaliranje podešavanja
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Nije odabrana beleška za isporuku za kupca {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Nije odabrana beleška za isporuku za kupca {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Zaposleni {0} nema maksimalni iznos naknade
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Izaberite stavke na osnovu datuma isporuke
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Izaberite stavke na osnovu datuma isporuke
 DocType: Grant Application,Has any past Grant Record,Ima bilo kakav prošli Grant Record
 ,Sales Analytics,Prodajna analitika
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Dostupno {0}
@@ -6438,12 +6507,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Proizvodnja Settings
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Postavljanje e-pošte
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Nema
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Unesite zadanu valutu u tvrtki Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Unesite zadanu valutu u tvrtki Master
 DocType: Stock Entry Detail,Stock Entry Detail,Kataloški Stupanje Detalj
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Dnevni podsjetnik
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Dnevni podsjetnik
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Pogledajte sve otvorene karte
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Jedinica za zdravstvenu zaštitu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Proizvod
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Proizvod
 DocType: Products Settings,Home Page is Products,Početna stranica su proizvodi
 ,Asset Depreciation Ledger,Asset Amortizacija Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Ostavite iznos unosa na dan
@@ -6453,8 +6522,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Sirovine Isporuka Troškovi
 DocType: Selling Settings,Settings for Selling Module,Postavke za prodaju modul
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotelska rezervacija
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Služba za korisnike
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Služba za korisnike
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nisu pronađeni kontakti sa ID-ima e-pošte.
 DocType: Item Customer Detail,Item Customer Detail,Artikal - detalji kupca
 DocType: Notification Control,Prompt for Email on Submission of,Pitaj za e-poštu na podnošenje
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maksimalan iznos naknade zaposlenog {0} prelazi {1}
@@ -6464,13 +6534,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Stavka {0} mora bitistock Stavka
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Uobičajeno Work in Progress Skladište
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Rasporedi za {0} se preklapaju, da li želite da nastavite nakon preskakanja preklapanih slotova?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Zadane postavke za računovodstvene poslove.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Zadane postavke za računovodstvene poslove.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Podrazumevani obrazac poreza
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studenti su upisani
 DocType: Fees,Student Details,Student Detalji
 DocType: Purchase Invoice Item,Stock Qty,zalihama Količina
 DocType: Contract,Requires Fulfilment,Zahteva ispunjenje
+DocType: QuickBooks Migrator,Default Shipping Account,Uobičajeni nalog za isporuku
 DocType: Loan,Repayment Period in Months,Rok otplate u mjesecima
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Greška: Ne važeći id?
 DocType: Naming Series,Update Series Number,Update serije Broj
@@ -6484,11 +6555,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksimalni iznos
 DocType: Journal Entry,Total Amount Currency,Ukupan iznos valute
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Traži Sub skupština
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Kod artikla je potreban u redu broj {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Kod artikla je potreban u redu broj {0}
 DocType: GST Account,SGST Account,SGST nalog
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Idi na stavke
 DocType: Sales Partner,Partner Type,Partner Tip
-DocType: Purchase Taxes and Charges,Actual,Stvaran
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Stvaran
 DocType: Restaurant Menu,Restaurant Manager,Restoran menadžer
 DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet za zadatke.
@@ -6509,7 +6580,7 @@
 DocType: Employee,Cheque,Ček
 DocType: Training Event,Employee Emails,Emails of Employee
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Serija Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Vrsta izvjestaja je obavezna
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Vrsta izvjestaja je obavezna
 DocType: Item,Serial Number Series,Serijski broj serije
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Skladište je obvezno za skladišne proizvode {0} u redu {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Trgovina na veliko i
@@ -6539,7 +6610,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Ažurirajte naplaćeni iznos u prodajnom nalogu
 DocType: BOM,Materials,Materijali
 DocType: Leave Block List,"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."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Porezna Predložak za kupnju transakcije .
 ,Item Prices,Cijene artikala
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,U riječi će biti vidljiv nakon što spremite narudžbenice.
@@ -6555,12 +6626,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serija za unos sredstava za amortizaciju (dnevnik)
 DocType: Membership,Member Since,Član od
 DocType: Purchase Invoice,Advance Payments,Avansna plaćanja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Molimo odaberite Zdravstvenu službu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Molimo odaberite Zdravstvenu službu
 DocType: Purchase Taxes and Charges,On Net Total,Na Net Total
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vrijednost za Atributi {0} mora biti u rasponu od {1} na {2} u koracima od {3} za Stavka {4}
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorija izuzeća
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuta ne mogu se mijenjati nakon što unose preko neke druge valute
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuta ne mogu se mijenjati nakon što unose preko neke druge valute
 DocType: Shipping Rule,Fixed,Fiksna
 DocType: Vehicle Service,Clutch Plate,kvačila
 DocType: Company,Round Off Account,Zaokružiti račun
@@ -6569,7 +6640,7 @@
 DocType: Subscription Plan,Based on price list,Na osnovu cenovnika
 DocType: Customer Group,Parent Customer Group,Roditelj Kupac Grupa
 DocType: Vehicle Service,Change,Promjena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Pretplata
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Pretplata
 DocType: Purchase Invoice,Contact Email,Kontakt email
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Čekanje stvaranja naknade
 DocType: Appraisal Goal,Score Earned,Ocjena Zarađeni
@@ -6596,23 +6667,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Potraživanja / Account plaćaju
 DocType: Delivery Note Item,Against Sales Order Item,Protiv naloga prodaje Item
 DocType: Company,Company Logo,Logo kompanije
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Molimo navedite vrijednost atributa za atribut {0}
-DocType: Item Default,Default Warehouse,Glavno skladište
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Molimo navedite vrijednost atributa za atribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Glavno skladište
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budžet se ne može dodijeliti protiv grupe računa {0}
 DocType: Shopping Cart Settings,Show Price,Prikaži cijene
 DocType: Healthcare Settings,Patient Registration,Registracija pacijenata
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Unesite roditelj troška
 DocType: Delivery Note,Print Without Amount,Ispis Bez visini
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Amortizacija Datum
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Amortizacija Datum
 ,Work Orders in Progress,Radni nalogi u toku
 DocType: Issue,Support Team,Tim za podršku
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Isteka (u danima)
 DocType: Appraisal,Total Score (Out of 5),Ukupna ocjena (od 5)
 DocType: Student Attendance Tool,Batch,Serija
 DocType: Support Search Source,Query Route String,String string upita
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Stopa ažuriranja po posljednjoj kupovini
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Stopa ažuriranja po posljednjoj kupovini
 DocType: Donor,Donor Type,Tip donatora
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Automatsko ponavljanje dokumenta je ažurirano
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Automatsko ponavljanje dokumenta je ažurirano
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Ravnoteža
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Izaberite kompaniju
 DocType: Job Card,Job Card,Job Card
@@ -6626,7 +6697,7 @@
 DocType: Assessment Result,Total Score,Ukupni rezultat
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standard
 DocType: Journal Entry,Debit Note,Rashodi - napomena
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Možete uneti samo max {0} poena u ovom redosledu.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Možete uneti samo max {0} poena u ovom redosledu.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Molimo unesite API Potrošačku tajnu
 DocType: Stock Entry,As per Stock UOM,Kao po burzi UOM
@@ -6639,10 +6710,11 @@
 DocType: Journal Entry,Total Debit,Ukupno zaduženje
 DocType: Travel Request Costing,Sponsored Amount,Sponzorirani iznos
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Uobičajeno Gotovi proizvodi skladište
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Molimo izaberite Pacijent
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Molimo izaberite Pacijent
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Referent prodaje
 DocType: Hotel Room Package,Amenities,Pogodnosti
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Budžet i troškova Center
+DocType: QuickBooks Migrator,Undeposited Funds Account,Račun Undeposited Funds
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Budžet i troškova Center
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Višestruki način plaćanja nije dozvoljen
 DocType: Sales Invoice,Loyalty Points Redemption,Povlačenje lojalnosti
 ,Appointment Analytics,Imenovanje analitike
@@ -6656,6 +6728,7 @@
 DocType: Batch,Manufacturing Date,Datum proizvodnje
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Kreiranje Fee-a nije uspelo
 DocType: Opening Invoice Creation Tool,Create Missing Party,Napravite Missing Party
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Ukupni budžet
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Ostavite prazno ako napravite grupa studenata godišnje
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ako je označeno, Ukupan broj. radnih dana će uključiti odmor, a to će smanjiti vrijednost plaća po danu"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Aplikacije koje koriste trenutni ključ neće moći da pristupe, da li ste sigurni?"
@@ -6671,20 +6744,19 @@
 DocType: Opportunity Item,Basic Rate,Osnovna stopa
 DocType: GL Entry,Credit Amount,Iznos kredita
 DocType: Cheque Print Template,Signatory Position,potpisnik Pozicija
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Postavi kao Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Postavi kao Lost
 DocType: Timesheet,Total Billable Hours,Ukupno naplative Hours
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Broj dana kada pretplatnik mora platiti fakture koje generiše ova pretplata
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detail Application Benefit Employee
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Plaćanje potvrda o primitku
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ovo se zasniva na transakcije protiv ovog kupaca. Pogledajte vremenski okvir ispod za detalje
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Red {0}: Raspoređeni iznos {1} mora biti manji od ili jednak iznos plaćanja Entry {2}
 DocType: Program Enrollment Tool,New Academic Term,Novi akademski termin
 ,Course wise Assessment Report,Naravno mudar Izvještaj o procjeni
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Iskoristio ITC državu / UT porez
 DocType: Tax Rule,Tax Rule,Porez pravilo
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Održavati ista stopa Tijekom cijele prodajni ciklus
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Molimo prijavite se kao drugi korisnik da se registrujete na Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Molimo prijavite se kao drugi korisnik da se registrujete na Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planirajte vrijeme za rezanje izvan Workstation Radno vrijeme.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kupci u Queue
 DocType: Driver,Issuing Date,Datum izdavanja
@@ -6693,11 +6765,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Pošaljite ovaj nalog za dalju obradu.
 ,Items To Be Requested,Potraživani artikli
 DocType: Company,Company Info,Podaci o preduzeću
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Odaberite ili dodati novi kupac
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Odaberite ili dodati novi kupac
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Troška je potrebno rezervirati trošak tvrdnju
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Primjena sredstava ( aktiva )
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To se temelji na prisustvo ovog zaposlenih
-DocType: Assessment Result,Summary,Sažetak
 DocType: Payment Request,Payment Request Type,Tip zahtjeva za plaćanje
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Obeležite prisustvo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Zaduži račun
@@ -6705,7 +6776,7 @@
 DocType: Additional Salary,Employee Name,Ime i prezime radnika
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restoran za unos stavke
 DocType: Purchase Invoice,Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Ne mogu da konvertovanje Group, jer je izabran Account Type."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Ne mogu da konvertovanje Group, jer je izabran Account Type."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen . Osvježite stranicu.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Prestani korisnike od izrade ostaviti aplikacija na sljedećim danima.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ako je neograničen rok isticanja za Loyalty Bodove, zadržite Trajanje isteka prazne ili 0."
@@ -6726,11 +6797,12 @@
 DocType: Asset,Out of Order,Ne radi
 DocType: Purchase Receipt Item,Accepted Quantity,Prihvaćena količina
 DocType: Projects Settings,Ignore Workstation Time Overlap,Prezreti vremensko preklapanje radne stanice
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Molimo podesite default odmor Lista za zaposlenog {0} ili kompanije {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Molimo podesite default odmor Lista za zaposlenog {0} ili kompanije {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} ne postoji
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Izaberite šarže
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Za GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Za GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Mjenice podignuta na kupce.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Automatsko postavljanje fakture
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID Projekta
 DocType: Salary Component,Variable Based On Taxable Salary,Varijabla zasnovana na oporezivoj plaći
 DocType: Company,Basic Component,Osnovna komponenta
@@ -6743,10 +6815,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adresa skladišta izvora
 DocType: GL Entry,Voucher Type,Bon Tip
 DocType: Amazon MWS Settings,Max Retry Limit,Maks retry limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom
 DocType: Student Applicant,Approved,Odobreno
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Cijena
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo '
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo '
 DocType: Marketplace Settings,Last Sync On,Poslednja sinhronizacija uključena
 DocType: Guardian,Guardian,staratelj
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Sve komunikacije, uključujući i iznad njih, biće premještene u novo izdanje"
@@ -6769,14 +6841,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Spisak otkrivenih bolesti na terenu. Kada je izabran, automatski će dodati listu zadataka koji će se baviti bolesti"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Ovo je koren zdravstvenog servisa i ne može se uređivati.
 DocType: Asset Repair,Repair Status,Status popravke
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Dodajte partnera za prodaju
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Računovodstvene stavke
 DocType: Travel Request,Travel Request,Zahtjev za putovanje
 DocType: Delivery Note Item,Available Qty at From Warehouse,Dostupno Količina na Od Skladište
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Molimo odaberite zaposlenih Record prvi.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Prisustvo nije poslato za {0} jer je to praznik.
 DocType: POS Profile,Account for Change Amount,Nalog za promjene Iznos
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Povezivanje na QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Ukupni dobitak / gubitak
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Nevažeća kompanija za račun kompanije.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Nevažeća kompanija za račun kompanije.
 DocType: Purchase Invoice,input service,ulazna usluga
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Red {0}: Party / računa ne odgovara {1} / {2} u {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promocija zaposlenih
@@ -6785,12 +6859,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Šifra predmeta:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Unesite trošak računa
 DocType: Account,Stock,Zaliha
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od Narudžbenice, fakturi ili Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od Narudžbenice, fakturi ili Journal Entry"
 DocType: Employee,Current Address,Trenutna adresa
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ako proizvod varijanta druge stavke onda opis, slike, cijene, poreze itd će biti postavljena iz predloška, osim ako izričito navedeno"
 DocType: Serial No,Purchase / Manufacture Details,Kupnja / Proizvodnja Detalji
 DocType: Assessment Group,Assessment Group,procjena Group
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Batch zaliha
+DocType: Supplier,GST Transporter ID,ID transportera GST
 DocType: Procedure Prescription,Procedure Name,Ime postupka
 DocType: Employee,Contract End Date,Ugovor Datum završetka
 DocType: Amazon MWS Settings,Seller ID,ID prodavca
@@ -6810,12 +6885,12 @@
 DocType: Company,Date of Incorporation,Datum osnivanja
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Ukupno porez
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Poslednja cena otkupa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Qty) je obavezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Qty) je obavezno
 DocType: Stock Entry,Default Target Warehouse,Centralno skladište
 DocType: Purchase Invoice,Net Total (Company Currency),Neto Ukupno (Društvo valuta)
 DocType: Delivery Note,Air,Zrak
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,The Year Završni datum ne može biti ranije od godine Ozljede Datum. Molimo ispravite datume i pokušajte ponovo.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nije u opcionoj popisnoj listi
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nije u opcionoj popisnoj listi
 DocType: Notification Control,Purchase Receipt Message,Poruka primke
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Scrap Predmeti
@@ -6837,23 +6912,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Ispunjavanje
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prethodnu Row visini
 DocType: Item,Has Expiry Date,Ima datum isteka
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfer imovine
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfer imovine
 DocType: POS Profile,POS Profile,POS profil
 DocType: Training Event,Event Name,Naziv događaja
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Office)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Ne mogu da pošaljem, Zaposleni su ostavljeni da obilježavaju prisustvo"
 DocType: Inpatient Record,Admission,upis
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Priznanja za {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Ime promenljive
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Molimo da podesite sistem imenovanja zaposlenih u ljudskim resursima&gt; HR Settings
+DocType: Purchase Invoice Item,Deferred Expense,Odloženi troškovi
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Od datuma {0} ne može biti pre pridruživanja zaposlenog Datum {1}
 DocType: Asset,Asset Category,Asset Kategorija
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Neto plaća ne može biti negativna
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Neto plaća ne može biti negativna
 DocType: Purchase Order,Advance Paid,Advance Paid
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procenat prekomerne proizvodnje za porudžbinu prodaje
 DocType: Item,Item Tax,Porez artikla
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materijal dobavljaču
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materijal dobavljaču
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Planiranje zahtjeva za materijal
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Akcizama Račun
@@ -6875,11 +6952,11 @@
 DocType: Scheduling Tool,Scheduling Tool,zakazivanje alata
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,kreditna kartica
 DocType: BOM,Item to be manufactured or repacked,Artikal će biti proizveden ili prepakiran
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Sintaksna greška u stanju: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Sintaksna greška u stanju: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Glavni / Izborni predmeti
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Molim postavite grupu dobavljača u Podešavanja kupovine.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Molim postavite grupu dobavljača u Podešavanja kupovine.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Ukupna količina fleksibilne komponente koristi {0} ne bi trebalo da bude manje od maksimalnih koristi {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Suspendirano
@@ -6899,7 +6976,7 @@
 DocType: Customer,Commission Rate,Komisija Stopa
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Uspješno su kreirani unosi plaćanja
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Napravljene {0} pokazivačke karte za {1} između:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Make Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Make Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Plaćanje Tip mora biti jedan od Primi, Pay i unutrašnje Transfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Preferirana oblast za smeštaj
 apps/erpnext/erpnext/config/selling.py +184,Analytics,analitika
@@ -6910,7 +6987,7 @@
 DocType: Work Order,Actual Operating Cost,Stvarni operativnih troškova
 DocType: Payment Entry,Cheque/Reference No,Ček / Reference Ne
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Korijen ne može se mijenjati .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Korijen ne može se mijenjati .
 DocType: Item,Units of Measure,Jedinice mjere
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Iznajmljen u gradu Metro
 DocType: Supplier,Default Tax Withholding Config,Podrazumevana poreska obaveza zadržavanja poreza
@@ -6928,21 +7005,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Nakon završetka uplate preusmjeriti korisnika na odabrani stranicu.
 DocType: Company,Existing Company,postojeći Company
 DocType: Healthcare Settings,Result Emailed,Rezultat poslat
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Porez Kategorija je promijenjen u &quot;Total&quot;, jer svi proizvodi bez stanju proizvodi"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Porez Kategorija je promijenjen u &quot;Total&quot;, jer svi proizvodi bez stanju proizvodi"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Do danas ne može biti jednaka ili manja od datuma
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Ništa se ne menja
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Odaberite CSV datoteku
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Odaberite CSV datoteku
 DocType: Holiday List,Total Holidays,Total Holidays
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Nedostajući e-mail predložak za otpremu. Molimo vas da podesite jednu od postavki isporuke.
 DocType: Student Leave Application,Mark as Present,Mark kao Present
 DocType: Supplier Scorecard,Indicator Color,Boja boje
 DocType: Purchase Order,To Receive and Bill,Da primi i Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Red # {0}: Reqd po datumu ne može biti pre datuma transakcije
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Red # {0}: Reqd po datumu ne može biti pre datuma transakcije
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Istaknuti Proizvodi
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Izaberite serijski broj
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Izaberite serijski broj
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Imenovatelj
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Uvjeti predloška
 DocType: Serial No,Delivery Details,Detalji isporuke
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,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}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,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}
 DocType: Program,Program Code,programski kod
 DocType: Terms and Conditions,Terms and Conditions Help,Uslovi Pomoć
 ,Item-wise Purchase Register,Stavka-mudar Kupnja Registracija
@@ -6955,15 +7033,16 @@
 DocType: Contract,Contract Terms,Uslovi ugovora
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ne pokazati nikakav simbol poput $ iza valute.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maksimalna visina komponente komponente {0} prelazi {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Pola dana)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Pola dana)
 DocType: Payment Term,Credit Days,Kreditne Dani
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Izaberite Pacijent da biste dobili laboratorijske testove
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Make Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Dozvolite prenos za proizvodnju
 DocType: Leave Type,Is Carry Forward,Je Carry Naprijed
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM)
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Potencijalni kupac - ukupno dana
 DocType: Cash Flow Mapping,Is Income Tax Expense,Da li je porez na prihod?
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Vaša narudžba je isporučena!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Slanje poruka Datum mora biti isti kao i datum kupovine {1} od imovine {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Označite ovu ako student boravi na Instituta Hostel.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Molimo unesite Prodajni nalozi u gornjoj tablici
@@ -6971,10 +7050,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transfer imovine iz jednog skladišta u drugo
 DocType: Vehicle,Petrol,benzin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Preostale koristi (godišnje)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill of Materials
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill of Materials
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Red {0}: Party Tip i stranka je potreban za potraživanja / računa plaćaju {1}
 DocType: Employee,Leave Policy,Leave Policy
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Ažurirati stavke
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Ažurirati stavke
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref: Datum
 DocType: Employee,Reason for Leaving,Razlog za odlazak
 DocType: BOM Operation,Operating Cost(Company Currency),Operativni trošak (Company Valuta)
@@ -6985,7 +7064,7 @@
 DocType: Department,Expense Approvers,Izdaci za troškove
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debitne stavka ne može se povezati sa {1}
 DocType: Journal Entry,Subscription Section,Subscription Section
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Konto {0} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Konto {0} ne postoji
 DocType: Training Event,Training Program,Program obuke
 DocType: Account,Cash,Gotovina
 DocType: Employee,Short biography for website and other publications.,Kratka biografija za web stranice i druge publikacije.
diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv
index 1f24b2a..3063003 100644
--- a/erpnext/translations/ca.csv
+++ b/erpnext/translations/ca.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Articles de clients
 DocType: Project,Costing and Billing,Càlcul de costos i facturació
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},La moneda del compte avançada hauria de ser igual que la moneda de l&#39;empresa {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Compte {0}: compte pare {1} no pot ser un llibre de comptabilitat
+DocType: QuickBooks Migrator,Token Endpoint,Punt final del token
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Compte {0}: compte pare {1} no pot ser un llibre de comptabilitat
 DocType: Item,Publish Item to hub.erpnext.com,Publicar article a hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,No es pot trobar el període d&#39;abandonament actiu
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,No es pot trobar el període d&#39;abandonament actiu
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,avaluació
 DocType: Item,Default Unit of Measure,Unitat de mesura per defecte
 DocType: SMS Center,All Sales Partner Contact,Tot soci de vendes Contacte
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Feu clic a Intro per afegir
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Falta el valor de Password, clau d&#39;API o URL de Shopify"
 DocType: Employee,Rented,Llogat
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Tots els comptes
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Tots els comptes
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,No es pot transferir l&#39;empleat amb l&#39;estat Esquerra
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Detingut ordre de producció no es pot cancel·lar, unstop primer per cancel·lar"
 DocType: Vehicle Service,Mileage,quilometratge
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,De veres voleu rebutjar aquest actiu?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,De veres voleu rebutjar aquest actiu?
 DocType: Drug Prescription,Update Schedule,Actualitza la programació
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Tria un proveïdor predeterminat
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Mostrar empleat
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nou tipus de canvi
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Informa de la divisa pera la Llista de preus {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Informa de la divisa pera la Llista de preus {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Es calcularà en la transacció.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Client Contacte
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Això es basa en transaccions amb aquest proveïdor. Veure cronologia avall per saber més
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Percentatge de sobreproducció per ordre de treball
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV -YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Legal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Legal
+DocType: Delivery Note,Transport Receipt Date,Data de recepció del transport
 DocType: Shopify Settings,Sales Order Series,Sèrie de vendes
 DocType: Vital Signs,Tongue,Llengua
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Exempció d&#39;HRA
 DocType: Sales Invoice,Customer Name,Nom del client
 DocType: Vehicle,Natural Gas,Gas Natural
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Compte bancari no pot ser nomenat com {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Compte bancari no pot ser nomenat com {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA segons Estructura Salarial
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Capçaleres (o grups) contra els quals es mantenen els assentaments comptables i els saldos
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Excedent per {0} no pot ser menor que zero ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,La data de parada del servei no pot ser abans de la data d&#39;inici del servei
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,La data de parada del servei no pot ser abans de la data d&#39;inici del servei
 DocType: Manufacturing Settings,Default 10 mins,Per defecte 10 minuts
 DocType: Leave Type,Leave Type Name,Deixa Tipus Nom
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostra oberts
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Mostra oberts
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Sèrie actualitzat correctament
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,caixa
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} a la fila {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} a la fila {1}
 DocType: Asset Finance Book,Depreciation Start Date,Data d&#39;inici de la depreciació
 DocType: Pricing Rule,Apply On,Aplicar a
 DocType: Item Price,Multiple Item prices.,Múltiples Preus d'articles
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Configuració de respatller
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Esperat Data de finalització no pot ser inferior a Data prevista d&#39;inici
 DocType: Amazon MWS Settings,Amazon MWS Settings,Configuració d&#39;Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: Taxa ha de ser el mateix que {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: Taxa ha de ser el mateix que {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Lots article Estat de caducitat
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Lletra bancària
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Detalls de contacte primaris
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,qüestions obertes
 DocType: Production Plan Item,Production Plan Item,Pla de Producció d'articles
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},L'usuari {0} ja està assignat a l'Empleat {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},L'usuari {0} ja està assignat a l'Empleat {1}
 DocType: Lab Test Groups,Add new line,Afegeix una nova línia
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Sanitari
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retard en el pagament (dies)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Prescripció del laboratori
 ,Delay Days,Dies de retard
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,despesa servei
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de sèrie: {0} ja es fa referència en factura de venda: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de sèrie: {0} ja es fa referència en factura de venda: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Factura
 DocType: Purchase Invoice Item,Item Weight Details,Detalls del pes de l&#39;element
 DocType: Asset Maintenance Log,Periodicity,Periodicitat
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Any fiscal {0} és necessari
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Proveïdor&gt; Grup de proveïdors
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,La distància mínima entre files de plantes per a un creixement òptim
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Defensa
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Llista de vacances
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Accountant
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Llista de preus de venda
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Llista de preus de venda
 DocType: Patient,Tobacco Current Use,Ús del corrent del tabac
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Velocitat de venda
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Velocitat de venda
 DocType: Cost Center,Stock User,Fotografia de l&#39;usuari
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Informació de contacte
 DocType: Company,Phone No,Telèfon No
 DocType: Delivery Trip,Initial Email Notification Sent,Notificació de correu electrònic inicial enviada
 DocType: Bank Statement Settings,Statement Header Mapping,Assignació de capçalera de declaració
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Data d&#39;inici de la subscripció
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Compte per cobrar per defecte que s&#39;utilitzarà si no s&#39;estableix a Patient per reservar càrrecs de cita.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Adjunta el fitxer .csv amb dues columnes, una per al nom antic i un altre per al nou nom"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Des de l&#39;adreça 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Codi d&#39;article&gt; Grup d&#39;elements&gt; Marca
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Des de l&#39;adreça 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} no en qualsevol any fiscal activa.
 DocType: Packed Item,Parent Detail docname,Docname Detall de Pares
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referència: {0}, Codi de l&#39;article: {1} i el Client: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} no està present a l&#39;empresa matriu
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} no està present a l&#39;empresa matriu
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Període de prova Data de finalització No pot ser abans de la data de començament del període de prova
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Categoria de retenció d&#39;impostos
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Publicitat
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Igual Company s&#39;introdueix més d&#39;una vegada
 DocType: Patient,Married,Casat
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},No està permès per {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},No està permès per {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Obtenir articles de
 DocType: Price List,Price Not UOM Dependant,Preu no dependent de l&#39;UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Apliqueu la quantitat de retenció d&#39;impostos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},L'estoc no es pot actualitzar contra la Nota de Lliurament {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Import total acreditat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},L'estoc no es pot actualitzar contra la Nota de Lliurament {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Import total acreditat
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Producte {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,No hi ha elements que s&#39;enumeren
 DocType: Asset Repair,Error Description,Descripció de l&#39;error
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Utilitzeu el format de flux de caixa personalitzat
 DocType: SMS Center,All Sales Person,Tot el personal de vendes
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** Distribució mensual ajuda a distribuir el pressupost / Target a través de mesos si té l&#39;estacionalitat del seu negoci.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,No articles trobats
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Falta Estructura salarial
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,No articles trobats
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Falta Estructura salarial
 DocType: Lead,Person Name,Nom de la Persona
 DocType: Sales Invoice Item,Sales Invoice Item,Factura Sales Item
 DocType: Account,Credit,Crèdit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Informes d&#39;arxiu
 DocType: Warehouse,Warehouse Detail,Detall Magatzem
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"La data final de durada no pot ser posterior a la data de cap d&#39;any de l&#39;any acadèmic a què està vinculat el terme (any acadèmic {}). Si us plau, corregeixi les dates i torna a intentar-ho."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""És actiu fix"" no pot estar sense marcar, ja que hi ha registre d'actius contra l'element"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""És actiu fix"" no pot estar sense marcar, ja que hi ha registre d'actius contra l'element"
 DocType: Delivery Trip,Departure Time,Hora de sortida
 DocType: Vehicle Service,Brake Oil,oli dels frens
 DocType: Tax Rule,Tax Type,Tipus d&#39;Impostos
 ,Completed Work Orders,Comandes de treball realitzats
 DocType: Support Settings,Forum Posts,Missatges del Fòrum
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,base imposable
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,base imposable
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},No té permisos per afegir o actualitzar les entrades abans de {0}
 DocType: Leave Policy,Leave Policy Details,Deixeu els detalls de la política
 DocType: BOM,Item Image (if not slideshow),Imatge de l'article (si no hi ha presentació de diapositives)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hora Tarifa / 60) * Temps real de l&#39;Operació
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Fila # {0}: el tipus de document de referència ha de ser un de reclam de despeses o d&#39;entrada de diari
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Seleccioneu la llista de materials
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Fila # {0}: el tipus de document de referència ha de ser un de reclam de despeses o d&#39;entrada de diari
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Seleccioneu la llista de materials
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Cost dels articles lliurats
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,El dia de festa en {0} no és entre De la data i Fins a la data
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Plantilles de classificació dels proveïdors.
 DocType: Lead,Interested,Interessat
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Obertura
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Des {0} a {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Des {0} a {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programa:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,No s&#39;ha pogut configurar els impostos
 DocType: Item,Copy From Item Group,Copiar del Grup d'Articles
-DocType: Delivery Trip,Delivery Notification,Notificació de lliurament
 DocType: Journal Entry,Opening Entry,Entrada Obertura
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Només compte de pagament
 DocType: Loan,Repay Over Number of Periods,Retornar al llarg Nombre de períodes
 DocType: Stock Entry,Additional Costs,Despeses addicionals
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Compta amb la transacció existent no es pot convertir en grup.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Compta amb la transacció existent no es pot convertir en grup.
 DocType: Lead,Product Enquiry,Consulta de producte
 DocType: Education Settings,Validate Batch for Students in Student Group,Validar lots per a estudiants en grup d&#39;alumnes
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},No hi ha registre de vacances trobats per als empleats {0} de {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Si us plau ingressi empresa primer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Si us plau seleccioneu l'empresa primer
 DocType: Employee Education,Under Graduate,Baix de Postgrau
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Establiu la plantilla predeterminada per deixar la notificació d&#39;estat a la configuració de recursos humans.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Establiu la plantilla predeterminada per deixar la notificació d&#39;estat a la configuració de recursos humans.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On
 DocType: BOM,Total Cost,Cost total
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Estat de compte
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmacèutics
 DocType: Purchase Invoice Item,Is Fixed Asset,És actiu fix
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Quantitats disponibles és {0}, necessita {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Quantitats disponibles és {0}, necessita {1}"
 DocType: Expense Claim Detail,Claim Amount,Reclamació Import
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},L&#39;ordre de treball ha estat {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Plantilla d&#39;inspecció de qualitat
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Vols actualitzar l'assistència? <br> Present: {0} \ <br> Absents: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ Acceptat Rebutjat Quantitat ha de ser igual a la quantitat rebuda per article {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ Acceptat Rebutjat Quantitat ha de ser igual a la quantitat rebuda per article {0}
 DocType: Item,Supply Raw Materials for Purchase,Materials Subministrament primeres per a la Compra
 DocType: Agriculture Analysis Criteria,Fertilizer,Fertilitzant
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",No es pot garantir el lliurament per número de sèrie com a \ Article {0} s&#39;afegeix amb i sense Assegurar el lliurament mitjançant \ Número de sèrie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Es requereix com a mínim una manera de pagament de la factura POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Es requereix com a mínim una manera de pagament de la factura POS.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Estat de la factura de la factura de la transacció bancària
 DocType: Products Settings,Show Products as a List,Mostrar els productes en forma de llista
 DocType: Salary Detail,Tax on flexible benefit,Impost sobre el benefici flexible
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Detall de sol·licitud de material
 DocType: Selling Settings,Default Quotation Validity Days,Dates de validesa de cotització per defecte
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per incloure l'impost a la fila {0} en la tarifa d'article, els impostos a les files {1} també han de ser inclosos"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per incloure l'impost a la fila {0} en la tarifa d'article, els impostos a les files {1} també han de ser inclosos"
 DocType: SMS Center,SMS Center,Centre d'SMS
 DocType: Payroll Entry,Validate Attendance,Valideu l&#39;assistència
 DocType: Sales Invoice,Change Amount,Import de canvi
 DocType: Party Tax Withholding Config,Certificate Received,Certificat rebut
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Estableix el valor de la factura per B2C. B2CL i B2CS calculats en funció d&#39;aquest valor de la factura.
 DocType: BOM Update Tool,New BOM,Nova llista de materials
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Procediments prescrits
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Procediments prescrits
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Mostra només TPV
 DocType: Supplier Group,Supplier Group Name,Nom del grup del proveïdor
 DocType: Driver,Driving License Categories,Categories de llicències de conducció
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Períodes de nòmina
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,fer Empleat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Radiodifusió
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Mode de configuració de TPV (en línia o fora de línia)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Mode de configuració de TPV (en línia o fora de línia)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Desactiva la creació de registres de temps contra ordres de treball. Les operacions no es poden fer seguiment de l&#39;Ordre de treball
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Execució
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Els detalls de les operacions realitzades.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Descompte Preu de llista Taxa (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Plantilla d&#39;elements
 DocType: Job Offer,Select Terms and Conditions,Selecciona Termes i Condicions
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,valor fora
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,valor fora
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Element de configuració de la declaració del banc
 DocType: Woocommerce Settings,Woocommerce Settings,Configuració de Woocommerce
 DocType: Production Plan,Sales Orders,Ordres de venda
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,La sol·licitud de cotització es pot accedir fent clic al següent enllaç
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Curs eina de creació
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Descripció del pagament
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,insuficient Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,insuficient Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planificació de la capacitat Desactivar i seguiment de temps
 DocType: Email Digest,New Sales Orders,Noves ordres de venda
 DocType: Bank Account,Bank Account,Compte Bancari
 DocType: Travel Itinerary,Check-out Date,Data de sortida
 DocType: Leave Type,Allow Negative Balance,Permetre balanç negatiu
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',No es pot eliminar el tipus de projecte &#39;Extern&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Selecciona un element alternatiu
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Selecciona un element alternatiu
 DocType: Employee,Create User,crear usuari
 DocType: Selling Settings,Default Territory,Territori per defecte
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televisió
 DocType: Work Order Operation,Updated via 'Time Log',Actualitzat a través de 'Hora de registre'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Seleccioneu el client o el proveïdor.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},quantitat d&#39;avanç no pot ser més gran que {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},quantitat d&#39;avanç no pot ser més gran que {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","S&#39;ha saltat la ranura de temps, la ranura {0} a {1} es solapa amb la ranura {2} a {3}"
 DocType: Naming Series,Series List for this Transaction,Llista de Sèries per a aquesta transacció
 DocType: Company,Enable Perpetual Inventory,Habilitar Inventari Permanent
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Contra la factura de venda d'articles
 DocType: Agriculture Analysis Criteria,Linked Doctype,Doctype enllaçat
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Efectiu net de Finançament
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage està ple, no va salvar"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage està ple, no va salvar"
 DocType: Lead,Address & Contact,Direcció i Contacte
 DocType: Leave Allocation,Add unused leaves from previous allocations,Afegir les fulles no utilitzats de les assignacions anteriors
 DocType: Sales Partner,Partner website,lloc web de col·laboradors
@@ -446,10 +446,10 @@
 ,Open Work Orders,Ordres de treball obertes
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Consultar al pacient Punt de càrrec
 DocType: Payment Term,Credit Months,Mesos de Crèdit
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Pay Net no pot ser menor que 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Pay Net no pot ser menor que 0
 DocType: Contract,Fulfilled,S&#39;ha completat
 DocType: Inpatient Record,Discharge Scheduled,Descàrrega programada
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Alleujar data ha de ser major que la data de Unir
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Alleujar data ha de ser major que la data de Unir
 DocType: POS Closing Voucher,Cashier,Caixer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Deixa per any
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Fila {0}: Si us plau, vegeu ""És Avanç 'contra el Compte {1} si es tracta d'una entrada amb antelació."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Configureu els estudiants sota grups d&#39;estudiants
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Treball complet
 DocType: Item Website Specification,Item Website Specification,Especificacions d'article al Web
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Absència bloquejada
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Article {0} ha arribat a la seva fi de vida del {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Absència bloquejada
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Article {0} ha arribat a la seva fi de vida del {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,entrades bancàries
 DocType: Customer,Is Internal Customer,El client intern
 DocType: Crop,Annual,Anual
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Si s&#39;activa Auto Opt In, els clients es connectaran automàticament al Programa de fidelització (en desar)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Estoc Reconciliació article
 DocType: Stock Entry,Sales Invoice No,Factura No
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tipus de subministrament
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tipus de subministrament
 DocType: Material Request Item,Min Order Qty,Quantitat de comanda mínima
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curs eina de creació de grup d&#39;alumnes
 DocType: Lead,Do Not Contact,No entri en contacte
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Publicar en el Hub
 DocType: Student Admission,Student Admission,Admissió d&#39;Estudiants
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,L'article {0} està cancel·lat
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,L'article {0} està cancel·lat
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Fila de depreciació {0}: la data d&#39;inici de la depreciació s&#39;introdueix com data passada
 DocType: Contract Template,Fulfilment Terms and Conditions,Termes i condicions de compliment
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Sol·licitud de materials
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Sol·licitud de materials
 DocType: Bank Reconciliation,Update Clearance Date,Actualització Data Liquidació
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Informació de compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} no es troba en &#39;matèries primeres subministrades&#39; taula en l&#39;Ordre de Compra {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} no es troba en &#39;matèries primeres subministrades&#39; taula en l&#39;Ordre de Compra {1}
 DocType: Salary Slip,Total Principal Amount,Import total principal
 DocType: Student Guardian,Relation,Relació
 DocType: Student Guardian,Mother,Mare
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Comtat d&#39;enviament
 DocType: Currency Exchange,For Selling,Per vendre
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Aprendre
+DocType: Purchase Invoice Item,Enable Deferred Expense,Activa la despesa diferida
 DocType: Asset,Next Depreciation Date,Següent Depreciació Data
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Cost Activitat per Empleat
 DocType: Accounts Settings,Settings for Accounts,Ajustaments de Comptes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Proveïdor de factura no existeix en la factura de la compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Proveïdor de factura no existeix en la factura de la compra {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Organigrama de vendes
 DocType: Job Applicant,Cover Letter,carta de presentació
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Xecs pendents i Dipòsits per aclarir
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Historial de treball extern
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Referència Circular Error
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Targeta d&#39;informe dels estudiants
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Des del codi del PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Des del codi del PIN
 DocType: Appointment Type,Is Inpatient,És internat
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,nom Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En paraules (exportació) seran visibles quan es desi l'albarà de lliurament.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Multi moneda
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipus de Factura
 DocType: Employee Benefit Claim,Expense Proof,Comprovació de despeses
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Nota de lliurament
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},S&#39;està desant {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Nota de lliurament
 DocType: Patient Encounter,Encounter Impression,Impressió de trobada
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuració d&#39;Impostos
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Cost d&#39;actiu venut
 DocType: Volunteer,Morning,Al matí
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagament ha estat modificat després es va tirar d'ell. Si us plau, tiri d'ella de nou."
 DocType: Program Enrollment Tool,New Student Batch,Nou lot d&#39;estudiants
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} entrat dues vegades en l'Impost d'article
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Resum per a aquesta setmana i activitats pendents
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} entrat dues vegades en l'Impost d'article
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Resum per a aquesta setmana i activitats pendents
 DocType: Student Applicant,Admitted,acceptat
 DocType: Workstation,Rent Cost,Cost de lloguer
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Després quantitat Depreciació
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Després quantitat Depreciació
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Calendari d&#39;Esdeveniments Pròxims
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Atributs Variant
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Selecciona el mes i l'any
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Només pot haver 1 compte per l&#39;empresa en {0} {1}
 DocType: Support Search Source,Response Result Key Path,Ruta de la clau de resultats de resposta
 DocType: Journal Entry,Inter Company Journal Entry,Entrada de la revista Inter Company
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Per a la quantitat {0} no hauria de ser més ralentí que la quantitat de l&#39;ordre de treball {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Si us plau, vegeu el document adjunt"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Per a la quantitat {0} no hauria de ser més ralentí que la quantitat de l&#39;ordre de treball {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Si us plau, vegeu el document adjunt"
 DocType: Purchase Order,% Received,% Rebut
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Crear grups d&#39;estudiants
 DocType: Volunteer,Weekends,Caps de setmana
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Total pendent
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Canviar el número de seqüència inicial/actual d'una sèrie existent.
 DocType: Dosage Strength,Strength,Força
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Crear un nou client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Crear un nou client
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,S&#39;està caducant
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si hi ha diverses regles de preus vàlides, es demanarà als usuaris que estableixin la prioritat manualment per resoldre el conflicte."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Crear ordres de compra
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Cost de consumibles
 DocType: Purchase Receipt,Vehicle Date,Data de Vehicles
 DocType: Student Log,Medical,Metge
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Motiu de pèrdua
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Seleccioneu medicaments
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Motiu de pèrdua
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Seleccioneu medicaments
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Propietari plom no pot ser la mateixa que la de plom
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,import assignat no pot superar l&#39;import no ajustat
 DocType: Announcement,Receiver,receptor
 DocType: Location,Area UOM,Àrea UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Estació de treball està tancada en les següents dates segons Llista de vacances: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Oportunitats
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Oportunitats
 DocType: Lab Test Template,Single,Solter
 DocType: Compensatory Leave Request,Work From Date,Treball des de la data
 DocType: Salary Slip,Total Loan Repayment,El reemborsament total del préstec
+DocType: Project User,View attachments,Mostra els fitxers adjunts
 DocType: Account,Cost of Goods Sold,Cost de Vendes
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Si us plau entra el centre de cost
 DocType: Drug Prescription,Dosage,Dosificació
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Quantitat i taxa
 DocType: Delivery Note,% Installed,% Instal·lat
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aules / laboratoris, etc., on les conferències es poden programar."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Les monedes d&#39;empreses d&#39;ambdues companyies han de coincidir amb les transaccions entre empreses.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Les monedes d&#39;empreses d&#39;ambdues companyies han de coincidir amb les transaccions entre empreses.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Si us plau introdueix el nom de l'empresa primer
 DocType: Travel Itinerary,Non-Vegetarian,No vegetariana
 DocType: Purchase Invoice,Supplier Name,Nom del proveïdor
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Temporalment en espera
 DocType: Account,Is Group,És el Grup
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,La nota de crèdit {0} s&#39;ha creat automàticament
-DocType: Email Digest,Pending Purchase Orders,A l&#39;espera d&#39;ordres de compra
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Ajusta automàticament els números de sèrie basat en FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Comprovar Proveïdor Nombre de factura Singularitat
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Detalls de l&#39;adreça principal
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personalitza el text d'introducció que va com una part d'aquest correu electrònic. Cada transacció té un text introductori independent.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Fila {0}: es requereix operació contra l&#39;element de la matèria primera {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Configureu compte per pagar per defecte per a l&#39;empresa {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},No s&#39;ha permès la transacció contra l&#39;ordre de treball aturat {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},No s&#39;ha permès la transacció contra l&#39;ordre de treball aturat {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,La configuració global per a tots els processos de fabricació.
 DocType: Accounts Settings,Accounts Frozen Upto,Comptes bloquejats fins a
 DocType: SMS Log,Sent On,Enviar on
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atribut {0} seleccionat diverses vegades en la taula Atributs
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atribut {0} seleccionat diverses vegades en la taula Atributs
 DocType: HR Settings,Employee record is created using selected field. ,Es crea el registre d'empleat utilitzant el camp seleccionat.
 DocType: Sales Order,Not Applicable,No Aplicable
 DocType: Amazon MWS Settings,UK,UK
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,L&#39;empleat {0} ja ha sol·licitat {1} el {2}:
 DocType: Inpatient Record,AB Positive,AB Positiu
 DocType: Job Opening,Description of a Job Opening,Descripció d'una oferta de treball
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Activitats pendents per avui
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Activitats pendents per avui
 DocType: Salary Structure,Salary Component for timesheet based payroll.,El component salarial per a la nòmina de part d&#39;hores basat.
+DocType: Driver,Applicable for external driver,Aplicable per a controlador extern
 DocType: Sales Order Item,Used for Production Plan,S'utilitza per al Pla de Producció
 DocType: Loan,Total Payment,El pagament total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,No es pot cancel·lar la transacció per a l&#39;ordre de treball finalitzat.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,No es pot cancel·lar la transacció per a l&#39;ordre de treball finalitzat.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Temps entre operacions (en minuts)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,OP ja creat per a tots els articles de comanda de vendes
 DocType: Healthcare Service Unit,Occupied,Ocupada
 DocType: Clinical Procedure,Consumables,Consumibles
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} es va cancel·lar pel que l&#39;acció no es pot completar
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} es va cancel·lar pel que l&#39;acció no es pot completar
 DocType: Customer,Buyer of Goods and Services.,Compradors de Productes i Serveis.
 DocType: Journal Entry,Accounts Payable,Comptes Per Pagar
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,L&#39;import de {0} establert en aquesta sol·licitud de pagament és diferent de l&#39;import calculat de tots els plans de pagament: {1}. Assegureu-vos que això sigui correcte abans de presentar el document.
 DocType: Patient,Allergies,Al·lèrgies
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Les llistes de materials seleccionats no són per al mateix article
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Les llistes de materials seleccionats no són per al mateix article
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Canvieu el codi de l&#39;element
 DocType: Supplier Scorecard Standing,Notify Other,Notificar-ne un altre
 DocType: Vital Signs,Blood Pressure (systolic),Pressió sanguínia (sistòlica)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Peces suficient per construir
 DocType: POS Profile User,POS Profile User,Usuari de perfil de TPV
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Fila {0}: la data d&#39;inici de la depreciació és obligatòria
-DocType: Sales Invoice Item,Service Start Date,Data de començament del servei
+DocType: Purchase Invoice Item,Service Start Date,Data de començament del servei
 DocType: Subscription Invoice,Subscription Invoice,Factura de subscripció
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Ingrés Directe
 DocType: Patient Appointment,Date TIme,Data i hora
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Rutina de laboratori
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Productes cosmètics
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Seleccioneu Data de finalització del registre de manteniment d&#39;actius completat
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Per fusionar, propietats han de ser el mateix per a tots dos articles"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Per fusionar, propietats han de ser el mateix per a tots dos articles"
 DocType: Supplier,Block Supplier,Proveïdor de blocs
 DocType: Shipping Rule,Net Weight,Pes Net
 DocType: Job Opening,Planned number of Positions,Nombre previst de posicions
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Plantilla de cartografia de fluxos d&#39;efectiu
 DocType: Travel Request,Costing Details,Costant els detalls
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Mostra les entrades de retorn
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Nº de sèrie article no pot ser una fracció
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Nº de sèrie article no pot ser una fracció
 DocType: Journal Entry,Difference (Dr - Cr),Diferència (Dr - Cr)
 DocType: Bank Guarantee,Providing,Proporcionar
 DocType: Account,Profit and Loss,Pèrdues i Guanys
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","No està permès, configureu la Plantilla de prova de laboratori segons sigui necessari"
 DocType: Patient,Risk Factors,Factors de risc
 DocType: Patient,Occupational Hazards and Environmental Factors,Riscos laborals i factors ambientals
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Entrades de valors ja creades per a la comanda de treball
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Entrades de valors ja creades per a la comanda de treball
 DocType: Vital Signs,Respiratory rate,Taxa respiratòria
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Subcontractació Gestió
 DocType: Vital Signs,Body Temperature,Temperatura corporal
 DocType: Project,Project will be accessible on the website to these users,Projecte serà accessible a la pàgina web a aquests usuaris
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},No es pot cancel·lar {0} {1} perquè el número de sèrie {2} no pertany al magatzem {3}
 DocType: Detected Disease,Disease,Malaltia
+DocType: Company,Default Deferred Expense Account,Compte de desplaçament diferit predeterminat
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Defineix el tipus de projecte.
 DocType: Supplier Scorecard,Weighting Function,Funció de ponderació
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consultancy Charge
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Articles produïts
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Transacció de coincidència amb les factures
 DocType: Sales Order Item,Gross Profit,Benefici Brut
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Desbloqueja la factura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Desbloqueja la factura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Increment no pot ser 0
 DocType: Company,Delete Company Transactions,Eliminar Transaccions Empresa
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,No de referència i data de referència és obligatòria per a les transaccions bancàries
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Ignorar
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} no està actiu
 DocType: Woocommerce Settings,Freight and Forwarding Account,Compte de càrrega i transmissió
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,dimensions de verificació de configuració per a la impressió
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,dimensions de verificació de configuració per a la impressió
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Creeu Rebaixes salarials
 DocType: Vital Signs,Bloated,Bloated
 DocType: Salary Slip,Salary Slip Timesheet,Part d&#39;hores de salari de lliscament
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magatzem obligatori per rebut de compra de subcontractació de proveïdors
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magatzem obligatori per rebut de compra de subcontractació de proveïdors
 DocType: Item Price,Valid From,Vàlid des
 DocType: Sales Invoice,Total Commission,Total Comissió
 DocType: Tax Withholding Account,Tax Withholding Account,Compte de retenció d&#39;impostos
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Tots els quadres de comandament del proveïdor.
 DocType: Buying Settings,Purchase Receipt Required,Es requereix rebut de compra
 DocType: Delivery Note,Rail,Ferrocarril
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,El magatzem de destinació a la fila {0} ha de ser el mateix que l&#39;Ordre de treball
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Valoració dels tipus és obligatòria si l&#39;obertura Stock entrar
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,El magatzem de destinació a la fila {0} ha de ser el mateix que l&#39;Ordre de treball
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Valoració dels tipus és obligatòria si l&#39;obertura Stock entrar
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,No es troben en la taula de registres de factures
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Seleccioneu de l'empresa i el Partit Tipus primer
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Ja heu definit el valor per defecte al perfil de pos {0} per a l&#39;usuari {1}, amabilitat per defecte"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Exercici comptabilitat /.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Exercici comptabilitat /.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Els valors acumulats
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Ho sentim, els números de sèrie no es poden combinar"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,El Grup de clients s&#39;establirà al grup seleccionat mentre sincronitza els clients de Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,Identificador del client potencial
 DocType: C-Form Invoice Detail,Grand Total,Gran Total
 DocType: Assessment Plan,Course,curs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Codi de secció
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Codi de secció
 DocType: Timesheet,Payslip,rebut de sou
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,La data de mig dia ha d&#39;estar entre la data i la data
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Cistella d&#39;articles
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Bio personal
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID de membre
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Lliurat: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Lliurat: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Connectat a QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Compte per Pagar
 DocType: Payment Entry,Type of Payment,Tipus de Pagament
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,La data de mig dia és obligatòria
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Data de facturació d&#39;enviament
 DocType: Production Plan,Production Plan,Pla de producció
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Obrir l&#39;eina de creació de la factura
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Devolucions de vendes
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Devolucions de vendes
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Els fulls totals assignats {0} no ha de ser inferior a les fulles ja aprovats {1} per al període
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Establir Qty en les transaccions basades en la entrada sense sèrie
 ,Total Stock Summary,Resum de la total
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Client o article
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de dades de clients.
 DocType: Quotation,Quotation To,Oferta per
-DocType: Lead,Middle Income,Ingrés Mig
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Ingrés Mig
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Obertura (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unitat de mesura per defecte per a l&#39;article {0} no es pot canviar directament perquè ja ha realitzat alguna transacció (s) amb una altra UOM. Vostè haurà de crear un nou element a utilitzar un UOM predeterminat diferent.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unitat de mesura per defecte per a l&#39;article {0} no es pot canviar directament perquè ja ha realitzat alguna transacció (s) amb una altra UOM. Vostè haurà de crear un nou element a utilitzar un UOM predeterminat diferent.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Suma assignat no pot ser negatiu
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Si us plau ajust la Companyia
 DocType: Share Balance,Share Balance,Comparteix equilibri
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Seleccionar el compte de pagament per fer l&#39;entrada del Banc
 DocType: Hotel Settings,Default Invoice Naming Series,Sèrie de nomenclatura per facturar per defecte
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Crear registres dels empleats per gestionar les fulles, les reclamacions de despeses i nòmina"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,S&#39;ha produït un error durant el procés d&#39;actualització
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,S&#39;ha produït un error durant el procés d&#39;actualització
 DocType: Restaurant Reservation,Restaurant Reservation,Reserva de restaurants
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Redacció de propostes
 DocType: Payment Entry Deduction,Payment Entry Deduction,El pagament Deducció d&#39;entrada
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Embolcall
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Notifica als clients per correu electrònic
 DocType: Item,Batch Number Series,Batch Number Sèries
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Hi ha una altra Sales Person {0} amb el mateix ID d&#39;empleat
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Hi ha una altra Sales Person {0} amb el mateix ID d&#39;empleat
 DocType: Employee Advance,Claimed Amount,Quantia reclamada
+DocType: QuickBooks Migrator,Authorization Settings,Configuració de l&#39;autorització
 DocType: Travel Itinerary,Departure Datetime,Sortida Datetime
 DocType: Customer,CUST-.YYYY.-,CUST -YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Cost de la sol·licitud de viatge
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,NOmenament de proveïdors per
 DocType: Activity Type,Default Costing Rate,Taxa d&#39;Incompliment Costea
 DocType: Maintenance Schedule,Maintenance Schedule,Programa de manteniment
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Llavors Tarifes de Preu es filtren sobre la base de client, grup de clients, Territori, Proveïdor, Tipus Proveïdor, Campanya, soci de vendes, etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Llavors Tarifes de Preu es filtren sobre la base de client, grup de clients, Territori, Proveïdor, Tipus Proveïdor, Campanya, soci de vendes, etc."
 DocType: Employee Promotion,Employee Promotion Details,Detalls de la promoció dels empleats
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Canvi net en l&#39;Inventari
 DocType: Employee,Passport Number,Nombre de Passaport
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relació amb Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Gerent
 DocType: Payment Entry,Payment From / To,El pagament de / a
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Des de l&#39;any fiscal
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nou límit de crèdit és menor que la quantitat pendent actual per al client. límit de crèdit ha de ser almenys {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Establiu el compte a Magatzem {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Establiu el compte a Magatzem {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basat En' i 'Agrupar Per' no pot ser el mateix
 DocType: Sales Person,Sales Person Targets,Objectius persona de vendes
 DocType: Work Order Operation,In minutes,En qüestió de minuts
 DocType: Issue,Resolution Date,Resolució Data
 DocType: Lab Test Template,Compound,Compòsit
+DocType: Opportunity,Probability (%),Probabilitat (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Notificació d&#39;enviaments
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Seleccioneu la propietat
 DocType: Student Batch Name,Batch Name,Nom del lot
 DocType: Fee Validity,Max number of visit,Nombre màxim de visites
 ,Hotel Room Occupancy,Ocupació de l&#39;habitació de l&#39;hotel
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Part d&#39;hores de creació:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Si us plau, estableix pagament en efectiu o Compte bancari predeterminat a la Forma de pagament {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Si us plau, estableix pagament en efectiu o Compte bancari predeterminat a la Forma de pagament {0}"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,inscriure
 DocType: GST Settings,GST Settings,ajustaments GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},La moneda ha de ser igual que la llista de preus Moneda: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,L&#39;interès total a pagar
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impostos i Càrrecs Landed Cost
 DocType: Work Order Operation,Actual Start Time,Temps real d'inici
+DocType: Purchase Invoice Item,Deferred Expense Account,Compte de despeses diferit
 DocType: BOM Operation,Operation Time,Temps de funcionament
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,acabat
 DocType: Salary Structure Assignment,Base,base
 DocType: Timesheet,Total Billed Hours,Total d&#39;hores facturades
 DocType: Travel Itinerary,Travel To,Viatjar a
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,no és
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Anota la quantitat
 DocType: Leave Block List Allow,Allow User,Permetre a l'usuari
 DocType: Journal Entry,Bill No,Factura Número
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Horari
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush matèries primeres Based On
 DocType: Sales Invoice,Port Code,Codi del port
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reserva Magatzem
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reserva Magatzem
 DocType: Lead,Lead is an Organization,El plom és una organització
-DocType: Guardian Interest,Interest,interès
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,abans de la compra
 DocType: Instructor Log,Other Details,Altres detalls
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplir
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Comptes
 DocType: Vehicle,Odometer Value (Last),Valor del comptaquilòmetres (última)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Plantilles de criteri de quadre de comandament de proveïdors.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Màrqueting
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Màrqueting
 DocType: Sales Invoice,Redeem Loyalty Points,Canvieu els punts de fidelització
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Ja està creat Entrada Pagament
 DocType: Request for Quotation,Get Suppliers,Obteniu proveïdors
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,UOM d&#39;espaiat de cultiu
 DocType: Loyalty Program,Single Tier Program,Programa de nivell individual
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Seleccioneu només si heu configurat els documents del cartera de flux d&#39;efectiu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Des de l&#39;adreça 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Des de l&#39;adreça 1
 DocType: Email Digest,Next email will be sent on:,El següent correu electrònic s'enviarà a:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Següent element {elements} {verb} marcada com a element {message}. Podeu habilitar-los com a element {message} del vostre master d&#39;elements
 DocType: Supplier Scorecard,Per Week,Per setmana
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,L&#39;article té variants.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,L&#39;article té variants.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Total d&#39;estudiants
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Article {0} no trobat
 DocType: Bin,Stock Value,Estoc Valor
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Companyia {0} no existeix
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Companyia {0} no existeix
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} té validesa de tarifa fins a {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tipus Arbre
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Quantitat consumida per unitat
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Introducció d'una targeta de crèdit
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Empresa i Comptabilitat
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,en Valor
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,en Valor
 DocType: Asset Settings,Depreciation Options,Opcions de depreciació
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Tant la ubicació com l&#39;empleat han de ser obligatoris
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Hora de publicació no vàlida
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Assignació
 DocType: Purchase Order,Supply Raw Materials,Subministrament de Matèries Primeres
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Actiu Corrent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} no és un article d'estoc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} no és un article d'estoc
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Compartiu els vostres comentaris a la formació fent clic a &quot;Feedback de formació&quot; i, a continuació, &quot;Nou&quot;"
 DocType: Mode of Payment Account,Default Account,Compte predeterminat
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Seleccioneu primer el magatzem de conservació de mostra a la configuració de valors
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Seleccioneu primer el magatzem de conservació de mostra a la configuració de valors
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Seleccioneu el tipus de programa de nivell múltiple per a més d&#39;una regla de recopilació.
 DocType: Payment Entry,Received Amount (Company Currency),Quantitat rebuda (Companyia de divises)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,S'ha d'indicar el client potencial si la oportunitat té el seu origen en un client potencial
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Pagament cancel·lat. Si us plau, consulteu el vostre compte GoCardless per obtenir més detalls"
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Envia amb adjunt
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Si us plau seleccioni el dia lliure setmanal
 DocType: Inpatient Record,O Negative,O negatiu
 DocType: Work Order Operation,Planned End Time,Planificació de Temps Final
 ,Sales Person Target Variance Item Group-Wise,Sales Person Target Variance Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,El Compte de la transacció existent no es pot convertir a llibre major
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,El Compte de la transacció existent no es pot convertir a llibre major
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Detalls del tipus Memebership
 DocType: Delivery Note,Customer's Purchase Order No,Del client Ordre de Compra No
 DocType: Clinical Procedure,Consume Stock,Consumir estoc
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Sorra
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energia
 DocType: Opportunity,Opportunity From,Oportunitat De
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Fila {0}: {1} Nombres de sèrie obligatoris per a l&#39;element {2}. Heu proporcionat {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Fila {0}: {1} Nombres de sèrie obligatoris per a l&#39;element {2}. Heu proporcionat {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Seleccioneu una taula
 DocType: BOM,Website Specifications,Especificacions del lloc web
 DocType: Special Test Items,Particulars,Particulars
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Des {0} de tipus {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Fila {0}: el factor de conversió és obligatori
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Fila {0}: el factor de conversió és obligatori
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Regles Preu múltiples existeix amb el mateix criteri, si us plau, resoldre els conflictes mitjançant l&#39;assignació de prioritat. Regles de preus: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Regles Preu múltiples existeix amb el mateix criteri, si us plau, resoldre els conflictes mitjançant l&#39;assignació de prioritat. Regles de preus: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Compte de revaloració de tipus de canvi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,No es pot desactivar o cancel·lar BOM ja que està vinculat amb altres llistes de materials
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,No es pot desactivar o cancel·lar BOM ja que està vinculat amb altres llistes de materials
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Seleccioneu Companyia i Data de publicació per obtenir entrades
 DocType: Asset,Maintenance,Manteniment
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Obtenir de Trobada de pacients
 DocType: Subscriber,Subscriber,Subscriptor
 DocType: Item Attribute Value,Item Attribute Value,Element Atribut Valor
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Actualitzeu el vostre estat del projecte
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Actualitzeu el vostre estat del projecte
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,L&#39;intercanvi de divises ha de ser aplicable per a la compra o per a la venda.
 DocType: Item,Maximum sample quantity that can be retained,Quantitat màxima de mostra que es pot conservar
 DocType: Project Update,How is the Project Progressing Right Now?,Com està avançant el projecte ara mateix?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La fila {0} # L&#39;element {1} no es pot transferir més de {2} contra l&#39;ordre de compra {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La fila {0} # L&#39;element {1} no es pot transferir més de {2} contra l&#39;ordre de compra {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanyes de venda.
 DocType: Project Task,Make Timesheet,fer part d&#39;hores
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1240,36 +1248,38 @@
 DocType: Lab Test,Lab Test,Prova de laboratori
 DocType: Student Report Generation Tool,Student Report Generation Tool,Eina de generació d&#39;informes per a estudiants
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Horari d&#39;horari d&#39;assistència sanitària
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Nom del document
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Nom del document
 DocType: Expense Claim Detail,Expense Claim Type,Expense Claim Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ajustos predeterminats del Carro de Compres
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Afegeix Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Actius rebutjat a través d&#39;entrada de diari {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Establiu un compte al magatzem {0} o el compte d&#39;inventari predeterminat a la companyia {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Actius rebutjat a través d&#39;entrada de diari {0}
 DocType: Loan,Interest Income Account,Compte d&#39;Utilitat interès
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Els beneficis màxims haurien de ser més grans que zero per repartir beneficis
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Els beneficis màxims haurien de ser més grans que zero per repartir beneficis
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Revisa la invitació enviada
 DocType: Shift Assignment,Shift Assignment,Assignació de canvis
 DocType: Employee Transfer Property,Employee Transfer Property,Propietat de transferència d&#39;empleats
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Des del temps hauria de ser menys que el temps
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotecnologia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",L&#39;element {0} (número de sèrie: {1}) no es pot consumir com es reserverd \ a fullfill Order de vendes {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Despeses de manteniment d'oficines
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Anar a
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Actualitza el preu de Storeify a la llista de preus d&#39;ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuració de comptes de correu electrònic
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Si us plau entra primer l'article
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Necessita anàlisi
 DocType: Asset Repair,Downtime,Temps d&#39;inactivitat
 DocType: Account,Liability,Responsabilitat
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Import sancionat no pot ser major que la reclamació Quantitat a la fila {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Import sancionat no pot ser major que la reclamació Quantitat a la fila {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Terme acadèmic:
 DocType: Salary Component,Do not include in total,No s&#39;inclouen en total
 DocType: Company,Default Cost of Goods Sold Account,Cost per defecte del compte mercaderies venudes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},La quantitat de mostra {0} no pot ser més de la quantitat rebuda {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Llista de preus no seleccionat
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},La quantitat de mostra {0} no pot ser més de la quantitat rebuda {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Llista de preus no seleccionat
 DocType: Employee,Family Background,Antecedents de família
 DocType: Request for Quotation Supplier,Send Email,Enviar per correu electrònic
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Advertència: no vàlida Adjunt {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Advertència: no vàlida Adjunt {0}
 DocType: Item,Max Sample Quantity,Quantitat màxima de mostra
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,No permission
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Llista de verificació del compliment del contracte
@@ -1300,15 +1310,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Centre de cost {2} no pertany a l&#39;empresa {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Carregueu el vostre capçal de lletra (manteniu-lo web a 900px per 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Compte {2} no pot ser un grup
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Element Fila {} idx: {} {DOCTYPE docname} no existeix en l&#39;anterior &#39;{} tipus de document&#39; taula
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Part d&#39;hores {0} ja s&#39;hagi completat o cancel·lat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Part d&#39;hores {0} ja s&#39;hagi completat o cancel·lat
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No hi ha tasques
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Factura de vendes {0} creada com a pagament
 DocType: Item Variant Settings,Copy Fields to Variant,Copia els camps a la variant
 DocType: Asset,Opening Accumulated Depreciation,L&#39;obertura de la depreciació acumulada
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score ha de ser menor que o igual a 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Eina d&#39;Inscripció Programa
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Registres C-Form
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Registres C-Form
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Les accions ja existeixen
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Clients i Proveïdors
 DocType: Email Digest,Email Digest Settings,Ajustos del processador d'emails
@@ -1321,12 +1331,12 @@
 DocType: Production Plan,Select Items,Seleccionar elements
 DocType: Share Transfer,To Shareholder,A l&#39;accionista
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} contra Factura {1} {2} de data
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,De l&#39;Estat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,De l&#39;Estat
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Institució de configuració
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Allocant fulles ...
 DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Nombre Bus
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Horari del curs
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Heu deduir l&#39;impost per a la prova d&#39;exempció d&#39;impostos no enviada i els beneficis del treballador no reclamats en l&#39;últim període de liquidació del període de nòmines
 DocType: Request for Quotation Supplier,Quote Status,Estat de cotització
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1352,13 +1362,13 @@
 DocType: Sales Invoice,Payment Due Date,Data de pagament
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Torneu a seleccionar, si l&#39;adreça escollida s&#39;edita després de desar-la"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Article Variant {0} ja existeix amb els mateixos atributs
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Article Variant {0} ja existeix amb els mateixos atributs
 DocType: Item,Hub Publishing Details,Detalls de publicació del Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Obertura&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Obertura&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Obert a fer
 DocType: Issue,Via Customer Portal,A través del portal del client
 DocType: Notification Control,Delivery Note Message,Missatge de la Nota de lliurament
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Import SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Import SGST
 DocType: Lab Test Template,Result Format,Format de resultats
 DocType: Expense Claim,Expenses,Despeses
 DocType: Item Variant Attribute,Item Variant Attribute,Article Variant Atribut
@@ -1366,14 +1376,12 @@
 DocType: Payroll Entry,Bimonthly,bimensual
 DocType: Vehicle Service,Brake Pad,Pastilla de fre
 DocType: Fertilizer,Fertilizer Contents,Contingut de fertilitzants
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Investigació i Desenvolupament
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Investigació i Desenvolupament
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,La quantitat a Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","La data d&#39;inici i la data de final coincideixen amb la targeta de treball <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Detalls de registre
 DocType: Timesheet,Total Billed Amount,Suma total Anunciada
 DocType: Item Reorder,Re-Order Qty,Re-Quantitat
 DocType: Leave Block List Date,Leave Block List Date,Deixa Llista de bloqueig Data
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Configureu el sistema de nomenclatura d&#39;instructor a l&#39;educació&gt; Configuració de l&#39;educació
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: el material brut no pot ser igual que l&#39;element principal
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total d&#39;comissions aplicables en la compra Taula de rebuts Els articles han de ser iguals que les taxes totals i càrrecs
 DocType: Sales Team,Incentives,Incentius
@@ -1387,7 +1395,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Punt de venda
 DocType: Fee Schedule,Fee Creation Status,Estat de creació de tarifes
 DocType: Vehicle Log,Odometer Reading,La lectura del odòmetre
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","El saldo del compte ja està en crèdit, no tens permisos per establir-lo com 'El balanç ha de ser ""com ""Dèbit """
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","El saldo del compte ja està en crèdit, no tens permisos per establir-lo com 'El balanç ha de ser ""com ""Dèbit """
 DocType: Account,Balance must be,El balanç ha de ser
 DocType: Notification Control,Expense Claim Rejected Message,Missatge de rebuig de petició de despeses
 ,Available Qty,Disponible Quantitat
@@ -1399,7 +1407,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Sincronitzeu sempre els vostres productes d&#39;Amazon MWS abans de sincronitzar els detalls de les comandes
 DocType: Delivery Trip,Delivery Stops,Els terminis de lliurament
 DocType: Salary Slip,Working Days,Dies feiners
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},No es pot canviar la data de parada del servei per a l&#39;element a la fila {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},No es pot canviar la data de parada del servei per a l&#39;element a la fila {0}
 DocType: Serial No,Incoming Rate,Incoming Rate
 DocType: Packing Slip,Gross Weight,Pes Brut
 DocType: Leave Type,Encashment Threshold Days,Dies de llindar d&#39;encashment
@@ -1418,31 +1426,33 @@
 DocType: Restaurant Table,Minimum Seating,Seient mínim
 DocType: Item Attribute,Item Attribute Values,Element Valors d'atributs
 DocType: Examination Result,Examination Result,examen Resultat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Albarà de compra
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Albarà de compra
 ,Received Items To Be Billed,Articles rebuts per a facturar
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Tipus de canvi principal.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Tipus de canvi principal.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referència Doctype ha de ser un {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Nombre total de filtres zero
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Incapaç de trobar la ranura de temps en els pròxims {0} dies per a l&#39;operació {1}
 DocType: Work Order,Plan material for sub-assemblies,Material de Pla de subconjunts
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Punts de venda i Territori
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} ha d'estar activa
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} ha d'estar activa
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Sense articles disponibles per a la transferència
 DocType: Employee Boarding Activity,Activity Name,Nom de l&#39;activitat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Canvia la data de llançament
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,La quantitat de producte acabada <b>{0}</b> i la quantitat <b>{1}</b> no pot ser diferent
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Canvia la data de llançament
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,La quantitat de producte acabada <b>{0}</b> i la quantitat <b>{1}</b> no pot ser diferent
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Tancament (obertura + total)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Codi d&#39;article&gt; Grup d&#39;elements&gt; Marca
+DocType: Delivery Settings,Dispatch Notification Attachment,Adjunt de notificació de distribució
 DocType: Payroll Entry,Number Of Employees,Nombre d&#39;empleats
 DocType: Journal Entry,Depreciation Entry,Entrada depreciació
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Si us plau. Primer seleccioneu el tipus de document
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Si us plau. Primer seleccioneu el tipus de document
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancel·la Visites Materials {0} abans de cancel·lar aquesta visita de manteniment
 DocType: Pricing Rule,Rate or Discount,Tarifa o descompte
 DocType: Vital Signs,One Sided,Un costat
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},El número de Sèrie {0} no pertany a l'article {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Quantitat necessària
 DocType: Marketplace Settings,Custom Data,Dades personalitzades
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Complexos de dipòsit de transaccions existents no es poden convertir en el llibre major.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},La sèrie no és obligatòria per a l&#39;element {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Complexos de dipòsit de transaccions existents no es poden convertir en el llibre major.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},La sèrie no és obligatòria per a l&#39;element {0}
 DocType: Bank Reconciliation,Total Amount,Quantitat total
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,A partir de data i data es troben en diferents exercicis
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,El pacient {0} no té confirmació del client a la factura
@@ -1453,9 +1463,9 @@
 DocType: Soil Texture,Clay Composition (%),Composició de fang (%)
 DocType: Item Group,Item Group Defaults,Element Defaults del grup d&#39;elements
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Deseu abans d&#39;assignar una tasca.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Valor Saldo
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Valor Saldo
 DocType: Lab Test,Lab Technician,Tècnic de laboratori
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Llista de preus de venda
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Llista de preus de venda
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Si està marcada, es crearà un client, assignat a Pacient. Les factures del pacient es crearan contra aquest client. També podeu seleccionar el client existent mentre feu el pacient."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,El client no està inscrit en cap programa de lleialtat
@@ -1469,13 +1479,13 @@
 DocType: Support Search Source,Search Term Param Name,Nom del paràmetre de cerca del paràmetre
 DocType: Item Barcode,Item Barcode,Codi de barres d'article
 DocType: Woocommerce Settings,Endpoints,Punts extrems
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Article Variants {0} actualitza
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Article Variants {0} actualitza
 DocType: Quality Inspection Reading,Reading 6,Lectura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,No es pot {0} {1} {2} sense cap factura pendent negatiu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,No es pot {0} {1} {2} sense cap factura pendent negatiu
 DocType: Share Transfer,From Folio No,Des del Folio núm
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de compra anticipada
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Fila {0}: entrada de crèdit no pot vincular amb un {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definir pressupost per a un exercici.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definir pressupost per a un exercici.
 DocType: Shopify Tax Account,ERPNext Account,Compte ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} està bloquejat perquè aquesta transacció no pugui continuar
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Acció si el pressupost mensual acumulat va superar el MR
@@ -1491,19 +1501,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Factura de Compra
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Permet el consum múltiple de material contra una comanda de treball
 DocType: GL Entry,Voucher Detail No,Número de detall del comprovant
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nova factura de venda
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nova factura de venda
 DocType: Stock Entry,Total Outgoing Value,Valor Total sortint
 DocType: Healthcare Practitioner,Appointments,Cites
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Data i Data de Tancament d&#39;obertura ha de ser dins el mateix any fiscal
 DocType: Lead,Request for Information,Sol·licitud d'Informació
 ,LeaderBoard,Leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Taxa amb marge (moneda d&#39;empresa)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Les factures sincronització sense connexió
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Les factures sincronització sense connexió
 DocType: Payment Request,Paid,Pagat
 DocType: Program Fee,Program Fee,tarifa del programa
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Reemplaceu una BOM en particular en totes les altres BOM on s&#39;utilitzi. Reemplaçarà l&#39;antic enllaç BOM, actualitzarà els costos i regenerarà la taula &quot;BOM Explosion Item&quot; segons la nova BOM. També actualitza el preu més recent en totes les BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Es van crear les següents ordres de treball:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Es van crear les següents ordres de treball:
 DocType: Salary Slip,Total in words,Total en paraules
 DocType: Inpatient Record,Discharged,Descarregat
 DocType: Material Request Item,Lead Time Date,Termini d'execució Data
@@ -1514,16 +1524,16 @@
 DocType: Support Settings,Get Started Sections,Comença les seccions
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY.-
 DocType: Loan,Sanctioned,sancionada
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,és obligatori. Potser no es crea registre de canvi de divisa per
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Fila #{0}: Si us plau especifica el número de sèrie per l'article {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Import total de la contribució: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Fila #{0}: Si us plau especifica el número de sèrie per l'article {1}
 DocType: Payroll Entry,Salary Slips Submitted,Rebutjos salaris enviats
 DocType: Crop Cycle,Crop Cycle,Cicle de cultius
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pels articles &#39;Producte Bundle&#39;, Magatzem, Serial No i lots No serà considerat en el quadre &#39;Packing List&#39;. Si Warehouse i lots No són les mateixes per a tots els elements d&#39;embalatge per a qualsevol element &#39;Producte Bundle&#39;, aquests valors es poden introduir a la taula principal de l&#39;article, els valors es copiaran a la taula &quot;Packing List &#39;."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pels articles &#39;Producte Bundle&#39;, Magatzem, Serial No i lots No serà considerat en el quadre &#39;Packing List&#39;. Si Warehouse i lots No són les mateixes per a tots els elements d&#39;embalatge per a qualsevol element &#39;Producte Bundle&#39;, aquests valors es poden introduir a la taula principal de l&#39;article, els valors es copiaran a la taula &quot;Packing List &#39;."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Des de la Plaça
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,El pagament net no pot ser negatiu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Des de la Plaça
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,El pagament net no pot ser negatiu
 DocType: Student Admission,Publish on website,Publicar al lloc web
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Factura Proveïdor La data no pot ser major que la data de publicació
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Factura Proveïdor La data no pot ser major que la data de publicació
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Data de cancel·lació
 DocType: Purchase Invoice Item,Purchase Order Item,Ordre de compra d'articles
@@ -1532,7 +1542,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Eina d&#39;assistència dels estudiants
 DocType: Restaurant Menu,Price List (Auto created),Llista de preus (creada automàticament)
 DocType: Cheque Print Template,Date Settings,Configuració de la data
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Desacord
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Desacord
 DocType: Employee Promotion,Employee Promotion Detail,Detall de la promoció dels empleats
 ,Company Name,Nom de l'Empresa
 DocType: SMS Center,Total Message(s),Total Missatge(s)
@@ -1561,7 +1571,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,No envieu Empleat recordatoris d'aniversari
 DocType: Expense Claim,Total Advance Amount,Import avançat total
 DocType: Delivery Stop,Estimated Arrival,Arribada estimada
-DocType: Delivery Stop,Notified by Email,Notificat per correu electrònic
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Veure tots els articles
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,Criteris d'Inspecció
@@ -1571,22 +1580,21 @@
 DocType: Timesheet Detail,Bill,projecte de llei
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Blanc
 DocType: SMS Center,All Lead (Open),Tots els clients potencials (Obert)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Quantitat no està disponible per {4} al magatzem {1} a publicar moment de l&#39;entrada ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Quantitat no està disponible per {4} al magatzem {1} a publicar moment de l&#39;entrada ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Només podeu seleccionar un màxim d&#39;una opció a la llista de caselles de verificació.
 DocType: Purchase Invoice,Get Advances Paid,Obtenir bestretes pagades
 DocType: Item,Automatically Create New Batch,Crear nou lot de forma automàtica
 DocType: Supplier,Represents Company,Representa l&#39;empresa
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Fer
 DocType: Student Admission,Admission Start Date,L&#39;entrada Data d&#39;Inici
 DocType: Journal Entry,Total Amount in Words,Suma total en Paraules
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nou empleat
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"S'ha produït un error. Una raó probable podria ser que no ha guardat el formulari. Si us plau, poseu-vos en contacte amb support@erpnext.com si el problema persisteix."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Carro de la compra
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Tipus d'ordre ha de ser un de {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Tipus d'ordre ha de ser un de {0}
 DocType: Lead,Next Contact Date,Data del següent contacte
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantitat d'obertura
 DocType: Healthcare Settings,Appointment Reminder,Recordatori de cites
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Si us plau, introdueixi el compte per al Canvi Monto"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Si us plau, introdueixi el compte per al Canvi Monto"
 DocType: Program Enrollment Tool Student,Student Batch Name,Lot Nom de l&#39;estudiant
 DocType: Holiday List,Holiday List Name,Nom de la Llista de vacances
 DocType: Repayment Schedule,Balance Loan Amount,Saldo del Préstec Monto
@@ -1596,13 +1604,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Opcions sobre accions
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,No hi ha elements afegits al carretó
 DocType: Journal Entry Account,Expense Claim,Compte de despeses
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,De veres voleu restaurar aquest actiu rebutjat?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,De veres voleu restaurar aquest actiu rebutjat?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Quantitat de {0}
 DocType: Leave Application,Leave Application,Deixar Aplicació
 DocType: Patient,Patient Relation,Relació del pacient
 DocType: Item,Hub Category to Publish,Categoria de concentradora per publicar
 DocType: Leave Block List,Leave Block List Dates,Deixa llista de blocs dates
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","L&#39;ordre de vendes {0} té reserva per a l&#39;element {1}, només podeu publicar {1} reservat contra {0}. El número de sèrie {2} no es pot lliurar"
 DocType: Sales Invoice,Billing Address GSTIN,Adreça de facturació GSTIN
@@ -1620,16 +1628,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Si us plau especificar un {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Elements retirats sense canvi en la quantitat o el valor.
 DocType: Delivery Note,Delivery To,Lliurar a
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,S&#39;ha creat la creació de variants.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Resum de treball per a {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,S&#39;ha creat la creació de variants.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Resum de treball per a {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,El primer Agrovador d&#39;abandonament de la llista serà establert com a Deixat aprovador per defecte.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Taula d&#39;atributs és obligatori
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Taula d&#39;atributs és obligatori
 DocType: Production Plan,Get Sales Orders,Rep ordres de venda
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} no pot ser negatiu
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Connecteu-vos a Quickbooks
 DocType: Training Event,Self-Study,Acte estudi
 DocType: POS Closing Voucher,Period End Date,Data de finalització del període
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Les composicions del sòl no contenen fins a 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Descompte
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,La fila {0}: {1} és necessària per crear les factures d&#39;obertura {2}
 DocType: Membership,Membership,Membres
 DocType: Asset,Total Number of Depreciations,Nombre total d&#39;amortitzacions
 DocType: Sales Invoice Item,Rate With Margin,Amb la taxa de marge
@@ -1640,7 +1650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},"Si us plau, especifiqueu un ID de fila vàlida per a la fila {0} a la taula {1}"
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,No es pot trobar la variable:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Seleccioneu un camp per editar des del teclat numèric
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,No es pot convertir en un element d&#39;actiu fix quan es creï Stock Ledger.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,No es pot convertir en un element d&#39;actiu fix quan es creï Stock Ledger.
 DocType: Subscription Plan,Fixed rate,Taxa fixa
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Admit
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Aneu a l&#39;escriptori i començar a utilitzar ERPNext
@@ -1674,7 +1684,7 @@
 DocType: Tax Rule,Shipping State,Estat de l&#39;enviament
 ,Projected Quantity as Source,Quantitat projectada com Font
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,L'article ha de ser afegit usant 'Obtenir elements de rebuts de compra' botó
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Viatge de lliurament
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Viatge de lliurament
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Tipus de transferència
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Despeses de venda
@@ -1687,8 +1697,9 @@
 DocType: Item Default,Default Selling Cost Center,Per defecte Centre de Cost de Venda
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,disc
 DocType: Buying Settings,Material Transferred for Subcontract,Material transferit per subcontractar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Codi ZIP
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Vendes Sol·licitar {0} és {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Ordres de compra Elements pendents
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Codi ZIP
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Vendes Sol·licitar {0} és {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Seleccioneu el compte de renda d&#39;interessos en el préstec {0}
 DocType: Opportunity,Contact Info,Informació de Contacte
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Fer comentaris Imatges
@@ -1701,12 +1712,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,La factura no es pot fer per zero hores de facturació
 DocType: Company,Date of Commencement,Data de començament
 DocType: Sales Person,Select company name first.,Seleccioneu el nom de l'empresa en primer lloc.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Correu electrònic enviat a {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Correu electrònic enviat a {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ofertes rebudes dels proveïdors.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Substituïu BOM i actualitzeu el preu més recent en totes les BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Per {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Aquest és un grup de proveïdors root i no es pot editar.
-DocType: Delivery Trip,Driver Name,Nom del controlador
+DocType: Delivery Note,Driver Name,Nom del controlador
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Edat mitjana
 DocType: Education Settings,Attendance Freeze Date,L&#39;assistència Freeze Data
 DocType: Payment Request,Inward,Endins
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,Empresa matriu
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Les habitacions de tipus {0} de l&#39;hotel no estan disponibles a {1}
 DocType: Healthcare Practitioner,Default Currency,Moneda per defecte
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,El descompte màxim per a l&#39;element {0} és {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,El descompte màxim per a l&#39;element {0} és {1}%
 DocType: Asset Movement,From Employee,D'Empleat
 DocType: Driver,Cellphone Number,Número de telèfon
 DocType: Project,Monitor Progress,Progrés del monitor
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},La quantitat ha de ser menor que o igual a {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},La quantitat màxima elegible per al component {0} supera {1}
 DocType: Department Approver,Department Approver,Departament aprover
+DocType: QuickBooks Migrator,Application Settings,Configuració de l&#39;aplicació
 DocType: SMS Center,Total Characters,Personatges totals
 DocType: Employee Advance,Claimed,Reclamat
 DocType: Crop,Row Spacing,Espaiat de fila
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Seleccioneu la llista de materials en el camp de llista de materials per al punt {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Seleccioneu la llista de materials en el camp de llista de materials per al punt {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,No hi ha cap variant d&#39;element per a l&#39;element seleccionat
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Invoice Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de Pagament de Reconciliació
 DocType: Clinical Procedure,Procedure Template,Plantilla de procediment
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Contribució%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","D&#39;acord amb la configuració de comprar si l&#39;ordre de compra Obligatori == &#39;SÍ&#39;, a continuació, per a la creació de la factura de compra, l&#39;usuari necessita per crear l&#39;ordre de compra per al primer element {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Contribució%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","D&#39;acord amb la configuració de comprar si l&#39;ordre de compra Obligatori == &#39;SÍ&#39;, a continuació, per a la creació de la factura de compra, l&#39;usuari necessita per crear l&#39;ordre de compra per al primer element {0}"
 ,HSN-wise-summary of outward supplies,HSN-wise-summary of outward supplies
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Els números de registre de l'empresa per la seva referència. Nombres d'impostos, etc."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Estat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Estat
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distribuïdor
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regles d'enviament de la cistella de lacompra
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,Els articles comandes a facturar
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,De Gamma ha de ser menor que en la nostra gamma
 DocType: Global Defaults,Global Defaults,Valors per defecte globals
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Invitació del Projecte de Col·laboració
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Invitació del Projecte de Col·laboració
 DocType: Salary Slip,Deductions,Deduccions
 DocType: Setup Progress Action,Action Name,Nom de l&#39;acció
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Any d&#39;inici
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,Consultor
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Assistència a la reunió del professorat dels pares
 DocType: Salary Slip,Earnings,Guanys
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Article Acabat {0} ha de ser introduït per a l&#39;entrada Tipus de Fabricació
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Article Acabat {0} ha de ser introduït per a l&#39;entrada Tipus de Fabricació
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Obertura de Balanç de Comptabilitat
 ,GST Sales Register,GST Registre de Vendes
 DocType: Sales Invoice Advance,Sales Invoice Advance,Factura proforma
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Res per sol·licitar
+DocType: Stock Settings,Default Return Warehouse,Magatzem de devolució per defecte
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Seleccioneu els vostres dominis
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Compreu proveïdor
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elements de factura de pagament
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Els camps es copiaran només en el moment de la creació.
 DocType: Setup Progress Action,Domains,Dominis
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',La 'Data d'Inici Real' no pot ser major que la 'Data de Finalització Real'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Administració
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Administració
 DocType: Cheque Print Template,Payer Settings,Configuració del pagador
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,No s&#39;ha trobat cap sol·licitud de material pendent per enllaçar per als ítems indicats.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Seleccioneu l&#39;empresa primer
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Això s'afegeix al Codi de l'article de la variant. Per exemple, si la seva abreviatura és ""SM"", i el codi de l'article és ""samarreta"", el codi de l'article de la variant serà ""SAMARRETA-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,El sou net (en paraules) serà visible un cop que es guardi la nòmina.
 DocType: Delivery Note,Is Return,És la tornada
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Precaució
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',El dia d&#39;inici és superior al final del dia a la tasca &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Retorn / dèbit Nota
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Retorn / dèbit Nota
 DocType: Price List Country,Price List Country,Preu de llista País
 DocType: Item,UOMs,UOMS
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} amb números de sèrie vàlids per Punt {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Concedeix informació.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de dades de proveïdors.
 DocType: Contract Template,Contract Terms and Conditions,Termes i condicions del contracte
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,No podeu reiniciar una subscripció que no es cancel·la.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,No podeu reiniciar una subscripció que no es cancel·la.
 DocType: Account,Balance Sheet,Balanç
 DocType: Leave Type,Is Earned Leave,Es deixa guanyat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Centre de cost per l'article amb Codi d'article '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Centre de cost per l'article amb Codi d'article '
 DocType: Fee Validity,Valid Till,Vàlid fins a
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Reunió total del professorat dels pares
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode de pagament no està configurat. Si us plau, comproveu, si el compte s&#39;ha establert en la manera de pagament o en punts de venda perfil."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode de pagament no està configurat. Si us plau, comproveu, si el compte s&#39;ha establert en la manera de pagament o en punts de venda perfil."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,El mateix article no es pot introduir diverses vegades.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Altres comptes es poden fer en grups, però les entrades es poden fer contra els no Grups"
 DocType: Lead,Lead,Client potencial
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,De l&#39;entrada {0} creat
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,No teniu punts de fidelització previstos per bescanviar
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: No aprovat Quantitat no es pot introduir en la Compra de Retorn
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Estableix el compte associat a la categoria de retenció d&#39;impostos {0} contra la companyia {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: No aprovat Quantitat no es pot introduir en la Compra de Retorn
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,No es permet canviar el grup de clients del client seleccionat.
 ,Purchase Order Items To Be Billed,Ordre de Compra articles a facturar
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Actualització dels temps d&#39;arribada estimats.
 DocType: Program Enrollment Tool,Enrollment Details,Detalls d&#39;inscripció
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,No es poden establir diversos valors per defecte d&#39;elements per a una empresa.
 DocType: Purchase Invoice Item,Net Rate,Taxa neta
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Seleccioneu un client
 DocType: Leave Policy,Leave Allocations,Deixeu les assignacions
@@ -1850,7 +1866,7 @@
 DocType: Loan Application,Repayment Info,Informació de la devolució
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Entrades' no pot estar buit
 DocType: Maintenance Team Member,Maintenance Role,Paper de manteniment
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplicar fila {0} amb el mateix {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplicar fila {0} amb el mateix {1}
 DocType: Marketplace Settings,Disable Marketplace,Desactiva el mercat
 ,Trial Balance,Balanç provisional
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Any fiscal {0} no trobat
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Configuració de la subscripció
 DocType: Purchase Invoice,Update Auto Repeat Reference,Actualitza la referència de repetició automàtica
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Llista de vacances opcional no establerta per al període de descans {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Llista de vacances opcional no establerta per al període de descans {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Recerca
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Adreça 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Adreça 2
 DocType: Maintenance Visit Purpose,Work Done,Treballs Realitzats
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Si us plau, especifiqui almenys un atribut a la taula d&#39;atributs"
 DocType: Announcement,All Students,tots els alumnes
@@ -1873,16 +1889,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transaccions reconciliades
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Earliest
 DocType: Crop Cycle,Linked Location,Ubicació enllaçada
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Hi ha un grup d'articles amb el mateix nom, si us plau, canvieu el nom de l'article o del grup d'articles"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Hi ha un grup d'articles amb el mateix nom, si us plau, canvieu el nom de l'article o del grup d'articles"
 DocType: Crop Cycle,Less than a year,Menys d&#39;un any
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nº d&#39;Estudiants mòbil
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Resta del món
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Resta del món
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'article {0} no pot tenir per lots
 DocType: Crop,Yield UOM,Rendiment UOM
 ,Budget Variance Report,Pressupost Variància Reportar
 DocType: Salary Slip,Gross Pay,Sou brut
 DocType: Item,Is Item from Hub,És l&#39;element del centre
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Obtenir articles dels serveis sanitaris
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Obtenir articles dels serveis sanitaris
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Fila {0}: Tipus d&#39;activitat és obligatòria.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividends pagats
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Comptabilitat principal
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Mètode de pagament
 DocType: Purchase Invoice,Supplied Items,Articles subministrats
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Establiu un menú actiu per al restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Taxa de la Comissió%
 DocType: Work Order,Qty To Manufacture,Quantitat a fabricar
 DocType: Email Digest,New Income,nou Ingrés
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Mantenir mateix ritme durant tot el cicle de compra
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Valoració dels tipus requerits per l&#39;article a la fila {0}
 DocType: Supplier Scorecard,Scorecard Actions,Accions de quadre de comandament
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Exemple: Mestratge en Ciències de la Computació
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},El proveïdor {0} no s&#39;ha trobat a {1}
 DocType: Purchase Invoice,Rejected Warehouse,Magatzem no conformitats
 DocType: GL Entry,Against Voucher,Contra justificant
 DocType: Item Default,Default Buying Cost Center,Centres de cost de compres predeterminat
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Per obtenir el millor de ERPNext, us recomanem que es prengui un temps i veure aquests vídeos d&#39;ajuda."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Per proveïdor predeterminat (opcional)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,a
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Per proveïdor predeterminat (opcional)
 DocType: Supplier Quotation Item,Lead Time in days,Termini d&#39;execució en dies
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Comptes per Pagar Resum
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},No autoritzat per editar el compte bloquejat {0}
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Adverteu una nova sol·licitud de pressupostos
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Les ordres de compra li ajudarà a planificar i donar seguiment a les seves compres
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Prescripcions de proves de laboratori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",La quantitat total d&#39;emissió / Transferència {0} en la Sol·licitud de material {1} \ no pot ser major que la quantitat sol·licitada {2} per a l&#39;article {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Petit
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Si Shopify no conté un client en ordre, al moment de sincronitzar ordres, el sistema considerarà el client per defecte per tal de fer-ho"
@@ -1937,6 +1954,7 @@
 DocType: Project,% Completed,% Completat
 ,Invoiced Amount (Exculsive Tax),Quantitat facturada (Impost exculsive)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Article 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Endpoint d&#39;autorització
 DocType: Travel Request,International,Internacional
 DocType: Training Event,Training Event,Esdeveniment de Capacitació
 DocType: Item,Auto re-order,Acte reordenar
@@ -1945,24 +1963,24 @@
 DocType: Contract,Contract,Contracte
 DocType: Plant Analysis,Laboratory Testing Datetime,Prova de laboratori Datetime
 DocType: Email Digest,Add Quote,Afegir Cita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Es necessita un factor de coversió per la UDM: {0} per l'article: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Es necessita un factor de coversió per la UDM: {0} per l'article: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Despeses Indirectes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Fila {0}: Quantitat és obligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Fila {0}: Quantitat és obligatori
 DocType: Agriculture Analysis Criteria,Agriculture,Agricultura
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Crea una comanda de vendes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Entrada de comptabilitat per actius
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Factura de bloc
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Entrada de comptabilitat per actius
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Factura de bloc
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Quantitat a fer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sincronització de dades mestres
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sincronització de dades mestres
 DocType: Asset Repair,Repair Cost,Cost de reparació
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Els Productes o Serveis de la teva companyia
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,No s&#39;ha pogut iniciar la sessió
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} creat
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} creat
 DocType: Special Test Items,Special Test Items,Elements de prova especials
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Heu de ser un usuari amb les funcions d&#39;Administrador del sistema i d&#39;Administrador d&#39;elements per registrar-se a Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Forma de pagament
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"Segons la seva Estructura Salarial assignada, no pot sol·licitar beneficis"
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Lloc web imatge ha de ser un arxiu públic o URL del lloc web
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Lloc web imatge ha de ser un arxiu públic o URL del lloc web
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,This is a root item group and cannot be edited.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Fusionar
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,Informació del contacte del magatzem
 DocType: Payment Entry,Write Off Difference Amount,Amortitzar import de la diferència
 DocType: Volunteer,Volunteer Name,Nom del voluntari
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: No s&#39;ha trobat el correu electrònic dels empleats, per tant, no correu electrònic enviat"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},S&#39;han trobat files amb dates de venciment duplicades en altres files: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: No s&#39;ha trobat el correu electrònic dels empleats, per tant, no correu electrònic enviat"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},No s&#39;ha assignat cap estructura salarial assignada a l&#39;empleat {0} en una data determinada {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},La regla d&#39;enviament no és aplicable al país {0}
 DocType: Item,Foreign Trade Details,Detalls estrangera Comerç
@@ -1979,16 +1998,16 @@
 DocType: Email Digest,Annual Income,Renda anual
 DocType: Serial No,Serial No Details,Serial No Detalls
 DocType: Purchase Invoice Item,Item Tax Rate,Element Tipus impositiu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Del nom del partit
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Del nom del partit
 DocType: Student Group Student,Group Roll Number,Nombre Rotllo Grup
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Per {0}, només els comptes de crèdit es poden vincular amb un altre seient de dèbit"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,La Nota de lliurament {0} no està presentada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,La Nota de lliurament {0} no està presentada
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Article {0} ha de ser un subcontractada article
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Capital Equipments
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regla preus es selecciona per primera basada en 'Aplicar On' camp, que pot ser d'article, grup d'articles o Marca."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Configureu primer el codi de l&#39;element
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Tipus Doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,El Percentatge del total assignat per a l'equip de vendes ha de ser de 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Tipus Doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,El Percentatge del total assignat per a l'equip de vendes ha de ser de 100
 DocType: Subscription Plan,Billing Interval Count,Compte d&#39;interval de facturació
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Nomenaments i trobades de pacients
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Valor que falta
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Crear Format d&#39;impressió
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Taxa creada
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},No s&#39;ha trobat cap element anomenat {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filtre elements
 DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula de criteris
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Sortint total
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Només pot haver-hi una Enviament Condició de regla amb 0 o valor en blanc de ""valor"""
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Per a un element {0}, la quantitat ha de ser un número positiu"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: aquest centre de costos és un Grup. No es poden fer anotacions en compte als grups.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Dates de sol · licitud de baixa compensatòria no en vacances vàlides
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,existeix magatzem nen per a aquest magatzem. No es pot eliminar aquest magatzem.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,existeix magatzem nen per a aquest magatzem. No es pot eliminar aquest magatzem.
 DocType: Item,Website Item Groups,Grups d'article del Web
 DocType: Purchase Invoice,Total (Company Currency),Total (Companyia moneda)
 DocType: Daily Work Summary Group,Reminder,Recordatori
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Valor accessible
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Valor accessible
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Nombre de sèrie {0} va entrar més d'una vegada
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Entrada de diari
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,De GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,De GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Quantitat no reclamada
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} articles en procés
 DocType: Workstation,Workstation Name,Nom de l'Estació de treball
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS Grup d&#39;articles
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Enviar Resum:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,L&#39;element alternatiu no ha de ser el mateix que el codi de l&#39;element
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} no pertany a Punt {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} no pertany a Punt {1}
 DocType: Sales Partner,Target Distribution,Target Distribution
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalització de l&#39;avaluació provisional
 DocType: Salary Slip,Bank Account No.,Compte Bancari No.
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Es poden utilitzar variables de quadre de comandament, així com: {total_score} (la puntuació total d&#39;aquest període), {period_number} (el nombre de períodes actuals)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Col · lapsar tot
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Col · lapsar tot
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Crea un ordre de compra
 DocType: Quality Inspection Reading,Reading 8,Lectura 8
 DocType: Inpatient Record,Discharge Note,Nota de descàrrega
@@ -2050,7 +2070,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Data Factura Proveïdor
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Aquest valor s&#39;utilitza per al càlcul pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Has d'habilitar el carro de la compra
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Has d'habilitar el carro de la compra
 DocType: Payment Entry,Writeoff,Demanar-ho per escrit
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Assignació de noms del prefix de la sèrie
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,La superposició de les condicions trobades entre:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Contra Diari entrada {0} ja s'ajusta contra algun altre bo
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Valor Total de la comanda
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Menjar
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Menjar
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Rang 3 Envelliment
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalls de vou tancament de la TPV
 DocType: Shopify Log,Shopify Log,Registre de compres
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Estableix la sèrie de noms per a {0} mitjançant la configuració&gt; Configuració&gt; Sèrie de nomenclatura
 DocType: Inpatient Occupancy,Check In,Registrar
 DocType: Maintenance Schedule Item,No of Visits,Número de Visites
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Programa de manteniment {0} existeix en contra de {1}
@@ -2109,6 +2128,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Beneficis màxims (Quantia)
 DocType: Purchase Invoice,Contact Person,Persona De Contacte
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',La 'Data Prevista d'Inici' no pot ser major que la 'Data de Finalització Prevista'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,No hi ha dades per a aquest període
 DocType: Course Scheduling Tool,Course End Date,Curs Data de finalització
 DocType: Holiday List,Holidays,Vacances
 DocType: Sales Order Item,Planned Quantity,Quantitat planificada
@@ -2120,7 +2140,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Canvi net en actius fixos
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Deixar en blanc si es considera per a totes les designacions
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del tipus 'real' a la fila {0} no pot ser inclòs en la partida Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del tipus 'real' a la fila {0} no pot ser inclòs en la partida Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir de data i hora
 DocType: Shopify Settings,For Company,Per a l'empresa
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,Contingut de Termes i Condicions
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,S&#39;ha produït un error en crear un calendari de cursos
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,El primer Approver de despeses de la llista s&#39;establirà com a aprovador d&#39;inversió predeterminat.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,no pot ser major que 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,no pot ser major que 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Heu de ser un usuari diferent de l&#39;administrador amb les funcions Administrador del sistema i l&#39;Administrador d&#39;elements per registrar-se a Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Article {0} no és un article d'estoc
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Article {0} no és un article d'estoc
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-SIYY.-
 DocType: Maintenance Visit,Unscheduled,No programada
 DocType: Employee,Owned,Propietat de
@@ -2163,7 +2183,7 @@
 DocType: HR Settings,Employee Settings,Configuració dels empleats
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,S&#39;està carregant el sistema de pagament
 ,Batch-Wise Balance History,Batch-Wise Balance History
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Fila # {0}: no es pot establir la tarifa si la quantitat és superior a la quantitat facturada per l&#39;article {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Fila # {0}: no es pot establir la tarifa si la quantitat és superior a la quantitat facturada per l&#39;article {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Els paràmetres d&#39;impressió actualitzats en format d&#39;impressió respectiu
 DocType: Package Code,Package Code,codi paquet
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Aprenent
@@ -2172,7 +2192,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Impost taula de detalls descarregui de mestre d'articles com una cadena i emmagatzemada en aquest camp.
  S'utilitza per a les taxes i càrrecs"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Empleat no pot informar-se a si mateix.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Empleat no pot informar-se a si mateix.
 DocType: Leave Type,Max Leaves Allowed,Permet les fulles màx
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si el compte està bloquejat, només es permeten entrades alguns usuaris."
 DocType: Email Digest,Bank Balance,Balanç de Banc
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Entrades de transaccions bancàries
 DocType: Quality Inspection,Readings,Lectures
 DocType: Stock Entry,Total Additional Costs,Total de despeses addicionals
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,No d&#39;interaccions
 DocType: BOM,Scrap Material Cost(Company Currency),El cost del rebuig de materials (Companyia de divises)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub Assemblies
 DocType: Asset,Asset Name,Nom d&#39;actius
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,Per Valor
 DocType: Loyalty Program,Loyalty Program Type,Tipus de programa de fidelització
 DocType: Asset Movement,Stock Manager,Gerent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Magatzem d'origen obligatori per a la fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Magatzem d'origen obligatori per a la fila {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,El termini de pagament a la fila {0} és possiblement un duplicat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Agricultura (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Llista de presència
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Llista de presència
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,lloguer de l'oficina
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Paràmetres de configuració de Porta de SMS
 DocType: Disease,Common Name,Nom comú
@@ -2240,20 +2261,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Enviar correu electrònic am salari a l'empleat
 DocType: Cost Center,Parent Cost Center,Centre de Cost de Pares
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Seleccionar Possible Proveïdor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Seleccionar Possible Proveïdor
 DocType: Sales Invoice,Source,Font
 DocType: Customer,"Select, to make the customer searchable with these fields","Seleccioneu, per fer que el client es pugui cercar amb aquests camps"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importa les notes de lliurament de Shopify on Shipment
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostra tancada
 DocType: Leave Type,Is Leave Without Pay,Es llicencia sense sou
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT -YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Categoria actiu és obligatori per a la partida de l&#39;actiu fix
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Categoria actiu és obligatori per a la partida de l&#39;actiu fix
 DocType: Fee Validity,Fee Validity,Valida tarifes
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,No hi ha registres a la taula de Pagaments
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Aquest {0} conflictes amb {1} de {2} {3}
 DocType: Student Attendance Tool,Students HTML,Els estudiants HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Suprimiu l&#39;Empleat <a href=""#Form/Employee/{0}"">{0}</a> \ per cancel·lar aquest document"
 DocType: POS Profile,Apply Discount,aplicar descompte
 DocType: GST HSN Code,GST HSN Code,Codi HSN GST
 DocType: Employee External Work History,Total Experience,Experiència total
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,Horaris
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,El perfil de la TPV és obligatori per utilitzar Point-of-Sale
 DocType: Cashier Closing,Net Amount,Import Net
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} no s&#39;ha presentat de manera que l&#39;acció no es pot completar
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} no s&#39;ha presentat de manera que l&#39;acció no es pot completar
 DocType: Purchase Order Item Supplied,BOM Detail No,Detall del BOM No
 DocType: Landed Cost Voucher,Additional Charges,Els càrrecs addicionals
 DocType: Support Search Source,Result Route Field,Camp de ruta del resultat
@@ -2305,11 +2323,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Obertura de factures
 DocType: Contract,Contract Details,Detalls del contracte
 DocType: Employee,Leave Details,Deixeu els detalls
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Si us plau, estableix camp ID d'usuari en un registre d'empleat per establir Rol d'empleat"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Si us plau, estableix camp ID d'usuari en un registre d'empleat per establir Rol d'empleat"
 DocType: UOM,UOM Name,Nom UDM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Adreça 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Adreça 1
 DocType: GST HSN Code,HSN Code,codi HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Quantitat aportada
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Quantitat aportada
 DocType: Inpatient Record,Patient Encounter,Trobada de pacients
 DocType: Purchase Invoice,Shipping Address,Adreça d'nviament
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Aquesta eina us ajuda a actualitzar o corregir la quantitat i la valoració dels estocs en el sistema. Normalment s'utilitza per sincronitzar els valors del sistema i el que realment hi ha en els magatzems.
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,Mode de viatge
 DocType: Sales Invoice Item,Brand Name,Marca
 DocType: Purchase Receipt,Transporter Details,Detalls Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Es requereix dipòsit per omissió per a l&#39;element seleccionat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Es requereix dipòsit per omissió per a l&#39;element seleccionat
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Caixa
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,possible Proveïdor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,possible Proveïdor
 DocType: Budget,Monthly Distribution,Distribució Mensual
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"La llista de receptors és buida. Si us plau, crea la Llista de receptors"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Assistència sanitària (beta)
@@ -2349,6 +2367,7 @@
 ,Lead Name,Nom Plom
 ,POS,TPV
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospecció
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Obertura de la balança
 DocType: Asset Category Account,Capital Work In Progress Account,Compte de capital en curs de progrés
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Ajust del valor d&#39;actius
@@ -2357,7 +2376,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Les fulles Numerat amb èxit per {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,No hi ha articles per embalar
 DocType: Shipping Rule Condition,From Value,De Valor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Quantitat de fabricació és obligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Quantitat de fabricació és obligatori
 DocType: Loan,Repayment Method,Mètode d&#39;amortització
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si se selecciona, la pàgina d&#39;inici serà el grup per defecte de l&#39;article per al lloc web"
 DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -2382,7 +2401,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Referències de feina
 DocType: Student Group,Set 0 for no limit,Ajust 0 indica sense límit
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,El dia (s) en el qual està sol·licitant la llicència són els dies festius. Vostè no necessita sol·licitar l&#39;excedència.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Fila {idx}: {field} és obligatòria per crear l&#39;obertura {invoice_type} Factures
 DocType: Customer,Primary Address and Contact Detail,Direcció principal i detall de contacte
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Torneu a enviar el pagament per correu electrònic
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,nova tasca
@@ -2392,22 +2410,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Seleccioneu com a mínim un domini.
 DocType: Dependent Task,Dependent Task,Tasca dependent
 DocType: Shopify Settings,Shopify Tax Account,Compte fiscal comptable
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversió per a la unitat de mesura per defecte ha de ser d'1 a la fila {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Una absència del tipus {0} no pot ser de més de {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversió per a la unitat de mesura per defecte ha de ser d'1 a la fila {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Una absència del tipus {0} no pot ser de més de {1}
 DocType: Delivery Trip,Optimize Route,Optimitza la ruta
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Intenta operacions per a la planificació de X dies d&#39;antelació.
 DocType: HR Settings,Stop Birthday Reminders,Aturar recordatoris d'aniversari
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Si us plau, estableix nòmina compte per pagar per defecte en l&#39;empresa {0}"
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Obteniu una ruptura financera d&#39;impostos i dades de càrregues d&#39;Amazon
 DocType: SMS Center,Receiver List,Llista de receptors
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,cerca article
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,cerca article
 DocType: Payment Schedule,Payment Amount,Quantitat de pagament
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,La data de mig dia ha d&#39;estar entre el treball des de la data i la data de finalització del treball
 DocType: Healthcare Settings,Healthcare Service Items,Articles de serveis sanitaris
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Quantitat consumida
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Canvi Net en Efectiu
 DocType: Assessment Plan,Grading Scale,Escala de Qualificació
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,La unitat de mesura {0} s'ha introduït més d'una vegada a la taula de valors de conversió
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,La unitat de mesura {0} s'ha introduït més d'una vegada a la taula de valors de conversió
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ja acabat
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,A la mà de la
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2430,25 +2448,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Número de sèrie {0} quantitat {1} no pot ser una fracció
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Introduïu l&#39;URL del servidor Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,PartNumber del proveïdor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,La taxa de conversió no pot ser 0 o 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,La taxa de conversió no pot ser 0 o 1
 DocType: Share Balance,To No,No
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Tota la tasca obligatòria per a la creació d&#39;empleats encara no s&#39;ha fet.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} està cancel·lat o parat
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} està cancel·lat o parat
 DocType: Accounts Settings,Credit Controller,Credit Controller
 DocType: Loan,Applicant Type,Tipus de sol·licitant
 DocType: Purchase Invoice,03-Deficiency in services,03-Deficiència en els serveis
 DocType: Healthcare Settings,Default Medical Code Standard,Codi per defecte de codi mèdic
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,El rebut de compra {0} no està presentat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,El rebut de compra {0} no està presentat
 DocType: Company,Default Payable Account,Compte per Pagar per defecte
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ajustaments per a la compra en línia, com les normes d'enviament, llista de preus, etc."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Anunciat
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reservats Quantitat
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reservats Quantitat
 DocType: Party Account,Party Account,Compte Partit
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Seleccioneu Companyia i Designació
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Recursos Humans
-DocType: Lead,Upper Income,Ingrés Alt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Ingrés Alt
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Rebutjar
 DocType: Journal Entry Account,Debit in Company Currency,Dèbit a Companyia moneda
 DocType: BOM Item,BOM Item,Article BOM
@@ -2465,7 +2483,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",S&#39;han obert les ofertes de feina per a la designació {0} o la contractació completada segons el pla de personal {1}
 DocType: Vital Signs,Constipated,Constipat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Contra Proveïdor Factura {0} {1} datat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Contra Proveïdor Factura {0} {1} datat
 DocType: Customer,Default Price List,Llista de preus per defecte
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,registrar el moviment d&#39;actius {0} creat
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,No s&#39;ha trobat cap element.
@@ -2481,16 +2499,17 @@
 DocType: Journal Entry,Entry Type,Tipus d&#39;entrada
 ,Customer Credit Balance,Saldo de crèdit al Client
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Canvi net en comptes per pagar
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),S&#39;ha creuat el límit de crèdit per al client {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Estableix la sèrie de noms per a {0} mitjançant la configuració&gt; Configuració&gt; Sèrie de nomenclatura
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),S&#39;ha creuat el límit de crèdit per al client {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Client requereix per a 'Descompte Customerwise'
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Actualització de les dates de pagament dels bancs amb les revistes.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,la fixació de preus
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,la fixació de preus
 DocType: Quotation,Term Details,Detalls termini
 DocType: Employee Incentive,Employee Incentive,Incentiu a l&#39;empleat
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,No es pot inscriure més de {0} estudiants d&#39;aquest grup d&#39;estudiants.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Total (sense impostos)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Comptador de plom
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stock disponible
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stock disponible
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planificació de la capacitat per a (Dies)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,obtenció
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Cap dels articles tenen qualsevol canvi en la quantitat o el valor.
@@ -2514,7 +2533,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Deixa i Assistència
 DocType: Asset,Comprehensive Insurance,Assegurança integral
 DocType: Maintenance Visit,Partially Completed,Va completar parcialment
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Punt de lleialtat: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Punt de lleialtat: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Add Leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensibilitat moderada
 DocType: Leave Type,Include holidays within leaves as leaves,Inclogui les vacances dins de les fulles com les fulles
 DocType: Loyalty Program,Redemption,Redempció
@@ -2548,7 +2568,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Despeses de Màrqueting
 ,Item Shortage Report,Informe d'escassetat d'articles
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,No es poden crear criteris estàndard. Canvia el nom dels criteris
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","S'esmenta Pes, \n Si us plau, ""Pes UOM"" massa"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","S'esmenta Pes, \n Si us plau, ""Pes UOM"" massa"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Sol·licitud de material utilitzat per fer aquesta entrada Stock
 DocType: Hub User,Hub Password,Contrasenya del concentrador
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grup basat curs separat per a cada lot
@@ -2562,15 +2582,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Durada de la cita (minuts)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Feu Entrada Comptabilitat Per Cada moviment d'estoc
 DocType: Leave Allocation,Total Leaves Allocated,Absències totals assignades
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Si us plau, introdueixi Any vàlida Financera dates inicial i final"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Si us plau, introdueixi Any vàlida Financera dates inicial i final"
 DocType: Employee,Date Of Retirement,Data de la jubilació
 DocType: Upload Attendance,Get Template,Aconsegueix Plantilla
+,Sales Person Commission Summary,Resum de la Comissió de Persona de Vendes
 DocType: Additional Salary Component,Additional Salary Component,Component salarial addicional
 DocType: Material Request,Transferred,transferit
 DocType: Vehicle,Doors,portes
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Configuració ERPNext completa!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Configuració ERPNext completa!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Recull la tarifa per al registre del pacient
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,No es poden canviar els atributs després de la transacció d&#39;accions. Realitzeu un element nou i transfereixi valors al nou element
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,No es poden canviar els atributs després de la transacció d&#39;accions. Realitzeu un element nou i transfereixi valors al nou element
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,desintegració impostos
 DocType: Employee,Joining Details,Informació d&#39;unió
@@ -2598,14 +2619,15 @@
 DocType: Lead,Next Contact By,Següent Contactar Per
 DocType: Compensatory Leave Request,Compensatory Leave Request,Sol·licitud de baixa compensatòria
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Quantitat necessària per Punt {0} a la fila {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Magatzem {0} no es pot eliminar com existeix quantitat d'article {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magatzem {0} no es pot eliminar com existeix quantitat d'article {1}
 DocType: Blanket Order,Order Type,Tipus d'ordre
 ,Item-wise Sales Register,Tema-savi Vendes Registre
 DocType: Asset,Gross Purchase Amount,Compra import brut
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Balanços d&#39;obertura
 DocType: Asset,Depreciation Method,Mètode de depreciació
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Aqeust impost està inclòs a la tarifa bàsica?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Totals de l'objectiu
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Totals de l'objectiu
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Anàlisi de percepció
 DocType: Soil Texture,Sand Composition (%),Composició de sorra (%)
 DocType: Job Applicant,Applicant for a Job,Sol·licitant d'ocupació
 DocType: Production Plan Material Request,Production Plan Material Request,Producció Sol·licitud Pla de materials
@@ -2620,23 +2642,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Marc d&#39;avaluació (de 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Sense Guardian2 mòbil
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Inici
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,L&#39;element següent {0} no està marcat com a {1} element. Podeu habilitar-los com a {1} ítem des del vostre ítem principal
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Per a un element {0}, la quantitat ha de ser un número negatiu"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Establir prefix de numeracions seriades a les transaccions
 DocType: Employee Attendance Tool,Employees HTML,Els empleats HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Per defecte la llista de materials ({0}) ha d&#39;estar actiu per aquest material o la seva plantilla
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Per defecte la llista de materials ({0}) ha d&#39;estar actiu per aquest material o la seva plantilla
 DocType: Employee,Leave Encashed?,Leave Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Oportunitat de camp és obligatori
 DocType: Email Digest,Annual Expenses,Les despeses anuals
 DocType: Item,Variants,Variants
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Feu l'Ordre de Compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Feu l'Ordre de Compra
 DocType: SMS Center,Send To,Enviar a
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},There is not enough leave balance for Leave Type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},There is not enough leave balance for Leave Type {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Monto assignat
 DocType: Sales Team,Contribution to Net Total,Contribució neta total
 DocType: Sales Invoice Item,Customer's Item Code,Del client Codi de l'article
 DocType: Stock Reconciliation,Stock Reconciliation,Reconciliació d'Estoc
 DocType: Territory,Territory Name,Nom del Territori
+DocType: Email Digest,Purchase Orders to Receive,Ordres de compra per rebre
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Es requereix Magatzem de treballs en procés abans de Presentar
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Només podeu tenir plans amb el mateix cicle de facturació en una subscripció
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Dades assignades
@@ -2653,9 +2677,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Número de sèrie duplicat per l'article {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Seguiment de conductes per Lead Source.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condició per a una regla d'enviament
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,"Si us plau, entra"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,"Si us plau, entra"
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Registre de manteniment
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Si us plau, configurar el filtre basada en l&#39;apartat o Magatzem"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Si us plau, configurar el filtre basada en l&#39;apartat o Magatzem"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El pes net d'aquest paquet. (Calculats automàticament com la suma del pes net d'articles)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Feu l&#39;entrada de la revista Inter Company
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,La quantitat de descompte no pot ser superior al 100%
@@ -2664,15 +2688,15 @@
 DocType: Sales Order,To Deliver and Bill,Per Lliurar i Bill
 DocType: Student Group,Instructors,els instructors
 DocType: GL Entry,Credit Amount in Account Currency,Suma de crèdit en compte Moneda
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} ha de ser presentat
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Gestió d&#39;accions
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} ha de ser presentat
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Gestió d&#39;accions
 DocType: Authorization Control,Authorization Control,Control d'Autorització
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Magatzem Rebutjat és obligatori en la partida rebutjada {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Pagament
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Magatzem Rebutjat és obligatori en la partida rebutjada {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Pagament
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Magatzem {0} no està vinculada a cap compte, si us plau esmentar el compte en el registre de magatzem o un conjunt predeterminat compte d&#39;inventari en companyia {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gestionar les seves comandes
 DocType: Work Order Operation,Actual Time and Cost,Temps real i Cost
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Per l'article {1} es poden fer un màxim de {0} sol·licituds de materials destinats a l'ordre de venda {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Per l'article {1} es poden fer un màxim de {0} sol·licituds de materials destinats a l'ordre de venda {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Espaiat de cultiu
 DocType: Course,Course Abbreviation,Abreviatura de golf
@@ -2684,6 +2708,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Total d&#39;hores de treball no han de ser més grans que les hores de treball max {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,En
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Articles agrupats en el moment de la venda.
+DocType: Delivery Settings,Dispatch Settings,Configuració de l&#39;enviament
 DocType: Material Request Plan Item,Actual Qty,Actual Quantitat
 DocType: Sales Invoice Item,References,Referències
 DocType: Quality Inspection Reading,Reading 10,Reading 10
@@ -2693,11 +2718,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Has introduït articles duplicats. Si us plau, rectifica-ho i torna a intentar-ho."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Associat
 DocType: Asset Movement,Asset Movement,moviment actiu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,L&#39;ordre de treball {0} s&#39;ha de presentar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,nou carro
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,L&#39;ordre de treball {0} s&#39;ha de presentar
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,nou carro
 DocType: Taxable Salary Slab,From Amount,De la quantitat
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Article {0} no és un article serialitzat
 DocType: Leave Type,Encashment,Encashment
+DocType: Delivery Settings,Delivery Settings,Configuració de lliurament
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Obteniu dades
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},La permís màxim permès en el tipus d&#39;abandonament {0} és {1}
 DocType: SMS Center,Create Receiver List,Crear Llista de receptors
 DocType: Vehicle,Wheels,rodes
@@ -2713,7 +2740,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,La moneda de facturació ha de ser igual a la moneda de la companyia per defecte o la moneda del compte de partit
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Indica que el paquet és una part d'aquest lliurament (Només Projecte)
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Fila {0}: data de venciment no pot ser abans de la data de publicació
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Fila {0}: data de venciment no pot ser abans de la data de publicació
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Feu Entrada Pagament
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Quantitat d'articles per {0} ha de ser menor de {1}
 ,Sales Invoice Trends,Tendències de Factures de Vendes
@@ -2721,12 +2748,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Pot referir fila només si el tipus de càrrega és 'On Anterior Suma Fila ""o"" Anterior Fila Total'"
 DocType: Sales Order Item,Delivery Warehouse,Magatzem Lliurament
 DocType: Leave Type,Earned Leave Frequency,Freqüència de sortida guanyada
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Arbre de Centres de costos financers.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Sub Tipus
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Arbre de Centres de costos financers.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Sub Tipus
 DocType: Serial No,Delivery Document No,Lliurament document nº
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Assegureu-vos de lliurament a partir de la sèrie produïda No.
 DocType: Vital Signs,Furry,Pelut
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ajust &#39;Compte / Pèrdua de beneficis per alienacions d&#39;actius&#39; en la seva empresa {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ajust &#39;Compte / Pèrdua de beneficis per alienacions d&#39;actius&#39; en la seva empresa {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtenir els articles des dels rebuts de compra
 DocType: Serial No,Creation Date,Data de creació
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},La ubicació de destinació és obligatòria per a l&#39;actiu {0}
@@ -2740,10 +2767,11 @@
 DocType: Item,Has Variants,Té variants
 DocType: Employee Benefit Claim,Claim Benefit For,Reclamació per benefici
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Actualitza la resposta
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Ja ha seleccionat articles de {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Ja ha seleccionat articles de {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nom de la Distribució Mensual
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Identificació del lot és obligatori
 DocType: Sales Person,Parent Sales Person,Parent Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,No hi ha elements pendents de rebre
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,El venedor i el comprador no poden ser iguals
 DocType: Project,Collect Progress,Recopileu el progrés
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY.-
@@ -2759,7 +2787,7 @@
 DocType: Bank Guarantee,Margin Money,Marge de diners
 DocType: Budget,Budget,Pressupost
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Estableix obert
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Actius Fixos L&#39;article ha de ser una posició no de magatzem.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Actius Fixos L&#39;article ha de ser una posició no de magatzem.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Pressupost no es pot assignar en contra {0}, ja que no és un compte d&#39;ingressos o despeses"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},L&#39;import de la exempció màxima per {0} és {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Aconseguit
@@ -2777,9 +2805,9 @@
 ,Amount to Deliver,La quantitat a Deliver
 DocType: Asset,Insurance Start Date,Data d&#39;inici de l&#39;assegurança
 DocType: Salary Component,Flexible Benefits,Beneficis flexibles
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},S&#39;ha introduït el mateix element diverses vegades. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},S&#39;ha introduït el mateix element diverses vegades. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"El Termini Data d&#39;inici no pot ser anterior a la data d&#39;inici d&#39;any de l&#39;any acadèmic a què està vinculat el terme (any acadèmic {}). Si us plau, corregeixi les dates i torna a intentar-ho."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Hi han hagut errors.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Hi han hagut errors.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,L&#39;empleat {0} ja ha sol·licitat {1} entre {2} i {3}:
 DocType: Guardian,Guardian Interests,Interessos de la guarda
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Actualitza el nom / número del compte
@@ -2819,9 +2847,9 @@
 ,Item-wise Purchase History,Historial de compres d'articles
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Si us plau, feu clic a ""Generar Planificació 'per reservar números de sèrie per l'article {0}"
 DocType: Account,Frozen,Bloquejat
-DocType: Delivery Note,Vehicle Type,Tipus de vehicle
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Tipus de vehicle
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Import base (Companyia de divises)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Matèries primeres
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Matèries primeres
 DocType: Payment Reconciliation Payment,Reference Row,referència Fila
 DocType: Installation Note,Installation Time,Temps d'instal·lació
 DocType: Sales Invoice,Accounting Details,Detalls de Comptabilitat
@@ -2830,12 +2858,13 @@
 DocType: Inpatient Record,O Positive,O positiu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Inversions
 DocType: Issue,Resolution Details,Resolució Detalls
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Tipus de transacció
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tipus de transacció
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criteris d'acceptació
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Si us plau, introdueixi Les sol·licituds de material a la taula anterior"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,No hi ha reemborsaments disponibles per a l&#39;entrada del diari
 DocType: Hub Tracked Item,Image List,Llista d&#39;imatges
 DocType: Item Attribute,Attribute Name,Nom del Atribut
+DocType: Subscription,Generate Invoice At Beginning Of Period,Genera la factura al principi del període
 DocType: BOM,Show In Website,Mostra en el lloc web
 DocType: Loan Application,Total Payable Amount,La quantitat total a pagar
 DocType: Task,Expected Time (in hours),Temps esperat (en hores)
@@ -2872,7 +2901,7 @@
 DocType: Employee,Resignation Letter Date,Carta de renúncia Data
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Regles de les tarifes es filtren més basat en la quantitat.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,No Configurat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Si us plau ajust la data d&#39;incorporació dels empleats {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Si us plau ajust la data d&#39;incorporació dels empleats {0}
 DocType: Inpatient Record,Discharge,Alta
 DocType: Task,Total Billing Amount (via Time Sheet),Facturació quantitat total (a través de fulla d&#39;hores)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repetiu els ingressos dels clients
@@ -2882,13 +2911,13 @@
 DocType: Chapter,Chapter,Capítol
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Parell
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,El compte predeterminada s&#39;actualitzarà automàticament a la factura POS quan aquest mode estigui seleccionat.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Seleccioneu la llista de materials i d&#39;Unitats de Producció
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Seleccioneu la llista de materials i d&#39;Unitats de Producció
 DocType: Asset,Depreciation Schedule,Programació de la depreciació
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Les adreces soci de vendes i contactes
 DocType: Bank Reconciliation Detail,Against Account,Contra Compte
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Mig dia de la data ha d&#39;estar entre De la data i Fins a la data
 DocType: Maintenance Schedule Detail,Actual Date,Data actual
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Establiu el Centre de costos per defecte a {0} empresa.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Establiu el Centre de costos per defecte a {0} empresa.
 DocType: Item,Has Batch No,Té número de lot
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Facturació anual: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Compra el detall Webhook
@@ -2900,7 +2929,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Tipus de canvi
 DocType: Student,Personal Details,Dades Personals
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Ajust &#39;Centre de l&#39;amortització del cost de l&#39;actiu&#39; a l&#39;empresa {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Ajust &#39;Centre de l&#39;amortització del cost de l&#39;actiu&#39; a l&#39;empresa {0}
 ,Maintenance Schedules,Programes de manteniment
 DocType: Task,Actual End Date (via Time Sheet),Data de finalització real (a través de fulla d&#39;hores)
 DocType: Soil Texture,Soil Type,Tipus de sòl
@@ -2908,10 +2937,10 @@
 ,Quotation Trends,Quotation Trends
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Grup L'article no esmenta en mestre d'articles per a l'article {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandat sense GoCard
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Dèbit al compte ha de ser un compte per cobrar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Dèbit al compte ha de ser un compte per cobrar
 DocType: Shipping Rule,Shipping Amount,Total de l'enviament
 DocType: Supplier Scorecard Period,Period Score,Puntuació de períodes
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Afegir Clients
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Afegir Clients
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,A l'espera de l'Import
 DocType: Lab Test Template,Special,Especial
 DocType: Loyalty Program,Conversion Factor,Factor de conversió
@@ -2928,7 +2957,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Afegeix un capçalera
 DocType: Program Enrollment,Self-Driving Vehicle,Vehicle auto-conducció
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Quadre de comandament del proveïdor
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Llista de materials que no es troba per a l&#39;element {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Llista de materials que no es troba per a l&#39;element {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total de fulls assignades {0} no pot ser inferior a les fulles ja aprovats {1} per al període
 DocType: Contract Fulfilment Checklist,Requirement,Requisit
 DocType: Journal Entry,Accounts Receivable,Comptes Per Cobrar
@@ -2944,16 +2973,16 @@
 DocType: Projects Settings,Timesheets,taula de temps
 DocType: HR Settings,HR Settings,Configuració de recursos humans
 DocType: Salary Slip,net pay info,Dades de la xarxa de pagament
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Import del CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Import del CESS
 DocType: Woocommerce Settings,Enable Sync,Habilita la sincronització
 DocType: Tax Withholding Rate,Single Transaction Threshold,Llindar d&#39;una sola transacció
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Aquest valor s&#39;actualitza a la llista de preus de venda predeterminada.
 DocType: Email Digest,New Expenses,Les noves despeses
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Import PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Import PDC / LC
 DocType: Shareholder,Shareholder,Accionista
 DocType: Purchase Invoice,Additional Discount Amount,Import addicional de descompte
 DocType: Cash Flow Mapper,Position,Posició
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Obtenir articles de les receptes
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Obtenir articles de les receptes
 DocType: Patient,Patient Details,Detalls del pacient
 DocType: Inpatient Record,B Positive,B Positiu
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2965,8 +2994,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grup de No-Grup
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Esports
 DocType: Loan Type,Loan Name,Nom del préstec
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Actual total
-DocType: Lab Test UOM,Test UOM,Prova UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Actual total
 DocType: Student Siblings,Student Siblings,Els germans dels estudiants
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detall del pla de subscripció
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Unitat
@@ -2993,7 +3021,6 @@
 DocType: Workstation,Wages per hour,Els salaris per hora
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Estoc equilibri en Lot {0} es convertirà en negativa {1} per a la partida {2} a Magatzem {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Després de sol·licituds de materials s&#39;han plantejat de forma automàtica segons el nivell de re-ordre de l&#39;article
-DocType: Email Digest,Pending Sales Orders,A l&#39;espera d&#39;ordres de venda
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Compte {0} no és vàlid. Compte moneda ha de ser {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Des de la data {0} no es pot produir després de l&#39;alleujament de l&#39;empleat Data {1}
 DocType: Supplier,Is Internal Supplier,És proveïdor intern
@@ -3002,13 +3029,14 @@
 DocType: Healthcare Settings,Remind Before,Recordeu abans
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Es requereix el factor de conversió de la UOM a la fila {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser una d&#39;ordres de venda, factura de venda o entrada de diari"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser una d&#39;ordres de venda, factura de venda o entrada de diari"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Punts de fidelització = Quant moneda base?
 DocType: Salary Component,Deduction,Deducció
 DocType: Item,Retain Sample,Conserveu la mostra
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Fila {0}: Del temps i el temps és obligatori.
 DocType: Stock Reconciliation Item,Amount Difference,diferència suma
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Article Preu afegit per {0} en Preu de llista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Article Preu afegit per {0} en Preu de llista {1}
+DocType: Delivery Stop,Order Information,Informació de comandes
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Introdueixi Empleat Id d&#39;aquest venedor
 DocType: Territory,Classification of Customers by region,Classificació dels clients per regió
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,En producció
@@ -3019,8 +3047,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Calculat equilibri extracte bancari
 DocType: Normal Test Template,Normal Test Template,Plantilla de prova normal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,desactivat usuari
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Oferta
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,No es pot establir una RFQ rebuda a cap quota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Oferta
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,No es pot establir una RFQ rebuda a cap quota
 DocType: Salary Slip,Total Deduction,Deducció total
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Seleccioneu un compte per imprimir a la moneda del compte
 ,Production Analytics,Anàlisi de producció
@@ -3033,14 +3061,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuració del quadre de comandaments del proveïdor
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Nom del pla d&#39;avaluació
 DocType: Work Order Operation,Work Order Operation,Operació d&#39;ordres de treball
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Avís: certificat SSL no vàlid en la inclinació {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Avís: certificat SSL no vàlid en la inclinació {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Cables ajuden a obtenir negoci, posar tots els seus contactes i més com els seus clients potencials"
 DocType: Work Order Operation,Actual Operation Time,Temps real de funcionament
 DocType: Authorization Rule,Applicable To (User),Aplicable a (Usuari)
 DocType: Purchase Taxes and Charges,Deduct,Deduir
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Descripció del Treball
 DocType: Student Applicant,Applied,aplicat
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Torna a obrir
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Torna a obrir
 DocType: Sales Invoice Item,Qty as per Stock UOM,La quantitat d'existències ha d'estar expresada en la UDM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,nom Guardian2
 DocType: Attendance,Attendance Request,Sol·licitud d&#39;assistència
@@ -3058,7 +3086,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},El número de sèrie {0} està en garantia fins {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor mínim permès
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,L&#39;usuari {0} ja existeix
-apps/erpnext/erpnext/hooks.py +114,Shipments,Els enviaments
+apps/erpnext/erpnext/hooks.py +115,Shipments,Els enviaments
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Total assignat (Companyia de divises)
 DocType: Purchase Order Item,To be delivered to customer,Per ser lliurat al client
 DocType: BOM,Scrap Material Cost,Cost de materials de rebuig
@@ -3066,11 +3094,12 @@
 DocType: Grant Application,Email Notification Sent,Notificació per correu electrònic enviada
 DocType: Purchase Invoice,In Words (Company Currency),En paraules (Divisa de la Companyia)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,La companyia és manadatura per compte d&#39;empresa
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Codi d&#39;article, magatzem, quantitat es requereix a la fila"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Codi d&#39;article, magatzem, quantitat es requereix a la fila"
 DocType: Bank Guarantee,Supplier,Proveïdor
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Obtenir Des
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Aquest és un departament de l&#39;arrel i no es pot editar.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Mostra els detalls del pagament
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Durada en dies
 DocType: C-Form,Quarter,Trimestre
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Despeses diverses
 DocType: Global Defaults,Default Company,Companyia defecte
@@ -3078,7 +3107,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Despesa o compte Diferència és obligatori per Punt {0} ja que afecta el valor de valors en general
 DocType: Bank,Bank Name,Nom del banc
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Sobre
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Deixeu el camp buit per fer comandes de compra per a tots els proveïdors
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Deixeu el camp buit per fer comandes de compra per a tots els proveïdors
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Article sobre càrrecs de càrrec hospitalari
 DocType: Vital Signs,Fluid,Fluid
 DocType: Leave Application,Total Leave Days,Dies totals d'absències
@@ -3087,7 +3116,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Configuració de la variant de l&#39;element
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Seleccioneu l'empresa ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Deixar en blanc si es considera per a tots els departaments
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} és obligatori per l'article {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} és obligatori per l'article {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Element {0}: {1} qty produït,"
 DocType: Payroll Entry,Fortnightly,quinzenal
 DocType: Currency Exchange,From Currency,De la divisa
@@ -3136,7 +3165,7 @@
 DocType: Account,Fixed Asset,Actius Fixos
 DocType: Amazon MWS Settings,After Date,Després de la data
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventari serialitzat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,La factura de {0} no és vàlida.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,La factura de {0} no és vàlida.
 ,Department Analytics,Departament d&#39;Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,No s&#39;ha trobat el correu electrònic al contacte predeterminat
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Genera el secret
@@ -3154,6 +3183,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Amb el pagament de l&#39;impost
 DocType: Expense Claim Detail,Expense Claim Detail,Reclamació de detall de despesa
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Configureu el sistema de nomenclatura d&#39;instructor a l&#39;educació&gt; Configuració de l&#39;educació
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Triplicat per PROVEÏDOR
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nou saldo en moneda base
 DocType: Location,Is Container,És contenidor
@@ -3161,13 +3191,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Seleccioneu el compte correcte
 DocType: Salary Structure Assignment,Salary Structure Assignment,Assignació d&#39;Estructura Salarial
 DocType: Purchase Invoice Item,Weight UOM,UDM del pes
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Llista d&#39;accionistes disponibles amb números de foli
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Llista d&#39;accionistes disponibles amb números de foli
 DocType: Salary Structure Employee,Salary Structure Employee,Empleat Estructura salarial
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Mostra atributs de variants
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Mostra atributs de variants
 DocType: Student,Blood Group,Grup sanguini
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,El compte de la passarel·la de pagament del pla {0} és diferent del compte de la passarel·la de pagament en aquesta sol·licitud de pagament
 DocType: Course,Course Name,Nom del curs
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,No es registren dades de retenció d&#39;impostos per a l&#39;actual exercici fiscal.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,No es registren dades de retenció d&#39;impostos per a l&#39;actual exercici fiscal.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Els usuaris que poden aprovar les sol·licituds de llicència d'un empleat específic
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Material d'oficina
 DocType: Purchase Invoice Item,Qty,Quantitat
@@ -3175,6 +3205,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Configuració de puntuacions
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Electrònica
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Deute ({0})
+DocType: BOM,Allow Same Item Multiple Times,Permet el mateix element diverses vegades
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Llevant Sol·licitud de material quan l'acció arriba al nivell de re-ordre
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Temps complet
 DocType: Payroll Entry,Employees,empleats
@@ -3186,11 +3217,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Confirmació de pagament
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Els preus no es mostren si la llista de preus no s&#39;ha establert
 DocType: Stock Entry,Total Incoming Value,Valor Total entrant
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Es requereix dèbit per
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Es requereix dèbit per
 DocType: Clinical Procedure,Inpatient Record,Registre d&#39;hospitalització
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Taula de temps ajuden a mantenir la noció del temps, el cost i la facturació d&#39;activitats realitzades pel seu equip"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Llista de preus de Compra
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Data de la transacció
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Llista de preus de Compra
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Data de la transacció
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Plantilles de variables de quadre de comandament de proveïdors.
 DocType: Job Offer Term,Offer Term,Oferta Termini
 DocType: Asset,Quality Manager,Gerent de Qualitat
@@ -3211,18 +3242,18 @@
 DocType: Cashier Closing,To Time,Per Temps
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) per {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Aprovar Rol (per sobre del valor autoritzat)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Crèdit al compte ha de ser un compte per pagar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Crèdit al compte ha de ser un compte per pagar
 DocType: Loan,Total Amount Paid,Import total pagat
 DocType: Asset,Insurance End Date,Data de finalització de l&#39;assegurança
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Si us plau, seleccioneu Admissió d&#39;estudiants que és obligatòria per al sol·licitant estudiant pagat"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursiu: {0} no pot ser pare o fill de {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursiu: {0} no pot ser pare o fill de {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Llista de pressupostos
 DocType: Work Order Operation,Completed Qty,Quantitat completada
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Per {0}, només els comptes de dèbit poden ser enllaçats amb una altra entrada de crèdit"
 DocType: Manufacturing Settings,Allow Overtime,Permetre Overtime
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Article serialitzat {0} no es pot actualitzar mitjançant la Reconciliació, utilitzi l&#39;entrada"
 DocType: Training Event Employee,Training Event Employee,Formació dels treballadors Esdeveniment
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Es poden conservar mostres màximes: {0} per a lots {1} i element {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Es poden conservar mostres màximes: {0} per a lots {1} i element {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Afegeix franges horàries
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Números de sèrie necessaris per Punt {1}. Vostè ha proporcionat {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Valoració actual Taxa
@@ -3253,11 +3284,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} no trobat
 DocType: Fee Schedule Program,Fee Schedule Program,Programa de tarifes Programa
 DocType: Fee Schedule Program,Student Batch,lot estudiant
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Suprimiu l&#39;Empleat <a href=""#Form/Employee/{0}"">{0}</a> \ per cancel·lar aquest document"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,fer Estudiant
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Grau mínim
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipus d&#39;unitat de servei sanitari
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Se li ha convidat a col·laborar en el projecte: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Se li ha convidat a col·laborar en el projecte: {0}
 DocType: Supplier Group,Parent Supplier Group,Grup de proveïdors de pares
+DocType: Email Digest,Purchase Orders to Bill,Compra d&#39;ordres per facturar
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Valors acumulats a la companyia del grup
 DocType: Leave Block List Date,Block Date,Bloquejar Data
 DocType: Crop,Crop,Cultiu
@@ -3269,6 +3303,7 @@
 DocType: Sales Order,Not Delivered,No Lliurat
 ,Bank Clearance Summary,Resum Liquidació del Banc
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Creació i gestió de resums de correu electrònic diàries, setmanals i mensuals."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Això es basa en transaccions contra aquesta persona comercial. Vegeu la línia de temps a continuació per obtenir detalls
 DocType: Appraisal Goal,Appraisal Goal,Avaluació Meta
 DocType: Stock Reconciliation Item,Current Amount,suma actual
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,edificis
@@ -3295,7 +3330,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,programaris
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Següent Contacte La data no pot ser en el passat
 DocType: Company,For Reference Only.,Només de referència.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Seleccioneu Lot n
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Seleccioneu Lot n
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},No vàlida {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referència Inv
@@ -3313,16 +3348,16 @@
 DocType: Normal Test Items,Require Result Value,Requereix un valor de resultat
 DocType: Item,Show a slideshow at the top of the page,Mostra una presentació de diapositives a la part superior de la pàgina
 DocType: Tax Withholding Rate,Tax Withholding Rate,Taxa de retenció d&#39;impostos
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Botigues
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Botigues
 DocType: Project Type,Projects Manager,Gerent de Projectes
 DocType: Serial No,Delivery Time,Temps de Lliurament
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Envelliment basat en
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,S&#39;ha cancel·lat la cita
 DocType: Item,End of Life,Final de la Vida
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Viatges
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Viatges
 DocType: Student Report Generation Tool,Include All Assessment Group,Inclou tot el grup d&#39;avaluació
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Sense estructura activa o salari per defecte trobat d&#39;empleat {0} per a les dates indicades
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Sense estructura activa o salari per defecte trobat d&#39;empleat {0} per a les dates indicades
 DocType: Leave Block List,Allow Users,Permetre que usuaris
 DocType: Purchase Order,Customer Mobile No,Client Mòbil No
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalls de la plantilla d&#39;assignació de fluxos d&#39;efectiu
@@ -3331,15 +3366,16 @@
 DocType: Rename Tool,Rename Tool,Eina de canvi de nom
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Actualització de Costos
 DocType: Item Reorder,Item Reorder,Punt de reorden
+DocType: Delivery Note,Mode of Transport,Mode de transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Slip Mostra Salari
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transferir material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transferir material
 DocType: Fees,Send Payment Request,Enviar sol·licitud de pagament
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especifiqueu les operacions, el cost d'operació i dona una número d'operació únic a les operacions."
 DocType: Travel Request,Any other details,Qualsevol altre detall
 DocType: Water Analysis,Origin,Origen
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Aquest document està per sobre del límit de {0} {1} per a l&#39;element {4}. Estàs fent una altra {3} contra el mateix {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Si us plau conjunt recurrent després de guardar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Seleccioneu el canvi import del compte
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Si us plau conjunt recurrent després de guardar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Seleccioneu el canvi import del compte
 DocType: Purchase Invoice,Price List Currency,Price List Currency
 DocType: Naming Series,User must always select,Usuari sempre ha de seleccionar
 DocType: Stock Settings,Allow Negative Stock,Permetre existències negatives
@@ -3360,9 +3396,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traçabilitat
 DocType: Asset Maintenance Log,Actions performed,Accions realitzades
 DocType: Cash Flow Mapper,Section Leader,Líder de secció
+DocType: Delivery Note,Transport Receipt No,Recepció del transport no
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Font dels fons (Passius)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,La ubicació d&#39;origen i de destinació no pot ser igual
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantitat a la fila {0} ({1}) ha de ser igual que la quantitat fabricada {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantitat a la fila {0} ({1}) ha de ser igual que la quantitat fabricada {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Empleat
 DocType: Bank Guarantee,Fixed Deposit Number,Número de dipòsit fixat
 DocType: Asset Repair,Failure Date,Data de fracàs
@@ -3376,16 +3413,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Les deduccions de pagament o pèrdua
 DocType: Soil Analysis,Soil Analysis Criterias,Els criteris d&#39;anàlisi del sòl
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Condicions contractuals estàndard per Vendes o la compra.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Estàs segur que vols cancel·lar aquesta cita?
+DocType: BOM Item,Item operation,Funcionament de l&#39;element
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Estàs segur que vols cancel·lar aquesta cita?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Paquet de tarifes de l&#39;habitació de l&#39;hotel
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,pipeline vendes
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,pipeline vendes
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Si us plau valor predeterminat en compte Salari El component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Requerit Per
 DocType: Rename Tool,File to Rename,Arxiu per canviar el nom de
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Seleccioneu la llista de materials per a l&#39;article a la fila {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Obteniu actualitzacions de subscripció
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Compte {0} no coincideix amb el de la seva empresa {1} en la manera de compte: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},BOM especificat {0} no existeix la partida {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},BOM especificat {0} no existeix la partida {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Curs:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programa de manteniment {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes
@@ -3394,7 +3432,7 @@
 DocType: Notification Control,Expense Claim Approved,Compte de despeses Aprovat
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Establir avenços i assignar (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,No s&#39;ha creat cap Ordre de treball
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Nòmina dels empleats {0} ja creat per a aquest període
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Nòmina dels empleats {0} ja creat per a aquest període
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmacèutic
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Només podeu enviar Leave Encashment per una quantitat de pagaments vàlida
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,El cost d'articles comprats
@@ -3402,7 +3440,8 @@
 DocType: Selling Settings,Sales Order Required,Ordres de venda Obligatori
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Converteix-te en venedor
 DocType: Purchase Invoice,Credit To,Crèdit Per
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Leads actius / Clients
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Leads actius / Clients
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Deixeu-vos en blanc per utilitzar el format de nota de lliurament estàndard
 DocType: Employee Education,Post Graduate,Postgrau
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detall del Programa de manteniment
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Adverteix noves comandes de compra
@@ -3416,14 +3455,14 @@
 DocType: Support Search Source,Post Title Key,Títol del títol de publicació
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Per a la targeta de treball
 DocType: Warranty Claim,Raised By,Raised By
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Prescripcions
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Prescripcions
 DocType: Payment Gateway Account,Payment Account,Compte de Pagament
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Si us plau, especifiqui l'empresa per a procedir"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Si us plau, especifiqui l'empresa per a procedir"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Canvi net en els comptes per cobrar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Compensatori
 DocType: Job Offer,Accepted,Acceptat
 DocType: POS Closing Voucher,Sales Invoices Summary,Resum de factures de vendes
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Nom del partit
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Nom del partit
 DocType: Grant Application,Organization,organització
 DocType: BOM Update Tool,BOM Update Tool,Eina d&#39;actualització de la BOM
 DocType: SG Creation Tool Course,Student Group Name,Nom del grup d&#39;estudiant
@@ -3432,7 +3471,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Si us plau, assegureu-vos que realment voleu esborrar totes les transaccions d&#39;aquesta empresa. Les seves dades mestres romandran tal com és. Aquesta acció no es pot desfer."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Resultats de la cerca
 DocType: Room,Room Number,Número d&#39;habitació
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Invàlid referència {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Invàlid referència {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no pot ser major que quanitity planejat ({2}) en l'ordre de la producció {3}
 DocType: Shipping Rule,Shipping Rule Label,Regla Etiqueta d'enviament
 DocType: Journal Entry Account,Payroll Entry,Entrada de nòmina
@@ -3440,8 +3479,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Feu la plantilla fiscal
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fòrum d&#39;Usuaris
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Matèries primeres no poden estar en blanc.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Fila # {0} (Taula de pagaments): la quantitat ha de ser negativa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","No s&#39;ha pogut actualitzar valors, factura conté els articles de l&#39;enviament de la gota."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Fila # {0} (Taula de pagaments): la quantitat ha de ser negativa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","No s&#39;ha pogut actualitzar valors, factura conté els articles de l&#39;enviament de la gota."
 DocType: Contract,Fulfilment Status,Estat de compliment
 DocType: Lab Test Sample,Lab Test Sample,Exemple de prova de laboratori
 DocType: Item Variant Settings,Allow Rename Attribute Value,Permet canviar el nom del valor de l&#39;atribut
@@ -3483,11 +3522,11 @@
 DocType: BOM,Show Operations,Mostra Operacions
 ,Minutes to First Response for Opportunity,Minuts fins a la primera resposta per Oportunitats
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Total Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Article o magatzem per a la fila {0} no coincideix Sol·licitud de materials
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Article o magatzem per a la fila {0} no coincideix Sol·licitud de materials
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Unitat de mesura
 DocType: Fiscal Year,Year End Date,Any Data de finalització
 DocType: Task Depends On,Task Depends On,Tasca Depèn de
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Oportunitat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Oportunitat
 DocType: Operation,Default Workstation,Per defecte l'estació de treball
 DocType: Notification Control,Expense Claim Approved Message,Missatge Reclamació d'aprovació de Despeses
 DocType: Payment Entry,Deductions or Loss,Deduccions o Pèrdua
@@ -3525,19 +3564,19 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Approving User cannot be same as user the rule is Applicable To
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Taxa Bàsica (segons de la UOM)
 DocType: SMS Log,No of Requested SMS,No de SMS sol·licitada
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Llicència sense sou no coincideix amb els registres de llicències d&#39;aplicacions aprovades
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Llicència sense sou no coincideix amb els registres de llicències d&#39;aplicacions aprovades
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Propers passos
 DocType: Travel Request,Domestic,Domèstics
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Si us plau subministrar els elements especificats en les millors taxes possibles
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Si us plau subministrar els elements especificats en les millors taxes possibles
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,La transferència d&#39;empleats no es pot enviar abans de la data de transferència
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Fer Factura
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,El saldo restant
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,El saldo restant
 DocType: Selling Settings,Auto close Opportunity after 15 days,Tancament automàtic després de 15 dies d&#39;Oportunitats
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Les ordres de compra no estan permeses per {0} a causa d&#39;un quadre de comandament de peu de {1}.
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,De cap d&#39;any
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot /% Plom
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,La Data de finalització del contracte ha de ser major que la data d'inici
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,La Data de finalització del contracte ha de ser major que la data d'inici
 DocType: Driver,Driver,Conductor
 DocType: Vital Signs,Nutrition Values,Valors nutricionals
 DocType: Lab Test Template,Is billable,És facturable
@@ -3548,7 +3587,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Aquest és un lloc web d'exemple d'auto-generada a partir ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Rang Envelliment 1
 DocType: Shopify Settings,Enable Shopify,Activa Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,L&#39;import total anticipat no pot ser superior a l&#39;import total reclamat
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,L&#39;import total anticipat no pot ser superior a l&#39;import total reclamat
 DocType: Purchase Taxes and Charges Template,"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
@@ -3595,12 +3634,12 @@
 DocType: Employee Separation,Employee Separation,Separació d&#39;empleats
 DocType: BOM Item,Original Item,Article original
 DocType: Purchase Receipt Item,Recd Quantity,Recd Quantitat
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Data de doc
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Data de doc
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Els registres d&#39;honoraris creats - {0}
 DocType: Asset Category Account,Asset Category Account,Compte categoria d&#39;actius
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Fila # {0} (Taula de pagaments): la quantitat ha de ser positiva
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Fila # {0} (Taula de pagaments): la quantitat ha de ser positiva
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},No es pot produir més Article {0} que en la quantitat de comandes de client {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Seleccioneu els valors de l&#39;atribut
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Seleccioneu els valors de l&#39;atribut
 DocType: Purchase Invoice,Reason For Issuing document,Raó per emetre el document
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Entrada de la {0} no es presenta
 DocType: Payment Reconciliation,Bank / Cash Account,Compte Bancari / Efectiu
@@ -3609,8 +3648,10 @@
 DocType: Asset,Manual,manual
 DocType: Salary Component Account,Salary Component Account,Compte Nòmina Component
 DocType: Global Defaults,Hide Currency Symbol,Amaga Símbol de moneda
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Oportunitats de vendes per font
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informació de donants.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","per exemple bancària, Efectiu, Targeta de crèdit"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configureu la sèrie de numeració per assistència mitjançant la configuració&gt; Sèrie de numeració
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","per exemple bancària, Efectiu, Targeta de crèdit"
 DocType: Job Applicant,Source Name,font Nom
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La pressió arterial normal en un adult és d&#39;aproximadament 120 mmHg sistòlica i 80 mmHg diastòlica, abreujada &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Estableix els elements de vida útil en dies, per establir la data de caducitat segons la data de fabricació i la vida pròpia"
@@ -3640,7 +3681,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},La quantitat ha de ser inferior a la quantitat {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Fila {0}: Data d'inici ha de ser anterior Data de finalització
 DocType: Salary Component,Max Benefit Amount (Yearly),Import màxim de beneficis (anual)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS percentatge%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS percentatge%
 DocType: Crop,Planting Area,Àrea de plantació
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Quantitat)
 DocType: Installation Note Item,Installed Qty,Quantitat instal·lada
@@ -3662,8 +3703,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Deixeu la notificació d&#39;aprovació
 DocType: Buying Settings,Default Buying Price List,Llista de preus per defecte
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Sobre la base de nòmina de part d&#39;hores
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Tarifa de compra
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Fila {0}: introduïu la ubicació de l&#39;element d&#39;actiu {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Tarifa de compra
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Fila {0}: introduïu la ubicació de l&#39;element d&#39;actiu {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ -YYYY.-
 DocType: Company,About the Company,Sobre la companyia
 DocType: Notification Control,Sales Order Message,Sol·licitar Sales Missatge
@@ -3728,10 +3769,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Per a la fila {0}: introduïu el qty planificat
 DocType: Account,Income Account,Compte d'ingressos
 DocType: Payment Request,Amount in customer's currency,Suma de la moneda del client
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Lliurament
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Lliurament
 DocType: Volunteer,Weekdays,Dies laborables
 DocType: Stock Reconciliation Item,Current Qty,Quantitat actual
 DocType: Restaurant Menu,Restaurant Menu,Menú de restaurant
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Afegeix proveïdors
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV -YYYY.-
 DocType: Loyalty Program,Help Section,Secció d&#39;ajuda
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,anterior
@@ -3743,19 +3785,20 @@
 												fullfill Sales Order {2}",No es pot lliurar el número de sèrie {0} de l&#39;element {1} perquè està reservat a \ fullfill Ordre de vendes {2}
 DocType: Item Reorder,Material Request Type,Material de Sol·licitud Tipus
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Envieu un correu electrònic de revisió de la subvenció
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage està plena, no va salvar"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Fila {0}: UOM factor de conversió és obligatori
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage està plena, no va salvar"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Fila {0}: UOM factor de conversió és obligatori
 DocType: Employee Benefit Claim,Claim Date,Data de reclamació
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Capacitat de l&#39;habitació
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Ja existeix un registre per a l&#39;element {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Àrbitre
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Perdin registres de factures generades prèviament. Esteu segur que voleu reiniciar aquesta subscripció?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Quota d&#39;inscripció
 DocType: Loyalty Program Collection,Loyalty Program Collection,Col·lecció de programes de lleialtat
 DocType: Stock Entry Detail,Subcontracted Item,Article subcontractat
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},L&#39;estudiant {0} no pertany al grup {1}
 DocType: Budget,Cost Center,Centre de Cost
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Comprovant #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Comprovant #
 DocType: Notification Control,Purchase Order Message,Missatge de les Ordres de Compra
 DocType: Tax Rule,Shipping Country,País d&#39;enviament
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Amaga ID d&#39;Impostos del client segons Transaccions de venda
@@ -3774,23 +3817,22 @@
 DocType: Subscription,Cancel At End Of Period,Cancel·la al final de període
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,La propietat ja s&#39;ha afegit
 DocType: Item Supplier,Item Supplier,Article Proveïdor
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Si us plau, introduïu el codi d'article per obtenir lots no"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Please select a value for {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Si us plau, introduïu el codi d'article per obtenir lots no"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Please select a value for {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,No hi ha elements seleccionats per a la transferència
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Totes les direccions.
 DocType: Company,Stock Settings,Ajustaments d'estocs
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusió només és possible si les propietats són les mateixes en tots dos registres. És el Grup, Tipus Arrel, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusió només és possible si les propietats són les mateixes en tots dos registres. És el Grup, Tipus Arrel, Company"
 DocType: Vehicle,Electric,elèctric
 DocType: Task,% Progress,% Progrés
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Guany / Pèrdua per venda d&#39;actius
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Només es seleccionarà el sol·licitant d&#39;estudiants amb l&#39;estat &quot;Aprovat&quot; a la taula següent.
 DocType: Tax Withholding Category,Rates,Tarifes
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,El número de compte del compte {0} no està disponible. <br> Configureu el vostre Gràfic de comptes correctament.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,El número de compte del compte {0} no està disponible. <br> Configureu el vostre Gràfic de comptes correctament.
 DocType: Task,Depends on Tasks,Depèn de Tasques
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Administrar grup Client arbre.
 DocType: Normal Test Items,Result Value,Valor de resultat
 DocType: Hotel Room,Hotels,Hotels
-DocType: Delivery Note,Transporter Date,Data del transportador
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nou nom de centres de cost
 DocType: Leave Control Panel,Leave Control Panel,Deixa Panell de control
 DocType: Project,Task Completion,Finalització de tasques
@@ -3837,11 +3879,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Tots els grups d&#39;avaluació
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Magatzem nou nom
 DocType: Shopify Settings,App Type,Tipus d&#39;aplicació
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Territori
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Si us plau, no de visites requerides"
 DocType: Stock Settings,Default Valuation Method,Mètode de valoració predeterminat
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,quota
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Mostra la quantitat acumulativa
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Actualització en progrés. Pot trigar un temps.
 DocType: Production Plan Item,Produced Qty,Quant produït
 DocType: Vehicle Log,Fuel Qty,Quantitat de combustible
@@ -3849,7 +3892,7 @@
 DocType: Work Order Operation,Planned Start Time,Planificació de l'hora d'inici
 DocType: Course,Assessment,valoració
 DocType: Payment Entry Reference,Allocated,Situat
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Tancar Balanç i llibre Guany o Pèrdua.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Tancar Balanç i llibre Guany o Pèrdua.
 DocType: Student Applicant,Application Status,Estat de la sol·licitud
 DocType: Additional Salary,Salary Component Type,Tipus de component salarial
 DocType: Sensitivity Test Items,Sensitivity Test Items,Elements de prova de sensibilitat
@@ -3860,10 +3903,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Total Monto Pendent
 DocType: Sales Partner,Targets,Blancs
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,"Si us plau, registri el número SIREN en el fitxer d&#39;informació de l&#39;empresa"
+DocType: Email Digest,Sales Orders to Bill,Ordres de vendes a factures
 DocType: Price List,Price List Master,Llista de preus Mestre
 DocType: GST Account,CESS Account,Compte CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Totes les transaccions de venda es poden etiquetar contra múltiples venedors ** ** perquè pugui establir i monitoritzar metes.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Enllaç a la sol·licitud de material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Enllaç a la sol·licitud de material
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Activitat del fòrum
 ,S.O. No.,S.O. No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Paràmetres de la transacció de l&#39;estat del banc
@@ -3878,7 +3922,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Es tracta d'un grup de clients de l'arrel i no es pot editar.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Acció si es va superar el pressupost mensual acumulat a la PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Ficar
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Ficar
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revaloració del tipus de canvi
 DocType: POS Profile,Ignore Pricing Rule,Ignorar Regla preus
 DocType: Employee Education,Graduate,Graduat
@@ -3926,6 +3970,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Establiu el client predeterminat a la Configuració del restaurant
 ,Salary Register,salari Registre
 DocType: Warehouse,Parent Warehouse,Magatzem dels pares
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Gràfic
 DocType: Subscription,Net Total,Total Net
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Per defecte la llista de materials que no es troba d&#39;article {0} i {1} Projecte
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definir diversos tipus de préstecs
@@ -3958,24 +4003,26 @@
 DocType: Membership,Membership Status,Estat de la pertinença
 DocType: Travel Itinerary,Lodging Required,Allotjament obligatori
 ,Requested,Comanda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Sense Observacions
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Sense Observacions
 DocType: Asset,In Maintenance,En manteniment
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Feu clic en aquest botó per treure les dades de la comanda de venda d&#39;Amazon MWS.
 DocType: Vital Signs,Abdomen,Abdomen
 DocType: Purchase Invoice,Overdue,Endarrerit
 DocType: Account,Stock Received But Not Billed,Estoc Rebudes però no facturats
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Compte arrel ha de ser un grup
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Compte arrel ha de ser un grup
 DocType: Drug Prescription,Drug Prescription,Prescripció per drogues
 DocType: Loan,Repaid/Closed,Reemborsat / Tancat
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Quantitat total projectada
 DocType: Monthly Distribution,Distribution Name,Distribution Name
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Inclou UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","No s&#39;ha trobat el percentatge de valoració de l&#39;element {0}, que es requereix per fer entrades de comptabilitat per {1} {2}. Si l&#39;element es transacciona com a element de la taxa de valoració zero a {1}, mencioneu-lo a la taula {1} Element. En cas contrari, creeu una transacció d&#39;accions entrants per l&#39;element o mencioneu el percentatge de valoració al registre de l&#39;element i, a continuació, intenteu enviar / cancel·lar aquesta entrada."
 DocType: Course,Course Code,Codi del curs
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inspecció de qualitat requerida per a l'article {0}
 DocType: Location,Parent Location,Ubicació principal
 DocType: POS Settings,Use POS in Offline Mode,Utilitzeu TPV en mode fora de línia
 DocType: Supplier Scorecard,Supplier Variables,Variables del proveïdor
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} és obligatori. Potser el registre d&#39;intercanvi de divises no s&#39;ha creat per {1} a {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Rati a la qual es converteix la divisa del client es converteix en la moneda base de la companyia
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Taxa neta (Companyia moneda)
 DocType: Salary Detail,Condition and Formula Help,Condició i la Fórmula d&#39;Ajuda
@@ -3984,19 +4031,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Factura de vendes
 DocType: Journal Entry Account,Party Balance,Equilibri Partit
 DocType: Cash Flow Mapper,Section Subtotal,Subtotal de secció
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Seleccioneu Aplicar descompte en les
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Seleccioneu Aplicar descompte en les
 DocType: Stock Settings,Sample Retention Warehouse,Mostres de retenció de mostres
 DocType: Company,Default Receivable Account,Predeterminat Compte per Cobrar
 DocType: Purchase Invoice,Deemed Export,Es considera exportar
 DocType: Stock Entry,Material Transfer for Manufacture,Transferència de material per a la fabricació
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,El percentatge de descompte es pot aplicar ja sigui contra una llista de preus o per a tot Llista de Preus.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Entrada Comptabilitat de Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Entrada Comptabilitat de Stock
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Vostè ja ha avaluat pels criteris d&#39;avaluació {}.
 DocType: Vehicle Service,Engine Oil,d&#39;oli del motor
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Ordres de treball creades: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Ordres de treball creades: {0}
 DocType: Sales Invoice,Sales Team1,Equip de Vendes 1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Article {0} no existeix
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Article {0} no existeix
 DocType: Sales Invoice,Customer Address,Direcció del client
 DocType: Loan,Loan Details,Detalls de préstec
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,No s&#39;ha pogut configurar els accessoris post company
@@ -4017,34 +4064,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Mostra aquesta presentació de diapositives a la part superior de la pàgina
 DocType: BOM,Item UOM,Article UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Suma d&#39;impostos Després Quantitat de Descompte (Companyia moneda)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Magatzem destí obligatori per a la fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Magatzem destí obligatori per a la fila {0}
 DocType: Cheque Print Template,Primary Settings,ajustos primaris
 DocType: Attendance Request,Work From Home,Treball des de casa
 DocType: Purchase Invoice,Select Supplier Address,Seleccionar adreça del proveïdor
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Afegir Empleats
 DocType: Purchase Invoice Item,Quality Inspection,Inspecció de Qualitat
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Petit
 DocType: Company,Standard Template,plantilla estàndard
 DocType: Training Event,Theory,teoria
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Advertència: La quantitat de Material sol·licitada és inferior a la Quantitat mínima
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Advertència: La quantitat de Material sol·licitada és inferior a la Quantitat mínima
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,El compte {0} està bloquejat
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitat Legal / Subsidiari amb un gràfic separat de comptes que pertanyen a l'Organització.
 DocType: Payment Request,Mute Email,Silenciar-mail
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Alimentació, begudes i tabac"
 DocType: Account,Account Number,Número de compte
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Només es pot fer el pagament contra facturats {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,La Comissió no pot ser major que 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Només es pot fer el pagament contra facturats {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,La Comissió no pot ser major que 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Assigna avanços automàticament (FIFO)
 DocType: Volunteer,Volunteer,Voluntari
 DocType: Buying Settings,Subcontract,Subcontracte
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Si us plau, introdueixi {0} primer"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,No hi ha respostes des
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,No hi ha respostes des
 DocType: Work Order Operation,Actual End Time,Actual Hora de finalització
 DocType: Item,Manufacturer Part Number,PartNumber del fabricant
 DocType: Taxable Salary Slab,Taxable Salary Slab,Llosa salarial tributària
 DocType: Work Order Operation,Estimated Time and Cost,Temps estimat i cost
 DocType: Bin,Bin,Paperera
 DocType: Crop,Crop Name,Nom del cultiu
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Només els usuaris amb {0} funció poden registrar-se a Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Només els usuaris amb {0} funció poden registrar-se a Marketplace
 DocType: SMS Log,No of Sent SMS,No d'SMS enviats
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Nomenaments i trobades
@@ -4073,7 +4121,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Canvia el codi
 DocType: Purchase Invoice Item,Valuation Rate,Tarifa de Valoració
 DocType: Vehicle,Diesel,dièsel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,No s'ha escollit una divisa per la llista de preus
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,No s'ha escollit una divisa per la llista de preus
 DocType: Purchase Invoice,Availed ITC Cess,Aprovat ITC Cess
 ,Student Monthly Attendance Sheet,Estudiant Full d&#39;Assistència Mensual
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,La norma d&#39;enviament només és aplicable per a la venda
@@ -4089,7 +4137,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrar Punts de vendes.
 DocType: Quality Inspection,Inspection Type,Tipus d'Inspecció
 DocType: Fee Validity,Visited yet,Visitat encara
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Complexos de transacció existents no poden ser convertits en grup.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Complexos de transacció existents no poden ser convertits en grup.
 DocType: Assessment Result Tool,Result HTML,El resultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Amb quina freqüència s&#39;ha de projectar i actualitzar l&#39;empresa en funció de les transaccions comercials.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Caduca el
@@ -4097,7 +4145,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Seleccioneu {0}
 DocType: C-Form,C-Form No,C-Form No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Distància
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Distància
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Indiqueu els vostres productes o serveis que compreu o veniu.
 DocType: Water Analysis,Storage Temperature,Temperatura del magatzem
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4113,19 +4161,19 @@
 DocType: Shopify Settings,Delivery Note Series,Sèrie de notes de lliurament
 DocType: Purchase Order Item,Returned Qty,Tornat Quantitat
 DocType: Student,Exit,Sortida
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type is mandatory
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type is mandatory
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,No s&#39;ha pogut instal·lar els valors predeterminats
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversió UOM en hores
 DocType: Contract,Signee Details,Detalls del signe
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} té actualment un {1} Quadre de comandament del proveïdor en posició i les RFQs a aquest proveïdor s&#39;han de fer amb precaució.
 DocType: Certified Consultant,Non Profit Manager,Gerent sense ànim de lucre
 DocType: BOM,Total Cost(Company Currency),Cost total (Companyia de divises)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial No {0} creat
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial No {0} creat
 DocType: Homepage,Company Description for website homepage,Descripció de l&#39;empresa per a la pàgina d&#39;inici pàgina web
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Per comoditat dels clients, aquests codis es poden utilitzar en formats d'impressió, com factures i albarans"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,nom suplir
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,No s&#39;ha pogut obtenir la informació de {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Revista d&#39;obertura
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Revista d&#39;obertura
 DocType: Contract,Fulfilment Terms,Termes de compliment
 DocType: Sales Invoice,Time Sheet List,Llista de fulls de temps
 DocType: Employee,You can enter any date manually,Podeu introduir qualsevol data manualment
@@ -4160,7 +4208,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,la seva Organització
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Excepte l&#39;assignació de la permís per als següents empleats, ja que ja existeixen registres d&#39;assignació de permisos contra ells. {0}"
 DocType: Fee Component,Fees Category,taxes Categoria
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Please enter relieving date.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Please enter relieving date.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detalls del patrocinador (nom, ubicació)"
 DocType: Supplier Scorecard,Notify Employee,Notificar a l&#39;empleat
@@ -4173,9 +4221,9 @@
 DocType: Company,Chart Of Accounts Template,Gràfic de la plantilla de Comptes
 DocType: Attendance,Attendance Date,Assistència Data
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},L&#39;actualització de valors ha de ser habilitada per a la factura de compra {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Article Preu s&#39;actualitza per {0} de la llista de preus {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Article Preu s&#39;actualitza per {0} de la llista de preus {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salary breakup based on Earning and Deduction.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Compta amb nodes secundaris no es pot convertir en llibre major
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Compta amb nodes secundaris no es pot convertir en llibre major
 DocType: Purchase Invoice Item,Accepted Warehouse,Magatzem Acceptat
 DocType: Bank Reconciliation Detail,Posting Date,Data de publicació
 DocType: Item,Valuation Method,Mètode de Valoració
@@ -4212,6 +4260,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Seleccioneu un lot
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reclamació de viatge i despeses
 DocType: Sales Invoice,Redemption Cost Center,Centre de costos de reemborsament
+DocType: QuickBooks Migrator,Scope,Abast
 DocType: Assessment Group,Assessment Group Name,Nom del grup d&#39;avaluació
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material transferit per a la Fabricació
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Afegeix als detalls
@@ -4219,6 +4268,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Data de sincronització de la darrera sincronització
 DocType: Landed Cost Item,Receipt Document Type,Rebut de Tipus de Document
 DocType: Daily Work Summary Settings,Select Companies,Seleccioneu empreses
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Cita de preu de proposta / preu
 DocType: Antibiotic,Healthcare,Atenció sanitària
 DocType: Target Detail,Target Detail,Detall Target
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Variant única
@@ -4228,6 +4278,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Entrada de Tancament de Període
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Selecciona departament ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Un Centre de costos amb transaccions existents no es pot convertir en grup
+DocType: QuickBooks Migrator,Authorization URL,URL d&#39;autorització
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
 DocType: Account,Depreciation,Depreciació
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,El nombre d&#39;accions i els números d&#39;accions són incompatibles
@@ -4249,13 +4300,14 @@
 DocType: Support Search Source,Source DocType,Font DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Obriu un nou bitllet
 DocType: Training Event,Trainer Email,entrenador correu electrònic
+DocType: Driver,Transporter,Transportador
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Sol·licituds de material {0} creats
 DocType: Restaurant Reservation,No of People,No de la gent
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Plantilla de termes o contracte.
 DocType: Bank Account,Address and Contact,Direcció i Contacte
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,És compte per pagar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock no es pot actualitzar en contra rebut de compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock no es pot actualitzar en contra rebut de compra {0}
 DocType: Support Settings,Auto close Issue after 7 days,Tancament automàtic d&#39;emissió després de 7 dies
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deixi no poden ser distribuïdes abans {0}, com a balanç de la llicència ja ha estat remès equipatge al futur registre d&#39;assignació de permís {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A causa / Data de referència supera permesos dies de crèdit de clients per {0} dia (es)
@@ -4273,7 +4325,7 @@
 ,Qty to Deliver,Quantitat a lliurar
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon sincronitzarà les dades actualitzades després d&#39;aquesta data
 ,Stock Analytics,Imatges Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Les operacions no poden deixar-se en blanc
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Les operacions no poden deixar-se en blanc
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Prova (s) de laboratori
 DocType: Maintenance Visit Purpose,Against Document Detail No,Contra Detall del document núm
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},La supressió no està permesa per al país {0}
@@ -4281,13 +4333,12 @@
 DocType: Quality Inspection,Outgoing,Extravertida
 DocType: Material Request,Requested For,Requerida Per
 DocType: Quotation Item,Against Doctype,Contra Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} està cancel·lat o tancat
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} està cancel·lat o tancat
 DocType: Asset,Calculate Depreciation,Calcula la depreciació
 DocType: Delivery Note,Track this Delivery Note against any Project,Seguir aquesta nota de lliurament contra qualsevol projecte
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Efectiu net d&#39;inversió
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clients&gt; Territori
 DocType: Work Order,Work-in-Progress Warehouse,Magatzem de treballs en procés
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Actius {0} ha de ser presentat
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Actius {0} ha de ser presentat
 DocType: Fee Schedule Program,Total Students,Total d&#39;estudiants
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Registre d&#39;assistència {0} existeix en contra d&#39;estudiants {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referència #{0} amb data {1}
@@ -4306,7 +4357,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,No es pot crear un bonificador de retenció per als empleats de l&#39;esquerra
 DocType: Lead,Market Segment,Sector de mercat
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Gerent d&#39;Agricultura
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},La quantitat pagada no pot ser superior a la quantitat pendent negativa total de {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},La quantitat pagada no pot ser superior a la quantitat pendent negativa total de {0}
 DocType: Supplier Scorecard Period,Variables,Les variables
 DocType: Employee Internal Work History,Employee Internal Work History,Historial de treball intern de l'empleat
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Tancament (Dr)
@@ -4330,22 +4381,24 @@
 DocType: Amazon MWS Settings,Synch Products,Productes de sincronització
 DocType: Loyalty Point Entry,Loyalty Program,Programa de fidelització
 DocType: Student Guardian,Father,pare
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Entrades de suport
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Actualització d'Estoc 'no es pot comprovar en venda d'actius fixos"
 DocType: Bank Reconciliation,Bank Reconciliation,Conciliació bancària
 DocType: Attendance,On Leave,De baixa
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtenir actualitzacions
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Compte {2} no pertany a l&#39;empresa {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Seleccioneu com a mínim un valor de cadascun dels atributs.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Seleccioneu com a mínim un valor de cadascun dels atributs.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Material de Sol·licitud {0} es cancel·la o s'atura
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Estat de l&#39;enviament
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Estat de l&#39;enviament
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Deixa Gestió
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grups
 DocType: Purchase Invoice,Hold Invoice,Mantenir la factura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Seleccioneu Empleat
 DocType: Sales Order,Fully Delivered,Totalment Lliurat
-DocType: Lead,Lower Income,Lower Income
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Lower Income
 DocType: Restaurant Order Entry,Current Order,Ordre actual
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,El nombre de números de sèrie i de la quantitat ha de ser el mateix
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Font i el magatzem de destinació no pot ser igual per fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Font i el magatzem de destinació no pot ser igual per fila {0}
 DocType: Account,Asset Received But Not Billed,Asset rebut però no facturat
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Compte diferència ha de ser un tipus de compte d&#39;Actius / Passius, ja que aquest arxiu reconciliació és una entrada d&#39;Obertura"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Suma desemborsat no pot ser més gran que Suma del préstec {0}
@@ -4354,7 +4407,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Número d'ordre de Compra per {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Des de la data' ha de ser després de 'A data'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,No hi ha plans de personal per a aquesta designació
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,El lot {0} de l&#39;element {1} està desactivat.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,El lot {0} de l&#39;element {1} està desactivat.
 DocType: Leave Policy Detail,Annual Allocation,Assignació anual
 DocType: Travel Request,Address of Organizer,Adreça de l&#39;organitzador
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Seleccioneu l&#39;assistent sanitari ...
@@ -4363,12 +4416,12 @@
 DocType: Asset,Fully Depreciated,Estant totalment amortitzats
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Quantitat d'estoc previst
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Client {0} no pertany a projectar {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Client {0} no pertany a projectar {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Assistència marcat HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Les cites són propostes, les ofertes que ha enviat als seus clients"
 DocType: Sales Invoice,Customer's Purchase Order,Àrea de clients Ordre de Compra
 DocType: Clinical Procedure,Patient,Pacient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Comprovació de desviació de crèdit a l&#39;ordre de vendes
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Comprovació de desviació de crèdit a l&#39;ordre de vendes
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activitat d&#39;embarcament d&#39;empleats
 DocType: Location,Check if it is a hydroponic unit,Comproveu si és una unitat hidropònica
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Número de sèrie i de lot
@@ -4378,7 +4431,7 @@
 DocType: Supplier Scorecard Period,Calculations,Càlculs
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Valor o Quantitat
 DocType: Payment Terms Template,Payment Terms,Condicions de pagament
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Comandes produccions no poden ser criats per:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Comandes produccions no poden ser criats per:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minut
 DocType: Purchase Invoice,Purchase Taxes and Charges,Compra Impostos i Càrrecs
 DocType: Chapter,Meetup Embed HTML,Reunió HTML incrustar
@@ -4386,17 +4439,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Aneu als proveïdors
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impost de vals de tancament de punt de venda
 ,Qty to Receive,Quantitat a Rebre
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Les dates d&#39;inici i final no estan en un període de nòmina vàlid, no es pot calcular {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Les dates d&#39;inici i final no estan en un període de nòmina vàlid, no es pot calcular {0}."
 DocType: Leave Block List,Leave Block List Allowed,Llista d'absències permeses bloquejades
 DocType: Grading Scale Interval,Grading Scale Interval,Escala de Qualificació d&#39;interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reclamació de despeses per al registre de vehicles {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descompte (%) sobre el preu de llista tarifa amb Marge
 DocType: Healthcare Service Unit Type,Rate / UOM,Taxa / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,tots els cellers
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,No s&#39;ha trobat {0} per a les transaccions de l&#39;empresa Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,No s&#39;ha trobat {0} per a les transaccions de l&#39;empresa Inter.
 DocType: Travel Itinerary,Rented Car,Cotxe llogat
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Sobre la vostra empresa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Crèdit al compte ha de ser un compte de Balanç
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Crèdit al compte ha de ser un compte de Balanç
 DocType: Donor,Donor,Donant
 DocType: Global Defaults,Disable In Words,En desactivar Paraules
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,El codi de l'article és obligatori perquè no s'havia numerat automàticament
@@ -4408,14 +4461,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bank Overdraft Account
 DocType: Patient,Patient ID,Identificador del pacient
 DocType: Practitioner Schedule,Schedule Name,Programar el nom
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pipeline de vendes per etapa
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Feu nòmina
 DocType: Currency Exchange,For Buying,Per a la compra
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Afegeix tots els proveïdors
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Afegeix tots els proveïdors
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Fila # {0}: quantitat assignada no pot ser més gran que la quantitat pendent.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Navegar per llista de materials
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Préstecs Garantits
 DocType: Purchase Invoice,Edit Posting Date and Time,Edita data i hora d&#39;enviament
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Si us plau, estableix els comptes relacionats de depreciació d&#39;actius en Categoria {0} o de la seva empresa {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Si us plau, estableix els comptes relacionats de depreciació d&#39;actius en Categoria {0} o de la seva empresa {1}"
 DocType: Lab Test Groups,Normal Range,Rang normal
 DocType: Academic Term,Academic Year,Any escolar
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Venda disponible
@@ -4444,26 +4498,26 @@
 DocType: Patient Appointment,Patient Appointment,Cita del pacient
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,El rol d'aprovador no pot ser el mateix que el rol al que la regla s'ha d'aplicar
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Donar-se de baixa d&#39;aquest butlletí per correu electrònic
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Obteniu proveïdors per
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Obteniu proveïdors per
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} no s&#39;ha trobat per a l&#39;element {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Anar als cursos
 DocType: Accounts Settings,Show Inclusive Tax In Print,Mostra impostos inclosos en impressió
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","El compte bancari, des de la data i la data són obligatoris"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Missatge enviat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Compta amb nodes secundaris no es pot establir com a llibre major
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Compta amb nodes secundaris no es pot establir com a llibre major
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Velocitat a la qual la llista de preus de divises es converteix la moneda base del client
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Import net (Companyia moneda)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,L&#39;import anticipat total no pot ser superior al total de la quantitat sancionada
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,L&#39;import anticipat total no pot ser superior al total de la quantitat sancionada
 DocType: Salary Slip,Hour Rate,Hour Rate
 DocType: Stock Settings,Item Naming By,Article Naming Per
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Una altra entrada Període de Tancament {0} s'ha fet després de {1}
 DocType: Work Order,Material Transferred for Manufacturing,Material transferit per a la Fabricació
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,{0} no existeix Compte
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Seleccioneu Programa de fidelització
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Seleccioneu Programa de fidelització
 DocType: Project,Project Type,Tipus de Projecte
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Existeix una tasca infantil per a aquesta tasca. No podeu suprimir aquesta tasca.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Tan quantitat destí com Quantitat són obligatoris.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Tan quantitat destí com Quantitat són obligatoris.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Cost de diverses activitats
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Configura els esdeveniments a {0}, ja que l&#39;empleat que estigui connectat a la continuació venedors no té un ID d&#39;usuari {1}"
 DocType: Timesheet,Billing Details,Detalls de facturació
@@ -4520,13 +4574,13 @@
 DocType: Inpatient Record,A Negative,A negatiu
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Res més que mostrar.
 DocType: Lead,From Customer,De Client
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Trucades
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Trucades
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Un producte
 DocType: Employee Tax Exemption Declaration,Declarations,Declaracions
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,lots
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Feu horari de tarifes
 DocType: Purchase Order Item Supplied,Stock UOM,UDM de l'Estoc
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Ordre de Compra {0} no es presenta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Ordre de Compra {0} no es presenta
 DocType: Account,Expenses Included In Asset Valuation,Despeses incloses en la valoració d&#39;actius
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),El rang de referència normal per a un adult és de 16-20 respiracions / minut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Nombre de tarifes
@@ -4539,6 +4593,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Deseu primer el pacient
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,L&#39;assistència ha estat marcada amb èxit.
 DocType: Program Enrollment,Public Transport,Transport públic
+DocType: Delivery Note,GST Vehicle Type,Tipus de vehicle GST
 DocType: Soil Texture,Silt Composition (%),Composició de sèrum (%)
 DocType: Journal Entry,Remark,Observació
 DocType: Healthcare Settings,Avoid Confirmation,Eviteu la confirmació
@@ -4547,11 +4602,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Les fulles i les vacances
 DocType: Education Settings,Current Academic Term,Període acadèmic actual
 DocType: Sales Order,Not Billed,No Anunciat
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Tant Magatzem ha de pertànyer al mateix Company
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Tant Magatzem ha de pertànyer al mateix Company
 DocType: Employee Grade,Default Leave Policy,Política de sortida predeterminada
 DocType: Shopify Settings,Shop URL,Compreu l&#39;URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Encara no hi ha contactes.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configureu la sèrie de numeració per assistència mitjançant la configuració&gt; Sèrie de numeració
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Monto Voucher
 ,Item Balance (Simple),Saldo de l&#39;element (senzill)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Bills plantejades pels proveïdors.
@@ -4576,7 +4630,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Sèrie Cotització
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Hi ha un element amb el mateix nom ({0}), canvieu el nom de grup d'articles o canviar el nom de l'element"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Criteris d&#39;anàlisi del sòl
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Seleccioneu al client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Seleccioneu al client
 DocType: C-Form,I,jo
 DocType: Company,Asset Depreciation Cost Center,Centre de l&#39;amortització del cost dels actius
 DocType: Production Plan Sales Order,Sales Order Date,Sol·licitar Sales Data
@@ -4589,8 +4643,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Actualment no hi ha existències disponibles en cap magatzem
 ,Payment Period Based On Invoice Date,Període de pagament basat en Data de la factura
 DocType: Sample Collection,No. of print,Nº d&#39;impressió
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Recordatori d&#39;aniversari
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Element de reserva d&#39;habitacions de l&#39;hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manca de canvi de moneda per {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Manca de canvi de moneda per {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nom de l&#39;assegurança mèdica
 DocType: Assessment Plan,Examiner,examinador
 DocType: Student,Siblings,els germans
@@ -4607,19 +4662,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Clients Nous
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Benefici Brut%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,S&#39;ha cancel·lat la cita {0} i la factura de vendes {1}
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Oportunitats per font de plom
 DocType: Appraisal Goal,Weightage (%),Ponderació (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Canvieu el perfil de POS
 DocType: Bank Reconciliation Detail,Clearance Date,Data Liquidació
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Ja existeix un actiu contra l&#39;element {0}, no podeu canviar el valor de sèrie sense valor"
+DocType: Delivery Settings,Dispatch Notification Template,Plantilla de notificació d&#39;enviaments
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Ja existeix un actiu contra l&#39;element {0}, no podeu canviar el valor de sèrie sense valor"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Informe d&#39;avaluació
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Obtenir empleats
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Compra import brut és obligatori
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,El nom de l&#39;empresa no és el mateix
 DocType: Lead,Address Desc,Descripció de direcció
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Part és obligatòria
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},S&#39;han trobat fitxes amb dates de venciment duplicades en altres files: {list}
 DocType: Topic,Topic Name,Nom del tema
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Establiu la plantilla predeterminada per deixar la notificació d&#39;aprovació a la configuració de recursos humans.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Establiu la plantilla predeterminada per deixar la notificació d&#39;aprovació a la configuració de recursos humans.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Has de marcar compra o venda
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Seleccioneu un empleat per fer avançar l&#39;empleat.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Seleccioneu una data vàlida
@@ -4653,6 +4709,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Client o proveïdor Detalls
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY -YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Valor actiu actual
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Finançament de viatges
 DocType: Loan Application,Required by Date,Requerit per Data
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Un enllaç a totes les ubicacions en què el Cultiu creix
@@ -4666,9 +4723,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Quantitat de lots disponibles a De Magatzem
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pagament Brut - Deducció total - Pagament de Préstecs
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,El BOM actual i el nou no poden ser el mateix
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,El BOM actual i el nou no poden ser el mateix
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Salari Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Data de la jubilació ha de ser major que la data del contracte
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Data de la jubilació ha de ser major que la data del contracte
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Variants múltiples
 DocType: Sales Invoice,Against Income Account,Contra el Compte d'Ingressos
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Lliurat
@@ -4697,7 +4754,7 @@
 DocType: POS Profile,Update Stock,Actualització de Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UDMs diferents per als articles provocarà pesos nets (Total) erronis. Assegureu-vos que pes net de cada article és de la mateixa UDM.
 DocType: Certification Application,Payment Details,Detalls del pagament
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","No es pot cancel·lar la comanda de treball parada, sense desactivar-lo primer a cancel·lar"
 DocType: Asset,Journal Entry for Scrap,Entrada de diari de la ferralla
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Si us plau, tiri d'articles de lliurament Nota"
@@ -4720,11 +4777,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Suma total Sancionat
 ,Purchase Analytics,Anàlisi de Compres
 DocType: Sales Invoice Item,Delivery Note Item,Nota de lliurament d'articles
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Falta la factura actual {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Falta la factura actual {0}
 DocType: Asset Maintenance Log,Task,Tasca
 DocType: Purchase Taxes and Charges,Reference Row #,Referència Fila #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Nombre de lot és obligatori per Punt {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Es tracta d'una persona de les vendes de l'arrel i no es pot editar.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Es tracta d'una persona de les vendes de l'arrel i no es pot editar.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Si es selecciona, el valor especificat o calculats d&#39;aquest component no contribuirà als ingressos o deduccions. No obstant això, el seu valor pot ser referenciat per altres components que es poden afegir o deduir."
 DocType: Asset Settings,Number of Days in Fiscal Year,Nombre de dies d&#39;any fiscal
 ,Stock Ledger,Ledger Stock
@@ -4732,7 +4789,7 @@
 DocType: Company,Exchange Gain / Loss Account,Guany de canvi de compte / Pèrdua
 DocType: Amazon MWS Settings,MWS Credentials,Credencials MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,I assistència d&#39;empleats
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Propòsit ha de ser un de {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Propòsit ha de ser un de {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Ompliu el formulari i deseu
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Fòrum de la comunitat
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Cant que aquesta en estoc
@@ -4747,7 +4804,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Estàndard tipus venedor
 DocType: Account,Rate at which this tax is applied,Rati a la qual s'aplica aquest impost
 DocType: Cash Flow Mapper,Section Name,Nom de la secció
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Quantitat per a generar comanda
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Quantitat per a generar comanda
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Ofertes d&#39;ocupació actuals
 DocType: Company,Stock Adjustment Account,Compte d'Ajust d'estocs
 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Cancel
@@ -4756,8 +4813,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. If set, it will become default for all HR forms."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Introduïu detalls de la depreciació
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Des {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Deixar l&#39;aplicació {0} ja existeix contra l&#39;estudiant {1}
 DocType: Task,depends_on,depèn de
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,En cua per actualitzar l&#39;últim preu en tota la factura de materials. Pot trigar uns quants minuts.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,En cua per actualitzar l&#39;últim preu en tota la factura de materials. Pot trigar uns quants minuts.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nom del nou compte. Nota: Si us plau no crear comptes de clients i proveïdors
 DocType: POS Profile,Display Items In Stock,Mostrar articles en estoc
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,País savi defecte Plantilles de direcció
@@ -4787,16 +4845,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Les ranures per a {0} no s&#39;afegeixen a la programació
 DocType: Product Bundle,List items that form the package.,Llista d'articles que formen el paquet.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,No permès. Desactiva la plantilla de prova
+DocType: Delivery Note,Distance (in km),Distància (en km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentatge d'assignació ha de ser igual a 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Seleccioneu Data d&#39;entrada abans de seleccionar la festa
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Seleccioneu Data d&#39;entrada abans de seleccionar la festa
 DocType: Program Enrollment,School House,Casa de l&#39;escola
 DocType: Serial No,Out of AMC,Fora d'AMC
+DocType: Opportunity,Opportunity Amount,Import de l&#39;oportunitat
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Nombre de Depreciacions reserva no pot ser més gran que el nombre total d&#39;amortitzacions
 DocType: Purchase Order,Order Confirmation Date,Data de confirmació de la comanda
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Feu Manteniment Visita
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","La data d&#39;inici i la data de final coincideixen amb la targeta de treball <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Detalls de la transferència d&#39;empleats
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Si us plau, poseu-vos en contacte amb l'usuari que té vendes Mestre Director de {0} paper"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Si us plau, poseu-vos en contacte amb l'usuari que té vendes Mestre Director de {0} paper"
 DocType: Company,Default Cash Account,Compte de Tresoreria predeterminat
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Companyia (no client o proveïdor) mestre.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Això es basa en la presència d&#39;aquest Estudiant
@@ -4804,9 +4865,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Afegir més elements o forma totalment oberta
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Albarans {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Aneu als usuaris
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Quantitat pagada + s'amortitza La quantitat no pot ser més gran que la Gran Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Quantitat pagada + s'amortitza La quantitat no pot ser més gran que la Gran Total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} no és un nombre de lot vàlida per Punt {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Note: There is not enough leave balance for Leave Type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Note: There is not enough leave balance for Leave Type {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN invàlida o Enter NA per no registrat
 DocType: Training Event,Seminar,seminari
 DocType: Program Enrollment Fee,Program Enrollment Fee,Programa de quota d&#39;inscripció
@@ -4823,7 +4884,7 @@
 DocType: Fee Schedule,Fee Schedule,Llista de tarifes
 DocType: Company,Create Chart Of Accounts Based On,Crear pla de comptes basada en
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,No es pot convertir a no grup. Existeixen tasques infantils.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Data de naixement no pot ser més gran que l&#39;actual.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Data de naixement no pot ser més gran que l&#39;actual.
 ,Stock Ageing,Estoc Envelliment
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Patrocinat parcialment, requereix finançament parcial"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Estudiant {0} existeix contra l&#39;estudiant sol·licitant {1}
@@ -4870,11 +4931,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Abans de la reconciliació
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Per {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos i Càrrecs Afegits (Divisa de la Companyia)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La fila de l'impost d'article {0} ha de tenir en compte el tipus d'impostos o ingressos o despeses o imposable
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La fila de l'impost d'article {0} ha de tenir en compte el tipus d'impostos o ingressos o despeses o imposable
 DocType: Sales Order,Partly Billed,Parcialment Facturat
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Element {0} ha de ser un element d&#39;actiu fix
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Feu variants
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Feu variants
 DocType: Item,Default BOM,BOM predeterminat
 DocType: Project,Total Billed Amount (via Sales Invoices),Import total facturat (mitjançant factures de vendes)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Nota de dèbit Quantitat
@@ -4903,13 +4964,13 @@
 DocType: Notification Control,Custom Message,Missatge personalitzat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Banca d'Inversió
 DocType: Purchase Invoice,input,entrada
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Diners en efectiu o compte bancari és obligatòria per a realitzar el registre de pagaments
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Diners en efectiu o compte bancari és obligatòria per a realitzar el registre de pagaments
 DocType: Loyalty Program,Multiple Tier Program,Programa de nivell múltiple
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Direcció de l&#39;estudiant
 DocType: Purchase Invoice,Price List Exchange Rate,Tipus de canvi per a la llista de preus
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Tots els grups de proveïdors
 DocType: Employee Boarding Activity,Required for Employee Creation,Obligatori per a la creació d&#39;empleats
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Número del compte {0} ja utilitzat al compte {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Número del compte {0} ja utilitzat al compte {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,Nom del perfil de la TPV
 DocType: Hotel Room Reservation,Booked,Reservat
@@ -4926,18 +4987,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Reference No és obligatori si introduir Data de Referència
 DocType: Bank Reconciliation Detail,Payment Document,El pagament del document
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,S&#39;ha produït un error en avaluar la fórmula de criteris
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Data d'ingrés ha de ser major que la data de naixement
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Data d'ingrés ha de ser major que la data de naixement
 DocType: Subscription,Plans,Plans
 DocType: Salary Slip,Salary Structure,Estructura salarial
 DocType: Account,Bank,Banc
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Aerolínia
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Material Issue
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Material Issue
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Connecta Shopify amb ERPNext
 DocType: Material Request Item,For Warehouse,Per Magatzem
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Notes de lliurament {0} actualitzades
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Notes de lliurament {0} actualitzades
 DocType: Employee,Offer Date,Data d'Oferta
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cites
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Vostè està en mode fora de línia. Vostè no serà capaç de recarregar fins que tingui la xarxa.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Cites
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Vostè està en mode fora de línia. Vostè no serà capaç de recarregar fins que tingui la xarxa.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Concessió
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,No hi ha grups d&#39;estudiants van crear.
 DocType: Purchase Invoice Item,Serial No,Número de sèrie
@@ -4949,24 +5010,26 @@
 DocType: Sales Invoice,Customer PO Details,Detalls de la PO dels clients
 DocType: Stock Entry,Including items for sub assemblies,Incloent articles per subconjunts
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Compte d&#39;obertura temporal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Introduir el valor ha de ser positiu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Introduir el valor ha de ser positiu
 DocType: Asset,Finance Books,Llibres de finances
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Categoria Declaració d&#39;exempció d&#39;impostos dels empleats
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Tots els territoris
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Establiu la política d&#39;abandonament per al treballador {0} en el registre de l&#39;empleat / grau
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ordre de manta no vàlid per al client i l&#39;article seleccionats
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ordre de manta no vàlid per al client i l&#39;article seleccionats
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Afegeix diverses tasques
 DocType: Purchase Invoice,Items,Articles
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,La data de finalització no pot ser abans de la data d&#39;inici.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Estudiant ja està inscrit.
 DocType: Fiscal Year,Year Name,Nom Any
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Hi ha més vacances que els dies de treball aquest mes.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Hi ha més vacances que els dies de treball aquest mes.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Els següents elements {0} no estan marcats com a {1} element. Podeu habilitar-los com a {1} ítem des del vostre ítem principal
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Producte Bundle article
 DocType: Sales Partner,Sales Partner Name,Nom del revenedor
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Sol·licitud de Cites
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Sol·licitud de Cites
 DocType: Payment Reconciliation,Maximum Invoice Amount,Import Màxim Factura
 DocType: Normal Test Items,Normal Test Items,Elements de prova normals
+DocType: QuickBooks Migrator,Company Settings,Configuració de la companyia
 DocType: Additional Salary,Overwrite Salary Structure Amount,Sobreescriure la quantitat d&#39;estructura salarial
 DocType: Student Language,Student Language,idioma de l&#39;estudiant
 apps/erpnext/erpnext/config/selling.py +23,Customers,clients
@@ -4978,21 +5041,23 @@
 DocType: Issue,Opening Time,Temps d'obertura
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Des i Fins a la data sol·licitada
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Securities & Commodity Exchanges
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitat de mesura per defecte per Variant &#39;{0}&#39; ha de ser el mateix que a la plantilla &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitat de mesura per defecte per Variant &#39;{0}&#39; ha de ser el mateix que a la plantilla &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Calcula a causa del
 DocType: Contract,Unfulfilled,No s&#39;ha complert
 DocType: Delivery Note Item,From Warehouse,De Magatzem
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Cap empleat pels criteris esmentats
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,No hi ha articles amb la llista de materials per a la fabricació de
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,No hi ha articles amb la llista de materials per a la fabricació de
 DocType: Shopify Settings,Default Customer,Client per defecte
+DocType: Sales Stage,Stage Name,Nom artistic
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN -YYYY.-
 DocType: Assessment Plan,Supervisor Name,Nom del supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,No confirmeu si es crea una cita per al mateix dia
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Enviament a estat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Enviament a estat
 DocType: Program Enrollment Course,Program Enrollment Course,I matrícula Programa
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},L&#39;usuari {0} ja està assignat a Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Feu l&#39;entrada de mostra d&#39;emmagatzematge de mostres
 DocType: Purchase Taxes and Charges,Valuation and Total,Valoració i total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negociació / revisió
 DocType: Leave Encashment,Encashment Amount,Quantitat de coberta
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Quadres de comandament
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Llançaments caducats
@@ -5002,7 +5067,7 @@
 DocType: Staffing Plan Detail,Current Openings,Obertures actuals
 DocType: Notification Control,Customize the Notification,Personalitza la Notificació
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Flux de caixa operatiu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Import de CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Import de CGST
 DocType: Purchase Invoice,Shipping Rule,Regla d'enviament
 DocType: Patient Relation,Spouse,Cònjuge
 DocType: Lab Test Groups,Add Test,Afegir prova
@@ -5016,14 +5081,14 @@
 DocType: Payroll Entry,Payroll Frequency,La nòmina de freqüència
 DocType: Lab Test Template,Sensitivity,Sensibilitat
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,S&#39;ha desactivat temporalment la sincronització perquè s&#39;han superat els recessos màxims
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Matèria Primera
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Matèria Primera
 DocType: Leave Application,Follow via Email,Seguiu per correu electrònic
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Les plantes i maquinàries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Suma d'impostos Després del Descompte
 DocType: Patient,Inpatient Status,Estat d&#39;internament
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ajustos diàries Resum Treball
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,La llista de preus seleccionada hauria de comprovar els camps comprats i venuts.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Introduïu Reqd per data
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,La llista de preus seleccionada hauria de comprovar els camps comprats i venuts.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Introduïu Reqd per data
 DocType: Payment Entry,Internal Transfer,transferència interna
 DocType: Asset Maintenance,Maintenance Tasks,Tasques de manteniment
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Cal la Quantitat destí i la origen
@@ -5044,7 +5109,7 @@
 DocType: Mode of Payment,General,General
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,última Comunicació
 ,TDS Payable Monthly,TDS mensuals pagables
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,En espera per reemplaçar la BOM. Pot trigar uns minuts.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,En espera per reemplaçar la BOM. Pot trigar uns minuts.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No es pot deduir quan categoria és per a 'Valoració' o 'Valoració i Total'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Nº de Sèrie Necessari per article serialitzat {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Els pagaments dels partits amb les factures
@@ -5057,7 +5122,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Afegir a la cistella
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Agrupar per
 DocType: Guardian,Interests,interessos
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Activar / desactivar les divises.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Activar / desactivar les divises.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,No s&#39;han pogut enviar alguns esborranys salarials
 DocType: Exchange Rate Revaluation,Get Entries,Obteniu entrades
 DocType: Production Plan,Get Material Request,Obtenir Sol·licitud de materials
@@ -5079,15 +5144,16 @@
 DocType: Lead,Lead Type,Tipus de client potencial
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,No està autoritzat per aprovar els fulls de bloquejar les dates
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Tots aquests elements ja s'han facturat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Estableix una nova data de llançament
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Estableix una nova data de llançament
 DocType: Company,Monthly Sales Target,Objectiu de vendes mensuals
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Pot ser aprovat per {0}
 DocType: Hotel Room,Hotel Room Type,Tipus d&#39;habitació de l&#39;hotel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Proveïdor&gt; Tipus de proveïdor
 DocType: Leave Allocation,Leave Period,Període d&#39;abandonament
 DocType: Item,Default Material Request Type,El material predeterminat Tipus de sol·licitud
 DocType: Supplier Scorecard,Evaluation Period,Període d&#39;avaluació
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,desconegut
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,No s&#39;ha creat l&#39;ordre de treball
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,No s&#39;ha creat l&#39;ordre de treball
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","S&#39;ha reclamat una quantitat de {0} per al component {1}, \ estableixi la quantitat igual o superior a {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Condicions d'enviament
@@ -5120,15 +5186,15 @@
 DocType: Batch,Source Document Name,Font Nom del document
 DocType: Production Plan,Get Raw Materials For Production,Obtenir matèries primeres per a la producció
 DocType: Job Opening,Job Title,Títol Professional
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indica que {1} no proporcionarà una cita, però tots els ítems s&#39;han citat. Actualització de l&#39;estat de la cotització de RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,S&#39;han conservat les mostres màximes ({0}) per al lot {1} i l&#39;element {2} en lot {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,S&#39;han conservat les mostres màximes ({0}) per al lot {1} i l&#39;element {2} en lot {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Actualitza el cost de la BOM automàticament
 DocType: Lab Test,Test Name,Nom de la prova
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Procediment clínic Consumible Article
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,crear usuaris
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Subscripcions
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Subscripcions
 DocType: Supplier Scorecard,Per Month,Per mes
 DocType: Education Settings,Make Academic Term Mandatory,Fer el mandat acadèmic obligatori
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Quantitat de Fabricació ha de ser major que 0.
@@ -5137,9 +5203,9 @@
 DocType: Stock Entry,Update Rate and Availability,Actualització de tarifes i disponibilitat
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percentatge que se li permet rebre o lliurar més en contra de la quantitat demanada. Per exemple: Si vostè ha demanat 100 unitats. i el subsidi és de 10%, llavors se li permet rebre 110 unitats."
 DocType: Loyalty Program,Customer Group,Grup de Clients
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Fila {{0}: l&#39;operació {1} no es completa per {2} quatres de productes acabats a l&#39;Ordre de treball núm. {3}. Actualitzeu l&#39;estat de l&#39;operació mitjançant registres de temps
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Fila {{0}: l&#39;operació {1} no es completa per {2} quatres de productes acabats a l&#39;Ordre de treball núm. {3}. Actualitzeu l&#39;estat de l&#39;operació mitjançant registres de temps
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nou lot d&#39;identificació (opcional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},El compte de despeses és obligatòria per a cada element {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},El compte de despeses és obligatòria per a cada element {0}
 DocType: BOM,Website Description,Descripció del lloc web
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Canvi en el Patrimoni Net
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,"Si us plau, cancel·lar Factura de Compra {0} primera"
@@ -5154,7 +5220,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,No hi ha res a editar.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Vista de formularis
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Aprovació de despeses obligatòria en la reclamació de despeses
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Resum per a aquest mes i activitats pendents
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Resum per a aquest mes i activitats pendents
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Establiu el compte de guany / pèrdua de l&#39;Exchange no realitzat a l&#39;empresa {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Afegiu usuaris a la vostra organització, a part de tu mateix."
 DocType: Customer Group,Customer Group Name,Nom del grup al Client
@@ -5164,14 +5230,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,No s&#39;ha creat cap sol·licitud de material
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma del préstec no pot excedir quantitat màxima del préstec de {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,llicència
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Si us plau, elimini aquest Factura {0} de C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Si us plau, elimini aquest Factura {0} de C-Form {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Seleccioneu Carry Forward si també voleu incloure el balanç de l'any fiscal anterior deixa a aquest any fiscal
 DocType: GL Entry,Against Voucher Type,Contra el val tipus
 DocType: Healthcare Practitioner,Phone (R),Telèfon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,S&#39;han afegit franges horàries
 DocType: Item,Attributes,Atributs
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Habilita la plantilla
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Si us plau indica el Compte d'annotació
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Si us plau indica el Compte d'annotació
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Darrera Data de comanda
 DocType: Salary Component,Is Payable,És a pagar
 DocType: Inpatient Record,B Negative,B negatiu
@@ -5182,7 +5248,7 @@
 DocType: Hotel Room,Hotel Room,Habitació d&#39;hotel
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Compte {0} no pertany a la companyia de {1}
 DocType: Leave Type,Rounding,Redondeig
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Números de sèrie en fila {0} no coincideix amb la nota de lliurament
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Números de sèrie en fila {0} no coincideix amb la nota de lliurament
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Quantitat distribuïda (prorratejada)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","A continuació, les Normes de preus es filtren segons client, grup de clients, territori, proveïdor, grup de proveïdors, campanya, soci de vendes, etc."
 DocType: Student,Guardian Details,guardià detalls
@@ -5191,10 +5257,10 @@
 DocType: Vehicle,Chassis No,nº de xassís
 DocType: Payment Request,Initiated,Iniciada
 DocType: Production Plan Item,Planned Start Date,Data d'inici prevista
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Seleccioneu un BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Seleccioneu un BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Impost integrat ITC aprofitat
 DocType: Purchase Order Item,Blanket Order Rate,Tarifa de comanda de mantega
-apps/erpnext/erpnext/hooks.py +156,Certification,Certificació
+apps/erpnext/erpnext/hooks.py +157,Certification,Certificació
 DocType: Bank Guarantee,Clauses and Conditions,Clàusules i condicions
 DocType: Serial No,Creation Document Type,Creació de tipus de document
 DocType: Project Task,View Timesheet,Veure full de temps
@@ -5219,6 +5285,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Article Pare {0} no ha de ser un arxiu d&#39;articles
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Llistat de llocs web
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tots els Productes o Serveis.
+DocType: Email Digest,Open Quotations,Cites obertes
 DocType: Expense Claim,More Details,Més detalls
 DocType: Supplier Quotation,Supplier Address,Adreça del Proveïdor
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Pressupost per al compte {1} contra {2} {3} {4} és. Es superarà per {5}
@@ -5233,12 +5300,11 @@
 DocType: Training Event,Exam,examen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Error del mercat
 DocType: Complaint,Complaint,Queixa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Magatzem necessari per a l'article d'estoc {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Magatzem necessari per a l'article d'estoc {0}
 DocType: Leave Allocation,Unused leaves,Fulles no utilitzades
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Feu ingrés de reemborsament
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Tots els Departaments
 DocType: Healthcare Service Unit,Vacant,Vacant
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Proveïdor&gt; Tipus de proveïdor
 DocType: Patient,Alcohol Past Use,Ús del passat alcohòlic
 DocType: Fertilizer Content,Fertilizer Content,Contingut d&#39;abonament
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5246,7 +5312,7 @@
 DocType: Tax Rule,Billing State,Estat de facturació
 DocType: Share Transfer,Transfer,Transferència
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,L&#39;ordre de treball {0} s&#39;ha de cancel·lar abans de cancel·lar aquesta comanda de venda
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch exploded BOM (including sub-assemblies)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch exploded BOM (including sub-assemblies)
 DocType: Authorization Rule,Applicable To (Employee),Aplicable a (Empleat)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Data de venciment és obligatori
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Increment de Atribut {0} no pot ser 0
@@ -5262,7 +5328,7 @@
 DocType: Disease,Treatment Period,Període de tractament
 DocType: Travel Itinerary,Travel Itinerary,Itinerari de viatge
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Resultat ja enviat
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,El magatzem reservat és obligatori per l&#39;element {0} en matèries primeres subministrades
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,El magatzem reservat és obligatori per l&#39;element {0} en matèries primeres subministrades
 ,Inactive Customers,Els clients inactius
 DocType: Student Admission Program,Maximum Age,Edat màxima
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Espereu 3 dies abans de tornar a enviar el recordatori.
@@ -5271,7 +5337,6 @@
 DocType: Stock Entry,Delivery Note No,Número d'albarà de lliurament
 DocType: Cheque Print Template,Message to show,Missatge a mostrar
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Venda al detall
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Gestioneu la factura de cita automàticament
 DocType: Student Attendance,Absent,Absent
 DocType: Staffing Plan,Staffing Plan Detail,Detall del pla de personal
 DocType: Employee Promotion,Promotion Date,Data de promoció
@@ -5293,7 +5358,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,fer plom
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Impressió i papereria
 DocType: Stock Settings,Show Barcode Field,Mostra Camp de codi de barres
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Enviar missatges de correu electrònic del proveïdor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Enviar missatges de correu electrònic del proveïdor
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salari ja processada per al període entre {0} i {1}, Deixa període d&#39;aplicació no pot estar entre aquest interval de dates."
 DocType: Fiscal Year,Auto Created,Creada automàticament
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Envieu això per crear el registre d&#39;empleats
@@ -5302,7 +5367,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,La factura {0} ja no existeix
 DocType: Guardian Interest,Guardian Interest,guardià interès
 DocType: Volunteer,Availability,Disponibilitat
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Configuració dels valors predeterminats per a les factures de POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Configuració dels valors predeterminats per a les factures de POS
 apps/erpnext/erpnext/config/hr.py +248,Training,formació
 DocType: Project,Time to send,Temps per enviar
 DocType: Timesheet,Employee Detail,Detall dels empleats
@@ -5325,7 +5390,7 @@
 DocType: Training Event Employee,Optional,Opcional
 DocType: Salary Slip,Earning & Deduction,Guanyar i Deducció
 DocType: Agriculture Analysis Criteria,Water Analysis,Anàlisi de l&#39;aigua
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,S&#39;han creat {0} variants.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,S&#39;han creat {0} variants.
 DocType: Amazon MWS Settings,Region,Regió
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Aquest ajust s'utilitza per filtrar en diverses transaccions.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,No es permeten els ràtios de valoració negatius
@@ -5344,7 +5409,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Cost d&#39;Actius Scrapped
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de Cost és obligatori per l'article {2}
 DocType: Vehicle,Policy No,sense política
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Obtenir elements del paquet del producte
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Obtenir elements del paquet del producte
 DocType: Asset,Straight Line,Línia recta
 DocType: Project User,Project User,usuari projecte
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,divisió
@@ -5352,7 +5417,7 @@
 DocType: GL Entry,Is Advance,És Avanç
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Cicle de vida dels empleats
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Assistència Des de la data i Assistència a la data és obligatori
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Si us plau, introdueixi 'subcontractació' com Sí o No"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Si us plau, introdueixi 'subcontractació' com Sí o No"
 DocType: Item,Default Purchase Unit of Measure,Unitat de compra predeterminada de la mesura
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Darrera data de Comunicació
 DocType: Clinical Procedure Item,Clinical Procedure Item,Article del procediment clínic
@@ -5361,7 +5426,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Falta l&#39;accés token o Storeify URL
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,Magatzem de ferralla
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Es necessita un magatzem a la fila No {0}, definiu el magatzem predeterminat per a l&#39;element {1} per a l&#39;empresa {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Es necessita un magatzem a la fila No {0}, definiu el magatzem predeterminat per a l&#39;element {1} per a l&#39;empresa {2}"
 DocType: Work Order,Check if material transfer entry is not required,Comproveu si no es requereix l&#39;entrada de transferència de material
 DocType: Program Enrollment Tool,Get Students From,Rep estudiants de
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Publicar articles per pàgina web
@@ -5376,6 +5441,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nou lot Quantitat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Roba i Accessoris
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,No s&#39;ha pogut resoldre la funció de puntuació ponderada. Assegureu-vos que la fórmula sigui vàlida.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Els articles de la comanda de compra no s&#39;han rebut a temps
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Número d'ordre
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner que apareixerà a la part superior de la llista de productes.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especifica les condicions d'enviament per calcular l'import del transport
@@ -5384,9 +5450,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Camí
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"No es pot convertir de centres de cost per al llibre major, ja que té nodes secundaris"
 DocType: Production Plan,Total Planned Qty,Total de quantitats planificades
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Valor d&#39;obertura
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Valor d&#39;obertura
 DocType: Salary Component,Formula,fórmula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Plantilla de prova de laboratori
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Compte de vendes
 DocType: Purchase Invoice Item,Total Weight,Pes total
@@ -5404,7 +5470,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Fer Sol·licitud de materials
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Obrir element {0}
 DocType: Asset Finance Book,Written Down Value,Valor escrit per sota
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configureu el sistema de nomenclatura d&#39;empleats en recursos humans&gt; Configuració de recursos humans
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La factura {0} ha de ser cancel·lada abans de cancel·lar aquesta comanda de vendes
 DocType: Clinical Procedure,Age,Edat
 DocType: Sales Invoice Timesheet,Billing Amount,Facturació Monto
@@ -5413,11 +5478,11 @@
 DocType: Company,Default Employee Advance Account,Compte anticipat d&#39;empleats per defecte
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Element de cerca (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Un compte amb transaccions no es pot eliminar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Un compte amb transaccions no es pot eliminar
 DocType: Vehicle,Last Carbon Check,Últim control de Carboni
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Despeses legals
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Si us plau seleccioni la quantitat al corredor
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Feu factures d&#39;obertura i compra de factures
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Feu factures d&#39;obertura i compra de factures
 DocType: Purchase Invoice,Posting Time,Temps d'enviament
 DocType: Timesheet,% Amount Billed,% Import Facturat
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Despeses telefòniques
@@ -5432,14 +5497,14 @@
 DocType: Maintenance Visit,Breakdown,Breakdown
 DocType: Travel Itinerary,Vegetarian,Vegetariana
 DocType: Patient Encounter,Encounter Date,Data de trobada
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Compte: {0} amb la divisa: {1} no es pot seleccionar
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Compte: {0} amb la divisa: {1} no es pot seleccionar
 DocType: Bank Statement Transaction Settings Item,Bank Data,Dades bancàries
 DocType: Purchase Receipt Item,Sample Quantity,Quantitat de mostra
 DocType: Bank Guarantee,Name of Beneficiary,Nom del beneficiari
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Actualitza el cost de la BOM automàticament mitjançant Scheduler, en funció de la taxa de valoració / tarifa de preu més recent / la darrera tarifa de compra de matèries primeres."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Data Xec
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: el compte Pare {1} no pertany a la companyia: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: el compte Pare {1} no pertany a la companyia: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Eliminat correctament totes les transaccions relacionades amb aquesta empresa!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Com en la data
 DocType: Additional Salary,HR,HR
@@ -5447,7 +5512,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Alertes SMS de pacients
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Probation
 DocType: Program Enrollment Tool,New Academic Year,Nou Any Acadèmic
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Retorn / Nota de Crèdit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Retorn / Nota de Crèdit
 DocType: Stock Settings,Auto insert Price List rate if missing,Acte inserit taxa Llista de Preus si falta
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Suma total de pagament
 DocType: GST Settings,B2C Limit,Límit B2C
@@ -5465,10 +5530,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Els nodes fills només poden ser creats sota els nodes de tipus &quot;grup&quot;
 DocType: Attendance Request,Half Day Date,Medi Dia Data
 DocType: Academic Year,Academic Year Name,Nom Any Acadèmic
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} no està permès transaccionar amb {1}. Canvieu la companyia.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} no està permès transaccionar amb {1}. Canvieu la companyia.
 DocType: Sales Partner,Contact Desc,Descripció del Contacte
 DocType: Email Digest,Send regular summary reports via Email.,Enviar informes periòdics resumits per correu electrònic.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Si us plau, estableix per defecte en compte Tipus de Despeses {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Si us plau, estableix per defecte en compte Tipus de Despeses {0}"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Fulles disponibles
 DocType: Assessment Result,Student Name,Nom de l&#39;estudiant
 DocType: Hub Tracked Item,Item Manager,Administració d&#39;elements
@@ -5493,9 +5558,10 @@
 DocType: Subscription,Trial Period End Date,Període de prova Data de finalització
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,No distribuïdor oficial autoritzat des {0} excedeix els límits
 DocType: Serial No,Asset Status,Estat d&#39;actius
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Càrrec a gran dimensió (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Taula de restaurants
 DocType: Hotel Room,Hotel Manager,Gerent d&#39;hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Estableixi la regla fiscal de carret de la compra
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Estableixi la regla fiscal de carret de la compra
 DocType: Purchase Invoice,Taxes and Charges Added,Impostos i càrregues afegides
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,La fila de depreciació {0}: la següent data de la depreciació no pot ser abans de la data d&#39;ús disponible
 ,Sales Funnel,Sales Funnel
@@ -5511,9 +5577,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Tots els Grups de clients
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,acumulat Mensual
 DocType: Attendance Request,On Duty,De servei
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} és obligatori. Potser el registre de canvi de divisa no es crea per {1} a {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} és obligatori. Potser el registre de canvi de divisa no es crea per {1} a {2}.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Plantilla d&#39;impostos és obligatori.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Compte {0}: el compte superior {1} no existeix
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Compte {0}: el compte superior {1} no existeix
 DocType: POS Closing Voucher,Period Start Date,Data d&#39;inici del període
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Tarifa de preus (en la moneda de la companyia)
 DocType: Products Settings,Products Settings,productes Ajustaments
@@ -5533,7 +5599,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Aquesta acció aturarà la facturació futura. Estàs segur que vols cancel·lar aquesta subscripció?
 DocType: Serial No,Distinct unit of an Item,Unitat diferent d'un article
 DocType: Supplier Scorecard Criteria,Criteria Name,Nom del criteri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Si us plau ajust l&#39;empresa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Si us plau ajust l&#39;empresa
 DocType: Procedure Prescription,Procedure Created,Procediment creat
 DocType: Pricing Rule,Buying,Compra
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Malalties i fertilitzants
@@ -5550,28 +5616,29 @@
 DocType: Employee Onboarding,Job Offer,Oferta de treball
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institut Abreviatura
 ,Item-wise Price List Rate,Llista de Preus de tarifa d'article
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Cita Proveïdor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Cita Proveïdor
 DocType: Quotation,In Words will be visible once you save the Quotation.,En paraules seran visibles un cop que es guarda la Cotització.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Quantitat ({0}) no pot ser una fracció a la fila {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Quantitat ({0}) no pot ser una fracció a la fila {1}
 DocType: Contract,Unsigned,Sense signar
 DocType: Selling Settings,Each Transaction,Cada transacció
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} ja utilitzat en el punt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} ja utilitzat en el punt {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regles per afegir les despeses d'enviament.
 DocType: Hotel Room,Extra Bed Capacity,Capacitat de llit supletori
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaància
 DocType: Item,Opening Stock,l&#39;obertura de la
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Es requereix client
 DocType: Lab Test,Result Date,Data de resultats
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Data
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Data
 DocType: Purchase Order,To Receive,Rebre
 DocType: Leave Period,Holiday List for Optional Leave,Llista de vacances per a la licitació opcional
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Propietari d&#39;actius
 DocType: Purchase Invoice,Reason For Putting On Hold,Motiu per posar-los en espera
 DocType: Employee,Personal Email,Email Personal
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Variància total
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Variància total
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si està activat, el sistema comptabilitza els assentaments comptables per a l'inventari automàticament."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Corretatge
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,L&#39;assistència per a l&#39;empleat {0} ja està marcat per al dia d&#39;avui
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,L&#39;assistència per a l&#39;empleat {0} ja està marcat per al dia d&#39;avui
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","en minuts 
  Actualitzat a través de 'Hora de registre'"
@@ -5579,14 +5646,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Ordres de sincronització
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Comandes llançades per a la producció.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Seleccioneu l'Any Fiscal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS perfil requerit per fer l&#39;entrada POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS perfil requerit per fer l&#39;entrada POS
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Els punts de fidelització es calcularan a partir del fet gastat (a través de la factura de vendes), segons el factor de recollida esmentat."
 DocType: Program Enrollment Tool,Enroll Students,inscriure els estudiants
 DocType: Company,HRA Settings,Configuració HRA
 DocType: Employee Transfer,Transfer Date,Data de transferència
 DocType: Lab Test,Approved Date,Data aprovada
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Almenys un magatzem és obligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Almenys un magatzem és obligatori
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Configurar camps d&#39;elements com UOM, grup d&#39;elements, descripció i número d&#39;hores."
 DocType: Certification Application,Certification Status,Estat de certificació
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5606,6 +5673,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Combinació de factures
 DocType: Work Order,Required Items,elements necessaris
 DocType: Stock Ledger Entry,Stock Value Difference,Diferència del valor d'estoc
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,L&#39;element fila {0}: {1} {2} no existeix a la taula superior de &#39;{1}&#39;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Recursos Humans
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Payment Reconciliation Payment
 DocType: Disease,Treatment Task,Tasca del tractament
@@ -5623,7 +5691,8 @@
 DocType: Account,Debit,Dèbit
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Les fulles han de ser assignats en múltiples de 0,5"
 DocType: Work Order,Operation Cost,Cost d'operació
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Excel·lent Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identificació de fabricants de decisions
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Excel·lent Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establir Grup d'articles per aquest venedor.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Congela els estocs més vells de [dies]
 DocType: Payment Request,Payment Ordered,Pagament sol·licitat
@@ -5635,13 +5704,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Deixi els següents usuaris per aprovar sol·licituds de llicència per a diversos dies de bloc.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Cicle de vida
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Feu BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},tarifa per a la venda d&#39;element {0} és més baix que el seu {1}. tipus venedor ha de tenir una antiguitat {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},tarifa per a la venda d&#39;element {0} és més baix que el seu {1}. tipus venedor ha de tenir una antiguitat {2}
 DocType: Subscription,Taxes,Impostos
 DocType: Purchase Invoice,capital goods,béns d&#39;equip
 DocType: Purchase Invoice Item,Weight Per Unit,Pes per unitat
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,A càrrec i no lliurats
-DocType: Project,Default Cost Center,Centre de cost predeterminat
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Centre de cost predeterminat
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Les transaccions de valors
 DocType: Budget,Budget Accounts,comptes Pressupost
 DocType: Employee,Internal Work History,Historial de treball intern
@@ -5674,7 +5742,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},L&#39;assistent sanitari no està disponible a {0}
 DocType: Stock Entry Detail,Additional Cost,Cost addicional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Can not filter based on Voucher No, if grouped by Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Fer Oferta de Proveïdor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Fer Oferta de Proveïdor
 DocType: Quality Inspection,Incoming,Entrant
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Es creen plantilles d&#39;impostos predeterminades per a vendes i compra.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,El registre del resultat de l&#39;avaluació {0} ja existeix.
@@ -5690,7 +5758,7 @@
 DocType: Batch,Batch ID,Identificació de lots
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Nota: {0}
 ,Delivery Note Trends,Nota de lliurament Trends
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Resum de la setmana
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Resum de la setmana
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,En estoc Quantitat
 ,Daily Work Summary Replies,Resum del treball diari Respostes
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcular els temps estimats d&#39;arribada
@@ -5700,7 +5768,7 @@
 DocType: Bank Account,Party,Party
 DocType: Healthcare Settings,Patient Name,Nom del pacient
 DocType: Variant Field,Variant Field,Camp de variants
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Ubicació del destí
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Ubicació del destí
 DocType: Sales Order,Delivery Date,Data De Lliurament
 DocType: Opportunity,Opportunity Date,Data oportunitat
 DocType: Employee,Health Insurance Provider,Proveïdor d&#39;assegurances de salut
@@ -5719,7 +5787,7 @@
 DocType: Employee,History In Company,Història a la Companyia
 DocType: Customer,Customer Primary Address,Direcció principal del client
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Butlletins
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Número de referència.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Número de referència.
 DocType: Drug Prescription,Description/Strength,Descripció / força
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Crea un nou pagament / entrada de diari
 DocType: Certification Application,Certification Application,Sol·licitud de certificació
@@ -5730,10 +5798,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,El mateix article s&#39;ha introduït diverses vegades
 DocType: Department,Leave Block List,Deixa Llista de bloqueig
 DocType: Purchase Invoice,Tax ID,Identificació Tributària
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,L'Article {0} no està configurat per números de sèrie. La columna ha d'estar en blanc
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,L'Article {0} no està configurat per números de sèrie. La columna ha d'estar en blanc
 DocType: Accounts Settings,Accounts Settings,Ajustaments de comptabilitat
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,aprovar
 DocType: Loyalty Program,Customer Territory,Territori de clients
+DocType: Email Digest,Sales Orders to Deliver,Comandes de vendes a lliurar
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Nombre de compte nou, s&#39;inclourà al nom del compte com a prefix"
 DocType: Maintenance Team Member,Team Member,Membre de l&#39;equip
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Cap resultat per enviar
@@ -5743,7 +5812,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total d&#39;{0} per a tots els elements és zero, pot ser que vostè ha de canviar a &quot;Distribuir els càrrecs basats en &#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Fins a la data no pot ser inferior a la data
 DocType: Opportunity,To Discuss,Per Discutir
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Això es basa en les transaccions contra aquest subscriptor. Vegeu la línia de temps a continuació per obtenir detalls
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} unitats de {1} necessària en {2} per completar aquesta transacció.
 DocType: Loan Type,Rate of Interest (%) Yearly,Taxa d&#39;interès (%) anual
 DocType: Support Settings,Forum URL,URL del fòrum
@@ -5758,7 +5826,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Aprèn més
 DocType: Cheque Print Template,Distance from top edge,Distància des de la vora superior
 DocType: POS Closing Voucher Invoices,Quantity of Items,Quantitat d&#39;articles
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,El preu de llista {0} està desactivat o no existeix
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,El preu de llista {0} està desactivat o no existeix
 DocType: Purchase Invoice,Return,Retorn
 DocType: Pricing Rule,Disable,Desactiva
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Forma de pagament es requereix per fer un pagament
@@ -5766,18 +5834,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Editeu a la pàgina completa per obtenir més opcions com a actius, números de sèrie, lots, etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Dies continus màxims aplicables
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} no està inscrit en el Lot {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Actius {0} no pot ser rebutjada, com ja ho és {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Actius {0} no pot ser rebutjada, com ja ho és {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Xecs obligatoris
 DocType: Task,Total Expense Claim (via Expense Claim),Reclamació de despeses totals (a través de despeses)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marc Absent
 DocType: Job Applicant Source,Job Applicant Source,Font sol·licitant del treball
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Import de l&#39;IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Import de l&#39;IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,No s&#39;ha pogut configurar l&#39;empresa
 DocType: Asset Repair,Asset Repair,Reparació d&#39;actius
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la llista de materials # {1} ha de ser igual a la moneda seleccionada {2}
 DocType: Journal Entry Account,Exchange Rate,Tipus De Canvi
 DocType: Patient,Additional information regarding the patient,Informació addicional sobre el pacient
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Comanda de client {0} no es presenta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Comanda de client {0} no es presenta
 DocType: Homepage,Tag Line,tag Line
 DocType: Fee Component,Fee Component,Quota de components
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Gestió de Flotes
@@ -5792,7 +5860,7 @@
 DocType: Healthcare Practitioner,Mobile,Mòbil
 ,Sales Person-wise Transaction Summary,Resum de transaccions de vendes Persona-savi
 DocType: Training Event,Contact Number,Nombre de contacte
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,El magatzem {0} no existeix
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,El magatzem {0} no existeix
 DocType: Cashier Closing,Custody,Custòdia
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Detall d&#39;enviament de prova d&#39;exempció d&#39;impostos als empleats
 DocType: Monthly Distribution,Monthly Distribution Percentages,Els percentatges de distribució mensuals
@@ -5807,7 +5875,7 @@
 DocType: Payment Entry,Paid Amount,Quantitat pagada
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Exploreu el cicle de vendes
 DocType: Assessment Plan,Supervisor,supervisor
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retenció d&#39;existències
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retenció d&#39;existències
 ,Available Stock for Packing Items,Estoc disponible per articles d'embalatge
 DocType: Item Variant,Item Variant,Article Variant
 ,Work Order Stock Report,Informe d&#39;accions de la comanda de treball
@@ -5816,9 +5884,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Com a supervisor
 DocType: Leave Policy Detail,Leave Policy Detail,Deixeu el detall de la política
 DocType: BOM Scrap Item,BOM Scrap Item,La llista de materials de ferralla d&#39;articles
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,comandes presentats no es poden eliminar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo del compte ja en dèbit, no se li permet establir ""El balanç ha de ser"" com ""crèdit"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Gestió de la Qualitat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,comandes presentats no es poden eliminar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo del compte ja en dèbit, no se li permet establir ""El balanç ha de ser"" com ""crèdit"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Gestió de la Qualitat
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Element {0} ha estat desactivat
 DocType: Project,Total Billable Amount (via Timesheets),Import total facturat (mitjançant fulls de temps)
 DocType: Agriculture Task,Previous Business Day,Dia laborable anterior
@@ -5841,14 +5909,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Centres de costos
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Reinicia la subscripció
 DocType: Linked Plant Analysis,Linked Plant Analysis,Anàlisi de plantes enllaçades
-DocType: Delivery Note,Transporter ID,Identificador del transportista
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Identificador del transportista
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Proposició de valor
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Equivalència a la qual la divisa del proveïdor es converteixen a la moneda base de la companyia
-DocType: Sales Invoice Item,Service End Date,Data de finalització del servei
+DocType: Purchase Invoice Item,Service End Date,Data de finalització del servei
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Fila # {0}: conflictes Timings amb fila {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permetre zero taxa de valorització
 DocType: Bank Guarantee,Receiving,Recepció
 DocType: Training Event Employee,Invited,convidat
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Configuració de comptes de porta d&#39;enllaç.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Configuració de comptes de porta d&#39;enllaç.
 DocType: Employee,Employment Type,Tipus d'Ocupació
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Actius Fixos
 DocType: Payment Entry,Set Exchange Gain / Loss,Ajust de guany de l&#39;intercanvi / Pèrdua
@@ -5864,7 +5933,7 @@
 DocType: Tax Rule,Sales Tax Template,Plantilla d&#39;Impost a les Vendes
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Paga contra la reclamació de beneficis
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Actualitza el número de centre de costos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Seleccioneu articles per estalviar la factura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Seleccioneu articles per estalviar la factura
 DocType: Employee,Encashment Date,Data Cobrament
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Plantilla de prova especial
@@ -5872,12 +5941,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Hi Cost per defecte per al tipus d&#39;activitat Activitat - {0}
 DocType: Work Order,Planned Operating Cost,Planejat Cost de funcionament
 DocType: Academic Term,Term Start Date,Termini Data d&#39;Inici
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Llista de totes les transaccions d&#39;accions
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Llista de totes les transaccions d&#39;accions
+DocType: Supplier,Is Transporter,És transportista
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importeu la factura de vendes de Shopify si el pagament està marcat
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Comte del OPP
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Tant la data d&#39;inici del període de prova com la data de finalització del període de prova s&#39;han d&#39;establir
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Tarifa mitjana
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L&#39;import total del pagament en el calendari de pagaments ha de ser igual a Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L&#39;import total del pagament en el calendari de pagaments ha de ser igual a Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Pla
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Equilibri extracte bancari segons Comptabilitat General
 DocType: Job Applicant,Applicant Name,Nom del sol·licitant
@@ -5905,7 +5975,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Quantitats disponibles a Font Magatzem
 apps/erpnext/erpnext/config/support.py +22,Warranty,garantia
 DocType: Purchase Invoice,Debit Note Issued,Nota de dèbit Publicat
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,El filtre basat en el Centre de costos només s&#39;aplica si es selecciona Pressupost Contra com a Centre de Costos
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,El filtre basat en el Centre de costos només s&#39;aplica si es selecciona Pressupost Contra com a Centre de Costos
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Cerca per codi d&#39;article, número de sèrie, no per lots o codi de barres"
 DocType: Work Order,Warehouses,Magatzems
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} actiu no es pot transferir
@@ -5916,9 +5986,9 @@
 DocType: Workstation,per hour,per hores
 DocType: Blanket Order,Purchasing,adquisitiu
 DocType: Announcement,Announcement,anunci
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Client LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Client LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Per grup d&#39;alumnes amb base de lots, el lot dels estudiants serà vàlida per a tots els estudiants de la inscripció en el programa."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,El Magatzem no es pot eliminar perquè hi ha entrades al llibre major d'existències d'aquest magatzem.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,El Magatzem no es pot eliminar perquè hi ha entrades al llibre major d'existències d'aquest magatzem.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribució
 DocType: Journal Entry Account,Loan,Préstec
 DocType: Expense Claim Advance,Expense Claim Advance,Avançament de la reclamació de despeses
@@ -5927,7 +5997,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Gerent De Projecte
 ,Quoted Item Comparison,Citat article Comparació
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Superposició entre puntuació entre {0} i {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Despatx
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Despatx
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Descompte màxim permès per l'article: {0} és {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,El valor net d&#39;actius com a
 DocType: Crop,Produce,Produir
@@ -5937,20 +6007,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Consum de material per a la fabricació
 DocType: Item Alternative,Alternative Item Code,Codi d&#39;element alternatiu
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol al que es permet presentar les transaccions que excedeixin els límits de crèdit establerts.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Seleccionar articles a Fabricació
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Seleccionar articles a Fabricació
 DocType: Delivery Stop,Delivery Stop,Parada de lliurament
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Mestre sincronització de dades, que podria portar el seu temps"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Mestre sincronització de dades, que podria portar el seu temps"
 DocType: Item,Material Issue,Material Issue
 DocType: Employee Education,Qualification,Qualificació
 DocType: Item Price,Item Price,Preu d'article
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sabó i Detergent
 DocType: BOM,Show Items,Mostra elements
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Des del temps no pot ser més gran que en tant.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Vols notificar a tots els clients per correu electrònic?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Vols notificar a tots els clients per correu electrònic?
 DocType: Subscription Plan,Billing Interval,Interval de facturació
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Cinema i vídeo
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Ordenat
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,La data d&#39;inici real i la data de finalització són obligatòries
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clients&gt; Territori
 DocType: Salary Detail,Component,component
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,La fila {0}: {1} ha de ser superior a 0
 DocType: Assessment Criteria,Assessment Criteria Group,Criteris d&#39;avaluació del Grup
@@ -5981,11 +6052,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Introduïu el nom del banc o de la institució creditícia abans de presentar-lo.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} s&#39;ha de presentar
 DocType: POS Profile,Item Groups,els grups d&#39;articles
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Avui és {0} 's aniversari!
 DocType: Sales Order Item,For Production,Per Producció
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Saldo en compte de divises
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Afegiu un compte d&#39;obertura temporal al gràfic de comptes
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Afegiu un compte d&#39;obertura temporal al gràfic de comptes
 DocType: Customer,Customer Primary Contact,Contacte principal del client
 DocType: Project Task,View Task,Vista de tasques
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP /% Plom
@@ -5998,11 +6068,11 @@
 DocType: Sales Invoice,Get Advances Received,Obtenir les bestretes rebudes
 DocType: Email Digest,Add/Remove Recipients,Afegir / Treure Destinataris
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Per establir aquest any fiscal predeterminat, feu clic a ""Estableix com a predeterminat"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Import de TDS deduït
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Import de TDS deduït
 DocType: Production Plan,Include Subcontracted Items,Inclou articles subcontractats
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,unir-se
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Quantitat escassetat
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Hi ha la variant d&#39;article {0} amb mateixos atributs
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,unir-se
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Quantitat escassetat
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Hi ha la variant d&#39;article {0} amb mateixos atributs
 DocType: Loan,Repay from Salary,Pagar del seu sou
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Sol·licitant el pagament contra {0} {1} per la quantitat {2}
 DocType: Additional Salary,Salary Slip,Slip Salari
@@ -6018,7 +6088,7 @@
 DocType: Patient,Dormant,latent
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Deducció d&#39;impostos per a beneficis d&#39;empleats no reclamats
 DocType: Salary Slip,Total Interest Amount,Import total d&#39;interès
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Magatzems amb nodes secundaris no poden ser convertits en llibre major
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Magatzems amb nodes secundaris no poden ser convertits en llibre major
 DocType: BOM,Manage cost of operations,Administrar cost de les operacions
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Data d&#39;arribada datetime
@@ -6030,7 +6100,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Avaluació de Resultats Detall
 DocType: Employee Education,Employee Education,Formació Empleat
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,grup d&#39;articles duplicat trobat en la taula de grup d&#39;articles
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Es necessita a cercar Detalls de l&#39;article.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Es necessita a cercar Detalls de l&#39;article.
 DocType: Fertilizer,Fertilizer Name,Nom del fertilitzant
 DocType: Salary Slip,Net Pay,Pay Net
 DocType: Cash Flow Mapping Accounts,Account,Compte
@@ -6041,14 +6111,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Creeu una entrada de pagament separada contra la reclamació de beneficis
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Presència d&#39;una febre (temperatura&gt; 38,5 ° C / 101.3 ° F o temperatura sostinguda&gt; 38 ° C / 100.4 ° F)"
 DocType: Customer,Sales Team Details,Detalls de l'Equip de Vendes
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Eliminar de forma permanent?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Eliminar de forma permanent?
 DocType: Expense Claim,Total Claimed Amount,Suma total del Reclamat
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Els possibles oportunitats de venda.
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},No vàlida {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Baixa per malaltia
 DocType: Email Digest,Email Digest,Butlletí per correu electrònic
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,no ho són
 DocType: Delivery Note,Billing Address Name,Nom de l'adressa de facturació
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Grans Magatzems
 ,Item Delivery Date,Data de lliurament de l&#39;article
@@ -6064,16 +6133,16 @@
 DocType: Account,Chargeable,Facturable
 DocType: Company,Change Abbreviation,Canvi Abreviatura
 DocType: Contract,Fulfilment Details,Detalls de compliment
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Pagueu {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Pagueu {0} {1}
 DocType: Employee Onboarding,Activities,Activitats
 DocType: Expense Claim Detail,Expense Date,Data de la Despesa
 DocType: Item,No of Months,No de mesos
 DocType: Item,Max Discount (%),Descompte màxim (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Els dies de crèdit no poden ser un nombre negatiu
-DocType: Sales Invoice Item,Service Stop Date,Data de parada del servei
+DocType: Purchase Invoice Item,Service Stop Date,Data de parada del servei
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Darrera Quantitat de l'ordre
 DocType: Cash Flow Mapper,e.g Adjustments for:,"per exemple, ajustaments per a:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retenció d&#39;exemple es basa en lots, si us plau, comproveu que no reuneix cap mostra de l&#39;element"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retenció d&#39;exemple es basa en lots, si us plau, comproveu que no reuneix cap mostra de l&#39;element"
 DocType: Task,Is Milestone,és Milestone
 DocType: Certification Application,Yet to appear,Tot i així aparèixer
 DocType: Delivery Stop,Email Sent To,Correu electrònic enviat a
@@ -6081,16 +6150,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Permetre el centre de costos a l&#39;entrada del compte de balanç
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Combinar-se amb el compte existent
 DocType: Budget,Warn,Advertir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Ja s&#39;han transferit tots els ítems per a aquesta Ordre de treball.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Ja s&#39;han transferit tots els ítems per a aquesta Ordre de treball.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Altres observacions, esforç notable que ha d&#39;anar en els registres."
 DocType: Asset Maintenance,Manufacturing User,Usuari de fabricació
 DocType: Purchase Invoice,Raw Materials Supplied,Matèries primeres subministrades
 DocType: Subscription Plan,Payment Plan,Pla de pagament
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Permet la compra d&#39;articles a través del lloc web
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},La moneda de la llista de preus {0} ha de ser {1} o {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Gestió de subscripcions
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Gestió de subscripcions
 DocType: Appraisal,Appraisal Template,Plantilla d'Avaluació
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Per fer clic al codi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Per fer clic al codi
 DocType: Soil Texture,Ternary Plot,Parcel·la ternària
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Activeu aquesta opció per habilitar una rutina de sincronització diària programada a través del programador
 DocType: Item Group,Item Classification,Classificació d'articles
@@ -6100,6 +6169,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Facturació Registre de pacients
 DocType: Crop,Period,Període
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Comptabilitat General
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,A l&#39;any fiscal
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Veure ofertes
 DocType: Program Enrollment Tool,New Program,nou Programa
 DocType: Item Attribute Value,Attribute Value,Atribut Valor
@@ -6108,11 +6178,11 @@
 ,Itemwise Recommended Reorder Level,Nivell d'articles recomanat per a tornar a passar comanda
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,L&#39;empleat {0} del grau {1} no té una política d&#39;abandonament predeterminat
 DocType: Salary Detail,Salary Detail,Detall de sous
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Seleccioneu {0} primer
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Seleccioneu {0} primer
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,S&#39;han afegit {0} usuaris
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","En el cas del programa de diversos nivells, els clients seran assignats automàticament al nivell corresponent segons el seu gastat"
 DocType: Appointment Type,Physician,Metge
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Lot {0} de {1} article ha expirat.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Lot {0} de {1} article ha expirat.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Consultes
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Acabat Bé
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","El preu de l&#39;element apareix diverses vegades segons la llista de preus, proveïdor / client, moneda, element, UOM, quantia i dates."
@@ -6120,22 +6190,21 @@
 DocType: Certification Application,Name of Applicant,Nom del sol · licitant
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Full de temps per a la fabricació.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,total parcial
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,No es poden canviar les propietats de variants després de la transacció d&#39;accions. Haureu de fer un nou element per fer-ho.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,No es poden canviar les propietats de variants després de la transacció d&#39;accions. Haureu de fer un nou element per fer-ho.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandat de SEPA GoCardless
 DocType: Healthcare Practitioner,Charges,Càrrecs
 DocType: Production Plan,Get Items For Work Order,Obtenir articles per a l&#39;ordre de treball
 DocType: Salary Detail,Default Amount,Default Amount
 DocType: Lab Test Template,Descriptive,Descriptiva
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Magatzem no trobat al sistema
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Resum d&#39;aquest Mes
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Resum d&#39;aquest Mes
 DocType: Quality Inspection Reading,Quality Inspection Reading,Qualitat de Lectura d'Inspecció
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Bloqueja els estocs més antics que' ha de ser menor de %d dies.
 DocType: Tax Rule,Purchase Tax Template,Compra Plantilla Tributària
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Definiu un objectiu de vendes que vulgueu aconseguir per a la vostra empresa.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Serveis sanitaris
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Serveis sanitaris
 ,Project wise Stock Tracking,Projecte savi Stock Seguiment
 DocType: GST HSN Code,Regional,regional
-DocType: Delivery Note,Transport Mode,Mode de transport
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratori
 DocType: UOM Category,UOM Category,Categoria UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Actual Quantitat (en origen / destinació)
@@ -6158,17 +6227,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,No s&#39;ha pogut crear el lloc web
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Detall UOM Conversió
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Retenció d&#39;existències ja creades o la quantitat de mostra no subministrada
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Retenció d&#39;existències ja creades o la quantitat de mostra no subministrada
 DocType: Program,Program Abbreviation,abreviatura programa
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Ordre de fabricació no es pot aixecar en contra d&#39;una plantilla d&#39;article
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Els càrrecs s'actualitzen amb els rebuts de compra contra cada un dels articles
 DocType: Warranty Claim,Resolved By,Resolta Per
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Horari d&#39;alta
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Els xecs i dipòsits esborren de forma incorrecta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Compte {0}: No es pot assignar com compte principal
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Compte {0}: No es pot assignar com compte principal
 DocType: Purchase Invoice Item,Price List Rate,Preu de llista Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Crear cites de clients
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,La data de parada del servei no pot ser després de la data de finalització del servei
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,La data de parada del servei no pot ser després de la data de finalització del servei
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostra ""En estock"" o ""No en estoc"", basat en l'estoc disponible en aquest magatzem."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Llista de materials (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Temps mitjà pel proveïdor per lliurar
@@ -6180,11 +6249,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,hores
 DocType: Project,Expected Start Date,Data prevista d'inici
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correcció en factura
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Ordre de treball ja creada per a tots els articles amb BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Ordre de treball ja creada per a tots els articles amb BOM
 DocType: Payment Request,Party Details,Party Details
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Informe de detalls de variants
 DocType: Setup Progress Action,Setup Progress Action,Configuració de l&#39;acció de progrés
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Llista de preus de compra
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Llista de preus de compra
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Treure article si els càrrecs no és aplicable a aquest
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Cancel·la la subscripció
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Seleccioneu Estat de manteniment com a finalitzat o suprimiu la data de finalització
@@ -6202,7 +6271,7 @@
 DocType: Asset,Disposal Date,disposició Data
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Els correus electrònics seran enviats a tots els empleats actius de l&#39;empresa a l&#39;hora determinada, si no tenen vacances. Resum de les respostes serà enviat a la mitjanit."
 DocType: Employee Leave Approver,Employee Leave Approver,Empleat Deixar aprovador
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada Reordenar ja existeix per aquest magatzem {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada Reordenar ja existeix per aquest magatzem {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","No es pot declarar com perdut, perquè s'han fet ofertes"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Compte de CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Formació de vots
@@ -6214,7 +6283,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Fins a la data no pot ser anterior a partir de la data
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype
 DocType: Cash Flow Mapper,Section Footer,Peer de secció
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Afegeix / Edita Preus
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Afegeix / Edita Preus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,La promoció dels empleats no es pot enviar abans de la data de la promoció
 DocType: Batch,Parent Batch,lots dels pares
 DocType: Cheque Print Template,Cheque Print Template,Plantilla d&#39;impressió de xecs
@@ -6224,6 +6293,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Col.lecció de mostres
 ,Requested Items To Be Ordered,Articles sol·licitats serà condemnada
 DocType: Price List,Price List Name,nom de la llista de preus
+DocType: Delivery Stop,Dispatch Information,Informació d&#39;enviaments
 DocType: Blanket Order,Manufacturing,Fabricació
 ,Ordered Items To Be Delivered,Els articles demanats per ser lliurats
 DocType: Account,Income,Ingressos
@@ -6242,17 +6312,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unitats de {1} necessària en {2} sobre {3} {4} {5} per completar aquesta transacció.
 DocType: Fee Schedule,Student Category,categoria estudiant
 DocType: Announcement,Student,Estudiant
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantitat d&#39;existències per començar el procediment no està disponible al magatzem. Voleu registrar una transferència d&#39;accions
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantitat d&#39;existències per començar el procediment no està disponible al magatzem. Voleu registrar una transferència d&#39;accions
 DocType: Shipping Rule,Shipping Rule Type,Tipus de regla d&#39;enviament
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Anar a Sales
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Empresa, compte de pagament, de data a data és obligatòria"
 DocType: Company,Budget Detail,Detall del Pressupost
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Si us plau, escriviu el missatge abans d'enviar-"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Duplicat per PROVEÏDOR
-DocType: Email Digest,Pending Quotations,A l&#39;espera de Cites
-DocType: Delivery Note,Distance (KM),Distància (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Proveïdor&gt; Grup de proveïdors
 DocType: Asset,Custodian,Custòdia
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Punt de Venda Perfil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Punt de Venda Perfil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} ha de ser un valor entre 0 i 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Pagament de {0} de {1} a {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Préstecs sense garantia
@@ -6284,10 +6353,10 @@
 DocType: Lead,Converted,Convertit
 DocType: Item,Has Serial No,No té de sèrie
 DocType: Employee,Date of Issue,Data d'emissió
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D&#39;acord amb la configuració de comprar si compra Reciept Obligatori == &#39;SÍ&#39;, a continuació, per a la creació de la factura de compra, l&#39;usuari necessita per crear rebut de compra per al primer element {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D&#39;acord amb la configuració de comprar si compra Reciept Obligatori == &#39;SÍ&#39;, a continuació, per a la creació de la factura de compra, l&#39;usuari necessita per crear rebut de compra per al primer element {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Fila # {0}: Conjunt de Proveïdors per a l&#39;element {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Fila {0}: valor Hores ha de ser més gran que zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Lloc web Imatge {0} unit a l&#39;article {1} no es pot trobar
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Lloc web Imatge {0} unit a l&#39;article {1} no es pot trobar
 DocType: Issue,Content Type,Tipus de Contingut
 DocType: Asset,Assets,Actius
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Ordinador
@@ -6298,7 +6367,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} no existeix
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Si us plau, consulti l&#39;opció Multi moneda per permetre comptes amb una altra moneda"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Article: {0} no existeix en el sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,No estàs autoritzat per establir el valor bloquejat
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,No estàs autoritzat per establir el valor bloquejat
 DocType: Payment Reconciliation,Get Unreconciled Entries,Aconsegueix entrades no reconciliades
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},L&#39;empleat {0} està en Leave on {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,No hi ha reemborsaments seleccionats per a l&#39;entrada del diari
@@ -6316,13 +6385,14 @@
 ,Average Commission Rate,Comissió de Tarifes mitjana
 DocType: Share Balance,No of Shares,No d&#39;accions
 DocType: Taxable Salary Slab,To Amount,Quantificar
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Té Num de Sèrie' no pot ser 'Sí' per a items que no estan a l'estoc
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Té Num de Sèrie' no pot ser 'Sí' per a items que no estan a l'estoc
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Selecciona l&#39;estat
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,No es poden entrar assistències per dates futures
 DocType: Support Search Source,Post Description Key,Clau per a la descripció del lloc
 DocType: Pricing Rule,Pricing Rule Help,Ajuda de la Regla de preus
 DocType: School House,House Name,Nom de la casa
 DocType: Fee Schedule,Total Amount per Student,Import total per estudiant
+DocType: Opportunity,Sales Stage,Etapa de vendes
 DocType: Purchase Taxes and Charges,Account Head,Cap Compte
 DocType: Company,HRA Component,Component HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elèctric
@@ -6330,15 +6400,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Diferència Total Valor (Out - En)
 DocType: Grant Application,Requested Amount,Import sol·licitat
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Fila {0}: Tipus de canvi és obligatori
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID d'usuari no entrat per l'Empleat {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID d'usuari no entrat per l'Empleat {0}
 DocType: Vehicle,Vehicle Value,El valor del vehicle
 DocType: Crop Cycle,Detected Diseases,Malalties detectades
 DocType: Stock Entry,Default Source Warehouse,Magatzem d'origen predeterminat
 DocType: Item,Customer Code,Codi de Client
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Recordatori d'aniversari per {0}
 DocType: Asset Maintenance Task,Last Completion Date,Última data de finalització
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dies des de l'última comanda
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Dèbit al compte ha de ser un compte de Balanç
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Dèbit al compte ha de ser un compte de Balanç
 DocType: Asset,Naming Series,Sèrie de nomenclatura
 DocType: Vital Signs,Coated,Recobert
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Fila {0}: el valor esperat després de la vida útil ha de ser inferior a la quantitat bruta de compra
@@ -6356,15 +6425,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,La Nota de lliurament {0} no es pot presentar
 DocType: Notification Control,Sales Invoice Message,Missatge de Factura de vendes
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Compte {0} Cloenda ha de ser de Responsabilitat / Patrimoni
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},La relliscada de sou de l&#39;empleat {0} ja creat per al full de temps {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},La relliscada de sou de l&#39;empleat {0} ja creat per al full de temps {1}
 DocType: Vehicle Log,Odometer,comptaquilòmetres
 DocType: Production Plan Item,Ordered Qty,Quantitat demanada
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Article {0} està deshabilitat
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Article {0} està deshabilitat
 DocType: Stock Settings,Stock Frozen Upto,Estoc bloquejat fins a
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM no conté cap article comuna
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM no conté cap article comuna
 DocType: Chapter,Chapter Head,Capítol Cap
 DocType: Payment Term,Month(s) after the end of the invoice month,Mes (s) després del final del mes de la factura
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,L&#39;Estructura salarial hauria de tenir un (s) component (s) de benefici flexible per dispensar l&#39;import del benefici
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,L&#39;Estructura salarial hauria de tenir un (s) component (s) de benefici flexible per dispensar l&#39;import del benefici
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Activitat del projecte / tasca.
 DocType: Vital Signs,Very Coated,Molt recobert
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Només impacte fiscal (no es pot reclamar sinó part de la renda imposable)
@@ -6382,7 +6451,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Hores de facturació
 DocType: Project,Total Sales Amount (via Sales Order),Import total de vendes (a través de l&#39;ordre de vendes)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM per defecte per {0} no trobat
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Fila # {0}: Configureu la quantitat de comanda
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Fila # {0}: Configureu la quantitat de comanda
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toc els articles a afegir aquí
 DocType: Fees,Program Enrollment,programa d&#39;Inscripció
 DocType: Share Transfer,To Folio No,A Folio núm
@@ -6422,9 +6491,9 @@
 DocType: SG Creation Tool Course,Max Strength,força màx
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instal·lació de valors predeterminats
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},No s&#39;ha seleccionat cap nota de lliurament per al client {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},No s&#39;ha seleccionat cap nota de lliurament per al client {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,L&#39;empleat {0} no té cap benefici màxim
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Seleccioneu els elements segons la data de lliurament
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Seleccioneu els elements segons la data de lliurament
 DocType: Grant Application,Has any past Grant Record,Té algun registre de Grant passat
 ,Sales Analytics,Analytics de venda
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Disponible {0}
@@ -6432,12 +6501,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Ajustaments de Manufactura
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configuració de Correu
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Sense Guardian1 mòbil
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Si us plau ingressi moneda per defecte en l'empresa Mestre
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Si us plau ingressi moneda per defecte en l'empresa Mestre
 DocType: Stock Entry Detail,Stock Entry Detail,Detall de les entrades d'estoc
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Recordatoris diaris
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Recordatoris diaris
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Veure tots els bitllets oberts
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Servei d&#39;atenció mèdica Unitat arbre
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Producte
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Producte
 DocType: Products Settings,Home Page is Products,Home Page is Products
 ,Asset Depreciation Ledger,La depreciació d&#39;actius Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Deixeu l&#39;import de l&#39;encashment per dia
@@ -6447,8 +6516,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Cost matèries primeres subministrades
 DocType: Selling Settings,Settings for Selling Module,Ajustos Mòdul de vendes
 DocType: Hotel Room Reservation,Hotel Room Reservation,Reserva d&#39;habitació de l&#39;hotel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Servei Al Client
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Servei Al Client
 DocType: BOM,Thumbnail,Ungla del polze
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,No s&#39;han trobat contactes amb identificadors de correu electrònic.
 DocType: Item Customer Detail,Item Customer Detail,Item Customer Detail
 DocType: Notification Control,Prompt for Email on Submission of,Demana el correu electrònic al Presentar
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},La quantitat de benefici màxim de l&#39;empleat {0} supera {1}
@@ -6457,13 +6527,14 @@
 DocType: Pricing Rule,Percentage,percentatge
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Article {0} ha de ser un d'article de l'estoc
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Per defecte Work In Progress Magatzem
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Ajustos predeterminats per a les operacions comptables.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Ajustos predeterminats per a les operacions comptables.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Fulles de subvenció
 DocType: Restaurant,Default Tax Template,Plantilla d&#39;impostos predeterminada
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Els estudiants han estat inscrits
 DocType: Fees,Student Details,Detalls dels estudiants
 DocType: Purchase Invoice Item,Stock Qty,existència Quantitat
 DocType: Contract,Requires Fulfilment,Requereix compliment
+DocType: QuickBooks Migrator,Default Shipping Account,Compte d&#39;enviament predeterminat
 DocType: Loan,Repayment Period in Months,Termini de devolució en Mesos
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Error: No és un document d&#39;identitat vàlid?
 DocType: Naming Series,Update Series Number,Actualització Nombre Sèries
@@ -6477,11 +6548,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Import màxim
 DocType: Journal Entry,Total Amount Currency,Suma total de divises
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Assemblees Cercar Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Codi de l'article necessari a la fila n {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Codi de l'article necessari a la fila n {0}
 DocType: GST Account,SGST Account,Compte SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Vés als elements
 DocType: Sales Partner,Partner Type,Tipus de Partner
-DocType: Purchase Taxes and Charges,Actual,Reial
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Reial
 DocType: Restaurant Menu,Restaurant Manager,Gerent de restaurant
 DocType: Authorization Rule,Customerwise Discount,Customerwise Descompte
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Part d&#39;hores per a les tasques.
@@ -6502,7 +6573,7 @@
 DocType: Employee,Cheque,Xec
 DocType: Training Event,Employee Emails,Correus electrònics d&#39;empleats
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Sèries Actualitzat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Tipus d'informe és obligatori
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Tipus d'informe és obligatori
 DocType: Item,Serial Number Series,Nombre de sèrie de la sèrie
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},El magatzem és obligatòria per l'article d'estoc {0} a la fila {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Al detall i a l'engròs
@@ -6532,7 +6603,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Actualitza la quantitat facturada en l&#39;ordre de venda
 DocType: BOM,Materials,Materials
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si no està habilitada, la llista haurà de ser afegit a cada departament en què s'ha d'aplicar."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Data de publicació i l'hora de publicar és obligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Data de publicació i l'hora de publicar és obligatori
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Plantilla d'Impostos per a les transaccions de compres
 ,Item Prices,Preus de l'article
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,En paraules seran visibles un cop que es guardi l'ordre de compra.
@@ -6548,12 +6619,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Sèrie per a l&#39;entrada de depreciació d&#39;actius (entrada de diari)
 DocType: Membership,Member Since,Membre des de
 DocType: Purchase Invoice,Advance Payments,Pagaments avançats
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Seleccioneu Atenció mèdica
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Seleccioneu Atenció mèdica
 DocType: Purchase Taxes and Charges,On Net Total,En total net
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valor de l&#39;atribut {0} ha d&#39;estar dins del rang de {1} a {2} en els increments de {3} per a l&#39;article {4}
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria d&#39;exempció
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Moneda no es pot canviar després de fer entrades utilitzant alguna altra moneda
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Moneda no es pot canviar després de fer entrades utilitzant alguna altra moneda
 DocType: Shipping Rule,Fixed,S&#39;ha solucionat
 DocType: Vehicle Service,Clutch Plate,placa d&#39;embragatge
 DocType: Company,Round Off Account,Per arrodonir el compte
@@ -6562,7 +6633,7 @@
 DocType: Subscription Plan,Based on price list,Basat en la llista de preus
 DocType: Customer Group,Parent Customer Group,Pares Grup de Clients
 DocType: Vehicle Service,Change,Canvi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Subscripció
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Subscripció
 DocType: Purchase Invoice,Contact Email,Correu electrònic de contacte
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Creació de tarifes pendents
 DocType: Appraisal Goal,Score Earned,Score Earned
@@ -6589,23 +6660,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Compte de cobrament / pagament
 DocType: Delivery Note Item,Against Sales Order Item,Contra l'Ordre de Venda d'articles
 DocType: Company,Company Logo,Logotip de l&#39;empresa
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Si us plau, especifiqui Atribut Valor de l&#39;atribut {0}"
-DocType: Item Default,Default Warehouse,Magatzem predeterminat
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Si us plau, especifiqui Atribut Valor de l&#39;atribut {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Magatzem predeterminat
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Pressupost no es pot assignar contra comptes de grup {0}
 DocType: Shopping Cart Settings,Show Price,Mostra preu
 DocType: Healthcare Settings,Patient Registration,Registre de pacients
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Si us plau, introduïu el centre de cost dels pares"
 DocType: Delivery Note,Print Without Amount,Imprimir Sense Monto
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,La depreciació Data
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,La depreciació Data
 ,Work Orders in Progress,Ordres de treball en progrés
 DocType: Issue,Support Team,Equip de suport
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Caducitat (en dies)
 DocType: Appraisal,Total Score (Out of 5),Puntuació total (de 5)
 DocType: Student Attendance Tool,Batch,Lot
 DocType: Support Search Source,Query Route String,Quadre de ruta de la consulta
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Taxa d&#39;actualització segons l&#39;última compra
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Taxa d&#39;actualització segons l&#39;última compra
 DocType: Donor,Donor Type,Tipus de donant
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,S&#39;ha actualitzat el document de repetició automàtica
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,S&#39;ha actualitzat el document de repetició automàtica
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Equilibri
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Seleccioneu la Companyia
 DocType: Job Card,Job Card,Targeta de treball
@@ -6631,10 +6702,11 @@
 DocType: Journal Entry,Total Debit,Dèbit total
 DocType: Travel Request Costing,Sponsored Amount,Import patrocinat
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Defecte Acabat Productes Magatzem
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Seleccioneu Pacient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Seleccioneu Pacient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Sales Person
 DocType: Hotel Room Package,Amenities,Serveis
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Pressupost i de centres de cost
+DocType: QuickBooks Migrator,Undeposited Funds Account,Compte de fons no transferit
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Pressupost i de centres de cost
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,No es permet el mode de pagament múltiple per defecte
 DocType: Sales Invoice,Loyalty Points Redemption,Punts de lleialtat Redenció
 ,Appointment Analytics,Anàlisi de cites
@@ -6648,6 +6720,7 @@
 DocType: Batch,Manufacturing Date,Data de fabricació
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Error en la creació de tarifes
 DocType: Opening Invoice Creation Tool,Create Missing Party,Crea partit desaparegut
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Pressupost total
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deixar en blanc si fas grups d&#39;estudiants per any
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Si es marca, número total. de dies de treball s'inclouran els festius, i això reduirà el valor de Salari per dia"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Les aplicacions que utilitzin la clau actual no podran accedir, segurament?"
@@ -6663,20 +6736,19 @@
 DocType: Opportunity Item,Basic Rate,Tarifa Bàsica
 DocType: GL Entry,Credit Amount,Suma de crèdit
 DocType: Cheque Print Template,Signatory Position,posició signatari
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Establir com a Perdut
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Establir com a Perdut
 DocType: Timesheet,Total Billable Hours,Total d&#39;hores facturables
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Nombre de dies que el subscriptor ha de pagar les factures generades per aquesta subscripció
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detall d&#39;aplicació de beneficis d&#39;empleats
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Pagament de rebuts Nota
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Això es basa en transaccions en contra d&#39;aquest client. Veure cronologia avall per saber més
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Fila {0}: quantitat assignada {1} ha de ser menor o igual a la quantitat d&#39;entrada de pagament {2}
 DocType: Program Enrollment Tool,New Academic Term,Nou terme acadèmic
 ,Course wise Assessment Report,Informe d&#39;avaluació el més prudent
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Aprovat l&#39;impost estatal / UT de l&#39;ITC
 DocType: Tax Rule,Tax Rule,Regla Fiscal
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantenir la mateixa tarifa durant tot el cicle de vendes
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Inicieu sessió com un altre usuari per registrar-se a Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Inicieu sessió com un altre usuari per registrar-se a Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planegi registres de temps fora de les hores de treball Estació de treball.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Els clients en cua
 DocType: Driver,Issuing Date,Data d&#39;emissió
@@ -6685,11 +6757,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Envieu aquesta Ordre de treball per a un posterior processament.
 ,Items To Be Requested,Articles que s'han de demanar
 DocType: Company,Company Info,Qui Som
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Seleccionar o afegir nou client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Seleccionar o afegir nou client
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Centre de cost és requerit per reservar una reclamació de despeses
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicació de Fons (Actius)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Això es basa en la presència d&#39;aquest empleat
-DocType: Assessment Result,Summary,Resum
 DocType: Payment Request,Payment Request Type,Tipus de sol·licitud de pagament
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Compte Dèbit
@@ -6697,7 +6768,7 @@
 DocType: Additional Salary,Employee Name,Nom de l'Empleat
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Element de l&#39;entrada a la comanda del restaurant
 DocType: Purchase Invoice,Rounded Total (Company Currency),Total arrodonit (en la divisa de la companyia)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,No es pot encoberta al grup perquè es selecciona Tipus de compte.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,No es pot encoberta al grup perquè es selecciona Tipus de compte.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0} {1} ha estat modificat. Si us plau, actualitzia"
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,No permetis que els usuaris realitzin Aplicacions d'absències els següents dies.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Si expiració il·limitada dels Punts de fidelització, mantingueu la durada de caducitat buida o 0."
@@ -6718,11 +6789,12 @@
 DocType: Asset,Out of Order,No funciona
 DocType: Purchase Receipt Item,Accepted Quantity,Quantitat Acceptada
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignora la superposició del temps d&#39;estació de treball
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Si us plau, estableix una llista predeterminada de festa per Empleat {0} o de la seva empresa {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Si us plau, estableix una llista predeterminada de festa per Empleat {0} o de la seva empresa {1}"
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} no existeix
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Seleccioneu els números de lot
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,A GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,A GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Factures enviades als clients.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Cita de factures automàticament
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Identificació del projecte
 DocType: Salary Component,Variable Based On Taxable Salary,Variable basada en el salari tributari
 DocType: Company,Basic Component,Component bàsic
@@ -6735,10 +6807,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adreça del magatzem de fonts
 DocType: GL Entry,Voucher Type,Tipus de Vals
 DocType: Amazon MWS Settings,Max Retry Limit,Límit de repetició màx
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,La llista de preus no existeix o està deshabilitada
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,La llista de preus no existeix o està deshabilitada
 DocType: Student Applicant,Approved,Aprovat
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Preu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Empleat rellevat en {0} ha de ser establert com 'Esquerra'
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Empleat rellevat en {0} ha de ser establert com 'Esquerra'
 DocType: Marketplace Settings,Last Sync On,Última sincronització activada
 DocType: Guardian,Guardian,tutor
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Totes les comunicacions incloses i superiors a aquesta, s&#39;han de traslladar al nou número"
@@ -6761,14 +6833,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Llista de malalties detectades al camp. Quan estigui seleccionat, afegirà automàticament una llista de tasques per fer front a la malaltia"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Aquesta és una unitat de servei d&#39;assistència sanitària racial i no es pot editar.
 DocType: Asset Repair,Repair Status,Estat de reparació
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Afegiu socis de vendes
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Entrades de diari de Comptabilitat.
 DocType: Travel Request,Travel Request,Sol·licitud de viatge
 DocType: Delivery Note Item,Available Qty at From Warehouse,Disponible Quantitat a partir de Magatzem
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Seleccioneu Employee Record primer.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,L&#39;assistència no s&#39;ha enviat per a {0} ja que és una festa.
 DocType: POS Profile,Account for Change Amount,Compte per al Canvi Monto
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Connexió a QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Pèrdua / guany total
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Empresa no vàlida per a la factura de la companyia Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Empresa no vàlida per a la factura de la companyia Inter.
 DocType: Purchase Invoice,input service,servei d&#39;entrada
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Fila {0}: Festa / Compte no coincideix amb {1} / {2} en {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promoció d&#39;empleats
@@ -6777,12 +6851,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Codi del curs:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Si us plau ingressi Compte de Despeses
 DocType: Account,Stock,Estoc
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser un l&#39;ordre de compra, factura de compra o d&#39;entrada de diari"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser un l&#39;ordre de compra, factura de compra o d&#39;entrada de diari"
 DocType: Employee,Current Address,Adreça actual
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si l'article és una variant d'un altre article llavors descripció, imatges, preus, impostos etc s'establirà a partir de la plantilla a menys que s'especifiqui explícitament"
 DocType: Serial No,Purchase / Manufacture Details,Compra / Detalls de Fabricació
 DocType: Assessment Group,Assessment Group,Grup d&#39;avaluació
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventari de lots
+DocType: Supplier,GST Transporter ID,Identificador de transportador GST
 DocType: Procedure Prescription,Procedure Name,Nom del procediment
 DocType: Employee,Contract End Date,Data de finalització de contracte
 DocType: Amazon MWS Settings,Seller ID,Identificador del venedor
@@ -6802,12 +6877,12 @@
 DocType: Company,Date of Incorporation,Data d&#39;incorporació
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Impost Total
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Darrer preu de compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Per Quantitat (Fabricat Quantitat) és obligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Per Quantitat (Fabricat Quantitat) és obligatori
 DocType: Stock Entry,Default Target Warehouse,Magatzem de destí predeterminat
 DocType: Purchase Invoice,Net Total (Company Currency),Net Total (En la moneda de la Companyia)
 DocType: Delivery Note,Air,Aire
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"L&#39;Any Data de finalització no pot ser anterior a la data d&#39;inici d&#39;any. Si us plau, corregeixi les dates i torna a intentar-ho."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} no està a la llista de vacances opcional
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} no està a la llista de vacances opcional
 DocType: Notification Control,Purchase Receipt Message,Rebut de Compra Missatge
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Els productes de rebuig
@@ -6829,23 +6904,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Realització
 DocType: Purchase Taxes and Charges,On Previous Row Amount,A limport de la fila anterior
 DocType: Item,Has Expiry Date,Té data de caducitat
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,actius transferència
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,actius transferència
 DocType: POS Profile,POS Profile,POS Perfil
 DocType: Training Event,Event Name,Nom de l&#39;esdeveniment
 DocType: Healthcare Practitioner,Phone (Office),Telèfon (oficina)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","No es pot enviar, els empleats deixen de marcar l&#39;assistència"
 DocType: Inpatient Record,Admission,admissió
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Les admissions per {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","L'estacionalitat d'establir pressupostos, objectius, etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","L'estacionalitat d'establir pressupostos, objectius, etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nom de la variable
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Article {0} és una plantilla, per favor seleccioni una de les seves variants"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configureu el sistema de nomenclatura d&#39;empleats en recursos humans&gt; Configuració de recursos humans
+DocType: Purchase Invoice Item,Deferred Expense,Despeses diferides
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Des de la data {0} no es pot fer abans de la data d&#39;incorporació de l&#39;empleat {1}
 DocType: Asset,Asset Category,categoria actius
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Salari net no pot ser negatiu
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Salari net no pot ser negatiu
 DocType: Purchase Order,Advance Paid,Bestreta pagada
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentatge de superproducció per a l&#39;ordre de vendes
 DocType: Item,Item Tax,Impost d'article
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materials de Proveïdor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materials de Proveïdor
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Sol·licitud de material de planificació
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Impostos Especials Factura
@@ -6867,11 +6944,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Eina de programació
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Targeta De Crèdit
 DocType: BOM,Item to be manufactured or repacked,Article que es fabricarà o embalarà de nou
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Error de sintaxi en la condició: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Error de sintaxi en la condició: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Major/Optional Subjects
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Establiu el grup de proveïdors a la configuració de compra.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Establiu el grup de proveïdors a la configuració de compra.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",L&#39;import total del component de benefici flexible {0} no hauria de ser inferior als beneficis màxims {1}
 DocType: Sales Invoice Item,Drop Ship,Nau de la gota
 DocType: Driver,Suspended,Suspès
@@ -6891,7 +6968,7 @@
 DocType: Customer,Commission Rate,Percentatge de comissió
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,S&#39;ha creat una entrada de pagament creada
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,S&#39;ha creat {0} quadres de paràgraf per {1} entre:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Fer Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Fer Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipus de pagament ha de ser un Rebre, Pagar i Transferència interna"
 DocType: Travel Itinerary,Preferred Area for Lodging,Àrea preferida per a allotjament
 apps/erpnext/erpnext/config/selling.py +184,Analytics,analítica
@@ -6902,7 +6979,7 @@
 DocType: Work Order,Actual Operating Cost,Cost de funcionament real
 DocType: Payment Entry,Cheque/Reference No,Xec / No. de Referència
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root no es pot editar.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root no es pot editar.
 DocType: Item,Units of Measure,Unitats de mesura
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Llogat a Metro City
 DocType: Supplier,Default Tax Withholding Config,Configuració de retenció d&#39;impostos predeterminada
@@ -6920,21 +6997,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Després de la realització del pagament redirigir l&#39;usuari a la pàgina seleccionada.
 DocType: Company,Existing Company,companyia existent
 DocType: Healthcare Settings,Result Emailed,Resultat enviat per correu electrònic
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria impost ha estat canviat a &quot;total&quot; perquè tots els articles són articles no estan en estoc
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria impost ha estat canviat a &quot;total&quot; perquè tots els articles són articles no estan en estoc
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Fins a la data no pot ser igual o inferior a la data
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Res per canviar
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Seleccioneu un arxiu csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Seleccioneu un arxiu csv
 DocType: Holiday List,Total Holidays,Vacances totals
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Falta la plantilla de correu electrònic per enviar-la. Establiu-ne una a la Configuració de lliurament.
 DocType: Student Leave Application,Mark as Present,Marcar com a present
 DocType: Supplier Scorecard,Indicator Color,Color indicador
 DocType: Purchase Order,To Receive and Bill,Per Rebre i Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,La fila # {0}: la reqd per data no pot ser abans de la data de la transacció
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,La fila # {0}: la reqd per data no pot ser abans de la data de la transacció
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,productes destacats
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Seleccioneu el número de sèrie
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Seleccioneu el número de sèrie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Dissenyador
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Plantilla de Termes i Condicions
 DocType: Serial No,Delivery Details,Detalls del lliurament
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Es requereix de centres de cost a la fila {0} en Impostos taula per al tipus {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Es requereix de centres de cost a la fila {0} en Impostos taula per al tipus {1}
 DocType: Program,Program Code,Codi del programa
 DocType: Terms and Conditions,Terms and Conditions Help,Termes i Condicions Ajuda
 ,Item-wise Purchase Register,Registre de compra d'articles
@@ -6947,15 +7025,16 @@
 DocType: Contract,Contract Terms,Termes del contracte
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,No mostrar qualsevol símbol com $ etc costat de monedes.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},La quantitat màxima de beneficis del component {0} supera {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Mig dia)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Mig dia)
 DocType: Payment Term,Credit Days,Dies de Crèdit
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Seleccioneu Pacient per obtenir proves de laboratori
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Fer lots Estudiant
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Permetre la transferència per a la fabricació
 DocType: Leave Type,Is Carry Forward,Is Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Obtenir elements de la llista de materials
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Obtenir elements de la llista de materials
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Temps de Lliurament Dies
 DocType: Cash Flow Mapping,Is Income Tax Expense,La despesa de l&#39;impost sobre la renda
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,La teva comanda no està disponible.
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Data de comptabilització ha de ser la mateixa que la data de compra {1} d&#39;actius {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Comprovar això si l&#39;estudiant està residint a l&#39;alberg de l&#39;Institut.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Si us plau, introdueixi les comandes de client a la taula anterior"
@@ -6963,10 +7042,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transferir un actiu d&#39;un magatzem a un altre
 DocType: Vehicle,Petrol,gasolina
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Beneficis restants (anuals)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Llista de materials
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Llista de materials
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Fila {0}: Partit Tipus i Partit es requereix per al compte per cobrar / pagar {1}
 DocType: Employee,Leave Policy,Deixeu la política
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Actualitza elements
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Actualitza elements
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Data
 DocType: Employee,Reason for Leaving,Raons per deixar el
 DocType: BOM Operation,Operating Cost(Company Currency),Cost de funcionament (Companyia de divises)
@@ -6977,7 +7056,7 @@
 DocType: Department,Expense Approvers,Aplicacions de despeses de despesa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Fila {0}: seient de dèbit no pot vincular amb un {1}
 DocType: Journal Entry,Subscription Section,Secció de subscripció
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,El compte {0} no existeix
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,El compte {0} no existeix
 DocType: Training Event,Training Program,Programa d&#39;entrenament
 DocType: Account,Cash,Efectiu
 DocType: Employee,Short biography for website and other publications.,Breu biografia de la pàgina web i altres publicacions.
diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv
index f67f5a6..0b59152 100644
--- a/erpnext/translations/cs.csv
+++ b/erpnext/translations/cs.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Zákazník položky
 DocType: Project,Costing and Billing,Kalkulace a fakturace
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Advance měna účtu by měla být stejná jako měna společnosti {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Účet {0}: Nadřazený účet {1} nemůže být hlavní kniha
+DocType: QuickBooks Migrator,Token Endpoint,Koncový bod tokenu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Účet {0}: Nadřazený účet {1} nemůže být hlavní kniha
 DocType: Item,Publish Item to hub.erpnext.com,Publikování položku do hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nelze najít aktivní období dovolené
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nelze najít aktivní období dovolené
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ohodnocení
 DocType: Item,Default Unit of Measure,Výchozí Měrná jednotka
 DocType: SMS Center,All Sales Partner Contact,Všechny Partneři Kontakt
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klepněte na tlačítko Zadat pro přidání
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Chybějící hodnota pro heslo, klíč API nebo URL obchodu"
 DocType: Employee,Rented,Pronajato
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Všechny účty
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Všechny účty
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Nelze přenést zaměstnance se stavem doleva
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zastavil výrobu Objednat nelze zrušit, uvolnit ho nejprve zrušit"
 DocType: Vehicle Service,Mileage,Najeto
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Opravdu chcete zrušit tuto pohledávku?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Opravdu chcete zrušit tuto pohledávku?
 DocType: Drug Prescription,Update Schedule,Aktualizovat plán
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Vybrat Výchozí Dodavatel
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Zobrazit zaměstnance
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nový směnný kurz
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Měna je vyžadováno pro Ceníku {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Měna je vyžadováno pro Ceníku {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bude se vypočítá v transakci.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Kontakt se zákazníky
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,To je založeno na transakcích proti tomuto dodavateli. Viz časovou osu níže podrobnosti
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Procento nadvýroby pro pracovní pořadí
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Právní
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Právní
+DocType: Delivery Note,Transport Receipt Date,Datum přijetí dopravy
 DocType: Shopify Settings,Sales Order Series,Série objednávek
 DocType: Vital Signs,Tongue,Jazyk
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA výjimka
 DocType: Sales Invoice,Customer Name,Jméno zákazníka
 DocType: Vehicle,Natural Gas,Zemní plyn
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankovní účet nemůže být jmenován jako {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankovní účet nemůže být jmenován jako {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA podle platové struktury
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (nebo skupiny), proti nimž účetní zápisy jsou vyrobeny a stav je veden."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Vynikající pro {0} nemůže být nižší než nula ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Datum ukončení servisu nemůže být před datem zahájení servisu
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Datum ukončení servisu nemůže být před datem zahájení servisu
 DocType: Manufacturing Settings,Default 10 mins,Výchozí 10 min
 DocType: Leave Type,Leave Type Name,Jméno typu absence
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Ukázat otevřené
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Ukázat otevřené
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Řada Aktualizováno Úspěšně
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Odhlásit se
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} v řádku {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} v řádku {1}
 DocType: Asset Finance Book,Depreciation Start Date,Datum zahájení odpisování
 DocType: Pricing Rule,Apply On,Naneste na
 DocType: Item Price,Multiple Item prices.,Více ceny položku.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Nastavení podpůrných
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,"Očekávané Datum ukončení nemůže být nižší, než se očekávalo data zahájení"
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Nastavení
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Řádek # {0}: Cena musí být stejné, jako {1}: {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Řádek # {0}: Cena musí být stejné, jako {1}: {2} ({3} / {4})"
 ,Batch Item Expiry Status,Batch položky vypršení platnosti Stav
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Návrh
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primární kontaktní údaje
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,otevřené problémy
 DocType: Production Plan Item,Production Plan Item,Výrobní program Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Uživatel {0} je již přiřazena k Employee {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Uživatel {0} je již přiřazena k Employee {1}
 DocType: Lab Test Groups,Add new line,Přidat nový řádek
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Péče o zdraví
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zpoždění s platbou (dny)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Předpis
 ,Delay Days,Delay Dny
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Service Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} je již uvedeno v prodejní faktuře: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} je již uvedeno v prodejní faktuře: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura
 DocType: Purchase Invoice Item,Item Weight Details,Položka podrobnosti o hmotnosti
 DocType: Asset Maintenance Log,Periodicity,Periodicita
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskální rok {0} je vyžadována
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dodavatel&gt; Skupina dodavatelů
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimální vzdálenost mezi řadami rostlin pro optimální růst
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Obrana
 DocType: Salary Component,Abbr,Zkr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Seznam dovolené
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Účetní
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Prodejní ceník
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Prodejní ceník
 DocType: Patient,Tobacco Current Use,Aktuální tabákové použití
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Prodejní sazba
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Prodejní sazba
 DocType: Cost Center,Stock User,Sklad Uživatel
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontaktní informace
 DocType: Company,Phone No,Telefon
 DocType: Delivery Trip,Initial Email Notification Sent,Původní e-mailové oznámení bylo odesláno
 DocType: Bank Statement Settings,Statement Header Mapping,Mapování hlaviček výpisu
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Datum zahájení předplatného
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Výchozí pohledávkové účty, které se použijí, pokud nejsou nastaveny v Pacientovi pro účtování poplatků za schůzku."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Připojit CSV soubor se dvěma sloupci, jeden pro starý název a jeden pro nový název"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Z adresy 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položek&gt; Značka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Z adresy 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} není v žádném aktivním fiskální rok.
 DocType: Packed Item,Parent Detail docname,Parent Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odkaz: {0}, kód položky: {1} a zákazník: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} není v mateřské společnosti
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} není v mateřské společnosti
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Datum ukončení zkušebního období nemůže být před datem zahájení zkušebního období
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Daňové zadržení kategorie
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklama
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Stejný Společnost je zapsána více než jednou
 DocType: Patient,Married,Ženatý
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Není dovoleno {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Není dovoleno {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Položka získaná z
 DocType: Price List,Price Not UOM Dependant,Cena není závislá na UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Použijte částku s odečtením daně
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Celková částka připsána
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Celková částka připsána
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Žádné položky nejsou uvedeny
 DocType: Asset Repair,Error Description,Popis chyby
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Použijte formát vlastní peněžní toky
 DocType: SMS Center,All Sales Person,Všichni obchodní zástupci
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Měsíční Distribuce ** umožňuje distribuovat Rozpočet / Target celé měsíce, pokud máte sezónnosti ve vaší firmě."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nebyl nalezen položek
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Plat Struktura Chybějící
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nebyl nalezen položek
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Plat Struktura Chybějící
 DocType: Lead,Person Name,Osoba Jméno
 DocType: Sales Invoice Item,Sales Invoice Item,Položka prodejní faktury
 DocType: Account,Credit,Úvěr
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Stock Reports
 DocType: Warehouse,Warehouse Detail,Sklad Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Datum ukončení nemůže být později než v roce Datum ukončení akademického roku, ke kterému termín je spojena (akademický rok {}). Opravte data a zkuste to znovu."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Je dlouhodobý majetek"" nemůže být nezaškrtnutý protože existuje zápis aktiva oproti této položce"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Je dlouhodobý majetek"" nemůže být nezaškrtnutý protože existuje zápis aktiva oproti této položce"
 DocType: Delivery Trip,Departure Time,Čas odjezdu
 DocType: Vehicle Service,Brake Oil,Brake Oil
 DocType: Tax Rule,Tax Type,Daňové Type
 ,Completed Work Orders,Dokončené pracovní příkazy
 DocType: Support Settings,Forum Posts,Příspěvky ve fóru
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Zdanitelná částka
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Zdanitelná částka
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Nejste oprávněni přidávat nebo aktualizovat údaje před {0}
 DocType: Leave Policy,Leave Policy Details,Zanechat podrobnosti o zásadách
 DocType: BOM,Item Image (if not slideshow),Item Image (ne-li slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hodinová sazba / 60) * Skutečný čas operace
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Řádek # {0}: Referenční typ dokumentu musí být jedním z nákladového tvrzení nebo záznamu v deníku
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Vybrat BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Řádek # {0}: Referenční typ dokumentu musí být jedním z nákladového tvrzení nebo záznamu v deníku
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Vybrat BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Náklady na dodávaných výrobků
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Dovolená na {0} není mezi Datum od a do dnešního dne
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Šablony dodavatelů.
 DocType: Lead,Interested,Zájemci
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Otvor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Od {0} do {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Od {0} do {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Nepodařilo se nastavit daně
 DocType: Item,Copy From Item Group,Kopírovat z bodu Group
-DocType: Delivery Trip,Delivery Notification,Oznámení o doručení
 DocType: Journal Entry,Opening Entry,Otevření Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Účet Pay Pouze
 DocType: Loan,Repay Over Number of Periods,Splatit Over počet období
 DocType: Stock Entry,Additional Costs,Dodatečné náklady
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu.
 DocType: Lead,Product Enquiry,Dotaz Product
 DocType: Education Settings,Validate Batch for Students in Student Group,Ověřit dávku pro studenty ve skupině studentů
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Žádný záznam volno nalezených pro zaměstnance {0} na {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosím, nejprave zadejte společnost"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Prosím, vyberte první firma"
 DocType: Employee Education,Under Graduate,Za absolventa
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Prosím nastavte výchozí šablonu pro ohlášení stavu o stavu v HR nastaveních.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Prosím nastavte výchozí šablonu pro ohlášení stavu o stavu v HR nastaveních.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On
 DocType: BOM,Total Cost,Celkové náklady
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Výpis z účtu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmaceutické
 DocType: Purchase Invoice Item,Is Fixed Asset,Je dlouhodobý majetek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","K dispozici je množství {0}, musíte {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","K dispozici je množství {0}, musíte {1}"
 DocType: Expense Claim Detail,Claim Amount,Nárok Částka
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Pracovní příkaz byl {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Šablona inspekce kvality
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Chcete aktualizovat docházku? <br> Present: {0} \ <br> Chybí: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamítnuté množství se musí rovnat množství Přijaté u položky {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamítnuté množství se musí rovnat množství Přijaté u položky {0}
 DocType: Item,Supply Raw Materials for Purchase,Dodávky suroviny pro nákup
 DocType: Agriculture Analysis Criteria,Fertilizer,Hnojivo
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Nelze zajistit dodávku podle sériového čísla, protože je přidána položka {0} se službou Zajistit dodání podle \ sériového čísla"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,pro POS fakturu je nutná alespoň jeden způsob platby.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,pro POS fakturu je nutná alespoň jeden způsob platby.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Položka faktury bankovního výpisu
 DocType: Products Settings,Show Products as a List,Zobrazit produkty jako seznam
 DocType: Salary Detail,Tax on flexible benefit,Daň z flexibilní výhody
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Rozdílové množství
 DocType: Production Plan,Material Request Detail,Podrobnosti o vyžádání materiálu
 DocType: Selling Settings,Default Quotation Validity Days,Výchozí dny platnosti kotací
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty"
 DocType: SMS Center,SMS Center,SMS centrum
 DocType: Payroll Entry,Validate Attendance,Ověřit účast
 DocType: Sales Invoice,Change Amount,změna Částka
 DocType: Party Tax Withholding Config,Certificate Received,Certifikát byl přijat
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Nastavte hodnotu faktury pro B2C. B2CL a B2CS vypočítané na základě této fakturované hodnoty.
 DocType: BOM Update Tool,New BOM,Nový BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Předepsané postupy
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Předepsané postupy
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Zobrazit pouze POS
 DocType: Supplier Group,Supplier Group Name,Název skupiny dodavatelů
 DocType: Driver,Driving License Categories,Kategorie řidičských oprávnění
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Mzdové lhůty
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Udělat zaměstnance
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Vysílání
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Režim nastavení POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Režim nastavení POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Zakáže vytváření časových protokolů proti pracovním příkazům. Operace nesmí být sledovány proti pracovní objednávce
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Provedení
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Podrobnosti o prováděných operací.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Sleva na Ceník Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Šablona položky
 DocType: Job Offer,Select Terms and Conditions,Vyberte Podmínky
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,limitu
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,limitu
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Položka nastavení bankovního výpisu
 DocType: Woocommerce Settings,Woocommerce Settings,Nastavení Woocommerce
 DocType: Production Plan,Sales Orders,Prodejní objednávky
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Žádost o cenovou nabídku lze přistupovat kliknutím na následující odkaz
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG nástroj pro tvorbu hřiště
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Popis platby
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,nedostatečná Sklad
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,nedostatečná Sklad
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázat Plánování kapacit a Time Tracking
 DocType: Email Digest,New Sales Orders,Nové Prodejní objednávky
 DocType: Bank Account,Bank Account,Bankovní účet
 DocType: Travel Itinerary,Check-out Date,Zkontrolovat datum
 DocType: Leave Type,Allow Negative Balance,Povolit záporný zůstatek
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Nelze odstranit typ projektu &quot;Externí&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Vyberte alternativní položku
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Vyberte alternativní položku
 DocType: Employee,Create User,Vytvořit uživatele
 DocType: Selling Settings,Default Territory,Výchozí Territory
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televize
 DocType: Work Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Vyberte zákazníka nebo dodavatele.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Množství předem nemůže být větší než {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Množství předem nemůže být větší než {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Časový interval přeskočil, slot {0} až {1} překrýval existující slot {2} na {3}"
 DocType: Naming Series,Series List for this Transaction,Řada seznam pro tuto transakci
 DocType: Company,Enable Perpetual Inventory,Povolit trvalý inventář
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Proti položce vydané faktury
 DocType: Agriculture Analysis Criteria,Linked Doctype,Linked Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Čistý peněžní tok z financování
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Místní úložiště je plná, nezachránil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Místní úložiště je plná, nezachránil"
 DocType: Lead,Address & Contact,Adresa a kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Přidat nevyužité listy z předchozích přídělů
 DocType: Sales Partner,Partner website,webové stránky Partner
@@ -446,10 +446,10 @@
 ,Open Work Orders,Otevřete pracovní objednávky
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Položka pro poplatek za konzultaci s pacientem
 DocType: Payment Term,Credit Months,Kreditní měsíce
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Čistý Pay nemůže být nižší než 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Čistý Pay nemůže být nižší než 0
 DocType: Contract,Fulfilled,Splnil
 DocType: Inpatient Record,Discharge Scheduled,Plnění je naplánováno
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování
 DocType: POS Closing Voucher,Cashier,Pokladní
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Dovolených za rok
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Zkontrolujte ""Je Advance"" proti účtu {1}, pokud je to záloha záznam."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Prosím, nastavte studenty pod studentskými skupinami"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Kompletní úloha
 DocType: Item Website Specification,Item Website Specification,Položka webových stránek Specifikace
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Absence blokována
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Absence blokována
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,bankovní Příspěvky
 DocType: Customer,Is Internal Customer,Je interní zákazník
 DocType: Crop,Annual,Roční
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Pokud je zaškrtnuto políčko Auto Opt In, zákazníci budou automaticky propojeni s daným věrným programem (při uložení)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Reklamní Odsouhlasení Item
 DocType: Stock Entry,Sales Invoice No,Prodejní faktuře č
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Druh napájení
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Druh napájení
 DocType: Material Request Item,Min Order Qty,Min Objednané množství
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool hřiště
 DocType: Lead,Do Not Contact,Nekontaktujte
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Publikovat v Hub
 DocType: Student Admission,Student Admission,Student Vstupné
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Položka {0} je zrušen
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Položka {0} je zrušen
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Odpisový řádek {0}: Datum zahájení odpisování je zadáno jako poslední datum
 DocType: Contract Template,Fulfilment Terms and Conditions,Smluvní podmínky
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Požadavek na materiál
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Požadavek na materiál
 DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Nákup Podrobnosti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebyl nalezen v &quot;suroviny dodané&quot; tabulky v objednávce {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebyl nalezen v &quot;suroviny dodané&quot; tabulky v objednávce {1}
 DocType: Salary Slip,Total Principal Amount,Celková hlavní částka
 DocType: Student Guardian,Relation,Vztah
 DocType: Student Guardian,Mother,Matka
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,vodní doprava County
 DocType: Currency Exchange,For Selling,Pro prodej
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Učit se
+DocType: Purchase Invoice Item,Enable Deferred Expense,Aktivovat odložený náklad
 DocType: Asset,Next Depreciation Date,Vedle Odpisy Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Náklady na činnost na jednoho zaměstnance
 DocType: Accounts Settings,Settings for Accounts,Nastavení účtů
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Dodavatelské faktury No existuje ve faktuře {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Dodavatelské faktury No existuje ve faktuře {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Správa obchodník strom.
 DocType: Job Applicant,Cover Letter,Průvodní dopis
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Vynikající Šeky a vklady s jasnými
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Vnější práce History
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Kruhové Referenční Chyba
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studentská karta
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Z kódu PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Z kódu PIN
 DocType: Appointment Type,Is Inpatient,Je hospitalizován
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Jméno Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Ve slovech (export) budou viditelné, jakmile uložíte doručení poznámku."
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Více měn
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktury
 DocType: Employee Benefit Claim,Expense Proof,Výkaz výdajů
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Dodací list
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Uložení {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Dodací list
 DocType: Patient Encounter,Encounter Impression,Setkání s impresi
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Nastavení Daně
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Náklady prodaných aktiv
 DocType: Volunteer,Morning,Ráno
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu."
 DocType: Program Enrollment Tool,New Student Batch,Nová studentská dávka
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} vloženo dvakrát v Daňové Položce
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Shrnutí pro tento týden a probíhajícím činnostem
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} vloženo dvakrát v Daňové Položce
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Shrnutí pro tento týden a probíhajícím činnostem
 DocType: Student Applicant,Admitted,"připustil,"
 DocType: Workstation,Rent Cost,Rent Cost
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Částka po odpisech
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Částka po odpisech
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Nadcházející Události v kalendáři
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant atributy
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Vyberte měsíc a rok
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Tam může být pouze 1 účet na společnosti v {0} {1}
 DocType: Support Search Source,Response Result Key Path,Cesta k klíčovému výsledku odpovědi
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Entry Journal
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Množství {0} by nemělo být větší než počet pracovních objednávek {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Prosím, viz příloha"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Množství {0} by nemělo být větší než počet pracovních objednávek {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Prosím, viz příloha"
 DocType: Purchase Order,% Received,% Přijaté
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Vytvoření skupiny studentů
 DocType: Volunteer,Weekends,Víkendy
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Naprosto vynikající
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série.
 DocType: Dosage Strength,Strength,Síla
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Vytvořit nový zákazník
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Vytvořit nový zákazník
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Vypnuto Zapnuto
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Je-li více pravidla pro tvorbu cen i nadále přednost, jsou uživatelé vyzváni k nastavení priority pro vyřešení konfliktu."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Vytvoření objednávek
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Spotřební Cost
 DocType: Purchase Receipt,Vehicle Date,Datum Vehicle
 DocType: Student Log,Medical,Lékařský
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Důvod ztráty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Vyberte prosím lék
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Důvod ztráty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Vyberte prosím lék
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Olovo Majitel nemůže být stejný jako olovo
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Přidělená částka nemůže větší než množství neupravené
 DocType: Announcement,Receiver,Přijímač
 DocType: Location,Area UOM,Oblast UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation je uzavřena v následujících dnech podle Prázdninový Seznam: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Příležitosti
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Příležitosti
 DocType: Lab Test Template,Single,Jednolůžkový
 DocType: Compensatory Leave Request,Work From Date,Práce od data
 DocType: Salary Slip,Total Loan Repayment,Celková splátky
+DocType: Project User,View attachments,Zobrazit přílohy
 DocType: Account,Cost of Goods Sold,Náklady na prodej zboží
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,"Prosím, zadejte nákladové středisko"
 DocType: Drug Prescription,Dosage,Dávkování
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Množství a cena
 DocType: Delivery Note,% Installed,% Instalováno
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebny / etc laboratoře, kde mohou být naplánovány přednášky."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Společné měny obou společností by měly odpovídat mezipodnikovým transakcím.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Společné měny obou společností by měly odpovídat mezipodnikovým transakcím.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,"Prosím, zadejte nejprve název společnosti"
 DocType: Travel Itinerary,Non-Vegetarian,Nevegetarián
 DocType: Purchase Invoice,Supplier Name,Dodavatel Name
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Dočasně pozdrženo
 DocType: Account,Is Group,Is Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditní poznámka {0} byla vytvořena automaticky
-DocType: Email Digest,Pending Purchase Orders,Čeká objednávek
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automaticky nastavit sériových čísel na základě FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,"Zkontrolujte, zda dodavatelské faktury Počet Jedinečnost"
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Údaje o primární adrese
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Přizpůsobte si úvodní text, který jede jako součást tohoto e-mailu. Každá transakce je samostatný úvodní text."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Řádek {0}: vyžaduje se operace proti položce suroviny {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Nastavte prosím výchozí splatný účet společnosti {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transakce není povolena proti zastavenému pracovnímu příkazu {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transakce není povolena proti zastavenému pracovnímu příkazu {0}
 DocType: Setup Progress Action,Min Doc Count,Minimální počet dokumentů
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globální nastavení pro všechny výrobní procesy.
 DocType: Accounts Settings,Accounts Frozen Upto,Účty Frozen aľ
 DocType: SMS Log,Sent On,Poslán na
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atribut {0} vybraný několikrát v atributech tabulce
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atribut {0} vybraný několikrát v atributech tabulce
 DocType: HR Settings,Employee record is created using selected field. ,Záznam Zaměstnanec je vytvořena pomocí vybrané pole.
 DocType: Sales Order,Not Applicable,Nehodí se
 DocType: Amazon MWS Settings,UK,Spojené království
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Zaměstnanec {0} již požádal o {1} dne {2}:
 DocType: Inpatient Record,AB Positive,AB pozitivní
 DocType: Job Opening,Description of a Job Opening,Popis jednoho volných pozic
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Nevyřízené aktivity pro dnešek
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Nevyřízené aktivity pro dnešek
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Plat komponent pro mzdy časového rozvrhu.
+DocType: Driver,Applicable for external driver,Platí pro externí ovladač
 DocType: Sales Order Item,Used for Production Plan,Používá se pro výrobní plán
 DocType: Loan,Total Payment,Celková platba
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Nelze zrušit transakci pro dokončenou pracovní objednávku.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Nelze zrušit transakci pro dokončenou pracovní objednávku.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Doba mezi operací (v min)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO již vytvořeno pro všechny položky prodejní objednávky
 DocType: Healthcare Service Unit,Occupied,Obsazený
 DocType: Clinical Procedure,Consumables,Spotřební materiál
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} je zrušena, takže akce nemůže být dokončena"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} je zrušena, takže akce nemůže být dokončena"
 DocType: Customer,Buyer of Goods and Services.,Kupující zboží a služeb.
 DocType: Journal Entry,Accounts Payable,Účty za úplatu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Část {0} nastavená v této žádosti o platbu se liší od vypočtené částky všech platebních plánů: {1}. Před odesláním dokumentu se ujistěte, že je to správné."
 DocType: Patient,Allergies,Alergie
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Vybrané kusovníky nejsou stejné položky
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Vybrané kusovníky nejsou stejné položky
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Změnit kód položky
 DocType: Supplier Scorecard Standing,Notify Other,Upozornit ostatní
 DocType: Vital Signs,Blood Pressure (systolic),Krevní tlak (systolický)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Dost Části vybudovat
 DocType: POS Profile User,POS Profile User,Uživatel profilu POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Řádek {0}: Je vyžadován počáteční datum odpisování
-DocType: Sales Invoice Item,Service Start Date,Datum zahájení služby
+DocType: Purchase Invoice Item,Service Start Date,Datum zahájení služby
 DocType: Subscription Invoice,Subscription Invoice,Předplatné faktura
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Přímý příjmů
 DocType: Patient Appointment,Date TIme,Čas schůzky
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Rutine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Zvolte datum dokončení dokončeného protokolu údržby aktiv
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky"
 DocType: Supplier,Block Supplier,Zablokujte dodavatele
 DocType: Shipping Rule,Net Weight,Hmotnost
 DocType: Job Opening,Planned number of Positions,Plánovaný počet pozic
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Šablona mapování peněžních toků
 DocType: Travel Request,Costing Details,Kalkulovat podrobnosti
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Zobrazit položky návratu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Sériové žádná položka nemůže být zlomkem
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Sériové žádná položka nemůže být zlomkem
 DocType: Journal Entry,Difference (Dr - Cr),Rozdíl (Dr - Cr)
 DocType: Bank Guarantee,Providing,Poskytování
 DocType: Account,Profit and Loss,Zisky a ztráty
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Není povoleno, podle potřeby nastavte šablonu testování laboratoře"
 DocType: Patient,Risk Factors,Rizikové faktory
 DocType: Patient,Occupational Hazards and Environmental Factors,Pracovní nebezpečí a environmentální faktory
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Zápisy již vytvořené pro pracovní objednávku
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Zápisy již vytvořené pro pracovní objednávku
 DocType: Vital Signs,Respiratory rate,Dechová frekvence
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Správa Subdodávky
 DocType: Vital Signs,Body Temperature,Tělesná teplota
 DocType: Project,Project will be accessible on the website to these users,Projekt bude k dispozici na webových stránkách k těmto uživatelům
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Nelze zrušit {0} {1}, protože sériové číslo {2} nepatří do skladu {3}"
 DocType: Detected Disease,Disease,Choroba
+DocType: Company,Default Deferred Expense Account,Výchozí účet odložených výdajů
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definujte typ projektu.
 DocType: Supplier Scorecard,Weighting Function,Funkce vážení
 DocType: Healthcare Practitioner,OP Consulting Charge,Konzultační poplatek OP
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Vyrobené položky
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Shoda transakce na faktury
 DocType: Sales Order Item,Gross Profit,Hrubý Zisk
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Odblokovat fakturu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Odblokovat fakturu
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Přírůstek nemůže být 0
 DocType: Company,Delete Company Transactions,Smazat transakcí Company
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referenční číslo a referenční datum je povinný pro bankovní transakce
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Ignorovat
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} není aktivní
 DocType: Woocommerce Settings,Freight and Forwarding Account,Účet přepravy a zasílání
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Zkontrolujte nastavení rozměry pro tisk
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Zkontrolujte nastavení rozměry pro tisk
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Vytvoření platebních karet
 DocType: Vital Signs,Bloated,Nafouklý
 DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení
 DocType: Item Price,Valid From,Platnost od
 DocType: Sales Invoice,Total Commission,Celkem Komise
 DocType: Tax Withholding Account,Tax Withholding Account,Účet pro zadržení daně
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Všechna hodnocení dodavatelů.
 DocType: Buying Settings,Purchase Receipt Required,Příjmka je vyžadována
 DocType: Delivery Note,Rail,Železnice
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Cílový sklad v řádku {0} musí být stejný jako pracovní objednávka
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Cena je povinná, pokud je zadán počáteční stav zásob"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Cílový sklad v řádku {0} musí být stejný jako pracovní objednávka
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Cena je povinná, pokud je zadán počáteční stav zásob"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nalezené v tabulce faktury Žádné záznamy
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Vyberte první společnost a Party Typ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",Již nastavený výchozí profil {0} pro uživatele {1} je laskavě vypnut výchozí
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finanční / Účetní rok.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finanční / Účetní rok.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Neuhrazená Hodnoty
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Zákaznická skupina nastaví vybranou skupinu při synchronizaci zákazníků se službou Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,Id leadu
 DocType: C-Form Invoice Detail,Grand Total,Celkem
 DocType: Assessment Plan,Course,Chod
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kód oddílu
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kód oddílu
 DocType: Timesheet,Payslip,výplatní páska
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Denní datum by mělo být mezi dnem a dnem
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Item košík
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Osobní bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Členství ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Dodává: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Dodává: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Připojeno k QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Splatnost účtu
 DocType: Payment Entry,Type of Payment,Typ platby
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Poloviční den je povinný
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Přepravní účet
 DocType: Production Plan,Production Plan,Plán produkce
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otevření nástroje pro vytváření faktur
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Sales Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Poznámka: Celkový počet alokovaných listy {0} by neměla být menší než které již byly schváleny listy {1} pro období
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nastavte počet transakcí na základě sériového č. Vstupu
 ,Total Stock Summary,Shrnutí souhrnného stavu
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Zákazník nebo položka
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Databáze zákazníků.
 DocType: Quotation,Quotation To,Nabídka k
-DocType: Lead,Middle Income,Středními příjmy
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Středními příjmy
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Otvor (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Výchozí měrná jednotka bodu {0} nemůže být změněna přímo, protože jste už nějaké transakce (y) s jiným nerozpuštěných. Budete muset vytvořit novou položku použít jiný výchozí UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Výchozí měrná jednotka bodu {0} nemůže být změněna přímo, protože jste už nějaké transakce (y) s jiným nerozpuštěných. Budete muset vytvořit novou položku použít jiný výchozí UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Přidělená částka nemůže být záporná
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Nastavte společnost
 DocType: Share Balance,Share Balance,Sázení podílů
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Vybrat Platební účet, aby Bank Entry"
 DocType: Hotel Settings,Default Invoice Naming Series,Výchozí série pojmenování faktur
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Vytvořit Zaměstnanecké záznamy pro správu listy, prohlášení o výdajích a mezd"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Během procesu aktualizace došlo k chybě
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Během procesu aktualizace došlo k chybě
 DocType: Restaurant Reservation,Restaurant Reservation,Rezervace restaurace
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Návrh Psaní
 DocType: Payment Entry Deduction,Payment Entry Deduction,Platba Vstup dedukce
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Obalte se
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Informujte zákazníky e-mailem
 DocType: Item,Batch Number Series,Číselná řada šarží
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Další prodeje osoba {0} existuje se stejným id zaměstnance
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Další prodeje osoba {0} existuje se stejným id zaměstnance
 DocType: Employee Advance,Claimed Amount,Požadovaná částka
+DocType: QuickBooks Migrator,Authorization Settings,Nastavení oprávnění
 DocType: Travel Itinerary,Departure Datetime,Čas odletu
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Náklady na cestování
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Dodavatel Pojmenování By
 DocType: Activity Type,Default Costing Rate,Výchozí kalkulace Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Plán údržby
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Pak se pravidla pro tvorbu cen jsou odfiltrovány založeny na zákazníka, skupiny zákazníků, území, dodavatel, dodavatel typ, kampaň, obchodní partner atd"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Pak se pravidla pro tvorbu cen jsou odfiltrovány založeny na zákazníka, skupiny zákazníků, území, dodavatel, dodavatel typ, kampaň, obchodní partner atd"
 DocType: Employee Promotion,Employee Promotion Details,Podrobnosti o podpoře zaměstnanců
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Čistá Změna stavu zásob
 DocType: Employee,Passport Number,Číslo pasu
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Souvislost s Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manažer
 DocType: Payment Entry,Payment From / To,Platba z / do
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Od fiskálního roku
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nový úvěrový limit je nižší než aktuální dlužné částky za zákazníka. Úvěrový limit musí být aspoň {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Nastavte prosím účet ve skladu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Nastavte prosím účet ve skladu {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Založeno na"" a ""Seskupeno podle"", nemůže být stejné"
 DocType: Sales Person,Sales Person Targets,Obchodník cíle
 DocType: Work Order Operation,In minutes,V minutách
 DocType: Issue,Resolution Date,Rozlišení Datum
 DocType: Lab Test Template,Compound,Sloučenina
+DocType: Opportunity,Probability (%),Pravděpodobnost (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Oznámení o odeslání
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Vyberte vlastnost
 DocType: Student Batch Name,Batch Name,Batch Name
 DocType: Fee Validity,Max number of visit,Maximální počet návštěv
 ,Hotel Room Occupancy,Hotel Occupancy
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Časového rozvrhu vytvoření:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Zapsat
 DocType: GST Settings,GST Settings,Nastavení GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Měna by měla být stejná jako měna ceníku: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Celkem splatných úroků
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Přistál nákladů daně a poplatky
 DocType: Work Order Operation,Actual Start Time,Skutečný čas začátku
+DocType: Purchase Invoice Item,Deferred Expense Account,Odložený nákladový účet
 DocType: BOM Operation,Operation Time,Čas operace
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Dokončit
 DocType: Salary Structure Assignment,Base,Báze
 DocType: Timesheet,Total Billed Hours,Celkem Předepsané Hodiny
 DocType: Travel Itinerary,Travel To,Cestovat do
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,není
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Odepsat Částka
 DocType: Leave Block List Allow,Allow User,Umožňuje uživateli
 DocType: Journal Entry,Bill No,Bill No
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Rozvrh hodin
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Se zpětným suroviny na základě
 DocType: Sales Invoice,Port Code,Port Code
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Rezervní sklad
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Rezervní sklad
 DocType: Lead,Lead is an Organization,Vedoucí je organizace
-DocType: Guardian Interest,Interest,Zajímat
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Předprodej
 DocType: Instructor Log,Other Details,Další podrobnosti
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Účty
 DocType: Vehicle,Odometer Value (Last),Údaj měřiče ujeté vzdálenosti (Last)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Šablony kritérií kritérií pro dodavatele.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Uplatnit věrnostní body
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Vstup Platba je již vytvořili
 DocType: Request for Quotation,Get Suppliers,Získejte dodavatele
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Rozdělení výsevních ploch UOM
 DocType: Loyalty Program,Single Tier Program,Jednoduchý program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Zvolte pouze, pokud máte nastavené dokumenty pro mapování cash flow"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Z adresy 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Z adresy 1
 DocType: Email Digest,Next email will be sent on:,Další e-mail bude odeslán dne:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Následující položka {items} {verb} je označena jako položka {message}. Můžete je povolit jako položku {message} z jeho položky Master
 DocType: Supplier Scorecard,Per Week,Za týden
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Položka má varianty.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Položka má varianty.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Celkový počet studentů
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Položka {0} nebyl nalezen
 DocType: Bin,Stock Value,Reklamní Value
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Společnost {0} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Společnost {0} neexistuje
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} má platnost až do {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Množství spotřebované na jednotku
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Vstup Kreditní karta
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Společnost a účty
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,v Hodnota
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,v Hodnota
 DocType: Asset Settings,Depreciation Options,Možnosti odpisů
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Musí být požadováno umístění nebo zaměstnanec
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Neplatný čas přidávání
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Přidělení
 DocType: Purchase Order,Supply Raw Materials,Dodávek surovin
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Oběžná aktiva
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} není skladová položka
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} není skladová položka
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Podělte se o své připomínky k tréninku kliknutím na &quot;Tréninkové připomínky&quot; a poté na &quot;Nové&quot;
 DocType: Mode of Payment Account,Default Account,Výchozí účet
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Zvolte prosím nejprve Sample Retention Warehouse in Stock Stock
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Zvolte prosím nejprve Sample Retention Warehouse in Stock Stock
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Zvolte typ víceúrovňového programu pro více než jednu pravidla kolekce.
 DocType: Payment Entry,Received Amount (Company Currency),Přijaté Částka (Company měna)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Lead musí být nastaven pokud je Příležitost vyrobena z leadu
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Platba byla zrušena. Zkontrolujte svůj účet GoCardless pro více informací
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Odeslat s přílohou
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Prosím, vyberte týdenní off den"
 DocType: Inpatient Record,O Negative,O Negativní
 DocType: Work Order Operation,Planned End Time,Plánované End Time
 ,Sales Person Target Variance Item Group-Wise,Prodej Osoba Cílová Odchylka Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Účet s transakcemi nelze převést na hlavní účetní knihu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Účet s transakcemi nelze převést na hlavní účetní knihu
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Podrobnosti o typu člena
 DocType: Delivery Note,Customer's Purchase Order No,Zákazníka Objednávka No
 DocType: Clinical Procedure,Consume Stock,Spotřeba zásob
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Písek
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energie
 DocType: Opportunity,Opportunity From,Příležitost Z
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Řádek {0}: {1} Sériová čísla vyžadovaná pro položku {2}. Poskytli jste {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Řádek {0}: {1} Sériová čísla vyžadovaná pro položku {2}. Poskytli jste {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Vyberte prosím tabulku
 DocType: BOM,Website Specifications,Webových stránek Specifikace
 DocType: Special Test Items,Particulars,Podrobnosti
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Od {0} typu {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Více Cena pravidla existuje u stejných kritérií, prosím vyřešit konflikt tím, že přiřadí prioritu. Cena Pravidla: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Více Cena pravidla existuje u stejných kritérií, prosím vyřešit konflikt tím, že přiřadí prioritu. Cena Pravidla: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Účet z přecenění směnného kurzu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Zvolte prosím datum společnosti a datum odevzdání
 DocType: Asset,Maintenance,Údržba
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Získejte z setkání pacienta
 DocType: Subscriber,Subscriber,Odběratel
 DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Aktualizujte stav projektu
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Aktualizujte stav projektu
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Směnárna musí být platná pro nákup nebo pro prodej.
 DocType: Item,Maximum sample quantity that can be retained,"Maximální množství vzorku, které lze zadržet"
 DocType: Project Update,How is the Project Progressing Right Now?,Jak probíhá projekt právě teď?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Řádek {0} # Položka {1} nelze převést více než {2} na objednávku {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Řádek {0} # Položka {1} nelze převést více než {2} na objednávku {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodej kampaně.
 DocType: Project Task,Make Timesheet,Udělat TimeSheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1240,36 +1248,38 @@
 DocType: Lab Test,Lab Test,Laboratorní test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Nástroj pro generování zpráv studentů
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Časový plán časového plánu pro zdravotní péči
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Name
 DocType: Expense Claim Detail,Expense Claim Type,Náklady na pojistná Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Výchozí nastavení Košík
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Přidat Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset vyhozen přes položka deníku {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Nastavte účet ve skladu {0} nebo ve výchozím inventářním účtu ve firmě {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset vyhozen přes položka deníku {0}
 DocType: Loan,Interest Income Account,Účet Úrokové výnosy
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Maximální přínosy by měly být větší než nula, aby byly dávky vypláceny"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Maximální přínosy by měly být větší než nula, aby byly dávky vypláceny"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Prohlížení pozvánky odesláno
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,Vlastnictví převodů zaměstnanců
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Od času by mělo být méně než čas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Položka {0} (Sériové číslo: {1}) nemůže být spotřebována, jak je uložena \, aby bylo možné vyplnit objednávku prodeje {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Náklady Office údržby
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Jít do
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aktualizovat cenu z Shopify do ERPNext Ceník
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavení e-mailový účet
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Prosím, nejdřív zadejte položku"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analýza potřeb
 DocType: Asset Repair,Downtime,Nefunkčnost
 DocType: Account,Liability,Odpovědnost
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionována Částka nemůže být větší než reklamace Částka v řádku {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionována Částka nemůže být větší než reklamace Částka v řádku {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademické označení:
 DocType: Salary Component,Do not include in total,Nezahrnujte celkem
 DocType: Company,Default Cost of Goods Sold Account,Výchozí Náklady na prodané zboží účtu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Množství vzorku {0} nemůže být větší než přijaté množství {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Ceník není zvolen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Množství vzorku {0} nemůže být větší než přijaté množství {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Ceník není zvolen
 DocType: Employee,Family Background,Rodinné poměry
 DocType: Request for Quotation Supplier,Send Email,Odeslat email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Varování: Neplatná Příloha {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Varování: Neplatná Příloha {0}
 DocType: Item,Max Sample Quantity,Max. Množství vzorku
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nemáte oprávnění
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolní seznam plnění smlouvy
@@ -1300,15 +1310,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: náklady Center {2} nepatří do společnosti {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Nahrajte své písmeno hlava (Udržujte web přátelský jako 900 x 100 pixelů)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Účet {2} nemůže být skupina
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Položka Row {idx}: {typ_dokumentu} {} DOCNAME neexistuje v předchozím &#39;{typ_dokumentu}&#39; tabulka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Časového rozvrhu {0} je již dokončena nebo zrušena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Časového rozvrhu {0} je již dokončena nebo zrušena
+DocType: QuickBooks Migrator,QuickBooks Migrator,Migrace QuickBooks
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,žádné úkoly
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Prodejní faktura {0} byla vytvořena jako zaplacená
 DocType: Item Variant Settings,Copy Fields to Variant,Kopírování polí na variantu
 DocType: Asset,Opening Accumulated Depreciation,Otevření Oprávky
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Skóre musí být menší než nebo rovna 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tool zápis
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form záznamy
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form záznamy
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Akcie již existují
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Zákazník a Dodavatel
 DocType: Email Digest,Email Digest Settings,Nastavení e-mailu Digest
@@ -1321,12 +1331,12 @@
 DocType: Production Plan,Select Items,Vyberte položky
 DocType: Share Transfer,To Shareholder,Akcionáři
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} proti účtence {1} ze dne {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Z státu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Z státu
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Instalační instituce
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Přidělení listů ...
 DocType: Program Enrollment,Vehicle/Bus Number,Číslo vozidla / autobusu
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,rozvrh
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Musíte odečíst daň z nezdaněného osvobození od daně a nárok na \ Zaměstnanecké výhody v posledním platebním období
 DocType: Request for Quotation Supplier,Quote Status,Citace Stav
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1352,13 +1362,13 @@
 DocType: Sales Invoice,Payment Due Date,Splatno dne
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Znovu vyberte, pokud je zvolená adresa po uložení upravena"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Bod Variant {0} již existuje se stejnými vlastnostmi
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Bod Variant {0} již existuje se stejnými vlastnostmi
 DocType: Item,Hub Publishing Details,Podrobnosti o publikování Hubu
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',"""Otevírací"""
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',"""Otevírací"""
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Otevřená dělat
 DocType: Issue,Via Customer Portal,Prostřednictvím zákaznického portálu
 DocType: Notification Control,Delivery Note Message,Delivery Note Message
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Částka SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Částka SGST
 DocType: Lab Test Template,Result Format,Formát výsledků
 DocType: Expense Claim,Expenses,Výdaje
 DocType: Item Variant Attribute,Item Variant Attribute,Položka Variant Atribut
@@ -1366,14 +1376,12 @@
 DocType: Payroll Entry,Bimonthly,dvouměsíčník
 DocType: Vehicle Service,Brake Pad,Brzdový pedál
 DocType: Fertilizer,Fertilizer Contents,Obsah hnojiv
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Výzkum a vývoj
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Výzkum a vývoj
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Částka k Fakturaci
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Datum zahájení a datum ukončení se překrývají s kartou <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registrace Podrobnosti
 DocType: Timesheet,Total Billed Amount,Celková částka Fakturovaný
 DocType: Item Reorder,Re-Order Qty,Objednané množství při znovuobjednání
 DocType: Leave Block List Date,Leave Block List Date,Nechte Block List Datum
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Prosím, nastavte systém pro pojmenování instruktorů ve vzdělání&gt; Nastavení vzdělávání"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Surovina nemůže být stejná jako hlavní položka
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Celkový počet použitelných poplatcích v dokladu o koupi zboží, které tabulky musí být stejná jako celkem daní a poplatků"
 DocType: Sales Team,Incentives,Pobídky
@@ -1387,7 +1395,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Místě prodeje
 DocType: Fee Schedule,Fee Creation Status,Stav tvorby poplatků
 DocType: Vehicle Log,Odometer Reading,stav tachometru
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Zůstatek na účtu již v Credit, není dovoleno stanovit ""Balance musí být"" jako ""debet"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Zůstatek na účtu již v Credit, není dovoleno stanovit ""Balance musí být"" jako ""debet"""
 DocType: Account,Balance must be,Zůstatek musí být
 DocType: Notification Control,Expense Claim Rejected Message,Zpráva o zamítnutí úhrady výdajů
 ,Available Qty,Množství k dispozici
@@ -1399,7 +1407,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Vždy synchronizujte své produkty s Amazon MWS před synchronizací detailů objednávek
 DocType: Delivery Trip,Delivery Stops,Doručování se zastaví
 DocType: Salary Slip,Working Days,Pracovní dny
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Nelze změnit datum ukončení služby pro položku v řádku {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Nelze změnit datum ukončení služby pro položku v řádku {0}
 DocType: Serial No,Incoming Rate,Příchozí Rate
 DocType: Packing Slip,Gross Weight,Hrubá hmotnost
 DocType: Leave Type,Encashment Threshold Days,Dny prahu inkasa
@@ -1418,31 +1426,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimální počet sedadel
 DocType: Item Attribute,Item Attribute Values,Položka Hodnoty atributů
 DocType: Examination Result,Examination Result,vyšetření Výsledek
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Příjemka
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Příjemka
 ,Received Items To Be Billed,"Přijaté položek, které mají být účtovány"
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Devizový kurz master.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Devizový kurz master.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referenční Doctype musí být jedním z {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtr Celkový počet nula
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Nelze najít časový úsek v příštích {0} dní k provozu {1}
 DocType: Work Order,Plan material for sub-assemblies,Plán materiál pro podsestavy
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Obchodní partneři a teritoria
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} musí být aktivní
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} musí být aktivní
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,K přenosu nejsou k dispozici žádné položky
 DocType: Employee Boarding Activity,Activity Name,Název aktivity
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Změnit datum vydání
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Množství hotového produktu <b>{0}</b> a Pro množství <b>{1}</b> se nemohou lišit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Změnit datum vydání
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Množství hotového produktu <b>{0}</b> a Pro množství <b>{1}</b> se nemohou lišit
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Uzavření (otevření + celkem)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položek&gt; Značka
+DocType: Delivery Settings,Dispatch Notification Attachment,Oznámení o odeslání
 DocType: Payroll Entry,Number Of Employees,Počet zaměstnanců
 DocType: Journal Entry,Depreciation Entry,odpisy Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Vyberte první typ dokumentu
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Vyberte první typ dokumentu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Zrušit Materiál Návštěvy {0} před zrušením tohoto návštěv údržby
 DocType: Pricing Rule,Rate or Discount,Cena nebo sleva
 DocType: Vital Signs,One Sided,Jednostranné
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Požadované množství
 DocType: Marketplace Settings,Custom Data,Vlastní data
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Sklady se stávajícími transakce nelze převést na knihy.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Sériové číslo je povinné pro položku {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Sklady se stávajícími transakce nelze převést na knihy.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Sériové číslo je povinné pro položku {0}
 DocType: Bank Reconciliation,Total Amount,Celková částka
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Od data a do data leží v různých fiskálních letech
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacient {0} nemá fakturu zákazníka
@@ -1453,9 +1463,9 @@
 DocType: Soil Texture,Clay Composition (%),Složení jílů (%)
 DocType: Item Group,Item Group Defaults,Výchozí nastavení položky položky
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Uložte prosím před přiřazením úkolu.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Zůstatek Hodnota
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Zůstatek Hodnota
 DocType: Lab Test,Lab Technician,Laboratorní technik
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Prodejní ceník
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Prodejní ceník
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Pokud je zaškrtnuto, vytvoří se zákazník, mapovaný na pacienta. Faktury pacientů budou vytvořeny proti tomuto zákazníkovi. Při vytváření pacienta můžete také vybrat existujícího zákazníka."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Zákazník není zapsán do žádného loajálního programu
@@ -1469,13 +1479,13 @@
 DocType: Support Search Source,Search Term Param Name,Hledaný výraz Param Name
 DocType: Item Barcode,Item Barcode,Položka Barcode
 DocType: Woocommerce Settings,Endpoints,Koncové body
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Bod Varianty {0} aktualizováno
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Bod Varianty {0} aktualizováno
 DocType: Quality Inspection Reading,Reading 6,Čtení 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Nelze {0} {1} {2} bez negativních vynikající faktura
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Nelze {0} {1} {2} bez negativních vynikající faktura
 DocType: Share Transfer,From Folio No,Z folia č
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Záloha přijaté faktury
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit záznam nemůže být spojována s {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definovat rozpočet pro finanční rok.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definovat rozpočet pro finanční rok.
 DocType: Shopify Tax Account,ERPNext Account,ERPN další účet
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} je zablokována, aby tato transakce nemohla pokračovat"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Akce při překročení akumulovaného měsíčního rozpočtu na MR
@@ -1491,19 +1501,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Přijatá faktura
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Povolit vícenásobnou spotřebu materiálu proti pracovní zakázce
 DocType: GL Entry,Voucher Detail No,Voucher Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nová prodejní faktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nová prodejní faktura
 DocType: Stock Entry,Total Outgoing Value,Celková hodnota Odchozí
 DocType: Healthcare Practitioner,Appointments,Setkání
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Datum zahájení a datem ukončení by mělo být v rámci stejného fiskální rok
 DocType: Lead,Request for Information,Žádost o informace
 ,LeaderBoard,LeaderBoard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Sazba s marží (měna společnosti)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline Faktury
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline Faktury
 DocType: Payment Request,Paid,Placený
 DocType: Program Fee,Program Fee,Program Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Nahraďte konkrétní kusovníku do všech ostatních kusovníků, kde se používá. Nahradí starý odkaz na kusovníku, aktualizuje cenu a obnoví tabulku &quot;BOM Výbušná položka&quot; podle nového kusovníku. Také aktualizuje poslední cenu ve všech kusovnících."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Byly vytvořeny následující pracovní příkazy:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Byly vytvořeny následující pracovní příkazy:
 DocType: Salary Slip,Total in words,Celkem slovy
 DocType: Inpatient Record,Discharged,Vypnuto
 DocType: Material Request Item,Lead Time Date,Datum a čas Leadu
@@ -1514,16 +1524,16 @@
 DocType: Support Settings,Get Started Sections,Začínáme sekce
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,schválený
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,je povinné. Možná chybí záznam směnného kurzu pro
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Celková částka příspěvku: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1}
 DocType: Payroll Entry,Salary Slips Submitted,Příspěvky na plat
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pro &quot;produktem Bundle předměty, sklad, sériové číslo a dávkové No bude považována ze&quot; Balení seznam &#39;tabulky. Pokud Warehouse a Batch No jsou stejné pro všechny balení položky pro jakoukoli &quot;Výrobek balík&quot; položky, tyto hodnoty mohou být zapsány do hlavní tabulky položky, budou hodnoty zkopírovány do &quot;Balení seznam&quot; tabulku."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pro &quot;produktem Bundle předměty, sklad, sériové číslo a dávkové No bude považována ze&quot; Balení seznam &#39;tabulky. Pokud Warehouse a Batch No jsou stejné pro všechny balení položky pro jakoukoli &quot;Výrobek balík&quot; položky, tyto hodnoty mohou být zapsány do hlavní tabulky položky, budou hodnoty zkopírovány do &quot;Balení seznam&quot; tabulku."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Z místa
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Čistá platba nemůže být negativní
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Z místa
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Čistá platba nemůže být negativní
 DocType: Student Admission,Publish on website,Publikovat na webových stránkách
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Dodavatel Datum faktury nemůže být větší než Datum zveřejnění
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Dodavatel Datum faktury nemůže být větší než Datum zveřejnění
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Datum zrušení
 DocType: Purchase Invoice Item,Purchase Order Item,Položka vydané objednávky
@@ -1532,7 +1542,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Účast Tool
 DocType: Restaurant Menu,Price List (Auto created),Ceník (vytvořeno automaticky)
 DocType: Cheque Print Template,Date Settings,Datum Nastavení
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Odchylka
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Odchylka
 DocType: Employee Promotion,Employee Promotion Detail,Podrobnosti o podpoře zaměstnanců
 ,Company Name,Název společnosti
 DocType: SMS Center,Total Message(s),Celkem zpráv (y)
@@ -1561,7 +1571,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Neposílejte zaměstnance připomenutí narozenin
 DocType: Expense Claim,Total Advance Amount,Celková výše zálohy
 DocType: Delivery Stop,Estimated Arrival,odhadovaný příjezd
-DocType: Delivery Stop,Notified by Email,Oznámení emailem
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Zobrazit všechny články
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Vejít
 DocType: Item,Inspection Criteria,Inspekční Kritéria
@@ -1571,22 +1580,21 @@
 DocType: Timesheet Detail,Bill,Účet
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Bílá
 DocType: SMS Center,All Lead (Open),Všechny Lead (Otevřeny)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Řádek {0}: Množství není k dispozici pro {4} ve skladu {1} při účtování čas vložení údajů ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Řádek {0}: Množství není k dispozici pro {4} ve skladu {1} při účtování čas vložení údajů ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Ze seznamu zaškrtávacích políček můžete vybrat pouze jednu možnost.
 DocType: Purchase Invoice,Get Advances Paid,Získejte zaplacené zálohy
 DocType: Item,Automatically Create New Batch,Automaticky vytvořit novou dávku
 DocType: Supplier,Represents Company,Zastupuje společnost
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Dělat
 DocType: Student Admission,Admission Start Date,Vstupné Datum zahájení
 DocType: Journal Entry,Total Amount in Words,Celková částka slovy
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nový zaměstnanec
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Došlo k chybě. Jedním z důvodů by mohlo být pravděpodobné, že jste uložili formulář. Obraťte se prosím na support@erpnext.com Pokud problém přetrvává."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Můj košík
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Typ objednávky musí být jedním z {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Typ objednávky musí být jedním z {0}
 DocType: Lead,Next Contact Date,Další Kontakt Datum
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otevření POČET
 DocType: Healthcare Settings,Appointment Reminder,Připomenutí pro jmenování
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Prosím, zadejte účet pro změnu Částka"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Prosím, zadejte účet pro změnu Částka"
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Name
 DocType: Holiday List,Holiday List Name,Název seznamu dovolené
 DocType: Repayment Schedule,Balance Loan Amount,Balance Výše úvěru
@@ -1596,13 +1604,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Akciové opce
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Do košíku nejsou přidány žádné položky
 DocType: Journal Entry Account,Expense Claim,Hrazení nákladů
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Opravdu chcete obnovit tento vyřazen aktivum?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Opravdu chcete obnovit tento vyřazen aktivum?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Množství pro {0}
 DocType: Leave Application,Leave Application,Požadavek na absenci
 DocType: Patient,Patient Relation,Vztah pacienta
 DocType: Item,Hub Category to Publish,Kategorie Hubu k publikování
 DocType: Leave Block List,Leave Block List Dates,Nechte Block List termíny
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Prodejní objednávka {0} má rezervaci pro položku {1}, můžete pouze rezervovat {1} proti {0}. Sériové číslo {2} nelze dodat"
 DocType: Sales Invoice,Billing Address GSTIN,Fakturační adresa GSTIN
@@ -1620,16 +1628,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Zadejte {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Odstraněné položky bez změny množství nebo hodnoty.
 DocType: Delivery Note,Delivery To,Doručení do
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Tvorba variantu byla zařazena do fronty.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Souhrn práce pro {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Tvorba variantu byla zařazena do fronty.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Souhrn práce pro {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prvním schvalovacím přístupem v seznamu bude nastaven výchozí přístup.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Atribut tabulka je povinné
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Atribut tabulka je povinné
 DocType: Production Plan,Get Sales Orders,Získat Prodejní objednávky
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} nemůže být negativní
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Připojte k Quickbookům
 DocType: Training Event,Self-Study,Samostudium
 DocType: POS Closing Voucher,Period End Date,Datum konce období
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Půdní kompozice nedosahují 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Sleva
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Řádek {0}: {1} je zapotřebí pro vytvoření faktur otevření {2}
 DocType: Membership,Membership,Členství
 DocType: Asset,Total Number of Depreciations,Celkový počet Odpisy
 DocType: Sales Invoice Item,Rate With Margin,Míra s marží
@@ -1640,7 +1650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Zadejte prosím platný řádek ID řádku tabulky {0} {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Nelze najít proměnnou:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Vyberte pole, které chcete upravit z čísla"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Nemůže být položka fixního aktiva, protože je vytvořena účetní kniha akcií."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Nemůže být položka fixního aktiva, protože je vytvořena účetní kniha akcií."
 DocType: Subscription Plan,Fixed rate,Fixní sazba
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Připustit
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Přejděte na plochu a začít používat ERPNext
@@ -1674,7 +1684,7 @@
 DocType: Tax Rule,Shipping State,Přepravní State
 ,Projected Quantity as Source,Množství projekcí as Zdroj
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Položka musí být přidána pomocí tlačítka""položka získaná z dodacího listu"""
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Výlet za doručení
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Výlet za doručení
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Typ přenosu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Prodejní náklady
@@ -1687,8 +1697,9 @@
 DocType: Item Default,Default Selling Cost Center,Výchozí Center Prodejní cena
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disk
 DocType: Buying Settings,Material Transferred for Subcontract,Materiál převedený na subdodávky
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,PSČ
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Prodejní objednávky {0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Položky nákupních příkazů po splatnosti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,PSČ
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Prodejní objednávky {0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Vyberte účet úrokového výnosu v úvěru {0}
 DocType: Opportunity,Contact Info,Kontaktní informace
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Tvorba přírůstků zásob
@@ -1701,12 +1712,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Fakturu nelze provést za nulovou fakturační hodinu
 DocType: Company,Date of Commencement,Datum začátku
 DocType: Sales Person,Select company name first.,Vyberte název společnosti jako první.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email odeslán (komu) {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email odeslán (komu) {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Nabídka obdržená od Dodavatelů.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Nahraďte kusovníku a aktualizujte nejnovější cenu ve všech kusovnících
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Chcete-li {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Toto je kořenová skupina dodavatelů a nemůže být editována.
-DocType: Delivery Trip,Driver Name,Jméno řidiče
+DocType: Delivery Note,Driver Name,Jméno řidiče
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Průměrný věk
 DocType: Education Settings,Attendance Freeze Date,Datum ukončení účasti
 DocType: Payment Request,Inward,Vnitřní
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,Mateřská společnost
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotel Pokoje typu {0} nejsou k dispozici v {1}
 DocType: Healthcare Practitioner,Default Currency,Výchozí měna
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maximální sleva pro položku {0} je {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maximální sleva pro položku {0} je {1}%
 DocType: Asset Movement,From Employee,Od Zaměstnance
 DocType: Driver,Cellphone Number,Mobilní číslo
 DocType: Project,Monitor Progress,Monitorování pokroku
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Množství musí být menší než nebo rovno {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Maximální částka způsobilá pro komponentu {0} přesahuje {1}
 DocType: Department Approver,Department Approver,Schválení oddělení
+DocType: QuickBooks Migrator,Application Settings,Nastavení aplikace
 DocType: SMS Center,Total Characters,Celkový počet znaků
 DocType: Employee Advance,Claimed,Reklamace
 DocType: Crop,Row Spacing,Rozteč řádků
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Vyberte kusovník Bom oblasti k bodu {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Vyberte kusovník Bom oblasti k bodu {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Pro zvolenou položku není k dispozici žádná varianta položky
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Platba Odsouhlasení faktury
 DocType: Clinical Procedure,Procedure Template,Šablona postupu
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Příspěvek%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Podle Nákupních nastavení, pokud je objednávka požadována == &#39;ANO&#39;, pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit nákupní objednávku pro položku {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Příspěvek%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Podle Nákupních nastavení, pokud je objednávka požadována == &#39;ANO&#39;, pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit nákupní objednávku pro položku {0}"
 ,HSN-wise-summary of outward supplies,HSN - shrnutí vnějších dodávek
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registrace firmy čísla pro váš odkaz. Daňové čísla atd
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Do stavu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Do stavu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributor
 DocType: Asset Finance Book,Asset Finance Book,Finanční kniha majetku
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Nákupní košík Shipping Rule
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,Objednané zboží fakturovaných
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Z rozsahu, musí být nižší než na Range"
 DocType: Global Defaults,Global Defaults,Globální Výchozí
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projekt spolupráce Pozvánka
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projekt spolupráce Pozvánka
 DocType: Salary Slip,Deductions,Odpočty
 DocType: Setup Progress Action,Action Name,Název akce
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Začátek Rok
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,Konzultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Konference účastníků rodičů
 DocType: Salary Slip,Earnings,Výdělek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Dokončeno Položka {0} musí být zadán pro vstup typu Výroba
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Dokončeno Položka {0} musí být zadán pro vstup typu Výroba
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Otevření účetnictví Balance
 ,GST Sales Register,Obchodní registr GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Prodejní faktury Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nic požadovat
+DocType: Stock Settings,Default Return Warehouse,Výchozí sklad
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Vyberte své domény
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Nakupujte dodavatele
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Položky platební faktury
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Pole budou kopírovány pouze v době vytváření.
 DocType: Setup Progress Action,Domains,Domény
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Skutečné datum zahájení"" nemůže být větší než ""Skutečné datum ukončení"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Řízení
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Řízení
 DocType: Cheque Print Template,Payer Settings,Nastavení plátce
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Žádná nevyřízená žádost o materiál nebyla nalezena k odkazu na dané položky.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Nejprve vyberte společnost
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bude připojen na položku zákoníku varianty. Například, pokud vaše zkratka je ""SM"", a položka je kód ""T-SHIRT"", položka kód varianty bude ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Čistá Pay (slovy) budou viditelné, jakmile uložíte výplatní pásce."
 DocType: Delivery Note,Is Return,Je Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Pozor
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Den začátku je větší než koncový den v úloze &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Return / vrubopis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Return / vrubopis
 DocType: Price List Country,Price List Country,Ceník Země
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} platí pořadová čísla pro položky {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Poskytněte informace.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Databáze dodavatelů.
 DocType: Contract Template,Contract Terms and Conditions,Smluvní podmínky
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Nelze znovu spustit odběr, který není zrušen."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Nelze znovu spustit odběr, který není zrušen."
 DocType: Account,Balance Sheet,Rozvaha
 DocType: Leave Type,Is Earned Leave,Získaná dovolená
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """
 DocType: Fee Validity,Valid Till,Platný do
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Celkové setkání učitelů rodičů
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba není nakonfigurován. Prosím zkontrolujte, zda je účet byl nastaven na režim plateb nebo na POS Profilu."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba není nakonfigurován. Prosím zkontrolujte, zda je účet byl nastaven na režim plateb nebo na POS Profilu."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Stejnou položku nelze zadat vícekrát.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Další účty mohou být vyrobeny v rámci skupiny, ale údaje lze proti non-skupin"
 DocType: Lead,Lead,Lead
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Skladovou pohyb {0} vytvořil
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Nemáte dostatečné věrnostní body k uplatnění
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Řádek # {0}: Zamítnutí Množství nemůže být zapsán do kupní Návrat
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Nastavte přidružený účet v kategorii odmítnutí daní {0} proti společnosti {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Řádek # {0}: Zamítnutí Množství nemůže být zapsán do kupní Návrat
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Změna skupiny zákazníků pro vybraného zákazníka není povolena.
 ,Purchase Order Items To Be Billed,Položky vydané objednávky k fakturaci
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Aktualizace odhadovaných časů příjezdu.
 DocType: Program Enrollment Tool,Enrollment Details,Podrobnosti o zápisu
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Nelze nastavit více položek Výchozí pro společnost.
 DocType: Purchase Invoice Item,Net Rate,Čistá míra
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Vyberte zákazníka
 DocType: Leave Policy,Leave Allocations,Ponechat alokace
@@ -1850,7 +1866,7 @@
 DocType: Loan Application,Repayment Info,splácení Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Záznamy"" nemohou být prázdné"
 DocType: Maintenance Team Member,Maintenance Role,Úloha údržby
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplicitní řádek {0} se stejným {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplicitní řádek {0} se stejným {1}
 DocType: Marketplace Settings,Disable Marketplace,Zakázat tržiště
 ,Trial Balance,Trial Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Fiskální rok {0} nebyl nalezen
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,Ó-
 DocType: Subscription Settings,Subscription Settings,Nastavení předplatného
 DocType: Purchase Invoice,Update Auto Repeat Reference,Aktualizovat referenci automatického opakování
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Volitelný prázdninový seznam není nastaven na období dovolené {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Volitelný prázdninový seznam není nastaven na období dovolené {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Výzkum
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Na adresu 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Na adresu 2
 DocType: Maintenance Visit Purpose,Work Done,Odvedenou práci
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Uveďte prosím alespoň jeden atribut v tabulce atributy
 DocType: Announcement,All Students,Všichni studenti
@@ -1873,16 +1889,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Zkombinované transakce
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Nejstarší
 DocType: Crop Cycle,Linked Location,Linked Location
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Skupina položek již existuje. Prosím, změňte název položky nebo přejmenujte skupinu položek"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Skupina položek již existuje. Prosím, změňte název položky nebo přejmenujte skupinu položek"
 DocType: Crop Cycle,Less than a year,Méně než rok
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Zbytek světa
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Zbytek světa
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Položka {0} nemůže mít dávku
 DocType: Crop,Yield UOM,Výnos UOM
 ,Budget Variance Report,Rozpočet Odchylka Report
 DocType: Salary Slip,Gross Pay,Hrubé mzdy
 DocType: Item,Is Item from Hub,Je položka z Hubu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Získejte položky od zdravotnických služeb
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Získejte položky od zdravotnických služeb
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Řádek {0}: typ činnosti je povinná.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividendy placené
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Účetní Statistika
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Způsob platby
 DocType: Purchase Invoice,Supplied Items,Dodávané položky
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Nastavte prosím aktivní nabídku Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Míra Komise%
 DocType: Work Order,Qty To Manufacture,Množství K výrobě
 DocType: Email Digest,New Income,New příjmů
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Udržovat stejnou sazbu po celou kupní cyklu
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Ocenění Míra potřebná pro položku v řádku {0}
 DocType: Supplier Scorecard,Scorecard Actions,Akční body Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Příklad: Masters v informatice
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Dodavatel {0} nebyl nalezen v {1}
 DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse
 DocType: GL Entry,Against Voucher,Proti poukazu
 DocType: Item Default,Default Buying Cost Center,Výchozí středisko nákupu
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Chcete-li získat to nejlepší z ERPNext, doporučujeme vám nějaký čas trvat, a sledovat tyto nápovědy videa."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Výchozí dodavatel (volitelné)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,na
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Výchozí dodavatel (volitelné)
 DocType: Supplier Quotation Item,Lead Time in days,Čas leadu ve dnech
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Splatné účty Shrnutí
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Není povoleno upravovat zmrazený účet {0}
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Upozornit na novou žádost o nabídky
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Objednávky pomohou při plánování a navázat na vašich nákupech
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Předpisy pro laboratorní testy
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Celkové emise / přenosu množství {0} v hmotné Request {1} \ nemůže být vyšší než požadované množství {2} pro položku {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Malý
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Pokud služba Shopify neobsahuje zákazníka v objednávce, pak při synchronizaci objednávek systém bude považovat výchozí zákazníka za objednávku"
@@ -1937,6 +1954,7 @@
 DocType: Project,% Completed,% Dokončeno
 ,Invoiced Amount (Exculsive Tax),Fakturovaná částka (bez daně)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Položka 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorizační koncový bod
 DocType: Travel Request,International,Mezinárodní
 DocType: Training Event,Training Event,Training Event
 DocType: Item,Auto re-order,Automatické znovuobjednání
@@ -1945,24 +1963,24 @@
 DocType: Contract,Contract,Smlouva
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorní testování Datetime
 DocType: Email Digest,Add Quote,Přidat nabídku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor potřebný k nerozpuštěných: {0} v bodě: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor potřebný k nerozpuštěných: {0} v bodě: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Nepřímé náklady
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Množství je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Množství je povinný
 DocType: Agriculture Analysis Criteria,Agriculture,Zemědělství
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Vytvoření objednávky prodeje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Účet evidence majetku
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokovat fakturu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Účet evidence majetku
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokovat fakturu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,"Množství, které chcete vyrobit"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,náklady na opravu
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Vaše Produkty nebo Služby
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Přihlášení selhalo
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} vytvořen
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} vytvořen
 DocType: Special Test Items,Special Test Items,Speciální zkušební položky
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Musíte být uživatelem s rolí Správce systému a Správce položek, který se má zaregistrovat na webu Marketplace."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Způsob platby
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Podle vaší přiřazené struktury platu nemůžete žádat o výhody
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Webové stránky Image by měla být veřejná souboru nebo webové stránky URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Webové stránky Image by měla být veřejná souboru nebo webové stránky URL
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Jedná se o skupinu kořen položky a nelze upravovat.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Spojit
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,Sklad Kontaktní informace
 DocType: Payment Entry,Write Off Difference Amount,Odepsat Difference Částka
 DocType: Volunteer,Volunteer Name,Jméno dobrovolníka
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: e-mail zaměstnanec nebyl nalezen, a proto je pošta neposlal"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Řádky s duplicitními daty v jiných řádcích byly nalezeny: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: e-mail zaměstnanec nebyl nalezen, a proto je pošta neposlal"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Žádná struktura výdělku pro zaměstnance {0} v daný den {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Pravidlo odeslání se nevztahuje na zemi {0}
 DocType: Item,Foreign Trade Details,Zahraniční obchod Podrobnosti
@@ -1979,16 +1998,16 @@
 DocType: Email Digest,Annual Income,Roční příjem
 DocType: Serial No,Serial No Details,Serial No Podrobnosti
 DocType: Purchase Invoice Item,Item Tax Rate,Sazba daně položky
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Od názvu strany
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Od názvu strany
 DocType: Student Group Student,Group Roll Number,Číslo role skupiny
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Pro {0}, tak úvěrové účty mohou být propojeny na jinou položku debetní"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Delivery Note {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Delivery Note {0} není předložena
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Položka {0} musí být Subdodavatelské Item
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitálové Vybavení
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ceny Pravidlo je nejprve vybrána na základě ""Použít na"" oblasti, které mohou být položky, položky skupiny nebo značky."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Nejprve nastavte kód položky
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Celkové přidělené procento prodejní tým by měl být 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Celkové přidělené procento prodejní tým by měl být 100
 DocType: Subscription Plan,Billing Interval Count,Počet fakturačních intervalů
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Setkání a setkání s pacienty
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Hodnota chybí
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Vytvořit formát tisku
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Poplatek byl vytvořen
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Nenalezl žádnou položku s názvem {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Položka Filtr
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kritéria vzorce
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Celkem Odchozí
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tam může být pouze jeden Shipping Rule Podmínka s 0 nebo prázdnou hodnotu pro ""na hodnotu"""
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",U položky {0} musí být množství kladné číslo
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Poznámka: Tento Nákladové středisko je Group. Nelze vytvořit účetní zápisy proti skupinám.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Kompenzační prázdniny nejsou v platných prázdninách
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dítě sklad existuje pro tento sklad. Nemůžete odstranit tento sklad.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dítě sklad existuje pro tento sklad. Nemůžete odstranit tento sklad.
 DocType: Item,Website Item Groups,Webové stránky skupiny položek
 DocType: Purchase Invoice,Total (Company Currency),Total (Company měny)
 DocType: Daily Work Summary Group,Reminder,Připomínka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Přístupná hodnota
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Přístupná hodnota
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Výrobní číslo {0} přihlášeno více než jednou
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Zápis do deníku
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Od GSTINu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Od GSTINu
 DocType: Expense Claim Advance,Unclaimed amount,Nevyžádaná částka
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} položky v probíhající
 DocType: Workstation,Workstation Name,Meno pracovnej stanice
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS položky Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternativní položka nesmí být stejná jako kód položky
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1}
 DocType: Sales Partner,Target Distribution,Target Distribution
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - Dokončení předběžného posouzení
 DocType: Salary Slip,Bank Account No.,Bankovní účet č.
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Můžete použít proměnné Scorecard, stejně jako: {total_score} (celkové skóre z tohoto období), {period_number} (počet období do současnosti)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Sbalit vše
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Sbalit vše
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Vytvořit objednávku
 DocType: Quality Inspection Reading,Reading 8,Čtení 8
 DocType: Inpatient Record,Discharge Note,Poznámka k vybíjení
@@ -2050,7 +2070,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Dodavatelské faktury Datum
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Tato hodnota se používá pro výpočet pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Musíte povolit Nákupní košík
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Musíte povolit Nákupní košík
 DocType: Payment Entry,Writeoff,Odepsat
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Pojmenování předpony řady
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Překrývající podmínky nalezeno mezi:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Proti věstníku Entry {0} je již nastavena proti jiným poukaz
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Celková hodnota objednávky
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Jídlo
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Jídlo
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Stárnutí Rozsah 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Podrobnosti závěrečného poukazu POS
 DocType: Shopify Log,Shopify Log,Shopify Přihlásit
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nastavte prosím jmenovací řadu pro {0} přes Nastavení&gt; Nastavení&gt; Pojmenování
 DocType: Inpatient Occupancy,Check In,Check In
 DocType: Maintenance Schedule Item,No of Visits,Počet návštěv
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Plán údržby {0} existuje proti {1}
@@ -2109,6 +2128,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maximální výhody (částka)
 DocType: Purchase Invoice,Contact Person,Kontaktní osoba
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Očekávané datum započetí"" nemůže být větší než ""Očekávané datum ukončení"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Pro toto období nejsou k dispozici žádná data
 DocType: Course Scheduling Tool,Course End Date,Konec Samozřejmě Datum
 DocType: Holiday List,Holidays,Prázdniny
 DocType: Sales Order Item,Planned Quantity,Plánované Množství
@@ -2120,7 +2140,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Čistá změna ve stálých aktiv
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Požadovaný počet
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Ponechte prázdné, pokud se to považuje za všechny označení"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate"
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime
 DocType: Shopify Settings,For Company,Pro Společnost
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,Podmínky Content
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Došlo k chybám při vytváření plánu rozvrhů
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,První Průvodce výdajů v seznamu bude nastaven jako výchozí schvalovatel výdajů.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,nemůže být větší než 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,nemůže být větší než 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Musíte být jiným uživatelem než správcem s rolí Správce systému a Správce položek, který se má zaregistrovat na webu Marketplace."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Položka {0} není skladem
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Položka {0} není skladem
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Neplánovaná
 DocType: Employee,Owned,Vlastník
@@ -2163,7 +2183,7 @@
 DocType: HR Settings,Employee Settings,Nastavení zaměstnanců
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Načítání platebního systému
 ,Batch-Wise Balance History,Batch-Wise Balance History
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Řádek # {0}: Nelze nastavit hodnotu, pokud je částka vyšší než částka fakturovaná pro položku {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Řádek # {0}: Nelze nastavit hodnotu, pokud je částka vyšší než částka fakturovaná pro položku {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Nastavení tisku aktualizovány v příslušném formátu tisku
 DocType: Package Code,Package Code,Code Package
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Učeň
@@ -2172,7 +2192,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Tax detail tabulka staženy z položky pána jako řetězec a uložené v této oblasti.
  Používá se daní a poplatků"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Zaměstnanec nemůže odpovídat sám sobě.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Zaměstnanec nemůže odpovídat sám sobě.
 DocType: Leave Type,Max Leaves Allowed,Maximální povolené povolenky
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","V případě, že účet je zamrzlý, položky mohou omezeným uživatelům."
 DocType: Email Digest,Bank Balance,Bank Balance
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Položky bankovních transakcí
 DocType: Quality Inspection,Readings,Čtení
 DocType: Stock Entry,Total Additional Costs,Celkem Dodatečné náklady
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Počet interakcí
 DocType: BOM,Scrap Material Cost(Company Currency),Šrot materiálové náklady (Company měna)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Podsestavy
 DocType: Asset,Asset Name,Asset Name
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,Chcete-li hodnota
 DocType: Loyalty Program,Loyalty Program Type,Typ věrnostního programu
 DocType: Asset Movement,Stock Manager,Reklamní manažer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Source sklad je povinná pro řadu {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Source sklad je povinná pro řadu {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Platba v řádku {0} je možná duplikát.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Zemědělství (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Balící list
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Balící list
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Pronájem kanceláře
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Nastavení SMS brány
 DocType: Disease,Common Name,Běžné jméno
@@ -2240,20 +2261,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email výplatní pásce pro zaměstnance
 DocType: Cost Center,Parent Cost Center,Nadřazené Nákladové středisko
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Vyberte Možné dodavatele
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Vyberte Možné dodavatele
 DocType: Sales Invoice,Source,Zdroj
 DocType: Customer,"Select, to make the customer searchable with these fields","Zvolte, chcete-li, aby se zákazník prohledal s těmito poli"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importovat doručovací poznámky z Shopify při odeslání
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show uzavřen
 DocType: Leave Type,Is Leave Without Pay,Je odejít bez Pay
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset kategorie je povinný pro položku dlouhodobých aktiv
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset kategorie je povinný pro položku dlouhodobých aktiv
 DocType: Fee Validity,Fee Validity,Platnost poplatku
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nalezené v tabulce platby Žádné záznamy
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Tato {0} je v rozporu s {1} o {2} {3}
 DocType: Student Attendance Tool,Students HTML,studenti HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Vymažte prosím zaměstnance <a href=""#Form/Employee/{0}"">{0}</a> \, chcete-li tento dokument zrušit"
 DocType: POS Profile,Apply Discount,Použít slevu
 DocType: GST HSN Code,GST HSN Code,GST HSN kód
 DocType: Employee External Work History,Total Experience,Celková zkušenost
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,Plány
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profil POS je vyžadován pro použití prodejního místa
 DocType: Cashier Closing,Net Amount,Čistá částka
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebyla odeslána, takže akce nemůže být dokončena"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebyla odeslána, takže akce nemůže být dokončena"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No
 DocType: Landed Cost Voucher,Additional Charges,Další poplatky
 DocType: Support Search Source,Result Route Field,Výsledek pole trasy
@@ -2305,11 +2323,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Otevření faktur
 DocType: Contract,Contract Details,Detaily smlouvy
 DocType: Employee,Leave Details,Zanechat detaily
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Prosím nastavte uživatelské ID pole v záznamu zaměstnanců nastavit role zaměstnance
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Prosím nastavte uživatelské ID pole v záznamu zaměstnanců nastavit role zaměstnance
 DocType: UOM,UOM Name,UOM Name
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Adresa 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Adresa 1
 DocType: GST HSN Code,HSN Code,Kód HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Výše příspěvku
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Výše příspěvku
 DocType: Inpatient Record,Patient Encounter,Setkání pacienta
 DocType: Purchase Invoice,Shipping Address,Dodací adresa
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Tento nástroj vám pomůže aktualizovat nebo opravit množství a ocenění zásob v systému. To se obvykle používá k synchronizaci hodnot systému a to, co ve skutečnosti existuje ve vašich skladech."
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,Způsob cestování
 DocType: Sales Invoice Item,Brand Name,Jméno značky
 DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Výchozí sklad je vyžadováno pro vybraná položka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Výchozí sklad je vyžadováno pro vybraná položka
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Krabice
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,možné Dodavatel
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,možné Dodavatel
 DocType: Budget,Monthly Distribution,Měsíční Distribution
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Přijímač Seznam je prázdný. Prosím vytvořte přijímače Seznam
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Zdravotnictví (beta)
@@ -2349,6 +2367,7 @@
 ,Lead Name,Jméno leadu
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospektování
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Počáteční cena zásob
 DocType: Asset Category Account,Capital Work In Progress Account,Pokročilý účet kapitálové práce
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Úprava hodnoty aktiv
@@ -2357,7 +2376,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Dovolená úspěšně přidělena {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Žádné položky k balení
 DocType: Shipping Rule Condition,From Value,Od hodnoty
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Výrobní množství je povinné
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Výrobní množství je povinné
 DocType: Loan,Repayment Method,splácení Metoda
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Pokud je zaškrtnuto, domovská stránka bude výchozí bod skupina pro webové stránky"
 DocType: Quality Inspection Reading,Reading 4,Čtení 4
@@ -2382,7 +2401,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Doporučení zaměstnance
 DocType: Student Group,Set 0 for no limit,Nastavte 0 pro žádný limit
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"V den, kdy (y), na které žádáte o povolení jsou prázdniny. Nemusíte požádat o volno."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Řádek {idx}: {field} je vyžadován pro vytvoření faktur otevření {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Primární adresa a podrobnosti kontaktu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Znovu poslat e-mail Payment
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nová úloha
@@ -2392,8 +2410,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Vyberte alespoň jednu doménu.
 DocType: Dependent Task,Dependent Task,Závislý Task
 DocType: Shopify Settings,Shopify Tax Account,Nakupujte daňový účet
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}"
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Absence typu {0} nemůže být delší než {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Absence typu {0} nemůže být delší než {1}
 DocType: Delivery Trip,Optimize Route,Optimalizujte trasu
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Zkuste plánování operací pro X dní předem.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2402,14 +2420,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Prosím nastavit výchozí mzdy, splatnou účet ve firmě {0}"
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Získejte finanční rozdělení údajů o daních a poplatcích od společnosti Amazon
 DocType: SMS Center,Receiver List,Přijímač Seznam
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Hledání položky
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Hledání položky
 DocType: Payment Schedule,Payment Amount,Částka platby
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Den poločasu by měl být mezi dnem práce a datem ukončení práce
 DocType: Healthcare Settings,Healthcare Service Items,Položky zdravotnické služby
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Spotřebovaném množství
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Čistá změna v hotovosti
 DocType: Assessment Plan,Grading Scale,Klasifikační stupnice
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,již byly dokončeny
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Skladem v ruce
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2432,25 +2450,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Zadejte adresu URL serveru Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Dodavatel Číslo dílu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1
 DocType: Share Balance,To No,Ne
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Veškerá povinná úloha pro tvorbu zaměstnanců dosud nebyla dokončena.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} je zrušena nebo zastavena
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} je zrušena nebo zastavena
 DocType: Accounts Settings,Credit Controller,Credit Controller
 DocType: Loan,Applicant Type,Typ žadatele
 DocType: Purchase Invoice,03-Deficiency in services,03 - Nedostatek služeb
 DocType: Healthcare Settings,Default Medical Code Standard,Výchozí standard zdravotnického kódu
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena
 DocType: Company,Default Payable Account,Výchozí Splatnost účtu
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavení pro on-line nákupního košíku, jako jsou pravidla dopravu, ceník atd"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.RRRR.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% účtovano
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserved Množství
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserved Množství
 DocType: Party Account,Party Account,Party účtu
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Vyberte prosím společnost a označení
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Lidské zdroje
-DocType: Lead,Upper Income,Horní příjmů
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Horní příjmů
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Odmítnout
 DocType: Journal Entry Account,Debit in Company Currency,Debetní ve společnosti Měna
 DocType: BOM Item,BOM Item,Položka kusovníku
@@ -2467,7 +2485,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Otevírání úloh pro označení {0} již otevřeno nebo dokončení pronájmu podle Personálního plánu {1}
 DocType: Vital Signs,Constipated,Zácpa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1}
 DocType: Customer,Default Price List,Výchozí Ceník
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Záznam Asset Pohyb {0} vytvořil
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Žádné předměty nenalezeny.
@@ -2483,16 +2501,17 @@
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Zákazník Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Čistá Změna účty závazků
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditní limit byl překročen pro zákazníka {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nastavte prosím jmenovací řadu pro {0} přes Nastavení&gt; Nastavení&gt; Pojmenování
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditní limit byl překročen pro zákazníka {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Zákazník požadoval pro 'Customerwise sleva """
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,"Aktualizujte bankovní platební termín, časopisů."
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Stanovení ceny
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Stanovení ceny
 DocType: Quotation,Term Details,Termín Podrobnosti
 DocType: Employee Incentive,Employee Incentive,Zaměstnanecká pobídka
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nemůže přihlásit více než {0} studentů na této studentské skupiny.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Celkem (bez daně)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Počet vedoucích
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Skladem k dispozici
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Skladem k dispozici
 DocType: Manufacturing Settings,Capacity Planning For (Days),Plánování kapacit Pro (dny)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Procurement
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Žádný z těchto položek má žádnou změnu v množství nebo hodnotě.
@@ -2516,7 +2535,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Nechat docházky
 DocType: Asset,Comprehensive Insurance,Komplexní pojištění
 DocType: Maintenance Visit,Partially Completed,Částečně Dokončeno
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Věrnostní bod: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Věrnostní bod: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Přidat předlohy
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Mírná citlivost
 DocType: Leave Type,Include holidays within leaves as leaves,Zahrnout dovolenou v listech jsou listy
 DocType: Loyalty Program,Redemption,Vykoupení
@@ -2550,7 +2570,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Marketingové náklady
 ,Item Shortage Report,Položka Nedostatek Report
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Nelze vytvořit standardní kritéria. Kritéria přejmenujte
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnost je uvedeno, \n uveďte prosím ""váha UOM"" příliš"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnost je uvedeno, \n uveďte prosím ""váha UOM"" příliš"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Zadaný požadavek materiálu k výrobě této skladové karty
 DocType: Hub User,Hub Password,Heslo Hubu
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Samostatná skupina založená na kurzu pro každou dávku
@@ -2564,15 +2584,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Délka schůzky (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Ujistěte se účetní položka pro každý pohyb zásob
 DocType: Leave Allocation,Total Leaves Allocated,Celkem Leaves Přidělené
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Zadejte prosím platnou finanční rok datum zahájení a ukončení
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Zadejte prosím platnou finanční rok datum zahájení a ukončení
 DocType: Employee,Date Of Retirement,Datum odchodu do důchodu
 DocType: Upload Attendance,Get Template,Získat šablonu
+,Sales Person Commission Summary,Souhrnné informace Komise pro prodejce
 DocType: Additional Salary Component,Additional Salary Component,Další složka platu
 DocType: Material Request,Transferred,Přestoupil
 DocType: Vehicle,Doors,dveře
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Vybírat poplatek za registraci pacienta
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Atributy nelze změnit po transakci akcií. Vytvořte novou položku a přeneste materiál do nové položky
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Atributy nelze změnit po transakci akcií. Vytvořte novou položku a přeneste materiál do nové položky
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Rozdělení daní
 DocType: Employee,Joining Details,Podrobnosti spojení
@@ -2600,14 +2621,15 @@
 DocType: Lead,Next Contact By,Další Kontakt By
 DocType: Compensatory Leave Request,Compensatory Leave Request,Žádost o kompenzační dovolenou
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}"
 DocType: Blanket Order,Order Type,Typ objednávky
 ,Item-wise Sales Register,Item-moudrý Sales Register
 DocType: Asset,Gross Purchase Amount,Gross Částka nákupu
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Počáteční zůstatky
 DocType: Asset,Depreciation Method,odpisy Metoda
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to poplatek v ceně základní sazbě?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Celkem Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Celkem Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analýza vnímání
 DocType: Soil Texture,Sand Composition (%),Složení písku (%)
 DocType: Job Applicant,Applicant for a Job,Žadatel o zaměstnání
 DocType: Production Plan Material Request,Production Plan Material Request,Výroba Poptávka Plán Materiál
@@ -2622,23 +2644,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Známka hodnocení (z 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Žádné
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Hlavní
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Následující položka {0} není označena jako {1} položka. Můžete je povolit jako {1} položku z jeho položky Master
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Varianta
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",U položky {0} musí být množství záporné číslo
 DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavit prefix pro číslování série na vašich transakcí
 DocType: Employee Attendance Tool,Employees HTML,zaměstnanci HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Výchozí BOM ({0}) musí být aktivní pro tuto položku nebo jeho šablony
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Výchozí BOM ({0}) musí být aktivní pro tuto položku nebo jeho šablony
 DocType: Employee,Leave Encashed?,Dovolená proplacena?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Ze hřiště je povinné
 DocType: Email Digest,Annual Expenses,roční náklady
 DocType: Item,Variants,Varianty
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Proveďte objednávky
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Proveďte objednávky
 DocType: SMS Center,Send To,Odeslat
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Není dost bilance dovolenou na vstup typ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Není dost bilance dovolenou na vstup typ {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Přidělené sumy
 DocType: Sales Team,Contribution to Net Total,Příspěvek na celkových čistých
 DocType: Sales Invoice Item,Customer's Item Code,Zákazníka Kód položky
 DocType: Stock Reconciliation,Stock Reconciliation,Reklamní Odsouhlasení
 DocType: Territory,Territory Name,Území Name
+DocType: Email Digest,Purchase Orders to Receive,Objednávky k nákupu
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,V předplatném můžete mít pouze Plány se stejným fakturačním cyklem
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapované údaje
@@ -2655,9 +2679,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicitní Pořadové číslo vstoupil k bodu {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Track Leads by Lead Source.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Podmínka pro pravidla dopravy
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Prosím Vstupte
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Prosím Vstupte
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Protokol údržby
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Prosím nastavit filtr na základě výtisku nebo ve skladu
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Prosím nastavit filtr na základě výtisku nebo ve skladu
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balíčku. (Automaticky vypočítá jako součet čisté váhy položek)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Vytvořte vstup Inter Company Journal
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Výše slevy nesmí být vyšší než 100%
@@ -2666,15 +2690,15 @@
 DocType: Sales Order,To Deliver and Bill,Dodat a Bill
 DocType: Student Group,Instructors,instruktoři
 DocType: GL Entry,Credit Amount in Account Currency,Kreditní Částka v měně účtu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} musí být předloženy
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Správa sdílených položek
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} musí být předloženy
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Správa sdílených položek
 DocType: Authorization Control,Authorization Control,Autorizace Control
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Řádek # {0}: Zamítnutí Warehouse je povinná proti zamítnuté bodu {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Platba
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Řádek # {0}: Zamítnutí Warehouse je povinná proti zamítnuté bodu {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Platba
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Warehouse {0} není propojen s žádným účtem, uveďte prosím účet v záznamu skladu nebo nastavte výchozí inventární účet ve firmě {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Správa objednávek
 DocType: Work Order Operation,Actual Time and Cost,Skutečný Čas a Náklady
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiál Žádost maximálně {0} lze k bodu {1} na odběratele {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiál Žádost maximálně {0} lze k bodu {1} na odběratele {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Rozdělení oříznutí
 DocType: Course,Course Abbreviation,Zkratka hřiště
@@ -2686,6 +2710,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Celkem pracovní doba by neměla být větší než maximální pracovní doby {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Kdy
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle položky v okamžiku prodeje.
+DocType: Delivery Settings,Dispatch Settings,Nastavení odesílání
 DocType: Material Request Plan Item,Actual Qty,Skutečné Množství
 DocType: Sales Invoice Item,References,Reference
 DocType: Quality Inspection Reading,Reading 10,Čtení 10
@@ -2695,11 +2720,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Zadali jste duplicitní položky. Prosím, opravu a zkuste to znovu."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Spolupracovník
 DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Objednávka práce {0} musí být odeslána
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,New košík
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Objednávka práce {0} musí být odeslána
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,New košík
 DocType: Taxable Salary Slab,From Amount,Z částky
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Položka {0} není serializovat položky
 DocType: Leave Type,Encashment,Zapouzdření
+DocType: Delivery Settings,Delivery Settings,Nastavení doručení
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Načíst data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maximální povolená dovolená v typu dovolené {0} je {1}
 DocType: SMS Center,Create Receiver List,Vytvořit přijímače seznam
 DocType: Vehicle,Wheels,kola
@@ -2715,7 +2742,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Měna fakturace se musí rovnat buď měně výchozí měny nebo měně stran účtu
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Označuje, že balíček je součástí této dodávky (Pouze návrhu)"
 DocType: Soil Texture,Loam,Hlína
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Řádek {0}: K datu splatnosti nemůže být datum odeslání
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Řádek {0}: K datu splatnosti nemůže být datum odeslání
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Učinit vstup platby
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Množství k bodu {0} musí být menší než {1}
 ,Sales Invoice Trends,Prodejní faktury Trendy
@@ -2723,12 +2750,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se může vztahovat řádku, pouze pokud typ poplatku je ""On předchozí řady Částka"" nebo ""předchozí řady Total"""
 DocType: Sales Order Item,Delivery Warehouse,Sklad pro příjem
 DocType: Leave Type,Earned Leave Frequency,Dosažená frekvence dovolené
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Strom Nákl.střediska finančních.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Sub Type
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Strom Nákl.střediska finančních.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Sub Type
 DocType: Serial No,Delivery Document No,Dodávka dokument č
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zajistěte dodávku na základě vyrobeného sériového čísla
 DocType: Vital Signs,Furry,Srstnatý
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosím nastavte &quot;/ ZTRÁTY zisk z aktiv odstraňováním&quot; ve firmě {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosím nastavte &quot;/ ZTRÁTY zisk z aktiv odstraňováním&quot; ve firmě {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Položka získaná z dodacího listu
 DocType: Serial No,Creation Date,Datum vytvoření
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Umístění cíle je požadováno pro aktivum {0}
@@ -2742,10 +2769,11 @@
 DocType: Item,Has Variants,Má varianty
 DocType: Employee Benefit Claim,Claim Benefit For,Nárok na dávku pro
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Aktualizace odpovědi
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Již jste vybrané položky z {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Již jste vybrané položky z {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Název měsíční výplatou
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Číslo šarže je povinné
 DocType: Sales Person,Parent Sales Person,Parent obchodník
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,"Žádné položky, které mají být přijaty, nejsou opožděné"
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Prodávající a kupující nemohou být stejní
 DocType: Project,Collect Progress,Sbírat Progress
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.RRRR.-
@@ -2761,7 +2789,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Money
 DocType: Budget,Budget,Rozpočet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Nastavit Otevřít
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musí být non-skladová položka.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musí být non-skladová položka.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Rozpočet nelze přiřadit proti {0}, protože to není výnos nebo náklad účet"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maximální částka pro výjimku pro {0} je {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Dosažená
@@ -2779,9 +2807,9 @@
 ,Amount to Deliver,"Částka, která má dodávat"
 DocType: Asset,Insurance Start Date,Datum zahájení pojištění
 DocType: Salary Component,Flexible Benefits,Flexibilní výhody
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Stejná položka byla zadána několikrát. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Stejná položka byla zadána několikrát. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Datum zahájení nemůže být dříve než v roce datum zahájení akademického roku, ke kterému termín je spojena (akademický rok {}). Opravte data a zkuste to znovu."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Byly tam chyby.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Byly tam chyby.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Zaměstnanec {0} již požádal {1} mezi {2} a {3}:
 DocType: Guardian,Guardian Interests,Guardian Zájmy
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Aktualizovat název účtu / číslo
@@ -2821,9 +2849,9 @@
 ,Item-wise Purchase History,Item-moudrý Historie nákupů
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Prosím, klikněte na ""Generovat Schedule"", aby přinesla Pořadové číslo přidán k bodu {0}"
 DocType: Account,Frozen,Zmražený
-DocType: Delivery Note,Vehicle Type,Typ vozidla
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Typ vozidla
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Základna Částka (Company měna)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Suroviny
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Suroviny
 DocType: Payment Reconciliation Payment,Reference Row,referenční Row
 DocType: Installation Note,Installation Time,Instalace Time
 DocType: Sales Invoice,Accounting Details,Účetní detaily
@@ -2832,12 +2860,13 @@
 DocType: Inpatient Record,O Positive,O pozitivní
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investice
 DocType: Issue,Resolution Details,Rozlišení Podrobnosti
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,typ transakce
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,typ transakce
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kritéria přijetí
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Prosím, zadejte Žádosti materiál ve výše uvedené tabulce"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,K dispozici nejsou žádné splátky pro zápis do deníku
 DocType: Hub Tracked Item,Image List,Seznam obrázků
 DocType: Item Attribute,Attribute Name,Název atributu
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generovat fakturu na začátku období
 DocType: BOM,Show In Website,Show pro webové stránky
 DocType: Loan Application,Total Payable Amount,Celková částka Splatné
 DocType: Task,Expected Time (in hours),Předpokládaná doba (v hodinách)
@@ -2874,7 +2903,7 @@
 DocType: Employee,Resignation Letter Date,Rezignace Letter Datum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Pravidla pro stanovení sazeb jsou dále filtrována na základě množství.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Není nastaveno
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Nastavte prosím datum zapojení pro zaměstnance {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Nastavte prosím datum zapojení pro zaměstnance {0}
 DocType: Inpatient Record,Discharge,Vybít
 DocType: Task,Total Billing Amount (via Time Sheet),Celková částka Billing (přes Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repeat Customer Příjmy
@@ -2884,13 +2913,13 @@
 DocType: Chapter,Chapter,Kapitola
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pár
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Výchozí účet bude automaticky aktualizován v POS faktuře při výběru tohoto režimu.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Vyberte BOM a Množství pro výrobu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Vyberte BOM a Množství pro výrobu
 DocType: Asset,Depreciation Schedule,Plán odpisy
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy prodejních partnerů a kontakty
 DocType: Bank Reconciliation Detail,Against Account,Proti účet
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Half Day Date by měla být v rozmezí Datum od a do dnešního dne
 DocType: Maintenance Schedule Detail,Actual Date,Skutečné datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Nastavte výchozí cenové centrum ve společnosti {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Nastavte výchozí cenové centrum ve společnosti {0}.
 DocType: Item,Has Batch No,Má číslo šarže
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Roční Zúčtování: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Nakupujte podrobnosti o Webhooku
@@ -2902,7 +2931,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Typ posunu
 DocType: Student,Personal Details,Osobní data
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte &quot;odpisy majetku nákladové středisko&quot; ve firmě {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte &quot;odpisy majetku nákladové středisko&quot; ve firmě {0}
 ,Maintenance Schedules,Plány údržby
 DocType: Task,Actual End Date (via Time Sheet),Skutečné datum ukončení (přes Time Sheet)
 DocType: Soil Texture,Soil Type,Typ půdy
@@ -2910,10 +2939,10 @@
 ,Quotation Trends,Uvozovky Trendy
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Položka Group není uvedeno v položce mistra na položku {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet"
 DocType: Shipping Rule,Shipping Amount,Částka - doprava
 DocType: Supplier Scorecard Period,Period Score,Skóre období
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Přidat zákazníky
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Přidat zákazníky
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Čeká Částka
 DocType: Lab Test Template,Special,Speciální
 DocType: Loyalty Program,Conversion Factor,Konverzní faktor
@@ -2930,7 +2959,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Přidat hlavičkový papír
 DocType: Program Enrollment,Self-Driving Vehicle,Samohybné vozidlo
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Dodávka tabulky dodavatelů
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Řádek {0}: Kusovník nebyl nalezen pro výtisku {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Řádek {0}: Kusovník nebyl nalezen pro výtisku {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Celkové přidělené listy {0} nemůže být nižší než již schválených listy {1} pro období
 DocType: Contract Fulfilment Checklist,Requirement,Požadavek
 DocType: Journal Entry,Accounts Receivable,Pohledávky
@@ -2946,16 +2975,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,Nastavení HR
 DocType: Salary Slip,net pay info,Čistý plat info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Částka CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Částka CESS
 DocType: Woocommerce Settings,Enable Sync,Povolit synchronizaci
 DocType: Tax Withholding Rate,Single Transaction Threshold,Jednoduchá transakční prahová hodnota
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Tato hodnota je aktualizována v seznamu výchozích prodejních cen.
 DocType: Email Digest,New Expenses,Nové výdaje
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Částka PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Částka PDC / LC
 DocType: Shareholder,Shareholder,Akcionář
 DocType: Purchase Invoice,Additional Discount Amount,Dodatečná sleva Částka
 DocType: Cash Flow Mapper,Position,Pozice
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Získejte položky z předpisu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Získejte položky z předpisu
 DocType: Patient,Patient Details,Podrobnosti pacienta
 DocType: Inpatient Record,B Positive,B Pozitivní
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2967,8 +2996,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Skupina na Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sportovní
 DocType: Loan Type,Loan Name,půjčka Name
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Celkem Aktuální
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Celkem Aktuální
 DocType: Student Siblings,Student Siblings,Studentské Sourozenci
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detail plánu předplatného
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Jednotka
@@ -2995,7 +3023,6 @@
 DocType: Workstation,Wages per hour,Mzda za hodinu
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Sklad bilance v dávce {0} se zhorší {1} k bodu {2} ve skladu {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Následující materiál žádosti byly automaticky zvýšena na základě úrovni re-pořadí položky
-DocType: Email Digest,Pending Sales Orders,Čeká Prodejní objednávky
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatný. Měna účtu musí být {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Od data {0} nemůže být po uvolnění zaměstnance Datum {1}
 DocType: Supplier,Is Internal Supplier,Je interní dodavatel
@@ -3004,13 +3031,14 @@
 DocType: Healthcare Settings,Remind Before,Připomenout dříve
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konverzní faktor je nutné v řadě {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním ze zakázky odběratele, prodejní faktury nebo Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním ze zakázky odběratele, prodejní faktury nebo Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Věrnostní body = Kolik základní měny?
 DocType: Salary Component,Deduction,Dedukce
 DocType: Item,Retain Sample,Zachovat vzorek
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Řádek {0}: From Time a na čas je povinná.
 DocType: Stock Reconciliation Item,Amount Difference,výše Rozdíl
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Položka Cena přidán pro {0} v Ceníku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Položka Cena přidán pro {0} v Ceníku {1}
+DocType: Delivery Stop,Order Information,Informace o objednávce
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Prosím, zadejte ID zaměstnance z tohoto prodeje osoby"
 DocType: Territory,Classification of Customers by region,Rozdělení zákazníků podle krajů
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Ve výrobě
@@ -3021,8 +3049,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Vypočtená výpis z bankovního účtu zůstatek
 DocType: Normal Test Template,Normal Test Template,Normální šablona testu
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,zakázané uživatelské
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Nabídka
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Nelze nastavit přijatou RFQ na Žádnou nabídku
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Nabídka
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Nelze nastavit přijatou RFQ na Žádnou nabídku
 DocType: Salary Slip,Total Deduction,Celkem Odpočet
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Vyberte účet, který chcete vytisknout v měně účtu"
 ,Production Analytics,výrobní Analytics
@@ -3035,14 +3063,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavení tabulky dodavatelů
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Název plánu hodnocení
 DocType: Work Order Operation,Work Order Operation,Obsluha zakázky
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Varování: Neplatný certifikát SSL na přílohu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Varování: Neplatný certifikát SSL na přílohu {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Vede vám pomohou podnikání, přidejte všechny své kontakty a více jak svých potenciálních zákazníků"
 DocType: Work Order Operation,Actual Operation Time,Aktuální Provozní doba
 DocType: Authorization Rule,Applicable To (User),Vztahující se na (Uživatel)
 DocType: Purchase Taxes and Charges,Deduct,Odečíst
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Popis Práce
 DocType: Student Applicant,Applied,Aplikovaný
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Znovu otevřít
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Znovu otevřít
 DocType: Sales Invoice Item,Qty as per Stock UOM,Množství podle Stock nerozpuštěných
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Jméno Guardian2
 DocType: Attendance,Attendance Request,Žádost o účast
@@ -3060,7 +3088,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Pořadové číslo {0} je v záruce aľ {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimální přípustná hodnota
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Uživatel {0} již existuje
-apps/erpnext/erpnext/hooks.py +114,Shipments,Zásilky
+apps/erpnext/erpnext/hooks.py +115,Shipments,Zásilky
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Celková alokovaná částka (Company měna)
 DocType: Purchase Order Item,To be delivered to customer,Chcete-li být doručeno zákazníkovi
 DocType: BOM,Scrap Material Cost,Šrot Material Cost
@@ -3068,11 +3096,12 @@
 DocType: Grant Application,Email Notification Sent,Zasláno oznámení o e-mailu
 DocType: Purchase Invoice,In Words (Company Currency),Slovy (měna společnosti)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Společnost je řídící na účet společnosti
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Kód položky, sklad, množství je nutné v řádku"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Kód položky, sklad, množství je nutné v řádku"
 DocType: Bank Guarantee,Supplier,Dodavatel
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Získat Z
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Toto je kořenové oddělení a nemůže být editováno.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Zobrazit údaje o platbě
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Trvání ve dnech
 DocType: C-Form,Quarter,Čtvrtletí
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Různé výdaje
 DocType: Global Defaults,Default Company,Výchozí Company
@@ -3080,7 +3109,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Náklady nebo Rozdíl účet je povinné k bodu {0} jako budou mít dopad na celkovou hodnotu zásob
 DocType: Bank,Bank Name,Název banky
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Nad
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Ponechte prázdné pole, abyste mohli objednávat všechny dodavatele"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Ponechte prázdné pole, abyste mohli objednávat všechny dodavatele"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Poplatek za návštěvu pacienta
 DocType: Vital Signs,Fluid,Tekutina
 DocType: Leave Application,Total Leave Days,Celkový počet dnů dovolené
@@ -3089,7 +3118,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Nastavení varianty položky
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Vyberte společnost ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Ponechte prázdné, pokud se to považuje za všechna oddělení"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} je povinná k položce {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} je povinná k položce {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Položka {0}: {1} Množství vyrobené,"
 DocType: Payroll Entry,Fortnightly,Čtrnáctidenní
 DocType: Currency Exchange,From Currency,Od Měny
@@ -3138,7 +3167,7 @@
 DocType: Account,Fixed Asset,Základní Jmění
 DocType: Amazon MWS Settings,After Date,Po datu
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialized Zásoby
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Neplatná {0} pro interní fakturu společnosti.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Neplatná {0} pro interní fakturu společnosti.
 ,Department Analytics,Oddělení Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-mail nebyl nalezen ve výchozím kontaktu
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generovat tajemství
@@ -3156,6 +3185,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,výkonný ředitel
 DocType: Purchase Invoice,With Payment of Tax,S platbou daně
 DocType: Expense Claim Detail,Expense Claim Detail,Detail úhrady výdajů
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Prosím, nastavte systém pro pojmenování instruktorů ve vzdělání&gt; Nastavení vzdělávání"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE PRO DODAVATELE
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nový zůstatek v základní měně
 DocType: Location,Is Container,Je kontejner
@@ -3163,13 +3193,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Prosím, vyberte správný účet"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Přiřazení struktury platu
 DocType: Purchase Invoice Item,Weight UOM,Hmotnostní jedn.
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Seznam dostupných akcionářů s čísly folií
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Seznam dostupných akcionářů s čísly folií
 DocType: Salary Structure Employee,Salary Structure Employee,Plat struktura zaměstnanců
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Zobrazit atributy variantu
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Zobrazit atributy variantu
 DocType: Student,Blood Group,Krevní Skupina
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Účet platební brány v plánu {0} se liší od účtu platební brány v této žádosti o platbu
 DocType: Course,Course Name,Název kurzu
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Pro daný fiskální rok nebyly zjištěny žádné údaje o zadržení daně.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Pro daný fiskální rok nebyly zjištěny žádné údaje o zadržení daně.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Uživatelé, kteří si vyhoví žádosti konkrétního zaměstnance volno"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Kancelářské Vybavení
 DocType: Purchase Invoice Item,Qty,Množství
@@ -3177,6 +3207,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Nastavení bodování
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Povolit stejnou položku několikrát
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Zvýšit Materiál vyžádání při stock dosáhne úrovně re-order
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Na plný úvazek
 DocType: Payroll Entry,Employees,zaměstnanci
@@ -3188,11 +3219,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Potvrzení platby
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny nebude zobrazeno, pokud Ceník není nastaven"
 DocType: Stock Entry,Total Incoming Value,Celková hodnota Příchozí
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debetní K je vyžadováno
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debetní K je vyžadováno
 DocType: Clinical Procedure,Inpatient Record,Ústavní záznam
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomůže udržet přehled o času, nákladů a účtování pro aktivit hotový svého týmu"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Nákupní Ceník
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Datum transakce
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Nákupní Ceník
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Datum transakce
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Šablony proměnných tabulky dodavatelů dodavatelů.
 DocType: Job Offer Term,Offer Term,Nabídka Term
 DocType: Asset,Quality Manager,Manažer kvality
@@ -3213,18 +3244,18 @@
 DocType: Cashier Closing,To Time,Chcete-li čas
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) pro {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Schválení role (nad oprávněné hodnoty)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet
 DocType: Loan,Total Amount Paid,Celková částka zaplacena
 DocType: Asset,Insurance End Date,Datum ukončení pojištění
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Vyberte studentský vstup, který je povinný pro žáka placeného studenta"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Rozpočtový seznam
 DocType: Work Order Operation,Completed Qty,Dokončené Množství
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Pro {0}, tak debetní účty mohou být spojeny proti jinému připsání"
 DocType: Manufacturing Settings,Allow Overtime,Povolit Přesčasy
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serializovaná položka {0} nemůže být aktualizována pomocí odsouhlasení akcií, použijte prosím položku Stock"
 DocType: Training Event Employee,Training Event Employee,Vzdělávání zaměstnanců Event
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximální počet vzorků - {0} lze zadat pro dávky {1} a položku {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximální počet vzorků - {0} lze zadat pro dávky {1} a položku {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Přidat časové úseky
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Sériová čísla požadované pro položky {1}. Poskytli jste {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuální ocenění
@@ -3255,11 +3286,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Pořadové číslo {0} nebyl nalezen
 DocType: Fee Schedule Program,Fee Schedule Program,Program rozpisu poplatků
 DocType: Fee Schedule Program,Student Batch,Student Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Vymažte prosím zaměstnance <a href=""#Form/Employee/{0}"">{0}</a> \, chcete-li tento dokument zrušit"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Udělat Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Typ jednotky zdravotnické služby
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Byli jste pozváni ke spolupráci na projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Byli jste pozváni ke spolupráci na projektu: {0}
 DocType: Supplier Group,Parent Supplier Group,Nadřízená skupina dodavatelů
+DocType: Email Digest,Purchase Orders to Bill,Objednávky k účtu
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Akumulované hodnoty ve skupině společnosti
 DocType: Leave Block List Date,Block Date,Block Datum
 DocType: Crop,Crop,Oříznutí
@@ -3271,6 +3305,7 @@
 DocType: Sales Order,Not Delivered,Ne vyhlášeno
 ,Bank Clearance Summary,Souhrn bankovního zúčtování
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Vytvářet a spravovat denní, týdenní a měsíční e-mailové digest."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Toto je založeno na transakcích proti této prodejní osobě. Podrobnosti viz časová osa níže
 DocType: Appraisal Goal,Appraisal Goal,Posouzení Goal
 DocType: Stock Reconciliation Item,Current Amount,Aktuální výše
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,budovy
@@ -3297,7 +3332,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Programy
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Následující Kontakt datum nemůže být v minulosti
 DocType: Company,For Reference Only.,Pouze orientační.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Vyberte číslo šarže
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Vyberte číslo šarže
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Neplatný {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Odkaz Inv
@@ -3315,16 +3350,16 @@
 DocType: Normal Test Items,Require Result Value,Požadovat hodnotu výsledku
 DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky
 DocType: Tax Withholding Rate,Tax Withholding Rate,Úroková sazba
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,kusovníky
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Zásoba
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,kusovníky
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Zásoba
 DocType: Project Type,Projects Manager,Správce projektů
 DocType: Serial No,Delivery Time,Dodací lhůta
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Stárnutí dle
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Jmenování zrušeno
 DocType: Item,End of Life,Konec životnosti
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Cestování
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Cestování
 DocType: Student Report Generation Tool,Include All Assessment Group,Zahrnout celou skupinu hodnocení
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Žádný aktivní nebo implicitní Plat Struktura nalezených pro zaměstnance {0} pro dané termíny
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Žádný aktivní nebo implicitní Plat Struktura nalezených pro zaměstnance {0} pro dané termíny
 DocType: Leave Block List,Allow Users,Povolit uživatele
 DocType: Purchase Order,Customer Mobile No,Zákazník Mobile Žádné
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobné informace o šabloně mapování peněžních toků
@@ -3333,15 +3368,16 @@
 DocType: Rename Tool,Rename Tool,Přejmenování
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Aktualizace nákladů
 DocType: Item Reorder,Item Reorder,Položka Reorder
+DocType: Delivery Note,Mode of Transport,Způsob dopravy
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Show výplatní pásce
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Přenos materiálu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Přenos materiálu
 DocType: Fees,Send Payment Request,Odeslat žádost o platbu
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Zadejte operací, provozní náklady a dávají jedinečnou operaci ne své operace."
 DocType: Travel Request,Any other details,Další podrobnosti
 DocType: Water Analysis,Origin,Původ
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tento dokument je nad hranicí {0} {1} pro položku {4}. Děláte si jiný {3} proti stejné {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Prosím nastavte opakující se po uložení
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Vybrat změna výše účet
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Prosím nastavte opakující se po uložení
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Vybrat změna výše účet
 DocType: Purchase Invoice,Price List Currency,Ceník Měna
 DocType: Naming Series,User must always select,Uživatel musí vždy vybrat
 DocType: Stock Settings,Allow Negative Stock,Povolit Negativní Sklad
@@ -3362,9 +3398,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledovatelnost
 DocType: Asset Maintenance Log,Actions performed,Akce byly provedeny
 DocType: Cash Flow Mapper,Section Leader,Vedoucí sekce
+DocType: Delivery Note,Transport Receipt No,Doklad o přepravě č
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Zdrojem finančních prostředků (závazků)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Umístění zdroje a cíle nemohou být stejné
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Zaměstnanec
 DocType: Bank Guarantee,Fixed Deposit Number,Číslo pevného vkladu
 DocType: Asset Repair,Failure Date,Datum selhání
@@ -3378,16 +3415,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Platební srážky nebo ztráta
 DocType: Soil Analysis,Soil Analysis Criterias,Kritéria analýzy půdy
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardní smluvní podmínky pro prodej nebo koupi.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Opravdu chcete tuto schůzku zrušit?
+DocType: BOM Item,Item operation,Položka položky
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Opravdu chcete tuto schůzku zrušit?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Balíček ceny pokojů hotelu
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,prodejní Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,prodejní Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Prosím nastavit výchozí účet platu Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Povinné On
 DocType: Rename Tool,File to Rename,Soubor k přejmenování
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Prosím, vyberte BOM pro položku v řádku {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Načíst aktualizace předplatného
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Účet {0} neodpovídá společnosti {1} v účtu účtu: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Chod:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky
@@ -3396,7 +3434,7 @@
 DocType: Notification Control,Expense Claim Approved,Uhrazení výdajů schváleno
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Nastavit zálohy a přidělit (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nebyly vytvořeny žádné pracovní příkazy
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Výplatní pásce zaměstnance {0} již vytvořili pro toto období
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Výplatní pásce zaměstnance {0} již vytvořili pro toto období
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutické
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,"Chcete-li platnou částku inkasa, můžete odeslat příkaz Opustit zapsání"
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Náklady na zakoupené zboží
@@ -3404,7 +3442,8 @@
 DocType: Selling Settings,Sales Order Required,Prodejní objednávky Povinné
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Staňte se prodejcem
 DocType: Purchase Invoice,Credit To,Kredit:
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktivní LEADS / Zákazníci
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktivní LEADS / Zákazníci
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Chcete-li použít standardní formát doručení, nechte prázdné"
 DocType: Employee Education,Post Graduate,Postgraduální
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Plán údržby Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Upozornit na nové nákupní objednávky
@@ -3418,14 +3457,14 @@
 DocType: Support Search Source,Post Title Key,Klíč příspěvku
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,U pracovní karty
 DocType: Warranty Claim,Raised By,Vznesené
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Předpisy
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Předpisy
 DocType: Payment Gateway Account,Payment Account,Platební účet
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Uveďte prosím společnost pokračovat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Uveďte prosím společnost pokračovat
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Čistá změna objemu pohledávek
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Vyrovnávací Off
 DocType: Job Offer,Accepted,Přijato
 DocType: POS Closing Voucher,Sales Invoices Summary,Souhrn prodejních faktur
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Název strany
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Název strany
 DocType: Grant Application,Organization,Organizace
 DocType: BOM Update Tool,BOM Update Tool,Nástroj pro aktualizaci kusovníku
 DocType: SG Creation Tool Course,Student Group Name,Jméno Student Group
@@ -3434,7 +3473,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Ujistěte se, že opravdu chcete vymazat všechny transakce pro tuto společnost. Vaše kmenová data zůstanou, jak to je. Tuto akci nelze vrátit zpět."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Výsledky vyhledávání
 DocType: Room,Room Number,Číslo pokoje
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Neplatná reference {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Neplatná reference {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemůže být větší, než plánované množství ({2}), ve výrobní objednávce {3}"
 DocType: Shipping Rule,Shipping Rule Label,Přepravní Pravidlo Label
 DocType: Journal Entry Account,Payroll Entry,Příspěvek mzdy
@@ -3442,8 +3481,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Vytvořte šablonu daní
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Suroviny nemůže být prázdný.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Řádek # {0} (platební tabulka): Částka musí být záporná
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nelze aktualizovat zásob, faktura obsahuje pokles lodní dopravy zboží."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Řádek # {0} (platební tabulka): Částka musí být záporná
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nelze aktualizovat zásob, faktura obsahuje pokles lodní dopravy zboží."
 DocType: Contract,Fulfilment Status,Stav plnění
 DocType: Lab Test Sample,Lab Test Sample,Laboratorní testovací vzorek
 DocType: Item Variant Settings,Allow Rename Attribute Value,Povolit přejmenování hodnoty atributu
@@ -3485,11 +3524,11 @@
 DocType: BOM,Show Operations,Zobrazit Operations
 ,Minutes to First Response for Opportunity,Zápisy do první reakce na příležitost
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Celkem Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Měrná jednotka
 DocType: Fiscal Year,Year End Date,Datum Konce Roku
 DocType: Task Depends On,Task Depends On,Úkol je závislá na
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Příležitost
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Příležitost
 DocType: Operation,Default Workstation,Výchozí Workstation
 DocType: Notification Control,Expense Claim Approved Message,Zpráva o schválení úhrady výdajů
 DocType: Payment Entry,Deductions or Loss,Odpočty nebo ztráta
@@ -3527,20 +3566,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Schválení Uživatel nemůže být stejná jako uživatel pravidlo se vztahuje na
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Základní sazba (dle Stock nerozpuštěných)
 DocType: SMS Log,No of Requested SMS,Počet žádaným SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Nechat bez nároku na odměnu nesouhlasí se schválenými záznamů nechat aplikaci
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Nechat bez nároku na odměnu nesouhlasí se schválenými záznamů nechat aplikaci
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Další kroky
 DocType: Travel Request,Domestic,Domácí
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Prosím dodávat uvedené položky na nejlepší možné ceny
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Prosím dodávat uvedené položky na nejlepší možné ceny
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Převod zaměstnanců nelze předložit před datem převodu
 DocType: Certification Application,USD,americký dolar
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Proveďte faktury
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Zůstatek účtu
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Zůstatek účtu
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto v blízkosti Příležitost po 15 dnech
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Příkazy na nákup nejsou pro {0} povoleny kvůli postavení skóre {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Čárový kód {0} není platný kód {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Čárový kód {0} není platný kód {1}
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,konec roku
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Smlouva Datum ukončení musí být větší než Datum spojování
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Smlouva Datum ukončení musí být větší než Datum spojování
 DocType: Driver,Driver,Řidič
 DocType: Vital Signs,Nutrition Values,Výživové hodnoty
 DocType: Lab Test Template,Is billable,Je fakturován
@@ -3551,7 +3590,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,To je příklad webové stránky automaticky generované z ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Stárnutí Rozsah 1
 DocType: Shopify Settings,Enable Shopify,Povolit funkci Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Celková výše zálohy nesmí být vyšší než celková nároková částka
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Celková výše zálohy nesmí být vyšší než celková nároková částka
 DocType: Purchase Taxes and Charges Template,"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
@@ -3598,12 +3637,12 @@
 DocType: Employee Separation,Employee Separation,Separace zaměstnanců
 DocType: BOM Item,Original Item,Původní položka
 DocType: Purchase Receipt Item,Recd Quantity,Recd Množství
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Datum dokumentu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Datum dokumentu
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Vytvořil - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategorie Account
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Řádek # {0} (platební tabulka): Částka musí být kladná
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Řádek # {0} (platební tabulka): Částka musí být kladná
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Nelze produkují více položku {0} než prodejní objednávky množství {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Vyberte hodnoty atributů
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Vyberte hodnoty atributů
 DocType: Purchase Invoice,Reason For Issuing document,Důvod pro vydávací dokument
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Skladový pohyb {0} není založen
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / Peněžní účet
@@ -3612,8 +3651,10 @@
 DocType: Asset,Manual,Manuál
 DocType: Salary Component Account,Salary Component Account,Účet plat Component
 DocType: Global Defaults,Hide Currency Symbol,Skrýt symbol měny
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Možnosti prodeje podle zdroje
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informace dárce.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","např. banka, hotovost, kreditní karty"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Prosím, nastavte číselnou sérii pro Účast přes Nastavení&gt; Číslovací série"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","např. banka, hotovost, kreditní karty"
 DocType: Job Applicant,Source Name,Název zdroje
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normální klidový krevní tlak u dospělého pacienta je přibližně 120 mmHg systolický a 80 mmHg diastolický, zkráceně &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Nastavte trvanlivost položek v dny, nastavte vypršení platnosti na základě data výroby a vlastní životnosti"
@@ -3643,7 +3684,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Pro množství musí být menší než množství {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,"Row {0}: datum zahájení, musí být před koncem roku Datum"
 DocType: Salary Component,Max Benefit Amount (Yearly),Maximální částka prospěchu (ročně)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Míra TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Míra TDS%
 DocType: Crop,Planting Area,Plocha pro výsadbu
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (ks)
 DocType: Installation Note Item,Installed Qty,Instalované množství
@@ -3665,8 +3706,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Zanechat oznámení o schválení
 DocType: Buying Settings,Default Buying Price List,Výchozí Nákup Ceník
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Plat Slip na základě časového rozvrhu
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Rychlost nákupu
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Řádek {0}: Zadejte umístění položky aktiv {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Rychlost nákupu
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Řádek {0}: Zadejte umístění položky aktiv {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,O společnosti
 DocType: Notification Control,Sales Order Message,Prodejní objednávky Message
@@ -3731,10 +3772,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Pro řádek {0}: Zadejte plánované množství
 DocType: Account,Income Account,Účet příjmů
 DocType: Payment Request,Amount in customer's currency,Částka v měně zákazníka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Dodávka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Dodávka
 DocType: Volunteer,Weekdays,V pracovní dny
 DocType: Stock Reconciliation Item,Current Qty,Aktuální Množství
 DocType: Restaurant Menu,Restaurant Menu,Nabídka restaurací
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Přidat dodavatele
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Část nápovědy
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Předch
@@ -3746,19 +3788,20 @@
 												fullfill Sales Order {2}","Nelze doručit pořadové číslo {0} položky {1}, protože je rezervováno pro \ fullfill Sales Order {2}"
 DocType: Item Reorder,Material Request Type,Materiál Typ požadavku
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Odeslání e-mailu o revizi grantu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Místní úložiště je plné, nezachránil"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Řádek {0}: UOM Konverzní faktor je povinné
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Místní úložiště je plné, nezachránil"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Řádek {0}: UOM Konverzní faktor je povinné
 DocType: Employee Benefit Claim,Claim Date,Datum uplatnění nároku
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kapacita místností
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Již existuje záznam pro položku {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Ztratíte záznamy o dříve vygenerovaných fakturách. Opravdu chcete tento odběr restartovat?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Registrační poplatek
 DocType: Loyalty Program Collection,Loyalty Program Collection,Věrnostní program
 DocType: Stock Entry Detail,Subcontracted Item,Subdodavatelská položka
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} nepatří do skupiny {1}
 DocType: Budget,Cost Center,Nákladové středisko
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Zprávy vydané objenávky
 DocType: Tax Rule,Shipping Country,Země dodání
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Inkognito daně zákazníka z prodejních transakcí
@@ -3777,23 +3820,22 @@
 DocType: Subscription,Cancel At End Of Period,Zrušit na konci období
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Vlastnictví již bylo přidáno
 DocType: Item Supplier,Item Supplier,Položka Dodavatel
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nebyly vybrány žádné položky pro přenos
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Všechny adresy.
 DocType: Company,Stock Settings,Stock Nastavení
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spojení je možné pouze tehdy, pokud tyto vlastnosti jsou stejné v obou záznamech. Je Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spojení je možné pouze tehdy, pokud tyto vlastnosti jsou stejné v obou záznamech. Je Group, Root Type, Company"
 DocType: Vehicle,Electric,Elektrický
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Zisk / ztráta z aktiv likvidaci
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Do následující tabulky bude vybrán pouze žadatel o studium se statusem &quot;Schváleno&quot;.
 DocType: Tax Withholding Category,Rates,Ceny
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Číslo účtu pro účet {0} není k dispozici. <br> Prosím, nastavte účetní řád správně."
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Číslo účtu pro účet {0} není k dispozici. <br> Prosím, nastavte účetní řád správně."
 DocType: Task,Depends on Tasks,Závisí na Úkoly
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Správa zákazníků skupiny Tree.
 DocType: Normal Test Items,Result Value,Výsledek Hodnota
 DocType: Hotel Room,Hotels,Hotely
-DocType: Delivery Note,Transporter Date,Datum přepravce
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Jméno Nového Nákladového Střediska
 DocType: Leave Control Panel,Leave Control Panel,Ovládací panel dovolených
 DocType: Project,Task Completion,úkol Dokončení
@@ -3840,11 +3882,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Všechny skupiny Assessment
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Název nového skladu
 DocType: Shopify Settings,App Type,Typ aplikace
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Celkem {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Celkem {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Území
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Prosím, uveďte počet požadovaných návštěv"
 DocType: Stock Settings,Default Valuation Method,Výchozí metoda ocenění
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Poplatek
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Zobrazit kumulativní částku
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Aktualizace probíhá. Může chvíli trvat.
 DocType: Production Plan Item,Produced Qty,Vyrobeno množství
 DocType: Vehicle Log,Fuel Qty,palivo Množství
@@ -3852,7 +3895,7 @@
 DocType: Work Order Operation,Planned Start Time,Plánované Start Time
 DocType: Course,Assessment,Posouzení
 DocType: Payment Entry Reference,Allocated,Přidělené
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu.
 DocType: Student Applicant,Application Status,Stav aplikace
 DocType: Additional Salary,Salary Component Type,Typ platového komponentu
 DocType: Sensitivity Test Items,Sensitivity Test Items,Položky testu citlivosti
@@ -3863,10 +3906,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Celková dlužná částka
 DocType: Sales Partner,Targets,Cíle
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Zaregistrujte prosím číslo SIREN v informačním souboru společnosti
+DocType: Email Digest,Sales Orders to Bill,Prodejní příkazy k Billu
 DocType: Price List,Price List Master,Ceník Master
 DocType: GST Account,CESS Account,Účet CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Všechny prodejní transakce mohou být označeny proti více ** prodejcům **, takže si můžete nastavit a sledovat cíle."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Odkaz na materiálovou žádost
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Odkaz na materiálovou žádost
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Aktivita fóra
 ,S.O. No.,SO Ne.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Položka položek transakce bankovního výpisu
@@ -3881,7 +3925,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,"To je kořen skupiny zákazníků, a nelze upravovat."
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Akce při překročení akumulovaného měsíčního rozpočtu v PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Na místo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Na místo
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Přehodnocení směnného kurzu
 DocType: POS Profile,Ignore Pricing Rule,Ignorovat Ceny pravidlo
 DocType: Employee Education,Graduate,Absolvent
@@ -3929,6 +3973,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Nastavte výchozího zákazníka v nastavení restaurace
 ,Salary Register,plat Register
 DocType: Warehouse,Parent Warehouse,Nadřízený sklad
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Schéma
 DocType: Subscription,Net Total,Net Total
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Výchozí kusovník nebyl nalezen pro položku {0} a projekt {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definovat různé typy půjček
@@ -3961,24 +4006,26 @@
 DocType: Membership,Membership Status,Stav členství
 DocType: Travel Itinerary,Lodging Required,Požadováno ubytování
 ,Requested,Požadované
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Žádné poznámky
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Žádné poznámky
 DocType: Asset,In Maintenance,V údržbě
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Kliknutím na toto tlačítko vygenerujete údaje o prodejní objednávce z Amazon MWS.
 DocType: Vital Signs,Abdomen,Břicho
 DocType: Purchase Invoice,Overdue,Zpožděný
 DocType: Account,Stock Received But Not Billed,Sklad nepřijali Účtovaný
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root účet musí být skupina
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root účet musí být skupina
 DocType: Drug Prescription,Drug Prescription,Předepisování léků
 DocType: Loan,Repaid/Closed,Splacena / Zavřeno
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Celková předpokládaná Množství
 DocType: Monthly Distribution,Distribution Name,Distribuce Name
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Zahrnout UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Hodnota ocenění nebyla nalezena u položky {0}, která je povinna provést účetní záznamy za {1} {2}. Pokud položka transakce probíhá jako položka s nulovou hodnotou v {1}, uveďte ji v tabulce {1} položky. V opačném případě prosím vytvořte příchozí akciovou transakci pro položku nebo zmiňte ohodnocení v záznamu o položce a zkuste odeslat / zrušit tuto položku"
 DocType: Course,Course Code,Kód předmětu
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kontrola kvality potřebný k bodu {0}
 DocType: Location,Parent Location,Umístění rodiče
 DocType: POS Settings,Use POS in Offline Mode,Používejte POS v režimu offline
 DocType: Supplier Scorecard,Supplier Variables,Dodavatelské proměnné
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},"{0} je povinné. Možná, že záznam o výměně měny není vytvořen pro {1} až {2}"
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Sazba, za kterou je měna zákazníka převedena na základní měnu společnosti"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Čistý Rate (Company měny)
 DocType: Salary Detail,Condition and Formula Help,Stav a Formula nápovědy
@@ -3987,19 +4034,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Prodejní faktury
 DocType: Journal Entry Account,Party Balance,Balance Party
 DocType: Cash Flow Mapper,Section Subtotal,Sekce Mezisoučet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Prosím, vyberte Použít Sleva na"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Prosím, vyberte Použít Sleva na"
 DocType: Stock Settings,Sample Retention Warehouse,Úložiště uchovávání vzorků
 DocType: Company,Default Receivable Account,Výchozí pohledávek účtu
 DocType: Purchase Invoice,Deemed Export,Považován za export
 DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výroba
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Sleva v procentech lze použít buď proti Ceníku nebo pro všechny Ceníku.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Účetní položka na skladě
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Účetní položka na skladě
 DocType: Lab Test,LabTest Approver,Nástroj LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Již jste hodnotili kritéria hodnocení {}.
 DocType: Vehicle Service,Engine Oil,Motorový olej
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Vytvořené zakázky: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Vytvořené zakázky: {0}
 DocType: Sales Invoice,Sales Team1,Sales Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Bod {0} neexistuje
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Bod {0} neexistuje
 DocType: Sales Invoice,Customer Address,Zákazník Address
 DocType: Loan,Loan Details,půjčka Podrobnosti
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Nepodařilo se nastavit příslušenství společnosti
@@ -4020,34 +4067,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Zobrazit tuto prezentaci v horní části stránky
 DocType: BOM,Item UOM,Položka UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Částka daně po slevě Částka (Company měny)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
 DocType: Cheque Print Template,Primary Settings,primární Nastavení
 DocType: Attendance Request,Work From Home,Práce z domova
 DocType: Purchase Invoice,Select Supplier Address,Vybrat Dodavatel Address
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Přidejte Zaměstnanci
 DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Malé
 DocType: Company,Standard Template,standardní šablona
 DocType: Training Event,Theory,Teorie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Účet {0} je zmrazen
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace."
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák"
 DocType: Account,Account Number,Číslo účtu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Lze provést pouze platbu proti nevyfakturované {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Rychlost Komise nemůže být větší než 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Lze provést pouze platbu proti nevyfakturované {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Rychlost Komise nemůže být větší než 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Automaticky přidělit předdavky (FIFO)
 DocType: Volunteer,Volunteer,Dobrovolník
 DocType: Buying Settings,Subcontract,Subdodávka
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Prosím, zadejte {0} jako první"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Žádné odpovědi od
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Žádné odpovědi od
 DocType: Work Order Operation,Actual End Time,Aktuální End Time
 DocType: Item,Manufacturer Part Number,Typové označení
 DocType: Taxable Salary Slab,Taxable Salary Slab,Zdanitelná mzdová deska
 DocType: Work Order Operation,Estimated Time and Cost,Odhadovná doba a náklady
 DocType: Bin,Bin,Popelnice
 DocType: Crop,Crop Name,Název plodiny
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Pouze uživatelé s rolí {0} se mohou zaregistrovat na trhu
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Pouze uživatelé s rolí {0} se mohou zaregistrovat na trhu
 DocType: SMS Log,No of Sent SMS,Počet odeslaných SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Setkání a setkání
@@ -4076,7 +4124,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Změnit kód
 DocType: Purchase Invoice Item,Valuation Rate,Ocenění
 DocType: Vehicle,Diesel,motorová nafta
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Ceníková Měna není zvolena
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Ceníková Měna není zvolena
 DocType: Purchase Invoice,Availed ITC Cess,Využil ITC Cess
 ,Student Monthly Attendance Sheet,Student měsíční návštěvnost Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Pravidlo plavby platí pouze pro prodej
@@ -4092,7 +4140,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Správa prodejních partnerů.
 DocType: Quality Inspection,Inspection Type,Kontrola Type
 DocType: Fee Validity,Visited yet,Ještě navštěvováno
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Sklady se stávajícími transakce nelze převést na skupinu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Sklady se stávajícími transakce nelze převést na skupinu.
 DocType: Assessment Result Tool,Result HTML,výsledek HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Jak často by měl být projekt a společnost aktualizovány na základě prodejních transakcí.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,vyprší dne
@@ -4100,7 +4148,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Prosím, vyberte {0}"
 DocType: C-Form,C-Form No,C-Form No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Vzdálenost
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Vzdálenost
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Seznamte své produkty nebo služby, které kupujete nebo prodáváte."
 DocType: Water Analysis,Storage Temperature,Skladovací teplota
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4116,19 +4164,19 @@
 DocType: Shopify Settings,Delivery Note Series,Série dodacích poznámek
 DocType: Purchase Order Item,Returned Qty,Vrácené Množství
 DocType: Student,Exit,Východ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type je povinné
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type je povinné
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Instalace předvoleb se nezdařila
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Převod UOM v hodinách
 DocType: Contract,Signee Details,Signee Podrobnosti
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} v současné době disponuje {1} hodnotící tabulkou dodavatelů a RFQ tohoto dodavatele by měla být vydána s opatrností.
 DocType: Certified Consultant,Non Profit Manager,Neziskový manažer
 DocType: BOM,Total Cost(Company Currency),Celkové náklady (Company měna)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Pořadové číslo {0} vytvořil
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Pořadové číslo {0} vytvořil
 DocType: Homepage,Company Description for website homepage,Společnost Popis pro webové stránky domovskou stránku
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pro pohodlí zákazníků, tyto kódy mohou být použity v tiskových formátech, jako na fakturách a dodacích listech"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Jméno suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nelze načíst informace pro {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Otevření deníku zápisu
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Otevření deníku zápisu
 DocType: Contract,Fulfilment Terms,Podmínky plnění
 DocType: Sales Invoice,Time Sheet List,Doba Seznam Sheet
 DocType: Employee,You can enter any date manually,Můžete zadat datum ručně
@@ -4163,7 +4211,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Vaše organizace
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Přeskočit přidělení alokace pro následující zaměstnance, jelikož proti nim existují záznamy o přidělení alokace. {0}"
 DocType: Fee Component,Fees Category,Kategorie poplatky
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Zadejte zmírnění datum.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Zadejte zmírnění datum.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Podrobnosti o sponzoru (název, umístění)"
 DocType: Supplier Scorecard,Notify Employee,Upozornit zaměstnance
@@ -4176,9 +4224,9 @@
 DocType: Company,Chart Of Accounts Template,Účtový rozvrh šablony
 DocType: Attendance,Attendance Date,Účast Datum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Aktualizace akcií musí být povolena pro nákupní fakturu {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Položka Cena aktualizován pro {0} v Ceníku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Položka Cena aktualizován pro {0} v Ceníku {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plat rozpad na základě Zisk a dedukce.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu
 DocType: Purchase Invoice Item,Accepted Warehouse,Schválený sklad
 DocType: Bank Reconciliation Detail,Posting Date,Datum zveřejnění
 DocType: Item,Valuation Method,Metoda ocenění
@@ -4215,6 +4263,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Vyberte dávku
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Cestovní a výdajové nároky
 DocType: Sales Invoice,Redemption Cost Center,Centrum nákupních nákladů
+DocType: QuickBooks Migrator,Scope,Rozsah
 DocType: Assessment Group,Assessment Group Name,Název skupiny Assessment
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Převádí jaderný materiál pro Výroba
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Přidat do podrobností
@@ -4222,6 +4271,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Poslední datum synchronizace
 DocType: Landed Cost Item,Receipt Document Type,Příjem Document Type
 DocType: Daily Work Summary Settings,Select Companies,Zvolit firem
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Návrh / cenová nabídka
 DocType: Antibiotic,Healthcare,Zdravotní péče
 DocType: Target Detail,Target Detail,Target Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Jediný variant
@@ -4231,6 +4281,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Období Uzávěrka Entry
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Vyberte oddělení ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Nákladové středisko se stávajícími transakcemi nelze převést do skupiny
+DocType: QuickBooks Migrator,Authorization URL,Autorizační adresa URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Množství {0} {1} {2} {3}
 DocType: Account,Depreciation,Znehodnocení
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Počet akcií a čísla akcií je nekonzistentní
@@ -4252,13 +4303,14 @@
 DocType: Support Search Source,Source DocType,Zdroj DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Otevřete novou lístek
 DocType: Training Event,Trainer Email,trenér Email
+DocType: Driver,Transporter,Přepravce
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materiál Žádosti {0} vytvořené
 DocType: Restaurant Reservation,No of People,Počet lidí
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Šablona podmínek nebo smlouvy.
 DocType: Bank Account,Address and Contact,Adresa a Kontakt
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Je účtu splatný
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Sklad nelze aktualizovat proti dokladu o koupi {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Sklad nelze aktualizovat proti dokladu o koupi {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto v blízkosti Issue po 7 dnech
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dovolená nemůže být přiděleny před {0}, protože rovnováha dovolené již bylo carry-předávány v budoucí přidělení dovolenou záznamu {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s)
@@ -4276,7 +4328,7 @@
 ,Qty to Deliver,Množství k dodání
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon bude synchronizovat data aktualizovaná po tomto datu
 ,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operace nemůže být prázdné
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operace nemůže být prázdné
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Laboratorní test (y)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Detail dokumentu č
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Smazání není povoleno pro zemi {0}
@@ -4284,13 +4336,12 @@
 DocType: Quality Inspection,Outgoing,Vycházející
 DocType: Material Request,Requested For,Požadovaných pro
 DocType: Quotation Item,Against Doctype,Proti DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} je zrušen nebo zavřené
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} je zrušen nebo zavřené
 DocType: Asset,Calculate Depreciation,Vypočítat odpisy
 DocType: Delivery Note,Track this Delivery Note against any Project,Sledovat tento dodacím listu proti jakémukoli projektu
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Čistý peněžní tok z investiční
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Skupina zákazníků&gt; Území
 DocType: Work Order,Work-in-Progress Warehouse,Work-in-Progress sklad
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} musí být předloženy
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} musí být předloženy
 DocType: Fee Schedule Program,Total Students,Celkem studentů
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Účast Record {0} existuje proti Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Reference # {0} ze dne {1}
@@ -4309,7 +4360,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Nelze vytvořit retenční bonus pro levé zaměstnance
 DocType: Lead,Market Segment,Segment trhu
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Zemědělský manažer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplacená částka nemůže být vyšší než celkový negativní dlužné částky {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplacená částka nemůže být vyšší než celkový negativní dlužné částky {0}
 DocType: Supplier Scorecard Period,Variables,Proměnné
 DocType: Employee Internal Work History,Employee Internal Work History,Interní historie práce zaměstnance
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Uzavření (Dr)
@@ -4333,22 +4384,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synchronizace produktů
 DocType: Loyalty Point Entry,Loyalty Program,Věrnostní program
 DocType: Student Guardian,Father,Otec
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Vstupenky na podporu
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Aktualizace Sklad"" nemohou být zaškrtnuty na prodej dlouhodobého majetku"
 DocType: Bank Reconciliation,Bank Reconciliation,Bank Odsouhlasení
 DocType: Attendance,On Leave,Na odchodu
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Získat aktualizace
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Účet {2} nepatří do společnosti {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Vyberte alespoň jednu hodnotu z každého atributu.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Vyberte alespoň jednu hodnotu z každého atributu.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materiál Request {0} je zrušena nebo zastavena
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Stav odeslání
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Stav odeslání
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Správa absencí
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Skupiny
 DocType: Purchase Invoice,Hold Invoice,Podržte fakturu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Vyberte prosím zaměstnance
 DocType: Sales Order,Fully Delivered,Plně Dodáno
-DocType: Lead,Lower Income,S nižšími příjmy
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,S nižšími příjmy
 DocType: Restaurant Order Entry,Current Order,Aktuální objednávka
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Číslo sériového čísla a množství musí být stejné
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0}
 DocType: Account,Asset Received But Not Billed,"Aktivum bylo přijato, ale nebylo účtováno"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Rozdíl účet musí být typu aktiv / Odpovědnost účet, protože to Reklamní Smíření je Entry Otevření"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Zaplacené částky nemůže být větší než Výše úvěru {0}
@@ -4357,7 +4410,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Datum DO"" musí být po ""Datum OD"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Pro toto označení nebyly nalezeny plány personálního zabezpečení
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Dávka {0} položky {1} je zakázána.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Dávka {0} položky {1} je zakázána.
 DocType: Leave Policy Detail,Annual Allocation,Roční přidělení
 DocType: Travel Request,Address of Organizer,Adresa pořadatele
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Vyberte zdravotnického lékaře ...
@@ -4366,12 +4419,12 @@
 DocType: Asset,Fully Depreciated,plně odepsán
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Reklamní Plánovaná POČET
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Výrazná Účast HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citace jsou návrhy, nabídky jste svým zákazníkům odeslané"
 DocType: Sales Invoice,Customer's Purchase Order,Zákazníka Objednávka
 DocType: Clinical Procedure,Patient,Trpěliví
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Objednávka kreditu bypassu na objednávce
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Objednávka kreditu bypassu na objednávce
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Činnost zaměstnanců na palubě
 DocType: Location,Check if it is a hydroponic unit,"Zkontrolujte, zda jde o hydroponickou jednotku"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Pořadové číslo a Batch
@@ -4381,7 +4434,7 @@
 DocType: Supplier Scorecard Period,Calculations,Výpočty
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Hodnota nebo Množství
 DocType: Payment Terms Template,Payment Terms,Platební podmínky
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions Objednávky nemůže být zvýšena pro:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions Objednávky nemůže být zvýšena pro:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minuta
 DocType: Purchase Invoice,Purchase Taxes and Charges,Nákup Daně a poplatky
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4389,17 +4442,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Přejděte na dodavatele
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Závěrečné dluhopisy POS
 ,Qty to Receive,Množství pro příjem
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Počáteční a koncové datum, které nejsou v platném mzdovém období, nelze vypočítat {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Počáteční a koncové datum, které nejsou v platném mzdovém období, nelze vypočítat {0}."
 DocType: Leave Block List,Leave Block List Allowed,Nechte Block List povolena
 DocType: Grading Scale Interval,Grading Scale Interval,Klasifikační stupnice Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Náklady Nárok na Vehicle Log {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Sleva (%) na cenovou nabídku s marží
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Celý sklad
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nebylo nalezeno {0} pro interní transakce společnosti.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nebylo nalezeno {0} pro interní transakce společnosti.
 DocType: Travel Itinerary,Rented Car,Pronajaté auto
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,O vaší společnosti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Připsat na účet musí být účtu Rozvaha
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Připsat na účet musí být účtu Rozvaha
 DocType: Donor,Donor,Dárce
 DocType: Global Defaults,Disable In Words,Zakázat ve slovech
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinné, protože položka není automaticky číslovány"
@@ -4411,14 +4464,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Kontokorentní úvěr na účtu
 DocType: Patient,Patient ID,ID pacienta
 DocType: Practitioner Schedule,Schedule Name,Název plánu
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Prodejní potrubí podle etapy
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Vytvořit výplatní pásku
 DocType: Currency Exchange,For Buying,Pro nákup
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Přidat všechny dodavatele
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Přidat všechny dodavatele
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Řádek # {0}: Přidělená částka nesmí být vyšší než zůstatek.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Procházet kusovník
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Zajištěné úvěry
 DocType: Purchase Invoice,Edit Posting Date and Time,Úpravy účtování Datum a čas
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosím, amortizace účty s ním souvisejících v kategorii Asset {0} nebo {1} Company"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosím, amortizace účty s ním souvisejících v kategorii Asset {0} nebo {1} Company"
 DocType: Lab Test Groups,Normal Range,Normální vzdálenost
 DocType: Academic Term,Academic Year,Akademický rok
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Dostupné prodeje
@@ -4447,26 +4501,26 @@
 DocType: Patient Appointment,Patient Appointment,Setkání pacienta
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Schválení role nemůže být stejná jako role pravidlo se vztahuje na
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odhlásit se z tohoto Email Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Získejte dodavatele
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Získejte dodavatele
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nebyl nalezen pro položku {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Přejděte na Kurzy
 DocType: Accounts Settings,Show Inclusive Tax In Print,Zobrazit inkluzivní daň v tisku
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankovní účet, od data a do data jsou povinné"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Zpráva byla odeslána
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Účet s podřízené uzly nelze nastavit jako hlavní knihy
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Účet s podřízené uzly nelze nastavit jako hlavní knihy
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Sazba, za kterou je ceníková měna převedena na základní měnu zákazníka"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Čistá částka (Company Měna)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Celková výše zálohy nesmí být vyšší než celková částka sankce
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Celková výše zálohy nesmí být vyšší než celková částka sankce
 DocType: Salary Slip,Hour Rate,Hour Rate
 DocType: Stock Settings,Item Naming By,Položka Pojmenování By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Další období Uzávěrka Entry {0} byla podána po {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materiál Přenesená pro výrobu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Účet {0} neexistuje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Vyberte Věrnostní program
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Vyberte Věrnostní program
 DocType: Project,Project Type,Typ projektu
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Dětská úloha existuje pro tuto úlohu. Tuto úlohu nelze odstranit.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Buď cílové množství nebo cílová částka je povinná.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Buď cílové množství nebo cílová částka je povinná.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Náklady na různých aktivit
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavení událostí do {0}, protože zaměstnanec připojena k níže prodejcům nemá ID uživatele {1}"
 DocType: Timesheet,Billing Details,fakturační údaje
@@ -4523,13 +4577,13 @@
 DocType: Inpatient Record,A Negative,Negativní
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nic víc ukázat.
 DocType: Lead,From Customer,Od Zákazníka
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Volá
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Volá
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Produkt
 DocType: Employee Tax Exemption Declaration,Declarations,Prohlášení
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Dávky
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Udělat rozpis poplatků
 DocType: Purchase Order Item Supplied,Stock UOM,Reklamní UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána
 DocType: Account,Expenses Included In Asset Valuation,Náklady zahrnuté do ocenění majetku
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normální referenční rozsah pro dospělou osobu je 16-20 dechů / minutu (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tarif Počet
@@ -4542,6 +4596,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Nejprve uložit pacienta
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Účast byla úspěšně označena.
 DocType: Program Enrollment,Public Transport,Veřejná doprava
+DocType: Delivery Note,GST Vehicle Type,Typ vozidla GST
 DocType: Soil Texture,Silt Composition (%),Složené složení (%)
 DocType: Journal Entry,Remark,Poznámka
 DocType: Healthcare Settings,Avoid Confirmation,Vyhněte se potvrzení
@@ -4550,11 +4605,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Listy a Holiday
 DocType: Education Settings,Current Academic Term,Aktuální akademické označení
 DocType: Sales Order,Not Billed,Ne Účtovaný
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti
 DocType: Employee Grade,Default Leave Policy,Výchozí podmínky pro dovolenou
 DocType: Shopify Settings,Shop URL,Adresa URL obchodu
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Žádné kontakty přidán dosud.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Prosím, nastavte číselnou sérii pro Účast přes Nastavení&gt; Číslovací série"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Přistál Náklady Voucher Částka
 ,Item Balance (Simple),Balance položky (jednoduché)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Směnky vznesené dodavately
@@ -4579,7 +4633,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Číselná řada nabídek
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Položka existuje se stejným názvem ({0}), prosím, změnit název skupiny položky nebo přejmenovat položku"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kritéria analýzy půdy
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Vyberte zákazníka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Vyberte zákazníka
 DocType: C-Form,I,já
 DocType: Company,Asset Depreciation Cost Center,Asset Odpisy nákladového střediska
 DocType: Production Plan Sales Order,Sales Order Date,Prodejní objednávky Datum
@@ -4592,8 +4646,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,V současné době žádné skladové zásoby nejsou k dispozici
 ,Payment Period Based On Invoice Date,Platební období na základě data vystavení faktury
 DocType: Sample Collection,No. of print,Počet tisku
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Připomenutí narozenin
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Položka rezervace pokojů v hotelu
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Chybí Směnárna Kurzy pro {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Chybí Směnárna Kurzy pro {0}
 DocType: Employee Health Insurance,Health Insurance Name,Název zdravotního pojištění
 DocType: Assessment Plan,Examiner,Zkoušející
 DocType: Student,Siblings,sourozenci
@@ -4610,19 +4665,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Noví zákazníci
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Hrubý Zisk %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Přihláška {0} a prodejní faktura {1} byla zrušena
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Možnosti podle zdroje olova
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Změňte profil POS
 DocType: Bank Reconciliation Detail,Clearance Date,Výprodej Datum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aktivum již existuje proti položce {0}, nemůžete měnit hodnotu sériové hodnoty"
+DocType: Delivery Settings,Dispatch Notification Template,Šablona oznámení o odeslání
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aktivum již existuje proti položce {0}, nemůžete měnit hodnotu sériové hodnoty"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Zpráva o hodnocení
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Získejte zaměstnance
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross Částka nákupu je povinná
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Název společnosti není stejný
 DocType: Lead,Address Desc,Popis adresy
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party je povinná
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},V jiných řádcích byly nalezeny řádky s duplicitními daty: {list}
 DocType: Topic,Topic Name,Název tématu
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Prosím nastavte výchozí šablonu pro Notification Notification při nastavení HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Prosím nastavte výchozí šablonu pro Notification Notification při nastavení HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Vyberte zaměstnance, chcete-li zaměstnance předem."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Vyberte prosím platný datum
@@ -4656,6 +4712,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Zákazníka nebo dodavatele Podrobnosti
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Aktuální hodnota aktiv
+DocType: QuickBooks Migrator,Quickbooks Company ID,Identifikační čísla společnosti Quickbooks
 DocType: Travel Request,Travel Funding,Financování cest
 DocType: Loan Application,Required by Date,Vyžadováno podle data
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Odkaz na všechna místa, ve kterých rostou rostliny"
@@ -4669,9 +4726,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,K dispozici šarže Množství na Od Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Hrubé mzdy - Total dedukce - splátky
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Aktuální BOM a nový BOM nemůže být stejný
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Aktuální BOM a nový BOM nemůže být stejný
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Plat Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování"
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Více variant
 DocType: Sales Invoice,Against Income Account,Proti účet příjmů
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% dodáno
@@ -4700,7 +4757,7 @@
 DocType: POS Profile,Update Stock,Aktualizace skladem
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Různé UOM položky povede k nesprávné (celkem) Čistá hmotnost hodnoty. Ujistěte se, že čistá hmotnost každé položky je ve stejném nerozpuštěných."
 DocType: Certification Application,Payment Details,Platební údaje
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Zastavená pracovní objednávka nemůže být zrušena, zrušte její zrušení"
 DocType: Asset,Journal Entry for Scrap,Zápis do deníku do šrotu
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Prosím, vytáhněte položky z dodací list"
@@ -4723,11 +4780,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Celková částka potrestána
 ,Purchase Analytics,Nákup Analytika
 DocType: Sales Invoice Item,Delivery Note Item,Delivery Note Item
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Aktuální faktura {0} chybí
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Aktuální faktura {0} chybí
 DocType: Asset Maintenance Log,Task,Úkol
 DocType: Purchase Taxes and Charges,Reference Row #,Referenční Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Číslo šarže je povinné pro položku {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,To je kořen prodejní člověk a nelze upravovat.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,To je kořen prodejní člověk a nelze upravovat.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Pokud je vybrána, hodnota zadaná nebo vypočtená v této složce nepřispívá k výnosům nebo odpočtem. Nicméně, jeho hodnota může být odkazováno na jiné komponenty, které mohou být přidány nebo odečteny."
 DocType: Asset Settings,Number of Days in Fiscal Year,Počet dnů ve fiskálním roce
 ,Stock Ledger,Reklamní Ledger
@@ -4735,7 +4792,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Zisk / ztráty
 DocType: Amazon MWS Settings,MWS Credentials,MWS pověření
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Zaměstnanců a docházky
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Cíl musí být jedním z {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Cíl musí být jedním z {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Vyplňte formulář a uložte jej
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum Community
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Aktuální množství na skladě
@@ -4750,7 +4807,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standardní prodejní cena
 DocType: Account,Rate at which this tax is applied,"Sazba, při které se používá tato daň"
 DocType: Cash Flow Mapper,Section Name,Název oddílu
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Změna pořadí Množství
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Změna pořadí Množství
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Odpisová řada {0}: Očekávaná hodnota po uplynutí životnosti musí být větší nebo rovna {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Aktuální pracovní příležitosti
 DocType: Company,Stock Adjustment Account,Reklamní Nastavení účtu
@@ -4760,8 +4817,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Pokud je nastaveno, stane se výchozí pro všechny formy HR."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Zadejte podrobnosti o odpisu
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Z {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Ponechat aplikaci {0} již proti studentovi {1}
 DocType: Task,depends_on,záleží na
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Naladil se na aktualizaci nejnovější ceny ve všech kusovnících. Může to trvat několik minut.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Naladil se na aktualizaci nejnovější ceny ve všech kusovnících. Může to trvat několik minut.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Název nového účtu. Poznámka: Prosím, vytvářet účty pro zákazníky a dodavateli"
 DocType: POS Profile,Display Items In Stock,Zobrazit položky na skladě
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Země moudrý výchozí adresa Templates
@@ -4791,16 +4849,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Sloty pro {0} nejsou přidány do plánu
 DocType: Product Bundle,List items that form the package.,"Seznam položek, které tvoří balíček."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nepovoleno. Vypněte testovací šablonu
+DocType: Delivery Note,Distance (in km),Vzdálenost (v km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Podíl alokace by měla být ve výši 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Prosím, vyberte Datum zveřejnění před výběrem Party"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Prosím, vyberte Datum zveřejnění před výběrem Party"
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Out of AMC
+DocType: Opportunity,Opportunity Amount,Částka příležitostí
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Počet Odpisy rezervováno nemůže být větší než celkový počet Odpisy
 DocType: Purchase Order,Order Confirmation Date,Datum potvrzení objednávky
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Proveďte návštěv údržby
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Datum zahájení a datum ukončení se překrývají s kartou <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Podrobnosti o převodu zaměstnanců
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli"
 DocType: Company,Default Cash Account,Výchozí Peněžní účet
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To je založeno na účasti tohoto studenta
@@ -4808,9 +4869,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Přidat další položky nebo otevřené plné formě
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Přejděte na položku Uživatelé
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Uhrazená částka + odepsaná částka nesmí být větší než celková částka
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Uhrazená částka + odepsaná částka nesmí být větší než celková částka
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} není platná Šarže pro Položku {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Poznámka: Není k dispozici dostatek zůstatek dovolené dovolená za kalendářní typ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Poznámka: Není k dispozici dostatek zůstatek dovolené dovolená za kalendářní typ {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Neplatná hodnota GSTIN nebo Zadejte NA pro neregistrované
 DocType: Training Event,Seminar,Seminář
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program zápisné
@@ -4827,7 +4888,7 @@
 DocType: Fee Schedule,Fee Schedule,poplatek Plán
 DocType: Company,Create Chart Of Accounts Based On,Vytvořte účtový rozvrh založený na
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Nelze jej převést na jinou než skupinu. Dětské úkoly existují.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Datum narození nemůže být větší než dnes.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Datum narození nemůže být větší než dnes.
 ,Stock Ageing,Reklamní Stárnutí
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Částečně sponzorované, vyžadují částečné financování"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Existují Student {0} proti uchazeč student {1}
@@ -4874,11 +4935,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Před smíření
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Chcete-li {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Daně a poplatky Přidal (Company měna)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací"
 DocType: Sales Order,Partly Billed,Částečně Účtovaný
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Item {0} musí být dlouhodobá aktiva položka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Vytvořte varianty
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Vytvořte varianty
 DocType: Item,Default BOM,Výchozí BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Celková fakturační částka (prostřednictvím prodejních faktur)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Částka pro debetní poznámku
@@ -4907,13 +4968,13 @@
 DocType: Notification Control,Custom Message,Custom Message
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investiční bankovnictví
 DocType: Purchase Invoice,input,vstup
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního
 DocType: Loyalty Program,Multiple Tier Program,Vícevrstvý program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentská adresa
 DocType: Purchase Invoice,Price List Exchange Rate,Katalogová cena Exchange Rate
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Všechny skupiny dodavatelů
 DocType: Employee Boarding Activity,Required for Employee Creation,Požadováno pro vytváření zaměstnanců
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Číslo účtu {0} již použito v účtu {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Číslo účtu {0} již použito v účtu {1}
 DocType: GoCardless Mandate,Mandate,Mandát
 DocType: POS Profile,POS Profile Name,Název profilu POS
 DocType: Hotel Room Reservation,Booked,Rezervováno
@@ -4929,18 +4990,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Referenční číslo je povinné, pokud jste zadali k rozhodnému dni"
 DocType: Bank Reconciliation Detail,Payment Document,platba Document
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Chyba při vyhodnocování vzorce kritéria
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datum přistoupení musí být větší než Datum narození
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datum přistoupení musí být větší než Datum narození
 DocType: Subscription,Plans,Plány
 DocType: Salary Slip,Salary Structure,Plat struktura
 DocType: Account,Bank,Banka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Letecká linka
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Vydání Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Vydání Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Connect Shopify s ERPNext
 DocType: Material Request Item,For Warehouse,Pro Sklad
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Dodací poznámky {0} byly aktualizovány
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Dodací poznámky {0} byly aktualizovány
 DocType: Employee,Offer Date,Nabídka Date
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citace
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Jste v režimu offline. Nebudete moci obnovit stránku, dokud nebudete na síťi."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Citace
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Jste v režimu offline. Nebudete moci obnovit stránku, dokud nebudete na síťi."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Žádné studentské skupiny vytvořen.
 DocType: Purchase Invoice Item,Serial No,Výrobní číslo
@@ -4952,24 +5013,26 @@
 DocType: Sales Invoice,Customer PO Details,Podrobnosti PO zákazníka
 DocType: Stock Entry,Including items for sub assemblies,Včetně položek pro podsestav
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Účet dočasného zahájení
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Zadejte hodnota musí být kladná
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Zadejte hodnota musí být kladná
 DocType: Asset,Finance Books,Finanční knihy
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Vyhláška o osvobození od daně z příjmů zaměstnanců
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Všechny území
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Pro zaměstnance {0} nastavte v kalendáři zaměstnance / plat
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Neplatná objednávka prázdné objednávky pro vybraného zákazníka a položku
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Neplatná objednávka prázdné objednávky pro vybraného zákazníka a položku
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Přidat více úkolů
 DocType: Purchase Invoice,Items,Položky
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Datum ukončení nemůže být před datem zahájení.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student je již zapsáno.
 DocType: Fiscal Year,Year Name,Jméno roku
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Existují další svátky než pracovních dnů tento měsíc.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Existují další svátky než pracovních dnů tento měsíc.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Následující položky {0} nejsou označeny jako položka {1}. Můžete je povolit jako {1} položku z jeho položky Master
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Product Bundle Item
 DocType: Sales Partner,Sales Partner Name,Sales Partner Name
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Žádost o citátů
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Žádost o citátů
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maximální částka faktury
 DocType: Normal Test Items,Normal Test Items,Normální testovací položky
+DocType: QuickBooks Migrator,Company Settings,Nastavení firmy
 DocType: Additional Salary,Overwrite Salary Structure Amount,Přepsat částku struktury platu
 DocType: Student Language,Student Language,Student Language
 apps/erpnext/erpnext/config/selling.py +23,Customers,zákazníci
@@ -4981,21 +5044,23 @@
 DocType: Issue,Opening Time,Otevírací doba
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Data OD a DO jsou vyžadována
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Cenné papíry a komoditních burzách
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Výchozí měrná jednotka varianty &#39;{0}&#39; musí být stejný jako v Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Výchozí měrná jednotka varianty &#39;{0}&#39; musí být stejný jako v Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Vypočítat založené na
 DocType: Contract,Unfulfilled,Nesplněno
 DocType: Delivery Note Item,From Warehouse,Ze skladu
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Žádní zaměstnanci nesplnili uvedená kritéria
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Žádné položky s Billem materiálů k výrobě
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Žádné položky s Billem materiálů k výrobě
 DocType: Shopify Settings,Default Customer,Výchozí zákazník
+DocType: Sales Stage,Stage Name,Pseudonym
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Jméno Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Nepotvrzujte, zda je událost vytvořena ve stejný den"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Loď do státu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Loď do státu
 DocType: Program Enrollment Course,Program Enrollment Course,Program pro zápis do programu
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Uživatel {0} je již přiřazen zdravotnickému lékaři {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Vytvořte položku Sample Retention Stock
 DocType: Purchase Taxes and Charges,Valuation and Total,Oceňování a Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Vyjednávání / přezkum
 DocType: Leave Encashment,Encashment Amount,Část inkasa
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Zaniklé dávky
@@ -5005,7 +5070,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuální místa
 DocType: Notification Control,Customize the Notification,Přizpůsobit oznámení
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Cash flow z provozních činností
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST částka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST částka
 DocType: Purchase Invoice,Shipping Rule,Pravidlo dopravy
 DocType: Patient Relation,Spouse,Manželka
 DocType: Lab Test Groups,Add Test,Přidat test
@@ -5019,14 +5084,14 @@
 DocType: Payroll Entry,Payroll Frequency,Mzdové frekvence
 DocType: Lab Test Template,Sensitivity,Citlivost
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Synchronizace byla dočasně deaktivována, protože byly překročeny maximální počet opakování"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Surovina
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Surovina
 DocType: Leave Application,Follow via Email,Sledovat e-mailem
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Rostliny a strojní vybavení
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Částka daně po slevě Částka
 DocType: Patient,Inpatient Status,Stavy hospitalizace
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Každodenní práci Souhrnné Nastavení
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Vybraný ceník by měl kontrolovat nákupní a prodejní pole.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Zadejte Reqd podle data
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Vybraný ceník by měl kontrolovat nákupní a prodejní pole.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Zadejte Reqd podle data
 DocType: Payment Entry,Internal Transfer,vnitřní Převod
 DocType: Asset Maintenance,Maintenance Tasks,Úkoly údržby
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Buď cílové množství nebo cílová částka je povinná
@@ -5047,7 +5112,7 @@
 DocType: Mode of Payment,General,Obecný
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Poslední komunikace
 ,TDS Payable Monthly,TDS splatné měsíčně
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Naléhá na výměnu kusovníku. Může to trvat několik minut.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Naléhá na výměnu kusovníku. Může to trvat několik minut.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, pokud kategorie je určena pro ""ocenění"" nebo ""oceňování a celkový"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Zápas platby fakturami
@@ -5060,7 +5125,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Přidat do košíku
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Seskupit podle
 DocType: Guardian,Interests,zájmy
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Povolit / zakázat měny.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Povolit / zakázat měny.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nelze odeslat některé výplatní pásky
 DocType: Exchange Rate Revaluation,Get Entries,Získejte položky
 DocType: Production Plan,Get Material Request,Získat Materiál Request
@@ -5082,15 +5147,16 @@
 DocType: Lead,Lead Type,Typ leadu
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Nejste oprávněni schvalovat listí na bloku Termíny
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Všechny tyto položky již byly fakturovány
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Nastavte nový datum vydání
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Nastavte nový datum vydání
 DocType: Company,Monthly Sales Target,Měsíční prodejní cíl
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Může být schválena {0}
 DocType: Hotel Room,Hotel Room Type,Typ pokoje typu Hotel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Dodavatel&gt; Typ dodavatele
 DocType: Leave Allocation,Leave Period,Opustit období
 DocType: Item,Default Material Request Type,Výchozí typ požadavku na zásobování
 DocType: Supplier Scorecard,Evaluation Period,Hodnocené období
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Neznámý
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Pracovní příkaz nebyl vytvořen
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Pracovní příkaz nebyl vytvořen
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Část {0} již byla nárokována pro složku {1}, \ nastavte částku rovnající se nebo větší než {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Přepravní Článek Podmínky
@@ -5123,15 +5189,15 @@
 DocType: Batch,Source Document Name,Název zdrojového dokumentu
 DocType: Production Plan,Get Raw Materials For Production,Získejte suroviny pro výrobu
 DocType: Job Opening,Job Title,Název pozice
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} znamená, že {1} neposkytne citát, ale byly citovány všechny položky \. Aktualizace stavu nabídky RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximální vzorky - {0} již byly zadány v dávce {1} a položce {2} v dávce {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximální vzorky - {0} již byly zadány v dávce {1} a položce {2} v dávce {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Aktualizovat cenu BOM automaticky
 DocType: Lab Test,Test Name,Testovací jméno
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinický postup Spotřební materiál
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Vytvořit uživatele
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Předplatné
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Předplatné
 DocType: Supplier Scorecard,Per Month,Za měsíc
 DocType: Education Settings,Make Academic Term Mandatory,Uveďte povinnost akademického termínu
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,"Množství, které má výroba musí být větší než 0 ° C."
@@ -5140,9 +5206,9 @@
 DocType: Stock Entry,Update Rate and Availability,Obnovovací rychlost a dostupnost
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procento máte možnost přijímat nebo dodávat více proti objednaného množství. Například: Pokud jste si objednali 100 kusů. a váš příspěvek je 10%, pak máte možnost získat 110 jednotek."
 DocType: Loyalty Program,Customer Group,Zákazník Group
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Řádek # {0}: Operace {1} není dokončena pro {2} množství hotových výrobků v pracovní objednávce # {3}. Aktualizujte stav provozu pomocí časových protokolů
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Řádek # {0}: Operace {1} není dokončena pro {2} množství hotových výrobků v pracovní objednávce # {3}. Aktualizujte stav provozu pomocí časových protokolů
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nové číslo dávky (volitelné)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Účtet nákladů je povinný pro položku {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Účtet nákladů je povinný pro položku {0}
 DocType: BOM,Website Description,Popis webu
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Čistá změna ve vlastním kapitálu
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Zrušte faktuře {0} první
@@ -5157,7 +5223,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Není nic upravovat.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Zobrazení formuláře
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Povinnost pojistitele výdajů v nárocích na výdaje
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Shrnutí pro tento měsíc a probíhajícím činnostem
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Shrnutí pro tento měsíc a probíhajícím činnostem
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Prosím nastavte Unrealized Exchange Gain / Loss účet ve společnosti {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Přidejte uživatele do vaší organizace, kromě vás."
 DocType: Customer Group,Customer Group Name,Zákazník Group Name
@@ -5167,14 +5233,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Žádná materiálová žádost nebyla vytvořena
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Výše úvěru nesmí být vyšší než Maximální výše úvěru částku {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licence
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosím, vyberte převádět pokud chcete také zahrnout uplynulý fiskální rok bilance listy tohoto fiskálního roku"
 DocType: GL Entry,Against Voucher Type,Proti poukazu typu
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Byly přidány časové úseky
 DocType: Item,Attributes,Atributy
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Povolit šablonu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Prosím, zadejte odepsat účet"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Prosím, zadejte odepsat účet"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Datum poslední objednávky
 DocType: Salary Component,Is Payable,Je splatné
 DocType: Inpatient Record,B Negative,B Negativní
@@ -5185,7 +5251,7 @@
 DocType: Hotel Room,Hotel Room,Hotelový pokoj
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Účet {0} nepatří společnosti {1}
 DocType: Leave Type,Rounding,Zaokrouhlení
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Sériová čísla v řádku {0} neodpovídají poznámce k doručení
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Sériová čísla v řádku {0} neodpovídají poznámce k doručení
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Vyčerpaná částka (pro-hodnocena)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Následně jsou pravidla pro stanovení cen vyfiltrována na základě zákazníka, skupiny zákazníků, území, dodavatele, skupiny dodavatelů, kampaně, prodejního partnera atd."
 DocType: Student,Guardian Details,Guardian Podrobnosti
@@ -5194,10 +5260,10 @@
 DocType: Vehicle,Chassis No,podvozek Žádné
 DocType: Payment Request,Initiated,Zahájil
 DocType: Production Plan Item,Planned Start Date,Plánované datum zahájení
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Vyberte kusovníku
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Vyberte kusovníku
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Využil integrovanou daň z ITC
 DocType: Purchase Order Item,Blanket Order Rate,Dekorační objednávka
-apps/erpnext/erpnext/hooks.py +156,Certification,Osvědčení
+apps/erpnext/erpnext/hooks.py +157,Certification,Osvědčení
 DocType: Bank Guarantee,Clauses and Conditions,Doložky a podmínky
 DocType: Serial No,Creation Document Type,Tvorba Typ dokumentu
 DocType: Project Task,View Timesheet,Zobrazit časový rozvrh
@@ -5222,6 +5288,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Item {0} nesmí být skladem
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Seznam webových stránek
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Všechny výrobky nebo služby.
+DocType: Email Digest,Open Quotations,Otevřené nabídky
 DocType: Expense Claim,More Details,Další podrobnosti
 DocType: Supplier Quotation,Supplier Address,Dodavatel Address
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Rozpočet na účet {1} proti {2} {3} je {4}. To bude přesahovat o {5}
@@ -5236,12 +5303,11 @@
 DocType: Training Event,Exam,Zkouška
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Chyba trhu
 DocType: Complaint,Complaint,Stížnost
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0}
 DocType: Leave Allocation,Unused leaves,Nepoužité listy
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Zadejte položku vrácení peněz
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Všechny oddělení
 DocType: Healthcare Service Unit,Vacant,Volný
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Dodavatel&gt; Typ dodavatele
 DocType: Patient,Alcohol Past Use,Alkohol v minulosti
 DocType: Fertilizer Content,Fertilizer Content,Obsah hnojiv
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5249,7 +5315,7 @@
 DocType: Tax Rule,Billing State,Fakturace State
 DocType: Share Transfer,Transfer,Převod
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Objednávka práce {0} musí být zrušena před zrušením této objednávky
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin)
 DocType: Authorization Rule,Applicable To (Employee),Vztahující se na (Employee)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Datum splatnosti je povinné
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Přírůstek pro atribut {0} nemůže být 0
@@ -5265,7 +5331,7 @@
 DocType: Disease,Treatment Period,Doba léčby
 DocType: Travel Itinerary,Travel Itinerary,Cestovní itinerář
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Výsledek již byl odeslán
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervovaný sklad je povinný pro položku {0} v dodávaných surovinách
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervovaný sklad je povinný pro položku {0} v dodávaných surovinách
 ,Inactive Customers,neaktivní zákazníci
 DocType: Student Admission Program,Maximum Age,Maximální věk
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Počkejte 3 dny před odesláním připomínek.
@@ -5274,7 +5340,6 @@
 DocType: Stock Entry,Delivery Note No,Dodacího listu
 DocType: Cheque Print Template,Message to show,Zpráva ukázat
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Maloobchodní
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Správa faktury schůzky automaticky
 DocType: Student Attendance,Absent,Nepřítomný
 DocType: Staffing Plan,Staffing Plan Detail,Personální plán detailu
 DocType: Employee Promotion,Promotion Date,Datum propagace
@@ -5296,7 +5361,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Udělat Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Tisk a papírnictví
 DocType: Stock Settings,Show Barcode Field,Show čárového kódu Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Poslat Dodavatel e-maily
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Poslat Dodavatel e-maily
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat již zpracovány pro období mezi {0} a {1}, ponechte dobu použitelnosti nemůže být mezi tomto časovém období."
 DocType: Fiscal Year,Auto Created,Automaticky vytvořeno
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Chcete-li vytvořit záznam zaměstnance, odešlete jej"
@@ -5305,7 +5370,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktura {0} již neexistuje
 DocType: Guardian Interest,Guardian Interest,Guardian Zájem
 DocType: Volunteer,Availability,Dostupnost
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Nastavení výchozích hodnot pro POS faktury
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Nastavení výchozích hodnot pro POS faktury
 apps/erpnext/erpnext/config/hr.py +248,Training,Výcvik
 DocType: Project,Time to send,Čas odeslání
 DocType: Timesheet,Employee Detail,Detail zaměstnanec
@@ -5327,7 +5392,7 @@
 DocType: Training Event Employee,Optional,Volitelný
 DocType: Salary Slip,Earning & Deduction,Výdělek a dedukce
 DocType: Agriculture Analysis Criteria,Water Analysis,Analýza vody
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Vytvořeny varianty {0}.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Vytvořeny varianty {0}.
 DocType: Amazon MWS Settings,Region,Kraj
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Volitelné. Toto nastavení bude použito k filtrování v různých transakcí.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negativní ocenění není povoleno
@@ -5346,7 +5411,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Náklady na sešrotována aktiv
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Nákladové středisko je povinný údaj pro položku {2}
 DocType: Vehicle,Policy No,Ne politika
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Položka získaná ze souboru výrobků
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Položka získaná ze souboru výrobků
 DocType: Asset,Straight Line,Přímka
 DocType: Project User,Project User,projekt Uživatel
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Rozdělit
@@ -5354,7 +5419,7 @@
 DocType: GL Entry,Is Advance,Je Zálohová
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Životní cyklus zaměstnanců
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Účast Datum od a docházky do dnešního dne je povinná
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne"
 DocType: Item,Default Purchase Unit of Measure,Výchozí nákupní měrná jednotka
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Poslední datum komunikace
 DocType: Clinical Procedure Item,Clinical Procedure Item,Položka klinické procedury
@@ -5363,7 +5428,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Přístupový token nebo Adresa URL nákupu chybí
 DocType: Location,Latitude,Zeměpisná šířka
 DocType: Work Order,Scrap Warehouse,šrot Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Chcete-li požadovat sklad v řádku č. {0}, nastavte výchozí sklad pro položku {1} pro firmu {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Chcete-li požadovat sklad v řádku č. {0}, nastavte výchozí sklad pro položku {1} pro firmu {2}"
 DocType: Work Order,Check if material transfer entry is not required,"Zkontrolujte, zda není požadováno zadání materiálu"
 DocType: Program Enrollment Tool,Get Students From,Získat studenty z
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Publikovat položky na webových stránkách
@@ -5378,6 +5443,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nové dávkové množství
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Oblečení a doplňky
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Nelze vyřešit funkci váženého skóre. Zkontrolujte, zda je vzorec platný."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Položky objednávky nebyly přijaty včas
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Číslo objednávky
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML / Banner, který se zobrazí nahoře v produktovém listu."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Stanovení podmínek pro vypočítat výši poštovného
@@ -5386,9 +5452,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Cesta
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Nelze převést nákladového střediska na knihy, protože má podřízené uzly"
 DocType: Production Plan,Total Planned Qty,Celkový plánovaný počet
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,otevření Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,otevření Value
 DocType: Salary Component,Formula,Vzorec
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Šablona zkušebního laboratoře
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Prodejní účet
 DocType: Purchase Invoice Item,Total Weight,Celková váha
@@ -5406,7 +5472,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Udělat Materiál Request
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otevřít položku {0}
 DocType: Asset Finance Book,Written Down Value,Psaná hodnota dolů
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosím, nastavte systém pro pojmenování zaměstnanců v oblasti lidských zdrojů&gt; Nastavení HR"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodejní faktury {0} musí být zrušena před zrušením této prodejní objednávky
 DocType: Clinical Procedure,Age,Věk
 DocType: Sales Invoice Timesheet,Billing Amount,Fakturace Částka
@@ -5415,11 +5480,11 @@
 DocType: Company,Default Employee Advance Account,Výchozí účet předplatného pro zaměstnance
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Položka vyhledávání (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Účet s transakcemi nemůže být smazán
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Účet s transakcemi nemůže být smazán
 DocType: Vehicle,Last Carbon Check,Poslední Carbon Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Výdaje na právní služby
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Vyberte množství v řadě
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Udělat počáteční prodejní a nákupní faktury
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Udělat počáteční prodejní a nákupní faktury
 DocType: Purchase Invoice,Posting Time,Čas zadání
 DocType: Timesheet,% Amount Billed,% Fakturované částky
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefonní Náklady
@@ -5434,14 +5499,14 @@
 DocType: Maintenance Visit,Breakdown,Rozbor
 DocType: Travel Itinerary,Vegetarian,Vegetariánský
 DocType: Patient Encounter,Encounter Date,Datum setkání
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Účet: {0} s měnou: {1} nelze vybrat
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Účet: {0} s měnou: {1} nelze vybrat
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankovní údaje
 DocType: Purchase Receipt Item,Sample Quantity,Množství vzorku
 DocType: Bank Guarantee,Name of Beneficiary,Název příjemce
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Aktualizujte náklady na BOM automaticky pomocí programu Plánovač, založený na nejnovější hodnotící sazbě / ceníku / posledním nákupu surovin."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Šek Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Úspěšně vypouští všechny transakce související s tímto společnosti!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Stejně jako u Date
 DocType: Additional Salary,HR,HR
@@ -5449,7 +5514,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Upozornění na upozornění pacienta
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Zkouška
 DocType: Program Enrollment Tool,New Academic Year,Nový akademický rok
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Return / dobropis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Return / dobropis
 DocType: Stock Settings,Auto insert Price List rate if missing,"Auto vložka Ceník sazba, pokud chybí"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Celkem uhrazené částky
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5467,10 +5532,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Podřízené uzly mohou být vytvořeny pouze na základě typu uzly &quot;skupina&quot;
 DocType: Attendance Request,Half Day Date,Half Day Date
 DocType: Academic Year,Academic Year Name,Akademický rok Jméno
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} není povoleno transakce s {1}. Změňte prosím společnost.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} není povoleno transakce s {1}. Změňte prosím společnost.
 DocType: Sales Partner,Contact Desc,Kontakt Popis
 DocType: Email Digest,Send regular summary reports via Email.,Zasílat pravidelné souhrnné zprávy e-mailem.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Prosím nastavit výchozí účet v Expense reklamační typu {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Prosím nastavit výchozí účet v Expense reklamační typu {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Dostupné listy
 DocType: Assessment Result,Student Name,Jméno studenta
 DocType: Hub Tracked Item,Item Manager,Manažer Položka
@@ -5495,9 +5560,10 @@
 DocType: Subscription,Trial Period End Date,Datum ukončení zkušebního období
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Není authroized od {0} překročí limity
 DocType: Serial No,Asset Status,Stav majetku
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Rozměrný náklad (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurace Tabulka
 DocType: Hotel Room,Hotel Manager,Hotelový manažer
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Sada Daňové Pravidlo pro nákupního košíku
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Sada Daňové Pravidlo pro nákupního košíku
 DocType: Purchase Invoice,Taxes and Charges Added,Daně a poplatky přidané
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Odpisový řádek {0}: Další datum odpisování nemůže být před datem k dispozici
 ,Sales Funnel,Prodej Nálevka
@@ -5513,10 +5579,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Všechny skupiny zákazníků
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,nahromaděné za měsíc
 DocType: Attendance Request,On Duty,Ve službě
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možná není vytvořen záznam směnného kurzu pro {1} na {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možná není vytvořen záznam směnného kurzu pro {1} na {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Personální plán {0} již existuje pro označení {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Daňová šablona je povinné.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje
 DocType: POS Closing Voucher,Period Start Date,Datum zahájení období
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ceník Rate (Company měny)
 DocType: Products Settings,Products Settings,Nastavení Produkty
@@ -5536,7 +5602,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Tato akce zastaví budoucí fakturaci. Opravdu chcete zrušit tento odběr?
 DocType: Serial No,Distinct unit of an Item,Samostatnou jednotku z položky
 DocType: Supplier Scorecard Criteria,Criteria Name,Název kritéria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Nastavte společnost
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Nastavte společnost
 DocType: Procedure Prescription,Procedure Created,Postup byl vytvořen
 DocType: Pricing Rule,Buying,Nákupy
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Nemoci a hnojiva
@@ -5553,28 +5619,29 @@
 DocType: Employee Onboarding,Job Offer,Nabídka práce
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,institut Zkratka
 ,Item-wise Price List Rate,Item-moudrý Ceník Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Dodavatel Nabídka
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Dodavatel Nabídka
 DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slovech budou viditelné, jakmile uložíte nabídku."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Množství ({0}) nemůže být zlomek v řádku {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Množství ({0}) nemůže být zlomek v řádku {1}
 DocType: Contract,Unsigned,Nepodepsaný
 DocType: Selling Settings,Each Transaction,Každé Transakce
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravidla pro přidávání náklady na dopravu.
 DocType: Hotel Room,Extra Bed Capacity,Kapacita přistýlek
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Počáteční stav zásob
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je nutná zákazník
 DocType: Lab Test,Result Date,Datum výsledku
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Datum PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Datum PDC / LC
 DocType: Purchase Order,To Receive,Obdržet
 DocType: Leave Period,Holiday List for Optional Leave,Dovolená seznam pro nepovinné dovolené
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Majitel majetku
 DocType: Purchase Invoice,Reason For Putting On Hold,Důvod pro pozdržení
 DocType: Employee,Personal Email,Osobní e-mail
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Celkový rozptyl
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Celkový rozptyl
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Makléřská
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Účast na zaměstnance {0} je již označen pro tento den
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Účast na zaměstnance {0} je již označen pro tento den
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","v minutách 
  aktualizovat přes ""Time Log"""
@@ -5582,14 +5649,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Synchronizace objednávek
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Objednávky uvolněna pro výrobu.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Vyberte fiskálního roku ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,"POS Profile požadováno, aby POS Vstup"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,"POS Profile požadováno, aby POS Vstup"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Věrnostní body budou vypočteny z vynaložených výdajů (prostřednictvím faktury k prodeji) na základě zmíněného faktoru sběru.
 DocType: Program Enrollment Tool,Enroll Students,zapsat studenti
 DocType: Company,HRA Settings,Nastavení HRA
 DocType: Employee Transfer,Transfer Date,Datum přenosu
 DocType: Lab Test,Approved Date,Datum schválení
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardní prodejní
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Alespoň jeden sklad je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Alespoň jeden sklad je povinný
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurovat pole položek jako UOM, skupina položek, popis a počet hodin."
 DocType: Certification Application,Certification Status,Stav certifikace
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Trh
@@ -5609,6 +5676,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Shoda faktur
 DocType: Work Order,Required Items,Povinné předměty
 DocType: Stock Ledger Entry,Stock Value Difference,Reklamní Value Rozdíl
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Položka Řádek {0}: {1} {2} neexistuje nad tabulkou {1}
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Lidské Zdroje
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Platba Odsouhlasení Platba
 DocType: Disease,Treatment Task,Úloha léčby
@@ -5626,7 +5694,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Dovolené musí být přiděleny v násobcích 0,5"
 DocType: Work Order,Operation Cost,Provozní náklady
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Vynikající Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identifikace rozhodovacích orgánů
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Vynikající Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nastavit cíle Item Group-moudrý pro tento prodeje osobě.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zásoby Starší než [dny]
 DocType: Payment Request,Payment Ordered,Objednané platby
@@ -5638,13 +5707,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Nechte následující uživatelé schválit Žádost o dovolenou.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Životní cyklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Vytvořte kusovníku
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Prodejní cena pro položku {0} je nižší než její {1}. Míra prodeje by měla být nejméně {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Prodejní cena pro položku {0} je nižší než její {1}. Míra prodeje by měla být nejméně {2}
 DocType: Subscription,Taxes,Daně
 DocType: Purchase Invoice,capital goods,investiční majetek
 DocType: Purchase Invoice Item,Weight Per Unit,Hmotnost na jednotku
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Uhrazené a nedoručené
-DocType: Project,Default Cost Center,Výchozí Center Náklady
-DocType: Delivery Note,Transporter Doc No,Číslo přepravního dokladu
+DocType: QuickBooks Migrator,Default Cost Center,Výchozí Center Náklady
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Sklad Transakce
 DocType: Budget,Budget Accounts,rozpočtové účty
 DocType: Employee,Internal Work History,Vnitřní práce History
@@ -5677,7 +5745,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Lékař není k dispozici na {0}
 DocType: Stock Entry Detail,Additional Cost,Dodatečné náklady
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Vytvořit nabídku dodavatele
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Vytvořit nabídku dodavatele
 DocType: Quality Inspection,Incoming,Přicházející
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Výchozí daňové šablony pro prodej a nákup jsou vytvořeny.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Výsledky hodnocení {0} již existuje.
@@ -5693,7 +5761,7 @@
 DocType: Batch,Batch ID,Šarže ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Poznámka: {0}
 ,Delivery Note Trends,Dodací list Trendy
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Tento týden Shrnutí
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Tento týden Shrnutí
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Na skladě Množství
 ,Daily Work Summary Replies,Denní shrnutí odpovědí
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Vypočítat odhadované časy příjezdu
@@ -5703,7 +5771,7 @@
 DocType: Bank Account,Party,Strana
 DocType: Healthcare Settings,Patient Name,Jméno pacienta
 DocType: Variant Field,Variant Field,Pole variant
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Cílová lokace
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Cílová lokace
 DocType: Sales Order,Delivery Date,Dodávka Datum
 DocType: Opportunity,Opportunity Date,Příležitost Datum
 DocType: Employee,Health Insurance Provider,Poskytovatel zdravotního pojištění
@@ -5722,7 +5790,7 @@
 DocType: Employee,History In Company,Historie ve Společnosti
 DocType: Customer,Customer Primary Address,Primární adresa zákazníka
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Zpravodaje
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referenční číslo
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referenční číslo
 DocType: Drug Prescription,Description/Strength,Popis / Pevnost
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Vytvořit novou položku platby / deník
 DocType: Certification Application,Certification Application,Certifikační aplikace
@@ -5733,10 +5801,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Stejný bod byl zadán vícekrát
 DocType: Department,Leave Block List,Nechte Block List
 DocType: Purchase Invoice,Tax ID,DIČ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Položka {0} není nastavení pro Serial č. Sloupec musí být prázdný
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Položka {0} není nastavení pro Serial č. Sloupec musí být prázdný
 DocType: Accounts Settings,Accounts Settings,Nastavení účtu
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Schvalovat
 DocType: Loyalty Program,Customer Territory,Zákaznické území
+DocType: Email Digest,Sales Orders to Deliver,Prodejní objednávky k dodání
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",Číslo nového účtu bude do názvu účtu zahrnuto jako předčíslí
 DocType: Maintenance Team Member,Team Member,Člen týmu
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Žádný výsledek k odeslání
@@ -5746,7 +5815,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Celkem {0} pro všechny položky je nula, může být byste měli změnit &quot;Rozdělte poplatků založený na&quot;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,K dnešnímu dni nemůže být méně než od data
 DocType: Opportunity,To Discuss,K projednání
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,To je založeno na transakcích proti tomuto Účastníkovi. Podrobnosti viz časová osa níže
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} jednotek {1} zapotřebí {2} pro dokončení této transakce.
 DocType: Loan Type,Rate of Interest (%) Yearly,Úroková sazba (%) Roční
 DocType: Support Settings,Forum URL,Adresa URL fóra
@@ -5761,7 +5829,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Další informace
 DocType: Cheque Print Template,Distance from top edge,Vzdálenost od horního okraje
 DocType: POS Closing Voucher Invoices,Quantity of Items,Množství položek
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Ceníková cena {0} je zakázáno nebo neexistuje
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Ceníková cena {0} je zakázáno nebo neexistuje
 DocType: Purchase Invoice,Return,Zpáteční
 DocType: Pricing Rule,Disable,Zakázat
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Způsob platby je povinen provést platbu
@@ -5769,18 +5837,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Upravte celou stránku pro další možnosti, jako jsou majetek, sériový nos, šarže atd."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maximální počet nepřetržitých dnů
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} není zapsána v dávce {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Aktiva {0} nemůže být vyhozen, jak je tomu již {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Aktiva {0} nemůže být vyhozen, jak je tomu již {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Potřebné kontroly
 DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense nároku)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
 DocType: Job Applicant Source,Job Applicant Source,Zdroj žádosti o zaměstnání
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST částka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST částka
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Nepodařilo se nastavit firmu
 DocType: Asset Repair,Asset Repair,Opravy aktiv
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Řádek {0}: Měna BOM # {1} by se měla rovnat vybrané měně {2}
 DocType: Journal Entry Account,Exchange Rate,Exchange Rate
 DocType: Patient,Additional information regarding the patient,Další informace týkající se pacienta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena
 DocType: Homepage,Tag Line,tag linka
 DocType: Fee Component,Fee Component,poplatek Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Fleet management
@@ -5795,7 +5863,7 @@
 DocType: Healthcare Practitioner,Mobile,"mobilní, pohybliví"
 ,Sales Person-wise Transaction Summary,Prodej Person-moudrý Shrnutí transakce
 DocType: Training Event,Contact Number,Kontaktní číslo
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Sklad {0} neexistuje
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Sklad {0} neexistuje
 DocType: Cashier Closing,Custody,Péče
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Podrobnosti o předložení dokladu o osvobození od daně z provozu zaměstnanců
 DocType: Monthly Distribution,Monthly Distribution Percentages,Měsíční Distribuční Procenta
@@ -5810,7 +5878,7 @@
 DocType: Payment Entry,Paid Amount,Uhrazené částky
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Prozkoumejte prodejní cyklus
 DocType: Assessment Plan,Supervisor,Dozorce
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retention Stock Entry
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retention Stock Entry
 ,Available Stock for Packing Items,K dispozici skladem pro balení položek
 DocType: Item Variant,Item Variant,Položka Variant
 ,Work Order Stock Report,Zpráva o stavu pracovní smlouvy
@@ -5819,9 +5887,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Jako školitel
 DocType: Leave Policy Detail,Leave Policy Detail,Ponechte detaily zásad
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Předložené objednávky nelze smazat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Řízení kvality
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Předložené objednávky nelze smazat
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Řízení kvality
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Item {0} byl zakázán
 DocType: Project,Total Billable Amount (via Timesheets),Celková fakturační částka (prostřednictvím časových lístků)
 DocType: Agriculture Task,Previous Business Day,Předchozí pracovní den
@@ -5844,14 +5912,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Nákladové středisko
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Restartujte předplatné
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analýza propojených rostlin
-DocType: Delivery Note,Transporter ID,ID přepravce
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID přepravce
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Návrh hodnoty
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Sazba, za kterou dodavatel měny je převeden na společnosti základní měny"
-DocType: Sales Invoice Item,Service End Date,Datum ukončení služby
+DocType: Purchase Invoice Item,Service End Date,Datum ukončení služby
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: časování v rozporu s řadou {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Povolit nulovou míru oceňování
 DocType: Bank Guarantee,Receiving,Příjem
 DocType: Training Event Employee,Invited,Pozván
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Nastavení brány účty.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Nastavení brány účty.
 DocType: Employee,Employment Type,Typ zaměstnání
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Dlouhodobý majetek
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange zisk / ztráta
@@ -5867,7 +5936,7 @@
 DocType: Tax Rule,Sales Tax Template,Daň z prodeje Template
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Platba proti nároku na dávku
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Aktualizovat číslo nákladového střediska
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,"Vyberte položky, které chcete uložit fakturu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,"Vyberte položky, které chcete uložit fakturu"
 DocType: Employee,Encashment Date,Inkaso Datum
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Speciální zkušební šablona
@@ -5875,12 +5944,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Existuje Náklady Výchozí aktivity pro Typ aktivity - {0}
 DocType: Work Order,Planned Operating Cost,Plánované provozní náklady
 DocType: Academic Term,Term Start Date,Termín Datum zahájení
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Seznam všech transakcí s akciemi
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Seznam všech transakcí s akciemi
+DocType: Supplier,Is Transporter,Je Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Import faktury z Shopify, pokud je platba označena"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Musí být nastaven datum zahájení zkušebního období a datum ukončení zkušebního období
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Průměrné hodnocení
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková částka platby v rozpisu plateb se musí rovnat hodnotě Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková částka platby v rozpisu plateb se musí rovnat hodnotě Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Plán
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Výpis z bankovního účtu zůstatek podle hlavní knihy
 DocType: Job Applicant,Applicant Name,Žadatel Název
@@ -5908,7 +5978,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Dostupné množství v zdrojovém skladu
 apps/erpnext/erpnext/config/support.py +22,Warranty,Záruka
 DocType: Purchase Invoice,Debit Note Issued,Vydání dluhopisu
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtr založený na Nákladovém centru je platný pouze v případě, že je jako nákladové středisko vybráno Budget Against"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtr založený na Nákladovém centru je platný pouze v případě, že je jako nákladové středisko vybráno Budget Against"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Vyhledávání podle kódu položky, sériového čísla, šarže nebo čárového kódu"
 DocType: Work Order,Warehouses,Sklady
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} aktivum nemůže být převedeno
@@ -5919,9 +5989,9 @@
 DocType: Workstation,per hour,za hodinu
 DocType: Blanket Order,Purchasing,Nákup
 DocType: Announcement,Announcement,Oznámení
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Zákazník LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Zákazník LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Pro dávkovou studentskou skupinu bude studentská dávka ověřena pro každého studenta ze zápisu do programu.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse nelze vypustit, neboť existuje zásob, kniha pro tento sklad."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse nelze vypustit, neboť existuje zásob, kniha pro tento sklad."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribuce
 DocType: Journal Entry Account,Loan,Půjčka
 DocType: Expense Claim Advance,Expense Claim Advance,Nároky na úhradu nákladů
@@ -5930,7 +6000,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Project Manager
 ,Quoted Item Comparison,Citoval Položka Porovnání
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Překrývající bodování mezi {0} a {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Odeslání
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Odeslání
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Čistá hodnota aktiv i na
 DocType: Crop,Produce,Vyrobit
@@ -5940,20 +6010,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Spotřeba materiálu pro výrobu
 DocType: Item Alternative,Alternative Item Code,Alternativní kód položky
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Role, která se nechá podat transakcí, které přesahují úvěrové limity."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Vyberte položky do Výroba
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Vyberte položky do Výroba
 DocType: Delivery Stop,Delivery Stop,Zastávka doručení
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Kmenová data synchronizace, může to trvat nějaký čas"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Kmenová data synchronizace, může to trvat nějaký čas"
 DocType: Item,Material Issue,Material Issue
 DocType: Employee Education,Qualification,Kvalifikace
 DocType: Item Price,Item Price,Položka Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Soap & Detergent
 DocType: BOM,Show Items,Zobrazit položky
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Od doby nemůže být větší než na čas.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Chcete upozornit všechny zákazníky e-mailem?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Chcete upozornit všechny zákazníky e-mailem?
 DocType: Subscription Plan,Billing Interval,Interval fakturace
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Objednáno
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Aktuální datum zahájení a skutečné datum ukončení je povinné
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Skupina zákazníků&gt; Území
 DocType: Salary Detail,Component,Komponent
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Řádek {0}: {1} musí být větší než 0
 DocType: Assessment Criteria,Assessment Criteria Group,Hodnotící kritéria Group
@@ -5984,11 +6055,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Před zasláním zadejte název banky nebo instituce poskytující úvěr.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} musí být odesláno
 DocType: POS Profile,Item Groups,Položka Skupiny
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Dnes je {0} 's narozeniny!
 DocType: Sales Order Item,For Production,Pro Výrobu
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Zůstatek v měně účtu
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Přidejte účet dočasného otevírání do Účtovacího plánu
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Přidejte účet dočasného otevírání do Účtovacího plánu
 DocType: Customer,Customer Primary Contact,Primární kontakt zákazníka
 DocType: Project Task,View Task,Zobrazit Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Olovo%
@@ -6001,11 +6071,11 @@
 DocType: Sales Invoice,Get Advances Received,Získat přijaté zálohy
 DocType: Email Digest,Add/Remove Recipients,Přidat / Odebrat příjemce
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Chcete-li nastavit tento fiskální rok jako výchozí, klikněte na tlačítko ""Nastavit jako výchozí"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Částka odečtená z TDS
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Částka odečtená z TDS
 DocType: Production Plan,Include Subcontracted Items,Zahrnout subdodávané položky
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Připojit
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Nedostatek Množství
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Připojit
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Nedostatek Množství
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy
 DocType: Loan,Repay from Salary,Splatit z platu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Požadovala vyplacení proti {0} {1} na částku {2}
 DocType: Additional Salary,Salary Slip,Výplatní páska
@@ -6021,7 +6091,7 @@
 DocType: Patient,Dormant,Spící
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odpočítte daň za nevyžádané zaměstnanecké výhody
 DocType: Salary Slip,Total Interest Amount,Celková částka úroků
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Sklady s podřízené uzly nelze převést do hlavní účetní knihy
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Sklady s podřízené uzly nelze převést do hlavní účetní knihy
 DocType: BOM,Manage cost of operations,Správa nákladů na provoz
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Čas příjezdu
@@ -6033,7 +6103,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Posuzování Detail Výsledek
 DocType: Employee Education,Employee Education,Vzdělávání zaměstnanců
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplicitní skupinu položek uvedeny v tabulce na položku ve skupině
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"Je třeba, aby přinesla Detaily položky."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"Je třeba, aby přinesla Detaily položky."
 DocType: Fertilizer,Fertilizer Name,Jméno hnojiva
 DocType: Salary Slip,Net Pay,Net Pay
 DocType: Cash Flow Mapping Accounts,Account,Účet
@@ -6044,14 +6114,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Vytvoření odděleného zadání platby proti nároku na dávku
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Přítomnost horečky (teplota&gt; 38,5 ° C nebo trvalá teplota&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Podrobnosti prodejní tým
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Smazat trvale?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Smazat trvale?
 DocType: Expense Claim,Total Claimed Amount,Celkem žalované částky
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciální příležitosti pro prodej.
 DocType: Shareholder,Folio no.,Číslo folia
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Neplatný {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Zdravotní dovolená
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,nejsou
 DocType: Delivery Note,Billing Address Name,Jméno Fakturační adresy
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Obchodní domy
 ,Item Delivery Date,Datum dodání položky
@@ -6067,16 +6136,16 @@
 DocType: Account,Chargeable,Vyměřovací
 DocType: Company,Change Abbreviation,Změna zkratky
 DocType: Contract,Fulfilment Details,Úplné podrobnosti
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Platit {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Platit {0} {1}
 DocType: Employee Onboarding,Activities,Aktivity
 DocType: Expense Claim Detail,Expense Date,Datum výdaje
 DocType: Item,No of Months,Počet měsíců
 DocType: Item,Max Discount (%),Max sleva (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Dny úvěrů nemohou být záporné číslo
-DocType: Sales Invoice Item,Service Stop Date,Datum ukončení služby
+DocType: Purchase Invoice Item,Service Stop Date,Datum ukončení služby
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Částka poslední objednávky
 DocType: Cash Flow Mapper,e.g Adjustments for:,např. Úpravy pro:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zachovat vzorek je založen na dávce, zkontrolujte prosím, zda je číslo dávky zadrženo vzorku položky"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zachovat vzorek je založen na dávce, zkontrolujte prosím, zda je číslo dávky zadrženo vzorku položky"
 DocType: Task,Is Milestone,Je milník
 DocType: Certification Application,Yet to appear,Přesto se objeví
 DocType: Delivery Stop,Email Sent To,E-mailem odeslaným
@@ -6084,16 +6153,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Umožnit nákladovému středisku při zadávání účtu bilance
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Sloučit se stávajícím účtem
 DocType: Budget,Warn,Varovat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Všechny položky byly již převedeny pro tuto pracovní objednávku.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Všechny položky byly již převedeny pro tuto pracovní objednávku.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Jakékoli jiné poznámky, pozoruhodné úsilí, které by měly jít v záznamech."
 DocType: Asset Maintenance,Manufacturing User,Výroba Uživatel
 DocType: Purchase Invoice,Raw Materials Supplied,Dodává suroviny
 DocType: Subscription Plan,Payment Plan,Platebni plan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Aktivujte nákup položek prostřednictvím webové stránky
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Měna ceníku {0} musí být {1} nebo {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Řízení předplatného
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Řízení předplatného
 DocType: Appraisal,Appraisal Template,Posouzení Template
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,K označení kódu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,K označení kódu
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Zaškrtněte toto, chcete-li zapnout naplánovaný program Denní synchronizace prostřednictvím plánovače"
 DocType: Item Group,Item Classification,Položka Klasifikace
@@ -6103,6 +6172,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Fakturační registrace pacienta
 DocType: Crop,Period,Období
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Hlavní Účetní Kniha
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Do fiskálního roku
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Zobrazit Vodítka
 DocType: Program Enrollment Tool,New Program,nový program
 DocType: Item Attribute Value,Attribute Value,Hodnota atributu
@@ -6111,11 +6181,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Doporučené Změna pořadí Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Zaměstnanec {0} z platové třídy {1} nemá žádnou výchozí politiku dovolené
 DocType: Salary Detail,Salary Detail,plat Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Prosím, nejprve vyberte {0}"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Prosím, nejprve vyberte {0}"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Přidali jsme {0} uživatele
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",V případě víceúrovňového programu budou zákazníci automaticky přiděleni danému vrstvě podle svých vynaložených nákladů
 DocType: Appointment Type,Physician,Lékař
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Šarže {0} položky {1} vypršela.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Šarže {0} položky {1} vypršela.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konzultace
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Hotovo dobrá
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Položka Cena se objeví několikrát na základě Ceníku, Dodavatele / Zákazníka, Měny, Položky, UOM, Množství a Dat."
@@ -6124,22 +6194,21 @@
 DocType: Certification Application,Name of Applicant,Jméno žadatele
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas list pro výrobu.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,mezisoučet
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Vlastnosti Variantu nelze změnit po transakci akcií. Budete muset vytvořit novou položku, abyste to udělali."
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Vlastnosti Variantu nelze změnit po transakci akcií. Budete muset vytvořit novou položku, abyste to udělali."
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA mandát
 DocType: Healthcare Practitioner,Charges,Poplatky
 DocType: Production Plan,Get Items For Work Order,Získat položky pro pracovní objednávku
 DocType: Salary Detail,Default Amount,Výchozí částka
 DocType: Lab Test Template,Descriptive,Popisný
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Sklad nebyl nalezen v systému
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Tento měsíc je shrnutí
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Tento měsíc je shrnutí
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kvalita Kontrola Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Zmrazit zásoby starší než` by mělo být nižší než %d dnů.
 DocType: Tax Rule,Purchase Tax Template,Spotřební daň šablony
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Nastavte cíl prodeje, který byste chtěli dosáhnout pro vaši společnost."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Zdravotnické služby
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Zdravotnické služby
 ,Project wise Stock Tracking,Sledování zboží dle projektu
 DocType: GST HSN Code,Regional,Regionální
-DocType: Delivery Note,Transport Mode,Režim dopravy
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratoř
 DocType: UOM Category,UOM Category,Kategorie UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Skutečné množství (u zdroje/cíle)
@@ -6162,17 +6231,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Nepodařilo se vytvořit webové stránky
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM konverze Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Záznam již vytvořeného záznamu o skladování nebo neposkytnuté množství vzorku
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Záznam již vytvořeného záznamu o skladování nebo neposkytnuté množství vzorku
 DocType: Program,Program Abbreviation,Program Zkratka
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Výrobní zakázka nemůže být vznesena proti šablony položky
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku
 DocType: Warranty Claim,Resolved By,Vyřešena
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Plán výtoku
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Šeky a Vklady nesprávně vymazány
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Účet {0}: nelze přiřadit sebe jako nadřazený účet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Účet {0}: nelze přiřadit sebe jako nadřazený účet
 DocType: Purchase Invoice Item,Price List Rate,Ceník Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Vytvořit citace zákazníků
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Datum ukončení služby nemůže být po datu ukončení služby
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Datum ukončení služby nemůže být po datu ukončení služby
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Zobrazit ""Skladem"" nebo ""Není skladem"" na základě skladem k dispozici v tomto skladu."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Průměrná doba pořízena dodavatelem dodat
@@ -6184,11 +6253,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Hodiny
 DocType: Project,Expected Start Date,Očekávané datum zahájení
 DocType: Purchase Invoice,04-Correction in Invoice,04 - oprava faktury
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Pracovní zakázka již vytvořena pro všechny položky s kusovníkem
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Pracovní zakázka již vytvořena pro všechny položky s kusovníkem
 DocType: Payment Request,Party Details,Party Podrobnosti
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Zpráva Variant Podrobnosti
 DocType: Setup Progress Action,Setup Progress Action,Pokročilé nastavení
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Nákupní ceník
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Nákupní ceník
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Odebrat pokud poplatků není pro tuto položku
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Zrušit předplatné
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Zvolte Stav údržby jako Dokončené nebo odeberte datum dokončení
@@ -6206,7 +6275,7 @@
 DocType: Asset,Disposal Date,Likvidace Datum
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-maily budou zaslány všem aktivním zaměstnancům společnosti v danou hodinu, pokud nemají dovolenou. Shrnutí odpovědí budou zaslány do půlnoci."
 DocType: Employee Leave Approver,Employee Leave Approver,Zaměstnanec Leave schvalovač
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Nelze prohlásit za ztracený, protože citace byla provedena."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP účet
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Trénink Feedback
@@ -6218,7 +6287,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,K dnešnímu dni nemůže být dříve od data
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Zápatí sekce
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Přidat / Upravit ceny
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Přidat / Upravit ceny
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Propagace zaměstnanců nelze předložit před datem propagace
 DocType: Batch,Parent Batch,Nadřazená dávka
 DocType: Cheque Print Template,Cheque Print Template,Šek šablony tisku
@@ -6228,6 +6297,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Kolekce vzorků
 ,Requested Items To Be Ordered,Požadované položky je třeba objednat
 DocType: Price List,Price List Name,Ceník Jméno
+DocType: Delivery Stop,Dispatch Information,Informace o odeslání
 DocType: Blanket Order,Manufacturing,Výroba
 ,Ordered Items To Be Delivered,"Objednané zboží, které mají být dodány"
 DocType: Account,Income,Příjem
@@ -6246,17 +6316,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jednotek {1} zapotřebí {2} o {3} {4} na {5} pro dokončení této transakce.
 DocType: Fee Schedule,Student Category,Student Kategorie
 DocType: Announcement,Student,Student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Postup uskutečnění kvantity skladování není k dispozici ve skladu. Chcete zaznamenat převod akcií
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Postup uskutečnění kvantity skladování není k dispozici ve skladu. Chcete zaznamenat převod akcií
 DocType: Shipping Rule,Shipping Rule Type,Typ pravidla přepravy
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Jděte do pokojů
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Společnost, platební účet, datum a datum jsou povinné"
 DocType: Company,Budget Detail,Detail Rozpočtu
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Prosím, zadejte zprávu před odesláním"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKÁT PRO DODAVATELE
-DocType: Email Digest,Pending Quotations,Čeká na citace
-DocType: Delivery Note,Distance (KM),Vzdálenost (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dodavatel&gt; Skupina dodavatelů
 DocType: Asset,Custodian,Depozitář
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} by měla být hodnota mezi 0 a 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Platba {0} od {1} do {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Nezajištěných úvěrů
@@ -6288,10 +6357,10 @@
 DocType: Lead,Converted,Převedené
 DocType: Item,Has Serial No,Má Sériové číslo
 DocType: Employee,Date of Issue,Datum vydání
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podle nákupních nastavení, pokud je požadováno nákupní požadavek == &#39;ANO&#39;, pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit doklad o nákupu pro položku {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podle nákupních nastavení, pokud je požadováno nákupní požadavek == &#39;ANO&#39;, pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit doklad o nákupu pro položku {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Řádek # {0}: Nastavte Dodavatel pro položku {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Řádek {0}: doba hodnota musí být větší než nula.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} připojuje k bodu {1} nelze nalézt
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} připojuje k bodu {1} nelze nalézt
 DocType: Issue,Content Type,Typ obsahu
 DocType: Asset,Assets,Aktiva
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Počítač
@@ -6302,7 +6371,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} neexistuje
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Prosím, zkontrolujte více měn možnost povolit účty s jinou měnu"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení
 DocType: Payment Reconciliation,Get Unreconciled Entries,Získat smířit záznamů
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Zaměstnanec {0} je zapnut Nechat na {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nebudou vybrány žádné splátky pro deník
@@ -6320,13 +6389,14 @@
 ,Average Commission Rate,Průměrná cena Komise
 DocType: Share Balance,No of Shares,Počet akcií
 DocType: Taxable Salary Slab,To Amount,Do výše
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemůže být ""Ano"" pro neskladové zboží"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemůže být ""Ano"" pro neskladové zboží"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Vyberte možnost Stav
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Účast nemůže být označen pro budoucí data
 DocType: Support Search Source,Post Description Key,Tlačítko Popis příspěvku
 DocType: Pricing Rule,Pricing Rule Help,Ceny Pravidlo Help
 DocType: School House,House Name,Jméno dům
 DocType: Fee Schedule,Total Amount per Student,Celková částka na jednoho studenta
+DocType: Opportunity,Sales Stage,Prodejní fáze
 DocType: Purchase Taxes and Charges,Account Head,Účet Head
 DocType: Company,HRA Component,Součást HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektrický
@@ -6334,15 +6404,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Celková hodnota Rozdíl (Out - In)
 DocType: Grant Application,Requested Amount,Požadovaná částka
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Řádek {0}: Exchange Rate je povinné
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},User ID není nastavena pro zaměstnance {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},User ID není nastavena pro zaměstnance {0}
 DocType: Vehicle,Vehicle Value,Hodnota vozidla
 DocType: Crop Cycle,Detected Diseases,Zjištěné nemoci
 DocType: Stock Entry,Default Source Warehouse,Výchozí zdrojový sklad
 DocType: Item,Customer Code,Code zákazníků
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Narozeninová připomínka pro {0}
 DocType: Asset Maintenance Task,Last Completion Date,Poslední datum dokončení
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Počet dnů od poslední objednávky
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debetní Na účet musí být účtu Rozvaha
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debetní Na účet musí být účtu Rozvaha
 DocType: Asset,Naming Series,Číselné řady
 DocType: Vital Signs,Coated,Povlečené
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Řádek {0}: Očekávaná hodnota po uplynutí životnosti musí být nižší než částka hrubého nákupu
@@ -6360,15 +6429,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Delivery Note {0} nesmí být předloženy
 DocType: Notification Control,Sales Invoice Message,Prodejní faktury Message
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Závěrečný účet {0} musí být typu odpovědnosti / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Výplatní pásce zaměstnance {0} již vytvořili pro časové list {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Výplatní pásce zaměstnance {0} již vytvořili pro časové list {1}
 DocType: Vehicle Log,Odometer,Počítadlo ujetých kilometrů
 DocType: Production Plan Item,Ordered Qty,Objednáno Množství
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Položka {0} je zakázána
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Položka {0} je zakázána
 DocType: Stock Settings,Stock Frozen Upto,Reklamní Frozen aľ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM neobsahuje žádnou skladovou položku
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM neobsahuje žádnou skladovou položku
 DocType: Chapter,Chapter Head,Hlava kapitoly
 DocType: Payment Term,Month(s) after the end of the invoice month,Měsíc (měsíce) po skončení měsíce faktury
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura odměňování by měla mít flexibilní složku (výhody) pro vyplácení dávky
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura odměňování by měla mít flexibilní složku (výhody) pro vyplácení dávky
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projektová činnost / úkol.
 DocType: Vital Signs,Very Coated,Velmi povrstvená
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Pouze daňový dopad (nelze tvrdit, ale část zdanitelného příjmu)"
@@ -6386,7 +6455,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Billing Hodiny
 DocType: Project,Total Sales Amount (via Sales Order),Celková částka prodeje (prostřednictvím objednávky prodeje)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Výchozí BOM pro {0} nebyl nalezen
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Řádek # {0}: Prosím nastavte množství objednací
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Řádek # {0}: Prosím nastavte množství objednací
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Klepnutím na položky je můžete přidat zde
 DocType: Fees,Program Enrollment,Registrace do programu
 DocType: Share Transfer,To Folio No,Do složky Folio č
@@ -6427,9 +6496,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Síla
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instalace předvoleb
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Pro zákazníka nebyl vybrán žádný zákazník {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Pro zákazníka nebyl vybrán žádný zákazník {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Zaměstnanec {0} nemá maximální částku prospěchu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Vyberte položky podle data doručení
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Vyberte položky podle data doručení
 DocType: Grant Application,Has any past Grant Record,Má nějaký minulý grantový záznam
 ,Sales Analytics,Prodejní Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},K dispozici {0}
@@ -6437,12 +6506,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Výrobní nastavení
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Nastavení e-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Žádné
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Zadejte prosím výchozí měnu v podniku Mistr
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Zadejte prosím výchozí měnu v podniku Mistr
 DocType: Stock Entry Detail,Stock Entry Detail,Detail pohybu na skladu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Denní Upomínky
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Denní Upomínky
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Podívejte se na všechny vstupenky
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Strom jednotky zdravotnických služeb
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produkt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produkt
 DocType: Products Settings,Home Page is Products,Domovskou stránkou je stránka Produkty.
 ,Asset Depreciation Ledger,Asset Odpisy Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Ponechte částku zaplacení za den
@@ -6452,8 +6521,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Dodává se nákladů na suroviny
 DocType: Selling Settings,Settings for Selling Module,Nastavení pro prodej Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Rezervace pokojů v hotelu
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Služby zákazníkům
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Služby zákazníkům
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nebyly nalezeny žádné kontakty s identifikátory e-mailu.
 DocType: Item Customer Detail,Item Customer Detail,Položka Detail Zákazník
 DocType: Notification Control,Prompt for Email on Submission of,Výzva pro e-mail na předkládání
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maximální výše příspěvku zaměstnance {0} přesahuje {1}
@@ -6463,13 +6533,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Položka {0} musí být skladem
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Výchozí práci ve skladu Progress
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Plán pro překrytí {0}, chcete pokračovat po přeskočení přesahovaných slotů?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Výchozí nastavení účetních transakcí.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Výchozí nastavení účetních transakcí.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grantové listy
 DocType: Restaurant,Default Tax Template,Výchozí daňová šablona
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studenti byli zapsáni
 DocType: Fees,Student Details,Podrobnosti studenta
 DocType: Purchase Invoice Item,Stock Qty,Množství zásob
 DocType: Contract,Requires Fulfilment,Vyžaduje plnění
+DocType: QuickBooks Migrator,Default Shipping Account,Výchozí poštovní účet
 DocType: Loan,Repayment Period in Months,Splácení doba v měsících
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Chyba: Není platný id?
 DocType: Naming Series,Update Series Number,Aktualizace Series Number
@@ -6483,11 +6554,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maximální částka
 DocType: Journal Entry,Total Amount Currency,Celková částka Měna
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Vyhledávání Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Kód položky třeba na řádku č {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Kód položky třeba na řádku č {0}
 DocType: GST Account,SGST Account,Účet SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Přejděte na položky
 DocType: Sales Partner,Partner Type,Partner Type
-DocType: Purchase Taxes and Charges,Actual,Aktuální
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Aktuální
 DocType: Restaurant Menu,Restaurant Manager,Manažer restaurace
 DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Časového rozvrhu pro úkoly.
@@ -6508,7 +6579,7 @@
 DocType: Employee,Cheque,Šek
 DocType: Training Event,Employee Emails,E-maily zaměstnanců
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Řada Aktualizováno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Report Type je povinné
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Report Type je povinné
 DocType: Item,Serial Number Series,Sériové číslo Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Sklad je povinný pro skladovou položku {0} na řádku {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Maloobchod a velkoobchod
@@ -6538,7 +6609,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Aktualizovat fakturovanou částku v objednávce prodeje
 DocType: BOM,Materials,Materiály
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Pokud není zatrženo, seznam bude muset být přidány ke každé oddělení, kde má být použit."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Datum a čas zadání je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Datum a čas zadání je povinný
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Daňové šablona pro nákup transakcí.
 ,Item Prices,Ceny Položek
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Ve slovech budou viditelné, jakmile uložíte objednávce."
@@ -6554,12 +6625,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Série pro odepisování aktiv (Entry Entry)
 DocType: Membership,Member Since,Členem od
 DocType: Purchase Invoice,Advance Payments,Zálohové platby
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Vyberte prosím službu zdravotní péče
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Vyberte prosím službu zdravotní péče
 DocType: Purchase Taxes and Charges,On Net Total,On Net Celkem
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Hodnota atributu {0} musí být v rozmezí od {1} až {2} v krocích po {3} pro item {4}
 DocType: Restaurant Reservation,Waitlisted,Vyčkejte
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorie výjimek
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Měna nemůže být změněn po provedení položky pomocí jiné měně
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Měna nemůže být změněn po provedení položky pomocí jiné měně
 DocType: Shipping Rule,Fixed,Pevný
 DocType: Vehicle Service,Clutch Plate,Kotouč spojky
 DocType: Company,Round Off Account,Zaokrouhlovací účet
@@ -6568,7 +6639,7 @@
 DocType: Subscription Plan,Based on price list,Na základě ceníku
 DocType: Customer Group,Parent Customer Group,Parent Customer Group
 DocType: Vehicle Service,Change,Změna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Předplatné
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Předplatné
 DocType: Purchase Invoice,Contact Email,Kontaktní e-mail
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Vytváření poplatků čeká
 DocType: Appraisal Goal,Score Earned,Skóre Zasloužené
@@ -6595,23 +6666,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Pohledávky / závazky účet
 DocType: Delivery Note Item,Against Sales Order Item,Proti položce přijaté objednávky
 DocType: Company,Company Logo,Logo společnosti
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Uveďte prosím atributu Hodnota atributu {0}
-DocType: Item Default,Default Warehouse,Výchozí sklad
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Uveďte prosím atributu Hodnota atributu {0}
+DocType: QuickBooks Migrator,Default Warehouse,Výchozí sklad
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Rozpočet nemůže být přiřazena na skupinový účet {0}
 DocType: Shopping Cart Settings,Show Price,Zobrazit cenu
 DocType: Healthcare Settings,Patient Registration,Registrace pacienta
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Prosím, zadejte nákladové středisko mateřský"
 DocType: Delivery Note,Print Without Amount,Tisknout bez Částka
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,odpisy Datum
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,odpisy Datum
 ,Work Orders in Progress,Pracovní příkazy v procesu
 DocType: Issue,Support Team,Tým podpory
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Doba použitelnosti (ve dnech)
 DocType: Appraisal,Total Score (Out of 5),Celkové skóre (Out of 5)
 DocType: Student Attendance Tool,Batch,Šarže
 DocType: Support Search Source,Query Route String,Dotaz řetězce trasy
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Míra aktualizace podle posledního nákupu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Míra aktualizace podle posledního nákupu
 DocType: Donor,Donor Type,Typ dárce
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Dokument byl aktualizován automaticky
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Dokument byl aktualizován automaticky
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Zůstatek
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Vyberte prosím společnost
 DocType: Job Card,Job Card,Pracovní karta
@@ -6625,7 +6696,7 @@
 DocType: Assessment Result,Total Score,Celkové skóre
 DocType: Crop Cycle,ISO 8601 standard,Norma ISO 8601
 DocType: Journal Entry,Debit Note,Debit Note
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,V tomto pořadí můžete uplatnit max. {0} body.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,V tomto pořadí můžete uplatnit max. {0} body.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.RRRR.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Zadejte zákaznické tajemství API
 DocType: Stock Entry,As per Stock UOM,Podle Stock nerozpuštěných
@@ -6638,10 +6709,11 @@
 DocType: Journal Entry,Total Debit,Celkem Debit
 DocType: Travel Request Costing,Sponsored Amount,Sponzorovaná částka
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Výchozí sklad hotových výrobků
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Vyberte pacienta
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Vyberte pacienta
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Prodej Osoba
 DocType: Hotel Room Package,Amenities,Vybavení
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Rozpočet a nákladového střediska
+DocType: QuickBooks Migrator,Undeposited Funds Account,Účet neukladaných prostředků
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Rozpočet a nákladového střediska
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Vícenásobný výchozí způsob platby není povolen
 DocType: Sales Invoice,Loyalty Points Redemption,Věrnostní body Vykoupení
 ,Appointment Analytics,Aplikace Analytics
@@ -6655,6 +6727,7 @@
 DocType: Batch,Manufacturing Date,Datum výroby
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Vytvoření poplatku se nezdařilo
 DocType: Opening Invoice Creation Tool,Create Missing Party,Vytvořit chybějící stranu
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Celkový rozpočet
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Nechte prázdné, pokud rodíte studentské skupiny ročně"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Pokud je zaškrtnuto, Total no. pracovních dnů bude zahrnovat dovolenou, a to sníží hodnotu platu za každý den"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Aplikace s použitím aktuálního klíče nebudou mít přístup, jste si jisti?"
@@ -6670,20 +6743,19 @@
 DocType: Opportunity Item,Basic Rate,Basic Rate
 DocType: GL Entry,Credit Amount,Výše úvěru
 DocType: Cheque Print Template,Signatory Position,Signatář Position
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Nastavit jako Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Nastavit jako Lost
 DocType: Timesheet,Total Billable Hours,Celkem zúčtovatelné hodiny
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Počet dní, které musí účastník platit faktury generované tímto odběrem"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Podrobnosti o žádostech o zaměstnanecké výhody
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Doklad o zaplacení Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Přehled aktivity zákazníka.
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Řádek {0}: Přidělená částka {1} musí být menší než nebo se rovná částce zaplacení výstavního {2}
 DocType: Program Enrollment Tool,New Academic Term,Nový akademický termín
 ,Course wise Assessment Report,Průběžná hodnotící zpráva
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Využil daň z ITC státu / UT
 DocType: Tax Rule,Tax Rule,Daňové Pravidlo
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Udržovat stejná sazba po celou dobu prodejního cyklu
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Přihlaste se jako další uživatel, který se zaregistruje na trhu"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Přihlaste se jako další uživatel, který se zaregistruje na trhu"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Naplánujte čas protokoly mimo Workstation pracovních hodin.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Zákazníci ve frontě
 DocType: Driver,Issuing Date,Datum vydání
@@ -6692,11 +6764,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Předložit tuto pracovní objednávku k dalšímu zpracování.
 ,Items To Be Requested,Položky se budou vyžadovat
 DocType: Company,Company Info,Společnost info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Vyberte nebo přidání nového zákazníka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Vyberte nebo přidání nového zákazníka
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Nákladové středisko je nutné rezervovat výdajů nárok
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikace fondů (aktiv)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To je založeno na účasti základu tohoto zaměstnance
-DocType: Assessment Result,Summary,souhrn
 DocType: Payment Request,Payment Request Type,Typ žádosti o platbu
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Označit účast
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debetní účet
@@ -6704,7 +6775,7 @@
 DocType: Additional Salary,Employee Name,Jméno zaměstnance
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Položka objednávky restaurace
 DocType: Purchase Invoice,Rounded Total (Company Currency),Celkem zaokrouhleno (měna solečnosti)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} byl změněn. Prosím aktualizujte.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Přestaňte uživatelům provádět Nechat aplikací v následujících dnech.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",Při neomezeném uplynutí platnosti věrnostních bodů nechte dobu trvání platnosti prázdné nebo 0.
@@ -6725,11 +6796,12 @@
 DocType: Asset,Out of Order,Mimo provoz
 DocType: Purchase Receipt Item,Accepted Quantity,Schválené Množství
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorovat překrytí pracovní stanice
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastavit výchozí Holiday List pro zaměstnance {0} nebo {1} Company
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastavit výchozí Holiday List pro zaměstnance {0} nebo {1} Company
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} neexistuje
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Zvolte čísla šarží
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Na GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Na GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Směnky vznesené zákazníkům.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Fakturační schůzky automaticky
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID projektu
 DocType: Salary Component,Variable Based On Taxable Salary,Proměnná založená na zdanitelném platu
 DocType: Company,Basic Component,Základní součást
@@ -6742,10 +6814,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adresa zdrojového skladu
 DocType: GL Entry,Voucher Type,Voucher Type
 DocType: Amazon MWS Settings,Max Retry Limit,Maximální limit opakování
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán
 DocType: Student Applicant,Approved,Schválený
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Cena
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Zaměstnanec úlevu na {0} musí být nastaven jako ""Left"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Zaměstnanec úlevu na {0} musí být nastaven jako ""Left"""
 DocType: Marketplace Settings,Last Sync On,Poslední synchronizace je zapnutá
 DocType: Guardian,Guardian,poručník
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Veškerá komunikace včetně a nad tímto se přesouvají do nového vydání
@@ -6768,14 +6840,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Seznam onemocnění zjištěných v terénu. Když je vybráno, automaticky přidá seznam úkolů, které se mají vypořádat s tímto onemocněním"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Jedná se o základní službu zdravotnické služby a nelze ji editovat.
 DocType: Asset Repair,Repair Status,Stav opravy
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Přidat obchodní partnery
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Zápisy v účetním deníku.
 DocType: Travel Request,Travel Request,Žádost o cestování
 DocType: Delivery Note Item,Available Qty at From Warehouse,K dispozici Množství na Od Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Prosím, vyberte zaměstnance záznam první."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Ústřednost nebyla předložena za {0}, protože je prázdnina."
 DocType: POS Profile,Account for Change Amount,Účet pro změnu Částka
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Připojení ke službě QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Celkový zisk / ztráta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Neplatná společnost pro meziproduktovou fakturu.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Neplatná společnost pro meziproduktovou fakturu.
 DocType: Purchase Invoice,input service,vstupní službu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Řádek {0}: Party / Account neshoduje s {1} / {2} do {3} {4}
 DocType: Employee Promotion,Employee Promotion,Propagace zaměstnanců
@@ -6784,12 +6858,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kód předmětu:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Prosím, zadejte výdajového účtu"
 DocType: Account,Stock,Sklad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním z objednávky, faktury nebo Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním z objednávky, faktury nebo Journal Entry"
 DocType: Employee,Current Address,Aktuální adresa
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Je-li položka je varianta další položku pak popis, obraz, oceňování, daní atd bude stanoven ze šablony, pokud není výslovně uvedeno"
 DocType: Serial No,Purchase / Manufacture Details,Nákup / Výroba Podrobnosti
 DocType: Assessment Group,Assessment Group,Skupina Assessment
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Batch Zásoby
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Název postupu
 DocType: Employee,Contract End Date,Smlouva Datum ukončení
 DocType: Amazon MWS Settings,Seller ID,ID prodávajícího
@@ -6809,12 +6884,12 @@
 DocType: Company,Date of Incorporation,Datum začlenění
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Tax
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Poslední kupní cena
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Pro Množství (Vyrobeno ks) je povinné
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Pro Množství (Vyrobeno ks) je povinné
 DocType: Stock Entry,Default Target Warehouse,Výchozí cílový sklad
 DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Company Měna)
 DocType: Delivery Note,Air,Vzduch
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Rok Datum ukončení nesmí být starší než datum Rok Start. Opravte data a zkuste to znovu.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} není v seznamu volitelných prázdnin
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} není v seznamu volitelných prázdnin
 DocType: Notification Control,Purchase Receipt Message,Zpráva příjemky
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,šrot položky
@@ -6836,23 +6911,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Splnění
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na předchozí řady Částka
 DocType: Item,Has Expiry Date,Má datum vypršení platnosti
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Převod majetku
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Převod majetku
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Název události
 DocType: Healthcare Practitioner,Phone (Office),Telefon (kancelář)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nelze odeslat, Zaměstnanci odešli, aby označili účast"
 DocType: Inpatient Record,Admission,Přijetí
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Přijímací řízení pro {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Název proměnné
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Položka {0} je šablona, prosím vyberte jednu z jeho variant"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosím, nastavte systém pro pojmenování zaměstnanců v oblasti lidských zdrojů&gt; Nastavení HR"
+DocType: Purchase Invoice Item,Deferred Expense,Odložený výdaj
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Od data {0} nemůže být před datem vstupu do pracovního poměru {1}
 DocType: Asset,Asset Category,Asset Kategorie
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Net plat nemůže být záporný
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Net plat nemůže být záporný
 DocType: Purchase Order,Advance Paid,Vyplacené zálohy
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procento nadvýroby pro objednávku prodeje
 DocType: Item,Item Tax,Daň Položky
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiál Dodavateli
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiál Dodavateli
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Plánování požadavků na materiál
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Spotřební Faktura
@@ -6874,11 +6951,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Plánování Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kreditní karta
 DocType: BOM,Item to be manufactured or repacked,Položka k výrobě nebo zabalení
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Chyba syntaxe ve stavu: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Chyba syntaxe ve stavu: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Hlavní / Volitelné předměty
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Nastavte skupinu dodavatelů v nastavení nákupu.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Nastavte skupinu dodavatelů v nastavení nákupu.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Celková částka flexibilní složky {0} by neměla být menší než maximální výhody {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Loď
 DocType: Driver,Suspended,Pozastaveno
@@ -6898,7 +6975,7 @@
 DocType: Customer,Commission Rate,Výše provize
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Úspěšné vytvoření platebních položek
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Vytvořili {0} skóre pro {1} mezi:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Udělat Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Udělat Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",Typ platby musí být jedním z příjem Pay a interní převod
 DocType: Travel Itinerary,Preferred Area for Lodging,Preferovaná oblast pro ubytování
 apps/erpnext/erpnext/config/selling.py +184,Analytics,analytika
@@ -6909,7 +6986,7 @@
 DocType: Work Order,Actual Operating Cost,Skutečné provozní náklady
 DocType: Payment Entry,Cheque/Reference No,Šek / Referenční číslo
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root nelze upravovat.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root nelze upravovat.
 DocType: Item,Units of Measure,Jednotky měření
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Pronajal v Metro City
 DocType: Supplier,Default Tax Withholding Config,Výchozí nastavení zadržení daně
@@ -6927,21 +7004,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po dokončení platby přesměrovat uživatele na vybrané stránky.
 DocType: Company,Existing Company,stávající Company
 DocType: Healthcare Settings,Result Emailed,Výsledkem byl emailem
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Daňová kategorie byla změněna na &quot;Celkem&quot;, protože všechny položky jsou položky, které nejsou skladem"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Daňová kategorie byla změněna na &quot;Celkem&quot;, protože všechny položky jsou položky, které nejsou skladem"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,K dnešnímu dni nemůže být stejná nebo menší než od data
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nic se nemění
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vyberte soubor csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Vyberte soubor csv
 DocType: Holiday List,Total Holidays,Celkem prázdnin
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Chybí šablona e-mailu pro odeslání. Nastavte prosím jednu z možností Nastavení doručení.
 DocType: Student Leave Application,Mark as Present,Označit jako dárek
 DocType: Supplier Scorecard,Indicator Color,Barva indikátoru
 DocType: Purchase Order,To Receive and Bill,Přijímat a Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Řádek # {0}: Reqd by Date nemůže být před datem transakce
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Řádek # {0}: Reqd by Date nemůže být před datem transakce
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,představované výrobky
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Zvolte pořadové číslo
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Zvolte pořadové číslo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Návrhář
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Podmínky Template
 DocType: Serial No,Delivery Details,Zasílání
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1}
 DocType: Program,Program Code,Kód programu
 DocType: Terms and Conditions,Terms and Conditions Help,Podmínky nápovědy
 ,Item-wise Purchase Register,Item-wise registr nákupu
@@ -6954,15 +7032,16 @@
 DocType: Contract,Contract Terms,Smluvní podmínky
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Nevykazují žádný symbol jako $ atd vedle měnám.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maximální částka prospěchu součásti {0} přesahuje {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(půlden)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(půlden)
 DocType: Payment Term,Credit Days,Úvěrové dny
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Vyberte Patient pro získání laboratorních testů
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Udělat Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Povolit převod pro výrobu
 DocType: Leave Type,Is Carry Forward,Je převádět
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Položka získaná z BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Položka získaná z BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dodací lhůta dny
 DocType: Cash Flow Mapping,Is Income Tax Expense,Jsou náklady na daň z příjmů
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Vaše objednávka je k dodání!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Řádek # {0}: Vysílání datum musí být stejné jako datum nákupu {1} aktiva {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Zkontrolujte, zda student bydlí v Hostelu ústavu."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Prosím, zadejte Prodejní objednávky v tabulce výše"
@@ -6970,10 +7049,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Převést aktiva z jednoho skladu do druhého
 DocType: Vehicle,Petrol,Benzín
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Zbývající přínosy (ročně)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Kusovník
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Kusovník
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Řádek {0}: Typ Party Party a je nutné pro pohledávky / závazky na účtu {1}
 DocType: Employee,Leave Policy,Zanechte zásady
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Aktualizovat položky
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Aktualizovat položky
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Datum
 DocType: Employee,Reason for Leaving,Důvod Leaving
 DocType: BOM Operation,Operating Cost(Company Currency),Provozní náklady (Company měna)
@@ -6984,7 +7063,7 @@
 DocType: Department,Expense Approvers,Odpůrci výdajů
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: záporný nemůže být spojována s {1}
 DocType: Journal Entry,Subscription Section,Sekce odběru
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Účet {0} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Účet {0} neexistuje
 DocType: Training Event,Training Program,Tréninkový program
 DocType: Account,Cash,V hotovosti
 DocType: Employee,Short biography for website and other publications.,Krátký životopis na internetové stránky a dalších publikací.
diff --git a/erpnext/translations/da-DK.csv b/erpnext/translations/da-DK.csv
index afb0958..32f0fb9 100644
--- a/erpnext/translations/da-DK.csv
+++ b/erpnext/translations/da-DK.csv
@@ -1,4 +1,4 @@
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Åbning'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Åbning'
 DocType: Lead,Lead,Bly
 apps/erpnext/erpnext/config/selling.py +153,Default settings for selling transactions.,Standardindstillinger for at sælge transaktioner.
 DocType: Timesheet,% Amount Billed,% Beløb Billed
@@ -12,7 +12,6 @@
 DocType: Item Default,Default Selling Cost Center,Standard Selling Cost center
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Above
 DocType: Pricing Rule,Selling,Selling
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,Ultima Actualización : Fecha inválida
 DocType: Sales Order,%  Delivered,% Leveres
 DocType: Lead,Lead Owner,Bly Owner
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Udgiftområde er obligatorisk for varen {2}
diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv
index 495e0f0..1c8d8ec 100644
--- a/erpnext/translations/da.csv
+++ b/erpnext/translations/da.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Kundevarer
 DocType: Project,Costing and Billing,Omkostningsberegning og fakturering
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Advance-valuta skal være den samme som virksomhedens valuta {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Forældre-konto {1} kan ikke være en finanskonto
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Forældre-konto {1} kan ikke være en finanskonto
 DocType: Item,Publish Item to hub.erpnext.com,Udgive Vare til hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Kan ikke finde aktiv afgangsperiode
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Kan ikke finde aktiv afgangsperiode
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Evaluering
 DocType: Item,Default Unit of Measure,Standard Måleenhed
 DocType: SMS Center,All Sales Partner Contact,Alle forhandlerkontakter
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klik på Enter for at tilføje
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Manglende værdi for Password, API Key eller Shopify URL"
 DocType: Employee,Rented,Lejet
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Alle konti
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Alle konti
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Kan ikke overføre medarbejder med status til venstre
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppet produktionsordre kan ikke annulleres, Unstop det første til at annullere"
 DocType: Vehicle Service,Mileage,Kilometerpenge
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Vil du virkelig kassere dette anlægsaktiv?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Vil du virkelig kassere dette anlægsaktiv?
 DocType: Drug Prescription,Update Schedule,Opdateringsplan
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Vælg Standard Leverandør
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Vis medarbejder
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Ny valutakurs
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta er nødvendig for prisliste {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuta er nødvendig for prisliste {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Vil blive beregnet i transaktionen.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Kundeservicekontakt
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Dette er baseret på transaktioner for denne leverandør. Se tidslinje nedenfor for detaljer
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Overproduktionsprocent for arbejdsordre
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Juridisk
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Juridisk
+DocType: Delivery Note,Transport Receipt Date,Transportkvitteringsdato
 DocType: Shopify Settings,Sales Order Series,Salgsordre Serie
 DocType: Vital Signs,Tongue,Tunge
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA-fritagelse
 DocType: Sales Invoice,Customer Name,Kundennavn
 DocType: Vehicle,Natural Gas,Naturgas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankkonto kan ikke blive navngivet som {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankkonto kan ikke blive navngivet som {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA som pr. Lønstruktur
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoveder (eller grupper) mod hvilken regnskabsposter er lavet og balancer opretholdes.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Enestående for {0} kan ikke være mindre end nul ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Service Stop Date kan ikke være før service startdato
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Service Stop Date kan ikke være før service startdato
 DocType: Manufacturing Settings,Default 10 mins,Standard 10 min
 DocType: Leave Type,Leave Type Name,Fraværstypenavn
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Vis åben
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Vis åben
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Nummerserien opdateret
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,bestilling
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} i række {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} i række {1}
 DocType: Asset Finance Book,Depreciation Start Date,Afskrivning Startdato
 DocType: Pricing Rule,Apply On,Gælder for
 DocType: Item Price,Multiple Item prices.,Flere varepriser.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Support Indstillinger
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Forventet slutdato kan ikke være mindre end forventet startdato
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-indstillinger
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Pris skal være samme som {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Pris skal være samme som {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Partivare-udløbsstatus
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Draft
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primær kontaktoplysninger
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Åbne spørgsmål
 DocType: Production Plan Item,Production Plan Item,Produktion Plan Vare
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Bruger {0} er allerede tildelt Medarbejder {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Bruger {0} er allerede tildelt Medarbejder {1}
 DocType: Lab Test Groups,Add new line,Tilføj ny linje
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Health Care
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Forsinket betaling (dage)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Forsinkelsesdage
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjenesten Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede refereret i salgsfaktura: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede refereret i salgsfaktura: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura
 DocType: Purchase Invoice Item,Item Weight Details,Vægt Vægt Detaljer
 DocType: Asset Maintenance Log,Periodicity,Hyppighed
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Regnskabsår {0} er påkrævet
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Leverandør&gt; Leverandørgruppe
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Den minimale afstand mellem rækker af planter for optimal vækst
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Forsvar
 DocType: Salary Component,Abbr,Forkortelse
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Helligdagskalender
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Revisor
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Salgsprisliste
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Salgsprisliste
 DocType: Patient,Tobacco Current Use,Tobaks nuværende anvendelse
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Salgspris
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Salgspris
 DocType: Cost Center,Stock User,Lagerbruger
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontakt information
 DocType: Company,Phone No,Telefonnr.
 DocType: Delivery Trip,Initial Email Notification Sent,Indledende Email Notification Sent
 DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Abonnements startdato
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Standardfordelbare konti, der skal bruges, hvis de ikke er indstillet til patienten for at bestille aftalebeløb."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Vedhæft .csv fil med to kolonner, en for det gamle navn og et til det nye navn"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Fra adresse 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Varenummer&gt; Varegruppe&gt; Mærke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Fra adresse 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ikke i noget aktivt regnskabsår.
 DocType: Packed Item,Parent Detail docname,Parent Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Reference: {0}, varekode: {1} og kunde: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} er ikke til stede i moderselskabet
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} er ikke til stede i moderselskabet
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Prøveperiode Slutdato kan ikke være før startperiode for prøveperiode
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Skat tilbageholdende kategori
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklame
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Samme firma er indtastet mere end én gang
 DocType: Patient,Married,Gift
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ikke tilladt for {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ikke tilladt for {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Hent varer fra
 DocType: Price List,Price Not UOM Dependant,Pris Ikke UOM Afhængig
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Anvend Skat tilbageholdelsesbeløb
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Lager kan ikke opdateres mod følgeseddel {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Samlede beløb krediteret
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Lager kan ikke opdateres mod følgeseddel {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Samlede beløb krediteret
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Ingen emner opført
 DocType: Asset Repair,Error Description,Fejlbeskrivelse
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Brug Custom Cash Flow Format
 DocType: SMS Center,All Sales Person,Alle salgsmedarbejdere
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Månedlig Distribution ** hjælper dig distribuere Budget / Mål på tværs af måneder, hvis du har sæsonudsving i din virksomhed."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ikke varer fundet
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Lønstruktur mangler
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ikke varer fundet
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Lønstruktur mangler
 DocType: Lead,Person Name,Navn
 DocType: Sales Invoice Item,Sales Invoice Item,Salgsfakturavare
 DocType: Account,Credit,Kredit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Stock Rapporter
 DocType: Warehouse,Warehouse Detail,Lagerinformation
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Den Term Slutdato kan ikke være senere end året Slutdato af skoleåret, som udtrykket er forbundet (Studieår {}). Ret de datoer og prøv igen."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Er anlægsaktiv"" kan ikke være umarkeret, da der eksisterer et anlægsaktiv på varen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Er anlægsaktiv"" kan ikke være umarkeret, da der eksisterer et anlægsaktiv på varen"
 DocType: Delivery Trip,Departure Time,Afgangstid
 DocType: Vehicle Service,Brake Oil,Bremse Oil
 DocType: Tax Rule,Tax Type,Skat Type
 ,Completed Work Orders,Afsluttede arbejdsordrer
 DocType: Support Settings,Forum Posts,Forumindlæg
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Skattepligtigt beløb
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Skattepligtigt beløb
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Du har ikke tilladelse til at tilføje eller opdatere poster før {0}
 DocType: Leave Policy,Leave Policy Details,Forlad politikoplysninger
 DocType: BOM,Item Image (if not slideshow),Varebillede (hvis ikke lysbilledshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timesats / 60) * TidsforbrugIMinutter
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Reference Document Type skal være en af Expense Claim eller Journal Entry
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Vælg stykliste
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Reference Document Type skal være en af Expense Claim eller Journal Entry
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Vælg stykliste
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Omkostninger ved Leverede varer
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Ferien på {0} er ikke mellem Fra dato og Til dato
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Skabeloner af leverandørplaceringer.
 DocType: Lead,Interested,Interesseret
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Åbning
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Fra {0} til {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Fra {0} til {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Kunne ikke oprette skatter
 DocType: Item,Copy From Item Group,Kopier fra varegruppe
-DocType: Delivery Trip,Delivery Notification,Leveringsmeddelelse
 DocType: Journal Entry,Opening Entry,Åbningsbalance
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto Betal kun
 DocType: Loan,Repay Over Number of Periods,Tilbagebetale over antallet af perioder
 DocType: Stock Entry,Additional Costs,Yderligere omkostninger
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Konto med eksisterende transaktion kan ikke konverteres til gruppen.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Konto med eksisterende transaktion kan ikke konverteres til gruppen.
 DocType: Lead,Product Enquiry,Produkt Forespørgsel
 DocType: Education Settings,Validate Batch for Students in Student Group,Valider batch for studerende i studentegruppe
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Ingen orlov rekord fundet for medarbejderen {0} for {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Indtast venligst firma først
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Vælg venligst firma først
 DocType: Employee Education,Under Graduate,Under Graduate
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Angiv standardskabelon for meddelelsen om statusstatus i HR-indstillinger.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Angiv standardskabelon for meddelelsen om statusstatus i HR-indstillinger.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On
 DocType: BOM,Total Cost,Omkostninger i alt
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoudtog
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Lægemidler
 DocType: Purchase Invoice Item,Is Fixed Asset,Er anlægsaktiv
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Tilgængelige qty er {0}, du har brug for {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Tilgængelige qty er {0}, du har brug for {1}"
 DocType: Expense Claim Detail,Claim Amount,Beløb
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Arbejdsordre har været {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Kvalitetskontrolskabelon
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Ønsker du at opdatere fremmøde? <br> Present: {0} \ <br> Fraværende: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Accepteret + Afvist antal skal være lig med modtaget antal for vare {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Accepteret + Afvist antal skal være lig med modtaget antal for vare {0}
 DocType: Item,Supply Raw Materials for Purchase,Supply råstoffer til Indkøb
 DocType: Agriculture Analysis Criteria,Fertilizer,Gødning
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Kan ikke sikre levering med serienummer som \ Item {0} tilføjes med og uden Sikre Levering med \ Serienr.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Mindst én form for betaling er nødvendig for POS faktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Mindst én form for betaling er nødvendig for POS faktura.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankoversigt Transaktionsfaktura
 DocType: Products Settings,Show Products as a List,Vis produkterne på en liste
 DocType: Salary Detail,Tax on flexible benefit,Skat på fleksibel fordel
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Antal
 DocType: Production Plan,Material Request Detail,Materialeforespørgsel Detail
 DocType: Selling Settings,Default Quotation Validity Days,Standard Quotation Gyldighedsdage
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Hvis du vil medtage skat i række {0} i Item sats, skatter i rækker {1} skal også medtages"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Hvis du vil medtage skat i række {0} i Item sats, skatter i rækker {1} skal også medtages"
 DocType: SMS Center,SMS Center,SMS-center
 DocType: Payroll Entry,Validate Attendance,Validere tilstedeværelse
 DocType: Sales Invoice,Change Amount,ændring beløb
 DocType: Party Tax Withholding Config,Certificate Received,Certifikat modtaget
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Angiv faktura værdi for B2C. B2CL og B2CS beregnet ud fra denne faktura værdi.
 DocType: BOM Update Tool,New BOM,Ny stykliste
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Foreskrevne procedurer
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Foreskrevne procedurer
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Vis kun POS
 DocType: Supplier Group,Supplier Group Name,Leverandørgruppens navn
 DocType: Driver,Driving License Categories,Kørekortskategorier
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Lønningsperioder
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Opret medarbejder
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Broadcasting
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Opsætningstilstand for POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Opsætningstilstand for POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Deaktiverer oprettelse af tidslogfiler mod arbejdsordrer. Operationer må ikke spores mod Arbejdsordre
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Udførelse
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Oplysninger om de gennemførte transaktioner.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Rabat på prisliste Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Vare skabelon
 DocType: Job Offer,Select Terms and Conditions,Vælg betingelser
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Out Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Out Value
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Betalingsindstillinger for bankkonti
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Indstillinger
 DocType: Production Plan,Sales Orders,Salgsordrer
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Tilbudsforespørgslen findes ved at klikke på følgende link
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsbeskrivelse
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Utilstrækkelig Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Utilstrækkelig Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapacitetsplanlægning og tidsregistrering
 DocType: Email Digest,New Sales Orders,Nye salgsordrer
 DocType: Bank Account,Bank Account,Bankkonto
 DocType: Travel Itinerary,Check-out Date,Check-out dato
 DocType: Leave Type,Allow Negative Balance,Tillad negativ fraværssaldo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Du kan ikke slette Project Type &#39;External&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Vælg alternativt element
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Vælg alternativt element
 DocType: Employee,Create User,Opret bruger
 DocType: Selling Settings,Default Territory,Standardområde
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Fjernsyn
 DocType: Work Order Operation,Updated via 'Time Log',Opdateret via &#39;Time Log&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Vælg kunde eller leverandør.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Advance beløb kan ikke være større end {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Advance beløb kan ikke være større end {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidspausen overspring, spalten {0} til {1} overlapper ekspansionen slot {2} til {3}"
 DocType: Naming Series,Series List for this Transaction,Serie Liste for denne transaktion
 DocType: Company,Enable Perpetual Inventory,Aktiver evigt lager
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Mod salgsfakturavarer
 DocType: Agriculture Analysis Criteria,Linked Doctype,Tilknyttet doktype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Netto kontant fra Finansiering
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage er fuld, kan ikke gemme"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage er fuld, kan ikke gemme"
 DocType: Lead,Address & Contact,Adresse og kontaktperson
 DocType: Leave Allocation,Add unused leaves from previous allocations,Tilføj ubrugt fravær fra tidligere tildelinger
 DocType: Sales Partner,Partner website,Partner hjemmeside
@@ -446,10 +446,10 @@
 ,Open Work Orders,Åbne arbejdsordrer
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Charge Item
 DocType: Payment Term,Credit Months,Kredit måneder
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Nettoløn kan ikke være mindre end 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Nettoløn kan ikke være mindre end 0
 DocType: Contract,Fulfilled,opfyldt
 DocType: Inpatient Record,Discharge Scheduled,Udledning planlagt
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Fratrædelsesdato skal være større end ansættelsesdato
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Fratrædelsesdato skal være større end ansættelsesdato
 DocType: POS Closing Voucher,Cashier,Kasserer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Fravær pr. år
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Række {0}: Tjek venligst &quot;Er Advance &#39;mod konto {1}, hvis dette er et forskud post."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Opsæt venligst studerende under elevgrupper
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Komplet job
 DocType: Item Website Specification,Item Website Specification,Varebeskrivelse til hjemmesiden
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Fravær blokeret
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Vare {0} har nået slutningen af sin levetid på {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Fravær blokeret
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Vare {0} har nået slutningen af sin levetid på {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank Entries
 DocType: Customer,Is Internal Customer,Er intern kunde
 DocType: Crop,Annual,Årligt
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Hvis Auto Opt In er markeret, bliver kunderne automatisk knyttet til det berørte loyalitetsprogram (ved at gemme)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lagerafstemningsvare
 DocType: Stock Entry,Sales Invoice No,Salgsfakturanr.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Forsyningstype
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Forsyningstype
 DocType: Material Request Item,Min Order Qty,Min. ordremængde
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Elevgruppeværktøj til dannelse af fag
 DocType: Lead,Do Not Contact,Må ikke komme i kontakt
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Offentliggør i Hub
 DocType: Student Admission,Student Admission,Studerende optagelse
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Vare {0} er aflyst
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Vare {0} er aflyst
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Afskrivningsrække {0}: Afskrivning Startdato er indtastet som tidligere dato
 DocType: Contract Template,Fulfilment Terms and Conditions,Opfyldelsesbetingelser
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materialeanmodning
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materialeanmodning
 DocType: Bank Reconciliation,Update Clearance Date,Opdatering Clearance Dato
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Indkøbsdetaljer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Vare {0} ikke fundet i &quot;Raw Materials Leveres &#39;bord i Indkøbsordre {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Vare {0} ikke fundet i &quot;Raw Materials Leveres &#39;bord i Indkøbsordre {1}
 DocType: Salary Slip,Total Principal Amount,Samlede hovedbeløb
 DocType: Student Guardian,Relation,Relation
 DocType: Student Guardian,Mother,Mor
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Anvendes ikke
 DocType: Currency Exchange,For Selling,Til salg
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Hjælp
+DocType: Purchase Invoice Item,Enable Deferred Expense,Aktivér udskudt udgift
 DocType: Asset,Next Depreciation Date,Næste afskrivningsdato
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitet Omkostninger per Medarbejder
 DocType: Accounts Settings,Settings for Accounts,Indstillinger for regnskab
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Leverandør faktura nr eksisterer i købsfaktura {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Leverandør faktura nr eksisterer i købsfaktura {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Administrer Sales Person Tree.
 DocType: Job Applicant,Cover Letter,Følgebrev
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Anvendes ikke
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Ekstern Work History
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Cirkulær reference Fejl
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studenterapport
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Fra Pin Code
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Fra Pin Code
 DocType: Appointment Type,Is Inpatient,Er sygeplejerske
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Navn
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"I ord (udlæsning) vil være synlig, når du gemmer følgesedlen."
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Multi Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fakturatype
 DocType: Employee Benefit Claim,Expense Proof,Udgiftsbevis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Følgeseddel
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Gemmer {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Følgeseddel
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Opsætning Skatter
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Udgifter Solgt Asset
 DocType: Volunteer,Morning,Morgen
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Betaling indtastning er blevet ændret, efter at du trak det. Venligst trække det igen."
 DocType: Program Enrollment Tool,New Student Batch,Ny Student Batch
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} indtastet to gange i varemoms
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Resumé for denne uge og verserende aktiviteter
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} indtastet to gange i varemoms
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Resumé for denne uge og verserende aktiviteter
 DocType: Student Applicant,Admitted,Advokat
 DocType: Workstation,Rent Cost,Leje Omkostninger
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Beløb efter afskrivninger
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Beløb efter afskrivninger
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Kommende kalenderbegivenheder
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant attributter
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Vælg måned og år
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Der kan kun være 1 konto pr. firma i {0} {1}
 DocType: Support Search Source,Response Result Key Path,Response Result Key Path
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},For mængden {0} bør ikke være rifler end arbejdsmængde {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Se venligst vedhæftede fil
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},For mængden {0} bør ikke være rifler end arbejdsmængde {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Se venligst vedhæftede fil
 DocType: Purchase Order,% Received,% Modtaget
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Opret Elevgrupper
 DocType: Volunteer,Weekends,weekender
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Samlet Udestående
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Skift start / aktuelle sekvensnummer af en eksisterende serie.
 DocType: Dosage Strength,Strength,Styrke
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Opret ny kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Opret ny kunde
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Udløbsdato
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Hvis flere Priser Regler fortsat gældende, er brugerne bedt om at indstille prioritet manuelt for at løse konflikter."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Opret indkøbsordrer
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Forbrugsmaterialer Cost
 DocType: Purchase Receipt,Vehicle Date,Køretøj dato
 DocType: Student Log,Medical,Medicinsk
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Tabsårsag
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Vælg venligst Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Tabsårsag
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Vælg venligst Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Emneejer kan ikke være den samme som emnet
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Allokeret beløb kan ikke større end ikke-justerede beløb
 DocType: Announcement,Receiver,Modtager
 DocType: Location,Area UOM,Område UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation er lukket på følgende datoer ifølge helligdagskalenderen: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Salgsmuligheder
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Salgsmuligheder
 DocType: Lab Test Template,Single,Enkeltværelse
 DocType: Compensatory Leave Request,Work From Date,Arbejde fra dato
 DocType: Salary Slip,Total Loan Repayment,Samlet lån til tilbagebetaling
+DocType: Project User,View attachments,Se vedhæftede filer
 DocType: Account,Cost of Goods Sold,Vareforbrug
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Indtast omkostningssted
 DocType: Drug Prescription,Dosage,Dosering
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Mængde og Pris
 DocType: Delivery Note,% Installed,% Installeret
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasseværelser / Laboratorier osv hvor foredrag kan planlægges.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Selskabets valutaer for begge virksomheder skal matche for Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Selskabets valutaer for begge virksomheder skal matche for Inter Company Transactions.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Indtast venligst firmanavn først
 DocType: Travel Itinerary,Non-Vegetarian,Ikke-Vegetarisk
 DocType: Purchase Invoice,Supplier Name,Leverandørnavn
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Midlertidigt på hold
 DocType: Account,Is Group,Er en kontogruppe
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditnota {0} er oprettet automatisk
-DocType: Email Digest,Pending Purchase Orders,Afventende indkøbsordrer
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Angiv serienumrene automatisk baseret på FIFO-princippet
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Tjek entydigheden af  leverandørfakturanummeret
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primær adresseoplysninger
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Tilpas den indledende tekst, der går som en del af denne e-mail. Hver transaktion har en separat indledende tekst."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Række {0}: Drift er påkrævet mod råvareelementet {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Indtast venligst standardbetalt konto for virksomheden {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transaktion er ikke tilladt mod stoppet Arbejdsordre {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transaktion er ikke tilladt mod stoppet Arbejdsordre {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globale indstillinger for alle produktionsprocesser.
 DocType: Accounts Settings,Accounts Frozen Upto,Regnskab Frozen Op
 DocType: SMS Log,Sent On,Sendt On
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valgt flere gange i attributter Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valgt flere gange i attributter Tabel
 DocType: HR Settings,Employee record is created using selected field. ,Medarbejder rekord er oprettet ved hjælp valgte felt.
 DocType: Sales Order,Not Applicable,ikke gældende
 DocType: Amazon MWS Settings,UK,UK
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Medarbejder {0} har allerede ansøgt om {1} på {2}:
 DocType: Inpatient Record,AB Positive,AB Positive
 DocType: Job Opening,Description of a Job Opening,Beskrivelse af en ledig stilling
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Afventende aktiviteter for i dag
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Afventende aktiviteter for i dag
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Lønart til tidsregistering
+DocType: Driver,Applicable for external driver,Gælder for ekstern driver
 DocType: Sales Order Item,Used for Production Plan,Bruges til Produktionsplan
 DocType: Loan,Total Payment,Samlet betaling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Kan ikke annullere transaktionen for Afsluttet Arbejdsordre.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Kan ikke annullere transaktionen for Afsluttet Arbejdsordre.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minutter)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO allerede oprettet for alle salgsordre elementer
 DocType: Healthcare Service Unit,Occupied,Optaget
 DocType: Clinical Procedure,Consumables,Forbrugsstoffer
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} er annulleret, så handlingen kan ikke gennemføres"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} er annulleret, så handlingen kan ikke gennemføres"
 DocType: Customer,Buyer of Goods and Services.,Køber af varer og tjenesteydelser.
 DocType: Journal Entry,Accounts Payable,Kreditor
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Antallet af {0} i denne betalingsanmodning adskiller sig fra det beregnede beløb for alle betalingsplaner: {1}. Sørg for, at dette er korrekt, inden du sender dokumentet."
 DocType: Patient,Allergies,allergier
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,De valgte styklister er ikke for den samme vare
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,De valgte styklister er ikke for den samme vare
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Skift varekode
 DocType: Supplier Scorecard Standing,Notify Other,Underret Andet
 DocType: Vital Signs,Blood Pressure (systolic),Blodtryk (systolisk)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Nok Dele til Build
 DocType: POS Profile User,POS Profile User,POS profil bruger
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Række {0}: Afskrivning Startdato er påkrævet
-DocType: Sales Invoice Item,Service Start Date,Service Startdato
+DocType: Purchase Invoice Item,Service Start Date,Service Startdato
 DocType: Subscription Invoice,Subscription Invoice,Abonnementsfaktura
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Direkte indkomst
 DocType: Patient Appointment,Date TIme,Dato Tid
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Rutine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetik
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Vælg venligst Afslutningsdato for Udfyldt Asset Maintenance Log
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","At fusionere, skal følgende egenskaber være ens for begge poster"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","At fusionere, skal følgende egenskaber være ens for begge poster"
 DocType: Supplier,Block Supplier,Bloker leverandør
 DocType: Shipping Rule,Net Weight,Nettovægt
 DocType: Job Opening,Planned number of Positions,Planlagt antal positioner
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Cash Flow Mapping Template
 DocType: Travel Request,Costing Details,Costing Detaljer
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Vis Returindlæg
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serienummervare kan ikke være en brøkdel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serienummervare kan ikke være en brøkdel
 DocType: Journal Entry,Difference (Dr - Cr),Difference (Dr - Cr)
 DocType: Bank Guarantee,Providing,At sørge for
 DocType: Account,Profit and Loss,Resultatopgørelse
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Ikke tilladt, konfigurere Lab Test Template efter behov"
 DocType: Patient,Risk Factors,Risikofaktorer
 DocType: Patient,Occupational Hazards and Environmental Factors,Arbejdsfarer og miljøfaktorer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,"Aktieindtægter, der allerede er oprettet til Arbejdsordre"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,"Aktieindtægter, der allerede er oprettet til Arbejdsordre"
 DocType: Vital Signs,Respiratory rate,Respirationsfrekvens
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Håndtering af underleverancer
 DocType: Vital Signs,Body Temperature,Kropstemperatur
 DocType: Project,Project will be accessible on the website to these users,Sagen vil være tilgængelig på hjemmesiden for disse brugere
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Kan ikke annullere {0} {1} fordi serienummer {2} ikke tilhører lageret {3}
 DocType: Detected Disease,Disease,Sygdom
+DocType: Company,Default Deferred Expense Account,Standard udskudt udgiftskonto
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definer projekttype.
 DocType: Supplier Scorecard,Weighting Function,Vægtningsfunktion
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Producerede varer
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Match transaktion til fakturaer
 DocType: Sales Order Item,Gross Profit,Gross Profit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Fjern blokering af faktura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Fjern blokering af faktura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Tilvækst kan ikke være 0
 DocType: Company,Delete Company Transactions,Slet Company Transaktioner
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referencenummer og reference Dato er obligatorisk for Bank transaktion
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Ignorér
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} er ikke aktiv
 DocType: Woocommerce Settings,Freight and Forwarding Account,Fragt og videresendelse konto
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Anvendes ikke
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Anvendes ikke
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Opret lønningslister
 DocType: Vital Signs,Bloated,Oppustet
 DocType: Salary Slip,Salary Slip Timesheet,Lønseddel Timeseddel
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underentreprise købskvittering
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underentreprise købskvittering
 DocType: Item Price,Valid From,Gyldig fra
 DocType: Sales Invoice,Total Commission,Samlet provision
 DocType: Tax Withholding Account,Tax Withholding Account,Skat tilbageholdende konto
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Alle leverandør scorecards.
 DocType: Buying Settings,Purchase Receipt Required,Købskvittering påkrævet
 DocType: Delivery Note,Rail,Rail
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Mållager i række {0} skal være det samme som Arbejdsordre
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Værdiansættelsesværdi er obligatorisk, hvis Åbning Stock indtastet"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Mållager i række {0} skal være det samme som Arbejdsordre
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Værdiansættelsesværdi er obligatorisk, hvis Åbning Stock indtastet"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Ingen poster i faktureringstabellen
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Vælg Company og Party Type først
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Angiv allerede standard i pos profil {0} for bruger {1}, venligt deaktiveret standard"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finansiel / regnskabsår.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finansiel / regnskabsår.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Akkumulerede værdier
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Beklager, serienumre kan ikke blive slået sammen"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Kundegruppe vil indstille til den valgte gruppe, mens du synkroniserer kunder fra Shopify"
@@ -895,7 +900,7 @@
 ,Lead Id,Emne-Id
 DocType: C-Form Invoice Detail,Grand Total,Beløb i alt
 DocType: Assessment Plan,Course,Kursus
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Sektionskode
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Sektionskode
 DocType: Timesheet,Payslip,Lønseddel
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Halvdagsdagen skal være mellem dato og dato
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Varekurv
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Personlig Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Medlemskab ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Leveret: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Leveret: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Tilsluttet QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Betales konto
 DocType: Payment Entry,Type of Payment,Betalingsmåde
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Halv dags dato er obligatorisk
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Fragtregningsdato
 DocType: Production Plan,Production Plan,Produktionsplan
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Åbning af fakturaoprettelsesværktøj
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Salg Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Salg Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Bemærk: I alt tildelt blade {0} bør ikke være mindre end allerede godkendte blade {1} for perioden
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Indstil antal i transaktioner baseret på serienummerindgang
 ,Total Stock Summary,Samlet lageroversigt
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Kunde eller vare
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kundedatabase.
 DocType: Quotation,Quotation To,Tilbud til
-DocType: Lead,Middle Income,Midterste indkomst
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Midterste indkomst
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Åbning (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standard måleenhed for Item {0} kan ikke ændres direkte, fordi du allerede har gjort nogle transaktion (er) med en anden UOM. Du bliver nødt til at oprette en ny konto for at bruge en anden Standard UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standard måleenhed for Item {0} kan ikke ændres direkte, fordi du allerede har gjort nogle transaktion (er) med en anden UOM. Du bliver nødt til at oprette en ny konto for at bruge en anden Standard UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Tildelte beløb kan ikke være negativ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Angiv venligst selskabet
 DocType: Share Balance,Share Balance,Aktiebalance
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Vælg Betalingskonto til bankbetalingerne
 DocType: Hotel Settings,Default Invoice Naming Series,Standard faktura navngivningsserie
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Opret Medarbejder optegnelser til at styre blade, udgiftsopgørelser og løn"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Der opstod en fejl under opdateringsprocessen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Der opstod en fejl under opdateringsprocessen
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant Reservation
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Forslag Skrivning
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling indtastning Fradrag
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Afslutter
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Underret kunder via e-mail
 DocType: Item,Batch Number Series,Batch Nummer Serie
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,En anden salgsmedarbejder {0} eksisterer med samme Medarbejder-id
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,En anden salgsmedarbejder {0} eksisterer med samme Medarbejder-id
 DocType: Employee Advance,Claimed Amount,Påstået beløb
+DocType: QuickBooks Migrator,Authorization Settings,Autorisationsindstillinger
 DocType: Travel Itinerary,Departure Datetime,Afrejse Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Rejseforespørgsel Costing
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Leverandørnavngivning af
 DocType: Activity Type,Default Costing Rate,Standard Costing Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Vedligeholdelsesplan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Så vil prisreglerne blive filtreret på kunde, kundegruppe, område, leverandør, leverandørtype, kampagne, salgspartner etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Så vil prisreglerne blive filtreret på kunde, kundegruppe, område, leverandør, leverandørtype, kampagne, salgspartner etc."
 DocType: Employee Promotion,Employee Promotion Details,Medarbejderfremmende detaljer
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Netto Ændring i Inventory
 DocType: Employee,Passport Number,Pasnummer
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Forholdet til Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Leder
 DocType: Payment Entry,Payment From / To,Betaling fra/til
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Fra Skatteår
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ny kreditmaksimum er mindre end nuværende udestående beløb for kunden. Credit grænse skal være mindst {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Venligst indstil konto i lager {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Venligst indstil konto i lager {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Baseret på' og 'Sortér efter ' ikke kan være samme
 DocType: Sales Person,Sales Person Targets,Salgs person Mål
 DocType: Work Order Operation,In minutes,I minutter
 DocType: Issue,Resolution Date,Løsningsdato
 DocType: Lab Test Template,Compound,Forbindelse
+DocType: Opportunity,Probability (%),Sandsynlighed (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Dispatch Notification
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Vælg Ejendom
 DocType: Student Batch Name,Batch Name,Partinavn
 DocType: Fee Validity,Max number of visit,Maks antal besøg
 ,Hotel Room Occupancy,Hotelværelse Occupancy
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timeseddel oprettet:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Indstil standard Kontant eller bank konto i mode for betaling {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Indstil standard Kontant eller bank konto i mode for betaling {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Indskrive
 DocType: GST Settings,GST Settings,GST-indstillinger
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuta bør være den samme som Prisliste Valuta: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Samlet Renteudgifter
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landede Cost Skatter og Afgifter
 DocType: Work Order Operation,Actual Start Time,Faktisk starttid
+DocType: Purchase Invoice Item,Deferred Expense Account,Udskudt udgiftskonto
 DocType: BOM Operation,Operation Time,Operation Time
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Slutte
 DocType: Salary Structure Assignment,Base,Grundlag
 DocType: Timesheet,Total Billed Hours,Total Billed Timer
 DocType: Travel Itinerary,Travel To,Rejse til
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,er ikke
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Skriv Off Beløb
 DocType: Leave Block List Allow,Allow User,Tillad Bruger
 DocType: Journal Entry,Bill No,Bill Ingen
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Tidsregistrering
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush råstoffer baseret på
 DocType: Sales Invoice,Port Code,Port kode
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reserve Warehouse
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reserve Warehouse
 DocType: Lead,Lead is an Organization,Bly er en organisation
-DocType: Guardian Interest,Interest,Interesse
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pre-Sale
 DocType: Instructor Log,Other Details,Andre detaljer
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Regnskab
 DocType: Vehicle,Odometer Value (Last),Kilometerstand (sidste aflæsning)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Skabeloner af leverandør scorecard kriterier.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Indløs loyalitetspoint
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Betalingspost er allerede dannet
 DocType: Request for Quotation,Get Suppliers,Få leverandører
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Beskær afstanden UOM
 DocType: Loyalty Program,Single Tier Program,Single Tier Program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Vælg kun, hvis du har opsætningen Cash Flow Mapper-dokumenter"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Fra adresse 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Fra adresse 1
 DocType: Email Digest,Next email will be sent on:,Næste email vil blive sendt på:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Følgende element {items} {verb} markeret som {message} item. \ Du kan aktivere dem som {message} element fra dets Item master
 DocType: Supplier Scorecard,Per Week,Per uge
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Vare har varianter.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Vare har varianter.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Samlet studerende
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Vare {0} ikke fundet
 DocType: Bin,Stock Value,Stock Value
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Firma {0} findes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Firma {0} findes ikke
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} har gebyrgyldighed indtil {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Antal Consumed Per Unit
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Credit Card indtastning
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Firma og regnskab
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,I Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,I Value
 DocType: Asset Settings,Depreciation Options,Afskrivningsmuligheder
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Enten placering eller medarbejder skal være påkrævet
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Ugyldig postetid
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Tildeling
 DocType: Purchase Order,Supply Raw Materials,Supply råmaterialer
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Omsætningsaktiver
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} er ikke en lagervare
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} er ikke en lagervare
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Del venligst din feedback til træningen ved at klikke på &#39;Træningsfejl&#39; og derefter &#39;Ny&#39;
 DocType: Mode of Payment Account,Default Account,Standard-konto
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Vælg venligst Sample Retention Warehouse i lagerindstillinger først
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Vælg venligst Sample Retention Warehouse i lagerindstillinger først
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Vælg venligst flere tierprogramtype for mere end én samlingsregler.
 DocType: Payment Entry,Received Amount (Company Currency),Modtaget beløb (firmavaluta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"""Er emne"" skal markeres, hvis salgsmulighed er lavet fra emne"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Betaling annulleret. Tjek venligst din GoCardless-konto for flere detaljer
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Send med vedhæftet fil
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Vælg ugentlig fridag
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planlagt sluttid
 ,Sales Person Target Variance Item Group-Wise,Salg Person Target Variance Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Konto med eksisterende transaktion kan ikke konverteres til finans
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Konto med eksisterende transaktion kan ikke konverteres til finans
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership Type Detaljer
 DocType: Delivery Note,Customer's Purchase Order No,Kundens indkøbsordrenr.
 DocType: Clinical Procedure,Consume Stock,Forbruge lager
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Sand
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energi
 DocType: Opportunity,Opportunity From,Salgsmulighed fra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Række {0}: {1} Serienumre er nødvendige for punkt {2}. Du har angivet {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Række {0}: {1} Serienumre er nødvendige for punkt {2}. Du har angivet {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Vælg venligst en tabel
 DocType: BOM,Website Specifications,Website Specifikationer
 DocType: Special Test Items,Particulars,Oplysninger
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Fra {0} af typen {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Række {0}: konverteringsfaktor er obligatorisk
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Række {0}: konverteringsfaktor er obligatorisk
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris Regler eksisterer med samme kriterier, skal du løse konflikter ved at tildele prioritet. Pris Regler: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris Regler eksisterer med samme kriterier, skal du løse konflikter ved at tildele prioritet. Pris Regler: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Valutakursomskrivningskonto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Kan ikke deaktivere eller annullere en stykliste, som det er forbundet med andre styklister"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Kan ikke deaktivere eller annullere en stykliste, som det er forbundet med andre styklister"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Vælg venligst Company og Posting Date for at få poster
 DocType: Asset,Maintenance,Vedligeholdelse
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Få fra Patient Encounter
 DocType: Subscriber,Subscriber,abonnent
 DocType: Item Attribute Value,Item Attribute Value,Item Attribut Værdi
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Opdater venligst din projektstatus
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Opdater venligst din projektstatus
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valutaveksling skal være gældende for køb eller salg.
 DocType: Item,Maximum sample quantity that can be retained,"Maksimal prøvemængde, der kan opbevares"
 DocType: Project Update,How is the Project Progressing Right Now?,Hvordan foregår Projektet lige nu?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Række {0} # Item {1} kan ikke overføres mere end {2} imod indkøbsordre {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Række {0} # Item {1} kan ikke overføres mere end {2} imod indkøbsordre {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Salgskampagner.
 DocType: Project Task,Make Timesheet,Opret tidsregistreringskladde
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Student Report Generation Tool
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Healthcare Schedule Time Slot
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Navn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Navn
 DocType: Expense Claim Detail,Expense Claim Type,Udlægstype
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardindstillinger for Indkøbskurv
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Tilføj Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Anlægsasset er kasseret via finanspost {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Indstil konto i lager {0} eller standard lagerkonto i firma {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Anlægsasset er kasseret via finanspost {0}
 DocType: Loan,Interest Income Account,Renter Indkomst konto
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maksimale fordele skal være større end nul for at uddele fordele
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maksimale fordele skal være større end nul for at uddele fordele
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Gennemgå invitation sendt
 DocType: Shift Assignment,Shift Assignment,Skift opgave
 DocType: Employee Transfer Property,Employee Transfer Property,Medarbejderoverdragelsesejendom
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Fra tiden skal være mindre end til tiden
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Bioteknologi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Konto {0} (Serienummer: {1}) kan ikke indtages, som er forbeholdt \ at fuldfylde salgsordre {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Kontorholdudgifter
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Gå til
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Opdater pris fra Shopify til ERPNæste prisliste
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Opsætning Email-konto
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Indtast vare først
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Behovsanalyse
 DocType: Asset Repair,Downtime,nedetid
 DocType: Account,Liability,Passiver
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bevilliget beløb kan ikke være større end udlægsbeløbet i række {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bevilliget beløb kan ikke være større end udlægsbeløbet i række {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademisk Term:
 DocType: Salary Component,Do not include in total,Inkluder ikke i alt
 DocType: Company,Default Cost of Goods Sold Account,Standard vareforbrug konto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mere end modtaget mængde {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Prisliste ikke valgt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mere end modtaget mængde {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Prisliste ikke valgt
 DocType: Employee,Family Background,Familiebaggrund
 DocType: Request for Quotation Supplier,Send Email,Send e-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Advarsel: ugyldig vedhæftet fil {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Advarsel: ugyldig vedhæftet fil {0}
 DocType: Item,Max Sample Quantity,Max prøve antal
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Ingen tilladelse
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrol Fulfillment Checklist
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: omkostningssted {2} tilhører ikke firma {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Upload dit brevhoved (Hold det webvenligt som 900px ved 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} kan ikke være en gruppe
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {doctype} {DOCNAME} findes ikke i ovenstående &#39;{doctype}&#39; tabel
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Tidsregistreringskladde {0} er allerede afsluttet eller annulleret
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Tidsregistreringskladde {0} er allerede afsluttet eller annulleret
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Ingen opgaver
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Salgsfaktura {0} oprettet som betalt
 DocType: Item Variant Settings,Copy Fields to Variant,Kopier felt til variant
 DocType: Asset,Opening Accumulated Depreciation,Åbning Akkumulerede afskrivninger
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score skal være mindre end eller lig med 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tilmelding Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form optegnelser
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form optegnelser
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Aktierne eksisterer allerede
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kunde og leverandør
 DocType: Email Digest,Email Digest Settings,Indstillinger for e-mail nyhedsbreve
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,Vælg varer
 DocType: Share Transfer,To Shareholder,Til aktionær
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} mod regning {1} dateret {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Fra stat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Fra stat
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Opsætningsinstitution
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Tildele blade ...
 DocType: Program Enrollment,Vehicle/Bus Number,Køretøj / busnummer
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kursusskema
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Du er nødt til at fradrage skat på ikke-meddelte skattefritagelsesbevis og uopkrævede medarbejderfordele i den sidste lønudbetalingstidsperiode
 DocType: Request for Quotation Supplier,Quote Status,Citat Status
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,Sidste betalingsdato
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Vælg igen, hvis den valgte adresse redigeres efter gem"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Item Variant {0} findes allerede med samme attributter
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Item Variant {0} findes allerede med samme attributter
 DocType: Item,Hub Publishing Details,Hub Publishing Detaljer
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Åbner'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Åbner'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Åbn Opgaver
 DocType: Issue,Via Customer Portal,Via kundeportalen
 DocType: Notification Control,Delivery Note Message,Følgeseddelmeddelelse
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Beløb
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Beløb
 DocType: Lab Test Template,Result Format,Resultatformat
 DocType: Expense Claim,Expenses,Udgifter
 DocType: Item Variant Attribute,Item Variant Attribute,Item Variant Attribut
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,Hver anden måned
 DocType: Vehicle Service,Brake Pad,Bremseklods
 DocType: Fertilizer,Fertilizer Contents,Indhold af gødning
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Forskning &amp; Udvikling
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Forskning &amp; Udvikling
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Beløb til fakturering
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Startdato og slutdato overlapper jobkortet <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registrering Detaljer
 DocType: Timesheet,Total Billed Amount,Samlet Faktureret beløb
 DocType: Item Reorder,Re-Order Qty,Re-prisen evt
 DocType: Leave Block List Date,Leave Block List Date,Fraværsblokeringsdato
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Indstil venligst instruktørens navngivningssystem under Uddannelse&gt; Uddannelsesindstillinger
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Råmateriale kan ikke være det samme som hovedartikel
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total gældende takster i købskvitteringsvaretabel skal være det samme som de samlede skatter og afgifter
 DocType: Sales Team,Incentives,Incitamenter
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Kassesystem
 DocType: Fee Schedule,Fee Creation Status,Fee Creation Status
 DocType: Vehicle Log,Odometer Reading,kilometerstand
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto balance er kredit, Du har ikke lov til at ændre 'Balancetype' til 'debet'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto balance er kredit, Du har ikke lov til at ændre 'Balancetype' til 'debet'"
 DocType: Account,Balance must be,Balance skal være
 DocType: Notification Control,Expense Claim Rejected Message,Udlæg afvist besked
 ,Available Qty,Tilgængelig Antal
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,"Synkroniser altid dine produkter fra Amazon MWS, før du synkroniserer bestillingsoplysningerne"
 DocType: Delivery Trip,Delivery Stops,Levering stopper
 DocType: Salary Slip,Working Days,Arbejdsdage
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Kan ikke ændre Service Stop Date for element i række {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Kan ikke ændre Service Stop Date for element i række {0}
 DocType: Serial No,Incoming Rate,Indgående sats
 DocType: Packing Slip,Gross Weight,Bruttovægt
 DocType: Leave Type,Encashment Threshold Days,Encashment Threshold Days
@@ -1399,31 +1407,33 @@
 DocType: Restaurant Table,Minimum Seating,Mindste plads
 DocType: Item Attribute,Item Attribute Values,Item Egenskab Værdier
 DocType: Examination Result,Examination Result,eksamensresultat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Købskvittering
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Købskvittering
 ,Received Items To Be Billed,Modtagne varer skal faktureres
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Valutakursen mester.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Valutakursen mester.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Henvisning Doctype skal være en af {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter Total Nul Antal
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Kan ikke finde Time Slot i de næste {0} dage til Operation {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan materiale til sub-enheder
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Forhandlere og områder
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Stykliste {0} skal være aktiv
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Stykliste {0} skal være aktiv
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Ingen emner til overførsel
 DocType: Employee Boarding Activity,Activity Name,Aktivitetsnavn
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Skift Udgivelsesdato
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Færdig produktmængde <b>{0}</b> og For Mængde <b>{1}</b> kan ikke være anderledes
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Skift Udgivelsesdato
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Færdig produktmængde <b>{0}</b> og For Mængde <b>{1}</b> kan ikke være anderledes
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Lukning (Åbning + I alt)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Varenummer&gt; Varegruppe&gt; Mærke
+DocType: Delivery Settings,Dispatch Notification Attachment,Dispatch Notification Attachment
 DocType: Payroll Entry,Number Of Employees,Antal medarbejdere
 DocType: Journal Entry,Depreciation Entry,Afskrivninger indtastning
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Vælg dokumenttypen først
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Vælg dokumenttypen først
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,"Annuller Materiale Besøg {0}, før den annullerer denne vedligeholdelse Besøg"
 DocType: Pricing Rule,Rate or Discount,Pris eller rabat
 DocType: Vital Signs,One Sided,Ensidigt
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serienummer {0} hører ikke til vare {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Nødvendigt antal
 DocType: Marketplace Settings,Custom Data,Brugerdefinerede data
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Lager med eksisterende transaktioner kan ikke konverteres til Finans.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serienummer er obligatorisk for varen {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Lager med eksisterende transaktioner kan ikke konverteres til Finans.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serienummer er obligatorisk for varen {0}
 DocType: Bank Reconciliation,Total Amount,Samlet beløb
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Fra dato og til dato ligger i forskellige regnskabsår
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Patienten {0} har ikke kunderefrence til at fakturere
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),Ler sammensætning (%)
 DocType: Item Group,Item Group Defaults,Vare gruppe standard
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Gem venligst før du tildeler opgave.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Balance Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Balance Value
 DocType: Lab Test,Lab Technician,Laboratorie tekniker
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Salgsprisliste
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Salgsprisliste
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Hvis markeret, oprettes en kunde, der er kortlagt til patienten. Patientfakturaer vil blive oprettet mod denne kunde. Du kan også vælge eksisterende kunde, mens du opretter patient."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Kunden er ikke indskrevet i noget loyalitetsprogram
@@ -1450,13 +1460,13 @@
 DocType: Support Search Source,Search Term Param Name,Søg term Param Navn
 DocType: Item Barcode,Item Barcode,Item Barcode
 DocType: Woocommerce Settings,Endpoints,endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Item Varianter {0} opdateret
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Item Varianter {0} opdateret
 DocType: Quality Inspection Reading,Reading 6,Læsning 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uden nogen negativ udestående faktura
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uden nogen negativ udestående faktura
 DocType: Share Transfer,From Folio No,Fra Folio nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Købsfaktura Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Række {0}: Kredit indgang ikke kan knyttes med en {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definer budget for et regnskabsår.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definer budget for et regnskabsår.
 DocType: Shopify Tax Account,ERPNext Account,ERPNæste konto
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} er blokeret, så denne transaktion kan ikke fortsætte"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Handling hvis akkumuleret månedlig budget oversteg MR
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Købsfaktura
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Tillad flere materialforbrug mod en arbejdsordre
 DocType: GL Entry,Voucher Detail No,Voucher Detail Nej
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nye salgsfaktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nye salgsfaktura
 DocType: Stock Entry,Total Outgoing Value,Samlet værdi udgående
 DocType: Healthcare Practitioner,Appointments,Udnævnelser
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Åbning Dato og Closing Datoen skal ligge inden samme regnskabsår
 DocType: Lead,Request for Information,Anmodning om information
 ,LeaderBoard,LEADERBOARD
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate med margen (Company Currency)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Synkroniser Offline fakturaer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Synkroniser Offline fakturaer
 DocType: Payment Request,Paid,Betalt
 DocType: Program Fee,Program Fee,Program Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Udskift en bestemt BOM i alle andre BOM&#39;er, hvor den bruges. Det vil erstatte det gamle BOM-link, opdateringsomkostninger og genoprette &quot;BOM Explosion Item&quot; -tabellen som pr. Nye BOM. Det opdaterer også nyeste pris i alle BOM&#39;erne."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Følgende arbejdsordrer blev oprettet:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Følgende arbejdsordrer blev oprettet:
 DocType: Salary Slip,Total in words,I alt i ord
 DocType: Inpatient Record,Discharged,udledt
 DocType: Material Request Item,Lead Time Date,Leveringstid Dato
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,Kom i gang sektioner
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sanktioneret
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,er obligatorisk. Måske Valutaveksling rekord er ikke skabt til
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Række # {0}: Angiv serienummer for vare {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Samlet bidragsbeløb: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Række # {0}: Angiv serienummer for vare {1}
 DocType: Payroll Entry,Salary Slips Submitted,Lønssedler indsendes
 DocType: Crop Cycle,Crop Cycle,Afgrødecyklus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For produktpakke-varer, lagre, serienumre og partier vil blive betragtet fra pakkelistetabellen. Hvis lager og parti er ens for alle pakkede varer for enhver produktpakkevare, kan disse værdier indtastes for den vigtigste vare, og værdierne vil blive kopieret til pakkelistetabellen."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For produktpakke-varer, lagre, serienumre og partier vil blive betragtet fra pakkelistetabellen. Hvis lager og parti er ens for alle pakkede varer for enhver produktpakkevare, kan disse værdier indtastes for den vigtigste vare, og værdierne vil blive kopieret til pakkelistetabellen."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Fra Sted
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay kan ikke være negativ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Fra Sted
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay kan ikke være negativ
 DocType: Student Admission,Publish on website,Udgiv på hjemmesiden
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Leverandørfakturadato kan ikke være større end bogføringsdatoen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Leverandørfakturadato kan ikke være større end bogføringsdatoen
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Annulleringsdato
 DocType: Purchase Invoice Item,Purchase Order Item,Indkøbsordre vare
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Deltagelse Tool
 DocType: Restaurant Menu,Price List (Auto created),Prisliste (Auto oprettet)
 DocType: Cheque Print Template,Date Settings,Datoindstillinger
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varians
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varians
 DocType: Employee Promotion,Employee Promotion Detail,Medarbejderfremmende detaljer
 ,Company Name,Firmaets navn
 DocType: SMS Center,Total Message(s),Besked (er) i alt
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Send ikke medarbejderfødselsdags- påmindelser
 DocType: Expense Claim,Total Advance Amount,Samlet forskudsbeløb
 DocType: Delivery Stop,Estimated Arrival,Forventet ankomst
-DocType: Delivery Stop,Notified by Email,Notificeret via Email
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Se alle artikler
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,Kontrolkriterier
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,Faktureres
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Hvid
 DocType: SMS Center,All Lead (Open),Alle emner (åbne)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Række {0}: Antal ikke tilgængelig for {4} i lageret {1} på udstationering tid af posten ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Række {0}: Antal ikke tilgængelig for {4} i lageret {1} på udstationering tid af posten ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Du kan kun vælge maksimalt en mulighed fra listen over afkrydsningsfelter.
 DocType: Purchase Invoice,Get Advances Paid,Få forskud
 DocType: Item,Automatically Create New Batch,Opret automatisk et nyt parti
 DocType: Supplier,Represents Company,Representerer firma
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Opret
 DocType: Student Admission,Admission Start Date,Optagelse Startdato
 DocType: Journal Entry,Total Amount in Words,Samlet beløb i Words
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Ny medarbejder
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Der opstod en fejl. En sandsynlig årsag kan være, at du ikke har gemt formularen. Kontakt venligst support@erpnext.com hvis problemet fortsætter."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Indkøbskurv
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Bestil type skal være en af {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Bestil type skal være en af {0}
 DocType: Lead,Next Contact Date,Næste kontakt d.
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Åbning Antal
 DocType: Healthcare Settings,Appointment Reminder,Aftalens påmindelse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Indtast konto for returbeløb
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Indtast konto for returbeløb
 DocType: Program Enrollment Tool Student,Student Batch Name,Elevgruppenavn
 DocType: Holiday List,Holiday List Name,Helligdagskalendernavn
 DocType: Repayment Schedule,Balance Loan Amount,Balance Lånebeløb
@@ -1577,13 +1585,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Aktieoptioner
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Ingen varer tilføjet til indkøbsvogn
 DocType: Journal Entry Account,Expense Claim,Udlæg
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Vil du virkelig gendanne dette kasserede anlægsaktiv?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Vil du virkelig gendanne dette kasserede anlægsaktiv?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Antal for {0}
 DocType: Leave Application,Leave Application,Ansøg om fravær
 DocType: Patient,Patient Relation,Patientrelation
 DocType: Item,Hub Category to Publish,Hub kategori til udgivelse
 DocType: Leave Block List,Leave Block List Dates,Fraværsblokeringsdatoer
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Salgsordre {0} har forbehold for vare {1}, du kan kun levere reserveret {1} mod {0}. Serienummer {2} kan ikke leveres"
 DocType: Sales Invoice,Billing Address GSTIN,Faktureringsadresse GSTIN
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Angiv en {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Fjernede elementer uden nogen ændringer i mængde eller værdi.
 DocType: Delivery Note,Delivery To,Levering Til
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variantoprettelse er blevet køet.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Arbejdsoversigt for {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variantoprettelse er blevet køet.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Arbejdsoversigt for {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Den første tilladelse til tilladelse i listen vil blive indstillet som standardladetilladelse.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Attributtabellen er obligatorisk
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Attributtabellen er obligatorisk
 DocType: Production Plan,Get Sales Orders,Hent salgsordrer
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} kan ikke være negativ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Opret forbindelse til Quickbooks
 DocType: Training Event,Self-Study,Selvstudie
 DocType: POS Closing Voucher,Period End Date,Periode Slutdato
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Jordsammensætninger tilføjer ikke op til 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Rabat
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Række {0}: {1} er påkrævet for at oprette åbningen {2} fakturaer
 DocType: Membership,Membership,Medlemskab
 DocType: Asset,Total Number of Depreciations,Samlet antal afskrivninger
 DocType: Sales Invoice Item,Rate With Margin,Vurder med margen
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Angiv en gyldig Row ID for rækken {0} i tabel {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Kan ikke finde variabel:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Vælg venligst et felt for at redigere fra numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Kan ikke være en fast aktivpost, da lagerliste oprettes."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Kan ikke være en fast aktivpost, da lagerliste oprettes."
 DocType: Subscription Plan,Fixed rate,Fast pris
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Indrømme
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Gå til skrivebordet og begynd at bruge ERPNext
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,Forsendelse stat
 ,Projected Quantity as Source,Forventet mængde som kilde
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Varer skal tilføjes ved hjælp af knappen: ""Hent varer fra købskvitteringer"""
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Leveringsrejse
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Leveringsrejse
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Overførselstype
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Salgsomkostninger
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,Standard salgsomkostningssted
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disc
 DocType: Buying Settings,Material Transferred for Subcontract,Materialet overført til underentreprise
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postnummer
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Salgsordre {0} er {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Indkøbsordrer Varer Forfaldne
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Postnummer
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Salgsordre {0} er {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Vælg renteindtægter konto i lån {0}
 DocType: Opportunity,Contact Info,Kontaktinformation
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Making Stock Angivelser
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Fakturaen kan ikke laves for nul faktureringstid
 DocType: Company,Date of Commencement,Dato for påbegyndelse
 DocType: Sales Person,Select company name first.,Vælg firmanavn først.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail sendt til {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail sendt til {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Tilbud modtaget fra leverandører.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Erstat BOM og opdater seneste pris i alle BOM&#39;er
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Til {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Dette er en rodleverandørgruppe og kan ikke redigeres.
-DocType: Delivery Trip,Driver Name,Drivernavn
+DocType: Delivery Note,Driver Name,Drivernavn
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Gennemsnitlig alder
 DocType: Education Settings,Attendance Freeze Date,Tilmelding senest d.
 DocType: Payment Request,Inward,indad
@@ -1698,7 +1709,7 @@
 DocType: Company,Parent Company,Moderselskab
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotelværelser af typen {0} er ikke tilgængelige på {1}
 DocType: Healthcare Practitioner,Default Currency,Standardvaluta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maksimal rabat for vare {0} er {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maksimal rabat for vare {0} er {1}%
 DocType: Asset Movement,From Employee,Fra Medarbejder
 DocType: Driver,Cellphone Number,telefon nummer
 DocType: Project,Monitor Progress,Monitor Progress
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Antal skal være mindre end eller lig med {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},"Maksimumsbeløb, der er berettiget til komponenten {0}, overstiger {1}"
 DocType: Department Approver,Department Approver,Afdelingsgodkendelse
+DocType: QuickBooks Migrator,Application Settings,Applikationsindstillinger
 DocType: SMS Center,Total Characters,Total tegn
 DocType: Employee Advance,Claimed,hævdede
 DocType: Crop,Row Spacing,Rækkevidde
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Vælg BOM i BOM vilkår for Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Vælg BOM i BOM vilkår for Item {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Der er ikke nogen varianter for det valgte emne
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsafstemningsfaktura
 DocType: Clinical Procedure,Procedure Template,Procedureskabelon
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Bidrag%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","I henhold til købsindstillingerne, hvis købsordren er påkrævet == &#39;JA&#39; og derefter for at oprette Købsfaktura skal brugeren først oprette indkøbsordre for vare {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Bidrag%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","I henhold til købsindstillingerne, hvis købsordren er påkrævet == &#39;JA&#39; og derefter for at oprette Købsfaktura skal brugeren først oprette indkøbsordre for vare {0}"
 ,HSN-wise-summary of outward supplies,HSN-wise-sammendrag af ydre forsyninger
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Firma registreringsnumre til din reference. Skat numre etc.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Til stat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Til stat
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributør
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Indkøbskurv forsendelsesregler
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,Bestilte varer at blive faktureret
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Fra Range skal være mindre end at ligge
 DocType: Global Defaults,Global Defaults,Globale indstillinger
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Invitation til sagssamarbejde
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Invitation til sagssamarbejde
 DocType: Salary Slip,Deductions,Fradrag
 DocType: Setup Progress Action,Action Name,Handlingsnavn
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Startår
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,Konsulent
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Forældres lærermøde
 DocType: Salary Slip,Earnings,Indtjening
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Færdig element {0} skal indtastes for Fremstilling typen post
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Færdig element {0} skal indtastes for Fremstilling typen post
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Åbning Regnskab Balance
 ,GST Sales Register,GST salgsregistrering
 DocType: Sales Invoice Advance,Sales Invoice Advance,Salgsfaktura Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Intet at anmode om
+DocType: Stock Settings,Default Return Warehouse,Standard Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Vælg dine domæner
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Leverandør
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalingsfakturaelementer
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Felter vil blive kopieret over kun på tidspunktet for oprettelsen.
 DocType: Setup Progress Action,Domains,Domæner
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Faktisk startdato' kan ikke være større end 'Faktisk slutdato'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Ledelse
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Ledelse
 DocType: Cheque Print Template,Payer Settings,payer Indstillinger
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Ingen afventer materialeanmodninger fundet for at linke for de givne varer.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Vælg firma først
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dette vil blive føjet til varen af varianten. For eksempel, hvis dit forkortelse er ""SM"", og varenummeret er ""T-SHIRT"", så vil variantens varenummer blive ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettoløn (i ord) vil være synlig, når du gemmer lønsedlen."
 DocType: Delivery Note,Is Return,Er Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Advarsel
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Startdagen er større end slutdagen i opgaven &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Retur / debetnota
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Retur / debetnota
 DocType: Price List Country,Price List Country,Prislisteland
 DocType: Item,UOMs,Enheder
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} gyldige serienumre for vare {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Giv oplysninger.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverandør database.
 DocType: Contract Template,Contract Terms and Conditions,Kontraktvilkår og betingelser
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Du kan ikke genstarte en abonnement, der ikke annulleres."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Du kan ikke genstarte en abonnement, der ikke annulleres."
 DocType: Account,Balance Sheet,Balance
 DocType: Leave Type,Is Earned Leave,Er tjent forladelse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Omkostningssted for vare med varenr. '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Omkostningssted for vare med varenr. '
 DocType: Fee Validity,Valid Till,Gyldig til
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Samlet forældreundervisningsmøde
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalingsmåde er ikke konfigureret. Kontroller, om konto er blevet indstillet på betalingsmåden eller på Kassesystemprofilen."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalingsmåde er ikke konfigureret. Kontroller, om konto er blevet indstillet på betalingsmåden eller på Kassesystemprofilen."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samme vare kan ikke indtastes flere gange.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Kan gøres yderligere konti under grupper, men oplysningerne kan gøres mod ikke-grupper"
 DocType: Lead,Lead,Emne
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Lagerindtastning {0} oprettet
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Du har ikke nok loyalitetspoint til at indløse
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Afvist Antal kan ikke indtastes i Indkøb Return
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Indstil tilknyttet konto i Skatholdigheds kategori {0} mod firma {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Afvist Antal kan ikke indtastes i Indkøb Return
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Ændring af kundegruppe for den valgte kunde er ikke tilladt.
 ,Purchase Order Items To Be Billed,Indkøbsordre varer til fakturering
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Opdaterer forventede ankomsttider.
 DocType: Program Enrollment Tool,Enrollment Details,Indtastningsdetaljer
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Kan ikke indstille flere standardindstillinger for en virksomhed.
 DocType: Purchase Invoice Item,Net Rate,Nettosats
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Vælg venligst en kunde
 DocType: Leave Policy,Leave Allocations,Forlade tildelinger
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,tilbagebetaling Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Indlæg' kan ikke være tomt
 DocType: Maintenance Team Member,Maintenance Role,Vedligeholdelsesrolle
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplikér række {0} med samme {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplikér række {0} med samme {1}
 DocType: Marketplace Settings,Disable Marketplace,Deaktiver Marketplace
 ,Trial Balance,Trial Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Regnskabsår {0} blev ikke fundet
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Abonnementsindstillinger
 DocType: Purchase Invoice,Update Auto Repeat Reference,Opdater Auto Repeat Reference
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},"Valgfri ferieliste, der ikke er indstillet for orlovsperioden {0}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},"Valgfri ferieliste, der ikke er indstillet for orlovsperioden {0}"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Forskning
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Til adresse 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Til adresse 2
 DocType: Maintenance Visit Purpose,Work Done,Arbejdet udført
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Angiv mindst én attribut i Attributter tabellen
 DocType: Announcement,All Students,Alle studerende
@@ -1854,16 +1870,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Afstemte transaktioner
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Tidligste
 DocType: Crop Cycle,Linked Location,Linked Location
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Der eksisterer en varegruppe med samme navn, og du bedes derfor ændre varenavnet eller omdøbe varegruppen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Der eksisterer en varegruppe med samme navn, og du bedes derfor ændre varenavnet eller omdøbe varegruppen"
 DocType: Crop Cycle,Less than a year,Mindre end et år
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studerende mobiltelefonnr.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Resten af verden
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Resten af verden
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Vare {0} kan ikke have parti
 DocType: Crop,Yield UOM,Udbytte UOM
 ,Budget Variance Report,Budget Variance Report
 DocType: Salary Slip,Gross Pay,Bruttoløn
 DocType: Item,Is Item from Hub,Er vare fra nav
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Få artikler fra sundhedsydelser
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Få artikler fra sundhedsydelser
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Række {0}: Aktivitetstypen er obligatorisk.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Betalt udbytte
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Regnskab Ledger
@@ -1878,6 +1894,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Betaling tilstand
 DocType: Purchase Invoice,Supplied Items,Medfølgende varer
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Indstil en aktiv menu for Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Kommissionens sats%
 DocType: Work Order,Qty To Manufacture,Antal at producere
 DocType: Email Digest,New Income,Ny Indkomst
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Bevar samme sats i hele køb cyklus
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Værdiansættelsesbeløb påkrævet for varen i række {0}
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Eksempel: Masters i Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Leverandør {0} ikke fundet i {1}
 DocType: Purchase Invoice,Rejected Warehouse,Afvist lager
 DocType: GL Entry,Against Voucher,Modbilag
 DocType: Item Default,Default Buying Cost Center,Standard købsomkostningssted
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","For at få det bedste ud af ERPNext, anbefaler vi, at du tager lidt tid og se disse hjælpe videoer."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),For standardleverandør (valgfrit)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,til
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),For standardleverandør (valgfrit)
 DocType: Supplier Quotation Item,Lead Time in days,Gennemsnitlig leveringstid i dage
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Kreditorer Resumé
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Ikke autoriseret til at redigere låst konto {0}
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Advar om ny anmodning om tilbud
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Indkøbsordrer hjælpe dig med at planlægge og følge op på dine køb
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Prescriptions
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Den samlede overførselsmængde {0} i materialeanmodning {1} \ kan ikke være større end den anmodede mængde {2} for vare {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Lille
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Hvis Shopify ikke indeholder en kunde i Bestil, så vil systemet overveje standardkunder for ordre, mens du synkroniserer Ordrer"
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,% afsluttet
 ,Invoiced Amount (Exculsive Tax),Faktureret beløb (exculsive Tax)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Vare 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorisation Endpoint
 DocType: Travel Request,International,International
 DocType: Training Event,Training Event,Træning begivenhed
 DocType: Item,Auto re-order,Auto re-ordre
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,Kontrakt
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorietestning Datetime
 DocType: Email Digest,Add Quote,Tilføj tilbud
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor kræves for Pakke: {0} i Konto: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor kræves for Pakke: {0} i Konto: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Indirekte udgifter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Række {0}: Antal er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Række {0}: Antal er obligatorisk
 DocType: Agriculture Analysis Criteria,Agriculture,Landbrug
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Opret salgsordre
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Regnskabsføring for aktiv
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokfaktura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Regnskabsføring for aktiv
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokfaktura
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Mængde at gøre
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Reparationsomkostninger
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Dine produkter eller tjenester
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Kunne ikke logge ind
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} oprettet
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} oprettet
 DocType: Special Test Items,Special Test Items,Særlige testelementer
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Du skal være en bruger med System Manager og Item Manager roller til at registrere på Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Betalingsmåde
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,I henhold til din tildelte lønstruktur kan du ikke søge om ydelser
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Website Billede bør være en offentlig fil eller webadresse
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Website Billede bør være en offentlig fil eller webadresse
 DocType: Purchase Invoice Item,BOM,Stykliste
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Dette er en rod-varegruppe og kan ikke redigeres.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Fusionere
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,Lagerkontaktinformation
 DocType: Payment Entry,Write Off Difference Amount,Skriv Off Forskel Beløb
 DocType: Volunteer,Volunteer Name,Frivilligt navn
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Medarbejderens e-mail er ikke fundet, og derfor er e-mailen ikke sendt"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Rækker med dubletter forfaldsdatoer i andre rækker blev fundet: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Medarbejderens e-mail er ikke fundet, og derfor er e-mailen ikke sendt"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Ingen lønstrukturer tildelt medarbejder {0} på en given dato {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Forsendelsesregel gælder ikke for land {0}
 DocType: Item,Foreign Trade Details,Udenrigshandel Detaljer
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,Årlige indkomst
 DocType: Serial No,Serial No Details,Serienummeroplysninger
 DocType: Purchase Invoice Item,Item Tax Rate,Varemoms-%
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Fra Party Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Fra Party Name
 DocType: Student Group Student,Group Roll Number,Gruppe Roll nummer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",For {0} kan kun kredit konti knyttes mod en anden debet post
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Følgeseddel {0} er ikke godkendt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Følgeseddel {0} er ikke godkendt
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Vare {0} skal være en underentreprise Vare
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Capital Udstyr
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prisfastsættelsesregel skal først baseres på feltet 'Gælder for', som kan indeholde vare, varegruppe eller varemærke."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Indstil varenummeret først
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Samlede fordelte procentdel for salgsteam bør være 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Samlede fordelte procentdel for salgsteam bør være 100
 DocType: Subscription Plan,Billing Interval Count,Faktureringsintervaltælling
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Aftaler og patientmøder
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Værdi mangler
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Opret Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Gebyr oprettet
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},"Fandt ikke nogen post, kaldet {0}"
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Elementer Filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Samlet Udgående
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Der kan kun være én forsendelsesregelbetingelse med 0 eller blank værdi i feltet ""til værdi"""
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",For en vare {0} skal mængden være positivt tal
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Bemærk: Dette omkostningssted er en gruppe. Kan ikke postere mod grupper.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Forsøgsfrihed anmodningsdage ikke i gyldige helligdage
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,eksisterer Child lager for dette lager. Du kan ikke slette dette lager.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,eksisterer Child lager for dette lager. Du kan ikke slette dette lager.
 DocType: Item,Website Item Groups,Hjemmeside-varegrupper
 DocType: Purchase Invoice,Total (Company Currency),I alt (firmavaluta)
 DocType: Daily Work Summary Group,Reminder,Påmindelse
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Tilgængelig værdi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Tilgængelig værdi
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serienummer {0} indtastet mere end én gang
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Kassekladde
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Fra GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Fra GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Uopkrævet beløb
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} igangværende varer
 DocType: Workstation,Workstation Name,Workstation Navn
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,Kassesystem-varegruppe
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail nyhedsbrev:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternativt element må ikke være det samme som varekode
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Stykliste {0} hører ikke til vare {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Stykliste {0} hører ikke til vare {1}
 DocType: Sales Partner,Target Distribution,Target Distribution
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Afslutning af foreløbig vurdering
 DocType: Salary Slip,Bank Account No.,Bankkonto No.
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard-variabler kan bruges, samt: {total_score} (den samlede score fra den periode), {period_number} (antallet af perioder til nutidens dag)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Skjul alle
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Skjul alle
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Opret indkøbsordre
 DocType: Quality Inspection Reading,Reading 8,Reading 8
 DocType: Inpatient Record,Discharge Note,Udledning Note
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Forlad
 DocType: Purchase Invoice,Supplier Invoice Date,Leverandør fakturadato
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Denne værdi anvendes til pro rata temporis beregning
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Du skal aktivere Indkøbskurven
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Du skal aktivere Indkøbskurven
 DocType: Payment Entry,Writeoff,Skrive af
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Navngivning Serie Prefix
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Overlappende betingelser fundet mellem:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Mod Kassekladde {0} er allerede justeret mod et andet bilag
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Samlet ordreværdi
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Mad
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Mad
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Ageing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detaljer
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Indstil navngivningsserien for {0} via Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Check ind
 DocType: Maintenance Schedule Item,No of Visits,Antal besøg
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Vedligeholdelsesplan {0} eksisterer imod {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimale fordele (Beløb)
 DocType: Purchase Invoice,Contact Person,Kontaktperson
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Forventet startdato' kan ikke være større end 'Forventet slutdato '
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Ingen data for denne periode
 DocType: Course Scheduling Tool,Course End Date,Kursus slutdato
 DocType: Holiday List,Holidays,Helligdage
 DocType: Sales Order Item,Planned Quantity,Planlagt mængde
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Nettoændring i anlægsaktiver
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Antal
 DocType: Leave Control Panel,Leave blank if considered for all designations,Lad feltet stå tomt hvis det skal gælde for alle betegnelser
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typen &#39;Actual &quot;i rækken {0} kan ikke indgå i Item Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typen &#39;Actual &quot;i rækken {0} kan ikke indgå i Item Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Fra datotid
 DocType: Shopify Settings,For Company,Til firma
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,Vilkår og -betingelsesindhold
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Der opstod fejl ved at oprette kursusplan
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Den første udgiftsgodkendelse i listen bliver indstillet som standard Expense Approver.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,må ikke være større end 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,må ikke være større end 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Du skal være en anden bruger end Administrator med System Manager og Item Manager roller for at registrere dig på Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Vare {0} er ikke en lagervare
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Vare {0} er ikke en lagervare
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Uplanlagt
 DocType: Employee,Owned,Ejet
@@ -2144,7 +2164,7 @@
 DocType: HR Settings,Employee Settings,Medarbejderindstillinger
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Indlæser betalingssystem
 ,Batch-Wise Balance History,Historik sorteret pr. parti
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Kan ikke indstille Rate hvis beløb er større end faktureret beløb for Item {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Kan ikke indstille Rate hvis beløb er større end faktureret beløb for Item {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Udskriftsindstillinger opdateret i respektive print format
 DocType: Package Code,Package Code,Pakkekode
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Lærling
@@ -2152,7 +2172,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negative Mængde er ikke tilladt
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Skat detalje tabel hentes fra post mester som en streng og opbevares i dette område. Bruges til skatter og afgifter
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Medarbejder kan ikke referere til sig selv.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Medarbejder kan ikke referere til sig selv.
 DocType: Leave Type,Max Leaves Allowed,Maks. Tilladte blade
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hvis kontoen er frossen, er poster lov til begrænsede brugere."
 DocType: Email Digest,Bank Balance,Bank Balance
@@ -2178,6 +2198,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Bankoverførselsangivelser
 DocType: Quality Inspection,Readings,Aflæsninger
 DocType: Stock Entry,Total Additional Costs,Yderligere omkostninger i alt
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Ingen af interaktioner
 DocType: BOM,Scrap Material Cost(Company Currency),Skrot materialeomkostninger (firmavaluta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub forsamlinger
 DocType: Asset,Asset Name,Aktivnavn
@@ -2185,10 +2206,10 @@
 DocType: Shipping Rule Condition,To Value,Til Value
 DocType: Loyalty Program,Loyalty Program Type,Loyalitetsprogramtype
 DocType: Asset Movement,Stock Manager,Stock manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Kilde lageret er obligatorisk for rækken {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Kilde lageret er obligatorisk for rækken {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Betalingsperioden i række {0} er muligvis et duplikat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Landbrug (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Pakkeseddel
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Pakkeseddel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Kontorleje
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Opsætning SMS gateway-indstillinger
 DocType: Disease,Common Name,Almindeligt navn
@@ -2220,20 +2241,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-mail lønseddel til medarbejder
 DocType: Cost Center,Parent Cost Center,Overordnet omkostningssted
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Vælg Mulig leverandør
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Vælg Mulig leverandør
 DocType: Sales Invoice,Source,Kilde
 DocType: Customer,"Select, to make the customer searchable with these fields","Vælg, for at gøre kunden søgbar med disse felter"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Import leveringsnotater fra Shopify på forsendelse
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Vis lukket
 DocType: Leave Type,Is Leave Without Pay,Er fravær uden løn
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Aktivkategori er obligatorisk for en anlægsaktivvare
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Aktivkategori er obligatorisk for en anlægsaktivvare
 DocType: Fee Validity,Fee Validity,Gebyrets gyldighed
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Ingen resultater i Payment tabellen
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Dette {0} konflikter med {1} for {2} {3}
 DocType: Student Attendance Tool,Students HTML,Studerende HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Fjern venligst medarbejderen <a href=""#Form/Employee/{0}"">{0}</a> \ for at annullere dette dokument"
 DocType: POS Profile,Apply Discount,Anvend rabat
 DocType: GST HSN Code,GST HSN Code,GST HSN-kode
 DocType: Employee External Work History,Total Experience,Total Experience
@@ -2256,7 +2274,7 @@
 DocType: Maintenance Schedule,Schedules,Tidsplaner
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS-profil er påkrævet for at bruge Point-of-Sale
 DocType: Cashier Closing,Net Amount,Nettobeløb
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke indsendt, så handlingen kan ikke gennemføres"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke indsendt, så handlingen kan ikke gennemføres"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nej
 DocType: Landed Cost Voucher,Additional Charges,Ekstragebyrer
 DocType: Support Search Source,Result Route Field,Resultatrutefelt
@@ -2285,11 +2303,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Åbning af fakturaer
 DocType: Contract,Contract Details,Kontrakt Detaljer
 DocType: Employee,Leave Details,Forlad Detaljer
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Indstil Bruger-id feltet i en Medarbejder rekord at indstille Medarbejder Rolle
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Indstil Bruger-id feltet i en Medarbejder rekord at indstille Medarbejder Rolle
 DocType: UOM,UOM Name,Enhedsnavn
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Til adresse 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Til adresse 1
 DocType: GST HSN Code,HSN Code,HSN kode
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Bidrag Beløb
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Bidrag Beløb
 DocType: Inpatient Record,Patient Encounter,Patient Encounter
 DocType: Purchase Invoice,Shipping Address,Leveringsadresse
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Dette værktøj hjælper dig med at opdatere eller fastsætte mængden og værdiansættelse på lager i systemet. Det bruges typisk til at synkronisere systemets værdier og hvad der rent faktisk eksisterer i dine lagre.
@@ -2306,9 +2324,9 @@
 DocType: Travel Itinerary,Mode of Travel,Rejsemåden
 DocType: Sales Invoice Item,Brand Name,Varemærkenavn
 DocType: Purchase Receipt,Transporter Details,Transporter Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Standardlageret er påkrævet for den valgte vare
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Standardlageret er påkrævet for den valgte vare
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Kasse
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,mulig leverandør
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,mulig leverandør
 DocType: Budget,Monthly Distribution,Månedlig Distribution
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Modtager List er tom. Opret Modtager liste
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Sundhedspleje (beta)
@@ -2329,6 +2347,7 @@
 ,Lead Name,Emnenavn
 ,POS,Kassesystem
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Forundersøgelse
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Åbning Stock Balance
 DocType: Asset Category Account,Capital Work In Progress Account,Capital Work Progress Account
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Asset Value Adjustment
@@ -2337,7 +2356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Fravær blev succesfuldt tildelt til {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Ingen varer at pakke
 DocType: Shipping Rule Condition,From Value,Fra Value
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Produktionmængde er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Produktionmængde er obligatorisk
 DocType: Loan,Repayment Method,tilbagebetaling Metode
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Hvis markeret, vil hjemmesiden være standard varegruppe til hjemmesiden"
 DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -2362,7 +2381,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Medarbejder Henvisning
 DocType: Student Group,Set 0 for no limit,Sæt 0 for ingen grænse
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Den dag (e), som du ansøger om orlov er helligdage. Du har brug for ikke søge om orlov."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Række {idx}: {field} er påkrævet for at oprette Fakturaerne for åbning {faktura_type}
 DocType: Customer,Primary Address and Contact Detail,Primæradresse og kontaktdetaljer
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Gensend Betaling E-mail
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Ny opgave
@@ -2372,8 +2390,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Vælg mindst et domæne.
 DocType: Dependent Task,Dependent Task,Afhængig opgave
 DocType: Shopify Settings,Shopify Tax Account,Shopify Skatkonto
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Måleenhed skal være 1 i række {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Fravær af typen {0} må ikke vare længere end {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Måleenhed skal være 1 i række {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Fravær af typen {0} må ikke vare længere end {1}
 DocType: Delivery Trip,Optimize Route,Optimer ruten
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prøv at planlægge operationer for X dage i forvejen.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2382,14 +2400,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Venligst sæt Standard Payroll Betales konto i Company {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Få økonomisk opsplitning af skatter og afgifter data fra Amazon
 DocType: SMS Center,Receiver List,Modtageroversigt
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Søg Vare
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Søg Vare
 DocType: Payment Schedule,Payment Amount,Betaling Beløb
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Halvdagsdato skal være mellem arbejde fra dato og arbejdsdato
 DocType: Healthcare Settings,Healthcare Service Items,Sundhedsydelser
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Forbrugt Mængde
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Nettoændring i kontanter
 DocType: Assessment Plan,Grading Scale,karakterbekendtgørelsen
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Måleenhed {0} er indtastet mere end én gang i Conversion Factor Table
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Måleenhed {0} er indtastet mere end én gang i Conversion Factor Table
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Allerede afsluttet
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock i hånden
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2412,25 +2430,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} mængde {1} kan ikke være en brøkdel
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Indtast venligst Woocommerce Server URL
 DocType: Purchase Order Item,Supplier Part Number,Leverandør Part Number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Omregningskurs kan ikke være 0 eller 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Omregningskurs kan ikke være 0 eller 1
 DocType: Share Balance,To No,Til nr
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Al den obligatoriske opgave for medarbejderskabelse er endnu ikke blevet udført.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} er aflyst eller stoppet
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} er aflyst eller stoppet
 DocType: Accounts Settings,Credit Controller,Credit Controller
 DocType: Loan,Applicant Type,Ansøgers Type
 DocType: Purchase Invoice,03-Deficiency in services,03-mangel på tjenesteydelser
 DocType: Healthcare Settings,Default Medical Code Standard,Standard Medical Code Standard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Købskvittering {0} er ikke godkendt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Købskvittering {0} er ikke godkendt
 DocType: Company,Default Payable Account,Standard Betales konto
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Indstillinger for online indkøbskurv, såsom forsendelsesregler, prisliste mv."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Faktureret
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserveret mængde
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserveret mængde
 DocType: Party Account,Party Account,Party Account
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Vælg venligst Firma og Betegnelse
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Medarbejdere
-DocType: Lead,Upper Income,Upper Indkomst
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Upper Indkomst
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Afvise
 DocType: Journal Entry Account,Debit in Company Currency,Debet (firmavaluta)
 DocType: BOM Item,BOM Item,Styklistevarer
@@ -2447,7 +2465,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Jobåbninger til betegnelse {0} allerede åben \ eller ansættelse afsluttet som pr. Personaleplan {1}
 DocType: Vital Signs,Constipated,forstoppet
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Imod Leverandør Faktura {0} dateret {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Imod Leverandør Faktura {0} dateret {1}
 DocType: Customer,Default Price List,Standardprisliste
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Asset Movement rekord {0} skabt
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Ingen emner fundet.
@@ -2463,16 +2481,17 @@
 DocType: Journal Entry,Entry Type,Posttype
 ,Customer Credit Balance,Customer Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Netto Ændring i Kreditor
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditgrænsen er overskredet for kunden {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Indstil navngivningsserien for {0} via Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditgrænsen er overskredet for kunden {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kunden kræves for &#39;Customerwise Discount&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Opdatér bankbetalingsdatoerne med kladderne.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Priser
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Priser
 DocType: Quotation,Term Details,Betingelsesdetaljer
 DocType: Employee Incentive,Employee Incentive,Medarbejderincitamenter
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kan ikke tilmelde mere end {0} studerende til denne elevgruppe.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),I alt (uden skat)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Lager til rådighed
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Lager til rådighed
 DocType: Manufacturing Settings,Capacity Planning For (Days),Kapacitet Planlægning For (dage)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Indkøb
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ingen af varerne har nogen ændring i mængde eller værdi.
@@ -2496,7 +2515,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Fravær og fremmøde
 DocType: Asset,Comprehensive Insurance,Omfattende Forsikring
 DocType: Maintenance Visit,Partially Completed,Delvist afsluttet
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Loyalitetspunkt: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Loyalitetspunkt: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Tilføj Leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Moderat følsomhed
 DocType: Leave Type,Include holidays within leaves as leaves,Medtag helligdage indenfor fraværsperioden som fravær
 DocType: Loyalty Program,Redemption,Frelse
@@ -2530,7 +2550,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Markedsføringsomkostninger
 ,Item Shortage Report,Item Mangel Rapport
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Kan ikke oprette standard kriterier. Venligst omdøber kriterierne
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vægt er nævnt, \ nVenligst nævne &quot;Weight UOM&quot; for"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vægt er nævnt, \ nVenligst nævne &quot;Weight UOM&quot; for"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialeanmodning brugt til denne lagerpost
 DocType: Hub User,Hub Password,Nav adgangskode
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursusbaseret gruppe for hver batch
@@ -2544,15 +2564,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Aftale Varighed (minutter)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Lav Regnskab indtastning For hver Stock Movement
 DocType: Leave Allocation,Total Leaves Allocated,Tildelt fravær i alt
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Indtast venligst det gyldige regnskabsårs start- og slutdatoer
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Indtast venligst det gyldige regnskabsårs start- og slutdatoer
 DocType: Employee,Date Of Retirement,Dato for pensionering
 DocType: Upload Attendance,Get Template,Hent skabelon
+,Sales Person Commission Summary,Salgs personkommissionsoversigt
 DocType: Additional Salary Component,Additional Salary Component,Yderligere lønkomponent
 DocType: Material Request,Transferred,overført
 DocType: Vehicle,Doors,Døre
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext opsætning er afsluttet !
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext opsætning er afsluttet !
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Indsamle gebyr for patientregistrering
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan ikke ændre attributter efter aktiehandel. Lav en ny vare og overfør lager til den nye vare
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan ikke ændre attributter efter aktiehandel. Lav en ny vare og overfør lager til den nye vare
 DocType: Course Assessment Criteria,Weightage,Vægtning
 DocType: Purchase Invoice,Tax Breakup,Skatteafbrydelse
 DocType: Employee,Joining Details,Sammenføjning Detaljer
@@ -2580,14 +2601,15 @@
 DocType: Lead,Next Contact By,Næste kontakt af
 DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenserende Forladelsesanmodning
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},"Mængde, der kræves for Item {0} i række {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kan ikke slettes, da der eksisterer et antal varer {1} på lageret"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kan ikke slettes, da der eksisterer et antal varer {1} på lageret"
 DocType: Blanket Order,Order Type,Bestil Type
 ,Item-wise Sales Register,Vare-wise Sales Register
 DocType: Asset,Gross Purchase Amount,Bruttokøbesum
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Åbning af saldi
 DocType: Asset,Depreciation Method,Afskrivningsmetode
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er denne Tax inkluderet i Basic Rate?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Samlet Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Samlet Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Perception Analysis
 DocType: Soil Texture,Sand Composition (%),Sandkomposition (%)
 DocType: Job Applicant,Applicant for a Job,Ansøger
 DocType: Production Plan Material Request,Production Plan Material Request,Produktionsplan-Materialeanmodning
@@ -2602,23 +2624,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Bedømmelsesmærke (ud af 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Formynder 2 mobiltelefonnr.
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Hoved
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Følgende element {0} er ikke markeret som {1} element. Du kan aktivere dem som {1} element fra dets Item master
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",For en vare {0} skal mængden være negativt tal
 DocType: Naming Series,Set prefix for numbering series on your transactions,Sæt præfiks for nummerering serie om dine transaktioner
 DocType: Employee Attendance Tool,Employees HTML,Medarbejdere HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Standard stykliste ({0}) skal være aktiv for denne vare eller dens skabelon
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Standard stykliste ({0}) skal være aktiv for denne vare eller dens skabelon
 DocType: Employee,Leave Encashed?,Skal fravær udbetales?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Salgsmulighed Fra-feltet er obligatorisk
 DocType: Email Digest,Annual Expenses,årlige Omkostninger
 DocType: Item,Variants,Varianter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Opret indkøbsordre
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Opret indkøbsordre
 DocType: SMS Center,Send To,Send til
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Der er ikke nok dage til rådighed til fraværstype {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Der er ikke nok dage til rådighed til fraværstype {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Tildelte beløb
 DocType: Sales Team,Contribution to Net Total,Bidrag til Net Total
 DocType: Sales Invoice Item,Customer's Item Code,Kundens varenr.
 DocType: Stock Reconciliation,Stock Reconciliation,Lagerafstemning
 DocType: Territory,Territory Name,Områdenavn
+DocType: Email Digest,Purchase Orders to Receive,Indkøbsordrer til modtagelse
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse er nødvendig, før Indsend"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Du kan kun have planer med samme faktureringsperiode i en abonnement
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappede data
@@ -2635,9 +2659,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Doppelte serienumre er indtastet for vare {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Sporledninger af blykilde.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Betingelse for en forsendelsesregel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Kom ind
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Kom ind
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Vedligeholdelseslog
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Indstil filter baseret på Item eller Warehouse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Indstil filter baseret på Item eller Warehouse
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovægten af denne pakke. (Beregnes automatisk som summen af nettovægt på poster)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Lav Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Rabatbeløb kan ikke være større end 100%
@@ -2646,15 +2670,15 @@
 DocType: Sales Order,To Deliver and Bill,At levere og Bill
 DocType: Student Group,Instructors,Instruktører
 DocType: GL Entry,Credit Amount in Account Currency,Credit Beløb i Konto Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Stykliste {0} skal godkendes
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Aktieforvaltning
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Stykliste {0} skal godkendes
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Aktieforvaltning
 DocType: Authorization Control,Authorization Control,Authorization Kontrol
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Række # {0}: Afvist Warehouse er obligatorisk mod afvist element {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Betaling
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Række # {0}: Afvist Warehouse er obligatorisk mod afvist element {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Betaling
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Lager {0} er ikke knyttet til nogen konto, angiv venligst kontoen i lagerplaceringen eller angiv standard lagerkonto i firma {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Administrér dine ordrer
 DocType: Work Order Operation,Actual Time and Cost,Aktuel leveringstid og omkostninger
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialeanmodning af maksimum {0} kan oprettes for vare {1} mod salgsordre {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialeanmodning af maksimum {0} kan oprettes for vare {1} mod salgsordre {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Beskæringsafstand
 DocType: Course,Course Abbreviation,Kursusforkortelse
@@ -2666,6 +2690,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Arbejdstid i alt bør ikke være større end maksimal arbejdstid {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,På
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle elementer på salgstidspunktet.
+DocType: Delivery Settings,Dispatch Settings,Dispatch Settings
 DocType: Material Request Plan Item,Actual Qty,Faktiske Antal
 DocType: Sales Invoice Item,References,Referencer
 DocType: Quality Inspection Reading,Reading 10,Reading 10
@@ -2675,11 +2700,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Du har indtastet dubletter. Venligst rette, og prøv igen."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Associate
 DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Arbejdsordre {0} skal indsendes
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Ny kurv
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Arbejdsordre {0} skal indsendes
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Ny kurv
 DocType: Taxable Salary Slab,From Amount,Fra beløb
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Vare {0} er ikke en serienummervare
 DocType: Leave Type,Encashment,indløsning
+DocType: Delivery Settings,Delivery Settings,Leveringsindstillinger
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Hent data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maksimal tilladelse tilladt i orlovstypen {0} er {1}
 DocType: SMS Center,Create Receiver List,Opret Modtager liste
 DocType: Vehicle,Wheels,Hjul
@@ -2695,7 +2722,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Faktureringsvaluta skal være lig med enten standardfirmaets valuta eller part konto konto valuta
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Angiver, at pakken er en del af denne leverance (Kun udkast)"
 DocType: Soil Texture,Loam,lerjord
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Række {0}: Forfaldsdato kan ikke være før bogføringsdato
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Række {0}: Forfaldsdato kan ikke være før bogføringsdato
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Indtast indbetaling
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Mængde for vare {0} skal være mindre end {1}
 ,Sales Invoice Trends,Salgsfaktura Trends
@@ -2703,12 +2730,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kan henvise rækken, hvis gebyret type er &#39;On Forrige Row Beløb &quot;eller&quot; Forrige Row alt&#39;"
 DocType: Sales Order Item,Delivery Warehouse,Levering Warehouse
 DocType: Leave Type,Earned Leave Frequency,Optjent Levefrekvens
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tree of finansielle omkostningssteder.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Undertype
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tree of finansielle omkostningssteder.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Undertype
 DocType: Serial No,Delivery Document No,Levering dokument nr
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Sørg for levering baseret på produceret serienummer
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Sæt venligst ""Gevinst/tabskonto vedr. salg af anlægsaktiv"" i firma {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Sæt venligst ""Gevinst/tabskonto vedr. salg af anlægsaktiv"" i firma {0}"
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Hent varer fra købskvitteringer
 DocType: Serial No,Creation Date,Oprettet d.
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Målplacering er påkrævet for aktivet {0}
@@ -2722,10 +2749,11 @@
 DocType: Item,Has Variants,Har Varianter
 DocType: Employee Benefit Claim,Claim Benefit For,Claim fordele for
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Opdater svar
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Du har allerede valgt elementer fra {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Du har allerede valgt elementer fra {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Navnet på den månedlige Distribution
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Parti-id er obligatorisk
 DocType: Sales Person,Parent Sales Person,Parent Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,"Ingen emner, der skal modtages, er for sent"
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Sælgeren og køberen kan ikke være det samme
 DocType: Project,Collect Progress,Indsamle fremskridt
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2741,7 +2769,7 @@
 DocType: Bank Guarantee,Margin Money,Margen penge
 DocType: Budget,Budget,Budget
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Sæt Åbn
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Anlægsaktiv-varen skal være en ikke-lagervare.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Anlægsaktiv-varen skal være en ikke-lagervare.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan ikke tildeles mod {0}, da det ikke er en indtægt eller omkostning konto"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maks. Fritagelsesbeløb for {0} er {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Opnået
@@ -2759,9 +2787,9 @@
 ,Amount to Deliver,"Beløb, Deliver"
 DocType: Asset,Insurance Start Date,Forsikrings Startdato
 DocType: Salary Component,Flexible Benefits,Fleksible fordele
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Samme vare er indtastet flere gange. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Samme vare er indtastet flere gange. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Betingelsernes startdato kan ikke være tidligere end startdatoen for skoleåret, som udtrykket er forbundet med (Studieår {}). Ret venligst datoerne og prøv igen."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Der var fejl.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Der var fejl.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Medarbejder {0} har allerede ansøgt om {1} mellem {2} og {3}:
 DocType: Guardian,Guardian Interests,Guardian Interesser
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Opdater konto navn / nummer
@@ -2800,9 +2828,9 @@
 ,Item-wise Purchase History,Vare-wise Købshistorik
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Klik på ""Generer plan"" for at hente serienummeret tilføjet til vare {0}"
 DocType: Account,Frozen,Frosne
-DocType: Delivery Note,Vehicle Type,Køretøjstype
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Køretøjstype
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Beløb (Company Currency)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Råmateriale
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Råmateriale
 DocType: Payment Reconciliation Payment,Reference Row,henvisning Row
 DocType: Installation Note,Installation Time,Installation Time
 DocType: Sales Invoice,Accounting Details,Regnskabsdetaljer
@@ -2811,12 +2839,13 @@
 DocType: Inpatient Record,O Positive,O Positive
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investeringer
 DocType: Issue,Resolution Details,Løsningsdetaljer
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Transaktionstype
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Transaktionstype
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Accept kriterier
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Indtast materialeanmodninger i ovenstående tabel
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Ingen tilbagebetalinger til rådighed for Journal Entry
 DocType: Hub Tracked Item,Image List,Billedliste
 DocType: Item Attribute,Attribute Name,Attribut Navn
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generer faktura ved begyndelsen af perioden
 DocType: BOM,Show In Website,Vis på hjemmesiden
 DocType: Loan Application,Total Payable Amount,Samlet Betales Beløb
 DocType: Task,Expected Time (in hours),Forventet tid (i timer)
@@ -2853,7 +2882,7 @@
 DocType: Employee,Resignation Letter Date,Udmeldelse Brev Dato
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Prisfastsættelsesregler er yderligere filtreret på mængden.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Ikke markeret
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Angiv ansættelsesdatoen for medarbejder {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Angiv ansættelsesdatoen for medarbejder {0}
 DocType: Inpatient Record,Discharge,udledning
 DocType: Task,Total Billing Amount (via Time Sheet),Faktureret beløb i alt (via Tidsregistrering)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Omsætning gamle kunder
@@ -2863,13 +2892,13 @@
 DocType: Chapter,Chapter,Kapitel
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Par
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Standardkontoen opdateres automatisk i POS-faktura, når denne tilstand er valgt."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Vælg stykliste og produceret antal
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Vælg stykliste og produceret antal
 DocType: Asset,Depreciation Schedule,Afskrivninger Schedule
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Forhandleradresser og kontakter
 DocType: Bank Reconciliation Detail,Against Account,Mod konto
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Halv Dag Dato skal være mellem Fra dato og Til dato
 DocType: Maintenance Schedule Detail,Actual Date,Faktisk dato
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Angiv standardkostningscenteret i {0} firmaet.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Angiv standardkostningscenteret i {0} firmaet.
 DocType: Item,Has Batch No,Har partinr.
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Årlig fakturering: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2881,7 +2910,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Skift type
 DocType: Student,Personal Details,Personlige oplysninger
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Venligst sæt &#39;Asset Afskrivninger Omkostninger Centers i Company {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Venligst sæt &#39;Asset Afskrivninger Omkostninger Centers i Company {0}
 ,Maintenance Schedules,Vedligeholdelsesplaner
 DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdato (via Tidsregistreringen)
 DocType: Soil Texture,Soil Type,Jordtype
@@ -2889,10 +2918,10 @@
 ,Quotation Trends,Tilbud trends
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Varegruppe ikke er nævnt i vare-masteren for vare {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debit-Til konto skal være et tilgodehavende konto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debit-Til konto skal være et tilgodehavende konto
 DocType: Shipping Rule,Shipping Amount,Forsendelsesmængde
 DocType: Supplier Scorecard Period,Period Score,Periode score
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Tilføj kunder
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Tilføj kunder
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Afventende beløb
 DocType: Lab Test Template,Special,Særlig
 DocType: Loyalty Program,Conversion Factor,Konverteringsfaktor
@@ -2909,7 +2938,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Tilføj brevpapir
 DocType: Program Enrollment,Self-Driving Vehicle,Selvkørende køretøj
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverandør Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Række {0}: stykliste ikke fundet for vare {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Række {0}: stykliste ikke fundet for vare {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Samlede fordelte blade {0} kan ikke være mindre end allerede godkendte blade {1} for perioden
 DocType: Contract Fulfilment Checklist,Requirement,Krav
 DocType: Journal Entry,Accounts Receivable,Tilgodehavender
@@ -2925,16 +2954,16 @@
 DocType: Projects Settings,Timesheets,Tidsregistreringskladder
 DocType: HR Settings,HR Settings,HR-indstillinger
 DocType: Salary Slip,net pay info,nettoløn info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS-beløb
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS-beløb
 DocType: Woocommerce Settings,Enable Sync,Aktivér synkronisering
 DocType: Tax Withholding Rate,Single Transaction Threshold,Single Transaction Threshold
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Denne værdi opdateres i standard salgsprislisten.
 DocType: Email Digest,New Expenses,Nye udgifter
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC beløb
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC beløb
 DocType: Shareholder,Shareholder,Aktionær
 DocType: Purchase Invoice,Additional Discount Amount,Ekstra rabatbeløb
 DocType: Cash Flow Mapper,Position,Position
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Få artikler fra recepter
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Få artikler fra recepter
 DocType: Patient,Patient Details,Patientdetaljer
 DocType: Inpatient Record,B Positive,B positiv
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2946,8 +2975,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Gruppe til ikke-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sport
 DocType: Loan Type,Loan Name,Lånenavn
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Samlede faktiske
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Samlede faktiske
 DocType: Student Siblings,Student Siblings,Student Søskende
 DocType: Subscription Plan Detail,Subscription Plan Detail,Abonnementsplandetaljer
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Enhed
@@ -2974,7 +3002,6 @@
 DocType: Workstation,Wages per hour,Timeløn
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagersaldo i parti {0} vil blive negativ {1} for vare {2} på lager {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materialeanmodninger er blevet dannet automatisk baseret på varens genbestillelsesniveau
-DocType: Email Digest,Pending Sales Orders,Afventende salgsordrer
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Konto Valuta skal være {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Fra dato {0} kan ikke være efter medarbejderens lindrende dato {1}
 DocType: Supplier,Is Internal Supplier,Er intern leverandør
@@ -2983,13 +3010,14 @@
 DocType: Healthcare Settings,Remind Before,Påmind før
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Omregningsfaktor kræves i række {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Række # {0}: referencedokumenttype skal være en af følgende: salgsordre, salgsfaktura eller kassekladde"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Række # {0}: referencedokumenttype skal være en af følgende: salgsordre, salgsfaktura eller kassekladde"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyalitetspoint = Hvor meget base valuta?
 DocType: Salary Component,Deduction,Fradrag
 DocType: Item,Retain Sample,Behold prøve
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Række {0}: Fra tid og til tid er obligatorisk.
 DocType: Stock Reconciliation Item,Amount Difference,Differencebeløb
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Varepris tilføjet for {0} i prisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Varepris tilføjet for {0} i prisliste {1}
+DocType: Delivery Stop,Order Information,Ordreinformation
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Indtast venligst Medarbejder Id dette salg person
 DocType: Territory,Classification of Customers by region,Klassifikation af kunder efter region
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,I produktion
@@ -3000,8 +3028,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Beregnede kontoudskrift balance
 DocType: Normal Test Template,Normal Test Template,Normal testskabelon
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Deaktiveret bruger
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Tilbud
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Kan ikke indstille en modtaget RFQ til No Quote
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Tilbud
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Kan ikke indstille en modtaget RFQ til No Quote
 DocType: Salary Slip,Total Deduction,Fradrag i alt
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Vælg en konto, der skal udskrives i kontovaluta"
 ,Production Analytics,Produktionsanalyser
@@ -3014,14 +3042,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverandør Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Evalueringsplan Navn
 DocType: Work Order Operation,Work Order Operation,Arbejdsordreoperation
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldigt SSL-certifikat på vedhæftet fil {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldigt SSL-certifikat på vedhæftet fil {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads hjælpe dig virksomhed, tilføje alle dine kontakter, og flere som din fører"
 DocType: Work Order Operation,Actual Operation Time,Faktiske Operation Time
 DocType: Authorization Rule,Applicable To (User),Gælder for (Bruger)
 DocType: Purchase Taxes and Charges,Deduct,Fratræk
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Stillingsbeskrivelse
 DocType: Student Applicant,Applied,Anvendt
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Genåbne
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Genåbne
 DocType: Sales Invoice Item,Qty as per Stock UOM,Mængde pr. lagerenhed
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Navn
 DocType: Attendance,Attendance Request,Deltagelse anmodning
@@ -3039,7 +3067,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serienummer {0} er under garanti op til {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Mindste tilladelige værdi
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Bruger {0} eksisterer allerede
-apps/erpnext/erpnext/hooks.py +114,Shipments,Forsendelser
+apps/erpnext/erpnext/hooks.py +115,Shipments,Forsendelser
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Samlet tildelte beløb (Company Currency)
 DocType: Purchase Order Item,To be delivered to customer,Der skal leveres til kunden
 DocType: BOM,Scrap Material Cost,Skrot materialeomkostninger
@@ -3047,11 +3075,12 @@
 DocType: Grant Application,Email Notification Sent,E-mail-meddelelse sendt
 DocType: Purchase Invoice,In Words (Company Currency),I Words (Company Valuta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Virksomheden er manadatorisk for virksomhedskonto
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Varenummer, lager, mængde er påkrævet på række"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Varenummer, lager, mængde er påkrævet på række"
 DocType: Bank Guarantee,Supplier,Leverandør
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Få Fra
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Dette er en rodafdeling og kan ikke redigeres.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Vis betalingsoplysninger
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Varighed i dage
 DocType: C-Form,Quarter,Kvarter
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Diverse udgifter
 DocType: Global Defaults,Default Company,Standardfirma
@@ -3059,7 +3088,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Udgifts- eller differencekonto er obligatorisk for vare {0}, da det påvirker den samlede lagerværdi"
 DocType: Bank,Bank Name,Bank navn
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-over
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Lad feltet være tomt for at foretage indkøbsordrer for alle leverandører
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Lad feltet være tomt for at foretage indkøbsordrer for alle leverandører
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item
 DocType: Vital Signs,Fluid,Væske
 DocType: Leave Application,Total Leave Days,Totalt antal fraværsdage
@@ -3068,7 +3097,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Variantindstillinger
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Vælg firma ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Lad feltet stå tomt, hvis det skal gælde for alle afdelinger"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} er obligatorisk for vare {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} er obligatorisk for vare {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Vare {0}: {1} produceret mængde,"
 DocType: Payroll Entry,Fortnightly,Hver 14. dag
 DocType: Currency Exchange,From Currency,Fra Valuta
@@ -3117,7 +3146,7 @@
 DocType: Account,Fixed Asset,Anlægsaktiv
 DocType: Amazon MWS Settings,After Date,Efter dato
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serienummer-lager
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Ugyldig {0} for interfirmafaktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Ugyldig {0} for interfirmafaktura.
 ,Department Analytics,Afdeling Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Email ikke fundet i standardkontakt
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generer Secret
@@ -3135,6 +3164,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Direktør
 DocType: Purchase Invoice,With Payment of Tax,Med betaling af skat
 DocType: Expense Claim Detail,Expense Claim Detail,Udlægsdetalje
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Indstil venligst instruktørens navngivningssystem under Uddannelse&gt; Uddannelsesindstillinger
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAT FOR LEVERANDØR
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Ny balance i basisvaluta
 DocType: Location,Is Container,Er Container
@@ -3142,13 +3172,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Vælg korrekt konto
 DocType: Salary Structure Assignment,Salary Structure Assignment,Lønstrukturstrukturopgave
 DocType: Purchase Invoice Item,Weight UOM,Vægtenhed
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Liste over tilgængelige aktionærer med folio numre
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Liste over tilgængelige aktionærer med folio numre
 DocType: Salary Structure Employee,Salary Structure Employee,Lønstruktur medarbejder
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Vis variant attributter
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Vis variant attributter
 DocType: Student,Blood Group,Blood Group
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Betalingsgateway-kontoen i plan {0} er forskellig fra betalingsgateway-kontoen i denne betalingsanmodning
 DocType: Course,Course Name,Kursusnavn
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Ingen skat indeholdende data fundet for indeværende regnskabsår.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Ingen skat indeholdende data fundet for indeværende regnskabsår.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Brugere, der kan godkende en bestemt medarbejders orlov applikationer"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Kontorudstyr
 DocType: Purchase Invoice Item,Qty,Antal
@@ -3156,6 +3186,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Scoring Setup
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronik
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debitering ({0})
+DocType: BOM,Allow Same Item Multiple Times,Tillad samme vare flere gange
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Start materialeanmodningen når lagerbestanden når genbestilningsniveauet
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Fuld tid
 DocType: Payroll Entry,Employees,Medarbejdere
@@ -3167,11 +3198,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Betalingsbekræftelse
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Priserne vil ikke blive vist, hvis prisliste ikke er indstillet"
 DocType: Stock Entry,Total Incoming Value,Samlet værdi indgående
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debet-til skal angives
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debet-til skal angives
 DocType: Clinical Procedure,Inpatient Record,Inpatient Record
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Tidskladder hjælper med at holde styr på tid, omkostninger og fakturering for aktiviteter udført af dit team"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Indkøbsprisliste
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Dato for transaktion
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Indkøbsprisliste
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Dato for transaktion
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Skabeloner af leverandør scorecard variabler.
 DocType: Job Offer Term,Offer Term,Tilbudsbetingelser
 DocType: Asset,Quality Manager,Kvalitetschef
@@ -3192,18 +3223,18 @@
 DocType: Cashier Closing,To Time,Til Time
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) for {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Godkendelse (over autoriserede værdi) Rolle
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredit til konto skal være en Betales konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredit til konto skal være en Betales konto
 DocType: Loan,Total Amount Paid,Samlede beløb betalt
 DocType: Asset,Insurance End Date,Forsikrings Slutdato
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Vælg venligst Student Admission, som er obligatorisk for den betalte studentansøger"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan ikke være forælder eller barn af {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan ikke være forælder eller barn af {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Budgetliste
 DocType: Work Order Operation,Completed Qty,Afsluttet Antal
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",For {0} kan kun betalingskort konti knyttes mod en anden kredit post
 DocType: Manufacturing Settings,Allow Overtime,Tillad overarbejde
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serienummervare {0} kan ikke opdateres ved hjælp af lagerafstemning, brug venligst lagerposter"
 DocType: Training Event Employee,Training Event Employee,Træning Begivenhed Medarbejder
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimale prøver - {0} kan beholdes for Batch {1} og Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimale prøver - {0} kan beholdes for Batch {1} og Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Tilføj tidspor
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} serienumre, der kræves for vare {1}. Du har angivet {2}."
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuel Værdiansættelsesbeløb
@@ -3234,11 +3265,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serienummer {0} ikke fundet
 DocType: Fee Schedule Program,Fee Schedule Program,Fee Schedule Program
 DocType: Fee Schedule Program,Student Batch,Elevgruppe
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Fjern venligst medarbejderen <a href=""#Form/Employee/{0}"">{0}</a> \ for at annullere dette dokument"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Opret studerende
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Sundhedsvæsen Service Type
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Du er blevet inviteret til at samarbejde om sag: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Du er blevet inviteret til at samarbejde om sag: {0}
 DocType: Supplier Group,Parent Supplier Group,Moderselskabets leverandørgruppe
+DocType: Email Digest,Purchase Orders to Bill,Købsordrer til Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Akkumulerede værdier i koncernselskabet
 DocType: Leave Block List Date,Block Date,Blokeringsdato
 DocType: Crop,Crop,Afgrøde
@@ -3250,6 +3284,7 @@
 DocType: Sales Order,Not Delivered,Ikke leveret
 ,Bank Clearance Summary,Bank Clearance Summary
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Opret og administrér de daglige, ugentlige og månedlige e-mail-nyhedsbreve."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Dette er baseret på transaktioner mod denne Salgsperson. Se tidslinjen nedenfor for detaljer
 DocType: Appraisal Goal,Appraisal Goal,Vurderingsmål
 DocType: Stock Reconciliation Item,Current Amount,Det nuværende beløb
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Bygninger
@@ -3276,7 +3311,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Næste kontakt d. kan ikke være i fortiden
 DocType: Company,For Reference Only.,Kun til reference.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Vælg partinr.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Vælg partinr.
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Ugyldig {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Reference Inv
@@ -3294,16 +3329,16 @@
 DocType: Normal Test Items,Require Result Value,Kræver resultatværdi
 DocType: Item,Show a slideshow at the top of the page,Vis et diasshow på toppen af siden
 DocType: Tax Withholding Rate,Tax Withholding Rate,Skattefradrag
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,styklister
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Butikker
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,styklister
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Butikker
 DocType: Project Type,Projects Manager,Projekter manager
 DocType: Serial No,Delivery Time,Leveringstid
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Aldring Baseret på
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Afstemning annulleret
 DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Rejser
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Rejser
 DocType: Student Report Generation Tool,Include All Assessment Group,Inkluder alle vurderingsgrupper
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktiv eller standard-lønstruktur fundet for medarbejder {0} for de givne datoer
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktiv eller standard-lønstruktur fundet for medarbejder {0} for de givne datoer
 DocType: Leave Block List,Allow Users,Tillad brugere
 DocType: Purchase Order,Customer Mobile No,Kunde mobiltelefonnr.
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Template Detaljer
@@ -3312,15 +3347,16 @@
 DocType: Rename Tool,Rename Tool,Omdøb Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Opdatering Omkostninger
 DocType: Item Reorder,Item Reorder,Genbestil vare
+DocType: Delivery Note,Mode of Transport,Transportform
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Vis lønseddel
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer Materiale
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer Materiale
 DocType: Fees,Send Payment Request,Send betalingsanmodning
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Angiv operationer, driftsomkostninger og giver en unik Operation nej til dine operationer."
 DocType: Travel Request,Any other details,Eventuelle andre detaljer
 DocType: Water Analysis,Origin,Oprindelse
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dette dokument er over grænsen ved {0} {1} for vare {4}. Er du gør en anden {3} mod samme {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Venligst sæt tilbagevendende efter besparelse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Vælg ændringsstørrelse konto
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Venligst sæt tilbagevendende efter besparelse
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Vælg ændringsstørrelse konto
 DocType: Purchase Invoice,Price List Currency,Prisliste Valuta
 DocType: Naming Series,User must always select,Brugeren skal altid vælge
 DocType: Stock Settings,Allow Negative Stock,Tillad negativ lagerbeholdning
@@ -3341,9 +3377,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sporbarhed
 DocType: Asset Maintenance Log,Actions performed,Handlinger udført
 DocType: Cash Flow Mapper,Section Leader,Sektion Leader
+DocType: Delivery Note,Transport Receipt No,Transport kvittering nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Finansieringskilde (Passiver)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Kilde og målplacering kan ikke være ens
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Antal i række {0} ({1}), skal være det samme som den fremstillede mængde {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Antal i række {0} ({1}), skal være det samme som den fremstillede mængde {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Medarbejder
 DocType: Bank Guarantee,Fixed Deposit Number,Fast indbetalingsnummer
 DocType: Asset Repair,Failure Date,Fejldato
@@ -3357,16 +3394,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Betalings Fradrag eller Tab
 DocType: Soil Analysis,Soil Analysis Criterias,Jordanalysekriterier
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardkontraktvilkår for Salg eller Indkøb.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,"Er du sikker på, at du vil annullere denne aftale?"
+DocType: BOM Item,Item operation,Vareoperation
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,"Er du sikker på, at du vil annullere denne aftale?"
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotel værelsesprispakke
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Salgspipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Salgspipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Angiv standardkonto i lønart {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Forfalder den
 DocType: Rename Tool,File to Rename,Fil der skal omdøbes
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Vælg BOM for Item i række {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Hent abonnementsopdateringer
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stemmer ikke overens med virksomhed {1} i kontoens tilstand: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Specificeret stykliste {0} findes ikke for vare {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Specificeret stykliste {0} findes ikke for vare {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Rute:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Vedligeholdelsesplan {0} skal annulleres, før denne salgsordre kan annulleres"
@@ -3375,7 +3413,7 @@
 DocType: Notification Control,Expense Claim Approved,Udlæg godkendt
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Indstil Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Ingen arbejdsordrer er oprettet
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Lønseddel for medarbejder {0} er allerede oprettet for denne periode
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Lønseddel for medarbejder {0} er allerede oprettet for denne periode
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutiske
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Du kan kun indsende Leave Encashment for en gyldig indsatsbeløb
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Omkostninger ved Købte varer
@@ -3383,7 +3421,8 @@
 DocType: Selling Settings,Sales Order Required,Salgsordre påkrævet
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Bliv sælger
 DocType: Purchase Invoice,Credit To,Credit Til
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktive Emner / Kunder
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktive Emner / Kunder
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Forlad blanket for at bruge standardleveringsformatet
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vedligeholdelsesplandetaljer
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Advarer om nye indkøbsordrer
@@ -3397,14 +3436,14 @@
 DocType: Support Search Source,Post Title Key,Posttitelnøgle
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Til jobkort
 DocType: Warranty Claim,Raised By,Oprettet af
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Recepter
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Recepter
 DocType: Payment Gateway Account,Payment Account,Betalingskonto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Angiv venligst firma for at fortsætte
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Angiv venligst firma for at fortsætte
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Nettoændring i Debitor
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompenserende Off
 DocType: Job Offer,Accepted,Accepteret
 DocType: POS Closing Voucher,Sales Invoices Summary,Salgsfakturaoversigt
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Til partenavn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Til partenavn
 DocType: Grant Application,Organization,Organisation
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
 DocType: SG Creation Tool Course,Student Group Name,Elevgruppenavn
@@ -3413,7 +3452,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Kontroller, at du virkelig ønsker at slette alle transaktioner for dette selskab. Dine stamdata vil forblive som den er. Denne handling kan ikke fortrydes."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Søgeresultater
 DocType: Room,Room Number,Værelsesnummer
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Ugyldig henvisning {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Ugyldig henvisning {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større end planlagt antal ({2}) på produktionsordre {3}
 DocType: Shipping Rule,Shipping Rule Label,Forsendelseregeltekst
 DocType: Journal Entry Account,Payroll Entry,Lønning Entry
@@ -3421,8 +3460,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Lav skatskabelon
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Brugerforum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Råmaterialer kan ikke være tom.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Betalingstabel): Beløbet skal være negativt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Kunne ikke opdatere lager, faktura indeholder drop shipping element."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Betalingstabel): Beløbet skal være negativt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Kunne ikke opdatere lager, faktura indeholder drop shipping element."
 DocType: Contract,Fulfilment Status,Opfyldelsesstatus
 DocType: Lab Test Sample,Lab Test Sample,Lab Test prøve
 DocType: Item Variant Settings,Allow Rename Attribute Value,Tillad omdøbe attributværdi
@@ -3464,11 +3503,11 @@
 DocType: BOM,Show Operations,Vis Operations
 ,Minutes to First Response for Opportunity,Minutter til første reaktion for salgsmulighed
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Ialt ikke-tilstede
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Vare eller lager for række {0} matcher ikke materialeanmodningen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Vare eller lager for række {0} matcher ikke materialeanmodningen
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Måleenhed
 DocType: Fiscal Year,Year End Date,Sidste dag i året
 DocType: Task Depends On,Task Depends On,Opgave afhænger af
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Salgsmulighed
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Salgsmulighed
 DocType: Operation,Default Workstation,Standard Workstation
 DocType: Notification Control,Expense Claim Approved Message,Udlæg godkendelsesbesked
 DocType: Payment Entry,Deductions or Loss,Fradrag eller Tab
@@ -3506,20 +3545,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Godkendelse Brugeren kan ikke være det samme som brugeren er reglen gælder for
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Grundlæggende sats (som pr. lagerenhed)
 DocType: SMS Log,No of Requested SMS,Antal  af forespurgte SMS'er
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Fravær uden løn stemmer ikke med de godkendte fraværsansøgninger
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Fravær uden løn stemmer ikke med de godkendte fraværsansøgninger
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Næste skridt
 DocType: Travel Request,Domestic,Indenlandsk
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Angiv venligst de angivne poster på de bedste mulige priser
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Angiv venligst de angivne poster på de bedste mulige priser
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Medarbejderoverførsel kan ikke indsendes før Overførselsdato
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Make Faktura
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Resterende saldo
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Resterende saldo
 DocType: Selling Settings,Auto close Opportunity after 15 days,Luk automatisk salgsmulighed efter 15 dage
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Indkøbsordrer er ikke tilladt for {0} på grund af et scorecard stående på {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Stregkode {0} er ikke en gyldig {1} kode
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Stregkode {0} er ikke en gyldig {1} kode
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Slutår
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Tilbud/emne %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Fratrædelsesdato skal være større end ansættelsesdato
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Fratrædelsesdato skal være større end ansættelsesdato
 DocType: Driver,Driver,Chauffør
 DocType: Vital Signs,Nutrition Values,Ernæringsværdier
 DocType: Lab Test Template,Is billable,Kan faktureres
@@ -3530,7 +3569,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Dette er et eksempel website auto-genereret fra ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Ageing Range 1
 DocType: Shopify Settings,Enable Shopify,Aktivér Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Samlet forskudsbeløb kan ikke være større end det samlede beløb
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Samlet forskudsbeløb kan ikke være større end det samlede beløb
 DocType: Purchase Taxes and Charges Template,"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
@@ -3557,12 +3596,12 @@
 DocType: Employee Separation,Employee Separation,Medarbejder adskillelse
 DocType: BOM Item,Original Item,Originalelement
 DocType: Purchase Receipt Item,Recd Quantity,RECD Mængde
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Dok Dato
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Dok Dato
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Oprettet - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategori konto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Betalingstabel): Beløbet skal være positivt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Betalingstabel): Beløbet skal være positivt
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke producere mere Item {0} end Sales Order mængde {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Vælg Attributværdier
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Vælg Attributværdier
 DocType: Purchase Invoice,Reason For Issuing document,Årsag til udstedelse af dokument
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Lagerindtastning {0} er ikke godkendt
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / kontantautomat konto
@@ -3571,8 +3610,10 @@
 DocType: Asset,Manual,Manuel
 DocType: Salary Component Account,Salary Component Account,Lønrtskonto
 DocType: Global Defaults,Hide Currency Symbol,Skjul Valuta Symbol
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Salgsmuligheder ved kilde
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Donor information.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","fx Bank, Kontant, Kreditkort"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Venligst opsæt nummereringsserier for Tilstedeværelse via Opsætning&gt; Nummereringsserie
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","fx Bank, Kontant, Kreditkort"
 DocType: Job Applicant,Source Name,Kilde Navn
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal hvilende blodtryk hos en voksen er ca. 120 mmHg systolisk og 80 mmHg diastolisk, forkortet &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Indstil varer holdbarhed om dage, for at indstille udløb baseret på manufacturing_date plus selvliv"
@@ -3602,7 +3643,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},For Mængde skal være mindre end mængde {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Række {0}: Start dato skal være før slutdato
 DocType: Salary Component,Max Benefit Amount (Yearly),Max Benefit Amount (Årlig)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS-sats%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS-sats%
 DocType: Crop,Planting Area,Planteområde
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),I alt (antal)
 DocType: Installation Note Item,Installed Qty,Antal installeret
@@ -3624,8 +3665,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Forlad godkendelsesmeddelelse
 DocType: Buying Settings,Default Buying Price List,Standard indkøbsprisliste
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Lønseddel baseret på timeregistreringen
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Købspris
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Række {0}: Indtast placering for aktivposten {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Købspris
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Række {0}: Indtast placering for aktivposten {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Om virksomheden
 DocType: Notification Control,Sales Order Message,Salgsordrebesked
@@ -3690,10 +3731,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,For række {0}: Indtast planlagt antal
 DocType: Account,Income Account,Indtægtskonto
 DocType: Payment Request,Amount in customer's currency,Beløb i kundens valuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Levering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Levering
 DocType: Volunteer,Weekdays,Hverdage
 DocType: Stock Reconciliation Item,Current Qty,Aktuel Antal
 DocType: Restaurant Menu,Restaurant Menu,Restaurant Menu
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Tilføj leverandører
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Hjælp sektion
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,forrige
@@ -3705,19 +3747,20 @@
 												fullfill Sales Order {2}","Kan ikke aflevere serienummer {0} af vare {1}, da det er forbeholdt \ fuldfill salgsordre {2}"
 DocType: Item Reorder,Material Request Type,Materialeanmodningstype
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Send Grant Review Email
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage er fuld, kan ikke gemme"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Række {0}: Enhedskode-konverteringsfaktor er obligatorisk
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage er fuld, kan ikke gemme"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Række {0}: Enhedskode-konverteringsfaktor er obligatorisk
 DocType: Employee Benefit Claim,Claim Date,Claim Date
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Rum Kapacitet
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Der findes allerede en rekord for varen {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,"Du vil miste optegnelser over tidligere genererede fakturaer. Er du sikker på, at du vil genstarte dette abonnement?"
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Registreringsafgift
 DocType: Loyalty Program Collection,Loyalty Program Collection,Loyalitetsprogramindsamling
 DocType: Stock Entry Detail,Subcontracted Item,Underentreprise
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} tilhører ikke gruppe {1}
 DocType: Budget,Cost Center,Omkostningssted
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Bilagsnr.
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Bilagsnr.
 DocType: Notification Control,Purchase Order Message,Indkøbsordre meddelelse
 DocType: Tax Rule,Shipping Country,Forsendelsesland
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skjul kundens CVR-nummer fra salgstransaktioner
@@ -3736,23 +3779,22 @@
 DocType: Subscription,Cancel At End Of Period,Annuller ved slutningen af perioden
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Ejendom tilføjet allerede
 DocType: Item Supplier,Item Supplier,Vareleverandør
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Indtast venligst varenr. for at få partinr.
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Vælg en værdi for {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Indtast venligst varenr. for at få partinr.
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Vælg en værdi for {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Ingen emner valgt til overførsel
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adresser.
 DocType: Company,Stock Settings,Lagerindstillinger
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammenlægning er kun muligt, hvis følgende egenskaber er ens i begge poster: Er en kontogruppe, Rodtype og firma"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammenlægning er kun muligt, hvis følgende egenskaber er ens i begge poster: Er en kontogruppe, Rodtype og firma"
 DocType: Vehicle,Electric,Elektrisk
 DocType: Task,% Progress,% fremskridt
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Gevinst/tab vedr. salg af anlægsaktiv
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Kun den studerendes ansøger med statusen &quot;Godkendt&quot; vælges i nedenstående tabel.
 DocType: Tax Withholding Category,Rates,priser
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Kontonummer for konto {0} er ikke tilgængeligt. <br> Opsæt venligst dit kontoplan korrekt.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Kontonummer for konto {0} er ikke tilgængeligt. <br> Opsæt venligst dit kontoplan korrekt.
 DocType: Task,Depends on Tasks,Afhænger af opgaver
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Administrér Kundegruppetræ.
 DocType: Normal Test Items,Result Value,Resultatværdi
 DocType: Hotel Room,Hotels,Hoteller
-DocType: Delivery Note,Transporter Date,Transporter Dato
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Ny Cost center navn
 DocType: Leave Control Panel,Leave Control Panel,Fravær Kontrolpanel
 DocType: Project,Task Completion,Opgaveafslutning
@@ -3799,11 +3841,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Alle Assessment Grupper
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nyt lagernavn
 DocType: Shopify Settings,App Type,App Type
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),I alt {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),I alt {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Område
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Henvis ikke af besøg, der kræves"
 DocType: Stock Settings,Default Valuation Method,Standard værdiansættelsesmetode
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Betaling
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Vis kumulativ mængde
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Opdatering i gang. Det kan tage et stykke tid.
 DocType: Production Plan Item,Produced Qty,Produceret antal
 DocType: Vehicle Log,Fuel Qty,Brændstofmængde
@@ -3811,7 +3854,7 @@
 DocType: Work Order Operation,Planned Start Time,Planlagt starttime
 DocType: Course,Assessment,Vurdering
 DocType: Payment Entry Reference,Allocated,Allokeret
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Luk Balance og book resultatopgørelsen.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Luk Balance og book resultatopgørelsen.
 DocType: Student Applicant,Application Status,Ansøgning status
 DocType: Additional Salary,Salary Component Type,Løn Komponent Type
 DocType: Sensitivity Test Items,Sensitivity Test Items,Sensitivitetstest
@@ -3822,10 +3865,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Samlede udestående beløb
 DocType: Sales Partner,Targets,Mål
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Indtast venligst SIREN-nummeret i virksomhedens informationsfil
+DocType: Email Digest,Sales Orders to Bill,Salgsordrer til Bill
 DocType: Price List,Price List Master,Master-Prisliste
 DocType: GST Account,CESS Account,CESS-konto
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alt salg Transaktioner kan mærkes mod flere ** Sales Personer **, så du kan indstille og overvåge mål."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link til materialeanmodning
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link til materialeanmodning
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forumaktivitet
 ,S.O. No.,SÅ No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Bankoversigt Transaktionsindstillinger Item
@@ -3840,7 +3884,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Dette er en rod-kundegruppe og kan ikke redigeres.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Handling hvis akkumuleret månedlig budget oversteg PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,At placere
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,At placere
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valutakursomskrivning
 DocType: POS Profile,Ignore Pricing Rule,Ignorér prisfastsættelsesregel
 DocType: Employee Education,Graduate,Graduate
@@ -3876,6 +3920,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Indstil standardkunde i Restaurantindstillinger
 ,Salary Register,Løn Register
 DocType: Warehouse,Parent Warehouse,Forældre Warehouse
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Diagram
 DocType: Subscription,Net Total,Netto i alt
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Standard BOM ikke fundet for Item {0} og Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definer forskellige låneformer
@@ -3908,24 +3953,26 @@
 DocType: Membership,Membership Status,Medlemskabsstatus
 DocType: Travel Itinerary,Lodging Required,Indlogering påkrævet
 ,Requested,Anmodet
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Ingen bemærkninger
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Ingen bemærkninger
 DocType: Asset,In Maintenance,Ved vedligeholdelse
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik på denne knap for at trække dine salgsordre data fra Amazon MWS.
 DocType: Vital Signs,Abdomen,Mave
 DocType: Purchase Invoice,Overdue,Forfalden
 DocType: Account,Stock Received But Not Billed,Stock Modtaget men ikke faktureret
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root Der skal være en gruppe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root Der skal være en gruppe
 DocType: Drug Prescription,Drug Prescription,Lægemiddel recept
 DocType: Loan,Repaid/Closed,Tilbagebetales / Lukket
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Den forventede samlede Antal
 DocType: Monthly Distribution,Distribution Name,Distribution Name
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Inkluder UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Værdiansættelsesrate ikke fundet for posten {0}, som er påkrævet for at foretage regnskabsposter for {1} {2}. Hvis varen handler som en nulværdieringsgrad i {1}, skal du nævne det i {1} Item-tabellen. Ellers skal du oprette en indgående aktietransaktion for varen eller nævne værdiansættelsesfrekvensen i vareposten og derefter forsøge at indsende / annullere denne post"
 DocType: Course,Course Code,Kursuskode
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kvalitetskontrol kræves for vare {0}
 DocType: Location,Parent Location,Forældre Placering
 DocType: POS Settings,Use POS in Offline Mode,Brug POS i offline-tilstand
 DocType: Supplier Scorecard,Supplier Variables,Leverandørvariabler
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} er obligatorisk. Måske Valutaudvekslingsrekord er ikke oprettet til {1} til {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Hastighed, hvormed kundens valuta omregnes til virksomhedens basisvaluta"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Nettosats (firmavaluta)
 DocType: Salary Detail,Condition and Formula Help,Tilstand og formel Hjælp
@@ -3934,19 +3981,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Salgsfaktura
 DocType: Journal Entry Account,Party Balance,Party Balance
 DocType: Cash Flow Mapper,Section Subtotal,Sektion Subtotal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Vælg Anvend Rabat på
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Vælg Anvend Rabat på
 DocType: Stock Settings,Sample Retention Warehouse,Prøveopbevaringslager
 DocType: Company,Default Receivable Account,Standard Tilgodehavende konto
 DocType: Purchase Invoice,Deemed Export,Forsøgt eksport
 DocType: Stock Entry,Material Transfer for Manufacture,Materiale Transfer til Fremstilling
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rabat Procent kan anvendes enten mod en prisliste eller for alle prisliste.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Regnskab Punktet om Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Regnskab Punktet om Stock
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Du har allerede vurderet for bedømmelseskriterierne {}.
 DocType: Vehicle Service,Engine Oil,Motorolie
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Arbejdsordrer oprettet: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Arbejdsordrer oprettet: {0}
 DocType: Sales Invoice,Sales Team1,Salgs TEAM1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Element {0} eksisterer ikke
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Element {0} eksisterer ikke
 DocType: Sales Invoice,Customer Address,Kundeadresse
 DocType: Loan,Loan Details,Lånedetaljer
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Kunne ikke opsætte postfirmaet inventar
@@ -3967,34 +4014,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Vis denne slideshow øverst på siden
 DocType: BOM,Item UOM,Vareenhed
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Skat Beløb Efter Discount Beløb (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rækken {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rækken {0}
 DocType: Cheque Print Template,Primary Settings,Primære indstillinger
 DocType: Attendance Request,Work From Home,Arbejde hjemmefra
 DocType: Purchase Invoice,Select Supplier Address,Vælg leverandør Adresse
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Tilføj medarbejdere
 DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontrol
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Standardskabelon
 DocType: Training Event,Theory,Teori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Anmodet materialemængde er mindre end minimum ordremængden
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Anmodet materialemængde er mindre end minimum ordremængden
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Konto {0} er spærret
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk enhed / Datterselskab med en separat Kontoplan tilhører organisationen.
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Mad, drikke og tobak"
 DocType: Account,Account Number,Kontonummer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Kan kun gøre betaling mod faktureret {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Provisionssats kan ikke være større end 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Kan kun gøre betaling mod faktureret {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Provisionssats kan ikke være større end 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Fordel automatisk Advance (FIFO)
 DocType: Volunteer,Volunteer,Frivillig
 DocType: Buying Settings,Subcontract,Underleverance
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Indtast venligst {0} først
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Ingen svar fra
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Ingen svar fra
 DocType: Work Order Operation,Actual End Time,Faktisk sluttid
 DocType: Item,Manufacturer Part Number,Producentens varenummer
 DocType: Taxable Salary Slab,Taxable Salary Slab,Skattepligtige lønplader
 DocType: Work Order Operation,Estimated Time and Cost,Estimeret tid og omkostninger
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Beskær Navn
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Kun brugere med {0} rolle kan registrere sig på Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Kun brugere med {0} rolle kan registrere sig på Marketplace
 DocType: SMS Log,No of Sent SMS,Antal afsendte SMS'er
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Udnævnelser og møder
@@ -4023,7 +4071,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Skift kode
 DocType: Purchase Invoice Item,Valuation Rate,Værdiansættelsesbeløb
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Prisliste Valuta ikke valgt
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Prisliste Valuta ikke valgt
 DocType: Purchase Invoice,Availed ITC Cess,Benyttet ITC Cess
 ,Student Monthly Attendance Sheet,Student Månedlig Deltagelse Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Forsendelsesregel gælder kun for salg
@@ -4039,7 +4087,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrér forhandlere.
 DocType: Quality Inspection,Inspection Type,Kontroltype
 DocType: Fee Validity,Visited yet,Besøgt endnu
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Lager med eksisterende transaktion kan ikke konverteres til gruppen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Lager med eksisterende transaktion kan ikke konverteres til gruppen.
 DocType: Assessment Result Tool,Result HTML,resultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hvor ofte skal projektet og virksomheden opdateres baseret på salgstransaktioner.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Udløber på
@@ -4047,7 +4095,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Vælg {0}
 DocType: C-Form,C-Form No,C-Form Ingen
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Afstand
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Afstand
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Skriv dine produkter eller tjenester, som du køber eller sælger."
 DocType: Water Analysis,Storage Temperature,Stuetemperatur
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4063,19 +4111,19 @@
 DocType: Shopify Settings,Delivery Note Series,Serie til leveringskort
 DocType: Purchase Order Item,Returned Qty,Returneret Antal
 DocType: Student,Exit,Udgang
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Rodtypen er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Rodtypen er obligatorisk
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Kan ikke installere forudindstillinger
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Konvertering i timer
 DocType: Contract,Signee Details,Signee Detaljer
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} har for øjeblikket et {1} leverandør scorecard stående, og RFQs til denne leverandør skal udleveres med forsigtighed."
 DocType: Certified Consultant,Non Profit Manager,Non Profit Manager
 DocType: BOM,Total Cost(Company Currency),Totale omkostninger (firmavaluta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serienummer {0} oprettet
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serienummer {0} oprettet
 DocType: Homepage,Company Description for website homepage,Firmabeskrivelse til hjemmesiden
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Af hensyn til kunderne, kan disse koder bruges i udskriftsformater ligesom fakturaer og følgesedler"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Navn
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Kunne ikke hente oplysninger for {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Åbning Entry Journal
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Åbning Entry Journal
 DocType: Contract,Fulfilment Terms,Opfyldelsesbetingelser
 DocType: Sales Invoice,Time Sheet List,Timeregistreringsoversigt
 DocType: Employee,You can enter any date manually,Du kan indtaste et hvilket som helst tidspunkt manuelt
@@ -4110,7 +4158,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Din organisation
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Overspringetildeling for følgende medarbejdere, da der allerede eksisterer rekordoverførselsregistre. {0}"
 DocType: Fee Component,Fees Category,Gebyrer Kategori
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Indtast lindre dato.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Indtast lindre dato.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detaljer om sponsor (navn, sted)"
 DocType: Supplier Scorecard,Notify Employee,Underrette medarbejder
@@ -4123,9 +4171,9 @@
 DocType: Company,Chart Of Accounts Template,Kontoplan Skabelon
 DocType: Attendance,Attendance Date,Fremmødedato
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Opdateringslager skal aktiveres for købsfakturaen {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Vareprisen opdateret for {0} i prisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Vareprisen opdateret for {0} i prisliste {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lønnen opdelt på tillæg og fradrag.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Konto med barneknudepunkter kan ikke konverteres til finans
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Konto med barneknudepunkter kan ikke konverteres til finans
 DocType: Purchase Invoice Item,Accepted Warehouse,Accepteret lager
 DocType: Bank Reconciliation Detail,Posting Date,Bogføringsdato
 DocType: Item,Valuation Method,Værdiansættelsesmetode
@@ -4162,6 +4210,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Vælg venligst et parti
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Rejse- og udgiftskrav
 DocType: Sales Invoice,Redemption Cost Center,Indløsningsomkostningscenter
+DocType: QuickBooks Migrator,Scope,Anvendelsesområde
 DocType: Assessment Group,Assessment Group Name,Assessment Group Name
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiale Overført til Fremstilling
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Tilføj til detaljer
@@ -4169,6 +4218,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Sidste synkroniseringstidspunkt
 DocType: Landed Cost Item,Receipt Document Type,Kvittering Dokumenttype
 DocType: Daily Work Summary Settings,Select Companies,Vælg Virksomheder
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Forslag / pris citat
 DocType: Antibiotic,Healthcare,Healthcare
 DocType: Target Detail,Target Detail,Target Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Single Variant
@@ -4178,6 +4228,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Periode Lukning indtastning
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Vælg afdelingen ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Omkostningssted med eksisterende transaktioner kan ikke konverteres til gruppe
+DocType: QuickBooks Migrator,Authorization URL,Tilladelseswebadresse
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Mængden {0} {1} {2} {3}
 DocType: Account,Depreciation,Afskrivninger
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Antallet af aktier og aktienumrene er inkonsekvente
@@ -4199,13 +4250,14 @@
 DocType: Support Search Source,Source DocType,Kilde DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Åbn en ny billet
 DocType: Training Event,Trainer Email,Trainer Email
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materialeanmodning {0} oprettet
 DocType: Restaurant Reservation,No of People,Ingen af mennesker
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Skabelon til vilkår eller kontrakt.
 DocType: Bank Account,Address and Contact,Adresse og kontaktperson
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Er konto Betales
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Lager kan ikke opdateres mod købskvittering {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Lager kan ikke opdateres mod købskvittering {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto tæt Issue efter 7 dage
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Fravær kan ikke fordeles inden {0}, da fraværssaldoen allerede har været carry-fremsendt i fremtiden orlov tildeling rekord {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Bemærk: forfalden / reference Dato overstiger tilladte kredit dage efter {0} dag (e)
@@ -4223,7 +4275,7 @@
 ,Qty to Deliver,Antal at levere
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon vil synkronisere data opdateret efter denne dato
 ,Stock Analytics,Lageranalyser
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operationer kan ikke være tomt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operationer kan ikke være tomt
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab Test (s)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Imod Dokument Detail Nej
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Sletning er ikke tilladt for land {0}
@@ -4231,13 +4283,12 @@
 DocType: Quality Inspection,Outgoing,Udgående
 DocType: Material Request,Requested For,Anmodet om
 DocType: Quotation Item,Against Doctype,Mod DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} er aflyst eller lukket
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} er aflyst eller lukket
 DocType: Asset,Calculate Depreciation,Beregn afskrivninger
 DocType: Delivery Note,Track this Delivery Note against any Project,Spor denne følgeseddel mod en hvilken som helst sag
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Netto kontant fra Investering
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 DocType: Work Order,Work-in-Progress Warehouse,Work-in-Progress Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Aktiv {0} skal godkendes
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Aktiv {0} skal godkendes
 DocType: Fee Schedule Program,Total Students,Samlet Studerende
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Tilstedeværelse {0} eksisterer for studerende {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Henvisning # {0} dateret {1}
@@ -4256,7 +4307,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Kan ikke oprette tilbageholdelsesbonus for venstre medarbejdere
 DocType: Lead,Market Segment,Markedssegment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Landbrugschef
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt beløb kan ikke være større end det samlede negative udestående beløb {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt beløb kan ikke være større end det samlede negative udestående beløb {0}
 DocType: Supplier Scorecard Period,Variables,Variable
 DocType: Employee Internal Work History,Employee Internal Work History,Medarbejder Intern Arbejde Historie
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Lukning (dr)
@@ -4280,22 +4331,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch produkter
 DocType: Loyalty Point Entry,Loyalty Program,Loyalitetsprogram
 DocType: Student Guardian,Father,Far
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Support Billetter
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Opdater lager' kan ikke kontrolleres pga. salg af anlægsaktiver
 DocType: Bank Reconciliation,Bank Reconciliation,Bank Afstemning
 DocType: Attendance,On Leave,Fraværende
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Modtag nyhedsbrev
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} tilhører ikke firma {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Vælg mindst en værdi fra hver af attributterne.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Vælg mindst en værdi fra hver af attributterne.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materialeanmodning {0} er annulleret eller stoppet
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Afsendelsesstat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Afsendelsesstat
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Fraværsadministration
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupper
 DocType: Purchase Invoice,Hold Invoice,Hold faktura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Vælg venligst Medarbejder
 DocType: Sales Order,Fully Delivered,Fuldt Leveres
-DocType: Lead,Lower Income,Lavere indkomst
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Lavere indkomst
 DocType: Restaurant Order Entry,Current Order,Nuværende ordre
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Antallet serienummer og mængde skal være ens
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Kilde og mål lageret ikke kan være ens for rækken {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Kilde og mål lageret ikke kan være ens for rækken {0}
 DocType: Account,Asset Received But Not Billed,Asset modtaget men ikke faktureret
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differencebeløbet skal være af kontotypen Aktiv / Fordring, da denne lagerafstemning er en åbningsbalance"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Udbetalte beløb kan ikke være større end Lånebeløb {0}
@@ -4304,7 +4357,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Indkøbsordrenr. påkrævet for vare {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Fra dato' skal være efter 'Til dato'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Ingen bemandingsplaner fundet for denne betegnelse
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} i vare {1} er deaktiveret.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} i vare {1} er deaktiveret.
 DocType: Leave Policy Detail,Annual Allocation,Årlig tildeling
 DocType: Travel Request,Address of Organizer,Arrangørens adresse
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Vælg Healthcare Practitioner ...
@@ -4313,12 +4366,12 @@
 DocType: Asset,Fully Depreciated,fuldt afskrevet
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stock Forventet Antal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Kunden {0} hører ikke til sag {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Kunden {0} hører ikke til sag {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Markant Deltagelse HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citater er forslag, bud, du har sendt til dine kunder"
 DocType: Sales Invoice,Customer's Purchase Order,Kundens indkøbsordre
 DocType: Clinical Procedure,Patient,Patient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bypass kreditcheck på salgsordre
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bypass kreditcheck på salgsordre
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Medarbejder Onboarding Aktivitet
 DocType: Location,Check if it is a hydroponic unit,Kontroller om det er en hydroponisk enhed
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serienummer og parti
@@ -4328,7 +4381,7 @@
 DocType: Supplier Scorecard Period,Calculations,Beregninger
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Værdi eller mængde
 DocType: Payment Terms Template,Payment Terms,Betalingsbetingelser
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions Ordrer kan ikke hæves til:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions Ordrer kan ikke hæves til:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minut
 DocType: Purchase Invoice,Purchase Taxes and Charges,Indkøb Moms og afgifter
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4336,17 +4389,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Gå til leverandører
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatter
 ,Qty to Receive,Antal til Modtag
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start og slut dato ikke i en gyldig lønseddel, kan ikke beregne {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start og slut dato ikke i en gyldig lønseddel, kan ikke beregne {0}."
 DocType: Leave Block List,Leave Block List Allowed,Tillad blokerede fraværsansøgninger
 DocType: Grading Scale Interval,Grading Scale Interval,Karakterskala Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Udlæg for kørebog {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabat (%) på prisliste med margen
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Alle lagre
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nej {0} fundet for Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nej {0} fundet for Inter Company Transactions.
 DocType: Travel Itinerary,Rented Car,Lejet bil
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Om din virksomhed
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredit til konto skal være en balance konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredit til konto skal være en balance konto
 DocType: Donor,Donor,Donor
 DocType: Global Defaults,Disable In Words,Deaktiver i ord
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Varenr. er obligatorisk, fordi varen ikke nummereres automatisk"
@@ -4358,14 +4411,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bank kassekredit
 DocType: Patient,Patient ID,Patient-ID
 DocType: Practitioner Schedule,Schedule Name,Planlægningsnavn
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Salgsledning efter trin
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Opret lønseddel
 DocType: Currency Exchange,For Buying,Til køb
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Tilføj alle leverandører
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Tilføj alle leverandører
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Allokeret beløb kan ikke være større end udestående beløb.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Gennemse styklister
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Sikrede lån
 DocType: Purchase Invoice,Edit Posting Date and Time,Redigér bogføringsdato og -tid
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Venligst sæt Afskrivninger relaterede konti i Asset kategori {0} eller Company {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Venligst sæt Afskrivninger relaterede konti i Asset kategori {0} eller Company {1}
 DocType: Lab Test Groups,Normal Range,Normal rækkevidde
 DocType: Academic Term,Academic Year,Skoleår
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Tilgængelig salg
@@ -4394,26 +4448,26 @@
 DocType: Patient Appointment,Patient Appointment,Patientaftale
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkendelse Rolle kan ikke være det samme som rolle reglen gælder for
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Afmeld dette e-mail-nyhedsbrev
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Få leverandører af
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Få leverandører af
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ikke fundet for punkt {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Gå til kurser
 DocType: Accounts Settings,Show Inclusive Tax In Print,Vis inklusiv skat i tryk
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankkonto, Fra dato og til dato er obligatorisk"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Besked sendt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Konto med barn noder kan ikke indstilles som hovedbog
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Konto med barn noder kan ikke indstilles som hovedbog
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Hastighed, hvormed Prisliste valuta omregnes til kundens basisvaluta"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobeløb (firmavaluta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Samlet forskudsbeløb kan ikke være større end det samlede sanktionerede beløb
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Samlet forskudsbeløb kan ikke være større end det samlede sanktionerede beløb
 DocType: Salary Slip,Hour Rate,Timesats
 DocType: Stock Settings,Item Naming By,Item Navngivning By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},En anden Periode Lukning indtastning {0} er blevet foretaget efter {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materiale Overført til Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Konto {0} findes ikke
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Vælg Loyalitetsprogram
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Vælg Loyalitetsprogram
 DocType: Project,Project Type,Sagstype
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Børneopgave eksisterer for denne opgave. Du kan ikke slette denne opgave.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Enten target qty eller målbeløbet er obligatorisk.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Enten target qty eller målbeløbet er obligatorisk.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Omkostninger ved forskellige aktiviteter
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Sætter begivenheder til {0}, da den til medarbejderen tilknyttede salgsmedarbejder {1} ikke har et brugernavn"
 DocType: Timesheet,Billing Details,Faktureringsoplysninger
@@ -4470,13 +4524,13 @@
 DocType: Inpatient Record,A Negative,En negativ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Intet mere at vise.
 DocType: Lead,From Customer,Fra kunde
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Opkald
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Opkald
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Et produkt
 DocType: Employee Tax Exemption Declaration,Declarations,erklæringer
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,partier
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Lav gebyrplan
 DocType: Purchase Order Item Supplied,Stock UOM,Lagerenhed
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Indkøbsordre {0} er ikke godkendt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Indkøbsordre {0} er ikke godkendt
 DocType: Account,Expenses Included In Asset Valuation,Udgifter inkluderet i Asset Valuation
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normalt referenceområde for en voksen er 16-20 vejrtrækninger / minut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tarif nummer
@@ -4489,6 +4543,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Gem venligst patienten først
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Deltagelse er mærket korrekt.
 DocType: Program Enrollment,Public Transport,Offentlig transport
+DocType: Delivery Note,GST Vehicle Type,GST-køretøjstype
 DocType: Soil Texture,Silt Composition (%),Silt Sammensætning (%)
 DocType: Journal Entry,Remark,Bemærkning
 DocType: Healthcare Settings,Avoid Confirmation,Undgå bekræftelse
@@ -4497,11 +4552,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Ferie og fravær
 DocType: Education Settings,Current Academic Term,Nuværende akademisk betegnelse
 DocType: Sales Order,Not Billed,Ikke faktureret
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Begge lagre skal høre til samme firma
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Begge lagre skal høre til samme firma
 DocType: Employee Grade,Default Leave Policy,Standard Afgangspolitik
 DocType: Shopify Settings,Shop URL,Shop URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ingen kontakter tilføjet endnu.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Venligst opsæt nummereringsserier for Tilstedeværelse via Opsætning&gt; Nummereringsserie
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Beløb
 ,Item Balance (Simple),Varebalance (Enkel)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Regninger oprettet af leverandører.
@@ -4526,7 +4580,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Tilbudsnummer
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","En vare eksisterer med samme navn ({0}), og du bedes derfor ændre navnet på varegruppen eller omdøbe varen"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriterier for jordanalyse
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Vælg venligst kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Vælg venligst kunde
 DocType: C-Form,I,jeg
 DocType: Company,Asset Depreciation Cost Center,Asset Afskrivninger Omkostninger center
 DocType: Production Plan Sales Order,Sales Order Date,Salgsordredato
@@ -4539,8 +4593,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Der er i øjeblikket ingen lager på lageret
 ,Payment Period Based On Invoice Date,Betaling Periode Baseret på Fakturadato
 DocType: Sample Collection,No. of print,Antal udskrifter
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Fødselsdag påmindelse
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Room Reservation Item
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manglende Valutakurser for {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Manglende Valutakurser for {0}
 DocType: Employee Health Insurance,Health Insurance Name,Navn på sygesikring
 DocType: Assessment Plan,Examiner,Censor
 DocType: Student,Siblings,Søskende
@@ -4557,19 +4612,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nye kunder
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Gross Profit%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Udnævnelse {0} og salgsfaktura {1} annulleret
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Muligheder ved hjælp af blykilde
 DocType: Appraisal Goal,Weightage (%),Vægtning (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Skift POS-profil
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance Dato
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Akten eksisterer allerede imod elementet {0}, du kan ikke ændre den har seriel nrværdi"
+DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Akten eksisterer allerede imod elementet {0}, du kan ikke ændre den har seriel nrværdi"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Vurderingsrapport
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Få medarbejdere
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruttokøbesummen er obligatorisk
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Virksomhedens navn er ikke det samme
 DocType: Lead,Address Desc,Adresse
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party er obligatorisk
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Rækker med dubletter forfaldsdatoer i andre rækker blev fundet: {list}
 DocType: Topic,Topic Name,Emnenavn
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Angiv standardskabelon for tilladelse til godkendelse af tilladelser i HR-indstillinger.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Angiv standardskabelon for tilladelse til godkendelse af tilladelser i HR-indstillinger.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Mindst en af salg eller køb skal vælges
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Vælg en medarbejder for at få medarbejderen forskud.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Vælg venligst en gyldig dato
@@ -4603,6 +4659,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Kunde- eller leverandørdetaljer
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Aktuel aktivværdi
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Rejsefinansiering
 DocType: Loan Application,Required by Date,Kræves af Dato
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Et link til alle de steder, hvor afgrøden vokser"
@@ -4616,9 +4673,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Tilgængeligt batch-antal fra lageret
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Bruttoløn - Fradrag i alt - Tilbagebetaling af lån
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Nuværende stykliste og ny stykliste må ikke være ens
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Nuværende stykliste og ny stykliste må ikke være ens
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Lønseddel id
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Pensioneringsdato skal være større end ansættelsesdato
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Pensioneringsdato skal være større end ansættelsesdato
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Flere varianter
 DocType: Sales Invoice,Against Income Account,Mod Indkomst konto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Leveret
@@ -4647,7 +4704,7 @@
 DocType: POS Profile,Update Stock,Opdatering Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Forskellige UOM for elementer vil føre til forkert (Total) Vægt værdi. Sørg for, at Nettovægt for hvert punkt er i den samme UOM."
 DocType: Certification Application,Payment Details,Betalingsoplysninger
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Stoppet Arbejdsordre kan ikke annulleres, Unstop det først for at annullere"
 DocType: Asset,Journal Entry for Scrap,Kassekladde til skrot
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Træk varene fra følgeseddel
@@ -4670,11 +4727,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Total Sanktioneret Beløb
 ,Purchase Analytics,Indkøbsanalyser
 DocType: Sales Invoice Item,Delivery Note Item,Følgeseddelvare
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Nuværende faktura {0} mangler
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Nuværende faktura {0} mangler
 DocType: Asset Maintenance Log,Task,Opgave
 DocType: Purchase Taxes and Charges,Reference Row #,Henvisning Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Partinummer er obligatorisk for vare {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Dette er en rod salg person og kan ikke redigeres.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Dette er en rod salg person og kan ikke redigeres.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Hvis valgt, vil den værdi, der er angivet eller beregnet i denne komponent, ikke bidrage til indtjeningen eller fradrag. Men det er værdien kan henvises af andre komponenter, som kan tilføjes eller fratrækkes."
 DocType: Asset Settings,Number of Days in Fiscal Year,Antal Dage i Skatteår
 ,Stock Ledger,Lagerkladde
@@ -4682,7 +4739,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Gevinst / Tab konto
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Medarbejder og fremmøde
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Formålet skal være en af {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Formålet skal være en af {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Udfyld skærmbilledet og gem det
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Fællesskab Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Faktisk antal på lager
@@ -4697,7 +4754,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard salgspris
 DocType: Account,Rate at which this tax is applied,"Hastighed, hvormed denne afgift anvendes"
 DocType: Cash Flow Mapper,Section Name,Sektionens navn
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Genbestil Antal
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Genbestil Antal
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Afskrivningsrække {0}: Forventet værdi efter brugstid skal være større end eller lig med {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Aktuelle ledige stillinger
 DocType: Company,Stock Adjustment Account,Stock Justering konto
@@ -4707,8 +4764,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System Bruger (login) ID. Hvis sat, vil det blive standard for alle HR-formularer."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Indtast afskrivningsoplysninger
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Fra {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Forlad ansøgning {0} eksisterer allerede mod den studerende {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kø for opdatering af seneste pris i alle Materialebevis. Det kan tage et par minutter.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kø for opdatering af seneste pris i alle Materialebevis. Det kan tage et par minutter.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Navn på ny konto. Bemærk: Du må ikke oprette konti for kunder og leverandører
 DocType: POS Profile,Display Items In Stock,Vis varer på lager
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Standard-adresseskabeloner sorteret efter lande
@@ -4738,16 +4796,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots til {0} tilføjes ikke til skemaet
 DocType: Product Bundle,List items that form the package.,"Vis varer, der er indeholdt i pakken."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Ikke tilladt. Deaktiver venligst testskabelonen
+DocType: Delivery Note,Distance (in km),Afstand (i km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Procentdel fordeling bør være lig med 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Vælg Bogføringsdato før du vælger Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Vælg Bogføringsdato før du vælger Party
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Ud af AMC
+DocType: Opportunity,Opportunity Amount,Mulighedsbeløb
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antal Afskrivninger Reserverede kan ikke være større end alt Antal Afskrivninger
 DocType: Purchase Order,Order Confirmation Date,Ordrebekræftelsesdato
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Make Vedligeholdelse Besøg
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Startdato og slutdato overlapper jobkortet <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Overførselsoplysninger for medarbejdere
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Kontakt venligst til den bruger, der har Sales Master manager {0} rolle"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Kontakt venligst til den bruger, der har Sales Master manager {0} rolle"
 DocType: Company,Default Cash Account,Standard Kontant konto
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) herre.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dette er baseret på deltagelse af denne Student
@@ -4755,9 +4816,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Tilføj flere varer eller åben fulde form
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"Følgesedler {0} skal annulleres, før den salgsordre annulleres"
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Gå til Brugere
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Betalt beløb + Skriv Off Beløb kan ikke være større end beløb i alt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Betalt beløb + Skriv Off Beløb kan ikke være større end beløb i alt
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ikke et gyldigt partinummer for vare {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Bemærk: Der er ikke nok dage til rådighed til fraværstype {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Bemærk: Der er ikke nok dage til rådighed til fraværstype {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Indtast NA for Uregistreret
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Tilmelding Gebyr
@@ -4774,7 +4835,7 @@
 DocType: Fee Schedule,Fee Schedule,Fee Schedule
 DocType: Company,Create Chart Of Accounts Based On,Opret kontoplan baseret på
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Kan ikke konvertere det til ikke-gruppe. Børneopgaver eksisterer.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Fødselsdato kan ikke være større end i dag.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Fødselsdato kan ikke være større end i dag.
 ,Stock Ageing,Stock Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delvist sponsoreret, kræves delfinansiering"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} findes mod studerende ansøger {1}
@@ -4821,12 +4882,12 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Før forsoning
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter og Afgifter Tilføjet (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Varemoms række {0} skal have en konto med 
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Varemoms række {0} skal have en konto med 
 typen moms, indtægt, omkostning eller kan debiteres"
 DocType: Sales Order,Partly Billed,Delvist faktureret
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Vare {0} skal være en anlægsaktiv-vare
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Lav variant
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Lav variant
 DocType: Item,Default BOM,Standard stykliste
 DocType: Project,Total Billed Amount (via Sales Invoices),Samlet faktureret beløb (via salgsfakturaer)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debet Note Beløb
@@ -4855,13 +4916,13 @@
 DocType: Notification Control,Custom Message,Tilpasset Message
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investment Banking
 DocType: Purchase Invoice,input,input
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto skal indtastes for post
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto skal indtastes for post
 DocType: Loyalty Program,Multiple Tier Program,Multiple Tier Program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse
 DocType: Purchase Invoice,Price List Exchange Rate,Prisliste valutakurs
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Alle leverandørgrupper
 DocType: Employee Boarding Activity,Required for Employee Creation,Påkrævet for medarbejderskabelse
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},"Kontonummer {0}, der allerede er brugt i konto {1}"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},"Kontonummer {0}, der allerede er brugt i konto {1}"
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,POS-profilnavn
 DocType: Hotel Room Reservation,Booked,Reserveret
@@ -4877,18 +4938,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Referencenummer er obligatorisk, hvis du har indtastet reference Dato"
 DocType: Bank Reconciliation Detail,Payment Document,Betaling dokument
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Fejl ved evaluering af kriterieformlen
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Ansættelsesdato skal være større end fødselsdato
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Ansættelsesdato skal være større end fødselsdato
 DocType: Subscription,Plans,Planer
 DocType: Salary Slip,Salary Structure,Lønstruktur
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Flyselskab
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Issue Materiale
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Issue Materiale
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Tilslut Shopify med ERPNext
 DocType: Material Request Item,For Warehouse,Til lager
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Leveringsnotater {0} opdateret
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Leveringsnotater {0} opdateret
 DocType: Employee,Offer Date,Dato
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tilbud
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Du er i offline-tilstand. Du vil ikke være i stand til at genindlæse, indtil du har netværk igen."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Tilbud
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Du er i offline-tilstand. Du vil ikke være i stand til at genindlæse, indtil du har netværk igen."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Give
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Ingen elevgrupper oprettet.
 DocType: Purchase Invoice Item,Serial No,Serienummer
@@ -4900,24 +4961,26 @@
 DocType: Sales Invoice,Customer PO Details,Kunde PO Detaljer
 DocType: Stock Entry,Including items for sub assemblies,Herunder elementer til sub forsamlinger
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Midlertidig åbningskonto
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Indtast værdien skal være positiv
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Indtast værdien skal være positiv
 DocType: Asset,Finance Books,Finansbøger
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Beskatningsgruppe for arbejdstagerbeskatning
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Alle områder
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Venligst indstil afgangspolitik for medarbejder {0} i medarbejder- / bedømmelsesrekord
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ugyldig ordreordre for den valgte kunde og vare
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ugyldig ordreordre for den valgte kunde og vare
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Tilføj flere opgaver
 DocType: Purchase Invoice,Items,Varer
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Slutdato kan ikke være før startdato.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student er allerede tilmeldt.
 DocType: Fiscal Year,Year Name,År navn
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Der er flere helligdage end arbejdsdage i denne måned.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Der er flere helligdage end arbejdsdage i denne måned.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Følgende elementer {0} er ikke markeret som {1} element. Du kan aktivere dem som {1} element fra dets Item master
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Produktpakkevare
 DocType: Sales Partner,Sales Partner Name,Forhandlernavn
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Anmodning om tilbud
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Anmodning om tilbud
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalt fakturabeløb
 DocType: Normal Test Items,Normal Test Items,Normale testelementer
+DocType: QuickBooks Migrator,Company Settings,Firmaindstillinger
 DocType: Additional Salary,Overwrite Salary Structure Amount,Overskrive lønstruktursbeløb
 DocType: Student Language,Student Language,Student Sprog
 apps/erpnext/erpnext/config/selling.py +23,Customers,Kunder
@@ -4929,21 +4992,23 @@
 DocType: Issue,Opening Time,Åbning tid
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Fra og Til dato kræves
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Værdipapirer og Commodity Exchanges
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard måleenhed for Variant &#39;{0}&#39; skal være samme som i skabelon &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard måleenhed for Variant &#39;{0}&#39; skal være samme som i skabelon &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Beregn baseret på
 DocType: Contract,Unfulfilled,uopfyldte
 DocType: Delivery Note Item,From Warehouse,Fra lager
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Ingen ansatte for de nævnte kriterier
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Ingen stykliste-varer at fremstille
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Ingen stykliste-varer at fremstille
 DocType: Shopify Settings,Default Customer,Standardkunden
+DocType: Sales Stage,Stage Name,Kunstnernavn
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,supervisor Navn
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Bekræft ikke, om en aftale er oprettet for samme dag"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Skib til stat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Skib til stat
 DocType: Program Enrollment Course,Program Enrollment Course,Tilmeldingskursusprogramm
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Bruger {0} er allerede tildelt Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Foretag prøveindholdsbeholdning
 DocType: Purchase Taxes and Charges,Valuation and Total,Værdiansættelse og Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Forhandling / anmeldelse
 DocType: Leave Encashment,Encashment Amount,Indkøbsbeløb
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Udløbet Batcher
@@ -4953,7 +5018,7 @@
 DocType: Staffing Plan Detail,Current Openings,Nuværende åbninger
 DocType: Notification Control,Customize the Notification,Tilpas Underretning
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Pengestrøm fra driften
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST beløb
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST beløb
 DocType: Purchase Invoice,Shipping Rule,Forsendelseregel
 DocType: Patient Relation,Spouse,Ægtefælle
 DocType: Lab Test Groups,Add Test,Tilføj test
@@ -4967,14 +5032,14 @@
 DocType: Payroll Entry,Payroll Frequency,Lønafregningsfrekvens
 DocType: Lab Test Template,Sensitivity,Følsomhed
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Synkronisering er midlertidigt deaktiveret, fordi maksimale forsøg er overskredet"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Råmateriale
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Råmateriale
 DocType: Leave Application,Follow via Email,Følg via e-mail
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Planter og Machineries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skat Beløb Efter Discount Beløb
 DocType: Patient,Inpatient Status,Inpatient Status
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglige Arbejde Resumé Indstillinger
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Udvalgt prisliste skal have købs- og salgsfelter kontrolleret.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Indtast venligst Reqd by Date
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Udvalgt prisliste skal have købs- og salgsfelter kontrolleret.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Indtast venligst Reqd by Date
 DocType: Payment Entry,Internal Transfer,Intern overførsel
 DocType: Asset Maintenance,Maintenance Tasks,Vedligeholdelsesopgaver
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Enten target qty eller målbeløbet er obligatorisk
@@ -4995,7 +5060,7 @@
 DocType: Mode of Payment,General,Generelt
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Sidste kommunikation
 ,TDS Payable Monthly,TDS betales månedligt
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Kø for at erstatte BOM. Det kan tage et par minutter.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Kø for at erstatte BOM. Det kan tage et par minutter.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ikke kan fradrage, når kategorien er for &quot;Værdiansættelse&quot; eller &quot;Værdiansættelse og Total &#39;"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serienummer påkrævet for serienummervare {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match betalinger med fakturaer
@@ -5008,7 +5073,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Føj til indkøbsvogn
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Sortér efter
 DocType: Guardian,Interests,Interesser
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Aktivér / deaktivér valuta.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Aktivér / deaktivér valuta.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Kunne ikke indsende nogle Lønslister
 DocType: Exchange Rate Revaluation,Get Entries,Få indlæg
 DocType: Production Plan,Get Material Request,Hent materialeanmodning
@@ -5030,15 +5095,16 @@
 DocType: Lead,Lead Type,Emnetype
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Du er ikke autoriseret til at godkende fravær på blokerede dage
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Alle disse varer er allerede blevet faktureret
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Indstil ny udgivelsesdato
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Indstil ny udgivelsesdato
 DocType: Company,Monthly Sales Target,Månedligt salgsmål
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan godkendes af {0}
 DocType: Hotel Room,Hotel Room Type,Hotel Værelsestype
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Leverandør&gt; Leverandør Type
 DocType: Leave Allocation,Leave Period,Forladelsesperiode
 DocType: Item,Default Material Request Type,Standard materialeanmodningstype
 DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Ukendt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Arbejdsordre er ikke oprettet
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Arbejdsordre er ikke oprettet
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","En mængde på {0}, der allerede er påkrævet for komponenten {1}, \ indstil størrelsen lig med eller større end {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Forsendelsesregelbetingelser
@@ -5071,15 +5137,15 @@
 DocType: Batch,Source Document Name,Kildedokumentnavn
 DocType: Production Plan,Get Raw Materials For Production,Få råmaterialer til produktion
 DocType: Job Opening,Job Title,Titel
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indikerer at {1} ikke giver et citat, men alle elementer \ er blevet citeret. Opdatering af RFQ citat status."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimale prøver - {0} er allerede bevaret for Batch {1} og Item {2} i Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimale prøver - {0} er allerede bevaret for Batch {1} og Item {2} i Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Opdater BOM omkostninger automatisk
 DocType: Lab Test,Test Name,Testnavn
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinisk procedure forbrugsartikel
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Opret Brugere
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Abonnementer
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Abonnementer
 DocType: Supplier Scorecard,Per Month,Om måneden
 DocType: Education Settings,Make Academic Term Mandatory,Gør faglig semester obligatorisk
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Mængde til Fremstilling skal være større end 0.
@@ -5088,9 +5154,9 @@
 DocType: Stock Entry,Update Rate and Availability,Opdatér priser og tilgængelighed
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procentdel, du får lov til at modtage eller levere mere mod den bestilte mængde. For eksempel: Hvis du har bestilt 100 enheder. og din Allowance er 10%, så du får lov til at modtage 110 enheder."
 DocType: Loyalty Program,Customer Group,Kundegruppe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Række nr. {0}: Drift {1} er ikke afsluttet for {2} Antal færdige varer i Arbejdsordre # {3}. Opdater operationsstatus via Time Logs
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Række nr. {0}: Drift {1} er ikke afsluttet for {2} Antal færdige varer i Arbejdsordre # {3}. Opdater operationsstatus via Time Logs
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nyt partinr. (valgfri)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Udgiftskonto er obligatorisk for element {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Udgiftskonto er obligatorisk for element {0}
 DocType: BOM,Website Description,Hjemmesidebeskrivelse
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Nettoændring i Equity
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Annullér købsfaktura {0} først
@@ -5105,7 +5171,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Der er intet at redigere.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Formularvisning
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Approver Obligatorisk i Expense Claim
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Resumé for denne måned og verserende aktiviteter
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Resumé for denne måned og verserende aktiviteter
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Indstil Urealiseret Exchange Gain / Loss-konto i firma {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Tilføj brugere til din organisation, bortset fra dig selv."
 DocType: Customer Group,Customer Group Name,Kundegruppenavn
@@ -5115,14 +5181,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Ingen væsentlig forespørgsel oprettet
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløb kan ikke overstige det maksimale lånebeløb på {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licens
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Fjern denne faktura {0} fra C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Fjern denne faktura {0} fra C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Vælg dette felt, hvis du også ønsker at inkludere foregående regnskabsår fraværssaldo til indeværende regnskabsår"
 DocType: GL Entry,Against Voucher Type,Mod Bilagstype
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Time slots tilføjet
 DocType: Item,Attributes,Attributter
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Aktivér skabelon
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Indtast venligst Skriv Off konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Indtast venligst Skriv Off konto
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Sidste ordredato
 DocType: Salary Component,Is Payable,Er betales
 DocType: Inpatient Record,B Negative,B Negativ
@@ -5133,7 +5199,7 @@
 DocType: Hotel Room,Hotel Room,Hotelværelse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Konto {0} ikke hører til virksomheden {1}
 DocType: Leave Type,Rounding,Afrunding
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i række {0} stemmer ikke overens med Leveringsnotat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i række {0} stemmer ikke overens med Leveringsnotat
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Dispensed Amount (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Derefter filtreres prisreglerne ud fra kunde, kundegruppe, territorium, leverandør, leverandørgruppe, kampagne, salgspartner mv."
 DocType: Student,Guardian Details,Guardian Detaljer
@@ -5142,10 +5208,10 @@
 DocType: Vehicle,Chassis No,Stelnummer
 DocType: Payment Request,Initiated,Indledt
 DocType: Production Plan Item,Planned Start Date,Planlagt startdato
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Vælg venligst en BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Vælg venligst en BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Benyttet ITC Integrated Tax
 DocType: Purchase Order Item,Blanket Order Rate,Tæppe Ordre Rate
-apps/erpnext/erpnext/hooks.py +156,Certification,Certificering
+apps/erpnext/erpnext/hooks.py +157,Certification,Certificering
 DocType: Bank Guarantee,Clauses and Conditions,Klausuler og betingelser
 DocType: Serial No,Creation Document Type,Oprettet dokumenttype
 DocType: Project Task,View Timesheet,Se tidsskema
@@ -5170,6 +5236,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Overordnet bare {0} må ikke være en lagervare
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Website liste
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle produkter eller tjenesteydelser.
+DocType: Email Digest,Open Quotations,Åben citat
 DocType: Expense Claim,More Details,Flere detaljer
 DocType: Supplier Quotation,Supplier Address,Leverandør Adresse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget for konto {1} mod {2} {3} er {4}. Det vil overstige med {5}
@@ -5184,12 +5251,11 @@
 DocType: Training Event,Exam,Eksamen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Markedspladsfejl
 DocType: Complaint,Complaint,Klage
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Lager kræves for lagervare {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Lager kræves for lagervare {0}
 DocType: Leave Allocation,Unused leaves,Ubrugte blade
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Lav tilbagebetalingstildeling
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Alle afdelinger
 DocType: Healthcare Service Unit,Vacant,Ledig
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Leverandør&gt; Leverandør Type
 DocType: Patient,Alcohol Past Use,Alkohol tidligere brug
 DocType: Fertilizer Content,Fertilizer Content,Gødning Indhold
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5197,7 +5263,7 @@
 DocType: Tax Rule,Billing State,Anvendes ikke
 DocType: Share Transfer,Transfer,Overførsel
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,"Arbejdsordren {0} skal annulleres, inden afbestillingen af denne salgsordre"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Hent eksploderede BOM (herunder underenheder)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Hent eksploderede BOM (herunder underenheder)
 DocType: Authorization Rule,Applicable To (Employee),Gælder for (Medarbejder)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Forfaldsdato er obligatorisk
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Tilvækst til Attribut {0} kan ikke være 0
@@ -5213,7 +5279,7 @@
 DocType: Disease,Treatment Period,Behandlingsperiode
 DocType: Travel Itinerary,Travel Itinerary,Rejseplan
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Resultat allerede indsendt
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reserveret lager er obligatorisk for vare {0} i råvarer leveret
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reserveret lager er obligatorisk for vare {0} i råvarer leveret
 ,Inactive Customers,Inaktive kunder
 DocType: Student Admission Program,Maximum Age,Maksimal alder
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Vent venligst 3 dage før genudsender påmindelsen.
@@ -5222,7 +5288,6 @@
 DocType: Stock Entry,Delivery Note No,Følgeseddelnr.
 DocType: Cheque Print Template,Message to show,Besked for at vise
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Retail
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Administrer Aftalingsfaktura automatisk
 DocType: Student Attendance,Absent,Ikke-tilstede
 DocType: Staffing Plan,Staffing Plan Detail,Bemandingsplandetaljer
 DocType: Employee Promotion,Promotion Date,Kampagnedato
@@ -5244,7 +5309,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Opret emne
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Print og papirvarer
 DocType: Stock Settings,Show Barcode Field,Vis stregkodefelter
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Send Leverandør Emails
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Send Leverandør Emails
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Løn allerede behandlet for perioden {0} til {1}, ferie ansøgningsperiode kan ikke være i dette datointerval."
 DocType: Fiscal Year,Auto Created,Automatisk oprettet
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Indsend dette for at oprette medarbejderposten
@@ -5253,7 +5318,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktura {0} eksisterer ikke længere
 DocType: Guardian Interest,Guardian Interest,Guardian Renter
 DocType: Volunteer,Availability,tilgængelighed
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Indstil standardværdier for POS-fakturaer
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Indstil standardværdier for POS-fakturaer
 apps/erpnext/erpnext/config/hr.py +248,Training,Uddannelse
 DocType: Project,Time to send,Tid til at sende
 DocType: Timesheet,Employee Detail,Medarbejderoplysninger
@@ -5276,7 +5341,7 @@
 DocType: Training Event Employee,Optional,Valgfri
 DocType: Salary Slip,Earning & Deduction,Tillæg & fradrag
 DocType: Agriculture Analysis Criteria,Water Analysis,Vandanalyse
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} varianter oprettet.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} varianter oprettet.
 DocType: Amazon MWS Settings,Region,Region
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valgfri. Denne indstilling vil blive brugt til at filtrere i forskellige transaktioner.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negative Værdiansættelses Rate er ikke tilladt
@@ -5295,7 +5360,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Udgifter kasseret anlægsaktiv
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Omkostningssted er obligatorisk for vare {2}
 DocType: Vehicle,Policy No,Politik Ingen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Hent varer fra produktpakke
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Hent varer fra produktpakke
 DocType: Asset,Straight Line,Lineær afskrivning
 DocType: Project User,Project User,Sagsbruger
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Dele
@@ -5303,7 +5368,7 @@
 DocType: GL Entry,Is Advance,Er Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Ansattes livscyklus
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Fremmøde fradato og Fremmøde tildato er obligatoriske
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Indtast &quot;underentreprise&quot; som Ja eller Nej
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Indtast &quot;underentreprise&quot; som Ja eller Nej
 DocType: Item,Default Purchase Unit of Measure,Standardindkøbsenhed
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Sidste kommunikationsdato
 DocType: Clinical Procedure Item,Clinical Procedure Item,Klinisk procedurepost
@@ -5326,6 +5391,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Ny partimængde
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Beklædning og tilbehør
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Kunne ikke løse vægtet scoringsfunktion. Sørg for, at formlen er gyldig."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Indkøbsordre Varer ikke modtaget i tide
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Antal Order
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML / Banner, der vil vise på toppen af produktliste."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Angiv betingelser for at beregne forsendelsesmængden
@@ -5334,9 +5400,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Sti
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Kan ikke konvertere Cost Center til hovedbog, som det har barneknudepunkter"
 DocType: Production Plan,Total Planned Qty,Samlet planlagt antal
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,åbning Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,åbning Value
 DocType: Salary Component,Formula,Formel
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serienummer
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serienummer
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Salgskonto
 DocType: Purchase Invoice Item,Total Weight,Totalvægt
@@ -5354,7 +5420,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Opret materialeanmodning
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Åbent Item {0}
 DocType: Asset Finance Book,Written Down Value,Skriftlig nedværdi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer&gt; HR-indstillinger
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,"Salgsfaktura {0} skal annulleres, før denne salgsordre annulleres"
 DocType: Clinical Procedure,Age,Alder
 DocType: Sales Invoice Timesheet,Billing Amount,Faktureret beløb
@@ -5363,11 +5428,11 @@
 DocType: Company,Default Employee Advance Account,Standardansatskonto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Søgeelement (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Konto med eksisterende transaktion kan ikke slettes
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Konto med eksisterende transaktion kan ikke slettes
 DocType: Vehicle,Last Carbon Check,Sidste synsdato
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Advokatudgifter
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Vælg venligst antal på række
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Gør åbning af salgs- og købsfakturaer
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Gør åbning af salgs- og købsfakturaer
 DocType: Purchase Invoice,Posting Time,Bogføringsdato og -tid
 DocType: Timesheet,% Amount Billed,% Faktureret beløb
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefonudgifter
@@ -5382,14 +5447,14 @@
 DocType: Maintenance Visit,Breakdown,Sammenbrud
 DocType: Travel Itinerary,Vegetarian,Vegetarisk
 DocType: Patient Encounter,Encounter Date,Encounter Date
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan ikke vælges {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan ikke vælges {1}
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata
 DocType: Purchase Receipt Item,Sample Quantity,Prøvekvantitet
 DocType: Bank Guarantee,Name of Beneficiary,Navn på modtager
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Opdater BOM omkostninger automatisk via Scheduler, baseret på seneste værdiansættelsesrate / prisliste sats / sidste købspris for råvarer."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Anvendes ikke
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Forældre-konto {1} tilhører ikke virksomheden: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Forældre-konto {1} tilhører ikke virksomheden: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Succesfuld slettet alle transaktioner i forbindelse med dette selskab!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Som på dato
 DocType: Additional Salary,HR,HR
@@ -5397,7 +5462,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Out Patient SMS Alerts
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Kriminalforsorgen
 DocType: Program Enrollment Tool,New Academic Year,Nyt skoleår
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Retur / kreditnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Retur / kreditnota
 DocType: Stock Settings,Auto insert Price List rate if missing,"Auto insert Prisliste sats, hvis der mangler"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Samlet indbetalt beløb
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5415,10 +5480,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child noder kan kun oprettes under &#39;koncernens typen noder
 DocType: Attendance Request,Half Day Date,Halv dag dato
 DocType: Academic Year,Academic Year Name,Skoleårsnavn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} må ikke transagere med {1}. Vær venlig at ændre selskabet.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} må ikke transagere med {1}. Vær venlig at ændre selskabet.
 DocType: Sales Partner,Contact Desc,Kontaktbeskrivelse
 DocType: Email Digest,Send regular summary reports via Email.,Send regelmæssige sammenfattende rapporter via e-mail.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Angiv standardkonto i udlægstype {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Angiv standardkonto i udlægstype {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Tilgængelige blade
 DocType: Assessment Result,Student Name,Elevnavn
 DocType: Hub Tracked Item,Item Manager,Varechef
@@ -5443,9 +5508,10 @@
 DocType: Subscription,Trial Period End Date,Prøveperiode Slutdato
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ikke authroized da {0} overskrider grænser
 DocType: Serial No,Asset Status,Asset Status
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Over dimensionel last (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurantbord
 DocType: Hotel Room,Hotel Manager,Hotelbestyrer
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Sæt momsregel for indkøbskurv
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Sæt momsregel for indkøbskurv
 DocType: Purchase Invoice,Taxes and Charges Added,Skatter og Afgifter Tilføjet
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Afskrivnings række {0}: Næste afskrivningsdato kan ikke være før tilgængelig dato
 ,Sales Funnel,Salgstragt
@@ -5461,10 +5527,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Alle kundegrupper
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Akkumuleret månedlig
 DocType: Attendance Request,On Duty,På vagt
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Måske er valutaveksling record ikke lavet for {1} til {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Måske er valutaveksling record ikke lavet for {1} til {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Bemanningsplan {0} findes allerede til betegnelse {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Momsskabelon er obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Konto {0}: Forældre-konto {1} findes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Konto {0}: Forældre-konto {1} findes ikke
 DocType: POS Closing Voucher,Period Start Date,Periode Startdato
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prisliste Rate (Company Valuta)
 DocType: Products Settings,Products Settings,Produkter Indstillinger
@@ -5484,7 +5550,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,"Denne handling stopper fremtidig fakturering. Er du sikker på, at du vil annullere dette abonnement?"
 DocType: Serial No,Distinct unit of an Item,Særskilt enhed af et element
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriterier Navn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Angiv venligst firma
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Angiv venligst firma
 DocType: Procedure Prescription,Procedure Created,Procedure oprettet
 DocType: Pricing Rule,Buying,Køb
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Sygdomme og gødninger
@@ -5501,42 +5567,43 @@
 DocType: Employee Onboarding,Job Offer,Jobtilbud
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institut Forkortelse
 ,Item-wise Price List Rate,Item-wise Prisliste Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Leverandørtilbud
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Leverandørtilbud
 DocType: Quotation,In Words will be visible once you save the Quotation.,"""I Ord"" vil være synlig, når du gemmer tilbuddet."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Mængde ({0}) kan ikke være en brøkdel i række {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Mængde ({0}) kan ikke være en brøkdel i række {1}
 DocType: Contract,Unsigned,usigneret
 DocType: Selling Settings,Each Transaction,Hver transaktion
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Stregkode {0} allerede brugt i vare {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Stregkode {0} allerede brugt i vare {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler for at tilføje forsendelsesomkostninger.
 DocType: Hotel Room,Extra Bed Capacity,Ekstra seng kapacitet
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Åbning Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunde skal angives
 DocType: Lab Test,Result Date,Resultatdato
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Dato
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Dato
 DocType: Purchase Order,To Receive,At Modtage
 DocType: Leave Period,Holiday List for Optional Leave,Ferieliste for valgfri ferie
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Asset Owner
 DocType: Purchase Invoice,Reason For Putting On Hold,Årsag til at sætte på hold
 DocType: Employee,Personal Email,Personlig e-mail
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Samlet Varians
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Samlet Varians
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktiveret, vil systemet sende bogføring for opgørelse automatisk."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokerage
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Deltagelse for medarbejder {0} er allerede markeret for denne dag
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Deltagelse for medarbejder {0} er allerede markeret for denne dag
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",i minutter Opdateret via &#39;Time Log&#39;
 DocType: Customer,From Lead,Fra Emne
 DocType: Amazon MWS Settings,Synch Orders,Synkroniseringsordrer
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Ordrer frigivet til produktion.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Vælg regnskabsår ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS profil kræves for at gøre POS indtastning
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS profil kræves for at gøre POS indtastning
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Loyalitetspoint beregnes ud fra det brugte udbytte (via salgsfakturaen), baseret på den nævnte indsamlingsfaktor."
 DocType: Program Enrollment Tool,Enroll Students,Tilmeld Studerende
 DocType: Company,HRA Settings,HRA-indstillinger
 DocType: Employee Transfer,Transfer Date,Overførselsdato
 DocType: Lab Test,Approved Date,Godkendt dato
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard salg
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Mindst ét lager skal angives
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Mindst ét lager skal angives
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurer produktfelter som UOM, varegruppe, beskrivelse og antal timer."
 DocType: Certification Application,Certification Status,Certificeringsstatus
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5556,6 +5623,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Matchende fakturaer
 DocType: Work Order,Required Items,Nødvendige varer
 DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Forskel
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Vare række {0}: {1} {2} findes ikke i ovenstående &#39;{1}&#39; tabel
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Menneskelige Ressourcer
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betaling Afstemning Betaling
 DocType: Disease,Treatment Task,Behandlingstjeneste
@@ -5573,7 +5641,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Fravær skal angives i multipla af 0,5"
 DocType: Work Order,Operation Cost,Operation Cost
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Enestående Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identificerende beslutningstagere
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Enestående Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Fastsatte mål Item Group-wise for denne Sales Person.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Frys Stocks Ældre end [dage]
 DocType: Payment Request,Payment Ordered,Betaling Bestilt
@@ -5585,13 +5654,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Tillad følgende brugere til at godkende fraværsansøgninger på blokerede dage.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Livscyklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Lav BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Salgsprisen for vare {0} er lavere end dens {1}. Salgsprisen skal være mindst {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Salgsprisen for vare {0} er lavere end dens {1}. Salgsprisen skal være mindst {2}
 DocType: Subscription,Taxes,Moms
 DocType: Purchase Invoice,capital goods,kapitalgoder
 DocType: Purchase Invoice Item,Weight Per Unit,Vægt pr. Enhed
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Betalt og ikke leveret
-DocType: Project,Default Cost Center,Standard omkostningssted
-DocType: Delivery Note,Transporter Doc No,Transportør Dok nr
+DocType: QuickBooks Migrator,Default Cost Center,Standard omkostningssted
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Lagertransaktioner
 DocType: Budget,Budget Accounts,Budget Regnskab
 DocType: Employee,Internal Work History,Intern Arbejde Historie
@@ -5624,7 +5692,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Sundhedspleje er ikke tilgængelig på {0}
 DocType: Stock Entry Detail,Additional Cost,Yderligere omkostning
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",Kan ikke filtrere baseret på bilagsnr. hvis der sorteres efter Bilagstype
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Opret Leverandørtilbud
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Opret Leverandørtilbud
 DocType: Quality Inspection,Incoming,Indgående
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Standard skat skabeloner til salg og køb oprettes.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Vurdering Resultatoptegnelsen {0} eksisterer allerede.
@@ -5640,7 +5708,7 @@
 DocType: Batch,Batch ID,Parti-id
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Bemærk: {0}
 ,Delivery Note Trends,Følgeseddel Tendenser
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Denne uges oversigt
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Denne uges oversigt
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,På lager Antal
 ,Daily Work Summary Replies,Daglige Arbejdsoversigt Svar
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Beregn Anslåede ankomsttider
@@ -5650,7 +5718,7 @@
 DocType: Bank Account,Party,Selskab
 DocType: Healthcare Settings,Patient Name,Patientnavn
 DocType: Variant Field,Variant Field,Variant Field
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Målsted
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Målsted
 DocType: Sales Order,Delivery Date,Leveringsdato
 DocType: Opportunity,Opportunity Date,Salgsmulighedsdato
 DocType: Employee,Health Insurance Provider,Sundhedsforsikringsselskabet
@@ -5669,7 +5737,7 @@
 DocType: Employee,History In Company,Historie I Company
 DocType: Customer,Customer Primary Address,Kunde primære adresse
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhedsbreve
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referencenummer.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referencenummer.
 DocType: Drug Prescription,Description/Strength,Beskrivelse / Strength
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Opret ny betaling / journal indtastning
 DocType: Certification Application,Certification Application,Certificeringsansøgning
@@ -5680,10 +5748,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Samme vare er blevet indtastet flere gange
 DocType: Department,Leave Block List,Blokér fraværsansøgninger
 DocType: Purchase Invoice,Tax ID,CVR-nr.
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Vare {0} er ikke opsat til serienumre. Kolonnen skal være tom
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Vare {0} er ikke opsat til serienumre. Kolonnen skal være tom
 DocType: Accounts Settings,Accounts Settings,Kontoindstillinger
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Godkende
 DocType: Loyalty Program,Customer Territory,Kundeområde
+DocType: Email Digest,Sales Orders to Deliver,Salgsordrer til levering
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Antal nye konti, det vil blive inkluderet i kontonavnet som et præfiks"
 DocType: Maintenance Team Member,Team Member,Medarbejder
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Intet resultat at indsende
@@ -5693,7 +5762,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","I alt {0} for alle punkter er nul, kan være du skal ændre &quot;Fordel afgifter baseret på &#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Til dato kan ikke være mindre end fra dato
 DocType: Opportunity,To Discuss,Samtaleemne
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Dette er baseret på transaktioner mod denne abonnent. Se tidslinjen nedenfor for detaljer
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} enheder af {1} skal bruges i {2} at fuldføre denne transaktion.
 DocType: Loan Type,Rate of Interest (%) Yearly,Rente (%) Årlig
 DocType: Support Settings,Forum URL,Forum-URL
@@ -5708,7 +5776,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Lær mere
 DocType: Cheque Print Template,Distance from top edge,Afstand fra overkanten
 DocType: POS Closing Voucher Invoices,Quantity of Items,Mængde af varer
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Prisliste {0} er deaktiveret eller findes ikke
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Prisliste {0} er deaktiveret eller findes ikke
 DocType: Purchase Invoice,Return,Retur
 DocType: Pricing Rule,Disable,Deaktiver
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Betalingsmåde er forpligtet til at foretage en betaling
@@ -5716,18 +5784,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Rediger på fuld side for flere muligheder som aktiver, serienummer, partier osv."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksimale kontinuerlige dage gældende
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ikke indskrevet i batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Anlægsaktiv {0} kan ikke kasseres, da det allerede er {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Anlægsaktiv {0} kan ikke kasseres, da det allerede er {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Checks påkrævet
 DocType: Task,Total Expense Claim (via Expense Claim),Udlæg ialt (via Udlæg)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Markér ikke-tilstede
 DocType: Job Applicant Source,Job Applicant Source,Job Ansøger Kilde
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Beløb
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Beløb
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Kunne ikke opsætte firmaet
 DocType: Asset Repair,Asset Repair,Asset Repair
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Række {0}: Valuta af BOM # {1} skal være lig med den valgte valuta {2}
 DocType: Journal Entry Account,Exchange Rate,Vekselkurs
 DocType: Patient,Additional information regarding the patient,Yderligere oplysninger om patienten
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Salgsordre {0} er ikke godkendt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Salgsordre {0} er ikke godkendt
 DocType: Homepage,Tag Line,tag Linje
 DocType: Fee Component,Fee Component,Gebyr Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Firmabiler
@@ -5742,7 +5810,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobil
 ,Sales Person-wise Transaction Summary,SalgsPerson Transaktion Totaler
 DocType: Training Event,Contact Number,Kontaktnummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Lager {0} eksisterer ikke
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Lager {0} eksisterer ikke
 DocType: Cashier Closing,Custody,Forældremyndighed
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Beskatningsfrihed for medarbejderskattefritagelse
 DocType: Monthly Distribution,Monthly Distribution Percentages,Månedlige Distribution Procenter
@@ -5757,7 +5825,7 @@
 DocType: Payment Entry,Paid Amount,Betalt beløb
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Udforsk salgscyklus
 DocType: Assessment Plan,Supervisor,Tilsynsførende
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retention Stock Entry
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retention Stock Entry
 ,Available Stock for Packing Items,Tilgængelig Stock til Emballerings- Varer
 DocType: Item Variant,Item Variant,Varevariant
 ,Work Order Stock Report,Arbejdsordre lagerrapport
@@ -5766,9 +5834,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Som Supervisor
 DocType: Leave Policy Detail,Leave Policy Detail,Forlad politikoplysninger
 DocType: BOM Scrap Item,BOM Scrap Item,Stykliste skrotvare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Godkendte ordrer kan ikke slettes
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Konto balance er debit. Du har ikke lov til at ændre 'Balancetype' til 'kredit'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Kvalitetssikring
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Godkendte ordrer kan ikke slettes
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Konto balance er debit. Du har ikke lov til at ændre 'Balancetype' til 'kredit'
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Kvalitetssikring
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Vare {0} er blevet deaktiveret
 DocType: Project,Total Billable Amount (via Timesheets),Samlet fakturerbart beløb (via timesheets)
 DocType: Agriculture Task,Previous Business Day,Tidligere Erhvervsdag
@@ -5791,14 +5859,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Omkostningssteder
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Genstart abonnement
 DocType: Linked Plant Analysis,Linked Plant Analysis,Linked Plant Analysis
-DocType: Delivery Note,Transporter ID,Transporter ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Værdiforslag
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Hastighed, hvormed leverandørens valuta omregnes til virksomhedens basisvaluta"
-DocType: Sales Invoice Item,Service End Date,Service Slutdato
+DocType: Purchase Invoice Item,Service End Date,Service Slutdato
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: tider konflikter med rækken {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillad nulværdi
 DocType: Bank Guarantee,Receiving,Modtagelse
 DocType: Training Event Employee,Invited,inviteret
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Opsætning Gateway konti.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Opsætning Gateway konti.
 DocType: Employee,Employment Type,Beskæftigelsestype
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Anlægsaktiver
 DocType: Payment Entry,Set Exchange Gain / Loss,Sæt Exchange Gevinst / Tab
@@ -5814,7 +5883,7 @@
 DocType: Tax Rule,Sales Tax Template,Salg Momsskabelon
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Betal mod fordele
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Opdater Cost Center Number
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Vælg elementer for at gemme fakturaen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Vælg elementer for at gemme fakturaen
 DocType: Employee,Encashment Date,Indløsningsdato
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Special Test Skabelon
@@ -5822,12 +5891,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Standard Aktivitets Omkostninger findes for Aktivitets Type - {0}
 DocType: Work Order,Planned Operating Cost,Planlagte driftsomkostninger
 DocType: Academic Term,Term Start Date,Betingelser startdato
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Liste over alle aktietransaktioner
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Liste over alle aktietransaktioner
+DocType: Supplier,Is Transporter,Er Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Import salgsfaktura fra Shopify hvis Betaling er markeret
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Begge prøveperiode Startdato og prøveperiode Slutdato skal indstilles
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Gennemsnitlig sats
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samlet betalingsbeløb i betalingsplan skal svare til Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samlet betalingsbeløb i betalingsplan skal svare til Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Kontoudskrift balance pr Finans
 DocType: Job Applicant,Applicant Name,Ansøgernavn
@@ -5855,7 +5925,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Tilgængelig mængde på Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti
 DocType: Purchase Invoice,Debit Note Issued,Debit Note Udstedt
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filter baseret på Omkostningscenter er kun gældende, hvis Budget Against er valgt som Omkostningscenter"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filter baseret på Omkostningscenter er kun gældende, hvis Budget Against er valgt som Omkostningscenter"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Søg efter varenummer, serienummer, batchnummer eller stregkode"
 DocType: Work Order,Warehouses,Lagre
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} aktiv kan ikke overføres
@@ -5866,9 +5936,9 @@
 DocType: Workstation,per hour,per time
 DocType: Blanket Order,Purchasing,Indkøb
 DocType: Announcement,Announcement,Bekendtgørelse
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Kunde LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Kunde LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",For Batch-baserede Studentegruppe bliver Student Batch Valideret for hver Student fra Programindskrivningen.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Lager kan ikke slettes, da der eksisterer lagerposter for dette lager."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Lager kan ikke slettes, da der eksisterer lagerposter for dette lager."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribution
 DocType: Journal Entry Account,Loan,Lån
 DocType: Expense Claim Advance,Expense Claim Advance,Udgiftskrav Advance
@@ -5877,7 +5947,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projektleder
 ,Quoted Item Comparison,Sammenligning Citeret Vare
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Overlappe i scoring mellem {0} og {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dispatch
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dispatch
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maksimal rabat tilladt for vare: {0} er {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Indre værdi som på
 DocType: Crop,Produce,Fremstille
@@ -5887,20 +5957,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Materialeforbrug til fremstilling
 DocType: Item Alternative,Alternative Item Code,Alternativ varekode
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, som får lov til at indsende transaktioner, der overstiger kredit grænser."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Vælg varer til Produktion
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Vælg varer til Produktion
 DocType: Delivery Stop,Delivery Stop,Leveringsstop
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master data synkronisering, kan det tage nogen tid"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master data synkronisering, kan det tage nogen tid"
 DocType: Item,Material Issue,Materiale Issue
 DocType: Employee Education,Qualification,Kvalifikation
 DocType: Item Price,Item Price,Varepris
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sæbe &amp; Vaskemiddel
 DocType: BOM,Show Items,Vis elementer
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Fra Tiden kan ikke være større end til anden.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Vil du anmelde alle kunderne via e-mail?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Vil du anmelde alle kunderne via e-mail?
 DocType: Subscription Plan,Billing Interval,Faktureringsinterval
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Bestilt
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Faktisk startdato og faktisk slutdato er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 DocType: Salary Detail,Component,Lønart
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Række {0}: {1} skal være større end 0
 DocType: Assessment Criteria,Assessment Criteria Group,Vurderingskriterier Group
@@ -5931,11 +6002,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Indtast navnet på banken eller låneinstitutionen før indsendelse.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} skal indsendes
 DocType: POS Profile,Item Groups,Varegrupper
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,I dag er {0} &#39;s fødselsdag!
 DocType: Sales Order Item,For Production,For Produktion
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Balance i kontovaluta
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Tilføj venligst en midlertidig åbningskonto i kontoplan
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Tilføj venligst en midlertidig åbningskonto i kontoplan
 DocType: Customer,Customer Primary Contact,Kunde primær kontakt
 DocType: Project Task,View Task,Vis opgave
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -5948,11 +6018,11 @@
 DocType: Sales Invoice,Get Advances Received,Få forskud
 DocType: Email Digest,Add/Remove Recipients,Tilføj / fjern modtagere
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","For at indstille dette regnskabsår som standard, skal du klikke på &#39;Vælg som standard&#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Mængden af TDS fratrukket
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Mængden af TDS fratrukket
 DocType: Production Plan,Include Subcontracted Items,Inkluder underleverancer
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Tilslutte
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Mangel Antal
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Tilslutte
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Mangel Antal
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter
 DocType: Loan,Repay from Salary,Tilbagebetale fra Løn
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Anmodning betaling mod {0} {1} for beløb {2}
 DocType: Additional Salary,Salary Slip,Lønseddel
@@ -5968,7 +6038,7 @@
 DocType: Patient,Dormant,hvilende
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Fradragsafgift for uopkrævede medarbejderfordele
 DocType: Salary Slip,Total Interest Amount,Samlet rentebeløb
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Lager med referencer kan ikke konverteres til finans
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Lager med referencer kan ikke konverteres til finans
 DocType: BOM,Manage cost of operations,Administrer udgifter til operationer
 DocType: Accounts Settings,Stale Days,Forældede dage
 DocType: Travel Itinerary,Arrival Datetime,Ankomst Datetime
@@ -5980,7 +6050,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Vurdering Resultat Detail
 DocType: Employee Education,Employee Education,Medarbejder Uddannelse
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Samme varegruppe findes to gange i varegruppetabellen
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Det er nødvendigt at hente Elementdetaljer.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Det er nødvendigt at hente Elementdetaljer.
 DocType: Fertilizer,Fertilizer Name,Gødning Navn
 DocType: Salary Slip,Net Pay,Nettoløn
 DocType: Cash Flow Mapping Accounts,Account,Konto
@@ -5991,14 +6061,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Opret særskilt betalingsindgang mod fordringsanmodning
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Tilstedeværelse af feber (temp&gt; 38,5 ° C eller vedvarende temperatur&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Salgs Team Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Slet permanent?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Slet permanent?
 DocType: Expense Claim,Total Claimed Amount,Total krævede beløb
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentielle muligheder for at sælge.
 DocType: Shareholder,Folio no.,Folio nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Ugyldig {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Sygefravær
 DocType: Email Digest,Email Digest,E-mail nyhedsbrev
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,er ikke
 DocType: Delivery Note,Billing Address Name,Faktureringsadressenavn
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Varehuse
 ,Item Delivery Date,Leveringsdato for vare
@@ -6014,16 +6083,16 @@
 DocType: Account,Chargeable,Gebyr
 DocType: Company,Change Abbreviation,Skift Forkortelse
 DocType: Contract,Fulfilment Details,Opfyldelse Detaljer
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Betal {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Betal {0} {1}
 DocType: Employee Onboarding,Activities,Aktiviteter
 DocType: Expense Claim Detail,Expense Date,Udlægsdato
 DocType: Item,No of Months,Antal måneder
 DocType: Item,Max Discount (%),Maksimal rabat (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kreditdage kan ikke være et negativt tal
-DocType: Sales Invoice Item,Service Stop Date,Service Stop Date
+DocType: Purchase Invoice Item,Service Stop Date,Service Stop Date
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Sidste ordrebeløb
 DocType: Cash Flow Mapper,e.g Adjustments for:,fx justeringer for:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Behold prøve er baseret på batch, bedes du tjekke Har batch nr for at bevare prøveeksempel"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Behold prøve er baseret på batch, bedes du tjekke Har batch nr for at bevare prøveeksempel"
 DocType: Task,Is Milestone,Er Milestone
 DocType: Certification Application,Yet to appear,Endnu at dukke op
 DocType: Delivery Stop,Email Sent To,E-mail til
@@ -6031,16 +6100,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Tillad omkostningscenter ved indtastning af Balance Konto
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Flet sammen med eksisterende konto
 DocType: Budget,Warn,Advar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Alle elementer er allerede overført til denne Arbejdsordre.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Alle elementer er allerede overført til denne Arbejdsordre.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Alle andre bemærkninger, bemærkelsesværdigt indsats, skal gå i registrene."
 DocType: Asset Maintenance,Manufacturing User,Produktionsbruger
 DocType: Purchase Invoice,Raw Materials Supplied,Leverede råvarer
 DocType: Subscription Plan,Payment Plan,Betalingsplan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Aktivér køb af varer via hjemmesiden
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valuta på prislisten {0} skal være {1} eller {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Abonnement Management
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Abonnement Management
 DocType: Appraisal,Appraisal Template,Vurderingsskabelon
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,At pin kode
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,At pin kode
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Marker dette for at aktivere en planlagt daglig synkroniseringsrutine via tidsplanlægger
 DocType: Item Group,Item Classification,Item Klassifikation
@@ -6050,6 +6119,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Faktura Patientregistrering
 DocType: Crop,Period,Periode
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Finansbogholderi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Til regnskabsår
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Se emner
 DocType: Program Enrollment Tool,New Program,nyt Program
 DocType: Item Attribute Value,Attribute Value,Attribut Værdi
@@ -6058,11 +6128,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Anbefalet genbestillings Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Medarbejder {0} i lønklasse {1} har ingen standardlovspolitik
 DocType: Salary Detail,Salary Detail,Løn Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Vælg {0} først
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Vælg {0} først
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Tilføjet {0} brugere
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","I tilfælde af multi-tier program, vil kunder automatisk blive tildelt den pågældende tier som per deres brugt"
 DocType: Appointment Type,Physician,Læge
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} af varer {1} er udløbet.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} af varer {1} er udløbet.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Høringer
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Færdig godt
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Varepris vises flere gange baseret på prisliste, leverandør / kunde, valuta, vare, uom, antal og datoer."
@@ -6071,22 +6141,21 @@
 DocType: Certification Application,Name of Applicant,Ansøgerens navn
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tidsregistrering til Produktion.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kan ikke ændre Variantegenskaber efter aktiehandel. Du bliver nødt til at lave en ny vare til at gøre dette.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kan ikke ændre Variantegenskaber efter aktiehandel. Du bliver nødt til at lave en ny vare til at gøre dette.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA Mandat
 DocType: Healthcare Practitioner,Charges,Afgifter
 DocType: Production Plan,Get Items For Work Order,Få varer til arbejdsordre
 DocType: Salary Detail,Default Amount,Standard Mængde
 DocType: Lab Test Template,Descriptive,Beskrivende
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Lager ikke fundet i systemet
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Denne måneds Summary
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Denne måneds Summary
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kvalitetskontrol-aflæsning
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Frys lager ældre end` skal være mindre end %d dage.
 DocType: Tax Rule,Purchase Tax Template,Indkøb Momsskabelon
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Indstil et salgsmål, du gerne vil opnå for din virksomhed."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Sundhedsydelser
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Sundhedsydelser
 ,Project wise Stock Tracking,Opfølgning på lager sorteret efter sager
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Transporttilstand
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorium
 DocType: UOM Category,UOM Category,UOM kategori
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Faktiske Antal (ved kilden / mål)
@@ -6109,17 +6178,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Kunne ikke oprette websted
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Konvertering Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry allerede oprettet eller Sample Mængde ikke angivet
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry allerede oprettet eller Sample Mængde ikke angivet
 DocType: Program,Program Abbreviation,Program Forkortelse
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Produktionsordre kan ikke rejses mod en Vare skabelon
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Afgifter er opdateret i købskvitteringen for hver enkelt vare
 DocType: Warranty Claim,Resolved By,Løst af
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Planlægningsudladning
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Anvendes ikke
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Konto {0}: Konto kan ikke samtidig være forældre-konto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Konto {0}: Konto kan ikke samtidig være forældre-konto
 DocType: Purchase Invoice Item,Price List Rate,Prisliste Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Opret tilbud til kunder
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Service Stop Date kan ikke være efter Service Slutdato
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Service Stop Date kan ikke være efter Service Slutdato
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Vis &quot;På lager&quot; eller &quot;Ikke på lager&quot; baseret på lager til rådighed i dette lager.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Styklister
 DocType: Item,Average time taken by the supplier to deliver,Gennemsnitlig tid taget af leverandøren til at levere
@@ -6131,11 +6200,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Timer
 DocType: Project,Expected Start Date,Forventet startdato
 DocType: Purchase Invoice,04-Correction in Invoice,04-korrektion i fakturaen
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Arbejdsordre allerede oprettet for alle varer med BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Arbejdsordre allerede oprettet for alle varer med BOM
 DocType: Payment Request,Party Details,Fest Detaljer
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant Details Report
 DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Købsprisliste
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Købsprisliste
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Fjern element, hvis afgifter ikke finder anvendelse på denne post"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Annuller abonnement
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Vælg venligst Vedligeholdelsesstatus som Afsluttet eller fjern Afslutningsdato
@@ -6153,7 +6222,7 @@
 DocType: Asset,Disposal Date,Salgsdato
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mails vil blive sendt til alle aktive medarbejdere i selskabet ved den givne time, hvis de ikke har ferie. Sammenfatning af svarene vil blive sendt ved midnat."
 DocType: Employee Leave Approver,Employee Leave Approver,Medarbejder Leave Godkender
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Række {0}: En Genbestil indgang findes allerede for dette lager {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Række {0}: En Genbestil indgang findes allerede for dette lager {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Kan ikke erklæres tabt, fordi tilbud er afgivet."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP-konto
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Træning Feedback
@@ -6165,7 +6234,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Til dato kan ikke være før fra dato
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Sektion Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Tilføj / rediger priser
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Tilføj / rediger priser
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Medarbejderfremme kan ikke indsendes før Kampagnedato
 DocType: Batch,Parent Batch,Overordnet parti
 DocType: Cheque Print Template,Cheque Print Template,Anvendes ikke
@@ -6175,6 +6244,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Prøveopsamling
 ,Requested Items To Be Ordered,Anmodet Varer skal bestilles
 DocType: Price List,Price List Name,Prislistenavn
+DocType: Delivery Stop,Dispatch Information,Dispatch Information
 DocType: Blanket Order,Manufacturing,Produktion
 ,Ordered Items To Be Delivered,"Bestilte varer, der skal leveres"
 DocType: Account,Income,Indtægter
@@ -6193,17 +6263,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} enheder af {1} skal bruges i {2} på {3} {4} til {5} for at gennemføre denne transaktion.
 DocType: Fee Schedule,Student Category,Studerendekategori
 DocType: Announcement,Student,Studerende
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lagerkvantitet til startprocedure er ikke tilgængelig på lageret. Ønsker du at optage en lageroverførsel
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lagerkvantitet til startprocedure er ikke tilgængelig på lageret. Ønsker du at optage en lageroverførsel
 DocType: Shipping Rule,Shipping Rule Type,Forsendelsesregel Type
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Gå til værelser
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Firma, Betalingskonto, Fra dato og til dato er obligatorisk"
 DocType: Company,Budget Detail,Budget Detail
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Indtast venligst en meddelelse, før du sender"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKATE FOR LEVERANDØR
-DocType: Email Digest,Pending Quotations,Afventende tilbud
-DocType: Delivery Note,Distance (KM),Afstand (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Leverandør&gt; Leverandørgruppe
 DocType: Asset,Custodian,kontoførende
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Kassesystemprofil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Kassesystemprofil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} skal være en værdi mellem 0 og 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Betaling af {0} fra {1} til {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Usikrede lån
@@ -6235,10 +6304,10 @@
 DocType: Lead,Converted,Konverteret
 DocType: Item,Has Serial No,Har serienummer
 DocType: Employee,Date of Issue,Udstedt den
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til købsindstillingerne, hvis købsmodtagelse er påkrævet == &#39;JA&#39; og derefter for at oprette købsfaktura, skal brugeren først oprette købsmodtagelse for vare {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til købsindstillingerne, hvis købsmodtagelse er påkrævet == &#39;JA&#39; og derefter for at oprette købsfaktura, skal brugeren først oprette købsmodtagelse for vare {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Række # {0}: Indstil Leverandør for vare {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Række {0}: Timer værdi skal være større end nul.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Website Billede {0} er knyttet til Vare {1} kan ikke findes
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Website Billede {0} er knyttet til Vare {1} kan ikke findes
 DocType: Issue,Content Type,Indholdstype
 DocType: Asset,Assets,Aktiver
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Computer
@@ -6249,7 +6318,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} findes ikke
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Kontroller venligst Multi Valuta indstilling for at tillade konti med anden valuta
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} findes ikke i systemet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Du er ikke autoriseret til at fastsætte Frozen værdi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Du er ikke autoriseret til at fastsætte Frozen værdi
 DocType: Payment Reconciliation,Get Unreconciled Entries,Hent ikke-afstemte poster
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Medarbejder {0} er på ferie på {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Ingen tilbagebetalinger valgt til Journal Entry
@@ -6267,13 +6336,14 @@
 ,Average Commission Rate,Gennemsnitlig provisionssats
 DocType: Share Balance,No of Shares,Antal Aktier
 DocType: Taxable Salary Slab,To Amount,Til beløb
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Har serienummer' kan ikke være 'Ja' for ikke-lagerførte vare
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Har serienummer' kan ikke være 'Ja' for ikke-lagerførte vare
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Vælg Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Fremmøde kan ikke markeres for fremtidige datoer
 DocType: Support Search Source,Post Description Key,Indlæg Beskrivelse Nøgle
 DocType: Pricing Rule,Pricing Rule Help,Hjælp til prisfastsættelsesregel
 DocType: School House,House Name,Husnavn
 DocType: Fee Schedule,Total Amount per Student,Samlede beløb pr. Studerende
+DocType: Opportunity,Sales Stage,Salgstrin
 DocType: Purchase Taxes and Charges,Account Head,Konto hoved
 DocType: Company,HRA Component,HRA komponent
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektrisk
@@ -6281,15 +6351,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Samlet værdi (difference udgående - indgående)
 DocType: Grant Application,Requested Amount,Ønsket beløb
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Række {0}: Valutakursen er obligatorisk
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Bruger-id ikke indstillet til Medarbejder {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Bruger-id ikke indstillet til Medarbejder {0}
 DocType: Vehicle,Vehicle Value,Køretøjsværdi
 DocType: Crop Cycle,Detected Diseases,Opdagede sygdomme
 DocType: Stock Entry,Default Source Warehouse,Standardkildelager
 DocType: Item,Customer Code,Kundekode
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Birthday Reminder for {0}
 DocType: Asset Maintenance Task,Last Completion Date,Sidste sluttidspunkt
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dage siden sidste ordre
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debit-Til konto skal være en balance konto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debit-Til konto skal være en balance konto
 DocType: Asset,Naming Series,Navngivningsnummerserie
 DocType: Vital Signs,Coated,coated
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Række {0}: Forventet værdi efter brugbart liv skal være mindre end brutto købsbeløb
@@ -6307,15 +6376,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Følgeseddel {0} må ikke godkendes
 DocType: Notification Control,Sales Invoice Message,Salgfakturabesked
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Lukningskonto {0} skal være af typen Passiver / Egenkapital
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Medarbejder {0} lønseddel er allerede overført til tidsregistreringskladde {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Medarbejder {0} lønseddel er allerede overført til tidsregistreringskladde {1}
 DocType: Vehicle Log,Odometer,kilometertæller
 DocType: Production Plan Item,Ordered Qty,Bestilt antal
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Vare {0} er deaktiveret
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Vare {0} er deaktiveret
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Op
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,Stykliste indeholder ikke nogen lagervarer
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,Stykliste indeholder ikke nogen lagervarer
 DocType: Chapter,Chapter Head,Kapitel Hoved
 DocType: Payment Term,Month(s) after the end of the invoice month,Måned (e) efter afslutningen af faktura måned
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lønstruktur skal have fleksible fordelskomponenter til at uddele ydelsesbeløb
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lønstruktur skal have fleksible fordelskomponenter til at uddele ydelsesbeløb
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Sagsaktivitet / opgave.
 DocType: Vital Signs,Very Coated,Meget belagt
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Kun skattepåvirkning (kan ikke kræve en del af skattepligtig indkomst)
@@ -6333,7 +6402,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Fakturerede timer
 DocType: Project,Total Sales Amount (via Sales Order),Samlet Salgsbeløb (via salgsordre)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Standard stykliste for {0} blev ikke fundet
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Række # {0}: Venligst sæt genbestille mængde
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Række # {0}: Venligst sæt genbestille mængde
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tryk på elementer for at tilføje dem her
 DocType: Fees,Program Enrollment,Program Tilmelding
 DocType: Share Transfer,To Folio No,Til Folio nr
@@ -6373,9 +6442,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Strength
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Installation af forudindstillinger
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Ingen leveringskort valgt til kunden {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Ingen leveringskort valgt til kunden {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Medarbejder {0} har ingen maksimal ydelsesbeløb
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Vælg varer baseret på Leveringsdato
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Vælg varer baseret på Leveringsdato
 DocType: Grant Application,Has any past Grant Record,Har nogen tidligere Grant Record
 ,Sales Analytics,Salgsanalyser
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Tilgængelige {0}
@@ -6383,12 +6452,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Produktion Indstillinger
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Opsætning af E-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Formynder 1 mobiltelefonnr.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Indtast standardvaluta i Firma-masteren
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Indtast standardvaluta i Firma-masteren
 DocType: Stock Entry Detail,Stock Entry Detail,Lagerindtastningsdetaljer
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Daglige påmindelser
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Daglige påmindelser
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Se alle åbne billetter
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Healthcare Service Unit Tree
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produkt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produkt
 DocType: Products Settings,Home Page is Products,Home Page er Produkter
 ,Asset Depreciation Ledger,Asset Afskrivninger Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Forlad Encashment Amount Per Day
@@ -6398,8 +6467,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Raw Materials Leveres Cost
 DocType: Selling Settings,Settings for Selling Module,Indstillinger for salgsmodul
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotelværelse Reservation
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Kundeservice
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Kundeservice
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Ingen kontakter med e-mail-id&#39;er fundet.
 DocType: Item Customer Detail,Item Customer Detail,Item Customer Detail
 DocType: Notification Control,Prompt for Email on Submission of,Spørg til Email på Indsendelse af
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maksimal ydelsesbeløb for medarbejderen {0} overstiger {1}
@@ -6409,13 +6479,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Vare {0} skal være en lagervare
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard varer-i-arbejde-lager
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Skemaer for {0} overlapninger, vil du fortsætte efter at have oversat overlapte slots?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Standardindstillinger regnskabsmæssige transaktioner.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Standardindstillinger regnskabsmæssige transaktioner.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Standard skat skabelon
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studerende er blevet tilmeldt
 DocType: Fees,Student Details,Studentoplysninger
 DocType: Purchase Invoice Item,Stock Qty,Antal på lager
 DocType: Contract,Requires Fulfilment,Kræver Opfyldelse
+DocType: QuickBooks Migrator,Default Shipping Account,Standard fragtkonto
 DocType: Loan,Repayment Period in Months,Tilbagebetaling Periode i måneder
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fejl: Ikke et gyldigt id?
 DocType: Naming Series,Update Series Number,Opdatering Series Number
@@ -6429,11 +6500,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maks. Beløb
 DocType: Journal Entry,Total Amount Currency,Samlet beløb Valuta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Søg Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Varenr. kræves på rækkenr. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Varenr. kræves på rækkenr. {0}
 DocType: GST Account,SGST Account,SGST-konto
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Gå til varer
 DocType: Sales Partner,Partner Type,Partnertype
-DocType: Purchase Taxes and Charges,Actual,Faktiske
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Faktiske
 DocType: Restaurant Menu,Restaurant Manager,Restaurantchef
 DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timeseddel til opgaver.
@@ -6454,7 +6525,7 @@
 DocType: Employee,Cheque,Anvendes ikke
 DocType: Training Event,Employee Emails,Medarbejder Emails
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Nummerserien opdateret
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Kontotype er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Kontotype er obligatorisk
 DocType: Item,Serial Number Series,Serienummer-nummerserie
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Lager er obligatorisk for lagervare {0} i række {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Detail &amp; Wholesale
@@ -6484,7 +6555,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Opdater billedbeløb i salgsordre
 DocType: BOM,Materials,Materialer
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Hvis ikke afkrydset, skal hver afdeling vælges, hvor det skal anvendes."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Bogføringsdato og -tid er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Bogføringsdato og -tid er obligatorisk
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Momsskabelon til købstransaktioner.
 ,Item Prices,Varepriser
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"""I Ord"" vil være synlig, når du gemmer indkøbsordren."
@@ -6500,12 +6571,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie for Asset Depreciation Entry (Journal Entry)
 DocType: Membership,Member Since,Medlem siden
 DocType: Purchase Invoice,Advance Payments,Forudbetalinger
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Vælg venligst Healthcare Service
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Vælg venligst Healthcare Service
 DocType: Purchase Taxes and Charges,On Net Total,On Net Total
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Værdi for Egenskab {0} skal være inden for området af {1} og {2} i intervaller af {3} til konto {4}
 DocType: Restaurant Reservation,Waitlisted,venteliste
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Fritagelseskategori
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuta kan ikke ændres efter at poster ved hjælp af nogle anden valuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuta kan ikke ændres efter at poster ved hjælp af nogle anden valuta
 DocType: Shipping Rule,Fixed,Fast
 DocType: Vehicle Service,Clutch Plate,clutch Plate
 DocType: Company,Round Off Account,Afrundningskonto
@@ -6514,7 +6585,7 @@
 DocType: Subscription Plan,Based on price list,Baseret på prisliste
 DocType: Customer Group,Parent Customer Group,Overordnet kundegruppe
 DocType: Vehicle Service,Change,Ændring
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Abonnement
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Abonnement
 DocType: Purchase Invoice,Contact Email,Kontakt e-mail
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Gebyr oprettelse afventer
 DocType: Appraisal Goal,Score Earned,Score tjent
@@ -6541,23 +6612,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Tilgodehavende / Betales konto
 DocType: Delivery Note Item,Against Sales Order Item,Mod Sales Order Item
 DocType: Company,Company Logo,Firma Logo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Angiv Attribut Værdi for attribut {0}
-DocType: Item Default,Default Warehouse,Standard-lager
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Angiv Attribut Værdi for attribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Standard-lager
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budget kan ikke tildeles mod Group konto {0}
 DocType: Shopping Cart Settings,Show Price,Vis pris
 DocType: Healthcare Settings,Patient Registration,Patientregistrering
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Indtast overordnet omkostningssted
 DocType: Delivery Note,Print Without Amount,Print uden Beløb
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Afskrivningsdato
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Afskrivningsdato
 ,Work Orders in Progress,Arbejdsordrer i gang
 DocType: Issue,Support Team,Supportteam
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Udløb (i dage)
 DocType: Appraisal,Total Score (Out of 5),Samlet score (ud af 5)
 DocType: Student Attendance Tool,Batch,Parti
 DocType: Support Search Source,Query Route String,Query Route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Opdateringshastighed pr. Sidste køb
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Opdateringshastighed pr. Sidste køb
 DocType: Donor,Donor Type,Donor Type
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Automatisk gentag dokument opdateret
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Automatisk gentag dokument opdateret
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Balance
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Vælg venligst firmaet
 DocType: Job Card,Job Card,Jobkort
@@ -6571,7 +6642,7 @@
 DocType: Assessment Result,Total Score,Samlet score
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standard
 DocType: Journal Entry,Debit Note,Debitnota
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Du kan kun indløse maksimalt {0} point i denne ordre.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Du kan kun indløse maksimalt {0} point i denne ordre.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Indtast venligst API Consumer Secret
 DocType: Stock Entry,As per Stock UOM,pr. lagerenhed
@@ -6584,10 +6655,11 @@
 DocType: Journal Entry,Total Debit,Samlet debet
 DocType: Travel Request Costing,Sponsored Amount,Sponsoreret beløb
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standard færdigvarer Warehouse
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Vælg venligst Patient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Vælg venligst Patient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Salgsmedarbejder
 DocType: Hotel Room Package,Amenities,Faciliteter
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Budget og Omkostningssted
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited Funds Account
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Budget og Omkostningssted
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Flere standard betalingsmåder er ikke tilladt
 DocType: Sales Invoice,Loyalty Points Redemption,Loyalitetspoint Indfrielse
 ,Appointment Analytics,Aftale Analytics
@@ -6601,6 +6673,7 @@
 DocType: Batch,Manufacturing Date,Fremstillingsdato
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Fee Creation mislykkedes
 DocType: Opening Invoice Creation Tool,Create Missing Party,Opret manglende parti
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Samlet budget
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Lad feltet stå tomt, hvis du laver elevergrupper hvert år"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Hvis markeret, Total nej. af Arbejdsdage vil omfatte helligdage, og dette vil reducere værdien af Løn Per Day"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Apps, der bruger den nuværende nøgle, vil ikke kunne få adgang til, er du sikker?"
@@ -6616,20 +6689,19 @@
 DocType: Opportunity Item,Basic Rate,Grundlæggende Rate
 DocType: GL Entry,Credit Amount,Kreditbeløb
 DocType: Cheque Print Template,Signatory Position,undertegnende holdning
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Sæt som Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Sæt som Lost
 DocType: Timesheet,Total Billable Hours,Total fakturerbare timer
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Antal dage, som abonnenten skal betale fakturaer genereret af dette abonnement"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Ansøgningsbidrag Ansøgnings detaljer
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Betalingskvittering
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dette er baseret på transaktioner for denne kunde. Se tidslinje nedenfor for detaljer
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Række {0}: Allokeret beløb {1} skal være mindre end eller lig med Payment indtastning beløb {2}
 DocType: Program Enrollment Tool,New Academic Term,Ny akademisk term
 ,Course wise Assessment Report,Kursusbaseret vurderingsrapport
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Udnyttet ITC Stat / UT Skat
 DocType: Tax Rule,Tax Rule,Momsregel
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Oprethold Samme Rate Gennem Sales Cycle
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Log venligst ind som en anden bruger for at registrere dig på Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Log venligst ind som en anden bruger for at registrere dig på Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planlæg tid logs uden Workstation arbejdstid.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kunder i kø
 DocType: Driver,Issuing Date,Udstedelsesdato
@@ -6638,11 +6710,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Send denne arbejdsordre til videre behandling.
 ,Items To Be Requested,Varer til bestilling
 DocType: Company,Company Info,Firmainformation
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Vælg eller tilføj ny kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Vælg eller tilføj ny kunde
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Omkostningssted er forpligtet til at bestille et udlæg
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Anvendelse af midler (Aktiver)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dette er baseret på deltagelse af denne Medarbejder
-DocType: Assessment Result,Summary,Resumé
 DocType: Payment Request,Payment Request Type,Betalingsanmodning Type
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debetkonto
@@ -6650,7 +6721,7 @@
 DocType: Additional Salary,Employee Name,Medarbejdernavn
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restaurant Bestillingsartikel
 DocType: Purchase Invoice,Rounded Total (Company Currency),Afrundet i alt (firmavaluta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Kan ikke skjult til gruppen, fordi Kontotype er valgt."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Kan ikke skjult til gruppen, fordi Kontotype er valgt."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} er blevet ændret. Venligst opdater.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop brugere fra at oprette fraværsansøgninger for de følgende dage.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Hvis ubegrænset udløb for loyalitetspoint, skal du holde udløbsperioden tom eller 0."
@@ -6671,11 +6742,12 @@
 DocType: Asset,Out of Order,Virker ikke
 DocType: Purchase Receipt Item,Accepted Quantity,Mængde
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorer arbejdstidens overlapning
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Angiv en standard helligdagskalender for medarbejder {0} eller firma {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Angiv en standard helligdagskalender for medarbejder {0} eller firma {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} eksisterer ikke
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Vælg batchnumre
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Til GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Til GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Regninger sendt til kunder.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Fakturaaftaler automatisk
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Sags-id
 DocType: Salary Component,Variable Based On Taxable Salary,Variabel baseret på skattepligtig løn
 DocType: Company,Basic Component,Grundlæggende komponent
@@ -6688,10 +6760,10 @@
 DocType: Stock Entry,Source Warehouse Address,Source Warehouse Address
 DocType: GL Entry,Voucher Type,Bilagstype
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret
 DocType: Student Applicant,Approved,Godkendt
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Pris
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Medarbejder lettet på {0} skal indstilles som &quot;Left&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Medarbejder lettet på {0} skal indstilles som &quot;Left&quot;
 DocType: Marketplace Settings,Last Sync On,Sidste synkronisering
 DocType: Guardian,Guardian,Guardian
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Alle meddelelser inklusive og over dette skal flyttes til det nye udgave
@@ -6714,14 +6786,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Liste over sygdomme opdaget på marken. Når den er valgt, tilføjer den automatisk en liste over opgaver for at håndtere sygdommen"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Dette er en root sundheds service enhed og kan ikke redigeres.
 DocType: Asset Repair,Repair Status,Reparation Status
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Tilføj salgspartnere
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Regnskab journaloptegnelser.
 DocType: Travel Request,Travel Request,Rejseforespørgsel
 DocType: Delivery Note Item,Available Qty at From Warehouse,Tilgængeligt antal fra vores lager
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Vælg Medarbejder Record først.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Tilstedeværelse er ikke indsendt til {0} som det er en ferie.
 DocType: POS Profile,Account for Change Amount,Konto for returbeløb
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Tilslutning til QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Total gevinst / tab
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Invalid Company for Inter Company Invoice.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Invalid Company for Inter Company Invoice.
 DocType: Purchase Invoice,input service,input service
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Række {0}: Party / Konto matcher ikke med {1} / {2} i {3} {4}
 DocType: Employee Promotion,Employee Promotion,Medarbejderfremmende
@@ -6730,12 +6804,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kursuskode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Indtast venligst udgiftskonto
 DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: referencedokument Type skal være en af indkøbsordre, købsfaktura eller Kassekladde"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: referencedokument Type skal være en af indkøbsordre, købsfaktura eller Kassekladde"
 DocType: Employee,Current Address,Nuværende adresse
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Hvis varen er en variant af et andet element derefter beskrivelse, billede, prissætning, skatter mv vil blive fastsat fra skabelonen medmindre det udtrykkeligt er angivet"
 DocType: Serial No,Purchase / Manufacture Details,Indkøbs- og produktionsdetaljer
 DocType: Assessment Group,Assessment Group,Gruppe Assessment
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Partilager
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Procedure Navn
 DocType: Employee,Contract End Date,Kontrakt Slutdato
 DocType: Amazon MWS Settings,Seller ID,Sælger ID
@@ -6755,12 +6830,12 @@
 DocType: Company,Date of Incorporation,Oprindelsesdato
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Moms i alt
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Sidste købspris
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,For Mængde (Fremstillet Antal) er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,For Mængde (Fremstillet Antal) er obligatorisk
 DocType: Stock Entry,Default Target Warehouse,Standard Target Warehouse
 DocType: Purchase Invoice,Net Total (Company Currency),Netto i alt (firmavaluta)
 DocType: Delivery Note,Air,Luft
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Året Slutdato kan ikke være tidligere end året startdato. Ret de datoer og prøv igen.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} er ikke i valgfri ferieliste
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} er ikke i valgfri ferieliste
 DocType: Notification Control,Purchase Receipt Message,Købskvittering meddelelse
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Skrotvarer
@@ -6782,23 +6857,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Opfyldelse
 DocType: Purchase Taxes and Charges,On Previous Row Amount,På Forrige Row Beløb
 DocType: Item,Has Expiry Date,Har udløbsdato
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfer Asset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfer Asset
 DocType: POS Profile,POS Profile,Kassesystemprofil
 DocType: Training Event,Event Name,begivenhed Navn
 DocType: Healthcare Practitioner,Phone (Office),Telefon (kontor)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Kan ikke indsende, Medarbejdere tilbage for at markere deltagelse"
 DocType: Inpatient Record,Admission,Adgang
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Indlæggelser for {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sæsonudsving til indstilling budgetter, mål etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sæsonudsving til indstilling budgetter, mål etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt navn
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Vare {0} er en skabelon, skal du vælge en af dens varianter"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer&gt; HR-indstillinger
+DocType: Purchase Invoice Item,Deferred Expense,Udskudt Udgift
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Fra dato {0} kan ikke være før medarbejderens tilmeldingsdato {1}
 DocType: Asset,Asset Category,Asset Kategori
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Nettoløn kan ikke være negativ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Nettoløn kan ikke være negativ
 DocType: Purchase Order,Advance Paid,Forudbetalt
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproduktionsprocent for salgsordre
 DocType: Item,Item Tax,Varemoms
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiale til leverandøren
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiale til leverandøren
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Materialeforespørgselsplanlægning
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Skattestyrelsen Faktura
@@ -6820,11 +6897,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Planlægning Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kreditkort
 DocType: BOM,Item to be manufactured or repacked,"Element, der skal fremstilles eller forarbejdes"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Syntaksfejl i tilstand: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Syntaksfejl i tilstand: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Større / Valgfag
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Angiv leverandørgruppe i købsindstillinger.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Angiv leverandørgruppe i købsindstillinger.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Samlet beløb for fleksibel fordel komponent {0} bør ikke være mindre end maksimale fordele {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Suspenderet
@@ -6844,7 +6921,7 @@
 DocType: Customer,Commission Rate,Provisionssats
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Vellykket oprettet betalingsposter
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Oprettet {0} scorecards for {1} mellem:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Opret Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Opret Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Betaling Type skal være en af Modtag, Pay og Intern Transfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Foretrukne område for overnatning
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analyser
@@ -6855,7 +6932,7 @@
 DocType: Work Order,Actual Operating Cost,Faktiske driftsomkostninger
 DocType: Payment Entry,Cheque/Reference No,Anvendes ikke
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root kan ikke redigeres.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root kan ikke redigeres.
 DocType: Item,Units of Measure,Måleenheder
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Udlejes i Metro City
 DocType: Supplier,Default Tax Withholding Config,Standard Skat tilbageholdende Config
@@ -6873,21 +6950,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Efter betaling afslutning omdirigere brugeren til valgte side.
 DocType: Company,Existing Company,Eksisterende firma
 DocType: Healthcare Settings,Result Emailed,Resultat sendt
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Skatkategori er blevet ændret til &quot;Total&quot;, fordi alle genstande er ikke-lagerartikler"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Skatkategori er blevet ændret til &quot;Total&quot;, fordi alle genstande er ikke-lagerartikler"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Til dato kan ikke være lige eller mindre end fra dato
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Intet at ændre
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vælg en CSV-fil
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Vælg en CSV-fil
 DocType: Holiday List,Total Holidays,Samlede helligdage
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Manglende email skabelon til afsendelse. Indstil venligst en i Leveringsindstillinger.
 DocType: Student Leave Application,Mark as Present,Markér som tilstede
 DocType: Supplier Scorecard,Indicator Color,Indikator Farve
 DocType: Purchase Order,To Receive and Bill,Til at modtage og Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd by Date kan ikke være før Transaktionsdato
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd by Date kan ikke være før Transaktionsdato
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Fremhævede varer
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Vælg serienummer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Vælg serienummer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Designer
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Skabelon til vilkår og betingelser
 DocType: Serial No,Delivery Details,Levering Detaljer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Omkostningssted kræves i række {0} i Skattetabellen for type {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Omkostningssted kræves i række {0} i Skattetabellen for type {1}
 DocType: Program,Program Code,programkode
 DocType: Terms and Conditions,Terms and Conditions Help,Hjælp til vilkår og betingelser
 ,Item-wise Purchase Register,Vare-wise Purchase Tilmeld
@@ -6900,15 +6978,16 @@
 DocType: Contract,Contract Terms,Kontraktvilkår
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Vis ikke valutasymbol (fx. $) ved siden af valutaen.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maksimumbeløbet for komponent {0} overstiger {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Halv dag)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Halv dag)
 DocType: Payment Term,Credit Days,Kreditdage
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Vælg patienten for at få labtest
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Masseopret elever
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Tillad Overførsel til Fremstilling
 DocType: Leave Type,Is Carry Forward,Er fortsat fravær fra sidste regnskabsår
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Hent varer fra stykliste
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Hent varer fra stykliste
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time dage
 DocType: Cash Flow Mapping,Is Income Tax Expense,Er indkomstskat udgift
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Din ordre er ude for levering!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Række # {0}: Bogføringsdato skal være den samme som købsdatoen {1} af aktivet {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Tjek dette, hvis den studerende er bosiddende på instituttets Hostel."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Indtast salgsordrer i ovenstående tabel
@@ -6916,10 +6995,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Overfør et aktiv fra et lager til et andet
 DocType: Vehicle,Petrol,Benzin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Resterende fordele (årlig)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Styklister
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Styklister
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Række {0}: Party Type og part er nødvendig for Tilgodehavende / Betales konto {1}
 DocType: Employee,Leave Policy,Forlad politik
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Opdater elementer
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Opdater elementer
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Dato
 DocType: Employee,Reason for Leaving,Årsag til Leaving
 DocType: BOM Operation,Operating Cost(Company Currency),Driftsomkostninger (Company Valuta)
@@ -6930,7 +7009,7 @@
 DocType: Department,Expense Approvers,Cost Approves
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Række {0}: Debit indgang ikke kan knyttes med en {1}
 DocType: Journal Entry,Subscription Section,Abonnementsafdeling
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Konto {0} findes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Konto {0} findes ikke
 DocType: Training Event,Training Program,Træningsprogram
 DocType: Account,Cash,Kontanter
 DocType: Employee,Short biography for website and other publications.,Kort biografi for hjemmesiden og andre publikationer.
diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv
index abed533..3587e1e 100644
--- a/erpnext/translations/de.csv
+++ b/erpnext/translations/de.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Kunden-Artikel
 DocType: Project,Costing and Billing,Kalkulation und Abrechnung
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Die Währung des Vorschusskontos sollte mit der Unternehmenswährung {0} übereinstimmen.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Übergeordnetes Konto {1} kann kein Kontenblatt sein
+DocType: QuickBooks Migrator,Token Endpoint,Token-Endpunkt
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Übergeordnetes Konto {1} kann kein Kontenblatt sein
 DocType: Item,Publish Item to hub.erpnext.com,Artikel über hub.erpnext.com veröffentlichen
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Aktive Abwesenheitszeit kann nicht gefunden werden
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Aktive Abwesenheitszeit kann nicht gefunden werden
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Beurteilung
 DocType: Item,Default Unit of Measure,Standardmaßeinheit
 DocType: SMS Center,All Sales Partner Contact,Alle Vertriebspartnerkontakte
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klicken Sie zum Hinzufügen auf Hinzufügen.
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Fehlender Wert für Passwort, API Key oder Shopify URL"
 DocType: Employee,Rented,Gemietet
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Alle Konten
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Alle Konten
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Mitarbeiter mit Status Links kann nicht übertragen werden
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",Angehaltener Fertigungsauftrag kann nicht storniert werden. Bitte zuerst den Fertigungsauftrag fortsetzen um ihn dann zu stornieren
 DocType: Vehicle Service,Mileage,Kilometerstand
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Möchten Sie diesen Gegenstand wirklich entsorgen?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Möchten Sie diesen Gegenstand wirklich entsorgen?
 DocType: Drug Prescription,Update Schedule,Aktualisierungsplan
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Standard -Lieferant auswählen
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Mitarbeiter anzeigen
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Neuer Wechselkurs
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Währung für Preisliste {0} erforderlich
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Währung für Preisliste {0} erforderlich
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Wird in der Transaktion berechnet.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Kundenkontakt
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Dies basiert auf Transaktionen gegen diesen Lieferanten. Siehe Zeitleiste unten für Details
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Überproduktionsprozentsatz für Arbeitsauftrag
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Rechtswesen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Rechtswesen
+DocType: Delivery Note,Transport Receipt Date,Transport Empfangsdatum
 DocType: Shopify Settings,Sales Order Series,Kundenauftragsreihen
 DocType: Vital Signs,Tongue,Zunge
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA-Befreiung
 DocType: Sales Invoice,Customer Name,Kundenname
 DocType: Vehicle,Natural Gas,Erdgas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankname {0} ungültig
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankname {0} ungültig
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA nach Gehaltsstruktur
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Typen (oder Gruppen), zu denen Buchungseinträge vorgenommen und Salden geführt werden."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Ausstände für {0} können nicht kleiner als Null sein ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Das Servicestoppdatum darf nicht vor dem Servicestartdatum liegen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Das Servicestoppdatum darf nicht vor dem Servicestartdatum liegen
 DocType: Manufacturing Settings,Default 10 mins,Standard 10 Minuten
 DocType: Leave Type,Leave Type Name,Bezeichnung der Abwesenheit
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,zeigen open
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,zeigen open
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Nummernkreise erfolgreich geändert
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Auschecken
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} in Zeile {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} in Zeile {1}
 DocType: Asset Finance Book,Depreciation Start Date,Startdatum der Abschreibung
 DocType: Pricing Rule,Apply On,Anwenden auf
 DocType: Item Price,Multiple Item prices.,Mehrere verschiedene Artikelpreise
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Support-Einstellungen
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Voraussichtliches Enddatum kann nicht vor dem voraussichtlichen Startdatum liegen
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-Einstellungen
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Zeile #{0}: Preis muss derselbe wie {1}: {2} ({3} / {4}) sein
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Zeile #{0}: Preis muss derselbe wie {1}: {2} ({3} / {4}) sein
 ,Batch Item Expiry Status,Stapelobjekt Ablauf-Status
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bankwechsel
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primäre Kontaktdaten
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Offene Probleme
 DocType: Production Plan Item,Production Plan Item,Artikel auf dem Produktionsplan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Benutzer {0} ist bereits Mitarbeiter {1} zugewiesen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Benutzer {0} ist bereits Mitarbeiter {1} zugewiesen
 DocType: Lab Test Groups,Add new line,Neue Zeile hinzufügen
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Gesundheitswesen
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zahlungsverzug (Tage)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Labor Rezept
 ,Delay Days,Verzögerungstage
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Dienstzeitaufwand
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriennummer: {0} wird bereits in der Verkaufsrechnung referenziert: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriennummer: {0} wird bereits in der Verkaufsrechnung referenziert: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Rechnung
 DocType: Purchase Invoice Item,Item Weight Details,Artikel Gewicht Details
 DocType: Asset Maintenance Log,Periodicity,Häufigkeit
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} ist erforderlich
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Lieferant&gt; Lieferantengruppe
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Der Mindestabstand zwischen den Pflanzenreihen für optimales Wachstum
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Verteidigung
 DocType: Salary Component,Abbr,Kürzel
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Urlaubsübersicht
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Buchhalter
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Verkaufspreisliste
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Verkaufspreisliste
 DocType: Patient,Tobacco Current Use,Tabakstrom Verwendung
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Verkaufsrate
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Verkaufsrate
 DocType: Cost Center,Stock User,Lager-Benutzer
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontakt Informationen
 DocType: Company,Phone No,Telefonnummer
 DocType: Delivery Trip,Initial Email Notification Sent,Erste E-Mail-Benachrichtigung gesendet
 DocType: Bank Statement Settings,Statement Header Mapping,Anweisungskopfzuordnung
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Startdatum des Abonnements
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Standard-Debitorenkonten, die verwendet werden sollen, wenn sie nicht in Patient, um Termingebühren zu buchen, eingestellt sind."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",".csv-Datei mit zwei Zeilen, eine für den alten und eine für den neuen Namen, anhängen"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Von Adresse 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgruppe&gt; Marke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Von Adresse 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} nicht in einem aktiven Geschäftsjahr.
 DocType: Packed Item,Parent Detail docname,Übergeordnetes Detail Dokumentenname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenz: {0}, Item Code: {1} und Kunde: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} ist in der Muttergesellschaft nicht vorhanden
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} ist in der Muttergesellschaft nicht vorhanden
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Testzeitraum-Enddatum Kann nicht vor dem Startdatum der Testzeitraumperiode liegen
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,Steuereinbehalt Kategorie
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Werbung
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Gleiche Firma wurde mehr als einmal eingegeben
 DocType: Patient,Married,Verheiratet
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nicht zulässig für {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nicht zulässig für {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Holen Sie Elemente aus
 DocType: Price List,Price Not UOM Dependant,Preis nicht UOM abhängig
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Steuereinbehaltungsbetrag anwenden
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Lager kann nicht mit Lieferschein {0} aktualisiert werden
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Gesamtbetrag der Gutschrift
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Lager kann nicht mit Lieferschein {0} aktualisiert werden
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Gesamtbetrag der Gutschrift
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Keine Artikel aufgeführt
 DocType: Asset Repair,Error Description,Fehlerbeschreibung
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Verwenden Sie das benutzerdefinierte Cashflow-Format
 DocType: SMS Center,All Sales Person,Alle Vertriebsmitarbeiter
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Monatliche Ausschüttung ** hilft Ihnen, das Budget / Ziel über Monate zu verteilen, wenn Sie Saisonalität in Ihrem Unternehmen haben."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nicht Artikel gefunden
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Gehaltsstruktur Fehlende
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nicht Artikel gefunden
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Gehaltsstruktur Fehlende
 DocType: Lead,Person Name,Name der Person
 DocType: Sales Invoice Item,Sales Invoice Item,Ausgangsrechnungs-Artikel
 DocType: Account,Credit,Haben
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Lagerberichte
 DocType: Warehouse,Warehouse Detail,Lagerdetail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Der Begriff Enddatum kann nicht später sein als das Jahr Enddatum des Akademischen Jahres an dem der Begriff verknüpft ist (Akademisches Jahr {}). Bitte korrigieren Sie die Daten und versuchen Sie es erneut.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ist Anlagevermögen"" kann nicht deaktiviert werden, da Anlagebuchung gegen den Artikel vorhanden"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ist Anlagevermögen"" kann nicht deaktiviert werden, da Anlagebuchung gegen den Artikel vorhanden"
 DocType: Delivery Trip,Departure Time,Abfahrtszeit
 DocType: Vehicle Service,Brake Oil,Bremsöl
 DocType: Tax Rule,Tax Type,Steuerart
 ,Completed Work Orders,Abgeschlossene Arbeitsaufträge
 DocType: Support Settings,Forum Posts,Forum Beiträge
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Steuerpflichtiger Betrag
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Steuerpflichtiger Betrag
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Sie haben keine Berechtigung Buchungen vor {0} hinzuzufügen oder zu aktualisieren
 DocType: Leave Policy,Leave Policy Details,Hinterlassen Sie die Richtliniendetails
 DocType: BOM,Item Image (if not slideshow),Artikelbild (wenn keine Diashow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Stundensatz / 60) * tatsächliche Betriebszeit
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referenzdokumenttyp muss einer der Kostenansprüche oder des Journaleintrags sein
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Wählen Sie BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referenzdokumenttyp muss einer der Kostenansprüche oder des Journaleintrags sein
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Wählen Sie BOM
 DocType: SMS Log,SMS Log,SMS-Protokoll
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Aufwendungen für gelieferte Artikel
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Der Urlaub am {0} ist nicht zwischen dem Von-Datum und dem Bis-Datum
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Vorlagen der Lieferantenwertung.
 DocType: Lead,Interested,Interessiert
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Eröffnung
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Von {0} bis {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Von {0} bis {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programm:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Fehler beim Einrichten der Steuern
 DocType: Item,Copy From Item Group,Von Artikelgruppe kopieren
-DocType: Delivery Trip,Delivery Notification,Versandbenachrichtigung
 DocType: Journal Entry,Opening Entry,Eröffnungsbuchung
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Reines Zahlungskonto
 DocType: Loan,Repay Over Number of Periods,Repay über Anzahl der Perioden
 DocType: Stock Entry,Additional Costs,Zusätzliche Kosten
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Ein Konto mit bestehenden Transaktionen kann nicht in eine Gruppe umgewandelt werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Ein Konto mit bestehenden Transaktionen kann nicht in eine Gruppe umgewandelt werden
 DocType: Lead,Product Enquiry,Produktanfrage
 DocType: Education Settings,Validate Batch for Students in Student Group,Validiere Charge für Studierende in der Studentengruppe
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Kein Urlaubssatz für Mitarbeiter gefunden {0} von {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Bitte zuerst die Firma angeben
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Bitte zuerst Firma auswählen
 DocType: Employee Education,Under Graduate,Schulabgänger
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Bitte legen Sie die Standardvorlage für Abwesenheitsbenachrichtigung in HR-Einstellungen fest.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Bitte legen Sie die Standardvorlage für Abwesenheitsbenachrichtigung in HR-Einstellungen fest.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Ziel auf
 DocType: BOM,Total Cost,Gesamtkosten
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoauszug
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Pharmaprodukte
 DocType: Purchase Invoice Item,Is Fixed Asset,Ist Anlagevermögen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Verfügbare Menge ist {0}, müssen Sie {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Verfügbare Menge ist {0}, müssen Sie {1}"
 DocType: Expense Claim Detail,Claim Amount,Betrag einfordern
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Arbeitsauftrag wurde {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Qualitätsinspektionsvorlage
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Wollen Sie die Teilnahme zu aktualisieren? <br> Present: {0} \ <br> Abwesend: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akzeptierte + abgelehnte Menge muss für diese Position {0} gleich der erhaltenen Menge sein
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akzeptierte + abgelehnte Menge muss für diese Position {0} gleich der erhaltenen Menge sein
 DocType: Item,Supply Raw Materials for Purchase,Rohmaterial für Einkauf bereitstellen
 DocType: Agriculture Analysis Criteria,Fertilizer,Dünger
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Die Lieferung per Seriennummer kann nicht gewährleistet werden, da \ Item {0} mit und ohne &quot;Delivery Delivery by \ Serial No.&quot; hinzugefügt wird."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Mindestens eine Art der Bezahlung ist für POS-Rechnung erforderlich.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Mindestens eine Art der Bezahlung ist für POS-Rechnung erforderlich.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Kontoauszug Transaktion Rechnungsposition
 DocType: Products Settings,Show Products as a List,Produkte anzeigen als Liste
 DocType: Salary Detail,Tax on flexible benefit,Steuer auf flexiblen Vorteil
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Menge
 DocType: Production Plan,Material Request Detail,Materialanforderungsdetail
 DocType: Selling Settings,Default Quotation Validity Days,Standard-Angebotsgültigkeitstage
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuern im Artikelpreis in Zeile {0} einzubeziehen, müssen Steuern in den Zeilen {1} ebenfalls einbezogen sein"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuern im Artikelpreis in Zeile {0} einzubeziehen, müssen Steuern in den Zeilen {1} ebenfalls einbezogen sein"
 DocType: SMS Center,SMS Center,SMS-Center
 DocType: Payroll Entry,Validate Attendance,Teilnahme bestätigen
 DocType: Sales Invoice,Change Amount,Anzahl ändern
 DocType: Party Tax Withholding Config,Certificate Received,Zertifikat erhalten
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Rechnungswert für B2C festlegen B2CL und B2CS basierend auf diesem Rechnungswert berechnet.
 DocType: BOM Update Tool,New BOM,Neue Stückliste
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Vorgeschriebene Verfahren
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Vorgeschriebene Verfahren
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Zeige nur POS
 DocType: Supplier Group,Supplier Group Name,Name der Lieferantengruppe
 DocType: Driver,Driving License Categories,Führerscheinklasse
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Abrechnungsperioden
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Mitarbeiter anlegen
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Rundfunk
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Einrichtungsmodus des POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Einrichtungsmodus des POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Deaktiviert die Erstellung von Zeitprotokollen für Arbeitsaufträge. Vorgänge dürfen nicht gegen den Arbeitsauftrag verfolgt werden
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Ausführung
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Details der durchgeführten Arbeitsgänge
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Rabatt auf die Preisliste (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Artikelvorlage
 DocType: Job Offer,Select Terms and Conditions,Bitte Geschäftsbedingungen auswählen
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Out Wert
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Out Wert
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Kontoauszug Einstellungen Artikel
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Einstellungen
 DocType: Production Plan,Sales Orders,Kundenaufträge
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Die Angebotsanfrage kann durch einen Klick auf den folgenden Link abgerufen werden
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool-Kurs
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Zahlungs-Beschreibung
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Nicht genug Lagermenge.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Nicht genug Lagermenge.
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapazitätsplanung und Zeiterfassung deaktivieren
 DocType: Email Digest,New Sales Orders,Neue Kundenaufträge
 DocType: Bank Account,Bank Account,Bankkonto
 DocType: Travel Itinerary,Check-out Date,Überprüfe das Datum
 DocType: Leave Type,Allow Negative Balance,Negativen Saldo zulassen
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Sie können den Projekttyp &#39;Extern&#39; nicht löschen
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Wählen Sie Alternatives Element
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Wählen Sie Alternatives Element
 DocType: Employee,Create User,Benutzer erstellen
 DocType: Selling Settings,Default Territory,Standardregion
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Fernsehen
 DocType: Work Order Operation,Updated via 'Time Log',"Aktualisiert über ""Zeitprotokoll"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Wählen Sie den Kunden oder den Lieferanten aus.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Anzahlung kann nicht größer sein als {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Anzahlung kann nicht größer sein als {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Zeitfenster übersprungen, der Slot {0} zu {1} überlappt den vorhandenen Slot {2} zu {3}"
 DocType: Naming Series,Series List for this Transaction,Nummernkreise zu diesem Vorgang
 DocType: Company,Enable Perpetual Inventory,Permanente Inventur aktivieren
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Zu Ausgangsrechnungs-Position
 DocType: Agriculture Analysis Criteria,Linked Doctype,Verknüpfter Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Nettocashflow aus Finanzierung
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage ist voll, nicht gespeichert"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage ist voll, nicht gespeichert"
 DocType: Lead,Address & Contact,Adresse & Kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Ungenutzten Urlaub von vorherigen Zuteilungen hinzufügen
 DocType: Sales Partner,Partner website,Partner-Website
@@ -446,10 +446,10 @@
 ,Open Work Orders,Arbeitsaufträge öffnen
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Beratungsgebühr Artikel
 DocType: Payment Term,Credit Months,Kreditmonate
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Net Pay kann nicht kleiner als 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Net Pay kann nicht kleiner als 0
 DocType: Contract,Fulfilled,Erfüllt
 DocType: Inpatient Record,Discharge Scheduled,Entladung geplant
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Freitstellungsdatum muss nach dem Eintrittsdatum liegen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Freitstellungsdatum muss nach dem Eintrittsdatum liegen
 DocType: POS Closing Voucher,Cashier,Kassierer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Abwesenheiten pro Jahr
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Zeile {0}: Wenn es sich um eine Vorkasse-Buchung handelt, bitte ""Ist Vorkasse"" zu Konto {1} anklicken, ."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Bitte richten Sie Schüler unter Schülergruppen ein
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Vollständiger Job
 DocType: Item Website Specification,Item Website Specification,Artikel-Webseitenspezifikation
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Urlaub gesperrt
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Artikel {0} hat das Ende seiner Lebensdauer erreicht zum Datum {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Urlaub gesperrt
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Artikel {0} hat das Ende seiner Lebensdauer erreicht zum Datum {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank-Einträge
 DocType: Customer,Is Internal Customer,Ist interner Kunde
 DocType: Crop,Annual,Jährlich
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Wenn Automatische Anmeldung aktiviert ist, werden die Kunden automatisch mit dem betreffenden Treueprogramm verknüpft (beim Speichern)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Bestandsabgleich-Artikel
 DocType: Stock Entry,Sales Invoice No,Ausgangsrechnungs-Nr.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Lieferart
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Lieferart
 DocType: Material Request Item,Min Order Qty,Mindestbestellmenge
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool-Kurs
 DocType: Lead,Do Not Contact,Nicht Kontakt aufnehmen
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Im Hub veröffentlichen
 DocType: Student Admission,Student Admission,Studenten Eintritt
 ,Terretory,Region
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Artikel {0} wird storniert
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Artikel {0} wird storniert
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Abschreibungszeile {0}: Das Abschreibungsstartdatum wird als hinteres Datum eingegeben
 DocType: Contract Template,Fulfilment Terms and Conditions,Erfüllungsbedingungen
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materialanfrage
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materialanfrage
 DocType: Bank Reconciliation,Update Clearance Date,Abwicklungsdatum aktualisieren
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Einkaufsdetails
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Artikel {0} in Tabelle ""Rohmaterialien geliefert"" des Lieferantenauftrags {1} nicht gefunden"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Artikel {0} in Tabelle ""Rohmaterialien geliefert"" des Lieferantenauftrags {1} nicht gefunden"
 DocType: Salary Slip,Total Principal Amount,Gesamtbetrag
 DocType: Student Guardian,Relation,Beziehung
 DocType: Student Guardian,Mother,Mutter
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Versand-Landesbezirk/-Gemeinde/-Kreis
 DocType: Currency Exchange,For Selling,Für den Verkauf
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Lernen
+DocType: Purchase Invoice Item,Enable Deferred Expense,Aktivieren Sie den Rechnungsabgrenzungsposten
 DocType: Asset,Next Depreciation Date,Nächstes Abschreibungsdatum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitätskosten je Mitarbeiter
 DocType: Accounts Settings,Settings for Accounts,Konteneinstellungen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Lieferantenrechnung existiert in Kauf Rechnung {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Lieferantenrechnung existiert in Kauf Rechnung {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Baumstruktur der Vertriebsmitarbeiter verwalten
 DocType: Job Applicant,Cover Letter,Motivationsschreiben
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Ausstehende Schecks und Anzahlungen zum verbuchen
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Externe Arbeits-Historie
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Zirkelschluss-Fehler
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Schülerbericht-Karte
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Von Pin-Code
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Von Pin-Code
 DocType: Appointment Type,Is Inpatient,Ist stationär
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Namen
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"""In Worten (Export)"" wird sichtbar, sobald Sie den Lieferschein speichern."
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Unterschiedliche Währungen
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Rechnungstyp
 DocType: Employee Benefit Claim,Expense Proof,Auslagenbeleg
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Lieferschein
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},{0} speichern
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Lieferschein
 DocType: Patient Encounter,Encounter Impression,Begegnung Eindruck
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Steuern einrichten
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Herstellungskosten des verkauften Vermögens
 DocType: Volunteer,Morning,Morgen
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Zahlungsbuchung wurde geändert, nachdem sie abgerufen wurde. Bitte erneut abrufen."
 DocType: Program Enrollment Tool,New Student Batch,Neue Studentencharge
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} in Artikelsteuer doppelt eingegeben
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Zusammenfassung für diese Woche und anstehende Aktivitäten
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} in Artikelsteuer doppelt eingegeben
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Zusammenfassung für diese Woche und anstehende Aktivitäten
 DocType: Student Applicant,Admitted,Zugelassen
 DocType: Workstation,Rent Cost,Mietkosten
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Betrag nach Abschreibungen
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Betrag nach Abschreibungen
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Die nächsten Kalender Ereignisse
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variantenattribute
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Bitte Monat und Jahr auswählen
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Es kann nur EIN Konto pro Unternehmen in {0} {1} geben
 DocType: Support Search Source,Response Result Key Path,Antwort Ergebnis Schlüsselpfad
 DocType: Journal Entry,Inter Company Journal Entry,Inter-Firmeneintrag
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Für die Menge {0} sollte nicht größer sein als die Arbeitsauftragsmenge {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Bitte Anhang beachten
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Für die Menge {0} sollte nicht größer sein als die Arbeitsauftragsmenge {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Bitte Anhang beachten
 DocType: Purchase Order,% Received,% erhalten
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Studentengruppen erstellen
 DocType: Volunteer,Weekends,Wochenenden
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Absolut aussergewöhnlich
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Anfangs- / Ist-Wert eines Nummernkreises ändern.
 DocType: Dosage Strength,Strength,Stärke
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Erstellen Sie einen neuen Kunden
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Erstellen Sie einen neuen Kunden
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Verfällt am
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Wenn mehrere Preisregeln weiterhin gleichrangig gelten, werden die Benutzer aufgefordert, Vorrangregelungen manuell zu erstellen, um den Konflikt zu lösen."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Bestellungen erstellen
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Verbrauchskosten
 DocType: Purchase Receipt,Vehicle Date,Fahrzeug-Datum
 DocType: Student Log,Medical,Medizinisch
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Grund für das Verlieren
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Bitte wählen Sie Arzneimittel
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Grund für das Verlieren
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Bitte wählen Sie Arzneimittel
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Lead-Besitzer können nicht gleich dem Lead sein
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Zugeteilter Betrag kann nicht größer sein als nicht angepasster Betrag
 DocType: Announcement,Receiver,Empfänger
 DocType: Location,Area UOM,Bereichs-Maßeinheit
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Arbeitsplatz ist an folgenden Tagen gemäß der Urlaubsliste geschlossen: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Chancen
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Chancen
 DocType: Lab Test Template,Single,Ledig
 DocType: Compensatory Leave Request,Work From Date,Arbeit von Datum
 DocType: Salary Slip,Total Loan Repayment,Insgesamt Loan Rückzahlung
+DocType: Project User,View attachments,Anhänge anzeigen
 DocType: Account,Cost of Goods Sold,Selbstkosten
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Bitte die Kostenstelle eingeben
 DocType: Drug Prescription,Dosage,Dosierung
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Menge und Preis
 DocType: Delivery Note,% Installed,% installiert
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Die Klassenräume / Laboratorien usw., wo Vorträge können geplant werden."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Firmenwährungen beider Unternehmen sollten für Inter Company-Transaktionen übereinstimmen.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Firmenwährungen beider Unternehmen sollten für Inter Company-Transaktionen übereinstimmen.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Bitte zuerst den Firmennamen angeben
 DocType: Travel Itinerary,Non-Vegetarian,Kein Vegetarier
 DocType: Purchase Invoice,Supplier Name,Lieferantenname
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Vorübergehend in der Warteschleife
 DocType: Account,Is Group,Ist Gruppe
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Gutschrift {0} wurde automatisch erstellt
-DocType: Email Digest,Pending Purchase Orders,Bis Bestellungen
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatisch Seriennummern auf Basis FIFO einstellen
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,"Aktivieren, damit dieselbe Lieferantenrechnungsnummer nur einmal vorkommen kann"
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primäre Adressendetails
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Einleitenden Text anpassen, der zu dieser E-Mail gehört. Jede Transaktion hat einen eigenen Einleitungstext."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Zeile {0}: Vorgang ist für die Rohmaterialposition {1} erforderlich
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Bitte setzen Sie das Zahlungsverzugskonto für die Firma {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Die Transaktion ist für den angehaltenen Arbeitsauftrag {0} nicht zulässig.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Die Transaktion ist für den angehaltenen Arbeitsauftrag {0} nicht zulässig.
 DocType: Setup Progress Action,Min Doc Count,Min
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Allgemeine Einstellungen für alle Fertigungsprozesse
 DocType: Accounts Settings,Accounts Frozen Upto,Konten gesperrt bis
 DocType: SMS Log,Sent On,Gesendet am
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Attribut {0} mehrfach in Attributetabelle ausgewäht
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Attribut {0} mehrfach in Attributetabelle ausgewäht
 DocType: HR Settings,Employee record is created using selected field. ,Mitarbeiter-Datensatz wird erstellt anhand des ausgewählten Feldes.
 DocType: Sales Order,Not Applicable,Nicht anwenden
 DocType: Amazon MWS Settings,UK,Vereinigtes Königreich
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Mitarbeiter {0} hat bereits {1} für {2} beantragt:
 DocType: Inpatient Record,AB Positive,AB +
 DocType: Job Opening,Description of a Job Opening,Stellenbeschreibung
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Ausstehende Aktivitäten für heute
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Ausstehende Aktivitäten für heute
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Gehaltskomponente für Zeiterfassung basierte Abrechnung.
+DocType: Driver,Applicable for external driver,Anwendbar für externen Treiber
 DocType: Sales Order Item,Used for Production Plan,Wird für den Produktionsplan verwendet
 DocType: Loan,Total Payment,Gesamtzahlung
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Die Transaktion für den abgeschlossenen Arbeitsauftrag kann nicht storniert werden.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Die Transaktion für den abgeschlossenen Arbeitsauftrag kann nicht storniert werden.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Zeit zwischen den Arbeitsgängen (in Minuten)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,Bestellung wurde bereits für alle Kundenauftragspositionen angelegt
 DocType: Healthcare Service Unit,Occupied,Besetzt
 DocType: Clinical Procedure,Consumables,Verbrauchsmaterial
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} wurde abgebrochen, deshalb kann die Aktion nicht abgeschlossen werden"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} wurde abgebrochen, deshalb kann die Aktion nicht abgeschlossen werden"
 DocType: Customer,Buyer of Goods and Services.,Käufer von Waren und Dienstleistungen.
 DocType: Journal Entry,Accounts Payable,Verbindlichkeiten
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Der in dieser Zahlungsanforderung festgelegte Betrag von {0} unterscheidet sich von dem berechneten Betrag aller Zahlungspläne: {1}. Stellen Sie sicher, dass dies korrekt ist, bevor Sie das Dokument einreichen."
 DocType: Patient,Allergies,Allergien
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Die ausgewählten Stücklisten sind nicht für den gleichen Artikel
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Die ausgewählten Stücklisten sind nicht für den gleichen Artikel
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Ändern Sie den Artikelcode
 DocType: Supplier Scorecard Standing,Notify Other,Andere benachrichtigen
 DocType: Vital Signs,Blood Pressure (systolic),Blutdruck (systolisch)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Genug Teile zu bauen
 DocType: POS Profile User,POS Profile User,POS-Profilbenutzer
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Zeile {0}: Das Abschreibungsstartdatum ist erforderlich
-DocType: Sales Invoice Item,Service Start Date,Service Startdatum
+DocType: Purchase Invoice Item,Service Start Date,Service Startdatum
 DocType: Subscription Invoice,Subscription Invoice,Abonnementrechnung
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Direkte Erträge
 DocType: Patient Appointment,Date TIme,Terminzeit
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Laborroutine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Bitte wählen Sie Fertigstellungsdatum für das abgeschlossene Anlagenpflegeprotokoll
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Um zwei Produkte zusammenzuführen, müssen folgende Eigenschaften für beide Produkte gleich sein"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Um zwei Produkte zusammenzuführen, müssen folgende Eigenschaften für beide Produkte gleich sein"
 DocType: Supplier,Block Supplier,Lieferant blockieren
 DocType: Shipping Rule,Net Weight,Nettogewicht
 DocType: Job Opening,Planned number of Positions,Geplante Anzahl von Positionen
@@ -804,7 +807,7 @@
 DocType: Sales Invoice,Offline POS Name,Offline-Verkaufsstellen-Name
 apps/erpnext/erpnext/utilities/user_progress.py +180,Student Application,Studentische Bewerbung
 DocType: Bank Statement Transaction Payment Item,Payment Reference,Zahlungsreferenz
-DocType: Supplier,Hold Type,Halten Sie Typ
+DocType: Supplier,Hold Type,Halte-Typ
 apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Bitte definieren Sie Grade for Threshold 0%
 DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Kontoauszug Transaktion Zahlungsposition
 DocType: Sales Order,To Deliver,Auszuliefern
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Cashflow-Mapping-Vorlage
 DocType: Travel Request,Costing Details,Kalkulationsdetails
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Zeige Return-Einträge
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serien-Nr Element kann nicht ein Bruchteil sein
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serien-Nr Element kann nicht ein Bruchteil sein
 DocType: Journal Entry,Difference (Dr - Cr),Differenz (Soll - Haben)
 DocType: Bank Guarantee,Providing,Bereitstellung
 DocType: Account,Profit and Loss,Gewinn und Verlust
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nicht zulässig, konfigurieren Sie Lab Test Vorlage wie erforderlich"
 DocType: Patient,Risk Factors,Risikofaktoren
 DocType: Patient,Occupational Hazards and Environmental Factors,Berufsrisiken und Umweltfaktoren
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,"Lagereinträge, die bereits für den Arbeitsauftrag erstellt wurden"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,"Lagereinträge, die bereits für den Arbeitsauftrag erstellt wurden"
 DocType: Vital Signs,Respiratory rate,Atemfrequenz
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Unteraufträge vergeben
 DocType: Vital Signs,Body Temperature,Körpertemperatur
 DocType: Project,Project will be accessible on the website to these users,Projekt wird auf der Website für diese Benutzer zugänglich sein
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"{0} {1} kann nicht storniert werden, da Seriennr. {2} nicht zum Lager gehört {3}"
 DocType: Detected Disease,Disease,Krankheit
+DocType: Company,Default Deferred Expense Account,Standard-Rechnungsabgrenzungsposten
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Projekttyp definieren
 DocType: Supplier Scorecard,Weighting Function,Gewichtungsfunktion
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Beratungsgebühr
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Produzierte Artikel
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Transaktion mit Rechnungen abgleichen
 DocType: Sales Order Item,Gross Profit,Rohgewinn
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Blockierung der Rechnung aufheben
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Blockierung der Rechnung aufheben
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Schrittweite kann nicht 0 sein
 DocType: Company,Delete Company Transactions,Löschen der Transaktionen dieser Firma
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referenznummer und Referenzdatum ist obligatorisch für Bankengeschäft
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Ignorieren
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} ist nicht aktiv
 DocType: Woocommerce Settings,Freight and Forwarding Account,Fracht- und Speditionskonto
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Setup-Kontrollmaße für den Druck
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Setup-Kontrollmaße für den Druck
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Gehaltszettel erstellen
 DocType: Vital Signs,Bloated,Aufgebläht
 DocType: Salary Slip,Salary Slip Timesheet,Gehaltszettel Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Lieferantenlager notwendig für Kaufbeleg aus Unteraufträgen
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Lieferantenlager notwendig für Kaufbeleg aus Unteraufträgen
 DocType: Item Price,Valid From,Gültig ab
 DocType: Sales Invoice,Total Commission,Gesamtprovision
 DocType: Tax Withholding Account,Tax Withholding Account,Steuerrückbehaltkonto
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Alle Lieferanten-Scorecards.
 DocType: Buying Settings,Purchase Receipt Required,Kaufbeleg notwendig
 DocType: Delivery Note,Rail,Schiene
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Das Ziellager in der Zeile {0} muss mit dem Arbeitsauftrag übereinstimmen
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Bewertungskurs ist obligatorisch, wenn Öffnung Stock eingegeben"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Das Ziellager in der Zeile {0} muss mit dem Arbeitsauftrag übereinstimmen
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Bewertungskurs ist obligatorisch, wenn Öffnung Stock eingegeben"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Keine Datensätze in der Rechnungstabelle gefunden
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Bitte zuerst Firma und Gruppentyp auswählen
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Im Standardprofil {0} für den Benutzer {1} ist der Standard bereits festgelegt, standardmäßig deaktiviert"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finanz-/Rechnungsjahr
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finanz-/Rechnungsjahr
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Kumulierte Werte
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Verzeihung! Seriennummern können nicht zusammengeführt werden,"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Die Kundengruppe wird bei der Synchronisierung von Kunden von Shopify auf die ausgewählte Gruppe festgelegt
@@ -895,7 +900,7 @@
 ,Lead Id,Lead-ID
 DocType: C-Form Invoice Detail,Grand Total,Gesamtbetrag
 DocType: Assessment Plan,Course,Kurs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Abschnittscode
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Abschnittscode
 DocType: Timesheet,Payslip,payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Der halbe Tag sollte zwischen Datum und Datum liegen
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Artikel Warenkorb
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Persönliches Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Mitglieds-ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Geliefert: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Geliefert: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Verbunden mit QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Verbindlichkeiten-Konto
 DocType: Payment Entry,Type of Payment,Zahlungsart
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Das Halbtagesdatum ist obligatorisch
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Lieferschein-Datum
 DocType: Production Plan,Production Plan,Produktionsplan
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Öffnen des Rechnungserstellungswerkzeugs
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Rücklieferung
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Rücklieferung
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Hinweis: Die aufteilbaren Gesamt Blätter {0} sollte nicht kleiner sein als bereits genehmigt Blätter {1} für den Zeitraum
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Legen Sie Menge in Transaktionen basierend auf Serial No Input fest
 ,Total Stock Summary,Gesamt Stock Zusammenfassung
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Kunde oder Artikel
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kundendatenbank
 DocType: Quotation,Quotation To,Angebot für
-DocType: Lead,Middle Income,Mittleres Einkommen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Mittleres Einkommen
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Anfangssstand (Haben)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Die Standard-Maßeinheit für Artikel {0} kann nicht direkt geändert werden, weil Sie bereits einige Transaktionen mit einer anderen Maßeinheit durchgeführt haben. Sie müssen einen neuen Artikel erstellen, um eine andere Standard-Maßeinheit verwenden zukönnen."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Die Standard-Maßeinheit für Artikel {0} kann nicht direkt geändert werden, weil Sie bereits einige Transaktionen mit einer anderen Maßeinheit durchgeführt haben. Sie müssen einen neuen Artikel erstellen, um eine andere Standard-Maßeinheit verwenden zukönnen."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Zugewiesene Menge kann nicht negativ sein
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Bitte setzen Sie das Unternehmen
 DocType: Share Balance,Share Balance,Anteilsbestand
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Wählen Sie ein Zahlungskonto für die Buchung
 DocType: Hotel Settings,Default Invoice Naming Series,Standard-Rechnungsbenennungsserie
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Erstellen Sie Mitarbeiterdaten Blätter, Spesenabrechnung und Gehaltsabrechnung zu verwalten"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Während des Aktualisierungsprozesses ist ein Fehler aufgetreten
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Während des Aktualisierungsprozesses ist ein Fehler aufgetreten
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant Reservierung
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Verfassen von Angeboten
 DocType: Payment Entry Deduction,Payment Entry Deduction,Zahlungsabzug
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Aufwickeln
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Benachrichtigen Sie Kunden per E-Mail
 DocType: Item,Batch Number Series,Chargennummer Serie
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Ein weiterer Vertriebsmitarbeiter {0} existiert bereits mit der gleichen Mitarbeiter ID
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Ein weiterer Vertriebsmitarbeiter {0} existiert bereits mit der gleichen Mitarbeiter ID
 DocType: Employee Advance,Claimed Amount,Anspruchsbetrag
+DocType: QuickBooks Migrator,Authorization Settings,Autorisierungseinstellungen
 DocType: Travel Itinerary,Departure Datetime,Abfahrt Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Reiseanfrage Kosten
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Bezeichnung des Lieferanten nach
 DocType: Activity Type,Default Costing Rate,Standardkosten
 DocType: Maintenance Schedule,Maintenance Schedule,Wartungsplan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dann werden Preisregeln bezogen auf Kunde, Kundengruppe, Region, Lieferant, Lieferantentyp, Kampagne, Vertriebspartner usw. ausgefiltert"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dann werden Preisregeln bezogen auf Kunde, Kundengruppe, Region, Lieferant, Lieferantentyp, Kampagne, Vertriebspartner usw. ausgefiltert"
 DocType: Employee Promotion,Employee Promotion Details,Mitarbeiter Promotion Details
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Nettoveränderung des Bestands
 DocType: Employee,Passport Number,Passnummer
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Beziehung mit Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Leiter
 DocType: Payment Entry,Payment From / To,Zahlung von / an
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Ab dem Geschäftsjahr
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Neue Kreditlimit ist weniger als die aktuellen ausstehenden Betrag für den Kunden. Kreditlimit hat atleast sein {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Bitte Konto in Lager {0} setzen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Bitte Konto in Lager {0} setzen
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""basierend auf"" und ""guppiert nach"" können nicht gleich sein"
 DocType: Sales Person,Sales Person Targets,Ziele für Vertriebsmitarbeiter
 DocType: Work Order Operation,In minutes,In Minuten
 DocType: Issue,Resolution Date,Datum der Entscheidung
 DocType: Lab Test Template,Compound,Verbindung
+DocType: Opportunity,Probability (%),Wahrscheinlichkeit (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Versandbenachrichtigung
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Wählen Sie Eigenschaft
 DocType: Student Batch Name,Batch Name,Chargenname
 DocType: Fee Validity,Max number of visit,Maximaler Besuch
 ,Hotel Room Occupancy,Hotelzimmerbelegung
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet erstellt:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Bitte Standardeinstellungen für Kassen- oder Bankkonto in ""Zahlungsart"" {0} setzen"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Bitte Standardeinstellungen für Kassen- oder Bankkonto in ""Zahlungsart"" {0} setzen"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Einschreiben
 DocType: GST Settings,GST Settings,GST-Einstellungen
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Die Währung sollte mit der Währung der Preisliste übereinstimmen: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Gesamtsumme der Zinszahlungen
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Einstandspreis Steuern und Gebühren
 DocType: Work Order Operation,Actual Start Time,Tatsächliche Startzeit
+DocType: Purchase Invoice Item,Deferred Expense Account,Rechnungsabgrenzungsposten
 DocType: BOM Operation,Operation Time,Zeit für einen Arbeitsgang
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Fertig
 DocType: Salary Structure Assignment,Base,Basis
 DocType: Timesheet,Total Billed Hours,Insgesamt Angekündigt Stunden
 DocType: Travel Itinerary,Travel To,Reisen nach
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ist nicht
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Abschreibungs-Betrag
 DocType: Leave Block List Allow,Allow User,Benutzer zulassen
 DocType: Journal Entry,Bill No,Rechnungsnr.
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Zeitblatt
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Rückmeldung Rohmaterialien auf Basis von
 DocType: Sales Invoice,Port Code,Portcode
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Lager reservieren
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Lager reservieren
 DocType: Lead,Lead is an Organization,Lead ist eine Organisation
-DocType: Guardian Interest,Interest,Zinsen
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Vorverkauf
 DocType: Instructor Log,Other Details,Sonstige Einzelheiten
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Rechnungswesen
 DocType: Vehicle,Odometer Value (Last),(letzter) Tachostand
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Vorlagen der Lieferanten-Scorecard-Kriterien.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Treuepunkte einlösen
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Payment Eintrag bereits erstellt
 DocType: Request for Quotation,Get Suppliers,Holen Sie sich Lieferanten
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Crop-Abstand UOM
 DocType: Loyalty Program,Single Tier Program,Einstufiges Programm
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Wählen Sie nur aus, wenn Sie Cash Flow Mapper-Dokumente eingerichtet haben"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Von Adresse 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Von Adresse 1
 DocType: Email Digest,Next email will be sent on:,Nächste E-Mail wird gesendet am:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Das folgende Element {items} {verb} wird als {message} Element markiert. \ Sie können sie als {message} Element in seinem Element-Master aktivieren
 DocType: Supplier Scorecard,Per Week,Pro Woche
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Artikel hat Varianten.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Artikel hat Varianten.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Gesamtstudent
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Artikel {0} nicht gefunden
 DocType: Bin,Stock Value,Lagerwert
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Gesellschaft {0} existiert nicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Gesellschaft {0} existiert nicht
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} hat die Gültigkeitsdauer bis {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Struktur-Typ
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Verbrauchte Menge pro Einheit
@@ -1130,14 +1137,14 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kreditkarten-Buchung
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Firma und Konten
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Wert bei
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Wert bei
 DocType: Asset Settings,Depreciation Options,Abschreibungsoptionen
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Entweder Standort oder Mitarbeiter müssen benötigt werden
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Ungültige Buchungszeit
 DocType: Salary Component,Condition and Formula,Zustand und Formel
 DocType: Lead,Campaign Name,Kampagnenname
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +61,There is no leave period in between {0} and {1},Es gibt keinen Urlaub zwischen {0} und {1}
-DocType: Fee Validity,Healthcare Practitioner,Heilpraktiker
+DocType: Fee Validity,Healthcare Practitioner,praktischer Arzt
 DocType: Hotel Room,Capacity,Kapazität
 DocType: Travel Request Costing,Expense Type,Auslagenart
 DocType: Selling Settings,Close Opportunity After Days,Gelegenheit schliessen nach
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Zuweisung
 DocType: Purchase Order,Supply Raw Materials,Rohmaterial bereitstellen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Umlaufvermögen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ist kein Lagerartikel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ist kein Lagerartikel
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Bitte teilen Sie Ihr Feedback mit dem Training ab, indem Sie auf &#39;Training Feedback&#39; und dann &#39;New&#39; klicken."
 DocType: Mode of Payment Account,Default Account,Standardkonto
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Bitte wählen Sie in den Lagereinstellungen zuerst das Muster-Aufbewahrungslager aus
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Bitte wählen Sie in den Lagereinstellungen zuerst das Muster-Aufbewahrungslager aus
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Wählen Sie den Programmtyp Mehrstufig für mehrere Sammlungsregeln aus.
 DocType: Payment Entry,Received Amount (Company Currency),Erhaltene Menge (Gesellschaft Währung)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Lead muss eingestellt werden, wenn eine Opportunity aus dem Lead entsteht"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Zahlung abgebrochen. Bitte überprüfen Sie Ihr GoCardless Konto für weitere Details
 DocType: Contract,N/A,nicht verfügbar
+DocType: Delivery Settings,Send with Attachment,Senden mit Anhang
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Bitte die wöchentlichen Auszeittage auswählen
 DocType: Inpatient Record,O Negative,0 -
 DocType: Work Order Operation,Planned End Time,Geplante Endzeit
 ,Sales Person Target Variance Item Group-Wise,Artikelgruppenbezogene Zielabweichung des Vertriebsmitarbeiters
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Ein Konto mit bestehenden Transaktionen kann nicht in ein Kontoblatt umgewandelt werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Ein Konto mit bestehenden Transaktionen kann nicht in ein Kontoblatt umgewandelt werden
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Details zum Membership-Typ
 DocType: Delivery Note,Customer's Purchase Order No,Kundenauftragsnr.
 DocType: Clinical Procedure,Consume Stock,Verbrauch Stock
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Sand
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energie
 DocType: Opportunity,Opportunity From,Chance von
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Zeile {0}: {1} Für den Eintrag {2} benötigte Seriennummern. Du hast {3} zur Verfügung gestellt.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Zeile {0}: {1} Für den Eintrag {2} benötigte Seriennummern. Du hast {3} zur Verfügung gestellt.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Bitte wählen Sie eine Tabelle
 DocType: BOM,Website Specifications,Webseiten-Spezifikationen
 DocType: Special Test Items,Particulars,Einzelheiten
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Von {0} vom Typ {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Umrechnungsfaktor ist zwingend erfoderlich
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Umrechnungsfaktor ist zwingend erfoderlich
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Es sind mehrere Preisregeln mit gleichen Kriterien vorhanden, lösen Sie Konflikte, indem Sie Prioritäten zuweisen. Preis Regeln: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Es sind mehrere Preisregeln mit gleichen Kriterien vorhanden, lösen Sie Konflikte, indem Sie Prioritäten zuweisen. Preis Regeln: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Wechselkurs Neubewertungskonto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Stückliste kann nicht deaktiviert oder storniert werden, weil sie mit anderen Stücklisten verknüpft ist"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Stückliste kann nicht deaktiviert oder storniert werden, weil sie mit anderen Stücklisten verknüpft ist"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"Bitte wählen Sie Unternehmen und Buchungsdatum, um Einträge zu erhalten"
 DocType: Asset,Maintenance,Wartung
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Von der Patientenbegegnung erhalten
 DocType: Subscriber,Subscriber,Teilnehmer
 DocType: Item Attribute Value,Item Attribute Value,Attributwert des Artikels
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Bitte aktualisieren Sie Ihren Projektstatus
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Bitte aktualisieren Sie Ihren Projektstatus
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Der Währungsumtausch muss beim Kauf oder beim Verkauf anwendbar sein.
 DocType: Item,Maximum sample quantity that can be retained,"Maximale Probenmenge, die beibehalten werden kann"
 DocType: Project Update,How is the Project Progressing Right Now?,Wie läuft das Projekt jetzt?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Zeile {0} # Artikel {1} kann nicht mehr als {2} gegen Bestellung {3} übertragen werden.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Zeile {0} # Artikel {1} kann nicht mehr als {2} gegen Bestellung {3} übertragen werden.
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Vertriebskampagnen
 DocType: Project Task,Make Timesheet,Machen Sie Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1240,36 +1248,38 @@
 DocType: Lab Test,Lab Test,Labortest
 DocType: Student Report Generation Tool,Student Report Generation Tool,Werkzeug zur Erstellung von Schülerberichten
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Zeitplan des Gesundheitsplans
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Dokumentenname
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Dokumentenname
 DocType: Expense Claim Detail,Expense Claim Type,Art der Aufwandsabrechnung
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardeinstellungen für den Warenkorb
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Zeitfenster hinzufügen
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Gegenstand entsorgt über Journaleintrag {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Bitte legen Sie das Konto im Lager {0} oder im Standardbestandskonto im Unternehmen {1} fest.
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Gegenstand entsorgt über Journaleintrag {0}
 DocType: Loan,Interest Income Account,Zinserträge Konto
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Der maximale Nutzen sollte größer als Null sein, um Vorteile zu verteilen"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Der maximale Nutzen sollte größer als Null sein, um Vorteile zu verteilen"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Einladung überprüfen gesendet
 DocType: Shift Assignment,Shift Assignment,Zuordnung verschieben
 DocType: Employee Transfer Property,Employee Transfer Property,Personaltransfer-Eigenschaft
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Von der Zeit sollte weniger als zur Zeit sein
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Der Artikel {0} (Seriennr .: {1}) kann nicht konsumiert werden, wie es für den Kundenauftrag {2} reserviert ist."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Büro-Wartungskosten
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Gehe zu
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Preis von Shopify auf ERPNext Preisliste aktualisieren
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Einrichten E-Mail-Konto
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Bitte zuerst den Artikel angeben
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Muss analysiert werden
 DocType: Asset Repair,Downtime,Ausfallzeit
 DocType: Account,Liability,Verbindlichkeit
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Genehmigter Betrag kann nicht größer als geforderter Betrag in Zeile {0} sein.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Genehmigter Betrag kann nicht größer als geforderter Betrag in Zeile {0} sein.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademisches Semester:
 DocType: Salary Component,Do not include in total,Nicht in Summe berücksichtigen
 DocType: Company,Default Cost of Goods Sold Account,Standard-Herstellkosten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Die Beispielmenge {0} darf nicht mehr als die empfangene Menge {1} sein
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Preisliste nicht ausgewählt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Die Beispielmenge {0} darf nicht mehr als die empfangene Menge {1} sein
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Preisliste nicht ausgewählt
 DocType: Employee,Family Background,Familiärer Hintergrund
 DocType: Request for Quotation Supplier,Send Email,E-Mail absenden
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Warnung: Ungültige Anlage {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Warnung: Ungültige Anlage {0}
 DocType: Item,Max Sample Quantity,Max. Probenmenge
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Keine Berechtigung
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Prüfliste für Vertragsausführung
@@ -1300,15 +1310,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostenstelle {2} gehört nicht zur Firma {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Laden Sie Ihren Briefkopf hoch (Halten Sie ihn webfreundlich mit 900x100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} darf keine Gruppe sein
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Artikel Row {idx}: {} {Doctype docname} existiert nicht in der oben &#39;{Doctype}&#39; Tisch
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} ist bereits abgeschlossen oder abgebrochen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} ist bereits abgeschlossen oder abgebrochen
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,keine Vorgänge
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Verkaufsrechnung {0} wurde als bezahlt erstellt
 DocType: Item Variant Settings,Copy Fields to Variant,Kopiere Felder auf Varianten
 DocType: Asset,Opening Accumulated Depreciation,Öffnungs Kumulierte Abschreibungen
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Punktzahl muß kleiner oder gleich 5 sein
 DocType: Program Enrollment Tool,Program Enrollment Tool,Programm-Enrollment-Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Kontakt-Formular Datensätze
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Kontakt-Formular Datensätze
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Die Aktien sind bereits vorhanden
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kunde und Lieferant
 DocType: Email Digest,Email Digest Settings,Einstellungen zum täglichen E-Mail-Bericht
@@ -1321,12 +1331,12 @@
 DocType: Production Plan,Select Items,Artikel auswählen
 DocType: Share Transfer,To Shareholder,An den Aktionär
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} zu Rechnung {1} vom {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Aus dem Staat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Aus dem Staat
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Einrichtung Einrichtung
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Blätter zuordnen...
 DocType: Program Enrollment,Vehicle/Bus Number,Fahrzeug / Bus Nummer
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kurstermine
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Sie müssen die Steuer für nicht abgegebene Steuerbefreiungsnachweise und nicht beanspruchte Leistungen an Arbeitnehmer im letzten Gehaltsbeleg der Abrechnungsperiode abziehen
 DocType: Request for Quotation Supplier,Quote Status,Zitat Status
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Geheimnis
@@ -1352,13 +1362,13 @@
 DocType: Sales Invoice,Payment Due Date,Zahlungsstichtag
 DocType: Drug Prescription,Interval UOM,Intervall UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Wählen Sie erneut, wenn die gewählte Adresse nach dem Speichern bearbeitet wird"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert bereits
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert bereits
 DocType: Item,Hub Publishing Details,Hub-Veröffentlichungsdetails
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',"""Eröffnung"""
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',"""Eröffnung"""
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Offene Aufgaben
 DocType: Issue,Via Customer Portal,Über das Kundenportal
 DocType: Notification Control,Delivery Note Message,Lieferschein-Nachricht
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST-Betrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST-Betrag
 DocType: Lab Test Template,Result Format,Ergebnisformat
 DocType: Expense Claim,Expenses,Ausgaben
 DocType: Item Variant Attribute,Item Variant Attribute,Artikelvariantenattribut
@@ -1366,14 +1376,12 @@
 DocType: Payroll Entry,Bimonthly,Zweimonatlich
 DocType: Vehicle Service,Brake Pad,Bremsklotz
 DocType: Fertilizer,Fertilizer Contents,Dünger Inhalt
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Forschung & Entwicklung
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Forschung & Entwicklung
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Rechnungsbetrag
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Startdatum und Enddatum überschneiden sich mit der Jobkarte <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Details zur Registrierung
 DocType: Timesheet,Total Billed Amount,Gesamtrechnungsbetrag
 DocType: Item Reorder,Re-Order Qty,Nachbestellmenge
 DocType: Leave Block List Date,Leave Block List Date,Urlaubssperrenliste Datum
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Bitte richten Sie das Instructor Naming System in Education&gt; Education Settings ein
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,Stückliste # {0}: Rohstoff kann nicht gleich dem Artikel sein.
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Gesamt Die Gebühren in Kauf Eingangspositionen Tabelle muss als Gesamt Steuern und Abgaben gleich sein
 DocType: Sales Team,Incentives,Anreize
@@ -1387,7 +1395,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Verkaufsstelle
 DocType: Fee Schedule,Fee Creation Status,Status Gebührenermittlung
 DocType: Vehicle Log,Odometer Reading,Tachostand
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto bereits im Haben, es ist nicht mehr möglich das Konto als Sollkonto festzulegen"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto bereits im Haben, es ist nicht mehr möglich das Konto als Sollkonto festzulegen"
 DocType: Account,Balance must be,Saldo muss sein
 DocType: Notification Control,Expense Claim Rejected Message,Benachrichtigung über abgelehnte Aufwandsabrechnung
 ,Available Qty,Verfügbare Menge
@@ -1399,7 +1407,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,"Synchronisieren Sie Ihre Produkte immer mit Amazon MWS, bevor Sie die Bestelldetails synchronisieren"
 DocType: Delivery Trip,Delivery Stops,Lieferstopps
 DocType: Salary Slip,Working Days,Arbeitstage
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Das Servicestoppdatum für das Element in der Zeile {0} kann nicht geändert werden
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Das Servicestoppdatum für das Element in der Zeile {0} kann nicht geändert werden
 DocType: Serial No,Incoming Rate,Eingangsbewertung
 DocType: Packing Slip,Gross Weight,Bruttogewicht
 DocType: Leave Type,Encashment Threshold Days,Einzahlungsschwellentage
@@ -1418,31 +1426,33 @@
 DocType: Restaurant Table,Minimum Seating,Mindestbestuhlung
 DocType: Item Attribute,Item Attribute Values,Artikel-Attributwerte
 DocType: Examination Result,Examination Result,Prüfungsergebnis
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Kaufbeleg
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Kaufbeleg
 ,Received Items To Be Billed,"Von Lieferanten gelieferte Artikel, die noch abgerechnet werden müssen"
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Stammdaten zur Währungsumrechnung
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Stammdaten zur Währungsumrechnung
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referenz Doctype muss man von {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Gesamtmenge filtern
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},In den nächsten {0} Tagen kann für den Arbeitsgang {1} kein Zeitfenster gefunden werden
 DocType: Work Order,Plan material for sub-assemblies,Materialplanung für Unterbaugruppen
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Vertriebspartner und Territorium
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Stückliste {0} muss aktiv sein
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Stückliste {0} muss aktiv sein
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Keine Artikel zur Übertragung verfügbar
 DocType: Employee Boarding Activity,Activity Name,Aktivitätsname
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Ändern Sie das Veröffentlichungsdatum
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Die Fertigproduktmenge <b>{0}</b> und die Menge <b>{1}</b> dürfen nicht unterschiedlich sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Ändern Sie das Veröffentlichungsdatum
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Die Fertigproduktmenge <b>{0}</b> und die Menge <b>{1}</b> dürfen nicht unterschiedlich sein
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Schließen (Eröffnung + Gesamt)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgruppe&gt; Marke
+DocType: Delivery Settings,Dispatch Notification Attachment,Versandbenachrichtigungs-Anhang
 DocType: Payroll Entry,Number Of Employees,Anzahl Angestellter
 DocType: Journal Entry,Depreciation Entry,Abschreibungs Eintrag
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Bitte zuerst den Dokumententyp auswählen
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Bitte zuerst den Dokumententyp auswählen
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Materialkontrolle {0} stornieren vor Abbruch dieses Wartungsbesuchs
 DocType: Pricing Rule,Rate or Discount,Rate oder Rabatt
 DocType: Vital Signs,One Sided,Einseitig
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Seriennummer {0} gehört nicht zu Artikel {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Erforderliche Anzahl
 DocType: Marketplace Settings,Custom Data,Benutzerdefinierte Daten
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Lagerhäuser mit bestehenden Transaktion kann nicht in Ledger umgewandelt werden.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Seriennummer für den Artikel {0} ist obligatorisch
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Lagerhäuser mit bestehenden Transaktion kann nicht in Ledger umgewandelt werden.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Seriennummer für den Artikel {0} ist obligatorisch
 DocType: Bank Reconciliation,Total Amount,Gesamtsumme
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Von Datum und Datum liegen im anderen Geschäftsjahr
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Der Patient {0} hat keine Kundenreferenz zur Rechnung
@@ -1453,9 +1463,9 @@
 DocType: Soil Texture,Clay Composition (%),Tonzusammensetzung (%)
 DocType: Item Group,Item Group Defaults,Artikelgruppe Voreinstellung
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Bitte vor dem Zuweisen der Aufgabe speichern.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Bilanzwert
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Bilanzwert
 DocType: Lab Test,Lab Technician,Labortechniker
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Verkaufspreisliste
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Verkaufspreisliste
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Falls diese Option aktiviert ist, wird ein Kunde erstellt und einem Patient zugeordnet. Patientenrechnungen werden für diesen Kunden angelegt. Sie können auch einen vorhandenen Kunden beim Erstellen eines Patienten auswählen."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Der Kunde ist in keinem Treueprogramm registriert
@@ -1469,13 +1479,13 @@
 DocType: Support Search Source,Search Term Param Name,Suchbegriff Param Name
 DocType: Item Barcode,Item Barcode,Artikelbarcode
 DocType: Woocommerce Settings,Endpoints,Endpunkte
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Artikelvarianten {0} aktualisiert
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Artikelvarianten {0} aktualisiert
 DocType: Quality Inspection Reading,Reading 6,Ablesewert 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Kann nicht {0} {1} {2} ohne negative ausstehende Rechnung
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Kann nicht {0} {1} {2} ohne negative ausstehende Rechnung
 DocType: Share Transfer,From Folio No,Aus Folio Nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Vorkasse zur Eingangsrechnung
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Zeile {0}: Habenbuchung kann nicht mit ein(em) {1} verknüpft werden
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Budget für ein Geschäftsjahr angeben.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Budget für ein Geschäftsjahr angeben.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext Konto
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} ist blockiert, daher kann diese Transaktion nicht fortgesetzt werden"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Aktion, wenn das kumulierte monatliche Budget für MR überschritten wurde"
@@ -1491,19 +1501,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Eingangsrechnung
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Mehrfache Materialverbrauch für einen Arbeitsauftrag zulassen
 DocType: GL Entry,Voucher Detail No,Belegdetail-Nr.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Neue Ausgangsrechnung
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Neue Ausgangsrechnung
 DocType: Stock Entry,Total Outgoing Value,Gesamtwert Auslieferungen
 DocType: Healthcare Practitioner,Appointments,Termine
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Eröffnungsdatum und Abschlussdatum sollten im gleichen Geschäftsjahr sein
 DocType: Lead,Request for Information,Informationsanfrage
 ,LeaderBoard,Bestenliste
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate mit Margin (Unternehmenswährung)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline-Rechnungen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline-Rechnungen
 DocType: Payment Request,Paid,Bezahlt
 DocType: Program Fee,Program Fee,Programmgebühr
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Ersetzen Sie eine bestimmte Stückliste in allen anderen Stücklisten, wo sie verwendet wird. Es wird die alte BOM-Link ersetzen, die Kosten aktualisieren und die &quot;BOM Explosion Item&quot; -Tabelle nach neuer Stückliste regenerieren. Es aktualisiert auch den aktuellen Preis in allen Stücklisten."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Die folgenden Arbeitsaufträge wurden erstellt:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Die folgenden Arbeitsaufträge wurden erstellt:
 DocType: Salary Slip,Total in words,Summe in Worten
 DocType: Inpatient Record,Discharged,Entladen
 DocType: Material Request Item,Lead Time Date,Lieferzeit und -datum
@@ -1514,16 +1524,16 @@
 DocType: Support Settings,Get Started Sections,Erste Schritte Abschnitte
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sanktionierte
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,ist zwingend erforderlich. Vielleicht wurde kein Datensatz für den Geldwechsel erstellt für
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Zeile #{0}: Bitte Seriennummer für Artikel {1} angeben
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Gesamtbeitragsbetrag: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Zeile #{0}: Bitte Seriennummer für Artikel {1} angeben
 DocType: Payroll Entry,Salary Slips Submitted,Gehaltszettel eingereicht
 DocType: Crop Cycle,Crop Cycle,Erntezyklus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Für Artikel aus ""Produkt-Bundles"" werden Lager, Seriennummer und Chargennummer aus der Tabelle ""Packliste"" berücksichtigt. Wenn Lager und Chargennummer für alle Packstücke in jedem Artikel eines Produkt-Bundles gleich sind, können diese Werte in die Tabelle ""Hauptpositionen"" eingetragen werden, Die Werte werden in die Tabelle ""Packliste"" kopiert."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Für Artikel aus ""Produkt-Bundles"" werden Lager, Seriennummer und Chargennummer aus der Tabelle ""Packliste"" berücksichtigt. Wenn Lager und Chargennummer für alle Packstücke in jedem Artikel eines Produkt-Bundles gleich sind, können diese Werte in die Tabelle ""Hauptpositionen"" eingetragen werden, Die Werte werden in die Tabelle ""Packliste"" kopiert."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Von Ort
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Netto-Zahlung kann nicht negativ sein
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Von Ort
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Netto-Zahlung kann nicht negativ sein
 DocType: Student Admission,Publish on website,Veröffentlichen Sie auf der Website
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Lieferant Rechnungsdatum kann nicht größer sein als Datum der Veröffentlichung
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Lieferant Rechnungsdatum kann nicht größer sein als Datum der Veröffentlichung
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Stornierungsdatum
 DocType: Purchase Invoice Item,Purchase Order Item,Lieferantenauftrags-Artikel
@@ -1532,7 +1542,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Schülerteilnahme Werkzeug
 DocType: Restaurant Menu,Price List (Auto created),Preisliste (automatisch erstellt)
 DocType: Cheque Print Template,Date Settings,Datums-Einstellungen
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Abweichung
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Abweichung
 DocType: Employee Promotion,Employee Promotion Detail,Mitarbeiterförderungsdetails
 ,Company Name,Firmenname
 DocType: SMS Center,Total Message(s),Summe Nachricht(en)
@@ -1561,7 +1571,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Keine Mitarbeitergeburtstagserinnerungen senden
 DocType: Expense Claim,Total Advance Amount,Gesamtvorauszahlungsbetrag
 DocType: Delivery Stop,Estimated Arrival,Voraussichtliche Ankunft
-DocType: Delivery Stop,Notified by Email,Benachrichtigung per E-Mail
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Alle Artikel anzeigen
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Laufkundschaft
 DocType: Item,Inspection Criteria,Prüfkriterien
@@ -1571,22 +1580,21 @@
 DocType: Timesheet Detail,Bill,Rechnung
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Weiß
 DocType: SMS Center,All Lead (Open),Alle Leads (offen)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Menge nicht für {4} in Lager {1} zum Zeitpunkt des Eintrags Entsendung ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Menge nicht für {4} in Lager {1} zum Zeitpunkt des Eintrags Entsendung ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Sie können nur eine Option aus der Liste der Kontrollkästchen auswählen.
 DocType: Purchase Invoice,Get Advances Paid,Gezahlte Anzahlungen aufrufen
 DocType: Item,Automatically Create New Batch,Automatisch neue Charge erstellen
 DocType: Supplier,Represents Company,Stellt Firma dar
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Erstellen
 DocType: Student Admission,Admission Start Date,Stichtag zum Zulassungsbeginn
 DocType: Journal Entry,Total Amount in Words,Gesamtsumme in Worten
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Neuer Angestellter
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Es ist ein Fehler aufgetreten. Ein möglicher Grund könnte sein, dass Sie das Formular nicht gespeichert haben. Bitte kontaktieren Sie support@erpnext.com wenn das Problem weiterhin besteht."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mein Warenkorb
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Bestelltyp muss aus {0} sein
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Bestelltyp muss aus {0} sein
 DocType: Lead,Next Contact Date,Nächstes Kontaktdatum
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Anfangsmenge
 DocType: Healthcare Settings,Appointment Reminder,Termin Erinnerung
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Bitte geben Sie Konto für Änderungsbetrag
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Bitte geben Sie Konto für Änderungsbetrag
 DocType: Program Enrollment Tool Student,Student Batch Name,Studentenstapelname
 DocType: Holiday List,Holiday List Name,Urlaubslistenname
 DocType: Repayment Schedule,Balance Loan Amount,Bilanz Darlehensbetrag
@@ -1596,13 +1604,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Lager-Optionen
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Keine Artikel zum Warenkorb hinzugefügt
 DocType: Journal Entry Account,Expense Claim,Aufwandsabrechnung
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Wollen Sie dieses entsorgte Gut wirklich wiederherstellen?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Wollen Sie dieses entsorgte Gut wirklich wiederherstellen?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Menge für {0}
 DocType: Leave Application,Leave Application,Urlaubsantrag
 DocType: Patient,Patient Relation,Patientenbeziehung
 DocType: Item,Hub Category to Publish,Zu veröffentlichende Hub-Kategorie
 DocType: Leave Block List,Leave Block List Dates,Urlaubssperrenliste Termine
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Der Kundenauftrag {0} hat eine Reservierung für den Artikel {1}, Sie können nur den reservierten {1} gegen {0} liefern. Seriennr. {2} kann nicht zugestellt werden"
 DocType: Sales Invoice,Billing Address GSTIN,Rechnungsadresse Steuernummer
@@ -1620,27 +1628,29 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Bitte geben Sie eine {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Artikel wurden ohne Veränderung der Menge oder des Wertes entfernt.
 DocType: Delivery Note,Delivery To,Lieferung an
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variantenerstellung wurde der Warteschlange hinzugefügt
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Arbeitszusammenfassung für {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variantenerstellung wurde der Warteschlange hinzugefügt
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Arbeitszusammenfassung für {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Der erste Genehmiger für Abwesenheit in der Liste wird als Standardgenehmiger für Abwesenheit festgelegt.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Attributtabelle ist zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Attributtabelle ist zwingend erforderlich
 DocType: Production Plan,Get Sales Orders,Kundenaufträge aufrufen
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} kann nicht negativ sein
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Stellen Sie eine Verbindung zu Quickbooks her
 DocType: Training Event,Self-Study,Selbststudium
 DocType: POS Closing Voucher,Period End Date,Enddatum des Zeitraums
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Bodenzusammensetzungen ergeben nicht 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Rabatt
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,"Zeile {0}: {1} ist erforderlich, um die Rechnungseröffnung {2} zu erstellen"
 DocType: Membership,Membership,Mitgliedschaft
 DocType: Asset,Total Number of Depreciations,Gesamtzahl der Abschreibungen
 DocType: Sales Invoice Item,Rate With Margin,Betrag mit Marge
-DocType: Purchase Invoice,Is Return (Debit Note),Ist die Rückzahlung (Lastschrift)
+DocType: Purchase Invoice,Is Return (Debit Note),ist Rücklieferung (Lastschrift)
 DocType: Workstation,Wages,Lohn
 DocType: Asset Maintenance,Maintenance Manager Name,Name des Wartungs-Managers
 DocType: Agriculture Task,Urgent,Dringend
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Bitte eine gültige Zeilen-ID für die Zeile {0} in Tabelle {1} angeben
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Variable kann nicht gefunden werden:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Bitte wähle ein Feld aus numpad aus
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Kann keine Anlageposition sein, wenn das Stock Ledger erstellt wird."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Kann keine Anlageposition sein, wenn das Stock Ledger erstellt wird."
 DocType: Subscription Plan,Fixed rate,Fester Zinssatz
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Eingestehen
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Gehen Sie zum Desktop und starten Sie ERPNext
@@ -1674,7 +1684,7 @@
 DocType: Tax Rule,Shipping State,Versandstatus
 ,Projected Quantity as Source,Projizierte Menge als Quelle
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Artikel müssen über die Schaltfläche ""Artikel von Kaufbeleg übernehmen"" hinzugefügt werden"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Liefertrip
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Liefertrip
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Übertragungsart
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Vertriebskosten
@@ -1687,8 +1697,9 @@
 DocType: Item Default,Default Selling Cost Center,Standard-Vertriebskostenstelle
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Scheibe
 DocType: Buying Settings,Material Transferred for Subcontract,Material für den Untervertrag übertragen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postleitzahl
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Kundenauftrag {0} ist {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Bestellungen überfällig
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Postleitzahl
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Kundenauftrag {0} ist {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Wählen Sie das Zinsertragskonto im Darlehen {0}
 DocType: Opportunity,Contact Info,Kontakt-Information
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Lagerbuchungen erstellen
@@ -1701,12 +1712,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Die Rechnung kann nicht für die Null-Rechnungsstunde erstellt werden
 DocType: Company,Date of Commencement,Anfangsdatum
 DocType: Sales Person,Select company name first.,Zuerst den Firmennamen auswählen.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-Mail an {0} gesendet
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-Mail an {0} gesendet
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Angebote von Lieferanten
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Ersetzen Sie die Stückliste und aktualisieren Sie den aktuellen Preis in allen Stücklisten
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},An {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Dies ist eine Root-Lieferantengruppe und kann nicht bearbeitet werden.
-DocType: Delivery Trip,Driver Name,Name des/der Fahrer/-in
+DocType: Delivery Note,Driver Name,Name des/der Fahrer/-in
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Durchschnittsalter
 DocType: Education Settings,Attendance Freeze Date,Anwesenheit Einfrieren Datum
 DocType: Payment Request,Inward,Innere
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,Muttergesellschaft
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotelzimmer vom Typ {0} sind auf {1} nicht verfügbar
 DocType: Healthcare Practitioner,Default Currency,Standardwährung
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maximaler Rabatt für Artikel {0} ist {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maximaler Rabatt für Artikel {0} ist {1}%
 DocType: Asset Movement,From Employee,Von Mitarbeiter
 DocType: Driver,Cellphone Number,Handynummer
 DocType: Project,Monitor Progress,Überwachung der Fortschritte
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Menge muss kleiner oder gleich {0} sein
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Der für die Komponente {0} zulässige Höchstbetrag übersteigt {1}
 DocType: Department Approver,Department Approver,Abteilungsgenehmiger
+DocType: QuickBooks Migrator,Application Settings,Anwendungseinstellungen
 DocType: SMS Center,Total Characters,Gesamtanzahl Zeichen
 DocType: Employee Advance,Claimed,Behauptet
 DocType: Crop,Row Spacing,Zeilenabstand
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Bitte aus dem Stücklistenfeld eine Stückliste für Artikel {0} auswählen
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Bitte aus dem Stücklistenfeld eine Stückliste für Artikel {0} auswählen
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Es gibt keine Artikelvariante für den ausgewählten Artikel
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Kontakt-Formular Rechnungsdetail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Rechnung zum Zahlungsabgleich
 DocType: Clinical Procedure,Procedure Template,Prozedurvorlage
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Beitrag in %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Nach den Kaufeinstellungen, wenn Bestellbedarf == &#39;JA&#39;, dann für die Erstellung der Kaufrechnung, muss der Benutzer die Bestellung zuerst für den Eintrag {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Beitrag in %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Nach den Kaufeinstellungen, wenn Bestellbedarf == &#39;JA&#39;, dann für die Erstellung der Kaufrechnung, muss der Benutzer die Bestellung zuerst für den Eintrag {0}"
 ,HSN-wise-summary of outward supplies,HSN-weise Zusammenfassung von Lieferungen nach außen
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Meldenummern des Unternehmens für Ihre Unterlagen. Steuernummern usw.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Zu Staat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Zu Staat
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Lieferant
 DocType: Asset Finance Book,Asset Finance Book,Vermögensfinanzierungsbuch
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Warenkorb-Versandregel
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,"Bestellte Artikel, die abgerechnet werden müssen"
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Von-Bereich muss kleiner sein als Bis-Bereich
 DocType: Global Defaults,Global Defaults,Allgemeine Voreinstellungen
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projekt-Zusammenarbeit Einladung
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projekt-Zusammenarbeit Einladung
 DocType: Salary Slip,Deductions,Abzüge
 DocType: Setup Progress Action,Action Name,Aktionsname
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Startjahr
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,Berater
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Eltern Lehrer Treffen Teilnahme
 DocType: Salary Slip,Earnings,Einkünfte
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Fertiger Artikel {0} muss für eine Fertigungsbuchung eingegeben werden
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Fertiger Artikel {0} muss für eine Fertigungsbuchung eingegeben werden
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Eröffnungsbilanz
 ,GST Sales Register,GST Verkaufsregister
 DocType: Sales Invoice Advance,Sales Invoice Advance,Anzahlung auf Ausgangsrechnung
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nichts anzufragen
+DocType: Stock Settings,Default Return Warehouse,Standard-Retourenlager
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Wählen Sie Ihre Bereiche
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Lieferant
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Zahlung Rechnungspositionen
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Felder werden nur zum Zeitpunkt der Erstellung kopiert.
 DocType: Setup Progress Action,Domains,Domainen
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"Das ""Tatsächliche Startdatum"" kann nicht nach dem  ""Tatsächlichen Enddatum"" liegen"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Verwaltung
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Verwaltung
 DocType: Cheque Print Template,Payer Settings,Payer Einstellungen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Es wurden keine ausstehenden Materialanforderungen gefunden, die für die angegebenen Artikel verknüpft sind."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Wählen Sie zuerst die Firma aus
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dies wird an den Artikelcode der Variante angehängt. Beispiel: Wenn Ihre Abkürzung ""SM"" und der Artikelcode ""T-SHIRT"" sind, so ist der Artikelcode der Variante ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettolohn (in Worten) wird angezeigt, sobald Sie die Gehaltsabrechnung speichern."
 DocType: Delivery Note,Is Return,Ist Rückgabe
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Vorsicht
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Starttag ist größer als Endtag in Aufgabe &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Return / Lastschrift
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Return / Lastschrift
 DocType: Price List Country,Price List Country,Preisliste Land
 DocType: Item,UOMs,Maßeinheiten
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} gültige Seriennummern für Artikel {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Gewähren Sie Informationen.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Lieferantendatenbank
 DocType: Contract Template,Contract Terms and Conditions,Vertragsbedingungen
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Sie können ein nicht abgebrochenes Abonnement nicht neu starten.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Sie können ein nicht abgebrochenes Abonnement nicht neu starten.
 DocType: Account,Balance Sheet,Bilanz
 DocType: Leave Type,Is Earned Leave,Ist verdient Urlaub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Kostenstelle für den Artikel mit der Artikel-Nr.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Kostenstelle für den Artikel mit der Artikel-Nr.
 DocType: Fee Validity,Valid Till,Gültig bis
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Total Eltern Lehrer Treffen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Zahlungsmittel ist nicht konfiguriert. Bitte überprüfen Sie, ob ein Konto in den Zahlungsmodi oder in einem Verkaufsstellen-Profil eingestellt wurde."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Zahlungsmittel ist nicht konfiguriert. Bitte überprüfen Sie, ob ein Konto in den Zahlungsmodi oder in einem Verkaufsstellen-Profil eingestellt wurde."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Das gleiche Einzelteil kann nicht mehrfach eingegeben werden.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Weitere Konten können unter Gruppen angelegt werden, aber Buchungen können zu nicht-Gruppen erstellt werden"
 DocType: Lead,Lead,Lead
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Lagerbuchung {0} erstellt
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Sie haben nicht genügend Treuepunkte zum Einlösen
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Zeile #{0}: Abgelehnte Menge kann nicht in Kaufrückgabe eingegeben werden
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Setzen Sie das verknüpfte Konto in der Steuereinbehaltungskategorie {0} gegen das Unternehmen {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Zeile #{0}: Abgelehnte Menge kann nicht in Kaufrückgabe eingegeben werden
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Die Änderung der Kundengruppe für den ausgewählten Kunden ist nicht zulässig.
 ,Purchase Order Items To Be Billed,"Bei Lieferanten bestellte Artikel, die noch abgerechnet werden müssen"
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Aktualisierung der geschätzten Ankunftszeiten
 DocType: Program Enrollment Tool,Enrollment Details,Anmeldedetails
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Es können nicht mehrere Artikelstandards für ein Unternehmen festgelegt werden.
 DocType: Purchase Invoice Item,Net Rate,Nettopreis
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Bitte wählen Sie einen Kunden aus
 DocType: Leave Policy,Leave Allocations,Zuteilungen verlassen
@@ -1850,7 +1866,7 @@
 DocType: Loan Application,Repayment Info,Die Rückzahlung Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Buchungen"" kann nicht leer sein"
 DocType: Maintenance Team Member,Maintenance Role,Wartungsrolle
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Dupliziere Zeile {0} mit demselben {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Dupliziere Zeile {0} mit demselben {1}
 DocType: Marketplace Settings,Disable Marketplace,Deaktivieren Sie den Marktplatz
 ,Trial Balance,Probebilanz
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Das Geschäftsjahr {0} nicht gefunden
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Abonnementeinstellungen
 DocType: Purchase Invoice,Update Auto Repeat Reference,Auto-Repeat-Referenz aktualisieren
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Optionale Feiertagsliste ist für Abwesenheitszeitraum {0} nicht festgelegt
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Optionale Feiertagsliste ist für Abwesenheitszeitraum {0} nicht festgelegt
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Forschung
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Um Adresse 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Um Adresse 2
 DocType: Maintenance Visit Purpose,Work Done,Arbeit erledigt
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Bitte geben Sie mindestens ein Attribut in der Attributtabelle ein
 DocType: Announcement,All Students,Alle Schüler
@@ -1873,16 +1889,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Abgestimmte Transaktionen
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Frühestens
 DocType: Crop Cycle,Linked Location,Verknüpfter Ort
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",Eine Artikelgruppe mit dem gleichen Namen existiert bereits. Bitte den Artikelnamen ändern oder die Artikelgruppe umbenennen
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",Eine Artikelgruppe mit dem gleichen Namen existiert bereits. Bitte den Artikelnamen ändern oder die Artikelgruppe umbenennen
 DocType: Crop Cycle,Less than a year,Weniger als ein Jahr
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobil-Nr
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Rest der Welt
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Rest der Welt
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Der Artikel {0} kann keine Charge haben
 DocType: Crop,Yield UOM,Ertrag UOM
 ,Budget Variance Report,Budget-Abweichungsbericht
 DocType: Salary Slip,Gross Pay,Bruttolohn
 DocType: Item,Is Item from Hub,Ist ein Gegenstand aus dem Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Holen Sie sich Artikel von Healthcare Services
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Holen Sie sich Artikel von Healthcare Services
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Row {0}: Leistungsart ist obligatorisch.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Ausgeschüttete Dividenden
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Hauptbuch
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Zahlungsweise
 DocType: Purchase Invoice,Supplied Items,Gelieferte Artikel
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Bitte setzen Sie ein aktives Menü für Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Provisionssatz%
 DocType: Work Order,Qty To Manufacture,Herzustellende Menge
 DocType: Email Digest,New Income,Neuer Verdienst
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Gleiche Preise während des gesamten Einkaufszyklus beibehalten
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Bewertungsrate erforderlich für den Posten in der Zeile {0}
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard-Aktionen
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Beispiel: Master in Informatik
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Lieferant {0} nicht in {1} gefunden
 DocType: Purchase Invoice,Rejected Warehouse,Ausschusslager
 DocType: GL Entry,Against Voucher,Gegenbeleg
 DocType: Item Default,Default Buying Cost Center,Standard-Einkaufskostenstelle
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Um ERPNext bestmöglich zu nutzen, empfehlen wir Ihnen, sich die Zeit zu nehmen diese Hilfevideos anzusehen."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Für Standardlieferanten (optional)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,nach
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Für Standardlieferanten (optional)
 DocType: Supplier Quotation Item,Lead Time in days,Lieferzeit in Tagen
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Übersicht der Verbindlichkeiten
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Keine Berechtigung gesperrtes Konto {0} zu bearbeiten
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Warnung für neue Angebotsanfrage
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Bestellungen helfen Ihnen bei der Planung und Follow-up auf Ihre Einkäufe
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Labortestverordnungen
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Die gesamte Ausgabe / Transfer Menge {0} in Material anfordern {1} \ kann nicht größer sein als die angeforderte Menge {2} für Artikel {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Klein
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Wenn Shopify keinen Kunden in Auftrag enthält, berücksichtigt das System bei der Synchronisierung von Bestellungen den Standardkunden für die Bestellung"
@@ -1937,6 +1954,7 @@
 DocType: Project,% Completed,% abgeschlossen
 ,Invoiced Amount (Exculsive Tax),Rechnungsbetrag (ohne MwSt.)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Position 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorisierungsendpunkt
 DocType: Travel Request,International,International
 DocType: Training Event,Training Event,Schulungsveranstaltung
 DocType: Item,Auto re-order,Automatische Nachbestellung
@@ -1945,24 +1963,24 @@
 DocType: Contract,Contract,Vertrag
 DocType: Plant Analysis,Laboratory Testing Datetime,Labortest Datetime
 DocType: Email Digest,Add Quote,Angebot hinzufügen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Maßeinheit-Umrechnungsfaktor ist erforderlich für Maßeinheit: {0} bei Artikel: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Maßeinheit-Umrechnungsfaktor ist erforderlich für Maßeinheit: {0} bei Artikel: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Indirekte Aufwendungen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Zeile {0}: Menge ist zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Zeile {0}: Menge ist zwingend erforderlich
 DocType: Agriculture Analysis Criteria,Agriculture,Landwirtschaft
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Kundenauftrag anlegen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Buchungseintrag für Asset
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Rechnung sperren
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Buchungseintrag für Asset
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Rechnung sperren
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Zu machende Menge
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Reparaturkosten
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Ihre Produkte oder Dienstleistungen
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Einloggen fehlgeschlagen
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Anlage {0} erstellt
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Anlage {0} erstellt
 DocType: Special Test Items,Special Test Items,Spezielle Testartikel
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Sie müssen ein Benutzer mit System Manager- und Element-Manager-Rollen sein, um sich auf Marketplace registrieren zu können."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Zahlungsweise
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Gemäß Ihrer zugewiesenen Gehaltsstruktur können Sie keine Leistungen beantragen
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Das Webseiten-Bild sollte eine öffentliche Datei oder eine Webseiten-URL sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Das Webseiten-Bild sollte eine öffentliche Datei oder eine Webseiten-URL sein
 DocType: Purchase Invoice Item,BOM,Stückliste
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Dies ist eine Root-Artikelgruppe und kann nicht bearbeitet werden.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,zusammenfassen
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,Kontaktinformation des Lager
 DocType: Payment Entry,Write Off Difference Amount,Differenzbetrag Abschreibung
 DocType: Volunteer,Volunteer Name,Freiwilliger Name
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Mitarbeiter E-Mail nicht gefunden, E-Mail daher nicht gesendet"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Zeilen mit doppelten Fälligkeitsdaten in anderen Zeilen wurden gefunden: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Mitarbeiter E-Mail nicht gefunden, E-Mail daher nicht gesendet"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Keine Gehaltsstruktur für Mitarbeiter {0} am angegebenen Datum {1} zugewiesen
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Versandregel gilt nicht für Land {0}
 DocType: Item,Foreign Trade Details,Außenhandelsdetails
@@ -1979,16 +1998,16 @@
 DocType: Email Digest,Annual Income,Jährliches Einkommen
 DocType: Serial No,Serial No Details,Details zur Seriennummer
 DocType: Purchase Invoice Item,Item Tax Rate,Artikelsteuersatz
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Von Party Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Von Party Name
 DocType: Student Group Student,Group Roll Number,Gruppenrolle Nummer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",Für {0} können nur Habenkonten mit einer weiteren Sollbuchung verknüpft werden
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Lieferschein {0} ist nicht gebucht
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Lieferschein {0} ist nicht gebucht
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Artikel {0} muss ein unterbeauftragter Artikel sein
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Betriebsvermögen
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Die Preisregel wird zunächst basierend auf dem Feld ""Anwenden auf"" ausgewählt. Dieses kann ein Artikel, eine Artikelgruppe oder eine Marke sein."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Bitte legen Sie zuerst den Itemcode fest
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Dokumententyp
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Insgesamt verteilte Prozentmenge für Vertriebsteam sollte 100 sein
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Dokumententyp
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Insgesamt verteilte Prozentmenge für Vertriebsteam sollte 100 sein
 DocType: Subscription Plan,Billing Interval Count,Abrechnungsintervall Anzahl
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Termine und Patiententreffen
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Fehlender Wert
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Druckformat erstellen
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Fee Erstellt
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Hat keinen Artikel finden genannt {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Artikel filtern
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterien Formel
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Summe Auslieferungen
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Es kann nur eine Versandbedingung mit dem Wert ""0"" oder ""leer"" für ""Bis-Wert"" geben"
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Für eine Position {0} muss die Menge eine positive Zahl sein
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Hinweis: Diese Kostenstelle ist eine Gruppe. Buchungen können nicht zu Gruppen erstellt werden.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,"Tage des Ausgleichsurlaubs, die nicht in den gültigen Feiertagen sind"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Es sind Unterlager für dieses Lager vorhanden. Sie können dieses Lager daher nicht löschen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Es sind Unterlager für dieses Lager vorhanden. Sie können dieses Lager daher nicht löschen.
 DocType: Item,Website Item Groups,Webseiten-Artikelgruppen
 DocType: Purchase Invoice,Total (Company Currency),Gesamtsumme (Firmenwährung)
 DocType: Daily Work Summary Group,Reminder,Erinnerung
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Zugänglicher Wert
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Zugänglicher Wert
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Seriennummer {0} wurde mehrfach erfasst
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Buchungssatz
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Von GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Von GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Nicht beanspruchte Menge
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} Elemente in Bearbeitung
 DocType: Workstation,Workstation Name,Name des Arbeitsplatzes
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS Artikelgruppe
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-Mail-Bericht:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternativartikel muss nicht gleich Artikelcode sein
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Stückliste {0} gehört nicht zum Artikel {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Stückliste {0} gehört nicht zum Artikel {1}
 DocType: Sales Partner,Target Distribution,Aufteilung der Zielvorgaben
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Abschluss vorläufiger Beurteilung
 DocType: Salary Slip,Bank Account No.,Bankkonto-Nr.
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard-Variablen können verwendet werden, sowie: {total_score} (die Gesamtpunktzahl aus diesem Zeitraum), {period_number} (die Anzahl der Perioden bis heute)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Alles schließen
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Alles schließen
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Bestellung anlegen
 DocType: Quality Inspection Reading,Reading 8,Ablesewert 8
 DocType: Inpatient Record,Discharge Note,Entladungsnotiz
@@ -2050,7 +2070,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Bevorzugter Urlaub
 DocType: Purchase Invoice,Supplier Invoice Date,Lieferantenrechnungsdatum
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Dieser Wert wird für die pro-rata-temporis-Berechnung verwendet
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Sie müssen Ihren Einkaufswagen aktivieren.
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Sie müssen Ihren Einkaufswagen aktivieren.
 DocType: Payment Entry,Writeoff,Abschreiben
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Naming Series Prefix
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Überlagernde Bedingungen gefunden zwischen:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,"""Zu Buchungssatz"" {0} ist bereits mit einem anderen Beleg abgeglichen"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Gesamtbestellwert
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Lebensmittel
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Lebensmittel
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Alter Bereich 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-Gutschein-Details
 DocType: Shopify Log,Shopify Log,Shopify-Protokoll
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Setzen Sie die Namensserie für {0} über Setup&gt; Einstellungen&gt; Namensserie
 DocType: Inpatient Occupancy,Check In,Check-In
 DocType: Maintenance Schedule Item,No of Visits,Anzahl der Besuche
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Wartungsplan {0} existiert gegen {1}
@@ -2109,6 +2128,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Max Vorteile (Betrag)
 DocType: Purchase Invoice,Contact Person,Kontaktperson
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Voraussichtliches Startdatum"" kann nicht nach dem ""Voraussichtlichen Enddatum"" liegen"
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Keine Daten für diesen Zeitraum
 DocType: Course Scheduling Tool,Course End Date,Kurs Enddatum
 DocType: Holiday List,Holidays,Ferien
 DocType: Sales Order Item,Planned Quantity,Geplante Menge
@@ -2120,7 +2140,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Nettoveränderung des Anlagevermögens
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Erforderliche Menge
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Freilassen, wenn für alle Einstufungen gültig"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für den Typ ""real"" in Zeile {0} können nicht in den Artikelpreis mit eingeschlossen werden"
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für den Typ ""real"" in Zeile {0} können nicht in den Artikelpreis mit eingeschlossen werden"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Von Datum und Uhrzeit
 DocType: Shopify Settings,For Company,Für Firma
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,Allgemeine Geschäftsbedingungen Inhalt
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Beim Erstellen des Kursplans sind Fehler aufgetreten
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Der erste Ausgabengenehmiger in der Liste wird als standardmäßiger Ausgabengenehmiger festgelegt.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,Kann nicht größer als 100 sein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,Kann nicht größer als 100 sein
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Sie müssen ein anderer Benutzer als Administrator mit System Manager- und Element-Manager-Rollen sein, um sich auf Marketplace registrieren zu können."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Artikel {0} ist kein Lagerartikel
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Artikel {0} ist kein Lagerartikel
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Außerplanmäßig
 DocType: Employee,Owned,Im Besitz von
@@ -2163,7 +2183,7 @@
 DocType: HR Settings,Employee Settings,Mitarbeitereinstellungen
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Zahlungssystem wird geladen
 ,Batch-Wise Balance History,Chargenbezogener Bestandsverlauf
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Zeilennr. {0}: Die Rate kann nicht festgelegt werden, wenn der Betrag für Artikel {1} höher als der Rechnungsbetrag ist."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Zeilennr. {0}: Die Rate kann nicht festgelegt werden, wenn der Betrag für Artikel {1} höher als der Rechnungsbetrag ist."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Die Druckeinstellungen im jeweiligen Druckformat aktualisiert
 DocType: Package Code,Package Code,Paketnummer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Auszubildende(r)
@@ -2171,7 +2191,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negative Menge ist nicht erlaubt
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Die Tabelle Steuerdetails wird aus dem Artikelstamm als Zeichenfolge entnommen und in diesem Feld gespeichert. Wird verwendet für Steuern und Abgaben
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Mitarbeiter können nicht an sich selbst Bericht erstatten
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Mitarbeiter können nicht an sich selbst Bericht erstatten
 DocType: Leave Type,Max Leaves Allowed,Max Blätter erlaubt
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Wenn das Konto gesperrt ist, sind einem eingeschränkten Benutzerkreis Buchungen erlaubt."
 DocType: Email Digest,Bank Balance,Kontostand
@@ -2197,6 +2217,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Banktransaktionseinträge
 DocType: Quality Inspection,Readings,Ablesungen
 DocType: Stock Entry,Total Additional Costs,Gesamte Zusatzkosten
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Anzahl der Interaktionen
 DocType: BOM,Scrap Material Cost(Company Currency),Ausschussmaterialkosten (Firmenwährung)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Unterbaugruppen
 DocType: Asset,Asset Name,Asset-Name
@@ -2204,10 +2225,10 @@
 DocType: Shipping Rule Condition,To Value,Bis-Wert
 DocType: Loyalty Program,Loyalty Program Type,Treueprogrammtyp
 DocType: Asset Movement,Stock Manager,Lagerleiter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Ausgangslager ist für Zeile {0} zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Ausgangslager ist für Zeile {0} zwingend erforderlich
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Die Zahlungsbedingung in Zeile {0} ist möglicherweise ein Duplikat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Landwirtschaft (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Packzettel
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Packzettel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Büromiete
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Einstellungen für SMS-Gateway verwalten
 DocType: Disease,Common Name,Gemeinsamen Namen
@@ -2239,20 +2260,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Gehaltsabrechnung per E-Mail an Mitarbeiter senden
 DocType: Cost Center,Parent Cost Center,Übergeordnete Kostenstelle
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Möglichen Lieferanten wählen
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Möglichen Lieferanten wählen
 DocType: Sales Invoice,Source,Quelle
 DocType: Customer,"Select, to make the customer searchable with these fields","Wählen Sie, um den Kunden mit diesen Feldern durchsuchbar zu machen"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Lieferscheine von Shopify bei Versand importieren
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Zeige geschlossen
 DocType: Leave Type,Is Leave Without Pay,Ist unbezahlter Urlaub
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Anlagekategorie ist obligatorisch für Posten des Anlagevermögens
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Anlagekategorie ist obligatorisch für Posten des Anlagevermögens
 DocType: Fee Validity,Fee Validity,Gebührengültigkeit
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,"Keine Datensätze in der Tabelle ""Zahlungen"" gefunden"
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},{0} steht im Konflikt mit {1} bezüglich {2} {3}
 DocType: Student Attendance Tool,Students HTML,Studenten HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Bitte löschen Sie den Mitarbeiter <a href=""#Form/Employee/{0}"">{0}</a> , um dieses Dokument abzubrechen"
 DocType: POS Profile,Apply Discount,Rabatt anwenden
 DocType: GST HSN Code,GST HSN Code,GST HSN Code
 DocType: Employee External Work History,Total Experience,Gesamterfahrung
@@ -2275,7 +2293,7 @@
 DocType: Maintenance Schedule,Schedules,Zeitablaufpläne
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,"POS-Profil ist erforderlich, um Point-of-Sale zu verwenden"
 DocType: Cashier Closing,Net Amount,Nettobetrag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} sind nicht gebucht, deshalb kann die Aktion nicht abgeschlossen werden"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} sind nicht gebucht, deshalb kann die Aktion nicht abgeschlossen werden"
 DocType: Purchase Order Item Supplied,BOM Detail No,Stückliste Detailnr.
 DocType: Landed Cost Voucher,Additional Charges,Zusätzliche Kosten
 DocType: Support Search Source,Result Route Field,Ergebnis Routenfeld
@@ -2304,11 +2322,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Rechnungen öffnen
 DocType: Contract,Contract Details,Vertragsdetails
 DocType: Employee,Leave Details,Hinterlasse Details
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Bitte in einem Mitarbeiterdatensatz das Feld Nutzer-ID setzen, um die Rolle Mitarbeiter zuzuweisen"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Bitte in einem Mitarbeiterdatensatz das Feld Nutzer-ID setzen, um die Rolle Mitarbeiter zuzuweisen"
 DocType: UOM,UOM Name,Maßeinheit-Name
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Um Adresse 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Um Adresse 1
 DocType: GST HSN Code,HSN Code,HSN-Code
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Beitragshöhe
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Beitragshöhe
 DocType: Inpatient Record,Patient Encounter,Patientenbegegnung
 DocType: Purchase Invoice,Shipping Address,Lieferadresse
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Dieses Werkzeug hilft Ihnen dabei, die Menge und die Bewertung von Bestand im System zu aktualisieren oder zu ändern. Es wird in der Regel verwendet, um die Systemwerte und den aktuellen Bestand Ihrer Lager zu synchronisieren."
@@ -2325,9 +2343,9 @@
 DocType: Travel Itinerary,Mode of Travel,Art des Reisens
 DocType: Sales Invoice Item,Brand Name,Bezeichnung der Marke
 DocType: Purchase Receipt,Transporter Details,Informationen zum Transporteur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Standard Lager wird für das ausgewählte Element erforderlich
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Standard Lager wird für das ausgewählte Element erforderlich
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Kiste
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Möglicher Lieferant
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Möglicher Lieferant
 DocType: Budget,Monthly Distribution,Monatsbezogene Verteilung
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Empfängerliste ist leer. Bitte eine Empfängerliste erstellen
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Gesundheitswesen (Beta)
@@ -2348,6 +2366,7 @@
 ,Lead Name,Name des Leads
 ,POS,Verkaufsstelle
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospektion
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Eröffnungsbestände
 DocType: Asset Category Account,Capital Work In Progress Account,Laufendes Konto des laufenden Kapitals
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Anlagenwertanpassung
@@ -2356,7 +2375,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Erfolgreich zugewiesene Abwesenheiten für {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Keine Artikel zum Verpacken
 DocType: Shipping Rule Condition,From Value,Von-Wert
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Eingabe einer Fertigungsmenge ist erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Eingabe einer Fertigungsmenge ist erforderlich
 DocType: Loan,Repayment Method,Rückzahlweg
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Falls diese Option aktiviert ist, wird die Startseite die Standard-Artikelgruppe für die Webseite sein"
 DocType: Quality Inspection Reading,Reading 4,Ablesewert 4
@@ -2381,7 +2400,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Mitarbeiterempfehlung
 DocType: Student Group,Set 0 for no limit,Stellen Sie 0 für keine Grenze
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Der Tag/die Tage, für den/die Sie Urlaub beantragen, sind Ferien. Deshalb müssen Sie keinen Urlaub beantragen."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,"Zeile {idx}: {field} wird benötigt, um die Eröffnungsrechnung {invoice_type} zu erstellen"
 DocType: Customer,Primary Address and Contact Detail,Primäre Adresse und Kontaktdetails
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Zahlungsemail erneut senden
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Neuer Vorgang
@@ -2391,8 +2409,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Bitte wählen Sie mindestens eine Domain aus.
 DocType: Dependent Task,Dependent Task,Abhängiger Vorgang
 DocType: Shopify Settings,Shopify Tax Account,Steuerkonto erstellen
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Umrechnungsfaktor für Standardmaßeinheit muss in Zeile {0} 1 sein
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Abwesenheit vom Typ {0} kann nicht länger sein als {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Umrechnungsfaktor für Standardmaßeinheit muss in Zeile {0} 1 sein
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Abwesenheit vom Typ {0} kann nicht länger sein als {1}
 DocType: Delivery Trip,Optimize Route,Route optimieren
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Arbeitsgänge für X Tage im Voraus planen.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2401,14 +2419,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Bitte setzen Sie das Standardkonto für Verbindlichkeiten aus Lohn und Gehalt in Gesellschaft {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Erhalten Sie finanzielle Trennung von Steuern und Gebühren Daten von Amazon
 DocType: SMS Center,Receiver List,Empfängerliste
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Suche Artikel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Suche Artikel
 DocType: Payment Schedule,Payment Amount,Zahlungsbetrag
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Das Halbtagesdatum sollte zwischen Arbeitstag und Enddatum liegen
 DocType: Healthcare Settings,Healthcare Service Items,Healthcare Service Artikel
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Verbrauchte Menge
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Nettoveränderung der Barmittel
 DocType: Assessment Plan,Grading Scale,Bewertungsskala
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Maßeinheit {0} wurde mehr als einmal in die Umrechnungsfaktor-Tabelle eingetragen
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Maßeinheit {0} wurde mehr als einmal in die Umrechnungsfaktor-Tabelle eingetragen
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Schon erledigt
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock In Hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2431,25 +2449,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Seriennummer {0} mit Menge {1} kann nicht eine Teilmenge sein
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Bitte geben Sie die Woocommerce Server URL ein
 DocType: Purchase Order Item,Supplier Part Number,Lieferanten-Artikelnummer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Umrechnungskurs kann nicht 0 oder 1 sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Umrechnungskurs kann nicht 0 oder 1 sein
 DocType: Share Balance,To No,Zu Nein
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Alle obligatorischen Aufgaben zur Mitarbeitererstellung wurden noch nicht erledigt.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} wird abgebrochen oder  beendet
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} wird abgebrochen oder  beendet
 DocType: Accounts Settings,Credit Controller,Kredit-Controller
 DocType: Loan,Applicant Type,Bewerbertyp
 DocType: Purchase Invoice,03-Deficiency in services,03-Mangel an Dienstleistungen
 DocType: Healthcare Settings,Default Medical Code Standard,Default Medical Code Standard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Kaufbeleg {0} wurde nicht übertragen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Kaufbeleg {0} wurde nicht übertragen
 DocType: Company,Default Payable Account,Standard-Verbindlichkeitenkonto
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Einstellungen zum Warenkorb, z.B. Versandregeln, Preislisten usw."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.JJJJ.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% berechnet
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reservierte Menge
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reservierte Menge
 DocType: Party Account,Party Account,Gruppenkonto
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Bitte wählen Sie Firma und Bezeichnung
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Personalwesen
-DocType: Lead,Upper Income,Gehobenes Einkommen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Gehobenes Einkommen
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Ablehnen
 DocType: Journal Entry Account,Debit in Company Currency,Soll in Unternehmenswährung
 DocType: BOM Item,BOM Item,Stücklisten-Artikel
@@ -2466,7 +2484,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Stellenangebote für die Bezeichnung {0} sind bereits geöffnet \ oder die Einstellung wurde gemäß Personalplan abgeschlossen {1}
 DocType: Vital Signs,Constipated,Verstopft
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Zu Eingangsrechnung {0} vom {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Zu Eingangsrechnung {0} vom {1}
 DocType: Customer,Default Price List,Standardpreisliste
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Asset-Bewegung Datensatz {0} erstellt
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Keine Elemente gefunden.
@@ -2482,16 +2500,17 @@
 DocType: Journal Entry,Entry Type,Buchungstyp
 ,Customer Credit Balance,Kunden-Kreditlinien
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Nettoveränderung der Verbindlichkeiten
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Das Kreditlimit wurde für den Kunden {0} ({1} / {2}) überschritten.
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Setzen Sie die Namensserie für {0} über Setup&gt; Einstellungen&gt; Namensserie
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Das Kreditlimit wurde für den Kunden {0} ({1} / {2}) überschritten.
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Kunde erforderlich für ""Kundenbezogener Rabatt"""
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Zahlungstermine anhand der Journale aktualisieren
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Preisgestaltung
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Preisgestaltung
 DocType: Quotation,Term Details,Details der Geschäftsbedingungen
 DocType: Employee Incentive,Employee Incentive,Mitarbeiteranreiz
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kann nicht mehr als {0} Studenten für diese Studentengruppe einschreiben.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Summe (ohne Steuern)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Anzahl der Leads
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Lager verfügbar
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Lager verfügbar
 DocType: Manufacturing Settings,Capacity Planning For (Days),Kapazitätsplanung für (Tage)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Beschaffung
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Keiner der Artikel hat irgendeine Änderung bei Mengen oder Kosten.
@@ -2515,7 +2534,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Urlaub und Anwesenheit
 DocType: Asset,Comprehensive Insurance,Vollkaskoversicherung
 DocType: Maintenance Visit,Partially Completed,Teilweise abgeschlossen
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Treuepunkt: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Treuepunkt: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Fügen Sie Leads hinzu
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Moderate Empfindlichkeit
 DocType: Leave Type,Include holidays within leaves as leaves,Urlaube innerhalb von Abwesenheiten als Abwesenheiten mit einbeziehen
 DocType: Loyalty Program,Redemption,Erlösung
@@ -2549,7 +2569,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Marketingkosten
 ,Item Shortage Report,Artikelengpass-Bericht
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Kann keine Standardkriterien erstellen. Bitte benennen Sie die Kriterien um
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Gewicht ist angegeben, bitte auch ""Gewichts-Maßeinheit"" angeben"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Gewicht ist angegeben, bitte auch ""Gewichts-Maßeinheit"" angeben"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialanfrage wurde für die Erstellung dieser Lagerbuchung verwendet
 DocType: Hub User,Hub Password,Hub-Passwort
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separate Kursbasierte Gruppe für jede Charge
@@ -2563,15 +2583,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Termindauer (min.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Eine Buchung für jede Lagerbewegung erstellen
 DocType: Leave Allocation,Total Leaves Allocated,Insgesamt zugewiesene Urlaubstage
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Bitte geben Sie für das Geschäftsjahr einen gültigen Start- und Endtermin an.
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Bitte geben Sie für das Geschäftsjahr einen gültigen Start- und Endtermin an.
 DocType: Employee,Date Of Retirement,Zeitpunkt der Pensionierung
 DocType: Upload Attendance,Get Template,Vorlage aufrufen
+,Sales Person Commission Summary,Zusammenfassung der Verkaufspersonenkommission
 DocType: Additional Salary Component,Additional Salary Component,Zusätzliche Gehaltskomponente
 DocType: Material Request,Transferred,Übergeben
 DocType: Vehicle,Doors,Türen
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup abgeschlossen!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup abgeschlossen!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Sammeln Sie die Gebühr für die Patientenregistrierung
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Attribute nach Bestandsgeschäft können nicht geändert werden. Erstelle einen neuen Artikel und übertrage den Bestand auf den neuen Artikel
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Attribute nach Bestandsgeschäft können nicht geändert werden. Erstelle einen neuen Artikel und übertrage den Bestand auf den neuen Artikel
 DocType: Course Assessment Criteria,Weightage,Gewichtung
 DocType: Purchase Invoice,Tax Breakup,Steuererhebung
 DocType: Employee,Joining Details,Details des Beitritts
@@ -2599,14 +2620,15 @@
 DocType: Lead,Next Contact By,Nächster Kontakt durch
 DocType: Compensatory Leave Request,Compensatory Leave Request,Ausgleichsurlaubsantrag
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Für Artikel {0} in Zeile {1} benötigte Menge
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kann nicht gelöscht werden, da noch ein Bestand für Artikel {1} existiert"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kann nicht gelöscht werden, da noch ein Bestand für Artikel {1} existiert"
 DocType: Blanket Order,Order Type,Bestellart
 ,Item-wise Sales Register,Artikelbezogene Übersicht der Verkäufe
 DocType: Asset,Gross Purchase Amount,Bruttokaufbetrag
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Eröffnungssalden
 DocType: Asset,Depreciation Method,Abschreibungsmethode
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ist diese Steuer im Basispreis enthalten?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Summe Vorgabe
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Summe Vorgabe
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Wahrnehmungs-Analyse
 DocType: Soil Texture,Sand Composition (%),Sandzusammensetzung (%)
 DocType: Job Applicant,Applicant for a Job,Bewerber für einen Job
 DocType: Production Plan Material Request,Production Plan Material Request,Produktionsplan-Material anfordern
@@ -2621,23 +2643,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Bewertungsnote (von 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobil Nein
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Haupt
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Das folgende Element {0} ist nicht als Element {1} markiert. Sie können sie als Element {1} in ihrem Artikelstamm aktivieren
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variante
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Für eine Position {0} muss die Menge eine negative Zahl sein
 DocType: Naming Series,Set prefix for numbering series on your transactions,Präfix für die Seriennummerierung Ihrer Transaktionen festlegen
 DocType: Employee Attendance Tool,Employees HTML,Mitarbeiter HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Standardstückliste ({0}) muss für diesen Artikel oder dessen Vorlage aktiv sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Standardstückliste ({0}) muss für diesen Artikel oder dessen Vorlage aktiv sein
 DocType: Employee,Leave Encashed?,Urlaub eingelöst?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"Feld ""Chance von"" ist zwingend erforderlich"
 DocType: Email Digest,Annual Expenses,Jährliche Kosten
 DocType: Item,Variants,Varianten
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Lieferantenauftrag anlegen
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Lieferantenauftrag anlegen
 DocType: SMS Center,Send To,Senden an
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Es gibt nicht genügend verfügbaren Urlaub für Urlaubstyp {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Es gibt nicht genügend verfügbaren Urlaub für Urlaubstyp {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Zugewiesene Menge
 DocType: Sales Team,Contribution to Net Total,Beitrag zum Gesamtnetto
 DocType: Sales Invoice Item,Customer's Item Code,Kunden-Artikel-Nr.
 DocType: Stock Reconciliation,Stock Reconciliation,Bestandsabgleich
 DocType: Territory,Territory Name,Name der Region (Gebiet)
+DocType: Email Digest,Purchase Orders to Receive,Bestellungen zu empfangen
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Fertigungslager wird vor dem Übertragen benötigt
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Sie können nur Pläne mit demselben Abrechnungszyklus in einem Abonnement haben
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Zugeordnete Daten
@@ -2654,9 +2678,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Doppelte Seriennummer für Posten {0} eingegeben
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Verfolgen Sie Leads nach Lead Quelle.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Bedingung für eine Versandregel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Bitte eingeben
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Bitte eingeben
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Wartungsprotokoll
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Bitte setzen Sie Filter basierend auf Artikel oder Lager
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Bitte setzen Sie Filter basierend auf Artikel oder Lager
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Das Nettogewicht dieses Pakets. (Automatisch als Summe der einzelnen Nettogewichte berechnet)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Machen Sie Inter Company Journal Eintrag
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Rabattbetrag kann nicht größer als 100% sein
@@ -2665,15 +2689,15 @@
 DocType: Sales Order,To Deliver and Bill,Auszuliefern und Abzurechnen
 DocType: Student Group,Instructors,Lehrer
 DocType: GL Entry,Credit Amount in Account Currency,(Gut)Haben-Betrag in Kontowährung
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Stückliste {0} muss übertragen werden
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Aktienverwaltung
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Stückliste {0} muss übertragen werden
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Aktienverwaltung
 DocType: Authorization Control,Authorization Control,Berechtigungskontrolle
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Abgelehnt Warehouse ist obligatorisch gegen zurückgewiesen Artikel {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Bezahlung
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Abgelehnt Warehouse ist obligatorisch gegen zurückgewiesen Artikel {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Bezahlung
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",Lager {0} ist nicht mit einem Konto verknüpft. Bitte wählen Sie ein Konto in den Einstellungen für das Lager oder legen Sie das Standard Lagerkonto in den Einstellungen für  {1} fest.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Verwalten Sie Ihre Aufträge
 DocType: Work Order Operation,Actual Time and Cost,Tatsächliche Laufzeit und Kosten
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialanfrage von maximal {0} kann für Artikel {1} zum Kundenauftrag {2} gemacht werden
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialanfrage von maximal {0} kann für Artikel {1} zum Kundenauftrag {2} gemacht werden
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Fruchtabstand
 DocType: Course,Course Abbreviation,Kurs Abkürzung
@@ -2685,6 +2709,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Insgesamt Arbeitszeit sollte nicht größer sein als die maximale Arbeitszeit {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Am
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Artikel zum Zeitpunkt des Verkaufs bündeln
+DocType: Delivery Settings,Dispatch Settings,Versandeinstellungen
 DocType: Material Request Plan Item,Actual Qty,Tatsächliche Anzahl
 DocType: Sales Invoice Item,References,Referenzen
 DocType: Quality Inspection Reading,Reading 10,Ablesewert 10
@@ -2694,11 +2719,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Sie haben ein Duplikat eines Artikels eingetragen. Bitte korrigieren und erneut versuchen.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Mitarbeiter/-in
 DocType: Asset Movement,Asset Movement,Asset-Bewegung
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Arbeitsauftrag {0} muss eingereicht werden
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,neue Produkte Warenkorb
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Arbeitsauftrag {0} muss eingereicht werden
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,neue Produkte Warenkorb
 DocType: Taxable Salary Slab,From Amount,Von Menge
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Artikel {0} ist kein Fortsetzungsartikel
 DocType: Leave Type,Encashment,Einlösung
+DocType: Delivery Settings,Delivery Settings,Liefereinstellungen
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Daten abrufen
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Der maximal zulässige Urlaub im Urlaubstyp {0} ist {1}
 DocType: SMS Center,Create Receiver List,Empfängerliste erstellen
 DocType: Vehicle,Wheels,Räder
@@ -2714,7 +2741,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Die Abrechnungswährung muss entweder der Währung der Standardfirma oder der Währung des Partnerkontos entsprechen
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Zeigt an, dass das Paket ein Teil dieser Lieferung ist (nur Entwurf)"
 DocType: Soil Texture,Loam,Lehm
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Zeile {0}: Fälligkeitsdatum darf nicht vor dem Buchungsdatum liegen
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Zeile {0}: Fälligkeitsdatum darf nicht vor dem Buchungsdatum liegen
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Zahlungsbuchung erstellen
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Menge für Artikel {0} muss kleiner sein als {1}
 ,Sales Invoice Trends,Ausgangsrechnung-Trendanalyse
@@ -2722,12 +2749,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kann sich nur auf eine Zeile beziehen, wenn die Berechnungsart der Kosten entweder ""auf vorherige Zeilensumme"" oder ""auf vorherigen Zeilenbetrag"" ist"
 DocType: Sales Order Item,Delivery Warehouse,Auslieferungslager
 DocType: Leave Type,Earned Leave Frequency,Verdiente Austrittsfrequenz
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Baum der finanziellen Kostenstellen.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Untertyp
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Baum der finanziellen Kostenstellen.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Untertyp
 DocType: Serial No,Delivery Document No,Lieferdokumentennummer
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,"Stellen Sie sicher, dass die Lieferung auf der Basis der produzierten Seriennr"
 DocType: Vital Signs,Furry,Pelzig
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Bitte setzen Sie ""Gewinn-/Verlustrechnung auf die Veräußerung von Vermögenswerten"" für Unternehmen {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Bitte setzen Sie ""Gewinn-/Verlustrechnung auf die Veräußerung von Vermögenswerten"" für Unternehmen {0}"
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Artikel vom Kaufbeleg übernehmen
 DocType: Serial No,Creation Date,Erstelldatum
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Ziel-Lagerort für Vermögenswert {0} erforderlich.
@@ -2741,10 +2768,11 @@
 DocType: Item,Has Variants,Hat Varianten
 DocType: Employee Benefit Claim,Claim Benefit For,Anspruchsvorteil für
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Update-Antwort
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Sie haben bereits Elemente aus {0} {1} gewählt
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Sie haben bereits Elemente aus {0} {1} gewählt
 DocType: Monthly Distribution,Name of the Monthly Distribution,Bezeichnung der monatsweisen Verteilung
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch-ID ist obligatorisch
 DocType: Sales Person,Parent Sales Person,Übergeordneter Vertriebsmitarbeiter
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Keine zu übergebenden Artikel sind überfällig
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Der Verkäufer und der Käufer können nicht identisch sein
 DocType: Project,Collect Progress,Sammle Fortschritte
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2760,7 +2788,7 @@
 DocType: Bank Guarantee,Margin Money,Margengeld
 DocType: Budget,Budget,Budget
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Set offen
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Posten des Anlagevermögens muss ein Nichtlagerposition sein.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Posten des Anlagevermögens muss ein Nichtlagerposition sein.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kann {0} nicht zugewiesen werden, da es kein Ertrags- oder Aufwandskonto ist"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Der maximale Freistellungsbetrag für {0} ist {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Erreicht
@@ -2778,9 +2806,9 @@
 ,Amount to Deliver,Liefermenge
 DocType: Asset,Insurance Start Date,Startdatum der Versicherung
 DocType: Salary Component,Flexible Benefits,Geldwertevorteile
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Gleiches Element wurde mehrfach eingegeben. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Gleiches Element wurde mehrfach eingegeben. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Der Begriff Startdatum kann nicht früher als das Jahr Anfang des Akademischen Jahres an dem der Begriff verknüpft ist (Akademisches Jahr {}). Bitte korrigieren Sie die Daten und versuchen Sie es erneut.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Es sind Fehler aufgetreten.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Es sind Fehler aufgetreten.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Der Mitarbeiter {0} hat bereits einen Antrag auf {1} zwischen {2} und {3} gestellt:
 DocType: Guardian,Guardian Interests,Wächter Interessen
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Aktualisiere Kontoname / Nummer
@@ -2819,9 +2847,9 @@
 ,Item-wise Purchase History,Artikelbezogene Einkaufshistorie
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Bitte auf ""Zeitplan generieren"" klicken, um die Seriennummer für Artikel {0} abzurufen"
 DocType: Account,Frozen,Gesperrt
-DocType: Delivery Note,Vehicle Type,Fahrzeugtyp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Fahrzeugtyp
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Basisbetrag (Unternehmens-Währung)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Rohes Material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Rohes Material
 DocType: Payment Reconciliation Payment,Reference Row,Referenzreihe
 DocType: Installation Note,Installation Time,Installationszeit
 DocType: Sales Invoice,Accounting Details,Buchhaltungs-Details
@@ -2830,12 +2858,13 @@
 DocType: Inpatient Record,O Positive,0 +
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investitionen
 DocType: Issue,Resolution Details,Details zur Entscheidung
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Art der Transaktion
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Art der Transaktion
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Akzeptanzkriterien
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Bitte geben Sie Materialwünsche in der obigen Tabelle
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Keine Rückzahlungen für die Journalbuchung verfügbar
 DocType: Hub Tracked Item,Image List,Bildliste
 DocType: Item Attribute,Attribute Name,Attributname
+DocType: Subscription,Generate Invoice At Beginning Of Period,Rechnung am Anfang der Periode generieren
 DocType: BOM,Show In Website,Auf der Webseite anzeigen
 DocType: Loan Application,Total Payable Amount,Zahlenden Gesamtbetrag
 DocType: Task,Expected Time (in hours),Voraussichtliche Zeit (in Stunden)
@@ -2872,7 +2901,7 @@
 DocType: Employee,Resignation Letter Date,Datum des Kündigungsschreibens
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Preisregeln werden zudem nach Menge angewandt.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Nicht festgelegt
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Bitte setzen Sie das Datum des Beitritts für Mitarbeiter {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Bitte setzen Sie das Datum des Beitritts für Mitarbeiter {0}
 DocType: Inpatient Record,Discharge,Entladen
 DocType: Task,Total Billing Amount (via Time Sheet),Gesamtrechnungsbetrag (über Arbeitszeitblatt)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Umsatz Bestandskunden
@@ -2882,13 +2911,13 @@
 DocType: Chapter,Chapter,Gruppe
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Paar
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Das Standardkonto wird in POS-Rechnung automatisch aktualisiert, wenn dieser Modus ausgewählt ist."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Wählen Sie Stückliste und Menge für die Produktion
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Wählen Sie Stückliste und Menge für die Produktion
 DocType: Asset,Depreciation Schedule,Abschreibungsplan
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Vertriebspartner Adressen und Kontakte
 DocType: Bank Reconciliation Detail,Against Account,Gegenkonto
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Halbtages Datum sollte zwischen Von-Datum und eine aktuelle
 DocType: Maintenance Schedule Detail,Actual Date,Tatsächliches Datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Legen Sie die Standardkostenstelle in der Firma {0} fest.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Legen Sie die Standardkostenstelle in der Firma {0} fest.
 DocType: Item,Has Batch No,Hat Chargennummer
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Jährliche Abrechnung: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Webshook-Detail anzeigen
@@ -2900,7 +2929,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Umschalttyp
 DocType: Student,Personal Details,Persönliche Daten
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Bitte setzen Sie die Kostenstelle für Abschreibungen von Vermögenswerten für das Unternehemn {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Bitte setzen Sie die Kostenstelle für Abschreibungen von Vermögenswerten für das Unternehemn {0}
 ,Maintenance Schedules,Wartungspläne
 DocType: Task,Actual End Date (via Time Sheet),Das tatsächliche Enddatum (durch Zeiterfassung)
 DocType: Soil Texture,Soil Type,Bodenart
@@ -2908,10 +2937,10 @@
 ,Quotation Trends,Trendanalyse Angebote
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Artikelgruppe ist im Artikelstamm für Artikel {0} nicht erwähnt
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless-Mandat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Sollkonto muss ein Forderungskonto sein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Sollkonto muss ein Forderungskonto sein
 DocType: Shipping Rule,Shipping Amount,Versandbetrag
 DocType: Supplier Scorecard Period,Period Score,Periodenspieler
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Kunden hinzufügen
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Kunden hinzufügen
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Ausstehender Betrag
 DocType: Lab Test Template,Special,Besondere
 DocType: Loyalty Program,Conversion Factor,Umrechnungsfaktor
@@ -2928,7 +2957,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Briefkopf hinzufügen
 DocType: Program Enrollment,Self-Driving Vehicle,Selbstfahrendes Fahrzeug
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Zeile {0}: Bill of Materials nicht für den Artikel gefunden {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Zeile {0}: Bill of Materials nicht für den Artikel gefunden {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Die Gesamtmenge des beantragten Urlaubs {0} kann nicht kleiner sein als die bereits genehmigten Urlaube {1} für den Zeitraum
 DocType: Contract Fulfilment Checklist,Requirement,Anforderung
 DocType: Journal Entry,Accounts Receivable,Forderungen
@@ -2944,16 +2973,16 @@
 DocType: Projects Settings,Timesheets,Zeiterfassungen
 DocType: HR Settings,HR Settings,Einstellungen zum Modul Personalwesen
 DocType: Salary Slip,net pay info,Netto-Zahlung Info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS-Betrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS-Betrag
 DocType: Woocommerce Settings,Enable Sync,Aktivieren Sie die Synchronisierung
 DocType: Tax Withholding Rate,Single Transaction Threshold,Einzeltransaktionsschwelle
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Dieser Wert wird in der Default Sales Price List aktualisiert.
 DocType: Email Digest,New Expenses,Neue Ausgaben
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC-Menge
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC-Menge
 DocType: Shareholder,Shareholder,Aktionär
 DocType: Purchase Invoice,Additional Discount Amount,Zusätzlicher Rabatt
 DocType: Cash Flow Mapper,Position,Position
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Holen Sie sich Artikel aus Verordnungen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Holen Sie sich Artikel aus Verordnungen
 DocType: Patient,Patient Details,Patientendetails
 DocType: Inpatient Record,B Positive,B Positiv
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2965,8 +2994,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Gruppe an konzernfremde
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sport
 DocType: Loan Type,Loan Name,Darlehensname
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Summe Tatsächlich
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Summe Tatsächlich
 DocType: Student Siblings,Student Siblings,Studenten Geschwister
 DocType: Subscription Plan Detail,Subscription Plan Detail,Details zum Abonnementplan
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Einheit
@@ -2993,7 +3021,6 @@
 DocType: Workstation,Wages per hour,Lohn pro Stunde
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagerbestand in Charge {0} wird für Artikel {2} im Lager {3} negativ {1}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Folgende Materialanfragen wurden automatisch auf der Grundlage der Nachbestellmenge des Artikels generiert
-DocType: Email Digest,Pending Sales Orders,Bis Kundenaufträge
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Konto {0} ist ungültig. Kontenwährung muss {1} sein
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Ab Datum {0} kann nicht nach dem Entlastungsdatum des Mitarbeiters sein {1}
 DocType: Supplier,Is Internal Supplier,Ist interner Lieferant
@@ -3002,13 +3029,14 @@
 DocType: Healthcare Settings,Remind Before,Vorher erinnern
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Maßeinheit-Umrechnungsfaktor ist erforderlich in der Zeile {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Kundenauftrag, Verkaufsrechnung oder einen Journaleintrag sein"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Kundenauftrag, Verkaufsrechnung oder einen Journaleintrag sein"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Treuepunkte = Wie viel Echtgeld?
 DocType: Salary Component,Deduction,Abzug
 DocType: Item,Retain Sample,Probe aufbewahren
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Row {0}: Von Zeit und zu Zeit ist obligatorisch.
 DocType: Stock Reconciliation Item,Amount Difference,Mengendifferenz
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Artikel Preis hinzugefügt für {0} in Preisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Artikel Preis hinzugefügt für {0} in Preisliste {1}
+DocType: Delivery Stop,Order Information,Bestellinformationen
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Bitte die Mitarbeiter-ID dieses Vertriebsmitarbeiters angeben
 DocType: Territory,Classification of Customers by region,Einteilung der Kunden nach Region
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,In Produktion
@@ -3019,8 +3047,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Berechneter Stand des Bankauszugs
 DocType: Normal Test Template,Normal Test Template,Normale Testvorlage
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,deaktivierter Benutzer
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Angebot
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,"Kann einen empfangenen RFQ nicht auf ""kein Zitat"" setzen."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Angebot
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,"Kann einen empfangenen RFQ nicht auf ""kein Zitat"" setzen."
 DocType: Salary Slip,Total Deduction,Gesamtabzug
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Wählen Sie ein Konto aus, das in der Kontowährung gedruckt werden soll"
 ,Production Analytics,Produktions-Analysen
@@ -3033,14 +3061,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Supplier Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Name des Bewertungsplans
 DocType: Work Order Operation,Work Order Operation,Arbeitsauftrag Operation
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Warnung: Ungültiges SSL-Zertifikat für Anlage {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Warnung: Ungültiges SSL-Zertifikat für Anlage {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads helfen bei der Kundengewinnung, fügen Sie alle Ihre Kontakte und mehr als Ihre Leads hinzu"
 DocType: Work Order Operation,Actual Operation Time,Tatsächliche Betriebszeit
 DocType: Authorization Rule,Applicable To (User),Anwenden auf (Benutzer)
 DocType: Purchase Taxes and Charges,Deduct,Abziehen
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Tätigkeitsbeschreibung
 DocType: Student Applicant,Applied,angewandt
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Wiedereröffnen
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Wiedereröffnen
 DocType: Sales Invoice Item,Qty as per Stock UOM,Menge in Lagermaßeinheit
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Namen
 DocType: Attendance,Attendance Request,Anwesenheitsanfrage
@@ -3058,7 +3086,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Seriennummer {0} ist innerhalb der Garantie bis {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimal zulässiger Wert
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Der Benutzer {0} existiert bereits
-apps/erpnext/erpnext/hooks.py +114,Shipments,Lieferungen
+apps/erpnext/erpnext/hooks.py +115,Shipments,Lieferungen
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Aufteilbaren Gesamtbetrag (Gesellschaft Währung)
 DocType: Purchase Order Item,To be delivered to customer,Zur Auslieferung an den Kunden
 DocType: BOM,Scrap Material Cost,Ausschusssmaterialkosten
@@ -3066,11 +3094,12 @@
 DocType: Grant Application,Email Notification Sent,E-Mail-Benachrichtigung gesendet
 DocType: Purchase Invoice,In Words (Company Currency),In Worten (Firmenwährung)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Die Firma ist für die Firma verantwortlich
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Artikelnummer, Lager, Menge sind in der Zeile erforderlich"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Artikelnummer, Lager, Menge sind in der Zeile erforderlich"
 DocType: Bank Guarantee,Supplier,Lieferant
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Holen Aus
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Dies ist eine Root-Abteilung und kann nicht bearbeitet werden.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Zahlungsdetails anzeigen
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Dauer in Tagen
 DocType: C-Form,Quarter,Quartal
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Sonstige Aufwendungen
 DocType: Global Defaults,Default Company,Standardfirma
@@ -3078,7 +3107,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Ausgaben- oder Differenz-Konto ist Pflicht für Artikel {0}, da es Auswirkungen auf den gesamten Lagerwert hat"
 DocType: Bank,Bank Name,Name der Bank
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Über
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Lassen Sie das Feld leer, um Bestellungen für alle Lieferanten zu tätigen"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Lassen Sie das Feld leer, um Bestellungen für alle Lieferanten zu tätigen"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stationäre Visit Charge Item
 DocType: Vital Signs,Fluid,Flüssigkeit
 DocType: Leave Application,Total Leave Days,Urlaubstage insgesamt
@@ -3087,7 +3116,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Einstellungen zur Artikelvariante
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Firma auswählen...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Freilassen, wenn für alle Abteilungen gültig"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} Artikel ist zwingend erfoderlich für {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} Artikel ist zwingend erfoderlich für {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Artikel {0}: {1} Menge produziert,"
 DocType: Payroll Entry,Fortnightly,vierzehntägig
 DocType: Currency Exchange,From Currency,Von Währung
@@ -3136,7 +3165,7 @@
 DocType: Account,Fixed Asset,Anlagevermögen
 DocType: Amazon MWS Settings,After Date,Nach dem Datum
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialisierter Lagerbestand
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Ungültige {0} für Inter-Company-Rechnung
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Ungültige {0} für Inter-Company-Rechnung
 ,Department Analytics,Abteilung Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-Mail nicht im Standardkontakt gefunden
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Geheimnis erzeugen
@@ -3154,6 +3183,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Mit Zahlung der Steuer
 DocType: Expense Claim Detail,Expense Claim Detail,Aufwandsabrechnungsdetail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Bitte richten Sie das Instructor Naming System in Education&gt; Education Settings ein
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE FÜR LIEFERANTEN
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Neuer Kontostand in der Basiswährung
 DocType: Location,Is Container,Ist ein Container
@@ -3161,13 +3191,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Bitte richtiges Konto auswählen
 DocType: Salary Structure Assignment,Salary Structure Assignment,Zuordnung der Gehaltsstruktur
 DocType: Purchase Invoice Item,Weight UOM,Gewichts-Maßeinheit
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Liste der verfügbaren Aktionäre mit Folio-Nummern
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Liste der verfügbaren Aktionäre mit Folio-Nummern
 DocType: Salary Structure Employee,Salary Structure Employee,Gehaltsstruktur Mitarbeiter
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Zeige Variantenattribute
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Zeige Variantenattribute
 DocType: Student,Blood Group,Blutgruppe
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Das Zahlungsgatewaykonto in Plan {0} unterscheidet sich von dem Zahlungsgatewaykonto in dieser Zahlungsanforderung
 DocType: Course,Course Name,Kursname
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Keine Steuerverweigerungsdaten für das aktuelle Geschäftsjahr gefunden.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Keine Steuerverweigerungsdaten für das aktuelle Geschäftsjahr gefunden.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Benutzer, die die Urlaubsanträge eines bestimmten Mitarbeiters genehmigen können"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Büroausstattung
 DocType: Purchase Invoice Item,Qty,Menge
@@ -3175,6 +3205,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Scoring Setup
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronik
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Soll ({0})
+DocType: BOM,Allow Same Item Multiple Times,Erlaube das gleiche Objekt mehrmals
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Materialanfrage erstellen, wenn der Lagerbestand unter einen Wert sinkt"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Vollzeit
 DocType: Payroll Entry,Employees,Mitarbeiter
@@ -3186,11 +3217,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Zahlungsbestätigung
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Die Preise werden nicht angezeigt, wenn Preisliste nicht gesetzt"
 DocType: Stock Entry,Total Incoming Value,Summe der Einnahmen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debit Um erforderlich
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debit Um erforderlich
 DocType: Clinical Procedure,Inpatient Record,Stationäre Aufnahme
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Zeiterfassungen helfen den Überblick über Zeit, Kosten und Abrechnung für Aktivitäten von Ihrem Team getan"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Einkaufspreisliste
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Datum der Transaktion
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Einkaufspreisliste
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Datum der Transaktion
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Vorlagen der Lieferanten-Scorecard-Variablen.
 DocType: Job Offer Term,Offer Term,Angebotsfrist
 DocType: Asset,Quality Manager,Qualitätsmanager
@@ -3211,18 +3242,18 @@
 DocType: Cashier Closing,To Time,Bis-Zeit
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) für {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Genehmigende Rolle (über dem autorisierten Wert)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Habenkonto muss ein Verbindlichkeitenkonto sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Habenkonto muss ein Verbindlichkeitenkonto sein
 DocType: Loan,Total Amount Paid,Gezahlte Gesamtsumme
 DocType: Asset,Insurance End Date,Versicherungsenddatum
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Bitte wählen Sie den Studenteneintritt aus, der für den bezahlten Studenten obligatorisch ist"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Stücklisten-Rekursion: {0} kann nicht übergeordnetes Element oder Unterpunkt von {2} sein
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Stücklisten-Rekursion: {0} kann nicht übergeordnetes Element oder Unterpunkt von {2} sein
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Budgetliste
 DocType: Work Order Operation,Completed Qty,Gefertigte Menge
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",Für {0} können nur Sollkonten mit einer weiteren Habenbuchung verknüpft werden
 DocType: Manufacturing Settings,Allow Overtime,Überstunden zulassen
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized Item {0} kann nicht mit der Bestandsabstimmung aktualisiert werden. Bitte verwenden Sie den Stock Entry
 DocType: Training Event Employee,Training Event Employee,Schulungsveranstaltung Mitarbeiter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximum Samples - {0} kann für Batch {1} und Item {2} beibehalten werden.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximum Samples - {0} kann für Batch {1} und Item {2} beibehalten werden.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Zeitfenster hinzufügen
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Seriennummern für Artikel {1} erforderlich. Sie haben {2} zur Verfügung gestellt.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktueller Wertansatz
@@ -3253,11 +3284,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Seriennummer {0} wurde nicht gefunden
 DocType: Fee Schedule Program,Fee Schedule Program,Fee Zeitplan Programm
 DocType: Fee Schedule Program,Student Batch,Student Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Bitte löschen Sie den Mitarbeiter <a href=""#Form/Employee/{0}"">{0}</a> , um dieses Dokument abzubrechen"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Schüler anlegen
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Art der Gesundheitsdienstleistungseinheit
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Sie wurden zur Zusammenarbeit für das Projekt {0} eingeladen.
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Sie wurden zur Zusammenarbeit für das Projekt {0} eingeladen.
 DocType: Supplier Group,Parent Supplier Group,Eltern-Lieferantengruppe
+DocType: Email Digest,Purchase Orders to Bill,Bestellungen an Rechnung
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Kumulierte Werte in der Konzerngesellschaft
 DocType: Leave Block List Date,Block Date,Datum sperren
 DocType: Crop,Crop,Ernte
@@ -3269,6 +3303,7 @@
 DocType: Sales Order,Not Delivered,Nicht geliefert
 ,Bank Clearance Summary,Zusammenfassung Bankabwicklungen
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Tägliche, wöchentliche und monatliche E-Mail-Berichte erstellen und verwalten"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Dies basiert auf Transaktionen mit dieser Verkaufsperson. Details finden Sie in der Zeitleiste unten
 DocType: Appraisal Goal,Appraisal Goal,Bewertungsziel
 DocType: Stock Reconciliation Item,Current Amount,Aktuelle Höhe
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Gebäude
@@ -3295,7 +3330,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Software
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Nächste Kontakt Datum kann nicht in der Vergangenheit liegen
 DocType: Company,For Reference Only.,Nur zu Referenzzwecken.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Wählen Sie Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Wählen Sie Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Ungültige(r/s) {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referenz ERE
@@ -3313,16 +3348,16 @@
 DocType: Normal Test Items,Require Result Value,Erforderlichen Ergebniswert
 DocType: Item,Show a slideshow at the top of the page,Diaschau oben auf der Seite anzeigen
 DocType: Tax Withholding Rate,Tax Withholding Rate,Steuerrückbehaltrate
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Stücklisten
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Lagerräume
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Stücklisten
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Lagerräume
 DocType: Project Type,Projects Manager,Projektleiter
 DocType: Serial No,Delivery Time,Zeitpunkt der Lieferung
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Alter basierend auf
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Termin abgesagt
 DocType: Item,End of Life,Ende der Lebensdauer
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Reise
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Reise
 DocType: Student Report Generation Tool,Include All Assessment Group,Alle Bewertungsgruppe einschließen
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Keine aktive oder Standard-Gehaltsstruktur für Mitarbeiter gefunden {0} für die angegebenen Daten
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Keine aktive oder Standard-Gehaltsstruktur für Mitarbeiter gefunden {0} für die angegebenen Daten
 DocType: Leave Block List,Allow Users,Benutzer zulassen
 DocType: Purchase Order,Customer Mobile No,Mobilnummer des Kunden
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Details zur Cashflow-Mapping-Vorlage
@@ -3331,15 +3366,16 @@
 DocType: Rename Tool,Rename Tool,Werkzeug zum Umbenennen
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Kosten aktualisieren
 DocType: Item Reorder,Item Reorder,Artikelnachbestellung
+DocType: Delivery Note,Mode of Transport,Transportart
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Anzeigen Gehaltsabrechnung
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Material übergeben
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Material übergeben
 DocType: Fees,Send Payment Request,Zahlungsauftrag senden
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",Arbeitsgänge und Betriebskosten angeben und eine eindeutige Arbeitsgang-Nr. für diesen Arbeitsgang angeben.
 DocType: Travel Request,Any other details,Irgendwelche anderen Details
 DocType: Water Analysis,Origin,Ursprung
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dieses Dokument ist über dem Limit von {0} {1} für item {4}. Machen Sie eine andere {3} gegen die gleiche {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Bitte setzen Sie wiederkehrende nach dem Speichern
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Wählen Sie Änderungsbetrag Konto
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Bitte setzen Sie wiederkehrende nach dem Speichern
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Wählen Sie Änderungsbetrag Konto
 DocType: Purchase Invoice,Price List Currency,Preislistenwährung
 DocType: Naming Series,User must always select,Benutzer muss immer auswählen
 DocType: Stock Settings,Allow Negative Stock,Negativen Lagerbestand zulassen
@@ -3360,9 +3396,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Rückverfolgbarkeit
 DocType: Asset Maintenance Log,Actions performed,Aktionen ausgeführt
 DocType: Cash Flow Mapper,Section Leader,Abteilungsleiter
+DocType: Delivery Note,Transport Receipt No,Transportbeleg Nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Mittelherkunft (Verbindlichkeiten)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Quelle und Zielort können nicht identisch sein
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Menge in Zeile {0} ({1}) muss die gleiche sein wie die hergestellte Menge {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Menge in Zeile {0} ({1}) muss die gleiche sein wie die hergestellte Menge {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Mitarbeiter
 DocType: Bank Guarantee,Fixed Deposit Number,Feste Einzahlungsnummer
 DocType: Asset Repair,Failure Date,Fehlerdatum
@@ -3376,16 +3413,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Zahlung Abzüge oder Verlust
 DocType: Soil Analysis,Soil Analysis Criterias,Kriterien für die Bodenanalyse
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Allgemeine Vertragsbedingungen für den Verkauf und Einkauf
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,"Sind Sie sicher, dass Sie diesen Termin stornieren möchten?"
+DocType: BOM Item,Item operation,Artikeloperation
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,"Sind Sie sicher, dass Sie diesen Termin stornieren möchten?"
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Preisangebot für das Hotelzimmer
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Vertriebspipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Vertriebspipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Bitte setzen Sie Standardkonto in Gehaltskomponente {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Benötigt am
 DocType: Rename Tool,File to Rename,"Datei, die umbenannt werden soll"
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Bitte wählen Sie Stückliste für Artikel in Zeile {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Abruf von Abonnement-Updates
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stimmt nicht mit der Firma {1} im Rechnungsmodus überein: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Angegebene Stückliste {0} gibt es nicht für Artikel {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Angegebene Stückliste {0} gibt es nicht für Artikel {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kurs:
 DocType: Soil Texture,Sandy Loam,Sandiger Lehm
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Wartungsplan {0} muss vor Stornierung dieses Kundenauftrages aufgehoben werden
@@ -3394,7 +3432,7 @@
 DocType: Notification Control,Expense Claim Approved,Aufwandsabrechnung genehmigt
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Vorschüsse setzen und zuordnen (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Keine Arbeitsaufträge erstellt
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Gehaltsabrechnung der Mitarbeiter {0} für diesen Zeitraum bereits erstellt
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Gehaltsabrechnung der Mitarbeiter {0} für diesen Zeitraum bereits erstellt
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Arzneimittel
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Sie können die Einzahlung nur für einen gültigen Einlösungsbetrag einreichen
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Aufwendungen für bezogene Artikel
@@ -3402,7 +3440,8 @@
 DocType: Selling Settings,Sales Order Required,Kundenauftrag erforderlich
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Werden Sie ein Verkäufer
 DocType: Purchase Invoice,Credit To,Gutschreiben auf
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktive Leads / Kunden
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktive Leads / Kunden
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Leer lassen, um das Standard-Lieferscheinformat zu verwenden"
 DocType: Employee Education,Post Graduate,Graduation veröffentlichen
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Wartungsplandetail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Warnung für neue Bestellungen
@@ -3416,14 +3455,14 @@
 DocType: Support Search Source,Post Title Key,Beitragstitel eingeben
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Für die Jobkarte
 DocType: Warranty Claim,Raised By,Gemeldet durch
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Rezepte
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Rezepte
 DocType: Payment Gateway Account,Payment Account,Zahlungskonto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Bitte Firma angeben um fortzufahren
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Bitte Firma angeben um fortzufahren
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Nettoveränderung der Forderungen
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Ausgleich für
 DocType: Job Offer,Accepted,Genehmigt
 DocType: POS Closing Voucher,Sales Invoices Summary,Zusammenfassung der Verkaufsrechnung
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Zum Party-Namen
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Zum Party-Namen
 DocType: Grant Application,Organization,Firma
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
 DocType: SG Creation Tool Course,Student Group Name,Schülergruppenname
@@ -3432,7 +3471,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Bitte sicher stellen, dass wirklich alle Transaktionen für diese Firma gelöscht werden sollen. Die Stammdaten bleiben bestehen. Diese Aktion kann nicht rückgängig gemacht werden."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Suchergebnisse
 DocType: Room,Room Number,Zimmernummer
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Ungültige Referenz {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Ungültige Referenz {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kann nicht größer sein als die geplante Menge ({2}) im Fertigungsauftrag {3}
 DocType: Shipping Rule,Shipping Rule Label,Bezeichnung der Versandregel
 DocType: Journal Entry Account,Payroll Entry,Personalabrechnung
@@ -3440,8 +3479,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Steuervorlage erstellen
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Benutzer-Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Rohmaterial kann nicht leer sein
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Zeilennr. {0} (Zahlungstabelle): Betrag muss negativ sein
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Lager konnte nicht aktualisiert werden, Rechnung enthält Direktversand-Artikel."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Zeilennr. {0} (Zahlungstabelle): Betrag muss negativ sein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Lager konnte nicht aktualisiert werden, Rechnung enthält Direktversand-Artikel."
 DocType: Contract,Fulfilment Status,Erfüllungsstatus
 DocType: Lab Test Sample,Lab Test Sample,Labortestprobe
 DocType: Item Variant Settings,Allow Rename Attribute Value,Zulassen Attributwert umbenennen
@@ -3483,11 +3522,11 @@
 DocType: BOM,Show Operations,zeigen Operationen
 ,Minutes to First Response for Opportunity,Minuten bis zur ersten Antwort auf Opportunität
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Summe Abwesenheit
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Artikel oder Lager in Zeile {0} stimmen nicht mit Materialanfrage überein
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Artikel oder Lager in Zeile {0} stimmen nicht mit Materialanfrage überein
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Maßeinheit
 DocType: Fiscal Year,Year End Date,Enddatum des Geschäftsjahres
 DocType: Task Depends On,Task Depends On,Vorgang hängt ab von
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Chance
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Chance
 DocType: Operation,Default Workstation,Standard-Arbeitsplatz
 DocType: Notification Control,Expense Claim Approved Message,Benachrichtigung über genehmigte Aufwandsabrechnung
 DocType: Payment Entry,Deductions or Loss,Abzüge oder Verlust
@@ -3525,20 +3564,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,"Genehmigender Benutzer kann nicht derselbe Benutzer sein wie derjenige, auf den die Regel anzuwenden ist"
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Grundbetrag (nach Lagermaßeinheit)
 DocType: SMS Log,No of Requested SMS,Anzahl angeforderter SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Unbezahlter Urlaub passt nicht zu den bestätigten Urlaubsanträgen.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Unbezahlter Urlaub passt nicht zu den bestätigten Urlaubsanträgen.
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Nächste Schritte
 DocType: Travel Request,Domestic,Inländisch
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Bitte geben Sie die angegebenen Elemente zu den bestmöglichen Preisen
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Bitte geben Sie die angegebenen Elemente zu den bestmöglichen Preisen
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Employee Transfer kann nicht vor dem Übertragungstermin eingereicht werden
 DocType: Certification Application,USD,US Dollar
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Rechnung erstellen
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Verbleibendes Saldo
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Verbleibendes Saldo
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto schließen Gelegenheit nach 15 Tagen
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Kaufaufträge sind für {0} wegen einer Scorecard von {1} nicht erlaubt.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Der Barcode {0} ist kein gültiger {1} Code
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Der Barcode {0} ist kein gültiger {1} Code
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Ende Jahr
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Vertragsende muss weiter in der Zukunft liegen als Eintrittsdatum sein
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Vertragsende muss weiter in der Zukunft liegen als Eintrittsdatum sein
 DocType: Driver,Driver,Fahrer/-in
 DocType: Vital Signs,Nutrition Values,Ernährungswerte
 DocType: Lab Test Template,Is billable,Ist abrechenbar
@@ -3549,7 +3588,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,"Dies ist eine Beispiel-Webseite, von ERPNext automatisch generiert"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Alter Bereich 1
 DocType: Shopify Settings,Enable Shopify,Aktivieren Sie Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Der gesamte Vorauszahlungsbetrag darf nicht höher sein als der gesamte beanspruchte Betrag
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Der gesamte Vorauszahlungsbetrag darf nicht höher sein als der gesamte beanspruchte Betrag
 DocType: Purchase Taxes and Charges Template,"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
@@ -3596,12 +3635,12 @@
 DocType: Employee Separation,Employee Separation,Mitarbeitertrennung
 DocType: BOM Item,Original Item,Originalartikel
 DocType: Purchase Receipt Item,Recd Quantity,Erhaltene Menge
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Dokumenten Datum
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Dokumenten Datum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Gebühren-Aufzeichnungen erstellt - {0}
 DocType: Asset Category Account,Asset Category Account,Anlagekategorie Konto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Zeile # {0} (Zahlungstabelle): Betrag muss positiv sein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Zeile # {0} (Zahlungstabelle): Betrag muss positiv sein
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},"Es können nicht mehr Artikel {0} produziert werden, als die über Kundenaufträge bestellte Stückzahl {1}"
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Wählen Sie Attributwerte
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Wählen Sie Attributwerte
 DocType: Purchase Invoice,Reason For Issuing document,Grund für das ausstellende Dokument
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Lagerbuchung {0} wurde nicht übertragen
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / Geldkonto
@@ -3610,8 +3649,10 @@
 DocType: Asset,Manual,Handbuch
 DocType: Salary Component Account,Salary Component Account,Gehaltskomponente Account
 DocType: Global Defaults,Hide Currency Symbol,Währungssymbol ausblenden
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Verkaufschancen nach Quelle
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Spenderinformationen.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","z. B. Bank, Bargeld, Kreditkarte"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Bitte richten Sie die Nummerierungsserie für die Teilnahme über Setup&gt; Nummerierungsserie ein
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","z. B. Bank, Bargeld, Kreditkarte"
 DocType: Job Applicant,Source Name,Quellenname
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normaler Ruhe-Blutdruck bei einem Erwachsenen ist etwa 120 mmHg systolisch und 80 mmHg diastolisch, abgekürzt &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Legen Sie die Haltbarkeit der Artikel in Tagen fest, um den Verfall basierend auf Herstellungsdatum plus Eigenleben festzulegen"
@@ -3641,7 +3682,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Für die Menge muss weniger als die Menge {0} sein
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Zeile {0}: Startdatum muss vor dem Enddatum liegen
 DocType: Salary Component,Max Benefit Amount (Yearly),Max Nutzbetrag (jährlich)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Rate%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Rate%
 DocType: Crop,Planting Area,Pflanzfläche
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Summe (Anzahl)
 DocType: Installation Note Item,Installed Qty,Installierte Anzahl
@@ -3663,8 +3704,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Genehmigungsbenachrichtigung verlassen
 DocType: Buying Settings,Default Buying Price List,Standard-Einkaufspreisliste
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Gehaltsabrechnung Basierend auf Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Kaufrate
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Zeile Nr. {0}: Geben Sie den Speicherort für das Asset-Element {1} ein.
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Kaufrate
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Zeile Nr. {0}: Geben Sie den Speicherort für das Asset-Element {1} ein.
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Über das Unternehmen
 DocType: Notification Control,Sales Order Message,Benachrichtigung über Kundenauftrag
@@ -3722,17 +3763,18 @@
 apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Formulare anpassen
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +77,Arrear,Rückstand
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Depreciation Amount during the period,Abschreibungsbetrag in der Zeit
-DocType: Sales Invoice,Is Return (Credit Note),Ist die Rückkehr (Gutschrift)
+DocType: Sales Invoice,Is Return (Credit Note),ist Rücklieferung (Gutschrift)
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +26,Start Job,Job starten
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +32,Serial no is required for the asset {0},Für Vermögenswert {0} ist eine Seriennr. Erforderlich.
 apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +43,Disabled template must not be default template,Deaktivierte Vorlage darf nicht Standardvorlage sein
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Für Zeile {0}: Geben Sie die geplante Menge ein
 DocType: Account,Income Account,Ertragskonto
 DocType: Payment Request,Amount in customer's currency,Betrag in Kundenwährung
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Auslieferung
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Auslieferung
 DocType: Volunteer,Weekdays,Wochentage
 DocType: Stock Reconciliation Item,Current Qty,Aktuelle Anzahl
 DocType: Restaurant Menu,Restaurant Menu,Speisekarte
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Lieferanten hinzufügen
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Hilfe Abschnitt
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Vorherige
@@ -3744,19 +3786,20 @@
 												fullfill Sales Order {2}","Die Seriennr. {0} des Artikels {1} kann nicht geliefert werden, da sie für \ Fullfill Sales Order {2} reserviert ist."
 DocType: Item Reorder,Material Request Type,Materialanfragetyp
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Senden Sie Grant Review E-Mail
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Localstorage voll ist, nicht speichern"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Zeile {0}: Umrechnungsfaktor für Maßeinheit ist zwingend erforderlich
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Localstorage voll ist, nicht speichern"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Zeile {0}: Umrechnungsfaktor für Maßeinheit ist zwingend erforderlich
 DocType: Employee Benefit Claim,Claim Date,Anspruch Datum
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Raumkapazität
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Es existiert bereits ein Datensatz für den Artikel {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref.
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Sie werden Datensätze von zuvor generierten Rechnungen verlieren. Möchten Sie dieses Abonnement wirklich neu starten?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Registrierungsgebühr
 DocType: Loyalty Program Collection,Loyalty Program Collection,Treueprogramm-Sammlung
 DocType: Stock Entry Detail,Subcontracted Item,Unterauftragsgegenstand
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} gehört nicht zur Gruppe {1}
 DocType: Budget,Cost Center,Kostenstelle
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Beleg #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Beleg #
 DocType: Notification Control,Purchase Order Message,Lieferantenauftrags-Nachricht
 DocType: Tax Rule,Shipping Country,Zielland der Lieferung
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ausblenden Kundensteuernummer aus Verkaufstransaktionen
@@ -3775,23 +3818,22 @@
 DocType: Subscription,Cancel At End Of Period,Am Ende der Periode abbrechen
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Die Eigenschaft wurde bereits hinzugefügt
 DocType: Item Supplier,Item Supplier,Artikellieferant
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Bitte die Artikelnummer eingeben um die Chargennummer zu erhalten
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Bitte einen Wert für {0} Angebot an {1} auswählen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Bitte die Artikelnummer eingeben um die Chargennummer zu erhalten
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Bitte einen Wert für {0} Angebot an {1} auswählen
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Keine Elemente für die Übertragung ausgewählt
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle Adressen
 DocType: Company,Stock Settings,Lager-Einstellungen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Zusammenführung ist nur möglich, wenn folgende Eigenschaften in beiden Datensätzen identisch sind:  Gruppe, Root-Typ, Firma"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Zusammenführung ist nur möglich, wenn folgende Eigenschaften in beiden Datensätzen identisch sind:  Gruppe, Root-Typ, Firma"
 DocType: Vehicle,Electric,elektrisch
 DocType: Task,% Progress,% Fortschritt
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Gewinn / Verlust aus der Veräußerung von Vermögenswerten
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",In der folgenden Tabelle wird nur der Studienbewerber mit dem Status &quot;Genehmigt&quot; ausgewählt.
 DocType: Tax Withholding Category,Rates,Preise
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Kontonummer für Konto {0} ist nicht verfügbar. <br> Bitte richten Sie Ihren Kontenplan korrekt ein.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Kontonummer für Konto {0} ist nicht verfügbar. <br> Bitte richten Sie Ihren Kontenplan korrekt ein.
 DocType: Task,Depends on Tasks,Abhängig von Vorgang
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Baumstruktur der Kundengruppen verwalten
 DocType: Normal Test Items,Result Value,Ergebnis Wert
 DocType: Hotel Room,Hotels,Hotels
-DocType: Delivery Note,Transporter Date,Transporter Datum
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Neuer Kostenstellenname
 DocType: Leave Control Panel,Leave Control Panel,Urlaubsverwaltung
 DocType: Project,Task Completion,Aufgabenerledigung
@@ -3838,11 +3880,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Alle Bewertungsgruppen
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Neuer Lagername
 DocType: Shopify Settings,App Type,Apptyp
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Insgesamt {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Insgesamt {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Region
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Bitte bei ""Besuche erforderlich"" NEIN angeben"
 DocType: Stock Settings,Default Valuation Method,Standard-Bewertungsmethode
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Gebühr
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Kumulativen Betrag anzeigen
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Aktualisierung läuft. Es kann eine Weile dauern.
 DocType: Production Plan Item,Produced Qty,Produzierte Menge
 DocType: Vehicle Log,Fuel Qty,Kraftstoff-Menge
@@ -3850,7 +3893,7 @@
 DocType: Work Order Operation,Planned Start Time,Geplante Startzeit
 DocType: Course,Assessment,Beurteilung
 DocType: Payment Entry Reference,Allocated,Zugewiesen
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Bilanz schliessen und in die Gewinn und Verlustrechnung übernehmen
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Bilanz schliessen und in die Gewinn und Verlustrechnung übernehmen
 DocType: Student Applicant,Application Status,Bewerbungsstatus
 DocType: Additional Salary,Salary Component Type,Gehalt Komponententyp
 DocType: Sensitivity Test Items,Sensitivity Test Items,Empfindlichkeitstests
@@ -3861,10 +3904,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Offener Gesamtbetrag
 DocType: Sales Partner,Targets,Ziele
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Bitte registrieren Sie die SIREN-Nummer in der Unternehmensinformationsdatei
+DocType: Email Digest,Sales Orders to Bill,Kundenaufträge an Rechnung
 DocType: Price List,Price List Master,Preislisten-Vorlagen
 DocType: GST Account,CESS Account,CESS-Konto
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alle Verkaufstransaktionen können für mehrere verschiedene ""Vertriebsmitarbeiter"" markiert werden, so dass Ziele festgelegt und überwacht werden können."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Verknüpfung zur Materialanforderung
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Verknüpfung zur Materialanforderung
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forum Aktivität
 ,S.O. No.,Nummer der Lieferantenbestellung
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Posten für Kontotransaktions-Einstellungen
@@ -3879,7 +3923,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Dies ist eine Root-Kundengruppe und kann nicht bearbeitet werden.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Aktion, wenn das kumulierte monatliche Budget für die Bestellung überschritten wurde"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Hinstellen
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Hinstellen
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Wechselkurs-Neubewertung
 DocType: POS Profile,Ignore Pricing Rule,Preisregel ignorieren
 DocType: Employee Education,Graduate,Akademiker
@@ -3927,6 +3971,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Bitte setzen Sie den Standardkunden in den Restauranteinstellungen
 ,Salary Register,Gehalt Register
 DocType: Warehouse,Parent Warehouse,Übergeordnetes Lager
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Diagramm
 DocType: Subscription,Net Total,Nettosumme
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Standard-Stückliste nicht gefunden für Position {0} und Projekt {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definieren Sie verschiedene Darlehensarten
@@ -3959,24 +4004,26 @@
 DocType: Membership,Membership Status,Mitgliedsstatus
 DocType: Travel Itinerary,Lodging Required,Unterkunft erforderlich
 ,Requested,Angefordert
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Keine Anmerkungen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Keine Anmerkungen
 DocType: Asset,In Maintenance,In Wartung
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Klicken Sie auf diese Schaltfläche, um Ihre Kundenauftragsdaten von Amazon MWS abzurufen."
 DocType: Vital Signs,Abdomen,Abdomen
 DocType: Purchase Invoice,Overdue,Überfällig
 DocType: Account,Stock Received But Not Billed,"Empfangener, aber nicht berechneter Lagerbestand"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root-Konto muss eine Gruppe sein
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root-Konto muss eine Gruppe sein
 DocType: Drug Prescription,Drug Prescription,Medikamenten Rezept
 DocType: Loan,Repaid/Closed,Vergolten / Geschlossen
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Prognostizierte Gesamtmenge
 DocType: Monthly Distribution,Distribution Name,Bezeichnung der Verteilung
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Fügen Sie UOM hinzu
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Bewertungsrate, die für die Position {0} nicht gefunden wurde, die für die Buchungseinträge für {1} {2} erforderlich ist. Wenn die Position als Nullbewertungssatz in der {1} abgewickelt wird, erwähnen Sie bitte in der Tabelle {1}. Andernfalls erstellen Sie bitte eine eingehende Bestandsabwicklung für die Position oder erwähnen Sie den Bewertungssatz im Positionsdatensatz und versuchen Sie dann, diesen Eintrag einzureichen"
 DocType: Course,Course Code,Kursnummer
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Qualitätsprüfung für den Posten erforderlich {0}
 DocType: Location,Parent Location,Übergeordneter Standort
 DocType: POS Settings,Use POS in Offline Mode,POS im Offline-Modus verwenden
 DocType: Supplier Scorecard,Supplier Variables,Lieferantenvariablen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} ist obligatorisch. Möglicherweise wird der Währungsaustausch-Datensatz für {1} bis {2} nicht erstellt.
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Kurs, zu dem die Währung des Kunden in die Basiswährung des Unternehmens umgerechnet wird"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Nettopreis (Firmenwährung)
 DocType: Salary Detail,Condition and Formula Help,Zustand und Formel-Hilfe
@@ -3985,19 +4032,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Ausgangsrechnung
 DocType: Journal Entry Account,Party Balance,Gruppen-Saldo
 DocType: Cash Flow Mapper,Section Subtotal,Abschnitt Zwischensumme
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Bitte ""Rabatt anwenden auf"" auswählen"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Bitte ""Rabatt anwenden auf"" auswählen"
 DocType: Stock Settings,Sample Retention Warehouse,Beispiel Retention Warehouse
 DocType: Company,Default Receivable Account,Standard-Forderungskonto
 DocType: Purchase Invoice,Deemed Export,Ausgenommener Export
 DocType: Stock Entry,Material Transfer for Manufacture,Materialübertrag für Herstellung
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Der Rabatt-Prozentsatz kann entweder auf eine Preisliste oder auf alle Preislisten angewandt werden.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Lagerbuchung
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Lagerbuchung
 DocType: Lab Test,LabTest Approver,LabTest Genehmiger
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Sie haben bereits für die Bewertungskriterien beurteilt.
 DocType: Vehicle Service,Engine Oil,Motoröl
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Arbeitsaufträge erstellt: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Arbeitsaufträge erstellt: {0}
 DocType: Sales Invoice,Sales Team1,Verkaufsteam1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Artikel {0} existiert nicht
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Artikel {0} existiert nicht
 DocType: Sales Invoice,Customer Address,Kundenadresse
 DocType: Loan,Loan Details,Darlehensdetails
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Das Einrichten von Post-Firmen-Fixtures ist fehlgeschlagen
@@ -4018,34 +4065,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Diese Diaschau oben auf der Seite anzeigen
 DocType: BOM,Item UOM,Artikelmaßeinheit
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Steuerbetrag nach Abzug von Rabatt (Firmenwährung)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Eingangslager ist für Zeile {0} zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Eingangslager ist für Zeile {0} zwingend erforderlich
 DocType: Cheque Print Template,Primary Settings,Primäre Einstellungen
 DocType: Attendance Request,Work From Home,Von zuhause aus arbeiten
 DocType: Purchase Invoice,Select Supplier Address,Lieferantenadresse auswählen
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Mitarbeiter hinzufügen
 DocType: Purchase Invoice Item,Quality Inspection,Qualitätsprüfung
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Besonders klein
 DocType: Company,Standard Template,Standard Template
 DocType: Training Event,Theory,Theorie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Achtung : Materialanfragemenge ist geringer als die Mindestbestellmenge
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Achtung : Materialanfragemenge ist geringer als die Mindestbestellmenge
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Konto {0} ist gesperrt
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juristische Person/Niederlassung mit einem separaten Kontenplan, die zum Unternehmen gehört."
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Lebensmittel, Getränke und Tabak"
 DocType: Account,Account Number,Kontonummer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Zahlung kann nur zu einer noch nicht abgerechneten {0} erstellt werden
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Provisionssatz kann nicht größer als 100 sein
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Zahlung kann nur zu einer noch nicht abgerechneten {0} erstellt werden
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Provisionssatz kann nicht größer als 100 sein
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Zuweisungen automatisch zuordnen (FIFO)
 DocType: Volunteer,Volunteer,Freiwilliger
 DocType: Buying Settings,Subcontract,Zulieferer
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Bitte geben Sie zuerst {0} ein
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Keine Antworten
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Keine Antworten
 DocType: Work Order Operation,Actual End Time,Tatsächliche Endzeit
 DocType: Item,Manufacturer Part Number,Herstellernummer
 DocType: Taxable Salary Slab,Taxable Salary Slab,Steuerbare Lohnplatte
 DocType: Work Order Operation,Estimated Time and Cost,Geschätzte Zeit und Kosten
 DocType: Bin,Bin,Lagerfach
 DocType: Crop,Crop Name,Name der Frucht
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Nur Benutzer mit der Rolle {0} können sich auf dem Marktplatz registrieren
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Nur Benutzer mit der Rolle {0} können sich auf dem Marktplatz registrieren
 DocType: SMS Log,No of Sent SMS,Anzahl abgesendeter SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Termine und Begegnungen
@@ -4074,7 +4122,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Code ändern
 DocType: Purchase Invoice Item,Valuation Rate,Wertansatz
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Preislistenwährung nicht ausgewählt
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Preislistenwährung nicht ausgewählt
 DocType: Purchase Invoice,Availed ITC Cess,Erreichte ITC Cess
 ,Student Monthly Attendance Sheet,Schülermonatsanwesenheits
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Versandregel gilt nur für den Verkauf
@@ -4090,7 +4138,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Vertriebspartner verwalten
 DocType: Quality Inspection,Inspection Type,Art der Prüfung
 DocType: Fee Validity,Visited yet,Besucht noch
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Lagerhäuser mit bestehenden Transaktion nicht zu einer Gruppe umgewandelt werden.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Lagerhäuser mit bestehenden Transaktion nicht zu einer Gruppe umgewandelt werden.
 DocType: Assessment Result Tool,Result HTML,Ergebnis HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Wie oft sollten Projekt und Unternehmen basierend auf Verkaufstransaktionen aktualisiert werden?
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Verfällt am
@@ -4098,7 +4146,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Bitte {0} auswählen
 DocType: C-Form,C-Form No,Kontakt-Formular-Nr.
 DocType: BOM,Exploded_items,Aufgelöste Artikel
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Entfernung
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Entfernung
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Liste Ihrer Produkte oder Dienstleistungen, die Sie kaufen oder verkaufen."
 DocType: Water Analysis,Storage Temperature,Lagertemperatur
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4114,19 +4162,19 @@
 DocType: Shopify Settings,Delivery Note Series,Lieferschein-Serie
 DocType: Purchase Order Item,Returned Qty,Zurückgegebene Menge
 DocType: Student,Exit,Verlassen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root-Typ ist zwingend erforderlich
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root-Typ ist zwingend erforderlich
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Installieren der Voreinstellungen fehlgeschlagen
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM-Konvertierung in Stunden
 DocType: Contract,Signee Details,Unterschrift Details
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} hat derzeit eine {1} Supplier Scorecard stehen, und Anfragen an diesen Lieferanten sollten mit Vorsicht ausgegeben werden."
 DocType: Certified Consultant,Non Profit Manager,Non-Profit-Manager
 DocType: BOM,Total Cost(Company Currency),Gesamtkosten (Gesellschaft Währung)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Seriennummer {0} erstellt
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Seriennummer {0} erstellt
 DocType: Homepage,Company Description for website homepage,Firmen-Beschreibung für Internet-Homepage
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Zum Vorteil für die Kunden, können diese Kodes in Druckformaten wie Rechnungen und Lieferscheinen verwendet werden"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Namen
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Informationen für {0} konnten nicht abgerufen werden.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Eröffnungseintragsjournal
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Eröffnungseintragsjournal
 DocType: Contract,Fulfilment Terms,Erfüllungsbedingungen
 DocType: Sales Invoice,Time Sheet List,Zeitblatt Liste
 DocType: Employee,You can enter any date manually,Sie können jedes Datum manuell eingeben
@@ -4161,7 +4209,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Ihre Organisation
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Überspringen Lassen Sie die Zuweisung für die folgenden Mitarbeiter, da für sie bereits Zuweisungsdatensätze vorhanden sind. {0}"
 DocType: Fee Component,Fees Category,Gebühren Kategorie
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Bitte Freistellungsdatum eingeben.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Bitte Freistellungsdatum eingeben.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Menge
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Angaben zum Sponsor (Name, Ort)"
 DocType: Supplier Scorecard,Notify Employee,Mitarbeiter benachrichtigen
@@ -4174,9 +4222,9 @@
 DocType: Company,Chart Of Accounts Template,Kontenvorlage
 DocType: Attendance,Attendance Date,Anwesenheitsdatum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Aktualisierungsbestand muss für die Kaufrechnung {0} aktiviert sein
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Artikel Preis aktualisiert für {0} in der Preisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Artikel Preis aktualisiert für {0} in der Preisliste {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Gehaltsaufteilung nach Einkommen und Abzügen.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Ein Konto mit Unterknoten kann nicht in ein Kontoblatt umgewandelt werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Ein Konto mit Unterknoten kann nicht in ein Kontoblatt umgewandelt werden
 DocType: Purchase Invoice Item,Accepted Warehouse,Annahmelager
 DocType: Bank Reconciliation Detail,Posting Date,Buchungsdatum
 DocType: Item,Valuation Method,Bewertungsmethode
@@ -4213,6 +4261,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Bitte wählen Sie eine Charge
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reise- und Spesenabrechnung
 DocType: Sales Invoice,Redemption Cost Center,Einlösungskostenzentrum
+DocType: QuickBooks Migrator,Scope,Umfang
 DocType: Assessment Group,Assessment Group Name,Name der Beurteilungsgruppe
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material zur Herstellung übertragen
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Zu Details hinzufügen
@@ -4220,6 +4269,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Letztes Sync-Datum
 DocType: Landed Cost Item,Receipt Document Type,Receipt Dokumenttyp
 DocType: Daily Work Summary Settings,Select Companies,Wählen Firmen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Angebot / Preis Angebot
 DocType: Antibiotic,Healthcare,Gesundheitswesen
 DocType: Target Detail,Target Detail,Zieldetail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Einzelvariante
@@ -4229,6 +4279,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Periodenabschlussbuchung
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Wählen Sie Abteilung ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Kostenstelle mit bestehenden Transaktionen kann nicht in eine Gruppe umgewandelt werden
+DocType: QuickBooks Migrator,Authorization URL,Autorisierungs-URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Menge {0} {1} {2} {3}
 DocType: Account,Depreciation,Abschreibung
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Die Anzahl der Aktien und die Aktienanzahl sind inkonsistent
@@ -4250,13 +4301,14 @@
 DocType: Support Search Source,Source DocType,Quelle DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Öffnen Sie ein neues Ticket
 DocType: Training Event,Trainer Email,Trainer E-Mail
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materialanfrage {0} erstellt
 DocType: Restaurant Reservation,No of People,Nein von Menschen
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Vorlage für Geschäftsbedingungen oder Vertrag
 DocType: Bank Account,Address and Contact,Adresse und Kontakt
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Ist Konto zahlbar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Auf nicht gegen Kaufbeleg aktualisiert werden {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Auf nicht gegen Kaufbeleg aktualisiert werden {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto schließen Ausgabe nach 7 Tagen
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Da der Resturlaub bereits in den zukünftigen Datensatz für Urlaube {1} übertragen wurde, kann der Urlaub nicht vor {0} zugeteilt werden."
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Hinweis: Stichtag übersteigt das vereinbarte Zahlungsziel um {0} Tag(e)
@@ -4274,7 +4326,7 @@
 ,Qty to Deliver,Zu liefernde Menge
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon synchronisiert Daten, die nach diesem Datum aktualisiert wurden"
 ,Stock Analytics,Bestandsanalyse
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Der Betrieb kann nicht leer sein
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Der Betrieb kann nicht leer sein
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Labortests)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Zu Dokumentendetail Nr.
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Das Löschen ist für das Land {0} nicht zulässig.
@@ -4282,13 +4334,12 @@
 DocType: Quality Inspection,Outgoing,Ausgang
 DocType: Material Request,Requested For,Angefordert für
 DocType: Quotation Item,Against Doctype,Zu DocType
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} wurde abgebrochen oder geschlossen
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} wurde abgebrochen oder geschlossen
 DocType: Asset,Calculate Depreciation,Abschreibung berechnen
 DocType: Delivery Note,Track this Delivery Note against any Project,Diesen Lieferschein in jedem Projekt nachverfolgen
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Nettocashflow aus Investitionen
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundengruppe&gt; Gebiet
 DocType: Work Order,Work-in-Progress Warehouse,Fertigungslager
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Vermögen {0} muss eingereicht werden
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Vermögen {0} muss eingereicht werden
 DocType: Fee Schedule Program,Total Students,Insgesamt Studenten
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Besucherrekord {0} existiert gegen Studenten {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referenz #{0} vom {1}
@@ -4297,7 +4348,7 @@
 DocType: Loan,Member,Mitglied
 apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Adressen verwalten
 DocType: Work Order Item,Work Order Item,Arbeitsauftragsposition
-DocType: Pricing Rule,Item Code,Artikelabkürzung
+DocType: Pricing Rule,Item Code,Artikel-Code
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Details der Garantie / des jährlichen Wartungsvertrags
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js +119,Select students manually for the Activity based Group,Wählen Sie die Schüler manuell für die aktivitätsbasierte Gruppe aus
@@ -4307,7 +4358,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Der Retentionsbonus für linke Mitarbeiter kann nicht erstellt werden
 DocType: Lead,Market Segment,Marktsegment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Landwirtschaftsmanager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Gezahlten Betrag kann nicht größer sein als die Gesamt negativ ausstehenden Betrag {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Gezahlten Betrag kann nicht größer sein als die Gesamt negativ ausstehenden Betrag {0}
 DocType: Supplier Scorecard Period,Variables,Variablen
 DocType: Employee Internal Work History,Employee Internal Work History,Interne Berufserfahrung des Mitarbeiters
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Schlußstand (Soll)
@@ -4324,29 +4375,31 @@
 DocType: Employee Education,School/University,Schule/Universität
 DocType: Sales Invoice Item,Available Qty at Warehouse,Verfügbarer Lagerbestand
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Rechnungsbetrag
-DocType: Share Transfer,(including),(einschließlich)
+DocType: Share Transfer,(including),(einschliesslich)
 DocType: Asset,Double Declining Balance,Doppelte degressive
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +187,Closed order cannot be cancelled. Unclose to cancel.,Geschlosser Auftrag kann nicht abgebrochen werden. Bitte  wiedereröffnen um abzubrechen.
 apps/erpnext/erpnext/config/hr.py +120,Payroll Setup,Personalabrechnung einrichten
 DocType: Amazon MWS Settings,Synch Products,Produkte synchronisieren
 DocType: Loyalty Point Entry,Loyalty Program,Treueprogramm
 DocType: Student Guardian,Father,Vater
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Support-Tickets
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,Beim Verkauf von Anlagevermögen darf 'Lagerbestand aktualisieren' nicht ausgewählt sein.
 DocType: Bank Reconciliation,Bank Reconciliation,Kontenabgleich
 DocType: Attendance,On Leave,Im Urlaub
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Updates abholen
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} gehört nicht zur Firma {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Wählen Sie mindestens einen Wert für jedes der Attribute aus.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Wählen Sie mindestens einen Wert für jedes der Attribute aus.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materialanfrage {0} wird storniert oder gestoppt
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Versand Status
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Versand Status
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Urlaube verwalten
-DocType: Purchase Invoice,Hold Invoice,Rechnung halten
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Gruppen
+DocType: Purchase Invoice,Hold Invoice,Rechnung zurückhalten
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Bitte wählen Sie Mitarbeiter
 DocType: Sales Order,Fully Delivered,Komplett geliefert
-DocType: Lead,Lower Income,Niedrigeres Einkommen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Niedrigeres Einkommen
 DocType: Restaurant Order Entry,Current Order,Aktueller Auftrag
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Anzahl der Seriennummern und Anzahl muss gleich sein
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Ausgangs- und Eingangslager können nicht gleich sein für die Zeile {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Ausgangs- und Eingangslager können nicht gleich sein für die Zeile {0}
 DocType: Account,Asset Received But Not Billed,"Asset empfangen, aber nicht in Rechnung gestellt"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differenzkonto muss ein Vermögens-/Verbindlichkeiten-Konto sein, da dieser Lagerabgleich eine Eröffnungsbuchung ist"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Zahlter Betrag kann nicht größer sein als Darlehensbetrag {0}
@@ -4355,7 +4408,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Lieferantenauftragsnummer ist für den Artikel {0} erforderlich
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Von-Datum"" muss nach ""Bis-Datum"" liegen"
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Für diese Bezeichnung wurden keine Stellenpläne gefunden
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Der Stapel {0} von Element {1} ist deaktiviert.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Der Stapel {0} von Element {1} ist deaktiviert.
 DocType: Leave Policy Detail,Annual Allocation,Jährliche Zuteilung
 DocType: Travel Request,Address of Organizer,Adresse des Veranstalters
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Wählen Sie einen Arzt aus ...
@@ -4364,12 +4417,12 @@
 DocType: Asset,Fully Depreciated,vollständig abgeschriebene
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Prognostizierte Lagerbestandsmenge
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Customer {0} gehört nicht zum Projekt {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Customer {0} gehört nicht zum Projekt {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Teilnahme HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",Angebote sind Offerten an einen Kunden zur Lieferung von Materialien bzw. zur Erbringung von Leistungen.
 DocType: Sales Invoice,Customer's Purchase Order,Kundenauftrag
 DocType: Clinical Procedure,Patient,Patient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Kreditprüfung im Kundenauftrag umgehen
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Kreditprüfung im Kundenauftrag umgehen
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Mitarbeiter Onboarding Aktivität
 DocType: Location,Check if it is a hydroponic unit,"Überprüfen Sie, ob es sich um eine hydroponische Einheit handelt"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Seriennummer und Chargen
@@ -4379,7 +4432,7 @@
 DocType: Supplier Scorecard Period,Calculations,Berechnungen
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Wert oder Menge
 DocType: Payment Terms Template,Payment Terms,Zahlungsbedingungen
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Fertigungsaufträge können nicht angehoben werden:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Fertigungsaufträge können nicht angehoben werden:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minute
 DocType: Purchase Invoice,Purchase Taxes and Charges,Einkaufsteuern und -abgaben
 DocType: Chapter,Meetup Embed HTML,Meetup HTML einbetten
@@ -4387,17 +4440,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Gehen Sie zu Lieferanten
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS-Abschlussgutscheine Steuern
 ,Qty to Receive,Anzunehmende Menge
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- und Enddatum, die nicht in einer gültigen Abrechnungsperiode sind, können {0} nicht berechnen."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- und Enddatum, die nicht in einer gültigen Abrechnungsperiode sind, können {0} nicht berechnen."
 DocType: Leave Block List,Leave Block List Allowed,Urlaubssperrenliste zugelassen
 DocType: Grading Scale Interval,Grading Scale Interval,Notenskala Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Auslagenabrechnung für Fahrtenbuch {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) auf Preisliste Rate mit Margin
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Alle Lagerhäuser
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Keine {0} für Inter-Company-Transaktionen gefunden.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Keine {0} für Inter-Company-Transaktionen gefunden.
 DocType: Travel Itinerary,Rented Car,Gemietetes Auto
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Über Ihre Firma
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Habenkonto muss ein Bilanzkonto sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Habenkonto muss ein Bilanzkonto sein
 DocType: Donor,Donor,Spender
 DocType: Global Defaults,Disable In Words,"""Betrag in Worten"" abschalten"
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Artikelnummer ist zwingend erforderlich, da der Artikel nicht automatisch nummeriert wird"
@@ -4409,14 +4462,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Kontokorrentkredit-Konto
 DocType: Patient,Patient ID,Patienten-ID
 DocType: Practitioner Schedule,Schedule Name,Planungsname
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Vertriebspipeline nach Stufe
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Gehaltsabrechnung erstellen
 DocType: Currency Exchange,For Buying,Für den Kauf
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Alle Lieferanten hinzufügen
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Alle Lieferanten hinzufügen
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Zeile # {0}: Zugeordneter Betrag darf nicht größer als ausstehender Betrag sein.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Stückliste durchsuchen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Gedeckte Kredite
 DocType: Purchase Invoice,Edit Posting Date and Time,Buchungsdatum und -uhrzeit bearbeiten
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Bitte setzen Abschreibungen im Zusammenhang mit Konten in der Anlagekategorie {0} oder Gesellschaft {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Bitte setzen Abschreibungen im Zusammenhang mit Konten in der Anlagekategorie {0} oder Gesellschaft {1}
 DocType: Lab Test Groups,Normal Range,Normalbereich
 DocType: Academic Term,Academic Year,Schuljahr
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Verfügbarer Verkauf
@@ -4430,7 +4484,7 @@
 DocType: Purchase Invoice,GST Details,GST Details
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +6,This is based on transactions against this Healthcare Practitioner.,Dies basiert auf Transaktionen mit diesem Healthcare Practitioner.
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +156,Email sent to supplier {0},E-Mail an Lieferanten versandt {0}
-DocType: Item,Default Sales Unit of Measure,Default Sales Maßeinheit
+DocType: Item,Default Sales Unit of Measure,Standard Maßeinheit Verkauf
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +12,Academic Year: ,Akademisches Jahr:
 DocType: Inpatient Record,Admission Schedule Date,Aufnahmetermin
 DocType: Subscription,Past Due Date,Fälligkeitsdatum
@@ -4445,26 +4499,26 @@
 DocType: Patient Appointment,Patient Appointment,Patiententermin
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Genehmigende Rolle kann nicht dieselbe Rolle sein wie diejenige, auf die die Regel anzuwenden ist"
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Abmelden von diesem E-Mail-Bericht
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Holen Sie sich Lieferanten durch
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Holen Sie sich Lieferanten durch
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} für Artikel {1} nicht gefunden
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Gehen Sie zu den Kursen
 DocType: Accounts Settings,Show Inclusive Tax In Print,Inklusivsteuer im Druck anzeigen
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankkonto, Von Datum und Bis sind obligatorisch"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Mitteilung gesendet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Konto mit untergeordneten Knoten kann nicht als Hauptbuch festgelegt werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Konto mit untergeordneten Knoten kann nicht als Hauptbuch festgelegt werden
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Kurs, zu dem die Währung der Preisliste in die Basiswährung des Kunden umgerechnet wird"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobetrag (Firmenwährung)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Der gesamte Vorschussbetrag darf nicht höher sein als der Gesamtbetrag der Sanktion
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Der gesamte Vorschussbetrag darf nicht höher sein als der Gesamtbetrag der Sanktion
 DocType: Salary Slip,Hour Rate,Stundensatz
 DocType: Stock Settings,Item Naming By,Artikelbezeichnung nach
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Eine weitere Periodenabschlussbuchung {0} wurde nach {1} erstellt
 DocType: Work Order,Material Transferred for Manufacturing,Material zur Herstellung übertragen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Konto {0} existiert nicht
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Wählen Sie Treueprogramm
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Wählen Sie Treueprogramm
 DocType: Project,Project Type,Projekttyp
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Untergeordnete Aufgabe existiert für diese Aufgabe. Sie können diese Aufgabe nicht löschen.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Entweder Zielstückzahl oder Zielmenge ist zwingend erforderlich.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Entweder Zielstückzahl oder Zielmenge ist zwingend erforderlich.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Aufwendungen für verschiedene Tätigkeiten
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Einstellen Events auf {0}, da die Mitarbeiter auf die beigefügten unter Verkaufs Personen keine Benutzer-ID {1}"
 DocType: Timesheet,Billing Details,Rechnungsdetails
@@ -4521,13 +4575,13 @@
 DocType: Inpatient Record,A Negative,Ein Negativ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nichts mehr zu zeigen.
 DocType: Lead,From Customer,Von Kunden
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Anrufe
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Anrufe
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Ein Produkt
 DocType: Employee Tax Exemption Declaration,Declarations,Erklärungen
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Chargen
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Machen Sie Fee Schedule
 DocType: Purchase Order Item Supplied,Stock UOM,Lagermaßeinheit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Lieferantenauftrag {0} wurde nicht übertragen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Lieferantenauftrag {0} wurde nicht übertragen
 DocType: Account,Expenses Included In Asset Valuation,"Aufwendungen, die in der Vermögensbewertung enthalten sind"
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normaler Referenzbereich für einen Erwachsenen ist 16-20 Atemzüge / Minute (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tarifnummer
@@ -4540,6 +4594,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Bitte speichern Sie den Patienten zuerst
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Die Teilnahme wurde erfolgreich markiert.
 DocType: Program Enrollment,Public Transport,Öffentlicher Verkehr
+DocType: Delivery Note,GST Vehicle Type,GST Fahrzeugtyp
 DocType: Soil Texture,Silt Composition (%),Schlammzusammensetzung (%)
 DocType: Journal Entry,Remark,Bemerkung
 DocType: Healthcare Settings,Avoid Confirmation,Vermeidung von Bestätigung
@@ -4548,11 +4603,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Urlaube und Feiertage
 DocType: Education Settings,Current Academic Term,Laufendes akademische Semester
 DocType: Sales Order,Not Billed,Nicht abgerechnet
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Beide Lager müssen zur gleichen Firma gehören
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Beide Lager müssen zur gleichen Firma gehören
 DocType: Employee Grade,Default Leave Policy,Standard-Urlaubsrichtlinie
 DocType: Shopify Settings,Shop URL,Shop-URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Noch keine Kontakte hinzugefügt.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Bitte richten Sie die Nummerierungsserie für die Teilnahme über Setup&gt; Nummerierungsserie ein
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Einstandskosten
 ,Item Balance (Simple),Artikelguthaben (einfach)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rechnungen von Lieferanten
@@ -4577,7 +4631,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Nummernkreis für Angebote
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",Ein Artikel mit dem gleichen Namen existiert bereits ({0}). Bitte den Namen der Artikelgruppe ändern oder den Artikel umbenennen
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriterien für die Bodenanalyse
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Bitte wählen Sie Kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Bitte wählen Sie Kunde
 DocType: C-Form,I,ich
 DocType: Company,Asset Depreciation Cost Center,Kostenstelle für Anlagenabschreibung
 DocType: Production Plan Sales Order,Sales Order Date,Kundenauftrags-Datum
@@ -4590,8 +4644,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Derzeit ist kein Bestand in einem Lager verfügbar
 ,Payment Period Based On Invoice Date,Zahlungszeitraum basierend auf Rechnungsdatum
 DocType: Sample Collection,No. of print,Anzahl Druck
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Geburtstagserinnerung
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotelzimmer-Reservierungselement
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Fehlende Wechselkurse für {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Fehlende Wechselkurse für {0}
 DocType: Employee Health Insurance,Health Insurance Name,Krankenversicherung Name
 DocType: Assessment Plan,Examiner,Prüfer
 DocType: Student,Siblings,Geschwister
@@ -4608,19 +4663,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Neue Kunden
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Rohgewinn %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Termin {0} und Verkaufsrechnung {1} wurden storniert
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Möglichkeiten nach Lead-Quelle
 DocType: Appraisal Goal,Weightage (%),Gewichtung (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Ändern Sie das POS-Profil
 DocType: Bank Reconciliation Detail,Clearance Date,Abrechnungsdatum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",Das Asset ist bereits für das Element {0} vorhanden. Sie können den Wert für Serial No nicht ändern
+DocType: Delivery Settings,Dispatch Notification Template,Versandbenachrichtigungsvorlage
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",Das Asset ist bereits für das Element {0} vorhanden. Sie können den Wert für Serial No nicht ändern
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Beurteilung
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Holen Sie sich Mitarbeiter
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruttokaufbetrag ist erforderlich
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Firmenname nicht gleich
 DocType: Lead,Address Desc,Adresszusatz
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Partei ist obligatorisch
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Zeilen mit doppelten Fälligkeitsdaten in anderen Zeilen wurden gefunden: {list}
 DocType: Topic,Topic Name,Thema Name
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Bitte legen Sie die Standardvorlage für Abwesenheitsmitteilung in den HR-Einstellungen fest.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Bitte legen Sie die Standardvorlage für Abwesenheitsmitteilung in den HR-Einstellungen fest.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Mindestens ein Eintrag aus Vertrieb oder Einkauf muss ausgewählt werden
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Wählen Sie einen Mitarbeiter aus, um den Mitarbeiter vorab zu erreichen."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Bitte wähle ein gültiges Datum aus
@@ -4654,6 +4710,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Kunden- oder Lieferanten-Details
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Aktueller Vermögenswert
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks-Unternehmens-ID
 DocType: Travel Request,Travel Funding,Reisefinanzierung
 DocType: Loan Application,Required by Date,Erforderlich by Date
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Eine Verknüpfung zu allen Standorten, in denen die Pflanze wächst"
@@ -4667,9 +4724,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Verfügbare Chargenmenge im Ausgangslager
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Bruttolohn - Gesamtabzug - Darlehensrückzahlung
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Aktuelle Stückliste und neue Stückliste können nicht identisch sein
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Aktuelle Stückliste und neue Stückliste können nicht identisch sein
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Gehaltsabrechnung ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Zeitpunkt der Pensionierung muss nach dem Eintrittsdatum liegen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Zeitpunkt der Pensionierung muss nach dem Eintrittsdatum liegen
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Mehrere Varianten
 DocType: Sales Invoice,Against Income Account,Zu Ertragskonto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% geliefert
@@ -4698,7 +4755,7 @@
 DocType: POS Profile,Update Stock,Lagerbestand aktualisieren
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Unterschiedliche Maßeinheiten für Artikel führen zu falschen Werten für das (Gesamt-)Nettogewicht. Es muss sicher gestellt sein, dass das Nettogewicht jedes einzelnen Artikels in der gleichen Maßeinheit angegeben ist."
 DocType: Certification Application,Payment Details,Zahlungsdetails
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Stückpreis
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Stückpreis
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Der angehaltene Arbeitsauftrag kann nicht abgebrochen werden. Stoppen Sie ihn zuerst, um ihn abzubrechen"
 DocType: Asset,Journal Entry for Scrap,Journaleintrag für Ausschuss
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Bitte Artikel vom Lieferschein nehmen
@@ -4721,11 +4778,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Summe genehmigter Beträge
 ,Purchase Analytics,Einkaufsanalyse
 DocType: Sales Invoice Item,Delivery Note Item,Lieferschein-Artikel
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Die aktuelle Rechnung {0} fehlt
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Die aktuelle Rechnung {0} fehlt
 DocType: Asset Maintenance Log,Task,Aufgabe
 DocType: Purchase Taxes and Charges,Reference Row #,Referenz-Zeile #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Chargennummer ist zwingend erforderlich für Artikel {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Dies ist ein Root-Vertriebsmitarbeiter und kann nicht bearbeitet werden.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Dies ist ein Root-Vertriebsmitarbeiter und kann nicht bearbeitet werden.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Wenn ausgewählt, wird der in dieser Komponente angegebene oder berechnete Wert nicht zu den Erträgen oder Abzügen beitragen. Der Wert kann jedoch durch andere Komponenten referenziert werden, die hinzugefügt oder abgezogen werden können."
 DocType: Asset Settings,Number of Days in Fiscal Year,Anzahl der Tage im Geschäftsjahr
 ,Stock Ledger,Lagerbuch
@@ -4733,7 +4790,7 @@
 DocType: Company,Exchange Gain / Loss Account,Konto für Wechselkursdifferenzen
 DocType: Amazon MWS Settings,MWS Credentials,MWS Anmeldeinformationen
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Mitarbeiter und Teilnahme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Zweck muss einer von diesen sein: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Zweck muss einer von diesen sein: {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Formular ausfüllen und speichern
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Community-Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Tatsächliche Menge auf Lager
@@ -4748,7 +4805,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard-Verkaufspreis
 DocType: Account,Rate at which this tax is applied,"Kurs, zu dem dieser Steuersatz angewandt wird"
 DocType: Cash Flow Mapper,Section Name,Abteilungsname
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Nachbestellmenge
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Nachbestellmenge
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Abschreibungszeile {0}: Der erwartete Wert nach der Nutzungsdauer muss größer oder gleich {1} sein
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Aktuelle Stellenangebote
 DocType: Company,Stock Adjustment Account,Bestandskorrektur-Konto
@@ -4758,8 +4815,9 @@
 DocType: Employee,"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."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Geben Sie die Abschreibungsdetails ein
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Von {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Verlassen der Anwendung {0} ist bereits für den Schüler {1} vorhanden
 DocType: Task,depends_on,hängt ab von
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Warteschlange für die Aktualisierung der neuesten Preis in allen Stückliste. Es kann einige Minuten dauern.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Warteschlange für die Aktualisierung der neuesten Preis in allen Stückliste. Es kann einige Minuten dauern.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Name des neuen Kontos. Hinweis: Bitte keine Konten für Kunden und Lieferanten erstellen
 DocType: POS Profile,Display Items In Stock,Artikel auf Lager anzeigen
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Landesspezifische Standard-Adressvorlagen
@@ -4789,16 +4847,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots für {0} werden dem Zeitplan nicht hinzugefügt
 DocType: Product Bundle,List items that form the package.,"Die Artikel auflisten, die das Paket bilden."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nicht gestattet. Bitte deaktivieren Sie die Testvorlage
+DocType: Delivery Note,Distance (in km),Entfernung (in km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Prozentuale Aufteilung sollte gleich 100% sein
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Bitte wählen Sie Buchungsdatum vor dem Party-Auswahl
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Bitte wählen Sie Buchungsdatum vor dem Party-Auswahl
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Außerhalb des jährlichen Wartungsvertrags
+DocType: Opportunity,Opportunity Amount,Opportunitätsbetrag
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Anzahl der Abschreibungen gebucht kann nicht größer sein als Gesamtzahl der abschreibungen
 DocType: Purchase Order,Order Confirmation Date,Auftragsbestätigungsdatum
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Wartungsbesuch erstellen
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Startdatum und Enddatum überschneiden sich mit der Jobkarte <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Details zum Mitarbeitertransfer
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Bitte den Benutzer kontaktieren, der die Vertriebsleiter {0}-Rolle inne hat"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Bitte den Benutzer kontaktieren, der die Vertriebsleiter {0}-Rolle inne hat"
 DocType: Company,Default Cash Account,Standardbarkonto
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Unternehmensstammdaten (nicht Kunde oder Lieferant)
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dies hängt von der Anwesenheit dieses Studierenden ab
@@ -4806,9 +4867,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Weitere Elemente hinzufügen oder vollständiges Formular öffnen
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Lieferscheine {0} müssen vor Löschung dieser Kundenaufträge storniert werden
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Gehen Sie zu den Benutzern
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Summe aus gezahltem Betrag + ausgebuchter Betrag darf nicht größer der Gesamtsumme sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Summe aus gezahltem Betrag + ausgebuchter Betrag darf nicht größer der Gesamtsumme sein
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ist keine gültige Chargennummer für Artikel {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Hinweis: Es gibt nicht genügend Urlaubsguthaben für Abwesenheitstyp {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Hinweis: Es gibt nicht genügend Urlaubsguthaben für Abwesenheitstyp {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Ungültiges GSTIN oder NA für unregistriert eingeben
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Programm Einschreibegebühr
@@ -4825,7 +4886,7 @@
 DocType: Fee Schedule,Fee Schedule,Gebührenordnung
 DocType: Company,Create Chart Of Accounts Based On,"Kontenplan erstellen, basierend auf"
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Kann es nicht in Nicht-Gruppe konvertieren. Untergeordnete Aufgaben sind vorhanden.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Geburtsdatum kann nicht später liegen als heute.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Geburtsdatum kann nicht später liegen als heute.
 ,Stock Ageing,Lager-Abschreibungen
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Teilweise gesponsert, erfordern Teilfinanzierung"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} existiert gegen Studienbewerber {1}
@@ -4872,11 +4933,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Vor Ausgleich
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},An {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Steuern und Gebühren hinzugerechnet (Firmenwährung)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Artikelsteuer Zeile {0} muss ein Konto vom Typ ""Steuer"" oder ""Erträge"" oder ""Aufwendungen"" oder ""Besteuerbar"" haben"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Artikelsteuer Zeile {0} muss ein Konto vom Typ ""Steuer"" oder ""Erträge"" oder ""Aufwendungen"" oder ""Besteuerbar"" haben"
 DocType: Sales Order,Partly Billed,Teilweise abgerechnet
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Artikel {0} muss ein Posten des Anlagevermögens sein
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Stellen Sie Varianten her
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Stellen Sie Varianten her
 DocType: Item,Default BOM,Standardstückliste
 DocType: Project,Total Billed Amount (via Sales Invoices),Gesamtabrechnungsbetrag (über Verkaufsrechnungen)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Lastschriftbetrag
@@ -4905,13 +4966,13 @@
 DocType: Notification Control,Custom Message,Benutzerdefinierte Mitteilung
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investment-Banking
 DocType: Purchase Invoice,input,Eingang
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Kassen- oder Bankkonto ist zwingend notwendig  um eine Zahlungsbuchung zu erstellen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Kassen- oder Bankkonto ist zwingend notwendig  um eine Zahlungsbuchung zu erstellen
 DocType: Loyalty Program,Multiple Tier Program,Mehrstufiges Programm
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Schüleradresse
 DocType: Purchase Invoice,Price List Exchange Rate,Preislisten-Wechselkurs
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Alle Lieferantengruppen
 DocType: Employee Boarding Activity,Required for Employee Creation,Erforderlich für die Mitarbeitererstellung
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Die Kontonummer {0} wurde bereits im Konto {1} verwendet.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Die Kontonummer {0} wurde bereits im Konto {1} verwendet.
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,POS-Profilname
 DocType: Hotel Room Reservation,Booked,Gebucht
@@ -4927,18 +4988,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Referenznr. ist zwingend erforderlich, wenn Referenz-Tag eingegeben wurde"
 DocType: Bank Reconciliation Detail,Payment Document,Zahlungsbeleg
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Fehler bei der Auswertung der Kriterienformel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Eintrittsdatum muss nach dem Geburtsdatum liegen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Eintrittsdatum muss nach dem Geburtsdatum liegen
 DocType: Subscription,Plans,Pläne
 DocType: Salary Slip,Salary Structure,Gehaltsstruktur
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Fluggesellschaft
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Material ausgeben
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Material ausgeben
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Verbinden Sie Shopify mit ERPNext
 DocType: Material Request Item,For Warehouse,Für Lager
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Lieferhinweise {0} aktualisiert
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Lieferhinweise {0} aktualisiert
 DocType: Employee,Offer Date,Angebotsdatum
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Angebote
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Sie befinden sich im Offline-Modus. Aktualisieren ist nicht möglich, bis Sie wieder online sind."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Angebote
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Sie befinden sich im Offline-Modus. Aktualisieren ist nicht möglich, bis Sie wieder online sind."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Gewähren
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Keine Studentengruppen erstellt.
 DocType: Purchase Invoice Item,Serial No,Seriennummer
@@ -4950,24 +5011,26 @@
 DocType: Sales Invoice,Customer PO Details,Kundenauftragsdetails
 DocType: Stock Entry,Including items for sub assemblies,Einschließlich der Artikel für Unterbaugruppen
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Temporäres Eröffnungskonto
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Geben Sie Wert muss positiv sein
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Geben Sie Wert muss positiv sein
 DocType: Asset,Finance Books,Finanzbücher
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Kategorie Steuerbefreiungserklärungen für Arbeitnehmer
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Alle Regionen
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Legen Sie die Abwesenheitsrichtlinie für den Mitarbeiter {0} im Mitarbeiter- / Notensatz fest
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ungültiger Blankoauftrag für den ausgewählten Kunden und Artikel
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ungültiger Blankoauftrag für den ausgewählten Kunden und Artikel
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Fügen Sie mehrere Aufgaben hinzu
 DocType: Purchase Invoice,Items,Artikel
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Das Enddatum darf nicht vor dem Startdatum liegen.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student ist bereits eingetragen sind.
 DocType: Fiscal Year,Year Name,Name des Jahrs
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Es gibt mehr Feiertage als Arbeitstage in diesem Monat.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref.-Nr.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Es gibt mehr Feiertage als Arbeitstage in diesem Monat.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Die folgenden Elemente {0} sind nicht als Element {1} markiert. Sie können sie als Element {1} in ihrem Artikelstamm aktivieren
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref.-Nr.
 DocType: Production Plan Item,Product Bundle Item,Produkt-Bundle-Artikel
 DocType: Sales Partner,Sales Partner Name,Name des Vertriebspartners
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Angebotsanfrage
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Angebotsanfrage
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maximaler Rechnungsbetrag
 DocType: Normal Test Items,Normal Test Items,Normale Testartikel
+DocType: QuickBooks Migrator,Company Settings,Firmeneinstellungen
 DocType: Additional Salary,Overwrite Salary Structure Amount,Gehaltsstruktur überschreiben
 DocType: Student Language,Student Language,Student Sprache
 apps/erpnext/erpnext/config/selling.py +23,Customers,Kundschaft
@@ -4979,21 +5042,23 @@
 DocType: Issue,Opening Time,Öffnungszeit
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Von- und Bis-Daten erforderlich
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Wertpapier- & Rohstoffbörsen
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard-Maßeinheit für Variante '{0}' muss dieselbe wie in der Vorlage '{1}' sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard-Maßeinheit für Variante '{0}' muss dieselbe wie in der Vorlage '{1}' sein
 DocType: Shipping Rule,Calculate Based On,Berechnen auf Grundlage von
 DocType: Contract,Unfulfilled,Unerfüllt
 DocType: Delivery Note Item,From Warehouse,Ab Lager
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Keine Mitarbeiter für die genannten Kriterien
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Keine Elemente mit Bill of Materials zu Herstellung
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Keine Elemente mit Bill of Materials zu Herstellung
 DocType: Shopify Settings,Default Customer,Standardkunde
+DocType: Sales Stage,Stage Name,Künstlername
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Name des Vorgesetzten
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Bestätigen Sie nicht, ob der Termin für denselben Tag erstellt wurde"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Versende nach Land
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Versende nach Land
 DocType: Program Enrollment Course,Program Enrollment Course,Programm Einschreibung Kurs
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Benutzer {0} ist bereits dem Arzt {1} zugeordnet
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Machen Sie eine Stichprobenerhaltungsbestandseingabe
 DocType: Purchase Taxes and Charges,Valuation and Total,Bewertung und Summe
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Verhandlung / Überprüfung
 DocType: Leave Encashment,Encashment Amount,Einzahlungsbetrag
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Abgelaufene Chargen
@@ -5003,7 +5068,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuelle Eröffnungen
 DocType: Notification Control,Customize the Notification,Mitteilungstext anpassen
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Cashflow aus Geschäftstätigkeit
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST-Betrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST-Betrag
 DocType: Purchase Invoice,Shipping Rule,Versandregel
 DocType: Patient Relation,Spouse,Ehepartner
 DocType: Lab Test Groups,Add Test,Test hinzufügen
@@ -5017,14 +5082,14 @@
 DocType: Payroll Entry,Payroll Frequency,Payroll Frequency
 DocType: Lab Test Template,Sensitivity,Empfindlichkeit
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Die Synchronisierung wurde vorübergehend deaktiviert, da maximale Wiederholungen überschritten wurden"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Rohmaterial
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Rohmaterial
 DocType: Leave Application,Follow via Email,Per E-Mail nachverfolgen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Pflanzen und Maschinen
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Steuerbetrag nach Abzug von Rabatt
 DocType: Patient,Inpatient Status,Stationärer Status
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,tägliche Arbeitszusammenfassung-Einstellungen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Die ausgewählte Preisliste sollte die Kauf- und Verkaufsfelder überprüft haben.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Bitte geben Sie Requd by Date ein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Die ausgewählte Preisliste sollte die Kauf- und Verkaufsfelder überprüft haben.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Bitte geben Sie Requd by Date ein
 DocType: Payment Entry,Internal Transfer,Interner Transfer
 DocType: Asset Maintenance,Maintenance Tasks,Wartungsaufgaben
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Entweder Zielstückzahl oder Zielmenge ist zwingend erforderlich
@@ -5045,7 +5110,7 @@
 DocType: Mode of Payment,General,Allgemein
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Letzte Kommunikation
 ,TDS Payable Monthly,TDS monatlich zahlbar
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,In Warteschlange zum Ersetzen der Stückliste. Es kann ein paar Minuten dauern.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,In Warteschlange zum Ersetzen der Stückliste. Es kann ein paar Minuten dauern.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Abzug nicht möglich, wenn Kategorie ""Wertbestimmtung"" oder ""Wertbestimmung und Summe"" ist"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Seriennummern sind erforderlich für den Artikel mit Seriennummer {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Zahlungen und Rechnungen abgleichen
@@ -5058,7 +5123,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,In den Warenkorb legen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Gruppieren nach
 DocType: Guardian,Interests,Interessen
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Aktivieren / Deaktivieren der Währungen
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Aktivieren / Deaktivieren der Währungen
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Es konnten keine Gehaltsabrechnungen eingereicht werden
 DocType: Exchange Rate Revaluation,Get Entries,Einträge erhalten
 DocType: Production Plan,Get Material Request,Get-Material anfordern
@@ -5080,15 +5145,16 @@
 DocType: Lead,Lead Type,Lead-Typ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,"Sie sind nicht berechtigt, Urlaube für geblockte Termine zu genehmigen"
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Alle diese Artikel sind bereits in Rechnung gestellt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Neues Veröffentlichungsdatum festlegen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Neues Veröffentlichungsdatum festlegen
 DocType: Company,Monthly Sales Target,Monatliches Verkaufsziel
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kann von {0} genehmigt werden
 DocType: Hotel Room,Hotel Room Type,Hotel Zimmertyp
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Lieferant&gt; Lieferantentyp
 DocType: Leave Allocation,Leave Period,Zeitraum verlassen
 DocType: Item,Default Material Request Type,Standard-Material anfordern Typ
 DocType: Supplier Scorecard,Evaluation Period,Bewertungszeitraum
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Unbekannt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Arbeitsauftrag wurde nicht erstellt
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Arbeitsauftrag wurde nicht erstellt
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Ein Betrag von {0}, der bereits für die Komponente {1} beansprucht wurde, \ den Betrag gleich oder größer als {2} festlegen"
 DocType: Shipping Rule,Shipping Rule Conditions,Versandbedingungen
@@ -5121,15 +5187,15 @@
 DocType: Batch,Source Document Name,Quelldokumentname
 DocType: Production Plan,Get Raw Materials For Production,Holen Sie sich Rohstoffe für die Produktion
 DocType: Job Opening,Job Title,Stellenbezeichnung
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} zeigt an, dass {1} kein Angebot anbieten wird, aber alle Items wurden zitiert. Aktualisieren des RFQ-Angebotsstatus."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximum Samples - {0} wurden bereits für Batch {1} und Artikel {2} in Batch {3} gespeichert.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximum Samples - {0} wurden bereits für Batch {1} und Artikel {2} in Batch {3} gespeichert.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Aktualisieren Sie die Stücklistenkosten automatisch
 DocType: Lab Test,Test Name,Testname
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Verbrauchsmaterial für klinische Verfahren
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Benutzer erstellen
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gramm
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Abonnements
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Abonnements
 DocType: Supplier Scorecard,Per Month,Pro Monat
 DocType: Education Settings,Make Academic Term Mandatory,Das Semester verpflichtend machen
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Menge Herstellung muss größer als 0 sein.
@@ -5138,9 +5204,9 @@
 DocType: Stock Entry,Update Rate and Availability,Preis und Verfügbarkeit aktualisieren
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Zur bestellten Menge zusätzlich zulässiger Prozentsatz, der angenommen oder geliefert werden kann. Beispiel: Wenn 100 Einheiten bestellt wurden, und die erlaubte Spanne 10 % beträgt, dann können 110 Einheiten angenommen werden."
 DocType: Loyalty Program,Customer Group,Kundengruppe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Zeilennr. {0}: Vorgang {1} ist für {2} Menge fertiger Waren in Arbeitsauftrag Nr. {3} nicht abgeschlossen. Bitte aktualisieren Sie den Betriebsstatus über Zeitprotokolle
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Zeilennr. {0}: Vorgang {1} ist für {2} Menge fertiger Waren in Arbeitsauftrag Nr. {3} nicht abgeschlossen. Bitte aktualisieren Sie den Betriebsstatus über Zeitprotokolle
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Neue Batch-ID (optional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Aufwandskonto ist zwingend für Artikel {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Aufwandskonto ist zwingend für Artikel {0}
 DocType: BOM,Website Description,Webseiten-Beschreibung
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Nettoveränderung des Eigenkapitals
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Bitte stornieren Einkaufsrechnung {0} zuerst
@@ -5155,7 +5221,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Es gibt nichts zu bearbeiten.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Formularansicht
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Auslagengenehmiger in Spesenabrechnung erforderlich
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Zusammenfassung für diesen Monat und anstehende Aktivitäten
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Zusammenfassung für diesen Monat und anstehende Aktivitäten
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Bitte legen Sie das nicht realisierte Exchange-Gewinn- und Verlustrechnung in der Firma {0} fest
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Fügen Sie, neben Ihnen selbst, weitere Benutzer zu Ihrer Organisation hinzu."
 DocType: Customer Group,Customer Group Name,Kundengruppenname
@@ -5165,14 +5231,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Es wurde keine Materialanforderung erstellt
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Darlehensbetrag darf nicht höher als der Maximalbetrag {0} sein
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lizenz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Bitte diese Rechnung {0} vom Kontaktformular {1} entfernen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Bitte diese Rechnung {0} vom Kontaktformular {1} entfernen
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Bitte auf ""Übertragen"" klicken, wenn auch die Abwesenheitskonten des vorangegangenen Geschäftsjahrs in dieses Geschäftsjahr einbezogen werden sollen"
 DocType: GL Entry,Against Voucher Type,Gegenbeleg-Art
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Zeitschlitze hinzugefügt
 DocType: Item,Attributes,Attribute
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Schablone aktivieren
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Bitte Abschreibungskonto eingeben
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Bitte Abschreibungskonto eingeben
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Letztes Bestelldatum
 DocType: Salary Component,Is Payable,Ist zahlbar
 DocType: Inpatient Record,B Negative,B Negativ
@@ -5183,7 +5249,7 @@
 DocType: Hotel Room,Hotel Room,Hotelzimmer
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Konto {0} gehört nicht zu Firma {1}
 DocType: Leave Type,Rounding,Rundung
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Seriennummern in Zeile {0} stimmt nicht mit der Lieferschein überein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Seriennummern in Zeile {0} stimmt nicht mit der Lieferschein überein
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Ausgabemenge (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Dann werden die Preisregeln auf der Grundlage von Kunde, Kundengruppe, Gebiet, Lieferant, Lieferantengruppe, Kampagne, Vertriebspartner usw. herausgefiltert."
 DocType: Student,Guardian Details,Wächter-Details
@@ -5192,10 +5258,10 @@
 DocType: Vehicle,Chassis No,Fahrwerksnummer
 DocType: Payment Request,Initiated,Initiiert
 DocType: Production Plan Item,Planned Start Date,Geplanter Starttermin
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Bitte wählen Sie eine Stückliste
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Bitte wählen Sie eine Stückliste
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Erhaltene ITC Integrierte Steuer
 DocType: Purchase Order Item,Blanket Order Rate,Pauschale Bestellrate
-apps/erpnext/erpnext/hooks.py +156,Certification,Zertifizierung
+apps/erpnext/erpnext/hooks.py +157,Certification,Zertifizierung
 DocType: Bank Guarantee,Clauses and Conditions,Klauseln und Bedingungen
 DocType: Serial No,Creation Document Type,Belegerstellungs-Typ
 DocType: Project Task,View Timesheet,Arbeitszeittabelle anzeigen
@@ -5220,6 +5286,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Übergeordneter Artikel {0} darf kein Lagerartikel sein
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Website-Liste
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle Produkte oder Dienstleistungen
+DocType: Email Digest,Open Quotations,Angebote öffnen
 DocType: Expense Claim,More Details,Weitere Details
 DocType: Supplier Quotation,Supplier Address,Lieferantenadresse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget für Konto {1} gegen {2} {3} ist {4}. Es wird durch {5} überschritten.
@@ -5234,12 +5301,11 @@
 DocType: Training Event,Exam,Prüfung
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marktplatzfehler
 DocType: Complaint,Complaint,Beschwerde
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Angabe des Lagers ist für den Lagerartikel {0} erforderlich
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Angabe des Lagers ist für den Lagerartikel {0} erforderlich
 DocType: Leave Allocation,Unused leaves,Ungenutzter Urlaub
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Machen Sie einen Rückzahlungseintrag
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Alle Abteilungen
 DocType: Healthcare Service Unit,Vacant,Unbesetzt
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Lieferant&gt; Lieferantentyp
 DocType: Patient,Alcohol Past Use,Vergangener Alkoholkonsum
 DocType: Fertilizer Content,Fertilizer Content,Dünger Inhalt
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Haben
@@ -5247,7 +5313,7 @@
 DocType: Tax Rule,Billing State,Verwaltungsbezirk laut Rechnungsadresse
 DocType: Share Transfer,Transfer,Übertragung
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Der Arbeitsauftrag {0} muss vor dem Stornieren dieses Kundenauftrags storniert werden
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Abruf der aufgelösten Stückliste (einschließlich der Unterbaugruppen)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Abruf der aufgelösten Stückliste (einschließlich der Unterbaugruppen)
 DocType: Authorization Rule,Applicable To (Employee),Anwenden auf (Mitarbeiter)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Fälligkeitsdatum wird zwingend vorausgesetzt
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Schrittweite für Attribut {0} kann nicht 0 sein
@@ -5263,7 +5329,7 @@
 DocType: Disease,Treatment Period,Behandlungszeitraum
 DocType: Travel Itinerary,Travel Itinerary,Reiseverlauf
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Ergebnis bereits übergeben
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Das reservierte Warehouse ist für das Element {0} in den bereitgestellten Rohmaterialien obligatorisch
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Das reservierte Warehouse ist für das Element {0} in den bereitgestellten Rohmaterialien obligatorisch
 ,Inactive Customers,Inaktive Kunden
 DocType: Student Admission Program,Maximum Age,Maximales Alter
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,"Bitte warten Sie 3 Tage, bevor Sie die Erinnerung erneut senden."
@@ -5272,7 +5338,6 @@
 DocType: Stock Entry,Delivery Note No,Lieferschein-Nummer
 DocType: Cheque Print Template,Message to show,Nachricht anzeigen
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Einzelhandel
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Auftragsrechnung automatisch verwalten
 DocType: Student Attendance,Absent,Abwesend
 DocType: Staffing Plan,Staffing Plan Detail,Personalplanung Detail
 DocType: Employee Promotion,Promotion Date,Aktionsdatum
@@ -5294,7 +5359,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Lead erstellen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Drucken und Papierwaren
 DocType: Stock Settings,Show Barcode Field,Anzeigen Barcode-Feld
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Lieferantenemails senden
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Lieferantenemails senden
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gehalt bereits verarbeitet für den Zeitraum zwischen {0} und {1}, freiBewerbungsFrist kann nicht zwischen diesem Datum liegen."
 DocType: Fiscal Year,Auto Created,Automatisch erstellt
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Übergeben Sie dies, um den Mitarbeiterdatensatz zu erstellen"
@@ -5303,7 +5368,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Die Rechnung {0} existiert nicht mehr
 DocType: Guardian Interest,Guardian Interest,Wächter Interesse
 DocType: Volunteer,Availability,Verfügbarkeit
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Standardwerte für POS-Rechnungen einrichten
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Standardwerte für POS-Rechnungen einrichten
 apps/erpnext/erpnext/config/hr.py +248,Training,Ausbildung
 DocType: Project,Time to send,Zeit zu senden
 DocType: Timesheet,Employee Detail,Mitarbeiterdetails
@@ -5311,7 +5376,7 @@
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 E-Mail-ID
 DocType: Lab Prescription,Test Code,Testcode
 apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Einstellungen für die Internet-Homepage
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +895,{0} is on hold till {1},{0} wird bis {1} zurückgestellt
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +895,{0} is on hold till {1},{0} ist zurückgestellt bis {1}
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +40,RFQs are not allowed for {0} due to a scorecard standing of {1},RFQs sind nicht zulässig für {0} aufgrund einer Scorecard von {1}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +9,Used Leaves,Gebrauchte Blätter
 DocType: Job Offer,Awaiting Response,Warte auf Antwort
@@ -5326,7 +5391,7 @@
 DocType: Training Event Employee,Optional,Optional
 DocType: Salary Slip,Earning & Deduction,Einkünfte & Abzüge
 DocType: Agriculture Analysis Criteria,Water Analysis,Wasseranalyse
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} Varianten erstellt.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} Varianten erstellt.
 DocType: Amazon MWS Settings,Region,Region
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Optional. Diese Einstellung wird verwendet, um in verschiedenen Transaktionen zu filtern."
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negative Bewertung ist nicht erlaubt
@@ -5345,7 +5410,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kosten für Ausschuss-Entsorgung
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostenstelle ist zwingend erfoderlich für Artikel {2}
 DocType: Vehicle,Policy No,Politik keine
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Artikel aus dem Produkt-Bundle übernehmen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Artikel aus dem Produkt-Bundle übernehmen
 DocType: Asset,Straight Line,Gerade Linie
 DocType: Project User,Project User,Projektarbeit Benutzer
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Teilt
@@ -5353,8 +5418,8 @@
 DocType: GL Entry,Is Advance,Ist Vorkasse
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Mitarbeiterlebenszyklus
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,"""Anwesenheit ab Datum"" und ""Anwesenheit bis Datum"" sind zwingend"
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Bitte bei ""Untervergeben"" JA oder NEIN eingeben"
-DocType: Item,Default Purchase Unit of Measure,Default Purchase Maßeinheit
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Bitte bei ""Untervergeben"" JA oder NEIN eingeben"
+DocType: Item,Default Purchase Unit of Measure,Standard Maßeinheit Verkauf
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Letztes Kommunikationstag
 DocType: Clinical Procedure Item,Clinical Procedure Item,Klinischer Verfahrensgegenstand
 DocType: Sales Team,Contact No.,Kontakt-Nr.
@@ -5362,7 +5427,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Zugriffstoken oder Shopify-URL fehlt
 DocType: Location,Latitude,Breite
 DocType: Work Order,Scrap Warehouse,Ausschusslager
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Warehouse erforderlich in Zeile Nein {0}, legen Sie das Standard-Warehouse für das Element {1} für das Unternehmen {2} fest."
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Warehouse erforderlich in Zeile Nein {0}, legen Sie das Standard-Warehouse für das Element {1} für das Unternehmen {2} fest."
 DocType: Work Order,Check if material transfer entry is not required,"Prüfen Sie, ob keine Materialübertragung erforderlich ist"
 DocType: Program Enrollment Tool,Get Students From,Holen Studenten aus
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Veröffentlichen Sie Artikel auf der Website
@@ -5377,6 +5442,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Neue Batch-Menge
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Kleidung & Zubehör
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Die gewichtete Notenfunktion konnte nicht gelöst werden. Stellen Sie sicher, dass die Formel gültig ist."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Bestellpositionen nicht rechtzeitig erhalten
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Nummer der Bestellung
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML/Banner, das oben auf der Produktliste angezeigt wird."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Bedingungen zur Berechnung der Versandkosten angeben
@@ -5385,9 +5451,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Pfad
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Kostenstelle kann nicht in ein Kontenblatt umgewandelt werden, da sie Unterknoten hat"
 DocType: Production Plan,Total Planned Qty,Geplante Gesamtmenge
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Öffnungswert
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Öffnungswert
 DocType: Salary Component,Formula,Formel
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serien #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serien #
 DocType: Lab Test Template,Lab Test Template,Labortestvorlage
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Verkaufskonto
 DocType: Purchase Invoice Item,Total Weight,Gesamtgewicht
@@ -5405,7 +5471,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Materialanforderung anlegen
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Offene-Posten {0}
 DocType: Asset Finance Book,Written Down Value,Niedergeschriebener Wert
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Bitte richten Sie das Mitarbeiterbenennungssystem in Human Resource&gt; HR Settings ein
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Ausgangsrechnung {0} muss vor Stornierung dieses Kundenauftrags abgebrochen werden
 DocType: Clinical Procedure,Age,Alter
 DocType: Sales Invoice Timesheet,Billing Amount,Rechnungsbetrag
@@ -5414,11 +5479,11 @@
 DocType: Company,Default Employee Advance Account,Standardkonto für Vorschüsse an Arbeitnehmer
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Artikel suchen (Strg + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Ein Konto mit bestehenden Transaktionen kann nicht gelöscht werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Ein Konto mit bestehenden Transaktionen kann nicht gelöscht werden
 DocType: Vehicle,Last Carbon Check,Last Kohlenstoff prüfen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Rechtskosten
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Bitte wählen Sie die Menge aus
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Machen Sie offene Rechnungen für Verkauf und Kauf
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Machen Sie offene Rechnungen für Verkauf und Kauf
 DocType: Purchase Invoice,Posting Time,Buchungszeit
 DocType: Timesheet,% Amount Billed,% des Betrages berechnet
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefonkosten
@@ -5433,14 +5498,14 @@
 DocType: Maintenance Visit,Breakdown,Ausfall
 DocType: Travel Itinerary,Vegetarian,Vegetarier
 DocType: Patient Encounter,Encounter Date,Begegnung Datum
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Konto: {0} mit Währung: {1} kann nicht ausgewählt werden
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Konto: {0} mit Währung: {1} kann nicht ausgewählt werden
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdaten
 DocType: Purchase Receipt Item,Sample Quantity,Beispielmenge
 DocType: Bank Guarantee,Name of Beneficiary,Name des Begünstigten
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Aktualisieren Sie die Stücklistenkosten automatisch über den Scheduler, basierend auf dem aktuellen Bewertungspreis / Preisliste / letzter Kaufpreis der Rohstoffe."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Scheckdatum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Über-Konto {1} gehört nicht zur Firma: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Über-Konto {1} gehört nicht zur Firma: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Alle Transaktionen dieser Firma wurden erfolgreich gelöscht!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Zum
 DocType: Additional Salary,HR,HR
@@ -5448,7 +5513,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,SMS-Benachrichtungen für ambulante Patienten
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Probezeit
 DocType: Program Enrollment Tool,New Academic Year,Neues Studienjahr
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Return / Gutschrift
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Return / Gutschrift
 DocType: Stock Settings,Auto insert Price List rate if missing,"Preisliste automatisch einfügen, wenn sie fehlt"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Summe gezahlte Beträge
 DocType: GST Settings,B2C Limit,B2C-Grenze
@@ -5466,10 +5531,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Kindknoten können nur unter Gruppenknoten erstellt werden.
 DocType: Attendance Request,Half Day Date,Halbtagesdatum
 DocType: Academic Year,Academic Year Name,Schuljahr-Bezeichnung
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} darf nicht mit {1} arbeiten. Bitte ändern Sie das Unternehmen.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} darf nicht mit {1} arbeiten. Bitte wählen Sie ein anderes Unternehmen.
 DocType: Sales Partner,Contact Desc,Kontakt-Beschr.
 DocType: Email Digest,Send regular summary reports via Email.,Regelmäßig zusammenfassende Berichte per E-Mail senden.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Bitte setzen Sie Standardkonto in Kostenabrechnung Typ {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Bitte setzen Sie Standardkonto in Kostenabrechnung Typ {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Verfügbare Blätter
 DocType: Assessment Result,Student Name,Name des Studenten
 DocType: Hub Tracked Item,Item Manager,Artikel-Manager
@@ -5494,9 +5559,10 @@
 DocType: Subscription,Trial Period End Date,Testzeitraum Enddatum
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Keine Berechtigung da {0} die Höchstgrenzen überschreitet
 DocType: Serial No,Asset Status,Anlagenstatus
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Überdimensionale Ladung (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurant-Tisch
 DocType: Hotel Room,Hotel Manager,Hotelmanager
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Steuerregel für Einkaufswagen einstellen
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Steuerregel für Einkaufswagen einstellen
 DocType: Purchase Invoice,Taxes and Charges Added,Steuern und Gebühren hinzugefügt
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Abschreibungszeile {0}: Das nächste Abschreibungsdatum darf nicht vor dem Verfügbarkeitsdatum liegen
 ,Sales Funnel,Verkaufstrichter
@@ -5512,10 +5578,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Alle Kundengruppen
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Monatlich akkumuliert
 DocType: Attendance Request,On Duty,Im Dienst
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist zwingend erforderlich. Möglicherweise wurde der Datensatz für die Währungsumrechung für {1} bis {2} nicht erstellt.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist zwingend erforderlich. Möglicherweise wurde der Datensatz für die Währungsumrechung für {1} bis {2} nicht erstellt.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Besetzungsplan {0} existiert bereits für Bezeichnung {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Steuer-Vorlage ist erforderlich.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Konto {0}: Hauptkonto {1} existiert nicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Konto {0}: Hauptkonto {1} existiert nicht
 DocType: POS Closing Voucher,Period Start Date,Zeitraum des Startdatums
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Preisliste (Firmenwährung)
 DocType: Products Settings,Products Settings,Produkte Einstellungen
@@ -5535,7 +5601,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,"Diese Aktion wird die zukünftige Abrechnung stoppen. Sind Sie sicher, dass Sie dieses Abonnement kündigen möchten?"
 DocType: Serial No,Distinct unit of an Item,Eindeutige Einheit eines Artikels
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriterien Name
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Bitte setzen Unternehmen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Bitte setzen Unternehmen
 DocType: Procedure Prescription,Procedure Created,Prozedur erstellt
 DocType: Pricing Rule,Buying,Einkauf
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Krankheiten und Dünger
@@ -5552,42 +5618,43 @@
 DocType: Employee Onboarding,Job Offer,Jobangebot
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Abkürzung des Institutes
 ,Item-wise Price List Rate,Artikelbezogene Preisliste
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Lieferantenangebot
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Lieferantenangebot
 DocType: Quotation,In Words will be visible once you save the Quotation.,"""In Worten"" wird sichtbar, sobald Sie das Angebot speichern."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Menge ({0}) kann in Zeile {1} keine Teilmenge sein
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Menge ({0}) kann in Zeile {1} keine Teilmenge sein
 DocType: Contract,Unsigned,Ohne Vorzeichen
 DocType: Selling Settings,Each Transaction,Jede Transaktion
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} wird bereits für Artikel {1} verwendet
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} wird bereits für Artikel {1} verwendet
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regeln für das Hinzufügen von Versandkosten.
 DocType: Hotel Room,Extra Bed Capacity,Zusatzbett Kapazität
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaianz
 DocType: Item,Opening Stock,Anfangsbestand
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunde ist verpflichtet
 DocType: Lab Test,Result Date,Ergebnis Datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Datum
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Datum
 DocType: Purchase Order,To Receive,Um zu empfangen
 DocType: Leave Period,Holiday List for Optional Leave,Urlaubsliste für optionalen Urlaub
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,nutzer@kundendomain.tld
 DocType: Asset,Asset Owner,Eigentümer der Anlage
 DocType: Purchase Invoice,Reason For Putting On Hold,Grund für das Halten
 DocType: Employee,Personal Email,Persönliche E-Mail
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Gesamtabweichung
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Gesamtabweichung
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Wenn aktiviert, bucht das System Bestandsbuchungen automatisch."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Maklerprovision
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Die Teilnahme für Mitarbeiter {0} ist bereits für diesen Tag markiert
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Die Teilnahme für Mitarbeiter {0} ist bereits für diesen Tag markiert
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","""In Minuten"" über 'Zeitprotokoll' aktualisiert"
 DocType: Customer,From Lead,Von Lead
 DocType: Amazon MWS Settings,Synch Orders,Befehle synchronisieren
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Für die Produktion freigegebene Bestellungen
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Geschäftsjahr auswählen ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,"Verkaufsstellen-Profil benötigt, um Verkaufsstellen-Buchung zu erstellen"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,"Verkaufsstellen-Profil benötigt, um Verkaufsstellen-Buchung zu erstellen"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Treuepunkte werden aus dem ausgegebenen Betrag (über die Verkaufsrechnung) berechnet, basierend auf dem genannten Sammelfaktor."
 DocType: Program Enrollment Tool,Enroll Students,einschreiben Studenten
 DocType: Company,HRA Settings,HRA-Einstellungen
 DocType: Employee Transfer,Transfer Date,Überweisungsdatum
 DocType: Lab Test,Approved Date,Genehmigter Termin
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard-Vertrieb
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Mindestens ein Lager ist zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Mindestens ein Lager ist zwingend erforderlich
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurieren Sie Artikelfelder wie UOM, Artikelgruppe, Beschreibung und Stundenanzahl."
 DocType: Certification Application,Certification Status,Zertifizierungsstatus
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marktplatz
@@ -5607,6 +5674,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Passende Rechnungen
 DocType: Work Order,Required Items,Erforderliche Elemente
 DocType: Stock Ledger Entry,Stock Value Difference,Lagerwert-Differenz
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Artikelzeile {0}: {1} {2} ist in der obigen Tabelle &quot;{1}&quot; nicht vorhanden
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Personal
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Zahlung zum Zahlungsabgleich
 DocType: Disease,Treatment Task,Behandlungsaufgabe
@@ -5624,7 +5692,8 @@
 DocType: Account,Debit,Soll
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Abwesenheiten müssen ein Vielfaches von 0,5 sein"
 DocType: Work Order,Operation Cost,Kosten eines Arbeitsgangs
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Offener Betrag
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Entscheidungsträger identifizieren
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Offener Betrag
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Ziele artikelgruppenbezogen für diesen Vertriebsmitarbeiter festlegen.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Bestände älter als [Tage] sperren
 DocType: Payment Request,Payment Ordered,Zahlung bestellt
@@ -5636,13 +5705,12 @@
 DocType: Leave Block List,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."
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Lebenszyklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM erstellen
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Der Verkaufspreis für Artikel {0} ist niedriger als {1}. Der Verkaufspreis sollte wenigstens {2} sein.
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Der Verkaufspreis für Artikel {0} ist niedriger als {1}. Der Verkaufspreis sollte wenigstens {2} sein.
 DocType: Subscription,Taxes,Steuern
 DocType: Purchase Invoice,capital goods,Kapitalgüter
 DocType: Purchase Invoice Item,Weight Per Unit,Gewicht pro Einheit
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Bezahlt und nicht ausgeliefert
-DocType: Project,Default Cost Center,Standardkostenstelle
-DocType: Delivery Note,Transporter Doc No,Transporter Doc Nr
+DocType: QuickBooks Migrator,Default Cost Center,Standardkostenstelle
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Lagerbuchungen
 DocType: Budget,Budget Accounts,Budget Konten
 DocType: Employee,Internal Work History,Interne Arbeits-Historie
@@ -5675,7 +5743,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Der Arzt ist bei {0} nicht verfügbar
 DocType: Stock Entry Detail,Additional Cost,Zusätzliche Kosten
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Wenn nach Beleg gruppiert wurde, kann nicht auf Grundlage von Belegen gefiltert werden."
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Lieferantenangebot erstellen
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Lieferantenangebot erstellen
 DocType: Quality Inspection,Incoming,Eingehend
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Standardsteuervorlagen für Verkauf und Einkauf werden erstellt.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Beurteilungsergebnis {0} existiert bereits.
@@ -5691,7 +5759,7 @@
 DocType: Batch,Batch ID,Chargen-ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Hinweis: {0}
 ,Delivery Note Trends,Entwicklung Lieferscheine
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Zusammenfassung dieser Woche
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Zusammenfassung dieser Woche
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Anzahl auf Lager
 ,Daily Work Summary Replies,Tägliche Arbeit Zusammenfassung Antworten
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Berechnen Sie die voraussichtliche Ankunftszeit
@@ -5701,7 +5769,7 @@
 DocType: Bank Account,Party,Gruppe
 DocType: Healthcare Settings,Patient Name,Patientenname
 DocType: Variant Field,Variant Field,Variantenfeld
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Zielort
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Zielort
 DocType: Sales Order,Delivery Date,Liefertermin
 DocType: Opportunity,Opportunity Date,Datum der Chance
 DocType: Employee,Health Insurance Provider,Krankenversicherer
@@ -5720,7 +5788,7 @@
 DocType: Employee,History In Company,Historie im Unternehmen
 DocType: Customer,Customer Primary Address,Hauptadresse des Kunden
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletter
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referenznummer.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referenznummer.
 DocType: Drug Prescription,Description/Strength,Beschreibung / Stärke
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Erstellen Sie eine neue Zahlung / Journaleintrag
 DocType: Certification Application,Certification Application,Zertifizierungsantrag
@@ -5731,10 +5799,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Das gleiche Einzelteil wurde mehrfach eingegeben
 DocType: Department,Leave Block List,Urlaubssperrenliste
 DocType: Purchase Invoice,Tax ID,Steuer ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} ist nicht für Seriennummern eingerichtet. Spalte muss leer sein
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} ist nicht für Seriennummern eingerichtet. Spalte muss leer sein
 DocType: Accounts Settings,Accounts Settings,Konteneinstellungen
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Genehmigen
 DocType: Loyalty Program,Customer Territory,Kundengebiet
+DocType: Email Digest,Sales Orders to Deliver,Kundenaufträge zu liefern
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",Die Nummer des neuen Kontos wird als Präfix in den Kontonamen aufgenommen
 DocType: Maintenance Team Member,Team Member,Teammitglied
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Kein Ergebnis zur Einreichung
@@ -5744,7 +5813,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Insgesamt {0} für alle Elemente gleich Null ist, sein kann, sollten Sie &quot;Verteilen Gebühren auf der Grundlage&quot; ändern"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Bis heute kann nicht weniger als von Datum sein
 DocType: Opportunity,To Discuss,Infos zur Diskussion
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Dies basiert auf Transaktionen mit diesem Abonnenten. Details finden Sie in der Zeitleiste unten
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} Einheiten von {1} benötigt in {2} zum Abschluss dieser Transaktion.
 DocType: Loan Type,Rate of Interest (%) Yearly,Zinssatz (%) Jahres
 DocType: Support Settings,Forum URL,Forum-URL
@@ -5759,7 +5827,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Erfahren Sie mehr
 DocType: Cheque Print Template,Distance from top edge,Abstand zum oberen Rand
 DocType: POS Closing Voucher Invoices,Quantity of Items,Anzahl der Artikel
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Preisliste {0} ist deaktiviert oder nicht vorhanden ist
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Preisliste {0} ist deaktiviert oder nicht vorhanden ist
 DocType: Purchase Invoice,Return,Zurück
 DocType: Pricing Rule,Disable,Deaktivieren
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,"Modus der Zahlung ist erforderlich, um eine Zahlung zu leisten"
@@ -5767,18 +5835,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Bearbeiten Sie in Vollansicht für weitere Optionen wie Assets, Seriennummern, Chargen usw."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maximale ununterbrochene Tage anwendbar
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ist nicht im Batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",Anlagewert-{0} ist bereits entsorgt {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",Anlagewert-{0} ist bereits entsorgt {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Überprüfungen erforderlich
 DocType: Task,Total Expense Claim (via Expense Claim),Gesamtbetrag der Aufwandsabrechnung (über Aufwandsabrechnung)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Abwesend setzen
 DocType: Job Applicant Source,Job Applicant Source,Bewerber-Quelle
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Betrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Betrag
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Fehler beim Einrichten der Firma
 DocType: Asset Repair,Asset Repair,Anlagenreparatur
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Währung der BOM # {1} sollte auf die gewählte Währung gleich {2}
 DocType: Journal Entry Account,Exchange Rate,Wechselkurs
 DocType: Patient,Additional information regarding the patient,Zusätzliche Informationen zum Patienten
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Kundenauftrag {0} wurde nicht übertragen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Kundenauftrag {0} wurde nicht übertragen
 DocType: Homepage,Tag Line,Tag-Linie
 DocType: Fee Component,Fee Component,Fee-Komponente
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Flottenverwaltung
@@ -5793,7 +5861,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobile
 ,Sales Person-wise Transaction Summary,Vertriebsmitarbeiterbezogene Zusammenfassung der Transaktionen
 DocType: Training Event,Contact Number,Kontaktnummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Lager {0} existiert nicht
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Lager {0} existiert nicht
 DocType: Cashier Closing,Custody,Sorgerecht
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Details zur Steuerbefreiung für Mitarbeitersteuerbefreiung
 DocType: Monthly Distribution,Monthly Distribution Percentages,Prozentuale Aufteilungen der monatsweisen Verteilung
@@ -5808,7 +5876,7 @@
 DocType: Payment Entry,Paid Amount,Gezahlter Betrag
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Entdecken Sie den Verkaufszyklus
 DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Vorratsbestandseintrag
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Vorratsbestandseintrag
 ,Available Stock for Packing Items,Verfügbarer Bestand für Verpackungsartikel
 DocType: Item Variant,Item Variant,Artikelvariante
 ,Work Order Stock Report,Arbeitsauftragsbericht
@@ -5817,9 +5885,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Als Vorgesetzter
 DocType: Leave Policy Detail,Leave Policy Detail,Hinterlassen Sie die Richtliniendetails
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Ausschussartikel
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Übermittelt Aufträge können nicht gelöscht werden
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto bereits im Soll, es ist nicht mehr möglich das Konto als Habenkonto festzulegen"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Qualitätsmanagement
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Übermittelt Aufträge können nicht gelöscht werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto bereits im Soll, es ist nicht mehr möglich das Konto als Habenkonto festzulegen"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Qualitätsmanagement
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Artikel {0} wurde deaktiviert
 DocType: Project,Total Billable Amount (via Timesheets),Gesamter abrechenbarer Betrag (über Arbeitszeittabellen)
 DocType: Agriculture Task,Previous Business Day,Voriger Geschäftstag
@@ -5842,14 +5910,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Kostenstellen
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Abonnement neu starten
 DocType: Linked Plant Analysis,Linked Plant Analysis,Verbundene Pflanzenanalyse
-DocType: Delivery Note,Transporter ID,Transporter-ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter-ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Wertversprechen
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Kurs, zu dem die Währung des Lieferanten in die Basiswährung des Unternehmens umgerechnet wird"
-DocType: Sales Invoice Item,Service End Date,Service-Enddatum
+DocType: Purchase Invoice Item,Service End Date,Service-Enddatum
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Zeile #{0}: Timing-Konflikte mit Zeile {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Nullbewertung zulassen
 DocType: Bank Guarantee,Receiving,Empfang
 DocType: Training Event Employee,Invited,Eingeladen
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup-Gateway-Konten.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup-Gateway-Konten.
 DocType: Employee,Employment Type,Art der Beschäftigung
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Anlagevermögen
 DocType: Payment Entry,Set Exchange Gain / Loss,Stellen Sie Exchange-Gewinn / Verlust
@@ -5865,7 +5934,7 @@
 DocType: Tax Rule,Sales Tax Template,Umsatzsteuer-Vorlage
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Zahlung gegen Leistungsanspruch
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Kostenstellennummer aktualisieren
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,"Wählen Sie Elemente, um die Rechnung zu speichern"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,"Wählen Sie Elemente, um die Rechnung zu speichern"
 DocType: Employee,Encashment Date,Inkassodatum
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Spezielle Testvorlage
@@ -5873,12 +5942,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Es gibt Standard-Aktivitätskosten für Aktivitätsart - {0}
 DocType: Work Order,Planned Operating Cost,Geplante Betriebskosten
 DocType: Academic Term,Term Start Date,Semesteranfang
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Liste aller Aktientransaktionen
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Liste aller Aktientransaktionen
+DocType: Supplier,Is Transporter,Ist Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Verkaufsrechnung aus Shopify importieren, wenn Zahlung markiert ist"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Anzahl der Chancen
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Das Startdatum für die Testperiode und das Enddatum für die Testperiode müssen festgelegt werden
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Durchschnittsrate
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Der gesamte Zahlungsbetrag im Zahlungsplan muss gleich Groß / Abgerundet sein
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Der gesamte Zahlungsbetrag im Zahlungsplan muss gleich Groß / Abgerundet sein
 DocType: Subscription Plan Detail,Plan,Planen
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Kontoauszug Bilanz nach Hauptbuch
 DocType: Job Applicant,Applicant Name,Bewerbername
@@ -5906,7 +5976,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Verfügbare Menge bei Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie
 DocType: Purchase Invoice,Debit Note Issued,Lastschrift ausgestellt am
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Der Filter basierend auf der Kostenstelle ist nur anwendbar, wenn Budget als Kostenstelle ausgewählt ist"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Der Filter basierend auf der Kostenstelle ist nur anwendbar, wenn Budget als Kostenstelle ausgewählt ist"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Suche nach Artikelcode, Seriennummer, Chargennummer oder Barcode"
 DocType: Work Order,Warehouses,Lager
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} Anlagevermögen kann nicht übertragen werden
@@ -5917,9 +5987,9 @@
 DocType: Workstation,per hour,pro Stunde
 DocType: Blanket Order,Purchasing,Einkauf
 DocType: Announcement,Announcement,Ankündigung
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Kunden LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Kunden LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Für die Batch-basierte Studentengruppe wird die Student Batch für jeden Schüler aus der Programmregistrierung validiert.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Lager kann nicht gelöscht werden, da es Buchungen im Lagerbuch gibt."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Lager kann nicht gelöscht werden, da es Buchungen im Lagerbuch gibt."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Großhandel
 DocType: Journal Entry Account,Loan,Darlehen
 DocType: Expense Claim Advance,Expense Claim Advance,Auslagenvorschuss
@@ -5928,7 +5998,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projektleiter
 ,Quoted Item Comparison,Vergleich angebotener Artikel
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Überlappung beim Scoring zwischen {0} und {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Versand
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Versand
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maximal erlaubter Rabatt für Artikel: {0} ist {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Nettoinventarwert als auf
 DocType: Crop,Produce,Produzieren
@@ -5938,20 +6008,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Materialverbrauch für die Herstellung
 DocType: Item Alternative,Alternative Item Code,Alternativer Artikelcode
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, welche Transaktionen, die das gesetzte Kreditlimit überschreiten, übertragen darf."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Wählen Sie die Elemente Herstellung
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Wählen Sie die Elemente Herstellung
 DocType: Delivery Stop,Delivery Stop,Liefer Stopp
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Stammdaten-Synchronisierung, kann es einige Zeit dauern,"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Stammdaten-Synchronisierung, kann es einige Zeit dauern,"
 DocType: Item,Material Issue,Materialentnahme
 DocType: Employee Education,Qualification,Qualifikation
 DocType: Item Price,Item Price,Artikelpreis
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Reinigungsmittel
 DocType: BOM,Show Items,Elemente anzeigen
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,"Von Zeit sein kann, nicht größer ist als auf die Zeit."
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Möchten Sie alle Kunden per E-Mail benachrichtigen?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Möchten Sie alle Kunden per E-Mail benachrichtigen?
 DocType: Subscription Plan,Billing Interval,Abrechnungsintervall
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Film & Fernsehen
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Bestellt
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Das tatsächliche Startdatum und das tatsächliche Enddatum sind obligatorisch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundengruppe&gt; Gebiet
 DocType: Salary Detail,Component,Komponente
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Zeile {0}: {1} muss größer als 0 sein
 DocType: Assessment Criteria,Assessment Criteria Group,Beurteilungskriterien Gruppe
@@ -5982,11 +6053,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Geben Sie den Namen der Bank oder des kreditgebenden Instituts vor dem Absenden ein.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} muss eingereicht werden
 DocType: POS Profile,Item Groups,Artikelgruppen
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Heute hat {0} Geburtstag!
 DocType: Sales Order Item,For Production,Für die Produktion
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Guthaben in Kontowährung
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Bitte fügen Sie ein vorübergehendes Eröffnungskonto im Kontenplan hinzu
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Bitte fügen Sie ein vorübergehendes Eröffnungskonto im Kontenplan hinzu
 DocType: Customer,Customer Primary Contact,Hauptkontakt des Kunden
 DocType: Project Task,View Task,Aufgabe anzeigen
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Chance/ Lead %
@@ -5999,11 +6069,11 @@
 DocType: Sales Invoice,Get Advances Received,Erhaltene Anzahlungen aufrufen
 DocType: Email Digest,Add/Remove Recipients,Empfänger hinzufügen/entfernen
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Um dieses Geschäftsjahr als Standard festzulegen, auf ""Als Standard festlegen"" anklicken"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Betrag der abgezogenen TDS
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Betrag der abgezogenen TDS
 DocType: Production Plan,Include Subcontracted Items,Subkontrahierte Artikel einbeziehen
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Beitreten
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Engpassmenge
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Beitreten
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Engpassmenge
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert
 DocType: Loan,Repay from Salary,Repay von Gehalts
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Anfordern Zahlung gegen {0} {1} für Menge {2}
 DocType: Additional Salary,Salary Slip,Gehaltsabrechnung
@@ -6019,7 +6089,7 @@
 DocType: Patient,Dormant,ruhend
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Steuern für nicht beanspruchte Leistungen an Arbeitnehmer abziehen
 DocType: Salary Slip,Total Interest Amount,Gesamtzinsbetrag
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Lagerhäuser mit untergeordneten Knoten kann nicht umgewandelt werden Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Lagerhäuser mit untergeordneten Knoten kann nicht umgewandelt werden Ledger
 DocType: BOM,Manage cost of operations,Arbeitsgangkosten verwalten
 DocType: Accounts Settings,Stale Days,Stale Tage
 DocType: Travel Itinerary,Arrival Datetime,Ankunft Datetime
@@ -6031,7 +6101,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Details zum Beurteilungsergebnis
 DocType: Employee Education,Employee Education,Mitarbeiterschulung
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Doppelte Artikelgruppe in der Artikelgruppentabelle gefunden
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"Wird gebraucht, um Artikeldetails abzurufen"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"Wird gebraucht, um Artikeldetails abzurufen"
 DocType: Fertilizer,Fertilizer Name,Dünger Name
 DocType: Salary Slip,Net Pay,Nettolohn
 DocType: Cash Flow Mapping Accounts,Account,Konto
@@ -6042,14 +6112,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Erstellen Sie eine separate Zahlungserfassung gegen den Leistungsanspruch
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Vorhandensein eines Fiebers (Temp .: 38,5 ° C / 101,3 ° F oder anhaltende Temperatur&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Verkaufsteamdetails
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Dauerhaft löschen?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Dauerhaft löschen?
 DocType: Expense Claim,Total Claimed Amount,Gesamtforderung
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Mögliche Opportunität für den Vertrieb
 DocType: Shareholder,Folio no.,Folio Nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Ungültige(r) {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Krankheitsbedingte Abwesenheit
 DocType: Email Digest,Email Digest,E-Mail-Bericht
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,sind nicht
 DocType: Delivery Note,Billing Address Name,Name der Rechnungsadresse
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Kaufhäuser
 ,Item Delivery Date,Artikel Liefertermin
@@ -6065,16 +6134,16 @@
 DocType: Account,Chargeable,Gebührenpflichtig
 DocType: Company,Change Abbreviation,Abkürzung ändern
 DocType: Contract,Fulfilment Details,Erfüllungsdetails
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Bezahle {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Bezahle {0} {1}
 DocType: Employee Onboarding,Activities,Aktivitäten
 DocType: Expense Claim Detail,Expense Date,Datum der Aufwendung
 DocType: Item,No of Months,Anzahl der Monate
 DocType: Item,Max Discount (%),Maximaler Rabatt (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kredit-Tage können keine negative Zahl sein
-DocType: Sales Invoice Item,Service Stop Date,Service-Stopp-Datum
+DocType: Purchase Invoice Item,Service Stop Date,Service-Stopp-Datum
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Letzter Bestellbetrag
 DocType: Cash Flow Mapper,e.g Adjustments for:,zB Anpassungen für:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} Probe zurückhalten basiert auf einer Charge. Bitte setzen Sie Hat Chargennummer um eine Probe des Artikels zu behalten
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} Probe zurückhalten basiert auf einer Charge. Bitte setzen Sie Hat Chargennummer um eine Probe des Artikels zu behalten
 DocType: Task,Is Milestone,Ist Meilenstein
 DocType: Certification Application,Yet to appear,Noch zu erscheinen
 DocType: Delivery Stop,Email Sent To,E-Mail versandt an
@@ -6082,16 +6151,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Kostenstelle bei der Eingabe des Bilanzkontos zulassen
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Mit existierendem Konto zusammenfassen
 DocType: Budget,Warn,Warnen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Alle Positionen wurden bereits für diesen Arbeitsauftrag übertragen.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Alle Positionen wurden bereits für diesen Arbeitsauftrag übertragen.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Sonstige wichtige Anmerkungen, die in die Datensätze aufgenommen werden sollten."
 DocType: Asset Maintenance,Manufacturing User,Nutzer Fertigung
 DocType: Purchase Invoice,Raw Materials Supplied,Gelieferte Rohmaterialien
 DocType: Subscription Plan,Payment Plan,Zahlungsplan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Ermöglichen Sie den Kauf von Artikeln über die Website
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Die Währung der Preisliste {0} muss {1} oder {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Abonnementverwaltung
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Abonnementverwaltung
 DocType: Appraisal,Appraisal Template,Bewertungsvorlage
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,PIN-Code
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,PIN-Code
 DocType: Soil Texture,Ternary Plot,Ternäres Grundstück
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Aktivieren Sie diese Option, um eine geplante tägliche Synchronisierungsroutine über den Scheduler zu aktivieren"
 DocType: Item Group,Item Classification,Artikeleinteilung
@@ -6101,6 +6170,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Rechnungsempfänger
 DocType: Crop,Period,Periode
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Hauptbuch
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Bis zum Geschäftsjahr
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Leads anzeigen
 DocType: Program Enrollment Tool,New Program,Neues Programm
 DocType: Item Attribute Value,Attribute Value,Attributwert
@@ -6109,11 +6179,11 @@
 ,Itemwise Recommended Reorder Level,Empfohlener artikelbezogener Meldebestand
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Mitarbeiter {0} der Besoldungsgruppe {1} haben keine Standard-Abwesenheitsrichtlinie
 DocType: Salary Detail,Salary Detail,Gehalt Details
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Bitte zuerst {0} auswählen
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Bitte zuerst {0} auswählen
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} Benutzer hinzugefügt
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",Im Falle eines mehrstufigen Programms werden Kunden automatisch der betroffenen Ebene entsprechend ihrer Ausgaben zugewiesen
 DocType: Appointment Type,Physician,Arzt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Charge {0} von Artikel {1} ist abgelaufen.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Charge {0} von Artikel {1} ist abgelaufen.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konsultationen
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Gut beendet
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Artikelpreis erscheint mehrmals basierend auf Preisliste, Lieferant / Kunde, Währung, Artikel, UOM, Menge und Daten."
@@ -6122,22 +6192,21 @@
 DocType: Certification Application,Name of Applicant,Name des Bewerbers
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Zeitblatt für die Fertigung.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Zwischensumme
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kann die Eigenschaften des Bestands nach der Bestandsbuchung nicht ändern. Sie müssen dafür einen neuen Artikel erstellen.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kann die Eigenschaften des Bestands nach der Bestandsbuchung nicht ändern. Sie müssen dafür einen neuen Artikel erstellen.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA-Mandat
 DocType: Healthcare Practitioner,Charges,Gebühren
 DocType: Production Plan,Get Items For Work Order,Holen Sie sich Artikel zum Arbeitsauftrag
 DocType: Salary Detail,Default Amount,Standard-Betrag
 DocType: Lab Test Template,Descriptive,Beschreibend
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Lager im System nicht gefunden
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Zusammenfassung dieses Monats
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Zusammenfassung dieses Monats
 DocType: Quality Inspection Reading,Quality Inspection Reading,Ablesung zur Qualitätsprüfung
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,"""Lagerbestände sperren, wenn älter als"" sollte kleiner sein als %d Tage."
 DocType: Tax Rule,Purchase Tax Template,Umsatzsteuer-Vorlage
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Setzen Sie ein Verkaufsziel, das Sie für Ihr Unternehmen erreichen möchten."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Gesundheitswesen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Gesundheitswesen
 ,Project wise Stock Tracking,Projektbezogene Lagerbestandsverfolgung
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Transportmodus
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Labor
 DocType: UOM Category,UOM Category,UOM-Kategorie
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Tatsächliche Anzahl (am Ursprung/Ziel)
@@ -6160,17 +6229,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Erstellen der Webseite fehlgeschlagen
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Maßeinheit-Umrechnungs-Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Aufbewahrungsbestandseintrag bereits angelegt oder Musterbestand nicht bereitgestellt
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Aufbewahrungsbestandseintrag bereits angelegt oder Musterbestand nicht bereitgestellt
 DocType: Program,Program Abbreviation,Programm Abkürzung
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Ein Fertigungsauftrag kann nicht zu einer Artikel-Vorlage gemacht werden
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kosten werden im Kaufbeleg für jede Position aktualisiert
 DocType: Warranty Claim,Resolved By,Entschieden von
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Zeitplan Entlassung
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Schecks und Kautionen fälschlicherweise gelöscht
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Konto {0}: Sie können dieses Konto sich selbst nicht als Über-Konto zuweisen
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Konto {0}: Sie können dieses Konto sich selbst nicht als Über-Konto zuweisen
 DocType: Purchase Invoice Item,Price List Rate,Preisliste
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Kunden Angebote erstellen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Das Service-Stopp-Datum kann nicht nach dem Service-Enddatum liegen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Das Service-Stopp-Datum kann nicht nach dem Service-Enddatum liegen
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","""Auf Lager"" oder ""Nicht auf Lager"" basierend auf dem in diesem Lager enthaltenen Bestand anzeigen"
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Stückliste
 DocType: Item,Average time taken by the supplier to deliver,Durchschnittliche Lieferzeit des Lieferanten
@@ -6182,11 +6251,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Stunden
 DocType: Project,Expected Start Date,Voraussichtliches Startdatum
 DocType: Purchase Invoice,04-Correction in Invoice,04-Rechnungskorrektur
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Arbeitsauftrag wurde bereits für alle Artikel mit Stückliste angelegt
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Arbeitsauftrag wurde bereits für alle Artikel mit Stückliste angelegt
 DocType: Payment Request,Party Details,Party Details
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Bericht der Variantendetails
 DocType: Setup Progress Action,Setup Progress Action,Setup Fortschrittsaktion
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Kauf Preisliste
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Kauf Preisliste
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Artikel entfernen, wenn keine Gebühren angerechnet werden können"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Abonnement beenden
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Bitte wählen Sie Wartungsstatus als erledigt oder entfernen Sie das Abschlussdatum
@@ -6204,7 +6273,7 @@
 DocType: Asset,Disposal Date,Verkauf Datum
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-Mails werden an alle aktiven Mitarbeiter des Unternehmens an der angegebenen Stunde gesendet werden, sofern sie nicht im Urlaub sind. Die Zusammenfassung der Antworten wird um Mitternacht versandt werden."
 DocType: Employee Leave Approver,Employee Leave Approver,Urlaubsgenehmiger des Mitarbeiters
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Zeile {0}: Es gibt bereits eine Nachbestellungsbuchung für dieses Lager {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Zeile {0}: Es gibt bereits eine Nachbestellungsbuchung für dieses Lager {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Kann nicht als verloren deklariert werden, da bereits ein Angebot erstellt wurde."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP-Konto
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Training Feedback
@@ -6216,7 +6285,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Bis-Datum kann nicht vor Von-Datum liegen
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Abschnitt Fußzeile
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Preise hinzufügen / bearbeiten
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Preise hinzufügen / bearbeiten
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Mitarbeiterförderung kann nicht vor dem Promotion-Datum eingereicht werden
 DocType: Batch,Parent Batch,Übergeordnete Charge
 DocType: Cheque Print Template,Cheque Print Template,Scheck Druckvorlage
@@ -6226,6 +6295,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Mustersammlung
 ,Requested Items To Be Ordered,"Angefragte Artikel, die bestellt werden sollen"
 DocType: Price List,Price List Name,Preislistenname
+DocType: Delivery Stop,Dispatch Information,Versandinformationen
 DocType: Blanket Order,Manufacturing,Fertigung
 ,Ordered Items To Be Delivered,"Bestellte Artikel, die geliefert werden müssen"
 DocType: Account,Income,Ertrag
@@ -6244,17 +6314,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,"Es werden {0} Einheiten von {1} in {2} auf {3} {4} für {5} benötigt, um diesen Vorgang abzuschließen."
 DocType: Fee Schedule,Student Category,Studenten-Kategorie
 DocType: Announcement,Student,Schüler
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Lagerbestand, um den Vorgang zu starten, ist im Lager nicht verfügbar. Möchten Sie eine Umlagerung erfassen?"
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Lagerbestand, um den Vorgang zu starten, ist im Lager nicht verfügbar. Möchten Sie eine Umlagerung erfassen?"
 DocType: Shipping Rule,Shipping Rule Type,Versandregeltyp
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Geh zu den Zimmern
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Firma, Zahlungskonto, Von Datum und Bis Datum ist obligatorisch"
 DocType: Company,Budget Detail,Budget-Detail
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Bitte eine Nachricht vor dem Versenden eingeben
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKAT FÜR LIEFERANTEN
-DocType: Email Digest,Pending Quotations,Ausstehende Angebote
-DocType: Delivery Note,Distance (KM),Entfernung (km)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Lieferant&gt; Lieferantengruppe
 DocType: Asset,Custodian,Depotbank
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Verkaufsstellen-Profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Verkaufsstellen-Profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} sollte ein Wert zwischen 0 und 100 sein
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Zahlung von {0} von {1} an {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Ungesicherte Kredite
@@ -6286,10 +6355,10 @@
 DocType: Lead,Converted,umgewandelt
 DocType: Item,Has Serial No,Hat Seriennummer
 DocType: Employee,Date of Issue,Ausstellungsdatum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nach den Kaufeinstellungen, wenn Kaufbedarf erforderlich == &#39;JA&#39;, dann für die Erstellung der Kauf-Rechnung, muss der Benutzer die Kaufbeleg zuerst für den Eintrag {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nach den Kaufeinstellungen, wenn Kaufbedarf erforderlich == &#39;JA&#39;, dann für die Erstellung der Kauf-Rechnung, muss der Benutzer die Kaufbeleg zuerst für den Eintrag {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Zeile #{0}: Lieferanten für Artikel {1} einstellen
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: Stunden-Wert muss größer als Null sein.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,"Das Webseiten-Bild {0}, das an Artikel {1} angehängt wurde, kann nicht gefunden werden"
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,"Das Webseiten-Bild {0}, das an Artikel {1} angehängt wurde, kann nicht gefunden werden"
 DocType: Issue,Content Type,Inhaltstyp
 DocType: Asset,Assets,Vermögenswerte
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Rechner
@@ -6300,7 +6369,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} existiert nicht
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Bitte die Option ""Unterschiedliche Währungen"" aktivieren um Konten mit anderen Währungen zu erlauben"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Artikel: {0} ist nicht im System vorhanden
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Sie haben keine Berechtigung gesperrte Werte zu setzen
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Sie haben keine Berechtigung gesperrte Werte zu setzen
 DocType: Payment Reconciliation,Get Unreconciled Entries,Nicht zugeordnete Buchungen aufrufen
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Mitarbeiter {0} ist auf Urlaub auf {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Keine Rückzahlungen für die Journalbuchung ausgewählt
@@ -6318,13 +6387,14 @@
 ,Average Commission Rate,Durchschnittlicher Provisionssatz
 DocType: Share Balance,No of Shares,Anzahl der Aktien
 DocType: Taxable Salary Slab,To Amount,Zu Betrag
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Hat Seriennummer"" kann bei Nicht-Lagerartikeln nicht ""Ja"" sein"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Hat Seriennummer"" kann bei Nicht-Lagerartikeln nicht ""Ja"" sein"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Wählen Sie Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Die Anwesenheit kann nicht für zukünftige Termine markiert werden
 DocType: Support Search Source,Post Description Key,Post Beschreibung Schlüssel
 DocType: Pricing Rule,Pricing Rule Help,Hilfe zur Preisregel
 DocType: School House,House Name,Hausname
 DocType: Fee Schedule,Total Amount per Student,Gesamtbetrag pro Student
+DocType: Opportunity,Sales Stage,Verkaufsphase
 DocType: Purchase Taxes and Charges,Account Head,Kontobezeichnung
 DocType: Company,HRA Component,HRA-Komponente
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektro
@@ -6332,15 +6402,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Gesamt-Wertdifferenz (Aus - Ein)
 DocType: Grant Application,Requested Amount,Gewünschter Betrag
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Zeile {0}: Wechselkurs ist erforderlich
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Benutzer-ID ist für Mitarbeiter {0} nicht eingegeben
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Benutzer-ID ist für Mitarbeiter {0} nicht eingegeben
 DocType: Vehicle,Vehicle Value,Fahrzeugwert
 DocType: Crop Cycle,Detected Diseases,Erkannte Krankheiten
 DocType: Stock Entry,Default Source Warehouse,Standard-Ausgangslager
 DocType: Item,Customer Code,Kunden-Nr.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Geburtstagserinnerung für {0}
 DocType: Asset Maintenance Task,Last Completion Date,Letztes Fertigstellungsdatum
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Tage seit dem letzten Auftrag
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Sollkonto muss ein Bilanzkonto sein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Sollkonto muss ein Bilanzkonto sein
 DocType: Asset,Naming Series,Nummernkreis
 DocType: Vital Signs,Coated,Beschichtet
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Zeile {0}: Erwarteter Wert nach Nutzungsdauer muss kleiner als Brutto Kaufbetrag sein
@@ -6358,15 +6427,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Lieferschein {0} darf nicht gebucht sein
 DocType: Notification Control,Sales Invoice Message,Mitteilung zur Ausgangsrechnung
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Abschlußkonto {0} muss vom Typ Verbindlichkeiten/Eigenkapital sein
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Gehaltsabrechnung der Mitarbeiter {0} bereits für Zeitblatt erstellt {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Gehaltsabrechnung der Mitarbeiter {0} bereits für Zeitblatt erstellt {1}
 DocType: Vehicle Log,Odometer,Tacho
 DocType: Production Plan Item,Ordered Qty,Bestellte Menge
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Artikel {0} ist deaktiviert
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Artikel {0} ist deaktiviert
 DocType: Stock Settings,Stock Frozen Upto,Bestand gesperrt bis
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,Stückliste enthält keine Lagerware
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,Stückliste enthält keine Lagerware
 DocType: Chapter,Chapter Head,Gruppen-Vorstand
 DocType: Payment Term,Month(s) after the end of the invoice month,Monat (e) nach dem Ende des Rechnungsmonats
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Gehaltsstruktur sollte flexible Leistungskomponente (n) haben, um den Leistungsbetrag auszuzahlen"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Gehaltsstruktur sollte flexible Leistungskomponente (n) haben, um den Leistungsbetrag auszuzahlen"
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projektaktivität/-vorgang.
 DocType: Vital Signs,Very Coated,Sehr überzogen
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Nur Steuerauswirkungen (Anspruch auf einen Teil des zu versteuernden Einkommens)
@@ -6384,7 +6453,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Abgerechnete Stunden
 DocType: Project,Total Sales Amount (via Sales Order),Gesamtverkaufsbetrag (über Kundenauftrag)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Standardstückliste für {0} nicht gefunden
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Zeile #{0}: Bitte Nachbestellmenge angeben
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Zeile #{0}: Bitte Nachbestellmenge angeben
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Tippen Sie auf Elemente, um sie hier hinzuzufügen"
 DocType: Fees,Program Enrollment,Programm Einschreibung
 DocType: Share Transfer,To Folio No,Zu Folio Nein
@@ -6425,9 +6494,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Kraft
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Voreinstellungen installieren
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Kein Lieferschein für den Kunden {} ausgewählt
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Kein Lieferschein für den Kunden {} ausgewählt
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Der Mitarbeiter {0} hat keinen maximalen Leistungsbetrag
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Wählen Sie die Positionen nach dem Lieferdatum aus
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Wählen Sie die Positionen nach dem Lieferdatum aus
 DocType: Grant Application,Has any past Grant Record,Hat einen früheren Grant Record
 ,Sales Analytics,Vertriebsanalyse
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Verfügbar {0}
@@ -6435,12 +6504,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Fertigungseinstellungen
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,E-Mail einrichten
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobil Nein
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Bitte die Standardwährung in die Firmenstammdaten eingeben
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Bitte die Standardwährung in die Firmenstammdaten eingeben
 DocType: Stock Entry Detail,Stock Entry Detail,Lagerbuchungsdetail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Tägliche Erinnerungen
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Tägliche Erinnerungen
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Alle offenen Tickets anzeigen
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Gesundheitswesen-Service-Baum
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produkt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produkt
 DocType: Products Settings,Home Page is Products,"Startseite ist ""Products"""
 ,Asset Depreciation Ledger,Anlagenabschreibungensbuch
 DocType: Salary Structure,Leave Encashment Amount Per Day,Hinterlegen Sie den Einzahlungsbetrag pro Tag
@@ -6450,8 +6519,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Kosten gelieferter Rohmaterialien
 DocType: Selling Settings,Settings for Selling Module,Einstellungen Verkauf
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotelzimmer Reservierung
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Kundenservice
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Kundenservice
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Keine Kontakte mit E-Mail-IDs gefunden.
 DocType: Item Customer Detail,Item Customer Detail,kundenspezifisches Artikeldetail
 DocType: Notification Control,Prompt for Email on Submission of,E-Mail anregen bei der Übertragung von
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Der maximale Leistungsbetrag von Mitarbeiter {0} übersteigt {1}
@@ -6461,13 +6531,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Artikel {0} muss ein Lagerartikel sein
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard-Fertigungslager
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Schedules für {0} Überlappungen, möchten Sie nach Überlappung überlappender Slots fortfahren?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Standardeinstellungen für Buchhaltungstransaktionen
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Standardeinstellungen für Buchhaltungstransaktionen
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Blätter
 DocType: Restaurant,Default Tax Template,Standardsteuervorlage
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studenten wurden angemeldet
 DocType: Fees,Student Details,Studenten Details
 DocType: Purchase Invoice Item,Stock Qty,Lagermenge
 DocType: Contract,Requires Fulfilment,Erfordert Erfüllung
+DocType: QuickBooks Migrator,Default Shipping Account,Standardversandkonto
 DocType: Loan,Repayment Period in Months,Rückzahlungsfrist in Monaten
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fehler: Keine gültige ID?
 DocType: Naming Series,Update Series Number,Nummernkreis-Wert aktualisieren
@@ -6481,11 +6552,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maximale Menge
 DocType: Journal Entry,Total Amount Currency,Insgesamt Betrag Währung
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Unterbaugruppen suchen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Artikelnummer wird in Zeile {0} benötigt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Artikelnummer wird in Zeile {0} benötigt
 DocType: GST Account,SGST Account,SGST-Konto
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Gehen Sie zu Artikeln
 DocType: Sales Partner,Partner Type,Partnertyp
-DocType: Purchase Taxes and Charges,Actual,Tatsächlich
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Tatsächlich
 DocType: Restaurant Menu,Restaurant Manager,Restaurantmanager
 DocType: Authorization Rule,Customerwise Discount,Kundenspezifischer Rabatt
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Zeitraport für Vorgänge.
@@ -6506,7 +6577,7 @@
 DocType: Employee,Cheque,Scheck
 DocType: Training Event,Employee Emails,Mitarbeiter E-Mails
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Serie aktualisiert
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Berichtstyp ist zwingend erforderlich
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Berichtstyp ist zwingend erforderlich
 DocType: Item,Serial Number Series,Serie der Seriennummer
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Angabe des Lagers ist für Lagerartikel {0} in Zeile {1} zwingend erfoderlich
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Einzel- & Großhandel
@@ -6536,7 +6607,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Aktualisieren Sie den Rechnungsbetrag im Kundenauftrag
 DocType: BOM,Materials,Materialien
 DocType: Leave Block List,"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, für die sie gelten soll, hinzugefügt werden."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Buchungsdatum und Buchungszeit sind zwingend erfoderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Buchungsdatum und Buchungszeit sind zwingend erfoderlich
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Steuervorlage für Einkaufstransaktionen
 ,Item Prices,Artikelpreise
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"""In Worten"" wird sichtbar, sobald Sie den Lieferantenauftrag speichern."
@@ -6552,12 +6623,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie für Abschreibungs-Eintrag (Journaleintrag)
 DocType: Membership,Member Since,Mitglied seit
 DocType: Purchase Invoice,Advance Payments,Anzahlungen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Bitte wählen Sie Gesundheitsdienst
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Bitte wählen Sie Gesundheitsdienst
 DocType: Purchase Taxes and Charges,On Net Total,Auf Nettosumme
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Wert für das Attribut {0} muss im Bereich von {1} bis {2} in den Schritten von {3} für Artikel {4}
 DocType: Restaurant Reservation,Waitlisted,Auf der Warteliste
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Ausnahmekategorie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,"Die Währung kann nicht geändert werden, wenn Buchungen in einer anderen Währung getätigt wurden"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,"Die Währung kann nicht geändert werden, wenn Buchungen in einer anderen Währung getätigt wurden"
 DocType: Shipping Rule,Fixed,Fest
 DocType: Vehicle Service,Clutch Plate,Kupplungsscheibe
 DocType: Company,Round Off Account,Konto für Rundungsdifferenzen
@@ -6566,7 +6637,7 @@
 DocType: Subscription Plan,Based on price list,Basierend auf der Preisliste
 DocType: Customer Group,Parent Customer Group,Übergeordnete Kundengruppe
 DocType: Vehicle Service,Change,Ändern
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Abonnement
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Abonnement
 DocType: Purchase Invoice,Contact Email,Kontakt-E-Mail
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Gebührenermittlung ausstehend
 DocType: Appraisal Goal,Score Earned,Erreichte Punktzahl
@@ -6593,23 +6664,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Forderungen-/Verbindlichkeiten-Konto
 DocType: Delivery Note Item,Against Sales Order Item,Zu Kundenauftrags-Position
 DocType: Company,Company Logo,Firmenlogo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Bitte Attributwert für Attribut {0} angeben
-DocType: Item Default,Default Warehouse,Standardlager
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Bitte Attributwert für Attribut {0} angeben
+DocType: QuickBooks Migrator,Default Warehouse,Standardlager
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budget kann nicht einem Gruppenkonto {0} zugeordnet werden
 DocType: Shopping Cart Settings,Show Price,Preis anzeigen
 DocType: Healthcare Settings,Patient Registration,Patientenregistrierung
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Bitte übergeordnete Kostenstelle eingeben
 DocType: Delivery Note,Print Without Amount,Drucken ohne Betrag
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Abschreibungen Datum
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Abschreibungen Datum
 ,Work Orders in Progress,Arbeitsaufträge in Bearbeitung
 DocType: Issue,Support Team,Support-Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Verfällt (in Tagen)
 DocType: Appraisal,Total Score (Out of 5),Gesamtwertung (max 5)
 DocType: Student Attendance Tool,Batch,Charge
 DocType: Support Search Source,Query Route String,Abfrage Route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Aktualisierungsrate wie beim letzten Kauf
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Aktualisierungsrate wie beim letzten Kauf
 DocType: Donor,Donor Type,Spendertyp
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Automatisches Wiederholungsdokument aktualisiert
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Automatisches Wiederholungsdokument aktualisiert
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Saldo
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Bitte wählen Sie das Unternehmen aus
 DocType: Job Card,Job Card,Jobkarte
@@ -6623,7 +6694,7 @@
 DocType: Assessment Result,Total Score,Gesamtpunktzahl
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 Standard
 DocType: Journal Entry,Debit Note,Lastschrift
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Sie können maximal {0} Punkte in dieser Reihenfolge einlösen.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Sie können maximal {0} Punkte in dieser Reihenfolge einlösen.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.JJJJ.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Bitte geben Sie API Consumer Secret ein
 DocType: Stock Entry,As per Stock UOM,Gemäß Lagermaßeinheit
@@ -6636,10 +6707,11 @@
 DocType: Journal Entry,Total Debit,Gesamt-Soll
 DocType: Travel Request Costing,Sponsored Amount,Gesponserte Menge
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standard-Fertigwarenlager
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Bitte wählen Sie Patient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Bitte wählen Sie Patient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Vertriebsmitarbeiter
 DocType: Hotel Room Package,Amenities,Ausstattung
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Budget und Kostenstellen
+DocType: QuickBooks Migrator,Undeposited Funds Account,Nicht eingezahltes Fondskonto
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Budget und Kostenstellen
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Mehrere Standard-Zahlungsarten sind nicht erlaubt
 DocType: Sales Invoice,Loyalty Points Redemption,Treuepunkte-Einlösung
 ,Appointment Analytics,Terminanalytik
@@ -6653,6 +6725,7 @@
 DocType: Batch,Manufacturing Date,Herstellungsdatum
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Gebührenermittlung fehlgeschlagen
 DocType: Opening Invoice Creation Tool,Create Missing Party,Erstelle fehlende Partei
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Gesamtbudget; Gesamtetat
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Lassen Sie dies leer, wenn Sie Studentengruppen pro Jahr anlegen."
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Falls diese Option aktiviert ist, beinhaltet die Gesamtanzahl der Arbeitstage auch Feiertage und der Wert ""Gehalt pro Tag"" wird reduziert"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Apps, die den aktuellen Schlüssel verwenden, können nicht darauf zugreifen, sind Sie sicher?"
@@ -6668,20 +6741,19 @@
 DocType: Opportunity Item,Basic Rate,Grundpreis
 DocType: GL Entry,Credit Amount,Guthaben-Summe
 DocType: Cheque Print Template,Signatory Position,Unterzeichner Position
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,"Als ""verloren"" markieren"
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,"Als ""verloren"" markieren"
 DocType: Timesheet,Total Billable Hours,Insgesamt abrechenbare Stunden
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Anzahl der Tage, an denen der Abonnent die von diesem Abonnement generierten Rechnungen bezahlen muss"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Details zum Leistungsantrag für Angestellte
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Zahlungsnachweis
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dies basiert auf Transaktionen gegen diesen Kunden. Siehe Zeitleiste unten für Details
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Zeile {0}: Zugewiesener Betrag {1} muss kleiner oder gleich der Zahlungsmenge {2} sein
 DocType: Program Enrollment Tool,New Academic Term,Neuer akademischer Begriff
 ,Course wise Assessment Report,Kursweise Assessment Report
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Erhaltene ITC-Status- / UT-Steuer
 DocType: Tax Rule,Tax Rule,Steuer-Regel
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Gleiche Preise während des gesamten Verkaufszyklus beibehalten
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Bitte melden Sie sich als anderer Benutzer an, um sich auf dem Marktplatz zu registrieren"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Bitte melden Sie sich als anderer Benutzer an, um sich auf dem Marktplatz zu registrieren"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Zeiten außerhalb der normalen Arbeitszeiten am Arbeitsplatz zulassen.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kunden in der Warteschlange
 DocType: Driver,Issuing Date,Ausstellungsdatum
@@ -6690,11 +6762,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Reichen Sie diesen Arbeitsauftrag zur weiteren Bearbeitung ein.
 ,Items To Be Requested,Anzufragende Artikel
 DocType: Company,Company Info,Informationen über das Unternehmen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Wählen oder neue Kunden hinzufügen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Wählen oder neue Kunden hinzufügen
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,"Eine Kostenstelle ist erforderlich, um einen Aufwandsanspruch zu buchen."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Mittelverwendung (Aktiva)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dies hängt von der Anwesenheit dieses Mitarbeiters ab
-DocType: Assessment Result,Summary,Zusammenfassung
 DocType: Payment Request,Payment Request Type,Zahlungsauftragstyp
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Markieren Sie die Anwesenheit
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Sollkonto
@@ -6702,7 +6773,7 @@
 DocType: Additional Salary,Employee Name,Mitarbeitername
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restaurantbestellzugangsposten
 DocType: Purchase Invoice,Rounded Total (Company Currency),Gerundete Gesamtsumme (Firmenwährung)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Kann nicht in keine Gruppe umgewandelt werden, weil Kontentyp ausgewählt ist."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Kann nicht in keine Gruppe umgewandelt werden, weil Kontentyp ausgewählt ist."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} wurde geändert. Bitte aktualisieren.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,"Benutzer davon abhalten, Urlaubsanträge für folgende Tage einzureichen."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Wenn die Treuepunkte unbegrenzt ablaufen, lassen Sie die Ablaufdauer leer oder 0."
@@ -6723,11 +6794,12 @@
 DocType: Asset,Out of Order,Außer Betrieb
 DocType: Purchase Receipt Item,Accepted Quantity,Angenommene Menge
 DocType: Projects Settings,Ignore Workstation Time Overlap,Arbeitszeitüberlappung ignorieren
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Bitte stellen Sie eine Standard-Feiertagsliste für Mitarbeiter {0} oder Gesellschaft {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Bitte stellen Sie eine Standard-Feiertagsliste für Mitarbeiter {0} oder Gesellschaft {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} existiert nicht
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Wählen Sie Chargennummern aus
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Zu GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Zu GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Rechnungen an Kunden
+DocType: Healthcare Settings,Invoice Appointments Automatically,Rechnungstermine automatisch
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt-ID
 DocType: Salary Component,Variable Based On Taxable Salary,Variable basiert auf steuerbarem Gehalt
 DocType: Company,Basic Component,Grundlegende Komponente
@@ -6740,10 +6812,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adresse des Quelllagers
 DocType: GL Entry,Voucher Type,Belegtyp
 DocType: Amazon MWS Settings,Max Retry Limit,Max. Wiederholungslimit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert
 DocType: Student Applicant,Approved,Genehmigt
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Preis
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Freigestellter Angestellter {0} muss als ""entlassen"" gekennzeichnet werden"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Freigestellter Angestellter {0} muss als ""entlassen"" gekennzeichnet werden"
 DocType: Marketplace Settings,Last Sync On,Letzte Synchronisierung an
 DocType: Guardian,Guardian,Wächter
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Alle Mitteilungen einschließlich und darüber sollen in die neue Ausgabe verschoben werden
@@ -6766,14 +6838,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Liste der erkannten Krankheiten auf dem Feld. Wenn diese Option ausgewählt ist, wird automatisch eine Liste mit Aufgaben zur Behandlung der Krankheit hinzugefügt"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Dies ist eine Root Healthcare Service Unit und kann nicht bearbeitet werden.
 DocType: Asset Repair,Repair Status,Reparaturstatus
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Verkaufspartner hinzufügen
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Buchungssätze
 DocType: Travel Request,Travel Request,Reiseantrag
 DocType: Delivery Note Item,Available Qty at From Warehouse,Verfügbare Stückzahl im Ausgangslager
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Bitte zuerst Mitarbeiterdatensatz auswählen.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Die Teilnahme wurde nicht für {0} übermittelt, da es sich um einen Feiertag handelt."
 DocType: POS Profile,Account for Change Amount,Konto für Änderungsbetrag
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Verbinden mit QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Gesamter Gewinn / Verlust
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Ungültige Firma für Inter-Company-Rechnung.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Ungültige Firma für Inter-Company-Rechnung.
 DocType: Purchase Invoice,input service,Eingabeservice
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Zeile {0}: Gruppe / Konto stimmt nicht mit {1} / {2} in {3} {4} überein
 DocType: Employee Promotion,Employee Promotion,Mitarbeiterförderung
@@ -6782,12 +6856,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kurscode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Bitte das Aufwandskonto angeben
 DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Bestellung, Rechnung oder Kaufjournaleintrag sein"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Bestellung, Rechnung oder Kaufjournaleintrag sein"
 DocType: Employee,Current Address,Aktuelle Adresse
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Wenn der Artikel eine Variante eines anderen Artikels ist, dann werden Beschreibung, Bild, Preise, Steuern usw. aus der Vorlage übernommen, sofern nicht ausdrücklich etwas angegeben ist."
 DocType: Serial No,Purchase / Manufacture Details,Einzelheiten zu Kauf / Herstellung
 DocType: Assessment Group,Assessment Group,Beurteilungsgruppe
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Chargenverwaltung
+DocType: Supplier,GST Transporter ID,GST-Transporter-ID
 DocType: Procedure Prescription,Procedure Name,Prozedurname
 DocType: Employee,Contract End Date,Vertragsende
 DocType: Amazon MWS Settings,Seller ID,Verkäufer-ID
@@ -6807,12 +6882,12 @@
 DocType: Company,Date of Incorporation,Gründungsdatum
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Summe Steuern
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Letzter Kaufpreis
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Für Menge (hergestellte Menge) ist zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Für Menge (hergestellte Menge) ist zwingend erforderlich
 DocType: Stock Entry,Default Target Warehouse,Standard-Eingangslager
 DocType: Purchase Invoice,Net Total (Company Currency),Nettosumme (Firmenwährung)
 DocType: Delivery Note,Air,Luft
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Das Jahr Enddatum kann nicht früher als das Jahr Startdatum. Bitte korrigieren Sie die Daten und versuchen Sie es erneut.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} befindet sich nicht in der optionalen Feiertagsliste
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} befindet sich nicht in der optionalen Feiertagsliste
 DocType: Notification Control,Purchase Receipt Message,Kaufbeleg-Nachricht
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Ausschussartikel
@@ -6834,23 +6909,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Erfüllung
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Auf vorherigen Zeilenbetrag
 DocType: Item,Has Expiry Date,Hat Ablaufdatum
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Vermögenswert übertragen
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Vermögenswert übertragen
 DocType: POS Profile,POS Profile,Verkaufsstellen-Profil
 DocType: Training Event,Event Name,Veranstaltungsname
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Büro)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Kann nicht übergeben werden, Mitarbeiter sind zur Teilnahme zugelassen"
 DocType: Inpatient Record,Admission,Eintritt
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Zulassung für {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Saisonbedingte Besonderheiten zu Budgets, Zielen usw."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Saisonbedingte Besonderheiten zu Budgets, Zielen usw."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variablenname
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Artikel {0} ist eine Vorlage, bitte eine seiner Varianten wählen"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Bitte richten Sie das Mitarbeiterbenennungssystem in Human Resource&gt; HR Settings ein
+DocType: Purchase Invoice Item,Deferred Expense,Rechnungsabgrenzungsposten
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Von Datum {0} kann nicht vor dem Beitrittsdatum des Mitarbeiters sein {1}
 DocType: Asset,Asset Category,Anlagekategorie
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Nettolohn kann nicht negativ sein
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Nettolohn kann nicht negativ sein
 DocType: Purchase Order,Advance Paid,Angezahlt
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Überproduktionsprozentsatz für Kundenauftrag
 DocType: Item,Item Tax,Artikelsteuer
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Material an den Lieferanten
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Material an den Lieferanten
 DocType: Soil Texture,Loamy Sand,Lehmiger Sand
 DocType: Production Plan,Material Request Planning,Materialanforderungsplanung
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Verbrauch Rechnung
@@ -6872,11 +6949,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Scheduling-Werkzeug
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kreditkarte
 DocType: BOM,Item to be manufactured or repacked,Zu fertigender oder umzupackender Artikel
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Syntaxfehler in Bedingung: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Syntaxfehler in Bedingung: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Wichtiger/wahlweiser Betreff
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Bitte legen Sie die Lieferantengruppe in den Kaufeinstellungen fest.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Bitte legen Sie die Lieferantengruppe in den Kaufeinstellungen fest.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Der Gesamtbetrag der flexiblen Leistungskomponente {0} sollte nicht kleiner sein als der maximale Nutzen {1}
 DocType: Sales Invoice Item,Drop Ship,Streckengeschäft
 DocType: Driver,Suspended,Suspendiert
@@ -6896,7 +6973,7 @@
 DocType: Customer,Commission Rate,Provisionssatz
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Zahlungseinträge wurden erfolgreich erstellt
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Erstellte {0} Scorecards für {1} zwischen:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Variante anlegen
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Variante anlegen
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Zahlungsart muss eine der Receive sein, Pay und interne Übertragung"
 DocType: Travel Itinerary,Preferred Area for Lodging,Bevorzugte Wohngegend
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analysetools
@@ -6907,7 +6984,7 @@
 DocType: Work Order,Actual Operating Cost,Tatsächliche Betriebskosten
 DocType: Payment Entry,Cheque/Reference No,Scheck-/ Referenznummer
 DocType: Soil Texture,Clay Loam,Ton Lehm
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root kann nicht bearbeitet werden.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root kann nicht bearbeitet werden.
 DocType: Item,Units of Measure,Maßeinheiten
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Vermietet in Metro City
 DocType: Supplier,Default Tax Withholding Config,Standardsteuerverweigerung-Konfiguration
@@ -6925,21 +7002,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"Nach Abschluss der Zahlung, Benutzer auf ausgewählte Seite weiterleiten."
 DocType: Company,Existing Company,Bestehende Firma
 DocType: Healthcare Settings,Result Emailed,Ergebnis per E-Mail gesendet
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Steuer-Kategorie wurde in ""Total"" geändert, da alle Artikel keine Lagerartikel sind"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Steuer-Kategorie wurde in ""Total"" geändert, da alle Artikel keine Lagerartikel sind"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Bis heute kann nicht gleich oder weniger als von Datum sein
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nichts zu ändern
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Bitte eine CSV-Datei auswählen.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Bitte eine CSV-Datei auswählen.
 DocType: Holiday List,Total Holidays,Insgesamt Feiertage
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Fehlende E-Mail-Vorlage für den Versand. Bitte legen Sie einen in den Liefereinstellungen fest.
 DocType: Student Leave Application,Mark as Present,Als anwesend markieren
 DocType: Supplier Scorecard,Indicator Color,Indikatorfarbe
 DocType: Purchase Order,To Receive and Bill,Um zu empfangen und abzurechnen
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Zeilennr. {0}: Erforderlich nach Datum darf nicht vor dem Transaktionsdatum liegen
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Zeilennr. {0}: Erforderlich nach Datum darf nicht vor dem Transaktionsdatum liegen
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Ausgewählte Artikel
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Wählen Sie Seriennr
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Wählen Sie Seriennr
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Konstrukteur
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Vorlage für Allgemeine Geschäftsbedingungen
 DocType: Serial No,Delivery Details,Lieferdetails
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Kostenstelle wird in Zeile {0} der Steuertabelle für Typ {1} gebraucht
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Kostenstelle wird in Zeile {0} der Steuertabelle für Typ {1} gebraucht
 DocType: Program,Program Code,Programmcode
 DocType: Terms and Conditions,Terms and Conditions Help,Allgemeine Geschäftsbedingungen Hilfe
 ,Item-wise Purchase Register,Artikelbezogene Übersicht der Einkäufe
@@ -6952,15 +7030,16 @@
 DocType: Contract,Contract Terms,Vertragsbedingungen
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Kein Symbol wie € o.Ä. neben Währungen anzeigen.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Der maximale Leistungsbetrag der Komponente {0} übersteigt {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Halbtags)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Halbtags)
 DocType: Payment Term,Credit Days,Zahlungsziel
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Bitte wählen Sie Patient, um Labortests zu erhalten"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Machen Schüler Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Transfer für die Herstellung zulassen
 DocType: Leave Type,Is Carry Forward,Ist Übertrag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Artikel aus der Stückliste holen
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Artikel aus der Stückliste holen
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lieferzeittage
 DocType: Cash Flow Mapping,Is Income Tax Expense,Ist Einkommensteueraufwand
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Ihre Bestellung ist versandbereit!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Zeile Nr. {0}: Datum der Veröffentlichung muss gleich dem Kaufdatum {1} des Vermögenswertes {2} sein
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Überprüfen Sie dies, wenn der Student im Gasthaus des Instituts wohnt."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Bitte geben Sie Kundenaufträge in der obigen Tabelle
@@ -6968,10 +7047,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Übertragen Sie einen Vermögenswert von einem Lager zum anderen
 DocType: Vehicle,Petrol,Benzin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Verbleibende Vorteile (jährlich)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Stückliste
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Stückliste
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Zeile {0}: Gruppen-Typ und Gruppe sind für Forderungen-/Verbindlichkeiten-Konto {1} zwingend erforderlich
 DocType: Employee,Leave Policy,Urlaubsrichtlinie
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Artikel aktualisieren
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Artikel aktualisieren
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref-Datum
 DocType: Employee,Reason for Leaving,Grund für den Austritt
 DocType: BOM Operation,Operating Cost(Company Currency),Betriebskosten (Gesellschaft Währung)
@@ -6982,7 +7061,7 @@
 DocType: Department,Expense Approvers,Auslagengenehmiger
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Zeile {0}: Sollbuchung kann nicht mit ein(em) {1} verknüpft werden
 DocType: Journal Entry,Subscription Section,Abonnementbereich
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Konto {0} existiert nicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Konto {0} existiert nicht
 DocType: Training Event,Training Program,Trainingsprogramm
 DocType: Account,Cash,Bargeld
 DocType: Employee,Short biography for website and other publications.,Kurzbiographie für die Webseite und andere Publikationen.
diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv
index 318dc66..6ea7451 100644
--- a/erpnext/translations/el.csv
+++ b/erpnext/translations/el.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Είδη πελάτη
 DocType: Project,Costing and Billing,Κοστολόγηση και Τιμολόγηση
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Το νόμισμα προπληρωμένου λογαριασμού θα πρέπει να είναι ίδιο με το νόμισμα της εταιρείας {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν μπορεί να είναι καθολικός
+DocType: QuickBooks Migrator,Token Endpoint,Σημείο τελικού σημείου
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν μπορεί να είναι καθολικός
 DocType: Item,Publish Item to hub.erpnext.com,Δημοσίευση είδους στο hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Δεν είναι δυνατή η εύρεση ενεργής περιόδου άδειας
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Δεν είναι δυνατή η εύρεση ενεργής περιόδου άδειας
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Αξιολόγηση
 DocType: Item,Default Unit of Measure,Προεπιλεγμένη μονάδα μέτρησης
 DocType: SMS Center,All Sales Partner Contact,Όλες οι επαφές συνεργάτη πωλήσεων
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Κάντε κλικ στο Enter to Add
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Λείπει τιμή για τον κωδικό πρόσβασης, το κλειδί API ή τη διεύθυνση URL του Shopify"
 DocType: Employee,Rented,Νοικιασμένο
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Όλοι οι λογαριασμοί
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Όλοι οι λογαριασμοί
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Δεν είναι δυνατή η μεταφορά υπαλλήλου με κατάσταση αριστερά
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Σταμάτησε Παραγγελία παραγωγή δεν μπορεί να ακυρωθεί, θα ξεβουλώνω πρώτα να ακυρώσετε"
 DocType: Vehicle Service,Mileage,Απόσταση σε μίλια
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Θέλετε πραγματικά να καταργήσει αυτό το περιουσιακό στοιχείο;
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Θέλετε πραγματικά να καταργήσει αυτό το περιουσιακό στοιχείο;
 DocType: Drug Prescription,Update Schedule,Ενημέρωση Προγραμματισμού
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Επιλέξτε Προεπιλογή Προμηθευτής
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Εμφάνιση υπαλλήλου
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Νέος συναλλαγματικός συντελεστής
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Το νόμισμα είναι απαραίτητο για τον τιμοκατάλογο {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Το νόμισμα είναι απαραίτητο για τον τιμοκατάλογο {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Θα υπολογίζεται στη συναλλαγή.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Επικοινωνία Πελατών
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Αυτό βασίζεται σε πράξεις εναντίον αυτής της επιχείρησης. Δείτε χρονοδιάγραμμα παρακάτω για λεπτομέρειες
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Ποσοστό υπερπαραγωγής για παραγγελία εργασίας
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Νομικός
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Νομικός
+DocType: Delivery Note,Transport Receipt Date,Ημερομηνία παραλαβής μεταφοράς
 DocType: Shopify Settings,Sales Order Series,Σειρά παραγγελιών πωλήσεων
 DocType: Vital Signs,Tongue,Γλώσσα
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Εξαίρεση HRA
 DocType: Sales Invoice,Customer Name,Όνομα πελάτη
 DocType: Vehicle,Natural Gas,Φυσικό αέριο
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Ο τραπεζικός λογαριασμός δεν μπορεί να ονομαστεί ως {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Ο τραπεζικός λογαριασμός δεν μπορεί να ονομαστεί ως {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA σύμφωνα με τη δομή μισθοδοσίας
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Κύριες εγγραφές (ή ομάδες) κατά τις οποίες δημιουργούνται λογιστικές εγγραφές διατηρούνται υπόλοιπα.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Η εκκρεμότητα για {0} δεν μπορεί να είναι μικρότερη από το μηδέν ( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Η ημερομηνία διακοπής υπηρεσίας δεν μπορεί να είναι πριν από την Ημερομηνία Έναρξης Service
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Η ημερομηνία διακοπής υπηρεσίας δεν μπορεί να είναι πριν από την Ημερομηνία Έναρξης Service
 DocType: Manufacturing Settings,Default 10 mins,Προεπιλογή 10 λεπτά
 DocType: Leave Type,Leave Type Name,Όνομα τύπου άδειας
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Εμφάνιση ανοιχτή
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Εμφάνιση ανοιχτή
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Η σειρά ενημερώθηκε με επιτυχία
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Αποχώρηση
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} στη σειρά {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} στη σειρά {1}
 DocType: Asset Finance Book,Depreciation Start Date,Ημερομηνία έναρξης απόσβεσης
 DocType: Pricing Rule,Apply On,Εφάρμοσε σε
 DocType: Item Price,Multiple Item prices.,Πολλαπλές τιμές είδους.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Ρυθμίσεις υποστήριξη
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Αναμενόμενη ημερομηνία λήξης δεν μπορεί να είναι μικρότερη από την αναμενόμενη ημερομηνία έναρξης
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Ρυθμίσεις
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Σειρά # {0}: Βαθμολογία πρέπει να είναι ίδιο με το {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Σειρά # {0}: Βαθμολογία πρέπει να είναι ίδιο με το {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Παρτίδα Θέση λήξης Κατάσταση
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Τραπεζική επιταγή
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Κύρια στοιχεία επικοινωνίας
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Ανοιχτά Θέματα
 DocType: Production Plan Item,Production Plan Item,Είδος σχεδίου παραγωγής
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Ο χρήστης {0} έχει ήδη ανατεθεί στον εργαζομένο {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Ο χρήστης {0} έχει ήδη ανατεθεί στον εργαζομένο {1}
 DocType: Lab Test Groups,Add new line,Προσθέστε νέα γραμμή
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Υγειονομική περίθαλψη
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Καθυστέρηση στην πληρωμή (Ημέρες)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Συνταγή
 ,Delay Days,Ημέρες καθυστέρησης
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Δαπάνη παροχής υπηρεσιών
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Σειριακός αριθμός: {0} αναφέρεται ήδη στο Τιμολόγιο Πωλήσεων: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Σειριακός αριθμός: {0} αναφέρεται ήδη στο Τιμολόγιο Πωλήσεων: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Τιμολόγιο
 DocType: Purchase Invoice Item,Item Weight Details,Λεπτομέρειες βάρους στοιχείου
 DocType: Asset Maintenance Log,Periodicity,Περιοδικότητα
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Χρήσεως {0} απαιτείται
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Προμηθευτής&gt; Ομάδα προμηθευτών
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Η ελάχιστη απόσταση μεταξύ σειρών φυτών για βέλτιστη ανάπτυξη
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Άμυνα
 DocType: Salary Component,Abbr,Συντ.
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Λίστα αργιών
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Λογιστής
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Τιμοκατάλογος πώλησης
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Τιμοκατάλογος πώλησης
 DocType: Patient,Tobacco Current Use,Καπνός τρέχουσα χρήση
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Πωλήσεις
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Πωλήσεις
 DocType: Cost Center,Stock User,Χρήστης Αποθεματικού
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / Κ
+DocType: Delivery Stop,Contact Information,Στοιχεία επικοινωνίας
 DocType: Company,Phone No,Αρ. Τηλεφώνου
 DocType: Delivery Trip,Initial Email Notification Sent,Αρχική ειδοποίηση ηλεκτρονικού ταχυδρομείου που αποστέλλεται
 DocType: Bank Statement Settings,Statement Header Mapping,Αντιστοίχιση επικεφαλίδας καταστάσεων
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Ημερομηνία Έναρξης Συνδρομής
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Προκαθορισμένοι εισπρακτέοι λογαριασμοί που πρέπει να χρησιμοποιηθούν εάν δεν έχουν οριστεί στον Ασθενή για την κράτηση χρεώσεων διορισμού.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Επισυνάψτε αρχείο .csv με δύο στήλες, μία για το παλιό όνομα και μία για το νέο όνομα"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Από τη διεύθυνση 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Κωδικός στοιχείου&gt; Ομάδα στοιχείων&gt; Μάρκα
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Από τη διεύθυνση 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} δεν είναι σε καμία ενεργή χρήση.
 DocType: Packed Item,Parent Detail docname,Όνομα αρχείου γονικής λεπτομέρεια
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Αναφορά: {0}, Κωδικός είδους: {1} και Πελάτης: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} δεν υπάρχει στη μητρική εταιρεία
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} δεν υπάρχει στη μητρική εταιρεία
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Η ημερομηνία λήξης της δοκιμαστικής περιόδου δεν μπορεί να είναι πριν την ημερομηνία έναρξης της δοκιμαστικής περιόδου
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Κατηγορίες παρακράτησης φόρου
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Διαφήμιση
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ίδια Εταιρεία καταχωρήθηκε περισσότερο από μία φορά
 DocType: Patient,Married,Παντρεμένος
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Δεν επιτρέπεται η {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Δεν επιτρέπεται η {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Πάρτε τα στοιχεία από
 DocType: Price List,Price Not UOM Dependant,Τιμή Δεν εξαρτάται από UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Εφαρμόστε το ποσό παρακρατήσεως φόρου
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Το απόθεμα δεν μπορεί να ανανεωθεί σύμφωνα με το δελτίο αποστολής {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Συνολικό ποσό που πιστώνεται
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Το απόθεμα δεν μπορεί να ανανεωθεί σύμφωνα με το δελτίο αποστολής {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Συνολικό ποσό που πιστώνεται
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Προϊόν {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Δεν αναγράφονται στοιχεία
 DocType: Asset Repair,Error Description,Περιγραφή σφάλματος
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Χρησιμοποιήστε την προσαρμοσμένη μορφή ροής μετρητών
 DocType: SMS Center,All Sales Person,Όλοι οι πωλητές
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Μηνιαία Κατανομή ** σας βοηθά να διανείμετε το Οικονομικό / Target σε όλη μήνες, αν έχετε την εποχικότητα στην επιχείρησή σας."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Δεν βρέθηκαν στοιχεία
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Δομή του μισθού που λείπουν
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Δεν βρέθηκαν στοιχεία
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Δομή του μισθού που λείπουν
 DocType: Lead,Person Name,Όνομα Πρόσωπο
 DocType: Sales Invoice Item,Sales Invoice Item,Είδος τιμολογίου πώλησης
 DocType: Account,Credit,Πίστωση
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Αναφορές απόθεμα
 DocType: Warehouse,Warehouse Detail,Λεπτομέρειες αποθήκης
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Το τέλος Όρος ημερομηνία δεν μπορεί να είναι μεταγενέστερη της χρονιάς Ημερομηνία Λήξης του Ακαδημαϊκού Έτους στην οποία ο όρος συνδέεται (Ακαδημαϊκό Έτος {}). Διορθώστε τις ημερομηνίες και προσπαθήστε ξανά.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Είναι Παγίων&quot; δεν μπορεί να είναι ανεξέλεγκτη, καθώς υπάρχει Asset ρεκόρ έναντι του στοιχείου"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Είναι Παγίων&quot; δεν μπορεί να είναι ανεξέλεγκτη, καθώς υπάρχει Asset ρεκόρ έναντι του στοιχείου"
 DocType: Delivery Trip,Departure Time,Ωρα αναχώρησης
 DocType: Vehicle Service,Brake Oil,Brake Oil
 DocType: Tax Rule,Tax Type,Φορολογική Τύπος
 ,Completed Work Orders,Ολοκληρωμένες Εντολές Εργασίας
 DocType: Support Settings,Forum Posts,Δημοσιεύσεις φόρουμ
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Υποχρεωτικό ποσό
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Υποχρεωτικό ποσό
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Δεν επιτρέπεται να προσθέσετε ή να ενημερώσετε τις καταχωρήσεις πριν από {0}
 DocType: Leave Policy,Leave Policy Details,Αφήστε τα στοιχεία πολιτικής
 DocType: BOM,Item Image (if not slideshow),Φωτογραφία είδους (αν όχι slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Ώρα Βαθμολογήστε / 60) * Πραγματικός χρόνος λειτουργίας
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Γραμμή # {0}: Ο τύπος εγγράφου αναφοράς πρέπει να είναι ένας από τους λογαριασμούς διεκδίκησης εξόδων ή καταχώρησης ημερολογίου
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Επιλέξτε BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Γραμμή # {0}: Ο τύπος εγγράφου αναφοράς πρέπει να είναι ένας από τους λογαριασμούς διεκδίκησης εξόδων ή καταχώρησης ημερολογίου
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Επιλέξτε BOM
 DocType: SMS Log,SMS Log,Αρχείο καταγραφής SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Κόστος των προϊόντων που έχουν παραδοθεί
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Οι διακοπές σε {0} δεν είναι μεταξύ Από Ημερομηνία και μέχρι σήμερα
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Πρότυπα κατάταξης προμηθευτών.
 DocType: Lead,Interested,Ενδιαφερόμενος
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Άνοιγμα
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Από {0} έως {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Από {0} έως {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Πρόγραμμα:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Αποτυχία ορισμού φόρων
 DocType: Item,Copy From Item Group,Αντιγραφή από ομάδα ειδών
-DocType: Delivery Trip,Delivery Notification,Ειδοποίηση παράδοσης
 DocType: Journal Entry,Opening Entry,Αρχική καταχώρηση
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Ο λογαριασμός πληρώνουν μόνο
 DocType: Loan,Repay Over Number of Periods,Εξοφλήσει Πάνω αριθμός των περιόδων
 DocType: Stock Entry,Additional Costs,Πρόσθετα έξοδα
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα.
 DocType: Lead,Product Enquiry,Ερώτηση για προϊόν
 DocType: Education Settings,Validate Batch for Students in Student Group,Επικύρωση παρτίδας για σπουδαστές σε ομάδα σπουδαστών
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Δεν ρεκόρ άδεια βρέθηκαν για εργαζόμενο {0} για {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Παρακαλώ εισάγετε πρώτα εταιρεία
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Επιλέξτε την εταιρεία πρώτα
 DocType: Employee Education,Under Graduate,Τελειόφοιτος
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Ορίστε το προεπιλεγμένο πρότυπο για την Ενημέρωση κατάστασης αδείας στις Ρυθμίσεις HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Ορίστε το προεπιλεγμένο πρότυπο για την Ενημέρωση κατάστασης αδείας στις Ρυθμίσεις HR.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Στόχος στις
 DocType: BOM,Total Cost,Συνολικό κόστος
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Κατάσταση λογαριασμού
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Φαρμακευτική
 DocType: Purchase Invoice Item,Is Fixed Asset,Είναι Παγίων
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Διαθέσιμη ποσότητα είναι {0}, θα πρέπει να έχετε {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Διαθέσιμη ποσότητα είναι {0}, θα πρέπει να έχετε {1}"
 DocType: Expense Claim Detail,Claim Amount,Ποσό απαίτησης
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Η εντολή εργασίας ήταν {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Πρότυπο επιθεώρησης ποιότητας
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Θέλετε να ενημερώσετε τη συμμετοχή; <br> Παρόν: {0} \ <br> Απών: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Η αποδεκτή + η απορριπτέα ποσότητα πρέπει να είναι ίση με την ληφθείσα ποσότητα για το είδος {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Η αποδεκτή + η απορριπτέα ποσότητα πρέπει να είναι ίση με την ληφθείσα ποσότητα για το είδος {0}
 DocType: Item,Supply Raw Materials for Purchase,Παροχή Πρώτων Υλών για Αγορά
 DocType: Agriculture Analysis Criteria,Fertilizer,Λίπασμα
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Δεν είναι δυνατή η εξασφάλιση της παράδοσης με σειριακό αριθμό, καθώς προστίθεται το στοιχείο {0} με και χωρίς την παράμετρο &quot;Εξασφαλίστε την παράδοση&quot; με \"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Τουλάχιστον ένα τρόπο πληρωμής απαιτείται για POS τιμολόγιο.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Τουλάχιστον ένα τρόπο πληρωμής απαιτείται για POS τιμολόγιο.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Στοιχείο Τιμολογίου Συναλλαγής Τραπεζικής Κατάστασης
 DocType: Products Settings,Show Products as a List,Εμφάνιση προϊόντων ως Λίστα
 DocType: Salary Detail,Tax on flexible benefit,Φόρος με ευέλικτο όφελος
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Διαφορά Ποσ
 DocType: Production Plan,Material Request Detail,Λεπτομέρειες αιτήματος υλικού
 DocType: Selling Settings,Default Quotation Validity Days,Προεπιλεγμένες ημέρες ισχύος της προσφοράς
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Για να περιληφθούν οι φόροι στη γραμμή {0} της τιμής είδους, οι φόροι στις γραμμές {1} πρέπει επίσης να συμπεριληφθούν"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Για να περιληφθούν οι φόροι στη γραμμή {0} της τιμής είδους, οι φόροι στις γραμμές {1} πρέπει επίσης να συμπεριληφθούν"
 DocType: SMS Center,SMS Center,Κέντρο SMS
 DocType: Payroll Entry,Validate Attendance,Επικύρωση συμμετοχής
 DocType: Sales Invoice,Change Amount,αλλαγή Ποσό
 DocType: Party Tax Withholding Config,Certificate Received,Το πιστοποιητικό λήφθηκε
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Ορίστε τιμή τιμολογίου για B2C. B2CL και B2CS που υπολογίζονται βάσει αυτής της τιμής τιμολογίου.
 DocType: BOM Update Tool,New BOM,Νέα Λ.Υ.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Προβλεπόμενες Διαδικασίες
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Προβλεπόμενες Διαδικασίες
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Εμφάνιση μόνο POS
 DocType: Supplier Group,Supplier Group Name,Όνομα ομάδας προμηθευτών
 DocType: Driver,Driving License Categories,Κατηγορίες Άδειας οδήγησης
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Περίοδοι μισθοδοσίας
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Κάντε Υπάλληλος
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Εκπομπή
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Λειτουργία ρύθμισης POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Λειτουργία ρύθμισης POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Απενεργοποιεί τη δημιουργία αρχείων καταγραφής χρόνου κατά των παραγγελιών εργασίας. Οι πράξεις δεν πρέπει να παρακολουθούνται ενάντια στην εντολή εργασίας
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Εκτέλεση
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Λεπτομέρειες σχετικά με τις λειτουργίες που πραγματοποιούνται.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Έκπτωση στις Τιμοκατάλογος Ποσοστό (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Πρότυπο στοιχείου
 DocType: Job Offer,Select Terms and Conditions,Επιλέξτε Όροι και Προϋποθέσεις
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,από Αξία
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,από Αξία
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Στοιχείο ρυθμίσεων τραπεζικής δήλωσης
 DocType: Woocommerce Settings,Woocommerce Settings,Ρυθμίσεις Woocommerce
 DocType: Production Plan,Sales Orders,Παραγγελίες πωλήσεων
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Το αίτημα για προσφορά μπορεί να προσπελαστεί κάνοντας κλικ στον παρακάτω σύνδεσμο
 DocType: SG Creation Tool Course,SG Creation Tool Course,ΓΓ Δημιουργία μαθήματος Εργαλείο
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Περιγραφή πληρωμής
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Ανεπαρκές Αποθεματικό
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Ανεπαρκές Αποθεματικό
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Απενεργοποίηση προγραμματισμός της χωρητικότητας και την παρακολούθηση του χρόνου
 DocType: Email Digest,New Sales Orders,Νέες παραγγελίες πωλήσεων
 DocType: Bank Account,Bank Account,Τραπεζικός λογαριασμός
 DocType: Travel Itinerary,Check-out Date,Ημερομηνία αναχώρησης
 DocType: Leave Type,Allow Negative Balance,Επίτρεψε αρνητικό ισοζύγιο
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Δεν μπορείτε να διαγράψετε τον τύπο έργου &#39;Εξωτερικό&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Επιλέξτε Εναλλακτικό στοιχείο
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Επιλέξτε Εναλλακτικό στοιχείο
 DocType: Employee,Create User,Δημιουργία χρήστη
 DocType: Selling Settings,Default Territory,Προεπιλεγμένη περιοχή
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Τηλεόραση
 DocType: Work Order Operation,Updated via 'Time Log',Ενημέρωση μέσω 'αρχείου καταγραφής χρονολογίου'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Επιλέξτε τον πελάτη ή τον προμηθευτή.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},ποσό της προκαταβολής δεν μπορεί να είναι μεγαλύτερη από {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},ποσό της προκαταβολής δεν μπορεί να είναι μεγαλύτερη από {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Η χρονική θυρίδα παρακάμπτεται, η υποδοχή {0} έως {1} επικαλύπτει την υπάρχουσα υποδοχή {2} έως {3}"
 DocType: Naming Series,Series List for this Transaction,Λίστα σειράς για αυτή τη συναλλαγή
 DocType: Company,Enable Perpetual Inventory,Ενεργοποίηση διαρκούς απογραφής
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Κατά το είδος στο τιμολόγιο πώλησης
 DocType: Agriculture Analysis Criteria,Linked Doctype,Linked Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Καθαρές ροές από επενδυτικές
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage είναι πλήρης, δεν έσωσε"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage είναι πλήρης, δεν έσωσε"
 DocType: Lead,Address & Contact,Διεύθυνση & Επαφή
 DocType: Leave Allocation,Add unused leaves from previous allocations,Προσθήκη αχρησιμοποίητα φύλλα από προηγούμενες κατανομές
 DocType: Sales Partner,Partner website,Συνεργαζόμενη διαδικτυακή
@@ -446,10 +446,10 @@
 ,Open Work Orders,Άνοιγμα παραγγελιών εργασίας
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Στοιχείο χρέωσης συμβουλευτικής για ασθενείς
 DocType: Payment Term,Credit Months,Πιστωτικοί Μήνες
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Καθαρές αποδοχές δεν μπορεί να είναι μικρότερη από 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Καθαρές αποδοχές δεν μπορεί να είναι μικρότερη από 0
 DocType: Contract,Fulfilled,Εκπληρωμένη
 DocType: Inpatient Record,Discharge Scheduled,Εκφόρτωση Προγραμματισμένη
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Η ημερομηνία απαλλαγής πρέπει να είναι μεταγενέστερη από την ημερομηνία ένταξης
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Η ημερομηνία απαλλαγής πρέπει να είναι μεταγενέστερη από την ημερομηνία ένταξης
 DocType: POS Closing Voucher,Cashier,Ταμίας
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Αφήνει ανά έτος
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Γραμμή {0}: παρακαλώ επιλέξτε το «είναι προκαταβολή» έναντι του λογαριασμού {1} αν αυτό είναι μια καταχώρηση προκαταβολής.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Ρυθμίστε τους φοιτητές κάτω από ομάδες φοιτητών
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Ολοκλήρωση εργασίας
 DocType: Item Website Specification,Item Website Specification,Προδιαγραφή ιστότοπου για το είδος
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Η άδεια εμποδίστηκε
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Το είδος {0} έχει φτάσει στο τέλος της διάρκειας ζωής του στο {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Η άδεια εμποδίστηκε
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Το είδος {0} έχει φτάσει στο τέλος της διάρκειας ζωής του στο {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Τράπεζα Καταχωρήσεις
 DocType: Customer,Is Internal Customer,Είναι Εσωτερικός Πελάτης
 DocType: Crop,Annual,Ετήσιος
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Εάν είναι ενεργοποιημένη η επιλογή Auto Opt In, οι πελάτες θα συνδεθούν αυτόματα με το σχετικό πρόγραμμα αφοσίωσης (κατά την αποθήκευση)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Είδος συμφωνίας αποθέματος
 DocType: Stock Entry,Sales Invoice No,Αρ. Τιμολογίου πώλησης
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Τύπος τροφοδοσίας
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Τύπος τροφοδοσίας
 DocType: Material Request Item,Min Order Qty,Ελάχιστη ποσότητα παραγγελίας
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Μάθημα Ομάδα μαθητή Εργαλείο Δημιουργίας
 DocType: Lead,Do Not Contact,Μην επικοινωνείτε
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Δημοσίευση στο hub
 DocType: Student Admission,Student Admission,Η είσοδος φοιτητής
 ,Terretory,Περιοχή
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Το είδος {0} είναι ακυρωμένο
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Το είδος {0} είναι ακυρωμένο
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Γραμμή απόσβεσης {0}: Η ημερομηνία έναρξης απόσβεσης καταχωρείται ως ημερομηνία λήξης
 DocType: Contract Template,Fulfilment Terms and Conditions,Όροι και προϋποθέσεις εκπλήρωσης
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Αίτηση υλικού
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Αίτηση υλικού
 DocType: Bank Reconciliation,Update Clearance Date,Ενημέρωση ημερομηνίας εκκαθάρισης
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Λεπτομέρειες αγοράς
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Θέση {0} δεν βρέθηκε στο «πρώτες ύλες που προμηθεύεται« πίνακα Εντολή Αγοράς {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Θέση {0} δεν βρέθηκε στο «πρώτες ύλες που προμηθεύεται« πίνακα Εντολή Αγοράς {1}
 DocType: Salary Slip,Total Principal Amount,Συνολικό αρχικό ποσό
 DocType: Student Guardian,Relation,Σχέση
 DocType: Student Guardian,Mother,Μητέρα
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,County ναυτιλία
 DocType: Currency Exchange,For Selling,Για την πώληση
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Μαθαίνω
+DocType: Purchase Invoice Item,Enable Deferred Expense,Ενεργοποίηση αναβαλλόμενου εξόδου
 DocType: Asset,Next Depreciation Date,Επόμενο Ημερομηνία Αποσβέσεις
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Δραστηριότητα κόστος ανά εργαζόμενο
 DocType: Accounts Settings,Settings for Accounts,Ρυθμίσεις για τους λογαριασμούς
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Προμηθευτής τιμολόγιο αριθ υπάρχει στην Αγορά Τιμολόγιο {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Προμηθευτής τιμολόγιο αριθ υπάρχει στην Αγορά Τιμολόγιο {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Διαχειριστείτε το δέντρο πωλητών.
 DocType: Job Applicant,Cover Letter,συνοδευτική επιστολή
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Εξαιρετική επιταγές και καταθέσεις για να καθαρίσετε
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Ιστορικό εξωτερικής εργασίας
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Κυκλικού λάθους Αναφορά
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Κάρτα αναφοράς φοιτητών
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Από τον Κωδικό Pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Από τον Κωδικό Pin
 DocType: Appointment Type,Is Inpatient,Είναι νοσηλευόμενος
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Όνομα Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Με λόγια (εξαγωγή) θα είναι ορατά αφού αποθηκεύσετε το δελτίο αποστολής.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Πολλαπλό Νόμισμα
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Τύπος τιμολογίου
 DocType: Employee Benefit Claim,Expense Proof,Έξοδα απόδειξη
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Δελτίο αποστολής
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Αποθήκευση {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Δελτίο αποστολής
 DocType: Patient Encounter,Encounter Impression,Αντιμετώπιση εντυπώσεων
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ρύθμιση Φόροι
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Κόστος πωληθέντων περιουσιακών στοιχείων
 DocType: Volunteer,Morning,Πρωί
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Η καταχώηρση πληρωμής έχει τροποποιηθεί μετά την λήψη της. Παρακαλώ επαναλάβετε τη λήψη.
 DocType: Program Enrollment Tool,New Student Batch,Νέα παρτίδα φοιτητών
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,Το {0} εισήχθηκε δύο φορές στο φόρο είδους
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Περίληψη για αυτή την εβδομάδα και εν αναμονή δραστηριότητες
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,Το {0} εισήχθηκε δύο φορές στο φόρο είδους
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Περίληψη για αυτή την εβδομάδα και εν αναμονή δραστηριότητες
 DocType: Student Applicant,Admitted,Παράδεκτος
 DocType: Workstation,Rent Cost,Κόστος ενοικίασης
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Ποσό μετά την απόσβεση
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Ποσό μετά την απόσβεση
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Επερχόμενες Ημερολόγιο Εκδηλώσεων
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Παραλλαγή Χαρακτηριστικά
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Παρακαλώ επιλέξτε μήνα και έτος
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Μπορεί να υπάρχει μόνο 1 λογαριασμός ανά εταιρεία σε {0} {1}
 DocType: Support Search Source,Response Result Key Path,Απάντηση στο κύριο μονοπάτι των αποτελεσμάτων
 DocType: Journal Entry,Inter Company Journal Entry,Εισαγωγή στην εφημερίδα Inter Company
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Για την ποσότητα {0} δεν θα πρέπει να είναι μεγαλύτερη από την ποσότητα παραγγελίας {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Παρακαλώ δείτε συνημμένο
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Για την ποσότητα {0} δεν θα πρέπει να είναι μεγαλύτερη από την ποσότητα παραγγελίας {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Παρακαλώ δείτε συνημμένο
 DocType: Purchase Order,% Received,% Παραλήφθηκε
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Δημιουργία Ομάδων Φοιτητών
 DocType: Volunteer,Weekends,Σαββατοκύριακα
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Σύνολο εξαιρετικών
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Αλλάξτε τον αρχικό/τρέχων αύξοντα αριθμός μιας υπάρχουσας σειράς.
 DocType: Dosage Strength,Strength,Δύναμη
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Δημιουργήστε ένα νέο πελάτη
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Δημιουργήστε ένα νέο πελάτη
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Λήξη ενεργοποιημένη
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Αν υπάρχουν πολλοί κανόνες τιμολόγησης που συνεχίζουν να επικρατούν, οι χρήστες καλούνται να ορίσουν προτεραιότητα χειρονακτικά για την επίλυση των διενέξεων."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Δημιουργία Εντολών Αγοράς
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Κόστος αναλώσιμων
 DocType: Purchase Receipt,Vehicle Date,Όχημα Ημερομηνία
 DocType: Student Log,Medical,Ιατρικός
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Αιτιολογία απώλειας
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Επιλέξτε φάρμακο
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Αιτιολογία απώλειας
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Επιλέξτε φάρμακο
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Ο μόλυβδος Ιδιοκτήτης δεν μπορεί να είναι ίδιο με το μόλυβδο
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Χορηγούμενο ποσό δεν μπορεί να είναι μεγαλύτερη από το μη διορθωμένο ποσό
 DocType: Announcement,Receiver,Δέκτης
 DocType: Location,Area UOM,Περιοχή UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Ο σταθμός εργασίας είναι κλειστός κατά τις ακόλουθες ημερομηνίες σύμφωνα με τη λίστα αργιών: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Ευκαιρίες
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Ευκαιρίες
 DocType: Lab Test Template,Single,Μονό
 DocType: Compensatory Leave Request,Work From Date,Εργασία από την ημερομηνία
 DocType: Salary Slip,Total Loan Repayment,Σύνολο Αποπληρωμή δανείων
+DocType: Project User,View attachments,Προβολή συνημμένων
 DocType: Account,Cost of Goods Sold,Κόστος πωληθέντων
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Παρακαλώ εισάγετε κέντρο κόστους
 DocType: Drug Prescription,Dosage,Δοσολογία
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Ποσότητα και τιμή
 DocType: Delivery Note,% Installed,% Εγκατεστημένο
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Αίθουσες διδασκαλίας / εργαστήρια κ.λπ. όπου μπορεί να προγραμματιστεί διαλέξεις.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Τα νομίσματα των εταιρειών και των δύο εταιρειών θα πρέπει να αντιστοιχούν στις ενδοεταιρικές συναλλαγές.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Τα νομίσματα των εταιρειών και των δύο εταιρειών θα πρέπει να αντιστοιχούν στις ενδοεταιρικές συναλλαγές.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Παρακαλώ εισάγετε πρώτα το όνομα της εταιρείας
 DocType: Travel Itinerary,Non-Vegetarian,Μη χορτοφάγος
 DocType: Purchase Invoice,Supplier Name,Όνομα προμηθευτή
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Προσωρινά σε αναμονή
 DocType: Account,Is Group,Είναι η ομάδα
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Η πιστωτική σημείωση {0} δημιουργήθηκε αυτόματα
-DocType: Email Digest,Pending Purchase Orders,Εν αναμονή Εντολές Αγοράς
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Αυτόματη Ρύθμιση αύξοντες αριθμούς με βάση FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Ελέγξτε Προμηθευτής Αριθμός Τιμολογίου Μοναδικότητα
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Στοιχεία κύριας διεύθυνσης
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Προσαρμόστε το εισαγωγικό κείμενο που αποστέλλεται ως μέρος του εν λόγω email. Κάθε συναλλαγή έχει ένα ξεχωριστό εισαγωγικό κείμενο.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Σειρά {0}: Απαιτείται λειτουργία έναντι του στοιχείου πρώτης ύλης {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Ορίστε προεπιλεγμένο πληρωτέο λογαριασμό για την εταιρεία {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Η συναλλαγή δεν επιτρέπεται σε περίπτωση διακοπής της παραγγελίας εργασίας {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Η συναλλαγή δεν επιτρέπεται σε περίπτωση διακοπής της παραγγελίας εργασίας {0}
 DocType: Setup Progress Action,Min Doc Count,Ελάχιστη μέτρηση εγγράφων
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Παγκόσμια ρυθμίσεις για όλες τις διαδικασίες κατασκευής.
 DocType: Accounts Settings,Accounts Frozen Upto,Παγωμένοι λογαριασμοί μέχρι
 DocType: SMS Log,Sent On,Εστάλη στις
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Χαρακτηριστικό {0} πολλές φορές σε πίνακα Χαρακτηριστικά
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Χαρακτηριστικό {0} πολλές φορές σε πίνακα Χαρακτηριστικά
 DocType: HR Settings,Employee record is created using selected field. ,Η Εγγραφή υπαλλήλου δημιουργείται χρησιμοποιώντας το επιλεγμένο πεδίο.
 DocType: Sales Order,Not Applicable,Μη εφαρμόσιμο
 DocType: Amazon MWS Settings,UK,Ηνωμένο Βασίλειο
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Ο υπάλληλος {0} έχει ήδη υποβάλει αίτηση για {1} στις {2}:
 DocType: Inpatient Record,AB Positive,AB θετικό
 DocType: Job Opening,Description of a Job Opening,Περιγραφή μιας ανοιχτής θέσης εργασίας
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Εν αναμονή δραστηριότητες για σήμερα
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Εν αναμονή δραστηριότητες για σήμερα
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Συστατικό μισθός για το φύλλο κατανομής χρόνου με βάση μισθοδοσίας.
+DocType: Driver,Applicable for external driver,Ισχύει για εξωτερικό οδηγό
 DocType: Sales Order Item,Used for Production Plan,Χρησιμοποιείται για το σχέδιο παραγωγής
 DocType: Loan,Total Payment,Σύνολο πληρωμών
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Δεν είναι δυνατή η ακύρωση της συναλλαγής για την Ολοκληρωμένη Παραγγελία Εργασίας.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Δεν είναι δυνατή η ακύρωση της συναλλαγής για την Ολοκληρωμένη Παραγγελία Εργασίας.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Χρόνου μεταξύ των λειτουργιών (σε λεπτά)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,Δημιουργήθηκε ήδη για όλα τα στοιχεία της παραγγελίας
 DocType: Healthcare Service Unit,Occupied,Κατειλημμένος
 DocType: Clinical Procedure,Consumables,Αναλώσιμα
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"Η {0} {1} ακυρώνεται, επομένως η ενέργεια δεν μπορεί να ολοκληρωθεί"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"Η {0} {1} ακυρώνεται, επομένως η ενέργεια δεν μπορεί να ολοκληρωθεί"
 DocType: Customer,Buyer of Goods and Services.,Αγοραστής αγαθών και υπηρεσιών.
 DocType: Journal Entry,Accounts Payable,Πληρωτέοι λογαριασμοί
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Το ποσό {0} που ορίζεται σε αυτό το αίτημα πληρωμής είναι διαφορετικό από το υπολογισμένο ποσό όλων των σχεδίων πληρωμής: {1}. Βεβαιωθείτε ότι αυτό είναι σωστό πριν από την υποβολή του εγγράφου.
 DocType: Patient,Allergies,Αλλεργίες
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Τα επιλεγμένα BOMs δεν είναι για το ίδιο στοιχείο
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Τα επιλεγμένα BOMs δεν είναι για το ίδιο στοιχείο
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Αλλάξτε τον κωδικό στοιχείου
 DocType: Supplier Scorecard Standing,Notify Other,Ειδοποίηση άλλων
 DocType: Vital Signs,Blood Pressure (systolic),Πίεση αίματος (συστολική)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Αρκετά τμήματα για να χτίσει
 DocType: POS Profile User,POS Profile User,Χρήστης προφίλ POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Γραμμή {0}: Απαιτείται η ημερομηνία έναρξης απόσβεσης
-DocType: Sales Invoice Item,Service Start Date,Ημερομηνία έναρξης υπηρεσίας
+DocType: Purchase Invoice Item,Service Start Date,Ημερομηνία έναρξης υπηρεσίας
 DocType: Subscription Invoice,Subscription Invoice,Τιμολόγιο συνδρομής
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Άμεσα έσοδα
 DocType: Patient Appointment,Date TIme,Ημερομηνία ώρα
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Εργαστήριο Ρουτίνας
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Καλλυντικά
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Παρακαλούμε επιλέξτε Ημερομηνία ολοκλήρωσης για το αρχείο καταγραφής ολοκλήρωσης περιουσιακών στοιχείων
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Για τη συγχώνευση, οι ακόλουθες ιδιότητες πρέπει να είναι ίδιες για τα δύο είδη"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Για τη συγχώνευση, οι ακόλουθες ιδιότητες πρέπει να είναι ίδιες για τα δύο είδη"
 DocType: Supplier,Block Supplier,Αποκλεισμός προμηθευτή
 DocType: Shipping Rule,Net Weight,Καθαρό βάρος
 DocType: Job Opening,Planned number of Positions,Προγραμματισμένος αριθμός θέσεων
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Πρότυπο χαρτογράφησης ταμειακών ροών
 DocType: Travel Request,Costing Details,Στοιχεία κοστολόγησης
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Εμφάνιση καταχωρήσεων επιστροφής
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial κανένα στοιχείο δεν μπορεί να είναι ένα κλάσμα
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial κανένα στοιχείο δεν μπορεί να είναι ένα κλάσμα
 DocType: Journal Entry,Difference (Dr - Cr),Διαφορά ( dr - cr )
 DocType: Bank Guarantee,Providing,Χορήγηση
 DocType: Account,Profit and Loss,Κέρδη και ζημιές
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Δεν επιτρέπεται, ρυθμίστε το Πρότυπο δοκιμής Lab όπως απαιτείται"
 DocType: Patient,Risk Factors,Παράγοντες κινδύνου
 DocType: Patient,Occupational Hazards and Environmental Factors,Επαγγελματικοί κίνδυνοι και περιβαλλοντικοί παράγοντες
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Καταχωρήσεις αποθέματος που έχουν ήδη δημιουργηθεί για παραγγελία εργασίας
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Καταχωρήσεις αποθέματος που έχουν ήδη δημιουργηθεί για παραγγελία εργασίας
 DocType: Vital Signs,Respiratory rate,Ρυθμός αναπνοής
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Διαχείριση της υπεργολαβίας
 DocType: Vital Signs,Body Temperature,Θερμοκρασία σώματος
 DocType: Project,Project will be accessible on the website to these users,Του έργου θα είναι προσβάσιμη στην ιστοσελίδα του σε αυτούς τους χρήστες
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Δεν είναι δυνατή η ακύρωση του {0} {1} επειδή ο Σειριακός αριθμός {2} δεν ανήκει στην αποθήκη {3}
 DocType: Detected Disease,Disease,Ασθένεια
+DocType: Company,Default Deferred Expense Account,Προκαθορισμένος Λογαριασμός Αναβαλλόμενου Εξόδου
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Ορίστε τον τύπο έργου.
 DocType: Supplier Scorecard,Weighting Function,Λειτουργία ζύγισης
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Charge Consulting
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Παραγόμενα στοιχεία
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Αντιστοίχιση συναλλαγής στα τιμολόγια
 DocType: Sales Order Item,Gross Profit,Μικτό κέρδος
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Αποκλεισμός τιμολογίου
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Αποκλεισμός τιμολογίου
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Προσαύξηση δεν μπορεί να είναι 0
 DocType: Company,Delete Company Transactions,Διαγραφή Συναλλαγές Εταιρείας
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Αριθμός αναφοράς και ημερομηνία αναφοράς είναι υποχρεωτική για την Τράπεζα συναλλαγών
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Αγνοήστε
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} δεν είναι ενεργή
 DocType: Woocommerce Settings,Freight and Forwarding Account,Λογαριασμός Μεταφοράς και Μεταφοράς
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,διαστάσεις Ελέγξτε τις ρυθμίσεις για εκτύπωση
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,διαστάσεις Ελέγξτε τις ρυθμίσεις για εκτύπωση
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Δημιουργία μισθών μισθοδοσίας
 DocType: Vital Signs,Bloated,Πρησμένος
 DocType: Salary Slip,Salary Slip Timesheet,Μισθός Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Η αποθήκη προμηθευτή είναι απαραίτητη για το δελτίο παραλαβής από υπερεργολάβο
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Η αποθήκη προμηθευτή είναι απαραίτητη για το δελτίο παραλαβής από υπερεργολάβο
 DocType: Item Price,Valid From,Ισχύει από
 DocType: Sales Invoice,Total Commission,Συνολική προμήθεια
 DocType: Tax Withholding Account,Tax Withholding Account,Λογαριασμός παρακράτησης φόρου
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Όλες οι scorecards του προμηθευτή.
 DocType: Buying Settings,Purchase Receipt Required,Απαιτείται αποδεικτικό παραλαβής αγοράς
 DocType: Delivery Note,Rail,Ράγα
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Η αποθήκη στόχευσης στη σειρά {0} πρέπει να είναι ίδια με την εντολή εργασίας
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Η Αποτίμηση Τιμής είναι υποχρεωτική εάν εισαχθεί Αρχικό Απόθεμα
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Η αποθήκη στόχευσης στη σειρά {0} πρέπει να είναι ίδια με την εντολή εργασίας
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Η Αποτίμηση Τιμής είναι υποχρεωτική εάν εισαχθεί Αρχικό Απόθεμα
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Δεν βρέθηκαν εγγραφές στον πίνακα τιμολογίων
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Παρακαλώ επιλέξτε πρώτα εταιρεία και τύπο συμβαλλόμενου
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Έχει ήδη οριστεί προεπιλεγμένο προφίλ {0} για το χρήστη {1}, είναι ευγενικά απενεργοποιημένο"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Οικονομικό / λογιστικό έτος.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Οικονομικό / λογιστικό έτος.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,συσσωρευμένες Αξίες
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Λυπούμαστε, οι σειριακοί αρ. δεν μπορούν να συγχωνευθούν"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Η Ομάδα Πελατών θα οριστεί σε επιλεγμένη ομάδα ενώ θα συγχρονίζει τους πελάτες από το Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,ID Σύστασης
 DocType: C-Form Invoice Detail,Grand Total,Γενικό σύνολο
 DocType: Assessment Plan,Course,Πορεία
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Κωδικός τμήματος
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Κωδικός τμήματος
 DocType: Timesheet,Payslip,Απόδειξη πληρωμής
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Η ημερομηνία μισής ημέρας πρέπει να είναι μεταξύ της ημερομηνίας και της ημέρας
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Το καλάθι του Είδους
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Personal Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Αναγνωριστικό μέλους
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Δημοσιεύθηκε: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Δημοσιεύθηκε: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Συνδεδεμένο με το QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Πληρωτέος λογαριασμός
 DocType: Payment Entry,Type of Payment,Τύπος Πληρωμής
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Ημ / νία Ημέρας είναι υποχρεωτική
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Ημερομηνία αποστολής λογαριασμού
 DocType: Production Plan,Production Plan,Σχέδιο παραγωγής
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Άνοιγμα εργαλείου δημιουργίας τιμολογίου
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Επιστροφή πωλήσεων
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Επιστροφή πωλήσεων
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Σημείωση: Σύνολο των κατανεμημένων φύλλα {0} δεν πρέπει να είναι μικρότερη από τα φύλλα που έχουν ήδη εγκριθεί {1} για την περίοδο
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ορισμός ποσότητας στις συναλλαγές με βάση την αύξουσα σειρά εισόδου
 ,Total Stock Summary,Συνολική σύνοψη μετοχών
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Πελάτη ή Είδους
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Βάση δεδομένων των πελατών.
 DocType: Quotation,Quotation To,Προσφορά προς
-DocType: Lead,Middle Income,Μέσα έσοδα
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Μέσα έσοδα
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Άνοιγμα ( cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Προεπιλεγμένη μονάδα μέτρησης για τη θέση {0} δεν μπορεί να αλλάξει άμεσα, επειδή έχετε ήδη κάνει κάποια συναλλαγή (ες) με μια άλλη UOM. Θα χρειαστεί να δημιουργήσετε ένα νέο σημείο για να χρησιμοποιήσετε ένα διαφορετικό Προεπιλογή UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Προεπιλεγμένη μονάδα μέτρησης για τη θέση {0} δεν μπορεί να αλλάξει άμεσα, επειδή έχετε ήδη κάνει κάποια συναλλαγή (ες) με μια άλλη UOM. Θα χρειαστεί να δημιουργήσετε ένα νέο σημείο για να χρησιμοποιήσετε ένα διαφορετικό Προεπιλογή UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Το χορηγούμενο ποσό δεν μπορεί να είναι αρνητικό
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Ρυθμίστε την εταιρεία
 DocType: Share Balance,Share Balance,Ισοζύγιο μετοχών
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Επιλέξτε Λογαριασμός Πληρωμή να κάνουν Τράπεζα Έναρξη
 DocType: Hotel Settings,Default Invoice Naming Series,Προεπιλεγμένη σειρά ονομασίας τιμολογίων
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Δημιουργήστε τα αρχεία των εργαζομένων για τη διαχείριση των φύλλων, οι δηλώσεις εξόδων και μισθοδοσίας"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Παρουσιάστηκε σφάλμα κατά τη διαδικασία ενημέρωσης
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Παρουσιάστηκε σφάλμα κατά τη διαδικασία ενημέρωσης
 DocType: Restaurant Reservation,Restaurant Reservation,Εστιατόριο Κράτηση
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Συγγραφή πρότασης
 DocType: Payment Entry Deduction,Payment Entry Deduction,Έκπτωση Έναρξη Πληρωμής
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Τυλίγοντας
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Ειδοποιήστε τους πελάτες μέσω ηλεκτρονικού ταχυδρομείου
 DocType: Item,Batch Number Series,Σειρά σειρών παρτίδων
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Ένα άλλο πρόσωπο Πωλήσεις {0} υπάρχει με την ίδια ταυτότητα υπαλλήλου
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Ένα άλλο πρόσωπο Πωλήσεις {0} υπάρχει με την ίδια ταυτότητα υπαλλήλου
 DocType: Employee Advance,Claimed Amount,Απαιτούμενο ποσό
+DocType: QuickBooks Migrator,Authorization Settings,Ρυθμίσεις εξουσιοδότησης
 DocType: Travel Itinerary,Departure Datetime,Ώρα αναχώρησης
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Ταξινόμηση Αίτησης Ταξιδιού
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Ονοματοδοσία προμηθευτή βάσει
 DocType: Activity Type,Default Costing Rate,Προεπιλογή Κοστολόγηση Τιμή
 DocType: Maintenance Schedule,Maintenance Schedule,Χρονοδιάγραμμα συντήρησης
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Στη συνέχεια, οι κανόνες τιμολόγησης φιλτράρονται με βάση τους πελάτες, την ομάδα πελατών, την περιοχή, τον προμηθευτής, τον τύπο του προμηθευτή, την εκστρατεία, τον συνεργάτη πωλήσεων κ.λ.π."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Στη συνέχεια, οι κανόνες τιμολόγησης φιλτράρονται με βάση τους πελάτες, την ομάδα πελατών, την περιοχή, τον προμηθευτής, τον τύπο του προμηθευτή, την εκστρατεία, τον συνεργάτη πωλήσεων κ.λ.π."
 DocType: Employee Promotion,Employee Promotion Details,Στοιχεία Προώθησης Εργαζομένων
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Καθαρή Αλλαγή στο Απογραφή
 DocType: Employee,Passport Number,Αριθμός διαβατηρίου
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Σχέση με Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Προϊστάμενος
 DocType: Payment Entry,Payment From / To,Πληρωμή Από / Προς
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Από το οικονομικό έτος
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Νέο πιστωτικό όριο είναι μικρότερο από το τρέχον οφειλόμενο ποσό για τον πελάτη. Πιστωτικό όριο πρέπει να είναι atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Ορίστε τον λογαριασμό στην αποθήκη {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Ορίστε τον λογαριασμό στην αποθήκη {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,Τα πεδία με βάση και ομαδοποίηση κατά δεν μπορεί να είναι ίδια
 DocType: Sales Person,Sales Person Targets,Στόχοι πωλητή
 DocType: Work Order Operation,In minutes,Σε λεπτά
 DocType: Issue,Resolution Date,Ημερομηνία επίλυσης
 DocType: Lab Test Template,Compound,Χημική ένωση
+DocType: Opportunity,Probability (%),Πιθανότητα (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Κοινοποίηση αποστολής
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Επιλέξτε Ακίνητα
 DocType: Student Batch Name,Batch Name,παρτίδα Όνομα
 DocType: Fee Validity,Max number of visit,Μέγιστος αριθμός επισκέψεων
 ,Hotel Room Occupancy,Δωμάτια δωματίου στο ξενοδοχείο
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Φύλλο κατανομής χρόνου δημιουργήθηκε:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Παρακαλώ ορίστε τον προεπιλεγμένο λογιαριασμό μετρητών ή τραπέζης στον τρόπο πληρωμής {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Παρακαλώ ορίστε τον προεπιλεγμένο λογιαριασμό μετρητών ή τραπέζης στον τρόπο πληρωμής {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Εγγράφω
 DocType: GST Settings,GST Settings,Ρυθμίσεις GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Το νόμισμα θα πρέπει να είναι ίδιο με το Νόμισμα Τιμοκαταλόγου: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Σύνολο Τόκοι πληρωτέοι
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Φόροι και εβπιβαρύνσεις κόστους αποστολής εμπορευμάτων
 DocType: Work Order Operation,Actual Start Time,Πραγματική ώρα έναρξης
+DocType: Purchase Invoice Item,Deferred Expense Account,Λογαριασμός αναβαλλόμενων εξόδων
 DocType: BOM Operation,Operation Time,Χρόνος λειτουργίας
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Φινίρισμα
 DocType: Salary Structure Assignment,Base,Βάση
 DocType: Timesheet,Total Billed Hours,Σύνολο Τιμολογημένος Ώρες
 DocType: Travel Itinerary,Travel To,Ταξιδεύω στο
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,δεν είναι
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Διαγραφή ποσού
 DocType: Leave Block List Allow,Allow User,Επίτρεψε χρήστη
 DocType: Journal Entry,Bill No,Αρ. Χρέωσης
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Πρόγραμμα
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush πρώτων υλών Βάσει των
 DocType: Sales Invoice,Port Code,Κωδικός λιμένα
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Αποθήκη αποθεμάτων
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Αποθήκη αποθεμάτων
 DocType: Lead,Lead is an Organization,Ο ηγέτης είναι ένας Οργανισμός
-DocType: Guardian Interest,Interest,Ενδιαφέρον
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Προπωλήσεις
 DocType: Instructor Log,Other Details,Άλλες λεπτομέρειες
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Λογαριασμοί
 DocType: Vehicle,Odometer Value (Last),Οδόμετρο Αξία (Τελευταία)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Πρότυπα κριτηρίων βαθμολογίας προμηθευτή.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Εξαργυρώστε τους Πόντους Απόδοσης
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Έναρξη Πληρωμής έχει ήδη δημιουργηθεί
 DocType: Request for Quotation,Get Suppliers,Αποκτήστε Προμηθευτές
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Διόρθωση UOM διαχωρισμού
 DocType: Loyalty Program,Single Tier Program,Πρόγραμμα ενιαίας βαθμίδας
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Επιλέξτε μόνο εάν έχετε εγκαταστήσει έγγραφα χαρτογράφησης ροών ροής μετρητών
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Από τη διεύθυνση 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Από τη διεύθυνση 1
 DocType: Email Digest,Next email will be sent on:,Το επόμενο μήνυμα email θα αποσταλεί στις:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Μετά το στοιχείο {items} {verb} που έχει επισημανθεί ως στοιχείο {message}. Μπορείτε να τα ενεργοποιήσετε ως στοιχείο {message} από τον κύριο τίτλο του στοιχείου
 DocType: Supplier Scorecard,Per Week,Ανά εβδομάδα
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Στοιχείο έχει παραλλαγές.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Στοιχείο έχει παραλλαγές.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Σύνολο φοιτητών
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Το είδος {0} δεν βρέθηκε
 DocType: Bin,Stock Value,Αξία των αποθεμάτων
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Η εταιρεία {0} δεν υπάρχει
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Η εταιρεία {0} δεν υπάρχει
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} έχει ισχύ μέχρι τις {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Τύπος δέντρου
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Ποσότητα που καταναλώνεται ανά μονάδα
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Καταχώηρση πιστωτικής κάρτας
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Η εταιρεία και οι Λογαριασμοί
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,στην Αξία
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,στην Αξία
 DocType: Asset Settings,Depreciation Options,Επιλογές απόσβεσης
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Οποιαδήποτε τοποθεσία ή υπάλληλος πρέπει να απαιτείται
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Μη έγκυρος χρόνος απόσπασης
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Κατανομή
 DocType: Purchase Order,Supply Raw Materials,Παροχή Πρώτων Υλών
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Τρέχον ενεργητικό
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,Το {0} δεν είναι ένα αποθηκεύσιμο είδος
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,Το {0} δεν είναι ένα αποθηκεύσιμο είδος
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Παρακαλώ μοιραστείτε τα σχόλιά σας με την εκπαίδευση κάνοντας κλικ στο &#39;Feedback Training&#39; και στη συνέχεια &#39;New&#39;
 DocType: Mode of Payment Account,Default Account,Προεπιλεγμένος λογαριασμός
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Επιλέξτε πρώτα την επιλογή Αποθήκευση παρακαταθήκης δειγμάτων
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Επιλέξτε πρώτα την επιλογή Αποθήκευση παρακαταθήκης δειγμάτων
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Επιλέξτε τον τύπο πολλαπλού προγράμματος για περισσότερους από έναν κανόνες συλλογής.
 DocType: Payment Entry,Received Amount (Company Currency),Ελήφθη Ποσό (Εταιρεία νομίσματος)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Η Σύσταση πρέπει να οριστεί αν η Ευκαιρία προέρχεται από Σύσταση
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Η πληρωμή ακυρώθηκε. Ελέγξτε το λογαριασμό GoCardless για περισσότερες λεπτομέρειες
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Αποστολή με συνημμένο
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Παρακαλώ επιλέξτε εβδομαδιαίο ρεπό
 DocType: Inpatient Record,O Negative,O Αρνητικό
 DocType: Work Order Operation,Planned End Time,Προγραμματισμένη ώρα λήξης
 ,Sales Person Target Variance Item Group-Wise,Εύρος στόχου πωλητή ανά ομάδα είδους
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε καθολικό
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε καθολικό
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Λεπτομέρειες τύπου μέλους
 DocType: Delivery Note,Customer's Purchase Order No,Αρ. παραγγελίας αγοράς πελάτη
 DocType: Clinical Procedure,Consume Stock,Καταναλώστε το απόθεμα
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Αμμος
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Ενέργεια
 DocType: Opportunity,Opportunity From,Ευκαιρία από
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Σειρά {0}: {1} Σειριακοί αριθμοί που απαιτούνται για το στοιχείο {2}. Παρέχετε {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Σειρά {0}: {1} Σειριακοί αριθμοί που απαιτούνται για το στοιχείο {2}. Παρέχετε {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Επιλέξτε έναν πίνακα
 DocType: BOM,Website Specifications,Προδιαγραφές δικτυακού τόπου
 DocType: Special Test Items,Particulars,Λεπτομέρειες
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Από {0} του τύπου {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Γραμμή {0}: ο συντελεστής μετατροπής είναι υποχρεωτικός
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Γραμμή {0}: ο συντελεστής μετατροπής είναι υποχρεωτικός
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Πολλαπλές Κανόνες Τιμή υπάρχει με τα ίδια κριτήρια, παρακαλούμε επίλυση των συγκρούσεων με την ανάθεση προτεραιότητα. Κανόνες Τιμή: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Πολλαπλές Κανόνες Τιμή υπάρχει με τα ίδια κριτήρια, παρακαλούμε επίλυση των συγκρούσεων με την ανάθεση προτεραιότητα. Κανόνες Τιμή: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Λογαριασμός αναπροσαρμογής συναλλάγματος
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Δεν είναι δυνατή η απενεργοποίηση ή ακύρωση της Λ.Υ. γιατί συνδέεται με άλλες Λ.Υ.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Δεν είναι δυνατή η απενεργοποίηση ή ακύρωση της Λ.Υ. γιατί συνδέεται με άλλες Λ.Υ.
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Επιλέξτε Εταιρεία και ημερομηνία δημοσίευσης για να λάβετε καταχωρήσεις
 DocType: Asset,Maintenance,Συντήρηση
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Λάβετε από την συνάντηση των ασθενών
 DocType: Subscriber,Subscriber,Συνδρομητής
 DocType: Item Attribute Value,Item Attribute Value,Τιμή χαρακτηριστικού είδους
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Ενημερώστε την κατάσταση του έργου σας
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Ενημερώστε την κατάσταση του έργου σας
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Η υπηρεσία συναλλάγματος πρέπει να ισχύει για την αγορά ή την πώληση.
 DocType: Item,Maximum sample quantity that can be retained,Μέγιστη ποσότητα δείγματος που μπορεί να διατηρηθεί
 DocType: Project Update,How is the Project Progressing Right Now?,Πώς είναι το έργο που εξελίσσεται τώρα;
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Η σειρά {0} # Στοιχείο {1} δεν μπορεί να μεταφερθεί περισσότερο από {2} έναντι εντολής αγοράς {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Η σειρά {0} # Στοιχείο {1} δεν μπορεί να μεταφερθεί περισσότερο από {2} έναντι εντολής αγοράς {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Εκστρατείες πωλήσεων.
 DocType: Project Task,Make Timesheet,Κάντε Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1240,36 +1248,38 @@
 DocType: Lab Test,Lab Test,Εργαστηριακός έλεγχος
 DocType: Student Report Generation Tool,Student Report Generation Tool,Εργαλείο δημιουργίας αναφοράς σπουδαστών
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Χρονοδιάγραμμα υγειονομικής περίθαλψης
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Όνομα εγγράφου
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Όνομα εγγράφου
 DocType: Expense Claim Detail,Expense Claim Type,Τύπος αξίωσης δαπανών
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Προεπιλεγμένες ρυθμίσεις για το καλάθι αγορών
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Προσθέστε Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset διαλυθεί μέσω Εφημερίδα Έναρξη {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Ορίστε Λογαριασμό στην Αποθήκη {0} ή Προκαθορισμένο Λογαριασμό Αποθέματος στην Εταιρεία {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset διαλυθεί μέσω Εφημερίδα Έναρξη {0}
 DocType: Loan,Interest Income Account,Ο λογαριασμός Έσοδα από Τόκους
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Τα μέγιστα οφέλη θα πρέπει να είναι μεγαλύτερα από το μηδέν για την εξάλειψη των παροχών
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Τα μέγιστα οφέλη θα πρέπει να είναι μεγαλύτερα από το μηδέν για την εξάλειψη των παροχών
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Αναθεώρηση πρόσκλησης αποστέλλεται
 DocType: Shift Assignment,Shift Assignment,Αντιστοίχιση μετατόπισης
 DocType: Employee Transfer Property,Employee Transfer Property,Ιδιότητα Μεταφοράς Εργαζομένων
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Από το χρόνο πρέπει να είναι λιγότερο από το χρόνο
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Βιοτεχνολογία
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Το στοιχείο {0} (Σειριακός αριθμός: {1}) δεν μπορεί να καταναλωθεί όπως είναι αποθηκευμένο για να πληρώσει την εντολή πώλησης {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Δαπάνες συντήρησης γραφείου
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Παω σε
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ενημέρωση τιμής από Shopify σε ERPNext Τιμοκατάλογος
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ρύθμιση λογαριασμού ηλεκτρονικού ταχυδρομείου
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Παρακαλώ εισάγετε πρώτα το είδος
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Χρειάζεται ανάλυση
 DocType: Asset Repair,Downtime,Χρόνος αργίας
 DocType: Account,Liability,Υποχρέωση
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Κυρώσεις Το ποσό δεν μπορεί να είναι μεγαλύτερη από την αξίωση Ποσό στη σειρά {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Κυρώσεις Το ποσό δεν μπορεί να είναι μεγαλύτερη από την αξίωση Ποσό στη σειρά {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Ακαδημαϊκός όρος:
 DocType: Salary Component,Do not include in total,Μην συμπεριλάβετε συνολικά
 DocType: Company,Default Cost of Goods Sold Account,Προεπιλογή Κόστος Πωληθέντων Λογαριασμού
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Η ποσότητα δείγματος {0} δεν μπορεί να είναι μεγαλύτερη από την ποσότητα που ελήφθη {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Ο τιμοκατάλογος δεν έχει επιλεγεί
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Η ποσότητα δείγματος {0} δεν μπορεί να είναι μεγαλύτερη από την ποσότητα που ελήφθη {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Ο τιμοκατάλογος δεν έχει επιλεγεί
 DocType: Employee,Family Background,Ιστορικό οικογένειας
 DocType: Request for Quotation Supplier,Send Email,Αποστολή email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Προειδοποίηση: Μη έγκυρη Συνημμένο {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Προειδοποίηση: Μη έγκυρη Συνημμένο {0}
 DocType: Item,Max Sample Quantity,Μέγιστη ποσότητα δείγματος
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Δεν έχετε άδεια
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Λίστα ελέγχου εκπλήρωσης συμβάσεων
@@ -1300,15 +1310,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Κέντρο Κόστους {2} δεν ανήκει στην εταιρεία {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Μεταφορτώστε την επιστολή σας κεφάλι (Διατηρήστε το web φιλικό ως 900px by 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Ο λογαριασμός {2} δεν μπορεί να είναι μια ομάδα
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Στοιχείο Σειρά {idx}: {doctype} {docname} δεν υπάρχει στην παραπάνω »{doctype} &#39;τραπέζι
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Φύλλο κατανομής χρόνου {0} έχει ήδη ολοκληρωθεί ή ακυρωθεί
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Φύλλο κατανομής χρόνου {0} έχει ήδη ολοκληρωθεί ή ακυρωθεί
+DocType: QuickBooks Migrator,QuickBooks Migrator,Migrator του QuickBooks
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Δεν καθήκοντα
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Το Τιμολόγιο Πωλήσεων {0} δημιουργήθηκε ως πληρωμένο
 DocType: Item Variant Settings,Copy Fields to Variant,Αντιγραφή πεδίων στην παραλλαγή
 DocType: Asset,Opening Accumulated Depreciation,Άνοιγμα Συσσωρευμένες Αποσβέσεις
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Το αποτέλεσμα πρέπει να είναι μικρότερο από ή ίσο με 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Πρόγραμμα Εργαλείο Εγγραφή
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-form εγγραφές
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-form εγγραφές
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Τα μερίδια υπάρχουν ήδη
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Πελάτες και Προμηθευτές
 DocType: Email Digest,Email Digest Settings,Ρυθμίσεις ενημερωτικών άρθρων μέσω email
@@ -1321,12 +1331,12 @@
 DocType: Production Plan,Select Items,Επιλέξτε είδη
 DocType: Share Transfer,To Shareholder,Για τον Μεριδιούχο
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} κατά τη χρέωση {1} της {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Από το κράτος
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Από το κράτος
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Ίδρυμα εγκατάστασης
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Κατανομή φύλλων ...
 DocType: Program Enrollment,Vehicle/Bus Number,Αριθμός οχήματος / λεωφορείου
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Πρόγραμμα Μαθημάτων
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Πρέπει να αφαιρέσετε τον Φόρο για μη αποδεδειγμένα αποδεικτικά στοιχεία φοροαπαλλαγής και μη ζητηθέντων υπαλλήλων στο τελευταίο δελτίο μισθοδοσίας της περιόδου μισθοδοσίας
 DocType: Request for Quotation Supplier,Quote Status,Κατάσταση παραπόνων
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1352,13 +1362,13 @@
 DocType: Sales Invoice,Payment Due Date,Ημερομηνία λήξης προθεσμίας πληρωμής
 DocType: Drug Prescription,Interval UOM,Διαστήματα UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Επαναφέρετε την επιλογή, εάν η επιλεγμένη διεύθυνση επεξεργαστεί μετά την αποθήκευση"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Θέση Παραλλαγή {0} υπάρχει ήδη με ίδια χαρακτηριστικά
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Θέση Παραλλαγή {0} υπάρχει ήδη με ίδια χαρακτηριστικά
 DocType: Item,Hub Publishing Details,Στοιχεία δημοσίευσης Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',«Άνοιγμα»
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',«Άνοιγμα»
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Ανοικτή To Do
 DocType: Issue,Via Customer Portal,Μέσω της πύλης πελατών
 DocType: Notification Control,Delivery Note Message,Μήνυμα δελτίου αποστολής
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Ποσό SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Ποσό SGST
 DocType: Lab Test Template,Result Format,Μορφή αποτελεσμάτων
 DocType: Expense Claim,Expenses,Δαπάνες
 DocType: Item Variant Attribute,Item Variant Attribute,Παραλλαγή Στοιχείο Χαρακτηριστικό
@@ -1366,14 +1376,12 @@
 DocType: Payroll Entry,Bimonthly,Διμηνιαίος
 DocType: Vehicle Service,Brake Pad,Τακάκια φρένων
 DocType: Fertilizer,Fertilizer Contents,Περιεχόμενο λιπασμάτων
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Έρευνα & ανάπτυξη
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Έρευνα & ανάπτυξη
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Ποσό χρέωσης
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Η ημερομηνία έναρξης και η ημερομηνία λήξης επικαλύπτονται με την κάρτα εργασίας <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Στοιχεία εγγραφής
 DocType: Timesheet,Total Billed Amount,Τιμολογημένο ποσό
 DocType: Item Reorder,Re-Order Qty,Ποσότητα επαναπαραγγελίας
 DocType: Leave Block List Date,Leave Block List Date,Ημερομηνία λίστας αποκλεισμού ημερών άδειας
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση&gt; Ρυθμίσεις Εκπαίδευσης
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Η πρώτη ύλη δεν μπορεί να είναι ίδια με το κύριο στοιχείο
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Σύνολο χρεώσεων που επιβάλλονται στην Αγορά Παραλαβή Είδη πίνακα πρέπει να είναι ίδιο με το συνολικό φόροι και επιβαρύνσεις
 DocType: Sales Team,Incentives,Κίνητρα
@@ -1387,7 +1395,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-of-Sale
 DocType: Fee Schedule,Fee Creation Status,Κατάσταση δημιουργίας τέλους
 DocType: Vehicle Log,Odometer Reading,οδόμετρο ανάγνωση
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Το υπόλοιπο του λογαριασμού είναι ήδη πιστωτικό, δεν επιτρέπεται να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι χρεωστικό"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Το υπόλοιπο του λογαριασμού είναι ήδη πιστωτικό, δεν επιτρέπεται να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι χρεωστικό"
 DocType: Account,Balance must be,Το υπόλοιπο πρέπει να
 DocType: Notification Control,Expense Claim Rejected Message,Μήνυμα απόρριψης αξίωσης δαπανών
 ,Available Qty,Διαθέσιμη ποσότητα
@@ -1399,7 +1407,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Συγχρονίστε πάντα τα προϊόντα σας από το Amazon MWS προτού συγχρονίσετε τα στοιχεία των παραγγελιών
 DocType: Delivery Trip,Delivery Stops,Η παράδοση σταματά
 DocType: Salary Slip,Working Days,Εργάσιμες ημέρες
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Δεν είναι δυνατή η αλλαγή της ημερομηνίας διακοπής υπηρεσίας για στοιχείο στη σειρά {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Δεν είναι δυνατή η αλλαγή της ημερομηνίας διακοπής υπηρεσίας για στοιχείο στη σειρά {0}
 DocType: Serial No,Incoming Rate,Ρυθμός εισερχομένων
 DocType: Packing Slip,Gross Weight,Μικτό βάρος
 DocType: Leave Type,Encashment Threshold Days,Ημέρες κατώτατου ορίου ενσωμάτωσης
@@ -1418,31 +1426,33 @@
 DocType: Restaurant Table,Minimum Seating,Ελάχιστη χωρητικότητα
 DocType: Item Attribute,Item Attribute Values,Τιμές χαρακτηριστικού είδους
 DocType: Examination Result,Examination Result,Αποτέλεσμα εξέτασης
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Αποδεικτικό παραλαβής αγοράς
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Αποδεικτικό παραλαβής αγοράς
 ,Received Items To Be Billed,Είδη που παραλήφθηκαν και πρέπει να τιμολογηθούν
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Κύρια εγγραφή συναλλαγματικής ισοτιμίας.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Κύρια εγγραφή συναλλαγματικής ισοτιμίας.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},DocType αναφοράς πρέπει να είναι ένα από {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Φιλτράρισμα Σύνολο μηδενικών ποσοτήτων
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Ανίκανος να βρει χρονοθυρίδα στα επόμενα {0} ημέρες για τη λειτουργία {1}
 DocType: Work Order,Plan material for sub-assemblies,Υλικό σχεδίου για τα υποσυστήματα
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Συνεργάτες πωλήσεων και Επικράτεια
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Η Λ.Υ. {0} πρέπει να είναι ενεργή
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Η Λ.Υ. {0} πρέπει να είναι ενεργή
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Δεν υπάρχουν διαθέσιμα στοιχεία για μεταφορά
 DocType: Employee Boarding Activity,Activity Name,Όνομα δραστηριότητας
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Αλλαγή ημερομηνίας κυκλοφορίας
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Η ποσότητα τελικού προϊόντος <b>{0}</b> και η ποσότητα <b>{1}</b> δεν μπορεί να είναι διαφορετική
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Αλλαγή ημερομηνίας κυκλοφορίας
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Η ποσότητα τελικού προϊόντος <b>{0}</b> και η ποσότητα <b>{1}</b> δεν μπορεί να είναι διαφορετική
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Κλείσιμο (Άνοιγμα + Σύνολο)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Κωδικός στοιχείου&gt; Ομάδα στοιχείων&gt; Μάρκα
+DocType: Delivery Settings,Dispatch Notification Attachment,Προσάρτημα ειδοποίησης αποστολής
 DocType: Payroll Entry,Number Of Employees,Αριθμός εργαζομένων
 DocType: Journal Entry,Depreciation Entry,αποσβέσεις Έναρξη
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Παρακαλώ επιλέξτε τον τύπο του εγγράφου πρώτα
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Παρακαλώ επιλέξτε τον τύπο του εγγράφου πρώτα
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Ακύρωση επισκέψεων {0} πριν από την ακύρωση αυτής της επίσκεψης για συντήρηση
 DocType: Pricing Rule,Rate or Discount,Τιμή ή Έκπτωση
 DocType: Vital Signs,One Sided,Μία όψη
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Ο σειριακός αριθμός {0} δεν ανήκει στο είδος {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Απαιτούμενη ποσότητα
 DocType: Marketplace Settings,Custom Data,Προσαρμοσμένα δεδομένα
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Αποθήκες με τα υπάρχοντα συναλλαγής δεν μπορεί να μετατραπεί σε καθολικό.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Ο σειριακός αριθμός είναι υποχρεωτικός για το στοιχείο {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Αποθήκες με τα υπάρχοντα συναλλαγής δεν μπορεί να μετατραπεί σε καθολικό.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Ο σειριακός αριθμός είναι υποχρεωτικός για το στοιχείο {0}
 DocType: Bank Reconciliation,Total Amount,Συνολικό ποσό
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Από την ημερομηνία και την ημερομηνία βρίσκονται σε διαφορετικό δημοσιονομικό έτος
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Ο Ασθενής {0} δεν έχει την παραπομπή του πελάτη στο τιμολόγιο
@@ -1453,9 +1463,9 @@
 DocType: Soil Texture,Clay Composition (%),Σύνθεση πηλού (%)
 DocType: Item Group,Item Group Defaults,Προεπιλογές ομάδας στοιχείων
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Αποθηκεύστε πριν από την εκχώρηση της εργασίας.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Αξία ισολογισμού
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Αξία ισολογισμού
 DocType: Lab Test,Lab Technician,Τεχνικός εργαστηρίου
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Τιμοκατάλογος πωλήσεων
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Τιμοκατάλογος πωλήσεων
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Εάν επιλεγεί, θα δημιουργηθεί ένας πελάτης, χαρτογραφημένος στον Ασθενή. Τα τιμολόγια ασθενών θα δημιουργηθούν έναντι αυτού του Πελάτη. Μπορείτε επίσης να επιλέξετε τον υπάρχοντα Πελάτη ενώ δημιουργείτε τον Ασθενή."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Ο πελάτης δεν είναι εγγεγραμμένος σε κανένα πρόγραμμα αφοσίωσης
@@ -1469,13 +1479,13 @@
 DocType: Support Search Source,Search Term Param Name,Όνομα ονόματος παραμέλου αναζήτησης
 DocType: Item Barcode,Item Barcode,Barcode είδους
 DocType: Woocommerce Settings,Endpoints,Τελικά σημεία
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Οι παραλλαγές είδους {0} ενημερώθηκαν
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Οι παραλλαγές είδους {0} ενημερώθηκαν
 DocType: Quality Inspection Reading,Reading 6,Μέτρηση 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,"Δεν είναι δυνατή η {0} {1} {2}, χωρίς οποιαδήποτε αρνητική εκκρεμών τιμολογίων"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,"Δεν είναι δυνατή η {0} {1} {2}, χωρίς οποιαδήποτε αρνητική εκκρεμών τιμολογίων"
 DocType: Share Transfer,From Folio No,Από τον αριθμό Folio
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Προκαταβολή τιμολογίου αγοράς
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Γραμμή {0} : μια πιστωτική καταχώρηση δεν μπορεί να συνδεθεί με ένα {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Καθορισμός του προϋπολογισμού για ένα οικονομικό έτος.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Καθορισμός του προϋπολογισμού για ένα οικονομικό έτος.
 DocType: Shopify Tax Account,ERPNext Account,Λογαριασμός ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"Το {0} αποκλείεται, ώστε αυτή η συναλλαγή να μην μπορεί να συνεχιστεί"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Δράση εάν ο συσσωρευμένος μηνιαίος προϋπολογισμός υπερβαίνει την τιμή MR
@@ -1491,19 +1501,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Τιμολόγιο αγοράς
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Επιτρέψτε την πολλαπλή κατανάλωση υλικού έναντι μιας εντολής εργασίας
 DocType: GL Entry,Voucher Detail No,Αρ. λεπτομερειών αποδεικτικού
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Νέο Τιμολόγιο πωλήσεων
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Νέο Τιμολόγιο πωλήσεων
 DocType: Stock Entry,Total Outgoing Value,Συνολική εξερχόμενη αξία
 DocType: Healthcare Practitioner,Appointments,Εφόδια
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Ημερομηνία ανοίγματος και καταληκτική ημερομηνία θα πρέπει να είναι εντός της ίδιας Χρήσεως
 DocType: Lead,Request for Information,Αίτηση για πληροφορίες
 ,LeaderBoard,LeaderBoard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Τιμή με περιθώριο (νόμισμα εταιρείας)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος
 DocType: Payment Request,Paid,Πληρωμένο
 DocType: Program Fee,Program Fee,Χρέωση πρόγραμμα
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Αντικαταστήστε ένα συγκεκριμένο BOM σε όλα τα άλλα BOM όπου χρησιμοποιείται. Θα αντικαταστήσει τον παλιό σύνδεσμο BOM, θα ενημερώσει το κόστος και θα αναγεννηθεί ο πίνακας &quot;BOM Explosion Item&quot; σύμφωνα με το νέο BOM. Επίσης, ενημερώνει την τελευταία τιμή σε όλα τα BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Οι ακόλουθες Εντολές εργασίας δημιουργήθηκαν:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Οι ακόλουθες Εντολές εργασίας δημιουργήθηκαν:
 DocType: Salary Slip,Total in words,Σύνολο ολογράφως
 DocType: Inpatient Record,Discharged,Εκφορτίστηκε
 DocType: Material Request Item,Lead Time Date,Ημερομηνία ανοχής χρόνου
@@ -1514,16 +1524,16 @@
 DocType: Support Settings,Get Started Sections,Ξεκινήστε τις ενότητες
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,Καθιερωμένος
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,είναι υποχρεωτική. Ίσως συναλλάγματος αρχείο δεν έχει δημιουργηθεί για
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Γραμμή # {0}: παρακαλώ ορίστε σειριακό αριθμό για το είδος {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Συνολικό ποσό συμβολής: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Γραμμή # {0}: παρακαλώ ορίστε σειριακό αριθμό για το είδος {1}
 DocType: Payroll Entry,Salary Slips Submitted,Υποβολή μισθών
 DocType: Crop Cycle,Crop Cycle,Κύκλος καλλιέργειας
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Για τα στοιχεία «Προϊόν Bundle», Αποθήκη, Αύξων αριθμός παρτίδας και Δεν θα θεωρηθεί από την «Packing List» πίνακα. Αν Αποθήκης και Μαζική Δεν είναι ίδιες για όλα τα είδη συσκευασίας για τη θέση του κάθε «Πακέτο Προϊόντων», οι αξίες αυτές μπορούν να εγγραφούν στον κύριο πίνακα Στοιχείο, οι τιμές θα αντιγραφούν στο «Packing List» πίνακα."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Για τα στοιχεία «Προϊόν Bundle», Αποθήκη, Αύξων αριθμός παρτίδας και Δεν θα θεωρηθεί από την «Packing List» πίνακα. Αν Αποθήκης και Μαζική Δεν είναι ίδιες για όλα τα είδη συσκευασίας για τη θέση του κάθε «Πακέτο Προϊόντων», οι αξίες αυτές μπορούν να εγγραφούν στον κύριο πίνακα Στοιχείο, οι τιμές θα αντιγραφούν στο «Packing List» πίνακα."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Από τον τόπο
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Η Καθαρή Πληρωμή δεν μπορεί να είναι αρνητική
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Από τον τόπο
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Η Καθαρή Πληρωμή δεν μπορεί να είναι αρνητική
 DocType: Student Admission,Publish on website,Δημοσιεύει στην ιστοσελίδα
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Τιμολόγιο προμηθευτή ημερομηνία αυτή δεν μπορεί να είναι μεγαλύτερη από την απόσπαση Ημερομηνία
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Τιμολόγιο προμηθευτή ημερομηνία αυτή δεν μπορεί να είναι μεγαλύτερη από την απόσπαση Ημερομηνία
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Ημερομηνία ακύρωσης
 DocType: Purchase Invoice Item,Purchase Order Item,Είδος παραγγελίας αγοράς
@@ -1532,7 +1542,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Εργαλείο φοίτηση μαθητή
 DocType: Restaurant Menu,Price List (Auto created),Τιμοκατάλογος (Δημιουργήθηκε αυτόματα)
 DocType: Cheque Print Template,Date Settings,Ρυθμίσεις ημερομηνίας
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Διακύμανση
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Διακύμανση
 DocType: Employee Promotion,Employee Promotion Detail,Λεπτομέρειες προώθησης των εργαζομένων
 ,Company Name,Όνομα εταιρείας
 DocType: SMS Center,Total Message(s),Σύνολο μηνυμάτων
@@ -1561,7 +1571,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Μην στέλνετε υπενθυμίσεις γενεθλίων υπαλλήλου
 DocType: Expense Claim,Total Advance Amount,Συνολικό Ποσό Προκαταβολής
 DocType: Delivery Stop,Estimated Arrival,αναμενόμενη άφιξη
-DocType: Delivery Stop,Notified by Email,Κοινοποίηση μέσω ηλεκτρονικού ταχυδρομείου
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Δείτε όλα τα άρθρα
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Προχωρήστε
 DocType: Item,Inspection Criteria,Κριτήρια ελέγχου
@@ -1571,22 +1580,21 @@
 DocType: Timesheet Detail,Bill,Νομοσχέδιο
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Λευκό
 DocType: SMS Center,All Lead (Open),Όλες οι Συστάσεις (ανοιχτές)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Σειρά {0}: Ποσότητα δεν είναι διαθέσιμη για {4} στην αποθήκη {1} στην απόσπαση χρόνο έναρξης ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Σειρά {0}: Ποσότητα δεν είναι διαθέσιμη για {4} στην αποθήκη {1} στην απόσπαση χρόνο έναρξης ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Μπορείτε να επιλέξετε μία μέγιστη επιλογή από τη λίστα των πλαισίων ελέγχου.
 DocType: Purchase Invoice,Get Advances Paid,Βρες προκαταβολές που καταβλήθηκαν
 DocType: Item,Automatically Create New Batch,Δημιουργία αυτόματης νέας παρτίδας
 DocType: Supplier,Represents Company,Αντιπροσωπεύει την Εταιρεία
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Δημιούργησε
 DocType: Student Admission,Admission Start Date,Η είσοδος Ημερομηνία Έναρξης
 DocType: Journal Entry,Total Amount in Words,Συνολικό ποσό ολογράφως
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Νέος υπάλληλος
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Υπήρξε ένα σφάλμα. Ένας πιθανός λόγος θα μπορούσε να είναι ότι δεν έχετε αποθηκεύσει τη φόρμα. Παρακαλώ επικοινωνήστε με το support@erpnext.Com εάν το πρόβλημα παραμένει.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Το Καλάθι μου
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Ο τύπος παραγγελίας πρέπει να είναι ένα από τα {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Ο τύπος παραγγελίας πρέπει να είναι ένα από τα {0}
 DocType: Lead,Next Contact Date,Ημερομηνία επόμενης επικοινωνίας
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Αρχική ποσότητα
 DocType: Healthcare Settings,Appointment Reminder,Υπενθύμιση συναντήσεων
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Παρακαλούμε, εισάγετε Λογαριασμού για την Αλλαγή Ποσό"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Παρακαλούμε, εισάγετε Λογαριασμού για την Αλλαγή Ποσό"
 DocType: Program Enrollment Tool Student,Student Batch Name,Φοιτητής παρτίδας Όνομα
 DocType: Holiday List,Holiday List Name,Όνομα λίστας αργιών
 DocType: Repayment Schedule,Balance Loan Amount,Υπόλοιπο Ποσό Δανείου
@@ -1596,13 +1604,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Δικαιώματα Προαίρεσης
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Δεν προστέθηκαν στο καλάθι προϊόντα
 DocType: Journal Entry Account,Expense Claim,Αξίωση δαπανών
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Θέλετε πραγματικά να επαναφέρετε αυτή τη διάλυση των περιουσιακών στοιχείων;
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Θέλετε πραγματικά να επαναφέρετε αυτή τη διάλυση των περιουσιακών στοιχείων;
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Ποσότητα για {0}
 DocType: Leave Application,Leave Application,Αίτηση άδειας
 DocType: Patient,Patient Relation,Σχέση ασθενών
 DocType: Item,Hub Category to Publish,Κατηγορία Hub για δημοσίευση
 DocType: Leave Block List,Leave Block List Dates,Ημερομηνίες λίστας αποκλεισμού ημερών άδειας
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Η εντολή πωλήσεων {0} έχει κράτηση για το στοιχείο {1}, μπορείτε να πραγματοποιήσετε αποκλειστική κράτηση {1} έναντι {0}. Ο σειριακός αριθμός {2} δεν μπορεί να παραδοθεί"
 DocType: Sales Invoice,Billing Address GSTIN,Διεύθυνση χρέωσης GSTIN
@@ -1620,16 +1628,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Παρακαλείστε να προσδιορίσετε ένα {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Που αφαιρούνται χωρίς καμία αλλαγή στην ποσότητα ή την αξία.
 DocType: Delivery Note,Delivery To,Παράδοση προς
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Η δημιουργία παραλλαγών έχει τεθεί σε ουρά.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Συνοπτική εργασία για {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Η δημιουργία παραλλαγών έχει τεθεί σε ουρά.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Συνοπτική εργασία για {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Η πρώτη προσέγγιση απόρριψης στη λίστα θα οριστεί ως η προεπιλεγμένη άδεια προσέγγισης αδείας.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Τραπέζι χαρακτηριστικό γνώρισμα είναι υποχρεωτικό
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Τραπέζι χαρακτηριστικό γνώρισμα είναι υποχρεωτικό
 DocType: Production Plan,Get Sales Orders,Βρες παραγγελίες πώλησης
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,Η {0} δεν μπορεί να είναι αρνητική
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Συνδεθείτε με τα βιβλία QuickBooks
 DocType: Training Event,Self-Study,Αυτοδιδασκαλίας
 DocType: POS Closing Voucher,Period End Date,Ημερομηνία λήξης περιόδου
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Οι συνθέσεις του εδάφους δεν προσθέτουν μέχρι 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Έκπτωση
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Σειρά {0}: {1} απαιτείται για να δημιουργήσετε τα Ανοίγματα {2} Τιμολόγια
 DocType: Membership,Membership,Ιδιότητα μέλους
 DocType: Asset,Total Number of Depreciations,Συνολικός αριθμός των Αποσβέσεων
 DocType: Sales Invoice Item,Rate With Margin,Τιμή με περιθώριο
@@ -1640,7 +1650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Παρακαλείστε να προσδιορίσετε μια έγκυρη ταυτότητα Σειρά για τη σειρά {0} στο τραπέζι {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Δεν είναι δυνατή η εύρεση μεταβλητής:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Επιλέξτε ένα πεδίο για επεξεργασία από numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Δεν μπορεί να είναι ένα στοιχείο πάγιου στοιχείου ενεργητικού, καθώς δημιουργείται Ledger Stock."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Δεν μπορεί να είναι ένα στοιχείο πάγιου στοιχείου ενεργητικού, καθώς δημιουργείται Ledger Stock."
 DocType: Subscription Plan,Fixed rate,Σταθερό επιτόκιο
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Ομολογώ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Μετάβαση στην επιφάνεια εργασίας και να αρχίσετε να χρησιμοποιείτε ERPNext
@@ -1674,7 +1684,7 @@
 DocType: Tax Rule,Shipping State,Μέλος αποστολής
 ,Projected Quantity as Source,Προβλεπόμενη ποσότητα ως πηγής
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Το στοιχείο πρέπει να προστεθεί με τη χρήση του κουμπιού 'Λήψη ειδών από αποδεικτικά παραλαβής'
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Ταξίδι παράδοσης
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Ταξίδι παράδοσης
 DocType: Student,A-,Α-
 DocType: Share Transfer,Transfer Type,Τύπος μεταφοράς
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Έξοδα πωλήσεων
@@ -1687,8 +1697,9 @@
 DocType: Item Default,Default Selling Cost Center,Προεπιλεγμένο κέντρο κόστους πωλήσεων
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Δίσκος
 DocType: Buying Settings,Material Transferred for Subcontract,Μεταφερόμενο υλικό για υπεργολαβία
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Ταχυδρομικός κώδικας
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Πωλήσεις Τάξης {0} είναι {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Στοιχεία παραγγελίας αγορών καθυστερημένα
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Ταχυδρομικός κώδικας
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Πωλήσεις Τάξης {0} είναι {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Επιλέξτε το λογαριασμό εσόδων από τόκους στο δάνειο {0}
 DocType: Opportunity,Contact Info,Πληροφορίες επαφής
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Δημιουργία Εγγραφών Αποθεματικού
@@ -1701,12 +1712,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Δεν είναι δυνατή η πραγματοποίηση τιμολογίου για μηδενική ώρα χρέωσης
 DocType: Company,Date of Commencement,Ημερομηνία έναρξης
 DocType: Sales Person,Select company name first.,Επιλέξτε το όνομα της εταιρείας πρώτα.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Το email απεστάλη σε {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Το email απεστάλη σε {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Προσφορές που λήφθηκαν από προμηθευτές.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Αντικαταστήστε το BOM και ενημερώστε την τελευταία τιμή σε όλα τα BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Έως {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Αυτή είναι μια ομάδα προμηθευτών root και δεν μπορεί να επεξεργαστεί.
-DocType: Delivery Trip,Driver Name,Όνομα οδηγού
+DocType: Delivery Note,Driver Name,Όνομα οδηγού
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Μέσος όρος ηλικίας
 DocType: Education Settings,Attendance Freeze Date,Ημερομηνία παγώματος της παρουσίας
 DocType: Payment Request,Inward,Προς τα μέσα
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,Οικογενειακή επιχείρηση
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Τα δωμάτια του ξενοδοχείου {0} δεν είναι διαθέσιμα στις {1}
 DocType: Healthcare Practitioner,Default Currency,Προεπιλεγμένο νόμισμα
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Η μέγιστη έκπτωση για το στοιχείο {0} είναι {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Η μέγιστη έκπτωση για το στοιχείο {0} είναι {1}%
 DocType: Asset Movement,From Employee,Από υπάλληλο
 DocType: Driver,Cellphone Number,αριθμός κινητού
 DocType: Project,Monitor Progress,Παρακολουθήστε την πρόοδο
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Ποσότητα πρέπει να είναι μικρότερη ή ίση με {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Το μέγιστο ποσό που είναι επιλέξιμο για το στοιχείο {0} υπερβαίνει το {1}
 DocType: Department Approver,Department Approver,Διευθυντής Τμήματος
+DocType: QuickBooks Migrator,Application Settings,Ρυθμίσεις εφαρμογής
 DocType: SMS Center,Total Characters,Σύνολο χαρακτήρων
 DocType: Employee Advance,Claimed,Ισχυρίζεται
 DocType: Crop,Row Spacing,Διαχωρισμός γραμμών
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Παρακαλώ επιλέξτε Λ.Υ. στο πεδίο της Λ.Υ. για το είδος {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Παρακαλώ επιλέξτε Λ.Υ. στο πεδίο της Λ.Υ. για το είδος {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Δεν υπάρχει παραλλαγή στοιχείου για το επιλεγμένο στοιχείο
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Λεπτομέρειες τιμολογίου C-form
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Τιμολόγιο συμφωνίας πληρωμής
 DocType: Clinical Procedure,Procedure Template,Πρότυπο διαδικασίας
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Συμβολή (%)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Σύμφωνα με τις ρυθμίσεις αγοράς, αν απαιτείται εντολή αγοράς == &#39;ΝΑΙ&#39;, τότε για τη δημιουργία τιμολογίου αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την εντολή αγοράς για στοιχείο {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Συμβολή (%)
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Σύμφωνα με τις ρυθμίσεις αγοράς, αν απαιτείται εντολή αγοράς == &#39;ΝΑΙ&#39;, τότε για τη δημιουργία τιμολογίου αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την εντολή αγοράς για στοιχείο {0}"
 ,HSN-wise-summary of outward supplies,HSN-wise-περίληψη των εξωτερικών προμηθειών
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Αριθμοί μητρώου των επιχειρήσεων για την αναφορά σας. Αριθμοί φόρου κ.λ.π.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Να δηλώσω
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Να δηλώσω
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Διανομέας
 DocType: Asset Finance Book,Asset Finance Book,Χρηματοοικονομικό βιβλίο ενεργητικού
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Κανόνες αποστολής καλαθιού αγορών
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,Παραγγελθέντα είδη για τιμολόγηση
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Από το φάσμα πρέπει να είναι μικρότερη από ό, τι στην γκάμα"
 DocType: Global Defaults,Global Defaults,Καθολικές προεπιλογές
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Συνεργασία Πρόσκληση έργου
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Συνεργασία Πρόσκληση έργου
 DocType: Salary Slip,Deductions,Κρατήσεις
 DocType: Setup Progress Action,Action Name,Όνομα Ενέργειας
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Έτος έναρξης
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,Σύμβουλος
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Συνεδρίαση Συνάντησης Δασκάλων Γονέων
 DocType: Salary Slip,Earnings,Κέρδη
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Ολοκληρώθηκε Θέση {0} πρέπει να εισαχθούν για την είσοδο τύπου Κατασκευή
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Ολοκληρώθηκε Θέση {0} πρέπει να εισαχθούν για την είσοδο τύπου Κατασκευή
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Άνοιγμα λογιστικό υπόλοιπο
 ,GST Sales Register,Μητρώο Πωλήσεων GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Προκαταβολή τιμολογίου πώλησης
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Τίποτα να ζητηθεί
+DocType: Stock Settings,Default Return Warehouse,Προκαθορισμένη αποθήκη επιστροφής
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Επιλέξτε τους τομείς σας
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Εξαγορά προμηθευτή
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Στοιχεία τιμολογίου πληρωμής
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Τα πεδία θα αντιγραφούν μόνο κατά τη στιγμή της δημιουργίας.
 DocType: Setup Progress Action,Domains,Τομείς
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',Η πραγματική ημερομηνία έναρξης δεν μπορεί να είναι μεταγενέστερη της πραγματικής ημερομηνίας λήξης
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Διαχείριση
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Διαχείριση
 DocType: Cheque Print Template,Payer Settings,Ρυθμίσεις πληρωτή
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Δεν υπάρχουν εκκρεμή αιτήματα υλικού που βρέθηκαν να συνδέονται για τα συγκεκριμένα στοιχεία.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Επιλέξτε πρώτα την εταιρεία
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Αυτό θα πρέπει να επισυνάπτεται στο κφδικό είδους της παραλλαγής. Για παράδειγμα, εάν η συντομογραφία σας είναι «sm» και ο κωδικός του είδους είναι ""t-shirt"", ο κωδικός του της παραλλαγής του είδους θα είναι ""t-shirt-sm"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Οι καθαρές αποδοχές (ολογράφως) θα είναι ορατές τη στιγμή που θα αποθηκεύσετε τη βεβαίωση αποδοχών
 DocType: Delivery Note,Is Return,Είναι η επιστροφή
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Προσοχή
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Η ημέρα έναρξης είναι μεγαλύτερη από την ημέρα λήξης της εργασίας &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Επιστροφή / χρεωστικό σημείωμα
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Επιστροφή / χρεωστικό σημείωμα
 DocType: Price List Country,Price List Country,Τιμοκατάλογος Χώρα
 DocType: Item,UOMs,Μ.Μ.
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} Έγκυροι σειριακοί αριθμοί για το είδος {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Χορήγηση πληροφοριών.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Βάση δεδομένων προμηθευτών.
 DocType: Contract Template,Contract Terms and Conditions,Όροι και προϋποθέσεις της σύμβασης
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Δεν μπορείτε να κάνετε επανεκκίνηση μιας συνδρομής που δεν ακυρώνεται.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Δεν μπορείτε να κάνετε επανεκκίνηση μιας συνδρομής που δεν ακυρώνεται.
 DocType: Account,Balance Sheet,Ισολογισμός
 DocType: Leave Type,Is Earned Leave,Αποκτήθηκε Αφήστε
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Κέντρο κόστους για το είδος με το κωδικό είδους '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Κέντρο κόστους για το είδος με το κωδικό είδους '
 DocType: Fee Validity,Valid Till,Εγκυρο μέχρι
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Συνολική συνάντηση δασκάλων γονέων
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Τρόπος πληρωμής δεν έχει ρυθμιστεί. Παρακαλώ ελέγξτε, εάν ο λογαριασμός έχει τεθεί σε λειτουργία πληρωμών ή σε POS προφίλ."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Τρόπος πληρωμής δεν έχει ρυθμιστεί. Παρακαλώ ελέγξτε, εάν ο λογαριασμός έχει τεθεί σε λειτουργία πληρωμών ή σε POS προφίλ."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Ίδιο αντικείμενο δεν μπορεί να εισαχθεί πολλές φορές.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Περαιτέρω λογαριασμών μπορούν να γίνουν στις ομάδες, αλλά εγγραφές μπορούν να γίνουν με την μη Ομάδες"
 DocType: Lead,Lead,Σύσταση
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Το αποθεματικό {0} δημιουργήθηκε
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Δεν διαθέτετε σημεία αφοσίωσης για εξαργύρωση
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Σειρά # {0}: Απορρίφθηκε Ποσότητα δεν μπορούν να εισαχθούν στην Αγορά Επιστροφή
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Ρυθμίστε τον σχετικό λογαριασμό στην κατηγορία Φορολογική παρακράτηση {0} έναντι εταιρείας {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Σειρά # {0}: Απορρίφθηκε Ποσότητα δεν μπορούν να εισαχθούν στην Αγορά Επιστροφή
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Η αλλαγή της ομάδας πελατών για τον επιλεγμένο πελάτη δεν επιτρέπεται.
 ,Purchase Order Items To Be Billed,Είδη παραγγελίας αγοράς προς χρέωση
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Ενημέρωση των εκτιμώμενων χρόνων άφιξης.
 DocType: Program Enrollment Tool,Enrollment Details,Στοιχεία εγγραφής
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Δεν είναι δυνατή η ρύθμιση πολλών προεπιλογών στοιχείων για μια εταιρεία.
 DocType: Purchase Invoice Item,Net Rate,Καθαρή Τιμή
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Επιλέξτε έναν πελάτη
 DocType: Leave Policy,Leave Allocations,Αφήστε τις κατανομές
@@ -1850,7 +1866,7 @@
 DocType: Loan Application,Repayment Info,Πληροφορίες αποπληρωμής
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,Οι καταχωρήσεις δεν μπορεί να είναι κενές
 DocType: Maintenance Team Member,Maintenance Role,Ρόλος συντήρησης
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Διπλότυπη γραμμή {0} με το ίδιο {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Διπλότυπη γραμμή {0} με το ίδιο {1}
 DocType: Marketplace Settings,Disable Marketplace,Απενεργοποιήστε το Marketplace
 ,Trial Balance,Ισοζύγιο
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Φορολογικό Έτος {0} δεν βρέθηκε
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,Ο-
 DocType: Subscription Settings,Subscription Settings,Ρυθμίσεις συνδρομής
 DocType: Purchase Invoice,Update Auto Repeat Reference,Ενημέρωση αναφοράς αυτόματης επανάληψης
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Η προαιρετική λίστα διακοπών δεν έχει οριστεί για περίοδο άδειας {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Η προαιρετική λίστα διακοπών δεν έχει οριστεί για περίοδο άδειας {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Έρευνα
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Διεύθυνση 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Διεύθυνση 2
 DocType: Maintenance Visit Purpose,Work Done,Η εργασία ολοκληρώθηκε
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Παρακαλείστε να προσδιορίσετε τουλάχιστον ένα χαρακτηριστικό στον πίνακα Χαρακτηριστικά
 DocType: Announcement,All Students,Όλοι οι φοιτητές
@@ -1873,16 +1889,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Συγχωνευμένες συναλλαγές
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Η πιο παλιά
 DocType: Crop Cycle,Linked Location,Συνδεδεμένη τοποθεσία
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Μια ομάδα ειδών υπάρχει με το ίδιο όνομα, μπορείτε να αλλάξετε το όνομα του είδους ή να μετονομάσετε την ομάδα ειδών"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Μια ομάδα ειδών υπάρχει με το ίδιο όνομα, μπορείτε να αλλάξετε το όνομα του είδους ή να μετονομάσετε την ομάδα ειδών"
 DocType: Crop Cycle,Less than a year,Λιγότερο από ένα χρόνο
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Φοιτητής Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Τρίτες χώρες
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Τρίτες χώρες
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Το είδος {0} δεν μπορεί να έχει παρτίδα
 DocType: Crop,Yield UOM,Απόδοση UOM
 ,Budget Variance Report,Έκθεση διακύμανσης του προϋπολογισμού
 DocType: Salary Slip,Gross Pay,Ακαθάριστες αποδοχές
 DocType: Item,Is Item from Hub,Είναι στοιχείο από τον κεντρικό υπολογιστή
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Λάβετε στοιχεία από υπηρεσίες υγείας
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Λάβετε στοιχεία από υπηρεσίες υγείας
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Σειρά {0}: Τύπος δραστηριότητας είναι υποχρεωτική.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Μερίσματα που καταβάλλονται
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Λογιστική Λογιστική
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Τρόπος πληρωμής
 DocType: Purchase Invoice,Supplied Items,Προμηθευόμενα είδη
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Ρυθμίστε ένα ενεργό μενού για το εστιατόριο {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Ποσοστό%
 DocType: Work Order,Qty To Manufacture,Ποσότητα για κατασκευή
 DocType: Email Digest,New Income,Νέο εισόδημα
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Διατηρήστε ίδια τιμολόγηση καθ'όλο τον κύκλο αγορών
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Αποτίμηση Βαθμολογήστε που απαιτούνται για τη θέση στη γραμμή {0}
 DocType: Supplier Scorecard,Scorecard Actions,Ενέργειες καρτών αποτελεσμάτων
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Παράδειγμα: Μάστερ στην Επιστήμη των Υπολογιστών
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Ο προμηθευτής {0} δεν βρέθηκε στο {1}
 DocType: Purchase Invoice,Rejected Warehouse,Αποθήκη απορριφθέντων
 DocType: GL Entry,Against Voucher,Κατά το αποδεικτικό
 DocType: Item Default,Default Buying Cost Center,Προεπιλεγμένο κέντρο κόστους αγορών
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Για να πάρετε το καλύτερο από ERPNext, σας συνιστούμε να πάρει κάποιο χρόνο και να παρακολουθήσουν αυτά τα βίντεο βοήθεια."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Για προεπιλεγμένο προμηθευτή (προαιρετικό)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,να
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Για προεπιλεγμένο προμηθευτή (προαιρετικό)
 DocType: Supplier Quotation Item,Lead Time in days,Χρόνος των ημερών
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Σύνοψη πληρωτέων λογαριασμών
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Δεν επιτρέπεται να επεξεργαστείτε τον παγωμένο λογαριασμό {0}
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Προειδοποίηση για νέα Αιτήματα για Προσφορές
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,εντολές αγοράς σας βοηθήσει να σχεδιάσετε και να παρακολουθούν τις αγορές σας
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Προδιαγραφές εργαστηριακών δοκιμών
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}","Η συνολική ποσότητα Issue / Μεταφορά {0} στο Αίτημα Υλικό {1} \ δεν μπορεί να είναι μεγαλύτερη από ό, τι ζητήσατε ποσότητα {2} για τη θέση {3}"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Μικρό
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Εάν το Shopify δεν περιέχει πελάτη στην παραγγελία, τότε κατά το συγχρονισμό παραγγελιών, το σύστημα θα εξετάσει τον προεπιλεγμένο πελάτη για παραγγελία"
@@ -1937,6 +1954,7 @@
 DocType: Project,% Completed,% Ολοκληρώθηκε
 ,Invoiced Amount (Exculsive Tax),Ποσό τιμολόγησης (χωρίς φπα)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Στοιχείο 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Τελικό σημείο εξουσιοδότησης
 DocType: Travel Request,International,Διεθνές
 DocType: Training Event,Training Event,εκπαίδευση Event
 DocType: Item,Auto re-order,Αυτόματη εκ νέου προκειμένου
@@ -1945,24 +1963,24 @@
 DocType: Contract,Contract,Συμβόλαιο
 DocType: Plant Analysis,Laboratory Testing Datetime,Εργαστηριακή δοκιμή
 DocType: Email Digest,Add Quote,Προσθήκη Παράθεση
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Ο παράγοντας μετατροπής Μ.Μ. απαιτείται για τη Μ.Μ.: {0} στο είδος: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Ο παράγοντας μετατροπής Μ.Μ. απαιτείται για τη Μ.Μ.: {0} στο είδος: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Έμμεσες δαπάνες
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Γραμμή {0}: η ποσότητα είναι απαραίτητη
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Γραμμή {0}: η ποσότητα είναι απαραίτητη
 DocType: Agriculture Analysis Criteria,Agriculture,Γεωργία
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Δημιουργία εντολής πωλήσεων
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Λογιστική εγγραφή για στοιχεία ενεργητικού
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Αποκλεισμός Τιμολογίου
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Λογιστική εγγραφή για στοιχεία ενεργητικού
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Αποκλεισμός Τιμολογίου
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Ποσότητα που πρέπει να γίνει
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Συγχρονισμός Δεδομένα Βασικού Αρχείου
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Συγχρονισμός Δεδομένα Βασικού Αρχείου
 DocType: Asset Repair,Repair Cost,κόστος επισκευής
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Τα προϊόντα ή οι υπηρεσίες σας
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Αποτυχία σύνδεσης
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Το στοιχείο {0} δημιουργήθηκε
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Το στοιχείο {0} δημιουργήθηκε
 DocType: Special Test Items,Special Test Items,Ειδικά στοιχεία δοκιμής
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Πρέπει να είστε χρήστης με ρόλους του Διαχειριστή Συστήματος και Στοιχεία διαχειριστή στοιχείων για να εγγραφείτε στο Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Τρόπος πληρωμής
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"Σύμφωνα με τη δομή μισθοδοσίας σας, δεν μπορείτε να υποβάλετε αίτηση για παροχές"
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Ιστοσελίδα εικόνας θα πρέπει να είναι ένα δημόσιο αρχείο ή URL της ιστοσελίδας
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Ιστοσελίδα εικόνας θα πρέπει να είναι ένα δημόσιο αρχείο ή URL της ιστοσελίδας
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Αυτή είναι μια κύρια ομάδα ειδών και δεν μπορεί να επεξεργαστεί.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Συγχώνευση
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,Πληροφορίες επικοινωνίας για την αποθήκη
 DocType: Payment Entry,Write Off Difference Amount,Γράψτε Off Διαφορά Ποσό
 DocType: Volunteer,Volunteer Name,Όνομα εθελοντή
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Η δ/ση email του υπάλλήλου δεν βρέθηκε,  το μυνημα δεν εστάλη"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Έχουν βρεθεί σειρές με διπλές ημερομηνίες λήξης σε άλλες σειρές: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Η δ/ση email του υπάλλήλου δεν βρέθηκε,  το μυνημα δεν εστάλη"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Δεν δομή μισθοδοσίας για τον υπάλληλο {0} σε δεδομένη ημερομηνία {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Ο κανόνας αποστολής δεν ισχύει για τη χώρα {0}
 DocType: Item,Foreign Trade Details,Εξωτερικού Εμπορίου Λεπτομέρειες
@@ -1979,16 +1998,16 @@
 DocType: Email Digest,Annual Income,ΕΤΗΣΙΟ εισοδημα
 DocType: Serial No,Serial No Details,Λεπτομέρειες σειριακού αρ.
 DocType: Purchase Invoice Item,Item Tax Rate,Φορολογικός συντελεστής είδους
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Από το Όνομα του Κόμματος
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Από το Όνομα του Κόμματος
 DocType: Student Group Student,Group Roll Number,Αριθμός Αριθμός Roll
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Για {0}, μόνο πιστωτικοί λογαριασμοί μπορούν να συνδέονται με άλλες καταχωρήσεις χρέωσης"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Το δελτίο αποστολής {0} δεν έχει υποβληθεί
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Το δελτίο αποστολής {0} δεν έχει υποβληθεί
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Το είδος {0} πρέπει να είναι είδος υπεργολαβίας
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Κεφάλαιο εξοπλισμών
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ο κανόνας τιμολόγησης πρώτα επιλέγεται με βάση το πεδίο 'εφαρμογή στο', το οποίο μπορεί να είναι είδος, ομάδα ειδών ή εμπορικό σήμα"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Ορίστε πρώτα τον Κωδικό στοιχείου
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Τύπος εγγράφου
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Το σύνολο των κατανεμημέωνων ποσοστών για την ομάδα πωλήσεων πρέπει να είναι 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Τύπος εγγράφου
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Το σύνολο των κατανεμημέωνων ποσοστών για την ομάδα πωλήσεων πρέπει να είναι 100
 DocType: Subscription Plan,Billing Interval Count,Χρονικό διάστημα χρέωσης
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Ραντεβού και συναντήσεων ασθενών
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Η αξία λείπει
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Δημιουργία Εκτύπωση Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Δημιουργήθηκε τέλη
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},δεν βρήκε κανένα στοιχείο που ονομάζεται {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Στοιχείο φίλτρου
 DocType: Supplier Scorecard Criteria,Criteria Formula,Κριτήρια Φόρμουλα
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Συνολική εξερχόμενη
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Μπορεί να υπάρχει μόνο μία συνθήκη κανόνα αποστολής με 0 ή κενή τιμή για το πεδίο 'εώς αξία'
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Για ένα στοιχείο {0}, η ποσότητα πρέπει να είναι θετικός αριθμός"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Σημείωση : αυτό το κέντρο κόστους είναι μια ομάδα. Δεν μπορούν να γίνουν λογιστικές εγγραφές σε ομάδες.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Οι ημερήσιες αποζημιώσεις αντιστάθμισης δεν ισχύουν σε έγκυρες αργίες
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Υπάρχει αποθήκη παιδί για αυτή την αποθήκη. Δεν μπορείτε να διαγράψετε αυτό αποθήκη.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Υπάρχει αποθήκη παιδί για αυτή την αποθήκη. Δεν μπορείτε να διαγράψετε αυτό αποθήκη.
 DocType: Item,Website Item Groups,Ομάδες ειδών δικτυακού τόπου
 DocType: Purchase Invoice,Total (Company Currency),Σύνολο (Εταιρεία νομίσματος)
 DocType: Daily Work Summary Group,Reminder,Υπενθύμιση
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Προσβάσιμη τιμή
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Προσβάσιμη τιμή
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Ο σειριακός αριθμός {0} εισήχθηκε περισσότερο από μία φορά
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Λογιστική εγγραφή
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Από το GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Από το GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Ακυρωμένο ποσό
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} αντικείμενα σε εξέλιξη
 DocType: Workstation,Workstation Name,Όνομα σταθμού εργασίας
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS Θέση του Ομίλου
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Στείλτε ενημερωτικό άρθρο email:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Το εναλλακτικό στοιχείο δεν πρέπει να είναι ίδιο με τον κωδικό είδους
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Η Λ.Υ. {0} δεν ανήκει στο είδος {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Η Λ.Υ. {0} δεν ανήκει στο είδος {1}
 DocType: Sales Partner,Target Distribution,Στόχος διανομής
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Οριστικοποίηση της προσωρινής αξιολόγησης
 DocType: Salary Slip,Bank Account No.,Αριθμός τραπεζικού λογαριασμού
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Μπορούν να χρησιμοποιηθούν μεταβλητές καρτών αποτελεσμάτων, καθώς και: {total_score} (το συνολικό σκορ από την περίοδο αυτή), {period_number} (ο αριθμός των περιόδων μέχρι σήμερα)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Σύμπτυξη όλων
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Σύμπτυξη όλων
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Δημιουργία εντολής αγοράς
 DocType: Quality Inspection Reading,Reading 8,Μέτρηση 8
 DocType: Inpatient Record,Discharge Note,Σημείωση εκφόρτισης
@@ -2050,7 +2070,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Άδεια μετ' αποδοχών
 DocType: Purchase Invoice,Supplier Invoice Date,Ημερομηνία τιμολογίου του προμηθευτή
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Αυτή η τιμή χρησιμοποιείται για υπολογισμό pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Χρειάζεται να ενεργοποιήσετε το καλάθι αγορών
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Χρειάζεται να ενεργοποιήσετε το καλάθι αγορών
 DocType: Payment Entry,Writeoff,Διαγράφω
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Ονομασία πρόθεμα σειράς
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Βρέθηκαν συνθήκες που επικαλύπτονται μεταξύ:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Κατά την ημερολογιακή εγγραφή {0} έχει ήδη ρυθμιστεί από κάποιο άλλο αποδεικτικό
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Συνολική αξία της παραγγελίας
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Τροφή
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Τροφή
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Eύρος γήρανσης 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Λεπτομέρειες σχετικά με τα δελτία κλεισίματος POS
 DocType: Shopify Log,Shopify Log,Κατάστημα καταγραφής
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Παραδίδω αποσκευές
 DocType: Maintenance Schedule Item,No of Visits,Αρ. επισκέψεων
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Το πρόγραμμα συντήρησης {0} υπάρχει έναντι του {1}
@@ -2109,6 +2128,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Μέγιστα οφέλη (Ποσό)
 DocType: Purchase Invoice,Contact Person,Κύρια εγγραφή επικοινωνίας
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',Η αναμενόμενη ημερομηνία έναρξης δεν μπορεί να είναι μεταγενέστερη από την αναμενόμενη ημερομηνία λήξης
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Δεν υπάρχουν δεδομένα για αυτήν την περίοδο
 DocType: Course Scheduling Tool,Course End Date,Φυσικά Ημερομηνία Λήξης
 DocType: Holiday List,Holidays,Διακοπές
 DocType: Sales Order Item,Planned Quantity,Προγραμματισμένη ποσότητα
@@ -2120,7 +2140,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Καθαρή Αλλαγή στο Παγίων
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Απ. Ποσ
 DocType: Leave Control Panel,Leave blank if considered for all designations,Άφησε το κενό αν ισχύει για όλες τις ονομασίες
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβάρυνση του τύπου 'πραγματική' στη γραμμή {0} δεν μπορεί να συμπεριληφθεί στην τιμή είδους
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβάρυνση του τύπου 'πραγματική' στη γραμμή {0} δεν μπορεί να συμπεριληφθεί στην τιμή είδους
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Μέγιστο: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Από ημερομηνία και ώρα
 DocType: Shopify Settings,For Company,Για την εταιρεία
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,Περιεχόμενο όρων και προϋποθέσεων
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Παρουσιάστηκαν σφάλματα κατά τη δημιουργία του προγράμματος μαθημάτων
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Ο πρώτος εξομοιωτής δαπανών στη λίστα θα οριστεί ως προεπιλεγμένος Εξομοιωτής Εξόδων.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,Δεν μπορεί να είναι μεγαλύτερη από 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,Δεν μπορεί να είναι μεγαλύτερη από 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Πρέπει να είστε χρήστης διαφορετικός από τον Διαχειριστή με τους Διαχειριστές Συστημάτων και τους ρόλους του Διαχειριστή είδους για να εγγραφείτε στο Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Το είδος {0} δεν είναι ένα αποθηκεύσιμο είδος
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Το είδος {0} δεν είναι ένα αποθηκεύσιμο είδος
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Έκτακτες
 DocType: Employee,Owned,Ανήκουν
@@ -2163,7 +2183,7 @@
 DocType: HR Settings,Employee Settings,Ρυθμίσεις των υπαλλήλων
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Φόρτωση συστήματος πληρωμών
 ,Batch-Wise Balance History,Ιστορικό υπολοίπων παρτίδας
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Σειρά # {0}: Δεν είναι δυνατή η ρύθμιση Τιμή εάν το ποσό είναι μεγαλύτερο από το ποσό που χρεώθηκε για το στοιχείο {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Σειρά # {0}: Δεν είναι δυνατή η ρύθμιση Τιμή εάν το ποσό είναι μεγαλύτερο από το ποσό που χρεώθηκε για το στοιχείο {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ρυθμίσεις εκτύπωσης ενημερώθηκε στις αντίστοιχες έντυπη μορφή
 DocType: Package Code,Package Code,Κωδικός πακέτου
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Μαθητευόμενος
@@ -2171,7 +2191,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Δεν επιτρέπεται αρνητική ποσότητα
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Ο πίνακας λεπτομερειών φόρου υπολογίζεται από την κύρια εγγραφή του είδους σαν αλφαριθμητικό και αποθηκεύεται σε αυτό το πεδίο. Χρησιμοποιείται για φόρους και τέλη
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Ο υπάλληλος δεν μπορεί να αναφέρει στον ευατό του.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Ο υπάλληλος δεν μπορεί να αναφέρει στον ευατό του.
 DocType: Leave Type,Max Leaves Allowed,Τα μέγιστα φύλλα επιτρέπονται
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Εάν ο λογαριασμός έχει παγώσει, οι καταχωρήσεις επιτρέπονται σε ορισμένους χρήστες."
 DocType: Email Digest,Bank Balance,Τράπεζα Υπόλοιπο
@@ -2197,6 +2217,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Καταχωρήσεις τραπεζικών συναλλαγών
 DocType: Quality Inspection,Readings,Μετρήσεις
 DocType: Stock Entry,Total Additional Costs,Συνολικό πρόσθετο κόστος
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Αριθ. Αλληλεπιδράσεων
 DocType: BOM,Scrap Material Cost(Company Currency),Άχρηστα Υλικών Κατασκευής Νέων Κτιρίων (Εταιρεία νομίσματος)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Υποσυστήματα
 DocType: Asset,Asset Name,Όνομα του ενεργητικού
@@ -2204,10 +2225,10 @@
 DocType: Shipping Rule Condition,To Value,ˆΈως αξία
 DocType: Loyalty Program,Loyalty Program Type,Τύπος προγράμματος πιστότητας
 DocType: Asset Movement,Stock Manager,Διευθυντής Αποθεματικού
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Η αποθήκη προέλευσης είναι απαραίτητη για τη σειρά {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Η αποθήκη προέλευσης είναι απαραίτητη για τη σειρά {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Ο όρος πληρωμής στη σειρά {0} είναι πιθανώς διπλό.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Γεωργία (βήτα)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Δελτίο συσκευασίας
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Δελτίο συσκευασίας
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Ενοίκιο γραφείου
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Ρύθμιση στοιχείων SMS gateway
 DocType: Disease,Common Name,Συνηθισμένο όνομα
@@ -2239,20 +2260,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Μισθός Slip σε Εργαζομένους
 DocType: Cost Center,Parent Cost Center,Γονικό κέντρο κόστους
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Επιλέξτε Πιθανή Προμηθευτής
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Επιλέξτε Πιθανή Προμηθευτής
 DocType: Sales Invoice,Source,Πηγή
 DocType: Customer,"Select, to make the customer searchable with these fields","Επιλέξτε, για να κάνετε τον πελάτη να αναζητηθεί με αυτά τα πεδία"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Εισαγάγετε τις σημειώσεις αποστολής από το Shopify κατά την αποστολή
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Εμφάνιση κλειστά
 DocType: Leave Type,Is Leave Without Pay,Είναι άδειας άνευ αποδοχών
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Περιουσιακών στοιχείων της κατηγορίας είναι υποχρεωτική για παγίου στοιχείου
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Περιουσιακών στοιχείων της κατηγορίας είναι υποχρεωτική για παγίου στοιχείου
 DocType: Fee Validity,Fee Validity,Ισχύς του τέλους
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Δεν βρέθηκαν εγγραφές στον πίνακα πληρωμών
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Αυτό {0} συγκρούσεις με {1} για {2} {3}
 DocType: Student Attendance Tool,Students HTML,φοιτητές HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Διαγράψτε τον υπάλληλο <a href=""#Form/Employee/{0}"">{0}</a> \ για να ακυρώσετε αυτό το έγγραφο"
 DocType: POS Profile,Apply Discount,Εφαρμόστε Έκπτωση
 DocType: GST HSN Code,GST HSN Code,Κωδικός HSN του GST
 DocType: Employee External Work History,Total Experience,Συνολική εμπειρία
@@ -2275,7 +2293,7 @@
 DocType: Maintenance Schedule,Schedules,Χρονοδιαγράμματα
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Το POS Profile απαιτείται για να χρησιμοποιηθεί το σημείο πώλησης
 DocType: Cashier Closing,Net Amount,Καθαρό Ποσό
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} δεν έχει υποβληθεί, οπότε η ενέργεια δεν μπορεί να ολοκληρωθεί"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} δεν έχει υποβληθεί, οπότε η ενέργεια δεν μπορεί να ολοκληρωθεί"
 DocType: Purchase Order Item Supplied,BOM Detail No,Αρ. Λεπτομερειών Λ.Υ.
 DocType: Landed Cost Voucher,Additional Charges,Επιπλέον χρεώσεις
 DocType: Support Search Source,Result Route Field,Πεδίο διαδρομής αποτελεσμάτων
@@ -2304,11 +2322,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Άνοιγμα Τιμολογίων
 DocType: Contract,Contract Details,Στοιχεία σύμβασης
 DocType: Employee,Leave Details,Αφήστε τα στοιχεία
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Παρακαλώ ορίστε το πεδίο ID χρήστη σε μια εγγραφή υπαλλήλου για να ρυθμίσετε το ρόλο του υπαλλήλου
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Παρακαλώ ορίστε το πεδίο ID χρήστη σε μια εγγραφή υπαλλήλου για να ρυθμίσετε το ρόλο του υπαλλήλου
 DocType: UOM,UOM Name,Όνομα Μ.Μ.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Διεύθυνση 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Διεύθυνση 1
 DocType: GST HSN Code,HSN Code,Κωδικός HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Ποσό συνεισφοράς
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Ποσό συνεισφοράς
 DocType: Inpatient Record,Patient Encounter,Συνάντηση ασθενών
 DocType: Purchase Invoice,Shipping Address,Διεύθυνση αποστολής
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Αυτό το εργαλείο σας βοηθά να ενημερώσετε ή να διορθώσετε την ποσότητα και την αποτίμηση των αποθεμάτων στο σύστημα. Συνήθως χρησιμοποιείται για να συγχρονίσει τις τιμές του συστήματος και του τι πραγματικά υπάρχει στις αποθήκες σας.
@@ -2325,9 +2343,9 @@
 DocType: Travel Itinerary,Mode of Travel,Τρόπος ταξιδιού
 DocType: Sales Invoice Item,Brand Name,Εμπορική επωνυμία
 DocType: Purchase Receipt,Transporter Details,Λεπτομέρειες Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Προεπιλογή αποθήκη απαιτείται για επιλεγμένες στοιχείο
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Προεπιλογή αποθήκη απαιτείται για επιλεγμένες στοιχείο
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Κουτί
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,πιθανές Προμηθευτής
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,πιθανές Προμηθευτής
 DocType: Budget,Monthly Distribution,Μηνιαία διανομή
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Η λίστα παραλήπτη είναι άδεια. Παρακαλώ δημιουργήστε λίστα παραλήπτη
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Υγειονομική περίθαλψη (beta)
@@ -2348,6 +2366,7 @@
 ,Lead Name,Όνομα Σύστασης
 ,POS,POS
 DocType: C-Form,III,ΙΙΙ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Διερεύνηση
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Ισοζύγιο Αρχικού Αποθέματος
 DocType: Asset Category Account,Capital Work In Progress Account,Κεφαλαιοποίηση εργασιών σε λογαριασμό προόδου
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Προσαρμογή αξίας περιουσιακού στοιχείου
@@ -2356,7 +2375,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Οι άδειες κατανεμήθηκαν επιτυχώς για {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Δεν βρέθηκαν είδη για συσκευασία
 DocType: Shipping Rule Condition,From Value,Από τιμή
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Η παραγόμενη ποσότητα είναι απαραίτητη
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Η παραγόμενη ποσότητα είναι απαραίτητη
 DocType: Loan,Repayment Method,Τρόπος αποπληρωμής
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Αν επιλεγεί, η σελίδα θα είναι η προεπιλεγμένη Θέση του Ομίλου για την ιστοσελίδα"
 DocType: Quality Inspection Reading,Reading 4,Μέτρηση 4
@@ -2381,7 +2400,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Παραπομπής των εργαζομένων
 DocType: Student Group,Set 0 for no limit,Ορίστε 0 για χωρίς όριο
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Η ημέρα (ες) για την οποία υποβάλλετε αίτηση για άδεια είναι αργίες. Δεν χρειάζεται να ζητήσει άδεια.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Η σειρά {idx}: {field} είναι απαραίτητη για τη δημιουργία των τιμολογίων {invoice_type} Opening
 DocType: Customer,Primary Address and Contact Detail,Κύρια διεύθυνση και στοιχεία επικοινωνίας
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Επανάληψη αποστολής Πληρωμής Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Νέα εργασία
@@ -2391,8 +2409,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Επιλέξτε τουλάχιστον έναν τομέα.
 DocType: Dependent Task,Dependent Task,Εξαρτημένη Εργασία
 DocType: Shopify Settings,Shopify Tax Account,Εξόφληση φορολογικού λογαριασμού
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Ο συντελεστής μετατροπής για την προεπιλεγμένη μονάδα μέτρησης πρέπει να είναι 1 στη γραμμή {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Η άδεια του τύπου {0} δεν μπορεί να είναι μεγαλύτερη από {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Ο συντελεστής μετατροπής για την προεπιλεγμένη μονάδα μέτρησης πρέπει να είναι 1 στη γραμμή {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Η άδεια του τύπου {0} δεν μπορεί να είναι μεγαλύτερη από {1}
 DocType: Delivery Trip,Optimize Route,Βελτιστοποιήστε τη διαδρομή
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Δοκιμάστε τον προγραμματισμό εργασιών για το X ημέρες νωρίτερα.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2401,14 +2419,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Παρακαλούμε να ορίσετε Προεπιλογή Μισθοδοσίας Πληρωτέο Λογαριασμού Εταιρείας {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Αποκτήστε οικονομική κατανομή των δεδομένων Φόρων και χρεώσεων από την Amazon
 DocType: SMS Center,Receiver List,Λίστα παραλήπτη
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Αναζήτηση Είδους
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Αναζήτηση Είδους
 DocType: Payment Schedule,Payment Amount,Ποσό πληρωμής
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Ημερομηνία ημ / νίας ημέρας πρέπει να είναι μεταξύ της εργασίας από την ημερομηνία και της ημερομηνίας λήξης εργασίας
 DocType: Healthcare Settings,Healthcare Service Items,Στοιχεία Υπηρεσίας Υγείας
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Ποσό που καταναλώθηκε
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Καθαρή Αλλαγή σε μετρητά
 DocType: Assessment Plan,Grading Scale,Κλίμακα βαθμολόγησης
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Η μονάδα μέτρησης {0} έχει εισαχθεί περισσότερες από μία φορές στον πίνακας παραγόντων μετατροπής
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Η μονάδα μέτρησης {0} έχει εισαχθεί περισσότερες από μία φορές στον πίνακας παραγόντων μετατροπής
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,έχουν ήδη ολοκληρωθεί
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Τρέχον απόθεμα
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2431,25 +2449,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Ο σειριακός αριθμός {0} ποσότητα {1} δεν μπορεί να είναι ένα κλάσμα
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Πληκτρολογήστε τη διεύθυνση URL του διακομιστή Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Αριθμός εξαρτήματος του προμηθευτή
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Το ποσοστό μετατροπής δεν μπορεί να είναι 0 ή 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Το ποσοστό μετατροπής δεν μπορεί να είναι 0 ή 1
 DocType: Share Balance,To No,Σε Όχι
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Όλη η υποχρεωτική εργασία για τη δημιουργία εργαζομένων δεν έχει ακόμη ολοκληρωθεί.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} έχει ακυρωθεί ή σταματήσει
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} έχει ακυρωθεί ή σταματήσει
 DocType: Accounts Settings,Credit Controller,Ελεγκτής πίστωσης
 DocType: Loan,Applicant Type,Τύπος αιτούντος
 DocType: Purchase Invoice,03-Deficiency in services,03-Ανεπάρκεια υπηρεσιών
 DocType: Healthcare Settings,Default Medical Code Standard,Προεπιλεγμένο πρότυπο ιατρικού κώδικα
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Το αποδεικτικό παραλαβής αγοράς {0} δεν έχει υποβληθεί
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Το αποδεικτικό παραλαβής αγοράς {0} δεν έχει υποβληθεί
 DocType: Company,Default Payable Account,Προεπιλεγμένος λογαριασμός πληρωτέων
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ρυθμίσεις για το online καλάθι αγορών, όπως οι κανόνες αποστολής, ο τιμοκατάλογος κλπ"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Χρεώθηκαν
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Δεσμευμένη ποσότητα
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Δεσμευμένη ποσότητα
 DocType: Party Account,Party Account,Λογαριασμός συμβαλλόμενου
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Επιλέξτε Εταιρεία και ονομασία
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Ανθρώπινοι πόροι
-DocType: Lead,Upper Income,Άνω εισοδήματος
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Άνω εισοδήματος
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Απορρίπτω
 DocType: Journal Entry Account,Debit in Company Currency,Χρεωστικές στην Εταιρεία Νόμισμα
 DocType: BOM Item,BOM Item,Είδος Λ.Υ.
@@ -2466,7 +2484,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Άνοιγμα θέσεων εργασίας για ορισμό {0} ήδη ανοιχτό \ ή προσλήψεις που ολοκληρώθηκαν σύμφωνα με το Σχέδιο Προσωπικού {1}
 DocType: Vital Signs,Constipated,Δυσκοίλιος
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Κατά το τιμολόγιο προμηθευτή {0} της {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Κατά το τιμολόγιο προμηθευτή {0} της {1}
 DocType: Customer,Default Price List,Προεπιλεγμένος τιμοκατάλογος
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,ρεκόρ Κίνηση περιουσιακό στοιχείο {0} δημιουργήθηκε
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Δεν βρέθηκαν αντικείμενα.
@@ -2482,16 +2500,17 @@
 DocType: Journal Entry,Entry Type,Τύπος εισόδου
 ,Customer Credit Balance,Υπόλοιπο πίστωσης πελάτη
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Καθαρή Αλλαγή πληρωτέων λογαριασμών
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Το πιστωτικό όριο έχει περάσει για τον πελάτη {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Το πιστωτικό όριο έχει περάσει για τον πελάτη {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Για την έκπτωση με βάση πελάτη είναι απαραίτητο να επιλεγεί πελάτης
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Ενημέρωση ημερομηνιών πληρωμών τραπέζης μέσω ημερολογίου.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,τιμολόγηση
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,τιμολόγηση
 DocType: Quotation,Term Details,Λεπτομέρειες όρων
 DocType: Employee Incentive,Employee Incentive,Κίνητρο για εργαζόμενους
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Δεν μπορούν να εγγραφούν περισσότερες από {0} μαθητές για αυτή την ομάδα των σπουδαστών.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Σύνολο (χωρίς Φόρο)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Αρχικός αριθμός
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Διαθέσιμο διαθέσιμο
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Διαθέσιμο διαθέσιμο
 DocType: Manufacturing Settings,Capacity Planning For (Days),Ο προγραμματισμός της δυναμικότητας Για (Ημέρες)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Προμήθεια
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Κανένα από τα στοιχεία που έχουν οποιαδήποτε μεταβολή στην ποσότητα ή την αξία.
@@ -2515,7 +2534,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Αφήστε και φοίτηση
 DocType: Asset,Comprehensive Insurance,Περιεκτική ασφάλιση
 DocType: Maintenance Visit,Partially Completed,Ημιτελής
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Σημείο αφοσίωσης: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Σημείο αφοσίωσης: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Προσθήκη προσθηκών
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Μέτρια ευαισθησία
 DocType: Leave Type,Include holidays within leaves as leaves,"Περιλαμβάνουν διακοπές σε φύλλα, όπως τα φύλλα"
 DocType: Loyalty Program,Redemption,Εξαγορά
@@ -2549,7 +2569,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Δαπάνες marketing
 ,Item Shortage Report,Αναφορά έλλειψης είδους
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Δεν είναι δυνατή η δημιουργία τυπικών κριτηρίων. Παρακαλούμε μετονομάστε τα κριτήρια
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Το βάρος αναφέρεται, \nπαρακαλώ, αναφέρετε επίσης και τη μονάδα μέτρησης βάρους'"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Το βάρος αναφέρεται, \nπαρακαλώ, αναφέρετε επίσης και τη μονάδα μέτρησης βάρους'"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Αίτηση υλικού που χρησιμοποιείται για να γίνει αυτήν η καταχώρnση αποθέματος
 DocType: Hub User,Hub Password,Κωδικός Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Ξεχωριστή ομάδα μαθημάτων που βασίζεται σε μαθήματα για κάθε παρτίδα
@@ -2563,15 +2583,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Διάρκεια Συνάντησης (λεπτά)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Δημιούργησε λογιστική καταχώρηση για κάθε κίνηση αποθέματος
 DocType: Leave Allocation,Total Leaves Allocated,Σύνολο αδειών που διατέθηκε
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Παρακαλώ εισάγετε ένα έγκυρο οικονομικό έτος ημερομηνίες έναρξης και λήξης
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Παρακαλώ εισάγετε ένα έγκυρο οικονομικό έτος ημερομηνίες έναρξης και λήξης
 DocType: Employee,Date Of Retirement,Ημερομηνία συνταξιοδότησης
 DocType: Upload Attendance,Get Template,Βρες πρότυπο
+,Sales Person Commission Summary,Σύνοψη της Επιτροπής Πωλήσεων
 DocType: Additional Salary Component,Additional Salary Component,Πρόσθετο στοιχείο μισθοδοσίας
 DocType: Material Request,Transferred,Μεταφέρθηκε
 DocType: Vehicle,Doors,πόρτες
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Ρύθμιση ERPNext Πλήρης!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Ρύθμιση ERPNext Πλήρης!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Συλλογή αμοιβής για εγγραφή ασθενούς
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Δεν είναι δυνατή η αλλαγή χαρακτηριστικών μετά από συναλλαγή μετοχών. Δημιουργήστε ένα νέο αντικείμενο και μεταφέρετε το απόθεμα στο νέο στοιχείο
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Δεν είναι δυνατή η αλλαγή χαρακτηριστικών μετά από συναλλαγή μετοχών. Δημιουργήστε ένα νέο αντικείμενο και μεταφέρετε το απόθεμα στο νέο στοιχείο
 DocType: Course Assessment Criteria,Weightage,Ζύγισμα
 DocType: Purchase Invoice,Tax Breakup,Φορολογική διακοπή
 DocType: Employee,Joining Details,Συμμετοχή σε λεπτομέρειες
@@ -2599,14 +2620,15 @@
 DocType: Lead,Next Contact By,Επόμενη επικοινωνία από
 DocType: Compensatory Leave Request,Compensatory Leave Request,Αίτημα αντισταθμιστικής άδειας
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Η ποσότητα για το είδος {0} στη γραμμή {1} είναι απαραίτητη.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Η αποθήκη {0} δεν μπορεί να διαγραφεί, γιατί υπάρχει ποσότητα για το είδος {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Η αποθήκη {0} δεν μπορεί να διαγραφεί, γιατί υπάρχει ποσότητα για το είδος {1}"
 DocType: Blanket Order,Order Type,Τύπος παραγγελίας
 ,Item-wise Sales Register,Ταμείο πωλήσεων ανά είδος
 DocType: Asset,Gross Purchase Amount,Ακαθάριστο Ποσό Αγορά
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Άνοιγμα υπολοίπων
 DocType: Asset,Depreciation Method,Μέθοδος απόσβεσης
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ο φόρος αυτός περιλαμβάνεται στη βασική τιμή;
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Σύνολο στόχου
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Σύνολο στόχου
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Ανάλυση αντίληψης
 DocType: Soil Texture,Sand Composition (%),Σύνθεση άμμου (%)
 DocType: Job Applicant,Applicant for a Job,Αιτών εργασία
 DocType: Production Plan Material Request,Production Plan Material Request,Παραγωγή Αίτημα Σχέδιο Υλικό
@@ -2621,23 +2643,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Βαθμός αξιολόγησης (από 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Όχι
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Κύριο
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Το παρακάτω στοιχείο {0} δεν έχει επισημανθεί ως {1} στοιχείο. Μπορείτε να τα ενεργοποιήσετε ως στοιχείο {1} από τον κύριο τίτλο του στοιχείου
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Παραλλαγή
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Για ένα στοιχείο {0}, η ποσότητα πρέπει να είναι αρνητικός"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Ορίστε πρόθεμα για τη σειρά αρίθμησης για τις συναλλαγές σας
 DocType: Employee Attendance Tool,Employees HTML,Οι εργαζόμενοι HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Προεπιλογή BOM ({0}) πρέπει να είναι ενεργή για αυτό το στοιχείο ή το πρότυπο της
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Προεπιλογή BOM ({0}) πρέπει να είναι ενεργή για αυτό το στοιχείο ή το πρότυπο της
 DocType: Employee,Leave Encashed?,Η άδεια εισπράχθηκε;
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Το πεδίο 'ευκαιρία από' είναι υποχρεωτικό
 DocType: Email Digest,Annual Expenses,ετήσια Έξοδα
 DocType: Item,Variants,Παραλλαγές
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Δημιούργησε παραγγελία αγοράς
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Δημιούργησε παραγγελία αγοράς
 DocType: SMS Center,Send To,Αποστολή προς
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Δεν υπάρχει αρκετό υπόλοιπο άδειας για άδειες τύπου {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Δεν υπάρχει αρκετό υπόλοιπο άδειας για άδειες τύπου {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Ποσό που διατέθηκε
 DocType: Sales Team,Contribution to Net Total,Συμβολή στο καθαρό σύνολο
 DocType: Sales Invoice Item,Customer's Item Code,Κωδικός είδους πελάτη
 DocType: Stock Reconciliation,Stock Reconciliation,Συμφωνία αποθέματος
 DocType: Territory,Territory Name,Όνομα περιοχής
+DocType: Email Digest,Purchase Orders to Receive,Παραγγελίες αγοράς για λήψη
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Η αποθήκη εργασιών σε εξέλιξηαπαιτείται πριν την υποβολή
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Μπορείτε να έχετε μόνο σχέδια με τον ίδιο κύκλο χρέωσης σε μια συνδρομή
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Χαρτογραφημένα δεδομένα
@@ -2654,9 +2678,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Διπλότυπος σειριακός αριθμός για το είδος {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Το κομμάτι οδηγεί με βάση την πηγή.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Μια συνθήκη για έναν κανόνα αποστολής
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Παρακαλώ περάστε
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Παρακαλώ περάστε
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Αρχείο καταγραφής συντήρησης
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Παρακαλούμε να ορίσετε το φίλτρο σύμφωνα με το σημείο ή την αποθήκη
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Παρακαλούμε να ορίσετε το φίλτρο σύμφωνα με το σημείο ή την αποθήκη
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Το καθαρό βάρος της εν λόγω συσκευασίας. (Υπολογίζεται αυτόματα ως το άθροισμα του καθαρού βάρους των ειδών)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Κάνετε είσοδο στην εφημερίδα Inter Company
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Το ποσό έκπτωσης δεν μπορεί να είναι μεγαλύτερο από το 100%
@@ -2665,15 +2689,15 @@
 DocType: Sales Order,To Deliver and Bill,Για να παρέχουν και να τιμολογούν
 DocType: Student Group,Instructors,εκπαιδευτές
 DocType: GL Entry,Credit Amount in Account Currency,Πιστωτικές Ποσό σε Νόμισμα Λογαριασμού
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Η Λ.Υ. {0} πρέπει να υποβληθεί
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Διαχείριση μετοχών
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Η Λ.Υ. {0} πρέπει να υποβληθεί
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Διαχείριση μετοχών
 DocType: Authorization Control,Authorization Control,Έλεγχος εξουσιοδότησης
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Σειρά # {0}: Απορρίφθηκε Αποθήκη είναι υποχρεωτική κατά στοιχείο που έχει απορριφθεί {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Πληρωμή
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Σειρά # {0}: Απορρίφθηκε Αποθήκη είναι υποχρεωτική κατά στοιχείο που έχει απορριφθεί {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Πληρωμή
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Η αποθήκη {0} δεν συνδέεται με κανένα λογαριασμό, αναφέρετε τον λογαριασμό στο αρχείο αποθήκης ή ορίστε τον προεπιλεγμένο λογαριασμό αποθέματος στην εταιρεία {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Διαχειριστείτε τις παραγγελίες σας
 DocType: Work Order Operation,Actual Time and Cost,Πραγματικός χρόνος και κόστος
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Αίτηση υλικού με μέγιστο {0} μπορεί να γίνει για το είδος {1} κατά την παραγγελία πώλησης {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Αίτηση υλικού με μέγιστο {0} μπορεί να γίνει για το είδος {1} κατά την παραγγελία πώλησης {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Διαχωρισμός καλλιεργειών
 DocType: Course,Course Abbreviation,Σύντμηση γκολφ
@@ -2685,6 +2709,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Οι συνολικές ώρες εργασίας δεν πρέπει να είναι μεγαλύτερη από το ωράριο εργασίας max {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Στις
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Ομαδοποίηση ειδών κατά τη στιγμή της πώλησης.
+DocType: Delivery Settings,Dispatch Settings,Ρυθμίσεις αποστολής
 DocType: Material Request Plan Item,Actual Qty,Πραγματική ποσότητα
 DocType: Sales Invoice Item,References,Παραπομπές
 DocType: Quality Inspection Reading,Reading 10,Μέτρηση 10
@@ -2694,11 +2719,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Έχετε εισάγει διπλότυπα στοιχεία. Παρακαλώ διορθώστε και δοκιμάστε ξανά.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Συνεργάτης
 DocType: Asset Movement,Asset Movement,Asset Κίνημα
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Η παραγγελία εργασίας {0} πρέπει να υποβληθεί
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Νέο Καλάθι
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Η παραγγελία εργασίας {0} πρέπει να υποβληθεί
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Νέο Καλάθι
 DocType: Taxable Salary Slab,From Amount,Από το ποσό
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Το είδος {0} δεν είναι είδος μίας σειράς
 DocType: Leave Type,Encashment,Εξαργύρωση
+DocType: Delivery Settings,Delivery Settings,Ρυθμίσεις παράδοσης
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Λήψη δεδομένων
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Η μέγιστη άδεια που επιτρέπεται στον τύπο άδειας {0} είναι {1}
 DocType: SMS Center,Create Receiver List,Δημιουργία λίστας παραλήπτη
 DocType: Vehicle,Wheels,τροχοί
@@ -2714,7 +2741,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Το νόμισμα χρέωσης πρέπει να είναι ίσο είτε με το νόμισμα της εταιρείας προεπιλογής είτε με το νόμισμα του λογαριασμού κόμματος
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Δηλώνει ότι το συσκευασία είναι ένα μέρος αυτής της παράδοσης (μόνο πρόχειρο)
 DocType: Soil Texture,Loam,Παχύ χώμα
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Γραμμή {0}: Η ημερομηνία λήξης δεν μπορεί να είναι πριν από την ημερομηνία δημοσίευσης
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Γραμμή {0}: Η ημερομηνία λήξης δεν μπορεί να είναι πριν από την ημερομηνία δημοσίευσης
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Δημιούργησε καταχώηρση πληρωμής
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Η ποσότητα για το είδος {0} πρέπει να είναι λιγότερη από {1}
 ,Sales Invoice Trends,Τάσεις τιμολογίου πώλησης
@@ -2722,12 +2749,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Μπορεί να παραπέμψει σε γραμμή μόνο εφόσον ο τύπος χρέωσης είναι ποσό προηγούμενης γραμμής ή σύνολο προηγούμενης γραμμής
 DocType: Sales Order Item,Delivery Warehouse,Αποθήκη Παράδοση
 DocType: Leave Type,Earned Leave Frequency,Αποτέλεσμα συχνότητας αδείας
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Δέντρο των Κέντρων οικονομικό κόστος.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Υπο-τύπος
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Δέντρο των Κέντρων οικονομικό κόστος.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Υπο-τύπος
 DocType: Serial No,Delivery Document No,Αρ. εγγράφου παράδοσης
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Εξασφαλίστε την παράδοση με βάση τον παραγόμενο σειριακό αριθμό
 DocType: Vital Signs,Furry,Γούνινος
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Παρακαλούμε να ορίσετε &#39;Ο λογαριασμός / Ζημιά Κέρδος Asset διάθεσης »στην εταιρεία {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Παρακαλούμε να ορίσετε &#39;Ο λογαριασμός / Ζημιά Κέρδος Asset διάθεσης »στην εταιρεία {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Πάρετε τα στοιχεία από τις πωλήσεις παραγγελίες
 DocType: Serial No,Creation Date,Ημερομηνία δημιουργίας
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Η τοποθέτηση προορισμού είναι απαραίτητη για το στοιχείο {0}
@@ -2741,10 +2768,11 @@
 DocType: Item,Has Variants,Έχει παραλλαγές
 DocType: Employee Benefit Claim,Claim Benefit For,Απαίτηση
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Ενημέρωση απόκρισης
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Έχετε ήδη επιλεγμένα αντικείμενα από {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Έχετε ήδη επιλεγμένα αντικείμενα από {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Όνομα της μηνιαίας διανομής
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Το αναγνωριστικό παρτίδας είναι υποχρεωτικό
 DocType: Sales Person,Parent Sales Person,Γονικός πωλητής
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Δεν υπάρχουν καθυστερημένα στοιχεία για παραλαβή
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Ο πωλητής και ο αγοραστής δεν μπορούν να είναι οι ίδιοι
 DocType: Project,Collect Progress,Συλλέξτε την πρόοδο
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2760,7 +2788,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Money
 DocType: Budget,Budget,Προϋπολογισμός
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Ορίστε Άνοιγμα
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Πάγιο περιουσιακό στοιχείο πρέπει να είναι ένα στοιχείο μη διαθέσιμο.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Πάγιο περιουσιακό στοιχείο πρέπει να είναι ένα στοιχείο μη διαθέσιμο.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ο προϋπολογισμός δεν μπορεί να αποδοθεί κατά {0}, δεδομένου ότι δεν είναι ένας λογαριασμός έσοδα ή έξοδα"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Το μέγιστο ποσό απαλλαγής για το {0} είναι {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Επιτεύχθηκε
@@ -2778,9 +2806,9 @@
 ,Amount to Deliver,Ποσό Παράδοση
 DocType: Asset,Insurance Start Date,Ημερομηνία έναρξης ασφάλισης
 DocType: Salary Component,Flexible Benefits,Ευέλικτα οφέλη
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Το ίδιο στοιχείο εισήχθη πολλές φορές. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Το ίδιο στοιχείο εισήχθη πολλές φορές. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Η Ημερομηνία Τίτλος έναρξης δεν μπορεί να είναι νωρίτερα από το έτος έναρξης Ημερομηνία του Ακαδημαϊκού Έτους στην οποία ο όρος συνδέεται (Ακαδημαϊκό Έτος {}). Διορθώστε τις ημερομηνίες και προσπαθήστε ξανά.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Υπήρχαν σφάλματα.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Υπήρχαν σφάλματα.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Ο εργαζόμενος {0} έχει ήδη υποβάλει αίτηση για {1} μεταξύ {2} και {3}:
 DocType: Guardian,Guardian Interests,Guardian Ενδιαφέροντα
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Ενημέρωση ονόματος λογαριασμού / αριθμού
@@ -2819,9 +2847,9 @@
 ,Item-wise Purchase History,Ιστορικό αγορών ανά είδος
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Παρακαλώ κάντε κλικ στο 'δημιουργία χρονοδιαγράμματος' για να δείτε τον σειριακό αριθμό που προστέθηκε για το είδος {0}
 DocType: Account,Frozen,Παγωμένα
-DocType: Delivery Note,Vehicle Type,Τύπος οχήματος
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Τύπος οχήματος
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Βάση Ποσό (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Πρώτες ύλες
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Πρώτες ύλες
 DocType: Payment Reconciliation Payment,Reference Row,Σειρά αναφοράς
 DocType: Installation Note,Installation Time,Ώρα εγκατάστασης
 DocType: Sales Invoice,Accounting Details,Λογιστική Λεπτομέρειες
@@ -2830,12 +2858,13 @@
 DocType: Inpatient Record,O Positive,O Θετική
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Επενδύσεις
 DocType: Issue,Resolution Details,Λεπτομέρειες επίλυσης
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Τύπος συναλλαγής
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Τύπος συναλλαγής
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Κριτήρια αποδοχής
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Παρακαλούμε, εισάγετε αιτήσεις Υλικό στον παραπάνω πίνακα"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Δεν υπάρχουν διαθέσιμες επιστροφές για την καταχώριση ημερολογίου
 DocType: Hub Tracked Item,Image List,Λίστα εικόνων
 DocType: Item Attribute,Attribute Name,Χαρακτηριστικό όνομα
+DocType: Subscription,Generate Invoice At Beginning Of Period,Δημιουργία τιμολογίου στην αρχή της περιόδου
 DocType: BOM,Show In Website,Εμφάνιση στην ιστοσελίδα
 DocType: Loan Application,Total Payable Amount,Συνολικό πληρωτέο ποσό
 DocType: Task,Expected Time (in hours),Αναμενόμενη διάρκεια (σε ώρες)
@@ -2872,7 +2901,7 @@
 DocType: Employee,Resignation Letter Date,Ημερομηνία επιστολής παραίτησης
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Οι κανόνες τιμολόγησης φιλτράρονται περαιτέρω με βάση την ποσότητα.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Δεν έχει οριστεί
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Ρυθμίστε την Ημερομηνία Σύνδεσης για το {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Ρυθμίστε την Ημερομηνία Σύνδεσης για το {0}
 DocType: Inpatient Record,Discharge,Εκπλήρωση
 DocType: Task,Total Billing Amount (via Time Sheet),Συνολικό Ποσό χρέωσης (μέσω Ώρα Φύλλο)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Έσοδα επαναλαμβανόμενων πελατών
@@ -2882,13 +2911,13 @@
 DocType: Chapter,Chapter,Κεφάλαιο
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Ζεύγος
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Ο προεπιλεγμένος λογαριασμός θα ενημερωθεί αυτόματα στο POS Τιμολόγιο, όταν αυτή η λειτουργία είναι επιλεγμένη."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Επιλέξτε BOM και Ποσότητα Παραγωγής
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Επιλέξτε BOM και Ποσότητα Παραγωγής
 DocType: Asset,Depreciation Schedule,Πρόγραμμα αποσβέσεις
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Διευθύνσεις συνεργατών πωλήσεων και επαφές
 DocType: Bank Reconciliation Detail,Against Account,Κατά τον λογαριασμό
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Μισό Ημερομηνία Ημέρα θα πρέπει να είναι μεταξύ Από Ημερομηνία και μέχρι σήμερα
 DocType: Maintenance Schedule Detail,Actual Date,Πραγματική ημερομηνία
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Ορίστε το προεπιλεγμένο κέντρο κόστους στην εταιρεία {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Ορίστε το προεπιλεγμένο κέντρο κόστους στην εταιρεία {0}.
 DocType: Item,Has Batch No,Έχει αρ. Παρτίδας
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Ετήσια Χρέωση: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Λεπτομέρειες Webhook
@@ -2900,7 +2929,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Τύπος αλλαγής
 DocType: Student,Personal Details,Προσωπικά στοιχεία
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Παρακαλούμε να ορίσετε «Asset Κέντρο Αποσβέσεις Κόστους» στην εταιρεία {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Παρακαλούμε να ορίσετε «Asset Κέντρο Αποσβέσεις Κόστους» στην εταιρεία {0}
 ,Maintenance Schedules,Χρονοδιαγράμματα συντήρησης
 DocType: Task,Actual End Date (via Time Sheet),Πραγματική Ημερομηνία λήξης (μέσω Ώρα Φύλλο)
 DocType: Soil Texture,Soil Type,Τύπος εδάφους
@@ -2908,10 +2937,10 @@
 ,Quotation Trends,Τάσεις προσφορών
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Η ομάδα είδους δεν αναφέρεται στην κύρια εγγραφή είδους για το είδος {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Εντολή
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Ο 'λογαριασμός χρέωσης προς' Χρέωση του λογαριασμού πρέπει να είναι λογαριασμός απαιτήσεων
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Ο 'λογαριασμός χρέωσης προς' Χρέωση του λογαριασμού πρέπει να είναι λογαριασμός απαιτήσεων
 DocType: Shipping Rule,Shipping Amount,Κόστος αποστολής
 DocType: Supplier Scorecard Period,Period Score,Αποτέλεσμα περιόδου
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Προσθέστε πελάτες
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Προσθέστε πελάτες
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Ποσό που εκκρεμεί
 DocType: Lab Test Template,Special,Ειδικός
 DocType: Loyalty Program,Conversion Factor,Συντελεστής μετατροπής
@@ -2928,7 +2957,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Προσθέστε επιστολόχαρτο
 DocType: Program Enrollment,Self-Driving Vehicle,Αυτοκίνητο όχημα
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Βαθμολογία προμηθευτή Scorecard
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Κατάλογος Υλικών δεν βρέθηκε για την Θέση {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Κατάλογος Υλικών δεν βρέθηκε για την Θέση {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Σύνολο των κατανεμημένων φύλλα {0} δεν μπορεί να είναι μικρότερη από ό, τι έχει ήδη εγκριθεί φύλλα {1} για την περίοδο"
 DocType: Contract Fulfilment Checklist,Requirement,Απαίτηση
 DocType: Journal Entry,Accounts Receivable,Εισπρακτέοι λογαριασμοί
@@ -2944,16 +2973,16 @@
 DocType: Projects Settings,Timesheets,φύλλων
 DocType: HR Settings,HR Settings,Ρυθμίσεις ανθρωπίνου δυναμικού
 DocType: Salary Slip,net pay info,καθαρών αποδοχών πληροφορίες
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Ποσό CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Ποσό CESS
 DocType: Woocommerce Settings,Enable Sync,Ενεργοποίηση συγχρονισμού
 DocType: Tax Withholding Rate,Single Transaction Threshold,Ελάχιστο όριο συναλλαγής
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Αυτή η τιμή ενημερώνεται στον κατάλογο προεπιλεγμένων τιμών πωλήσεων.
 DocType: Email Digest,New Expenses,Νέα Έξοδα
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Ποσό PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Ποσό PDC / LC
 DocType: Shareholder,Shareholder,Μέτοχος
 DocType: Purchase Invoice,Additional Discount Amount,Πρόσθετες ποσό έκπτωσης
 DocType: Cash Flow Mapper,Position,Θέση
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Πάρτε στοιχεία από τις προδιαγραφές
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Πάρτε στοιχεία από τις προδιαγραφές
 DocType: Patient,Patient Details,Λεπτομέρειες ασθενούς
 DocType: Inpatient Record,B Positive,Β Θετικό
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2965,8 +2994,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Ομάδα για να μη Ομάδα
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Αθλητισμός
 DocType: Loan Type,Loan Name,δάνειο Όνομα
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Πραγματικό σύνολο
-DocType: Lab Test UOM,Test UOM,Δοκιμή UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Πραγματικό σύνολο
 DocType: Student Siblings,Student Siblings,φοιτητής αδέλφια
 DocType: Subscription Plan Detail,Subscription Plan Detail,Λεπτομέρειες σχεδίου συνδρομής
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Μονάδα
@@ -2993,7 +3021,6 @@
 DocType: Workstation,Wages per hour,Μισθοί ανά ώρα
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Το ισοζύγιο αποθεμάτων στην παρτίδα {0} θα γίνει αρνητικό {1} για το είδος {2} στην αποθήκη {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Μετά από αιτήματα Υλικό έχουν τεθεί αυτόματα ανάλογα με το επίπεδο εκ νέου την τάξη αντικειμένου
-DocType: Email Digest,Pending Sales Orders,Εν αναμονή Παραγγελίες
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Ο Λογαριασμός {0} είναι άκυρος. Η Νομισματική Μονάδα πρέπει να είναι {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Από την ημερομηνία {0} δεν μπορεί να είναι μετά την ημερομηνία ανακούφισης του υπαλλήλου {1}
 DocType: Supplier,Is Internal Supplier,Είναι εσωτερικός προμηθευτής
@@ -3002,13 +3029,14 @@
 DocType: Healthcare Settings,Remind Before,Υπενθύμιση Πριν
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Ο συντελεστής μετατροπής Μ.Μ. είναι απαραίτητος στη γραμμή {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα Πωλήσεις Τάξης, Τιμολόγιο Πωλήσεων ή Εφημερίδα Έναρξη"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα Πωλήσεις Τάξης, Τιμολόγιο Πωλήσεων ή Εφημερίδα Έναρξη"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Πόντοι Πίστης = Πόσο βασικό νόμισμα;
 DocType: Salary Component,Deduction,Κρατήση
 DocType: Item,Retain Sample,Διατηρήστε δείγμα
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Σειρά {0}: από το χρόνο και τον χρόνο είναι υποχρεωτική.
 DocType: Stock Reconciliation Item,Amount Difference,ποσό Διαφορά
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Είδους Τιμή προστεθεί {0} στην Τιμοκατάλογος {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Είδους Τιμή προστεθεί {0} στην Τιμοκατάλογος {1}
+DocType: Delivery Stop,Order Information,Πληροφορίες Παραγγελίας
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Παρακαλώ εισάγετε το αναγνωριστικό Υπάλληλος αυτό το άτομο πωλήσεων
 DocType: Territory,Classification of Customers by region,Ταξινόμηση των πελατών ανά περιοχή
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Σε παραγωγή
@@ -3019,8 +3047,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Υπολογιζόμενο Τράπεζα ισορροπία Δήλωση
 DocType: Normal Test Template,Normal Test Template,Πρότυπο πρότυπο δοκιμής
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Απενεργοποιημένος χρήστης
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Προσφορά
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Δεν είναι δυνατή η ρύθμιση ενός ληφθέντος RFQ σε καμία παράθεση
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Προσφορά
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Δεν είναι δυνατή η ρύθμιση ενός ληφθέντος RFQ σε καμία παράθεση
 DocType: Salary Slip,Total Deduction,Συνολική έκπτωση
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Επιλέξτε ένα λογαριασμό για εκτύπωση σε νόμισμα λογαριασμού
 ,Production Analytics,παραγωγή Analytics
@@ -3033,14 +3061,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Ρύθμιση πίνακα καρτών προμηθευτή
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Όνομα σχεδίου αξιολόγησης
 DocType: Work Order Operation,Work Order Operation,Λειτουργία εντολής εργασίας
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Προειδοποίηση: Μη έγκυρο πιστοποιητικό SSL στο συνημμένο {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Προειδοποίηση: Μη έγκυρο πιστοποιητικό SSL στο συνημμένο {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Οδηγεί σας βοηθήσει να πάρετε την επιχείρησή, προσθέστε όλες τις επαφές σας και περισσότερο, όπως σας οδηγεί"
 DocType: Work Order Operation,Actual Operation Time,Πραγματικός χρόνος λειτουργίας
 DocType: Authorization Rule,Applicable To (User),Εφαρμοστέα σε (user)
 DocType: Purchase Taxes and Charges,Deduct,Αφαίρεσε
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Περιγραφή Δουλειάς
 DocType: Student Applicant,Applied,Εφαρμοσμένος
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Άνοιγμα ξανά
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Άνοιγμα ξανά
 DocType: Sales Invoice Item,Qty as per Stock UOM,Ποσότητα σύμφωνα με τη Μ.Μ. Αποθέματος
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Όνομα Guardian2
 DocType: Attendance,Attendance Request,Αίτηση Συμμετοχής
@@ -3058,7 +3086,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Ο σειριακός αριθμός {0} έχει εγγύηση μέχρι {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Ελάχιστη επιτρεπτή τιμή
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Ο χρήστης {0} υπάρχει ήδη
-apps/erpnext/erpnext/hooks.py +114,Shipments,Αποστολές
+apps/erpnext/erpnext/hooks.py +115,Shipments,Αποστολές
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Συνολικό ποσό που χορηγήθηκε (Εταιρεία νομίσματος)
 DocType: Purchase Order Item,To be delivered to customer,Να παραδοθεί στον πελάτη
 DocType: BOM,Scrap Material Cost,Άχρηστα Υλικών Κατασκευής Νέων Κτιρίων
@@ -3066,11 +3094,12 @@
 DocType: Grant Application,Email Notification Sent,Αποστολή ειδοποίησης ηλεκτρονικού ταχυδρομείου
 DocType: Purchase Invoice,In Words (Company Currency),Με λόγια (νόμισμα της εταιρείας)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Η εταιρεία είναι διευθυντής για λογαριασμό εταιρείας
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Κωδικός είδους, αποθήκη, ποσότητα που απαιτείται στη σειρά"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Κωδικός είδους, αποθήκη, ποσότητα που απαιτείται στη σειρά"
 DocType: Bank Guarantee,Supplier,Προμηθευτής
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Πάρτε Από
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Αυτό είναι ένα ριζικό τμήμα και δεν μπορεί να επεξεργαστεί.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Δείξτε λεπτομέρειες πληρωμής
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Διάρκεια σε ημέρες
 DocType: C-Form,Quarter,Τρίμηνο
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Διάφορες δαπάνες
 DocType: Global Defaults,Default Company,Προεπιλεγμένη εταιρεία
@@ -3078,7 +3107,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Ο λογαριασμός δαπάνης ή ποσό διαφοράς είναι απαραίτητος για το είδος {0}, καθώς επηρεάζουν τη συνολική αξία των αποθεμάτων"
 DocType: Bank,Bank Name,Όνομα τράπεζας
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Παραπάνω
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Αφήστε το πεδίο κενό για να κάνετε παραγγελίες αγοράς για όλους τους προμηθευτές
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Αφήστε το πεδίο κενό για να κάνετε παραγγελίες αγοράς για όλους τους προμηθευτές
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Στοιχείο φόρτισης επίσκεψης ασθενούς
 DocType: Vital Signs,Fluid,Υγρό
 DocType: Leave Application,Total Leave Days,Σύνολο ημερών άδειας
@@ -3087,7 +3116,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Ρυθμίσεις παραλλαγής αντικειμένου
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Επιλέξτε εταιρία...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Άφησε το κενό αν ισχύει για όλα τα τμήματα
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},Η {0} είναι απαραίτητη για το είδος {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},Η {0} είναι απαραίτητη για το είδος {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Το στοιχείο {0}: {1} έχει παραχθεί,"
 DocType: Payroll Entry,Fortnightly,Κατά δεκατετραήμερο
 DocType: Currency Exchange,From Currency,Από το νόμισμα
@@ -3136,7 +3165,7 @@
 DocType: Account,Fixed Asset,Πάγιο
 DocType: Amazon MWS Settings,After Date,Μετά την ημερομηνίαν ταυτήν
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Απογραφή συνέχειες
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Μη έγκυρο {0} για το τιμολόγιο της εταιρίας.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Μη έγκυρο {0} για το τιμολόγιο της εταιρίας.
 ,Department Analytics,Τμήμα Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Δεν βρέθηκε διεύθυνση ηλεκτρονικού ταχυδρομείου στην προεπιλεγμένη επαφή
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Δημιουργία μυστικού
@@ -3154,6 +3183,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Με την πληρωμή του φόρου
 DocType: Expense Claim Detail,Expense Claim Detail,Λεπτομέρειες αξίωσης δαπανών
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση&gt; Ρυθμίσεις Εκπαίδευσης
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,ΤΡΙΛΙΚΑ ΓΙΑ ΠΡΟΜΗΘΕΥΤΗ
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Νέο υπόλοιπο σε βασικό νόμισμα
 DocType: Location,Is Container,Είναι Container
@@ -3161,13 +3191,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Παρακαλώ επιλέξτε σωστό λογαριασμό
 DocType: Salary Structure Assignment,Salary Structure Assignment,Υπολογισμός δομής μισθών
 DocType: Purchase Invoice Item,Weight UOM,Μονάδα μέτρησης βάρους
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Κατάλογος διαθέσιμων Μετόχων με αριθμούς φακέλων
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Κατάλογος διαθέσιμων Μετόχων με αριθμούς φακέλων
 DocType: Salary Structure Employee,Salary Structure Employee,Δομή μισθό του υπαλλήλου
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Εμφάνιση παραμέτρων παραλλαγών
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Εμφάνιση παραμέτρων παραλλαγών
 DocType: Student,Blood Group,Ομάδα αίματος
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Ο λογαριασμός πύλης πληρωμής στο πρόγραμμα {0} διαφέρει από τον λογαριασμό της πύλης πληρωμής σε αυτό το αίτημα πληρωμής
 DocType: Course,Course Name,Όνομα Μαθήματος
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Δεν βρέθηκαν στοιχεία για την παρακράτηση φόρου για το τρέχον οικονομικό έτος.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Δεν βρέθηκαν στοιχεία για την παρακράτηση φόρου για το τρέχον οικονομικό έτος.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Χρήστες που μπορούν να εγκρίνουν αιτήσεις για έναν συγκεκριμένο εργαζόμενο
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Εξοπλισμός γραφείου
 DocType: Purchase Invoice Item,Qty,Ποσότητα
@@ -3175,6 +3205,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Ρύθμιση βαθμολόγησης
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Ηλεκτρονικά
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Χρέωση ({0})
+DocType: BOM,Allow Same Item Multiple Times,Επιτρέψτε στο ίδιο στοιχείο πολλαπλούς χρόνους
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Δημιουργία αιτήματος υλικού όταν το απόθεμα φτάνει το επίπεδο για επαναπαραγγελία
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Πλήρης απασχόληση
 DocType: Payroll Entry,Employees,εργαζόμενοι
@@ -3186,11 +3217,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Επιβεβαίωση πληρωμής
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Οι τιμές δεν θα εμφανίζεται αν Τιμοκατάλογος δεν έχει οριστεί
 DocType: Stock Entry,Total Incoming Value,Συνολική εισερχόμενη αξία
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Χρεωστικό να απαιτείται
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Χρεωστικό να απαιτείται
 DocType: Clinical Procedure,Inpatient Record,Εγγραφή στα νοσοκομεία
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Φύλλων βοηθήσει να παρακολουθείτε την ώρα, το κόστος και τη χρέωση για δραστηριότητες γίνεται από την ομάδα σας"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Τιμοκατάλογος αγορών
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Ημερομηνία συναλλαγής
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Τιμοκατάλογος αγορών
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Ημερομηνία συναλλαγής
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Πρότυπα των μεταβλητών βαθμολογίας του προμηθευτή.
 DocType: Job Offer Term,Offer Term,Προσφορά Όρος
 DocType: Asset,Quality Manager,Υπεύθυνος διασφάλισης ποιότητας
@@ -3211,18 +3242,18 @@
 DocType: Cashier Closing,To Time,Έως ώρα
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) για {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Έγκριση Ρόλος (πάνω από εξουσιοδοτημένο αξία)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Ο λογαριασμός πίστωσης πρέπει να είναι πληρωτέος λογαριασμός
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Ο λογαριασμός πίστωσης πρέπει να είναι πληρωτέος λογαριασμός
 DocType: Loan,Total Amount Paid,Συνολικό ποσό που καταβλήθηκε
 DocType: Asset,Insurance End Date,Ημερομηνία λήξης ασφάλισης
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Επιλέξτε φοιτητική εισαγωγή, η οποία είναι υποχρεωτική για τον αιτούντα πληρωμένο φοιτητή"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Αναδρομή Λ.Υ.: {0} δεν μπορεί να είναι γονέας ή τέκνο της {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Αναδρομή Λ.Υ.: {0} δεν μπορεί να είναι γονέας ή τέκνο της {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Λίστα Προϋπολογισμών
 DocType: Work Order Operation,Completed Qty,Ολοκληρωμένη ποσότητα
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Για {0}, μόνο χρεωστικοί λογαριασμοί μπορούν να συνδέονται με άλλες καταχωρήσεις πίστωσης"
 DocType: Manufacturing Settings,Allow Overtime,Επιτρέψτε Υπερωρίες
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Ο Σειριακός Αριθμός {0} δεν μπορεί να ενημερωθεί χρησιμοποιώντας τον Συμψηφισμό Αποθεματικών, παρακαλούμε χρησιμοποιήστε την ένδειξη Δημιουργίας Αποθεματικού"
 DocType: Training Event Employee,Training Event Employee,Κατάρτιση Εργαζομένων Event
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Τα μέγιστα δείγματα - {0} μπορούν να διατηρηθούν για το Batch {1} και το στοιχείο {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Τα μέγιστα δείγματα - {0} μπορούν να διατηρηθούν για το Batch {1} και το στοιχείο {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Προσθήκη χρονικών θυρίδων
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} αύξοντες αριθμούς που απαιτούνται για τη θέση {1}. Έχετε προβλέπεται {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Τρέχουσα Αποτίμηση Τιμή
@@ -3253,11 +3284,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Ο σειριακός αριθμός {0} δεν βρέθηκε
 DocType: Fee Schedule Program,Fee Schedule Program,Πρόγραμμα προγράμματος χρεώσεων
 DocType: Fee Schedule Program,Student Batch,Batch φοιτητής
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Διαγράψτε τον υπάλληλο <a href=""#Form/Employee/{0}"">{0}</a> \ για να ακυρώσετε αυτό το έγγραφο"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Κάντε Φοιτητής
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Ελάχιστη Βαθμολογία
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Τύπος μονάδας υγειονομικής περίθαλψης
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Έχετε προσκληθεί να συνεργαστούν για το έργο: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Έχετε προσκληθεί να συνεργαστούν για το έργο: {0}
 DocType: Supplier Group,Parent Supplier Group,Μητρική ομάδα προμηθευτών
+DocType: Email Digest,Purchase Orders to Bill,Αγοράζοντας Εντολές στον Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Συσσωρευμένες αξίες σε εταιρεία του Ομίλου
 DocType: Leave Block List Date,Block Date,Αποκλεισμός ημερομηνίας
 DocType: Crop,Crop,Καλλιέργεια
@@ -3269,6 +3303,7 @@
 DocType: Sales Order,Not Delivered,Δεν έχει παραδοθεί
 ,Bank Clearance Summary,Περίληψη εκκαθάρισης τράπεζας
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Δημιουργία και διαχείριση ημερησίων, εβδομαδιαίων και μηνιαίων ενημερώσεν email."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,"Αυτό βασίζεται σε συναλλαγές έναντι αυτού του Πωλητή. Για λεπτομέρειες, δείτε την παρακάτω γραμμή χρόνου"
 DocType: Appraisal Goal,Appraisal Goal,Στόχος αξιολόγησης
 DocType: Stock Reconciliation Item,Current Amount,τρέχουσα Ποσό
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,κτίρια
@@ -3295,7 +3330,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,λογισμικά
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Επόμενο Ημερομηνία Επικοινωνήστε δεν μπορεί να είναι στο παρελθόν
 DocType: Company,For Reference Only.,Για αναφορά μόνο.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Επιλέξτε Αριθμός παρτίδας
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Επιλέξτε Αριθμός παρτίδας
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Άκυρη {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Αναφορά Inv
@@ -3313,16 +3348,16 @@
 DocType: Normal Test Items,Require Result Value,Απαιτείται τιμή αποτελέσματος
 DocType: Item,Show a slideshow at the top of the page,Δείτε μια παρουσίαση στην κορυφή της σελίδας
 DocType: Tax Withholding Rate,Tax Withholding Rate,Φόρος παρακράτησης φόρου
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Καταστήματα
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Καταστήματα
 DocType: Project Type,Projects Manager,Υπεύθυνος έργων
 DocType: Serial No,Delivery Time,Χρόνος παράδοσης
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Γήρανση με βάση την
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Το ραντεβού ακυρώθηκε
 DocType: Item,End of Life,Τέλος της ζωής
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Ταξίδι
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Ταξίδι
 DocType: Student Report Generation Tool,Include All Assessment Group,Συμπεριλάβετε όλες τις ομάδες αξιολόγησης
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Δεν ενεργή ή προεπιλογή Μισθός Δομή βρέθηκαν για εργαζόμενο {0} για τις δεδομένες ημερομηνίες
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Δεν ενεργή ή προεπιλογή Μισθός Δομή βρέθηκαν για εργαζόμενο {0} για τις δεδομένες ημερομηνίες
 DocType: Leave Block List,Allow Users,Επίστρεψε χρήστες
 DocType: Purchase Order,Customer Mobile No,Κινητό αριθ Πελατών
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Στοιχεία πρότυπου χαρτογράφησης ταμειακών ροών
@@ -3331,15 +3366,16 @@
 DocType: Rename Tool,Rename Tool,Εργαλείο μετονομασίας
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Ενημέρωση κόστους
 DocType: Item Reorder,Item Reorder,Αναδιάταξη είδους
+DocType: Delivery Note,Mode of Transport,Τρόπος μεταφοράς
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Εμφάνιση Μισθός Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Μεταφορά υλικού
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Μεταφορά υλικού
 DocType: Fees,Send Payment Request,Αίτηση πληρωμής
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Καθορίστε τις λειτουργίες, το κόστος λειτουργίας και να δώστε ένα μοναδικό αριθμό λειτουργίας στις λειτουργίες σας."
 DocType: Travel Request,Any other details,Οποιαδήποτε άλλα στοιχεία
 DocType: Water Analysis,Origin,Προέλευση
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Το έγγραφο αυτό είναι πάνω από το όριο του {0} {1} για το στοιχείο {4}. Κάνετε μια άλλη {3} κατά την ίδια {2};
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Παρακαλούμε να ορίσετε επαναλαμβανόμενες μετά την αποθήκευση
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,υπόψη το ποσό Επιλέξτε αλλαγή
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Παρακαλούμε να ορίσετε επαναλαμβανόμενες μετά την αποθήκευση
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,υπόψη το ποσό Επιλέξτε αλλαγή
 DocType: Purchase Invoice,Price List Currency,Νόμισμα τιμοκαταλόγου
 DocType: Naming Series,User must always select,Ο χρήστης πρέπει πάντα να επιλέγει
 DocType: Stock Settings,Allow Negative Stock,Επίτρεψε αρνητικό απόθεμα
@@ -3360,9 +3396,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ιχνηλασιμότητα
 DocType: Asset Maintenance Log,Actions performed,Ενέργειες που εκτελούνται
 DocType: Cash Flow Mapper,Section Leader,Τμήμα ηγέτης
+DocType: Delivery Note,Transport Receipt No,Αριθμός παραλαβής μεταφοράς
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Πηγή χρηματοδότησης ( παθητικού )
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Η τοποθεσία προέλευσης και στόχου δεν μπορεί να είναι ίδια
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Η ποσότητα στη γραμμή {0} ( {1} ) πρέπει να είναι ίδια με την παραγόμενη ποσότητα {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Η ποσότητα στη γραμμή {0} ( {1} ) πρέπει να είναι ίδια με την παραγόμενη ποσότητα {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Υπάλληλος
 DocType: Bank Guarantee,Fixed Deposit Number,Αριθμός σταθερής κατάθεσης
 DocType: Asset Repair,Failure Date,Ημερομηνία αποτυχίας
@@ -3376,16 +3413,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Μειώσεις πληρωμής ή απώλειας
 DocType: Soil Analysis,Soil Analysis Criterias,Κριτήρια ανάλυσης εδάφους
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Πρότυποι όροι σύμβασης για πωλήσεις ή αγορές.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Είστε βέβαιοι ότι θέλετε να ακυρώσετε αυτό το ραντεβού;
+DocType: BOM Item,Item operation,Λειτουργία στοιχείου
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Είστε βέβαιοι ότι θέλετε να ακυρώσετε αυτό το ραντεβού;
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Πακέτο τιμολόγησης δωματίων ξενοδοχείου
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline πωλήσεις
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Pipeline πωλήσεις
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Μισθός Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Απαιτείται στις
 DocType: Rename Tool,File to Rename,Αρχείο μετονομασίας
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Επιλέξτε BOM για τη θέση στη σειρά {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Λήψη ενημερώσεων συνδρομής
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Ο λογαριασμός {0} δεν αντιστοιχεί στην εταιρεία {1} στη λειτουργία λογαριασμού: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Η συγκεκριμμένη Λ.Υ. {0} δεν υπάρχει για το είδος {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Η συγκεκριμμένη Λ.Υ. {0} δεν υπάρχει για το είδος {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Σειρά μαθημάτων:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Το χρονοδιάγραμμα συντήρησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης
@@ -3394,7 +3432,7 @@
 DocType: Notification Control,Expense Claim Approved,Εγκρίθηκε η αξίωση δαπανών
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Ορίστε τις προκαταβολές και το Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Δεν δημιουργήθηκαν εντολές εργασίας
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Μισθός Slip των εργαζομένων {0} έχει ήδη δημιουργηθεί για την περίοδο αυτή
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Μισθός Slip των εργαζομένων {0} έχει ήδη δημιουργηθεί για την περίοδο αυτή
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Φαρμακευτικός
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Μπορείτε να υποβάλετε το Έγκλημα Encashment μόνο για ένα έγκυρο ποσό εισφοράς
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Το κόστος των αγορασθέντων ειδών
@@ -3402,7 +3440,8 @@
 DocType: Selling Settings,Sales Order Required,Η παραγγελία πώλησης είναι απαραίτητη
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Γίνετε πωλητής
 DocType: Purchase Invoice,Credit To,Πίστωση προς
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Ενεργές Συστάσεις / Πελάτες
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Ενεργές Συστάσεις / Πελάτες
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Αφήστε κενό για να χρησιμοποιήσετε την τυπική μορφή σημείωσης παράδοσης
 DocType: Employee Education,Post Graduate,Μεταπτυχιακά
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Λεπτομέρειες χρονοδιαγράμματος συντήρησης
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Προειδοποίηση για νέες παραγγελίες αγοράς
@@ -3416,14 +3455,14 @@
 DocType: Support Search Source,Post Title Key,Δημοσίευση κλειδιού τίτλου
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Για την Κάρτα Εργασίας
 DocType: Warranty Claim,Raised By,Δημιουργήθηκε από
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Προδιαγραφές
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Προδιαγραφές
 DocType: Payment Gateway Account,Payment Account,Λογαριασμός πληρωμών
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Παρακαλώ ορίστε εταιρεία για να προχωρήσετε
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Παρακαλώ ορίστε εταιρεία για να προχωρήσετε
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Καθαρή Αλλαγή σε εισπρακτέους λογαριασμούς
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Αντισταθμιστικά απενεργοποιημένα
 DocType: Job Offer,Accepted,Αποδεκτό
 DocType: POS Closing Voucher,Sales Invoices Summary,Περίληψη τιμολογίων πωλήσεων
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Στο όνομα του συμβαλλόμενου μέρους
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Στο όνομα του συμβαλλόμενου μέρους
 DocType: Grant Application,Organization,Οργάνωση
 DocType: BOM Update Tool,BOM Update Tool,Εργαλείο ενημέρωσης BOM
 DocType: SG Creation Tool Course,Student Group Name,Όνομα ομάδας φοιτητής
@@ -3432,7 +3471,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Παρακαλώ βεβαιωθείτε ότι έχετε πραγματικά θέλετε να διαγράψετε όλες τις συναλλαγές για την εν λόγω εταιρεία. Τα δεδομένα της κύριας σας θα παραμείνει ως έχει. Αυτή η ενέργεια δεν μπορεί να αναιρεθεί.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Αποτελέσματα Αναζήτησης
 DocType: Room,Room Number,Αριθμός δωματίου
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Άκυρη αναφορά {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Άκυρη αναφορά {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) Δεν μπορεί να είναι μεγαλύτερη από τη προβλεπόμενη ποσότητα ({2}) της Εντολής Παραγωγής  {3}
 DocType: Shipping Rule,Shipping Rule Label,Ετικέτα κανόνα αποστολής
 DocType: Journal Entry Account,Payroll Entry,Εισαγωγή μισθοδοσίας
@@ -3440,8 +3479,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Κάντε πρότυπο φόρου
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Φόρουμ Χρηστών
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Το πεδίο πρώτων ύλών δεν μπορεί να είναι κενό.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Σειρά # {0} (Πίνακας πληρωμών): Το ποσό πρέπει να είναι αρνητικό
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Δεν ήταν δυνατή η ενημέρωση των αποθεμάτων, τιμολόγιο περιέχει πτώση στέλνοντας στοιχείο."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Σειρά # {0} (Πίνακας πληρωμών): Το ποσό πρέπει να είναι αρνητικό
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Δεν ήταν δυνατή η ενημέρωση των αποθεμάτων, τιμολόγιο περιέχει πτώση στέλνοντας στοιχείο."
 DocType: Contract,Fulfilment Status,Κατάσταση εκπλήρωσης
 DocType: Lab Test Sample,Lab Test Sample,Δοκιμαστικό δείγμα εργαστηρίου
 DocType: Item Variant Settings,Allow Rename Attribute Value,Επιτρέψτε τη μετονομασία της τιμής του χαρακτηριστικού
@@ -3483,11 +3522,11 @@
 DocType: BOM,Show Operations,Εμφάνιση Operations
 ,Minutes to First Response for Opportunity,Λεπτά για να First Response για την ευκαιρία
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Σύνολο απόντων
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Το είδος ή η αποθήκη για την γραμμή {0} δεν ταιριάζει στην αίτηση υλικού
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Το είδος ή η αποθήκη για την γραμμή {0} δεν ταιριάζει στην αίτηση υλικού
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Μονάδα μέτρησης
 DocType: Fiscal Year,Year End Date,Ημερομηνία λήξης έτους
 DocType: Task Depends On,Task Depends On,Εργασία Εξαρτάται από
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Ευκαιρία
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Ευκαιρία
 DocType: Operation,Default Workstation,Προεπιλογμένος σταθμός εργασίας
 DocType: Notification Control,Expense Claim Approved Message,Μήνυμα έγκρισης αξίωσης δαπανών
 DocType: Payment Entry,Deductions or Loss,Μειώσεις ή Ζημία
@@ -3525,20 +3564,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Ο εγκρίνων χρήστης δεν μπορεί να είναι ίδιος με το χρήστη για τον οποίο ο κανόνας είναι εφαρμοστέος.
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Βασική Τιμή (σύμφωνα Χρηματιστήριο UOM)
 DocType: SMS Log,No of Requested SMS,Αρ. SMS που ζητήθηκαν
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Άδειας άνευ αποδοχών δεν ταιριάζει με τα εγκεκριμένα αρχεία Αφήστε Εφαρμογή
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Άδειας άνευ αποδοχών δεν ταιριάζει με τα εγκεκριμένα αρχεία Αφήστε Εφαρμογή
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Επόμενα βήματα
 DocType: Travel Request,Domestic,Οικιακός
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Παρακαλείστε να παρέχουν τις συγκεκριμένες θέσεις στις καλύτερες δυνατές τιμές
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Παρακαλείστε να παρέχουν τις συγκεκριμένες θέσεις στις καλύτερες δυνατές τιμές
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Η μεταφορά των εργαζομένων δεν μπορεί να υποβληθεί πριν από την ημερομηνία μεταφοράς
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Δημιούργησε τιμολόγιο
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Εναπομείναν ποσό
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Εναπομείναν ποσό
 DocType: Selling Settings,Auto close Opportunity after 15 days,Αυτόματη κοντά Ευκαιρία μετά από 15 ημέρες
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Οι εντολές αγοράς δεν επιτρέπονται για {0} λόγω μόνιμης θέσης {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Ο γραμμικός κώδικας {0} δεν είναι έγκυρος κώδικας {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Ο γραμμικός κώδικας {0} δεν είναι έγκυρος κώδικας {1}
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,στο τέλος του έτους
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Ποσοστό / Μόλυβδος%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,"Η ημερομηνία λήξης της σύμβασης πρέπει να είναι μεγαλύτερη από ό, τι ημερομηνία ενώνουμε"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,"Η ημερομηνία λήξης της σύμβασης πρέπει να είναι μεγαλύτερη από ό, τι ημερομηνία ενώνουμε"
 DocType: Driver,Driver,Οδηγός
 DocType: Vital Signs,Nutrition Values,Τιμές Διατροφής
 DocType: Lab Test Template,Is billable,Είναι χρεώσιμο
@@ -3549,7 +3588,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Αυτό είναι ένα παράδειγμα ιστοσελίδας που δημιουργείται αυτόματα από το erpnext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Eύρος γήρανσης 1
 DocType: Shopify Settings,Enable Shopify,Ενεργοποίηση του Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Το συνολικό ποσό προκαταβολής δεν μπορεί να είναι μεγαλύτερο από το συνολικό απαιτούμενο ποσό
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Το συνολικό ποσό προκαταβολής δεν μπορεί να είναι μεγαλύτερο από το συνολικό απαιτούμενο ποσό
 DocType: Purchase Taxes and Charges Template,"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
@@ -3596,12 +3635,12 @@
 DocType: Employee Separation,Employee Separation,Διαχωρισμός υπαλλήλων
 DocType: BOM Item,Original Item,Αρχικό στοιχείο
 DocType: Purchase Receipt Item,Recd Quantity,Ποσότητα που παραλήφθηκε
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Ημερομηνία εγγράφου
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Ημερομηνία εγγράφου
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Εγγραφές τέλους Δημιουργήθηκε - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Κατηγορία Λογαριασμού
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Σειρά # {0} (Πίνακας Πληρωμών): Το ποσό πρέπει να είναι θετικό
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Σειρά # {0} (Πίνακας Πληρωμών): Το ποσό πρέπει να είναι θετικό
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Δεν γίνεται να παραχθούν είδη {0} περισσότερα από την ποσότητα παραγγελίας πώλησης {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Επιλέξτε Τιμές Χαρακτηριστικών
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Επιλέξτε Τιμές Χαρακτηριστικών
 DocType: Purchase Invoice,Reason For Issuing document,Λόγος για το έγγραφο έκδοσης
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Το αποθεματικό {0} δεν έχει υποβληθεί
 DocType: Payment Reconciliation,Bank / Cash Account,Λογαριασμός καταθέσεων σε τράπεζα / μετρητών
@@ -3610,8 +3649,10 @@
 DocType: Asset,Manual,Εγχειρίδιο
 DocType: Salary Component Account,Salary Component Account,Ο λογαριασμός μισθός Component
 DocType: Global Defaults,Hide Currency Symbol,Απόκρυψη συμβόλου νομίσματος
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Ευκαιρίες πωλήσεων ανά πηγή
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Πληροφορίες δωρητών.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","Π.Χ. Τράπεζα, μετρητά, πιστωτική κάρτα"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Παρακαλούμε ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του Setup&gt; Series Numbering
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","Π.Χ. Τράπεζα, μετρητά, πιστωτική κάρτα"
 DocType: Job Applicant,Source Name,Όνομα πηγή
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Η φυσιολογική πίεση αίματος σε έναν ενήλικα είναι περίπου 120 mmHg συστολική και 80 mmHg διαστολική, συντομογραφία &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Ρυθμίστε τη διάρκεια ζωής των προϊόντων σε ημέρες, για να ορίσετε τη λήξη με βάση την ημερομηνία παραγωγής και την αυτοβίωση"
@@ -3641,7 +3682,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Για την ποσότητα πρέπει να είναι μικρότερη από την ποσότητα {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Γραμμή {0} : η ημερομηνία έναρξης πρέπει να είναι προγενέστερη της ημερομηνίας λήξης
 DocType: Salary Component,Max Benefit Amount (Yearly),Μέγιστο ποσό παροχών (Ετήσιο)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Ποσοστό TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Ποσοστό TDS%
 DocType: Crop,Planting Area,Περιοχή φύτευσης
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Σύνολο (ποσότητα)
 DocType: Installation Note Item,Installed Qty,Εγκατεστημένη ποσότητα
@@ -3663,8 +3704,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Αφήστε την ειδοποίηση έγκρισης
 DocType: Buying Settings,Default Buying Price List,Προεπιλεγμένος τιμοκατάλογος αγορών
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Μισθός Slip Βάσει Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Ποσοστό αγοράς
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Σειρά {0}: Εισαγωγή θέσης για το στοιχείο του στοιχείου {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Ποσοστό αγοράς
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Σειρά {0}: Εισαγωγή θέσης για το στοιχείο του στοιχείου {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Σχετικά με την εταιρεία
 DocType: Notification Control,Sales Order Message,Μήνυμα παραγγελίας πώλησης
@@ -3729,10 +3770,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Για τη σειρά {0}: Εισάγετε προγραμματισμένη ποσότητα
 DocType: Account,Income Account,Λογαριασμός εσόδων
 DocType: Payment Request,Amount in customer's currency,Ποσό σε νόμισμα του πελάτη
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Παράδοση
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Παράδοση
 DocType: Volunteer,Weekdays,Εργάσιμες
 DocType: Stock Reconciliation Item,Current Qty,Τρέχουσα Ποσότητα
 DocType: Restaurant Menu,Restaurant Menu,Εστιατόριο μενού
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Προσθήκη προμηθευτών
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Τμήμα βοήθειας
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Προηγ
@@ -3744,19 +3786,20 @@
 												fullfill Sales Order {2}",Δεν είναι δυνατή η παράδοση του σειριακού αριθμού {0} του στοιχείου {1} καθώς προορίζεται για \ fullfill Εντολή πωλήσεων {2}
 DocType: Item Reorder,Material Request Type,Τύπος αίτησης υλικού
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Αποστολή μηνύματος ηλεκτρονικού ταχυδρομείου επισκόπησης
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage είναι πλήρης, δεν έσωσε"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Σειρά {0}: UOM Συντελεστής μετατροπής είναι υποχρεωτική
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage είναι πλήρης, δεν έσωσε"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Σειρά {0}: UOM Συντελεστής μετατροπής είναι υποχρεωτική
 DocType: Employee Benefit Claim,Claim Date,Ημερομηνία αξίωσης
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Χωρητικότητα δωματίου
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Υπάρχει ήδη η εγγραφή για το στοιχείο {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Αναφορά
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Θα χάσετε τα αρχεία των τιμολογίων που δημιουργήσατε προηγουμένως. Είστε βέβαιοι ότι θέλετε να κάνετε επανεκκίνηση αυτής της συνδρομής;
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Τέλος εγγραφής
 DocType: Loyalty Program Collection,Loyalty Program Collection,Συλλογή προγράμματος αφοσίωσης
 DocType: Stock Entry Detail,Subcontracted Item,Υπεργολαβικό στοιχείο
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Ο σπουδαστής {0} δεν ανήκει στην ομάδα {1}
 DocType: Budget,Cost Center,Κέντρο κόστους
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Αποδεικτικό #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Αποδεικτικό #
 DocType: Notification Control,Purchase Order Message,Μήνυμα παραγγελίας αγοράς
 DocType: Tax Rule,Shipping Country,Αποστολές Χώρα
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Απόκρυψη ΑΦΜ του πελάτη από συναλλαγές Πωλήσεις
@@ -3775,23 +3818,22 @@
 DocType: Subscription,Cancel At End Of Period,Ακύρωση στο τέλος της περιόδου
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Τα ακίνητα έχουν ήδη προστεθεί
 DocType: Item Supplier,Item Supplier,Προμηθευτής είδους
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Παρακαλώ εισάγετε κωδικό είδους για να δείτε τον αρ. παρτίδας
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Παρακαλώ επιλέξτε μια τιμή για {0} προσφορά προς {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Παρακαλώ εισάγετε κωδικό είδους για να δείτε τον αρ. παρτίδας
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Παρακαλώ επιλέξτε μια τιμή για {0} προσφορά προς {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Δεν έχουν επιλεγεί στοιχεία για μεταφορά
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Όλες τις διευθύνσεις.
 DocType: Company,Stock Settings,Ρυθμίσεις αποθέματος
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Η συγχώνευση είναι δυνατή μόνο εάν οι ακόλουθες ιδιότητες ίδια στα δύο αρχεία. Είναι η Ομάδα, Τύπος Root, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Η συγχώνευση είναι δυνατή μόνο εάν οι ακόλουθες ιδιότητες ίδια στα δύο αρχεία. Είναι η Ομάδα, Τύπος Root, Company"
 DocType: Vehicle,Electric,Ηλεκτρικός
 DocType: Task,% Progress,Πρόοδος %
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Κέρδος / Ζημιά από διάθεση περιουσιακών στοιχείων
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Μόνο ο αιτών φοιτητής με την κατάσταση &quot;Εγκρίθηκε&quot; θα επιλεγεί στον παρακάτω πίνακα.
 DocType: Tax Withholding Category,Rates,Τιμές
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Ο αριθμός λογαριασμού για λογαριασμό {0} δεν είναι διαθέσιμος. <br> Ρυθμίστε σωστά το Λογαριασμό σας.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Ο αριθμός λογαριασμού για λογαριασμό {0} δεν είναι διαθέσιμος. <br> Ρυθμίστε σωστά το Λογαριασμό σας.
 DocType: Task,Depends on Tasks,Εξαρτάται από Εργασίες
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Διαχειριστείτε το δέντρο ομάδας πελατών.
 DocType: Normal Test Items,Result Value,Τιμή αποτελέσματος
 DocType: Hotel Room,Hotels,Ξενοδοχεία
-DocType: Delivery Note,Transporter Date,Ημερομηνία μεταφοράς
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Νέο όνομα κέντρου κόστους
 DocType: Leave Control Panel,Leave Control Panel,Πίνακας ελέγχου άδειας
 DocType: Project,Task Completion,Task Ολοκλήρωση
@@ -3838,11 +3880,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Όλες οι Ομάδες Αξιολόγησης
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Νέα Αποθήκη Όνομα
 DocType: Shopify Settings,App Type,Τύπος εφαρμογής
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Σύνολο {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Σύνολο {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Περιοχή
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Παρακαλώ να αναφέρετε τον αριθμό των επισκέψεων που απαιτούνται
 DocType: Stock Settings,Default Valuation Method,Προεπιλεγμένη μέθοδος αποτίμησης
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Τέλη
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Εμφάνιση αθροιστικού ποσού
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Ενημέρωση σε εξέλιξη. Μπορεί να πάρει λίγο χρόνο.
 DocType: Production Plan Item,Produced Qty,Παραγόμενη ποσότητα
 DocType: Vehicle Log,Fuel Qty,Ποσότητα καυσίμου
@@ -3850,7 +3893,7 @@
 DocType: Work Order Operation,Planned Start Time,Προγραμματισμένη ώρα έναρξης
 DocType: Course,Assessment,Εκτίμηση
 DocType: Payment Entry Reference,Allocated,Κατανεμήθηκε
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Κλείσιμο ισολογισμού και καταγραφή κέρδους ή ζημίας
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Κλείσιμο ισολογισμού και καταγραφή κέρδους ή ζημίας
 DocType: Student Applicant,Application Status,Κατάσταση εφαρμογής
 DocType: Additional Salary,Salary Component Type,Τύπος συνιστωσών μισθοδοσίας
 DocType: Sensitivity Test Items,Sensitivity Test Items,Στοιχεία ελέγχου ευαισθησίας
@@ -3861,10 +3904,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Συνολικού ανεξόφλητου υπολοίπου
 DocType: Sales Partner,Targets,Στόχοι
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Καταχωρίστε τον αριθμό SIREN στο αρχείο πληροφοριών της εταιρείας
+DocType: Email Digest,Sales Orders to Bill,Παραγγελίες πωλήσεων στον Bill
 DocType: Price List,Price List Master,Κύρια εγγραφή τιμοκαταλόγου.
 DocType: GST Account,CESS Account,Λογαριασμός CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Όλες οι συναλλαγές πωλήσεων μπορούν να σημανθούν κατά πολλαπλούς ** πωλητές ** έτσι ώστε να μπορείτε να ρυθμίσετε και να παρακολουθήσετε στόχους.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Σύνδεση με το αίτημα υλικού
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Σύνδεση με το αίτημα υλικού
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Δραστηριότητα Forum
 ,S.O. No.,Αρ. Παρ. Πώλησης
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Στοιχείο ρυθμίσεων συναλλαγής τραπεζικής δήλωσης
@@ -3879,7 +3923,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Αυτή είναι μια κύρια ομάδα πελατών ρίζα και δεν μπορεί να επεξεργαστεί.
 DocType: Student,AB-,ΑΒ-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Ενέργεια εάν ο συσσωρευμένος μηνιαίος προϋπολογισμός υπερβαίνει την ΑΠ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Στον τόπο
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Στον τόπο
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Αναπροσαρμογή συναλλαγματικής ισοτιμίας
 DocType: POS Profile,Ignore Pricing Rule,Αγνοήστε τον κανόνα τιμολόγησης
 DocType: Employee Education,Graduate,Πτυχιούχος
@@ -3927,6 +3971,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Ορίστε τον προεπιλεγμένο πελάτη στις Ρυθμίσεις εστιατορίου
 ,Salary Register,μισθός Εγγραφή
 DocType: Warehouse,Parent Warehouse,μητρική Αποθήκη
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Διάγραμμα
 DocType: Subscription,Net Total,Καθαρό σύνολο
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Το προεπιλεγμένο BOM δεν βρέθηκε για τα στοιχεία {0} και Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Ορίστε διάφορους τύπους δανείων
@@ -3959,24 +4004,26 @@
 DocType: Membership,Membership Status,Κατάσταση μέλους
 DocType: Travel Itinerary,Lodging Required,Απαιτείται καταχώρηση
 ,Requested,Ζητήθηκαν
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Δεν βρέθηκαν παρατηρήσεις
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Δεν βρέθηκαν παρατηρήσεις
 DocType: Asset,In Maintenance,Στη συντήρηση
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Κάντε κλικ σε αυτό το κουμπί για να τραβήξετε τα δεδομένα της Παραγγελίας Πωλήσεων από το Amazon MWS.
 DocType: Vital Signs,Abdomen,Κοιλιά
 DocType: Purchase Invoice,Overdue,Εκπρόθεσμες
 DocType: Account,Stock Received But Not Billed,Το απόθεμα παρελήφθηκε αλλά δεν χρεώθηκε
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Ο λογαριασμός ρίζα πρέπει να είναι μια ομάδα
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Ο λογαριασμός ρίζα πρέπει να είναι μια ομάδα
 DocType: Drug Prescription,Drug Prescription,Φαρμακευτική συνταγή
 DocType: Loan,Repaid/Closed,Αποπληρωθεί / Έκλεισε
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Συνολικές προβλεπόμενες Ποσότητα
 DocType: Monthly Distribution,Distribution Name,Όνομα διανομής
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Συμπεριλάβετε UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Ο συντελεστής αποτίμησης δεν βρέθηκε για το Στοιχείο {0}, το οποίο απαιτείται για τη διενέργεια λογιστικών εγγραφών για {1} {2}. Αν το στοιχείο πραγματοποιεί συναλλαγές ως στοιχείο μηδενικού επιτοκίου αποτίμησης στην {1}, παρακαλούμε αναφέρατε ότι στον πίνακα {1} Στοιχείο. Διαφορετικά, δημιουργήστε μια εισερχόμενη συναλλαγή μετοχών για το στοιχείο ή αναφερθείτε στην τιμή αποτίμησης στο αρχείο στοιχείων και, στη συνέχεια, δοκιμάστε να υποβάλετε / ακυρώσετε αυτήν την καταχώριση"
 DocType: Course,Course Code,Κωδικός Μαθήματος
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Ο έλεγχος ποιότητας για το είδος {0} είναι απαραίτητος
 DocType: Location,Parent Location,Τοποθεσία γονέων
 DocType: POS Settings,Use POS in Offline Mode,Χρησιμοποιήστε το POS στη λειτουργία χωρίς σύνδεση
 DocType: Supplier Scorecard,Supplier Variables,Μεταβλητές προμηθευτή
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},Το {0} είναι υποχρεωτικό. Ίσως η εγγραφή ανταλλαγής νομισμάτων δεν δημιουργείται για {1} έως {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Ισοτιμία με την οποία το νόμισμα του πελάτη μετατρέπεται στο βασικό νόμισμα της εταιρείας
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Καθαρό ποσοστό (Εταιρεία νομίσματος)
 DocType: Salary Detail,Condition and Formula Help,Κατάσταση και Formula Βοήθεια
@@ -3985,19 +4032,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Τιμολόγιο πώλησης
 DocType: Journal Entry Account,Party Balance,Υπόλοιπο συμβαλλόμενου
 DocType: Cash Flow Mapper,Section Subtotal,Τμήμα Υποσύνολο
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Παρακαλώ επιλέξτε Εφαρμογή έκπτωση σε
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Παρακαλώ επιλέξτε Εφαρμογή έκπτωση σε
 DocType: Stock Settings,Sample Retention Warehouse,Αποθήκη διατήρησης δειγμάτων
 DocType: Company,Default Receivable Account,Προεπιλεγμένος λογαριασμός εισπρακτέων
 DocType: Purchase Invoice,Deemed Export,Θεωρείται Εξαγωγή
 DocType: Stock Entry,Material Transfer for Manufacture,Μεταφορά υλικού για την κατασκευή
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Το ποσοστό έκπτωσης μπορεί να εφαρμοστεί είτε ανά τιμοκατάλογο ή για όλους τους τιμοκαταλόγους
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Λογιστική εγγραφή για απόθεμα
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Λογιστική εγγραφή για απόθεμα
 DocType: Lab Test,LabTest Approver,Έλεγχος LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Έχετε ήδη αξιολογήσει τα κριτήρια αξιολόγησης {}.
 DocType: Vehicle Service,Engine Oil,Λάδι μηχανής
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Δημιουργούνται εντολές εργασίας: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Δημιουργούνται εντολές εργασίας: {0}
 DocType: Sales Invoice,Sales Team1,Ομάδα πωλήσεων 1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Το είδος {0} δεν υπάρχει
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Το είδος {0} δεν υπάρχει
 DocType: Sales Invoice,Customer Address,Διεύθυνση πελάτη
 DocType: Loan,Loan Details,Λεπτομέρειες δανείου
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Απέτυχε η εγκατάσταση βοηθητικών αντικειμένων μετά την εταιρεία
@@ -4018,34 +4065,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Εμφάνιση αυτής της παρουσίασης στην κορυφή της σελίδας
 DocType: BOM,Item UOM,Μ.Μ. Είδους
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Ποσό Φόρου Μετά Ποσό έκπτωσης (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Η αποθήκη προορισμού είναι απαραίτητη για τη γραμμή {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Η αποθήκη προορισμού είναι απαραίτητη για τη γραμμή {0}
 DocType: Cheque Print Template,Primary Settings,πρωτοβάθμια Ρυθμίσεις
 DocType: Attendance Request,Work From Home,Δουλειά από το σπίτι
 DocType: Purchase Invoice,Select Supplier Address,Επιλέξτε Διεύθυνση Προμηθευτή
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Προσθέστε Υπαλλήλους
 DocType: Purchase Invoice Item,Quality Inspection,Επιθεώρηση ποιότητας
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,πρότυπο πρότυπο
 DocType: Training Event,Theory,Θεωρία
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Προειδοποίηση : ζητήθηκε ποσότητα υλικού που είναι μικρότερη από την ελάχιστη ποσότητα παραγγελίας
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Προειδοποίηση : ζητήθηκε ποσότητα υλικού που είναι μικρότερη από την ελάχιστη ποσότητα παραγγελίας
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Ο λογαριασμός {0} έχει παγώσει
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Νομικό πρόσωπο / θυγατρικές εταιρείες με ξεχωριστό λογιστικό σχέδιο που ανήκουν στον οργανισμό.
 DocType: Payment Request,Mute Email,Σίγαση Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Τρόφιμα, ποτά και καπνός"
 DocType: Account,Account Number,Αριθμός λογαριασμού
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Μπορούν να πληρώνουν κατά unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Το ποσοστό προμήθειας δεν μπορεί να υπερβαίνει το 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Μπορούν να πληρώνουν κατά unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Το ποσοστό προμήθειας δεν μπορεί να υπερβαίνει το 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Αντιστοίχιση Προορισμών Αυτόματα (FIFO)
 DocType: Volunteer,Volunteer,Εθελοντής
 DocType: Buying Settings,Subcontract,Υπεργολαβία
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Παρακαλούμε, εισάγετε {0} πρώτη"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Δεν υπάρχουν απαντήσεις από
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Δεν υπάρχουν απαντήσεις από
 DocType: Work Order Operation,Actual End Time,Πραγματική ώρα λήξης
 DocType: Item,Manufacturer Part Number,Αριθμός είδους κατασκευαστή
 DocType: Taxable Salary Slab,Taxable Salary Slab,Φορολογητέο μισθό
 DocType: Work Order Operation,Estimated Time and Cost,Εκτιμώμενος χρόνος και κόστος
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Ονομασία καλλιέργειας
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Μόνο χρήστες με {0} ρόλο μπορούν να εγγραφούν στο Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Μόνο χρήστες με {0} ρόλο μπορούν να εγγραφούν στο Marketplace
 DocType: SMS Log,No of Sent SMS,Αρ. Απεσταλμένων SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Ραντεβού και συνάντησης
@@ -4074,7 +4122,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Αλλαγή κωδικού
 DocType: Purchase Invoice Item,Valuation Rate,Ποσοστό αποτίμησης
 DocType: Vehicle,Diesel,Ντίζελ
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Το νόμισμα του τιμοκαταλόγου δεν έχει επιλεγεί
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Το νόμισμα του τιμοκαταλόγου δεν έχει επιλεγεί
 DocType: Purchase Invoice,Availed ITC Cess,Επωφεληθεί ITC Cess
 ,Student Monthly Attendance Sheet,Φοιτητής Φύλλο Μηνιαία Συμμετοχή
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Κανονισμός αποστολής ισχύει μόνο για την πώληση
@@ -4090,7 +4138,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Διαχειριστείτε συνεργάτες πωλήσεων.
 DocType: Quality Inspection,Inspection Type,Τύπος ελέγχου
 DocType: Fee Validity,Visited yet,Επισκέφτηκε ακόμα
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Αποθήκες με τα υπάρχοντα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Αποθήκες με τα υπάρχοντα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα.
 DocType: Assessment Result Tool,Result HTML,αποτέλεσμα HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Πόσο συχνά πρέπει να ενημερώνεται το έργο και η εταιρεία με βάση τις Συναλλαγές Πωλήσεων.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Λήγει στις
@@ -4098,7 +4146,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Παρακαλώ επιλέξτε {0}
 DocType: C-Form,C-Form No,Αρ. C-Form
 DocType: BOM,Exploded_items,Είδη αναλυτικά
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Απόσταση
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Απόσταση
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Καταγράψτε τα προϊόντα ή τις υπηρεσίες σας που αγοράζετε ή πουλάτε.
 DocType: Water Analysis,Storage Temperature,Θερμοκρασία αποθήκευσης
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4114,19 +4162,19 @@
 DocType: Shopify Settings,Delivery Note Series,Σειρά σημειώσεων παράδοσης
 DocType: Purchase Order Item,Returned Qty,Επέστρεψε Ποσότητα
 DocType: Student,Exit,ˆΈξοδος
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Ο τύπος ρίζας είναι υποχρεωτικός
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Ο τύπος ρίζας είναι υποχρεωτικός
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Δεν ήταν δυνατή η εγκατάσταση προρυθμίσεων
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Μετατροπή UOM σε ώρες
 DocType: Contract,Signee Details,Signee Λεπτομέρειες
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} διαθέτει σήμερα μια {1} καρτέλα βαθμολογίας προμηθευτών και οι RFQ σε αυτόν τον προμηθευτή θα πρέπει να εκδίδονται με προσοχή.
 DocType: Certified Consultant,Non Profit Manager,Μη κερδοσκοπικός διευθυντής
 DocType: BOM,Total Cost(Company Currency),Συνολικό Κόστος (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Ο σειριακός αριθμός {0} δημιουργήθηκε
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Ο σειριακός αριθμός {0} δημιουργήθηκε
 DocType: Homepage,Company Description for website homepage,Περιγραφή Εταιρείας για την ιστοσελίδα αρχική σελίδα
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Για την εξυπηρέτηση των πελατών, οι κωδικοί αυτοί μπορούν να χρησιμοποιηθούν σε μορφές εκτύπωσης, όπως τιμολόγια και δελτία παράδοσης"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Όνομα suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Δεν ήταν δυνατή η ανάκτηση πληροφοριών για το {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Άνοιγμα του περιοδικού εισόδου
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Άνοιγμα του περιοδικού εισόδου
 DocType: Contract,Fulfilment Terms,Όροι εκπλήρωσης
 DocType: Sales Invoice,Time Sheet List,Λίστα Φύλλο χρόνο
 DocType: Employee,You can enter any date manually,Μπορείτε να εισάγετε οποιαδήποτε ημερομηνία με το χέρι
@@ -4161,7 +4209,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Ο οργανισμός σας
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Παράκαμψη Ακύρωση κατανομής για τους ακόλουθους υπαλλήλους, ως Records Leave Alocation υπάρχει ήδη εναντίον τους. {0}"
 DocType: Fee Component,Fees Category,τέλη Κατηγορία
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Παρακαλώ εισάγετε την ημερομηνία απαλλαγής
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Παρακαλώ εισάγετε την ημερομηνία απαλλαγής
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Ποσό
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Λεπτομέρειες του Χορηγού (Όνομα, Τοποθεσία)"
 DocType: Supplier Scorecard,Notify Employee,Ειδοποιήστε τον υπάλληλο
@@ -4174,9 +4222,9 @@
 DocType: Company,Chart Of Accounts Template,Διάγραμμα του προτύπου Λογαριασμών
 DocType: Attendance,Attendance Date,Ημερομηνία συμμετοχής
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Πρέπει να ενεργοποιηθεί το ενημερωτικό απόθεμα για το τιμολόγιο αγοράς {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Είδους Τιμή ενημερωθεί για {0} στον κατάλογο τιμή {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Είδους Τιμή ενημερωθεί για {0} στον κατάλογο τιμή {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Ανάλυση μισθού με βάση τις αποδοχές και τις παρακρατήσεις.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Ένας λογαριασμός με κόμβους παιδί δεν μπορεί να μετατραπεί σε καθολικό
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Ένας λογαριασμός με κόμβους παιδί δεν μπορεί να μετατραπεί σε καθολικό
 DocType: Purchase Invoice Item,Accepted Warehouse,Έγκυρη Αποθήκη
 DocType: Bank Reconciliation Detail,Posting Date,Ημερομηνία αποστολής
 DocType: Item,Valuation Method,Μέθοδος αποτίμησης
@@ -4213,6 +4261,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Επιλέξτε μια παρτίδα
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Αίτηση ταξιδιού και εξόδων
 DocType: Sales Invoice,Redemption Cost Center,Κέντρο κόστους αποπληρωμής
+DocType: QuickBooks Migrator,Scope,Πεδίο εφαρμογής
 DocType: Assessment Group,Assessment Group Name,Όνομα ομάδας αξιολόγησης
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Υλικό το οποίο μεταφέρεται για την Κατασκευή
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Προσθήκη στις λεπτομέρειες
@@ -4220,6 +4269,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Τελευταία ημερομηνία συγχρονισμού
 DocType: Landed Cost Item,Receipt Document Type,Παραλαβή Είδος εγγράφου
 DocType: Daily Work Summary Settings,Select Companies,Επιλέξτε επιχειρήσεις
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Πρόταση / Τιμολόγηση
 DocType: Antibiotic,Healthcare,Φροντίδα υγείας
 DocType: Target Detail,Target Detail,Λεπτομέρειες στόχου
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Μονή Παραλλαγή
@@ -4229,6 +4279,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Καταχώρηση κλεισίματος περιόδου
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Επιλέξτε Τμήμα ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Ένα κέντρο κόστους με υπάρχουσες συναλλαγές δεν μπορεί να μετατραπεί σε ομάδα
+DocType: QuickBooks Migrator,Authorization URL,Διεύθυνση URL εξουσιοδότησης
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Ποσό {0} {1} {2} {3}
 DocType: Account,Depreciation,Απόσβεση
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Ο αριθμός των μετοχών και οι αριθμοί μετοχών είναι ασυμβίβαστοι
@@ -4250,13 +4301,14 @@
 DocType: Support Search Source,Source DocType,Source DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Ανοίξτε ένα νέο εισιτήριο
 DocType: Training Event,Trainer Email,εκπαιδευτής Email
+DocType: Driver,Transporter,Μεταφορέας
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Οι αίτησης υλικού {0} δημιουργήθηκαν
 DocType: Restaurant Reservation,No of People,Όχι των ανθρώπων
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Πρότυπο των όρων ή της σύμβασης.
 DocType: Bank Account,Address and Contact,Διεύθυνση και Επικοινωνία
 DocType: Vital Signs,Hyper,Υπερπληθωρισμός
 DocType: Cheque Print Template,Is Account Payable,Είναι Λογαριασμού Πληρωτέο
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Αποθεμάτων δεν μπορεί να ενημερωθεί κατά Απόδειξη Αγοράς {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Αποθεμάτων δεν μπορεί να ενημερωθεί κατά Απόδειξη Αγοράς {0}
 DocType: Support Settings,Auto close Issue after 7 days,Αυτόματο κλείσειμο Θέματος μετά από 7 ημέρες
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Η άδεια δεν μπορεί να χορηγείται πριν {0}, η ισορροπία άδεια έχει ήδη μεταφοράς διαβιβάζεται στο μέλλον ρεκόρ χορήγηση άδειας {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Σημείωση : η ημερομηνία λήξης προθεσμίας υπερβαίνει τις επιτρεπόμενες ημέρες πίστωσης κατά {0} ημέρα ( ες )
@@ -4274,7 +4326,7 @@
 ,Qty to Deliver,Ποσότητα για παράδοση
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Το Amazon θα συγχρονίσει δεδομένα που έχουν ενημερωθεί μετά από αυτήν την ημερομηνία
 ,Stock Analytics,Ανάλυση αποθέματος
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Εργασίες δεν μπορεί να μείνει κενό
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Εργασίες δεν μπορεί να μείνει κενό
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Εργαστηριακές δοκιμές
 DocType: Maintenance Visit Purpose,Against Document Detail No,Κατά λεπτομέρειες εγγράφου αρ.
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Η διαγραφή δεν επιτρέπεται για τη χώρα {0}
@@ -4282,13 +4334,12 @@
 DocType: Quality Inspection,Outgoing,Εξερχόμενος
 DocType: Material Request,Requested For,Ζητήθηκαν για
 DocType: Quotation Item,Against Doctype,šΚατά τύπο εγγράφου
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} είναι ακυρωμένη ή κλειστή
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} είναι ακυρωμένη ή κλειστή
 DocType: Asset,Calculate Depreciation,Υπολογισμός απόσβεσης
 DocType: Delivery Note,Track this Delivery Note against any Project,Παρακολουθήστε αυτό το δελτίο αποστολής σε οποιουδήποτε έργο
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Καθαρές ταμειακές ροές από επενδυτικές
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Πελάτης&gt; Ομάδα πελατών&gt; Επικράτεια
 DocType: Work Order,Work-in-Progress Warehouse,Αποθήκη εργασιών σε εξέλιξη
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Περιουσιακό στοιχείο {0} πρέπει να υποβληθούν
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Περιουσιακό στοιχείο {0} πρέπει να υποβληθούν
 DocType: Fee Schedule Program,Total Students,Σύνολο φοιτητών
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Συμμετοχή Εγγραφή {0} υπάρχει κατά Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Αναφορά # {0} της {1}
@@ -4307,7 +4358,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Δεν είναι δυνατή η δημιουργία μπόνους διατήρησης για τους αριστερούς υπαλλήλους
 DocType: Lead,Market Segment,Τομέας της αγοράς
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Διευθυντής Γεωργίας
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Καταβληθέν ποσό δεν μπορεί να είναι μεγαλύτερη από το συνολικό αρνητικό οφειλόμενο ποσό {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Καταβληθέν ποσό δεν μπορεί να είναι μεγαλύτερη από το συνολικό αρνητικό οφειλόμενο ποσό {0}
 DocType: Supplier Scorecard Period,Variables,Μεταβλητές
 DocType: Employee Internal Work History,Employee Internal Work History,Ιστορικό εσωτερικών εργασιών υπαλλήλου
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Κλείσιμο (dr)
@@ -4331,22 +4382,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Προϊόντα
 DocType: Loyalty Point Entry,Loyalty Program,Πρόγραμμα αφοσίωσης
 DocType: Student Guardian,Father,Πατέρας
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Υποστήριξη εισιτηρίων
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,«Ενημέρωση Χρηματιστήριο» δεν μπορεί να ελεγχθεί για σταθερή την πώληση περιουσιακών στοιχείων
 DocType: Bank Reconciliation,Bank Reconciliation,Συμφωνία τραπεζικού λογαριασμού
 DocType: Attendance,On Leave,Σε ΑΔΕΙΑ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Λήψη ενημερώσεων
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Ο λογαριασμός {2} δεν ανήκει στην εταιρεία {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Επιλέξτε τουλάχιστον μία τιμή από κάθε ένα από τα χαρακτηριστικά.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Επιλέξτε τουλάχιστον μία τιμή από κάθε ένα από τα χαρακτηριστικά.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,H αίτηση υλικού {0} έχει ακυρωθεί ή διακοπεί
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Κατάσταση αποστολής
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Κατάσταση αποστολής
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Αφήστε Διαχείρισης
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Ομάδες
 DocType: Purchase Invoice,Hold Invoice,Κρατήστε Τιμολόγιο
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Επιλέξτε Υπάλληλο
 DocType: Sales Order,Fully Delivered,Έχει παραδοθεί πλήρως
-DocType: Lead,Lower Income,Χαμηλότερο εισόδημα
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Χαμηλότερο εισόδημα
 DocType: Restaurant Order Entry,Current Order,Τρέχουσα διαταγή
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Ο αριθμός σειριακής μνήμης και η ποσότητα πρέπει να είναι ίδιοι
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Η αποθήκη προέλευση και αποθήκη προορισμός δεν μπορεί να είναι η ίδια για τη σειρά {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Η αποθήκη προέλευση και αποθήκη προορισμός δεν μπορεί να είναι η ίδια για τη σειρά {0}
 DocType: Account,Asset Received But Not Billed,Ενεργητικό που λαμβάνεται αλλά δεν χρεώνεται
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Ο λογαριασμός διαφορά πρέπει να είναι λογαριασμός τύπου Περιουσιακών Στοιχείων / Υποχρεώσεων, δεδομένου ότι το εν λόγω απόθεμα συμφιλίωση είναι μια Έναρξη Έναρξη"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Εκταμιευόμενο ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου {0}
@@ -4355,7 +4408,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Ο αριθμός παραγγελίας για το είδος {0} είναι απαραίτητος
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Το πεδίο ""Από Ημερομηνία"" πρέπει να είναι μεταγενέστερο από το πεδίο ""Έως Ημερομηνία"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Δεν βρέθηκαν Σχέδια Προσωπικού για αυτή την Καθορισμός
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Η παρτίδα {0} του στοιχείου {1} είναι απενεργοποιημένη.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Η παρτίδα {0} του στοιχείου {1} είναι απενεργοποιημένη.
 DocType: Leave Policy Detail,Annual Allocation,Ετήσια κατανομή
 DocType: Travel Request,Address of Organizer,Διεύθυνση του διοργανωτή
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Επιλέξτε νοσηλευτή ...
@@ -4364,12 +4417,12 @@
 DocType: Asset,Fully Depreciated,αποσβεσθεί πλήρως
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Προβλεπόμενη ποσότητα αποθέματος
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Ο πελάτης {0} δεν ανήκει στο έργο {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Ο πελάτης {0} δεν ανήκει στο έργο {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Αξιοσημείωτη Συμμετοχή HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Οι αναφορές είναι οι προτάσεις, οι προσφορές που έχουν στείλει στους πελάτες σας"
 DocType: Sales Invoice,Customer's Purchase Order,Εντολή Αγοράς του Πελάτη
 DocType: Clinical Procedure,Patient,Υπομονετικος
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Παράκαμψη πιστωτικού ελέγχου με εντολή πώλησης
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Παράκαμψη πιστωτικού ελέγχου με εντολή πώλησης
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Δραστηριότητα επί των εργαζομένων
 DocType: Location,Check if it is a hydroponic unit,Ελέγξτε αν πρόκειται για υδροπονική μονάδα
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Αύξων αριθμός παρτίδας και
@@ -4379,7 +4432,7 @@
 DocType: Supplier Scorecard Period,Calculations,Υπολογισμοί
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Αξία ή ποσ
 DocType: Payment Terms Template,Payment Terms,Οροι πληρωμής
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Παραγωγές Παραγγελίες δεν μπορούν να αυξηθούν για:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Παραγωγές Παραγγελίες δεν μπορούν να αυξηθούν για:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Λεπτό
 DocType: Purchase Invoice,Purchase Taxes and Charges,Φόροι και επιβαρύνσεις αγοράς
 DocType: Chapter,Meetup Embed HTML,Meetup Ενσωμάτωση HTML
@@ -4387,17 +4440,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Πηγαίνετε στους προμηθευτές
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Φόροι από το κουπόνι κλεισίματος POS
 ,Qty to Receive,Ποσότητα για παραλαβή
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Οι ημερομηνίες έναρξης και λήξης που δεν είναι σε μια έγκυρη περίοδο μισθοδοσίας, δεν μπορούν να υπολογίσουν το {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Οι ημερομηνίες έναρξης και λήξης που δεν είναι σε μια έγκυρη περίοδο μισθοδοσίας, δεν μπορούν να υπολογίσουν το {0}."
 DocType: Leave Block List,Leave Block List Allowed,Η λίστα αποκλεισμού ημερών άδειας επετράπη
 DocType: Grading Scale Interval,Grading Scale Interval,Κλίμακα βαθμολόγησης Διάστημα
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Εξόδων αξίωση για Οχήματος Σύνδεση {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Έκπτωση (%) στην Τιμοκατάλογο με Περιθώριο
 DocType: Healthcare Service Unit Type,Rate / UOM,Τιμή / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Όλες οι Αποθήκες
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Δεν βρέθηκε {0} για τις συναλλαγές μεταξύ εταιρειών.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Δεν βρέθηκε {0} για τις συναλλαγές μεταξύ εταιρειών.
 DocType: Travel Itinerary,Rented Car,Νοικιασμένο αυτοκίνητο
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Σχετικά με την εταιρεία σας
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Πίστωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Πίστωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
 DocType: Donor,Donor,Δότης
 DocType: Global Defaults,Disable In Words,Απενεργοποίηση στα λόγια
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Ο κωδικός είδους είναι απαραίτητος γιατί το είδος δεν αριθμείται αυτόματα
@@ -4409,14 +4462,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Τραπεζικός λογαριασμός υπερανάληψης
 DocType: Patient,Patient ID,Αναγνωριστικό ασθενούς
 DocType: Practitioner Schedule,Schedule Name,Όνομα προγράμματος
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Πωλήσεις αγωγών ανά στάδιο
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Δημιούργησε βεβαίωση αποδοχών
 DocType: Currency Exchange,For Buying,Για την αγορά
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Προσθήκη όλων των προμηθευτών
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Προσθήκη όλων των προμηθευτών
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Σειρά # {0}: Το κατανεμημένο ποσό δεν μπορεί να είναι μεγαλύτερο από το οφειλόμενο ποσό.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Αναζήτηση BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Εξασφαλισμένα δάνεια
 DocType: Purchase Invoice,Edit Posting Date and Time,Επεξεργασία δημοσίευσης Ημερομηνία και ώρα
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Παρακαλούμε να ορίσετε τους σχετικούς λογαριασμούς Αποσβέσεις στο Asset Κατηγορία {0} ή της Εταιρείας {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Παρακαλούμε να ορίσετε τους σχετικούς λογαριασμούς Αποσβέσεις στο Asset Κατηγορία {0} ή της Εταιρείας {1}
 DocType: Lab Test Groups,Normal Range,Φυσιολογικό εύρος
 DocType: Academic Term,Academic Year,Ακαδημαϊκό Έτος
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Διαθέσιμη πώληση
@@ -4445,26 +4499,26 @@
 DocType: Patient Appointment,Patient Appointment,Αναμονή ασθενούς
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Ο εγκρίνων ρόλος δεν μπορεί να είναι ίδιος με το ρόλο στον οποίο κανόνας πρέπει να εφαρμόζεται
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Κατάργηση εγγραφής από αυτό το email Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Αποκτήστε προμηθευτές από
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Αποκτήστε προμηθευτές από
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},Δεν βρέθηκε {0} για το στοιχείο {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Μεταβείτε στα Μαθήματα
 DocType: Accounts Settings,Show Inclusive Tax In Print,Εμφάνιση αποκλειστικού φόρου στην εκτύπωση
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Τραπεζικός λογαριασμός, από την ημερομηνία έως την ημερομηνία είναι υποχρεωτική"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Το μήνυμα εστάλη
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Ο λογαριασμός με κόμβους παιδί δεν μπορεί να οριστεί ως καθολικό
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Ο λογαριασμός με κόμβους παιδί δεν μπορεί να οριστεί ως καθολικό
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Ισοτιμία με την οποία το νόμισμα τιμοκαταλόγου μετατρέπεται στο βασικό νόμισμα του πελάτη
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Καθαρό Ποσό (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Το συνολικό ποσό προκαταβολής δεν μπορεί να είναι μεγαλύτερο από το συνολικό ποσό που έχει επιβληθεί
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Το συνολικό ποσό προκαταβολής δεν μπορεί να είναι μεγαλύτερο από το συνολικό ποσό που έχει επιβληθεί
 DocType: Salary Slip,Hour Rate,Χρέωση ανά ώρα
 DocType: Stock Settings,Item Naming By,Ονομασία είδους κατά
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Μια ακόμη καταχώρηση κλεισίματος περιόδου {0} έχει γίνει μετά από {1}
 DocType: Work Order,Material Transferred for Manufacturing,Υλικό το οποίο μεταφέρεται για Βιομηχανία
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Ο λογαριασμός {0} δεν υπάρχει
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Επιλέξτε πρόγραμμα αφοσίωσης
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Επιλέξτε πρόγραμμα αφοσίωσης
 DocType: Project,Project Type,Τύπος έργου
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Υπάρχει εργασία παιδιού για αυτή την εργασία. Δεν μπορείτε να διαγράψετε αυτήν την εργασία.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Είτε ποσότητα-στόχος ή ποσό-στόχος είναι απαραίτητα.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Είτε ποσότητα-στόχος ή ποσό-στόχος είναι απαραίτητα.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Το κόστος των διαφόρων δραστηριοτήτων
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ρύθμιση Εκδηλώσεις σε {0}, καθόσον ο εργαζόμενος συνδέεται με την παρακάτω Πωλήσεις Άτομα που δεν έχει ένα όνομα χρήστη {1}"
 DocType: Timesheet,Billing Details,λεπτομέρειες χρέωσης
@@ -4521,13 +4575,13 @@
 DocType: Inpatient Record,A Negative,Μια αρνητική
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Τίποτα περισσότερο για προβολή.
 DocType: Lead,From Customer,Από πελάτη
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,šΚλήσεις
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,šΚλήσεις
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Ενα προϊόν
 DocType: Employee Tax Exemption Declaration,Declarations,Δηλώσεις
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Παρτίδες
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Κάντε το χρονοδιάγραμμα των τελών
 DocType: Purchase Order Item Supplied,Stock UOM,Μ.Μ. Αποθέματος
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Η παραγγελία αγοράς {0} δεν έχει υποβληθεί
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Η παραγγελία αγοράς {0} δεν έχει υποβληθεί
 DocType: Account,Expenses Included In Asset Valuation,Έξοδα που περιλαμβάνονται στην αποτίμηση περιουσιακών στοιχείων
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Το κανονικό εύρος αναφοράς για έναν ενήλικα είναι 16-20 αναπνοές / λεπτό (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Αριθμός Δασμολογική
@@ -4540,6 +4594,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Παρακαλώ αποθηκεύστε πρώτα τον ασθενή
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Η φοίτηση έχει επισημανθεί με επιτυχία.
 DocType: Program Enrollment,Public Transport,Δημόσια συγκοινωνία
+DocType: Delivery Note,GST Vehicle Type,Τύπος οχήματος GST
 DocType: Soil Texture,Silt Composition (%),Σύνθεση Silt (%)
 DocType: Journal Entry,Remark,Παρατήρηση
 DocType: Healthcare Settings,Avoid Confirmation,Αποφύγετε την επιβεβαίωση
@@ -4548,11 +4603,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Φύλλα και διακοπές
 DocType: Education Settings,Current Academic Term,Ο τρέχων ακαδημαϊκός όρος
 DocType: Sales Order,Not Billed,Μη τιμολογημένο
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Και οι δύο αποθήκες πρέπει να ανήκουν στην ίδια εταιρεία
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Και οι δύο αποθήκες πρέπει να ανήκουν στην ίδια εταιρεία
 DocType: Employee Grade,Default Leave Policy,Προεπιλεγμένη πολιτική άδειας
 DocType: Shopify Settings,Shop URL,Κατάστημα URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Δεν δημιουργήθηκαν επαφές
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Παρακαλούμε ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του Setup&gt; Series Numbering
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Ποσό αποδεικτικοού κόστους αποστολής εμπορευμάτων
 ,Item Balance (Simple),Υπόλοιπο στοιχείου (απλό)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Λογαριασμοί από τους προμηθευτές.
@@ -4577,7 +4631,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Σειρά προσφορών
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Ένα είδος υπάρχει με το ίδιο όνομα ( {0} ), παρακαλώ να αλλάξετε το όνομα της ομάδας ειδών ή να μετονομάσετε το είδος"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Κριτήρια ανάλυσης εδάφους
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Επιλέξτε πελατών
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Επιλέξτε πελατών
 DocType: C-Form,I,εγώ
 DocType: Company,Asset Depreciation Cost Center,Asset Κέντρο Αποσβέσεις Κόστους
 DocType: Production Plan Sales Order,Sales Order Date,Ημερομηνία παραγγελίας πώλησης
@@ -4590,8 +4644,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Επί του παρόντος δεν υπάρχει διαθέσιμο απόθεμα σε καμία αποθήκη
 ,Payment Period Based On Invoice Date,Περίοδος πληρωμής με βάση την ημερομηνία τιμολογίου
 DocType: Sample Collection,No. of print,Αριθ. Εκτύπωσης
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Υπενθύμιση γενεθλίων
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Στοιχείο Ξενοδοχείου Κράτησης
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Λείπει η ισοτιμία συναλλάγματος για {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Λείπει η ισοτιμία συναλλάγματος για {0}
 DocType: Employee Health Insurance,Health Insurance Name,Όνομα Ασφάλισης Υγείας
 DocType: Assessment Plan,Examiner,Εξεταστής
 DocType: Student,Siblings,Τα αδέλφια
@@ -4608,19 +4663,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Νέοι Πελάτες
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Μικτό κέρδος (%)
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Το ραντεβού {0} και το Τιμολόγιο Πωλήσεων {1} ακυρώθηκαν
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Ευκαιρίες από την πηγή μολύβδου
 DocType: Appraisal Goal,Weightage (%),Ζύγισμα (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Αλλάξτε το προφίλ POS
 DocType: Bank Reconciliation Detail,Clearance Date,Ημερομηνία εκκαθάρισης
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Το περιουσιακό στοιχείο υπάρχει ήδη έναντι του στοιχείου {0}, δεν μπορείτε να το αλλάξετε, δεν έχει σειριακή αξία"
+DocType: Delivery Settings,Dispatch Notification Template,Πρότυπο ειδοποίησης αποστολής
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Το περιουσιακό στοιχείο υπάρχει ήδη έναντι του στοιχείου {0}, δεν μπορείτε να το αλλάξετε, δεν έχει σειριακή αξία"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Έκθεση αξιολόγησης
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Αποκτήστε υπάλληλους
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Ακαθάριστο ποσό αγοράς είναι υποχρεωτική
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Το όνομα της εταιρείας δεν είναι το ίδιο
 DocType: Lead,Address Desc,Περιγραφή διεύθυνσης
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Κόμμα είναι υποχρεωτική
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Σειρές με διπλές ημερομηνίες λήξης σε άλλες σειρές βρέθηκαν: {list}
 DocType: Topic,Topic Name,θέμα Όνομα
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Ρυθμίστε το προεπιλεγμένο πρότυπο για την ειδοποίηση για την απουσία έγκρισης στις ρυθμίσεις HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Ρυθμίστε το προεπιλεγμένο πρότυπο για την ειδοποίηση για την απουσία έγκρισης στις ρυθμίσεις HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις επιλογές πωλήση - αγορά
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Επιλέξτε έναν υπάλληλο για να προχωρήσει ο εργαζόμενος.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Επιλέξτε μια έγκυρη ημερομηνία
@@ -4654,6 +4710,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Πελάτη ή προμηθευτή Λεπτομέρειες
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Τρέχουσα αξία ενεργητικού
+DocType: QuickBooks Migrator,Quickbooks Company ID,Ταυτότητα εταιρίας Quickbooks
 DocType: Travel Request,Travel Funding,Ταξιδιωτική χρηματοδότηση
 DocType: Loan Application,Required by Date,Απαιτείται από την Ημερομηνία
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Ένας σύνδεσμος προς όλες τις τοποθεσίες στις οποίες αναπτύσσεται η καλλιέργεια
@@ -4667,9 +4724,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Διαθέσιμο παρτίδας Ποσότητα σε από την αποθήκη
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Μεικτές Αποδοχές - Σύνολο Έκπτωση - Αποπληρωμή δανείου
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Η τρέχουσα Λ.Υ. και η νέα Λ.Υ. δεν μπορεί να είναι ίδιες
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Η τρέχουσα Λ.Υ. και η νέα Λ.Υ. δεν μπορεί να είναι ίδιες
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Μισθός ID Slip
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Η ημερομηνία συνταξιοδότησης πρέπει να είναι μεταγενέστερη από την ημερομηνία πρόσληψης
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Η ημερομηνία συνταξιοδότησης πρέπει να είναι μεταγενέστερη από την ημερομηνία πρόσληψης
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Πολλαπλές παραλλαγές
 DocType: Sales Invoice,Against Income Account,Κατά τον λογαριασμό εσόδων
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Παραδόθηκαν
@@ -4698,7 +4755,7 @@
 DocType: POS Profile,Update Stock,Ενημέρωση αποθέματος
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Διαφορετικές Μ.Μ.για τα είδη θα οδηγήσουν σε λανθασμένη τιμή ( σύνολο ) καθαρού βάρους. Βεβαιωθείτε ότι το καθαρό βάρος κάθε είδοςυ είναι στην ίδια Μ.Μ.
 DocType: Certification Application,Payment Details,Οι λεπτομέρειες πληρωμής
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Τιμή Λ.Υ.
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Τιμή Λ.Υ.
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Δεν είναι δυνατή η ακύρωση της Παραγγελίας Παραγγελίας, Απεγκαταστήστε την πρώτα για ακύρωση"
 DocType: Asset,Journal Entry for Scrap,Εφημερίδα Έναρξη για παλιοσίδερα
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Παρακαλώ κάντε λήψη ειδών από το δελτίο αποστολής
@@ -4721,11 +4778,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Σύνολο εγκεκριμένων ποσών
 ,Purchase Analytics,Ανάλυση αγοράς
 DocType: Sales Invoice Item,Delivery Note Item,Είδος δελτίου αποστολής
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Δεν υπάρχει τρέχον τιμολόγιο {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Δεν υπάρχει τρέχον τιμολόγιο {0}
 DocType: Asset Maintenance Log,Task,Έργασία
 DocType: Purchase Taxes and Charges,Reference Row #,Γραμμή αναφοράς #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Ο αριθμός παρτίδας είναι απαραίτητος για το είδος {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Αυτός είναι ένας κύριος πωλητής και δεν μπορεί να επεξεργαστεί.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Αυτός είναι ένας κύριος πωλητής και δεν μπορεί να επεξεργαστεί.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Αν επιλεγεί, η τιμή που καθορίζεται ή υπολογίζεται σε αυτό το στοιχείο δεν θα συμβάλλει στα κέρδη ή στις κρατήσεις. Ωστόσο, η αξία του μπορεί να αναφέρεται από άλλα στοιχεία που μπορούν να προστεθούν ή να αφαιρεθούν."
 DocType: Asset Settings,Number of Days in Fiscal Year,Αριθμός ημερών κατά το οικονομικό έτος
 ,Stock Ledger,Καθολικό αποθέματος
@@ -4733,7 +4790,7 @@
 DocType: Company,Exchange Gain / Loss Account,Ανταλλαγή Κέρδος / Λογαριασμός Αποτελεσμάτων
 DocType: Amazon MWS Settings,MWS Credentials,Πιστοποιητικά MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Των εργαζομένων και φοίτηση
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Ο σκοπός πρέπει να είναι ένα από τα {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Ο σκοπός πρέπει να είναι ένα από τα {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Συμπληρώστε τη φόρμα και αποθηκεύστε
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Κοινότητα Φόρουμ
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Πραγματική ποσότητα στο απόθεμα
@@ -4748,7 +4805,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Τυπική τιμή πώλησης
 DocType: Account,Rate at which this tax is applied,Ποσοστό με το οποίο επιβάλλεται ο φόρος αυτός
 DocType: Cash Flow Mapper,Section Name,Όνομα τμήματος
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Αναδιάταξη ποσότητας
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Αναδιάταξη ποσότητας
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Γραμμή απόσβεσης {0}: Η αναμενόμενη τιμή μετά την ωφέλιμη ζωή πρέπει να είναι μεγαλύτερη ή ίση με {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Θέσεις Εργασίας
 DocType: Company,Stock Adjustment Account,Λογαριασμός διευθέτησης αποθέματος
@@ -4758,8 +4815,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","(Login) ID για το χρήστη συστήματος. Αν οριστεί, θα γίνει προεπιλογή για όλες τις φόρμες Α.Δ."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Καταχωρίστε τις λεπτομέρειες απόσβεσης
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Από {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Αφήστε την εφαρμογή {0} να υπάρχει ήδη εναντίον του μαθητή {1}
 DocType: Task,depends_on,εξαρτάται από
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Ρυθμιζόμενη για ενημέρωση της τελευταίας τιμής σε όλους τους λογαριασμούς. Μπορεί να χρειαστούν μερικά λεπτά.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Ρυθμιζόμενη για ενημέρωση της τελευταίας τιμής σε όλους τους λογαριασμούς. Μπορεί να χρειαστούν μερικά λεπτά.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Όνομα του νέου λογαριασμού. Σημείωση: Παρακαλώ μην δημιουργείτε λογαριασμούς για τους πελάτες και προμηθευτές
 DocType: POS Profile,Display Items In Stock,Εμφάνιση στοιχείων σε απόθεμα
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Προκαθορισμένα πρότυπα διεύθυνσης ανά χώρα
@@ -4789,16 +4847,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Οι χρονοθυρίδες {0} δεν προστίθενται στο πρόγραμμα
 DocType: Product Bundle,List items that form the package.,Απαριθμήστε τα είδη που αποτελούν το συσκευασία.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Δεν επιτρέπεται. Απενεργοποιήστε το πρότυπο δοκιμής
+DocType: Delivery Note,Distance (in km),Απόσταση (σε km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Το ποσοστό κατανομής θα πρέπει να είναι ίσο με το 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Επιλέξτε Απόσπαση Ημερομηνία πριν από την επιλογή Κόμματος
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Επιλέξτε Απόσπαση Ημερομηνία πριν από την επιλογή Κόμματος
 DocType: Program Enrollment,School House,Σχολείο
 DocType: Serial No,Out of AMC,Εκτός Ε.Σ.Υ.
+DocType: Opportunity,Opportunity Amount,Ποσό ευκαιρίας
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Αριθμός Αποσβέσεις κράτηση δεν μπορεί να είναι μεγαλύτερη από Συνολικός αριθμός Αποσβέσεις
 DocType: Purchase Order,Order Confirmation Date,Ημερομηνία επιβεβαίωσης παραγγελίας
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Δημιούργησε επίσκεψη συντήρησης
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Η ημερομηνία έναρξης και η ημερομηνία λήξης επικαλύπτονται με την κάρτα εργασίας <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Στοιχεία Μεταφοράς Εργαζομένων
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Παρακαλώ επικοινωνήστε με τον χρήστη που έχει ρόλο διαχειριστής κύριων εγγραφών πωλήσεων {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Παρακαλώ επικοινωνήστε με τον χρήστη που έχει ρόλο διαχειριστής κύριων εγγραφών πωλήσεων {0}
 DocType: Company,Default Cash Account,Προεπιλεγμένος λογαριασμός μετρητών
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Κύρια εγγραφή εταιρείας (δεν είναι πελάτης ή προμηθευτής).
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Αυτό βασίζεται στην συμμετοχή του φοιτητή
@@ -4806,9 +4867,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Προσθέστε περισσότερα στοιχεία ή ανοιχτή πλήρη μορφή
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Τα δελτία παράδοσης {0} πρέπει να ακυρώνονται πριν από την ακύρωση της παραγγελίας πώλησης
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Μεταβείτε στους χρήστες
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Το άθροισμα από το καταβληθέν ποσό και το ποσό που διαγράφηκε δεν μπορεί να είναι μεγαλύτερο από το γενικό σύνολο
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Το άθροισμα από το καταβληθέν ποσό και το ποσό που διαγράφηκε δεν μπορεί να είναι μεγαλύτερο από το γενικό σύνολο
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},Ο {0} δεν είναι έγκυρος αριθμός παρτίδας για το είδος {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Σημείωση : δεν υπάρχει αρκετό υπόλοιπο άδειας για τον τύπο άδειας {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Σημείωση : δεν υπάρχει αρκετό υπόλοιπο άδειας για τον τύπο άδειας {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Μη έγκυρο GSTIN ή Enter NA για μη εγγεγραμμένο
 DocType: Training Event,Seminar,Σεμινάριο
 DocType: Program Enrollment Fee,Program Enrollment Fee,Πρόγραμμα τελών εγγραφής
@@ -4825,7 +4886,7 @@
 DocType: Fee Schedule,Fee Schedule,Πρόγραμμα Fee
 DocType: Company,Create Chart Of Accounts Based On,Δημιουργία Λογιστικού Σχεδίου Based On
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Δεν είναι δυνατή η μετατροπή του σε μη ομάδα. Παιδικά καθήκοντα υπάρχουν.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,"Ημερομηνία γέννησης δεν μπορεί να είναι μεγαλύτερη από ό, τι σήμερα."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,"Ημερομηνία γέννησης δεν μπορεί να είναι μεγαλύτερη από ό, τι σήμερα."
 ,Stock Ageing,Γήρανση αποθέματος
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Μερική χορηγία, Απαιτείται μερική χρηματοδότηση"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Φοιτητής {0} υπάρχει εναντίον των φοιτητών αιτών {1}
@@ -4872,11 +4933,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Πριν συμφιλίωση
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Έως {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Φόροι και επιβαρύνσεις που προστέθηκαν (νόμισμα της εταιρείας)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Η γραμμή φόρου είδους {0} πρέπει να έχει λογαριασμό τύπου φόρος ή έσοδα ή δαπάνη ή χρέωση
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Η γραμμή φόρου είδους {0} πρέπει να έχει λογαριασμό τύπου φόρος ή έσοδα ή δαπάνη ή χρέωση
 DocType: Sales Order,Partly Billed,Μερικώς τιμολογημένος
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Θέση {0} πρέπει να είναι ένα πάγιο περιουσιακό στοιχείο του Είδους
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Κάνετε παραλλαγές
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Κάνετε παραλλαγές
 DocType: Item,Default BOM,Προεπιλεγμένη Λ.Υ.
 DocType: Project,Total Billed Amount (via Sales Invoices),Συνολικό ποσό χρέωσης (μέσω τιμολογίων πωλήσεων)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Ποσό χρεωστικού σημειώματος
@@ -4905,13 +4966,13 @@
 DocType: Notification Control,Custom Message,Προσαρμοσμένο μήνυμα
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Επενδυτική τραπεζική
 DocType: Purchase Invoice,input,εισαγωγή
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Ο λογαριασμός μετρητών/τραπέζης είναι απαραίτητος για την κατασκευή καταχωρήσεων πληρωμής
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Ο λογαριασμός μετρητών/τραπέζης είναι απαραίτητος για την κατασκευή καταχωρήσεων πληρωμής
 DocType: Loyalty Program,Multiple Tier Program,Πρόγραμμα πολλαπλών βαθμίδων
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Διεύθυνση σπουδαστών
 DocType: Purchase Invoice,Price List Exchange Rate,Ισοτιμία τιμοκαταλόγου
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Όλες οι ομάδες προμηθευτών
 DocType: Employee Boarding Activity,Required for Employee Creation,Απαιτείται για τη δημιουργία υπαλλήλων
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Ο αριθμός λογαριασμού {0} που χρησιμοποιείται ήδη στον λογαριασμό {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Ο αριθμός λογαριασμού {0} που χρησιμοποιείται ήδη στον λογαριασμό {1}
 DocType: GoCardless Mandate,Mandate,Εντολή
 DocType: POS Profile,POS Profile Name,Όνομα προφίλ POS
 DocType: Hotel Room Reservation,Booked,Κράτηση
@@ -4927,18 +4988,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Ο αρ. αναφοράς είναι απαραίτητος εάν έχετε εισάγει ημερομηνία αναφοράς
 DocType: Bank Reconciliation Detail,Payment Document,έγγραφο πληρωμής
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Σφάλμα κατά την αξιολόγηση του τύπου κριτηρίων
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,"Η ημερομηνία της πρόσληψης πρέπει να είναι μεταγενέστερη από ό, τι η ημερομηνία γέννησης"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,"Η ημερομηνία της πρόσληψης πρέπει να είναι μεταγενέστερη από ό, τι η ημερομηνία γέννησης"
 DocType: Subscription,Plans,Σχέδια
 DocType: Salary Slip,Salary Structure,Μισθολόγιο
 DocType: Account,Bank,Τράπεζα
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Αερογραμμή
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Υλικό θέματος
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Υλικό θέματος
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Συνδέστε το Shopify με το ERPNext
 DocType: Material Request Item,For Warehouse,Για αποθήκη
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Οι σημειώσεις παράδοσης {0} ενημερώνονται
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Οι σημειώσεις παράδοσης {0} ενημερώνονται
 DocType: Employee,Offer Date,Ημερομηνία προσφοράς
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Προσφορές
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Βρίσκεστε σε λειτουργία χωρίς σύνδεση. Δεν θα είστε σε θέση να φορτώσετε εκ νέου έως ότου έχετε δίκτυο.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Προσφορές
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Βρίσκεστε σε λειτουργία χωρίς σύνδεση. Δεν θα είστε σε θέση να φορτώσετε εκ νέου έως ότου έχετε δίκτυο.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Χορήγηση
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Δεν Ομάδες Φοιτητών δημιουργήθηκε.
 DocType: Purchase Invoice Item,Serial No,Σειριακός αριθμός
@@ -4950,24 +5011,26 @@
 DocType: Sales Invoice,Customer PO Details,Στοιχεία PO Πελατών
 DocType: Stock Entry,Including items for sub assemblies,Συμπεριλαμβανομένων των στοιχείων για τις επιμέρους συνελεύσεις
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Προσωρινός λογαριασμός έναρξης
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Εισάγετε τιμή πρέπει να είναι θετικός
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Εισάγετε τιμή πρέπει να είναι θετικός
 DocType: Asset,Finance Books,Οικονομικά βιβλία
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Κατηγορία δήλωσης απαλλαγής ΦΠΑ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Όλα τα εδάφη
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Ρυθμίστε την πολιτική άδειας για τον υπάλληλο {0} στην εγγραφή υπαλλήλου / βαθμού
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Μη έγκυρη παραγγελία παραγγελίας για τον επιλεγμένο πελάτη και στοιχείο
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Μη έγκυρη παραγγελία παραγγελίας για τον επιλεγμένο πελάτη και στοιχείο
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Προσθήκη πολλών εργασιών
 DocType: Purchase Invoice,Items,Είδη
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Η ημερομηνία λήξης δεν μπορεί να είναι πριν από την Ημερομηνία έναρξης.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Φοιτητής ήδη εγγραφεί.
 DocType: Fiscal Year,Year Name,Όνομα έτους
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Υπάρχουν περισσότερες ημέρες αργιών από ότι εργάσιμες ημέρες αυτό το μήνα.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Αναφ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Υπάρχουν περισσότερες ημέρες αργιών από ότι εργάσιμες ημέρες αυτό το μήνα.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Τα ακόλουθα στοιχεία {0} δεν σημειώνονται ως {1} στοιχείο. Μπορείτε να τα ενεργοποιήσετε ως στοιχείο {1} από τον κύριο τίτλο του στοιχείου
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Αναφ
 DocType: Production Plan Item,Product Bundle Item,Προϊόν Bundle Προϊόν
 DocType: Sales Partner,Sales Partner Name,Όνομα συνεργάτη πωλήσεων
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Αίτηση για προσφορά
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Αίτηση για προσφορά
 DocType: Payment Reconciliation,Maximum Invoice Amount,Μέγιστο ποσό του τιμολογίου
 DocType: Normal Test Items,Normal Test Items,Κανονικά στοιχεία δοκιμής
+DocType: QuickBooks Migrator,Company Settings,Ρυθμίσεις εταιρείας
 DocType: Additional Salary,Overwrite Salary Structure Amount,Αντικαταστήστε το ποσό της δομής μισθοδοσίας
 DocType: Student Language,Student Language,φοιτητής Γλώσσα
 apps/erpnext/erpnext/config/selling.py +23,Customers,Πελάτες
@@ -4979,21 +5042,23 @@
 DocType: Issue,Opening Time,Ώρα ανοίγματος
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Τα πεδία από και έως ημερομηνία είναι απαραίτητα
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Κινητές αξίες & χρηματιστήρια εμπορευμάτων
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Προεπιλεγμένη μονάδα μέτρησης για την παραλλαγή &#39;{0}&#39; πρέπει να είναι ίδιο με το πρότυπο &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Προεπιλεγμένη μονάδα μέτρησης για την παραλλαγή &#39;{0}&#39; πρέπει να είναι ίδιο με το πρότυπο &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Υπολογισμός με βάση:
 DocType: Contract,Unfulfilled,Ανεκπλήρωτος
 DocType: Delivery Note Item,From Warehouse,Από Αποθήκης
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Δεν υπάρχουν υπάλληλοι για τα προαναφερθέντα κριτήρια
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Δεν Αντικείμενα με τον Bill Υλικών για Κατασκευή
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Δεν Αντικείμενα με τον Bill Υλικών για Κατασκευή
 DocType: Shopify Settings,Default Customer,Προεπιλεγμένος πελάτης
+DocType: Sales Stage,Stage Name,Καλλιτεχνικό ψευδώνυμο
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Όνομα Επόπτη
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Μην επιβεβαιώνετε εάν το ραντεβού δημιουργείται για την ίδια ημέρα
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Πλοίο προς κράτος
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Πλοίο προς κράτος
 DocType: Program Enrollment Course,Program Enrollment Course,Πρόγραμμα εγγραφής στο πρόγραμμα
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Ο χρήστης {0} έχει ήδη ανατεθεί στον ιατρικό προσωπικό {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Πραγματοποιήστε είσοδο στο δείκτη διατήρησης δείγματος
 DocType: Purchase Taxes and Charges,Valuation and Total,Αποτίμηση και σύνολο
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Διαπραγμάτευση / Επανεξέταση
 DocType: Leave Encashment,Encashment Amount,Ποσό περικοπής
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Κάρτες αποτελεσμάτων
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Έληξε παρτίδες
@@ -5003,7 +5068,7 @@
 DocType: Staffing Plan Detail,Current Openings,Τρέχοντα ανοίγματα
 DocType: Notification Control,Customize the Notification,Προσαρμόστε την ενημέρωση
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Ταμειακές ροές από εργασίες
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Ποσό
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Ποσό
 DocType: Purchase Invoice,Shipping Rule,Κανόνας αποστολής
 DocType: Patient Relation,Spouse,Σύζυγος
 DocType: Lab Test Groups,Add Test,Προσθήκη δοκιμής
@@ -5017,14 +5082,14 @@
 DocType: Payroll Entry,Payroll Frequency,Μισθοδοσία Συχνότητα
 DocType: Lab Test Template,Sensitivity,Ευαισθησία
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Ο συγχρονισμός απενεργοποιήθηκε προσωρινά επειδή έχουν ξεπεραστεί οι μέγιστες επαναλήψεις
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Πρώτη ύλη
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Πρώτη ύλη
 DocType: Leave Application,Follow via Email,Ακολουθήστε μέσω email
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Φυτά και Μηχανήματα
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Ποσό φόρου μετά ποσού έκπτωσης
 DocType: Patient,Inpatient Status,Κατάσταση νοσηλευτή
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Καθημερινή Ρυθμίσεις Περίληψη εργασίας
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Ο Επιλεγμένος Τιμοκατάλογος θα πρέπει να ελέγξει τα πεδία αγοράς και πώλησης.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Πληκτρολογήστε Reqd by Date
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Ο Επιλεγμένος Τιμοκατάλογος θα πρέπει να ελέγξει τα πεδία αγοράς και πώλησης.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Πληκτρολογήστε Reqd by Date
 DocType: Payment Entry,Internal Transfer,εσωτερική Μεταφορά
 DocType: Asset Maintenance,Maintenance Tasks,Συνθήκες Συντήρησης
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Είτε ποσότητα-στόχος ή ποσό-στόχος είναι απαραίτητα.
@@ -5045,7 +5110,7 @@
 DocType: Mode of Payment,General,Γενικός
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Τελευταία ανακοίνωση
 ,TDS Payable Monthly,TDS πληρωτέα μηνιαία
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Ρυθμίζεται για αντικατάσταση του BOM. Μπορεί να χρειαστούν μερικά λεπτά.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Ρυθμίζεται για αντικατάσταση του BOM. Μπορεί να χρειαστούν μερικά λεπτά.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Δεν μπορούν να αφαιρεθούν όταν η κατηγορία είναι για αποτίμηση ή αποτίμηση και σύνολο
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Οι σειριακοί αριθμοί είναι απαραίτητοι για το είδος με σειρά {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Πληρωμές αγώνα με τιμολόγια
@@ -5058,7 +5123,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Προσθήκη στο καλάθι
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Ομαδοποίηση κατά
 DocType: Guardian,Interests,Ενδιαφέροντα
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Ενεργοποίηση / απενεργοποίηση νομισμάτων.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Ενεργοποίηση / απενεργοποίηση νομισμάτων.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Δεν ήταν δυνατή η υποβολή ορισμένων μισθοδοτικών μισθών
 DocType: Exchange Rate Revaluation,Get Entries,Λάβετε καταχωρήσεις
 DocType: Production Plan,Get Material Request,Πάρτε Αίτημα Υλικό
@@ -5080,15 +5145,16 @@
 DocType: Lead,Lead Type,Τύπος επαφής
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Δεν επιτρέπεται να εγκρίνει φύλλα στο Block Ημερομηνίες
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Όλα αυτά τα είδη έχουν ήδη τιμολογηθεί
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Ορίστε νέα ημερομηνία κυκλοφορίας
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Ορίστε νέα ημερομηνία κυκλοφορίας
 DocType: Company,Monthly Sales Target,Μηνιαίο Στόχο Πωλήσεων
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Μπορεί να εγκριθεί από {0}
 DocType: Hotel Room,Hotel Room Type,Τύπος δωματίου δωματίου
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Προμηθευτής&gt; Τύπος προμηθευτή
 DocType: Leave Allocation,Leave Period,Αφήστε την περίοδο
 DocType: Item,Default Material Request Type,Προεπιλογή Τύπος Υλικού Αίτηση
 DocType: Supplier Scorecard,Evaluation Period,Περίοδος αξιολόγησης
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Άγνωστος
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Η εντολή εργασίας δεν δημιουργήθηκε
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Η εντολή εργασίας δεν δημιουργήθηκε
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Ένα ποσό {0} που αξιώνεται ήδη για το στοιχείο {1}, \ θέτει το ποσό ίσο ή μεγαλύτερο από {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Όροι κανόνα αποστολής
@@ -5121,15 +5187,15 @@
 DocType: Batch,Source Document Name,Όνομα εγγράφου προέλευσης
 DocType: Production Plan,Get Raw Materials For Production,Πάρτε πρώτες ύλες για παραγωγή
 DocType: Job Opening,Job Title,Τίτλος εργασίας
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} υποδεικνύει ότι η {1} δεν θα παράσχει μια προσφορά, αλλά έχουν αναφερθεί όλα τα στοιχεία \. Ενημέρωση της κατάστασης προσφοράς RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Τα μέγιστα δείγματα - {0} έχουν ήδη διατηρηθεί για το Παρτίδα {1} και το στοιχείο {2} στην Παρτίδα {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Τα μέγιστα δείγματα - {0} έχουν ήδη διατηρηθεί για το Παρτίδα {1} και το στοιχείο {2} στην Παρτίδα {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Ενημέρωση κόστους BOM αυτόματα
 DocType: Lab Test,Test Name,Όνομα δοκιμής
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Κλινική διαδικασία αναλώσιμο στοιχείο
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Δημιουργία χρηστών
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Γραμμάριο
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Συνδρομές
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Συνδρομές
 DocType: Supplier Scorecard,Per Month,Κάθε μήνα
 DocType: Education Settings,Make Academic Term Mandatory,Κάντε τον υποχρεωτικό ακαδημαϊκό όρο
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Ποσότητα Παρασκευή πρέπει να είναι μεγαλύτερη από 0.
@@ -5138,9 +5204,9 @@
 DocType: Stock Entry,Update Rate and Availability,Ενημέρωση τιμή και τη διαθεσιμότητα
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Ποσοστό που επιτρέπεται να παραληφθεί ή να παραδοθεί περισσότερο από την ποσότητα παραγγελίας. Για παράδειγμα: εάν έχετε παραγγείλει 100 μονάδες. Και το επίδομα σας είναι 10%, τότε θα μπορούν να παραληφθούν 110 μονάδες."
 DocType: Loyalty Program,Customer Group,Ομάδα πελατών
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Σειρά # {0}: Η λειτουργία {1} δεν ολοκληρώνεται για {2} ποσότητα τελικών προϊόντων στην παραγγελία εργασίας # {3}. Ενημερώστε την κατάσταση λειτουργίας μέσω των καταγραφών ώρας
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Σειρά # {0}: Η λειτουργία {1} δεν ολοκληρώνεται για {2} ποσότητα τελικών προϊόντων στην παραγγελία εργασίας # {3}. Ενημερώστε την κατάσταση λειτουργίας μέσω των καταγραφών ώρας
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Νέο αναγνωριστικό παρτίδας (προαιρετικό)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Ο λογαριασμός δαπανών είναι υποχρεωτικός για το είδος {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Ο λογαριασμός δαπανών είναι υποχρεωτικός για το είδος {0}
 DocType: BOM,Website Description,Περιγραφή δικτυακού τόπου
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Καθαρή Μεταβολή Ιδίων Κεφαλαίων
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Παρακαλείστε να ακυρώσετε την αγορά Τιμολόγιο {0} πρώτο
@@ -5155,7 +5221,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Δεν υπάρχει τίποτα να επεξεργαστείτε.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Προβολή μορφής
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Έγκριση δαπανών Υποχρεωτική αξίωση
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Περίληψη για το μήνα αυτό και εν αναμονή δραστηριότητες
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Περίληψη για το μήνα αυτό και εν αναμονή δραστηριότητες
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ορίστε τον μη πραγματοποιημένο λογαριασμό κέρδους / ζημιάς στο λογαριασμό {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Προσθέστε χρήστες στον οργανισμό σας, εκτός από τον εαυτό σας."
 DocType: Customer Group,Customer Group Name,Όνομα ομάδας πελατών
@@ -5165,14 +5231,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Δεν δημιουργήθηκε κανένα υλικό υλικό
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Ποσό δανείου δεν μπορεί να υπερβαίνει το μέγιστο ύψος των δανείων Ποσό {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Άδεια
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Παρακαλώ αφαιρέστε αυτό το τιμολόγιο {0} από τη c-form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Παρακαλώ αφαιρέστε αυτό το τιμολόγιο {0} από τη c-form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Παρακαλώ επιλέξτε μεταφορά εάν θέλετε επίσης να περιλαμβάνεται το ισοζύγιο από το προηγούμενο οικονομικό έτος σε αυτό η χρήση
 DocType: GL Entry,Against Voucher Type,Κατά τον τύπο αποδεικτικού
 DocType: Healthcare Practitioner,Phone (R),Τηλέφωνο (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Προστέθηκαν χρονικά διαθέσιμα
 DocType: Item,Attributes,Γνωρίσματα
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Ενεργοποιήστε το πρότυπο
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Παρακαλώ εισάγετε λογαριασμό διαγραφών
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Παρακαλώ εισάγετε λογαριασμό διαγραφών
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Τελευταία ημερομηνία παραγγελίας
 DocType: Salary Component,Is Payable,Είναι πληρωτέο
 DocType: Inpatient Record,B Negative,Β Αρνητικό
@@ -5183,7 +5249,7 @@
 DocType: Hotel Room,Hotel Room,Δωμάτιο ξενοδοχείου
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Ο Λογαριασμός {0} δεν ανήκει στην εταιρεία {1}
 DocType: Leave Type,Rounding,Στρογγύλεμα
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Οι σειριακοί αριθμοί στη σειρά {0} δεν ταιριάζουν με τη Σημείωση Παραλαβής
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Οι σειριακοί αριθμοί στη σειρά {0} δεν ταιριάζουν με τη Σημείωση Παραλαβής
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Χορηγημένο Ποσό (Προ-Αξιολόγηση)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Στη συνέχεια, οι Κανόνες Τιμολόγησης φιλτράρονται με βάση τον Πελάτη, την Ομάδα Πελατών, την Περιοχή, τον Προμηθευτή, την Ομάδα Προμηθευτών, την Καμπάνια, τον Συνεργάτη Πωλήσεων κλπ"
 DocType: Student,Guardian Details,Guardian Λεπτομέρειες
@@ -5192,10 +5258,10 @@
 DocType: Vehicle,Chassis No,σασί Όχι
 DocType: Payment Request,Initiated,Ξεκίνησε
 DocType: Production Plan Item,Planned Start Date,Προγραμματισμένη ημερομηνία έναρξης
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Επιλέξτε ένα BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Επιλέξτε ένα BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Επωφελήθηκε ο ενοποιημένος φόρος ITC
 DocType: Purchase Order Item,Blanket Order Rate,Τιμή παραγγελίας σε κουβέρτα
-apps/erpnext/erpnext/hooks.py +156,Certification,Πιστοποίηση
+apps/erpnext/erpnext/hooks.py +157,Certification,Πιστοποίηση
 DocType: Bank Guarantee,Clauses and Conditions,Ρήτρες και προϋποθέσεις
 DocType: Serial No,Creation Document Type,Τύπος εγγράφου δημιουργίας
 DocType: Project Task,View Timesheet,Προβολή φύλλου εργασίας
@@ -5220,6 +5286,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Μητρική Θέση {0} δεν πρέπει να είναι ένα αναντικατάστατο
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Καταχώρηση ιστότοπου
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Όλα τα προϊόντα ή τις υπηρεσίες.
+DocType: Email Digest,Open Quotations,Ανοικτές προσφορές
 DocType: Expense Claim,More Details,Περισσότερες λεπτομέρειες
 DocType: Supplier Quotation,Supplier Address,Διεύθυνση προμηθευτή
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} προϋπολογισμού για το λογαριασμό {1} από {2} {3} είναι {4}. Θα υπερβαίνει {5}
@@ -5234,12 +5301,11 @@
 DocType: Training Event,Exam,Εξέταση
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Σφάλμα αγοράς
 DocType: Complaint,Complaint,Καταγγελία
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Απαιτείται αποθήκη για το είδος αποθέματος {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Απαιτείται αποθήκη για το είδος αποθέματος {0}
 DocType: Leave Allocation,Unused leaves,Αχρησιμοποίητα φύλλα
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Κάντε την καταβολή αποπληρωμής
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Όλα τα Τμήματα
 DocType: Healthcare Service Unit,Vacant,Κενός
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Προμηθευτής&gt; Τύπος προμηθευτή
 DocType: Patient,Alcohol Past Use,Χρήση αλκοόλ στο παρελθόν
 DocType: Fertilizer Content,Fertilizer Content,Περιεκτικότητα σε λιπάσματα
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5247,7 +5313,7 @@
 DocType: Tax Rule,Billing State,Μέλος χρέωσης
 DocType: Share Transfer,Transfer,Μεταφορά
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Η εντολή εργασίας {0} πρέπει να ακυρωθεί πριν την ακύρωση αυτής της εντολής πώλησης
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Φέρε αναλυτική Λ.Υ. ( Συμπεριλαμβανομένων των υποσυνόλων )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Φέρε αναλυτική Λ.Υ. ( Συμπεριλαμβανομένων των υποσυνόλων )
 DocType: Authorization Rule,Applicable To (Employee),Εφαρμοστέα σε (υπάλληλος)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Due Date είναι υποχρεωτική
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Προσαύξηση για Χαρακτηριστικό {0} δεν μπορεί να είναι 0
@@ -5263,7 +5329,7 @@
 DocType: Disease,Treatment Period,Περίοδος θεραπείας
 DocType: Travel Itinerary,Travel Itinerary,Δρομολόγιο ταξιδιού
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Αποτέλεσμα που έχει ήδη υποβληθεί
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Η δεσμευμένη αποθήκη είναι υποχρεωτική για το στοιχείο {0} στις πρώτες ύλες που παρέχονται
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Η δεσμευμένη αποθήκη είναι υποχρεωτική για το στοιχείο {0} στις πρώτες ύλες που παρέχονται
 ,Inactive Customers,ανενεργοί Πελάτες
 DocType: Student Admission Program,Maximum Age,Μέγιστη ηλικία
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Περιμένετε 3 ημέρες πριν από την υποβολή της υπενθύμισης.
@@ -5272,7 +5338,6 @@
 DocType: Stock Entry,Delivery Note No,Αρ. δελτίου αποστολής
 DocType: Cheque Print Template,Message to show,Μήνυμα για να δείξει
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Λιανική πώληση
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Διαχειριστείτε το Τιμολόγιο Συνάντησης Αυτόματα
 DocType: Student Attendance,Absent,Απών
 DocType: Staffing Plan,Staffing Plan Detail,Λεπτομέρειες σχεδίου προσωπικού
 DocType: Employee Promotion,Promotion Date,Ημερομηνία προώθησης
@@ -5294,7 +5359,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Δημιουργία Σύστασης
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Εκτύπωση και Χαρτικά
 DocType: Stock Settings,Show Barcode Field,Εμφάνιση Barcode πεδίο
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Αποστολή Emails Προμηθευτής
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Αποστολή Emails Προμηθευτής
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Μισθός ήδη υποβάλλονται σε επεξεργασία για χρονικό διάστημα από {0} και {1}, Αφήστε περίοδος εφαρμογής δεν μπορεί να είναι μεταξύ αυτού του εύρους ημερομηνιών."
 DocType: Fiscal Year,Auto Created,Δημιουργήθηκε αυτόματα
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Υποβάλετε αυτό για να δημιουργήσετε την εγγραφή του υπαλλήλου
@@ -5303,7 +5368,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Το τιμολόγιο {0} δεν υπάρχει πλέον
 DocType: Guardian Interest,Guardian Interest,Guardian Ενδιαφέροντος
 DocType: Volunteer,Availability,Διαθεσιμότητα
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Ρυθμίστε τις προεπιλεγμένες τιμές για τα τιμολόγια POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Ρυθμίστε τις προεπιλεγμένες τιμές για τα τιμολόγια POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Εκπαίδευση
 DocType: Project,Time to send,Ώρα για αποστολή
 DocType: Timesheet,Employee Detail,Λεπτομέρεια των εργαζομένων
@@ -5326,7 +5391,7 @@
 DocType: Training Event Employee,Optional,Προαιρετικός
 DocType: Salary Slip,Earning & Deduction,Κέρδος και έκπτωση
 DocType: Agriculture Analysis Criteria,Water Analysis,Ανάλυση Νερού
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} δημιουργήθηκαν παραλλαγές.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} δημιουργήθηκαν παραλλαγές.
 DocType: Amazon MWS Settings,Region,Περιοχή
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Προαιρετικό. Αυτή η ρύθμιση θα χρησιμοποιηθεί για το φιλτράρισμα σε διάφορες συναλλαγές.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Δεν επιτρέπεται αρνητική τιμή αποτίμησης
@@ -5345,7 +5410,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Το κόστος των αποσυρόμενων Ενεργητικού
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Tο κέντρο κόστους είναι υποχρεωτικό για το είδος {2}
 DocType: Vehicle,Policy No,Πολιτική Όχι
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Πάρετε τα στοιχεία από Bundle Προϊόν
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Πάρετε τα στοιχεία από Bundle Προϊόν
 DocType: Asset,Straight Line,Ευθεία
 DocType: Project User,Project User,Ο χρήστης του έργου
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Σπλιτ
@@ -5353,7 +5418,7 @@
 DocType: GL Entry,Is Advance,Είναι προκαταβολή
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Κύκλος ζωής του εργαζόμενου
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Η συμμετοχή από και μέχρι είναι απαραίτητη
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Παρακαλώ εισάγετε τιμή στο πεδίο 'υπεργολαβία' ναι ή όχι
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Παρακαλώ εισάγετε τιμή στο πεδίο 'υπεργολαβία' ναι ή όχι
 DocType: Item,Default Purchase Unit of Measure,Προεπιλεγμένη μονάδα αγοράς μέτρου
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Τελευταία ημερομηνία επικοινωνίας
 DocType: Clinical Procedure Item,Clinical Procedure Item,Στοιχείο κλινικής διαδικασίας
@@ -5362,7 +5427,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Το αναγνωριστικό πρόσβασης ή η διεύθυνση ηλεκτρονικού ταχυδρομείου εξαίρεσης λείπουν
 DocType: Location,Latitude,Γεωγραφικό πλάτος
 DocType: Work Order,Scrap Warehouse,Άχρηστα Αποθήκη
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Απαιτείται αποθήκη στη σειρά αριθ. {0}, ρυθμίστε την προεπιλεγμένη αποθήκη για το στοιχείο {1} για την εταιρεία {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Απαιτείται αποθήκη στη σειρά αριθ. {0}, ρυθμίστε την προεπιλεγμένη αποθήκη για το στοιχείο {1} για την εταιρεία {2}"
 DocType: Work Order,Check if material transfer entry is not required,Ελέγξτε αν δεν απαιτείται εγγραφή μεταφοράς υλικού
 DocType: Program Enrollment Tool,Get Students From,Πάρτε φοιτητές από
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Δημοσιεύστε Αντικείμενα στην ιστοσελίδα
@@ -5377,6 +5442,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Νέα ποσότητα παρτίδας
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Ένδυση & αξεσουάρ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Δεν ήταν δυνατή η επίλυση της σταθμισμένης λειτουργίας βαθμολογίας. Βεβαιωθείτε ότι ο τύπος είναι έγκυρος.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Στοιχεία παραγγελίας που δεν παραλήφθηκαν εγκαίρως
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Αριθμός παραγγελίας
 DocType: Item Group,HTML / Banner that will show on the top of product list.,ΗΤΜΛ / banner που θα εμφανιστούν στην κορυφή της λίστας των προϊόντων.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Καθορίστε τις συνθήκες για τον υπολογισμό του κόστους αποστολής
@@ -5385,9 +5451,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Μονοπάτι
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Δεν είναι δυνατή η μετατροπή του κέντρου κόστους σε καθολικό, όπως έχει κόμβους-παιδιά"
 DocType: Production Plan,Total Planned Qty,Συνολική προγραμματισμένη ποσότητα
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Αξία ανοίγματος
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Αξία ανοίγματος
 DocType: Salary Component,Formula,Τύπος
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Σειριακός αριθμός #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Σειριακός αριθμός #
 DocType: Lab Test Template,Lab Test Template,Πρότυπο δοκιμής εργαστηρίου
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Λογαριασμός πωλήσεων
 DocType: Purchase Invoice Item,Total Weight,Συνολικό βάρος
@@ -5405,7 +5471,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Κάντε την ζήτηση Υλικό
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Ανοικτή Θέση {0}
 DocType: Asset Finance Book,Written Down Value,Γραπτή τιμή κάτω
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό&gt; Ρυθμίσεις HR
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Το τιμολόγιο πώλησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης
 DocType: Clinical Procedure,Age,Ηλικία
 DocType: Sales Invoice Timesheet,Billing Amount,Ποσό Χρέωσης
@@ -5414,11 +5479,11 @@
 DocType: Company,Default Employee Advance Account,Προκαθορισμένος λογαριασμός προκαταβολών προσωπικού
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Στοιχείο αναζήτησης (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να διαγραφεί
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να διαγραφεί
 DocType: Vehicle,Last Carbon Check,Τελευταία Carbon Έλεγχος
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Νομικές δαπάνες
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Παρακαλούμε επιλέξτε ποσότητα σε σειρά
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Κάντε το άνοιγμα των τιμολογίων πωλήσεων και αγοράς
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Κάντε το άνοιγμα των τιμολογίων πωλήσεων και αγοράς
 DocType: Purchase Invoice,Posting Time,Ώρα αποστολής
 DocType: Timesheet,% Amount Billed,Ποσό που χρεώνεται%
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Δαπάνες τηλεφώνου
@@ -5433,14 +5498,14 @@
 DocType: Maintenance Visit,Breakdown,Ανάλυση
 DocType: Travel Itinerary,Vegetarian,Χορτοφάγος
 DocType: Patient Encounter,Encounter Date,Ημερομηνία συνάντησης
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Ο λογαριασμός: {0} με το νόμισμα: {1} δεν μπορεί να επιλεγεί
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Ο λογαριασμός: {0} με το νόμισμα: {1} δεν μπορεί να επιλεγεί
 DocType: Bank Statement Transaction Settings Item,Bank Data,Στοιχεία τράπεζας
 DocType: Purchase Receipt Item,Sample Quantity,Ποσότητα δείγματος
 DocType: Bank Guarantee,Name of Beneficiary,Όνομα δικαιούχου
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Ενημέρωση κόστους BOM αυτόματα μέσω Scheduler, με βάση το τελευταίο ποσοστό αποτίμησης / τιμοκαταλόγου / τελευταίο ποσοστό αγοράς πρώτων υλών."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Ημερομηνία επιταγής
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν ανήκει στην εταιρεία: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν ανήκει στην εταιρεία: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Διαγράφηκε επιτυχώς όλες τις συναλλαγές που σχετίζονται με αυτή την εταιρεία!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Ως ημερομηνία για
 DocType: Additional Salary,HR,HR
@@ -5448,7 +5513,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Ειδοποιήσεις SMS ασθενούς
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Επιτήρηση
 DocType: Program Enrollment Tool,New Academic Year,Νέο Ακαδημαϊκό Έτος
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Επιστροφή / Πιστωτική Σημείωση
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Επιστροφή / Πιστωτική Σημείωση
 DocType: Stock Settings,Auto insert Price List rate if missing,Αυτόματη ένθετο ποσοστό Τιμοκατάλογος αν λείπει
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Συνολικό καταβεβλημένο ποσό
 DocType: GST Settings,B2C Limit,Όριο B2C
@@ -5466,10 +5531,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,κόμβοι παιδί μπορεί να δημιουργηθεί μόνο με κόμβους τύπου «Όμιλος»
 DocType: Attendance Request,Half Day Date,Μισή Μέρα Ημερομηνία
 DocType: Academic Year,Academic Year Name,Όνομα Ακαδημαϊκού Έτους
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,Δεν επιτρέπεται η {0} συναλλαγή με {1}. Αλλάξτε την Εταιρεία.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,Δεν επιτρέπεται η {0} συναλλαγή με {1}. Αλλάξτε την Εταιρεία.
 DocType: Sales Partner,Contact Desc,Περιγραφή επαφής
 DocType: Email Digest,Send regular summary reports via Email.,"Αποστολή τακτικών συνοπτικών εκθέσεων, μέσω email."
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Εξόδων αξίωση Τύπος {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Εξόδων αξίωση Τύπος {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Διαθέσιμα φύλλα
 DocType: Assessment Result,Student Name,ΟΝΟΜΑ ΜΑΘΗΤΗ
 DocType: Hub Tracked Item,Item Manager,Θέση Διευθυντή
@@ -5494,9 +5559,10 @@
 DocType: Subscription,Trial Period End Date,Ημερομηνία λήξης της δοκιμαστικής περιόδου
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Δεν επιτρέπεται δεδομένου ότι το {0} υπερβαίνει τα όρια
 DocType: Serial No,Asset Status,Κατάσταση περιουσιακών στοιχείων
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Υπερφορικό φορτίο (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Πίνακας εστιατορίων
 DocType: Hotel Room,Hotel Manager,Διευθυντής ξενοδοχείου
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Ορισμός φορολογική Κανόνας για το καλάθι αγορών
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Ορισμός φορολογική Κανόνας για το καλάθι αγορών
 DocType: Purchase Invoice,Taxes and Charges Added,Φόροι και επιβαρύνσεις που προστέθηκαν
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Απόσβεση γραμμής {0}: Η επόμενη ημερομηνία απόσβεσης δεν μπορεί να γίνει πριν από την Ημερομηνία διαθέσιμης για χρήση
 ,Sales Funnel,Χοάνη πωλήσεων
@@ -5512,10 +5578,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Όλες οι ομάδες πελατών
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,συσσωρευμένες Μηνιαία
 DocType: Attendance Request,On Duty,Στο καθήκον
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Η {0} είναι απαραίτητη. Ίσως δεν έχει δημιουργηθεί εγγραφή ισοτιμίας συναλλάγματος από {1} έως {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Η {0} είναι απαραίτητη. Ίσως δεν έχει δημιουργηθεί εγγραφή ισοτιμίας συναλλάγματος από {1} έως {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Προσωπικό Σχέδιο {0} υπάρχει ήδη για τον προσδιορισμό {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Φόρος προτύπου είναι υποχρεωτική.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν υπάρχει
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν υπάρχει
 DocType: POS Closing Voucher,Period Start Date,Ημερομηνία έναρξης περιόδου
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Τιμή τιμοκαταλόγου (νόμισμα της εταιρείας)
 DocType: Products Settings,Products Settings,Ρυθμίσεις προϊόντα
@@ -5535,7 +5601,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Αυτή η ενέργεια θα σταματήσει τη μελλοντική χρέωση. Είστε βέβαιοι ότι θέλετε να ακυρώσετε αυτήν τη συνδρομή;
 DocType: Serial No,Distinct unit of an Item,Διακριτή μονάδα ενός είδους
 DocType: Supplier Scorecard Criteria,Criteria Name,Όνομα κριτηρίου
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Ρυθμίστε την εταιρεία
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Ρυθμίστε την εταιρεία
 DocType: Procedure Prescription,Procedure Created,Η διαδικασία δημιουργήθηκε
 DocType: Pricing Rule,Buying,Αγορά
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Ασθένειες &amp; Λιπάσματα
@@ -5552,28 +5618,29 @@
 DocType: Employee Onboarding,Job Offer,Προσφορά εργασίας
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Ινστιτούτο Σύντμηση
 ,Item-wise Price List Rate,Τιμή τιμοκαταλόγου ανά είδος
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Προσφορά προμηθευτή
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Προσφορά προμηθευτή
 DocType: Quotation,In Words will be visible once you save the Quotation.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το πρόσημο.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Η ποσότητα ({0}) δεν μπορεί να είναι κλάσμα στη σειρά {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Η ποσότητα ({0}) δεν μπορεί να είναι κλάσμα στη σειρά {1}
 DocType: Contract,Unsigned,Δεν έχει υπογραφεί
 DocType: Selling Settings,Each Transaction,Κάθε συναλλαγή
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Το barcode {0} έχει ήδη χρησιμοποιηθεί στο είδος {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Το barcode {0} έχει ήδη χρησιμοποιηθεί στο είδος {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Κανόνες για την προσθήκη εξόδων αποστολής.
 DocType: Hotel Room,Extra Bed Capacity,Χωρητικότητα επιπλέον κρεβατιού
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Αρχικό Απόθεμα
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Ο πελάτης είναι απαραίτητος
 DocType: Lab Test,Result Date,Ημερομηνία αποτελεσμάτων
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Ημερομηνία PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Ημερομηνία PDC / LC
 DocType: Purchase Order,To Receive,Να Λάβω
 DocType: Leave Period,Holiday List for Optional Leave,Λίστα διακοπών για προαιρετική άδεια
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Ιδιοκτήτης περιουσιακών στοιχείων
 DocType: Purchase Invoice,Reason For Putting On Hold,Λόγος για την αναμονή
 DocType: Employee,Personal Email,Προσωπικό email
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Συνολική διακύμανση
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Συνολική διακύμανση
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Εάν είναι ενεργοποιημένο, το σύστημα θα καταχωρεί λογιστικές εγγραφές για την απογραφή αυτόματα."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Μεσιτεία
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Η φοίτηση για εργαζόμενο {0} έχει ήδη επισημανθεί για αυτήν την ημέρα
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Η φοίτηση για εργαζόμενο {0} έχει ήδη επισημανθεί για αυτήν την ημέρα
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","Σε λεπτά 
  ενημέρωση μέσω «αρχείου καταγραφής ώρας»"
@@ -5581,14 +5648,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Παραγγελίες συγχρονισμού
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Παραγγελίες ανοιχτές για παραγωγή.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Επιλέξτε οικονομικό έτος...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Προφίλ απαιτούνται για να κάνουν POS Έναρξη
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Προφίλ απαιτούνται για να κάνουν POS Έναρξη
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Οι Πόντοι Πίστης θα υπολογίζονται από το ποσό που πραγματοποιήθηκε (μέσω του Τιμολογίου Πωλήσεων), με βάση τον συντελεστή συλλογής που αναφέρεται."
 DocType: Program Enrollment Tool,Enroll Students,εγγραφούν μαθητές
 DocType: Company,HRA Settings,Ρυθμίσεις HRA
 DocType: Employee Transfer,Transfer Date,Ημερομηνία μεταφοράς
 DocType: Lab Test,Approved Date,Εγκεκριμένη ημερομηνία
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Πρότυπες πωλήσεις
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Τουλάχιστον μια αποθήκη είναι απαραίτητη
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Τουλάχιστον μια αποθήκη είναι απαραίτητη
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Ρύθμιση πεδίων αντικειμένου όπως UOM, ομάδα στοιχείων, περιγραφή και αριθμός ωρών."
 DocType: Certification Application,Certification Status,Κατάσταση πιστοποίησης
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Αγορά
@@ -5608,6 +5675,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Ταίριασμα Τιμολογίων
 DocType: Work Order,Required Items,Απαιτούμενα Στοιχεία
 DocType: Stock Ledger Entry,Stock Value Difference,Διαφορά αξίας αποθέματος
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Στοιχείο Σειρά {0}: {1} {2} δεν υπάρχει στον παραπάνω πίνακα {1}
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Ανθρώπινο Δυναμικό
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Πληρωμή συμφωνίας
 DocType: Disease,Treatment Task,Εργασία θεραπείας
@@ -5625,7 +5693,8 @@
 DocType: Account,Debit,Χρέωση
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Οι άδειες πρέπει να κατανέμονται σαν πολλαπλάσια του 0, 5"
 DocType: Work Order,Operation Cost,Κόστος λειτουργίας
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Οφειλόμενο ποσό
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Προσδιορισμός των υπεύθυνων λήψης αποφάσεων
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Οφειλόμενο ποσό
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Ορίστε στόχους ανά ομάδα είδους για αυτόν τον πωλητή
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Πάγωμα αποθεμάτων παλαιότερα από [ημέρες]
 DocType: Payment Request,Payment Ordered,Πληρωμή με εντολή
@@ -5637,13 +5706,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Επίτρεψε στους παρακάτω χρήστες να εγκρίνουν αιτήσεις αδειών για αποκλεισμένες ημέρες.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Κύκλος ζωής
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Κάνε BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Το ποσοστό πωλήσεων για το στοιχείο {0} είναι μικρότερο από το {1} του. Το ποσοστό πώλησης πρέπει να είναι τουλάχιστον {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Το ποσοστό πωλήσεων για το στοιχείο {0} είναι μικρότερο από το {1} του. Το ποσοστό πώλησης πρέπει να είναι τουλάχιστον {2}
 DocType: Subscription,Taxes,Φόροι
 DocType: Purchase Invoice,capital goods,κεφαλαιακά αγαθά
 DocType: Purchase Invoice Item,Weight Per Unit,Βάρος ανά μονάδα
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Καταβληθεί και δεν παραδόθηκαν
-DocType: Project,Default Cost Center,Προεπιλεγμένο κέντρο κόστους
-DocType: Delivery Note,Transporter Doc No,Αριθμός Αρχείου Μεταφορέα
+DocType: QuickBooks Migrator,Default Cost Center,Προεπιλεγμένο κέντρο κόστους
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Συναλλαγές απόθεμα
 DocType: Budget,Budget Accounts,προϋπολογισμός Λογαριασμών
 DocType: Employee,Internal Work History,Ιστορία εσωτερική εργασία
@@ -5676,7 +5744,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Ο ιατρός δεν είναι διαθέσιμος στις {0}
 DocType: Stock Entry Detail,Additional Cost,Πρόσθετο κόστος
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Δεν μπορείτε να φιλτράρετε με βάση αρ. αποδεικτικού, αν είναι ομαδοποιημένες ανά αποδεικτικό"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Δημιούργησε προσφορά προμηθευτή
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Δημιούργησε προσφορά προμηθευτή
 DocType: Quality Inspection,Incoming,Εισερχόμενος
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Προεπιλεγμένα πρότυπα φόρου για τις πωλήσεις και την αγορά δημιουργούνται.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Η καταγραφή Αποτέλεσμα Αξιολόγησης {0} υπάρχει ήδη.
@@ -5692,7 +5760,7 @@
 DocType: Batch,Batch ID,ID παρτίδας
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Σημείωση : {0}
 ,Delivery Note Trends,Τάσεις δελτίου αποστολής
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Περίληψη της Εβδομάδας
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Περίληψη της Εβδομάδας
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Σε Απόθεμα Ποσότητα
 ,Daily Work Summary Replies,Περίληψη καθημερινών συνοπτικών εργασιών
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Υπολογίστε τους εκτιμώμενους χρόνους άφιξης
@@ -5702,7 +5770,7 @@
 DocType: Bank Account,Party,Συμβαλλόμενος
 DocType: Healthcare Settings,Patient Name,Ονομα ασθενή
 DocType: Variant Field,Variant Field,Πεδίο παραλλαγών
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Τοποθεσία στόχου
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Τοποθεσία στόχου
 DocType: Sales Order,Delivery Date,Ημερομηνία παράδοσης
 DocType: Opportunity,Opportunity Date,Ημερομηνία ευκαιρίας
 DocType: Employee,Health Insurance Provider,Παροχέας Ασφάλισης Υγείας
@@ -5721,7 +5789,7 @@
 DocType: Employee,History In Company,Ιστορικό στην εταιρεία
 DocType: Customer,Customer Primary Address,Πελάτης κύριας διεύθυνσης
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Ενημερωτικά Δελτία
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Αρ. Αναφοράς
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Αρ. Αναφοράς
 DocType: Drug Prescription,Description/Strength,Περιγραφή / Αντοχή
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Δημιουργία νέας καταχώρησης πληρωμής / ημερολογίου
 DocType: Certification Application,Certification Application,Αίτηση πιστοποίησης
@@ -5732,10 +5800,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Το ίδιο στοιχείο έχει εισαχθεί πολλές φορές
 DocType: Department,Leave Block List,Λίστα ημερών Άδειας
 DocType: Purchase Invoice,Tax ID,Τον αριθμό φορολογικού μητρώου
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Η στήλη πρέπει να είναι κενή
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Η στήλη πρέπει να είναι κενή
 DocType: Accounts Settings,Accounts Settings,Ρυθμίσεις λογαριασμών
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Εγκρίνω
 DocType: Loyalty Program,Customer Territory,Πελατειακό έδαφος
+DocType: Email Digest,Sales Orders to Deliver,Παραγγελίες πωλήσεων προς παράδοση
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Αριθμός νέου λογαριασμού, θα συμπεριληφθεί στο όνομα λογαριασμού ως πρόθεμα"
 DocType: Maintenance Team Member,Team Member,Μέλος της ομάδας
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Δεν υπάρχει αποτέλεσμα για υποβολή
@@ -5745,7 +5814,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Σύνολο {0} για όλα τα στοιχεία είναι μηδέν, μπορεί να πρέπει να αλλάξει »Μοιράστε τελών με βάση το &#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Μέχρι σήμερα δεν μπορεί να είναι μικρότερη από την ημερομηνία
 DocType: Opportunity,To Discuss,Για συζήτηση
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,"Αυτό βασίζεται σε συναλλαγές κατά αυτού του Συνδρομητή. Για λεπτομέρειες, δείτε την παρακάτω γραμμή χρόνου"
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} μονάδες {1} απαιτούνται {2} για να ολοκληρώσετε τη συναλλαγή αυτή.
 DocType: Loan Type,Rate of Interest (%) Yearly,Επιτόκιο (%) Ετήσιο
 DocType: Support Settings,Forum URL,Διεύθυνση URL φόρουμ
@@ -5760,7 +5828,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Μάθε περισσότερα
 DocType: Cheque Print Template,Distance from top edge,Απόσταση από το άνω άκρο
 DocType: POS Closing Voucher Invoices,Quantity of Items,Ποσότητα αντικειμένων
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Τιμοκατάλογος {0} είναι απενεργοποιημένη ή δεν υπάρχει
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Τιμοκατάλογος {0} είναι απενεργοποιημένη ή δεν υπάρχει
 DocType: Purchase Invoice,Return,Απόδοση
 DocType: Pricing Rule,Disable,Απενεργοποίηση
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Τρόπος πληρωμής υποχρεούται να προβεί σε πληρωμή
@@ -5768,18 +5836,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Επεξεργαστείτε ολόκληρη τη σελίδα για περισσότερες επιλογές, όπως στοιχεία ενεργητικού, σειριακά νούμερα, παρτίδες κ.λπ."
 DocType: Leave Type,Maximum Continuous Days Applicable,Ισχύουν οι μέγιστες συνεχείς ημέρες
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} δεν είναι εγγεγραμμένος στην παρτίδα {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Περιουσιακό στοιχείο {0} δεν μπορεί να καταργηθεί, δεδομένου ότι είναι ήδη {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Περιουσιακό στοιχείο {0} δεν μπορεί να καταργηθεί, δεδομένου ότι είναι ήδη {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Απαιτούμενοι έλεγχοι
 DocType: Task,Total Expense Claim (via Expense Claim),Σύνολο αξίωση Εξόδων (μέσω αιτημάτων εξόδων)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Απών
 DocType: Job Applicant Source,Job Applicant Source,Πηγή αιτούντος εργασία
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Ποσό IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Ποσό IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Δεν ήταν δυνατή η εγκατάσταση της εταιρείας
 DocType: Asset Repair,Asset Repair,Επισκευή στοιχείων ενεργητικού
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Σειρά {0}: Νόμισμα της BOM # {1} θα πρέπει να είναι ίσο με το επιλεγμένο νόμισμα {2}
 DocType: Journal Entry Account,Exchange Rate,Ισοτιμία
 DocType: Patient,Additional information regarding the patient,Πρόσθετες πληροφορίες σχετικά με τον ασθενή
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Η παραγγελία πώλησης {0} δεν έχει υποβληθεί
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Η παραγγελία πώλησης {0} δεν έχει υποβληθεί
 DocType: Homepage,Tag Line,Γραμμή ετικέτας
 DocType: Fee Component,Fee Component,χρέωση Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Διαχείριση στόλου
@@ -5794,7 +5862,7 @@
 DocType: Healthcare Practitioner,Mobile,Κινητό
 ,Sales Person-wise Transaction Summary,Περίληψη συναλλαγών ανά πωλητή
 DocType: Training Event,Contact Number,Αριθμός επαφής
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Η αποθήκη {0} δεν υπάρχει
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Η αποθήκη {0} δεν υπάρχει
 DocType: Cashier Closing,Custody,Επιμέλεια
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Απαλλαγή Φορολογικής Απαλλαγής από τους Φορείς Υλοποίησης
 DocType: Monthly Distribution,Monthly Distribution Percentages,Ποσοστά μηνιαίας διανομής
@@ -5809,7 +5877,7 @@
 DocType: Payment Entry,Paid Amount,Καταβληθέν ποσό
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Εξερευνήστε τον κύκλο πωλήσεων
 DocType: Assessment Plan,Supervisor,Επόπτης
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Εισαγωγή Αποθέματος Αποθήκευσης
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Εισαγωγή Αποθέματος Αποθήκευσης
 ,Available Stock for Packing Items,Διαθέσιμο απόθεμα για είδη συσκευασίας
 DocType: Item Variant,Item Variant,Παραλλαγή είδους
 ,Work Order Stock Report,Έκθεση αποθέματος παραγγελίας εργασίας
@@ -5818,9 +5886,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Ως επόπτης
 DocType: Leave Policy Detail,Leave Policy Detail,Αφήστε τις λεπτομέρειες πολιτικής
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Άχρηστα Στοιχείο
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Υποβλήθηκε εντολές δεν μπορούν να διαγραφούν
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Το υπόλοιπο του λογαριασμού είναι ήδη χρεωστικό, δεν μπορείτε να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι 'πιστωτικό'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Διαχείριση ποιότητας
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Υποβλήθηκε εντολές δεν μπορούν να διαγραφούν
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Το υπόλοιπο του λογαριασμού είναι ήδη χρεωστικό, δεν μπορείτε να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι 'πιστωτικό'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Διαχείριση ποιότητας
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Στοιχείο {0} έχει απενεργοποιηθεί
 DocType: Project,Total Billable Amount (via Timesheets),Συνολικό χρεώσιμο ποσό (μέσω Timesheets)
 DocType: Agriculture Task,Previous Business Day,Προηγούμενη εργάσιμη ημέρα
@@ -5843,14 +5911,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Κέντρα κόστους
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Κάντε επανεκκίνηση της συνδρομής
 DocType: Linked Plant Analysis,Linked Plant Analysis,Ανάλυση συνδεδεμένων εγκαταστάσεων
-DocType: Delivery Note,Transporter ID,Αναγνωριστικό μεταφορέα
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Αναγνωριστικό μεταφορέα
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Προσφορά αξίας
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Ισοτιμία με την οποία το νόμισμα του προμηθευτή μετατρέπεται στο βασικό νόμισμα της εταιρείας
-DocType: Sales Invoice Item,Service End Date,Ημερομηνία λήξης υπηρεσίας
+DocType: Purchase Invoice Item,Service End Date,Ημερομηνία λήξης υπηρεσίας
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Γραμμή #{0}: υπάρχει χρονική διένεξη με τη γραμμή {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Να επιτρέπεται η μηδενική τιμή αποτίμησης
 DocType: Bank Guarantee,Receiving,Λήψη
 DocType: Training Event Employee,Invited,Καλεσμένος
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Ρύθμιση λογαριασμών πύλη.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Ρύθμιση λογαριασμών πύλη.
 DocType: Employee,Employment Type,Τύπος απασχόλησης
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Πάγια
 DocType: Payment Entry,Set Exchange Gain / Loss,Ορίστε Κέρδος / Απώλεια Συναλλαγής
@@ -5866,7 +5935,7 @@
 DocType: Tax Rule,Sales Tax Template,Φόρος επί των πωλήσεων Πρότυπο
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Πληρωμή ενάντια στην απαίτηση παροχών
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Ενημέρωση αριθμού κέντρου κόστους
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο
 DocType: Employee,Encashment Date,Ημερομηνία εξαργύρωσης
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Ειδικό πρότυπο δοκιμής
@@ -5874,12 +5943,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Υπάρχει Προεπιλογή Δραστηριότητα κόστος για Τύπος Δραστηριότητα - {0}
 DocType: Work Order,Planned Operating Cost,Προγραμματισμένο λειτουργικό κόστος
 DocType: Academic Term,Term Start Date,Term Ημερομηνία Έναρξης
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Κατάλογος όλων των συναλλαγών μετοχών
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Κατάλογος όλων των συναλλαγών μετοχών
+DocType: Supplier,Is Transporter,Είναι ο Μεταφορέας
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Εισαγωγή Τιμολογίου Πωλήσεων από Shopify αν έχει επισημανθεί η πληρωμή
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Αρίθμηση Opp
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Πρέπει να οριστεί τόσο η ημερομηνία έναρξης της δοκιμαστικής περιόδου όσο και η ημερομηνία λήξης της δοκιμαστικής περιόδου
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Μέσος όρος
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Το συνολικό ποσό πληρωμής στο Πρόγραμμα Πληρωμών πρέπει να είναι ίσο με το Μεγάλο / Στρογγυλεμένο Σύνολο
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Το συνολικό ποσό πληρωμής στο Πρόγραμμα Πληρωμών πρέπει να είναι ίσο με το Μεγάλο / Στρογγυλεμένο Σύνολο
 DocType: Subscription Plan Detail,Plan,Σχέδιο
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Δήλωση ισορροπία τραπεζών σύμφωνα με τη Γενική Λογιστική
 DocType: Job Applicant,Applicant Name,Όνομα αιτούντος
@@ -5907,7 +5977,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Διαθέσιμος όγκος στην αποθήκη προέλευσης
 apps/erpnext/erpnext/config/support.py +22,Warranty,Εγγύηση
 DocType: Purchase Invoice,Debit Note Issued,Χρεωστικό σημείωμα που εκδόθηκε
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Το φίλτρο που βασίζεται στο Κέντρο κόστους είναι εφικτό μόνο εάν έχει επιλεγεί &quot;Προτιμώμενος προϋπολογισμός&quot; ως Κέντρο κόστους
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Το φίλτρο που βασίζεται στο Κέντρο κόστους είναι εφικτό μόνο εάν έχει επιλεγεί &quot;Προτιμώμενος προϋπολογισμός&quot; ως Κέντρο κόστους
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Αναζήτηση ανά κωδικό είδους, σειριακό αριθμό, αριθμός παρτίδας ή γραμμωτό κώδικα"
 DocType: Work Order,Warehouses,Αποθήκες
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} περιουσιακού στοιχείου δεν μπορεί να μεταφερθεί
@@ -5918,9 +5988,9 @@
 DocType: Workstation,per hour,Ανά ώρα
 DocType: Blanket Order,Purchasing,Αγοραστικός
 DocType: Announcement,Announcement,Ανακοίνωση
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Πελάτης LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Πελάτης LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Για τη Ομάδα Φοιτητών που βασίζεται σε παρτίδες, η Φάκελος Φοιτητών θα επικυρωθεί για κάθε Φοιτητή από την εγγραφή του Προγράμματος."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Η αποθήκη δεν μπορεί να διαγραφεί, γιατί υφίσταται καταχώρηση στα καθολικά αποθέματα για την αποθήκη αυτή."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Η αποθήκη δεν μπορεί να διαγραφεί, γιατί υφίσταται καταχώρηση στα καθολικά αποθέματα για την αποθήκη αυτή."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Διανομή
 DocType: Journal Entry Account,Loan,Δάνειο
 DocType: Expense Claim Advance,Expense Claim Advance,Εκκαθάριση Αξίας εξόδων
@@ -5929,7 +5999,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Υπεύθυνος έργου
 ,Quoted Item Comparison,Εισηγμένες Στοιχείο Σύγκριση
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Επικάλυψη της βαθμολόγησης μεταξύ {0} και {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Αποστολή
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Αποστολή
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Η μέγιστη έκπτωση που επιτρέπεται για το είδος: {0} είναι {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,"Καθαρή Αξία Ενεργητικού, όπως για"
 DocType: Crop,Produce,Παράγω
@@ -5939,20 +6009,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Κατανάλωση Υλικών για Κατασκευή
 DocType: Item Alternative,Alternative Item Code,Κωδικός εναλλακτικού στοιχείου
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Ρόλος που έχει τη δυνατότητα να υποβάλει τις συναλλαγές που υπερβαίνουν τα όρια πίστωσης.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Επιλέξτε Στοιχεία για Κατασκευή
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Επιλέξτε Στοιχεία για Κατασκευή
 DocType: Delivery Stop,Delivery Stop,Διακοπή παράδοσης
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο"
 DocType: Item,Material Issue,Υλικά Θέματος
 DocType: Employee Education,Qualification,Προσόν
 DocType: Item Price,Item Price,Τιμή είδους
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Σαπούνι & απορρυπαντικά
 DocType: BOM,Show Items,Εμφάνιση Είδη
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,"Από χρόνος δεν μπορεί να είναι μεγαλύτερη από ό, τι σε καιρό."
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Θέλετε να ενημερώσετε όλους τους πελάτες μέσω ηλεκτρονικού ταχυδρομείου;
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Θέλετε να ενημερώσετε όλους τους πελάτες μέσω ηλεκτρονικού ταχυδρομείου;
 DocType: Subscription Plan,Billing Interval,Διάρκεια χρέωσης
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion picture & βίντεο
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Έχουν παραγγελθεί
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Η πραγματική ημερομηνία έναρξης και η πραγματική ημερομηνία λήξης είναι υποχρεωτική
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Πελάτης&gt; Ομάδα πελατών&gt; Επικράτεια
 DocType: Salary Detail,Component,Συστατικό
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Η σειρά {0}: {1} πρέπει να είναι μεγαλύτερη από 0
 DocType: Assessment Criteria,Assessment Criteria Group,Κριτήρια Αξιολόγησης Ομάδα
@@ -5983,11 +6054,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Καταχωρίστε το όνομα της τράπεζας ή του ιδρύματος δανεισμού πριν από την υποβολή.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} πρέπει να υποβληθεί
 DocType: POS Profile,Item Groups,Ομάδες στοιχείο
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Σήμερα είναι τα γενέθλια του {0}
 DocType: Sales Order Item,For Production,Για την παραγωγή
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Ισοζύγιο στο νόμισμα λογαριασμού
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Προσθέστε έναν προσωρινό λογαριασμό ανοίγματος στο Λογαριασμό λογαριασμού
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Προσθέστε έναν προσωρινό λογαριασμό ανοίγματος στο Λογαριασμό λογαριασμού
 DocType: Customer,Customer Primary Contact,Αρχική επικοινωνία με τον πελάτη
 DocType: Project Task,View Task,Προβολή εργασιών
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6000,11 +6070,11 @@
 DocType: Sales Invoice,Get Advances Received,Βρες προκαταβολές που εισπράχθηκαν
 DocType: Email Digest,Add/Remove Recipients,Προσθήκη / αφαίρεση παραληπτών
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Για να ορίσετε την τρέχουσα χρήση ως προεπιλογή, κάντε κλικ στο 'ορισμός ως προεπιλογή'"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Ποσό του TDS αφαιρείται
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Ποσό του TDS αφαιρείται
 DocType: Production Plan,Include Subcontracted Items,Συμπεριλάβετε αντικείμενα με υπεργολαβία
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Συμμετοχή
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Έλλειψη ποσότητας
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Συμμετοχή
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Έλλειψη ποσότητας
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά
 DocType: Loan,Repay from Salary,Επιστρέψει από το μισθό
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Ζητώντας την καταβολή εναντίον {0} {1} για ποσό {2}
 DocType: Additional Salary,Salary Slip,Βεβαίωση αποδοχών
@@ -6020,7 +6090,7 @@
 DocType: Patient,Dormant,Αδρανές
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Αποκτήστε φόρο για μη ζητηθέντα οφέλη εργαζομένων
 DocType: Salary Slip,Total Interest Amount,Συνολικό Ποσό Τόκου
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Αποθήκες με κόμβους παιδί δεν μπορεί να μετατραπεί σε γενικό καθολικό
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Αποθήκες με κόμβους παιδί δεν μπορεί να μετατραπεί σε γενικό καθολικό
 DocType: BOM,Manage cost of operations,Διαχειριστείτε το κόστος των εργασιών
 DocType: Accounts Settings,Stale Days,Στατικές μέρες
 DocType: Travel Itinerary,Arrival Datetime,Ημερομηνία άφιξης
@@ -6032,7 +6102,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Λεπτομέρεια Αποτέλεσμα Αξιολόγησης
 DocType: Employee Education,Employee Education,Εκπαίδευση των υπαλλήλων
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Διπλότυπη ομάδα στοιχείο που βρέθηκαν στο τραπέζι ομάδα στοιχείου
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Είναι απαραίτητη για να φέρω Λεπτομέρειες αντικειμένου.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Είναι απαραίτητη για να φέρω Λεπτομέρειες αντικειμένου.
 DocType: Fertilizer,Fertilizer Name,Όνομα λιπάσματος
 DocType: Salary Slip,Net Pay,Καθαρές αποδοχές
 DocType: Cash Flow Mapping Accounts,Account,Λογαριασμός
@@ -6043,14 +6113,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Δημιουργήστε ξεχωριστή καταχώριση πληρωμής ενάντια στην αξίωση παροχών
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Παρουσία πυρετού (θερμοκρασία&gt; 38,5 ° C / 101,3 ° F ή διατηρούμενη θερμοκρασία&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Λεπτομέρειες ομάδας πωλήσεων
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Διαγραφή μόνιμα;
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Διαγραφή μόνιμα;
 DocType: Expense Claim,Total Claimed Amount,Συνολικό αιτούμενο ποσό αποζημίωσης
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Πιθανές ευκαιρίες για πώληση.
 DocType: Shareholder,Folio no.,Αριθμός φακέλου.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Άκυρη {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Αναρρωτική άδεια
 DocType: Email Digest,Email Digest,Ενημερωτικό άρθρο email
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,δεν είναι
 DocType: Delivery Note,Billing Address Name,Όνομα διεύθυνσης χρέωσης
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Πολυκαταστήματα
 ,Item Delivery Date,Ημερομηνία παράδοσης στοιχείου
@@ -6066,16 +6135,16 @@
 DocType: Account,Chargeable,Χρεώσιμο
 DocType: Company,Change Abbreviation,Αλλαγή συντομογραφίας
 DocType: Contract,Fulfilment Details,Λεπτομέρειες εκπλήρωσης
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Πληρώστε {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Πληρώστε {0} {1}
 DocType: Employee Onboarding,Activities,Δραστηριότητες
 DocType: Expense Claim Detail,Expense Date,Ημερομηνία δαπάνης
 DocType: Item,No of Months,Αριθμός μηνών
 DocType: Item,Max Discount (%),Μέγιστη έκπτωση (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Οι Ημέρες Credit δεν μπορούν να είναι αρνητικοί
-DocType: Sales Invoice Item,Service Stop Date,Ημερομηνία λήξης υπηρεσίας
+DocType: Purchase Invoice Item,Service Stop Date,Ημερομηνία λήξης υπηρεσίας
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Ποσό τελευταίας παραγγελίας
 DocType: Cash Flow Mapper,e.g Adjustments for:,π.χ. Προσαρμογές για:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","Το {0} Δείγμα Διατήρησης βασίζεται σε παρτίδα, ελέγξτε εάν Έχει αριθ. Παρτίδας για να διατηρήσει δείγμα στοιχείου"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","Το {0} Δείγμα Διατήρησης βασίζεται σε παρτίδα, ελέγξτε εάν Έχει αριθ. Παρτίδας για να διατηρήσει δείγμα στοιχείου"
 DocType: Task,Is Milestone,Είναι ορόσημο
 DocType: Certification Application,Yet to appear,Ακόμα να εμφανιστεί
 DocType: Delivery Stop,Email Sent To,Email Sent να
@@ -6083,16 +6152,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Να επιτρέπεται το Κέντρο κόστους κατά την εγγραφή του λογαριασμού ισολογισμού
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Συγχώνευση με υπάρχοντα λογαριασμό
 DocType: Budget,Warn,Προειδοποιώ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Όλα τα στοιχεία έχουν ήδη μεταφερθεί για αυτήν την εντολή εργασίας.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Όλα τα στοιχεία έχουν ήδη μεταφερθεί για αυτήν την εντολή εργασίας.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Οποιεσδήποτε άλλες παρατηρήσεις, αξιοσημείωτη προσπάθεια που πρέπει να πάει στα αρχεία."
 DocType: Asset Maintenance,Manufacturing User,Χρήστης παραγωγής
 DocType: Purchase Invoice,Raw Materials Supplied,Πρώτες ύλες που προμηθεύτηκαν
 DocType: Subscription Plan,Payment Plan,Σχέδιο πληρωμής
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Ενεργοποιήστε την αγορά αντικειμένων μέσω του ιστότοπου
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Το νόμισμα του τιμοκαταλόγου {0} πρέπει να είναι {1} ή {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Διαχείριση Συνδρομών
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Διαχείριση Συνδρομών
 DocType: Appraisal,Appraisal Template,Πρότυπο αξιολόγησης
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Για να κωδικοποιήσετε τον κωδικό
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Για να κωδικοποιήσετε τον κωδικό
 DocType: Soil Texture,Ternary Plot,Τρισδιάστατο οικόπεδο
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Ελέγξτε αυτό για να ενεργοποιήσετε μια προγραμματισμένη καθημερινή ρουτίνα συγχρονισμού μέσω χρονοπρογραμματιστή
 DocType: Item Group,Item Classification,Ταξινόμηση είδους
@@ -6102,6 +6171,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Τιμολόγιο Εγγραφή ασθενούς
 DocType: Crop,Period,Περίοδος
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Γενικό καθολικό
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Στο φορολογικό έτος
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Δείτε Συστάσεις
 DocType: Program Enrollment Tool,New Program,νέο Πρόγραμμα
 DocType: Item Attribute Value,Attribute Value,Χαρακτηριστικό αξία
@@ -6110,11 +6180,11 @@
 ,Itemwise Recommended Reorder Level,Προτεινόμενο επίπεδο επαναπαραγγελίας ανά είδος
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Ο υπάλληλος {0} βαθμού {1} δεν έχει πολιτική προεπιλογής
 DocType: Salary Detail,Salary Detail,μισθός Λεπτομέρειες
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Παρακαλώ επιλέξτε {0} πρώτα
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Παρακαλώ επιλέξτε {0} πρώτα
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Προστέθηκαν {0} χρήστες
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Στην περίπτωση προγράμματος πολλαπλών βαθμίδων, οι Πελάτες θα αντιστοιχούν αυτόματα στη σχετική βαθμίδα σύμφωνα με το ποσό που δαπανώνται"
 DocType: Appointment Type,Physician,Γιατρός
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Παρτίδα {0} του σημείου {1} έχει λήξει.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Παρτίδα {0} του σημείου {1} έχει λήξει.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Διαβουλεύσεις
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Τελειωμένο καλό
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Το στοιχείο Τιμή εμφανίζεται πολλές φορές βάσει Τιμοκαταλόγου, Προμηθευτή / Πελάτη, Νόμισμα, Στοιχείο, UOM, Ποσότητα και Ημερομηνίες."
@@ -6123,22 +6193,21 @@
 DocType: Certification Application,Name of Applicant,Όνομα του αιτούντος
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Ώρα Φύλλο για την κατασκευή.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Μερικό σύνολο
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Δεν είναι δυνατή η αλλαγή ιδιοτήτων παραλλαγής μετά από συναλλαγή μετοχών. Θα χρειαστεί να δημιουργήσετε ένα νέο στοιχείο για να το κάνετε αυτό.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Δεν είναι δυνατή η αλλαγή ιδιοτήτων παραλλαγής μετά από συναλλαγή μετοχών. Θα χρειαστεί να δημιουργήσετε ένα νέο στοιχείο για να το κάνετε αυτό.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless Εντολή SEPA
 DocType: Healthcare Practitioner,Charges,Ταρίφα
 DocType: Production Plan,Get Items For Work Order,Λάβετε στοιχεία για παραγγελία εργασίας
 DocType: Salary Detail,Default Amount,Προεπιλεγμένο ποσό
 DocType: Lab Test Template,Descriptive,Περιγραφικός
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Δεν βρέθηκε η αποθήκη στο σύστημα
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Περίληψη Αυτό το Μήνα
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Περίληψη Αυτό το Μήνα
 DocType: Quality Inspection Reading,Quality Inspection Reading,Μέτρηση επιθεώρησης ποιότητας
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,Το `πάγωμα αποθεμάτων παλαιότερα από ` θα πρέπει να είναι μικρότερο από % d ημέρες.
 DocType: Tax Rule,Purchase Tax Template,Αγοράστε Φορολογικά Πρότυπο
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Ορίστε έναν στόχο πωλήσεων που θέλετε να επιτύχετε για την εταιρεία σας.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Υπηρεσίες υγειονομικής περίθαλψης
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Υπηρεσίες υγειονομικής περίθαλψης
 ,Project wise Stock Tracking,Παρακολούθηση αποθέματος με βάση το έργο
 DocType: GST HSN Code,Regional,Περιφερειακό
-DocType: Delivery Note,Transport Mode,Λειτουργία μεταφοράς
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Εργαστήριο
 DocType: UOM Category,UOM Category,Κατηγορία UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Πραγματική ποσότητα (στην πηγή / στόχο)
@@ -6161,17 +6230,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Αποτυχία δημιουργίας ιστότοπου
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Λεπτομέρειες μετατροπής Μ.Μ.
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Έχει ήδη δημιουργηθεί η καταχώριση αποθέματος αποθήκευσης ή δεν έχει παρασχεθεί ποσότητα δείγματος
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Έχει ήδη δημιουργηθεί η καταχώριση αποθέματος αποθήκευσης ή δεν έχει παρασχεθεί ποσότητα δείγματος
 DocType: Program,Program Abbreviation,Σύντμηση πρόγραμμα
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Παραγγελία παραγωγής δεν μπορούν να προβληθούν κατά προτύπου στοιχείου
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Οι επιβαρύνσεις ενημερώνονται στην απόδειξη αγοράς για κάθε είδος
 DocType: Warranty Claim,Resolved By,Επιλύθηκε από
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Πρόγραμμα απαλλαγής
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Οι επιταγές και καταθέσεις εκκαθαριστεί ορθά
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Ο λογαριασμός {0}: δεν μπορεί να οριστεί ως γονικός λογαριασμός του εαυτού του.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Ο λογαριασμός {0}: δεν μπορεί να οριστεί ως γονικός λογαριασμός του εαυτού του.
 DocType: Purchase Invoice Item,Price List Rate,Τιμή τιμοκαταλόγου
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Δημιουργία εισαγωγικά πελατών
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Η ημερομηνία διακοπής υπηρεσίας δεν μπορεί να είναι μετά την Ημερομηνία λήξης υπηρεσίας
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Η ημερομηνία διακοπής υπηρεσίας δεν μπορεί να είναι μετά την Ημερομηνία λήξης υπηρεσίας
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Εμφάνισε 'διαθέσιμο' ή 'μη διαθέσιμο' με βάση το απόθεμα που είναιι διαθέσιμο στην αποθήκη αυτή.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Λίστα υλικών (Λ.Υ.)
 DocType: Item,Average time taken by the supplier to deliver,Μέσος χρόνος που απαιτείται από τον προμηθευτή να παραδώσει
@@ -6183,11 +6252,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ώρες
 DocType: Project,Expected Start Date,Αναμενόμενη ημερομηνία έναρξης
 DocType: Purchase Invoice,04-Correction in Invoice,04-Διόρθωση στο τιμολόγιο
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Παραγγελία εργασίας που έχει ήδη δημιουργηθεί για όλα τα στοιχεία με BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Παραγγελία εργασίας που έχει ήδη δημιουργηθεί για όλα τα στοιχεία με BOM
 DocType: Payment Request,Party Details,Λεπτομέρειες συμβαλλόμενου
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Αναφορά λεπτομερειών παραλλαγής
 DocType: Setup Progress Action,Setup Progress Action,Ενέργεια προόδου εγκατάστασης
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Αγορά Τιμοκατάλογων
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Αγορά Τιμοκατάλογων
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Αφαιρέστε το είδος εάν οι επιβαρύνσεις δεν ισχύουν για αυτό το είδος
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Ακύρωση συνδρομής
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Επιλέξτε Κατάσταση συντήρησης ως Ολοκληρώθηκε ή αφαιρέστε Ημερομηνία ολοκλήρωσης
@@ -6205,7 +6274,7 @@
 DocType: Asset,Disposal Date,Ημερομηνία διάθεσης
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Μηνύματα ηλεκτρονικού ταχυδρομείου θα αποσταλεί σε όλους τους ενεργούς υπαλλήλους της εταιρείας στη δεδομένη ώρα, αν δεν έχουν διακοπές. Σύνοψη των απαντήσεων θα αποσταλούν τα μεσάνυχτα."
 DocType: Employee Leave Approver,Employee Leave Approver,Υπεύθυνος έγκρισης αδειών υπαλλήλου
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Γραμμή {0}: μια καταχώρηση αναδιάταξης υπάρχει ήδη για αυτή την αποθήκη {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Γραμμή {0}: μια καταχώρηση αναδιάταξης υπάρχει ήδη για αυτή την αποθήκη {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Δεν μπορεί να δηλώθει ως απολεσθέν, επειδή έχει γίνει προσφορά."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Λογαριασμός CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,εκπαίδευση Σχόλια
@@ -6217,7 +6286,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Το πεδίο έως ημερομηνία δεν μπορεί να είναι προγενέστερο από το πεδίο από ημερομηνία
 DocType: Supplier Quotation Item,Prevdoc DocType,Τύπος εγγράφου του προηγούμενου εγγράφου
 DocType: Cash Flow Mapper,Section Footer,Υποσέλιδο ενότητας
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Προσθήκη / επεξεργασία τιμών
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Προσθήκη / επεξεργασία τιμών
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Η Προώθηση Προσωπικού δεν μπορεί να υποβληθεί πριν από την Ημερομηνία Προβολής
 DocType: Batch,Parent Batch,Γονική Παρτίδα
 DocType: Cheque Print Template,Cheque Print Template,Επιταγή Πρότυπο Εκτύπωση
@@ -6227,6 +6296,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Συλλογή δειγμάτων
 ,Requested Items To Be Ordered,Είδη που ζητήθηκε να παραγγελθούν
 DocType: Price List,Price List Name,Όνομα τιμοκαταλόγου
+DocType: Delivery Stop,Dispatch Information,Πληροφορίες αποστολής
 DocType: Blanket Order,Manufacturing,Παραγωγή
 ,Ordered Items To Be Delivered,Παραγγελθέντα είδη για παράδοση
 DocType: Account,Income,Έσοδα
@@ -6245,17 +6315,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} μονάδες {1} απαιτούνται {2} στο {3} {4} για {5} για να ολοκληρώσετε τη συναλλαγή αυτή.
 DocType: Fee Schedule,Student Category,φοιτητής Κατηγορία
 DocType: Announcement,Student,Φοιτητής
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Η διαδικασία αποθεματοποίησης δεν είναι διαθέσιμη στην αποθήκη. Θέλετε να καταγράψετε μια μεταφορά μετοχών
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Η διαδικασία αποθεματοποίησης δεν είναι διαθέσιμη στην αποθήκη. Θέλετε να καταγράψετε μια μεταφορά μετοχών
 DocType: Shipping Rule,Shipping Rule Type,Τύπος κανόνα αποστολής
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Πηγαίνετε στα Δωμάτια
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Εταιρεία, λογαριασμός πληρωμής, από την ημερομηνία έως την ημερομηνία είναι υποχρεωτική"
 DocType: Company,Budget Detail,Λεπτομέρειες προϋπολογισμού
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Παρακαλώ εισάγετε το μήνυμα πριν από την αποστολή
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ΑΝΑΠΛΗΡΩΣΗ ΓΙΑ ΠΡΟΜΗΘΕΥΤΗ
-DocType: Email Digest,Pending Quotations,Εν αναμονή Προσφορές
-DocType: Delivery Note,Distance (KM),Απόσταση (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Προμηθευτής&gt; Ομάδα προμηθευτών
 DocType: Asset,Custodian,Φύλακας
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Προφίλ
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Προφίλ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} θα πρέπει να είναι μια τιμή μεταξύ 0 και 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Πληρωμή {0} από {1} έως {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Ακάλυπτά δάνεια
@@ -6287,10 +6356,10 @@
 DocType: Lead,Converted,Έχει μετατραπεί
 DocType: Item,Has Serial No,Έχει σειριακό αριθμό
 DocType: Employee,Date of Issue,Ημερομηνία έκδοσης
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Σύμφωνα με τις Ρυθμίσεις Αγορών, εάν απαιτείται Απαιτούμενη Αγορά == &#39;ΝΑΙ&#39;, τότε για τη δημιουργία Τιμολογίου Αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την Παραλαβή Αγοράς για το στοιχείο {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Σύμφωνα με τις Ρυθμίσεις Αγορών, εάν απαιτείται Απαιτούμενη Αγορά == &#39;ΝΑΙ&#39;, τότε για τη δημιουργία Τιμολογίου Αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την Παραλαβή Αγοράς για το στοιχείο {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Σειρά # {0}: Ορισμός Προμηθευτή για το στοιχείο {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Σειρά {0}: Ώρες τιμή πρέπει να είναι μεγαλύτερη από το μηδέν.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Ιστοσελίδα Εικόνα {0} επισυνάπτεται στη θέση {1} δεν μπορεί να βρεθεί
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Ιστοσελίδα Εικόνα {0} επισυνάπτεται στη θέση {1} δεν μπορεί να βρεθεί
 DocType: Issue,Content Type,Τύπος περιεχομένου
 DocType: Asset,Assets,Περιουσιακά στοιχεία
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Ηλεκτρονικός υπολογιστής
@@ -6301,7 +6370,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} δεν υπάρχει
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Παρακαλώ ελέγξτε Πολλαπλών επιλογή νομίσματος για να επιτρέψει τους λογαριασμούς με άλλο νόμισμα
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Το είδος: {0} δεν υπάρχει στο σύστημα
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Δεν επιτρέπεται να ορίσετε παγωμένη αξία
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Δεν επιτρέπεται να ορίσετε παγωμένη αξία
 DocType: Payment Reconciliation,Get Unreconciled Entries,Βρες καταχωρήσεις χωρίς συμφωνία
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Ο υπάλληλος {0} είναι ανοικτός στις {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Δεν έχουν επιλεγεί αποπληρωμές για καταχώριση ημερολογίου
@@ -6319,13 +6388,14 @@
 ,Average Commission Rate,Μέσος συντελεστής προμήθειας
 DocType: Share Balance,No of Shares,Αριθμός μετοχών
 DocType: Taxable Salary Slab,To Amount,Στο ποσό
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"Το πεδίο ""Έχει Σειριακό Αριθμό"" δεν μπορεί να είναι ""Ναι"" για μη αποθηκεύσιμα είδη."
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"Το πεδίο ""Έχει Σειριακό Αριθμό"" δεν μπορεί να είναι ""Ναι"" για μη αποθηκεύσιμα είδη."
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Επιλέξτε Κατάσταση
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Η συμμετοχή δεν μπορεί να σημειωθεί για μελλοντικές ημερομηνίες
 DocType: Support Search Source,Post Description Key,Πλήκτρο Περιγραφή Post
 DocType: Pricing Rule,Pricing Rule Help,Βοήθεια για τον κανόνα τιμολόγησης
 DocType: School House,House Name,Όνομα Σπίτι
 DocType: Fee Schedule,Total Amount per Student,Συνολικό ποσό ανά φοιτητή
+DocType: Opportunity,Sales Stage,Στάδιο πωλήσεων
 DocType: Purchase Taxes and Charges,Account Head,Κύρια εγγραφή λογαριασμού
 DocType: Company,HRA Component,Συστατικό HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Ηλεκτρικός
@@ -6333,15 +6403,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Συνολική διαφορά αξίας (εξερχόμενη - εισερχόμενη)
 DocType: Grant Application,Requested Amount,Απαιτούμενο ποσό
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Σειρά {0}: συναλλαγματικής ισοτιμίας είναι υποχρεωτική
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Το ID χρήστη δεν έχει οριστεί για τον υπάλληλο {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Το ID χρήστη δεν έχει οριστεί για τον υπάλληλο {0}
 DocType: Vehicle,Vehicle Value,Αξία οχήματος
 DocType: Crop Cycle,Detected Diseases,Ανιχνεύθηκαν ασθένειες
 DocType: Stock Entry,Default Source Warehouse,Προεπιλεγμένη αποθήκη πηγής
 DocType: Item,Customer Code,Κωδικός πελάτη
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Υπενθύμιση γενεθλίων για {0}
 DocType: Asset Maintenance Task,Last Completion Date,Τελευταία ημερομηνία ολοκλήρωσης
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Ημέρες από την τελευταία παραγγελία
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Χρέωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Χρέωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
 DocType: Asset,Naming Series,Σειρά ονομασίας
 DocType: Vital Signs,Coated,Επικαλυμμένα
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Σειρά {0}: Αναμενόμενη αξία μετά από την ωφέλιμη ζωή πρέπει να είναι μικρότερη από το ακαθάριστο ποσό αγοράς
@@ -6359,15 +6428,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Το δελτίο αποστολής {0} δεν πρέπει να υποβάλλεται
 DocType: Notification Control,Sales Invoice Message,Μήνυμα τιμολογίου πώλησης
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Κλείσιμο του λογαριασμού {0} πρέπει να είναι τύπου Ευθύνης / Ίδια Κεφάλαια
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Μισθός Slip των εργαζομένων {0} ήδη δημιουργήσει για φύλλο χρόνο {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Μισθός Slip των εργαζομένων {0} ήδη δημιουργήσει για φύλλο χρόνο {1}
 DocType: Vehicle Log,Odometer,Οδόμετρο
 DocType: Production Plan Item,Ordered Qty,Παραγγελθείσα ποσότητα
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Θέση {0} είναι απενεργοποιημένη
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Θέση {0} είναι απενεργοποιημένη
 DocType: Stock Settings,Stock Frozen Upto,Παγωμένο απόθεμα μέχρι
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM δεν περιέχει κανένα στοιχείο απόθεμα
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM δεν περιέχει κανένα στοιχείο απόθεμα
 DocType: Chapter,Chapter Head,Κεφάλαιο κεφαλής
 DocType: Payment Term,Month(s) after the end of the invoice month,Μήνας (-ες) μετά το τέλος του μήνα του τιμολογίου
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Η δομή μισθοδοσίας θα πρέπει να διαθέτει ευέλικτα στοιχεία για τα οφέλη για τη διανομή του ποσού των παροχών
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Η δομή μισθοδοσίας θα πρέπει να διαθέτει ευέλικτα στοιχεία για τα οφέλη για τη διανομή του ποσού των παροχών
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Δραστηριότητες / εργασίες έργου
 DocType: Vital Signs,Very Coated,Πολύ επικάλυψη
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Μόνο φορολογική επίδραση (δεν μπορεί να αξιωθεί αλλά μέρος του φορολογητέου εισοδήματος)
@@ -6385,7 +6454,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Ώρες χρέωσης
 DocType: Project,Total Sales Amount (via Sales Order),Συνολικό Ποσό Πωλήσεων (μέσω Παραγγελίας)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Προεπιλογή BOM για {0} δεν βρέθηκε
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Σειρά # {0}: Παρακαλούμε ρυθμίστε την ποσότητα αναπαραγγελίας
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Σειρά # {0}: Παρακαλούμε ρυθμίστε την ποσότητα αναπαραγγελίας
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Πατήστε στοιχεία για να τα προσθέσετε εδώ
 DocType: Fees,Program Enrollment,πρόγραμμα Εγγραφή
 DocType: Share Transfer,To Folio No,Στο No Folio
@@ -6425,9 +6494,9 @@
 DocType: SG Creation Tool Course,Max Strength,Μέγιστη Αντοχή
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Εγκατάσταση προρυθμίσεων
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Δεν έχει επιλεγεί καμία παραλαβή για τον πελάτη {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Δεν έχει επιλεγεί καμία παραλαβή για τον πελάτη {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Ο υπάλληλος {0} δεν έχει μέγιστο όφελος
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Επιλέξτε στοιχεία βάσει της ημερομηνίας παράδοσης
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Επιλέξτε στοιχεία βάσει της ημερομηνίας παράδοσης
 DocType: Grant Application,Has any past Grant Record,Έχει κάποιο παρελθόν Grant Record
 ,Sales Analytics,Ανάλυση πωλήσεων
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Διαθέσιμο {0}
@@ -6435,12 +6504,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Ρυθμίσεις παραγωγής
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Ρύθμιση ηλεκτρονικού ταχυδρομείου
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Όχι
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Παρακαλώ εισάγετε προεπιλεγμένο νόμισμα στην κύρια εγγραφή της εταιρείας
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Παρακαλώ εισάγετε προεπιλεγμένο νόμισμα στην κύρια εγγραφή της εταιρείας
 DocType: Stock Entry Detail,Stock Entry Detail,Λεπτομέρειες καταχώρησης αποθέματος
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Καθημερινές υπενθυμίσεις
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Καθημερινές υπενθυμίσεις
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Δείτε όλα τα ανοιχτά εισιτήρια
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Μονάδα υπηρεσιών υγειονομικής περίθαλψης
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Προϊόν
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Προϊόν
 DocType: Products Settings,Home Page is Products,Η αρχική σελίδα είναι προϊόντα
 ,Asset Depreciation Ledger,Ενεργητικού Αποσβέσεις Λέτζερ
 DocType: Salary Structure,Leave Encashment Amount Per Day,Αφήστε το ποσό συμμετοχής ανά ημέρα
@@ -6450,8 +6519,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Κόστος πρώτων υλών που προμηθεύτηκαν
 DocType: Selling Settings,Settings for Selling Module,Ρυθμίσεις για τη λειτουργική μονάδα πωλήσεων
 DocType: Hotel Room Reservation,Hotel Room Reservation,Κρατήσεις Ξενοδοχείων
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Εξυπηρέτηση πελατών
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Εξυπηρέτηση πελατών
 DocType: BOM,Thumbnail,Μικρογραφία
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Δεν βρέθηκαν επαφές με τα αναγνωριστικά ηλεκτρονικού ταχυδρομείου.
 DocType: Item Customer Detail,Item Customer Detail,Λεπτομέρειες πελατών είδους
 DocType: Notification Control,Prompt for Email on Submission of,Ερώτηση για email κατά την υποβολή του
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Το μέγιστο ποσό παροχών του υπαλλήλου {0} υπερβαίνει το {1}
@@ -6461,13 +6531,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Το είδος {0} πρέπει να είναι ένα αποθηκεύσιμο είδος
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Προεπιλογή Work In Progress Αποθήκη
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Χρονοδιαγράμματα για επικαλύψεις {0}, θέλετε να προχωρήσετε αφού παρακάμπτεστε τις επικαλυμμένες υποδοχές;"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Οι προεπιλεγμένες ρυθμίσεις για λογιστικές πράξεις.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Οι προεπιλεγμένες ρυθμίσεις για λογιστικές πράξεις.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Φύλλα επιχορηγήσεων
 DocType: Restaurant,Default Tax Template,Προκαθορισμένο πρότυπο φόρου
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Οι σπουδαστές έχουν εγγραφεί
 DocType: Fees,Student Details,Στοιχεία σπουδαστών
 DocType: Purchase Invoice Item,Stock Qty,Ποσότητα αποθέματος
 DocType: Contract,Requires Fulfilment,Απαιτεί Εκπλήρωση
+DocType: QuickBooks Migrator,Default Shipping Account,Προκαθορισμένος λογαριασμός αποστολής
 DocType: Loan,Repayment Period in Months,Αποπληρωμή Περίοδος σε μήνες
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Σφάλμα: Δεν είναι ένα έγκυρο αναγνωριστικό;
 DocType: Naming Series,Update Series Number,Ενημέρωση αριθμού σειράς
@@ -6481,11 +6552,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Μέγιστο ποσό
 DocType: Journal Entry,Total Amount Currency,Σύνολο Νόμισμα Ποσό
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Συνελεύσεις Αναζήτηση Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Ο κωδικός είδους απαιτείται στην γραμμή νο. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Ο κωδικός είδους απαιτείται στην γραμμή νο. {0}
 DocType: GST Account,SGST Account,Λογαριασμός SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Μεταβείτε στα στοιχεία
 DocType: Sales Partner,Partner Type,Τύπος συνεργάτη
-DocType: Purchase Taxes and Charges,Actual,Πραγματικός
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Πραγματικός
 DocType: Restaurant Menu,Restaurant Manager,Διαχειριστής Εστιατορίου
 DocType: Authorization Rule,Customerwise Discount,Έκπτωση με βάση πελάτη
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Φύλλο κατανομής χρόνου για εργασίες.
@@ -6506,7 +6577,7 @@
 DocType: Employee,Cheque,Επιταγή
 DocType: Training Event,Employee Emails,Εργατικά μηνύματα ηλεκτρονικού ταχυδρομείου
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Η σειρά ενημερώθηκε
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Ο τύπος έκθεσης είναι υποχρεωτικός
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Ο τύπος έκθεσης είναι υποχρεωτικός
 DocType: Item,Serial Number Series,Σειρά σειριακών αριθμών
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Η αποθήκη είναι απαραίτητη για το απόθεμα του είδους {0} στη γραμμή {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Λιανική & χονδρική πώληση
@@ -6536,7 +6607,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Ενημέρωση τιμολογίου χρέωσης στην εντολή πώλησης
 DocType: BOM,Materials,Υλικά
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Αν δεν είναι επιλεγμένο, η λίστα θα πρέπει να προστίθεται σε κάθε τμήμα όπου πρέπει να εφαρμοστεί."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Η ημερομηνία αποστολής και ώρα αποστολής είναι απαραίτητες
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Η ημερομηνία αποστολής και ώρα αποστολής είναι απαραίτητες
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Φορολογικό πρότυπο για συναλλαγές αγοράς.
 ,Item Prices,Τιμές είδους
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε την παραγγελία αγοράς.
@@ -6552,12 +6623,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Σειρά καταχώρησης αποσβέσεων περιουσιακών στοιχείων (εγγραφή στο ημερολόγιο)
 DocType: Membership,Member Since,Μέλος από
 DocType: Purchase Invoice,Advance Payments,Προκαταβολές
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Επιλέξτε Υπηρεσία Υγειονομικής Περίθαλψης
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Επιλέξτε Υπηρεσία Υγειονομικής Περίθαλψης
 DocType: Purchase Taxes and Charges,On Net Total,Στο καθαρό σύνολο
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Σχέση Χαρακτηριστικό {0} πρέπει να είναι εντός του εύρους των {1} έως {2} στα βήματα των {3} για τη θέση {4}
 DocType: Restaurant Reservation,Waitlisted,Περίεργο
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Κατηγορία απαλλαγής
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Νόμισμα δεν μπορεί να αλλάξει μετά την πραγματοποίηση εγγραφών χρησιμοποιώντας κάποιο άλλο νόμισμα
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Νόμισμα δεν μπορεί να αλλάξει μετά την πραγματοποίηση εγγραφών χρησιμοποιώντας κάποιο άλλο νόμισμα
 DocType: Shipping Rule,Fixed,Σταθερός
 DocType: Vehicle Service,Clutch Plate,Πιάτο συμπλεκτών
 DocType: Company,Round Off Account,Στρογγυλεύουν Λογαριασμού
@@ -6566,7 +6637,7 @@
 DocType: Subscription Plan,Based on price list,Με βάση τον τιμοκατάλογο
 DocType: Customer Group,Parent Customer Group,Γονική ομάδα πελατών
 DocType: Vehicle Service,Change,Αλλαγή
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Συνδρομή
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Συνδρομή
 DocType: Purchase Invoice,Contact Email,Email επαφής
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Δημιουργία τελών σε εκκρεμότητα
 DocType: Appraisal Goal,Score Earned,Αποτέλεσμα
@@ -6593,23 +6664,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Εισπρακτέοι / πληρωτέοι λογαριασμού
 DocType: Delivery Note Item,Against Sales Order Item,Κατά το είδος στην παραγγελία πώλησης
 DocType: Company,Company Logo,Λογότυπο Εταιρείας
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Παρακαλείστε να αναφέρετε Χαρακτηριστικό γνώρισμα Σχέση {0}
-DocType: Item Default,Default Warehouse,Προεπιλεγμένη αποθήκη
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Παρακαλείστε να αναφέρετε Χαρακτηριστικό γνώρισμα Σχέση {0}
+DocType: QuickBooks Migrator,Default Warehouse,Προεπιλεγμένη αποθήκη
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Ο προϋπολογισμός δεν μπορεί να αποδοθεί κατά του λογαριασμού του Ομίλου {0}
 DocType: Shopping Cart Settings,Show Price,Εμφάνιση Τιμή
 DocType: Healthcare Settings,Patient Registration,Εγγραφή ασθενούς
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Παρακαλώ εισάγετε γονικό κέντρο κόστους
 DocType: Delivery Note,Print Without Amount,Εκτυπώστε χωρίς ποσό
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,αποσβέσεις Ημερομηνία
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,αποσβέσεις Ημερομηνία
 ,Work Orders in Progress,Παραγγελίες εργασίας σε εξέλιξη
 DocType: Issue,Support Team,Ομάδα υποστήριξης
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Λήξη (σε ημέρες)
 DocType: Appraisal,Total Score (Out of 5),Συνολική βαθμολογία (από 5)
 DocType: Student Attendance Tool,Batch,Παρτίδα
 DocType: Support Search Source,Query Route String,Αναζήτηση συμβολοσειράς διαδρομής
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Ποσοστό ενημέρωσης ανά τελευταία αγορά
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Ποσοστό ενημέρωσης ανά τελευταία αγορά
 DocType: Donor,Donor Type,Τύπος δότη
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Το έγγραφο αυτόματης επανάληψης ενημερώθηκε
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Το έγγραφο αυτόματης επανάληψης ενημερώθηκε
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Υπόλοιπο
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Επιλέξτε την εταιρεία
 DocType: Job Card,Job Card,Κάρτα εργασίας
@@ -6623,7 +6694,7 @@
 DocType: Assessment Result,Total Score,Συνολικό σκορ
 DocType: Crop Cycle,ISO 8601 standard,Πρότυπο ISO 8601
 DocType: Journal Entry,Debit Note,Χρεωστικό σημείωμα
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Μπορείτε να εξαργυρώσετε τα μέγιστα {0} πόντους σε αυτή τη σειρά.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Μπορείτε να εξαργυρώσετε τα μέγιστα {0} πόντους σε αυτή τη σειρά.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Εισαγάγετε το μυστικό πελάτη API
 DocType: Stock Entry,As per Stock UOM,Ανά Μ.Μ. Αποθέματος
@@ -6636,10 +6707,11 @@
 DocType: Journal Entry,Total Debit,Συνολική χρέωση
 DocType: Travel Request Costing,Sponsored Amount,Χορηγούμενο ποσό
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Προεπιλογή Έτοιμα προϊόντα Αποθήκη
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Επιλέξτε Ασθενή
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Επιλέξτε Ασθενή
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Πωλητής
 DocType: Hotel Room Package,Amenities,Ανεσεις
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Προϋπολογισμός και Κέντρο Κόστους
+DocType: QuickBooks Migrator,Undeposited Funds Account,Λογαριασμός χωρίς καταθέσεις
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Προϋπολογισμός και Κέντρο Κόστους
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Δεν επιτρέπεται πολλαπλή μέθοδος προεπιλογής πληρωμής
 DocType: Sales Invoice,Loyalty Points Redemption,Πίστωση Πόντων Αποπληρωμή
 ,Appointment Analytics,Αντιστοίχιση Analytics
@@ -6653,6 +6725,7 @@
 DocType: Batch,Manufacturing Date,Ημερομηνία κατασκευής
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Η δημιουργία τέλους απέτυχε
 DocType: Opening Invoice Creation Tool,Create Missing Party,Δημιουργία μέρους που λείπει
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Συνολικός προϋπολογισμός
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Αφήστε κενό αν κάνετε ομάδες φοιτητών ανά έτος
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Εάν είναι επιλεγμένο, ο συνολικός αριθμός των εργάσιμων ημερών θα περιλαμβάνει τις αργίες, και αυτό θα μειώσει την αξία του μισθού ανά ημέρα"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Οι εφαρμογές που χρησιμοποιούν το τρέχον κλειδί δεν θα έχουν πρόσβαση, είστε βέβαιοι;"
@@ -6668,20 +6741,19 @@
 DocType: Opportunity Item,Basic Rate,Βασική τιμή
 DocType: GL Entry,Credit Amount,Πιστωτικές Ποσό
 DocType: Cheque Print Template,Signatory Position,υπογράφοντα Θέση
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Ορισμός ως απολεσθέν
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Ορισμός ως απολεσθέν
 DocType: Timesheet,Total Billable Hours,Σύνολο χρεώσιμες ώρες
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Αριθμός ημερών που ο συνδρομητής πρέπει να πληρώσει τιμολόγια που δημιουργούνται από αυτήν τη συνδρομή
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Λεπτομέρειες για τις αιτήσεις παροχών υπαλλήλων
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Απόδειξη πληρωμής Σημείωση
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Αυτό βασίζεται σε συναλλαγές κατά αυτόν τον πελάτη. Δείτε χρονοδιάγραμμα παρακάτω για λεπτομέρειες
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Σειρά {0}: Κατανέμεται ποσό {1} πρέπει να είναι μικρότερο ή ίσο με το ποσό Έναρξη Πληρωμής {2}
 DocType: Program Enrollment Tool,New Academic Term,Νέα Ακαδημαϊκή Περίοδος
 ,Course wise Assessment Report,Μαθησιακή έκθεση αξιολόγησης
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Επωφεληθήκατε από τον φόρο ITC του κράτους / UT
 DocType: Tax Rule,Tax Rule,Φορολογικές Κανόνας
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Διατηρήστε ίδια τιμολόγηση καθ'όλο τον κύκλο πωλήσεων
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Συνδεθείτε ως άλλος χρήστης για να εγγραφείτε στο Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Συνδεθείτε ως άλλος χρήστης για να εγγραφείτε στο Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Προγραμματίστε κούτσουρα χρόνο εκτός των ωρών εργασίας του σταθμού εργασίας.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Οι πελάτες στην ουρά
 DocType: Driver,Issuing Date,Ημερομηνία έκδοσης
@@ -6690,11 +6762,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Υποβάλετε αυτήν την εντολή εργασίας για περαιτέρω επεξεργασία.
 ,Items To Be Requested,Είδη που θα ζητηθούν
 DocType: Company,Company Info,Πληροφορίες εταιρείας
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Επιλέξτε ή προσθέστε νέο πελάτη
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Επιλέξτε ή προσθέστε νέο πελάτη
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,κέντρο κόστους που απαιτείται για να κλείσετε ένα αίτημα δαπάνη
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Εφαρμογή πόρων (ενεργητικό)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Αυτό βασίζεται στην προσέλευση του υπαλλήλου αυτού
-DocType: Assessment Result,Summary,Περίληψη
 DocType: Payment Request,Payment Request Type,Τύπος αιτήματος πληρωμής
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Μαρτυρία Συμμετοχής
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Χρεωστικός Λογαριασμός
@@ -6702,7 +6773,7 @@
 DocType: Additional Salary,Employee Name,Όνομα υπαλλήλου
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Στοιχείο εισόδου παραγγελίας εστιατορίου
 DocType: Purchase Invoice,Rounded Total (Company Currency),Στρογγυλοποιημένο σύνολο (νόμισμα της εταιρείας)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Δεν μπορείτε να μετατρέψετε σε ομάδα, επειδή έχει επιλεγεί τύπος λογαριασμού"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Δεν μπορείτε να μετατρέψετε σε ομάδα, επειδή έχει επιλεγεί τύπος λογαριασμού"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} Έχει τροποποιηθεί. Παρακαλώ ανανεώστε.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Σταματήστε τους χρήστες από το να κάνουν αιτήσεις αδειών για τις επόμενες ημέρες.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Σε περίπτωση απεριόριστης λήξης για τους πόντους επιβράβευσης, κρατήστε τη διάρκεια λήξης κενή ή 0."
@@ -6723,11 +6794,12 @@
 DocType: Asset,Out of Order,Εκτός λειτουργίας
 DocType: Purchase Receipt Item,Accepted Quantity,Αποδεκτή ποσότητα
 DocType: Projects Settings,Ignore Workstation Time Overlap,Παράκαμψη της χρονικής επικάλυψης του σταθμού εργασίας
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Παρακαλούμε να ορίσετε μια προεπιλεγμένη διακοπές Λίστα υπάλληλου {0} ή της Εταιρείας {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Παρακαλούμε να ορίσετε μια προεπιλεγμένη διακοπές Λίστα υπάλληλου {0} ή της Εταιρείας {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} δεν υπάρχει
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Επιλέξτε αριθμούς παρτίδων
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Για το GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Για το GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Λογαριασμοί για πελάτες.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Τιμολόγια αυτόματα
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id έργου
 DocType: Salary Component,Variable Based On Taxable Salary,Μεταβλητή βασισμένη στον φορολογητέο μισθό
 DocType: Company,Basic Component,Βασικό στοιχείο
@@ -6740,10 +6812,10 @@
 DocType: Stock Entry,Source Warehouse Address,Διεύθυνση αποθήκης προέλευσης
 DocType: GL Entry,Voucher Type,Τύπος αποδεικτικού
 DocType: Amazon MWS Settings,Max Retry Limit,Μέγιστο όριο επανάληψης
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες
 DocType: Student Applicant,Approved,Εγκρίθηκε
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Τιμή
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Υπάλληλος ελεύθερος για {0} πρέπει να οριστεί ως έχει φύγει
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Υπάλληλος ελεύθερος για {0} πρέπει να οριστεί ως έχει φύγει
 DocType: Marketplace Settings,Last Sync On,Ο τελευταίος συγχρονισμός είναι ενεργοποιημένος
 DocType: Guardian,Guardian,Κηδεμόνας
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Όλες οι επικοινωνίες, συμπεριλαμβανομένων και των παραπάνω, θα μεταφερθούν στο νέο τεύχος"
@@ -6766,14 +6838,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Κατάλογος ασθενειών που εντοπίζονται στο πεδίο. Όταν επιλεγεί, θα προστεθεί αυτόματα μια λίστα εργασιών για την αντιμετώπιση της νόσου"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Αυτή είναι μια μονάδα υπηρεσίας υγειονομικής περίθαλψης και δεν μπορεί να επεξεργαστεί.
 DocType: Asset Repair,Repair Status,Κατάσταση επισκευής
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Προσθέστε συνεργάτες πωλήσεων
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Λογιστικές ημερολογιακές εγγραφές.
 DocType: Travel Request,Travel Request,Αίτηση ταξιδιού
 DocType: Delivery Note Item,Available Qty at From Warehouse,Διαθέσιμο Ποσότητα σε από την αποθήκη
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Παρακαλώ επιλέξτε πρώτα Εγγραφή Εργαζομένων.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Η συμμετοχή δεν υποβλήθηκε για {0} καθώς είναι διακοπές.
 DocType: POS Profile,Account for Change Amount,Ο λογαριασμός για την Αλλαγή Ποσό
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Σύνδεση με το QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Συνολικό κέρδος / ζημιά
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Μη έγκυρη εταιρεία για το τιμολόγιο μεταξύ εταιρειών.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Μη έγκυρη εταιρεία για το τιμολόγιο μεταξύ εταιρειών.
 DocType: Purchase Invoice,input service,υπηρεσία εισόδου
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Σειρά {0}: Πάρτι / λογαριασμός δεν ταιριάζει με {1} / {2} στο {3} {4}
 DocType: Employee Promotion,Employee Promotion,Προώθηση εργαζομένων
@@ -6782,12 +6856,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Κωδικός Μαθήματος:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Παρακαλώ εισάγετε λογαριασμό δαπανών
 DocType: Account,Stock,Απόθεμα
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα παραγγελίας, τιμολογίου αγοράς ή Εφημερίδα Έναρξη"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα παραγγελίας, τιμολογίου αγοράς ή Εφημερίδα Έναρξη"
 DocType: Employee,Current Address,Τρέχουσα διεύθυνση
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Εάν το είδος είναι μια παραλλαγή ενός άλλου είδους, τότε η περιγραφή, η εικόνα, η τιμολόγηση, οι φόροι κλπ θα οριστούν από το πρότυπο εκτός αν οριστούν ειδικά"
 DocType: Serial No,Purchase / Manufacture Details,Αγορά / λεπτομέρειες παραγωγής
 DocType: Assessment Group,Assessment Group,Ομάδα αξιολόγησης
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Παρτίδα Απογραφή
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Όνομα διαδικασίας
 DocType: Employee,Contract End Date,Ημερομηνία λήξης συμβολαίου
 DocType: Amazon MWS Settings,Seller ID,Αναγνωριστικό πωλητή
@@ -6807,12 +6882,12 @@
 DocType: Company,Date of Incorporation,Ημερομηνία ενσωματώσεως
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Σύνολο φόρου
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Τελευταία τιμή αγοράς
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Για Ποσότητα (Τεμ Κατασκευάζεται) είναι υποχρεωτικά
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Για Ποσότητα (Τεμ Κατασκευάζεται) είναι υποχρεωτικά
 DocType: Stock Entry,Default Target Warehouse,Προεπιλεγμένη αποθήκη προορισμού
 DocType: Purchase Invoice,Net Total (Company Currency),Καθαρό σύνολο (νόμισμα της εταιρείας)
 DocType: Delivery Note,Air,Αέρας
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Το έτος λήξης δεν μπορεί να είναι νωρίτερα από το έτος έναρξης Ημερομηνία. Διορθώστε τις ημερομηνίες και προσπαθήστε ξανά.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,Το {0} δεν περιλαμβάνεται στην προαιρετική λίστα διακοπών
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,Το {0} δεν περιλαμβάνεται στην προαιρετική λίστα διακοπών
 DocType: Notification Control,Purchase Receipt Message,Μήνυμα αποδεικτικού παραλαβής αγοράς
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Άχρηστα Είδη
@@ -6834,23 +6909,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Εκπλήρωση
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Στο ποσό της προηγούμενης γραμμής
 DocType: Item,Has Expiry Date,Έχει ημερομηνία λήξης
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,μεταβίβαση περιουσιακών στοιχείων
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,μεταβίβαση περιουσιακών στοιχείων
 DocType: POS Profile,POS Profile,POS Προφίλ
 DocType: Training Event,Event Name,Όνομα συμβάντος
 DocType: Healthcare Practitioner,Phone (Office),Τηλέφωνο (Γραφείο)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Δεν είναι δυνατή η υποβολή, οι εργαζόμενοι που απομένουν για να σημειώσουν συμμετοχή"
 DocType: Inpatient Record,Admission,Άδεια
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Admissions για {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό των προϋπολογισμών, στόχων κλπ"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό των προϋπολογισμών, στόχων κλπ"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Όνομα μεταβλητής
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Θέση {0} είναι ένα πρότυπο, επιλέξτε μία από τις παραλλαγές του"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό&gt; Ρυθμίσεις HR
+DocType: Purchase Invoice Item,Deferred Expense,Αναβαλλόμενη δαπάνη
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Από την ημερομηνία {0} δεν μπορεί να είναι πριν από την ημερομηνία εγγραφής του υπαλλήλου {1}
 DocType: Asset,Asset Category,Κατηγορία Παγίου
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Η καθαρή αμοιβή δεν μπορεί να είναι αρνητική
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Η καθαρή αμοιβή δεν μπορεί να είναι αρνητική
 DocType: Purchase Order,Advance Paid,Προκαταβολή που καταβλήθηκε
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Ποσοστό υπερπαραγωγής για παραγγελία πώλησης
 DocType: Item,Item Tax,Φόρος είδους
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Υλικό Προμηθευτή
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Υλικό Προμηθευτή
 DocType: Soil Texture,Loamy Sand,Ελαφριά άμμος
 DocType: Production Plan,Material Request Planning,Σχεδιασμός Αίτησης Υλικού
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Των ειδικών φόρων κατανάλωσης Τιμολόγιο
@@ -6872,11 +6949,11 @@
 DocType: Scheduling Tool,Scheduling Tool,εργαλείο προγραμματισμού
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Πιστωτική κάρτα
 DocType: BOM,Item to be manufactured or repacked,Είδος που θα κατασκευαστεί ή θα ανασυσκευαστεί
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Σφάλμα σύνταξης στην κατάσταση: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Σφάλμα σύνταξης στην κατάσταση: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Σημαντικές / προαιρετικά θέματα
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Ορίστε την ομάδα προμηθευτών στις ρυθμίσεις αγοράς.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Ορίστε την ομάδα προμηθευτών στις ρυθμίσεις αγοράς.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Το συνολικό ποσό της ευέλικτης συνιστώσας παροχών {0} δεν πρέπει να είναι μικρότερο από τα μέγιστα οφέλη {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Ανασταλεί
@@ -6896,7 +6973,7 @@
 DocType: Customer,Commission Rate,Ποσό προμήθειας
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Δημιουργήθηκαν επιτυχώς καταχωρήσεις πληρωμής
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Δημιουργήθηκαν {0} scorecards για {1} μεταξύ:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Κάντε Παραλλαγή
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Κάντε Παραλλαγή
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Τύπος πληρωμής πρέπει να είναι ένα από Λάβετε, Pay και εσωτερική μεταφορά"
 DocType: Travel Itinerary,Preferred Area for Lodging,Προτιμώμενη περιοχή για καταλύματα
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6907,7 +6984,7 @@
 DocType: Work Order,Actual Operating Cost,Πραγματικό κόστος λειτουργίας
 DocType: Payment Entry,Cheque/Reference No,Επιταγή / Αριθμός αναφοράς
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Δεν μπορεί να γίνει επεξεργασία στη ρίζα.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Δεν μπορεί να γίνει επεξεργασία στη ρίζα.
 DocType: Item,Units of Measure,Μονάδες μέτρησης
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Νοικιάστηκε στο Metro City
 DocType: Supplier,Default Tax Withholding Config,Προεπιλεγμένο παράθυρο παρακράτησης φόρου
@@ -6925,21 +7002,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Μετά την ολοκλήρωση πληρωμής ανακατεύθυνση του χρήστη σε επιλεγμένη σελίδα.
 DocType: Company,Existing Company,Υφιστάμενες Εταιρείας
 DocType: Healthcare Settings,Result Emailed,Αποτέλεσμα με ηλεκτρονικό ταχυδρομείο
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Η φορολογική κατηγορία έχει αλλάξει σε &quot;Σύνολο&quot; επειδή όλα τα στοιχεία δεν είναι στοιχεία απόθεμα
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Η φορολογική κατηγορία έχει αλλάξει σε &quot;Σύνολο&quot; επειδή όλα τα στοιχεία δεν είναι στοιχεία απόθεμα
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Μέχρι σήμερα δεν μπορεί να είναι ίση ή μικρότερη από την ημερομηνία
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Τίποτα να αλλάξει
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Επιλέξτε ένα αρχείο csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Επιλέξτε ένα αρχείο csv
 DocType: Holiday List,Total Holidays,Συνολικές διακοπές
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Δεν υπάρχει πρότυπο ηλεκτρονικού ταχυδρομείου για αποστολή. Ρυθμίστε μία από τις Ρυθμίσεις παράδοσης.
 DocType: Student Leave Application,Mark as Present,Επισήμανση ως Παρόν
 DocType: Supplier Scorecard,Indicator Color,Χρώμα δείκτη
 DocType: Purchase Order,To Receive and Bill,Για να λάβετε και Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Γραμμή # {0}: Το Reqd by Date δεν μπορεί να είναι πριν από την Ημερομηνία Συναλλαγής
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Γραμμή # {0}: Το Reqd by Date δεν μπορεί να είναι πριν από την Ημερομηνία Συναλλαγής
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Προτεινόμενα Προϊόντα
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Επιλέξτε σειριακό αριθμό
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Επιλέξτε σειριακό αριθμό
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Σχεδιαστής
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Πρότυπο όρων και προϋποθέσεων
 DocType: Serial No,Delivery Details,Λεπτομέρειες παράδοσης
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Το κέντρο κόστους απαιτείται στη γραμμή {0} στον πίνακα πίνακα φόρων για τον τύπο {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Το κέντρο κόστους απαιτείται στη γραμμή {0} στον πίνακα πίνακα φόρων για τον τύπο {1}
 DocType: Program,Program Code,Κωδικός προγράμματος
 DocType: Terms and Conditions,Terms and Conditions Help,Όροι και προϋποθέσεις Βοήθεια
 ,Item-wise Purchase Register,Ταμείο αγορών ανά είδος
@@ -6952,15 +7030,16 @@
 DocType: Contract,Contract Terms,Όροι Συμβολαίου
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Να μην εμφανίζεται κανένα σύμβολο όπως $ κλπ δίπλα σε νομίσματα.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Το μέγιστο ποσό παροχών του στοιχείου {0} υπερβαίνει το {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Μισή ημέρα)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Μισή ημέρα)
 DocType: Payment Term,Credit Days,Ημέρες πίστωσης
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Επιλέξτε Ασθενή για να πάρετε Εργαστηριακές εξετάσεις
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Κάντε παρτίδας Φοιτητής
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Να επιτρέπεται η μεταφορά για κατασκευή
 DocType: Leave Type,Is Carry Forward,Είναι μεταφορά σε άλλη χρήση
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Λήψη ειδών από Λ.Υ.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Λήψη ειδών από Λ.Υ.
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ημέρες ανοχής
 DocType: Cash Flow Mapping,Is Income Tax Expense,Είναι η δαπάνη φόρου εισοδήματος
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Η παραγγελία σας είναι εκτός παράδοσης!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Σειρά # {0}: Απόσπαση Ημερομηνία πρέπει να είναι ίδια με την ημερομηνία αγοράς {1} του περιουσιακού στοιχείου {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Ελέγξτε αν ο φοιτητής διαμένει στο Hostel του Ινστιτούτου.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Παρακαλούμε, εισάγετε Παραγγελίες στον παραπάνω πίνακα"
@@ -6968,10 +7047,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Μεταφορά ενός στοιχείου από μια αποθήκη σε άλλη
 DocType: Vehicle,Petrol,Βενζίνη
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Υπολειπόμενα οφέλη (Ετήσια)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill Υλικών
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill Υλικών
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Σειρά {0}: Τύπος Πάρτυ και το Κόμμα απαιτείται για εισπρακτέοι / πληρωτέοι λογαριασμό {1}
 DocType: Employee,Leave Policy,Αφήστε την πολιτική
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Ενημέρωση στοιχείων
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Ενημέρωση στοιχείων
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ημ. αναφοράς
 DocType: Employee,Reason for Leaving,Αιτιολογία αποχώρησης
 DocType: BOM Operation,Operating Cost(Company Currency),Λειτουργικό κόστος (Εταιρεία νομίσματος)
@@ -6982,7 +7061,7 @@
 DocType: Department,Expense Approvers,Έγκριση εξόδων
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Γραμμή {0} : μια χρεωστική καταχώρηση δεν μπορεί να συνδεθεί με ένα {1}
 DocType: Journal Entry,Subscription Section,Τμήμα συνδρομής
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Ο λογαριασμός {0} δεν υπάρχει
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Ο λογαριασμός {0} δεν υπάρχει
 DocType: Training Event,Training Program,Εκπαιδευτικό Πρόγραμμα
 DocType: Account,Cash,Μετρητά
 DocType: Employee,Short biography for website and other publications.,Σύντομη βιογραφία για την ιστοσελίδα και άλλες δημοσιεύσεις.
diff --git a/erpnext/translations/en-US.csv b/erpnext/translations/en-US.csv
index 02cf38a..7877c37 100644
--- a/erpnext/translations/en-US.csv
+++ b/erpnext/translations/en-US.csv
@@ -23,21 +23,21 @@
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink Payment on Cancelation of Invoice
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Delivery Notes {0} must be canceled before cancelling this Sales Order
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Work Order {0} must be canceled before cancelling this Sales Order
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Setup check dimensions for printing
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Setup check dimensions for printing
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Checks and Deposits incorrectly cleared
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} is canceled so the action cannot be completed
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} is canceled so the action cannot be completed
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +297,Packing Slip(s) cancelled,Packing Slip(s) canceled
 DocType: Payment Entry,Cheque/Reference No,Check/Reference No
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +288,"Asset cannot be cancelled, as it is already {0}","Asset cannot be canceled, as it is already {0}"
 DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Select account head of the bank where check was deposited.
 DocType: Cheque Print Template,Cheque Print Template,Check Print Template
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} is canceled or closed
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} is canceled or closed
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +164,Quotation {0} is cancelled,Quotation {0} is canceled
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} is already completed or canceled
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} is already completed or canceled
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Payment Canceled. Please check your GoCardless Account for more details
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Item {0} is canceled
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Item {0} is canceled
 DocType: Serial No,Is Cancelled,Is Canceled
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} is canceled or stopped
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} is canceled or stopped
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +178,Colour,Color
 DocType: Bank Reconciliation Detail,Cheque Number,Check Number
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancel Material Visits {0} before canceling this Maintenance Visit
diff --git a/erpnext/translations/es-CL.csv b/erpnext/translations/es-CL.csv
index c5c540f..351281c 100644
--- a/erpnext/translations/es-CL.csv
+++ b/erpnext/translations/es-CL.csv
@@ -5,8 +5,8 @@
 DocType: Assessment Group,Parent Assessment Group,Grupo de Evaluación Padre
 DocType: Student,Guardians,Guardianes
 DocType: Fee Schedule,Fee Schedule,Programa de Tarifas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Obtener Ítems de Paquete de Productos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM no contiene ningún ítem de stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Obtener Ítems de Paquete de Productos
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM no contiene ningún ítem de stock
 DocType: Homepage,Company Tagline for website homepage,Lema de la empresa para la página de inicio del sitio web
 DocType: Delivery Note,% Installed,% Instalado
 DocType: Student,Guardian Details,Detalles del Guardián
diff --git a/erpnext/translations/es-CO.csv b/erpnext/translations/es-CO.csv
index bc29299..367a958 100644
--- a/erpnext/translations/es-CO.csv
+++ b/erpnext/translations/es-CO.csv
@@ -1 +1 @@
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,El código de barras {0} no es un código válido {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,El código de barras {0} no es un código válido {1}
diff --git a/erpnext/translations/es-EC.csv b/erpnext/translations/es-EC.csv
index 4d934f9..3724fc0 100644
--- a/erpnext/translations/es-EC.csv
+++ b/erpnext/translations/es-EC.csv
@@ -1,12 +1,12 @@
 DocType: Supplier,Block Supplier,Bloque de Proveedor
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","El activo ya existe contra el artículo {0}, no puede cambiar no tiene valor de serie"
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","El activo ya existe contra el artículo {0}, no puede cambiar no tiene valor de serie"
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,No se puede crear una bonificación de retención para los empleados que se han marchado
 apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py +23,Cancel the journal entry {0} first,Cancelar el ingreso diario {0} primero
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,No se puede transferir Empleado con estado ah salido
 DocType: Employee Benefit Claim,Benefit Type and Amount,Tipo de beneficio y monto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Bloque de Factura
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","El activo ya existe contra el artículo {0}, no puede cambiar no tiene valor de serie"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Bloque de Factura
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","El activo ya existe contra el artículo {0}, no puede cambiar no tiene valor de serie"
 DocType: Item,Asset Naming Series,Series de Nombres de Activos
 ,BOM Variance Report,Informe de varianza BOM(Lista de Materiales)
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +15,Cannot promote Employee with status Left,No se puede promover Empleado con estado ha salido
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Repetición automática del documento actualizado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Repetición automática del documento actualizado
diff --git a/erpnext/translations/es-GT.csv b/erpnext/translations/es-GT.csv
index 1b7ed3c..5d03aed 100644
--- a/erpnext/translations/es-GT.csv
+++ b/erpnext/translations/es-GT.csv
@@ -1,7 +1,7 @@
 DocType: Instructor Log,Other Details,Otros Detalles
 DocType: Material Request Item,Lead Time Date,Fecha de la Iniciativa
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Tiempo de ejecución en días
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Saldo Pendiente
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Saldo Pendiente
 DocType: Bank Statement Transaction Invoice Item,Outstanding Amount,Saldo Pendiente
 DocType: Payment Entry Reference,Outstanding,Pendiente
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,La Iniciativa se debe establecer si la Oportunidad está hecha desde una Iniciativa
diff --git a/erpnext/translations/es-MX.csv b/erpnext/translations/es-MX.csv
index 7307b55..591f3c1 100644
--- a/erpnext/translations/es-MX.csv
+++ b/erpnext/translations/es-MX.csv
@@ -5,17 +5,17 @@
 DocType: Delivery Note,% Installed,% Instalado
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,La cantidad de {0} establecida en esta solicitud de pago es diferente de la cantidad calculada para todos los planes de pago: {1}. Verifique que esto sea correcto antes de enviar el documento.
 DocType: Company,Gain/Loss Account on Asset Disposal,Cuenta de ganancia/pérdida en la disposición de activos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Por favor, introduzca la Vuenta para el Cambio Monto"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Por favor, introduzca la Vuenta para el Cambio Monto"
 DocType: Loyalty Point Entry,Loyalty Point Entry,Entrada de Punto de Lealtad
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,"Por favor, primero define el Código del Artículo"
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +76,Show unclosed fiscal year's P&L balances,Mostrar saldos de Ganancias y Perdidas de año fiscal sin cerrar
 ,Support Hour Distribution,Distribución de Hora de Soporte
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Fortaleza de Grupo Estudiante
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Por favor defina la 'Cuenta de Ganacia/Pérdida  por Ventas de Activos' en la empresa {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Por favor defina la 'Cuenta de Ganacia/Pérdida  por Ventas de Activos' en la empresa {0}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +58,Leave Type {0} cannot be allocated since it is leave without pay,Tipo de Permiso {0} no puede ser asignado ya que es un Permiso sin paga
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,La cuenta para pasarela de pago en el plan {0} es diferente de la cuenta de pasarela de pago en en esta petición de pago
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Mostrar Recibo de Nómina
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Permiso sin sueldo no coincide con los registros de Solicitud de Permiso aprobadas
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Permiso sin sueldo no coincide con los registros de Solicitud de Permiso aprobadas
 DocType: Purchase Taxes and Charges Template,"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
@@ -68,16 +68,17 @@
 DocType: Stock Entry,Customer or Supplier Details,Detalle de cliente o proveedor
 DocType: Lab Test Template,Standard Selling Rate,Tarifa de Venta Estándar
 DocType: Program Enrollment,School House,Casa Escuela
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Por favor, establezca la Cuenta predeterminada en el Tipo de Reembolso de Gastos {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Por favor, establezca la Cuenta predeterminada en el Tipo de Reembolso de Gastos {0}"
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js +42,Score cannot be greater than Maximum Score,Los resultados no puede ser mayor que la Puntuación Máxima
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Ejemplo: ABCD. #####. Si se establece una serie y no se menciona el número de lote en las transacciones, se creará un número de lote automático basado en esta serie. Si siempre quiere mencionar explícitamente el número de lote para este artículo, déjelo en blanco. Nota: esta configuración tendrá prioridad sobre el Prefijo de denominación de serie en Configuración de Inventario."
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Por favor, establezca el filtro de Compañía en blanco si Agrupar Por es 'Compañía'"
 DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Para Grupo de Estudiantes por Curso, el Curso será validado para cada Estudiante de los Cursos inscritos en la Inscripción del Programa."
 DocType: Leave Policy Detail,Leave Policy Detail,Detalles de política de Licencia
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Para grupo de estudiantes por lotes, el lote de estudiantes se validará para cada estudiante de la inscripción del programa."
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,No se pueden cambiar las propiedades de Variantes después de la transacción de inventario. Deberá crear un nuevo artículo para hacer esto.
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La cantidad de existencias para comenzar el procedimiento no está disponible en el almacén. ¿Desea registrar una transferencia de inventario?
+DocType: Subscription Plan,Payment Plan,Plan de pago
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,No se pueden cambiar las propiedades de Variantes después de la transacción de inventario. Deberá crear un nuevo artículo para hacer esto.
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La cantidad de existencias para comenzar el procedimiento no está disponible en el almacén. ¿Desea registrar una transferencia de inventario?
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Empresa, cuenta de pago, fecha de inicio y fecha final son obligatorios"
 DocType: Leave Encashment,Leave Encashment,Cobro de Permiso
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Seleccionar Artículos según la fecha de entrega
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Seleccionar Artículos según la fecha de entrega
 DocType: Salary Structure,Leave Encashment Amount Per Day,Cantidad por día para pago por Ausencia
diff --git a/erpnext/translations/es-NI.csv b/erpnext/translations/es-NI.csv
index 27b8f37..257ed97 100644
--- a/erpnext/translations/es-NI.csv
+++ b/erpnext/translations/es-NI.csv
@@ -1,6 +1,6 @@
 DocType: Tax Rule,Tax Rule,Regla Fiscal
 DocType: POS Profile,Account for Change Amount,Cuenta para el Cambio de Monto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Lista de Materiales
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Lista de Materiales
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Actualización de Existencia' no puede ser escogida para venta de activo fijo"
 DocType: Purchase Invoice,Tax ID,RUC
 DocType: BOM Item,Basic Rate (Company Currency),Taza Base (Divisa de la Empresa)
diff --git a/erpnext/translations/es-PE.csv b/erpnext/translations/es-PE.csv
index aeee6b8..4e7abb8 100644
--- a/erpnext/translations/es-PE.csv
+++ b/erpnext/translations/es-PE.csv
@@ -1,4 +1,4 @@
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Se trata de una persona de las ventas raíz y no se puede editar .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Se trata de una persona de las ventas raíz y no se puede editar .
 apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer Valores Predeterminados , como Empresa , Moneda, Año Fiscal Actual, etc"
 DocType: HR Settings,Employee Settings,Configuración del Empleado
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Número de orden {0} no pertenece al elemento {1}
@@ -10,13 +10,13 @@
 ,Quotation Trends,Tendencias de Cotización
 DocType: Purchase Invoice Item,Purchase Order Item,Articulos de la Orden de Compra
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +68,Avg. Buying Rate,Promedio de Compra
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Número de orden {0} creado
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Número de orden {0} creado
 DocType: Item,If subcontracted to a vendor,Si es sub-contratado a un vendedor
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",En minutos actualizado a través de 'Bitácora de tiempo'
 DocType: Maintenance Visit,Maintenance Time,Tiempo de Mantenimiento
 DocType: Issue,Opening Time,Tiempo de Apertura
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Lista de materiales (LdM)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Lista de materiales (LdM)
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Función Permitida para Establecer Cuentas Congeladas y Editar Entradas Congeladas
 DocType: Activity Cost,Billing Rate,Tasa de facturación
 DocType: BOM Update Tool,The new BOM after replacement,La nueva Solicitud de Materiales después de la sustitución
@@ -43,7 +43,7 @@
 DocType: Item,End of Life,Final de la Vida
 ,Reqd By Date,Solicitado Por Fecha
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Calculo de Salario basado en los Ingresos y la Deducción.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Usted no está autorizado para fijar el valor congelado
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Usted no está autorizado para fijar el valor congelado
 DocType: Department,Leave Approver,Supervisor de Vacaciones
 DocType: Packing Slip,Package Weight Details,Peso Detallado del Paquete
 DocType: Maintenance Schedule,Generate Schedule,Generar Horario
@@ -52,7 +52,7 @@
 DocType: Task,depends_on,depende de
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Préstamos Garantizados
 apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Este es un territorio raíz y no se puede editar .
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Crear cotización de proveedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Crear cotización de proveedor
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repita los ingresos de los clientes
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nombre de Nuevo Centro de Coste
 DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Si se selecciona, el importe del impuesto se considerará como ya incluido en el Monto  a Imprimir"
@@ -61,7 +61,7 @@
 DocType: Job Card,WIP Warehouse,WIP Almacén
 DocType: Job Card,Actual Start Date,Fecha de inicio actual
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +24,Make Journal Entry,Haga Comprobante de Diario
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,La Fecha de Finalización de Contrato debe ser mayor que la Fecha de la Firma
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,La Fecha de Finalización de Contrato debe ser mayor que la Fecha de la Firma
 DocType: Sales Invoice Item,Delivery Note Item,Articulo de la Nota de Entrega
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Cliente requiere para ' Customerwise descuento '
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades de venta
@@ -74,12 +74,12 @@
 Used for Taxes and Charges","Tabla de detalle de Impuesto descargada de maestro de artículos como una cadena y almacenada en este campo.
  Se utiliza para las tasas y cargos"
 DocType: BOM,Operating Cost,Costo de Funcionamiento
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Totales del Objetivo
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Totales del Objetivo
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","No se puede filtrar en función al 'No. de comprobante', si esta agrupado por 'nombre'"
 DocType: Naming Series,Help HTML,Ayuda HTML
 DocType: Work Order Operation,Actual Operation Time,Tiempo de operación actual
 DocType: Sales Order,To Deliver and Bill,Para Entregar y Bill
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Almacén requerido para la acción del artículo {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Almacén requerido para la acción del artículo {0}
 DocType: Territory,Territory Targets,Territorios Objetivos
 DocType: Warranty Claim,Warranty / AMC Status,Garantía / AMC Estado
 DocType: Additional Salary,Employee Name,Nombre del Empleado
@@ -101,7 +101,6 @@
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Objetivo On
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Para no aplicar la Regla de Precios en una transacción en particular, todas las Reglas de Precios aplicables deben ser desactivadas."
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Lo sentimos , Nos de serie no se puede fusionar"
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Hacer
 DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de Manufactura
 DocType: Appraisal Template,Appraisal Template Title,Titulo de la Plantilla deEvaluación
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Fila {0}: Por favor, consulte ""¿Es Avance 'contra la Cuenta {1} si se trata de una entrada con antelación."
@@ -111,9 +110,9 @@
 DocType: Employee,Leave Encashed?,Vacaciones Descansadas?
 DocType: Email Digest,Send regular summary reports via Email.,Enviar informes periódicos resumidos por correo electrónico.
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Basado en"" y ""Agrupar por"" no pueden ser el mismo"
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Salario neto no puede ser negativo
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Salario neto no puede ser negativo
 DocType: Company,Phone No,Teléfono No
-DocType: Project,Default Cost Center,Centro de coste por defecto
+DocType: QuickBooks Migrator,Default Cost Center,Centro de coste por defecto
 DocType: Education Settings,Employee Number,Número del Empleado
 DocType: Opportunity,Customer / Lead Address,Cliente / Dirección de Oportunidad
 DocType: Quotation,In Words will be visible once you save the Quotation.,En palabras serán visibles una vez que guarde la cotización.
@@ -131,10 +130,10 @@
 DocType: Account,Credit,Crédito
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Mayor
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +26,Root cannot have a parent cost center,Raíz no puede tener un centro de costes de los padres
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Asiento contable de inventario
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Asiento contable de inventario
 DocType: Project,Total Purchase Cost (via Purchase Invoice),Coste total de compra (mediante compra de la factura)
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Fila {0}: Factor de conversión es obligatoria
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Recibos de Compra
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Fila {0}: Factor de conversión es obligatoria
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Recibos de Compra
 DocType: Pricing Rule,Disable,Inhabilitar
 DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabla de Artículo que se muestra en el Sitio Web
 DocType: Attendance,Leave Type,Tipo de Vacaciones
@@ -148,13 +147,13 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Balanza de Estado de Cuenta Bancario según Libro Mayor
 DocType: Naming Series,Setup Series,Serie de configuración
 DocType: Work Order Operation,Actual Start Time,Hora de inicio actual
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el elemento {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el elemento {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Cuidado de la Salud
 DocType: Item,Manufacturer Part Number,Número de Pieza del Fabricante
 DocType: Item Reorder,Re-Order Level,Reordenar Nivel
 DocType: Customer,Sales Team Details,Detalles del equipo de ventas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Órden de Venta {0} no esta presentada
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: Tasa debe ser el mismo que {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Órden de Venta {0} no esta presentada
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: Tasa debe ser el mismo que {1}: {2} ({3} / {4})
 apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Pedidos en firme de los clientes.
 DocType: Warranty Claim,Service Address,Dirección del Servicio
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicación de Fondos (Activos )
@@ -163,14 +162,14 @@
 DocType: Account,Frozen,Congelado
 DocType: Contract,HR Manager,Gerente de Recursos Humanos
 apps/erpnext/erpnext/controllers/accounts_controller.py +529,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia : El sistema no comprobará sobrefacturación desde monto para el punto {0} en {1} es cero
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Cualquiera Cantidad de destino o importe objetivo es obligatoria.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Cualquiera Cantidad de destino o importe objetivo es obligatoria.
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +79,Row # {0}: Returned Item {1} does not exists in {2} {3},Fila # {0}: El artículo vuelto {1} no existe en {2} {3}
 DocType: Production Plan,Not Started,Sin comenzar
 DocType: Healthcare Practitioner,Default Currency,Moneda Predeterminada
 apps/erpnext/erpnext/accounts/doctype/account/account.js +37,This is a root account and cannot be edited.,Esta es una cuenta raíz y no se puede editar .
 ,Requested Items To Be Transferred,Artículos solicitados para ser transferido
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Recibo de Compra {0} no se presenta
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con moneda: {1} no puede ser seleccionada
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Recibo de Compra {0} no se presenta
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con moneda: {1} no puede ser seleccionada
 DocType: Opening Invoice Creation Tool,Sales,Venta
 DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Monto adicional de descuento (Moneda de la compañía)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +164,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Fila {0}: El pago de Compra/Venta siempre debe estar marcado como anticipo
@@ -179,13 +178,13 @@
 DocType: Customer Group,Parent Customer Group,Categoría de cliente principal
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Total Monto Pendiente
 DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Seleccione Distribución Mensual de distribuir de manera desigual a través de objetivos meses.
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Necesita habilitar Carito de Compras
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Necesita habilitar Carito de Compras
 DocType: Leave Control Panel,New Leaves Allocated (In Days),Nuevas Vacaciones Asignados (en días)
 DocType: Employee,Rented,Alquilado
 DocType: Sales Invoice,Shipping Address Name,Dirección de envío Nombre
 DocType: Item,Moving Average,Promedio Movil
 ,Qty to Deliver,Cantidad para Ofrecer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"Fila # {0}: Por favor, especifique No de Serie de artículos {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"Fila # {0}: Por favor, especifique No de Serie de artículos {1}"
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegúrese que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer."
 DocType: Shopping Cart Settings,Shopping Cart Settings,Compras Ajustes
 DocType: BOM,Raw Material Cost,Costo de la Materia Prima
@@ -195,7 +194,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +114,What does it do?,¿Qué hace?
 DocType: Task,Actual Time (in Hours),Tiempo actual (En horas)
 apps/erpnext/erpnext/utilities/activation.py +83,Make Sales Order,Hacer Orden de Venta
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Tipo Doc.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Tipo Doc.
 apps/erpnext/erpnext/utilities/user_progress.py +67,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos.
 DocType: Item Customer Detail,Ref Code,Código Referencia
 DocType: Item Default,Default Selling Cost Center,Centros de coste por defecto
@@ -227,7 +226,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: BOM Explosion Item,Source Warehouse,fuente de depósito
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No se han añadido contactos todavía
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Tipo Root es obligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Tipo Root es obligatorio
 DocType: Patient Appointment,Scheduled,Programado
 DocType: Salary Component,Depends on Leave Without Pay,Depende de ausencia sin pago
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +232,Total Paid Amt,Total Pagado Amt
@@ -239,21 +238,21 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +578,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},linea No. {0}: El importe no puede ser mayor que el reembolso pendiente {1}. El importe pendiente es {2}
 DocType: Item,Synced With Hub,Sincronizado con Hub
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +32,Cost Center with existing transactions can not be converted to ledger,Centro de Costos de las transacciones existentes no se puede convertir en el libro mayor
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el No. de lote"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el No. de lote"
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.py +49,Series is mandatory,Serie es obligatorio
 ,Item Shortage Report,Reportar carencia de producto
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Grado en el que la lista de precios en moneda se convierte en la moneda base del cliente
 DocType: Stock Entry,Sales Invoice No,Factura de Venta No
 DocType: HR Settings,Don't send Employee Birthday Reminders,En enviar recordatorio de cumpleaños del empleado
 ,Ordered Items To Be Delivered,Artículos pedidos para ser entregados
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Perfiles del Punto de Venta POS
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Perfiles del Punto de Venta POS
 apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must be applicable for Buying or Selling,la lista de precios debe ser aplicable para comprar o vender
 DocType: Purchase Invoice Item,Serial No,Números de Serie
 ,Bank Reconciliation Statement,Extractos Bancarios
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} es obligatorio para el producto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} es obligatorio para el producto {1}
 DocType: Item,Copy From Item Group,Copiar de Grupo de Elementos
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que cantidad planificada ({2}) en la Orden de Producción {3}
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Fecha de acceso debe ser mayor que Fecha de Nacimiento
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Fecha de acceso debe ser mayor que Fecha de Nacimiento
 DocType: Buying Settings,Settings for Buying Module,Ajustes para la compra de módulo
 DocType: Sales Person,Sales Person Targets,Metas de Vendedor
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Condiciones contractuales estándar para ventas y compras.
@@ -273,8 +272,8 @@
 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +19,Transactions can only be deleted by the creator of the Company,Las transacciones sólo pueden ser borrados por el creador de la Compañía
 DocType: Cost Center,Parent Cost Center,Centro de Costo Principal
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Préstamos y anticipos (Activos)
-apps/erpnext/erpnext/hooks.py +114,Shipments,Los envíos
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es Subcontratado' o no"
+apps/erpnext/erpnext/hooks.py +115,Shipments,Los envíos
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es Subcontratado' o no"
 apps/erpnext/erpnext/setup/doctype/company/company.py +56,Abbreviation already used for another company,La Abreviación ya está siendo utilizada para otra compañía
 DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Orden de Compra del Artículo Suministrado
 DocType: Selling Settings,Sales Order Required,Orden de Ventas Requerida
@@ -287,7 +286,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Número de la Orden de Compra se requiere para el elemento {0}
 apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Crear reglas para restringir las transacciones basadas en valores .
 DocType: Purchase Order Item Supplied,Raw Material Item Code,Materia Prima Código del Artículo
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Cotizaciónes a Proveedores
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Cotizaciónes a Proveedores
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},Existe un costo de actividad para el empleado {0} contra el tipo de actividad - {1}
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establecer objetivos artículo grupo que tienen para este vendedor.
 DocType: Stock Entry,Total Value Difference (Out - In),Diferencia  (Salidas - Entradas)
@@ -297,7 +296,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +396,{0} against Sales Invoice {1},{0} contra Factura de Ventas {1}
 DocType: Production Plan,Select Items,Seleccione Artículos
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +257,Row {0}: {1} {2} does not match with {3},Fila {0}: {1} {2} no coincide con {3}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Gestión de la Calidad
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Gestión de la Calidad
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Los detalles de las operaciones realizadas.
 DocType: Quality Inspection Reading,Quality Inspection Reading,Lectura de Inspección de Calidad
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Importe neto (moneda de la compañía)
@@ -313,7 +312,7 @@
 DocType: Expense Claim Detail,Sanctioned Amount,importe sancionado
 DocType: Account,"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."
 DocType: Sales Invoice,Sales Taxes and Charges,Los impuestos y cargos de venta
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,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}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,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}
 DocType: Salary Slip,Bank Account No.,Número de Cuenta Bancaria
 DocType: Shipping Rule,Shipping Account,cuenta Envíos
 DocType: Item Group,Parent Item Group,Grupo Principal de Artículos
@@ -343,9 +342,9 @@
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impuestos y Cargos Añadidos (Moneda Local)
 DocType: Customer,Buyer of Goods and Services.,Compradores de Productos y Servicios.
 DocType: Quotation Item,Stock Balance,Balance de Inventarios
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Centro de Costos para artículo con Código del artículo '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Centro de Costos para artículo con Código del artículo '
 DocType: POS Profile,Write Off Cost Center,Centro de costos de desajuste
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario con función de Gerente de Ventas {0}"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario con función de Gerente de Ventas {0}"
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Permitir a los usuarios siguientes aprobar Solicitudes de ausencia en bloques de días.
 DocType: Purchase Invoice Item,Net Rate,Tasa neta
 DocType: Purchase Taxes and Charges,Reference Row #,Referencia Fila #
@@ -357,13 +356,13 @@
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El peso neto de este paquete . ( calculados automáticamente como la suma del peso neto del material)
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Cant. Proyectada
 DocType: Bin,Moving Average Rate,Porcentaje de Promedio Movil
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Cuenta {0}: Cuenta Padre {1} no existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Cuenta {0}: Cuenta Padre {1} no existe
 DocType: Purchase Invoice,Net Total (Company Currency),Total neto (Moneda Local)
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Nota de Entrega {0} no debe estar presentada
 ,Lead Details,Iniciativas
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Delivery Note,Vehicle No,Vehículo No
-DocType: Lead,Lower Income,Ingreso Bajo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Ingreso Bajo
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicar Serie No existe para la partida {0}
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Delivered Amount,Cantidad Entregada
 DocType: Employee Transfer,New Company,Nueva Empresa
@@ -379,7 +378,7 @@
 apps/erpnext/erpnext/accounts/general_ledger.py +178,Please mention Round Off Account in Company,"Por favor, indique la cuenta que utilizará para el redondeo--"
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Número de orden {0} no pertenece a la nota de entrega {1}
 DocType: Target Detail,Target Qty,Cantidad Objetivo
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Se menciona Peso, \n ¡Por favor indique ""Peso Unidad de Medida"" también"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Se menciona Peso, \n ¡Por favor indique ""Peso Unidad de Medida"" también"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +244,You can not change rate if BOM mentioned agianst any item,No se puede cambiar la tasa si hay una Solicitud de Materiales contra cualquier artículo
 DocType: Account,Accounts,Contabilidad
 DocType: Workstation,per hour,por horas
@@ -389,8 +388,8 @@
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Recibo de Compra del Artículo Adquirido
 DocType: SMS Center,All Sales Partner Contact,Todo Punto de Contacto de Venta
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Ver ofertas
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Se requiere de divisas para Lista de precios {0}
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,La fecha de creación no puede ser mayor a la fecha de hoy.
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Se requiere de divisas para Lista de precios {0}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,La fecha de creación no puede ser mayor a la fecha de hoy.
 DocType: Employee,Reports to,Informes al
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +99,Provisional Profit / Loss (Credit),Beneficio / Pérdida (Crédito) Provisional
 DocType: Purchase Order,Ref SQ,Ref SQ
@@ -399,7 +398,7 @@
 DocType: Bank Reconciliation,Account Currency,Moneda de la Cuenta
 DocType: Journal Entry Account,Party Balance,Saldo de socio
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nombre de la Distribución Mensual
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para la fabricación
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para la fabricación
 apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Estado debe ser uno de {0}
 DocType: Department,Leave Block List,Lista de Bloqueo de Vacaciones
 DocType: Sales Invoice Item,Customer's Item Code,Código de artículo del Cliente
@@ -407,17 +406,17 @@
 DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Propósito de la Visita de Mantenimiento
 DocType: SMS Log,No of Sent SMS,No. de SMS enviados
 DocType: Account,Stock Received But Not Billed,Inventario Recibido pero no facturados
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Tiendas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Fila {0}: Cantidad es obligatorio
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Tipo de informe es obligatorio
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Tiendas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Fila {0}: Cantidad es obligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Tipo de informe es obligatorio
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Usuario del Sistema (login )ID. Si se establece , será por defecto para todas las formas de Recursos Humanos."
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},"El factor de conversión de la (UdM) Unidad de medida, es requerida en la linea {0}"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Electrónica
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Cuentas (o grupos) contra el que las entradas contables se hacen y los saldos se mantienen.
 DocType: Journal Entry Account,If Income or Expense,Si es un ingreso o egreso
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada para reordenar ya existe para este almacén {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada para reordenar ya existe para este almacén {1}
 DocType: Lead,Lead,Iniciativas
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},No hay suficiente saldo para Tipo de Vacaciones {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},No hay suficiente saldo para Tipo de Vacaciones {0}
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Repita los Clientes
 DocType: Account,Depreciation,Depreciación
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +242,Please create Customer from Lead {0},"Por favor, cree Cliente de la Oportunidad {0}"
@@ -438,15 +437,15 @@
 DocType: Purchase Invoice,Supplied Items,Artículos suministrados
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Los usuarios con esta función pueden establecer cuentas congeladas y crear / modificar los asientos contables contra las cuentas congeladas
 DocType: Account,Debit,Débito
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","por ejemplo Banco, Efectivo , Tarjeta de crédito"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","por ejemplo Banco, Efectivo , Tarjeta de crédito"
 DocType: Work Order,Material Transferred for Manufacturing,Material transferido para fabricación
 DocType: Item Reorder,Item Reorder,Reordenar productos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Crédito a la cuenta debe ser una cuenta por pagar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Crédito a la cuenta debe ser una cuenta por pagar
 ,Lead Id,Iniciativa ID
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Cotizaciones recibidas de los proveedores.
 DocType: Sales Partner,Sales Partner Target,Socio de Ventas Objetivo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Hacer Visita de Mantenimiento
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra Nota de Envio {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra Nota de Envio {0}
 DocType: Workstation,Rent Cost,Renta Costo
 DocType: Support Settings,Issues,Problemas
 DocType: BOM Update Tool,Current BOM,Lista de materiales actual
@@ -468,7 +467,7 @@
 DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Enviar correos electrónicos automáticos a Contactos en transacciones SOMETER.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} no es un número de lote válido para el producto {1}
 apps/erpnext/erpnext/setup/doctype/company/company.py +84,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No se puede cambiar la moneda por defecto de la compañía, porque existen transacciones, estas deben ser canceladas para cambiar la moneda por defecto."
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,La lista de materiales por defecto ({0}) debe estar activa para este producto o plantilla
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,La lista de materiales por defecto ({0}) debe estar activa para este producto o plantilla
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Este centro de costos es un grupo. No se pueden crear asientos contables en los grupos.
 DocType: Email Digest,How frequently?,¿Con qué frecuencia ?
 DocType: C-Form Invoice Detail,Invoice No,Factura No
@@ -485,7 +484,7 @@
 DocType: Upload Attendance,Attendance From Date,Asistencia De Fecha
 DocType: Journal Entry,Excise Entry,Entrada Impuestos Especiales
 DocType: Appraisal Template Goal,Appraisal Template Goal,Objetivo Plantilla de Evaluación
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Oportunidades
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Oportunidades
 DocType: Additional Salary,Salary Slip,Planilla
 DocType: Account,Rate at which this tax is applied,Velocidad a la que se aplica este impuesto
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Proveedor Id
@@ -549,7 +548,7 @@
 DocType: Sales Person,Parent Sales Person,Contacto Principal de Ventas
 DocType: Warehouse,Warehouse Contact Info,Información de Contacto del Almacén
 DocType: Supplier,Statutory info and other general information about your Supplier,Información legal y otra información general acerca de su proveedor
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida {0} se ha introducido más de una vez en la Tabla de Factores de Conversión
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida {0} se ha introducido más de una vez en la Tabla de Factores de Conversión
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,From Currency and To Currency cannot be same,'Desde Moneda' y 'A Moneda' no puede ser la misma
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ajustes por defecto para Compras
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Centro de Costos de las transacciones existentes no se puede convertir al grupo
@@ -578,11 +577,11 @@
 DocType: Serial No,Out of AMC,Fuera de AMC
 DocType: Leave Application,Apply / Approve Leaves,Aplicar / Aprobar Vacaciones
 DocType: Job Offer,Select Terms and Conditions,Selecciona Términos y Condiciones
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Nota de Entrega {0} no está presentada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Nota de Entrega {0} no está presentada
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +137,"Row {0}: To set {1} periodicity, difference between from and to date \
 						must be greater than or equal to {2}","Fila {0}: Para establecer {1} periodicidad, diferencia entre desde y hasta la fecha \
  debe ser mayor que o igual a {2}"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Luego las reglas de precios son filtradas en base a Cliente, Categoría de cliente, Territorio, Proveedor, Tipo de Proveedor, Campaña, Socio de Ventas, etc"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Luego las reglas de precios son filtradas en base a Cliente, Categoría de cliente, Territorio, Proveedor, Tipo de Proveedor, Campaña, Socio de Ventas, etc"
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Introduzca el nombre de la campaña si el origen de la encuesta es una campaña
 DocType: BOM Item,Scrap %,Chatarra %
 apps/erpnext/erpnext/public/js/setup_wizard.js +52,Upload your letter head and logo. (you can edit them later).,Carge su membrete y su logotipo. (Puede editarlos más tarde).
@@ -631,33 +630,33 @@
 DocType: Leave Application,Total Leave Days,Total Vacaciones
 apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta.
 DocType: Appraisal Goal,Score Earned,Puntuación Obtenida
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re Abrir
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re Abrir
 DocType: Item Reorder,Material Request Type,Tipo de Solicitud de Material
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} no encontrado
 DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Grado en el que la lista de precios en moneda se convierte en la moneda base de la compañía
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +167,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Fila {0}: cantidad asignada {1} debe ser menor o igual a cantidad pendiente a facturar {2}
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Monto de impuestos Después Cantidad de Descuento (Compañía moneda)
 DocType: Holiday List,Holiday List Name,Lista de nombres de vacaciones
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Volver Ventas
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Volver Ventas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +11,Automotive,Automotor
 DocType: Payment Schedule,Payment Amount,Pago recibido
 DocType: Purchase Order Item Supplied,Supplied Qty,Suministrado Cantidad
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Empleado no puede informar a sí mismo.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Empleado no puede informar a sí mismo.
 DocType: Stock Entry,Delivery Note No,No. de Nota de Entrega
 DocType: Journal Entry Account,Purchase Order,Órdenes de Compra
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +52,Employee {0} is not active or does not exist,Empleado {0} no está activo o no existe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,Se requiere un perfil POS para crear entradas en el Punto-de-Venta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,Se requiere un perfil POS para crear entradas en el Punto-de-Venta
 ,Requested Items To Be Ordered,Solicitud de Productos Aprobados
 DocType: Salary Slip,Leave Without Pay,Licencia sin Sueldo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root no se puede editar .
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Almacén de origen es obligatoria para la fila {0}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root no se puede editar .
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Almacén de origen es obligatoria para la fila {0}
 DocType: Sales Partner,Target Distribution,Distribución Objetivo
 DocType: BOM,Item Image (if not slideshow),"Imagen del Artículo (si no, presentación de diapositivas)"
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Defina el número de secuencia nuevo para esta transacción
 DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depósito sólo se puede cambiar a través de la Entrada de Almacén / Nota de Entrega / Recibo de Compra
 DocType: Quotation,Quotation To,Cotización Para
 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Seleccione el año fiscal
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"'Tiene Número de Serie' no puede ser ""Sí"" para elementos que son de inventario"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"'Tiene Número de Serie' no puede ser ""Sí"" para elementos que son de inventario"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Efectivo Disponible
 DocType: Salary Component,Earning,Ganancia
 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +27,Please specify currency in Company,"Por favor, especifique la moneda en la compañía"
@@ -667,7 +666,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +135,Government,Gobierno
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Valores y Bolsas de Productos
 DocType: Item,Items with higher weightage will be shown higher,Los productos con mayor peso se mostraran arriba
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a una misma empresa
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a una misma empresa
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +139,Row # {0}: Cannot return more than {1} for Item {2},Fila # {0}: No se puede devolver más de {1} para el artículo {2}
 DocType: Supplier,Supplier of Goods or Services.,Proveedor de Productos o Servicios.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +116,Secretary,Secretario
@@ -681,19 +680,19 @@
 DocType: Asset Maintenance,Manufacturing User,Usuario de Manufactura
 ,Profit and Loss Statement,Estado de Pérdidas y Ganancias
 DocType: Item Supplier,Item Supplier,Proveedor del Artículo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: Cuenta Padre {1} no puede ser una cuenta Mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: Cuenta Padre {1} no puede ser una cuenta Mayor
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Asistencia Desde Fecha y Hasta Fecha de Asistencia es obligatoria
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +25,Cart is Empty,El carro esta vacío
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Primero la nota de entrega
 ,Monthly Attendance Sheet,Hoja de Asistencia Mensual
 DocType: Upload Attendance,Get Template,Verificar Plantilla
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto de la linea {0} los impuestos de las lineas {1} también deben ser incluidos
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto de la linea {0} los impuestos de las lineas {1} también deben ser incluidos
 DocType: Sales Invoice Advance,Sales Invoice Advance,Factura Anticipadas
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Cantidad de elemento {0} debe ser menor de {1}
 DocType: Stock Ledger Entry,Stock Value Difference,Diferencia de Valor de Inventario
 DocType: Material Request Item,Min Order Qty,Cantidad mínima de Pedido (MOQ)
 DocType: Item,Website Warehouse,Almacén del Sitio Web
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Fuente y el almacén de destino no pueden ser la misma para la fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Fuente y el almacén de destino no pueden ser la misma para la fila {0}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +75,Submit Salary Slip,Presentar nómina
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condiciones de calcular el importe de envío
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Este es una categoría de cliente raíz y no se puede editar.
@@ -713,7 +712,7 @@
 ,Purchase Order Items To Be Billed,Ordenes de Compra por Facturar
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +115,The selected item cannot have Batch,El elemento seleccionado no puede tener lotes
 DocType: Account,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.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},El usuario {0} ya está asignado a Empleado {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},El usuario {0} ya está asignado a Empleado {1}
 DocType: Account,Expenses Included In Valuation,Gastos dentro de la valoración
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Clientes Nuevos
 DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impuestos y Cargos (Moneda Local)
@@ -725,12 +724,12 @@
 DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc
 DocType: Student Attendance Tool,Batch,Lotes de Producto
 DocType: BOM Update Tool,The BOM which will be replaced,La Solicitud de Materiales que será sustituida
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,La Cuenta con subcuentas no puede convertirse en libro de diario.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,La Cuenta con subcuentas no puede convertirse en libro de diario.
 ,Stock Projected Qty,Cantidad de Inventario Proyectada
 DocType: Work Order Operation,Updated via 'Time Log',Actualizado a través de 'Hora de Registro'
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} contra Factura {1} de fecha {2}
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Sus productos o servicios
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Tal vez tipo de cambio no se ha creado para {1} en {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Tal vez tipo de cambio no se ha creado para {1} en {2}.
 DocType: Cashier Closing,To Time,Para Tiempo
 apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,No se ha añadido ninguna dirección todavía.
 ,Terretory,Territorios
@@ -748,21 +747,20 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serie n Necesario para artículo serializado {0}
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostrar ""en la acción "" o "" No disponible "", basada en stock disponible en este almacén."
 DocType: Employee,Place of Issue,Lugar de emisión
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,La órden de compra {0} no existe
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,La órden de compra {0} no existe
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},La Cuenta {0} no es válida. La Moneda de la Cuenta debe de ser {1}
 DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si este artículo tiene variantes, entonces no podrá ser seleccionado en los pedidos de venta, etc."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,es mandatorio. Quizás el registro de Cambio de Moneda no ha sido creado para
 DocType: Sales Invoice,Sales Team1,Team1 Ventas
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Entrada de la {0} no se presenta
 apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Consultas de soporte de clientes .
 apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotizaciones a Oportunidades o Clientes
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Cantidad Consumida
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos"
 DocType: Purchase Order Item,Supplier Part Number,Número de pieza del proveedor
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Desde fecha' debe ser después de 'Hasta Fecha'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Cuenta con nodos hijos no se puede convertir a cuentas del libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Cuenta con nodos hijos no se puede convertir a cuentas del libro mayor
 ,Serial No Service Contract Expiry,Número de orden de servicio Contrato de caducidad
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Almacén de Proveedor es necesario para recibos de compras sub contratadas
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Almacén de Proveedor es necesario para recibos de compras sub contratadas
 DocType: Employee Education,School/University,Escuela / Universidad
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,El elemento {0} debe ser un producto sub-contratado
 DocType: Supplier,Is Frozen,Está Inactivo
@@ -776,7 +774,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Cuenta {0} está congelada
 DocType: Asset Maintenance Log,Periodicity,Periodicidad
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Materias primas no pueden estar en blanco.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Fecha de la jubilación debe ser mayor que Fecha de acceso
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Fecha de la jubilación debe ser mayor que Fecha de acceso
 ,Employee Leave Balance,Balance de Vacaciones del Empleado
 DocType: Sales Person,Sales Person Name,Nombre del Vendedor
 DocType: Territory,Classification of Customers by region,Clasificación de los clientes por región
@@ -788,11 +786,11 @@
 DocType: BOM,Exploded_items,Vista detallada
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factura {0} debe ser cancelado antes de cancelar esta Orden Ventas
 DocType: GL Entry,Is Opening,Es apertura
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Almacén {0} no existe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} no es un producto de stock
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Almacén {0} no existe
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} no es un producto de stock
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,La fecha de vencimiento es obligatorio
 ,Sales Person-wise Transaction Summary,Resumen de Transacción por Vendedor
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Reordenar Cantidad
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Reordenar Cantidad
 DocType: BOM,Rate Of Materials Based On,Cambio de materiales basados en
 DocType: Landed Cost Voucher,Purchase Receipt Items,Artículos de Recibo de Compra
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Salir Cant.
@@ -802,17 +800,17 @@
 DocType: Fiscal Year,Year End Date,Año de Finalización
 DocType: Purchase Invoice,Supplier Invoice Date,Fecha de la Factura de Proveedor
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Se trata de un grupo de elementos raíz y no se puede editar .
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Solicitud de Materiales especificado {0} no existe la partida {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Solicitud de Materiales especificado {0} no existe la partida {1}
 apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},Suma de puntos para todas las metas debe ser 100. Es {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Hay más vacaciones que días de trabajo este mes.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Hay más vacaciones que días de trabajo este mes.
 DocType: Packing Slip,Gross Weight UOM,Peso Bruto de la Unidad de Medida
 ,Territory Target Variance Item Group-Wise,Variación de Grupo por Territorio Objetivo
 DocType: BOM,Item to be manufactured or repacked,Artículo a fabricar o embalados de nuevo
 DocType: Purchase Order,Supply Raw Materials,Suministro de Materias Primas
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Almacén no se puede suprimir porque hay una entrada en registro de inventario para este almacén.
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Solicitud de Materiales actual y Nueva Solicitud de Materiales no pueden ser iguales
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Almacén no se puede suprimir porque hay una entrada en registro de inventario para este almacén.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Solicitud de Materiales actual y Nueva Solicitud de Materiales no pueden ser iguales
 DocType: Account,Stock,Existencias
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Contribución %
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Contribución %
 DocType: Stock Entry,Repack,Vuelva a embalar
 ,Support Analytics,Analitico de Soporte
 DocType: Item,Average time taken by the supplier to deliver,Tiempo estimado por el proveedor para la recepción
@@ -826,12 +824,12 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Requerido Por
 apps/erpnext/erpnext/config/projects.py +36,Gantt chart of all tasks.,Diagrama de Gantt de todas las tareas .
 DocType: Purchase Order Item,Material Request Item,Elemento de la Solicitud de Material
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Solicitud de Materiales de máxima {0} se puede hacer para el punto {1} en contra de órdenes de venta {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Solicitud de Materiales de máxima {0} se puede hacer para el punto {1} en contra de órdenes de venta {2}
 DocType: Delivery Note,Required only for sample item.,Sólo es necesario para el artículo de muestra .
 DocType: Email Digest,Add/Remove Recipients,Añadir / Quitar Destinatarios
 ,Requested,Requerido
 DocType: Shipping Rule,Shipping Rule Conditions,Regla envío Condiciones
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Contribución Monto
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Contribución Monto
 DocType: Work Order,Item To Manufacture,Artículo Para Fabricación
 DocType: Notification Control,Quotation Message,Cotización Mensaje
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock Assets,Activos de Inventario
@@ -839,9 +837,9 @@
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Plantilla de impuestos para las transacciones de compra.
 DocType: Purchase Invoice,Taxes and Charges Deducted (Company Currency),Impuestos y Gastos Deducidos (Moneda Local)
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Articulo de Reconciliación de Inventario
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: Cuenta Padre {1} no pertenece a la compañía: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: Cuenta Padre {1} no pertenece a la compañía: {2}
 DocType: Serial No,Purchase / Manufacture Details,Detalles de Compra / Fábricas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,La cuenta para Débito debe ser una cuenta por cobrar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,La cuenta para Débito debe ser una cuenta por cobrar
 DocType: Warehouse,Warehouse Detail,Detalle de almacenes
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Enviar solicitud de materiales cuando se alcance un nivel bajo el stock
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalle de Calendario de Mantenimiento
@@ -853,20 +851,20 @@
 DocType: Opportunity,Contact Mobile No,No Móvil del Contacto
 DocType: Bank Statement Transaction Invoice Item,Invoice Date,Fecha de la factura
 DocType: Employee,Date Of Retirement,Fecha de la jubilación
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Por favor, establece campo ID de usuario en un registro de empleado para establecer Función del Empleado"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Por favor, establece campo ID de usuario en un registro de empleado para establecer Función del Empleado"
 DocType: Products Settings,Home Page is Products,Pagína de Inicio es Productos
 DocType: Account,Round Off,Redondear
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Establecer como Perdidos
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Establecer como Perdidos
 ,Sales Partners Commission,Comisiones de Ventas
 ,Sales Person Target Variance Item Group-Wise,Variación por Vendedor de Meta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Por favor, seleccione la Solicitud de Materiales en el campo de Solicitud de Materiales para el punto {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Por favor, seleccione la Solicitud de Materiales en el campo de Solicitud de Materiales para el punto {0}"
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Grado a la que la moneda de proveedor se convierte en la moneda base de la compañía
 DocType: Lead,Person Name,Nombre de la persona
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Número de lote es obligatorio para el producto {0}
 apps/erpnext/erpnext/accounts/general_ledger.py +113,Account: {0} can only be updated via Stock Transactions,La cuenta: {0} sólo puede ser actualizada a través de transacciones de inventario
 DocType: Expense Claim,Employees Email Id,Empleados Email Id
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Escasez Cantidad
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Escasez Cantidad
 ,Cash Flow,Flujo de Caja
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Función que esta autorizada a presentar las transacciones que excedan los límites de crédito establecidos .
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} No. de serie válidos para el producto {1}
@@ -877,11 +875,11 @@
 DocType: Quotation Item,Quotation Item,Cotización del artículo
 DocType: Employee,Date of Issue,Fecha de emisión
 DocType: Sales Invoice Item,Sales Invoice Item,Articulo de la Factura de Venta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Cliente {0} no pertenece a proyectar {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Cliente {0} no pertenece a proyectar {1}
 DocType: Delivery Note Item,Against Sales Invoice Item,Contra la Factura de Venta de Artículos
 DocType: Sales Invoice,Accounting Details,detalles de la contabilidad
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Entradas en el diario de contabilidad.
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Falta de Tipo de Cambio de moneda para {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Falta de Tipo de Cambio de moneda para {0}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +173,Capital Stock,Capital Social
 DocType: HR Settings,Employee Records to be created by,Registros de empleados a ser creados por
 DocType: Account,Expense Account,Cuenta de gastos
@@ -891,32 +889,32 @@
 DocType: Authorization Rule,Applicable To (Role),Aplicable a (Rol )
 DocType: Purchase Invoice Item,Amount (Company Currency),Importe (Moneda Local)
 apps/erpnext/erpnext/projects/doctype/project/project.js +54,Gantt Chart,Diagrama de Gantt
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: Cantidad de Material Solicitado es menor que Cantidad Mínima Establecida
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: Cantidad de Material Solicitado es menor que Cantidad Mínima Establecida
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planear bitácora de trabajo para las horas fuera de la estación.
 DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede mantener la altura , el peso, alergias , problemas médicos , etc"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +262,Against Journal Entry {0} does not have any unmatched {1} entry,Contra la Entrada de Diario {0} no tiene ninguna {1} entrada que vincular
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: Rechazado Cantidad no se puede introducir en la Compra de Retorno
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Habilitar / Deshabilitar el tipo de monedas
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: Rechazado Cantidad no se puede introducir en la Compra de Retorno
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Habilitar / Deshabilitar el tipo de monedas
 DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de Material para Manufactura
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Para combinar, la siguientes propiedades deben ser las mismas para ambos artículos"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Para combinar, la siguientes propiedades deben ser las mismas para ambos artículos"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},Número de orden {0} tiene un contrato de mantenimiento hasta {1}
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, extraiga los productos desde la nota de entrega--"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Mezclar Solicitud de Materiales (incluyendo subconjuntos )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Mezclar Solicitud de Materiales (incluyendo subconjuntos )
 DocType: Stock Settings,Auto Material Request,Solicitud de Materiales Automatica
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Obtener elementos de la Solicitud de Materiales
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Obtener elementos de la Solicitud de Materiales
 apps/erpnext/erpnext/config/selling.py +234,Customer Addresses And Contacts,Las direcciones de clientes y contactos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignar la misma cuenta como su cuenta Padre.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignar la misma cuenta como su cuenta Padre.
 DocType: Item Price,Item Price,Precios de Productos
 DocType: Leave Control Panel,Leave blank if considered for all branches,Dejar en blanco si se considera para todas las ramas
 DocType: Purchase Order,To Bill,A Facturar
 DocType: Production Plan Sales Order,Production Plan Sales Order,Plan de producción de la orden de ventas (OV)
 DocType: Purchase Invoice,Return,Retorno
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Por favor, ingrese la moneda por defecto en la compañía principal"
-DocType: Lead,Middle Income,Ingresos Medio
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Por favor, ingrese la moneda por defecto en la compañía principal"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Ingresos Medio
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +277,Sales Invoice {0} has already been submitted,Factura {0} ya se ha presentado
 DocType: Employee Education,Year of Passing,Año de Fallecimiento
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tasa a la cual la Moneda del Cliente se convierte a la moneda base de la compañía
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Cantidad de Fabricación es obligatoria
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Cantidad de Fabricación es obligatoria
 DocType: Serial No,AMC Expiry Date,AMC Fecha de caducidad
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Fila {0}: el tipo de entidad se requiere para las cuentas por cobrar/pagar {1}
 DocType: Sales Invoice,Total Billing Amount,Monto total de facturación
@@ -933,21 +931,21 @@
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pago neto (en palabras) será visible una vez que guarde la nómina.
 DocType: POS Profile,POS Profile,Perfiles POS
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglas para la adición de los gastos de envío .
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Código del producto requerido en la fila No. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Código del producto requerido en la fila No. {0}
 DocType: SMS Log,No of Requested SMS,No. de SMS solicitados
 apps/erpnext/erpnext/utilities/user_progress.py +146,Nos,Números
 DocType: Employee,Short biography for website and other publications.,Breve biografía de la página web y otras publicaciones.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Permiso de tipo {0} no puede tener más de {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Permiso de tipo {0} no puede tener más de {1}
 ,Sales Browser,Navegador de Ventas
 DocType: Employee,Contact Details,Datos del Contacto
 apps/erpnext/erpnext/stock/utils.py +243,Warehouse {0} does not belong to company {1},Almacén {0} no pertenece a la empresa {1}
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,El artículo {0} no puede tener lotes
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Los usuarios que pueden aprobar las solicitudes de licencia de un empleado específico
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Por Cantidad (Cantidad fabricada) es obligatorio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,No puede ser mayor que 100
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Por Cantidad (Cantidad fabricada) es obligatorio
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,No puede ser mayor que 100
 DocType: Maintenance Visit,Customer Feedback,Comentarios del cliente
 DocType: Purchase Receipt Item Supplied,Required Qty,Cant. Necesaria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Notas de Entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Notas de Entrega
 DocType: Bin,Stock Value,Valor de Inventario
 DocType: Purchase Invoice,In Words (Company Currency),En palabras (Moneda Local)
 DocType: Website Item Group,Website Item Group,Grupo de Artículos del Sitio Web
@@ -964,11 +962,11 @@
 DocType: Work Order,Qty To Manufacture,Cantidad Para Fabricación
 DocType: BOM Item,Basic Rate (Company Currency),Precio Base (Moneda Local)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +234,Total Outstanding Amt,Monto Total Soprepasado
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Monto Sobrepasado
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Monto Sobrepasado
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Fila {0}: Crédito no puede vincularse con {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Tarjeta de Crédito
 apps/erpnext/erpnext/accounts/party.py +288,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Partidas contables ya han sido realizadas en {0} para la empresa {1}. Por favor seleccione una cuenta por cobrar o pagar con moneda {0}
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplicar fila {0} con el mismo {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplicar fila {0} con el mismo {1}
 DocType: Leave Application,Leave Application,Solicitud de Vacaciones
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +39,For Supplier,Por proveedor
 apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Informe de visita por llamada de mantenimiento .
@@ -976,7 +974,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +33,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,El numero de serie no tiene almacén. el almacén debe establecerse por entradas de stock o recibos de compra
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Condiciones coincidentes encontradas entre :
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +49,Please specify a valid 'From Case No.',"Por favor, especifique 'Desde el caso No.' válido"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Artículo o Bodega para la fila {0} no coincide Solicitud de material
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Artículo o Bodega para la fila {0} no coincide Solicitud de material
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +215,'Total','Total'
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Deudores
 DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Establecer presupuestos - Grupo sabio artículo en este Territorio. También puede incluir la estacionalidad mediante el establecimiento de la Distribución .
@@ -987,14 +985,14 @@
 DocType: Item,Default BOM,Solicitud de Materiales por Defecto
 ,Delivery Note Trends,Tendencia de Notas de Entrega
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} has already been received,Número de orden {0} ya se ha recibido
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ingresado dos veces en el Impuesto del producto
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ingresado dos veces en el Impuesto del producto
 apps/erpnext/erpnext/config/projects.py +13,Project master.,Proyecto maestro
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Sólo puede haber una Condición de Regla de Envió  con valor 0 o valor en blanco para ""To Value"""
 DocType: Item Group,Item Group Name,Nombre del grupo de artículos
 DocType: Purchase Taxes and Charges,On Net Total,En Total Neto
 DocType: Account,Root Type,Tipo Root
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +150,Reference No & Reference Date is required for {0},Se requiere de No de Referencia y Fecha de Referencia para {0}
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Por favor, introduzca la fecha de recepción."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Por favor, introduzca la fecha de recepción."
 DocType: Sales Order Item,Gross Profit,Utilidad bruta
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Almacén no se encuentra en el sistema
 ,Serial No Status,Número de orden Estado
@@ -1003,7 +1001,6 @@
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Tarifa de la lista de precios (Moneda Local)
 DocType: Monthly Distribution,Distribution Name,Nombre del Distribución
 DocType: Journal Entry Account,Sales Order,Ordenes de Venta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,para
 DocType: Purchase Invoice Item,Weight UOM,Peso Unidad de Medida
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Se requiere un Almacen de Trabajo en Proceso antes de Enviar
 DocType: Production Plan,Get Sales Orders,Recibe Órdenes de Venta
@@ -1020,7 +1017,7 @@
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Adjuntar archivo .csv con dos columnas, una para el nombre antiguo y otro para el nombre nuevo"
 DocType: Depreciation Schedule,Schedule Date,Horario Fecha
 DocType: UOM,UOM Name,Nombre Unidad de Medida
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Almacenes de destino es obligatorio para la fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Almacenes de destino es obligatorio para la fila {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtener los elementos desde Recibos de Compra
 DocType: Item,Serial Number Series,Número de Serie Serie
 DocType: Sales Invoice,Product Bundle Help,Ayuda del conjunto/paquete de productos
diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv
index 23fa4ef..43cfb96 100644
--- a/erpnext/translations/es.csv
+++ b/erpnext/translations/es.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Partidas de deudores
 DocType: Project,Costing and Billing,Cálculo de Costos y Facturación
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},La moneda de la cuenta adelantada debe ser la misma que la moneda de la empresa {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: la cuenta padre {1} no puede ser una cuenta de libro mayor
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: la cuenta padre {1} no puede ser una cuenta de libro mayor
 DocType: Item,Publish Item to hub.erpnext.com,Publicar artículo en hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,No se puede encontrar el Período de permiso activo
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,No se puede encontrar el Período de permiso activo
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Evaluación
 DocType: Item,Default Unit of Measure,Unidad de Medida (UdM) predeterminada
 DocType: SMS Center,All Sales Partner Contact,Listado de todos los socios de ventas
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Haga clic en Entrar para Agregar
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Falta valor para la contraseña, la clave API o la URL de Shopify"
 DocType: Employee,Rented,Arrendado
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Todas las Cuentas
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Todas las Cuentas
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,No se puede transferir Empleado con estado dejado
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","La orden de producción detenida no puede ser cancelada, inicie de nuevo para cancelarla"
 DocType: Vehicle Service,Mileage,Kilometraje
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,¿Realmente desea desechar este activo?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,¿Realmente desea desechar este activo?
 DocType: Drug Prescription,Update Schedule,Actualizar Programa
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Elija un proveedor predeterminado
-apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Mostrar empleado
+apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Mostrar Empleado
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nueva Tasa de Cambio
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},La divisa/moneda es requerida para lista de precios {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},La divisa/moneda es requerida para lista de precios {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Será calculado en la transacción.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Contacto del Cliente
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Esto se basa en transacciones con este proveedor. Ver cronología abajo para más detalles
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Porcentaje de Sobreproducción para Orden de Trabajo
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Legal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Legal
+DocType: Delivery Note,Transport Receipt Date,Fecha de Recibo de Transporte
 DocType: Shopify Settings,Sales Order Series,Serie de Órdenes de Venta
 DocType: Vital Signs,Tongue,Lengua
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Exención HRA
 DocType: Sales Invoice,Customer Name,Nombre del cliente
 DocType: Vehicle,Natural Gas,Gas natural
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},La cuenta bancaria no puede nombrarse como {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},La cuenta bancaria no puede nombrarse como {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA según la estructura salarial
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Cuentas (o grupos) para el cual los asientos contables se crean y se mantienen los saldos
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),El pago pendiente para {0} no puede ser menor que cero ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,La fecha de detención del servicio no puede ser anterior a la fecha de inicio del servicio
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,La Fecha de Detención del Servicio no puede ser anterior a la Decha de Inicio del Servicio
 DocType: Manufacturing Settings,Default 10 mins,Por defecto 10 minutos
 DocType: Leave Type,Leave Type Name,Nombre del tipo de ausencia
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostrar abiertos
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Mostrar abiertos
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Secuencia actualizada correctamente
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Pedido
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} en la fila {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} en la fila {1}
 DocType: Asset Finance Book,Depreciation Start Date,Fecha de Inicio de la Depreciación
 DocType: Pricing Rule,Apply On,Aplicar en
 DocType: Item Price,Multiple Item prices.,Configuración de múltiples precios para los productos
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Configuración de respaldo
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,La fecha prevista de finalización no puede ser inferior a la fecha prevista de inicio
 DocType: Amazon MWS Settings,Amazon MWS Settings,Configuración de Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila #{0}: El valor debe ser el mismo que {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila #{0}: El valor debe ser el mismo que {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Estado de Caducidad de Lote de Productos
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Giro bancario
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -97,7 +99,7 @@
 ,Customers Without Any Sales Transactions,Clientes sin ninguna Transacción de Ventas
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +590,Accounts table cannot be blank.,La tabla de cuentas no puede estar en blanco
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Loans (Liabilities),Préstamos (pasivos)
-DocType: Patient Encounter,Encounter Time,Tiempo de encuentro
+DocType: Patient Encounter,Encounter Time,Tiempo de Encuentro
 DocType: Staffing Plan Detail,Total Estimated Cost,Costo Total Estimado
 DocType: Employee Education,Year of Passing,Año de Finalización
 DocType: Routing,Routing Name,Nombre de enrutamiento
@@ -107,22 +109,21 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Detalles de Contacto Principal
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Incidencias Abiertas
 DocType: Production Plan Item,Production Plan Item,Plan de producción de producto
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},El usuario {0} ya está asignado al empleado {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},El usuario {0} ya está asignado al empleado {1}
 DocType: Lab Test Groups,Add new line,Añadir nueva línea
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Asistencia médica
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retraso en el pago (días)
 DocType: Payment Terms Template Detail,Payment Terms Template Detail,Detalle de Plantilla de Condiciones de Pago
 DocType: Hotel Room Reservation,Guest Name,Nombre del Invitado
-DocType: Delivery Note,Issue Credit Note,Emitir nota de crédito
+DocType: Delivery Note,Issue Credit Note,Emitir Nota de Crédito
 DocType: Lab Prescription,Lab Prescription,Prescripción de Laboratorio
 ,Delay Days,Días de Demora
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Gasto de Servicio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de serie: {0} ya se hace referencia en Factura de venta: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de serie: {0} ya se hace referencia en Factura de venta: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Factura
 DocType: Purchase Invoice Item,Item Weight Details,Detalles del Peso del Artículo
 DocType: Asset Maintenance Log,Periodicity,Periodo
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Año Fiscal {0} es necesario
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Proveedor&gt; Grupo de proveedores
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Distancia mínima entre las filas de plantas para un crecimiento óptimo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Defensa
 DocType: Salary Component,Abbr,Abreviatura
@@ -136,16 +137,17 @@
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +94,Row #{0}: Payment document is required to complete the trasaction,Fila #{0}: Documento de Pago es requerido para completar la transacción
 DocType: Work Order Operation,Work In Progress,Trabajo en proceso
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +13,Please select date,Por favor seleccione la fecha
-DocType: Item Price,Minimum Qty ,Cantidad mínima
+DocType: Item Price,Minimum Qty ,Cantidad Mínima
 DocType: Finance Book,Finance Book,Libro de Finanzas
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Lista de festividades
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Contador
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Lista de Precios de Venta
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Lista de Precios de Venta
 DocType: Patient,Tobacco Current Use,Consumo Actual de Tabaco
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Tasa de Ventas
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Tasa de Ventas
 DocType: Cost Center,Stock User,Usuario de almacén
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Información del contacto
 DocType: Company,Phone No,Teléfono No.
 DocType: Delivery Trip,Initial Email Notification Sent,Notificación Inicial de Correo Electrónico Enviada
 DocType: Bank Statement Settings,Statement Header Mapping,Encabezado del enunciado
@@ -161,7 +163,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan_dashboard.py +8,Related,Relacionado
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +46,Attendance date can not be less than employee's joining date,La fecha de la asistencia no puede ser inferior a la fecha de ingreso de los empleados
 DocType: Grading Scale,Grading Scale Name,Nombre de  Escala de Calificación
-apps/erpnext/erpnext/public/js/hub/marketplace.js +148,Add Users to Marketplace,Agregar usuarios al mercado
+apps/erpnext/erpnext/public/js/hub/marketplace.js +148,Add Users to Marketplace,Agregar Usuarios al Mercado
 apps/erpnext/erpnext/accounts/doctype/account/account.js +37,This is a root account and cannot be edited.,Esta es una cuenta raíz y no se puede editar.
 DocType: Sales Invoice,Company Address,Dirección de la Compañía
 DocType: BOM,Operations,Operaciones
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Fecha de inicio de la Suscripción
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Cuentas por cobrar predeterminadas que se utilizarán si no están configuradas en Paciente para reservar Cargos por nombramiento.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Adjuntar archivo .csv con dos columnas, una para el nombre antiguo y la otra para el nombre nuevo."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Desde la dirección 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Código de artículo&gt; Grupo de artículos&gt; Marca
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Dirección Desde 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} no en cualquier año fiscal activa.
 DocType: Packed Item,Parent Detail docname,Detalle principal docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referencia: {0}, Código del Artículo: {1} y Cliente: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} no está presente en la empresa padre
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} no está presente en la empresa padre
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,La Fecha de Finalización del Período de Prueba no puede ser anterior a la Fecha de Inicio del Período de Prueba
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kilogramo
 DocType: Tax Withholding Category,Tax Withholding Category,Categoría de Retención de Impuestos
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Publicidad
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,La misma Compañia es ingresada mas de una vez
 DocType: Patient,Married,Casado
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},No está permitido para {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},No está permitido para {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Obtener artículos de
 DocType: Price List,Price Not UOM Dependant,Precio no Dependiente de UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Aplicar Monto de retención de impuestos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra la nota de envío {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Monto total acreditado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra la nota de envío {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Monto Total Acreditado
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Producto {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,No hay elementos en la lista
 DocType: Asset Repair,Error Description,Descripción del Error
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Utilice el Formato de Flujo de Efectivo Personalizado
 DocType: SMS Center,All Sales Person,Todos los vendedores
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** Distribución mensual ayuda a distribuir el presupuesto / Target a través de meses si tiene la estacionalidad de su negocio.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,No se encontraron artículos
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Falta Estructura Salarial
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,No se encontraron artículos
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Falta Estructura Salarial
 DocType: Lead,Person Name,Nombre de persona
 DocType: Sales Invoice Item,Sales Invoice Item,Producto de factura de venta
 DocType: Account,Credit,Haber
@@ -219,37 +220,36 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Reportes de Stock
 DocType: Warehouse,Warehouse Detail,Detalles del Almacén
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"La fecha final de duración no puede ser posterior a la fecha de fin de año del año académico al que está vinculado el término (año académico {}). Por favor, corrija las fechas y vuelve a intentarlo."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Es activo fijo"" no puede estar sin marcar, ya que existe registro de activos contra el elemento"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Es activo fijo"" no puede estar sin marcar, ya que existe registro de activos contra el elemento"
 DocType: Delivery Trip,Departure Time,Hora de Salida
 DocType: Vehicle Service,Brake Oil,Aceite de Frenos
 DocType: Tax Rule,Tax Type,Tipo de impuestos
 ,Completed Work Orders,Órdenes de Trabajo completadas
 DocType: Support Settings,Forum Posts,Publicaciones del Foro
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Base Imponible
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Base Imponible
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},No tiene permisos para agregar o actualizar las entradas antes de {0}
 DocType: Leave Policy,Leave Policy Details,Dejar detalles de la política
 DocType: BOM,Item Image (if not slideshow),Imagen del producto (si no son diapositivas)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarifa por hora / 60) * Tiempo real de la operación
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Fila #{0}: El tipo de documento de referencia debe ser uno de Reembolso de Gastos o Asiento Contable
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Seleccione la lista de materiales
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Fila #{0}: El tipo de documento de referencia debe ser uno de Reembolso de Gastos o Asiento Contable
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Seleccione la lista de materiales
 DocType: SMS Log,SMS Log,Registros SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costo de productos entregados
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,El día de fiesta en {0} no es entre De la fecha y Hasta la fecha
-DocType: Inpatient Record,Admission Scheduled,Admisión programada
+DocType: Inpatient Record,Admission Scheduled,Admisión Programada
 DocType: Student Log,Student Log,Bitácora del Estudiante
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Plantillas de posiciones de proveedores.
 DocType: Lead,Interested,Interesado
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Apertura
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Desde {0} a {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Desde {0} a {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programa:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Error al configurar los impuestos
 DocType: Item,Copy From Item Group,Copiar desde grupo
-DocType: Delivery Trip,Delivery Notification,Notificación de Entrega
 DocType: Journal Entry,Opening Entry,Asiento de apertura
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Sólo cuenta de pago
 DocType: Loan,Repay Over Number of Periods,Devolución por cantidad de períodos
 DocType: Stock Entry,Additional Costs,Costes adicionales
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Cuenta con transacción existente no se puede convertir al grupo.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Cuenta con transacción existente no se puede convertir al grupo.
 DocType: Lead,Product Enquiry,Petición de producto
 DocType: Education Settings,Validate Batch for Students in Student Group,Validar lote para estudiantes en grupo de estudiantes
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},No hay registro de vacaciones encontrados para los empleados {0} de {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Por favor, ingrese primero la compañía"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Por favor, seleccione primero la compañía"
 DocType: Employee Education,Under Graduate,Estudiante
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Configure la plantilla predeterminada para la Notifiación de Estado de Vacaciones en configuración de Recursos Humanos.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Configure la plantilla predeterminada para la Notifiación de Estado de Vacaciones en configuración de Recursos Humanos.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Objetivo en
 DocType: BOM,Total Cost,Coste total
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Estado de cuenta
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Productos farmacéuticos
 DocType: Purchase Invoice Item,Is Fixed Asset,Es activo fijo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Cantidad disponible es {0}, necesita {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Cantidad disponible es {0}, necesita {1}"
 DocType: Expense Claim Detail,Claim Amount,Importe del reembolso
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},La Órden de Trabajo ha sido {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Plantilla de Inspección de Calidad
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",¿Quieres actualizar la asistencia? <br> Presente: {0} \ <br> Ausentes: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,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}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cantidad Aceptada + Rechazada debe ser igual a la cantidad Recibida por el Artículo {0}
 DocType: Item,Supply Raw Materials for Purchase,Suministro de materia prima para la compra
 DocType: Agriculture Analysis Criteria,Fertilizer,Fertilizante
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","No se puede garantizar la entrega por número de serie, ya que \ Item {0} se agrega con y sin Garantizar entrega por \ Serial No."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Se requiere al menos un modo de pago de la factura POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Se requiere al menos un modo de pago de la factura POS.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Estado de Factura de Transacción de Extracto Bancario
 DocType: Products Settings,Show Products as a List,Mostrar los productos en forma de lista
 DocType: Salary Detail,Tax on flexible benefit,Impuesto sobre el Beneficio Flexible
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Dif. Cant.
 DocType: Production Plan,Material Request Detail,Detalle de Solicitud de Material
 DocType: Selling Settings,Default Quotation Validity Days,Días de Validez de Cotizaciones Predeterminados
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto en la línea {0} los impuestos de las lineas {1} tambien deben ser incluidos
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto en la línea {0} los impuestos de las lineas {1} tambien deben ser incluidos
 DocType: SMS Center,SMS Center,Centro SMS
 DocType: Payroll Entry,Validate Attendance,Validar la Asistencia
 DocType: Sales Invoice,Change Amount,Importe de Cambio
 DocType: Party Tax Withholding Config,Certificate Received,Certificado Recibido
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Establezca el valor de factura para B2C. B2CL y B2CS calculados en base a este valor de factura.
 DocType: BOM Update Tool,New BOM,Nueva Solicitud de Materiales
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Procedimientos prescritos
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Procedimientos Prescritos
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Mostrar solo POS
 DocType: Supplier Group,Supplier Group Name,Nombre del Grupo de Proveedores
 DocType: Driver,Driving License Categories,Categorías de Licencia de Conducir
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Períodos de Nómina
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Crear Empleado
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Difusión
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Modo de configuración de POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Modo de configuración de POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Desactiva la creación de Registros de Tiempo contra Órdenes de Trabajo. Las operaciones no se rastrearán en función de la Orden de Trabajo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Ejecución
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detalles de las operaciones realizadas.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Dto (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Plantilla del Artículo
 DocType: Job Offer,Select Terms and Conditions,Seleccione términos y condiciones
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Fuera de Valor
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Fuera de Valor
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Elemento de Configuración de Extracto Bancario
 DocType: Woocommerce Settings,Woocommerce Settings,Configuración de Woocommerce
 DocType: Production Plan,Sales Orders,Ordenes de venta
@@ -389,21 +389,21 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,La solicitud de cotización se puede acceder haciendo clic en el siguiente enlace
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Herramienta de Creación de Curso
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Descripción de Pago
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,insuficiente Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,insuficiente Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desactivar planificación de capacidad y seguimiento de tiempo
 DocType: Email Digest,New Sales Orders,Nueva orden de venta (OV)
 DocType: Bank Account,Bank Account,Cuenta Bancaria
 DocType: Travel Itinerary,Check-out Date,Echa un vistazo a la Fecha
 DocType: Leave Type,Allow Negative Balance,Permitir Saldo Negativo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',No puede eliminar Tipo de proyecto &#39;Externo&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Seleccionar Artículo Alternativo
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Seleccionar Artículo Alternativo
 DocType: Employee,Create User,Crear usuario
 DocType: Selling Settings,Default Territory,Territorio predeterminado
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televisión
 DocType: Work Order Operation,Updated via 'Time Log',Actualizado a través de la gestión de tiempos
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Seleccione el Cliente o Proveedor.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Cantidad de avance no puede ser mayor que {0} {1}
-apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Ranura de tiempo rayada, la ranura {0} a {1} se superpone al intervalo existente {2} a {3}"
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Cantidad de avance no puede ser mayor que {0} {1}
+apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Ranura de tiempo omitida, la ranura {0} a {1} se superpone al intervalo existente {2} a {3}"
 DocType: Naming Series,Series List for this Transaction,Lista de secuencias para esta transacción
 DocType: Company,Enable Perpetual Inventory,Habilitar Inventario Perpetuo
 DocType: Bank Guarantee,Charges Incurred,Cargos Incurridos
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Contra la factura de venta del producto
 DocType: Agriculture Analysis Criteria,Linked Doctype,Doctype Vinculado
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Efectivo neto de financiación
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Almacenamiento Local esta lleno, no se guardó"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Almacenamiento Local esta lleno, no se guardó"
 DocType: Lead,Address & Contact,Dirección y Contacto
 DocType: Leave Allocation,Add unused leaves from previous allocations,Añadir permisos no usados de asignaciones anteriores
 DocType: Sales Partner,Partner website,Sitio web de colaboradores
@@ -435,7 +435,7 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Tax Id: ,Identificación del Impuesto:
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +216,Student ID: ,Identificación del Estudiante:
 DocType: POS Customer Group,POS Customer Group,POS Grupo de Clientes
-DocType: Healthcare Practitioner,Practitioner Schedules,Horarios de practicantes
+DocType: Healthcare Practitioner,Practitioner Schedules,Horarios de Practicantes
 DocType: Cheque Print Template,Line spacing for amount in words,interlineado de la suma en palabras
 DocType: Vehicle,Additional Details,Detalles adicionales
 apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Ninguna descripción definida
@@ -446,10 +446,10 @@
 ,Open Work Orders,Abrir Órdenes de Trabajo
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Artículo de carga de consultoría para pacientes
 DocType: Payment Term,Credit Months,Meses de Crédito
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Pago Neto no puede ser menor que 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Pago Neto no puede ser menor que 0
 DocType: Contract,Fulfilled,Cumplido
 DocType: Inpatient Record,Discharge Scheduled,Descarga programada
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,La fecha de relevo debe ser mayor que la fecha de inicio
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,La fecha de relevo debe ser mayor que la fecha de inicio
 DocType: POS Closing Voucher,Cashier,Cajero
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Ausencias por año
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Línea {0}: Por favor, verifique 'Es un anticipo' para la cuenta {1} si se trata de una entrada de pago anticipado."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Por favor, configure los estudiantes en grupos de estudiantes"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Trabajo completo
 DocType: Item Website Specification,Item Website Specification,Especificación del producto en la WEB
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Vacaciones Bloqueadas
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},El producto {0} ha llegado al fin de la vida útil el {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Vacaciones Bloqueadas
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},El producto {0} ha llegado al fin de la vida útil el {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Asientos Bancarios
 DocType: Customer,Is Internal Customer,Es Cliente Interno
 DocType: Crop,Annual,Anual
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Si la opción Auto Opt In está marcada, los clientes se vincularán automáticamente con el programa de lealtad en cuestión (al guardar)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Elemento de reconciliación de inventarios
 DocType: Stock Entry,Sales Invoice No,Factura de venta No.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tipo de alimentación
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tipo de Suministro
 DocType: Material Request Item,Min Order Qty,Cantidad mínima de Pedido
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curso herramienta de creación de grupo de alumnos
 DocType: Lead,Do Not Contact,No contactar
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Publicar en el Hub
 DocType: Student Admission,Student Admission,Admisión de Estudiantes
 ,Terretory,Territorio
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,El producto {0} esta cancelado
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,El producto {0} esta cancelado
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Fila de depreciación {0}: fecha de inicio de depreciación se ingresa como fecha pasada
 DocType: Contract Template,Fulfilment Terms and Conditions,Términos y Condiciones de Cumplimiento
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Solicitud de Materiales
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Solicitud de Materiales
 DocType: Bank Reconciliation,Update Clearance Date,Actualizar fecha de liquidación
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Detalles de Compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},El elemento {0} no se encuentra en 'Materias Primas Suministradas' en la tabla de la órden de compra {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},El elemento {0} no se encuentra en 'Materias Primas Suministradas' en la tabla de la órden de compra {1}
 DocType: Salary Slip,Total Principal Amount,Monto Principal Total
 DocType: Student Guardian,Relation,Relación
 DocType: Student Guardian,Mother,Madre
@@ -499,7 +499,7 @@
 apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Ordenes de clientes confirmadas.
 DocType: Purchase Receipt Item,Rejected Quantity,Cantidad rechazada
 apps/erpnext/erpnext/education/doctype/fees/fees.py +80,Payment request {0} created,Pedido de pago {0} creado
-DocType: Inpatient Record,Admitted Datetime,Fecha de entrada admitida
+DocType: Inpatient Record,Admitted Datetime,Fecha de Entrada Admitida
 DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Retroceda las materias primas del almacén de trabajo en progreso
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Open Orders,Ordenes Abiertas
 apps/erpnext/erpnext/healthcare/setup.py +187,Low Sensitivity,Baja Sensibilidad
@@ -514,7 +514,7 @@
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py +9,All Healthcare Service Units,Todas las Unidades de Servicios de Salud
 DocType: Bank Account,Address HTML,Dirección HTML
 DocType: Lead,Mobile No.,Número móvil
-apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html +35,Mode of Payments,Modo de pago
+apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html +35,Mode of Payments,Modo de Pago
 DocType: Maintenance Schedule,Generate Schedule,Generar planificación
 DocType: Purchase Invoice Item,Expense Head,Cuenta de gastos
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +149,Please select Charge Type first,"Por favor, seleccione primero el tipo de cargo"
@@ -529,15 +529,16 @@
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Grado máximo
 DocType: Email Digest,New Quotations,Nuevas Cotizaciones
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +60,Attendance not submitted for {0} as {1} on leave.,Asistencia no enviada para {0} como {1} con permiso.
-DocType: Journal Entry,Payment Order,Orden de pago
+DocType: Journal Entry,Payment Order,Orden de Pago
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Envíe por correo electrónico el recibo de salario al empleado basándose en el correo electrónico preferido seleccionado en Empleado
 DocType: Tax Rule,Shipping County,País de envío
 DocType: Currency Exchange,For Selling,Para la Venta
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Aprender
+DocType: Purchase Invoice Item,Enable Deferred Expense,Habilitar el Gasto Diferido
 DocType: Asset,Next Depreciation Date,Siguiente Fecha de Depreciación
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Coste de actividad por empleado
 DocType: Accounts Settings,Settings for Accounts,Ajustes de contabilidad
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Factura de Proveedor no existe en la Factura de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Factura de Proveedor no existe en la Factura de Compra {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Administrar las categoría de los socios de ventas
 DocType: Job Applicant,Cover Letter,Carta de presentación
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques pendientes y Depósitos para despejar
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Historial de trabajos externos
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Error de referencia circular
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Boleta de Calificaciones Estudiantil
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Del código PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Del código PIN
 DocType: Appointment Type,Is Inpatient,Es paciente hospitalizado
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nombre del Tutor1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En palabras (Exportar) serán visibles una vez que guarde la nota de entrega.
@@ -560,25 +561,26 @@
 apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unidades de [{1}] (# Formulario / artículo / {1}) encontradas en [{2}] (# Formulario / Almacén / {2})
 DocType: Lead,Industry,Industria
 DocType: BOM Item,Rate & Amount,Tasa y Cantidad
-DocType: BOM,Transfer Material Against Job Card,Transferir material contra tarjeta de trabajo
+DocType: BOM,Transfer Material Against Job Card,Transferir Material contra Tarjeta de Trabajo
 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificarme por Email cuando se genere una nueva requisición de materiales
 apps/erpnext/erpnext/healthcare/setup.py +191,Resistant,Resistente
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +77,Please set Hotel Room Rate on {},Configura la Tarifa de la Habitación del Hotel el {}
 DocType: Journal Entry,Multi Currency,Multi Moneda
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo de factura
 DocType: Employee Benefit Claim,Expense Proof,Prueba de Gastos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Nota de entrega
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Guardando {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Nota de entrega
 DocType: Patient Encounter,Encounter Impression,Encuentro de la Impresión
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuración de Impuestos
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Costo del activo vendido
 DocType: Volunteer,Morning,Mañana
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"El registro del pago ha sido modificado antes de su modificación. Por favor, inténtelo de nuevo."
 DocType: Program Enrollment Tool,New Student Batch,Nuevo Lote de Estudiantes
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} se ingresó dos veces en impuesto del artículo
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Resumen para esta semana y actividades pendientes
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} se ingresó dos veces en impuesto del artículo
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Resumen para esta semana y actividades pendientes
 DocType: Student Applicant,Admitted,Aceptado
 DocType: Workstation,Rent Cost,Costo de arrendamiento
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Cantidad Después de Depreciación
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Cantidad Después de Depreciación
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Calendario de Eventos Próximos
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Atributos de Variante
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Por favor seleccione el mes y el año
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Sólo puede existir una (1) cuenta por compañía en {0} {1}
 DocType: Support Search Source,Response Result Key Path,Ruta clave del resultado de la respuesta
 DocType: Journal Entry,Inter Company Journal Entry,Entrada de la revista Inter Company
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Para la cantidad {0} no debe ser mayor que la cantidad de la orden de trabajo {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Por favor, revise el documento adjunto"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Para la cantidad {0} no debe ser mayor que la cantidad de la orden de trabajo {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Por favor, revise el documento adjunto"
 DocType: Purchase Order,% Received,% Recibido
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Crear grupos de estudiantes
 DocType: Volunteer,Weekends,Fines de Semana
@@ -639,7 +641,7 @@
 DocType: Leave Application,Leave Approver Name,Nombre del supervisor de ausencias
 DocType: Depreciation Schedule,Schedule Date,Fecha de programa
 DocType: Amazon MWS Settings,FR,FR
-DocType: Packed Item,Packed Item,Artículo empacado
+DocType: Packed Item,Packed Item,Artículo Empacado
 DocType: Job Offer Term,Job Offer Term,Término de Oferta de Trabajo
 apps/erpnext/erpnext/config/buying.py +65,Default settings for buying transactions.,Ajustes predeterminados para las transacciones de compra.
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},Existe un coste de actividad para el empleado {0} contra el tipo de actividad - {1}
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Total Excepcional
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Defina el nuevo número de secuencia para esta transacción.
 DocType: Dosage Strength,Strength,Fuerza
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Crear un nuevo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Crear un nuevo cliente
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Venciendo en
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si existen varias reglas de precios, se les pide a los usuarios que establezcan la prioridad manualmente para resolver el conflicto."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Crear Órdenes de Compra
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Coste de consumibles
 DocType: Purchase Receipt,Vehicle Date,Fecha de Vehículos
 DocType: Student Log,Medical,Médico
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Razón de pérdida
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Seleccione Droga
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Razón de pérdida
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Seleccione Droga
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Propietario de Iniciativa no puede ser igual que el de la Iniciativa
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,importe asignado no puede superar el importe no ajustado
 DocType: Announcement,Receiver,Receptor
 DocType: Location,Area UOM,Área UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},La estación de trabajo estará cerrada en las siguientes fechas según la lista de festividades: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Oportunidades
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Oportunidades
 DocType: Lab Test Template,Single,Soltero
 DocType: Compensatory Leave Request,Work From Date,Trabajar Desde la Fecha
 DocType: Salary Slip,Total Loan Repayment,Amortización total del préstamo
+DocType: Project User,View attachments,Ver Adjuntos
 DocType: Account,Cost of Goods Sold,Costo sobre ventas
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,"Por favor, introduzca el centro de costos"
 DocType: Drug Prescription,Dosage,Dosificación
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Cantidad y Precios
 DocType: Delivery Note,% Installed,% Instalado
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las clases se pueden programar."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Las monedas de la empresa de ambas compañías deben coincidir para las Transacciones entre empresas.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Las monedas de la empresa de ambas compañías deben coincidir para las Transacciones entre empresas.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,"Por favor, ingrese el nombre de la compañia"
 DocType: Travel Itinerary,Non-Vegetarian,No Vegetariano
 DocType: Purchase Invoice,Supplier Name,Nombre de proveedor
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Temporalmente en Espera
 DocType: Account,Is Group,Es un grupo
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Nota de crédito {0} se ha creado automáticamente
-DocType: Email Digest,Pending Purchase Orders,A la espera de órdenes de compra
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Ajusta automáticamente los números de serie basado en FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Comprobar número de factura único por proveedor
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Detalles de la Dirección Primaria
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personalizar el texto de introducción que va como una parte de este correo electrónico. Cada transacción tiene un texto introductorio separado.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Fila {0}: se requiere operación contra el artículo de materia prima {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Establezca la cuenta de pago predeterminada para la empresa {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transacción no permitida contra Órden de Trabajo detenida {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transacción no permitida contra Órden de Trabajo detenida {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Configuración global para todos los procesos de producción
 DocType: Accounts Settings,Accounts Frozen Upto,Cuentas congeladas hasta
 DocType: SMS Log,Sent On,Enviado por
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atributo {0} seleccionado varias veces en la tabla Atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atributo {0} seleccionado varias veces en la tabla Atributos
 DocType: HR Settings,Employee record is created using selected field. ,El registro del empleado se crea utilizando el campo seleccionado.
 DocType: Sales Order,Not Applicable,No aplicable
 DocType: Amazon MWS Settings,UK,Reino Unido
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,El empleado {0} ya ha solicitado {1} en {2}:
 DocType: Inpatient Record,AB Positive,AB Positivo
 DocType: Job Opening,Description of a Job Opening,Descripción de la oferta de trabajo
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Actividades pendientes para hoy
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Actividades pendientes para hoy
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Componente de salario para la nómina basada en hoja de salario.
+DocType: Driver,Applicable for external driver,Aplicable para controlador externo.
 DocType: Sales Order Item,Used for Production Plan,Se utiliza para el plan de producción
 DocType: Loan,Total Payment,Pago total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,No se puede cancelar la transacción para la Orden de Trabajo completada.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,No se puede cancelar la transacción para la Orden de Trabajo completada.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Tiempo entre operaciones (en minutos)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO ya creado para todos los artículos de pedido de venta
 DocType: Healthcare Service Unit,Occupied,Ocupado
 DocType: Clinical Procedure,Consumables,Consumibles
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} está cancelado por lo tanto la acción no puede ser completada
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} está cancelado por lo tanto la acción no puede ser completada
 DocType: Customer,Buyer of Goods and Services.,Consumidor de productos y servicios.
 DocType: Journal Entry,Accounts Payable,Cuentas por pagar
-apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,El monto de {0} establecido en esta solicitud de pago es diferente del monto calculado de todos los planes de pago: {1}. Asegúrese de que esto sea correcto antes de enviar el documento.
+apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,El monto de {0} establecido en esta Solicitud de Pago es diferente del monto calculado de todos los planes de pago: {1}. Asegúrese de que esto sea correcto antes de enviar el documento.
 DocType: Patient,Allergies,Alergias
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Las listas de materiales seleccionados no son para el mismo artículo
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Las listas de materiales seleccionados no son para el mismo artículo
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Cambiar Código de Artículo
 DocType: Supplier Scorecard Standing,Notify Other,Notificar Otro
 DocType: Vital Signs,Blood Pressure (systolic),Presión Arterial (sistólica)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Piezas suficiente para construir
 DocType: POS Profile User,POS Profile User,Usuario de Perfil POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Fila {0}: se requiere la fecha de inicio de depreciación
-DocType: Sales Invoice Item,Service Start Date,Fecha de Inicio del Servicio
+DocType: Purchase Invoice Item,Service Start Date,Fecha de Inicio del Servicio
 DocType: Subscription Invoice,Subscription Invoice,Factura de Suscripción
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Ingreso directo
 DocType: Patient Appointment,Date TIme,Fecha y Hora
@@ -793,8 +796,8 @@
 DocType: Lab Test Template,Lab Routine,Rutina de Laboratorio
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Cosméticos
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Seleccione Fecha de Finalización para el Registro de Mantenimiento de Activos Completado
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Para fusionar, la siguientes propiedades deben ser las mismas en ambos productos"
-DocType: Supplier,Block Supplier,Proveedor de bloque
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Para fusionar, la siguientes propiedades deben ser las mismas en ambos productos"
+DocType: Supplier,Block Supplier,Bloquear Proveedor
 DocType: Shipping Rule,Net Weight,Peso neto
 DocType: Job Opening,Planned number of Positions,Número planificado de Posiciones
 DocType: Employee,Emergency Phone,Teléfono de Emergencia
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Plantilla de mapeo de Flujo de Caja
 DocType: Travel Request,Costing Details,Detalles de Costos
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Mostrar entradas de vuelta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Nº de serie artículo no puede ser una fracción
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Nº de serie artículo no puede ser una fracción
 DocType: Journal Entry,Difference (Dr - Cr),Diferencia (Deb - Cred)
 DocType: Bank Guarantee,Providing,Siempre que
 DocType: Account,Profit and Loss,Pérdidas y ganancias
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","No permitido, configure la Plantilla de Prueba de Laboratorio según sea necesario"
 DocType: Patient,Risk Factors,Factores de Riesgo
 DocType: Patient,Occupational Hazards and Environmental Factors,Riesgos Laborales y Factores Ambientales
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Entradas de Stock ya creadas para Órden de Trabajo
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Entradas de Stock ya creadas para Órden de Trabajo
 DocType: Vital Signs,Respiratory rate,Frecuencia Respiratoria
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Gestión de sub-contrataciones
 DocType: Vital Signs,Body Temperature,Temperatura Corporal
 DocType: Project,Project will be accessible on the website to these users,Proyecto será accesible en la página web de estos usuarios
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},No se puede cancelar {0} {1} porque el número de serie {2} no pertenece al almacén {3}
 DocType: Detected Disease,Disease,Enfermedad
+DocType: Company,Default Deferred Expense Account,Cuenta de gastos diferidos predeterminada
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Defina el Tipo de Proyecto.
 DocType: Supplier Scorecard,Weighting Function,Función de ponderación
 DocType: Healthcare Practitioner,OP Consulting Charge,Cargo de Consultoría OP
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Artículos Producidos
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Hacer coincidir la transacción con las facturas
 DocType: Sales Order Item,Gross Profit,Beneficio Bruto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Desbloquear Factura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Desbloquear Factura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Incremento no puede ser 0
 DocType: Company,Delete Company Transactions,Eliminar las transacciones de la compañía
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Nro de referencia y fecha de referencia es obligatoria para las transacciones bancarias
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Pasar por alto
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} no está activo
 DocType: Woocommerce Settings,Freight and Forwarding Account,Cuenta de Flete y Reenvío
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Configurar dimensiones de cheque para la impresión
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Configurar dimensiones de cheque para la impresión
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Crear resbalones salariales
 DocType: Vital Signs,Bloated,Hinchado
 DocType: Salary Slip,Salary Slip Timesheet,Registro de Horas de Nómina
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,El almacén del proveedor es necesario para compras sub-contratadas
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,El almacén del proveedor es necesario para compras sub-contratadas
 DocType: Item Price,Valid From,Válido Desde
 DocType: Sales Invoice,Total Commission,Comisión total
 DocType: Tax Withholding Account,Tax Withholding Account,Cuenta de Retención de Impuestos
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Todas las Evaluaciones del Proveedor
 DocType: Buying Settings,Purchase Receipt Required,Recibo de compra requerido
 DocType: Delivery Note,Rail,Carril
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,El Almacén de Destino en la fila {0} debe ser igual que la Órden de Trabajo
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Rango de Valoración es obligatorio si se ha ingresado una Apertura de Almacén
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,El Almacén de Destino en la fila {0} debe ser igual que la Órden de Trabajo
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Rango de Valoración es obligatorio si se ha ingresado una Apertura de Almacén
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,No se encontraron registros en la tabla de facturas
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Por favor, seleccione la compañía y el tipo de entidad"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Ya se configuró por defecto en el perfil de pos {0} para el usuario {1}, amablemente desactivado por defecto"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finanzas / Ejercicio contable.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finanzas / Ejercicio contable.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valores acumulados
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Lamentablemente, los numeros de serie no se puede fusionar"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,El grupo de clientes se configurará en el grupo seleccionado mientras se sincroniza a los clientes de Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,ID de iniciativa
 DocType: C-Form Invoice Detail,Grand Total,Total
 DocType: Assessment Plan,Course,Curso
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Código de sección
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Código de Sección
 DocType: Timesheet,Payslip,Recibo de Sueldo
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,La fecha del medio día debe estar entre la fecha y la fecha
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Articulo de Carrito de Compras
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Biografía Personal
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID de membresía
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Entregado: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Entregado: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Conectado a QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Cuenta por pagar
 DocType: Payment Entry,Type of Payment,Tipo de Pago
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,La fecha de medio día es obligatoria
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Fecha de Facturación de Envío
 DocType: Production Plan,Production Plan,Plan de Producción
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Herramienta de Apertura de Creación de Facturas
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Devoluciones de ventas
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Devoluciones de ventas
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota:  Las vacaciones totales asignadas {0} no debe ser inferior a las vacaciones ya aprobadas {1} para el período
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Establezca la cantidad en transacciones basadas en la entrada en serie sin
 ,Total Stock Summary,Resumen de stock total
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Cliente o artículo
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de datos de Clientes.
 DocType: Quotation,Quotation To,Presupuesto para
-DocType: Lead,Middle Income,Ingreso Medio
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Ingreso Medio
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Apertura (Cred)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidad de medida predeterminada para el artículo {0} no se puede cambiar directamente porque ya ha realizado alguna transacción (s) con otra UOM. Usted tendrá que crear un nuevo elemento a utilizar un UOM predeterminado diferente.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidad de medida predeterminada para el artículo {0} no se puede cambiar directamente porque ya ha realizado alguna transacción (s) con otra UOM. Usted tendrá que crear un nuevo elemento a utilizar un UOM predeterminado diferente.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Monto asignado no puede ser negativo
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Por favor establezca la empresa
 DocType: Share Balance,Share Balance,Compartir Saldo
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Seleccionar la cuenta de pago para hacer la entrada del Banco
 DocType: Hotel Settings,Default Invoice Naming Series,Serie de Nomencaltura predeterminada de Factura de Venta
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Crear registros de los empleados para gestionar los permisos, las reclamaciones de gastos y nómina"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Se produjo un error durante el proceso de actualización
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Se produjo un error durante el proceso de actualización
 DocType: Restaurant Reservation,Restaurant Reservation,Reserva de Restaurante
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Redacción de propuestas
 DocType: Payment Entry Deduction,Payment Entry Deduction,Deducción de Entrada de Pago
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Terminando
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Notificar a los Clientes por Correo Electrónico
 DocType: Item,Batch Number Series,Serie de Número de Lote
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Existe otro vendedor {0} con el mismo ID de empleado
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Existe otro vendedor {0} con el mismo ID de empleado
 DocType: Employee Advance,Claimed Amount,Cantidad Reclamada
+DocType: QuickBooks Migrator,Authorization Settings,Configuraciones de autorización
 DocType: Travel Itinerary,Departure Datetime,Hora de Salida
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Costo de Solicitud de Viaje
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Ordenar proveedores por
 DocType: Activity Type,Default Costing Rate,Precio de costo predeterminado
 DocType: Maintenance Schedule,Maintenance Schedule,Calendario de Mantenimiento
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Luego las reglas de precios son filtradas por cliente, categoría de cliente, territorio, proveedor, tipo de proveedor, campaña, socio de ventas, etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Luego las reglas de precios son filtradas por cliente, categoría de cliente, territorio, proveedor, tipo de proveedor, campaña, socio de ventas, etc."
 DocType: Employee Promotion,Employee Promotion Details,Detalles de la Promoción del Empleado
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Cambio neto en el inventario
 DocType: Employee,Passport Number,Número de pasaporte
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relación con Tutor2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Gerente
 DocType: Payment Entry,Payment From / To,Pago de / a
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Del Año Fiscal
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nuevo límite de crédito es menor que la cantidad pendiente actual para el cliente. límite de crédito tiene que ser al menos {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Configura la Cuenta en Almacén {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Configura la Cuenta en Almacén {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basado en' y 'Agrupar por' no pueden ser iguales
 DocType: Sales Person,Sales Person Targets,Objetivos de ventas del vendedor
 DocType: Work Order Operation,In minutes,En minutos
 DocType: Issue,Resolution Date,Fecha de resolución
 DocType: Lab Test Template,Compound,Compuesto
+DocType: Opportunity,Probability (%),Probabilidad (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Notificación de Despacho
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Seleccionar Propiedad
 DocType: Student Batch Name,Batch Name,Nombre del lote
 DocType: Fee Validity,Max number of visit,Número máximo de visitas
 ,Hotel Room Occupancy,Ocupación de la Habitación del Hotel
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Tabla de Tiempo creada:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Por favor, defina la cuenta de bancos o caja predeterminados en el método de pago {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Por favor, defina la cuenta de bancos o caja predeterminados en el método de pago {0}"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Inscribirse
 DocType: GST Settings,GST Settings,Configuración de GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},La moneda debe ser la misma que la moneda de la Lista de Precios: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Interés total a pagar
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,"Impuestos, cargos y costos de destino estimados"
 DocType: Work Order Operation,Actual Start Time,Hora de inicio real
+DocType: Purchase Invoice Item,Deferred Expense Account,Cuenta de gastos diferidos
 DocType: BOM Operation,Operation Time,Tiempo de Operación
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Terminar
 DocType: Salary Structure Assignment,Base,Base
 DocType: Timesheet,Total Billed Hours,Total de Horas Facturadas
 DocType: Travel Itinerary,Travel To,Viajar a
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,no es
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Importe de Desajuste
 DocType: Leave Block List Allow,Allow User,Permitir al usuario
 DocType: Journal Entry,Bill No,Factura No.
@@ -1072,14 +1082,13 @@
 DocType: Bank Guarantee,Bank Guarantee Number,Número de Garantía Bancaria
 DocType: Assessment Criteria,Assessment Criteria,Criterios de Evaluación
 DocType: BOM Item,Basic Rate (Company Currency),Precio base (Divisa por defecto)
-apps/erpnext/erpnext/support/doctype/issue/issue.js +38,Split Issue,Problema de división
+apps/erpnext/erpnext/support/doctype/issue/issue.js +38,Split Issue,Problema de División
 DocType: Student Attendance,Student Attendance,Asistencia del estudiante
 DocType: Sales Invoice Timesheet,Time Sheet,Hoja de horario
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Adquisición retroactiva de materia prima basada en
 DocType: Sales Invoice,Port Code,Código de Puerto
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Almacén de Reserva
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Almacén de Reserva
 DocType: Lead,Lead is an Organization,La Iniciativa es una Organización
-DocType: Guardian Interest,Interest,Interesar
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pre ventas
 DocType: Instructor Log,Other Details,Otros detalles
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Proveedor
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Cuentas
 DocType: Vehicle,Odometer Value (Last),Valor del cuentakilómetros (Última)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Plantillas de criterios de Calificación de Proveedores.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Canjear Puntos de Lealtad
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Entrada de Pago ya creada
 DocType: Request for Quotation,Get Suppliers,Obtener Proveedores
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,UOM de Separación de Cultivos
 DocType: Loyalty Program,Single Tier Program,Programa de nivel único
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Seleccione solo si tiene documentos de Cash Flow Mapper configurados
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Desde la dirección 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Dirección Desde 1
 DocType: Email Digest,Next email will be sent on:,El siguiente correo electrónico será enviado el:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",El siguiente elemento {elementos} {verbo} marcado como {mensaje} elemento. \ Puede habilitarlos como elemento {mensaje} desde su elemento maestro
 DocType: Supplier Scorecard,Per Week,Por Semana
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,El producto tiene variantes.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,El producto tiene variantes.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Total de Estudiantes
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Producto {0} no encontrado
 DocType: Bin,Stock Value,Valor de Inventarios
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Compañía {0} no existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Compañía {0} no existe
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} tiene validez de honorarios hasta {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tipo de árbol
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Cantidad consumida por unidad
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Ingreso de tarjeta de crédito
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Empresa y Contabilidad
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,En Valor
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,En Valor
 DocType: Asset Settings,Depreciation Options,Opciones de Depreciación
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Se debe requerir la ubicación o el empleado
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Tiempo de Publicación no Válido
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Asignación
 DocType: Purchase Order,Supply Raw Materials,Suministro de materia prima
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Activo circulante
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} no es un artículo en existencia
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} no es un artículo en existencia
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Por favor, comparta sus comentarios con la formación haciendo clic en ""Feedback de Entrenamiento"" y luego en ""Nuevo"""
 DocType: Mode of Payment Account,Default Account,Cuenta predeterminada
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Seleccione primero Almacén de Retención de Muestras en la Configuración de Stock.
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Seleccione primero Almacén de Retención de Muestras en la Configuración de Stock.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Seleccione el tipo de Programa de niveles múltiples para más de una reglas de recopilación.
 DocType: Payment Entry,Received Amount (Company Currency),Cantidad recibida (Divisa de Compañia)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,La Iniciativa se debe establecer si la oportunidad está hecha desde las Iniciativas
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Pago cancelado Verifique su Cuenta GoCardless para más detalles
 DocType: Contract,N/A,N/A
+DocType: Delivery Settings,Send with Attachment,Enviar con Archivo Adjunto
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Por favor seleccione el día libre de la semana
 DocType: Inpatient Record,O Negative,O Negativo
 DocType: Work Order Operation,Planned End Time,Tiempo de finalización planeado
 ,Sales Person Target Variance Item Group-Wise,"Variación del objetivo de ventas, por grupo de vendedores"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Cuenta con una transacción existente no se puede convertir en el libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Cuenta con una transacción existente no se puede convertir en el libro mayor
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Detalle del Tipo de Membresía
 DocType: Delivery Note,Customer's Purchase Order No,Pedido de compra No.
 DocType: Clinical Procedure,Consume Stock,Consumir Acciones
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Arena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energía
 DocType: Opportunity,Opportunity From,Oportunidad desde
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Fila {0}: {1} Números de serie necesarios para el elemento {2}. Ha proporcionado {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Fila {0}: {1} Números de serie necesarios para el elemento {2}. Ha proporcionado {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Por favor seleccione una mesa
 DocType: BOM,Website Specifications,Especificaciones del sitio web
 DocType: Special Test Items,Particulars,Datos Particulares
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Desde {0} del tipo {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Línea {0}: El factor de conversión es obligatorio
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Línea {0}: El factor de conversión es obligatorio
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reglas Precio múltiples existe con el mismo criterio, por favor, resolver los conflictos mediante la asignación de prioridad. Reglas de precios: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reglas Precio múltiples existe con el mismo criterio, por favor, resolver los conflictos mediante la asignación de prioridad. Reglas de precios: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Cuenta de revalorización del tipo de cambio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,No se puede desactivar o cancelar la 'Lista de Materiales (LdM)' si esta vinculada con otras
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,No se puede desactivar o cancelar la 'Lista de Materiales (LdM)' si esta vinculada con otras
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Seleccione Empresa y Fecha de publicación para obtener entradas
 DocType: Asset,Maintenance,Mantenimiento
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Obtenga del Encuentro de Pacientes
 DocType: Subscriber,Subscriber,Abonado
 DocType: Item Attribute Value,Item Attribute Value,Atributos del Producto
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Actualice su Estado de Proyecto
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Actualice su Estado de Proyecto
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,El Cambio de Moneda debe ser aplicable para comprar o vender.
 DocType: Item,Maximum sample quantity that can be retained,Cantidad máxima de muestra que se puede retener
 DocType: Project Update,How is the Project Progressing Right Now?,¿Cómo está progresando el Proyecto ahora?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Fila {0}# El elemento {1} no puede transferirse más de {2} a la Orden de Compra {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Fila {0}# El elemento {1} no puede transferirse más de {2} a la Orden de Compra {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campañas de venta.
 DocType: Project Task,Make Timesheet,hacer parte de horas
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,Prueba de Laboratorio
 DocType: Student Report Generation Tool,Student Report Generation Tool,Herramienta de Generación de Informes Estudiantiles
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Horario de atención médica Horario
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Nombre del documento
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Nombre del documento
 DocType: Expense Claim Detail,Expense Claim Type,Tipo de gasto
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ajustes por defecto para carrito de compras
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Añadir Intervalos de Tiempo
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Activos desechado a través de entrada de diario {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Configure la cuenta en el almacén {0} o la cuenta de inventario predeterminada en la compañía {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Activos desechado a través de entrada de diario {0}
 DocType: Loan,Interest Income Account,Cuenta de Utilidad interés
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Los beneficios máximos deberían ser mayores que cero para dispensar beneficios
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Los beneficios máximos deberían ser mayores que cero para dispensar beneficios
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Invitación de Revisión enviada
 DocType: Shift Assignment,Shift Assignment,Asignación de Turno
 DocType: Employee Transfer Property,Employee Transfer Property,Propiedad de Transferencia del Empleado
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,De tiempo debe ser menos que a tiempo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotecnología
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",El artículo {0} (número de serie: {1}) no se puede consumir como está reservado \ para completar el pedido de ventas {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Gastos de Mantenimiento de Oficina
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Ir a
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Actualizar precio de Shopify a la Lista de Precios de ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuración de cuentas de correo electrónico
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Por favor, introduzca primero un producto"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Necesita analisis
 DocType: Asset Repair,Downtime,Tiempo de Inactividad
 DocType: Account,Liability,Obligaciones
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importe sancionado no puede ser mayor que el importe del reclamo en la línea {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importe sancionado no puede ser mayor que el importe del reclamo en la línea {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Término Académico:
 DocType: Salary Component,Do not include in total,No incluir en total
 DocType: Company,Default Cost of Goods Sold Account,Cuenta de costos (venta) por defecto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},La Cantidad de Muestra {0} no puede ser más que la Cantidad Recibida {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,No ha seleccionado una lista de precios
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},La Cantidad de Muestra {0} no puede ser más que la Cantidad Recibida {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,No ha seleccionado una lista de precios
 DocType: Employee,Family Background,Antecedentes familiares
 DocType: Request for Quotation Supplier,Send Email,Enviar correo electronico
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Advertencia! archivo adjunto no valido: {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Advertencia! archivo adjunto no valido: {0}
 DocType: Item,Max Sample Quantity,Cantidad de Muestra Máxima
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Sin permiso
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lista de Verificación de Cumplimiento del Contrato
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: El centro de costos {2} no pertenece a la empresa {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Suba su encabezado de carta (mantenlo compatible con la web como 900 px por 100 px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Cuenta {2} no puede ser un grupo
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Elemento Fila {idx}: {doctype} {docname} no existe en la anterior tabla '{doctype}'
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Table de Tiempo {0} ya se haya completado o cancelado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Table de Tiempo {0} ya se haya completado o cancelado
+DocType: QuickBooks Migrator,QuickBooks Migrator,Migrador de QuickBooks
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No hay tareas
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Factura de ventas {0} creada como pagada
 DocType: Item Variant Settings,Copy Fields to Variant,Copiar Campos a Variante
 DocType: Asset,Opening Accumulated Depreciation,Apertura de la depreciación acumulada
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,La puntuación debe ser menor o igual a 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Herramienta de Inscripción a Programa
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Registros C -Form
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Registros C -Form
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Las acciones ya existen
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Clientes y proveedores
 DocType: Email Digest,Email Digest Settings,Configuración del boletín de correo electrónico
@@ -1302,19 +1312,19 @@
 DocType: Production Plan,Select Items,Seleccionar productos
 DocType: Share Transfer,To Shareholder,Para el accionista
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} contra la factura {1} de fecha {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Del estado
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Del estado
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Configuración de la Institución
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Asignando hojas ...
 DocType: Program Enrollment,Vehicle/Bus Number,Número de Vehículo/Autobús
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Calendario de cursos
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Debe deducir el impuesto por prueba de exención fiscal sin presentar y los beneficios del empleado no reclamados en el último período de nómina salarial
 DocType: Request for Quotation Supplier,Quote Status,Estado de la Cotización
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
 DocType: Maintenance Visit,Completion Status,Estado de finalización
 DocType: Daily Work Summary Group,Select Users,Seleccionar Usuarios
 DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Elemento de Precios de la Habitación del Hotel
-DocType: Loyalty Program Collection,Tier Name,Nombre de nivel
+DocType: Loyalty Program Collection,Tier Name,Nombre de Nivel
 DocType: HR Settings,Enter retirement age in years,Introduzca la edad de jubilación en años
 DocType: Crop,Target Warehouse,Inventario estimado
 DocType: Payroll Employee Detail,Payroll Employee Detail,Detalle de la Nómina del Empleado
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,Fecha de pago
 DocType: Drug Prescription,Interval UOM,Intervalo UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Vuelva a seleccionar, si la dirección elegida se edita después de guardar"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Artículo Variant {0} ya existe con los mismos atributos
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Artículo Variant {0} ya existe con los mismos atributos
 DocType: Item,Hub Publishing Details,Detalle de Publicación del Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Apertura&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Apertura&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Lista de tareas abiertas
 DocType: Issue,Via Customer Portal,A Través del Portal del Cliente
 DocType: Notification Control,Delivery Note Message,Mensaje en nota de entrega
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Cantidad SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Cantidad SGST
 DocType: Lab Test Template,Result Format,Formato del Resultado
 DocType: Expense Claim,Expenses,Gastos
 DocType: Item Variant Attribute,Item Variant Attribute,Atributo de Variante de Producto
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,Bimensual
 DocType: Vehicle Service,Brake Pad,Pastilla de Freno
 DocType: Fertilizer,Fertilizer Contents,Contenido del Fertilizante
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Investigación y desarrollo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Investigación y desarrollo
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Monto a Facturar
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","La fecha de inicio y la fecha de finalización se superponen con la tarjeta de trabajo <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Detalles de registro
 DocType: Timesheet,Total Billed Amount,Monto total Facturado
 DocType: Item Reorder,Re-Order Qty,Cantidad mínima para ordenar
 DocType: Leave Block List Date,Leave Block List Date,Fecha de Lista de Bloqueo de Vacaciones
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Configure el Sistema de nombres de instructor en Educación&gt; Configuración educativa
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM #{0}: La Materia Prima no puede ser igual que el elemento principal
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total de comisiones aplicables en la compra Tabla de recibos Los artículos deben ser iguales que las tasas totales y cargos
 DocType: Sales Team,Incentives,Incentivos
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Punto de Venta (POS)
 DocType: Fee Schedule,Fee Creation Status,Estado de Creación de Cuota
 DocType: Vehicle Log,Odometer Reading,Lectura del podómetro
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"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'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Balance de la cuenta ya en Crédito, no le está permitido establecer 'Balance Debe Ser' como 'Débito'"
 DocType: Account,Balance must be,El balance debe ser
 DocType: Notification Control,Expense Claim Rejected Message,Mensaje de reembolso de gastos rechazado
 ,Available Qty,Cantidad Disponible
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Siempre sincronice sus productos de Amazon MWS antes de sincronizar los detalles de las Órdenes
 DocType: Delivery Trip,Delivery Stops,Paradas de Entrega
 DocType: Salary Slip,Working Days,Días de Trabajo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},No se puede cambiar la fecha de detención del servicio para el artículo en la fila {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},No se puede cambiar la fecha de detención del servicio para el artículo en la fila {0}
 DocType: Serial No,Incoming Rate,Tasa Entrante
 DocType: Packing Slip,Gross Weight,Peso bruto
 DocType: Leave Type,Encashment Threshold Days,Días de Umbral de Cobro
@@ -1399,34 +1407,36 @@
 DocType: Restaurant Table,Minimum Seating,Asientos Mínimos
 DocType: Item Attribute,Item Attribute Values,Valor de los Atributos del Producto
 DocType: Examination Result,Examination Result,Resultado del examen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Recibo de compra
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Recibo de compra
 ,Received Items To Be Billed,Recepciones por facturar
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Configuración principal para el cambio de divisas
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Configuración principal para el cambio de divisas
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Doctype de referencia debe ser uno de {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter Total Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar la ranura de tiempo en los próximos {0} días para la operación {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan de materiales para los subconjuntos
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Socios Comerciales y Territorio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,La lista de materiales (LdM) {0} debe estar activa
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,La lista de materiales (LdM) {0} debe estar activa
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,No hay Elementos disponibles para transferir
 DocType: Employee Boarding Activity,Activity Name,Nombre de la Actividad
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Cambiar Fecha de Lanzamiento
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,La cantidad de productos terminados <b>{0}</b> y Por cantidad <b>{1}</b> no puede ser diferente
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Cambiar Fecha de Lanzamiento
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,La cantidad de productos terminados <b>{0}</b> y Por cantidad <b>{1}</b> no puede ser diferente
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Cierre (Apertura + Total)
-DocType: Payroll Entry,Number Of Employees,Número de empleados
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Código del artículo&gt; Grupo de artículos&gt; Marca
+DocType: Delivery Settings,Dispatch Notification Attachment,Adjunto de Notificación de Despacho
+DocType: Payroll Entry,Number Of Employees,Número de Empleados
 DocType: Journal Entry,Depreciation Entry,Entrada de Depreciación
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Por favor, seleccione primero el tipo de documento"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Por favor, seleccione primero el tipo de documento"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar visitas {0} antes de cancelar la visita de mantenimiento
 DocType: Pricing Rule,Rate or Discount,Tarifa o Descuento
 DocType: Vital Signs,One Sided,Unilateral
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Número de serie {0} no pertenece al producto {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Cant. Solicitada
 DocType: Marketplace Settings,Custom Data,Datos Personalizados
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Complejos de depósito de transacciones existentes no se pueden convertir en el libro mayor.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},El número de serie es obligatorio para el artículo {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Complejos de depósito de transacciones existentes no se pueden convertir en el libro mayor.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},El Número de Serie es obligatorio para el artículo {0}
 DocType: Bank Reconciliation,Total Amount,Importe total
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Desde la fecha hasta la fecha se encuentran en diferentes años fiscales
-apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,El paciente {0} no tiene la referencia del cliente para facturar
+apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,El Paciente {0} no tiene la referencia del cliente para facturar
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +32,Internet Publishing,Publicación por internet
 DocType: Prescription Duration,Number,Número
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js +25,Creating {0} Invoice,Creando {0} Factura
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),Composición de arcilla (%)
 DocType: Item Group,Item Group Defaults,Valores predeterminados del grupo de artículos
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,"Por favor, guarde antes de asignar la tarea."
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Valor de balance
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Valor de balance
 DocType: Lab Test,Lab Technician,Técnico de Laboratorio
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Lista de precios para la venta
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Lista de precios para la venta
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Si se selecciona, se creará un cliente, asignado a Paciente. Se crearán facturas de pacientes contra este cliente. También puede seleccionar al cliente existente mientras crea el paciente."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,El cliente no está inscrito en ningún programa de lealtad
@@ -1447,16 +1457,16 @@
 DocType: Supplier,Default Payable Accounts,Cuentas por pagar por defecto
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +52,Employee {0} is not active or does not exist,El empleado {0} no está activo o no existe
 DocType: Fee Structure,Components,componentes
-DocType: Support Search Source,Search Term Param Name,Nombre del parámetro de búsqueda
+DocType: Support Search Source,Search Term Param Name,Nombre del Parámetro de Búsqueda
 DocType: Item Barcode,Item Barcode,Código de Barras del Producto
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,{0} variantes actualizadas del producto
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,{0} variantes actualizadas del producto
 DocType: Quality Inspection Reading,Reading 6,Lectura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,No se puede {0} {1} {2} sin ninguna factura pendiente negativa
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,No se puede {0} {1} {2} sin ninguna factura pendiente negativa
 DocType: Share Transfer,From Folio No,Desde Folio Nro
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de compra anticipada
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Línea {0}: La entrada de crédito no puede vincularse con {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definir presupuesto para un año contable.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definir presupuesto para un año contable.
 DocType: Shopify Tax Account,ERPNext Account,Cuenta ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} está bloqueado por lo que esta transacción no puede continuar
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Acción si el Presupuesto Mensual Acumulado excedió en MR
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Factura de Compra
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Permitir el Consumo de Material Múltiple contra una Orden de Trabajo
 DocType: GL Entry,Voucher Detail No,Detalle de Comprobante No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nueva factura de venta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nueva factura de venta
 DocType: Stock Entry,Total Outgoing Value,Valor total de salidas
 DocType: Healthcare Practitioner,Appointments,Citas
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Fecha de Apertura y Fecha de Cierre deben ser dentro del mismo año fiscal
 DocType: Lead,Request for Information,Solicitud de información
 ,LeaderBoard,Tabla de Líderes
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tasa con Margen (Moneda de la Compañía)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sincronizar Facturas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sincronizar Facturas
 DocType: Payment Request,Paid,Pagado
 DocType: Program Fee,Program Fee,Cuota del Programa
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Reemplazar una lista de materiales determinada en todas las demás listas de materiales donde se utiliza. Reemplazará el enlace de la lista de materiales antigua, actualizará el coste y regenerará la tabla ""Posición de explosión de la lista de materiales"" según la nueva lista de materiales. También actualiza el precio más reciente en todas las listas de materiales."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Se crearon las siguientes Órdenes de Trabajo:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Se crearon las siguientes Órdenes de Trabajo:
 DocType: Salary Slip,Total in words,Total en palabras
 DocType: Inpatient Record,Discharged,Descargado
 DocType: Material Request Item,Lead Time Date,Hora de la Iniciativa
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,Obtener Secciones Comenzadas
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,Sancionada
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,es obligatorio. Posiblemente el registro de cambio de divisa no ha sido creado para
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"Fila #{0}: Por favor, especifique el número de serie para el producto {1}"
-DocType: Payroll Entry,Salary Slips Submitted,Recibos de salario presentados
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Monto total de la contribución: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"Fila #{0}: Por favor, especifique el número de serie para el producto {1}"
+DocType: Payroll Entry,Salary Slips Submitted,Nómina Salarial Validada
 DocType: Crop Cycle,Crop Cycle,Ciclo de Cultivo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para 'Paquete de Productos' el Almacén, No. de Serie y No. de lote serán considerados desde el 'Packing List'. Si el Almacén y No. de lote son los mismos para todos los productos empaquetados, los valores podrán ser ingresados en la tabla principal del artículo, estos valores serán copiados al 'Packing List'"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para 'Paquete de Productos' el Almacén, No. de Serie y No. de lote serán considerados desde el 'Packing List'. Si el Almacén y No. de lote son los mismos para todos los productos empaquetados, los valores podrán ser ingresados en la tabla principal del artículo, estos valores serán copiados al 'Packing List'"
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Desde el lugar
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay no puede ser negativo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Desde el lugar
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay no puede ser negativo
 DocType: Student Admission,Publish on website,Publicar en el sitio web
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Fecha de Factura de Proveedor no puede ser mayor que la fecha de publicación
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Fecha de Factura de Proveedor no puede ser mayor que la fecha de publicación
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Fecha de Cancelación
 DocType: Purchase Invoice Item,Purchase Order Item,Producto de la orden de compra
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Herramienta de asistencia de los estudiantes
 DocType: Restaurant Menu,Price List (Auto created),Lista de Precios (Creada Automáticamente)
 DocType: Cheque Print Template,Date Settings,Ajustes de Fecha
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variación
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variación
 DocType: Employee Promotion,Employee Promotion Detail,Detalle de la Promoción del Empleado
 ,Company Name,Nombre de compañía
 DocType: SMS Center,Total Message(s),Total Mensage(s)
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,No enviar recordatorio de cumpleaños del empleado
 DocType: Expense Claim,Total Advance Amount,Monto Total Anticipado
 DocType: Delivery Stop,Estimated Arrival,Llegada Estimada
-DocType: Delivery Stop,Notified by Email,Notificado por Correo Electrónico
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Ver Todos los Artículos
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Entrar
 DocType: Item,Inspection Criteria,Criterios de inspección
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,Cuenta
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Blanco
 DocType: SMS Center,All Lead (Open),Todas las Oportunidades (Abiertas)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Cantidad no está disponible para {4} en el almacén {1} en el momento de publicación de la entrada ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Cantidad no está disponible para {4} en el almacén {1} en el momento de publicación de la entrada ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Solo puede seleccionar un máximo de una opción de la lista de casillas de verificación.
 DocType: Purchase Invoice,Get Advances Paid,Obtener anticipos pagados
 DocType: Item,Automatically Create New Batch,Crear Automáticamente Nuevo Lote
 DocType: Supplier,Represents Company,Representa a la Compañía
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Crear
 DocType: Student Admission,Admission Start Date,Fecha de inicio de la admisión
 DocType: Journal Entry,Total Amount in Words,Importe total en letras
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nuevo Empleado
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Ha ocurrido un error. Una razón probable es que usted no ha guardado el formulario. Por favor, póngase en contacto con support@erpnext.com si el problema persiste."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mi Carrito
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Tipo de orden debe ser uno de {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Tipo de orden debe ser uno de {0}
 DocType: Lead,Next Contact Date,Siguiente fecha de contacto
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Cant. de Apertura
 DocType: Healthcare Settings,Appointment Reminder,Recordatorio de Cita
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Por favor, introduzca la cuenta para el importe de cambio"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Por favor, introduzca la cuenta para el importe de cambio"
 DocType: Program Enrollment Tool Student,Student Batch Name,Nombre de Lote del Estudiante
 DocType: Holiday List,Holiday List Name,Nombre de festividad
 DocType: Repayment Schedule,Balance Loan Amount,Saldo del balance del préstamo
@@ -1577,15 +1585,15 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Opciones de stock
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,No se agregaron artículos al carrito
 DocType: Journal Entry Account,Expense Claim,Reembolso de gastos
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,¿Realmente desea restaurar este activo desechado?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,¿Realmente desea restaurar este activo desechado?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Cantidad de {0}
 DocType: Leave Application,Leave Application,Solicitud de Licencia
 DocType: Patient,Patient Relation,Relación del Paciente
 DocType: Item,Hub Category to Publish,Categoría de Hub para Publicar
 DocType: Leave Block List,Leave Block List Dates,Fechas de Lista de Bloqueo de Vacaciones
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
-		be delivered","La orden de venta {0} tiene reserva para el artículo {1}, solo puede entregar la reservada {1} contra {0}. No se puede entregar el número de serie {2}"
+		be delivered","La Órden de Venta {0} tiene reserva para el Artículo {1}, solo puede entregar la reservada {1} contra {0}. No se puede entregar el Número de Serie {2}"
 DocType: Sales Invoice,Billing Address GSTIN,Dirección de facturación GSTIN
 DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Exención de HRA elegible total
 DocType: Assessment Plan,Evaluate,Evaluar
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Por favor especificar un {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Elementos eliminados que no han sido afectados en cantidad y valor
 DocType: Delivery Note,Delivery To,Entregar a
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,La creación de Variantes se ha puesto en cola.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Resumen de Trabajo para {0}
-DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,El primer Permiso de aprobación en la lista se establecerá como el Autorizador de permiso predeterminado.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Tabla de atributos es obligatoria
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,La creación de Variantes se ha puesto en cola.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Resumen de Trabajo para {0}
+DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,El primer Autorizador de Licencia en la lista se establecerá como el Autorizador de Licencia Predeterminado.
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Tabla de atributos es obligatoria
 DocType: Production Plan,Get Sales Orders,Obtener ordenes de venta
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} no puede ser negativo
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Conectarse a Quickbooks
 DocType: Training Event,Self-Study,Autoestudio
 DocType: POS Closing Voucher,Period End Date,Fecha de Finalización del Período
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Las Composiciones de Suelo no suman 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Descuento
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,La fila {0}: {1} es necesaria para crear las facturas de apertura {2}
 DocType: Membership,Membership,Membresía
 DocType: Asset,Total Number of Depreciations,Número total de amortizaciones
 DocType: Sales Invoice Item,Rate With Margin,Tarifa con margen
@@ -1621,8 +1631,8 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},"Por favor, especifique un ID de fila válida para la línea {0} en la tabla {1}"
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,No se puede encontrar la variable:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Por favor, seleccione un campo para editar desde numpad"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,No puede ser un elemento de Activo Fijo ya que se creo un Libro de Stock .
-DocType: Subscription Plan,Fixed rate,Tipo de interés fijo
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,No puede ser un elemento de Activo Fijo ya que se creo un Libro de Stock .
+DocType: Subscription Plan,Fixed rate,Tipo de Interés Fijo
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Admitir
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Ir al escritorio y comenzar a usar ERPNext
 apps/erpnext/erpnext/templates/pages/order.js +31,Pay Remaining,Pagar Restante
@@ -1640,7 +1650,7 @@
 DocType: Sales Invoice,Loyalty Amount,Cantidad de lealtad
 DocType: Employee Transfer,Employee Transfer Detail,Detalle de Transferencia del Empleado
 DocType: Serial No,Creation Document No,Creación del documento No
-DocType: Location,Location Details,Detalles de ubicación
+DocType: Location,Location Details,Detalles de Ubicación
 DocType: Share Transfer,Issue,Incidencia
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py +11,Records,Registros
 DocType: Asset,Scrapped,Desechado
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,Estado de envío
 ,Projected Quantity as Source,Cantidad proyectada como Fuente
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,El producto debe ser agregado utilizando el botón 'Obtener productos desde recibos de compra'
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Viaje de Entrega
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Viaje de Entrega
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Tipo de Transferencia
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Gastos de venta
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,Centro de costos por defecto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Desc
 DocType: Buying Settings,Material Transferred for Subcontract,Material Transferido para Subcontrato
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Código Postal
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Orden de Venta {0} es {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Órdenes de compra Artículos vencidos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Código Postal
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Orden de Venta {0} es {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Seleccione la cuenta de ingresos por intereses en préstamo {0}
 DocType: Opportunity,Contact Info,Información de contacto
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Crear Asientos de Stock
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,No se puede facturar por cero horas de facturación
 DocType: Company,Date of Commencement,Fecha de Comienzo
 DocType: Sales Person,Select company name first.,Seleccione primero el nombre de la empresa.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Correo electrónico enviado a {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Correo electrónico enviado a {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Presupuestos recibidos de proveedores.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Sustituya la Lista de Materiales (BOM)  y actualice el último precio en todas las listas de materiales
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Para {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Este es un grupo de proveedores raíz y no se puede editar.
-DocType: Delivery Trip,Driver Name,Nombre del Conductor
+DocType: Delivery Note,Driver Name,Nombre del Conductor
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Edad Promedio
 DocType: Education Settings,Attendance Freeze Date,Fecha de Congelación de Asistencia
 DocType: Payment Request,Inward,Interior
@@ -1695,10 +1706,10 @@
 apps/erpnext/erpnext/templates/pages/home.html +32,View All Products,Ver todos los Productos
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Edad mínima de Iniciativa (días)
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Todas las listas de materiales
-DocType: Company,Parent Company,Empresa matriz
+DocType: Company,Parent Company,Empresa Matriz
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Las habitaciones de hotel del tipo {0} no están disponibles en {1}
 DocType: Healthcare Practitioner,Default Currency,Divisa / modena predeterminada
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,El descuento máximo para el artículo {0} es {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,El descuento máximo para el artículo {0} es {1}%
 DocType: Asset Movement,From Employee,Desde Empleado
 DocType: Driver,Cellphone Number,Número Celular
 DocType: Project,Monitor Progress,Monitorear el Progreso
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},La cantidad debe ser menor que o igual a {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},La cantidad máxima elegible para el componente {0} excede de {1}
 DocType: Department Approver,Department Approver,Aprobador de Departamento
+DocType: QuickBooks Migrator,Application Settings,Configuraciones de la aplicación
 DocType: SMS Center,Total Characters,Total Caracteres
 DocType: Employee Advance,Claimed,Reclamado
 DocType: Crop,Row Spacing,Distancia entre Filas
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Por favor, seleccione la lista de materiales (LdM) para el producto {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Por favor, seleccione la lista de materiales (LdM) para el producto {0}"
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,No hay ninguna variante de artículo para el artículo seleccionado
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detalle C -Form Factura
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura para reconciliación de pago
-DocType: Clinical Procedure,Procedure Template,Plantilla de procedimiento
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Margen %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Según las Configuraciones de Compras si el Pedido de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Pedido de Compra primero para el item {0}"
+DocType: Clinical Procedure,Procedure Template,Plantilla de Procedimiento
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Margen %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Según las Configuraciones de Compras si el Pedido de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Pedido de Compra primero para el item {0}"
 ,HSN-wise-summary of outward supplies,HSN-wise-sumario de los suministros exteriores
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Los números de registro de la compañía para su referencia. Números fiscales, etc"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,A estado
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,A estado
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distribuidor
 DocType: Asset Finance Book,Asset Finance Book,Libro de Finanzas de Activos
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Reglas de envio para el carrito de compras
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,Ordenes por facturar
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Rango Desde tiene que ser menor que Rango Hasta
 DocType: Global Defaults,Global Defaults,Predeterminados globales
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Invitación a Colaboración  de Proyecto
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Invitación a Colaboración  de Proyecto
 DocType: Salary Slip,Deductions,Deducciones
 DocType: Setup Progress Action,Action Name,Nombre de la Acción
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Año de inicio
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,Consultor
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Padres Maestros Asistencia a la Reunión
 DocType: Salary Slip,Earnings,Ganancias
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para el tipo de producción
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para el tipo de producción
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Apertura de saldos contables
 ,GST Sales Register,Registro de ventas de GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Factura de ventas anticipada
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nada que solicitar
+DocType: Stock Settings,Default Return Warehouse,Almacén de devolución predeterminado
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Seleccione sus Dominios
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Proveedor de Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elementos de la Factura de Pago
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Los campos se copiarán solo al momento de la creación.
 DocType: Setup Progress Action,Domains,Dominios
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Fecha de Inicio' no puede ser mayor que 'Fecha Final'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Gerencia
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Gerencia
 DocType: Cheque Print Template,Payer Settings,Configuración del pagador
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,No se encontraron solicitudes de material pendientes de vincular para los artículos dados.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Seleccione primero la Compañia
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Esto se añade al código del producto y la variante. Por ejemplo, si su abreviatura es ""SM"", y el código del artículo es ""CAMISETA"", entonces el código de artículo de la variante será ""CAMISETA-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pago neto (en palabras) será visible una vez que guarde la nómina salarial.
 DocType: Delivery Note,Is Return,Es un retorno
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Precaución
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',El día de inicio es mayor que el día final en la tarea &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Retorno / Nota de Débito
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Retorno / Nota de Débito
 DocType: Price List Country,Price List Country,Lista de precios del país
 DocType: Item,UOMs,UdM
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} núms. de serie válidos para el artículo {1}
@@ -1779,30 +1793,32 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +9,Please enter Item Code to get Batch Number,"Por favor, introduzca el código de artículo para obtener el número de lote"
 DocType: Loyalty Point Entry,Loyalty Point Entry,Punto de fidelidad
 DocType: Stock Settings,Default Item Group,Grupo de artículos predeterminado
-DocType: Job Card,Time In Mins,Tiempo en minutos
+DocType: Job Card,Time In Mins,Tiempo en Minutos
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Información de la Concesión.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de datos de proveedores.
 DocType: Contract Template,Contract Terms and Conditions,Términos y Condiciones del Contrato
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,No puede reiniciar una Suscripción que no está cancelada.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,No puede reiniciar una Suscripción que no está cancelada.
 DocType: Account,Balance Sheet,Hoja de balance
 DocType: Leave Type,Is Earned Leave,Es Licencia Ganada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Centro de costos para el producto con código '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Centro de costos para el producto con código '
 DocType: Fee Validity,Valid Till,Válida Hasta
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Reunión total de Padres y Maestros
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modo de pago no está configurado. Por favor, compruebe, si la cuenta se ha establecido en el modo de pago o en el perfil del punto de venta."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modo de pago no está configurado. Por favor, compruebe, si la cuenta se ha establecido en el modo de pago o en el perfil del punto de venta."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,El mismo artículo no se puede introducir varias veces.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Las futuras cuentas se pueden crear bajo grupos, pero las entradas se crearán dentro de las subcuentas."
 DocType: Lead,Lead,Iniciativa
 DocType: Email Digest,Payables,Cuentas por pagar
 DocType: Course,Course Intro,Introducción del Curso
-DocType: Amazon MWS Settings,MWS Auth Token,Token de autenticación MWS
+DocType: Amazon MWS Settings,MWS Auth Token,Token de Autenticación MWS
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Entrada de Stock {0} creada
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,No tienes suficientes puntos de lealtad para canjear
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila #{0}: La cantidad rechazada no se puede introducir en el campo 'retorno de compras'
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},"Por favor, establezca una cuenta asociada en la categoría de retención de impuestos {0} contra la compañía {1}"
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila #{0}: La cantidad rechazada no se puede introducir en el campo 'retorno de compras'
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,No se permite cambiar el Grupo de Clientes para el Cliente seleccionado.
 ,Purchase Order Items To Be Billed,Ordenes de compra por pagar
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Actualizando tiempos estimados de llegada.
 DocType: Program Enrollment Tool,Enrollment Details,Detalles de Inscripción
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,No se pueden establecer varios valores predeterminados de artículos para una empresa.
 DocType: Purchase Invoice Item,Net Rate,Precio neto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Seleccione un Cliente
 DocType: Leave Policy,Leave Allocations,Dejar asignaciones
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,Información de la Devolución
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Entradas' no pueden estar vacías
 DocType: Maintenance Team Member,Maintenance Role,Rol de Mantenimiento
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Línea {0} duplicada con igual {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Línea {0} duplicada con igual {1}
 DocType: Marketplace Settings,Disable Marketplace,Deshabilitar Marketplace
 ,Trial Balance,Balanza de Comprobación
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Año fiscal {0} no encontrado
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Configuración de Suscripción
 DocType: Purchase Invoice,Update Auto Repeat Reference,Actualizar la Referencia de Repetición Automática
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Lista de vacaciones opcional no establecida para el período de permiso {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Lista de vacaciones opcional no establecida para el período de permiso {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Investigación
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Dirigirse a 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,DIrección a 2
 DocType: Maintenance Visit Purpose,Work Done,Trabajo Realizado
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Por favor, especifique al menos un atributo en la tabla"
 DocType: Announcement,All Students,Todos los estudiantes
@@ -1854,23 +1870,23 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transacciones Reconciliadas
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Primeras
 DocType: Crop Cycle,Linked Location,Ubicación vinculada
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Existe un grupo de elementos con el mismo nombre , por favor, cambie el nombre del artículo , o cambiar el nombre del grupo de artículos"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"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"
 DocType: Crop Cycle,Less than a year,Menos de un año
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Número de Móvil del Estudiante.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Resto del mundo
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Resto del mundo
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,El producto {0} no puede contener lotes
 DocType: Crop,Yield UOM,Rendimiento UOM
 ,Budget Variance Report,Variación de Presupuesto
 DocType: Salary Slip,Gross Pay,Pago Bruto
 DocType: Item,Is Item from Hub,Es Artículo para Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Obtenga artículos de los servicios de salud
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Obtenga artículos de los servicios de salud
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Fila {0}: Tipo de actividad es obligatoria.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,DIVIDENDOS PAGADOS
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Libro de contabilidad
 DocType: Asset Value Adjustment,Difference Amount,Diferencia
 DocType: Purchase Invoice,Reverse Charge,Carga inversa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +182,Retained Earnings,UTILIDADES RETENIDAS
-DocType: Job Card,Timing Detail,Detalle de sincronización
+DocType: Job Card,Timing Detail,Detalle de Sincronización
 DocType: Purchase Invoice,05-Change in POS,05-Cambio en POS
 DocType: Vehicle Log,Service Detail,Detalle del servicio
 DocType: BOM,Item Description,Descripción del Producto
@@ -1878,12 +1894,13 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Método de Pago
 DocType: Purchase Invoice,Supplied Items,Productos suministrados
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Configura un menú activo para Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Porcentaje de comision %
 DocType: Work Order,Qty To Manufacture,Cantidad para producción
 DocType: Email Digest,New Income,Nuevo Ingreso
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Mantener los mismos precios durante el ciclo de compras
 DocType: Opportunity Item,Opportunity Item,Oportunidad Artículo
 ,Student and Guardian Contact Details,Detalles de Contacto de Alumno y Tutor
-apps/erpnext/erpnext/accounts/doctype/account/account.js +51,Merge Account,Cuenta de fusión
+apps/erpnext/erpnext/accounts/doctype/account/account.js +51,Merge Account,Fusionar Cuenta
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +53,Row {0}: For supplier {0} Email Address is required to send email,Fila {0}: Para el proveedor {0} se requiere la Dirección de correo electrónico para enviar correo electrónico
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +76,Temporary Opening,Apertura temporal
 ,Employee Leave Balance,Balance de ausencias de empleado
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Rango de Valoración requeridos para el Item en la fila {0}
 DocType: Supplier Scorecard,Scorecard Actions,Acciones de Calificación de Proveedores
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Ejemplo: Maestría en Ciencias de la Computación
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Proveedor {0} no encontrado en {1}
 DocType: Purchase Invoice,Rejected Warehouse,Almacén rechazado
 DocType: GL Entry,Against Voucher,Contra comprobante
 DocType: Item Default,Default Buying Cost Center,Centro de costos (compra) por defecto
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Para obtener lo mejor de ERPNext, le recomendamos que se tome un tiempo y vea estos vídeos de ayuda."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Para el proveedor predeterminado (opcional)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,a
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Para el proveedor predeterminado (opcional)
 DocType: Supplier Quotation Item,Lead Time in days,Plazo de ejecución en días
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Balance de cuentas por pagar
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},No autorizado para editar la cuenta congelada {0}
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Avisar de nuevas Solicitudes de Presupuesto
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Las órdenes de compra le ayudará a planificar y dar seguimiento a sus compras
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Prescripciones para pruebas de laboratorio
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",La cantidad total de emisión / Transferencia {0} en la Solicitud de material {1} \ no puede ser mayor que la cantidad solicitada {2} para el artículo {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Pequeño
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Si Shopify no contiene un cliente en el pedido, al sincronizar los pedidos, el sistema considerará al cliente predeterminado para el pedido."
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,% Completado
 ,Invoiced Amount (Exculsive Tax),Cantidad facturada (Impuesto excluido)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Elemento 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Punto final de autorización
 DocType: Travel Request,International,Internacional
 DocType: Training Event,Training Event,Evento de Capacitación
 DocType: Item,Auto re-order,Ordenar Automáticamente
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,Contrato
 DocType: Plant Analysis,Laboratory Testing Datetime,Prueba de Laboratorio Fecha y Hora
 DocType: Email Digest,Add Quote,Añadir Cita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Factor de conversion de la Unidad de Medida requerido para la Unidad de Medida {0} en el artículo: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Factor de conversion de la Unidad de Medida requerido para la Unidad de Medida {0} en el artículo: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Egresos indirectos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Línea {0}: La cantidad es obligatoria
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Línea {0}: La cantidad es obligatoria
 DocType: Agriculture Analysis Criteria,Agriculture,Agricultura
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Crear Pedido de Venta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Entrada Contable para Activos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Factura de bloque
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Entrada Contable para Activos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Factura en Bloque
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Cantidad para Hacer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sincronización de datos maestros
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sincronización de datos maestros
 DocType: Asset Repair,Repair Cost,Coste de la Reparación
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Sus Productos o Servicios
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Error al iniciar sesión
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Activo {0} creado
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Activo {0} creado
 DocType: Special Test Items,Special Test Items,Artículos de Especiales de Prueba
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Debe ser un usuario con funciones de Administrador del sistema y Administrador de artículos para registrarse en Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Método de pago
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,De acuerdo con su estructura salarial asignada no puede solicitar beneficios
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Sitio web imagen debe ser un archivo público o URL del sitio web
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Sitio web imagen debe ser un archivo público o URL del sitio web
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Este es un grupo principal y no se puede editar.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Unir
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,Información del Contacto en el Almacén
 DocType: Payment Entry,Write Off Difference Amount,Amortizar importe de la diferencia
 DocType: Volunteer,Volunteer Name,Nombre del Voluntario
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: No se encontró el correo electrónico de los empleados, por lo tanto, no correo electrónico enviado"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Se encontraron filas con fechas de vencimiento duplicadas en otras filas: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: No se encontró el correo electrónico de los empleados, por lo tanto, no correo electrónico enviado"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Sin estructura salarial asignada para el empleado {0} en una fecha dada {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Regla de Envío no aplicable para el país {0}
 DocType: Item,Foreign Trade Details,Detalles de Comercio Extranjero
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,Ingresos anuales
 DocType: Serial No,Serial No Details,Detalles del numero de serie
 DocType: Purchase Invoice Item,Item Tax Rate,Tasa de impuesto del producto
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Del nombre de la fiesta
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Del nombre de la fiesta
 DocType: Student Group Student,Group Roll Number,Grupo Número de rodillos
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Para {0}, sólo las cuentas de crédito se pueden vincular con un asiento de débito"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,La nota de entrega {0} no está validada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,La nota de entrega {0} no está validada
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,El elemento: {0} debe ser un producto sub-contratado
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,BIENES DE CAPITAL
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","La 'regla precios' es seleccionada primero basada en el campo 'Aplicar En' que puede ser un artículo, grupo de artículos o marca."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Configure primero el Código del Artículo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Documento
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Porcentaje del total asignado para el equipo de ventas debe ser de 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Documento
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Porcentaje del total asignado para el equipo de ventas debe ser de 100
 DocType: Subscription Plan,Billing Interval Count,Contador de Intervalo de Facturación
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Citas y Encuentros de Pacientes
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Valor que Falta
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Crear Formato de Impresión
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Tarifa Creada
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},No ha encontrado ningún elemento llamado {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Artículos Filtra
 DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula de Criterios
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Total Saliente
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Sólo puede existir una 'regla de envió' con valor 0 o valor en blanco en 'para el valor'
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Para un Artículo {0}, la cantidad debe ser número positivo"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: este centro de costes es una categoría. No se pueden crear asientos contables en las categorías.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Días de solicitud de permiso compensatorio no en días feriados válidos
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,No se puede eliminar este almacén. Existe almacén hijo para este almacén.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,No se puede eliminar este almacén. Existe almacén hijo para este almacén.
 DocType: Item,Website Item Groups,Grupos de productos en el sitio web
 DocType: Purchase Invoice,Total (Company Currency),Total (Divisa por defecto)
 DocType: Daily Work Summary Group,Reminder,Recordatorio
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Valor accesible
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Valor Accesible
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Número de serie {0} ha sido ingresado mas de una vez
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Asiento contable
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,De GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,De GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Cantidad no Reclamada
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} artículos en curso
 DocType: Workstation,Workstation Name,Nombre de la estación de trabajo
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,POS Grupo de artículos
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Enviar boletín:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,El Artículo Alternativo no debe ser el mismo que el Código del Artículo
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},La lista de materiales (LdM) {0} no pertenece al producto {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},La lista de materiales (LdM) {0} no pertenece al producto {1}
 DocType: Sales Partner,Target Distribution,Distribución del objetivo
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalización de la Evaluación Provisional
 DocType: Salary Slip,Bank Account No.,Cta. bancaria núm.
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Se pueden utilizar las variables de la tarjeta de puntuación, así como: {total_score} (la puntuación total de ese período), {period_number} (el número de períodos hasta la fecha)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Desplegar todo
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Desplegar todo
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Crear Orden de Compra
 DocType: Quality Inspection Reading,Reading 8,Lectura 8
 DocType: Inpatient Record,Discharge Note,Nota de descarga
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Vacaciones
 DocType: Purchase Invoice,Supplier Invoice Date,Fecha de factura de proveedor
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Este valor se usa para el cálculo pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Necesita habilitar el carrito de compras
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Necesita habilitar el carrito de compras
 DocType: Payment Entry,Writeoff,Pedir por escrito
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Nombrar el Prefijo de la Serie
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Condiciones traslapadas entre:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,El asiento contable {0} ya se encuentra ajustado contra el importe de otro comprobante
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Valor Total del Pedido
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Comida
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Comida
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Rango de antigüedad 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalles del cupón de cierre de POS
 DocType: Shopify Log,Shopify Log,Log de Shopify
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Establezca Naming Series para {0} a través de Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Registrarse
 DocType: Maintenance Schedule Item,No of Visits,Número de visitas
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},El programa de mantenimiento {0} existe en contra de {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Beneficios Máximos (Cantidad)
 DocType: Purchase Invoice,Contact Person,Persona de contacto
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Fecha esperada de inicio' no puede ser mayor que 'Fecha esperada de finalización'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,No hay datos para este periodo.
 DocType: Course Scheduling Tool,Course End Date,Fecha de finalización del curso
 DocType: Holiday List,Holidays,Vacaciones
 DocType: Sales Order Item,Planned Quantity,Cantidad planificada
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Cambio neto en activos fijos
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Cant. Requerida
 DocType: Leave Control Panel,Leave blank if considered for all designations,Dejar en blanco si es considerado para todos los puestos
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tipo 'Actual' en la línea {0} no puede ser incluido en el precio
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tipo 'Actual' en la línea {0} no puede ser incluido en el precio
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Máximo: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Desde Fecha y Hora
 DocType: Shopify Settings,For Company,Para la empresa
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,Contenido de los términos y condiciones
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Hubo errores al crear el Programa del Curso
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,El primer Aprobador de Gastos en la lista se establecerá como el Aprobador de Gastos Predeterminado.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,No puede ser mayor de 100
-apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Para poder registrarse en Marketplace, debe ser un usuario que no sea administrador con funciones de administrador del sistema y administrador de artículos."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,El producto {0} no es un producto de stock
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,No puede ser mayor de 100
+apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Para poder registrarse en Marketplace, debe ser un usuario que no sea Administrador con funciones de Administrador del Sistema y Administrador de Artículos."
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,El producto {0} no es un producto de stock
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Sin programación
 DocType: Employee,Owned,Propiedad
@@ -2125,11 +2145,11 @@
 ,Purchase Invoice Trends,Tendencias de compras
 DocType: Employee,Better Prospects,Mejores Prospectos
 DocType: Travel Itinerary,Gluten Free,Sin Gluten
-DocType: Loyalty Program Collection,Minimum Total Spent,Gasto total mínimo
+DocType: Loyalty Program Collection,Minimum Total Spent,Gasto Total Mínimo
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +222,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Fila #{0}: El lote {1} tiene sólo {2} de cantidad. Por favor, seleccione otro lote que tenga {3} de cantidad disponible o dividido la fila en varias filas, para entregar / emitir desde varios lotes"
 DocType: Loyalty Program,Expiry Duration (in days),Duración de Vencimiento (en días)
 DocType: Inpatient Record,Discharge Date,Fecha de alta
-DocType: Subscription Plan,Price Determination,Determinación de precios
+DocType: Subscription Plan,Price Determination,Determinación de Precios
 DocType: Vehicle,License Plate,Matrículas
 apps/erpnext/erpnext/hr/doctype/department/department_tree.js +18,New Department,Nuevo Departamento
 DocType: Compensatory Leave Request,Worked On Holiday,Trabajó en Vacaciones
@@ -2144,15 +2164,15 @@
 DocType: HR Settings,Employee Settings,Configuración de Empleado
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Cargando el Sistema de Pago
 ,Batch-Wise Balance History,Historial de Saldo por Lotes
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Fila # {0}: no se puede establecer la tarifa si el monto es mayor que el importe facturado para el elemento {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Fila # {0}: no se puede establecer la tarifa si el monto es mayor que el importe facturado para el elemento {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Los ajustes de impresión actualizados en formato de impresión respectivo
-DocType: Package Code,Package Code,Código de paquete
+DocType: Package Code,Package Code,Código de Paquete
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Aprendiz
 DocType: Purchase Invoice,Company GSTIN,GSTIN de la Compañía
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,No se permiten cantidades negativas
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","la tabla de detalle de impuestos se obtiene del producto principal como una cadena y es guardado en este campo, este es usado para los impuestos y cargos."
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,El empleado no puede informar a sí mismo.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,El empleado no puede informar a sí mismo.
 DocType: Leave Type,Max Leaves Allowed,Max Licencias Permitidas
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si la cuenta está congelado, las entradas estarán permitidas a los usuarios restringidos."
 DocType: Email Digest,Bank Balance,Saldo Bancario
@@ -2178,6 +2198,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Entradas de Transacciones Bancarias
 DocType: Quality Inspection,Readings,Lecturas
 DocType: Stock Entry,Total Additional Costs,Total de costos adicionales
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Nº de Interacciones
 DocType: BOM,Scrap Material Cost(Company Currency),Costo de Material de Desecho (Moneda de la Compañia)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub-Ensamblajes
 DocType: Asset,Asset Name,Nombre de Activo
@@ -2185,10 +2206,10 @@
 DocType: Shipping Rule Condition,To Value,Para el valor
 DocType: Loyalty Program,Loyalty Program Type,Tipo de programa de lealtad
 DocType: Asset Movement,Stock Manager,Gerente de almacén
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},El almacén de origen es obligatorio para la línea {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},El almacén de origen es obligatorio para la línea {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,El Término de Pago en la fila {0} es posiblemente un duplicado.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Agricultura (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Lista de embalaje
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Lista de embalaje
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Alquiler de Oficina
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Configuración de pasarela SMS
 DocType: Disease,Common Name,Nombre Común
@@ -2220,20 +2241,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Enviar Nómina al Empleado por Correo Electrónico
 DocType: Cost Center,Parent Cost Center,Centro de costos principal
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Seleccionar Posible Proveedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Seleccionar Posible Proveedor
 DocType: Sales Invoice,Source,Referencia
 DocType: Customer,"Select, to make the customer searchable with these fields","Seleccione, para que el usuario pueda buscar con estos campos"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importar notas de entrega de Shopify en el envío
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostrar cerrada
 DocType: Leave Type,Is Leave Without Pay,Es una ausencia sin goce de salario
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Categoría activo es obligatorio para la partida del activo fijo
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Categoría activo es obligatorio para la partida del activo fijo
 DocType: Fee Validity,Fee Validity,Validez de la Cuota
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,No se encontraron registros en la tabla de pagos
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Este {0} conflictos con {1} de {2} {3}
 DocType: Student Attendance Tool,Students HTML,HTML de Estudiantes
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Elimine al empleado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 DocType: POS Profile,Apply Discount,Aplicar Descuento
 DocType: GST HSN Code,GST HSN Code,Código GST HSN
 DocType: Employee External Work History,Total Experience,Experiencia total
@@ -2256,7 +2274,7 @@
 DocType: Maintenance Schedule,Schedules,Programas
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Se requiere el Perfil POS para usar el Punto de Venta
 DocType: Cashier Closing,Net Amount,Importe Neto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} no fue enviado por lo tanto la acción no   puede estar completa
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} no fue enviado por lo tanto la acción no   puede estar completa
 DocType: Purchase Order Item Supplied,BOM Detail No,Detalles de Lista de materiales (LdM) No.
 DocType: Landed Cost Voucher,Additional Charges,Cargos adicionales
 DocType: Support Search Source,Result Route Field,Campo de ruta de resultado
@@ -2270,7 +2288,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +100,"Appointment cancelled, Please review and cancel the invoice {0}","Cita cancelada, por favor revise y cancele la factura {0}"
 DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Cantidad de lotes disponibles en almacén
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Update Print Format,Formato de impresión de actualización
-DocType: Bank Account,Is Company Account,Es la cuenta de la empresa
+DocType: Bank Account,Is Company Account,Es la Cuenta de la Empresa
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +58,Leave Type {0} is not encashable,Tipo de Licencia {0} no es encasillable
 DocType: Landed Cost Voucher,Landed Cost Help,Ayuda para costos de destino estimados
 DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.-
@@ -2285,12 +2303,12 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Factura de Apertura
 DocType: Contract,Contract Details,Detalles del Contrato
 DocType: Employee,Leave Details,Detalles de Licencia
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Por favor, seleccione el ID y el nombre del empleado para establecer el rol."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Por favor, seleccione el ID y el nombre del empleado para establecer el rol."
 DocType: UOM,UOM Name,Nombre de la unidad de medida (UdM)
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Para dirigirse a 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,DIrección a 1
 DocType: GST HSN Code,HSN Code,Código HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Importe de contribución
-DocType: Inpatient Record,Patient Encounter,Encuentro con el paciente
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Importe de contribución
+DocType: Inpatient Record,Patient Encounter,Encuentro con el Paciente
 DocType: Purchase Invoice,Shipping Address,Dirección de Envío.
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Esta herramienta le ayuda a actualizar o corregir la cantidad y la valoración de los valores en el sistema. Normalmente se utiliza para sincronizar los valores del sistema y lo que realmente existe en sus almacenes.
 DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,En palabras serán visibles una vez que se guarda la nota de entrega.
@@ -2306,9 +2324,9 @@
 DocType: Travel Itinerary,Mode of Travel,Modo de Viaje
 DocType: Sales Invoice Item,Brand Name,Marca
 DocType: Purchase Receipt,Transporter Details,Detalles de Transporte
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Se requiere depósito por omisión para el elemento seleccionado
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Se requiere depósito por omisión para el elemento seleccionado
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Caja
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Posible Proveedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Posible Proveedor
 DocType: Budget,Monthly Distribution,Distribución mensual
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"La lista de receptores se encuentra vacía. Por favor, cree una lista de receptores"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Atención Médica (beta)
@@ -2329,6 +2347,7 @@
 ,Lead Name,Nombre de la iniciativa
 ,POS,Punto de venta POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospección
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Saldo inicial de Stock
 DocType: Asset Category Account,Capital Work In Progress Account,Cuenta Capital Work In Progress
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Ajuste del valor del Activo
@@ -2337,7 +2356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Vacaciones Distribuidas Satisfactoriamente para {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,No hay productos para empacar
 DocType: Shipping Rule Condition,From Value,Desde Valor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,La cantidad a producir es obligatoria
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,La cantidad a producir es obligatoria
 DocType: Loan,Repayment Method,Método de Reembolso
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si se selecciona, la página de inicio será el grupo por defecto del artículo para el sitio web"
 DocType: Quality Inspection Reading,Reading 4,Lectura 4
@@ -2362,7 +2381,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Recomendación de Empleados
 DocType: Student Group,Set 0 for no limit,Ajuste 0 indica sin límite
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,El día (s) en el que está solicitando la licencia son los días festivos. Usted no necesita solicitar la excedencia.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Fila {idx}: {field} es necesario para crear las Facturas de Apertura {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Dirección Principal y Detalle de Contacto
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Vuelva a enviar el pago por correo electrónico
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nueva tarea
@@ -2372,9 +2390,9 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Seleccione al menos un dominio.
 DocType: Dependent Task,Dependent Task,Tarea dependiente
 DocType: Shopify Settings,Shopify Tax Account,Cuenta de Impuestos de Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},El factor de conversión de la unidad de medida (UdM) en la línea {0} debe ser 1
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Ausencia del tipo {0} no puede tener más de {1}
-DocType: Delivery Trip,Optimize Route,Optimizar ruta
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},El factor de conversión de la unidad de medida (UdM) en la línea {0} debe ser 1
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Ausencia del tipo {0} no puede tener más de {1}
+DocType: Delivery Trip,Optimize Route,Optimizar Ruta
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Procure planear las operaciones con XX días de antelación.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
 				You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} vacantes y {1} presupuesto para {2} ya planeados para empresas subsidiarias de {3}. \ Solo puede planificar hasta {4} vacantes y el presupuesto {5} según el plan de personal {6} para la empresa matriz {3}.
@@ -2382,14 +2400,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Por favor, defina la cuenta de pago de nómina predeterminada en la empresa {0}."
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Obtener la desintegración financiera de los datos de impuestos y cargos por Amazon
 DocType: SMS Center,Receiver List,Lista de receptores
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Busca artículo
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Busca artículo
 DocType: Payment Schedule,Payment Amount,Importe Pagado
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,La fecha de medio día debe estar entre la fecha de trabajo y la fecha de finalización del trabajo
 DocType: Healthcare Settings,Healthcare Service Items,Artículos de servicios de salud
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Monto consumido
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Cambio Neto en efectivo
 DocType: Assessment Plan,Grading Scale,Escala de calificación
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida (UdM) {0} se ha introducido más de una vez en la tabla de factores de conversión
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida (UdM) {0} se ha introducido más de una vez en la tabla de factores de conversión
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Ya completado
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock en Mano
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2401,7 +2419,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +534,Quantity must not be more than {0},La cantidad no debe ser más de {0}
 DocType: Travel Request Costing,Funded Amount,Cantidad Financiada
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +120,Previous Financial Year is not closed,Ejercicio anterior no está cerrado
-DocType: Practitioner Schedule,Practitioner Schedule,Horario del practicante
+DocType: Practitioner Schedule,Practitioner Schedule,Horario del Practicante
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +69,Age (Days),Edad (días)
 DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.-
 DocType: Additional Salary,Additional Salary,Salario Adicional
@@ -2412,25 +2430,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,"Número de serie {0}, la cantidad {1} no puede ser una fracción"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Ingrese la URL del servidor WooCommerce
 DocType: Purchase Order Item,Supplier Part Number,Número de pieza del proveedor.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,La tasa de conversión no puede ser 0 o 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,La tasa de conversión no puede ser 0 o 1
 DocType: Share Balance,To No,A Nro
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Las tareas obligatorias para la creación de empleados aún no se han realizado.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} está cancelado o detenido
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} está cancelado o detenido
 DocType: Accounts Settings,Credit Controller,Controlador de créditos
 DocType: Loan,Applicant Type,Tipo de solicitante
 DocType: Purchase Invoice,03-Deficiency in services,03-Deficiencia en Servicios
 DocType: Healthcare Settings,Default Medical Code Standard,Código Médico Estándar por Defecto
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,El recibo de compra {0} no esta validado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,El recibo de compra {0} no esta validado
 DocType: Company,Default Payable Account,Cuenta por pagar por defecto
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ajustes para las compras online, normas de envío, lista de precios, etc."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Facturado
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Cant. Reservada
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Cant. Reservada
 DocType: Party Account,Party Account,Cuenta asignada
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Seleccione Compañía y Designación
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Recursos humanos
-DocType: Lead,Upper Income,Ingresos superior
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Ingresos superior
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Rechazar
 DocType: Journal Entry Account,Debit in Company Currency,Divisa por defecto de la cuenta de débito
 DocType: BOM Item,BOM Item,Lista de materiales (LdM) del producto
@@ -2447,7 +2465,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Las Vacantes de Trabajo para la designación {0} ya están abiertas o la contratación se completó según el plan de dotación de personal {1}
 DocType: Vital Signs,Constipated,Estreñido
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Contra factura de proveedor {0} con fecha{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Contra factura de proveedor {0} con fecha{1}
 DocType: Customer,Default Price List,Lista de precios por defecto
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Movimiento de activo {0} creado
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,No se Encontraron Artículos.
@@ -2463,16 +2481,17 @@
 DocType: Journal Entry,Entry Type,Tipo de entrada
 ,Customer Credit Balance,Saldo de Clientes
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Cambio neto en Cuentas por Pagar
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Se ha cruzado el límite de crédito para el Cliente {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Configure la serie de nombres para {0} a través de Configuración&gt; Configuración&gt; Series de nombres
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Se ha cruzado el límite de crédito para el Cliente {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Se requiere un cliente para el descuento
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Actualización de las fechas de pago del banco con los registros.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Precios
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Precios
 DocType: Quotation,Term Details,Detalles de términos y condiciones
 DocType: Employee Incentive,Employee Incentive,Incentivo para Empleados
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,No se puede inscribir más de {0} estudiantes para este grupo de estudiantes.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Total (Sin Impuestos)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Cuenta de Iniciativa
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stock Disponible
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stock Disponible
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planificación de capacidad para (Días)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Obtención
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ninguno de los productos tiene cambios en el valor o en la existencias.
@@ -2496,12 +2515,13 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Ausencia y Asistencia
 DocType: Asset,Comprehensive Insurance,Seguro a Todo Riesgo
 DocType: Maintenance Visit,Partially Completed,Parcialmente completado
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Punto de lealtad: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Punto de lealtad: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Añadir Prospectos
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensibilidad Moderada
 DocType: Leave Type,Include holidays within leaves as leaves,Incluir las vacaciones y ausencias únicamente como ausencias
 DocType: Loyalty Program,Redemption,Redención
 DocType: Sales Invoice,Packed Items,Productos Empacados
-DocType: Tax Withholding Category,Tax Withholding Rates,Tasas de retención de impuestos
+DocType: Tax Withholding Category,Tax Withholding Rates,Tasas de Retención de Impuestos
 DocType: Contract,Contract Period,Período de Contrato
 apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamación de garantía por numero de serie
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +215,'Total',&#39;Total&#39;
@@ -2530,7 +2550,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,GASTOS DE PUBLICIDAD
 ,Item Shortage Report,Reporte de productos con stock bajo
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,No se pueden crear criterios estándar. Por favor cambie el nombre de los criterios
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","El peso está definido,\nPor favor indique ""UDM Peso"" también"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","El peso está definido,\nPor favor indique ""UDM Peso"" también"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Solicitud de materiales usados para crear esta entrada del inventario
 DocType: Hub User,Hub Password,Contraseña del concentrador
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grupo separado basado en el curso para cada lote
@@ -2544,15 +2564,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Duración de la Cita (minutos)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Crear un asiento contable para cada movimiento de stock
 DocType: Leave Allocation,Total Leaves Allocated,Total de ausencias asigandas
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Por favor, introduzca fecha de Inicio y Fin válidas para el Año Fiscal"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Por favor, introduzca fecha de Inicio y Fin válidas para el Año Fiscal"
 DocType: Employee,Date Of Retirement,Fecha de jubilación
 DocType: Upload Attendance,Get Template,Obtener Plantilla
+,Sales Person Commission Summary,Resumen de la Comisión de Personas de Ventas
 DocType: Additional Salary Component,Additional Salary Component,Componente Salarial adicional
 DocType: Material Request,Transferred,Transferido
 DocType: Vehicle,Doors,puertas
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Configuración de ERPNext Completa!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Configuración de ERPNext Completa!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Cobrar la cuota de registro del paciente
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,No se pueden cambiar los Atributos después de la Transacciones de Stock. Haga un nuevo Artículo y transfiera el stock al nuevo Artículo
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,No se pueden cambiar los Atributos después de la Transacciones de Stock. Haga un nuevo Artículo y transfiera el stock al nuevo Artículo
 DocType: Course Assessment Criteria,Weightage,Asignación
 DocType: Purchase Invoice,Tax Breakup,Disolución de Impuestos
 DocType: Employee,Joining Details,Detalles de Unión
@@ -2580,14 +2601,15 @@
 DocType: Lead,Next Contact By,Siguiente contacto por
 DocType: Compensatory Leave Request,Compensatory Leave Request,Solicitud de licencia compensatoria
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Cantidad requerida para el producto {0} en la línea {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},El almacén {0} no se puede eliminar ya que existen elementos para el Producto {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},El almacén {0} no se puede eliminar ya que existen elementos para el Producto {1}
 DocType: Blanket Order,Order Type,Tipo de orden
 ,Item-wise Sales Register,Detalle de Ventas
 DocType: Asset,Gross Purchase Amount,Importe Bruto de Compra
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Balances de Apertura
 DocType: Asset,Depreciation Method,Método de depreciación
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,¿Está incluido este impuesto en el precio base?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Total Meta / Objetivo
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Total Meta / Objetivo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Análisis de percepción
 DocType: Soil Texture,Sand Composition (%),Composición de Arena (%)
 DocType: Job Applicant,Applicant for a Job,Solicitante de Empleo
 DocType: Production Plan Material Request,Production Plan Material Request,Solicitud de Material del Plan de Producción
@@ -2602,23 +2624,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Marca de evaluación (de 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Móvil del Tutor2
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Principal
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,El siguiente artículo {0} no está marcado como {1} elemento. Puede habilitarlos como {1} elemento desde su Maestro de artículos
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variante
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Para un artículo {0}, la cantidad debe ser un número negativo"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Establezca los prefijos de las numeraciones en sus transacciones
 DocType: Employee Attendance Tool,Employees HTML,Empleados HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,La lista de materiales (LdM) por defecto ({0}) debe estar activa para este producto o plantilla
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,La lista de materiales (LdM) por defecto ({0}) debe estar activa para este producto o plantilla
 DocType: Employee,Leave Encashed?,Vacaciones pagadas?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,El campo 'oportunidad desde' es obligatorio
 DocType: Email Digest,Annual Expenses,Gastos Anuales
 DocType: Item,Variants,Variantes
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Crear Orden de Compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Crear Orden de Compra
 DocType: SMS Center,Send To,Enviar a
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},No hay suficiente días para las ausencias del tipo: {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},No hay suficiente días para las ausencias del tipo: {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Monto asignado
 DocType: Sales Team,Contribution to Net Total,Contribución neta total
 DocType: Sales Invoice Item,Customer's Item Code,Código del producto para clientes
 DocType: Stock Reconciliation,Stock Reconciliation,Reconciliación de inventarios
 DocType: Territory,Territory Name,Nombre Territorio
+DocType: Email Digest,Purchase Orders to Receive,Órdenes de compra para recibir
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Se requiere un almacén de trabajos en proceso antes de validar
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Solo puede tener Planes con el mismo ciclo de facturación en una Suscripción
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Datos Mapeados
@@ -2635,9 +2659,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicar No. de serie para el producto {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Seguimiento de Oportunidades por fuente de Opotunidades.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condición para una regla de envío
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Por favor ingrese
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Por favor ingrese
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Registro de Mantenimiento
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Por favor, configurar el filtro basado en Elemento o Almacén"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Por favor, configurar el filtro basado en Elemento o Almacén"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El peso neto de este paquete. (calculado automáticamente por la suma del peso neto de los materiales)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Hacer la entrada del diario entre compañías
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,El monto del descuento no puede ser mayor al 100%
@@ -2646,16 +2670,16 @@
 DocType: Sales Order,To Deliver and Bill,Para entregar y facturar
 DocType: Student Group,Instructors,Instructores
 DocType: GL Entry,Credit Amount in Account Currency,Importe acreditado con la divisa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser validada
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Gestión de Compartir
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser validada
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Gestión de Compartir
 DocType: Authorization Control,Authorization Control,Control de Autorización
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila #{0}: Almacén Rechazado es obligatorio en la partida rechazada {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Pago
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila #{0}: Almacén Rechazado es obligatorio en la partida rechazada {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Pago
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","El Almacén {0} no esta vinculado a ninguna cuenta, por favor mencione la cuenta en el registro del almacén o seleccione una cuenta de inventario por defecto en la compañía {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gestionar sus Pedidos
 DocType: Work Order Operation,Actual Time and Cost,Tiempo y costo reales
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Máxima requisición de materiales {0} es posible para el producto {1} en las órdenes de venta {2}
-DocType: Amazon MWS Settings,DE,Delaware
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Máxima requisición de materiales {0} es posible para el producto {1} en las órdenes de venta {2}
+DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Recorte de Espacios
 DocType: Course,Course Abbreviation,Abreviatura del Curso
 DocType: Budget,Action if Annual Budget Exceeded on PO,Acción si se excedió el Presupuesto Anual en Orden de Compra
@@ -2666,20 +2690,23 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Total de horas de trabajo no deben ser mayores que las horas de trabajo max {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Encendido
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Agrupe elementos al momento de la venta.
+DocType: Delivery Settings,Dispatch Settings,Ajustes de despacho
 DocType: Material Request Plan Item,Actual Qty,Cantidad Real
 DocType: Sales Invoice Item,References,Referencias
 DocType: Quality Inspection Reading,Reading 10,Lectura 10
-apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +48,Serial nos {0} does not belongs to the location {1},Los números de serie {0} no pertenecen a la ubicación {1}
+apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +48,Serial nos {0} does not belongs to the location {1},Los Números de Serie {0} no pertenecen a la ubicación {1}
 DocType: Item,Barcodes,Códigos de Barras
 DocType: Hub Tracked Item,Hub Node,Nodo del centro de actividades
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ha introducido elementos duplicados . Por favor rectifique y vuelva a intentarlo .
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Asociado
 DocType: Asset Movement,Asset Movement,Movimiento de Activo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,La Órden de Trabajo {0} debe enviarse
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Nuevo Carrito
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,La Órden de Trabajo {0} debe enviarse
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Nuevo Carrito
 DocType: Taxable Salary Slab,From Amount,Desde Monto
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,El producto {0} no es un producto serializado
 DocType: Leave Type,Encashment,Encashment
+DocType: Delivery Settings,Delivery Settings,Ajustes de Entrega
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Obtener Datos
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},La licencia máxima permitida en el tipo de permiso {0} es {1}
 DocType: SMS Center,Create Receiver List,Crear Lista de Receptores
 DocType: Vehicle,Wheels,Ruedas
@@ -2695,7 +2722,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,La moneda de facturación debe ser igual a la moneda de la compañía predeterminada o la moneda de la cuenta de la parte
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Indica que el paquete es una parte de esta entrega (Sólo borradores)
 DocType: Soil Texture,Loam,Marga
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Fila {0}: Fecha de Vencimiento no puede ser anterior a la Fecha de Contabilización
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Fila {0}: Fecha de Vencimiento no puede ser anterior a la Fecha de Contabilización
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Crear Pago
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},La cantidad del producto {0} debe ser menor que {1}
 ,Sales Invoice Trends,Tendencias de ventas
@@ -2703,12 +2730,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Puede referirse a la línea, sólo si el tipo de importe es 'previo al importe' o 'previo al total'"
 DocType: Sales Order Item,Delivery Warehouse,Almacén de entrega
 DocType: Leave Type,Earned Leave Frequency,Frecuencia de Licencia Ganada
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Árbol de Centros de costes financieros.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Subtipo
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Árbol de Centros de costes financieros.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Subtipo
 DocType: Serial No,Delivery Document No,Documento de entrega No.
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Garantizar la entrega en función del número de serie producido
 DocType: Vital Signs,Furry,Peludo
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Por favor, fije ""Ganancia/Pérdida en la venta de activos"" en la empresa {0}."
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Por favor, fije ""Ganancia/Pérdida en la venta de activos"" en la empresa {0}."
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtener productos desde recibo de compra
 DocType: Serial No,Creation Date,Fecha de creación
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},La Ubicación de Destino es obligatoria para el activo {0}
@@ -2722,10 +2749,11 @@
 DocType: Item,Has Variants,Posee variantes
 DocType: Employee Benefit Claim,Claim Benefit For,Beneficio de reclamo por
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Actualizar Respuesta
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Ya ha seleccionado artículos de {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Ya ha seleccionado artículos de {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Defina el nombre de la distribución mensual
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,El ID de lote es obligatorio
 DocType: Sales Person,Parent Sales Person,Persona encargada de ventas
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,No hay elementos para ser recibidos están vencidos
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,El vendedor y el comprador no pueden ser el mismo
 DocType: Project,Collect Progress,Recoge el Progreso
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2741,7 +2769,7 @@
 DocType: Bank Guarantee,Margin Money,Dinero de Margen
 DocType: Budget,Budget,Presupuesto
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Establecer Abierto
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Artículo de Activos Fijos no debe ser un artículo de stock.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Artículo de Activos Fijos no debe ser un artículo de stock.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","El presupuesto no se puede asignar contra {0}, ya que no es una cuenta de ingresos o gastos"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},La cantidad máxima de exención para {0} es {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Alcanzado
@@ -2759,12 +2787,12 @@
 ,Amount to Deliver,Cantidad para envío
 DocType: Asset,Insurance Start Date,Fecha de inicio del seguro
 DocType: Salary Component,Flexible Benefits,Beneficios Flexibles
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Se ha introducido el mismo elemento varias veces. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Se ha introducido el mismo elemento varias veces. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"El Plazo Fecha de inicio no puede ser anterior a la fecha de inicio de año del año académico al que está vinculado el término (año académico {}). Por favor, corrija las fechas y vuelve a intentarlo."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Hubo errores .
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Hubo errores .
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,El empleado {0} ya ha solicitado {1} entre {2} y {3}:
 DocType: Guardian,Guardian Interests,Intereses del Tutor
-apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Actualizar el nombre / número de la cuenta
+apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Actualizar el Nombre / Número  de la Cuenta
 DocType: Naming Series,Current Value,Valor actual
 apps/erpnext/erpnext/controllers/accounts_controller.py +321,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Existen varios ejercicios para la fecha {0}. Por favor, establece la compañía en el año fiscal"
 DocType: Education Settings,Instructor Records to be created by,Registros del Instructor que serán creados por
@@ -2800,9 +2828,9 @@
 ,Item-wise Purchase History,Historial de Compras
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Por favor, haga clic en 'Generar planificación' para obtener el no. de serie del producto {0}"
 DocType: Account,Frozen,Congelado(a)
-DocType: Delivery Note,Vehicle Type,tipo de vehiculo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Tipo de Vehiculo
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Importe Base (Divisa de la Empresa)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Materias Primas
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Materias Primas
 DocType: Payment Reconciliation Payment,Reference Row,Fila de Referencia
 DocType: Installation Note,Installation Time,Tiempo de Instalación
 DocType: Sales Invoice,Accounting Details,Detalles de Contabilidad
@@ -2811,12 +2839,13 @@
 DocType: Inpatient Record,O Positive,O Positivo
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,INVERSIONES
 DocType: Issue,Resolution Details,Detalles de la resolución
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,tipo de transacción
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tipo de Transacción
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criterios de Aceptación
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Por favor, introduzca Las solicitudes de material en la tabla anterior"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,No hay Reembolsos disponibles para Asiento Contable
-DocType: Hub Tracked Item,Image List,Lista de imágenes
+DocType: Hub Tracked Item,Image List,Lista de Omágenes
 DocType: Item Attribute,Attribute Name,Nombre del Atributo
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generar Factura al inicio del periodo
 DocType: BOM,Show In Website,Mostrar en el sitio web
 DocType: Loan Application,Total Payable Amount,Monto Total a Pagar
 DocType: Task,Expected Time (in hours),Tiempo previsto (en horas)
@@ -2853,23 +2882,23 @@
 DocType: Employee,Resignation Letter Date,Fecha de carta de renuncia
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Las 'reglas de precios' se pueden filtrar en base a la cantidad.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,No especificado
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},"Por favor, establezca la fecha de ingreso para el empleado {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},"Por favor, establezca la fecha de ingreso para el empleado {0}"
 DocType: Inpatient Record,Discharge,Descarga
 DocType: Task,Total Billing Amount (via Time Sheet),Monto Total Facturable (a través de tabla de tiempo)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ingresos de clientes recurrentes
 DocType: Soil Texture,Silty Clay Loam,Limo de Arcilla Arenosa
 DocType: Bank Statement Settings,Mapped Items,Artículos Mapeados
-DocType: Amazon MWS Settings,IT,ESO
+DocType: Amazon MWS Settings,IT,IT
 DocType: Chapter,Chapter,Capítulo
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Par
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,La Cuenta predeterminada se actualizará automáticamente en Factura de POS cuando se seleccione este modo.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Seleccione la lista de materiales y Cantidad para Producción
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Seleccione la lista de materiales y Cantidad para Producción
 DocType: Asset,Depreciation Schedule,Programación de la depreciación
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Direcciones y Contactos de Partner de Ventas
 DocType: Bank Reconciliation Detail,Against Account,Contra la cuenta
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Fecha de medio día debe estar entre la fecha desde y fecha hasta
 DocType: Maintenance Schedule Detail,Actual Date,Fecha Real
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Configure el Centro de Costo predeterminado en la empresa {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Configure el Centro de Costo predeterminado en la empresa {0}.
 DocType: Item,Has Batch No,Posee número de lote
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Facturación anual: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Detalle de Webhook de Shopify
@@ -2881,7 +2910,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Tipo de Cambio
 DocType: Student,Personal Details,Datos personales
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Ajuste &#39;Centro de la amortización del coste del activo&#39; en la empresa {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Ajuste &#39;Centro de la amortización del coste del activo&#39; en la empresa {0}
 ,Maintenance Schedules,Programas de Mantenimiento
 DocType: Task,Actual End Date (via Time Sheet),Fecha de finalización real (a través de hoja de horas)
 DocType: Soil Texture,Soil Type,Tipo de Suelo
@@ -2889,10 +2918,10 @@
 ,Quotation Trends,Tendencias de Presupuestos
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},El grupo del artículo no se menciona en producto maestro para el elemento {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandato GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,La cuenta 'Debitar a' debe ser una cuenta por cobrar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,La cuenta 'Debitar a' debe ser una cuenta por cobrar
 DocType: Shipping Rule,Shipping Amount,Monto de envío
 DocType: Supplier Scorecard Period,Period Score,Puntuación del Período
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Agregar Clientes
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Agregar Clientes
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Monto pendiente
 DocType: Lab Test Template,Special,Especial
 DocType: Loyalty Program,Conversion Factor,Factor de conversión
@@ -2909,7 +2938,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Agregar membrete
 DocType: Program Enrollment,Self-Driving Vehicle,Vehículo auto-manejado
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tarjeta de puntuación de proveedores
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Lista de materiales no se encuentra para el elemento {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Lista de materiales no se encuentra para el elemento {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total de hojas asignadas {0} no puede ser inferior a las hojas ya aprobados {1} para el período
 DocType: Contract Fulfilment Checklist,Requirement,Requisito
 DocType: Journal Entry,Accounts Receivable,Cuentas por cobrar
@@ -2925,16 +2954,16 @@
 DocType: Projects Settings,Timesheets,Tabla de Tiempos
 DocType: HR Settings,HR Settings,Configuración de recursos humanos (RRHH)
 DocType: Salary Slip,net pay info,información de pago neto
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Cantidad de CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Cantidad de CESS
 DocType: Woocommerce Settings,Enable Sync,Habilitar Sincronización
 DocType: Tax Withholding Rate,Single Transaction Threshold,Umbral de transacción único
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Este valor se actualiza en la Lista de Precios de venta predeterminada.
 DocType: Email Digest,New Expenses,Los nuevos gastos
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Cantidad de PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Cantidad de PDC / LC
 DocType: Shareholder,Shareholder,Accionista
 DocType: Purchase Invoice,Additional Discount Amount,Monto adicional de descuento
 DocType: Cash Flow Mapper,Position,Posición
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Obtenga artículos de recetas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Obtenga artículos de recetas
 DocType: Patient,Patient Details,Detalles del Paciente
 DocType: Inpatient Record,B Positive,B Positivo
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2946,8 +2975,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupo a No-Grupo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Deportes
 DocType: Loan Type,Loan Name,Nombre del préstamo
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Total Actual
-DocType: Lab Test UOM,Test UOM,UOM de la Prueba
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Total Actual
 DocType: Student Siblings,Student Siblings,Hermanos del Estudiante
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detalle del Plan de Suscripción
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Unidad(es)
@@ -2955,7 +2983,7 @@
 ,Customer Acquisition and Loyalty,Compras y Lealtad de Clientes
 DocType: Asset Maintenance Task,Maintenance Task,Tarea de Mantenimiento
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py +125,Please set B2C Limit in GST Settings.,Establezca el límite B2C en la configuración de GST.
-DocType: Marketplace Settings,Marketplace Settings,Configuración del mercado
+DocType: Marketplace Settings,Marketplace Settings,Configuración del Mercado
 DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Almacén en el cual se envian los productos rechazados
 DocType: Work Order,Skip Material Transfer,Omitir transferencia de material
 apps/erpnext/erpnext/setup/utils.py +112,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,No se puede encontrar el tipo de cambio para {0} a {1} para la fecha clave {2}. Crea un registro de cambio de divisas manualmente
@@ -2966,15 +2994,14 @@
 DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Importe Total de Exención
 ,BOM Search,Buscar listas de materiales (LdM)
 DocType: Project,Total Consumed Material Cost  (via Stock Entry),Costo total del Material Consumido (a través de la Entrada de Stock)
-DocType: Subscription,Subscription Period,Periodo de suscripción
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.js +169,To Date cannot be less than From Date,Hasta la fecha no puede ser menor a la fecha
+DocType: Subscription,Subscription Period,Periodo de Suscripción
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.js +169,To Date cannot be less than From Date,Fecha Hasta no puede ser menor a la Fecha Desde
 DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock available in this warehouse.","Publique ""En existencia"" o ""No disponible"" en el Hub según las existencias disponibles en este Almacén."
 DocType: Vehicle,Fuel Type,Tipo de Combustible
 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +27,Please specify currency in Company,"Por favor, especifique la divisa en la compañía"
 DocType: Workstation,Wages per hour,Salarios por hora
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},El balance de Inventario en el lote {0} se convertirá en negativo {1} para el producto {2} en el almacén {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Las Solicitudes de Materiales siguientes se han planteado de forma automática según el nivel de re-pedido del articulo
-DocType: Email Digest,Pending Sales Orders,Ordenes de venta pendientes
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},La cuenta {0} no es válida. La divisa de la cuenta debe ser {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Desde la fecha {0} no puede ser posterior a la fecha de liberación del empleado {1}
 DocType: Supplier,Is Internal Supplier,Es un Proveedor Interno
@@ -2983,13 +3010,14 @@
 DocType: Healthcare Settings,Remind Before,Recuerde Antes
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},El factor de conversión de la (UdM) es requerido en la línea {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila #{0}: Tipo de documento de referencia debe ser una de órdenes de venta, factura de venta o entrada de diario"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila #{0}: Tipo de documento de referencia debe ser una de órdenes de venta, factura de venta o entrada de diario"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Puntos de lealtad = ¿Cuánta moneda base?
 DocType: Salary Component,Deduction,Deducción
 DocType: Item,Retain Sample,Conservar Muestra
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Fila {0}: Tiempo Desde y Tiempo Hasta es obligatorio.
 DocType: Stock Reconciliation Item,Amount Difference,Diferencia de monto
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Precio del producto añadido para {0} en Lista de Precios {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Precio del producto añadido para {0} en Lista de Precios {1}
+DocType: Delivery Stop,Order Information,Información del Pedido
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Por favor, Introduzca ID de empleado para este vendedor"
 DocType: Territory,Classification of Customers by region,Clasificación de clientes por región
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,En Producción
@@ -3000,8 +3028,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Balance calculado del estado de cuenta bancario
 DocType: Normal Test Template,Normal Test Template,Plantilla de Prueba Normal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,usuario deshabilitado
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Cotización
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,No se puede establecer una Solicitud de Cotización (RFQ= recibida sin ninguna Cotización
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Cotización
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,No se puede establecer una Solicitud de Cotización (RFQ= recibida sin ninguna Cotización
 DocType: Salary Slip,Total Deduction,Deducción Total
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Seleccione una cuenta para imprimir en la moneda de la cuenta
 ,Production Analytics,Análisis de Producción
@@ -3014,14 +3042,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuración de la Calificación del Proveedor
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Nombre del Plan de Evaluación
 DocType: Work Order Operation,Work Order Operation,Operación de Órden de Trabajo
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Advertencia: certificado SSL no válido en el apego {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Advertencia: certificado SSL no válido en el apego {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Las Iniciativas ayudan a obtener negocios, agrega todos tus contactos y más como clientes potenciales"
 DocType: Work Order Operation,Actual Operation Time,Hora de operación real
 DocType: Authorization Rule,Applicable To (User),Aplicable a (Usuario)
 DocType: Purchase Taxes and Charges,Deduct,Deducir
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Descripción del trabajo
 DocType: Student Applicant,Applied,Aplicado
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-Abrir
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-Abrir
 DocType: Sales Invoice Item,Qty as per Stock UOM,Cantidad de acuerdo a la unidad de medida (UdM) de stock
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nombre del Tutor2
 DocType: Attendance,Attendance Request,Solicitud de Asistencia
@@ -3039,7 +3067,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Número de serie {0} está en garantía hasta {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor Mínimo Permitido
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,El Usuario {0} ya existe
-apps/erpnext/erpnext/hooks.py +114,Shipments,Envíos
+apps/erpnext/erpnext/hooks.py +115,Shipments,Envíos
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Monto Total asignado (Divisa de la Compañia)
 DocType: Purchase Order Item,To be delivered to customer,Para ser entregado al cliente
 DocType: BOM,Scrap Material Cost,Costo de Material de Desecho
@@ -3047,11 +3075,12 @@
 DocType: Grant Application,Email Notification Sent,Notificación de Correo Electrónico Enviada
 DocType: Purchase Invoice,In Words (Company Currency),En palabras (Divisa por defecto)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,La compañía es administradora para la cuenta de la compañía
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Código de Artículo, Almacén, Cantidad requerida en fila"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Código de Artículo, Almacén, Cantidad requerida en fila"
 DocType: Bank Guarantee,Supplier,Proveedor
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Obtener desde
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Este es un departamento raíz y no se puede editar.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Mostrar Detalles de Pago
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Duración en días
 DocType: C-Form,Quarter,Trimestre
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Gastos Varios
 DocType: Global Defaults,Default Company,Compañía predeterminada
@@ -3059,7 +3088,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Una cuenta de gastos o de diiferencia es obligatoria para el producto: {0} , ya que impacta el valor del stock"
 DocType: Bank,Bank Name,Nombre del Banco
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Arriba
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Deje el campo vacío para hacer pedidos de compra para todos los proveedores
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Deje el campo vacío para hacer pedidos de compra para todos los proveedores
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Artículo de carga de visita para pacientes hospitalizados
 DocType: Vital Signs,Fluid,Fluido
 DocType: Leave Application,Total Leave Days,Días totales de ausencia
@@ -3068,7 +3097,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Configuraciones de Variante de Artículo
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Seleccione la compañía...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Deje en blanco si se utilizará para todos los departamentos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} es obligatorio para el artículo {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} es obligatorio para el artículo {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Artículo {0}: {1} cantidad producida,"
 DocType: Payroll Entry,Fortnightly,Quincenal
 DocType: Currency Exchange,From Currency,Desde Moneda
@@ -3098,7 +3127,7 @@
 apps/erpnext/erpnext/utilities/activation.py +108,Add Timesheets,Añadir partes de horas
 DocType: Vehicle Service,Service Item,Artículo de servicio
 DocType: Bank Guarantee,Bank Guarantee,Garantía Bancaria
-DocType: Payment Request,Transaction Details,Detalles de la transacción
+DocType: Payment Request,Transaction Details,Detalles de la Transacción
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Por favor, haga clic en 'Generar planificación' para obtener las tareas"
 DocType: Blanket Order Item,Ordered Quantity,Cantidad ordenada
 apps/erpnext/erpnext/public/js/setup_wizard.js +118,"e.g. ""Build tools for builders""",por ejemplo 'Herramientas para los constructores'
@@ -3115,9 +3144,9 @@
 DocType: Cash Flow Mapping,Cash Flow Mapping,Asignación de Fujo de Caja
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +400,{0} against Sales Order {1},{0} contra la orden de ventas {1}
 DocType: Account,Fixed Asset,Activo Fijo
-DocType: Amazon MWS Settings,After Date,Después de la fecha
+DocType: Amazon MWS Settings,After Date,Después de la Fecha
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventario Serializado
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Inválido {0} no válido para la factura entre compañías.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Inválido {0} no válido para la factura entre compañías.
 ,Department Analytics,Departamento de Análisis
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Correo Electrónico no encontrado en contacto predeterminado
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generar Secret
@@ -3128,13 +3157,14 @@
 DocType: Sales Invoice,Total Billing Amount,Importe total de facturación
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +50,Program in the Fee Structure and Student Group {0} are different.,El programa en la estructura de tarifas y el grupo de estudiantes {0} son diferentes.
 DocType: Bank Statement Transaction Entry,Receivable Account,Cuenta por cobrar
-apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +31,Valid From Date must be lesser than Valid Upto Date.,Válido desde la fecha debe ser menor que el válido hasta la fecha.
+apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +31,Valid From Date must be lesser than Valid Upto Date.,Fecha desde Válida ser menor que Válido hasta la Fecha
 apps/erpnext/erpnext/controllers/accounts_controller.py +673,Row #{0}: Asset {1} is already {2},Fila #{0}: Activo {1} ya es {2}
 DocType: Quotation Item,Stock Balance,Balance de Inventarios.
 apps/erpnext/erpnext/config/selling.py +327,Sales Order to Payment,Órdenes de venta a pagar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Con el Pago de Impuesto
 DocType: Expense Claim Detail,Expense Claim Detail,Detalle de reembolso de gastos
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Configure el sistema de nombres de instructores en Educación&gt; Configuración de educación
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICADO PARA PROVEEDOR
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nuevo saldo en moneda base
 DocType: Location,Is Container,Es Contenedor
@@ -3142,13 +3172,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Por favor, seleccione la cuenta correcta"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Asignación de Estructura Salarial
 DocType: Purchase Invoice Item,Weight UOM,Unidad de Medida (UdM)
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Lista de accionistas disponibles con números de folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Lista de accionistas disponibles con números de folio
 DocType: Salary Structure Employee,Salary Structure Employee,Estructura Salarial de Empleado
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Mostrar Atributos de Variantes
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Mostrar Atributos de Variantes
 DocType: Student,Blood Group,Grupo sanguíneo
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,La cuenta de puerta de enlace de pago en el plan {0} es diferente de la cuenta de puerta de enlace de pago en esta solicitud de pago
 DocType: Course,Course Name,Nombre del curso
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,No se encontraron datos de retención de impuestos para el año fiscal en curso.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,No se encontraron datos de retención de impuestos para el año fiscal en curso.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Usuarios que pueden aprobar las solicitudes de ausencia
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Equipos de Oficina
 DocType: Purchase Invoice Item,Qty,Cantidad
@@ -3156,6 +3186,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Configuración de Calificación
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Electrónicos
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Débito ({0})
+DocType: BOM,Allow Same Item Multiple Times,Permitir el mismo artículo varias veces
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Generar un pedido de materiales cuando se alcance un nivel bajo el stock
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Jornada completa
 DocType: Payroll Entry,Employees,Empleados
@@ -3167,11 +3198,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Confirmación de Pago
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Los precios no se muestran si la lista de precios no se ha establecido
 DocType: Stock Entry,Total Incoming Value,Valor total de entradas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Débito Para es requerido
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Débito Para es requerido
 DocType: Clinical Procedure,Inpatient Record,Registro de pacientes hospitalizados
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Las Tablas de Tiempos ayudan a mantener la noción del tiempo, el coste y la facturación de actividades realizadas por su equipo"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Lista de precios para las compras
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Fecha de la transacción
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Lista de precios para las compras
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Fecha de la Transacción
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Plantillas de variables de Calificación de Proveedores.
 DocType: Job Offer Term,Offer Term,Términos de la oferta
 DocType: Asset,Quality Manager,Gerente de Calidad
@@ -3183,7 +3214,7 @@
 DocType: BOM Website Operation,BOM Website Operation,Operación de Página Web de lista de materiales
 DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount
 DocType: Supplier Scorecard,Supplier Score,Puntuación del Proveedor
-apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +37,Schedule Admission,Programar admisión
+apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +37,Schedule Admission,Programar Admisión
 DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Umbral de transacción acumulativo
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +231,Total Invoiced Amt,Monto total facturado
 DocType: Supplier,Warn RFQs,Avisar en Pedidos de Presupuesto (RFQs)
@@ -3192,18 +3223,18 @@
 DocType: Cashier Closing,To Time,Hasta hora
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) para {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Aprobar Rol (por encima del valor autorizado)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,La cuenta de crédito debe pertenecer al grupo de cuentas por pagar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,La cuenta de crédito debe pertenecer al grupo de cuentas por pagar
 DocType: Loan,Total Amount Paid,Cantidad Total Pagada
 DocType: Asset,Insurance End Date,Fecha de Finalización del Seguro
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Seleccione la Admisión de Estudiante que es obligatoria para la Solicitud de Estudiante paga
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Recursividad de lista de materiales (LdM): {0} no puede ser padre o hijo de {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Recursividad de lista de materiales (LdM): {0} no puede ser padre o hijo de {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Lista de Presupuesto
 DocType: Work Order Operation,Completed Qty,Cantidad completada
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Para {0}, sólo las cuentas de débito pueden vincular con un asiento de crédito"
 DocType: Manufacturing Settings,Allow Overtime,Permitir horas extraordinarias
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","El elemento serializado {0} no se puede actualizar mediante Reconciliación de Stock, utilice la Entrada de Stock"
 DocType: Training Event Employee,Training Event Employee,Evento de Formación de los trabajadores
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Las muestras máximas - {0} se pueden conservar para el lote {1} y el elemento {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Las muestras máximas - {0} se pueden conservar para el lote {1} y el elemento {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Agregar Intervalos de Tiempo
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} números de serie son requeridos para el artículo {1}. Usted ha proporcionado {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Tasa de valoración actual
@@ -3234,11 +3265,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Numero de serie {0} no encontrado
 DocType: Fee Schedule Program,Fee Schedule Program,Programa de Horarios de Cuotas
 DocType: Fee Schedule Program,Student Batch,Lote de Estudiante
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Por favor elimine el empleado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Crear Estudiante
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Grado mínimo
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipo de unidad de servicio de salud
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Se le ha invitado a colaborar en el proyecto: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Se le ha invitado a colaborar en el proyecto: {0}
 DocType: Supplier Group,Parent Supplier Group,Grupo de Proveedores Primarios
+DocType: Email Digest,Purchase Orders to Bill,Órdenes de compra a Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Valores Acumulados en el Grupo de la Empresa
 DocType: Leave Block List Date,Block Date,Bloquear fecha
 DocType: Crop,Crop,Cultivo
@@ -3250,10 +3284,11 @@
 DocType: Sales Order,Not Delivered,No entregado
 ,Bank Clearance Summary,Resumen de Cambios Bancarios
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Crear y gestionar resúmenes de correos; diarios, semanales y mensuales."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Esto se basa en transacciones contra este Vendedor. Ver la línea de tiempo a continuación para detalles
 DocType: Appraisal Goal,Appraisal Goal,Meta de evaluación
 DocType: Stock Reconciliation Item,Current Amount,Cantidad actual
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Edificios
-apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py +24,Tax Declaration of {0} for period {1} already submitted.,Declaración de impuestos de {0} para el período {1} ya enviado.
+apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py +24,Tax Declaration of {0} for period {1} already submitted.,Declaración de Impuestos de {0} para el período {1} ya enviado.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +76,Leaves has been granted sucessfully,Hojas se ha otorgado con éxito
 DocType: Fee Schedule,Fee Structure,Estructura de cuotas
 DocType: Timesheet Detail,Costing Amount,Costo acumulado
@@ -3276,7 +3311,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Siguiente Fecha de Contacto no puede ser en el pasado
 DocType: Company,For Reference Only.,Sólo para referencia.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Seleccione Lote No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Seleccione Lote No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},No válido {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Factura de Referencia
@@ -3293,17 +3328,17 @@
 apps/erpnext/erpnext/stock/get_item_details.py +146,No Item with Barcode {0},Ningún producto con código de barras {0}
 DocType: Normal Test Items,Require Result Value,Requerir Valor de Resultado
 DocType: Item,Show a slideshow at the top of the page,Mostrar una presentación de diapositivas en la parte superior de la página
-DocType: Tax Withholding Rate,Tax Withholding Rate,Tasa de retención de impuestos
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Sucursales
+DocType: Tax Withholding Rate,Tax Withholding Rate,Tasa de Retención de Impuestos
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Sucursales
 DocType: Project Type,Projects Manager,Gerente de Proyectos
 DocType: Serial No,Delivery Time,Tiempo de entrega
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Antigüedad basada en
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Cita cancelada
 DocType: Item,End of Life,Final de vida útil
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Viajes
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Viajes
 DocType: Student Report Generation Tool,Include All Assessment Group,Incluir todo el Grupo de Evaluación
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Sin estructura de salario activa o por defecto encontrada de empleado {0} para las fechas indicadas
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Sin estructura de salario activa o por defecto encontrada de empleado {0} para las fechas indicadas
 DocType: Leave Block List,Allow Users,Permitir que los usuarios
 DocType: Purchase Order,Customer Mobile No,Numero de móvil de cliente
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalles de la plantilla de asignación de Flujo de Caja
@@ -3312,15 +3347,16 @@
 DocType: Rename Tool,Rename Tool,Herramienta para renombrar
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Actualizar costos
 DocType: Item Reorder,Item Reorder,Reabastecer producto
+DocType: Delivery Note,Mode of Transport,Modo de transporte
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Mostrar Nomina Salarial
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transferencia de Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transferencia de Material
 DocType: Fees,Send Payment Request,Enviar Ssolicitud de Pago
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar las operaciones, el costo de operativo y definir un numero único de operación"
 DocType: Travel Request,Any other details,Cualquier otro detalle
 DocType: Water Analysis,Origin,Origen
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está por encima del límite de {0} {1} para el elemento {4}. ¿Estás haciendo otra {3} contra el mismo {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Por favor configura recurrente después de guardar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Seleccione la cuenta de cambio
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Por favor configura recurrente después de guardar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Seleccione la cuenta de cambio
 DocType: Purchase Invoice,Price List Currency,Divisa de la lista de precios
 DocType: Naming Series,User must always select,El usuario deberá elegir siempre
 DocType: Stock Settings,Allow Negative Stock,Permitir Inventario Negativo
@@ -3341,9 +3377,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Trazabilidad
 DocType: Asset Maintenance Log,Actions performed,Acciones realizadas
 DocType: Cash Flow Mapper,Section Leader,Líder de la Sección
+DocType: Delivery Note,Transport Receipt No,Recibo de transporte No
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Origen de fondos (Pasivo)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,La ubicación de origen y destino no puede ser la misma
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},La cantidad en la línea {0} ({1}) debe ser la misma que la cantidad producida {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},La cantidad en la línea {0} ({1}) debe ser la misma que la cantidad producida {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Empleado
 DocType: Bank Guarantee,Fixed Deposit Number,Número de Depósito Fijo
 DocType: Asset Repair,Failure Date,Fecha de Falla
@@ -3357,16 +3394,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Deducciones de Pago o Pérdida
 DocType: Soil Analysis,Soil Analysis Criterias,Criterios de Análisis de Suelos
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Contrato estándar de términos y condiciones para ventas y compras.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,¿Seguro que quieres cancelar esta cita?
+DocType: BOM Item,Item operation,Operación del artículo
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,¿Seguro que quieres cancelar esta cita?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Paquete de Precios de la habitación del hotel
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Flujo de ventas
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Flujo de ventas
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Por favor ajuste la cuenta por defecto en Componente Salarial {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Solicitado el
 DocType: Rename Tool,File to Rename,Archivo a renombrar
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Por favor, seleccione la lista de materiales para el artículo en la fila {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Obtener Actualizaciones de Suscripción
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Cuenta {0} no coincide con la Compañía {1}en Modo de Cuenta: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},La solicitud de la lista de materiales (LdM) especificada: {0} no existe para el producto {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},La solicitud de la lista de materiales (LdM) especificada: {0} no existe para el producto {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Curso:
 DocType: Soil Texture,Sandy Loam,Suelo Arenoso
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,El programa de mantenimiento {0} debe ser cancelado antes de cancelar esta orden de venta
@@ -3375,15 +3413,16 @@
 DocType: Notification Control,Expense Claim Approved,Reembolso de gastos aprobado
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Establecer avances y asignar (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,No se crearon Órdenes de Trabajo
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Nómina del empleado {0} ya creado para este periodo
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Nómina del empleado {0} ya creado para este periodo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmacéutico
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Solo puede enviar la Deuda por un monto de cobro válido
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costo de productos comprados
 DocType: Employee Separation,Employee Separation Template,Plantilla de Separación de Empleados
 DocType: Selling Settings,Sales Order Required,Orden de venta requerida
-apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Ser un vendedor
+apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Ser un Vendedor
 DocType: Purchase Invoice,Credit To,Acreditar en
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Iniciativas / Clientes activos
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Iniciativas / Clientes activos
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Deje en blanco para usar el formato estándar de Nota de entrega
 DocType: Employee Education,Post Graduate,Postgrado
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalles del calendario de mantenimiento
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Avisar para nuevas Órdenes de Compra
@@ -3397,14 +3436,14 @@
 DocType: Support Search Source,Post Title Key,Clave de título de publicación
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Para tarjeta de trabajo
 DocType: Warranty Claim,Raised By,Propuesto por
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Prescripciones
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Prescripciones
 DocType: Payment Gateway Account,Payment Account,Cuenta de pagos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Por favor, especifique la compañía para continuar"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Por favor, especifique la compañía para continuar"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Cambio neto en las Cuentas por Cobrar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Compensatorio
 DocType: Job Offer,Accepted,Aceptado
 DocType: POS Closing Voucher,Sales Invoices Summary,Resumen de Facturas de Ventas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Para el nombre de la fiesta
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Para el nombre de la Parte
 DocType: Grant Application,Organization,Organización
 DocType: BOM Update Tool,BOM Update Tool,Herramienta de actualización de Lista de Materiales (BOM)
 DocType: SG Creation Tool Course,Student Group Name,Nombre del grupo de estudiante
@@ -3413,7 +3452,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegurate de que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Resultados de la búsqueda
 DocType: Room,Room Number,Número de habitación
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Referencia Inválida {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Referencia Inválida {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que la cantidad planificada ({2}) en la orden de producción {3}
 DocType: Shipping Rule,Shipping Rule Label,Etiqueta de regla de envío
 DocType: Journal Entry Account,Payroll Entry,Entrada de Nómina
@@ -3421,8 +3460,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Hacer una Plantilla de Impuestos
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Foro de Usuarios
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,'Materias primas' no puede estar en blanco.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Fila # {0} (Tabla de pagos): la cantidad debe ser negativa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","No se pudo actualizar valores, factura contiene los artículos con envío triangulado."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Fila # {0} (Tabla de pagos): la cantidad debe ser negativa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","No se pudo actualizar valores, factura contiene los artículos con envío triangulado."
 DocType: Contract,Fulfilment Status,Estado de Cumplimiento
 DocType: Lab Test Sample,Lab Test Sample,Muestra de Prueba de Laboratorio
 DocType: Item Variant Settings,Allow Rename Attribute Value,Permitir Cambiar el Nombre del Valor del Atributo
@@ -3430,14 +3469,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +244,You can not change rate if BOM mentioned agianst any item,No se puede cambiar el precio si existe una Lista de materiales (LdM) en el producto
 DocType: Restaurant,Invoice Series Prefix,Prefijo de la Serie de Facturas
 DocType: Employee,Previous Work Experience,Experiencia laboral previa
-apps/erpnext/erpnext/accounts/doctype/account/account.js +140,Update Account Number / Name,Actualizar número / nombre de cuenta
+apps/erpnext/erpnext/accounts/doctype/account/account.js +140,Update Account Number / Name,Actualizar el Número / Nombre  de la Cuenta
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +413,Assign Salary Structure,Asignar Estructura Salarial
 DocType: Support Settings,Response Key List,Lista de Claves de Respuesta
 DocType: Job Card,For Quantity,Por cantidad
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +205,Please enter Planned Qty for Item {0} at row {1},"Por favor, ingrese la cantidad planeada para el producto {0} en la fila {1}"
 DocType: Support Search Source,API,API
 DocType: Support Search Source,Result Preview Field,Campo de vista previa del resultado
-DocType: Item Price,Packing Unit,Unidad de embalaje
+DocType: Item Price,Packing Unit,Unidad de Embalaje
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +273,{0} {1} is not submitted,{0} {1} no se ha enviado
 DocType: Subscription,Trialling,Periodo de Prueba
 DocType: Sales Invoice Item,Deferred Revenue,Ingresos Diferidos
@@ -3464,11 +3503,11 @@
 DocType: BOM,Show Operations,Mostrar Operaciones
 ,Minutes to First Response for Opportunity,Minutos hasta la primera respuesta para Oportunidades
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Total Ausente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Artículo o almacén para la línea {0} no coincide con la requisición de materiales
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Artículo o almacén para la línea {0} no coincide con la requisición de materiales
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Unidad de Medida (UdM)
 DocType: Fiscal Year,Year End Date,Fecha de Finalización de Año
 DocType: Task Depends On,Task Depends On,Tarea depende de
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Oportunidad
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Oportunidad
 DocType: Operation,Default Workstation,Estación de Trabajo por defecto
 DocType: Notification Control,Expense Claim Approved Message,Mensaje de reembolso de gastos
 DocType: Payment Entry,Deductions or Loss,Deducciones o Pérdida
@@ -3480,7 +3519,7 @@
 apps/erpnext/erpnext/config/manufacturing.py +46,Tree of Bill of Materials,Árbol de lista de materiales
 DocType: Student,Joining Date,Dia de ingreso
 ,Employees working on a holiday,Empleados que trabajan en un día festivo
-,TDS Computation Summary,Resumen de computación TDS
+,TDS Computation Summary,Resumen de Computación TDS
 DocType: Share Balance,Current State,Estado Actual
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +152,Mark Present,Marcar Presente
 DocType: Share Transfer,From Shareholder,Del Accionista
@@ -3506,20 +3545,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,El usuario que aprueba no puede ser igual que el usuario para el que la regla es aplicable
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Precio base (según la UdM)
 DocType: SMS Log,No of Requested SMS,Número de SMS solicitados
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Permiso sin paga no coincide con los registros aprobados de la solicitud de permiso de ausencia
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Permiso sin paga no coincide con los registros aprobados de la solicitud de permiso de ausencia
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Próximos pasos
 DocType: Travel Request,Domestic,Nacional
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Por favor suministrar los elementos especificados en las mejores tasas posibles
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Por favor suministrar los elementos especificados en las mejores tasas posibles
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,La transferencia del empleado no se puede enviar antes de la fecha de transferencia
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Hacer Factura
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Balance Restante
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Balance Restante
 DocType: Selling Settings,Auto close Opportunity after 15 days,Cerrar Oportunidad automáticamente luego de 15 días
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Las órdenes de compra no están permitidas para {0} debido a una tarjeta de puntuación de {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Código de Barras {0} no es un código {1} válido
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Código de Barras {0} no es un código {1} válido
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Año final
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Cotización / Iniciativa %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,La fecha de finalización de contrato debe ser mayor que la fecha de ingreso
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,La fecha de finalización de contrato debe ser mayor que la fecha de ingreso
 DocType: Driver,Driver,Conductor
 DocType: Vital Signs,Nutrition Values,Valores Nutricionales
 DocType: Lab Test Template,Is billable,Es facturable
@@ -3530,7 +3569,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Este es un sitio web de ejemplo generado automáticamente por ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Rango de antigüedad 1
 DocType: Shopify Settings,Enable Shopify,Habilitar Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,El monto total anticipado no puede ser mayor que la cantidad total reclamada
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,El monto total anticipado no puede ser mayor que la cantidad total reclamada
 DocType: Purchase Taxes and Charges Template,"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
@@ -3557,12 +3596,12 @@
 DocType: Employee Separation,Employee Separation,Separación de Empleados
 DocType: BOM Item,Original Item,Artículo Original
 DocType: Purchase Receipt Item,Recd Quantity,Cantidad recibida
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Fecha del Doc
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Fecha del Doc
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Registros de cuotas creados - {0}
 DocType: Asset Category Account,Asset Category Account,Cuenta de categoría de activos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Fila # {0} (Tabla de Pagos): la Cantidad debe ser positiva
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Fila # {0} (Tabla de Pagos): la Cantidad debe ser positiva
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},No se puede producir una cantidad mayor del producto {0} que lo requerido en el pedido de venta {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Seleccionar Valores de Atributo
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Seleccionar Valores de Atributo
 DocType: Purchase Invoice,Reason For Issuing document,Motivo de la emisión del documento
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,La entrada de stock {0} no esta validada
 DocType: Payment Reconciliation,Bank / Cash Account,Cuenta de Banco / Efectivo
@@ -3571,8 +3610,10 @@
 DocType: Asset,Manual,Manual
 DocType: Salary Component Account,Salary Component Account,Cuenta Nómina Componente
 DocType: Global Defaults,Hide Currency Symbol,Ocultar el símbolo de moneda
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Oportunidades de Ventas por Fuente
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Información del Donante
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","Los métodos de pago normalmente utilizados por ejemplo: banco, efectivo, tarjeta de crédito, etc."
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configure las series de numeración para Asistencia a través de Configuración&gt; Series de numeración
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","Los métodos de pago normalmente utilizados por ejemplo: banco, efectivo, tarjeta de crédito, etc."
 DocType: Job Applicant,Source Name,Nombre de la Fuente
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La presión sanguínea normal en reposo en un adulto es aproximadamente 120 mmHg sistólica y 80 mmHg diastólica, abreviada &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Establezca la vida útil de los elementos en días, para establecer la caducidad en función de la fecha de fabricación más la vida útil"
@@ -3582,7 +3623,7 @@
 DocType: Asset Maintenance Task,Calibration,Calibración
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +182,{0} is a company holiday,{0} es un feriado de la compañía
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +19,Leave Status Notification,Estado de Notificación de Vacaciones
-DocType: Patient Appointment,Procedure Prescription,Prescripción del procedimiento
+DocType: Patient Appointment,Procedure Prescription,Prescripción del Procedimiento
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Furnitures and Fixtures,Muebles y Accesorios
 DocType: Travel Request,Travel Type,Tipo de Viaje
 DocType: Item,Manufacture,Manufacturar
@@ -3602,7 +3643,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Para Cantidad debe ser menor que la cantidad {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Línea {0}: La fecha de inicio debe ser anterior fecha de finalización
 DocType: Salary Component,Max Benefit Amount (Yearly),Monto de Beneficio Máximo (Anual)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Tasa de TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Tasa % de TDS
 DocType: Crop,Planting Area,Área de Plantación
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Cantidad)
 DocType: Installation Note Item,Installed Qty,Cantidad Instalada
@@ -3624,10 +3665,10 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Notificación de Autorización de Vacaciones
 DocType: Buying Settings,Default Buying Price List,Lista de precios por defecto
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Nomina basada en el Parte de Horas
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Tipo de Cambio de Compra
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Fila {0}: ingrese la ubicación para el artículo del activo {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Tipo de Cambio de Compra
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Fila {0}: ingrese la ubicación para el artículo del activo {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
-DocType: Company,About the Company,Sobre la empresa
+DocType: Company,About the Company,Sobre la Empresa
 DocType: Notification Control,Sales Order Message,Mensaje de la orden de venta
 apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer los valores predeterminados como: empresa, moneda / divisa, año fiscal, etc."
 DocType: Payment Entry,Payment Type,Tipo de pago
@@ -3684,16 +3725,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +77,Arrear,Arrear
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Depreciation Amount during the period,Monto de la depreciación durante el período
 DocType: Sales Invoice,Is Return (Credit Note),Es Devolución (Nota de Crédito)
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +26,Start Job,Comenzar trabajo
-apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +32,Serial no is required for the asset {0},No se requiere un número de serie para el activo {0}
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +26,Start Job,Comenzar Trabajo
+apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +32,Serial no is required for the asset {0},No se requiere un Número de Serie para el Activo {0}
 apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +43,Disabled template must not be default template,Plantilla deshabilitada no debe ser la plantilla predeterminada
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Para la fila {0}: ingrese cantidad planificada
 DocType: Account,Income Account,Cuenta de ingresos
 DocType: Payment Request,Amount in customer's currency,Monto en divisa del cliente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Entregar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Entregar
 DocType: Volunteer,Weekdays,Días de la Semana
 DocType: Stock Reconciliation Item,Current Qty,Cant. Actual
 DocType: Restaurant Menu,Restaurant Menu,Menú del Restaurante
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Añadir Proveedores
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Sección de Ayuda
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Anterior
@@ -3705,19 +3747,20 @@
 												fullfill Sales Order {2}",No se puede entregar el número de serie {0} del artículo {1} ya que está reservado para \ completar el pedido de cliente {2}
 DocType: Item Reorder,Material Request Type,Tipo de Requisición
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Enviar Correo Electrónico de Revisión de Subvención
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Almacenamiento Local esta lleno, no se guardó"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Línea {0}: El factor de conversión de (UdM) es obligatorio
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Almacenamiento Local esta lleno, no se guardó"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Línea {0}: El factor de conversión de (UdM) es obligatorio
 DocType: Employee Benefit Claim,Claim Date,Fecha de Reclamación
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Capacidad de Habitaciones
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Ya existe un registro para el artículo {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Referencia
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Perderá registros de facturas generadas previamente. ¿Seguro que quieres reiniciar esta suscripción?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Cuota de Inscripción
-DocType: Loyalty Program Collection,Loyalty Program Collection,Colección del programa de lealtad
+DocType: Loyalty Program Collection,Loyalty Program Collection,Colección del Programa de Lealtad
 DocType: Stock Entry Detail,Subcontracted Item,Artículo Subcontratado
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},El estudiante {0} no pertenece al grupo {1}
 DocType: Budget,Cost Center,Centro de costos
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Comprobante #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Comprobante #
 DocType: Notification Control,Purchase Order Message,Mensaje en la orden de compra
 DocType: Tax Rule,Shipping Country,País de envío
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ocultar ID de Impuestos del cliente según Transacciones de venta
@@ -3736,23 +3779,22 @@
 DocType: Subscription,Cancel At End Of Period,Cancelar al Final del Período
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Propiedad ya Agregada
 DocType: Item Supplier,Item Supplier,Proveedor del Producto
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el numero de lote"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Por favor, seleccione un valor para {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el numero de lote"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Por favor, seleccione un valor para {0} quotation_to {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,No hay Elementos seleccionados para transferencia
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Todas las direcciones.
 DocType: Company,Stock Settings,Configuración de inventarios
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusión sólo es posible si las propiedades son las mismas en ambos registros. Es Grupo, Tipo Raíz, Compañía"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusión sólo es posible si las propiedades son las mismas en ambos registros. Es Grupo, Tipo Raíz, Compañía"
 DocType: Vehicle,Electric,Eléctrico
 DocType: Task,% Progress,% Progreso
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Ganancia/Pérdida por enajenación de activos fijos
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",En la tabla a continuación solo se seleccionará al Estudiante Solicitante con el estado &quot;Aprobado&quot;.
 DocType: Tax Withholding Category,Rates,Precios
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,El número de cuenta para la cuenta {0} no está disponible. <br> Configure su plan de cuentas correctamente.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,El número de cuenta para la cuenta {0} no está disponible. <br> Configure su plan de cuentas correctamente.
 DocType: Task,Depends on Tasks,Depende de Tareas
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Administrar el listado de las categorías de clientes.
 DocType: Normal Test Items,Result Value,Valor del Resultado
 DocType: Hotel Room,Hotels,Hoteles
-DocType: Delivery Note,Transporter Date,Fecha del transportador
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nombre del nuevo centro de costes
 DocType: Leave Control Panel,Leave Control Panel,Panel de control de ausencias
 DocType: Project,Task Completion,Completitud de Tarea
@@ -3776,7 +3818,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +175,Extra Large,Extra grande
 DocType: Loan,Loan Application,Solicitud de Préstamo
 DocType: Crop,Scientific Name,Nombre Científico
-DocType: Healthcare Service Unit,Service Unit Type,Tipo de unidad de servicio
+DocType: Healthcare Service Unit,Service Unit Type,Tipo de Unidad de Servicio
 DocType: Bank Account,Branch Code,Código de Rama
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Leaves,Hojas Totales
 DocType: Customer,"Reselect, if the chosen contact is edited after save","Vuelva a seleccionar, si el contacto elegido se edita después de guardar"
@@ -3799,11 +3841,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Todos los grupos de evaluación
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Almacén nuevo nombre
 DocType: Shopify Settings,App Type,Tipo de Aplicación
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Territorio
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Por favor, indique el numero de visitas requeridas"
 DocType: Stock Settings,Default Valuation Method,Método predeterminado de valoración
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Cuota
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Mostrar la Cantidad Acumulada
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Actualización en progreso. Podría tomar un tiempo.
 DocType: Production Plan Item,Produced Qty,Cantidad Producida
 DocType: Vehicle Log,Fuel Qty,Cantidad de Combustible
@@ -3811,9 +3854,9 @@
 DocType: Work Order Operation,Planned Start Time,Hora prevista de inicio
 DocType: Course,Assessment,Evaluación
 DocType: Payment Entry Reference,Allocated,Numerado
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Cerrar balance general y el libro de pérdidas y ganancias.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Cerrar balance general y el libro de pérdidas y ganancias.
 DocType: Student Applicant,Application Status,Estado de la Aplicación
-DocType: Additional Salary,Salary Component Type,Tipo de componente salarial
+DocType: Additional Salary,Salary Component Type,Tipo de Componente Salarial
 DocType: Sensitivity Test Items,Sensitivity Test Items,Artículos de Prueba de Sensibilidad
 DocType: Project Update,Project Update,Actualización del Proyecto
 DocType: Fees,Fees,Matrícula
@@ -3822,14 +3865,15 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Monto total pendiente
 DocType: Sales Partner,Targets,Objetivos
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Registre el número SIREN en el archivo de información de la empresa
+DocType: Email Digest,Sales Orders to Bill,Órdenes de Ventas a Facturar
 DocType: Price List,Price List Master,Lista de precios principal
 DocType: GST Account,CESS Account,Cuenta CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Todas las transacciones de venta se pueden etiquetar para múltiples **vendedores** de esta manera usted podrá definir y monitorear objetivos.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Enlace a la solicitud de material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Enlace a la solicitud de material
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Actividad del Foro
 ,S.O. No.,OV No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Elemento de Configuración de Transacción de Extracto Bancario
-apps/erpnext/erpnext/hr/utils.py +158,To date can not greater than employee's relieving date,Hasta la fecha no puede ser mayor que la fecha de alivio del empleado
+apps/erpnext/erpnext/hr/utils.py +158,To date can not greater than employee's relieving date,Fecha Hasta no puede ser mayor que la fecha de alivio del empleado
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +242,Please create Customer from Lead {0},"Por favor, crear el cliente desde iniciativa {0}"
 apps/erpnext/erpnext/healthcare/page/medical_record/patient_select.html +3,Select Patient,Seleccionar Paciente
 DocType: Price List,Applicable for Countries,Aplicable para los Países
@@ -3840,7 +3884,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Este es una categoría de cliente raíz (principal) y no se puede editar.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Acción si el Presupuesto Mensual Acumuladose excedió en Orden de Compra
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Poner
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Poner
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revalorización del tipo de cambio
 DocType: POS Profile,Ignore Pricing Rule,Ignorar la Regla Precios
 DocType: Employee Education,Graduate,Graduado
@@ -3888,6 +3932,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,"Por favor, configure el cliente predeterminado en la configuración del Restaurante"
 ,Salary Register,Registro de Salario
 DocType: Warehouse,Parent Warehouse,Almacén Padre
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Gráfico
 DocType: Subscription,Net Total,Total Neto
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},La lista de materiales predeterminada no se encontró para el Elemento {0} y el Proyecto {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definir varios tipos de préstamos
@@ -3920,24 +3965,26 @@
 DocType: Membership,Membership Status,Estado de Membresía
 DocType: Travel Itinerary,Lodging Required,Alojamiento Requerido
 ,Requested,Solicitado
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,No hay observaciones
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,No hay observaciones
 DocType: Asset,In Maintenance,En Mantenimiento
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Haga clic en este botón para extraer los datos de su pedido de cliente de Amazon MWS.
 DocType: Vital Signs,Abdomen,Abdomen
 DocType: Purchase Invoice,Overdue,Atrasado
 DocType: Account,Stock Received But Not Billed,Inventario entrante no facturado
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Cuenta raíz debe ser un grupo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Cuenta raíz debe ser un grupo
 DocType: Drug Prescription,Drug Prescription,Prescripción de Medicamentos
 DocType: Loan,Repaid/Closed,Reembolsado / Cerrado
-DocType: Amazon MWS Settings,CA,California
+DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Cantidad Total Proyectada
 DocType: Monthly Distribution,Distribution Name,Nombre de la distribución
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Incluir UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Tasa de valoración no encontrada para el elemento {0}, que se requiere para realizar las entradas de contabilidad para {1} {2}. Si el ítem está realizando transacciones como un ítem de valoración cero en {1}, por favor mencione eso en la {1} tabla de ítem. De lo contrario, cree una transacción de stock entrante para el elemento o mencione la tasa de valoración en el registro de artículo y, a continuación, intente enviar / cancelar esta entrada"
 DocType: Course,Course Code,Código del curso
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inspección de la calidad requerida para el producto {0}
 DocType: Location,Parent Location,Ubicación Padre
 DocType: POS Settings,Use POS in Offline Mode,Usar POS en Modo sin Conexión
 DocType: Supplier Scorecard,Supplier Variables,Variables del Proveedor
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} es obligatorio. Tal vez el registro de cambio de moneda no se haya creado para {1} a {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tasa por la cual la divisa es convertida como moneda base de la compañía
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Tasa neta (Divisa por defecto)
 DocType: Salary Detail,Condition and Formula Help,Condición y la Fórmula de Ayuda
@@ -3946,19 +3993,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Factura de venta
 DocType: Journal Entry Account,Party Balance,Saldo de tercero/s
 DocType: Cash Flow Mapper,Section Subtotal,Subtotal de la Sección
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Por favor seleccione 'Aplicar descuento en'
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Por favor seleccione 'Aplicar descuento en'
 DocType: Stock Settings,Sample Retention Warehouse,Almacenamiento de Muestras de Retención
 DocType: Company,Default Receivable Account,Cuenta por cobrar por defecto
 DocType: Purchase Invoice,Deemed Export,Exportación Considerada
 DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de Material para Producción
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,El porcentaje de descuento puede ser aplicado ya sea en una lista de precios o para todas las listas de precios.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Asiento contable para inventario
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Asiento contable para inventario
 DocType: Lab Test,LabTest Approver,Aprobador de Prueba de Laboratorio
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ya ha evaluado los criterios de evaluación {}.
 DocType: Vehicle Service,Engine Oil,Aceite de Motor
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Órdenes de Trabajo creadas: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Órdenes de Trabajo creadas: {0}
 DocType: Sales Invoice,Sales Team1,Equipo de ventas 1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,El elemento {0} no existe
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,El elemento {0} no existe
 DocType: Sales Invoice,Customer Address,Dirección del cliente
 DocType: Loan,Loan Details,Detalles de préstamo
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Error al configurar los accesorios de la empresa postal
@@ -3968,7 +4015,7 @@
 DocType: Item Barcode,Barcode Type,Tipo de Código de Barras
 DocType: Antibiotic,Antibiotic Name,Nombre del Antibiótico
 apps/erpnext/erpnext/config/buying.py +43,Supplier Group master.,Maestro del Grupo de Proveedores.
-DocType: Healthcare Service Unit,Occupancy Status,Estado de ocupación
+DocType: Healthcare Service Unit,Occupancy Status,Estado de Ocupación
 DocType: Purchase Invoice,Apply Additional Discount On,Aplicar descuento adicional en
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +66,Select Type...,Seleccione Tipo...
 apps/erpnext/erpnext/templates/pages/help.html +52,Your tickets,Tus boletos
@@ -3979,34 +4026,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta presentación de diapositivas en la parte superior de la página
 DocType: BOM,Item UOM,Unidad de medida (UdM) del producto
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Monto de impuestos después del descuento (Divisa por defecto)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},El almacén de destino es obligatorio para la línea {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},El almacén de destino es obligatorio para la línea {0}
 DocType: Cheque Print Template,Primary Settings,Ajustes Primarios
 DocType: Attendance Request,Work From Home,Trabajar Desde Casa
 DocType: Purchase Invoice,Select Supplier Address,Seleccionar dirección del proveedor
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Añadir Empleados
 DocType: Purchase Invoice Item,Quality Inspection,Inspección de Calidad
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Pequeño
 DocType: Company,Standard Template,Plantilla estándar
 DocType: Training Event,Theory,Teoría
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: La requisición de materiales es menor que la orden mínima establecida
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: La requisición de materiales es menor que la orden mínima establecida
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,La cuenta {0} está congelada
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidad Legal / Subsidiario con un Catalogo de Cuentas separado que pertenece a la Organización.
 DocType: Payment Request,Mute Email,Email Silenciado
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Alimentos, bebidas y tabaco"
 DocType: Account,Account Number,Número de cuenta
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Sólo se puede crear el pago contra {0} impagado
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,El porcentaje de comisión no puede ser superior a 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Sólo se puede crear el pago contra {0} impagado
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,El porcentaje de comisión no puede ser superior a 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Asignar adelantos automáticamente (FIFO)
 DocType: Volunteer,Volunteer,Voluntario
 DocType: Buying Settings,Subcontract,Sub-contrato
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Por favor, introduzca {0} primero"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,No hay respuestas de
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,No hay respuestas de
 DocType: Work Order Operation,Actual End Time,Hora final real
 DocType: Item,Manufacturer Part Number,Número de componente del fabricante
 DocType: Taxable Salary Slab,Taxable Salary Slab,Losa Salarial Imponible
 DocType: Work Order Operation,Estimated Time and Cost,Tiempo estimado y costo
 DocType: Bin,Bin,Papelera
 DocType: Crop,Crop Name,Nombre del Cultivo
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Solo los usuarios con el rol {0} pueden registrarse en Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Solo los usuarios con el rol {0} pueden registrarse en Marketplace
 DocType: SMS Log,No of Sent SMS,Número de SMS enviados
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Citas y Encuentros
@@ -4018,7 +4066,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +49,Software,Software.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +178,Colour,Color
 DocType: Assessment Plan Criteria,Assessment Plan Criteria,Criterios de evaluación del plan
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card_dashboard.py +8,Transactions,Actas
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card_dashboard.py +8,Transactions,Transacciones
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +123,Expiry date is mandatory for selected item,La fecha de caducidad es obligatoria para el artículo seleccionado
 DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Evitar Órdenes de Compra
 apps/erpnext/erpnext/healthcare/setup.py +190,Susceptible,Susceptible
@@ -4035,7 +4083,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Cambiar Código
 DocType: Purchase Invoice Item,Valuation Rate,Tasa de Valoración
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,El tipo de divisa para la lista de precios no ha sido seleccionado
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,El tipo de divisa para la lista de precios no ha sido seleccionado
 DocType: Purchase Invoice,Availed ITC Cess,Cess ITC disponible
 ,Student Monthly Attendance Sheet,Hoja de Asistencia Mensual de Estudiante
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Regla de Envío solo aplicable para Ventas
@@ -4051,7 +4099,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrar socios de ventas.
 DocType: Quality Inspection,Inspection Type,Tipo de inspección
 DocType: Fee Validity,Visited yet,Visitado Todavía
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Complejos de transacción existentes no pueden ser convertidos en grupo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Complejos de transacción existentes no pueden ser convertidos en grupo.
 DocType: Assessment Result Tool,Result HTML,Resultado HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,¿Con qué frecuencia deben actualizarse el proyecto y la empresa en función de las transacciones de venta?
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Expira el
@@ -4059,7 +4107,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Por favor, seleccione {0}"
 DocType: C-Form,C-Form No,C -Form No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Distancia
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Distancia
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Lista de sus productos o servicios que usted compra o vende.
 DocType: Water Analysis,Storage Temperature,Temperatura de Almacenamiento
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4075,19 +4123,19 @@
 DocType: Shopify Settings,Delivery Note Series,Serie de Notas de Entrega
 DocType: Purchase Order Item,Returned Qty,Cantidad devuelta
 DocType: Student,Exit,Salir
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,tipo de root es obligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,tipo de root es obligatorio
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Error al instalar los ajustes preestablecidos
-DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversión de UOM en horas
+DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversión de UOM en Horas
 DocType: Contract,Signee Details,Detalles del Firmante
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} tiene actualmente un {1} Calificación de Proveedor en pie y las solicitudes de ofertas a este proveedor deben ser emitidas con precaución.
 DocType: Certified Consultant,Non Profit Manager,Gerente sin Fines de Lucro
 DocType: BOM,Total Cost(Company Currency),Costo Total (Divisa de la Compañía)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Número de serie {0} creado
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Número de serie {0} creado
 DocType: Homepage,Company Description for website homepage,Descripción de la empresa para la página de inicio página web
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para la comodidad de los clientes , estos códigos se pueden utilizar en formatos impresos como facturas y notas de entrega"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nombre suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,No se pudo recuperar la información de {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Diario de Inicio de Apertura
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Diario de Inicio de Apertura
 DocType: Contract,Fulfilment Terms,Términos de Cumplimiento
 DocType: Sales Invoice,Time Sheet List,Lista de hojas de tiempo
 DocType: Employee,You can enter any date manually,Puede introducir cualquier fecha manualmente
@@ -4122,7 +4170,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Tu Organización
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Saltarse la asignación de permiso para los siguientes empleados, ya que los registros de Dejar asignación ya existen en su contra. {0}"
 DocType: Fee Component,Fees Category,Categoría de cuotas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Por favor, introduzca la fecha de relevo"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Por favor, introduzca la fecha de relevo"
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Monto
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detalles del Patrocinador (Nombre, Ubicación)"
 DocType: Supplier Scorecard,Notify Employee,Notificar al Empleado
@@ -4135,9 +4183,9 @@
 DocType: Company,Chart Of Accounts Template,Plantilla del catálogo de cuentas
 DocType: Attendance,Attendance Date,Fecha de Asistencia
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Actualizar Stock debe estar habilitado para la Factura de Compra {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Precio del producto actualizado para {0} en Lista de Precios {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Precio del producto actualizado para {0} en Lista de Precios {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Calculo de salario basado en los ingresos y deducciones
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Una cuenta con nodos hijos no puede convertirse en libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Una cuenta con nodos hijos no puede convertirse en libro mayor
 DocType: Purchase Invoice Item,Accepted Warehouse,Almacén Aceptado
 DocType: Bank Reconciliation Detail,Posting Date,Fecha de Contabilización
 DocType: Item,Valuation Method,Método de Valoración
@@ -4172,8 +4220,9 @@
 DocType: Travel Request,Event Details,Detalles del Evento
 DocType: Department,Leave Approver,Supervisor de ausencias
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Por favor seleccione un lote
-apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reclamo de viajes y gastos
+apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reclamo de Viajes y Gastos
 DocType: Sales Invoice,Redemption Cost Center,Centro de Costos de Redención
+DocType: QuickBooks Migrator,Scope,Alcance
 DocType: Assessment Group,Assessment Group Name,Nombre del grupo de evaluación
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferido para Manufacturar
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Añadir a Detalles
@@ -4181,6 +4230,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Última Sincronización Fecha y hora
 DocType: Landed Cost Item,Receipt Document Type,Tipo de Recibo de Documento
 DocType: Daily Work Summary Settings,Select Companies,Seleccione empresas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Propuesta / Presupuesto
 DocType: Antibiotic,Healthcare,Atención Médica
 DocType: Target Detail,Target Detail,Detalle de objetivo
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Variante Individual
@@ -4190,6 +4240,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Asiento de cierre de período
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Seleccione Departamento ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,El centro de costos con transacciones existentes no se puede convertir a 'grupo'
+DocType: QuickBooks Migrator,Authorization URL,URL de autorización
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Monto {0} {1} {2} {3}
 DocType: Account,Depreciation,DEPRECIACIONES
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,El número de acciones y el número de acciones son inconsistentes
@@ -4205,19 +4256,20 @@
 ,Lead Owner Efficiency,Eficiencia del Propietario de la Iniciativa
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +65,"You can claim only an amount of {0}, the rest amount {1} should be in the application \
 				as pro-rata component","Puede reclamar solo una cantidad de {0}, la cantidad restante {1} debe estar en la aplicación \ como componente pro-rata"
-DocType: Amazon MWS Settings,Customer Type,tipo de cliente
+DocType: Amazon MWS Settings,Customer Type,Tipo de Cliente
 DocType: Compensatory Leave Request,Leave Allocation,Asignación de vacaciones
 DocType: Payment Request,Recipient Message And Payment Details,Mensaje receptor y formas de pago
 DocType: Support Search Source,Source DocType,DocType Fuente
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Abra un nuevo ticket
 DocType: Training Event,Trainer Email,Correo electrónico del entrenador
+DocType: Driver,Transporter,Transportador
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Requisición de materiales {0} creada
 DocType: Restaurant Reservation,No of People,Nro de Personas
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Configuración de las plantillas de términos y condiciones.
 DocType: Bank Account,Address and Contact,Dirección y contacto
 DocType: Vital Signs,Hyper,Hiper
 DocType: Cheque Print Template,Is Account Payable,Es cuenta por pagar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock no se puede actualizar en contra recibo de compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock no se puede actualizar en contra recibo de compra {0}
 DocType: Support Settings,Auto close Issue after 7 days,Cierre automático de incidencia después de 7 días
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","La licencia no puede asignarse antes de {0}, ya que el saldo de vacaciones ya se ha arrastrado en el futuro registro de asignación de vacaciones {1}."
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),"Nota: El Debido/Fecha de referencia, excede los días de créditos concedidos para el cliente por {0} día(s)"
@@ -4235,21 +4287,20 @@
 ,Qty to Deliver,Cantidad a entregar
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon sincronizará los datos actualizados después de esta fecha
 ,Stock Analytics,Análisis de existencias.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Las operaciones no pueden dejarse en blanco
-apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Pruebas de laboratorio)
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Las operaciones no pueden dejarse en blanco
+apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Prueba(s) de Laboratorio
 DocType: Maintenance Visit Purpose,Against Document Detail No,Contra documento No.
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},La Eliminación no está permitida para el país {0}
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +111,Party Type is mandatory,Tipo de parte es obligatorio
 DocType: Quality Inspection,Outgoing,Saliente
 DocType: Material Request,Requested For,Solicitado por
 DocType: Quotation Item,Against Doctype,Contra 'DocType'
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} está cancelado o cerrado
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} está cancelado o cerrado
 DocType: Asset,Calculate Depreciation,Calcular Depreciación
 DocType: Delivery Note,Track this Delivery Note against any Project,Seguir este albarán en contra de cualquier proyecto
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Efectivo neto de inversión
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de clientes&gt; Territorio
 DocType: Work Order,Work-in-Progress Warehouse,Almacén de trabajos en proceso
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Activo {0} debe ser enviado
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Activo {0} debe ser enviado
 DocType: Fee Schedule Program,Total Students,Total de Estudiantes
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Registro de asistencia {0} existe en contra de estudiantes {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referencia # {0} de fecha {1}
@@ -4263,12 +4314,12 @@
 DocType: Serial No,Warranty / AMC Details,Garantía / Detalles de CMA
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js +119,Select students manually for the Activity based Group,Seleccionar a los estudiantes manualmente para el grupo basado en actividad
 DocType: Journal Entry,User Remark,Observaciones
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +85,Optimizing routes.,Optimizando rutas.
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +85,Optimizing routes.,Optimizando Rutas.
 DocType: Travel Itinerary,Non Diary,No diario
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,No se puede crear una bonificación de retención para los empleados dejados
 DocType: Lead,Market Segment,Sector de Mercado
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Gerente de Agricultura
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},La cantidad pagada no puede ser superior a cantidad pendiente negativa total de {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},La cantidad pagada no puede ser superior a cantidad pendiente negativa total de {0}
 DocType: Supplier Scorecard Period,Variables,Variables
 DocType: Employee Internal Work History,Employee Internal Work History,Historial de trabajo del empleado
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Cierre (Deb)
@@ -4292,22 +4343,24 @@
 DocType: Amazon MWS Settings,Synch Products,Productos de sincronización
 DocType: Loyalty Point Entry,Loyalty Program,Programa de fidelidad
 DocType: Student Guardian,Father,Padre
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Boletos de soporte
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Actualización de Inventario' no se puede comprobar en venta de activos fijos
 DocType: Bank Reconciliation,Bank Reconciliation,Conciliación bancaria
 DocType: Attendance,On Leave,De licencia
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtener Actualizaciones
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Cuenta {2} no pertenece a la compañía {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Seleccione al menos un valor de cada uno de los atributos.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Seleccione al menos un valor de cada uno de los atributos.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Requisición de materiales {0} cancelada o detenida
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Estado de despacho
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Estado de despacho
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Gestión de ausencias
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupos
 DocType: Purchase Invoice,Hold Invoice,Retener la Factura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Por favor selecciona Empleado
 DocType: Sales Order,Fully Delivered,Entregado completamente
-DocType: Lead,Lower Income,Ingreso menor
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Ingreso menor
 DocType: Restaurant Order Entry,Current Order,Orden actual
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,El número de números de serie y la cantidad debe ser el mismo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},"Almacenes de origen y destino no pueden ser los mismos, línea {0}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},"Almacenes de origen y destino no pueden ser los mismos, línea {0}"
 DocType: Account,Asset Received But Not Billed,Activo recibido pero no facturado
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Una cuenta distinta debe ser del tipo Activo / Pasivo, ya que la reconciliación del stock es una entrada de apertura"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Monto desembolsado no puede ser mayor que Monto del préstamo {0}
@@ -4316,21 +4369,21 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Se requiere el numero de orden de compra para el producto {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Desde la fecha' debe ser después de 'Hasta Fecha'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,No se encontraron planes de personal para esta designación
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,El lote {0} del elemento {1} está deshabilitado.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,El lote {0} del elemento {1} está deshabilitado.
 DocType: Leave Policy Detail,Annual Allocation,Asignación Anual
 DocType: Travel Request,Address of Organizer,Dirección del Organizador
-apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Seleccione un profesional de la salud ...
+apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Seleccione un Profesional de la Salud ...
 DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Aplicable en el caso de la incorporación de empleados
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +39,Cannot change status as student {0} is linked with student application {1},No se puede cambiar el estado de estudiante {0} está vinculada con la aplicación del estudiante {1}
 DocType: Asset,Fully Depreciated,Totalmente depreciado
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Cantidad de inventario proyectado
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Cliente {0} no pertenece al proyecto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Cliente {0} no pertenece al proyecto {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Asistencia Marcada HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Las citas son propuestas, las ofertas que ha enviado a sus clientes"
 DocType: Sales Invoice,Customer's Purchase Order,Ordenes de compra de clientes
 DocType: Clinical Procedure,Patient,Paciente
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Omitir verificación de crédito en Orden de Venta
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Omitir verificación de crédito en Orden de Venta
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Actividad de Incorporación del Empleado
 DocType: Location,Check if it is a hydroponic unit,Verifica si es una unidad hidropónica
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Número de serie y de lote
@@ -4340,7 +4393,7 @@
 DocType: Supplier Scorecard Period,Calculations,Cálculos
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Valor o Cantidad
 DocType: Payment Terms Template,Payment Terms,Términos de Pago
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Pedidos de producción no pueden ser elevados para:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Pedidos de producción no pueden ser elevados para:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minuto
 DocType: Purchase Invoice,Purchase Taxes and Charges,Impuestos y cargos sobre compras
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4348,17 +4401,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Ir a Proveedores
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impuestos de cierre de voucher de POS
 ,Qty to Receive,Cantidad a Recibir
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Las fechas de inicio y final no están en un Período de cálculo de la nómina válido, no pueden calcular {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Las fechas de inicio y final no están en un Período de cálculo de la nómina válido, no pueden calcular {0}."
 DocType: Leave Block List,Leave Block List Allowed,Lista de 'bloqueo de vacaciones / permisos' permitida
 DocType: Grading Scale Interval,Grading Scale Interval,Intervalo de Escala de Calificación
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reclamación de gastos para el registro de vehículos {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descuento (%) en Tarifa de lista de precios con margen
 DocType: Healthcare Service Unit Type,Rate / UOM,Tasa / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Todos los Almacenes
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,No se ha encontrado {0} para Transacciones entre empresas.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,No se ha encontrado {0} para Transacciones entre empresas.
 DocType: Travel Itinerary,Rented Car,Auto Rentado
-apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Sobre su compañía
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,La cuenta de crédito debe pertenecer a las cuentas de balance
+apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Sobre su Compañía
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,La cuenta de crédito debe pertenecer a las cuentas de balance
 DocType: Donor,Donor,Donante
 DocType: Global Defaults,Disable In Words,Desactivar en palabras
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,El código del producto es obligatorio porque no es enumerado automáticamente
@@ -4370,14 +4423,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Cuenta de Sobre-Giros
 DocType: Patient,Patient ID,ID del Paciente
 DocType: Practitioner Schedule,Schedule Name,Nombre del Horario
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pipeline de Ventas por Etapa
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Crear Nómina Salarial
 DocType: Currency Exchange,For Buying,Por Comprar
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Añadir todos los Proveedores
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Añadir todos los Proveedores
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Fila #{0}: Importe asignado no puede ser mayor que la cantidad pendiente.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Explorar la lista de materiales
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Prestamos en garantía
 DocType: Purchase Invoice,Edit Posting Date and Time,Editar fecha y hora de envío
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Por favor establezca Cuentas relacionadas con la depreciación en la Categoría de Activo {0} o Compañía {1}.
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Por favor establezca Cuentas relacionadas con la depreciación en la Categoría de Activo {0} o Compañía {1}.
 DocType: Lab Test Groups,Normal Range,Rango Normal
 DocType: Academic Term,Academic Year,Año Académico
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Venta Disponible
@@ -4393,7 +4447,7 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +156,Email sent to supplier {0},Correo electrónico enviado al proveedor {0}
 DocType: Item,Default Sales Unit of Measure,Unidad de Medida de Ventas Predeterminada
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +12,Academic Year: ,Año Académico:
-DocType: Inpatient Record,Admission Schedule Date,Fecha del programa de admisión
+DocType: Inpatient Record,Admission Schedule Date,Fecha del Programa de Admisión
 DocType: Subscription,Past Due Date,Fecha de Vencimiento Anterior
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +19,Not allow to set alternative item for the item {0},No permitir establecer un elemento alternativo para el Artículo {0}
 apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,La fecha está repetida
@@ -4406,26 +4460,26 @@
 DocType: Patient Appointment,Patient Appointment,Cita del Paciente
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,El rol que aprueba no puede ser igual que el rol al que se aplica la regla
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Darse de baja de este boletín por correo electrónico
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Obtener Proveedores por
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Obtener Proveedores por
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} no encontrado para el Artículo {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Ir a Cursos
 DocType: Accounts Settings,Show Inclusive Tax In Print,Mostrar impuesto inclusivo en impresión
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Cuenta Bancaria, desde la fecha hasta la fecha son obligatorias"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Mensaje Enviado
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Una cuenta con nodos hijos no puede ser establecida como libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Una cuenta con nodos hijos no puede ser establecida como libro mayor
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Tasa por la cual la lista de precios es convertida como base del cliente.
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Importe neto (Divisa de la empresa)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,El monto total anticipado no puede ser mayor que la cantidad total autorizada
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,El monto total anticipado no puede ser mayor que la cantidad total autorizada
 DocType: Salary Slip,Hour Rate,Salario por hora
 DocType: Stock Settings,Item Naming By,Ordenar productos por
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Otra entrada de Cierre de Período {0} se ha hecho después de {1}
 DocType: Work Order,Material Transferred for Manufacturing,Material Transferido para la Producción
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,La cuenta {0} no existe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Seleccionar programa de lealtad
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Seleccionar un Programa de Lealtad
 DocType: Project,Project Type,Tipo de proyecto
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Existe Tarea Hija para esta Tarea. No puedes eliminar esta Tarea.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Es obligatoria la meta fe facturación.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Es obligatoria la meta fe facturación.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Costo de diversas actividades
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ajustar Eventos a {0}, ya que el Empleado adjunto a las Personas de Venta siguientes no tiene un ID de Usuario{1}."
 DocType: Timesheet,Billing Details,Detalles de facturación
@@ -4482,14 +4536,14 @@
 DocType: Inpatient Record,A Negative,A Negativo
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nada más para mostrar.
 DocType: Lead,From Customer,Desde cliente
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Llamadas
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Llamadas
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Un Producto
 DocType: Employee Tax Exemption Declaration,Declarations,Declaraciones
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Lotes
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Hacer Calendario de Cuotas
 DocType: Purchase Order Item Supplied,Stock UOM,Unidad de media utilizada en el almacen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,La orden de compra {0} no se encuentra validada
-DocType: Account,Expenses Included In Asset Valuation,Gastos incluidos en la valoración de activos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,La orden de compra {0} no se encuentra validada
+DocType: Account,Expenses Included In Asset Valuation,Gastos incluidos en la Valoración de Activos
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),El rango de referencia normal para un adulto es de 16-20 respiraciones / minuto (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Número de tarifa
 DocType: Work Order Item,Available Qty at WIP Warehouse,Cantidad Disponible en Almacén WIP
@@ -4501,6 +4555,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Por favor guarde al paciente primero
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,La asistencia ha sido marcada con éxito.
 DocType: Program Enrollment,Public Transport,Transporte Público
+DocType: Delivery Note,GST Vehicle Type,Tipo de vehículo GST
 DocType: Soil Texture,Silt Composition (%),Composición del Limo (%)
 DocType: Journal Entry,Remark,Observación
 DocType: Healthcare Settings,Avoid Confirmation,Evite Confirmación
@@ -4509,11 +4564,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Ausencias y Feriados
 DocType: Education Settings,Current Academic Term,Término académico actual
 DocType: Sales Order,Not Billed,No facturado
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a la misma compañía
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a la misma compañía
 DocType: Employee Grade,Default Leave Policy,Política de Licencia Predeterminada
-DocType: Shopify Settings,Shop URL,Comprar URL
+DocType: Shopify Settings,Shop URL,URL de la Tienda
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No se han añadido contactos
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configure las series de numeración para Asistencia a través de Configuración&gt; Serie de numeración
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Monto de costos de destino estimados
 ,Item Balance (Simple),Balance del Artículo (Simple)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Listado de facturas emitidas por los proveedores.
@@ -4538,7 +4592,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Series de Presupuestos
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"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"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Criterios de Análisis de Suelos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,"Por favor, seleccione al cliente"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,"Por favor, seleccione al cliente"
 DocType: C-Form,I,Yo
 DocType: Company,Asset Depreciation Cost Center,Centro de la amortización del coste de los activos
 DocType: Production Plan Sales Order,Sales Order Date,Fecha de las órdenes de venta
@@ -4551,8 +4605,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Actualmente no hay stock disponible en ningún almacén
 ,Payment Period Based On Invoice Date,Periodos de pago según facturas
 DocType: Sample Collection,No. of print,Nro de impresión
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Recordatorio de cumpleaños
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Elemento de Reserva de Habitación de Hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Se requiere la tasa de cambio para {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Se requiere la tasa de cambio para {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nombre del Seguro de Salud
 DocType: Assessment Plan,Examiner,Examinador
 DocType: Student,Siblings,Hermanos
@@ -4569,19 +4624,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nuevos clientes
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Beneficio Bruto %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,La cita {0} y la factura de ventas {1} cancelaron
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Oportunidades por fuente de plomo
 DocType: Appraisal Goal,Weightage (%),Porcentaje (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Cambiar el Perfil de POS
 DocType: Bank Reconciliation Detail,Clearance Date,Fecha de liquidación
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","El activo ya existe contra el artículo {0}, no puede cambiar el valor de serie no tiene"
+DocType: Delivery Settings,Dispatch Notification Template,Plantilla de notificación de despacho
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","El activo ya existe contra el artículo {0}, no puede cambiar el valor de serie no tiene"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Informe de evaluación
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Obtenga empleados
+apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Obtener Empleados
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Importe Bruto de Compra es obligatorio
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,El nombre de la Empresa no es el mismo
 DocType: Lead,Address Desc,Dirección
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Parte es obligatoria
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Se encontraron filas con fechas de vencimiento duplicadas en otras filas: {list}
 DocType: Topic,Topic Name,Nombre del tema
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Por favor, configure la plantilla predeterminada para la Notifiación de Aprobación de Vacaciones en Configuración de Recursos Humanos."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Por favor, configure la plantilla predeterminada para la Notifiación de Aprobación de Vacaciones en Configuración de Recursos Humanos."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Al menos uno de la venta o compra debe seleccionar
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Seleccione un empleado para obtener el adelanto del empleado.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Por favor seleccione una fecha valida
@@ -4615,6 +4671,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Detalle de cliente o proveedor
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Valor de Activo Actual
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID de la Empresa en Quickbooks
 DocType: Travel Request,Travel Funding,Financiación de Viajes
 DocType: Loan Application,Required by Date,Requerido por Fecha
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Un enlace a todas las ubicaciones en las que crece la cosecha
@@ -4628,9 +4685,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Cantidad de lotes disponibles desde Almacén
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pago Bruto - Deducción total - Pago de Préstamos
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,La lista de materiales (LdM) actual y la nueva no pueden ser las mismas
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,La lista de materiales (LdM) actual y la nueva no pueden ser las mismas
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ID de Nómina
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,La fecha de jubilación debe ser mayor que la fecha de ingreso
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,La fecha de jubilación debe ser mayor que la fecha de ingreso
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Multiples Variantes
 DocType: Sales Invoice,Against Income Account,Contra cuenta de ingresos
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Entregado
@@ -4659,7 +4716,7 @@
 DocType: POS Profile,Update Stock,Actualizar el Inventario
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Unidad de Medida diferente para elementos dará lugar a Peso Neto (Total) incorrecto. Asegúrese de que el peso neto de cada artículo esté en la misma Unidad de Medida.
 DocType: Certification Application,Payment Details,Detalles del Pago
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Coeficiente de la lista de materiales (LdM)
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Coeficiente de la lista de materiales (LdM)
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","La Órden de Trabajo detenida no se puede cancelar, desactívela primero para cancelarla"
 DocType: Asset,Journal Entry for Scrap,Entrada de diario para desguace
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, extraiga los productos de la nota de entrega"
@@ -4682,11 +4739,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Total Sancionada
 ,Purchase Analytics,Analítico de compras
 DocType: Sales Invoice Item,Delivery Note Item,Nota de entrega del producto
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,La factura actual {0} falta
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,La factura actual {0} falta
 DocType: Asset Maintenance Log,Task,Tarea
 DocType: Purchase Taxes and Charges,Reference Row #,Línea de referencia #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},El número de lote es obligatorio para el producto {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Este es el vendedor principal y no se puede editar.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Este es el vendedor principal y no se puede editar.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Si se selecciona, el valor especificado o calculado en este componente no contribuirá a las ganancias o deducciones. Sin embargo, su valor puede ser referenciado por otros componentes que se pueden agregar o deducir."
 DocType: Asset Settings,Number of Days in Fiscal Year,Cantidad de Días en año Fiscal
 ,Stock Ledger,Mayor de Inventarios
@@ -4694,7 +4751,7 @@
 DocType: Company,Exchange Gain / Loss Account,Cuenta de Ganancias / Pérdidas en Cambio
 DocType: Amazon MWS Settings,MWS Credentials,Credenciales de MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Empleados y Asistencias
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Propósito debe ser uno de {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Propósito debe ser uno de {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Llene el formulario y guárdelo
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Foro de la comunidad
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Cantidad real en stock
@@ -4709,7 +4766,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Precio de venta estándar
 DocType: Account,Rate at which this tax is applied,Valor por el cual el impuesto es aplicado
 DocType: Cash Flow Mapper,Section Name,Nombre de la Sección
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Cantidad a reabastecer
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Cantidad a reabastecer
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Fila de depreciación {0}: el valor esperado después de la vida útil debe ser mayor o igual que {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Ofertas de empleo actuales
 DocType: Company,Stock Adjustment Account,Cuenta de ajuste de existencias
@@ -4719,12 +4776,13 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Si se define el ID de usuario 'Login', este sera el predeterminado para todos los documentos de recursos humanos (RRHH)"
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Ingrese detalles de depreciación
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Desde {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Dejar la aplicación {0} ya existe contra el estudiante {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,En cola para actualizar el último precio en todas las listas de materiales. Puede tomar algunos minutos.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,En cola para actualizar el último precio en todas las listas de materiales. Puede tomar algunos minutos.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nombre de la nueva cuenta. Nota: Por favor no crear cuentas de clientes y proveedores
-DocType: POS Profile,Display Items In Stock,Mostrar artículos en stock
+DocType: POS Profile,Display Items In Stock,Mostrar Artículos en Stock
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Plantillas predeterminadas para un país en especial
-DocType: Payment Order,Payment Order Reference,Referencia de orden de pago
+DocType: Payment Order,Payment Order Reference,Referencia de Orden de Pago
 DocType: Water Analysis,Appearance,Apariencia
 DocType: HR Settings,Leave Status Notification Template,Plantilla de Estado de Notificación de Vacaciones
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +77,Avg. Buying Price List Rate,Promedio Precio de la Lista de Precios de Compra
@@ -4750,16 +4808,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Las ranuras para {0} no se agregan a la programación
 DocType: Product Bundle,List items that form the package.,Lista de tareas que forman el paquete .
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,No permitido. Desactiva la Plantilla de Prueba
+DocType: Delivery Note,Distance (in km),Distancia (en km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,El porcentaje de asignación debe ser igual al 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Por favor, seleccione fecha de publicación antes de seleccionar la Parte"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Por favor, seleccione fecha de publicación antes de seleccionar la Parte"
 DocType: Program Enrollment,School House,Casa Escolar
 DocType: Serial No,Out of AMC,Fuera de CMA (Contrato de mantenimiento anual)
+DocType: Opportunity,Opportunity Amount,Monto de Oportunidad
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Número de Depreciaciones Reservadas no puede ser mayor que el número total de Depreciaciones
 DocType: Purchase Order,Order Confirmation Date,Fecha de Confirmación del Pedido
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Crear visita de mantenimiento
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","La fecha de inicio y la fecha de finalización se superponen con la tarjeta de trabajo <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Detalles de Transferencia del Empleado
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario gerente de ventas {0}"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario gerente de ventas {0}"
 DocType: Company,Default Cash Account,Cuenta de efectivo por defecto
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Configuración general del sistema.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Basado en la asistencia de este estudiante
@@ -4767,16 +4828,16 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Añadir más elementos o abrir formulario completo
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,La nota de entrega {0} debe ser cancelada antes de cancelar esta orden ventas
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Ir a Usuarios
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,"El total de la cantidad pagada + desajuste, no puede ser mayor que el gran total"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,"El total de la cantidad pagada + desajuste, no puede ser mayor que el gran total"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} no es un número de lote válido para el artículo {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Nota : No cuenta con suficientes días para la ausencia del tipo {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Nota : No cuenta con suficientes días para la ausencia del tipo {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN no válido o Enter NA para No registrado
 DocType: Training Event,Seminar,Seminario
 DocType: Program Enrollment Fee,Program Enrollment Fee,Cuota de Inscripción al Programa
 DocType: Item,Supplier Items,Artículos de proveedor
 DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.-
 DocType: Opportunity,Opportunity Type,Tipo de oportunidad
-DocType: Asset Movement,To Employee,Para el empleado
+DocType: Asset Movement,To Employee,Para el Empleado
 DocType: Employee Transfer,New Company,Nueva compañía
 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +19,Transactions can only be deleted by the creator of the Company,Las transacciones sólo pueden ser borradas por el creador de la compañía
 apps/erpnext/erpnext/accounts/general_ledger.py +21,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Se encontró un número incorrecto de entradas del libro mayor. Es posible que haya seleccionado una cuenta equivocada en la transacción.
@@ -4786,7 +4847,7 @@
 DocType: Fee Schedule,Fee Schedule,Programa de Cuotas
 DocType: Company,Create Chart Of Accounts Based On,Crear plan de cuentas basado en
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,No se puede desagrupar. Existen Tareas Hijos
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,La fecha de nacimiento no puede ser mayor a la fecha de hoy.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,La fecha de nacimiento no puede ser mayor a la fecha de hoy.
 ,Stock Ageing,Antigüedad de existencias
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Parcialmente Patrocinado, Requiere Financiación Parcial"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Estudiante {0} existe contra la solicitud de estudiante {1}
@@ -4813,7 +4874,7 @@
 DocType: Clinical Procedure,Nursing User,Usuario de Enfermería
 DocType: Employee Benefit Application,Payroll Period,Período de Nómina
 DocType: Plant Analysis,Plant Analysis Criterias,Criterios de Análisis de Plantas
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +239,Serial No {0} does not belong to Batch {1},El número de serie {0} no pertenece al lote {1}
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +239,Serial No {0} does not belong to Batch {1},El Número de serie {0} no pertenece al Lote {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +220,Responsibilities,Responsabilidades
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +125,Validity period of this quotation has ended.,El período de validez de esta cotización ha finalizado.
 DocType: Expense Claim Account,Expense Claim Account,Cuenta de Gastos
@@ -4833,11 +4894,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Antes de Reconciliación
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Para {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impuestos y cargos adicionales (Divisa por defecto)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"El campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"El campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos"
 DocType: Sales Order,Partly Billed,Parcialmente facturado
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Elemento {0} debe ser un elemento de activo fijo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Hacer Variantes
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Hacer Variantes
 DocType: Item,Default BOM,Lista de Materiales (LdM) por defecto
 DocType: Project,Total Billed Amount (via Sales Invoices),Importe Total Facturado (a través de Facturas de Ventas)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Monto de Nota de Debito
@@ -4866,13 +4927,13 @@
 DocType: Notification Control,Custom Message,Mensaje personalizado
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Inversión en la banca
 DocType: Purchase Invoice,input,entrada
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,'Cuenta de Efectivo' o 'Cuenta Bancaria' es obligatoria para hacer una entrada de pago
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,'Cuenta de Efectivo' o 'Cuenta Bancaria' es obligatoria para hacer una entrada de pago
 DocType: Loyalty Program,Multiple Tier Program,Programa de niveles múltiples
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Dirección del estudiante
 DocType: Purchase Invoice,Price List Exchange Rate,Tipo de cambio para la lista de precios
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Todos los Grupos de Proveedores
 DocType: Employee Boarding Activity,Required for Employee Creation,Requerido para la creación del empleado
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Número de cuenta {0} ya usado en la cuenta {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Número de cuenta {0} ya usado en la cuenta {1}
 DocType: GoCardless Mandate,Mandate,Mandato
 DocType: POS Profile,POS Profile Name,Nombre del Perfil POS
 DocType: Hotel Room Reservation,Booked,Reservado
@@ -4888,18 +4949,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,El No. de referencia es obligatoria si usted introdujo la fecha
 DocType: Bank Reconciliation Detail,Payment Document,Documento de pago
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Error al evaluar la fórmula de criterios
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,La fecha de ingreso debe ser mayor a la fecha de nacimiento
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,La fecha de ingreso debe ser mayor a la fecha de nacimiento
 DocType: Subscription,Plans,Planes
 DocType: Salary Slip,Salary Structure,Estructura salarial
 DocType: Account,Bank,Banco
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Línea aérea
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Distribuir materiales
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Distribuir materiales
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Conecte Shopify con ERPNext
 DocType: Material Request Item,For Warehouse,Para el almacén
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Notas de entrega {0} actualizadas
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Notas de entrega {0} actualizadas
 DocType: Employee,Offer Date,Fecha de oferta
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Presupuestos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Usted está en modo fuera de línea. Usted no será capaz de recargar hasta que tenga conexión a red.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Presupuestos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Usted está en modo fuera de línea. Usted no será capaz de recargar hasta que tenga conexión a red.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Conceder
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,No se crearon grupos de estudiantes.
 DocType: Purchase Invoice Item,Serial No,Número de serie
@@ -4911,24 +4972,26 @@
 DocType: Sales Invoice,Customer PO Details,Detalles de la OC del Cliente
 DocType: Stock Entry,Including items for sub assemblies,Incluir productos para subconjuntos
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Cuenta de Apertura Temporal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,El valor introducido debe ser positivo
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,El valor introducido debe ser positivo
 DocType: Asset,Finance Books,Libros de Finanzas
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Categoría de Declaración de Exención Fiscal del Empleado
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Todos los Territorios
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Establezca la política de licencia para el empleado {0} en el registro de Empleado / Grado
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Pedido de manta inválido para el cliente y el artículo seleccionado
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Pedido de manta inválido para el cliente y el artículo seleccionado
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Agregar Tareas Múltiples
 DocType: Purchase Invoice,Items,Productos
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,La fecha de finalización no puede ser anterior a la fecha de inicio.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Estudiante ya está inscrito.
 DocType: Fiscal Year,Year Name,Nombre del Año
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Existen más vacaciones que días de trabajo en este mes.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Existen más vacaciones que días de trabajo en este mes.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Los siguientes elementos {0} no están marcados como {1} elemento. Puede habilitarlos como {1} elemento desde su Maestro de artículos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Artículo del conjunto de productos
 DocType: Sales Partner,Sales Partner Name,Nombre de socio de ventas
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Solicitud de Presupuestos
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Solicitud de Presupuestos
 DocType: Payment Reconciliation,Maximum Invoice Amount,Importe Máximo de Factura
 DocType: Normal Test Items,Normal Test Items,Elementos de Prueba Normales
+DocType: QuickBooks Migrator,Company Settings,Configuración de la compañía
 DocType: Additional Salary,Overwrite Salary Structure Amount,Sobrescribir el monto de la estructura del salario
 DocType: Student Language,Student Language,Idioma del Estudiante
 apps/erpnext/erpnext/config/selling.py +23,Customers,Clientes
@@ -4940,21 +5003,23 @@
 DocType: Issue,Opening Time,Hora de Apertura
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Desde y Hasta la fecha solicitada
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Cambios de valores y bienes
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unidad de medida predeterminada para variante '{0}' debe ser la mismo que en la plantilla '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unidad de medida predeterminada para variante '{0}' debe ser la mismo que en la plantilla '{1}'
 DocType: Shipping Rule,Calculate Based On,Calculo basado en
 DocType: Contract,Unfulfilled,Incumplido
 DocType: Delivery Note Item,From Warehouse,De Almacén
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Sin empleados por los criterios mencionados
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,No hay artículos con la lista de materiales para la fabricación de
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,No hay artículos con la lista de materiales para la fabricación de
 DocType: Shopify Settings,Default Customer,Cliente predeterminado
+DocType: Sales Stage,Stage Name,Nombre del Escenario
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Nombre del supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,No confirme si la cita se crea para el mismo día
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Enviar al estado
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Enviar al Estado
 DocType: Program Enrollment Course,Program Enrollment Course,Inscripción al Programa Curso
-apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},El usuario {0} ya está asignado al profesional de la salud {1}
+apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},El Usuario {0} ya está asignado al profesional de la salud {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Hacer la Entrada de Stock de Retención de Muestra
 DocType: Purchase Taxes and Charges,Valuation and Total,Valuación y Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negociación / Revisión
 DocType: Leave Encashment,Encashment Amount,Monto del Cobro
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Tarjetas de Puntuación
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Lotes Vencidos
@@ -4964,7 +5029,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aperturas Actuales
 DocType: Notification Control,Customize the Notification,Personalizar Notificación
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Flujo de caja operativo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Cantidad de CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Cantidad de CGST
 DocType: Purchase Invoice,Shipping Rule,Regla de envío
 DocType: Patient Relation,Spouse,Esposa
 DocType: Lab Test Groups,Add Test,Añadir Prueba
@@ -4978,14 +5043,14 @@
 DocType: Payroll Entry,Payroll Frequency,Frecuencia de la Nómina
 DocType: Lab Test Template,Sensitivity,Sensibilidad
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,La sincronización se ha desactivado temporalmente porque se han excedido los reintentos máximos
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Materia prima
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Materia prima
 DocType: Leave Application,Follow via Email,Seguir a través de correo electronico
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Plantas y Maquinarias
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total impuestos después del descuento
 DocType: Patient,Inpatient Status,Estado de paciente hospitalizado
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ajustes de Resumen Diario de Trabajo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,La lista de precios seleccionada debe tener los campos de compra y venta marcados.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Ingrese Requerido por Fecha
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,La Lista de Precios seleccionada debe tener los campos de compra y venta marcados.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Ingrese Requerido por Fecha
 DocType: Payment Entry,Internal Transfer,Transferencia interna
 DocType: Asset Maintenance,Maintenance Tasks,Tareas de Mantenimiento
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Es obligatoria la meta de facturacion
@@ -5005,8 +5070,8 @@
 DocType: Training Event,Trainer Name,Nombre del entrenador
 DocType: Mode of Payment,General,General
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última Comunicación
-,TDS Payable Monthly,TDS pagables mensualmente
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,En cola para reemplazar la BOM. Puede tomar unos minutos..
+,TDS Payable Monthly,TDS pagables Mensualmente
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,En cola para reemplazar la BOM. Puede tomar unos minutos..
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No se puede deducir cuando categoría es para ' Valoración ' o ' de Valoración y Total '
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Número de serie requerido para el producto serializado {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Conciliacion de pagos con facturas
@@ -5019,7 +5084,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Añadir a la Cesta
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Agrupar por
 DocType: Guardian,Interests,Intereses
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Habilitar o deshabilitar el tipo de divisas
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Habilitar o deshabilitar el tipo de divisas
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,No se pudieron enviar algunos resúmenes salariales
 DocType: Exchange Rate Revaluation,Get Entries,Obtener Entradas
 DocType: Production Plan,Get Material Request,Obtener Solicitud de materiales
@@ -5041,15 +5106,16 @@
 DocType: Lead,Lead Type,Tipo de iniciativa
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Usted no está autorizado para aprobar ausencias en fechas bloqueadas
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Todos estos elementos ya fueron facturados
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Establecer nueva fecha de lanzamiento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Establecer nueva fecha de lanzamiento
 DocType: Company,Monthly Sales Target,Objetivo Mensual de Ventas
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Puede ser aprobado por {0}
 DocType: Hotel Room,Hotel Room Type,Tipo de Habitación del Hotel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Proveedor&gt; Tipo de proveedor
 DocType: Leave Allocation,Leave Period,Período de Licencia
 DocType: Item,Default Material Request Type,El material predeterminado Tipo de solicitud
 DocType: Supplier Scorecard,Evaluation Period,Periodo de Evaluación
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Desconocido
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Órden de Trabajo no creada
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Órden de Trabajo no creada
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Una cantidad de {0} ya reclamada para el componente {1}, \ establece la cantidad igual o mayor que {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Condiciones de regla envío
@@ -5082,15 +5148,15 @@
 DocType: Batch,Source Document Name,Nombre del documento de origen
 DocType: Production Plan,Get Raw Materials For Production,Obtener Materias Primas para Producción
 DocType: Job Opening,Job Title,Título del trabajo
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indica que {1} no proporcionará una cita, pero todos los elementos \ han sido citados. Actualización del estado de cotización RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Las muestras máximas - {0} ya se han conservado para el lote {1} y el elemento {2} en el lote {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Las muestras máximas - {0} ya se han conservado para el lote {1} y el elemento {2} en el lote {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Actualizar automáticamente el coste de la lista de materiales
 DocType: Lab Test,Test Name,Nombre de la Prueba
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Artículo consumible del procedimiento clínico
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Crear usuarios
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gramo
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Suscripciones
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Suscripciones
 DocType: Supplier Scorecard,Per Month,Por Mes
 DocType: Education Settings,Make Academic Term Mandatory,Hacer el término académico obligatorio
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,La cantidad a producir debe ser mayor que 0.
@@ -5099,9 +5165,9 @@
 DocType: Stock Entry,Update Rate and Availability,Actualización de tarifas y disponibilidad
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"El porcentaje que ud. tiene permitido para recibir o enviar mas de la cantidad ordenada. Por ejemplo: Si ha pedido 100 unidades, y su asignación es del 10%, entonces tiene permitido recibir hasta 110 unidades."
 DocType: Loyalty Program,Customer Group,Categoría de Cliente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Fila # {0}: la operación {1} no se completa para {2} cantidad de productos terminados en la orden de trabajo n.º {3}. Actualice el estado de la operación a través de Registros de Tiempo
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Fila # {0}: la operación {1} no se completa para {2} cantidad de productos terminados en la orden de trabajo n.º {3}. Actualice el estado de la operación a través de Registros de Tiempo
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nuevo ID de lote (opcional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},La cuenta de gastos es obligatoria para el elemento {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},La cuenta de gastos es obligatoria para el elemento {0}
 DocType: BOM,Website Description,Descripción del Sitio Web
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Cambio en el Patrimonio Neto
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Por favor primero cancele la Factura de Compra {0}
@@ -5116,7 +5182,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,No hay nada que modificar.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Vista de Formulario
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Aprobador de Gastos obligatorio en la Reclamación de Gastos
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Resumen para este mes y actividades pendientes
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Resumen para este mes y actividades pendientes
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Configure la Cuenta de Ganancias / Pérdidas de Exchange no realizada en la Empresa {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Agregue usuarios a su organización, que no sean usted mismo."
 DocType: Customer Group,Customer Group Name,Nombre de la categoría de cliente
@@ -5126,37 +5192,37 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,No se ha creado ninguna solicitud material
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Monto del préstamo no puede exceder cantidad máxima del préstamo de {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licencia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Por favor, elimine esta factura {0} de C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Por favor, elimine esta factura {0} de C-Form {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor seleccione 'trasladar' si usted desea incluir los saldos del año fiscal anterior a este año
 DocType: GL Entry,Against Voucher Type,Tipo de comprobante
 DocType: Healthcare Practitioner,Phone (R),Teléfono (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Horarios Añadidos
 DocType: Item,Attributes,Atributos
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Habilitar Plantilla
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Por favor, ingrese la cuenta de desajuste"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Por favor, ingrese la cuenta de desajuste"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Fecha del último pedido
 DocType: Salary Component,Is Payable,Es Pagadero
 DocType: Inpatient Record,B Negative,B Negativo
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +25,Maintenance Status has to be Cancelled or Completed to Submit,El Estado de Mantenimiento debe ser Cancelado o Completado para Enviar
-DocType: Amazon MWS Settings,US,NOS
+DocType: Amazon MWS Settings,US,Estados Unidos
 DocType: Holiday List,Add Weekly Holidays,Añadir Vacaciones Semanales
 DocType: Staffing Plan Detail,Vacancies,Vacantes
 DocType: Hotel Room,Hotel Room,Habitación de Hotel
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},La cuenta {0} no pertenece a la compañía {1}
 DocType: Leave Type,Rounding,Redondeo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Los números de serie en la fila {0} no coinciden con Nota de entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Los números de serie en la fila {0} no coinciden con Nota de entrega
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Cantidad Dispensada (Prorrateada)
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Luego, las Reglas de fijación de precios se filtran en función del Cliente, Grupo de clientes, Territorio, Proveedor, Grupo de proveedores, Campaña, Socio de ventas, etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Luego, las Reglas de fijación de Precios se filtran en función del Cliente, Grupo de Clientes, Territorio, Proveedor, Grupo de Proveedores, Campaña, Socio de Ventas, etc."
 DocType: Student,Guardian Details,Detalles del Tutor
 DocType: C-Form,C-Form,C - Forma
 DocType: Agriculture Task,Start Day,Día de Inicio
 DocType: Vehicle,Chassis No,N° de Chasis
 DocType: Payment Request,Initiated,Iniciado
 DocType: Production Plan Item,Planned Start Date,Fecha prevista de inicio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Seleccione una Lista de Materiales
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Seleccione una Lista de Materiales
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Impuesto Integrado ITC disponible
 DocType: Purchase Order Item,Blanket Order Rate,Tasa de orden general
-apps/erpnext/erpnext/hooks.py +156,Certification,Proceso de dar un título
+apps/erpnext/erpnext/hooks.py +157,Certification,Proceso de dar un título
 DocType: Bank Guarantee,Clauses and Conditions,Cláusulas y Condiciones
 DocType: Serial No,Creation Document Type,Creación de documento
 DocType: Project Task,View Timesheet,Ver Parte de Horas
@@ -5181,6 +5247,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,El producto principal {0} no debe ser un artículo de stock
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Listado de Sitios Web
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Todos los productos o servicios.
+DocType: Email Digest,Open Quotations,Cotizaciones Abiertas
 DocType: Expense Claim,More Details,Más detalles
 DocType: Supplier Quotation,Supplier Address,Dirección de proveedor
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},El presupuesto {0} de la cuenta {1} para {2} {3} es {4} superior por {5}
@@ -5195,12 +5262,11 @@
 DocType: Training Event,Exam,Examen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Error de Marketplace
 DocType: Complaint,Complaint,Queja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},El almacén es requerido para el stock del producto {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},El almacén es requerido para el stock del producto {0}
 DocType: Leave Allocation,Unused leaves,Ausencias no utilizadas
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Hacer la Entrada de Reembolso
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Todos los Departamentos
 DocType: Healthcare Service Unit,Vacant,Vacante
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Proveedor&gt; Tipo de proveedor
 DocType: Patient,Alcohol Past Use,Uso Pasado de Alcohol
 DocType: Fertilizer Content,Fertilizer Content,Contenido de Fertilizante
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cred
@@ -5208,11 +5274,11 @@
 DocType: Tax Rule,Billing State,Región de facturación
 DocType: Share Transfer,Transfer,Transferencia
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,La Órden de Trabajo {0} debe cancelarse antes de cancelar esta Órden de Venta
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Buscar lista de materiales (LdM) incluyendo subconjuntos
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Buscar lista de materiales (LdM) incluyendo subconjuntos
 DocType: Authorization Rule,Applicable To (Employee),Aplicable a ( Empleado )
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,La fecha de vencimiento es obligatoria
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Incremento de Atributo {0} no puede ser 0
-DocType: Employee Benefit Claim,Benefit Type and Amount,Tipo de beneficio y cantidad
+DocType: Employee Benefit Claim,Benefit Type and Amount,Tipo de Beneficio y Cantidad
 apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py +19,Rooms Booked,Habitaciones Reservadas
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +57,Ends On date cannot be before Next Contact Date.,La fecha de finalización no puede ser anterior a la fecha del próximo contacto.
 DocType: Journal Entry,Pay To / Recd From,Pagar a / Recibido de
@@ -5224,7 +5290,7 @@
 DocType: Disease,Treatment Period,Período de Tratamiento
 DocType: Travel Itinerary,Travel Itinerary,Itinerario de Viaje
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Resultado ya Presentado
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,El almacén reservado es obligatorio para el artículo {0} en las materias primas suministradas
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,El almacén reservado es obligatorio para el artículo {0} en las materias primas suministradas
 ,Inactive Customers,Clientes Inactivos
 DocType: Student Admission Program,Maximum Age,Edad Máxima
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Espere 3 días antes de volver a enviar el recordatorio.
@@ -5233,7 +5299,6 @@
 DocType: Stock Entry,Delivery Note No,Nota de entrega No.
 DocType: Cheque Print Template,Message to show,Mensaje a mostrar
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Ventas al por menor
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Administrar la factura de la cita automáticamente
 DocType: Student Attendance,Absent,Ausente
 DocType: Staffing Plan,Staffing Plan Detail,Detalle del plan de personal
 DocType: Employee Promotion,Promotion Date,Fecha de Promoción
@@ -5255,7 +5320,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Hacer una Iniciativa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Impresión y Papelería
 DocType: Stock Settings,Show Barcode Field,Mostrar Campo de código de barras
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Enviar mensajes de correo electrónico al proveedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Enviar mensajes de correo electrónico al proveedor
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salario ya procesado para el período entre {0} y {1}, Deja período de aplicación no puede estar entre este intervalo de fechas."
 DocType: Fiscal Year,Auto Created,Creado Automáticamente
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Envíe esto para crear el registro del empleado
@@ -5264,7 +5329,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,La factura {0} ya no existe
 DocType: Guardian Interest,Guardian Interest,Interés del Tutor
 DocType: Volunteer,Availability,Disponibilidad
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Configurar los valores predeterminados para facturas de POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Configurar los valores predeterminados para facturas de POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Formación
 DocType: Project,Time to send,Hora de Enviar
 DocType: Timesheet,Employee Detail,Detalle de los Empleados
@@ -5287,7 +5352,7 @@
 DocType: Training Event Employee,Optional,Opcional
 DocType: Salary Slip,Earning & Deduction,Ingresos y Deducciones
 DocType: Agriculture Analysis Criteria,Water Analysis,Análisis de Agua
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variantes creadas
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variantes creadas
 DocType: Amazon MWS Settings,Region,Región
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Esta configuración es utilizada para filtrar la cuenta de otras transacciones
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,La valoración negativa no está permitida
@@ -5306,7 +5371,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Costo del activo desechado
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Costes es obligatorio para el artículo {2}
 DocType: Vehicle,Policy No,N° de Política
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Obtener Productos del Paquete de Productos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Obtener Productos del Paquete de Productos
 DocType: Asset,Straight Line,Línea Recta
 DocType: Project User,Project User,usuario proyecto
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,División
@@ -5314,7 +5379,7 @@
 DocType: GL Entry,Is Advance,Es un anticipo
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Ciclo de Vida del Empleado
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Asistencia 'Desde fecha' y 'Hasta fecha' son obligatorias
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es sub-contratado' o no"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es sub-contratado' o no"
 DocType: Item,Default Purchase Unit of Measure,Unidad de Medida de Compra Predeterminada
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Fecha de la Última Comunicación
 DocType: Clinical Procedure Item,Clinical Procedure Item,Artículo de Procedimiento Clínico
@@ -5323,7 +5388,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Falta Token de Acceso o URL de Shopify
 DocType: Location,Latitude,Latitud
 DocType: Work Order,Scrap Warehouse,Almacén de chatarra
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Se requiere Almacén en la Fila Nro {0}, configure el Almacén Predeterminado para el Artículo {1} para la Empresa {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Se requiere Almacén en la Fila Nro {0}, configure el Almacén Predeterminado para el Artículo {1} para la Empresa {2}"
 DocType: Work Order,Check if material transfer entry is not required,Compruebe si la entrada de transferencia de material no es necesaria
 DocType: Program Enrollment Tool,Get Students From,Obtener Estudiantes Desde
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Publicar artículos en la página web
@@ -5338,6 +5403,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nueva cantidad de lote
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Ropa y Accesorios
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,No se pudo resolver la función de puntuación ponderada. Asegúrese de que la fórmula es válida.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Artículos de orden de compra no recibidos a tiempo
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Número de Orden
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner que aparecerá en la parte superior de la lista de productos.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condiciones para calcular el monto del envío
@@ -5346,9 +5412,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Camino
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"No se puede convertir de 'Centros de Costos' a una cuenta del libro mayor, ya que tiene sub-grupos"
 DocType: Production Plan,Total Planned Qty,Cantidad Total Planificada
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Valor de Apertura
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Valor de Apertura
 DocType: Salary Component,Formula,Fórmula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #.
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #.
 DocType: Lab Test Template,Lab Test Template,Plantilla de Prueba de Laboratorio
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Cuenta de Ventas
 DocType: Purchase Invoice Item,Total Weight,Peso Total
@@ -5366,7 +5432,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Hacer Solicitud de materiales
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Abrir elemento {0}
 DocType: Asset Finance Book,Written Down Value,Valor Escrito
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos&gt; Configuración de recursos humanos
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La factura {0} debe ser cancelada antes de cancelar esta orden ventas
 DocType: Clinical Procedure,Age,Edad
 DocType: Sales Invoice Timesheet,Billing Amount,Monto de facturación
@@ -5375,11 +5440,11 @@
 DocType: Company,Default Employee Advance Account,Cuenta Predeterminada de Anticipo de Empleado
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Elemento de Búsqueda (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Cuenta con transacción existente no se puede eliminar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Cuenta con transacción existente no se puede eliminar
 DocType: Vehicle,Last Carbon Check,Último control de Carbono
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,GASTOS LEGALES
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,"Por favor, seleccione la cantidad en la fila"
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Hacer Apertura de Ventas y Facturas de Compra
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Hacer Apertura de Ventas y Facturas de Compra
 DocType: Purchase Invoice,Posting Time,Hora de Contabilización
 DocType: Timesheet,% Amount Billed,% importe facturado
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Cuenta telefonica
@@ -5393,15 +5458,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Travel Expenses,Gastos de Viaje
 DocType: Maintenance Visit,Breakdown,Desglose
 DocType: Travel Itinerary,Vegetarian,Vegetariano
-DocType: Patient Encounter,Encounter Date,Fecha de encuentro
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con divisa: {1} no puede ser seleccionada
+DocType: Patient Encounter,Encounter Date,Fecha de Encuentro
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con divisa: {1} no puede ser seleccionada
 DocType: Bank Statement Transaction Settings Item,Bank Data,Datos Bancarios
 DocType: Purchase Receipt Item,Sample Quantity,Cantidad de Muestra
 DocType: Bank Guarantee,Name of Beneficiary,Nombre del Beneficiario
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Actualizar el costo de la lista de materiales automáticamente a través de las tareas programadas, basado en la última tasa de valoración / tarifa de lista de precios / última tasa de compra de materias primas."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Fecha del cheque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: la cuenta padre {1} no pertenece a la empresa: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: la cuenta padre {1} no pertenece a la empresa: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Todas las transacciones relacionadas con esta compañía han sido eliminadas correctamente.
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,A la fecha
 DocType: Additional Salary,HR,HR
@@ -5409,7 +5474,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Alertas SMS de Pacientes
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Período de prueba
 DocType: Program Enrollment Tool,New Academic Year,Nuevo Año Académico
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Devolución / Nota de Crédito
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Devolución / Nota de Crédito
 DocType: Stock Settings,Auto insert Price List rate if missing,Insertar automáticamente Tasa de Lista de Precio si falta
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Importe total pagado
 DocType: GST Settings,B2C Limit,Límite B2C
@@ -5427,10 +5492,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Los nodos hijos sólo pueden ser creados bajo los nodos de tipo &quot;grupo&quot;
 DocType: Attendance Request,Half Day Date,Fecha de Medio Día
 DocType: Academic Year,Academic Year Name,Nombre Año Académico
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} no se permite realizar transacciones con {1}. Por favor cambia la Compañía.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} no se permite realizar transacciones con {1}. Por favor cambia la Compañía.
 DocType: Sales Partner,Contact Desc,Desc. de Contacto
 DocType: Email Digest,Send regular summary reports via Email.,Enviar informes resumidos periódicamente por correo electrónico.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Defina la cuenta predeterminada en Tipo de reclamación de gastos {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Defina la cuenta predeterminada en Tipo de reclamación de gastos {0}.
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Licencias Disponibles
 DocType: Assessment Result,Student Name,Nombre del estudiante
 DocType: Hub Tracked Item,Item Manager,Administración de artículos
@@ -5442,7 +5507,7 @@
 apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Todos los Contactos.
 DocType: Accounting Period,Closed Documents,Documentos Cerrados
 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Administrar factura de cita enviar y cancelar automáticamente para el Encuentro de pacientes
-DocType: Patient Appointment,Referring Practitioner,Practicante de referencia
+DocType: Patient Appointment,Referring Practitioner,Practicante de Referencia
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Company Abbreviation,Abreviatura de la compañia
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +51,User {0} does not exist,El usuario {0} no existe
 DocType: Payment Term,Day(s) after invoice date,Día(s) después de la fecha de la factura
@@ -5455,9 +5520,10 @@
 DocType: Subscription,Trial Period End Date,Fecha de Finalización del Período de Prueba
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,No autorizado desde {0} excede los límites
 DocType: Serial No,Asset Status,Estado del Activo
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Carga sobre dimensiones (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Mesa de Restaurante
 DocType: Hotel Room,Hotel Manager,Gerente del Hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Establezca la regla fiscal (Impuestos) del carrito de compras
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Establezca la regla fiscal (Impuestos) del carrito de compras
 DocType: Purchase Invoice,Taxes and Charges Added,Impuestos y cargos adicionales
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Fila de depreciación {0}: la siguiente fecha de depreciación no puede ser anterior Fecha disponible para usar
 ,Sales Funnel,"""Embudo"" de ventas"
@@ -5473,21 +5539,21 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Todas las categorías de clientes
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,acumulado Mensual
 DocType: Attendance Request,On Duty,En Servicio
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Posiblemente el registro de cambio de moneda no ha sido creado para {1} hasta {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Posiblemente el registro de cambio de moneda no ha sido creado para {1} hasta {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},El plan de dotación de personal {0} ya existe para la designación {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Plantilla de impuestos es obligatorio.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Cuenta {0}: la cuenta padre {1} no existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Cuenta {0}: la cuenta padre {1} no existe
 DocType: POS Closing Voucher,Period Start Date,Fecha de Inicio del Período
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Tarifa de la lista de precios (Divisa por defecto)
 DocType: Products Settings,Products Settings,Ajustes de Productos
 ,Item Price Stock,Artículo Stock de Precios
-apps/erpnext/erpnext/config/accounts.py +50,To make Customer based incentive schemes.,Para hacer esquemas de incentivos basados en el cliente.
+apps/erpnext/erpnext/config/accounts.py +50,To make Customer based incentive schemes.,Para crear Clientes basados en  esquemas de incentivos.
 DocType: Lab Prescription,Test Created,Prueba Creada
 DocType: Healthcare Settings,Custom Signature in Print,Firma Personalizada en la Impresión
 DocType: Account,Temporary,Temporal
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +120,Customer LPO No.,Cliente LPO Nro.
 DocType: Amazon MWS Settings,Market Place Account Group,Grupo de cuentas Market Place
-apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +14,Make Payment Entries,Hacer entradas de pago
+apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +14,Make Payment Entries,Hacer Entradas de Pago
 DocType: Program,Courses,Cursos
 DocType: Monthly Distribution Percentage,Percentage Allocation,Porcentaje de asignación
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +116,Secretary,Secretaria
@@ -5496,8 +5562,8 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Esta acción detendrá la facturación futura. ¿Seguro que quieres cancelar esta Suscripción?
 DocType: Serial No,Distinct unit of an Item,Unidad distinta del producto
 DocType: Supplier Scorecard Criteria,Criteria Name,Nombre del Criterio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Por favor seleccione Compañía
-DocType: Procedure Prescription,Procedure Created,Procedimiento creado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Por favor seleccione Compañía
+DocType: Procedure Prescription,Procedure Created,Procedimiento Creado
 DocType: Pricing Rule,Buying,Compras
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Enfermedades y Fertilizantes
 DocType: HR Settings,Employee Records to be created by,Los registros de empleados se crearán por
@@ -5513,49 +5579,50 @@
 DocType: Employee Onboarding,Job Offer,Oferta de Trabajo
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Abreviatura del Instituto
 ,Item-wise Price List Rate,Detalle del listado de precios
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Presupuesto de Proveedor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Presupuesto de Proveedor
 DocType: Quotation,In Words will be visible once you save the Quotation.,'En palabras' será visible una vez guarde el Presupuesto
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Cantidad ({0}) no puede ser una fracción en la fila {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Cantidad ({0}) no puede ser una fracción en la fila {1}
 DocType: Contract,Unsigned,No Firmado
 DocType: Selling Settings,Each Transaction,Cada Transacción
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el artículo {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el artículo {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglas para añadir los gastos de envío.
 DocType: Hotel Room,Extra Bed Capacity,Capacidad de Cama Extra
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varianza
 DocType: Item,Opening Stock,Stock de Apertura
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Se requiere Cliente
 DocType: Lab Test,Result Date,Fecha del Resultado
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Fecha PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Fecha PDC / LC
 DocType: Purchase Order,To Receive,Recibir
 DocType: Leave Period,Holiday List for Optional Leave,Lista de vacaciones para la licencia opcional
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,usuario@ejemplo.com
 DocType: Asset,Asset Owner,Propietario del activo
 DocType: Purchase Invoice,Reason For Putting On Hold,Motivo de Poner en Espera
 DocType: Employee,Personal Email,Correo electrónico personal
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Total Variacion
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Total Variacion
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si está habilitado, el sistema contabiliza los asientos contables para el inventario de forma automática."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Bolsa de valores
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,La asistencia para el empleado {0} ya está marcada para el día de hoy
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,La asistencia para el empleado {0} ya está marcada para el día de hoy
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",en minutos actualizado a través de bitácora (gestión de tiempo)
 DocType: Customer,From Lead,Desde Iniciativa
 DocType: Amazon MWS Settings,Synch Orders,Órdenes de sincronización
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Las órdenes publicadas para la producción.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Seleccione el año fiscal...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,Se requiere un perfil de TPV para crear entradas en el punto de venta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,Se requiere un perfil de TPV para crear entradas en el punto de venta
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Los puntos de fidelidad se calcularán a partir del gasto realizado (a través de la factura de venta), según el factor de recaudación mencionado."
 DocType: Program Enrollment Tool,Enroll Students,Inscribir Estudiantes
 DocType: Company,HRA Settings,Configuración de HRA
 DocType: Employee Transfer,Transfer Date,Fecha de Transferencia
 DocType: Lab Test,Approved Date,Fecha Aprobada
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venta estándar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Al menos un almacén es obligatorio
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Al menos un almacén es obligatorio
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Configure campos de elementos como UOM, Grupo de artículos, Descripción y Nº de horas."
 DocType: Certification Application,Certification Status,Estado de Certificación
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Mercado
 DocType: Travel Itinerary,Travel Advance Required,Se requiere avance de viaje
 DocType: Subscriber,Subscriber Name,Nombre del Suscriptor
 DocType: Serial No,Out of Warranty,Fuera de garantía
-DocType: Cashier Closing,Cashier-closing-,Cajero-cierre-
+DocType: Cashier Closing,Cashier-closing-,cierre-caja
 DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipo de Datos Asignados
 DocType: BOM Update Tool,Replace,Reemplazar
 apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,No se encuentran productos
@@ -5568,6 +5635,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Facturas Coincidentes
 DocType: Work Order,Required Items,Artículos Requeridos
 DocType: Stock Ledger Entry,Stock Value Difference,Diferencia del valor de inventario
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,La fila de elemento {0}: {1} {2} no existe en la tabla &#39;{1}&#39; anterior
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Recursos Humanos
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pago para reconciliación de saldo
 DocType: Disease,Treatment Task,Tarea de Tratamiento
@@ -5585,10 +5653,11 @@
 DocType: Account,Debit,Debe
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Vacaciones deben distribuirse en múltiplos de 0.5
 DocType: Work Order,Operation Cost,Costo de operación
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Saldo pendiente
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identificando a los Tomadores de Decisiones
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Saldo pendiente
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establecer objetivos en los grupos de productos para este vendedor
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelar stock mayores a [Days]
-DocType: Payment Request,Payment Ordered,Pago ordenado
+DocType: Payment Request,Payment Ordered,Pago Ordenado
 DocType: Asset Maintenance Team,Maintenance Team Name,Nombre del Equipo de Mantenimiento
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si dos o más reglas de precios se encuentran basados en las condiciones anteriores, se aplicará prioridad. La prioridad es un número entre 0 a 20 mientras que el valor por defecto es cero (en blanco). Un número más alto significa que va a prevalecer si hay varias reglas de precios con mismas condiciones."
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +197,Customer is mandatory if 'Opportunity From' is selected as Customer,El Cliente es obligatorio si se selecciona 'Oportunidad De' como Cliente
@@ -5597,13 +5666,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Permitir a los usuarios siguientes aprobar solicitudes de ausencia en días bloqueados.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Ciclo de Vida
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Hacer BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},La tasa de venta del elemento {0} es menor que su {1}. La tarifa de venta debe ser al menos {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},La tasa de venta del elemento {0} es menor que su {1}. La tarifa de venta debe ser al menos {2}
 DocType: Subscription,Taxes,Impuestos
 DocType: Purchase Invoice,capital goods,bienes de equipo
 DocType: Purchase Invoice Item,Weight Per Unit,Peso por Unidad
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Pagados y no entregados
-DocType: Project,Default Cost Center,Centro de costos por defecto
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Centro de costos por defecto
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transacciones de Stock
 DocType: Budget,Budget Accounts,Cuentas de Presupuesto
 DocType: Employee,Internal Work History,Historial de trabajo interno
@@ -5636,7 +5704,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Profesional de la salud no está disponible en {0}
 DocType: Stock Entry Detail,Additional Cost,Costo adicional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","No se puede filtrar en función al 'No. de comprobante', si esta agrupado por el nombre"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Crear oferta de venta de un proveedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Crear oferta de venta de un proveedor
 DocType: Quality Inspection,Incoming,Entrante
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Se crean plantillas de impuestos predeterminadas para ventas y compras.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,El registro de Resultados de la Evaluación {0} ya existe.
@@ -5652,7 +5720,7 @@
 DocType: Batch,Batch ID,ID de Lote
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Nota: {0}
 ,Delivery Note Trends,Evolución de las notas de entrega
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Resumen de la semana.
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Resumen de la semana.
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,En Cantidad de Stock
 ,Daily Work Summary Replies,Respuestas Diarias del Resumen del Trabajo
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcule los Tiempos Estimados de Llegada
@@ -5662,11 +5730,11 @@
 DocType: Bank Account,Party,Tercero
 DocType: Healthcare Settings,Patient Name,Nombre del Paciente
 DocType: Variant Field,Variant Field,Campo de Variante
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Ubicación del Objetivo
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Ubicación del Objetivo
 DocType: Sales Order,Delivery Date,Fecha de entrega
 DocType: Opportunity,Opportunity Date,Fecha de oportunidad
 DocType: Employee,Health Insurance Provider,Proveedor de Seguro de Salud
-DocType: Products Settings,Show Availability Status,Mostrar estado de disponibilidad
+DocType: Products Settings,Show Availability Status,Mostrar Estado de Disponibilidad
 DocType: Purchase Receipt,Return Against Purchase Receipt,Devolución contra recibo compra
 DocType: Water Analysis,Person Responsible,Persona Responsable
 DocType: Request for Quotation Item,Request for Quotation Item,Ítems de Solicitud de Presupuesto
@@ -5681,7 +5749,7 @@
 DocType: Employee,History In Company,Historia en la Compañia
 DocType: Customer,Customer Primary Address,Dirección Principal del Cliente
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Boletines
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Numero de referencia.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Numero de Referencia.
 DocType: Drug Prescription,Description/Strength,Descripción / Fuerza
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Crear Nuevo Pago / Entrada de Diario
 DocType: Certification Application,Certification Application,Solicitud de Certificación
@@ -5692,10 +5760,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,El mismo artículo se ha introducido varias veces
 DocType: Department,Leave Block List,Dejar lista de bloqueo
 DocType: Purchase Invoice,Tax ID,ID de impuesto
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,"El producto {0} no está configurado para utilizar Números de Serie, la columna debe permanecer en blanco"
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,"El producto {0} no está configurado para utilizar Números de Serie, la columna debe permanecer en blanco"
 DocType: Accounts Settings,Accounts Settings,Configuración de cuentas
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Aprobar
 DocType: Loyalty Program,Customer Territory,Territorio del Cliente
+DocType: Email Digest,Sales Orders to Deliver,Órdenes de Ventas para Enviar
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Número de Cuenta Nueva, se incluirá en el nombre de la cuenta como prefijo"
 DocType: Maintenance Team Member,Team Member,Miembro del Equipo
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,No hay resultados para enviar
@@ -5703,9 +5772,8 @@
 DocType: Loan,Rate of Interest (%) / Year,Tasa de interés (%) / Año
 ,Project Quantity,Cantidad de Proyecto
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total de {0} para todos los elementos es cero, puede ser que usted debe cambiar en &quot;Distribuir los cargos basados en &#39;"
-apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Hasta la fecha no puede ser menor que la fecha
+apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Fecha Hasta no puede ser menor que la Fecha Desde
 DocType: Opportunity,To Discuss,Para discusión
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Esto se basa en transacciones contra este Suscriptor. Ver la línea de tiempo a continuación para detalles
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} unidades de {1} necesaria en {2} para completar esta transacción.
 DocType: Loan Type,Rate of Interest (%) Yearly,Tasa de interés (%) Anual
 DocType: Support Settings,Forum URL,URL del Foro
@@ -5720,7 +5788,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Aprende Más
 DocType: Cheque Print Template,Distance from top edge,Distancia desde el borde superior
 DocType: POS Closing Voucher Invoices,Quantity of Items,Cantidad de Artículos
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Lista de precios {0} está desactivada o no existe
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Lista de precios {0} está desactivada o no existe
 DocType: Purchase Invoice,Return,Retornar
 DocType: Pricing Rule,Disable,Desactivar
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Forma de pago se requiere para hacer un pago
@@ -5728,18 +5796,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Edite en la página completa para obtener más opciones como activos, números de serie, lotes, etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Máximo de días continuos aplicables
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} no está inscrito en el lote {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} no puede ser desechado, debido a que ya es {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} no puede ser desechado, debido a que ya es {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Cheques Requeridos
 DocType: Task,Total Expense Claim (via Expense Claim),Total reembolso (Vía reembolso de gastos)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausente
 DocType: Job Applicant Source,Job Applicant Source,Fuente del Solicitante de Empleo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Monto IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Monto IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Error al configurar la compañía
 DocType: Asset Repair,Asset Repair,Reparación de Activos
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la lista de materiales # {1} debe ser igual a la moneda seleccionada {2}
 DocType: Journal Entry Account,Exchange Rate,Tipo de cambio
 DocType: Patient,Additional information regarding the patient,Información adicional sobre el paciente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,La órden de venta {0} no esta validada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,La órden de venta {0} no esta validada
 DocType: Homepage,Tag Line,tag Line
 DocType: Fee Component,Fee Component,Componente de Couta
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Gestión de Flota
@@ -5754,7 +5822,7 @@
 DocType: Healthcare Practitioner,Mobile,Móvil
 ,Sales Person-wise Transaction Summary,Resumen de transacciones por vendedor
 DocType: Training Event,Contact Number,Número de contacto
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,El almacén {0} no existe
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,El almacén {0} no existe
 DocType: Cashier Closing,Custody,Custodia
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Detalle de envío de prueba de exención fiscal del empleado
 DocType: Monthly Distribution,Monthly Distribution Percentages,Porcentajes de distribución mensuales
@@ -5769,7 +5837,7 @@
 DocType: Payment Entry,Paid Amount,Cantidad Pagada
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Explorar el Ciclo de Ventas
 DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Entrada de Retención de Acciones
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Entrada de Retención de Acciones
 ,Available Stock for Packing Items,Inventario Disponible de Artículos de Embalaje
 DocType: Item Variant,Item Variant,Variante del Producto
 ,Work Order Stock Report,Informe de stock de Órden de Trabajo
@@ -5778,9 +5846,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Como Supervisor
 DocType: Leave Policy Detail,Leave Policy Detail,Dejar detalles de la política
 DocType: BOM Scrap Item,BOM Scrap Item,BOM de Artículo  de Desguace
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Ordenes presentada no se pueden eliminar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Balance de la cuenta ya en Débito, no le está permitido establecer ""Balance Debe Ser"" como ""Crédito"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Gestión de Calidad
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Ordenes presentada no se pueden eliminar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Balance de la cuenta ya en Débito, no le está permitido establecer ""Balance Debe Ser"" como ""Crédito"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Gestión de Calidad
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Elemento {0} ha sido desactivado
 DocType: Project,Total Billable Amount (via Timesheets),Monto Total Facturable (a través de Partes de Horas)
 DocType: Agriculture Task,Previous Business Day,Día Hábil Anterior
@@ -5791,7 +5859,7 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Credit Note Amt,Monto de Nora de Credito
 apps/erpnext/erpnext/regional/report/hsn_wise_summary_of_outward_supplies/hsn_wise_summary_of_outward_supplies.py +78,Total Taxable Amount,Monto Imponible Total
 DocType: Employee External Work History,Employee External Work History,Historial de de trabajos anteriores
-apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +689,Job card {0} created,Tarjeta de trabajo {0} creada
+apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +689,Job card {0} created,Tarjeta de Trabajo {0} creada
 DocType: Opening Invoice Creation Tool,Purchase,Compra
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Los objetivos no pueden estar vacíos
@@ -5803,14 +5871,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Centros de costos
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Reiniciar Suscripción
 DocType: Linked Plant Analysis,Linked Plant Analysis,Análisis de Plantas Vinculadas
-DocType: Delivery Note,Transporter ID,ID de transportador
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID de transportador
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Propuesta de Valor
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tasa por la cual la divisa del proveedor es convertida como moneda base de la compañía
-DocType: Sales Invoice Item,Service End Date,Fecha de finalización del servicio
+DocType: Purchase Invoice Item,Service End Date,Fecha de Finalización del Servicio
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Línea #{0}: tiene conflictos de tiempo con la linea {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permitir tasa de valoración cero
 DocType: Bank Guarantee,Receiving,Recepción
 DocType: Training Event Employee,Invited,Invitado
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Configuración de cuentas de puerta de enlace.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Configuración de cuentas de puerta de enlace.
 DocType: Employee,Employment Type,Tipo de empleo
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,ACTIVOS FIJOS
 DocType: Payment Entry,Set Exchange Gain / Loss,Ajuste de ganancia del intercambio / Pérdida
@@ -5826,7 +5895,7 @@
 DocType: Tax Rule,Sales Tax Template,Plantilla de impuesto sobre ventas
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Reclamo de pago contra el beneficio
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Actualizar el Número de Centro de Costo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Seleccione artículos para guardar la factura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Seleccione artículos para guardar la factura
 DocType: Employee,Encashment Date,Fecha de Cobro
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Plantilla de Prueba Especial
@@ -5834,12 +5903,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Existe una actividad de costo por defecto para la actividad del tipo - {0}
 DocType: Work Order,Planned Operating Cost,Costos operativos planeados
 DocType: Academic Term,Term Start Date,Plazo Fecha de Inicio
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lista de todas las transacciones de acciones
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lista de todas las transacciones de acciones
+DocType: Supplier,Is Transporter,Es transportador
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importar factura de ventas de Shopify si el pago está marcado
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Cant Oportunidad
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Se deben configurar tanto la fecha de inicio del Período de Prueba como la fecha de finalización del Período de Prueba
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Tasa Promedio
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,El monto total del pago en el cronograma de pago debe ser igual al total / Total Redondeado
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,El monto total del pago en el cronograma de pago debe ser igual al total / Total Redondeado
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Saldo de Extracto Bancario según Balance General
 DocType: Job Applicant,Applicant Name,Nombre del Solicitante
@@ -5867,7 +5937,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Cantidad Disponible en Almacén Fuente
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garantía
 DocType: Purchase Invoice,Debit Note Issued,Nota de Débito Emitida
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,El filtro basado en el Centro de costes solo es aplicable si se selecciona Presupuesto contra como Centro de costes
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,El filtro basado en el Centro de costes solo es aplicable si se selecciona Presupuesto contra como Centro de costes
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Buscar por Código de Artículo, Número de Serie, Lote o Código de Barras"
 DocType: Work Order,Warehouses,Almacenes
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} activo no se puede transferir
@@ -5878,9 +5948,9 @@
 DocType: Workstation,per hour,por hora
 DocType: Blanket Order,Purchasing,Adquisitivo
 DocType: Announcement,Announcement,Anuncio
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Cliente LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Cliente LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Para el grupo de estudiantes basado en lotes, el lote de estudiantes será validado para cada estudiante de la inscripción al programa."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"El almacén no se puede eliminar, porque existen registros de inventario para el mismo."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"El almacén no se puede eliminar, porque existen registros de inventario para el mismo."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribución
 DocType: Journal Entry Account,Loan,Préstamo
 DocType: Expense Claim Advance,Expense Claim Advance,Anticipo de Adelanto de Gastos
@@ -5889,7 +5959,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Gerente de proyectos
 ,Quoted Item Comparison,Comparación de artículos de Cotización
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Se superponen las puntuaciones entre {0} y {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Despacho
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Despacho
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para el producto: {0} es {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Valor neto de activos como en
 DocType: Crop,Produce,Produce
@@ -5899,26 +5969,27 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Consumo de Material para Fabricación
 DocType: Item Alternative,Alternative Item Code,Código de Artículo Alternativo
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol autorizado para validar las transacciones que excedan los límites de crédito establecidos.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Seleccionar artículos para Fabricación
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Seleccionar artículos para Fabricación
 DocType: Delivery Stop,Delivery Stop,Parada de Entrega
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Sincronización de datos Maestros,  puede tomar algún tiempo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Sincronización de datos Maestros,  puede tomar algún tiempo"
 DocType: Item,Material Issue,Expedición de Material
 DocType: Employee Education,Qualification,Calificación
 DocType: Item Price,Item Price,Precio de Productos
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Jabón y detergente
 DocType: BOM,Show Items,Mostrar elementos
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Tiempo Desde no puede ser mayor Tiempo Hasta
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,¿Desea notificar a todos los clientes por correo electrónico?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,¿Desea notificar a todos los clientes por correo electrónico?
 DocType: Subscription Plan,Billing Interval,Intervalo de Facturación
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Imagén en movimiento y vídeo
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Ordenado/a
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,La fecha de inicio real y la fecha de finalización real son obligatorias
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de clientes&gt; Territorio
 DocType: Salary Detail,Component,Componente
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,La fila {0}: {1} debe ser mayor que 0
 DocType: Assessment Criteria,Assessment Criteria Group,Criterios de evaluación del Grupo
 DocType: Healthcare Settings,Patient Name By,Nombre del Paciente Por
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +220,Accrual Journal Entry for salaries from {0} to {1},Entrada de Diario de Acumulación para Salarios de {0} a {1}
-DocType: Sales Invoice Item,Enable Deferred Revenue,Habilitar ingresos diferidos
+DocType: Sales Invoice Item,Enable Deferred Revenue,Habilitar Ingresos Diferidos
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +193,Opening Accumulated Depreciation must be less than equal to {0},La apertura de la depreciación acumulada debe ser inferior o igual a {0}
 DocType: Warehouse,Warehouse Name,Nombre del Almacén
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +20,Actual start date must be less than actual end date,La fecha de inicio real debe ser menor que la fecha de finalización real
@@ -5943,11 +6014,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Ingrese el nombre del banco o institución de crédito antes de enviarlo.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} debe enviarse
 DocType: POS Profile,Item Groups,Grupos de productos
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Hoy el cumpleaños de {0} !
 DocType: Sales Order Item,For Production,Por producción
 DocType: Payment Request,payment_url,url_de_pago
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Saldo en Moneda de la Cuenta
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Agregue una Cuenta de Apertura Temporal en el Plan de Cuentas
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Agregue una Cuenta de Apertura Temporal en el Plan de Cuentas
 DocType: Customer,Customer Primary Contact,Contacto Principal del Cliente
 DocType: Project Task,View Task,Ver Tareas
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Inviciativa %
@@ -5960,11 +6030,11 @@
 DocType: Sales Invoice,Get Advances Received,Obtener anticipos recibidos
 DocType: Email Digest,Add/Remove Recipients,Agregar / Eliminar destinatarios
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para establecer este año fiscal por defecto, haga clic en 'Establecer como predeterminado'"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Cantidad de TDS deducida
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Cantidad de TDS deducida
 DocType: Production Plan,Include Subcontracted Items,Incluir Artículos Subcontratados
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Unirse
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Cantidad faltante
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Unirse
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Cantidad faltante
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos
 DocType: Loan,Repay from Salary,Reembolso del Salario
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Solicitando el pago contra {0} {1} para la cantidad {2}
 DocType: Additional Salary,Salary Slip,Nómina salarial
@@ -5973,14 +6043,14 @@
 DocType: Pricing Rule,Margin Rate or Amount,Tasa de margen o Monto
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,'Hasta la fecha' es requerido
 DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generar etiquetas de embalaje, para los paquetes que serán entregados, usados para notificar el numero, contenido y peso del paquete,"
-apps/erpnext/erpnext/projects/doctype/project/project.py +90,Task weight cannot be negative,El peso de la tarea no puede ser negativo
+apps/erpnext/erpnext/projects/doctype/project/project.py +90,Task weight cannot be negative,El peso de la Tarea no puede ser negativo
 DocType: Sales Invoice Item,Sales Order Item,Producto de la orden de venta
 DocType: Salary Slip,Payment Days,Días de pago
 DocType: Stock Settings,Convert Item Description to Clean HTML,Convertir la descripción del elemento a HTML Limpio
 DocType: Patient,Dormant,Latente
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Deducir Impuestos para beneficios de Empleados no Reclamados
 DocType: Salary Slip,Total Interest Amount,Monto Total de Interés
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Almacenes con nodos secundarios no pueden ser convertidos en libro mayor
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Almacenes con nodos secundarios no pueden ser convertidos en libro mayor
 DocType: BOM,Manage cost of operations,Administrar costo de las operaciones
 DocType: Accounts Settings,Stale Days,Días Pasados
 DocType: Travel Itinerary,Arrival Datetime,Fecha y hora de llegada
@@ -5992,7 +6062,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Detalle del Resultado de la Evaluación
 DocType: Employee Education,Employee Education,Educación del empleado
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Se encontró grupo de artículos duplicado  en la table de grupo de artículos
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Se necesita a buscar Detalles del artículo.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Se necesita a buscar Detalles del artículo.
 DocType: Fertilizer,Fertilizer Name,Nombre de Fertilizante
 DocType: Salary Slip,Net Pay,Pago Neto
 DocType: Cash Flow Mapping Accounts,Account,Cuenta
@@ -6003,14 +6073,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Crear una Entrada de Pago separada contra la Reclamación de Beneficios
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Presencia de fiebre (temperatura &gt; 38,5 °C o temperatura sostenida &gt; 38 °C / 100,4 °F)"
 DocType: Customer,Sales Team Details,Detalles del equipo de ventas.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Eliminar de forma permanente?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Eliminar de forma permanente?
 DocType: Expense Claim,Total Claimed Amount,Total reembolso
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades de venta.
 DocType: Shareholder,Folio no.,Folio Nro.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},No válida {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Permiso por enfermedad
 DocType: Email Digest,Email Digest,Boletín por correo electrónico
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,no son
 DocType: Delivery Note,Billing Address Name,Nombre de la dirección de facturación
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Tiendas por departamento
 ,Item Delivery Date,Fecha de Entrega del Artículo
@@ -6026,33 +6095,33 @@
 DocType: Account,Chargeable,Devengable
 DocType: Company,Change Abbreviation,Cambiar abreviación
 DocType: Contract,Fulfilment Details,Detalles de Cumplimiento
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Pagar {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Pagar {0} {1}
 DocType: Employee Onboarding,Activities,Actividades
 DocType: Expense Claim Detail,Expense Date,Fecha de gasto
 DocType: Item,No of Months,Número de Meses
 DocType: Item,Max Discount (%),Descuento máximo (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Los Días de Crédito no pueden ser negativos
-DocType: Sales Invoice Item,Service Stop Date,Fecha de finalización del servicio
+DocType: Purchase Invoice Item,Service Stop Date,Fecha de Finalización del Servicio
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Monto de la última orden
 DocType: Cash Flow Mapper,e.g Adjustments for:,"por ejemplo, Ajustes para:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retener la muestra se basa en el lote, compruebe ¿Ha No lote para retener la muestra del artículo?"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retener la muestra se basa en el lote, compruebe ¿Ha No lote para retener la muestra del artículo?"
 DocType: Task,Is Milestone,Es un Hito
 DocType: Certification Application,Yet to appear,Por aparecer
 DocType: Delivery Stop,Email Sent To,Correo electrónico enviado a
-DocType: Job Card Item,Job Card Item,Artículo de tarjeta de trabajo
+DocType: Job Card Item,Job Card Item,Artículo de Tarjeta de Trabajo
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Permitir centro de costo en entrada de cuenta de balance
-apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Fusionar con cuenta existente
+apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Fusionar con Cuenta Existente
 DocType: Budget,Warn,Advertir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Todos los artículos ya han sido transferidos para esta Orden de Trabajo.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Todos los artículos ya han sido transferidos para esta Orden de Trabajo.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Otras observaciones, que deben ir en los registros."
 DocType: Asset Maintenance,Manufacturing User,Usuario de Producción
 DocType: Purchase Invoice,Raw Materials Supplied,Materias primas suministradas
-DocType: Subscription Plan,Payment Plan,Plan de pago
+DocType: Subscription Plan,Payment Plan,Plan de Pago
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Habilita la compra de artículos a través del sitio web
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},La moneda de la lista de precios {0} debe ser {1} o {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Gestión de suscripciones
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Gestión de Suscripciones
 DocType: Appraisal,Appraisal Template,Plantilla de evaluación
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Para codificar
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Para codificar
 DocType: Soil Texture,Ternary Plot,Trama Ternaria
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Marque esto para habilitar una rutina programada de sincronización diaria a través del programador
 DocType: Item Group,Item Classification,Clasificación de Producto
@@ -6062,6 +6131,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Registro de Factura Paciente
 DocType: Crop,Period,Período
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Balance general
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Al año Fiscal
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Ver Iniciativas
 DocType: Program Enrollment Tool,New Program,Nuevo Programa
 DocType: Item Attribute Value,Attribute Value,Valor del Atributo
@@ -6070,11 +6140,11 @@
 ,Itemwise Recommended Reorder Level,Nivel recomendado de reabastecimiento de producto
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,El empleado {0} de la calificación {1} no tiene una política de licencia predeterminada
 DocType: Salary Detail,Salary Detail,Detalle de Sueldos
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Por favor, seleccione primero {0}"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Por favor, seleccione primero {0}"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Se agregaron {0} usuarios
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","En el caso del programa de varios niveles, los Clientes se asignarán automáticamente al nivel correspondiente según su gasto"
 DocType: Appointment Type,Physician,Médico
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,El lote {0} del producto {1} ha expirado.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,El lote {0} del producto {1} ha expirado.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Consultas
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Bien Terminado
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","El precio del artículo aparece varias veces según la lista de precios, proveedor / cliente, moneda, artículo, UOM, cantidad y fechas."
@@ -6083,22 +6153,21 @@
 DocType: Certification Application,Name of Applicant,Nombre del Solicitante
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Hoja de tiempo para la fabricación.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,No se pueden cambiar las propiedades de Variant después de la transacción de stock. Deberá crear un nuevo ítem para hacer esto.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,No se pueden cambiar las propiedades de Variant después de la transacción de stock. Deberá crear un nuevo ítem para hacer esto.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandato de SEPA GoCardless
 DocType: Healthcare Practitioner,Charges,Cargos
 DocType: Production Plan,Get Items For Work Order,Obtener artículos para la Órden de Trabajo
 DocType: Salary Detail,Default Amount,Importe por defecto
 DocType: Lab Test Template,Descriptive,Descriptivo
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,El almacén no se encuentra en el sistema
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Resumen de este mes
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Resumen de este mes
 DocType: Quality Inspection Reading,Quality Inspection Reading,Lecturas de inspección de calidad
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,'Congelar stock mayor a' debe ser menor a %d días.
 DocType: Tax Rule,Purchase Tax Template,Plantilla de Impuestos sobre compras
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Establezca una meta de ventas que le gustaría alcanzar para su empresa.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Servicios de atención médica
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Servicios de atención médica
 ,Project wise Stock Tracking,Seguimiento preciso del stock--
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Modo de transporte
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorio
 DocType: UOM Category,UOM Category,Categoría UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Cantidad real (en origen/destino)
@@ -6121,17 +6190,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Error al crear el sitio web
 DocType: Soil Analysis,Mg/K,Mg/K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Detalles de conversión de unidad de medida (UdM)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Entrada de Inventario de Retención ya creada o Cantidad de muestra no proporcionada
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Entrada de Inventario de Retención ya creada o Cantidad de muestra no proporcionada
 DocType: Program,Program Abbreviation,Abreviatura del Programa
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,La orden de producción no se puede asignar a una plantilla de producto
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Los cargos se actualizan en el recibo de compra  por cada producto
 DocType: Warranty Claim,Resolved By,Resuelto por
-apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Programar el alta
+apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Programar el Alta
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques y Depósitos liquidados de forma incorrecta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignarse a sí misma como cuenta padre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignarse a sí misma como cuenta padre
 DocType: Purchase Invoice Item,Price List Rate,Tarifa de la lista de precios
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Crear cotizaciones de clientes
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,La fecha de detención del servicio no puede ser posterior a la fecha de finalización del servicio
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,La Fecha de Detención del Servicio no puede ser posterior a la Fecha de Finalización del Servicio
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Mostrar 'En stock' o 'No disponible' basado en el stock disponible del almacén.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Lista de Materiales (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Tiempo estimado por el proveedor para el envío
@@ -6143,11 +6212,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Horas
 DocType: Project,Expected Start Date,Fecha prevista de inicio
 DocType: Purchase Invoice,04-Correction in Invoice,04-Corrección en la Factura
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Órden de Trabajo ya creada para todos los artículos con lista de materiales
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Órden de Trabajo ya creada para todos los artículos con lista de materiales
 DocType: Payment Request,Party Details,Party Details
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Informe de Detalles de Variaciones
 DocType: Setup Progress Action,Setup Progress Action,Acción de Progreso de Configuración
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Lista de Precios de Compra
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Lista de Precios de Compra
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Eliminar el elemento si los cargos no son aplicables al mismo
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Cancelar Suscripción
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Seleccione Estado de Mantenimiento como Completado o elimine Fecha de Finalización
@@ -6165,11 +6234,11 @@
 DocType: Asset,Disposal Date,Fecha de eliminación
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Los correos electrónicos serán enviados a todos los empleados activos de la empresa a la hora determinada, si no tienen vacaciones. Resumen de las respuestas será enviado a la medianoche."
 DocType: Employee Leave Approver,Employee Leave Approver,Supervisor de ausencias de empleados
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Línea {0}: Una entrada de abastecimiento ya existe para el almacén {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Línea {0}: Una entrada de abastecimiento ya existe para el almacén {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","No se puede declarar como perdida, porque se ha hecho el Presupuesto"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Cuenta CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Comentarios del entrenamiento
-apps/erpnext/erpnext/config/accounts.py +211,Tax Withholding rates to be applied on transactions.,Tasas de retención de impuestos que se aplicarán a las transacciones.
+apps/erpnext/erpnext/config/accounts.py +211,Tax Withholding rates to be applied on transactions.,Tasas de Retención de Impuestos que se aplicarán a las Transacciones.
 DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criterios de Calificación del Proveedor
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Por favor, seleccione Fecha de inicio y Fecha de finalización para el elemento {0}"
 DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-
@@ -6177,7 +6246,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,La fecha no puede ser anterior a la fecha actual
 DocType: Supplier Quotation Item,Prevdoc DocType,DocType Previo
 DocType: Cash Flow Mapper,Section Footer,Sección Pie de Página
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Añadir / Editar Precios
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Añadir / Editar Precios
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,La promoción del empleado no se puede enviar antes de la fecha de promoción
 DocType: Batch,Parent Batch,Lote padre
 DocType: Cheque Print Template,Cheque Print Template,Plantilla de impresión de cheques
@@ -6187,6 +6256,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Coleccion de Muestra
 ,Requested Items To Be Ordered,Requisiciones pendientes para ser ordenadas
 DocType: Price List,Price List Name,Nombre de la lista de precios
+DocType: Delivery Stop,Dispatch Information,Información de envío
 DocType: Blanket Order,Manufacturing,Manufactura
 ,Ordered Items To Be Delivered,Ordenes pendientes de entrega
 DocType: Account,Income,Ingresos
@@ -6205,17 +6275,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unidades de {1} necesaria en {2} sobre {3} {4} {5} para completar esta transacción.
 DocType: Fee Schedule,Student Category,Categoría estudiante
 DocType: Announcement,Student,Estudiante
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La cantidad de existencias para comenzar el procedimiento no está disponible en el almacén. ¿Desea registrar una transferencia de stock?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La cantidad de existencias para comenzar el procedimiento no está disponible en el almacén. ¿Desea registrar una transferencia de stock?
 DocType: Shipping Rule,Shipping Rule Type,Tipo de Regla de Envío
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Ir a Habitaciones
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Empresa, cuenta de pago, fecha y fecha es obligatorio"
 DocType: Company,Budget Detail,Detalle del Presupuesto
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Por favor, ingrese el mensaje antes de enviarlo"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICADO PARA PROVEEDOR
-DocType: Email Digest,Pending Quotations,Presupuestos pendientes
-DocType: Delivery Note,Distance (KM),Distancia (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Proveedor&gt; Grupo de proveedores
 DocType: Asset,Custodian,Custodio
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Perfiles de punto de venta (POS)
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Perfiles de punto de venta (POS)
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} debe ser un valor entre 0 y 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Pago de {0} desde {1} hasta {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Prestamos sin garantía
@@ -6247,10 +6316,10 @@
 DocType: Lead,Converted,Convertido
 DocType: Item,Has Serial No,Posee numero de serie
 DocType: Employee,Date of Issue,Fecha de Emisión.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Según las Configuraciones de Compras si el Recibo de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Recibo de Compra primero para el item {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Según las Configuraciones de Compras si el Recibo de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Recibo de Compra primero para el item {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Fila #{0}: Asignar Proveedor para el elemento {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Fila {0}: valor Horas debe ser mayor que cero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Sitio web Imagen {0} unido al artículo {1} no se puede encontrar
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Sitio web Imagen {0} unido al artículo {1} no se puede encontrar
 DocType: Issue,Content Type,Tipo de contenido
 DocType: Asset,Assets,Bienes
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Computadora
@@ -6261,7 +6330,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} no existe
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Por favor, consulte la opción Multi moneda para permitir cuentas con otra divisa"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,El producto: {0} no existe en el sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Usted no está autorizado para definir el 'valor congelado'
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Usted no está autorizado para definir el 'valor congelado'
 DocType: Payment Reconciliation,Get Unreconciled Entries,Verificar entradas no conciliadas
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},El empleado {0} está en Leave on {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,No se seleccionaron Reembolsos para Asiento Contable
@@ -6272,20 +6341,21 @@
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +97,Successfully Set Supplier,Proveedor establecido con éxito
 DocType: Leave Encashment,Leave Encashment,Dejar el Encargo
 apps/erpnext/erpnext/public/js/setup_wizard.js +114,What does it do?,¿A qué se dedica?
-apps/erpnext/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py +47,Tasks have been created for managing the {0} disease (on row {1}),Se han creado tareas para administrar la enfermedad {0} (en la fila {1})
+apps/erpnext/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py +47,Tasks have been created for managing the {0} disease (on row {1}),Se han creado Tareas para administrar la enfermedad {0} (en la fila {1})
 DocType: Crop,Byproducts,Subproductos
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +84,To Warehouse,Para Almacén
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +26,All Student Admissions,Todas las admisiones de estudiantes
 ,Average Commission Rate,Tasa de Comisión Promedio
 DocType: Share Balance,No of Shares,Nro de Acciones
-DocType: Taxable Salary Slab,To Amount,Al monto
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"'Posee numero de serie' no puede ser ""Sí"" para los productos que NO son de stock"
+DocType: Taxable Salary Slab,To Amount,Al Monto
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"'Posee numero de serie' no puede ser ""Sí"" para los productos que NO son de stock"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Seleccione Estado
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,La asistencia no se puede marcar para fechas futuras
-DocType: Support Search Source,Post Description Key,Clave de descripción de publicación
+DocType: Support Search Source,Post Description Key,Clave de Descripción de Publicación
 DocType: Pricing Rule,Pricing Rule Help,Ayuda de regla de precios
 DocType: School House,House Name,Nombre de la casa
 DocType: Fee Schedule,Total Amount per Student,Cantidad total por Estudiante
+DocType: Opportunity,Sales Stage,Etapa de Ventas
 DocType: Purchase Taxes and Charges,Account Head,Encabezado de cuenta
 DocType: Company,HRA Component,Componente HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Eléctrico
@@ -6293,15 +6363,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Total diferencia  (Salidas - Entradas)
 DocType: Grant Application,Requested Amount,Monto Requerido
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Fila {0}: Tipo de cambio es obligatorio
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID de usuario no establecido para el empleado {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID de usuario no establecido para el empleado {0}
 DocType: Vehicle,Vehicle Value,El valor del vehículo
 DocType: Crop Cycle,Detected Diseases,Enfermedades Detectadas
 DocType: Stock Entry,Default Source Warehouse,Almacén de origen
 DocType: Item,Customer Code,Código de Cliente
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Recordatorio de cumpleaños para {0}
 DocType: Asset Maintenance Task,Last Completion Date,Última Fecha de Finalización
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Días desde la última orden
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,La cuenta de débito debe pertenecer a las cuentas de balance
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,La cuenta de débito debe pertenecer a las cuentas de balance
 DocType: Asset,Naming Series,Secuencias e identificadores
 DocType: Vital Signs,Coated,Saburral
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Fila {0}: valor esperado después de la vida útil debe ser menor que el importe de compra bruta
@@ -6319,17 +6388,17 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,La nota de entrega {0} no debe estar validada
 DocType: Notification Control,Sales Invoice Message,Mensaje de factura
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Cuenta de Clausura {0} tiene que ser de Responsabilidad / Patrimonio
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Nómina de sueldo del empleado {0} ya creado para la hoja de tiempo {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Nómina de sueldo del empleado {0} ya creado para la hoja de tiempo {1}
 DocType: Vehicle Log,Odometer,Cuentakilómetros
 DocType: Production Plan Item,Ordered Qty,Cantidad ordenada
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Artículo {0} está deshabilitado
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Artículo {0} está deshabilitado
 DocType: Stock Settings,Stock Frozen Upto,Inventario congelado hasta
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM no contiene ningún artículo de stock
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM no contiene ningún artículo de stock
 DocType: Chapter,Chapter Head,Jefe de Capítulo
 DocType: Payment Term,Month(s) after the end of the invoice month,Mes(es) después del final del mes de la factura
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La Estructura Salarial debe tener un componente (s) de beneficio flexible para dispensar el monto del beneficio
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La Estructura Salarial debe tener un componente (s) de beneficio flexible para dispensar el monto del beneficio
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Actividad del proyecto / tarea.
-DocType: Vital Signs,Very Coated,Muy cubierto
+DocType: Vital Signs,Very Coated,Muy Cubierto
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Solo impacto impositivo (no se puede reclamar, pero parte de los ingresos imponibles)"
 DocType: Vehicle Log,Refuelling Details,Detalles de repostaje
 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py +25,Lab result datetime cannot be before testing datetime,La hora del resultado de laboratorio no puede ser antes de la hora de la prueba
@@ -6345,7 +6414,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Horas de facturación
 DocType: Project,Total Sales Amount (via Sales Order),Importe de Ventas Total (a través de Ordenes de Venta)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM por defecto para {0} no encontrado
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Fila  #{0}: Configure la cantidad de pedido
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Fila  #{0}: Configure la cantidad de pedido
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toca los elementos para agregarlos aquí
 DocType: Fees,Program Enrollment,Programa de Inscripción
 DocType: Share Transfer,To Folio No,A Folio Nro
@@ -6386,9 +6455,9 @@
 DocType: SG Creation Tool Course,Max Strength,Fuerza Máx
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instalación de Presets
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},No se ha seleccionado ninguna Nota de Entrega para el Cliente {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},No se ha seleccionado ninguna Nota de Entrega para el Cliente {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,El empleado {0} no tiene una cantidad de beneficio máximo
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Seleccionar Elementos según la Fecha de Entrega
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Seleccionar Elementos según la Fecha de Entrega
 DocType: Grant Application,Has any past Grant Record,Tiene algún registro de subvención anterior
 ,Sales Analytics,Análisis de ventas
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Disponible {0}
@@ -6396,12 +6465,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de Producción
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configuración de correo
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Móvil del Tutor1
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Por favor, ingrese la divisa por defecto en la compañía principal"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Por favor, ingrese la divisa por defecto en la compañía principal"
 DocType: Stock Entry Detail,Stock Entry Detail,Detalles de entrada de inventario
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Recordatorios Diarios
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Recordatorios Diarios
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Ver todos los tickets abiertos
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Árbol de unidad de servicio de salud
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Producto
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Producto
 DocType: Products Settings,Home Page is Products,La página de inicio son los productos
 ,Asset Depreciation Ledger,Libro Mayor Depreciacion de Activos
 DocType: Salary Structure,Leave Encashment Amount Per Day,Deje la cantidad de dinero en efectivo por día
@@ -6411,8 +6480,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Costo materias primas suministradas
 DocType: Selling Settings,Settings for Selling Module,Ajustes para módulo de ventas
 DocType: Hotel Room Reservation,Hotel Room Reservation,Reserva de Habitación de Hotel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Servicio al Cliente
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Servicio al Cliente
 DocType: BOM,Thumbnail,Miniatura
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,No se encontraron contactos con ID de correo electrónico.
 DocType: Item Customer Detail,Item Customer Detail,Detalle del producto para el cliente
 DocType: Notification Control,Prompt for Email on Submission of,Consultar por el correo electrónico el envío de
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},La cantidad máxima de beneficios del empleado {0} excede de {1}
@@ -6422,13 +6492,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,El producto {0} debe ser un producto en stock
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Almacén predeterminado de trabajos en proceso
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Las planificaciones para superposiciones de {0}, ¿Desea continuar después de omitir las ranuras superpuestas?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Los ajustes por defecto para las transacciones contables.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Los ajustes por defecto para las transacciones contables.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Plantilla de impuesto predeterminado
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Estudiantes han sido inscritos
 DocType: Fees,Student Details,Detalles del Estudiante
 DocType: Purchase Invoice Item,Stock Qty,Cantidad de existencias
 DocType: Contract,Requires Fulfilment,Requiere Cumplimiento
+DocType: QuickBooks Migrator,Default Shipping Account,Cuenta de envío por defecto
 DocType: Loan,Repayment Period in Months,Plazo de devolución en Meses
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Error: No es un ID válido?
 DocType: Naming Series,Update Series Number,Actualizar número de serie
@@ -6437,16 +6508,16 @@
 DocType: Job Offer,Printing Details,Detalles de impresión
 DocType: Task,Closing Date,Fecha de cierre
 DocType: Sales Order Item,Produced Quantity,Cantidad Producida
-DocType: Item Price,Quantity  that must be bought or sold per UOM,Cantidad que se debe comprar o vender por UOM
+DocType: Item Price,Quantity  that must be bought or sold per UOM,Cantidad que se debe Comprar o Vender por UOM
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +114,Engineer,Ingeniero
 DocType: Employee Tax Exemption Category,Max Amount,Cantidad Máxima
 DocType: Journal Entry,Total Amount Currency,Monto total de divisas
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Buscar Sub-ensamblajes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Código del producto requerido en la línea: {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Código del producto requerido en la línea: {0}
 DocType: GST Account,SGST Account,Cuenta SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Ir a los Elementos
 DocType: Sales Partner,Partner Type,Tipo de socio
-DocType: Purchase Taxes and Charges,Actual,Actual
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Actual
 DocType: Restaurant Menu,Restaurant Manager,Gerente del Restaurante
 DocType: Authorization Rule,Customerwise Discount,Descuento de Cliente
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Tabla de Tiempo para las tareas.
@@ -6467,7 +6538,7 @@
 DocType: Employee,Cheque,Cheque
 DocType: Training Event,Employee Emails,Correos Electrónicos del Empleado
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Secuencia actualizada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,El tipo de reporte es obligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,El tipo de reporte es obligatorio
 DocType: Item,Serial Number Series,Secuencia del número de serie
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},El almacén es obligatorio para el producto {0} en la línea {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Ventas al por menor y por mayor
@@ -6484,7 +6555,7 @@
 DocType: Work Order,Planned End Date,Fecha de finalización planeada
 DocType: Shareholder,Hidden list maintaining the list of contacts linked to Shareholder,Lista oculta manteniendo la lista de contactos vinculados al Accionista
 DocType: Exchange Rate Revaluation Account,Current Exchange Rate,Tasa de Cambio Actual
-DocType: Item,"Sales, Purchase, Accounting Defaults","Ventas, compras, valores predeterminados de contabilidad"
+DocType: Item,"Sales, Purchase, Accounting Defaults","Ventas, Compras, Valores Predeterminados de Contabilidad"
 apps/erpnext/erpnext/config/non_profit.py +63,Donor Type information.,Información de Tipo de Domante
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +192,{0} on Leave on {1},{0} ausente en {1}
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +60,Available for use date is required,Disponible para la fecha de uso es obligatorio
@@ -6494,10 +6565,10 @@
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +47,Criteria weights must add up to 100%,Los pesos de los criterios deben sumar hasta el 100%
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js +7,Attendance,Asistencia
 apps/erpnext/erpnext/public/js/pos/pos.html +115,Stock Items,Artículos en stock
-DocType: Sales Invoice,Update Billed Amount in Sales Order,Actualizar el importe facturado en el pedido de cliente
+DocType: Sales Invoice,Update Billed Amount in Sales Order,Actualizar el Importe Facturado en la Orden de Venta
 DocType: BOM,Materials,Materiales
 DocType: Leave Block List,"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ñadida a cada departamento donde será aplicada."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,La fecha y hora de contabilización son obligatorias
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,La fecha y hora de contabilización son obligatorias
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Plantilla de impuestos para las transacciones de compra
 ,Item Prices,Precios de los productos
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,La cantidad en palabras será visible una vez que guarde la orden de compra.
@@ -6513,12 +6584,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Series para la Entrada de Depreciación de Activos (Entrada de Diario)
 DocType: Membership,Member Since,Miembro Desde
 DocType: Purchase Invoice,Advance Payments,Pagos adelantados
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Por favor seleccione Servicio de Salud
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Por favor seleccione Servicio de Salud
 DocType: Purchase Taxes and Charges,On Net Total,Sobre el total neto
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valor del atributo {0} debe estar dentro del rango de {1} a {2} en los incrementos de {3} para el artículo {4}
 DocType: Restaurant Reservation,Waitlisted,En Lista de Espera
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoría de Exención
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,El tipo de moneda/divisa no se puede cambiar después de crear la entrada contable
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,El tipo de moneda/divisa no se puede cambiar después de crear la entrada contable
 DocType: Shipping Rule,Fixed,Fijo
 DocType: Vehicle Service,Clutch Plate,Placa de embrague
 DocType: Company,Round Off Account,Cuenta de redondeo por defecto
@@ -6527,7 +6598,7 @@
 DocType: Subscription Plan,Based on price list,Basado en la lista de precios
 DocType: Customer Group,Parent Customer Group,Categoría principal de cliente
 DocType: Vehicle Service,Change,Cambio
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Suscripción
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Suscripción
 DocType: Purchase Invoice,Contact Email,Correo electrónico de contacto
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Creación de Cuotas Pendientes
 DocType: Appraisal Goal,Score Earned,Puntuación Obtenida.
@@ -6537,7 +6608,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nombre nuevo encargado de ventas
 DocType: Packing Slip,Gross Weight UOM,Peso bruto de la unidad de medida (UdM)
 DocType: Employee Transfer,Create New Employee Id,Crear Nuevo ID de Empleado
-apps/erpnext/erpnext/public/js/hub/components/item_publish_dialog.js +26,Set Details,Establecer detalles
+apps/erpnext/erpnext/public/js/hub/components/item_publish_dialog.js +26,Set Details,Establecer Detalles
 DocType: Travel Itinerary,Travel From,Viajar Desde
 DocType: Asset Maintenance Task,Preventive Maintenance,Mantenimiento Preventivo
 DocType: Delivery Note Item,Against Sales Invoice,Contra la factura de venta
@@ -6554,26 +6625,26 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Cuenta por Cobrar / Pagar
 DocType: Delivery Note Item,Against Sales Order Item,Contra la orden de venta del producto
 DocType: Company,Company Logo,Logo de la Compañía
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Por favor, especifique el valor del atributo {0}"
-DocType: Item Default,Default Warehouse,Almacén por defecto
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Por favor, especifique el valor del atributo {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Almacén por defecto
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},El presupuesto no se puede asignar contra el grupo de cuentas {0}
 DocType: Shopping Cart Settings,Show Price,Mostrar Precio
 DocType: Healthcare Settings,Patient Registration,Registro del Paciente
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Por favor, ingrese el centro de costos principal"
 DocType: Delivery Note,Print Without Amount,Imprimir sin importe
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Fecha de Depreciación
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Fecha de Depreciación
 ,Work Orders in Progress,Órdenes de Trabajo en progreso
 DocType: Issue,Support Team,Equipo de soporte
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Caducidad (en días)
 DocType: Appraisal,Total Score (Out of 5),Puntaje Total (de 5)
 DocType: Student Attendance Tool,Batch,Lote
 DocType: Support Search Source,Query Route String,Cadena de Ruta de Consulta
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Tasa de actualización según la última compra
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Tasa de Actualización según la Última Compra
 DocType: Donor,Donor Type,Tipo de Donante
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Se repitió el documento automático
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Se repitió el documento automático
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Balance
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Por favor seleccione la Compañía
-DocType: Job Card,Job Card,Tarjeta de trabajo
+DocType: Job Card,Job Card,Tarjeta de Trabajo
 DocType: Room,Seating Capacity,Número de plazas
 DocType: Issue,ISS-,ISS
 DocType: Lab Test Groups,Lab Test Groups,Grupos de Pruebas de Laboratorio
@@ -6584,7 +6655,7 @@
 DocType: Assessment Result,Total Score,Puntaje Total
 DocType: Crop Cycle,ISO 8601 standard,Norma ISO 8601
 DocType: Journal Entry,Debit Note,Nota de débito
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Solo puede canjear max {0} puntos en este orden.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Solo puede canjear max {0} puntos en este orden.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Por favor ingrese API Consumer Secret
 DocType: Stock Entry,As per Stock UOM,Unidad de Medida Según Inventario
@@ -6597,10 +6668,11 @@
 DocType: Journal Entry,Total Debit,Débito Total
 DocType: Travel Request Costing,Sponsored Amount,Monto Patrocinado
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Almacén predeterminado de productos terminados
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Seleccione Paciente
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Seleccione Paciente
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Vendedores
 DocType: Hotel Room Package,Amenities,Comodidades
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Presupuesto y Centro de Costo
+DocType: QuickBooks Migrator,Undeposited Funds Account,Cuenta de Fondos no Depositados
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Presupuesto y Centro de Costo
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,No se permiten múltiple métodos de pago predeterminados
 DocType: Sales Invoice,Loyalty Points Redemption,Redención de Puntos de Lealtad
 ,Appointment Analytics,Análisis de Citas
@@ -6614,6 +6686,7 @@
 DocType: Batch,Manufacturing Date,Fecha de Fabricación
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Error en la Creación de Cuotas
 DocType: Opening Invoice Creation Tool,Create Missing Party,Crear una Parte Perdida
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Presupuesto Total
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deje en blanco si hace grupos de estudiantes por año
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Si se marca, el número total de días trabajados incluirá las vacaciones, y este reducirá el salario por día."
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Las Aplicaciones que usen la clave actual no podrán acceder, ¿está seguro?"
@@ -6629,20 +6702,19 @@
 DocType: Opportunity Item,Basic Rate,Precio Base
 DocType: GL Entry,Credit Amount,Importe acreditado
 DocType: Cheque Print Template,Signatory Position,Posición Signatario
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Establecer como perdido
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Establecer como perdido
 DocType: Timesheet,Total Billable Hours,Total de Horas Facturables
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Número de días que el suscriptor debe pagar las facturas generadas por esta suscripción
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detalle de la solicitud de beneficios para empleados
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Nota de Recibo de Pago
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Esto se basa en transacciones con este cliente. Ver cronología más abajo para los detalles
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Fila {0}: cantidad asignada {1} debe ser menor o igual a la cantidad de entrada de pago {2}
 DocType: Program Enrollment Tool,New Academic Term,Nuevo Término Académico
 ,Course wise Assessment Report,Informe de Evaluación del Curso
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Impuesto ITC State / UT disponible
 DocType: Tax Rule,Tax Rule,Regla fiscal
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantener mismo precio durante todo el ciclo de ventas
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Inicie sesión como otro usuario para registrarse en Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Inicie sesión como otro usuario para registrarse en Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planear las horas adicionales en la estación de trabajo.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Clientes en Cola
 DocType: Driver,Issuing Date,Fecha de Emisión
@@ -6651,19 +6723,18 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Presente esta Órden de Trabajo para su posterior procesamiento.
 ,Items To Be Requested,Solicitud de Productos
 DocType: Company,Company Info,Información de la compañía
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Seleccionar o añadir nuevo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Seleccionar o añadir nuevo cliente
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Centro de coste es requerido para reservar una reclamación de gastos
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),UTILIZACIÓN DE FONDOS (ACTIVOS)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Esto se basa en la presencia de este empleado
-DocType: Assessment Result,Summary,Resumen
-DocType: Payment Request,Payment Request Type,Tipo de solicitud de pago
+DocType: Payment Request,Payment Request Type,Tipo de Solicitud de Pago
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Marcar Asistencia
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Cuenta de debito
 DocType: Fiscal Year,Year Start Date,Fecha de Inicio de Año
 DocType: Additional Salary,Employee Name,Nombre de empleado
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Elemento de Entrada de Pedido de Restaurante
 DocType: Purchase Invoice,Rounded Total (Company Currency),Total redondeado (Divisa por defecto)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,No se puede convertir a 'Grupo' porque se seleccionó 'Tipo de Cuenta'.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,No se puede convertir a 'Grupo' porque se seleccionó 'Tipo de Cuenta'.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} ha sido modificado. Por favor actualice.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,No permitir a los usuarios crear solicitudes de ausencia en los siguientes días.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Si el vencimiento ilimitado para los puntos de fidelidad, mantenga la duración de vencimiento vacía o 0."
@@ -6684,14 +6755,15 @@
 DocType: Asset,Out of Order,Fuera de Servicio
 DocType: Purchase Receipt Item,Accepted Quantity,Cantidad Aceptada
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorar la Superposición de Tiempo de la Estación de Trabajo
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, establece una lista predeterminada de feriados para Empleado {0} o de su empresa {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, establece una lista predeterminada de feriados para Empleado {0} o de su empresa {1}"
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} no existe
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Seleccionar Números de Lote
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Para GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Para GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Listado de facturas emitidas a los clientes.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Citas de factura automáticamente
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID del proyecto
 DocType: Salary Component,Variable Based On Taxable Salary,Variable basada en el Salario Imponible
-DocType: Company,Basic Component,Componente básico
+DocType: Company,Basic Component,Componente Básico
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +578,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Línea #{0}: El importe no puede ser mayor que el reembolso pendiente {1}. El importe pendiente es {2}
 DocType: Patient Service Unit,Medical Administrator,Administrador Médico
 DocType: Assessment Plan,Schedule,Programa
@@ -6701,10 +6773,10 @@
 DocType: Stock Entry,Source Warehouse Address,Dirección del Almacén de Origen
 DocType: GL Entry,Voucher Type,Tipo de Comprobante
 DocType: Amazon MWS Settings,Max Retry Limit,Límite máximo de reintento
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,La lista de precios no existe o está deshabilitada.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,La lista de precios no existe o está deshabilitada.
 DocType: Student Applicant,Approved,Aprobado
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Precio
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Empleado relevado en {0} debe definirse como ""izquierda"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Empleado relevado en {0} debe definirse como ""izquierda"""
 DocType: Marketplace Settings,Last Sync On,Última Sincronización Activada
 DocType: Guardian,Guardian,Tutor
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Todas las comunicaciones incluidas y superiores se incluirán en el nuevo Issue
@@ -6727,14 +6799,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lista de enfermedades detectadas en el campo. Cuando se selecciona, agregará automáticamente una lista de tareas para lidiar con la enfermedad"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Esta es una unidad de servicio de atención de salud raíz y no se puede editar.
 DocType: Asset Repair,Repair Status,Estado de Reparación
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Añadir Socios de Ventas
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Asientos en el diario de contabilidad.
 DocType: Travel Request,Travel Request,Solicitud de Viaje
 DocType: Delivery Note Item,Available Qty at From Warehouse,Camtidad Disponible Desde el Almacén
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Por favor, primero seleccione el registro del empleado."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Asistencia no enviada para {0} ya que es un feriado.
 DocType: POS Profile,Account for Change Amount,Cuenta para Monto de Cambio
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Conectando a QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Ganancia / Pérdida Total
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Empresa no válida para la factura de la compañía inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Empresa no válida para la factura de la compañía inter.
 DocType: Purchase Invoice,input service,servicio de entrada
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Línea {0}: Socio / Cuenta no coincide con {1} / {2} en {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promoción del Empleado
@@ -6743,15 +6817,16 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Código del curso:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Por favor, ingrese la Cuenta de Gastos"
 DocType: Account,Stock,Almacén
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila #{0}: Tipo de documento de referencia debe ser uno de la orden de compra, factura de compra o de entrada de diario"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila #{0}: Tipo de documento de referencia debe ser uno de la orden de compra, factura de compra o de entrada de diario"
 DocType: Employee,Current Address,Dirección Actual
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si el artículo es una variante de otro artículo entonces la descripción, imágenes, precios, impuestos, etc. se establecerán a partir de la plantilla a menos que se especifique explícitamente"
 DocType: Serial No,Purchase / Manufacture Details,Detalles de compra / producción
 DocType: Assessment Group,Assessment Group,Grupo de Evaluación
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventario de Lotes
-DocType: Procedure Prescription,Procedure Name,Nombre del procedimiento
+DocType: Supplier,GST Transporter ID,ID del transportador GST
+DocType: Procedure Prescription,Procedure Name,Nombre del Procedimiento
 DocType: Employee,Contract End Date,Fecha de finalización de contrato
-DocType: Amazon MWS Settings,Seller ID,Identificación del vendedor
+DocType: Amazon MWS Settings,Seller ID,Identificación del Vendedor
 DocType: Sales Order,Track this Sales Order against any Project,Monitorear esta órden de venta sobre cualquier proyecto
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de Transacción de Extracto Bancario
 DocType: Sales Invoice Item,Discount and Margin,Descuento y Margen
@@ -6768,12 +6843,12 @@
 DocType: Company,Date of Incorporation,Fecha de Incorporación
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Impuesto Total
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Último Precio de Compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Por cantidad (cantidad fabricada) es obligatoria
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Por cantidad (cantidad fabricada) es obligatoria
 DocType: Stock Entry,Default Target Warehouse,Almacen de destino predeterminado
 DocType: Purchase Invoice,Net Total (Company Currency),Total neto (Divisa por defecto)
 DocType: Delivery Note,Air,Aire
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"El Año Fecha de finalización no puede ser anterior a la fecha de inicio de año. Por favor, corrija las fechas y vuelve a intentarlo."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} no está en la Lista de Vacaciones opcional
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} no está en la Lista de Vacaciones opcional
 DocType: Notification Control,Purchase Receipt Message,Mensaje de recibo de compra
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Items de Desecho
@@ -6795,23 +6870,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Cumplimiento
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Sobre la línea anterior
 DocType: Item,Has Expiry Date,Tiene Fecha de Caducidad
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transferir Activo
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transferir Activo
 DocType: POS Profile,POS Profile,Perfil de POS
 DocType: Training Event,Event Name,Nombre del Evento
 DocType: Healthcare Practitioner,Phone (Office),Teléfono (Oficina)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","No se puede enviar, los empleados se marchan para marcar la asistencia"
 DocType: Inpatient Record,Admission,Admisión
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Admisiones para {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Configuración general para establecer presupuestos, objetivos, etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Configuración general para establecer presupuestos, objetivos, etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nombre de la Variable
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","El producto {0} es una plantilla, por favor seleccione una de sus variantes"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos&gt; Configuración de recursos humanos
+DocType: Purchase Invoice Item,Deferred Expense,Gasto diferido
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Desde la fecha {0} no puede ser anterior a la fecha de incorporación del empleado {1}
 DocType: Asset,Asset Category,Categoría de Activos
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,El salario neto no puede ser negativo
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,El salario neto no puede ser negativo
 DocType: Purchase Order,Advance Paid,Pago Anticipado
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Porcentaje de Sobreproducción para Orden de Venta
 DocType: Item,Item Tax,Impuestos del Producto
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiales de Proveedor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiales de Proveedor
 DocType: Soil Texture,Loamy Sand,Arena Arcillosa
 DocType: Production Plan,Material Request Planning,Planificación de Solicitud de Material
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Factura con impuestos especiales
@@ -6833,11 +6910,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Herramienta de programación
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Tarjetas de credito
 DocType: BOM,Item to be manufactured or repacked,Producto a manufacturar o re-empacar
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Error de sintaxis en la condición: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Error de sintaxis en la condición: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Principales / Asignaturas Optativas
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,"Por favor, configure el grupo de proveedores en las configuraciones de compra."
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,"Por favor, configure el grupo de proveedores en las configuraciones de compra."
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",La cantidad del componente de beneficio flexible total {0} no debe ser menor a \ que los beneficios máximos {1}
 DocType: Sales Invoice Item,Drop Ship,Envío Triangulado
 DocType: Driver,Suspended,Suspendido
@@ -6857,7 +6934,7 @@
 DocType: Customer,Commission Rate,Comisión de ventas
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Entradas de Pago creadas con éxito
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Creó {0} tarjetas de puntuación para {1} entre:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Crear Variante
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Crear Variante
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipo de pago debe ser uno de Recibir, Pagar y Transferencia Interna"
 DocType: Travel Itinerary,Preferred Area for Lodging,Área preferida para alojamiento
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analítica
@@ -6868,7 +6945,7 @@
 DocType: Work Order,Actual Operating Cost,Costo de operación real
 DocType: Payment Entry,Cheque/Reference No,Cheque / No. de Referencia
 DocType: Soil Texture,Clay Loam,Arcilla Magra
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Usuario root no se puede editar.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Usuario root no se puede editar.
 DocType: Item,Units of Measure,Unidades de medida
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Alquilado en Metro City
 DocType: Supplier,Default Tax Withholding Config,Configuración de retención de impuestos predeterminada
@@ -6886,21 +6963,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Después de la realización del pago redirigir el usuario a la página seleccionada.
 DocType: Company,Existing Company,Compañía existente
 DocType: Healthcare Settings,Result Emailed,Resultado enviado por Correo Electrónico
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Categoría de Impuesto fue cambiada a ""Total"" debido a que todos los Productos son items de no stock"
-apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Hasta la fecha no puede ser igual o menor que la fecha
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Categoría de Impuesto fue cambiada a ""Total"" debido a que todos los Productos son items de no stock"
+apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Fecha Hasta no puede ser igual o menor que la fecha
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nada para Cambiar
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Por favor, seleccione un archivo csv"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,"Por favor, seleccione un archivo csv"
 DocType: Holiday List,Total Holidays,Vacaciones Totales
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,"Falta la plantilla de correo electrónico para el envío. Por favor, establezca uno en la configuración de entrega."
 DocType: Student Leave Application,Mark as Present,Marcar como Presente
 DocType: Supplier Scorecard,Indicator Color,Color del Indicador
 DocType: Purchase Order,To Receive and Bill,Para recibir y pagar
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Fila# {0}: Requerido por fecha no puede ser anterior a Fecha de Transacción
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Fila# {0}: Requerido por fecha no puede ser anterior a Fecha de Transacción
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Productos Destacados
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Seleccione Nro de Serie
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Seleccione Nro de Serie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Diseñador
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Plantillas de términos y condiciones
 DocType: Serial No,Delivery Details,Detalles de la entrega
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Centro de costos requerido para la línea {0} en la tabla Impuestos para el tipo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Centro de costos requerido para la línea {0} en la tabla Impuestos para el tipo {1}
 DocType: Program,Program Code,Código de programa
 DocType: Terms and Conditions,Terms and Conditions Help,Ayuda de Términos y Condiciones
 ,Item-wise Purchase Register,Detalle de compras
@@ -6913,15 +6991,16 @@
 DocType: Contract,Contract Terms,Terminos y Condiciones
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,No volver a mostrar cualquier símbolo como $ u otro junto a las monedas.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},La cantidad máxima de beneficios del componente {0} excede de {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Medio Día)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Medio Día)
 DocType: Payment Term,Credit Days,Días de Crédito
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Seleccione Paciente para obtener Pruebas de Laboratorio
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Hacer Lote de Estudiantes
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Permitir transferencia para fabricación
 DocType: Leave Type,Is Carry Forward,Es un traslado
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Obtener productos desde lista de materiales (LdM)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Obtener productos desde lista de materiales (LdM)
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Días de iniciativa
 DocType: Cash Flow Mapping,Is Income Tax Expense,Es el Gasto de Impuesto a la Renta
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,¡Su pedido está listo para la entrega!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila #{0}: Fecha de ingreso debe ser la misma que la fecha de compra {1} de activos {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Marque esto si el estudiante está residiendo en el albergue del Instituto.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Por favor, introduzca las Ordenes de Venta en la tabla anterior"
@@ -6929,10 +7008,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transferir un activo de un almacén a otro
 DocType: Vehicle,Petrol,Gasolina
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Beneficios Restantes (Anuales)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Lista de materiales
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Lista de materiales
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Línea {0}: el tipo de entidad se requiere para la cuenta por cobrar/pagar {1}
 DocType: Employee,Leave Policy,Política de Licencia
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Actualizar elementos
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Actualizar Elementos
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Fecha Ref.
 DocType: Employee,Reason for Leaving,Razones de renuncia
 DocType: BOM Operation,Operating Cost(Company Currency),Costo de funcionamiento (Divisa de la Compañia)
@@ -6943,7 +7022,7 @@
 DocType: Department,Expense Approvers,Aprobadores de Gastos
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Línea {0}: La entrada de débito no puede vincularse con {1}
 DocType: Journal Entry,Subscription Section,Sección de Suscripción
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Cuenta {0} no existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Cuenta {0} no existe
 DocType: Training Event,Training Program,Programa de Entrenamiento
 DocType: Account,Cash,Efectivo
 DocType: Employee,Short biography for website and other publications.,Breve biografía para la página web y otras publicaciones.
diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv
index 1c3245c..f0f685b 100644
--- a/erpnext/translations/et.csv
+++ b/erpnext/translations/et.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Kliendi Esemed
 DocType: Project,Costing and Billing,Kuluarvestus ja arvete
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Ettemaksukonto valuuta peaks olema sama kui ettevõtte valuuta {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Parent konto {1} ei saa olla pearaamatu
+DocType: QuickBooks Migrator,Token Endpoint,Tokeni lõpp-punkt
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Parent konto {1} ei saa olla pearaamatu
 DocType: Item,Publish Item to hub.erpnext.com,Ikoonidega Avalda et hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Ei leia aktiivset puhkuseperioodi
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Ei leia aktiivset puhkuseperioodi
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,hindamine
 DocType: Item,Default Unit of Measure,Vaikemõõtühik
 DocType: SMS Center,All Sales Partner Contact,Kõik Sales Partner Kontakt
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,"Klõpsake nuppu Lisa, et lisada"
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Puudub parool, API-võti või Shopify URL-i väärtus"
 DocType: Employee,Rented,Üürikorter
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Kõik kontod
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Kõik kontod
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Tööandja ei saa üle kanda olekuga vasakule
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Tootmise lõpetanud tellimust ei ole võimalik tühistada, ummistust kõigepealt tühistama"
 DocType: Vehicle Service,Mileage,kilometraaž
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Kas tõesti jäägid see vara?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Kas tõesti jäägid see vara?
 DocType: Drug Prescription,Update Schedule,Värskendage ajakava
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Vali Vaikimisi Tarnija
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Näita töötajaid
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Uus vahetuskurss
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuuta on vajalik Hinnakiri {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuuta on vajalik Hinnakiri {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Kas arvestatakse tehingu.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Klienditeenindus Kontakt
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,See põhineb tehingute vastu tarnija. Vaata ajakava allpool lähemalt
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Ületootmise protsent töökorraldusele
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Juriidiline
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Juriidiline
+DocType: Delivery Note,Transport Receipt Date,Veo kättesaamise kuupäev
 DocType: Shopify Settings,Sales Order Series,Müügitellimuse seeria
 DocType: Vital Signs,Tongue,Keel
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA vabastamine
 DocType: Sales Invoice,Customer Name,Kliendi nimi
 DocType: Vehicle,Natural Gas,Maagaas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Pangakonto ei saa nimeks {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Pangakonto ei saa nimeks {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA vastavalt palga struktuurile
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (või rühmad), mille vastu raamatupidamiskanded tehakse ja tasakaalu säilimine."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Maksmata {0} ei saa olla väiksem kui null ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Teenuse peatamise kuupäev ei saa olla enne teenuse alguskuupäeva
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Teenuse peatamise kuupäev ei saa olla enne teenuse alguskuupäeva
 DocType: Manufacturing Settings,Default 10 mins,Vaikimisi 10 minutit
 DocType: Leave Type,Leave Type Name,Jäta Tüüp Nimi
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Näita avatud
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Näita avatud
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Seeria edukalt uuendatud
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Minu tellimused
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} reas {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} reas {1}
 DocType: Asset Finance Book,Depreciation Start Date,Amortisatsiooni alguskuupäev
 DocType: Pricing Rule,Apply On,Kandke
 DocType: Item Price,Multiple Item prices.,Mitu punkti hindadega.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Toetus seaded
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Oodatud End Date saa olla oodatust väiksem Start Date
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS seaded
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Row # {0}: Rate peab olema sama, {1} {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Row # {0}: Rate peab olema sama, {1} {2} ({3} / {4})"
 ,Batch Item Expiry Status,Partii Punkt lõppemine staatus
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Pangaveksel
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -105,7 +107,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Peamised kontaktandmed
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Avatud küsimused
 DocType: Production Plan Item,Production Plan Item,Tootmise kava toode
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Kasutaja {0} on juba määratud töötaja {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Kasutaja {0} on juba määratud töötaja {1}
 DocType: Lab Test Groups,Add new line,Lisage uus rida
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Tervishoid
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Makseviivitus (päevad)
@@ -115,12 +117,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Viivituspäevad
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Teenuse kulu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Seerianumber: {0} on juba viidatud müügiarve: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Seerianumber: {0} on juba viidatud müügiarve: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Arve
 DocType: Purchase Invoice Item,Item Weight Details,Artikli kaal detailid
 DocType: Asset Maintenance Log,Periodicity,Perioodilisus
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} on vajalik
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Tarnija&gt; Tarnijagrupp
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimaalne vahemaa taimede ridade vahel optimaalse kasvu jaoks
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Defense
 DocType: Salary Component,Abbr,Lühend
@@ -139,11 +140,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC- .YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Holiday nimekiri
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Raamatupidaja
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Müügi hinnakiri
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Müügi hinnakiri
 DocType: Patient,Tobacco Current Use,Tubaka praegune kasutamine
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Müügihind
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Müügihind
 DocType: Cost Center,Stock User,Stock Kasutaja
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontaktinfo
 DocType: Company,Phone No,Telefon ei
 DocType: Delivery Trip,Initial Email Notification Sent,Esialgne e-posti teatis saadeti
 DocType: Bank Statement Settings,Statement Header Mapping,Avalduse päise kaardistamine
@@ -167,12 +169,11 @@
 DocType: Subscription,Subscription Start Date,Tellimuse alguskuupäev
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Vaikimisi saadaolevad kontod, mida kasutatakse juhul, kui patsient ei ole määranud postitusmaksu."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Kinnita csv faili kahte veergu, üks vana nime ja üks uus nimi"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Aadressist 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Tootekood&gt; Elemendi grupp&gt; Bränd
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Aadressist 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} mitte mingil aktiivne eelarveaastal.
 DocType: Packed Item,Parent Detail docname,Parent Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Viide: {0}, Kood: {1} ja kliendi: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} ei ole emaettevõttes
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} ei ole emaettevõttes
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Katseperioodi lõppkuupäev ei saa olla enne katseperioodi alguskuupäeva
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Maksu kinnipidamise kategooria
@@ -180,7 +181,7 @@
 DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +113,BOM is not specified for subcontracting item {0} at row {1},BOM-i ei ole määratud rühma {1} jaoks alltöövõtukoha jaoks {0}
 DocType: Vital Signs,Reflexes,Refleksid
-apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +149,{0} Result submittted,{0} Tulemus esitatakse
+apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +149,{0} Result submittted,{0} Tulemus esitatud
 DocType: Item Attribute,Increment,Juurdekasv
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +74,Timespan,Ajavahemik
 apps/erpnext/erpnext/templates/pages/search_help.py +13,Help Results for,Abi tulemusi
@@ -188,12 +189,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklaam
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Sama firma on kantud rohkem kui üks kord
 DocType: Patient,Married,Abielus
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ei ole lubatud {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ei ole lubatud {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Võta esemed
 DocType: Price List,Price Not UOM Dependant,Hind ei sõltu UOMist
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Kohaldage maksu kinnipidamise summa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock ei saa uuendada vastu saateleht {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Kogu summa krediteeritakse
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock ei saa uuendada vastu saateleht {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Kogu summa krediteeritakse
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Toote {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nr loetletud
 DocType: Asset Repair,Error Description,Viga Kirjeldus
@@ -207,8 +208,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Kasutage kohandatud rahavoogude vormingut
 DocType: SMS Center,All Sales Person,Kõik Sales Person
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Kuu Distribution ** aitab levitada Eelarve / Target üle kuu, kui teil on sesoonsus firma."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ei leitud esemed
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Palgastruktuur Kadunud
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ei leitud esemed
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Palgastruktuur Kadunud
 DocType: Lead,Person Name,Person Nimi
 DocType: Sales Invoice Item,Sales Invoice Item,Müügiarve toode
 DocType: Account,Credit,Krediit
@@ -217,19 +218,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Stock aruanded
 DocType: Warehouse,Warehouse Detail,Ladu Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term lõppkuupäev ei saa olla hilisem kui aasta lõpu kuupäev õppeaasta, mille mõiste on seotud (Academic Year {}). Palun paranda kuupäev ja proovi uuesti."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Kas Põhivarade&quot; ei saa märkimata, kui Asset Olemas vastu kirje"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Kas Põhivarade&quot; ei saa märkimata, kui Asset Olemas vastu kirje"
 DocType: Delivery Trip,Departure Time,Väljumisaeg
 DocType: Vehicle Service,Brake Oil,Piduri õli
 DocType: Tax Rule,Tax Type,Maksu- Type
 ,Completed Work Orders,Lõppenud töökorraldused
 DocType: Support Settings,Forum Posts,Foorumi postitused
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,maksustatav summa
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,maksustatav summa
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Sa ei ole volitatud lisada või uuendada oma andmeid enne {0}
 DocType: Leave Policy,Leave Policy Details,Jäta poliitika üksikasjad
 DocType: BOM,Item Image (if not slideshow),Punkt Image (kui mitte slideshow)
-DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hour Hinda / 60) * Tegelik tööaeg
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rida # {0}: võrdlusdokumendi tüüp peab olema kulukuse või ajakirja sisestamise üks
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Vali Bom
+DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tunnihind / 60) * Tegelik tööaeg
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rida # {0}: võrdlusdokumendi tüüp peab olema kulukuse või ajakirja sisestamise üks
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Vali Bom
 DocType: SMS Log,SMS Log,SMS Logi
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kulud Tarnitakse Esemed
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Puhkus on {0} ei ole vahel From kuupäev ja To Date
@@ -238,16 +239,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Tarnijate tabeli näidised.
 DocType: Lead,Interested,Huvitatud
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Avaus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Alates {0} kuni {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Alates {0} kuni {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programm:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Maksude seadistamine ebaõnnestus
 DocType: Item,Copy From Item Group,Kopeeri Punkt Group
-DocType: Delivery Trip,Delivery Notification,Kohaletoimetamise teatis
 DocType: Journal Entry,Opening Entry,Avamine Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto maksta ainult
 DocType: Loan,Repay Over Number of Periods,Tagastama Üle perioodide arv
 DocType: Stock Entry,Additional Costs,Lisakulud
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Konto olemasolevate tehing ei ole ümber rühm.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Konto olemasolevate tehing ei ole ümber rühm.
 DocType: Lead,Product Enquiry,Toode Luure
 DocType: Education Settings,Validate Batch for Students in Student Group,Kinnita Partii üliõpilastele Student Group
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Ei puhkuse rekord leitud töötaja {0} ja {1}
@@ -255,7 +255,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Palun sisestage firma esimene
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Palun valige Company esimene
 DocType: Employee Education,Under Graduate,Under koolilõpetaja
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"Palun määrake vaikimisi malli, kui jätate oleku märguande menüüsse HR-seaded."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"Palun määrake vaikimisi malli, kui jätate oleku märguande menüüsse HR-seaded."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On
 DocType: BOM,Total Cost,Total Cost
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -268,7 +268,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoteatis
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmaatsia
 DocType: Purchase Invoice Item,Is Fixed Asset,Kas Põhivarade
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Saadaval Kogus on {0}, peate {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Saadaval Kogus on {0}, peate {1}"
 DocType: Expense Claim Detail,Claim Amount,Nõude suurus
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Töökorraldus on {0}
@@ -301,13 +301,13 @@
 DocType: BOM,Quality Inspection Template,Kvaliteedi kontrollmall
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Kas soovite värskendada käimist? <br> Present: {0} \ <br> Puudub: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aktsepteeritud + Tõrjutud Kogus peab olema võrdne saadud koguse Punkt {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aktsepteeritud + Tõrjutud Kogus peab olema võrdne saadud koguse Punkt {0}
 DocType: Item,Supply Raw Materials for Purchase,Supply tooraine ostmiseks
 DocType: Agriculture Analysis Criteria,Fertilizer,Väetis
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Ei saa tagada tarnimise järjekorranumbriga, kuna \ Poolel {0} lisatakse ja ilma, et tagada tarnimine \ seerianumbriga"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Vähemalt üks makseviis on vajalik POS arve.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Vähemalt üks makseviis on vajalik POS arve.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Pangakonto tehingu arve kirje
 DocType: Products Settings,Show Products as a List,Näita tooteid listana
 DocType: Salary Detail,Tax on flexible benefit,Paindliku hüvitise maksustamine
@@ -318,14 +318,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Materjali taotlus Detailid
 DocType: Selling Settings,Default Quotation Validity Days,Vaikimisi väärtpaberite kehtivuspäevad
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Et sisaldada makse järjest {0} Punkti kiirus, maksud ridadesse {1} peab olema ka"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Et sisaldada makse järjest {0} Punkti kiirus, maksud ridadesse {1} peab olema ka"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Osalejate kinnitamine
 DocType: Sales Invoice,Change Amount,Muuda summa
 DocType: Party Tax Withholding Config,Certificate Received,Sertifikaat on saadud
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Määrake B2C-le arve väärtus. B2CL ja B2CS arvutatakse selle arve väärtuse põhjal.
 DocType: BOM Update Tool,New BOM,New Bom
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Ettenähtud protseduurid
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Ettenähtud protseduurid
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Kuva ainult POS
 DocType: Supplier Group,Supplier Group Name,Tarnija grupi nimi
 DocType: Driver,Driving License Categories,Juhtimiskategooriad
@@ -340,7 +340,7 @@
 DocType: Payroll Period,Payroll Periods,Palgaarvestusperioodid
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Tee Employee
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Rahvusringhääling
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS-i seadistamise režiim (veebi- / võrguühenduseta)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS-i seadistamise režiim (veebi- / võrguühenduseta)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Keelab ajakirjade loomise töörühmituste vastu. Tegevusi ei jälgita töökorralduse alusel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Hukkamine
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Andmed teostatud.
@@ -374,7 +374,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Soodustused Hinnakiri Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Eseme mall
 DocType: Job Offer,Select Terms and Conditions,Vali Tingimused
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,välja väärtus
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,välja väärtus
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Pangakonto sätete punkt
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce seaded
 DocType: Production Plan,Sales Orders,Müügitellimuste
@@ -387,20 +387,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Taotluse tsitaat pääseb klõpsates järgmist linki
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Loomistööriist kursus
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Makse kirjeldus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Ebapiisav Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Ebapiisav Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Keela Capacity Planning and Time Tracking
 DocType: Email Digest,New Sales Orders,Uus müügitellimuste
 DocType: Bank Account,Bank Account,Pangakonto
 DocType: Travel Itinerary,Check-out Date,Väljaregistreerimise kuupäev
 DocType: Leave Type,Allow Negative Balance,Laske negatiivne saldo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Te ei saa projekti tüübi &quot;Väline&quot; kustutada
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Valige alternatiivne üksus
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Valige alternatiivne üksus
 DocType: Employee,Create User,Loo Kasutaja
 DocType: Selling Settings,Default Territory,Vaikimisi Territory
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televiisor
 DocType: Work Order Operation,Updated via 'Time Log',Uuendatud kaudu &quot;Aeg Logi &#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Valige klient või tarnija.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Advance summa ei saa olla suurem kui {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Advance summa ei saa olla suurem kui {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Aja pesa vahele jäänud, pesa {0} kuni {1} kattuvad olemasolevast pesast {2} kuni {3}"
 DocType: Naming Series,Series List for this Transaction,Seeria nimekiri selle Tehing
 DocType: Company,Enable Perpetual Inventory,Luba Perpetual Inventory
@@ -421,7 +421,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Vastu müügiarve toode
 DocType: Agriculture Analysis Criteria,Linked Doctype,Seotud doctypi
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Rahavood finantseerimistegevusest
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage on täis, ei päästa"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage on täis, ei päästa"
 DocType: Lead,Address & Contact,Aadress ja Kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Lisa kasutamata lehed eelmisest eraldised
 DocType: Sales Partner,Partner website,Partner kodulehel
@@ -444,10 +444,10 @@
 ,Open Work Orders,Avatud töökorraldused
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Patsiendikonsultatsioonide laengupunkt
 DocType: Payment Term,Credit Months,Krediitkaardid
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Netopalk ei tohi olla väiksem kui 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Netopalk ei tohi olla väiksem kui 0
 DocType: Contract,Fulfilled,Täidetud
 DocType: Inpatient Record,Discharge Scheduled,Lahtioleku ajastamine
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Leevendab kuupäev peab olema suurem kui Liitumis
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Leevendab kuupäev peab olema suurem kui Liitumis
 DocType: POS Closing Voucher,Cashier,Kassa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Lehed aastas
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Palun vaadake &quot;Kas Advance&quot; vastu Konto {1}, kui see on ette sisenemist."
@@ -458,15 +458,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Palun seadke õpilased üliõpilastele
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Täielik töö
 DocType: Item Website Specification,Item Website Specification,Punkt Koduleht spetsifikatsioon
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Jäta blokeeritud
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Punkt {0} on jõudnud oma elu lõppu kohta {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Jäta blokeeritud
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Punkt {0} on jõudnud oma elu lõppu kohta {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank Sissekanded
 DocType: Customer,Is Internal Customer,Kas siseklient
 DocType: Crop,Annual,Aastane
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Kui on märgitud Auto Opt In, siis ühendatakse kliendid automaatselt vastava lojaalsusprogrammiga (salvestamisel)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock leppimise toode
 DocType: Stock Entry,Sales Invoice No,Müügiarve pole
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Toite tüüp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Toite tüüp
 DocType: Material Request Item,Min Order Qty,Min Tellimus Kogus
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Loomistööriist kursus
 DocType: Lead,Do Not Contact,Ära võta ühendust
@@ -480,14 +480,14 @@
 DocType: Item,Publish in Hub,Avaldab Hub
 DocType: Student Admission,Student Admission,üliõpilane
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Punkt {0} on tühistatud
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Punkt {0} on tühistatud
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Amortisatsiooni rea {0}: amortisatsiooni alguskuupäev on kirjendatud varasemana
 DocType: Contract Template,Fulfilment Terms and Conditions,Täitmise tingimused
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materjal taotlus
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materjal taotlus
 DocType: Bank Reconciliation,Update Clearance Date,Värskenda Kliirens kuupäev
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Ostu üksikasjad
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Punkt {0} ei leitud &quot;tarnitud tooraine&quot; tabelis Ostutellimuse {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Punkt {0} ei leitud &quot;tarnitud tooraine&quot; tabelis Ostutellimuse {1}
 DocType: Salary Slip,Total Principal Amount,Põhisumma kokku
 DocType: Student Guardian,Relation,Seos
 DocType: Student Guardian,Mother,ema
@@ -532,10 +532,11 @@
 DocType: Tax Rule,Shipping County,kohaletoimetamine County
 DocType: Currency Exchange,For Selling,Müügi jaoks
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Õpi
+DocType: Purchase Invoice Item,Enable Deferred Expense,Lubatud edasilükatud kulu
 DocType: Asset,Next Depreciation Date,Järgmine kulum kuupäev
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktiivsus töötaja kohta
 DocType: Accounts Settings,Settings for Accounts,Seaded konto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Tarnija Arve nr olemas ostuarve {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Tarnija Arve nr olemas ostuarve {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Manage Sales Person Tree.
 DocType: Job Applicant,Cover Letter,kaaskiri
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Tasumata tšekke ja hoiused selge
@@ -550,7 +551,7 @@
 DocType: Employee,External Work History,Väline tööandjad
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Ringviide viga
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Õpilase aruanne
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,PIN-koodist
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,PIN-koodist
 DocType: Appointment Type,Is Inpatient,On statsionaarne
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Nimi
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Sõnades (Export) ilmuvad nähtavale kui salvestate saateleht.
@@ -565,18 +566,19 @@
 DocType: Journal Entry,Multi Currency,Multi Valuuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Arve Type
 DocType: Employee Benefit Claim,Expense Proof,Expense Proof
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Toimetaja märkus
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Saving {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Toimetaja märkus
 DocType: Patient Encounter,Encounter Impression,Encounter impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Seadistamine maksud
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Müüdava vara
 DocType: Volunteer,Morning,Hommikul
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Makse Entry on muudetud pärast seda, kui tõmbasin. Palun tõmmake uuesti."
 DocType: Program Enrollment Tool,New Student Batch,Uus õpilastepagas
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} sisestatud kaks korda Punkt Maksu-
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Kokkuvõte sel nädalal ja kuni tegevusi
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} sisestatud kaks korda Punkt Maksu-
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Kokkuvõte sel nädalal ja kuni tegevusi
 DocType: Student Applicant,Admitted,Tunnistas
 DocType: Workstation,Rent Cost,Üürile Cost
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Summa pärast amortisatsiooni
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Summa pärast amortisatsiooni
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Sündmuste kalender
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant Atribuudid
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Palun valige kuu ja aasta
@@ -613,8 +615,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Seal saab olla ainult 1 konto kohta Company {0} {1}
 DocType: Support Search Source,Response Result Key Path,Vastuse tulemus võtmetee
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Kogus ({0} ei tohiks olla suurem kui töökorralduskogus {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Palun vt lisa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Kogus ({0} ei tohiks olla suurem kui töökorralduskogus {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Palun vt lisa
 DocType: Purchase Order,% Received,% Vastatud
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Loo Üliõpilasgrupid
 DocType: Volunteer,Weekends,Nädalavahetustel
@@ -654,7 +656,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Kokku tasumata
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Muuda algus / praegune järjenumber olemasoleva seeria.
 DocType: Dosage Strength,Strength,Tugevus
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Loo uus klient
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Loo uus klient
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Aegumine on
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Kui mitu Hinnakujundusreeglid jätkuvalt ülekaalus, kasutajate palutakse määrata prioriteedi käsitsi lahendada konflikte."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Loo Ostutellimuste
@@ -665,17 +667,18 @@
 DocType: Workstation,Consumable Cost,Tarbekaubad Cost
 DocType: Purchase Receipt,Vehicle Date,Sõidukite kuupäev
 DocType: Student Log,Medical,Medical
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Põhjus kaotada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Palun valige ravim
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Põhjus kaotada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Palun valige ravim
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Kaabli omanik ei saa olla sama Lead
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Eraldatud summa ei ole suurem kui korrigeerimata summa
 DocType: Announcement,Receiver,vastuvõtja
 DocType: Location,Area UOM,Piirkond UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation on suletud järgmistel kuupäevadel kohta Holiday nimekiri: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Võimalused
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Võimalused
 DocType: Lab Test Template,Single,Single
 DocType: Compensatory Leave Request,Work From Date,Töö kuupäevast
 DocType: Salary Slip,Total Loan Repayment,Kokku Laenu tagasimaksmine
+DocType: Project User,View attachments,Vaadake manuseid
 DocType: Account,Cost of Goods Sold,Müüdud kaupade maksumus
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Palun sisestage Cost Center
 DocType: Drug Prescription,Dosage,Annus
@@ -686,7 +689,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Kogus ja hind
 DocType: Delivery Note,% Installed,% Paigaldatud
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klassiruumid / Laboratories jne, kus loenguid saab planeeritud."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Mõlema äriühingu äriühingute valuutad peaksid vastama äriühingutevahelistele tehingutele.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Mõlema äriühingu äriühingute valuutad peaksid vastama äriühingutevahelistele tehingutele.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Palun sisesta ettevõtte nimi esimene
 DocType: Travel Itinerary,Non-Vegetarian,Mitte-taimetoitlane
 DocType: Purchase Invoice,Supplier Name,Tarnija nimi
@@ -696,7 +699,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Ajutiselt ootel
 DocType: Account,Is Group,On Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Krediitkaart {0} on loodud automaatselt
-DocType: Email Digest,Pending Purchase Orders,Kuni Ostutellimuste
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Seatakse automaatselt Serial nr põhineb FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Vaata Tarnija Arve number Uniqueness
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Peamine aadressi üksikasjad
@@ -713,12 +715,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Kohanda sissejuhatavat teksti, mis läheb osana, et e-posti. Iga tehing on eraldi sissejuhatavat teksti."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Rida {0}: toiming on vajalik toormaterjali elemendi {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Määrake vaikimisi makstakse kontole ettevõtte {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Tehing ei ole lubatud peatatud töökorralduse kohta {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Tehing ei ole lubatud peatatud töökorralduse kohta {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global seaded kõik tootmisprotsessid.
 DocType: Accounts Settings,Accounts Frozen Upto,Kontod Külmutatud Upto
 DocType: SMS Log,Sent On,Saadetud
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Oskus {0} valitakse mitu korda atribuudid Table
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Oskus {0} valitakse mitu korda atribuudid Table
 DocType: HR Settings,Employee record is created using selected field. ,"Töötaja rekord on loodud, kasutades valitud valdkonnas."
 DocType: Sales Order,Not Applicable,Ei kasuta
 DocType: Amazon MWS Settings,UK,UK
@@ -746,21 +748,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Töötaja {0} on juba {1} {2} taotlenud:
 DocType: Inpatient Record,AB Positive,AB positiivne
 DocType: Job Opening,Description of a Job Opening,Kirjeldus töökoht
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Kuni tegevusi täna
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Kuni tegevusi täna
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Palk Component töögraafik põhineb palgal.
+DocType: Driver,Applicable for external driver,Kohaldatakse väline draiver
 DocType: Sales Order Item,Used for Production Plan,Kasutatakse tootmise kava
 DocType: Loan,Total Payment,Kokku tasumine
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Tühistama tehingut lõpetatud töökorralduse jaoks.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Tühistama tehingut lõpetatud töökorralduse jaoks.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Aeg toimingute vahel (in minutit)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO on juba loodud kõikidele müügikorralduse elementidele
 DocType: Healthcare Service Unit,Occupied,Hõivatud
 DocType: Clinical Procedure,Consumables,Kulumaterjalid
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} katkeb nii toimingut ei saa lõpule
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} on katkestatud, toimingut ei saa lõpule viia."
 DocType: Customer,Buyer of Goods and Services.,Ostja kaupade ja teenuste.
 DocType: Journal Entry,Accounts Payable,Tasumata arved
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Selle maksetaotluses määratud {0} summa erineb kõigi makseplaanide arvestuslikust summast: {1}. Enne dokumendi esitamist veenduge, et see on õige."
 DocType: Patient,Allergies,Allergia
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Valitud BOMs ei ole sama objekti
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Valitud BOMs ei ole sama objekti
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Muuda objekti koodi
 DocType: Supplier Scorecard Standing,Notify Other,Teata muudest
 DocType: Vital Signs,Blood Pressure (systolic),Vererõhk (süstoolne)
@@ -772,7 +775,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Aitab Parts ehitada
 DocType: POS Profile User,POS Profile User,POS profiili kasutaja
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Rida {0}: kulumiaeg on vajalik
-DocType: Sales Invoice Item,Service Start Date,Teenuse alguskuupäev
+DocType: Purchase Invoice Item,Service Start Date,Teenuse alguskuupäev
 DocType: Subscription Invoice,Subscription Invoice,Märkimisarve
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Otsene tulu
 DocType: Patient Appointment,Date TIme,Kuupäev Kellaaeg
@@ -791,7 +794,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmeetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Palun vali lõpetatud varade hoolduse logi täitmise kuupäev
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Ühendamine, järgmised omadused peavad olema ühesugused teemad"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Ühendamine, järgmised omadused peavad olema ühesugused teemad"
 DocType: Supplier,Block Supplier,Blokeeri tarnija
 DocType: Shipping Rule,Net Weight,Netokaal
 DocType: Job Opening,Planned number of Positions,Planeeritud positsioonide arv
@@ -812,19 +815,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Rahavoogude kaardistamise mall
 DocType: Travel Request,Costing Details,Kulude üksikasjad
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Näita tagastamiskirju
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Seerianumber objekt ei saa olla osa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Seerianumber objekt ei saa olla osa
 DocType: Journal Entry,Difference (Dr - Cr),Erinevus (Dr - Cr)
 DocType: Bank Guarantee,Providing,Pakkumine
 DocType: Account,Profit and Loss,Kasum ja kahjum
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Pole lubatud, seadistage Lab Test Mall vastavalt vajadusele"
 DocType: Patient,Risk Factors,Riskifaktorid
 DocType: Patient,Occupational Hazards and Environmental Factors,Kutsealased ohud ja keskkonnategurid
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Tööpakkumiste jaoks juba loodud laoseisud
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Tööpakkumiste jaoks juba loodud laoseisud
 DocType: Vital Signs,Respiratory rate,Hingamissagedus
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Tegevjuht Alltöövõtt
 DocType: Vital Signs,Body Temperature,Keha temperatuur
 DocType: Project,Project will be accessible on the website to these users,Projekt on kättesaadav veebilehel nendele kasutajatele
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"{0} {1} ei saa tühistada, sest seerianumber {2} ei kuulu ladu {3}"
 DocType: Detected Disease,Disease,Haigus
+DocType: Company,Default Deferred Expense Account,Vaikimisi edasilükatud kulude konto
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Määrake projekti tüüp.
 DocType: Supplier Scorecard,Weighting Function,Kaalufunktsioon
 DocType: Healthcare Practitioner,OP Consulting Charge,OP konsultatsioonitasu
@@ -841,7 +846,7 @@
 DocType: Crop,Produced Items,Toodetud esemed
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Tehingu sooritamine arvetele
 DocType: Sales Order Item,Gross Profit,Brutokasum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Arve tühistamine
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Arve tühistamine
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Kasvamine ei saa olla 0
 DocType: Company,Delete Company Transactions,Kustuta tehingutes
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Viitenumber ja viited kuupäev on kohustuslik Bank tehingu
@@ -862,11 +867,11 @@
 DocType: Budget,Ignore,Ignoreerima
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} ei ole aktiivne
 DocType: Woocommerce Settings,Freight and Forwarding Account,Kaubavedu ja edastuskonto
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Setup check mõõtmed trükkimiseks
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Setup check mõõtmed trükkimiseks
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Loo palgatõusud
 DocType: Vital Signs,Bloated,Paisunud
 DocType: Salary Slip,Salary Slip Timesheet,Palgatõend Töögraafik
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tarnija Warehouse kohustuslik allhanked ostutšekk
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tarnija Warehouse kohustuslik allhanked ostutšekk
 DocType: Item Price,Valid From,Kehtib alates
 DocType: Sales Invoice,Total Commission,Kokku Komisjoni
 DocType: Tax Withholding Account,Tax Withholding Account,Maksu kinnipidamise konto
@@ -874,12 +879,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Kõik tarnija skoorikaardid.
 DocType: Buying Settings,Purchase Receipt Required,Ostutšekk Vajalikud
 DocType: Delivery Note,Rail,Raudtee
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Lahtri sihtrida reas {0} peab olema sama kui töökorraldus
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Hindamine Rate on kohustuslik, kui algvaru sisestatud"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Lahtri sihtrida reas {0} peab olema sama kui töökorraldus
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Hindamine Rate on kohustuslik, kui algvaru sisestatud"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Salvestusi ei leitud Arvel tabelis
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Palun valige Company Pidu ja Type esimene
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Kasutaja {1} jaoks on juba vaikimisi määranud pos profiil {0}, muidu vaikimisi keelatud"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Financial / eelarveaastal.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Financial / eelarveaastal.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,kogunenud väärtused
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Vabandame, Serial nr saa liita"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Kliendiprogramm seab sisse valitud grupi, samas kui Shopifyi kliente sünkroonitakse"
@@ -893,7 +898,7 @@
 ,Lead Id,Plii Id
 DocType: C-Form Invoice Detail,Grand Total,Üldtulemus
 DocType: Assessment Plan,Course,kursus
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Sektsiooni kood
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Sektsiooni kood
 DocType: Timesheet,Payslip,palgateatise
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Päevapäev peaks olema kuupäevast kuni kuupäevani
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Oksjoni ostukorvi
@@ -902,7 +907,8 @@
 DocType: Employee,Personal Bio,Isiklik Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Liikme ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Tarnitakse: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Tarnitakse: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Ühendatud QuickBooksiga
 DocType: Bank Statement Transaction Entry,Payable Account,Võlgnevus konto
 DocType: Payment Entry,Type of Payment,Tüüp tasumine
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Pool päevapäev on kohustuslik
@@ -914,7 +920,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Shipping Bill Date
 DocType: Production Plan,Production Plan,Tootmisplaan
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Arve koostamise tööriista avamine
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Müügitulu
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Müügitulu
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Märkus: Kokku eraldatakse lehed {0} ei tohiks olla väiksem kui juba heaks lehed {1} perioodiks
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Määrake tehingute arv järjekorranumbriga
 ,Total Stock Summary,Kokku Stock kokkuvõte
@@ -927,9 +933,9 @@
 DocType: Authorization Rule,Customer or Item,Kliendi või toode
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kliendi andmebaasi.
 DocType: Quotation,Quotation To,Tsitaat
-DocType: Lead,Middle Income,Keskmise sissetulekuga
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Keskmise sissetulekuga
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Avamine (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Vaikimisi mõõtühik Punkt {0} ei saa muuta otse, sest teil on juba mõned tehingu (te) teise UOM. Te peate looma uue Punkt kasutada erinevaid vaikimisi UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Vaikimisi mõõtühik Punkt {0} ei saa muuta otse, sest teil on juba mõned tehingu (te) teise UOM. Te peate looma uue Punkt kasutada erinevaid vaikimisi UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Eraldatud summa ei saa olla negatiivne
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Määrake Company
 DocType: Share Balance,Share Balance,Jaga Balanssi
@@ -946,15 +952,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Vali Maksekonto teha Bank Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Vaikimisi arve nime seeria
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Loo töötaja kirjete haldamiseks lehed, kulu nõuete ja palgaarvestuse"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Värskendamise käigus tekkis viga
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Värskendamise käigus tekkis viga
 DocType: Restaurant Reservation,Restaurant Reservation,Restorani broneering
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Ettepanek kirjutamine
 DocType: Payment Entry Deduction,Payment Entry Deduction,Makse Entry mahaarvamine
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Pakkimine
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Teatage klientidele e-posti teel
 DocType: Item,Batch Number Series,Partii number seeria
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Teine Sales Person {0} on olemas sama Töötaja id
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Teine Sales Person {0} on olemas sama Töötaja id
 DocType: Employee Advance,Claimed Amount,Nõutud summa
+DocType: QuickBooks Migrator,Authorization Settings,Autoriseerimise seaded
 DocType: Travel Itinerary,Departure Datetime,Lahkumise kuupäeva aeg
 DocType: Customer,CUST-.YYYY.-,CUST-YYYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Reisi kuluarvestus
@@ -993,26 +1000,29 @@
 DocType: Buying Settings,Supplier Naming By,Tarnija nimetamine By
 DocType: Activity Type,Default Costing Rate,Vaikimisi ületaksid
 DocType: Maintenance Schedule,Maintenance Schedule,Hoolduskava
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Siis Hinnakujundusreeglid on välja filtreeritud põhineb kliendi, kliendi nimel, Territory, Tarnija, Tarnija tüüp, kampaania, Sales Partner jms"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Siis Hinnakujundusreeglid on välja filtreeritud põhineb kliendi, kliendi nimel, Territory, Tarnija, Tarnija tüüp, kampaania, Sales Partner jms"
 DocType: Employee Promotion,Employee Promotion Details,Töötaja edutamise üksikasjad
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Net muutus Varude
 DocType: Employee,Passport Number,Passi number
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Seos Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Juhataja
 DocType: Payment Entry,Payment From / To,Makse edasi / tagasi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Eelarveaastast
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Uus krediidilimiit on alla praeguse tasumata summa kliendi jaoks. Krediidilimiit peab olema atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Palun määrake konto Warehouse&#39;i {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Palun määrake konto Warehouse&#39;i {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Tuleneb"" ja ""Grupeeri alusel"" ei saa olla sama"
 DocType: Sales Person,Sales Person Targets,Sales Person Eesmärgid
 DocType: Work Order Operation,In minutes,Minutiga
 DocType: Issue,Resolution Date,Resolutsioon kuupäev
 DocType: Lab Test Template,Compound,Ühend
+DocType: Opportunity,Probability (%),Tõenäosus (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Saatmise teatis
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Vali vara
 DocType: Student Batch Name,Batch Name,partii Nimi
 DocType: Fee Validity,Max number of visit,Maksimaalne külastuse arv
 ,Hotel Room Occupancy,Hotelli toa majutus
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Töögraafik on loodud:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Palun määra vaikimisi Raha või pangakonto makseviis {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Palun määra vaikimisi Raha või pangakonto makseviis {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,registreerima
 DocType: GST Settings,GST Settings,GST Seaded
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuuta peaks olema sama nagu hinnakiri Valuuta: {0}
@@ -1053,12 +1063,12 @@
 DocType: Loan,Total Interest Payable,Kokku intressivõlg
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Maandus Cost maksud ja tasud
 DocType: Work Order Operation,Actual Start Time,Tegelik Start Time
+DocType: Purchase Invoice Item,Deferred Expense Account,Edasilükatud kulude konto
 DocType: BOM Operation,Operation Time,Operation aeg
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,lõpp
 DocType: Salary Structure Assignment,Base,alus
 DocType: Timesheet,Total Billed Hours,Kokku Maksustatakse Tundi
 DocType: Travel Itinerary,Travel To,Reisida
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ei ole
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Kirjutage Off summa
 DocType: Leave Block List Allow,Allow User,Laske Kasutaja
 DocType: Journal Entry,Bill No,Bill pole
@@ -1075,9 +1085,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,ajaandmik
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush tooraine põhineb
 DocType: Sales Invoice,Port Code,Sadama kood
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reservi laoruum
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reservi laoruum
 DocType: Lead,Lead is an Organization,Plii on organisatsioon
-DocType: Guardian Interest,Interest,huvi
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Müügieelne
 DocType: Instructor Log,Other Details,Muud andmed
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1087,7 +1096,7 @@
 DocType: Account,Accounts,Kontod
 DocType: Vehicle,Odometer Value (Last),Odomeetri näit (Viimane)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Pakkujate tulemuskaardi kriteeriumide mallid.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Lunastage lojaalsuspunkte
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Makse Entry juba loodud
 DocType: Request for Quotation,Get Suppliers,Hankige tarnijaid
@@ -1104,16 +1113,14 @@
 DocType: Crop,Crop Spacing UOM,Crop Spacing UOM
 DocType: Loyalty Program,Single Tier Program,Üheastmeline programm
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Valige ainult siis, kui olete seadistanud rahavoogude kaardistaja dokumendid"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Aadressist 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Aadressist 1
 DocType: Email Digest,Next email will be sent on:,Järgmine email saadetakse edasi:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master","{Item} {verb}, mis on märgitud {message} elemendiks. Saate lubada neid elemendina {post} {message}"
 DocType: Supplier Scorecard,Per Week,Nädalas
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Punkt on variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Punkt on variante.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Kokku üliõpilane
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Punkt {0} ei leitud
 DocType: Bin,Stock Value,Stock Value
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Ettevõte {0} ei ole olemas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Ettevõte {0} ei ole olemas
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} tasu kehtib kuni {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Kogus Tarbitud Per Unit
@@ -1128,7 +1135,7 @@
 ,Fichier des Ecritures Comptables [FEC],Ficier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Krediitkaart Entry
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Ettevõte ja kontod
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,väärtuse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,väärtuse
 DocType: Asset Settings,Depreciation Options,Amortisatsiooni Valikud
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Nõutav on asukoht või töötaja
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Kehtetu postitamise aeg
@@ -1145,20 +1152,21 @@
 DocType: Leave Allocation,Allocation,Jaotamine
 DocType: Purchase Order,Supply Raw Materials,Supply tooraine
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Käibevara
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ei ole laos toode
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ei ole laotoode
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Jagage oma koolituse kohta tagasisidet, klõpsates &quot;Treening Tagasiside&quot; ja seejärel &quot;Uus&quot;"
 DocType: Mode of Payment Account,Default Account,Vaikimisi konto
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Esitage kõigepealt proovi võttehoidla varude seadistustes
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Esitage kõigepealt proovi võttehoidla varude seadistustes
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Palun valige mitme tasandi programmi tüüp rohkem kui ühe kogumise reeglite jaoks.
 DocType: Payment Entry,Received Amount (Company Currency),Saadud summa (firma Valuuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Plii tuleb määrata, kui võimalus on valmistatud Lead"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Makse tühistatud. Palun kontrollige oma GoCardlessi kontot, et saada lisateavet"
 DocType: Contract,N/A,Ei ole
+DocType: Delivery Settings,Send with Attachment,Saada koos manustega
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Palun valige iganädalane off päev
 DocType: Inpatient Record,O Negative,O Negatiivne
 DocType: Work Order Operation,Planned End Time,Planeeritud End Time
 ,Sales Person Target Variance Item Group-Wise,Sales Person Target Dispersioon Punkt Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Konto olemasolevate tehing ei ole ümber arvestusraamatust
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Konto olemasolevate tehing ei ole ümber arvestusraamatust
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Membrersi tüübi üksikasjad
 DocType: Delivery Note,Customer's Purchase Order No,Kliendi ostutellimuse pole
 DocType: Clinical Procedure,Consume Stock,Tarbi aktsiaid
@@ -1171,26 +1179,26 @@
 DocType: Soil Texture,Sand,Liiv
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energia
 DocType: Opportunity,Opportunity From,Opportunity From
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rida {0}: {1} punkti {2} jaoks nõutavad seerianumbrid. Te olete esitanud {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rida {0}: {1} punkti {2} jaoks nõutavad seerianumbrid. Te olete esitanud {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Valige tabel
 DocType: BOM,Website Specifications,Koduleht erisused
 DocType: Special Test Items,Particulars,Üksikasjad
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: From {0} tüüpi {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor on kohustuslik
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor on kohustuslik
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Mitu Hind reeglid olemas samad kriteeriumid, palun lahendada konflikte, määrates prioriteet. Hind Reeglid: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Mitu Hind reeglid olemas samad kriteeriumid, palun lahendada konflikte, määrates prioriteet. Hind Reeglid: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Vahetuskursi ümberhindluskonto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Ei saa deaktiveerida või tühistada Bom, sest see on seotud teiste BOMs"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Ei saa deaktiveerida või tühistada Bom, sest see on seotud teiste BOMs"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Kirjete saamiseks valige ettevõtte ja postitamise kuupäev
 DocType: Asset,Maintenance,Hooldus
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Hankige patsiendikogusest
 DocType: Subscriber,Subscriber,Abonent
 DocType: Item Attribute Value,Item Attribute Value,Punkt omadus Value
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Palun uuendage oma projekti olekut
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Palun uuendage oma projekti olekut
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valuutavahetus tuleb kohaldada ostmise või müügi suhtes.
 DocType: Item,Maximum sample quantity that can be retained,"Maksimaalne proovikogus, mida on võimalik säilitada"
 DocType: Project Update,How is the Project Progressing Right Now?,Kuidas projekt käivitub kohe?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rida {0} # Item {1} ei saa üle anda {2} ostutellimuse vastu {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rida {0} # Item {1} ei saa üle anda {2} ostutellimuse vastu {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Müügikampaaniad.
 DocType: Project Task,Make Timesheet,Tee Töögraafik
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1219,36 +1227,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Õpilase aruande loomise tööriist
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Tervishoiu ajakava ajavöönd
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc nimi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc nimi
 DocType: Expense Claim Detail,Expense Claim Type,Kuluhüvitussüsteeme Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Vaikimisi seaded Ostukorv
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Lisage ajapilusid
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset lammutatakse kaudu päevikusissekanne {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Palun määrake Konto Warehouseis {0} või Vaikimisi Inventari Kontol Ettevõttes {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset lammutatakse kaudu päevikusissekanne {0}
 DocType: Loan,Interest Income Account,Intressitulu konto
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Hüvitiste saamiseks peaks maksimaalne hüvitis olema suurem kui null
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Hüvitiste saamiseks peaks maksimaalne hüvitis olema suurem kui null
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Vaadake saadetud saadetud kviitungi
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,Töötaja ülekande vara
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Ajast peaks olema vähem kui ajani
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotehnoloogia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Punkti {0} (seerianumber: {1}) ei saa tarbida, nagu see on reserveeritud \, et täita müügitellimust {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Büroo ülalpidamiskulud
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Minema
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Update Price alates Shopify ERPNext Hinnakiri
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Seadistamine e-posti konto
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Palun sisestage Punkt esimene
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Vajaduste analüüs
 DocType: Asset Repair,Downtime,Seisakuisus
 DocType: Account,Liability,Vastutus
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsioneeritud summa ei või olla suurem kui nõude summast reas {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsioneeritud summa ei või olla suurem kui nõude summast reas {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akadeemiline termin:
 DocType: Salary Component,Do not include in total,Ärge lisage kokku
 DocType: Company,Default Cost of Goods Sold Account,Vaikimisi müüdud toodangu kulu konto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Proovi kogus {0} ei saa olla suurem kui saadud kogus {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Hinnakiri ole valitud
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Proovi kogus {0} ei saa olla suurem kui saadud kogus {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Hinnakiri ole valitud
 DocType: Employee,Family Background,Perekondlik taust
 DocType: Request for Quotation Supplier,Send Email,Saada E-
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Hoiatus: Vigane Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Hoiatus: Vigane Attachment {0}
 DocType: Item,Max Sample Quantity,Max Proovi Kogus
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Ei Luba
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lepingu täitmise kontrollnimekiri
@@ -1278,16 +1288,16 @@
 DocType: Payment Reconciliation,Minimum Invoice Amount,Minimaalne Arve summa
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} ei kuulu Company {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Laadige üles oma kirjapead (hoia see veebipõhine nagu 900 pikslit 100 piksliga)
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} ei saa olla Group
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Punkt Row {idx}: {doctype} {DOCNAME} ei eksisteeri eespool {doctype} &quot;tabelis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Töögraafik {0} on juba lõpetatud või tühistatud
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} ei saa olla grupp
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Töögraafik {0} on juba lõpetatud või tühistatud
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooksi migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ei ülesanded
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Müügiarve {0} loodud makstud summaga
 DocType: Item Variant Settings,Copy Fields to Variant,Kopeerige väliid variandile
 DocType: Asset,Opening Accumulated Depreciation,Avamine akumuleeritud kulum
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score peab olema väiksem või võrdne 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Programm Registreerimine Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form arvestust
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form arvestust
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Aktsiad on juba olemas
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kliendi ja tarnija
 DocType: Email Digest,Email Digest Settings,Email Digest Seaded
@@ -1300,12 +1310,12 @@
 DocType: Production Plan,Select Items,Vali kaubad
 DocType: Share Transfer,To Shareholder,Aktsionäridele
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} vastu Bill {1} dateeritud {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Riigist
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Riigist
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Seadistusasutus
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Lehtede eraldamine ...
 DocType: Program Enrollment,Vehicle/Bus Number,Sõiduki / Bus arv
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kursuse ajakava
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Te peate maha arvata maksuvabastuse tõendamata ja taotlemata / töövõtja hüvitised töötasu perioodi viimasel palgatõusul
 DocType: Request for Quotation Supplier,Quote Status,Tsiteerin staatus
 DocType: GoCardless Settings,Webhooks Secret,Webhooks salajane
@@ -1331,13 +1341,13 @@
 DocType: Sales Invoice,Payment Due Date,Maksetähtpäevast
 DocType: Drug Prescription,Interval UOM,Intervall UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Kui valite valitud aadressi pärast salvestamist, vali uuesti"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Punkt Variant {0} on juba olemas sama atribuute
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Punkt Variant {0} on juba olemas sama atribuute
 DocType: Item,Hub Publishing Details,Hubi avaldamise üksikasjad
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Avamine&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Avamine&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Avatud teha
 DocType: Issue,Via Customer Portal,Kliendiportaali kaudu
 DocType: Notification Control,Delivery Note Message,Toimetaja märkus Message
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST summa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST summa
 DocType: Lab Test Template,Result Format,Tulemusvorming
 DocType: Expense Claim,Expenses,Kulud
 DocType: Item Variant Attribute,Item Variant Attribute,Punkt Variant Oskus
@@ -1345,14 +1355,12 @@
 DocType: Payroll Entry,Bimonthly,kaks korda kuus
 DocType: Vehicle Service,Brake Pad,Brake Pad
 DocType: Fertilizer,Fertilizer Contents,Väetise sisu
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Teadus- ja arendustegevus
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Teadus- ja arendustegevus
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Summa Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Alguskuupäev ja lõppkuupäev kattuvad töökaardiga <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registreerimine Üksikasjad
 DocType: Timesheet,Total Billed Amount,Arve kogusumma
 DocType: Item Reorder,Re-Order Qty,Re-Order Kogus
 DocType: Leave Block List Date,Leave Block List Date,Jäta Block loetelu kuupäev
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Palun seadke õpetaja nime sisestamine haridusse&gt; Hariduseseaded
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: tooraine ei saa olla sama kui põhipunkt
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Kokku kohaldatavate tasude kohta ostutšekk Esemed tabel peab olema sama Kokku maksud ja tasud
 DocType: Sales Team,Incentives,Soodustused
@@ -1366,7 +1374,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-of-Sale
 DocType: Fee Schedule,Fee Creation Status,Tasu loomise staatus
 DocType: Vehicle Log,Odometer Reading,odomeetri näit
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto jääk juba Credit, sa ei tohi seada &quot;Balance tuleb&quot; nagu &quot;Deebetkaart&quot;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto jääk juba Credit, sa ei tohi seada &quot;Balance tuleb&quot; nagu &quot;Deebetkaart&quot;"
 DocType: Account,Balance must be,Tasakaal peab olema
 DocType: Notification Control,Expense Claim Rejected Message,Kulu väide lükati tagasi Message
 ,Available Qty,Saadaval Kogus
@@ -1378,7 +1386,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Enne tellimuste üksikasjade sünkroonimist sünkroonige alati oma tooteid Amazon MWS-ist
 DocType: Delivery Trip,Delivery Stops,Toimetaja peatub
 DocType: Salary Slip,Working Days,Tööpäeva jooksul
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Rida {0} ei saa muuta teenuse peatamise kuupäeva
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Rida {0} ei saa muuta teenuse peatamise kuupäeva
 DocType: Serial No,Incoming Rate,Saabuva Rate
 DocType: Packing Slip,Gross Weight,Brutokaal
 DocType: Leave Type,Encashment Threshold Days,Inkasso künnispäevad
@@ -1397,31 +1405,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimaalne istekoht
 DocType: Item Attribute,Item Attribute Values,Punkt atribuudi väärtusi
 DocType: Examination Result,Examination Result,uurimistulemus
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Ostutšekk
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Ostutšekk
 ,Received Items To Be Billed,Saadud objekte arve
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Valuuta vahetuskursi kapten.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Valuuta vahetuskursi kapten.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Viide DOCTYPE peab olema üks {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtreeri kokku nullist kogust
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Ei leia Time Slot järgmisel {0} päeva Operation {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan materjali sõlmed
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Müük Partnerid ja territoorium
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Bom {0} peab olema aktiivne
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Bom {0} peab olema aktiivne
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Ülekandmiseks pole ühtegi eset
 DocType: Employee Boarding Activity,Activity Name,Tegevuse nimetus
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Muuda väljalaske kuupäev
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Valmis toodangu kogus <b>{0}</b> ja koguse <b>{1} jaoks</b> ei saa olla teistsugune
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Muuda väljalaske kuupäev
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Valmis toodangu kogus <b>{0}</b> ja koguse <b>{1} jaoks</b> ei saa olla teistsugune
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Sulgemine (avamine + kokku)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Tootekood&gt; Elemendi grupp&gt; Bränd
+DocType: Delivery Settings,Dispatch Notification Attachment,Dispatch Notification Attachment
 DocType: Payroll Entry,Number Of Employees,Töötajate arv
 DocType: Journal Entry,Depreciation Entry,Põhivara Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Palun valige dokumendi tüüp esimene
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Palun valige dokumendi tüüp esimene
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Tühista Material Külastusi {0} enne tühistades selle Hooldus Külasta
 DocType: Pricing Rule,Rate or Discount,Hind või soodustus
 DocType: Vital Signs,One Sided,Ühepoolne
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial No {0} ei kuulu Punkt {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Nõutav Kogus
 DocType: Marketplace Settings,Custom Data,Kohandatud andmed
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Laod olemasolevate tehing ei ole ümber pearaamatu.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Seerianumber on üksuse {0} jaoks kohustuslik
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Laod olemasolevate tehing ei ole ümber pearaamatu.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Seerianumber on üksuse {0} jaoks kohustuslik
 DocType: Bank Reconciliation,Total Amount,Kogu summa
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Alates kuupäevast kuni kuupäevani on erinevad eelarveaasta
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Patsiendil {0} ei ole arvele kliendihinnangut
@@ -1432,9 +1442,9 @@
 DocType: Soil Texture,Clay Composition (%),Savi koostis (%)
 DocType: Item Group,Item Group Defaults,Item Group Defaults
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Palun salvestage enne ülesande määramist.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Bilansilise väärtuse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Bilansilise väärtuse
 DocType: Lab Test,Lab Technician,Laboritehnik
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Müük Hinnakiri
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Müük Hinnakiri
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Kui see on märgitud, luuakse klient, kaardistatud patsiendile. Selle kliendi vastu luuakse patsiendiraamatud. Saate ka patsiendi loomiseks valida olemasoleva kliendi."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Kliendi ei ole ühegi lojaalsusprogrammiga liitunud
@@ -1448,13 +1458,13 @@
 DocType: Support Search Source,Search Term Param Name,Otsinguparameeter Nimi
 DocType: Item Barcode,Item Barcode,Punkt Triipkood
 DocType: Woocommerce Settings,Endpoints,Lõppjooned
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Punkt variandid {0} uuendatud
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Punkt variandid {0} uuendatud
 DocType: Quality Inspection Reading,Reading 6,Lugemine 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Ei saa {0} {1} {2} ilma negatiivse tasumata arve
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Ei saa {0} {1} {2} ilma negatiivse tasumata arve
 DocType: Share Transfer,From Folio No,Alates Folio-st
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ostuarve Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit kirjet ei saa siduda koos {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Määrake eelarve eelarveaastaks.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Määrake eelarve eelarveaastaks.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext konto
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} on blokeeritud, nii et seda tehingut ei saa jätkata"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Toiming, kui kogunenud kuueelarve ületas MR-i"
@@ -1470,19 +1480,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Ostuarve
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Võimaldage mitu materjalitarbimist töökorralduse vastu
 DocType: GL Entry,Voucher Detail No,Voucher Detail Ei
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Uus müügiarve
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Uus müügiarve
 DocType: Stock Entry,Total Outgoing Value,Kokku Väljuv Value
 DocType: Healthcare Practitioner,Appointments,Ametisse nimetamine
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Avamine ja lõpu kuupäev peaks jääma sama Fiscal Year
 DocType: Lead,Request for Information,Teabenõue
 ,LeaderBoard,LEADERBOARD
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate koos marginaaliga (ettevõtte valuuta)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline arved
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline arved
 DocType: Payment Request,Paid,Makstud
 DocType: Program Fee,Program Fee,program Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Asenda konkreetne BOM kõigis teistes BOM-idedes, kus seda kasutatakse. See asendab vana BOM-i linki, värskendab kulusid ja taastab uue BOM-i tabeli &quot;BOM Explosion Item&quot; tabeli. See värskendab viimast hinda ka kõikides turvameetmetes."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Koostati järgmised töökorraldused:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Koostati järgmised töökorraldused:
 DocType: Salary Slip,Total in words,Kokku sõnades
 DocType: Inpatient Record,Discharged,Tühjaks
 DocType: Material Request Item,Lead Time Date,Ooteaeg kuupäev
@@ -1493,16 +1503,16 @@
 DocType: Support Settings,Get Started Sections,Alusta sektsioonidega
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sanktsioneeritud
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Palun täpsustage Serial No Punkt {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Panuse kogusumma: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Palun täpsustage Serial No Punkt {1}
 DocType: Payroll Entry,Salary Slips Submitted,Esitatud palgasoodustused
 DocType: Crop Cycle,Crop Cycle,Põllukultuuride tsükkel
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Sest &quot;Toote Bundle esemed, Warehouse, Serial No ja partii ei loetakse alates&quot; Pakkeleht &quot;tabelis. Kui Lao- ja partii ei on sama kõigi asjade pakkimist tahes &quot;Toote Bundle&quot; kirje, need väärtused võivad olla kantud põhi tabeli väärtused kopeeritakse &quot;Pakkeleht&quot; tabelis."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Sest &quot;Toote Bundle esemed, Warehouse, Serial No ja partii ei loetakse alates&quot; Pakkeleht &quot;tabelis. Kui Lao- ja partii ei on sama kõigi asjade pakkimist tahes &quot;Toote Bundle&quot; kirje, need väärtused võivad olla kantud põhi tabeli väärtused kopeeritakse &quot;Pakkeleht&quot; tabelis."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Kohalt
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay ei saa olla negatiivne
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Kohalt
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay ei saa olla negatiivne
 DocType: Student Admission,Publish on website,Avaldab kodulehel
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Tarnija Arve kuupäev ei saa olla suurem kui Postitamise kuupäev
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Tarnija Arve kuupäev ei saa olla suurem kui Postitamise kuupäev
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-. YYYY.-
 DocType: Subscription,Cancelation Date,Tühistamise kuupäev
 DocType: Purchase Invoice Item,Purchase Order Item,Ostu Telli toode
@@ -1511,7 +1521,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student osavõtt Tool
 DocType: Restaurant Menu,Price List (Auto created),Hinnakiri (loodud automaatselt)
 DocType: Cheque Print Template,Date Settings,kuupäeva seaded
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Dispersioon
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Dispersioon
 DocType: Employee Promotion,Employee Promotion Detail,Töötaja edendamise üksikasjad
 ,Company Name,firma nimi
 DocType: SMS Center,Total Message(s),Kokku Sõnum (s)
@@ -1540,7 +1550,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ärge saatke Töötaja Sünnipäev meeldetuletused
 DocType: Expense Claim,Total Advance Amount,Eelmakse kokku
 DocType: Delivery Stop,Estimated Arrival,Eeldatav saabumine
-DocType: Delivery Stop,Notified by Email,E-posti teel teavitatud
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Vaadake kõiki artikleid
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Sisse astuma
 DocType: Item,Inspection Criteria,Inspekteerimiskriteeriumitele
@@ -1550,22 +1559,21 @@
 DocType: Timesheet Detail,Bill,arve
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Valge
 DocType: SMS Center,All Lead (Open),Kõik Plii (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rida {0}: Kogus ole saadaval {4} laos {1} postitama aeg kanne ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rida {0}: Kogus ole saadaval {4} laos {1} postitama aeg kanne ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Märkeruutade loendist saate valida ainult ühe võimaluse.
 DocType: Purchase Invoice,Get Advances Paid,Saa makstud ettemaksed
 DocType: Item,Automatically Create New Batch,Automaatselt Loo uus partii
 DocType: Supplier,Represents Company,Esindab ettevõtet
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Tee
 DocType: Student Admission,Admission Start Date,Sissepääs Start Date
 DocType: Journal Entry,Total Amount in Words,Kokku summa sõnadega
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Uus töötaja
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Seal oli viga. Üks tõenäoline põhjus võib olla, et sa ei ole salvestatud kujul. Palun võtke ühendust support@erpnext.com kui probleem ei lahene."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Minu ostukorv
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Tellimus tüüp peab olema üks {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Tellimus tüüp peab olema üks {0}
 DocType: Lead,Next Contact Date,Järgmine Kontakt kuupäev
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Avamine Kogus
 DocType: Healthcare Settings,Appointment Reminder,Kohtumise meeldetuletus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Palun sisesta konto muutuste summa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Palun sisesta konto muutuste summa
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Partii Nimi
 DocType: Holiday List,Holiday List Name,Holiday nimekiri nimi
 DocType: Repayment Schedule,Balance Loan Amount,Tasakaal Laenusumma
@@ -1575,13 +1583,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Stock Options
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Ühtegi toodet pole ostukorvi lisanud
 DocType: Journal Entry Account,Expense Claim,Kuluhüvitussüsteeme
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Kas te tõesti soovite taastada seda lammutatakse vara?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Kas te tõesti soovite taastada seda lammutatakse vara?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Kogus eest {0}
 DocType: Leave Application,Leave Application,Jäta ostusoov
 DocType: Patient,Patient Relation,Patsiendi suhe
 DocType: Item,Hub Category to Publish,Keskuse kategooria avaldamiseks
 DocType: Leave Block List,Leave Block List Dates,Jäta Block loetelu kuupäevad
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Müügitellimusel {0} on üksuse {1} broneerimine, saate esitada reserveeritud {1} vastu {0}. Seerianumber {2} ei saa kätte toimetada"
 DocType: Sales Invoice,Billing Address GSTIN,Arveldusaadress GSTIN
@@ -1599,16 +1607,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Palun täpsusta {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Eemaldatud esemed ei muutu kogus või väärtus.
 DocType: Delivery Note,Delivery To,Toimetaja
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variant loomine on järjestatud.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Töö kokkuvõte {0} jaoks
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variant loomine on järjestatud.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Töö kokkuvõte {0} jaoks
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Nimekirjas olev esimene tühistamisloendaja määratakse vaikimisi tühistamisloa taotlejaks.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Oskus tabelis on kohustuslik
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Oskus tabelis on kohustuslik
 DocType: Production Plan,Get Sales Orders,Võta müügitellimuste
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ei tohi olla negatiivne
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Ühendage Quickbooksiga
 DocType: Training Event,Self-Study,Iseseisev õppimine
 DocType: POS Closing Voucher,Period End Date,Perioodi lõppkuupäev
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Mulla kompositsioonid ei lisa kuni 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Soodus
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Ava {2} Arvete loomiseks on vaja rea {0}: {1}
 DocType: Membership,Membership,Liikmelisus
 DocType: Asset,Total Number of Depreciations,Kokku arv Amortisatsiooniaruanne
 DocType: Sales Invoice Item,Rate With Margin,Määra Margin
@@ -1619,7 +1629,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Palun täpsustage kehtiv Row ID reas {0} tabelis {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Muutuja ei leitud
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Palun vali väljad numpadist muutmiseks
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Põhivara postitust ei saa luua, kui luuakse väärtpaberikonto."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Põhivara postitust ei saa luua, kui luuakse väärtpaberikonto."
 DocType: Subscription Plan,Fixed rate,Fikseeritud kiirus
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Tunnistama
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Mine Desktop ja hakata kasutama ERPNext
@@ -1653,7 +1663,7 @@
 DocType: Tax Rule,Shipping State,Kohaletoimetamine riik
 ,Projected Quantity as Source,Planeeritav kogus nagu Allikas
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Punkt tuleb lisada, kasutades &quot;Võta Kirjed Ostutšekid&quot; nuppu"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Toimetaja Trip
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Toimetaja Trip
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Ülekande tüüp
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Müügikulud
@@ -1666,8 +1676,9 @@
 DocType: Item Default,Default Selling Cost Center,Vaikimisi müügikulude Center
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ketas
 DocType: Buying Settings,Material Transferred for Subcontract,Subcontract&#39;ile edastatud materjal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postiindeks
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Sales Order {0} on {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Ostutellimused on tähtaja ületanud
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Postiindeks
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Sales Order {0} on {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Vali laenude intressitulu konto {0}
 DocType: Opportunity,Contact Info,Kontaktinfo
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Making Stock kanded
@@ -1680,12 +1691,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Arve ei saa teha arveldusnädala nullini
 DocType: Company,Date of Commencement,Alguskuupäev
 DocType: Sales Person,Select company name first.,Vali firma nimi esimesena.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-kiri saadetakse aadressile {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-kiri saadetakse aadressile {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Tsitaadid Hankijatelt.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Vahetage BOM ja värskendage viimast hinda kõikides BOM-i
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,See on juurvarühmade rühm ja seda ei saa redigeerida.
-DocType: Delivery Trip,Driver Name,Juhi nimi
+DocType: Delivery Note,Driver Name,Juhi nimi
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Keskmine vanus
 DocType: Education Settings,Attendance Freeze Date,Osavõtjate Freeze kuupäev
 DocType: Payment Request,Inward,Sissepoole
@@ -1696,7 +1707,7 @@
 DocType: Company,Parent Company,Emaettevõte
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotellitüübid {0} ei ole saadaval {1}
 DocType: Healthcare Practitioner,Default Currency,Vaikimisi Valuuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Artikli {0} maksimaalne allahindlus on {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Artikli {0} maksimaalne allahindlus on {1}%
 DocType: Asset Movement,From Employee,Tööalasest
 DocType: Driver,Cellphone Number,Mobiiltelefoni number
 DocType: Project,Monitor Progress,Jälgida progressi
@@ -1712,19 +1723,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Kogus peab olema väiksem või võrdne {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Komponendi {0} jaoks maksimaalne summa ületab {1}
 DocType: Department Approver,Department Approver,Osakonna kinnitaja
+DocType: QuickBooks Migrator,Application Settings,Rakenduse seaded
 DocType: SMS Center,Total Characters,Kokku Lõbu
 DocType: Employee Advance,Claimed,Taotletud
 DocType: Crop,Row Spacing,Ristliikumine
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Palun valige Bom Bom valdkonnas Punkt {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Palun valige Bom Bom valdkonnas Punkt {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Valitud objekti jaoks pole ühtegi üksust
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Arve Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Makse leppimise Arve
 DocType: Clinical Procedure,Procedure Template,Protseduuri mall
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Panus%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Nagu iga ostmine Seaded kui ostutellimuse sobiv == &quot;JAH&quot;, siis luua ostuarve, kasutaja vaja luua ostutellimuse esmalt toode {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Panus%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Nagu iga ostmine Seaded kui ostutellimuse sobiv == &quot;JAH&quot;, siis luua ostuarve, kasutaja vaja luua ostutellimuse esmalt toode {0}"
 ,HSN-wise-summary of outward supplies,HSN-i arukas kokkuvõte välistarnetest
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Ettevõte registreerimisnumbrid oma viide. Maksu- numbrid jms
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Riigile
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Riigile
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Edasimüüja
 DocType: Asset Finance Book,Asset Finance Book,Varahalduse raamat
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Ostukorv kohaletoimetamine reegel
@@ -1733,7 +1745,7 @@
 ,Ordered Items To Be Billed,Tellitud esemed arve
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Siit Range peab olema väiksem kui levikuala
 DocType: Global Defaults,Global Defaults,Global Vaikeväärtused
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projektikoostööd Kutse
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projektikoostööd Kutse
 DocType: Salary Slip,Deductions,Mahaarvamised
 DocType: Setup Progress Action,Action Name,Tegevus nimega
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Start Aasta
@@ -1747,11 +1759,12 @@
 DocType: Lead,Consultant,Konsultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Vanemate õpetajate kohtumispaik
 DocType: Salary Slip,Earnings,Tulu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Lõppenud Punkt {0} tuleb sisestada Tootmine tüübist kirje
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Lõppenud Punkt {0} tuleb sisestada Tootmine tüübist kirje
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Avamine Raamatupidamine Balance
 ,GST Sales Register,GST Sales Registreeri
 DocType: Sales Invoice Advance,Sales Invoice Advance,Müügiarve Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Midagi nõuda
+DocType: Stock Settings,Default Return Warehouse,Vaikimisi tagastatud laoruum
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Valige oma domeenid
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Tarnija
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksearve kirjed
@@ -1760,15 +1773,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Valdkonnad kopeeritakse ainult loomise ajal.
 DocType: Setup Progress Action,Domains,Domeenid
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Tegelik alguskuupäev"" ei saa olla suurem kui ""Tegelik lõpukuupäev"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Juhtimine
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Juhtimine
 DocType: Cheque Print Template,Payer Settings,maksja seaded
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Ükski ootel materiaalsetest taotlustest ei leitud antud esemete linkimiseks.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Esmalt valige ettevõte
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","See on lisatud Kood variandi. Näiteks, kui teie lühend on ""SM"", ning objekti kood on ""T-särk"", kirje kood variant on ""T-särk SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Netopalk (sõnadega) ilmuvad nähtavale kui salvestate palgatõend.
 DocType: Delivery Note,Is Return,Kas Tagasi
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Ettevaatust
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Alguspäev on suurem kui lõppkuupäev ülesandes &quot;{0}&quot;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Tagasi / võlateate
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Tagasi / võlateate
 DocType: Price List Country,Price List Country,Hinnakiri Riik
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} kehtiv serial-numbrid Punkt {1}
@@ -1781,13 +1795,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Toetusteave
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tarnija andmebaasis.
 DocType: Contract Template,Contract Terms and Conditions,Lepingutingimused
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Te ei saa tellimust uuesti katkestada.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Te ei saa tellimust uuesti katkestada.
 DocType: Account,Balance Sheet,Eelarve
 DocType: Leave Type,Is Earned Leave,On teenitud lahku
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Kulude Keskus eseme Kood &quot;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Kulude Keskus eseme Kood &quot;
 DocType: Fee Validity,Valid Till,Kehtiv kuni
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Vanemate kogu õpetajate kohtumine
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Makserežiimi ei ole seadistatud. Palun kontrollige, kas konto on seadistatud režiim maksed või POS profiili."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Makserežiimi ei ole seadistatud. Palun kontrollige, kas konto on seadistatud režiim maksed või POS profiili."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama objekt ei saa sisestada mitu korda.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Lisaks kontod saab rühma all, kuid kanded saab teha peale mitte-Groups"
 DocType: Lead,Lead,Lead
@@ -1796,11 +1810,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} loodud
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,"Teil pole lojaalsuspunkte, mida soovite lunastada"
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: lükata Kogus ei kanta Ostutagastus
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Palun seadke seostatud konto maksude kinnipidamise kategooriasse {0} ettevõtte vastu {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: lükata Kogus ei kanta Ostutagastus
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Valitud Kliendi kliendirühma vahetamine ei ole lubatud.
 ,Purchase Order Items To Be Billed,Ostutellimuse punkte arve
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Hinnangulise saabumisaja ajakohastamine
 DocType: Program Enrollment Tool,Enrollment Details,Registreerumise üksikasjad
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Ettevõte ei saa määrata mitu üksust Vaikeväärtused.
 DocType: Purchase Invoice Item,Net Rate,Efektiivne intressimäär
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Valige klient
 DocType: Leave Policy,Leave Allocations,Jätke eraldamised
@@ -1829,7 +1845,7 @@
 DocType: Loan Application,Repayment Info,tagasimaksmine Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&quot;Kanded&quot; ei saa olla tühi
 DocType: Maintenance Team Member,Maintenance Role,Hooldusroll
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplicate rida {0} on sama {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplicate rida {0} on sama {1}
 DocType: Marketplace Settings,Disable Marketplace,Keela turuplats
 ,Trial Balance,Proovibilanss
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Eelarveaastal {0} ei leitud
@@ -1840,9 +1856,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Tellimuse seaded
 DocType: Purchase Invoice,Update Auto Repeat Reference,Värskenda automaatse korduse viide
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},"Vabatahtlik Puhkusloetelu, mis pole määratud puhkuseperioodiks {0}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},"Vabatahtlik Puhkusloetelu, mis pole määratud puhkuseperioodiks {0}"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Teadustöö
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,2. aadressi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,2. aadressi
 DocType: Maintenance Visit Purpose,Work Done,Töö
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Palun täpsustage vähemalt üks atribuut atribuudid tabelis
 DocType: Announcement,All Students,Kõik õpilased
@@ -1852,16 +1868,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Kooskõlastatud tehingud
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Esimesed
 DocType: Crop Cycle,Linked Location,Seotud asukoht
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Elemendi Group olemas sama nimega, siis muuda objekti nimi või ümber nimetada elemendi grupp"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Elemendi Group olemas sama nimega, siis muuda objekti nimi või ümber nimetada elemendi grupp"
 DocType: Crop Cycle,Less than a year,Vähem kui aasta
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobiilne No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Ülejäänud maailm
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Ülejäänud maailm
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Artiklite {0} ei ole partii
 DocType: Crop,Yield UOM,Saagikus UOM
 ,Budget Variance Report,Eelarve Dispersioon aruanne
 DocType: Salary Slip,Gross Pay,Gross Pay
 DocType: Item,Is Item from Hub,Kas üksus on hubist
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Hankige tooteid tervishoiuteenustest
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Hankige tooteid tervishoiuteenustest
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Rida {0}: Activity Type on kohustuslik.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,"Dividende,"
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Raamatupidamine Ledger
@@ -1876,6 +1892,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Makserežiim
 DocType: Purchase Invoice,Supplied Items,Komplektis Esemed
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Määrake restoranis {0} aktiivne menüü
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Komisjoni määr%
 DocType: Work Order,Qty To Manufacture,Kogus toota
 DocType: Email Digest,New Income,uus tulu
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Säilitada samas tempos kogu ostutsükkel
@@ -1890,12 +1907,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Hindamine Rate vajalik toode järjest {0}
 DocType: Supplier Scorecard,Scorecard Actions,Tulemuskaardi toimingud
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Näide: Masters in Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Tarnija {0} ei leitud {1}
 DocType: Purchase Invoice,Rejected Warehouse,Tagasilükatud Warehouse
 DocType: GL Entry,Against Voucher,Vastu Voucher
 DocType: Item Default,Default Buying Cost Center,Vaikimisi ostmine Cost Center
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Et saada kõige paremini välja ERPNext, soovitame võtta aega ja vaadata neid abivideoid."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Vaikimisi tarnija (valikuline)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,kuni
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Vaikimisi tarnija (valikuline)
 DocType: Supplier Quotation Item,Lead Time in days,Ooteaeg päevades
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Tasumata arved kokkuvõte
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Ei ole lubatud muuta külmutatud Konto {0}
@@ -1904,7 +1921,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Hoiata uue tsitaadi taotlemise eest
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Ostutellimuste aidata teil planeerida ja jälgida oma ostud
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab katsestavad retseptid
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Kogu Issue / Transfer koguse {0} Material taotlus {1} \ saa olla suurem kui nõutud koguse {2} jaoks Punkt {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Väike
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Kui Shopify ei sisalda tellimuses olevat klienti, siis jälgib tellimuste sünkroonimine süsteemi, et tellimus vaikimisi kliendiks saada"
@@ -1916,6 +1933,7 @@
 DocType: Project,% Completed,% Valminud
 ,Invoiced Amount (Exculsive Tax),Arve kogusumma (Exculsive Maksu-)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Punkt 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autoriseerimise lõpp-punkt
 DocType: Travel Request,International,Rahvusvaheline
 DocType: Training Event,Training Event,koolitus Sündmus
 DocType: Item,Auto re-order,Auto ümber korraldada
@@ -1924,24 +1942,24 @@
 DocType: Contract,Contract,Leping
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoorse testimise kuupäev
 DocType: Email Digest,Add Quote,Lisa Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion tegur vajalik UOM: {0} punktis: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion tegur vajalik UOM: {0} punktis: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Kaudsed kulud
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Kogus on kohustuslikuks
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Kogus on kohustuslikuks
 DocType: Agriculture Analysis Criteria,Agriculture,Põllumajandus
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Loo müügiorder
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Varade arvestuse kirje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokeeri arve
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Varade arvestuse kirje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokeeri arve
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Marki kogus
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master andmed
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master andmed
 DocType: Asset Repair,Repair Cost,Remondikulud
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Oma tooteid või teenuseid
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Sisselogimine ebaõnnestus
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Vara {0} loodud
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Vara {0} loodud
 DocType: Special Test Items,Special Test Items,Spetsiaalsed katseüksused
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Turult registreerumiseks peate olema kasutaja, kellel on süsteemihaldur ja üksuste juhtide roll."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Makseviis
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Teie määratud palgakorralduse järgi ei saa te taotleda hüvitisi
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Koduleht Pilt peaks olema avalik faili või veebilehe URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Koduleht Pilt peaks olema avalik faili või veebilehe URL
 DocType: Purchase Invoice Item,BOM,Bom
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,See on ülemelemendile rühma ja seda ei saa muuta.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Merge
@@ -1950,7 +1968,8 @@
 DocType: Warehouse,Warehouse Contact Info,Ladu Kontakt
 DocType: Payment Entry,Write Off Difference Amount,Kirjutage Off erinevuse koguse
 DocType: Volunteer,Volunteer Name,Vabatahtlike nimi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Töötaja e-posti ei leitud, seega e-posti ei saadeta"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Leiti lehtede kahes järjestikuses tähtajad teistes ridades: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Töötaja e-posti ei leitud, seega e-posti ei saadeta"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Palkade struktuur määratud töötajatele {0} antud kuupäeval {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Saatmise reegel ei kehti riigile {0}
 DocType: Item,Foreign Trade Details,Väliskaubanduse detailid
@@ -1958,16 +1977,16 @@
 DocType: Email Digest,Annual Income,Aastane sissetulek
 DocType: Serial No,Serial No Details,Serial No Üksikasjad
 DocType: Purchase Invoice Item,Item Tax Rate,Punkt Maksumäär
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Partei nime järgi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Partei nime järgi
 DocType: Student Group Student,Group Roll Number,Group Roll arv
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Sest {0}, ainult krediitkaardi kontod võivad olla seotud teise vastu deebetkanne"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Toimetaja märkus {0} ei ole esitatud
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Toimetaja märkus {0} ei ole esitatud
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Punkt {0} peab olema allhanked toode
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Capital seadmed
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Hinnakujundus Reegel on esimene valitud põhineb &quot;Rakenda On väljale, mis võib olla Punkt punkt Group või kaubamärgile."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Palun määra kõigepealt tootekood
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Kokku eraldatakse protsent müügimeeskond peaks olema 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Kokku eraldatakse protsent müügimeeskond peaks olema 100
 DocType: Subscription Plan,Billing Interval Count,Arveldusvahemiku arv
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Kohtumised ja patsiendikontaktid
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Väärtus on puudu
@@ -1981,6 +2000,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Loo Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Tasu luuakse
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Ei leidnud ühtegi objekti nimega {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Kirjed Filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteeriumide valem
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Kokku Väljuv
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Seal saab olla ainult üks kohaletoimetamine Reegel seisukord 0 või tühi väärtus &quot;Value&quot;
@@ -1989,14 +2009,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Kirje {0} puhul peab kogus olema positiivne number
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Märkus: See Cost Center on Group. Ei saa teha raamatupidamiskanded rühmade vastu.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Hüvitisepuhkuse taotluste päevad pole kehtivate pühade ajal
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapse ladu olemas selle lattu. Sa ei saa kustutada selle lattu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapse ladu olemas selle lattu. Sa ei saa kustutada selle lattu.
 DocType: Item,Website Item Groups,Koduleht Punkt Groups
 DocType: Purchase Invoice,Total (Company Currency),Kokku (firma Valuuta)
 DocType: Daily Work Summary Group,Reminder,Meeldetuletus
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Ligipääsetav väärtus
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Ligipääsetav väärtus
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serial number {0} sisestatud rohkem kui üks kord
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Päevikusissekanne
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Alates GSTINist
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Alates GSTINist
 DocType: Expense Claim Advance,Unclaimed amount,Taotlematu summa
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} objekte pooleli
 DocType: Workstation,Workstation Name,Workstation nimi
@@ -2004,7 +2024,7 @@
 DocType: POS Item Group,POS Item Group,POS Artikliklasside
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Saatke Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternatiivne kirje ei tohi olla sama kui üksuse kood
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Bom {0} ei kuulu Punkt {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Bom {0} ei kuulu Punkt {1}
 DocType: Sales Partner,Target Distribution,Target Distribution
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - ajutise hindamise lõpuleviimine
 DocType: Salary Slip,Bank Account No.,Bank Account No.
@@ -2013,7 +2033,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Tulemuskaardi muutujaid saab kasutada ka: {total_score} (selle perioodi kogusumma), {period_number} (perioodide arv tänapäevani)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Sulge kõik
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Sulge kõik
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Loo ostujärjekord
 DocType: Quality Inspection Reading,Reading 8,Lugemine 8
 DocType: Inpatient Record,Discharge Note,Tühjendamise märkus
@@ -2029,7 +2049,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Tarnija Arve kuupäev
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Seda väärtust kasutatakse pro rata temporis arvutamiseks
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Sa pead lubama Ostukorv
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Sa pead lubama Ostukorv
 DocType: Payment Entry,Writeoff,Maha kirjutama
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Nimi seeria prefiks
@@ -2044,11 +2064,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Kattumine olude vahel:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Vastu päevikusissekanne {0} on juba korrigeeritakse mõningaid teisi voucher
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Kokku tellimuse maksumus
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Toit
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Toit
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Vananemine Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-i sulgemise kupongi üksikasjad
 DocType: Shopify Log,Shopify Log,Shopify Logi
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Palun määrake seerianumbrite nime seeria {0} abil häälestus&gt; Seaded&gt; nime seeria
 DocType: Inpatient Occupancy,Check In,Sisselogimine
 DocType: Maintenance Schedule Item,No of Visits,No visiit
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Hoolduskava {0} on olemas vastu {1}
@@ -2087,7 +2106,8 @@
 DocType: Healthcare Practitioner,Contacts and Address,Kontaktid ja aadress
 DocType: Salary Structure,Max Benefits (Amount),Maksimaalsed hüvitised (summa)
 DocType: Purchase Invoice,Contact Person,Kontaktisik
-apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&quot;Oodatud Start Date&quot; ei saa olla suurem kui &quot;Oodatud End Date&quot;
+apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Eeldatav alguskuupäev"" ei saa olla suurem kui ""Eeldatav lõpu kuupäev"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Selle ajavahemiku kohta pole andmeid
 DocType: Course Scheduling Tool,Course End Date,Muidugi End Date
 DocType: Holiday List,Holidays,Holidays
 DocType: Sales Order Item,Planned Quantity,Planeeritud Kogus
@@ -2099,7 +2119,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Net Change põhivarade
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Jäta tühjaks, kui arvestada kõiki nimetusi"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüüp &quot;Tegelik&quot; in real {0} ei saa lisada Punkt Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüüp &quot;Tegelik&quot; in real {0} ei saa lisada Punkt Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Siit Date
 DocType: Shopify Settings,For Company,Sest Company
@@ -2112,9 +2132,9 @@
 DocType: Material Request,Terms and Conditions Content,Tingimused sisu
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Kurssiplaani loomine tekitas vigu
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Nimekirja esimene kulude kinnitaja määratakse vaikimisi kulude kinnitajana.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,ei saa olla üle 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,ei saa olla üle 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Turult registreerumiseks peate olema administraator, kellel on System Manager ja Item Manager."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Punkt {0} ei ole laos toode
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Punkt {0} ei ole laos toode
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-YYYYY.-
 DocType: Maintenance Visit,Unscheduled,Plaaniväline
 DocType: Employee,Owned,Omanik
@@ -2142,7 +2162,7 @@
 DocType: HR Settings,Employee Settings,Töötaja Seaded
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Maksesüsteemi laadimine
 ,Batch-Wise Balance History,Osakaupa Balance ajalugu
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Rida # {0}: ei saa määrata määra, kui summa on suurem kui punktis {1} arveldatav summa."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Rida # {0}: ei saa määrata määra, kui summa on suurem kui punktis {1} arveldatav summa."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Prindi seaded uuendatud vastava trükiformaadis
 DocType: Package Code,Package Code,pakendikood
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Praktikant
@@ -2150,7 +2170,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negatiivne Kogus ei ole lubatud
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Maksu- detail tabelis tõmmatud kirje kapten string ja hoitakse selles valdkonnas. Kasutatakse maksud ja tasud
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Töötaja ei saa aru ise.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Töötaja ei saa aru ise.
 DocType: Leave Type,Max Leaves Allowed,Lubatud maksimaalsed lehed
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Kui konto on külmutatud, kanded on lubatud piiratud kasutajatele."
 DocType: Email Digest,Bank Balance,Bank Balance
@@ -2176,6 +2196,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Pangatehingute sissekanded
 DocType: Quality Inspection,Readings,Näidud
 DocType: Stock Entry,Total Additional Costs,Kokku Lisakulud
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Koostoimete arv
 DocType: BOM,Scrap Material Cost(Company Currency),Vanametalli materjali kulu (firma Valuuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub Assemblies
 DocType: Asset,Asset Name,Asset Nimi
@@ -2183,10 +2204,10 @@
 DocType: Shipping Rule Condition,To Value,Hindama
 DocType: Loyalty Program,Loyalty Program Type,Lojaalsusprogrammi tüüp
 DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Allikas lattu on kohustuslik rida {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Allikas lattu on kohustuslik rida {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Makse tähtaeg reas {0} on tõenäoliselt duplikaat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Põllumajandus (beetaversioon)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Pakkesedel
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Pakkesedel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Office rent
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Setup SMS gateway seaded
 DocType: Disease,Common Name,Üldnimetus
@@ -2218,20 +2239,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E palgatõend töötajate
 DocType: Cost Center,Parent Cost Center,Parent Cost Center
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Vali Võimalik Tarnija
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Vali Võimalik Tarnija
 DocType: Sales Invoice,Source,Allikas
 DocType: Customer,"Select, to make the customer searchable with these fields","Valige, et klient saaks neid välju otsida"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Impordi tarneteabe saatmine firmalt Shopify saadetisest
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Näita suletud
 DocType: Leave Type,Is Leave Without Pay,Kas palgata puhkust
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Põhivarakategoori on kohustuslik põhivara objektile
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Põhivarakategoori on kohustuslik põhivara objektile
 DocType: Fee Validity,Fee Validity,Tasu kehtivus
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Salvestusi ei leitud Makseinfo tabelis
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},See {0} konflikte {1} jaoks {2} {3}
 DocType: Student Attendance Tool,Students HTML,õpilased HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Palun kustuta töötaja <a href=""#Form/Employee/{0}"">{0}</a> \ selle dokumendi tühistamiseks"
 DocType: POS Profile,Apply Discount,Kanna Soodus
 DocType: GST HSN Code,GST HSN Code,GST HSN kood
 DocType: Employee External Work History,Total Experience,Kokku Experience
@@ -2254,7 +2272,7 @@
 DocType: Maintenance Schedule,Schedules,Sõiduplaanid
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS-profiil on vajalik müügipunktide kasutamiseks
 DocType: Cashier Closing,Net Amount,Netokogus
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ei ole esitatud nii toimingut ei saa lõpule
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ei ole esitatud, toimingut ei saa lõpule viia"
 DocType: Purchase Order Item Supplied,BOM Detail No,Bom Detail Ei
 DocType: Landed Cost Voucher,Additional Charges,lisatasudeta
 DocType: Support Search Source,Result Route Field,Tulemuse marsruudi väli
@@ -2283,11 +2301,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Arvelduste avamine
 DocType: Contract,Contract Details,Lepingu üksikasjad
 DocType: Employee,Leave Details,Jäta detailid
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Palun määra Kasutaja ID väli töötaja rekord seada töötaja roll
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Palun määra Kasutaja ID väli töötaja rekord seada töötaja roll
 DocType: UOM,UOM Name,UOM nimi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Aadress 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Aadress 1
 DocType: GST HSN Code,HSN Code,HSN kood
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Panus summa
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Panus summa
 DocType: Inpatient Record,Patient Encounter,Patsiendi kogemine
 DocType: Purchase Invoice,Shipping Address,Kohaletoimetamise aadress
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,See tööriist aitab teil värskendada või määrata koguse ja väärtuse hindamine varude süsteemi. See on tavaliselt kasutatakse sünkroonida süsteemi väärtused ja mida tegelikult olemas oma laod.
@@ -2304,9 +2322,9 @@
 DocType: Travel Itinerary,Mode of Travel,Reisi režiim
 DocType: Sales Invoice Item,Brand Name,Brändi nimi
 DocType: Purchase Receipt,Transporter Details,Transporter Üksikasjad
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Vaikimisi ladu valimiseks on vaja kirje
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Vaikimisi ladu valimiseks on vaja kirje
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Box
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,võimalik Tarnija
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,võimalik Tarnija
 DocType: Budget,Monthly Distribution,Kuu Distribution
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Vastuvõtja nimekiri on tühi. Palun luua vastuvõtja loetelu
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Tervishoid (beetaversioon)
@@ -2327,6 +2345,7 @@
 ,Lead Name,Plii nimi
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Uurimine
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Avamine laoseisu
 DocType: Asset Category Account,Capital Work In Progress Account,Kapitalitööde arvelduskonto
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Vara väärtuse korrigeerimine
@@ -2335,7 +2354,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lehed Eraldatud edukalt {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,"Ole tooteid, mida pakkida"
 DocType: Shipping Rule Condition,From Value,Väärtuse
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Tootmine Kogus on kohustuslikuks
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Tootmine Kogus on kohustuslikuks
 DocType: Loan,Repayment Method,tagasimaksmine meetod
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Märkimise korral Kodulehekülg on vaikimisi Punkt Group kodulehel
 DocType: Quality Inspection Reading,Reading 4,Lugemine 4
@@ -2359,7 +2378,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Töötaja suunamine
 DocType: Student Group,Set 0 for no limit,Määra 0 piiranguid pole
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Päev (ad), millal te taotlete puhkuse puhkepäevadel. Sa ei pea taotlema puhkust."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Rida {idx}: {field} on vajalik arvete avamise {invoice_type} loomiseks
 DocType: Customer,Primary Address and Contact Detail,Peamine aadress ja kontaktandmed
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Saada uuesti Makse Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Uus ülesanne
@@ -2369,8 +2387,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Valige vähemalt üks domeen.
 DocType: Dependent Task,Dependent Task,Sõltub Task
 DocType: Shopify Settings,Shopify Tax Account,Shopifyi maksukonto
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Muundustegurit Vaikemõõtühik peab olema 1 rida {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Jäta tüüpi {0} ei saa olla pikem kui {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Muundustegurit Vaikemõõtühik peab olema 1 rida {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Jäta tüüpi {0} ei saa olla pikem kui {1}
 DocType: Delivery Trip,Optimize Route,Marsruudi optimeerimine
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Proovige plaanis operatsioonide X päeva ette.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2379,14 +2397,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Palun määra Vaikimisi palgaarvestuse tasulised konto Company {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Hankige teavet Amazoni maksude ja maksete kohta
 DocType: SMS Center,Receiver List,Vastuvõtja loetelu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Otsi toode
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Otsi toode
 DocType: Payment Schedule,Payment Amount,Makse summa
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Poolpäeva kuupäev peab olema ajavahemikus Töö kuupäevast kuni töö lõppkuupäevani
 DocType: Healthcare Settings,Healthcare Service Items,Tervishoiuteenuse üksused
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Tarbitud
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Net muutus Cash
 DocType: Assessment Plan,Grading Scale,hindamisskaala
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mõõtühik {0} on kantud rohkem kui üks kord Conversion Factor tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mõõtühik {0} on kantud rohkem kui üks kord Conversion Factor tabel
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,juba lõpetatud
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock In Hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2409,25 +2427,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial nr {0} kogust {1} ei saa olla vaid murdosa
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Palun sisestage Woocommerce Serveri URL
 DocType: Purchase Order Item,Supplier Part Number,Tarnija osa number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Ümberarvestuskursi ei saa olla 0 või 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Ümberarvestuskursi ei saa olla 0 või 1
 DocType: Share Balance,To No,Ei
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Kogu kohustuslik töötaja loomise ülesanne ei ole veel tehtud.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} on tühistatud või peatatud
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} on tühistatud või peatatud
 DocType: Accounts Settings,Credit Controller,Krediidi Controller
 DocType: Loan,Applicant Type,Taotleja tüüp
 DocType: Purchase Invoice,03-Deficiency in services,03 - teenuste puudujääk
 DocType: Healthcare Settings,Default Medical Code Standard,Vaikimisi meditsiinikood standard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Ostutšekk {0} ei ole esitatud
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Ostutšekk {0} ei ole esitatud
 DocType: Company,Default Payable Account,Vaikimisi on tasulised konto
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Seaded online ostukorv nagu laevandus reeglid, hinnakirja jm"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Maksustatakse
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserved Kogus
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserved Kogus
 DocType: Party Account,Party Account,Partei konto
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Palun vali ettevõte ja nimetus
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Inimressursid
-DocType: Lead,Upper Income,Ülemine tulu
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Ülemine tulu
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,tagasi lükkama
 DocType: Journal Entry Account,Debit in Company Currency,Deebetkaart Company Valuuta
 DocType: BOM Item,BOM Item,Bom toode
@@ -2444,7 +2462,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Ametikohtade loetelud {0} juba avatud või töölevõtmise kohta vastavalt personaliplaanile {1}
 DocType: Vital Signs,Constipated,Kõhukinnisus
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Vastu Tarnija Arve {0} dateeritud {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Vastu Tarnija Arve {0} dateeritud {1}
 DocType: Customer,Default Price List,Vaikimisi hinnakiri
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Asset Liikumine rekord {0} loodud
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Ühtegi toodet pole leitud.
@@ -2460,16 +2478,17 @@
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Kliendi kreeditjääk
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Net Change kreditoorse võlgnevuse
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Krediidilimiit on klientidele {0} ({1} / {2}) ületatud
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Palun määrake seerianumbrite nime seeria {0} abil häälestus&gt; Seaded&gt; nime seeria
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Krediidilimiit on klientidele {0} ({1} / {2}) ületatud
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kliendi vaja &quot;Customerwise Discount&quot;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Uuenda panga maksepäeva ajakirjadega.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,hinnapoliitika
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,hinnapoliitika
 DocType: Quotation,Term Details,Term Details
 DocType: Employee Incentive,Employee Incentive,Employee Incentive
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ei saa registreeruda rohkem kui {0} õpilasi tudeng rühm.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Kokku (maksudeta)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Krahv
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Varu saadaval
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Varu saadaval
 DocType: Manufacturing Settings,Capacity Planning For (Days),Maht planeerimist (päevad)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,hankimine
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ükski esemed on mingeid muutusi kogus või väärtus.
@@ -2493,7 +2512,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Jätke ja osavõtt
 DocType: Asset,Comprehensive Insurance,Põhjalik kindlustus
 DocType: Maintenance Visit,Partially Completed,Osaliselt täidetud
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Lojaalsuspunkt: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Lojaalsuspunkt: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Lisa lehed
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Mõõdukas tundlikkus
 DocType: Leave Type,Include holidays within leaves as leaves,Kaasa pühade jooksul lehed nagu lehed
 DocType: Loyalty Program,Redemption,Lunastus
@@ -2527,7 +2547,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Turundus kulud
 ,Item Shortage Report,Punkt Puuduse aruanne
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Ei suuda luua standardseid kriteeriume. Palun nimetage kriteeriumid ümber
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Kaal on mainitud, \ nKui mainida &quot;Kaal UOM&quot; liiga"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Kaal on mainitud, \ nKui mainida &quot;Kaal UOM&quot; liiga"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materjal taotlus kasutatakse selle Stock Entry
 DocType: Hub User,Hub Password,Hubi parool
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Eraldi muidugi põhineb Group iga partii
@@ -2541,15 +2561,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Ametisse nimetamise kestus (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Tee Raamatupidamine kirje Iga varude liikumist
 DocType: Leave Allocation,Total Leaves Allocated,Kokku Lehed Eraldatud
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Palun sisesta kehtivad majandusaasta algus- ja lõppkuupäev
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Palun sisesta kehtivad majandusaasta algus- ja lõppkuupäev
 DocType: Employee,Date Of Retirement,Kuupäev pensionile
 DocType: Upload Attendance,Get Template,Võta Mall
+,Sales Person Commission Summary,Müügiüksuse komisjoni kokkuvõte
 DocType: Additional Salary Component,Additional Salary Component,Täiendav palgakomponent
 DocType: Material Request,Transferred,üle
 DocType: Vehicle,Doors,Uksed
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Koguge tasu patsiendi registreerimiseks
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Ei saa muuta atribuute pärast aktsiatehingut. Tehke uus üksus ja kandke uus toode uuele postile
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Ei saa muuta atribuute pärast aktsiatehingut. Tehke uus üksus ja kandke uus toode uuele postile
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Maksu- väljasõit
 DocType: Employee,Joining Details,Liitumise üksikasjad
@@ -2577,14 +2598,15 @@
 DocType: Lead,Next Contact By,Järgmine kontakteeruda
 DocType: Compensatory Leave Request,Compensatory Leave Request,Hüvitise saamise taotlus
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Kogus vaja Punkt {0} järjest {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Ladu {0} ei saa kustutada, kui kvantiteet on olemas Punkt {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Ladu {0} ei saa kustutada, kui kvantiteet on olemas Punkt {1}"
 DocType: Blanket Order,Order Type,Tellimus Type
 ,Item-wise Sales Register,Punkt tark Sales Registreeri
 DocType: Asset,Gross Purchase Amount,Gross ostusumma
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Avamissaldod
 DocType: Asset,Depreciation Method,Amortisatsioonimeetod
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,See sisaldab käibemaksu Basic Rate?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Kokku Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Kokku Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Tajuanalüüs
 DocType: Soil Texture,Sand Composition (%),Liiva koostis (%)
 DocType: Job Applicant,Applicant for a Job,Taotleja Töö
 DocType: Production Plan Material Request,Production Plan Material Request,Tootmise kava Materjal taotlus
@@ -2599,23 +2621,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Hindamismärk (10-st)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile nr
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Main
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Pärast elementi {0} ei märgita {1} elementi. Võite neid lubada punktist {1} elemendina
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Elemendi {0} jaoks peab kogus olema negatiivne
 DocType: Naming Series,Set prefix for numbering series on your transactions,Määra eesliide numeratsiooni seeria oma tehingute
 DocType: Employee Attendance Tool,Employees HTML,Töötajad HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Vaikimisi Bom ({0}) peab olema aktiivne selle objekt või selle malli
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Vaikimisi Bom ({0}) peab olema aktiivne selle objekt või selle malli
 DocType: Employee,Leave Encashed?,Jäta realiseeritakse?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity From väli on kohustuslik
 DocType: Email Digest,Annual Expenses,Aastane kulu
 DocType: Item,Variants,Variante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Tee Ostutellimuse
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Tee Ostutellimuse
 DocType: SMS Center,Send To,Saada
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Ei ole piisavalt puhkust tasakaalu Jäta tüüp {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Ei ole piisavalt puhkust tasakaalu Jäta tüüp {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Eraldatud summa
 DocType: Sales Team,Contribution to Net Total,Panus Net kokku
 DocType: Sales Invoice Item,Customer's Item Code,Kliendi Kood
 DocType: Stock Reconciliation,Stock Reconciliation,Stock leppimise
 DocType: Territory,Territory Name,Territoorium nimi
+DocType: Email Digest,Purchase Orders to Receive,Ostutellimused saada
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Lõpetamata Progress Warehouse on vaja enne Esita
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,"Tellimusel on võimalik vaid Planeeringuid, millel on sama arveldustsükkel"
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Märgitud andmed
@@ -2632,9 +2656,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicate Serial No sisestatud Punkt {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Juhtivate allikate jälgimine.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Tingimuseks laevandus reegel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Palun sisesta
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Palun sisesta
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Hoolduslogi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Palun määra filter põhineb toode või Warehouse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Palun määra filter põhineb toode või Warehouse
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Netokaal selle paketi. (arvutatakse automaatselt summana netokaal punkte)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Tehke Inter Firma ajakirja kande
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Allahindluse summa ei tohi olla suurem kui 100%
@@ -2643,15 +2667,15 @@
 DocType: Sales Order,To Deliver and Bill,Pakkuda ja Bill
 DocType: Student Group,Instructors,Instruktorid
 DocType: GL Entry,Credit Amount in Account Currency,Krediidi Summa konto Valuuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Bom {0} tuleb esitada
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Jagamise juhtimine
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Bom {0} tuleb esitada
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Jagamise juhtimine
 DocType: Authorization Control,Authorization Control,Autoriseerimiskontroll
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: lükata Warehouse on kohustuslik vastu rahuldamata Punkt {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Makse
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: lükata Warehouse on kohustuslik vastu rahuldamata Punkt {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Makse
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",Ladu {0} ei ole seotud ühegi konto palume mainida konto lattu rekord või määrata vaikimisi laoseisu konto ettevõtte {1}.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Manage oma korraldusi
 DocType: Work Order Operation,Actual Time and Cost,Tegelik aeg ja maksumus
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materjal Request maksimaalselt {0} ei tehta Punkt {1} vastu Sales Order {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materjal Request maksimaalselt {0} ei tehta Punkt {1} vastu Sales Order {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Kärpide vahemaa
 DocType: Course,Course Abbreviation,muidugi lühend
@@ -2663,6 +2687,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Kokku tööaeg ei tohi olla suurem kui max tööaeg {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,edasi
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle esemed müümise ajal.
+DocType: Delivery Settings,Dispatch Settings,Saatmise seaded
 DocType: Material Request Plan Item,Actual Qty,Tegelik Kogus
 DocType: Sales Invoice Item,References,Viited
 DocType: Quality Inspection Reading,Reading 10,Lugemine 10
@@ -2672,11 +2697,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Te olete sisenenud eksemplaris teemad. Palun paranda ja proovige uuesti.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Associate
 DocType: Asset Movement,Asset Movement,Asset liikumine
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Töökorraldus {0} tuleb esitada
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,uus ostukorvi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Töökorraldus {0} tuleb esitada
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,uus ostukorvi
 DocType: Taxable Salary Slab,From Amount,Alates summast
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Punkt {0} ei ole seeriasertide toode
 DocType: Leave Type,Encashment,Inkasso
+DocType: Delivery Settings,Delivery Settings,Tarne seaded
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Andmete hankimine
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Puhkerežiimis lubatud maksimaalne puhkus {0} on {1}
 DocType: SMS Center,Create Receiver List,Loo vastuvõtja loetelu
 DocType: Vehicle,Wheels,rattad
@@ -2692,7 +2719,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Arveldusvaluuta peab olema võrdne kas ettevõtte vaikimisi valuuta või partei konto valuutaga
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Näitab, et pakend on osa sellest sünnitust (Ainult eelnõu)"
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Rida {0}: tähtaeg ei saa olla enne postitamise kuupäeva
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Rida {0}: tähtaeg ei saa olla enne postitamise kuupäeva
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Tee makse Entry
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Kogus Punkt {0} peab olema väiksem kui {1}
 ,Sales Invoice Trends,Müügiarve Trends
@@ -2700,12 +2727,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Võib viidata rida ainult siis, kui tasu tüüp on &quot;On eelmise rea summa&quot; või &quot;Eelmine Row kokku&quot;"
 DocType: Sales Order Item,Delivery Warehouse,Toimetaja Warehouse
 DocType: Leave Type,Earned Leave Frequency,Teenitud puhkuse sagedus
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Puu rahalist kuluallikad.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Alamtüüp
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Puu rahalist kuluallikad.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Alamtüüp
 DocType: Serial No,Delivery Document No,Toimetaja dokument nr
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,"Tagada tarnimine, mis põhineb toodetud seerianumbril"
 DocType: Vital Signs,Furry,Karvane
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Palun määra &quot;kasum / kahjum konto kohta varade realiseerimine&quot; Company {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Palun määra &quot;kasum / kahjum konto kohta varade realiseerimine&quot; Company {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Võta esemed Ostutšekid
 DocType: Serial No,Creation Date,Loomise kuupäev
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Varade jaoks on vaja siht-asukohta {0}
@@ -2719,10 +2746,11 @@
 DocType: Item,Has Variants,Omab variandid
 DocType: Employee Benefit Claim,Claim Benefit For,Nõude hüvitis
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Uuenda vastust
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Olete juba valitud objektide {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Olete juba valitud objektide {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nimi Kuu Distribution
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Partii nr on kohustuslik
 DocType: Sales Person,Parent Sales Person,Parent Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Ükski saadetis ei ole tähtajaks tasutud
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Müüja ja ostja ei saa olla sama
 DocType: Project,Collect Progress,Koguge Progressi
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-YYYYY.-
@@ -2738,7 +2766,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Money
 DocType: Budget,Budget,Eelarve
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Määrake Ava
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Põhivara objektile peab olema mitte-laoartikkel.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Põhivara objektile peab olema mitte-laoartikkel.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Eelarve ei saa liigitada vastu {0}, sest see ei ole tulu või kuluna konto"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maksimaalne maksuvabastus ({0} jaoks on {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Saavutatud
@@ -2756,9 +2784,9 @@
 ,Amount to Deliver,Summa pakkuda
 DocType: Asset,Insurance Start Date,Kindlustus alguskuupäev
 DocType: Salary Component,Flexible Benefits,Paindlikud eelised
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Sama asi on sisestatud mitu korda. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Sama asi on sisestatud mitu korda. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Start Date ei saa olla varasem kui alguskuupäev õppeaasta, mille mõiste on seotud (Academic Year {}). Palun paranda kuupäev ja proovi uuesti."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Vigu.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Vigu.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Töötaja {0} on juba {1} jaoks taotlenud {2} ja {3} vahel:
 DocType: Guardian,Guardian Interests,Guardian huvid
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Uuenda konto nime / numbrit
@@ -2797,9 +2825,9 @@
 ,Item-wise Purchase History,Punkt tark ost ajalugu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Palun kliki &quot;Loo Ajakava&quot; tõmmata Serial No lisatud Punkt {0}
 DocType: Account,Frozen,Külmunud
-DocType: Delivery Note,Vehicle Type,Sõidukitüüp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Sõidukitüüp
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Baasosa (firma Valuuta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Toored materjalid
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Toored materjalid
 DocType: Payment Reconciliation Payment,Reference Row,viide Row
 DocType: Installation Note,Installation Time,Paigaldamine aeg
 DocType: Sales Invoice,Accounting Details,Raamatupidamine Üksikasjad
@@ -2808,12 +2836,13 @@
 DocType: Inpatient Record,O Positive,O Positiivne
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investeeringud
 DocType: Issue,Resolution Details,Resolutsioon Üksikasjad
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Tehingu tüüp
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tehingu tüüp
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Vastuvõetavuse kriteeriumid
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Palun sisesta Materjal taotlused ülaltoodud tabelis
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Ajakirjanikele tagasimakseid pole saadaval
 DocType: Hub Tracked Item,Image List,Piltide loend
 DocType: Item Attribute,Attribute Name,Atribuudi nimi
+DocType: Subscription,Generate Invoice At Beginning Of Period,Loo arve perioodi alguses
 DocType: BOM,Show In Website,Show Website
 DocType: Loan Application,Total Payable Amount,Kokku tasumisele
 DocType: Task,Expected Time (in hours),Oodatud aeg (tundides)
@@ -2850,7 +2879,7 @@
 DocType: Employee,Resignation Letter Date,Ametist kiri kuupäev
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Hinnakujundus on reeglid veelgi filtreeritud põhineb kogusest.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Määramata
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Määrake Liitumis töötajate {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Määrake Liitumis töötajate {0}
 DocType: Inpatient Record,Discharge,Tühjendamine
 DocType: Task,Total Billing Amount (via Time Sheet),Arve summa (via Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Korrake Kliendi tulu
@@ -2860,13 +2889,13 @@
 DocType: Chapter,Chapter,Peatükk
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Paar
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Vaikekonto uuendatakse automaatselt POS-arvel, kui see režiim on valitud."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Vali Bom ja Kogus Production
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Vali Bom ja Kogus Production
 DocType: Asset,Depreciation Schedule,amortiseerumise kava
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Müük Partner aadressid ja kontaktandmed
 DocType: Bank Reconciliation Detail,Against Account,Vastu konto
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Pool päeva kuupäev peab olema vahemikus From kuupäev ja To Date
 DocType: Maintenance Schedule Detail,Actual Date,Tegelik kuupäev
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Palun määrake vaikeosakute keskus ettevõttes {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Palun määrake vaikeosakute keskus ettevõttes {0}.
 DocType: Item,Has Batch No,Kas Partii ei
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Iga-aastane Arved: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhooki detail
@@ -2878,7 +2907,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,Isiklikud detailid
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Palun määra &quot;Vara amortisatsioonikulu Center&quot; Company {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Palun määra &quot;Vara amortisatsioonikulu Center&quot; Company {0}
 ,Maintenance Schedules,Hooldusgraafikud
 DocType: Task,Actual End Date (via Time Sheet),Tegelik End Date (via Time Sheet)
 DocType: Soil Texture,Soil Type,Mullatüüp
@@ -2886,10 +2915,10 @@
 ,Quotation Trends,Tsitaat Trends
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Punkt Group mainimata punktis kapteni kirje {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardlessi volitus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Kanne konto peab olema võlgnevus konto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Kanne konto peab olema võlgnevus konto
 DocType: Shipping Rule,Shipping Amount,Kohaletoimetamine summa
 DocType: Supplier Scorecard Period,Period Score,Perioodi skoor
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Lisa Kliendid
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Lisa Kliendid
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kuni Summa
 DocType: Lab Test Template,Special,Eriline
 DocType: Loyalty Program,Conversion Factor,Tulemus Factor
@@ -2906,7 +2935,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Lisa kirjapea
 DocType: Program Enrollment,Self-Driving Vehicle,Isesõitva Sõiduki
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tarnija tulemuskaardi alaline
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Materjaliandmik ei leitud Eseme {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Materjaliandmik ei leitud Eseme {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Kokku eraldatakse lehed {0} ei saa olla väiksem kui juba heaks lehed {1} perioodiks
 DocType: Contract Fulfilment Checklist,Requirement,Nõue
 DocType: Journal Entry,Accounts Receivable,Arved
@@ -2922,16 +2951,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR Seaded
 DocType: Salary Slip,net pay info,netopalk info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESSi summa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESSi summa
 DocType: Woocommerce Settings,Enable Sync,Sünkroonimise lubamine
 DocType: Tax Withholding Rate,Single Transaction Threshold,Ühe tehingu künnis
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Seda väärtust uuendatakse Vaikimüügi hinnakirjas.
 DocType: Email Digest,New Expenses,uus kulud
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC summa
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC summa
 DocType: Shareholder,Shareholder,Aktsionär
 DocType: Purchase Invoice,Additional Discount Amount,Täiendav Allahindluse summa
 DocType: Cash Flow Mapper,Position,Positsioon
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Hankige artiklid retseptidest
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Hankige artiklid retseptidest
 DocType: Patient,Patient Details,Patsiendi üksikasjad
 DocType: Inpatient Record,B Positive,B Positiivne
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2943,8 +2972,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupi Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Spordi-
 DocType: Loan Type,Loan Name,laenu Nimi
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Kokku Tegelik
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Kokku Tegelik
 DocType: Student Siblings,Student Siblings,Student Õed
 DocType: Subscription Plan Detail,Subscription Plan Detail,Abonementplaani detailne teave
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Ühik
@@ -2971,7 +2999,6 @@
 DocType: Workstation,Wages per hour,Palk tunnis
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock tasakaalu Partii {0} halveneb {1} jaoks Punkt {2} lattu {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Pärast Material taotlused on tõstatatud automaatselt vastavalt objekti ümber korraldada tasemel
-DocType: Email Digest,Pending Sales Orders,Kuni müügitellimuste
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Konto {0} on kehtetu. Konto Valuuta peab olema {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Alates kuupäevast {0} ei saa olla pärast töötaja vabastamist Kuupäev {1}
 DocType: Supplier,Is Internal Supplier,Kas sisetarnija
@@ -2980,13 +3007,14 @@
 DocType: Healthcare Settings,Remind Before,Tuleta meelde enne
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Ümberarvutustegur on vaja järjest {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rida # {0}: Reference Document Type peab olema üks Sales Order, müügiarve või päevikusissekanne"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rida # {0}: Reference Document Type peab olema üks Sales Order, müügiarve või päevikusissekanne"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 lojaalsuspunkti = kui palju baasvaluutat?
 DocType: Salary Component,Deduction,Kinnipeetav
 DocType: Item,Retain Sample,Jätke proov
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Rida {0}: From ajal ja aeg on kohustuslik.
 DocType: Stock Reconciliation Item,Amount Difference,summa vahe
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Toode Hind lisatud {0} Hinnakirjas {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Toode Hind lisatud {0} Hinnakirjas {1}
+DocType: Delivery Stop,Order Information,Telli informatsioon
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Palun sisestage Töötaja Id selle müügi isik
 DocType: Territory,Classification of Customers by region,Klientide liigitamine piirkonniti
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Tootmises
@@ -2997,8 +3025,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Arvutatud Bank avaldus tasakaalu
 DocType: Normal Test Template,Normal Test Template,Tavaline testmall
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,puudega kasutaja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Tsitaat
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Saadud RFQ-d ei saa määrata tsiteerimata
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Tsitaat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Saadud RFQ-d ei saa määrata tsiteerimata
 DocType: Salary Slip,Total Deduction,Kokku mahaarvamine
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Konto valuuta printimiseks valige konto
 ,Production Analytics,tootmise Analytics
@@ -3011,14 +3039,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tarnija tulemuskaardi seadistamine
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Hindamiskava nimetus
 DocType: Work Order Operation,Work Order Operation,Töökorralduse käitamine
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Hoiatus: Vigane SSL sertifikaat kinnitus {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Hoiatus: Vigane SSL sertifikaat kinnitus {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Testrijuhtmed aitavad teil äri, lisada kõik oma kontaktid ja rohkem kui oma viib"
 DocType: Work Order Operation,Actual Operation Time,Tegelik tööaeg
 DocType: Authorization Rule,Applicable To (User),Suhtes kohaldatava (Kasutaja)
 DocType: Purchase Taxes and Charges,Deduct,Maha arvama
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Töö kirjeldus
 DocType: Student Applicant,Applied,rakendatud
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re avatud
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re avatud
 DocType: Sales Invoice Item,Qty as per Stock UOM,Kogus ühe Stock UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Nimi
 DocType: Attendance,Attendance Request,Külastuse taotlus
@@ -3036,7 +3064,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} on garantii upto {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Lubatud miinimumväärtus
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Kasutaja {0} on juba olemas
-apps/erpnext/erpnext/hooks.py +114,Shipments,Saadetised
+apps/erpnext/erpnext/hooks.py +115,Shipments,Saadetised
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Eraldati kokku (firma Valuuta)
 DocType: Purchase Order Item,To be delivered to customer,Et toimetatakse kliendile
 DocType: BOM,Scrap Material Cost,Vanametalli materjali kulu
@@ -3044,19 +3072,20 @@
 DocType: Grant Application,Email Notification Sent,E-kirja saatmine saadetud
 DocType: Purchase Invoice,In Words (Company Currency),Sõnades (firma Valuuta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Ettevõte on äriühingu konto haldajaks
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Rida on nõutav tootekood, ladu, kogus"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Rida on nõutav tootekood, ladu, kogus"
 DocType: Bank Guarantee,Supplier,Tarnija
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Saada
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,See on juurteosakond ja seda ei saa redigeerida.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Näita makse üksikasju
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Kestus päevades
 DocType: C-Form,Quarter,Kvartal
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Muud kulud
 DocType: Global Defaults,Default Company,Vaikimisi Company
 DocType: Company,Transactions Annual History,Tehingute aastane ajalugu
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Kulu või Difference konto on kohustuslik Punkt {0}, kuna see mõjutab üldist laos väärtus"
 DocType: Bank,Bank Name,Panga nimi
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Jätke välja kõikidele tarnijatele tellimuste täitmiseks tühi väli
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Kohal
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Jätke välja kõikidele tarnijatele tellimuste täitmiseks tühi väli
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Statsionaarne külastuse hind
 DocType: Vital Signs,Fluid,Vedelik
 DocType: Leave Application,Total Leave Days,Kokku puhkusepäevade
@@ -3065,7 +3094,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Üksuse Variant Seaded
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Valige ettevõtte ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Jäta tühjaks, kui arvestada kõik osakonnad"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} on kohustuslik Punkt {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} on kohustuslik Punkt {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",Üksus {0}: {1} toodetud kogus
 DocType: Payroll Entry,Fortnightly,iga kahe nädala tagant
 DocType: Currency Exchange,From Currency,Siit Valuuta
@@ -3104,7 +3133,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +117,Make Job Card,Tee töökaart
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +326,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Krediidinõuet ei õnnestunud automaatselt luua, eemaldage märkeruut &quot;Väljasta krediitmärk&quot; ja esitage uuesti"
 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Profit for the year,Aasta kasum
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +126,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Raamatupidamine kirjet {2} saab teha ainult valuuta: {3}
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +126,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Raamatupidamine kirjet {2} saab teha ainult valuutas: {3}
 DocType: Fee Schedule,In Process,Teoksil olev
 DocType: Authorization Rule,Itemwise Discount,Itemwise Soodus
 apps/erpnext/erpnext/config/accounts.py +92,Tree of financial accounts.,Puude ja finantsaruanded.
@@ -3114,14 +3143,14 @@
 DocType: Account,Fixed Asset,Põhivarade
 DocType: Amazon MWS Settings,After Date,Pärast kuupäeva
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,SERIALIZED Inventory
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Kehtib ettevõtte esindaja arvele {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Kehtib ettevõtte esindaja arvele {0}.
 ,Department Analytics,Osakonna analüüs
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-post ei leitud vaikekontaktis
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Loo saladus
 DocType: Loan,Account Info,Konto andmed
 DocType: Activity Type,Default Billing Rate,Vaikimisi Arved Rate
 DocType: Fees,Include Payment,Lisada makse
-apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +77,{0} Student Groups created.,{0} Üliõpilasgrupid loodud.
+apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +77,{0} Student Groups created.,{0} õpilasgrupid loodud.
 DocType: Sales Invoice,Total Billing Amount,Arve summa
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +50,Program in the Fee Structure and Student Group {0} are different.,Tasulise struktuuri ja õpilaste rühma programm {0} on erinevad.
 DocType: Bank Statement Transaction Entry,Receivable Account,Nõue konto
@@ -3132,6 +3161,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,tegevdirektor
 DocType: Purchase Invoice,With Payment of Tax,Maksu tasumisega
 DocType: Expense Claim Detail,Expense Claim Detail,Kuluhüvitussüsteeme Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Palun seadke õpetaja nime sisestamine haridusse&gt; Hariduseseaded
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Kolmekordselt TARNIJA
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Uus bilanss baasvaluutas
 DocType: Location,Is Container,On konteiner
@@ -3139,13 +3169,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Palun valige õige konto
 DocType: Salary Structure Assignment,Salary Structure Assignment,Palga struktuuri määramine
 DocType: Purchase Invoice Item,Weight UOM,Kaal UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Folio numbritega ostetud aktsionäride nimekiri
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Folio numbritega ostetud aktsionäride nimekiri
 DocType: Salary Structure Employee,Salary Structure Employee,Palgastruktuur Employee
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Näita variandi atribuute
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Näita variandi atribuute
 DocType: Student,Blood Group,Veregrupp
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Kava {0} maksejuhtseade erineb selle maksetaotluses olevast maksejõu kontolt
 DocType: Course,Course Name,Kursuse nimi
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Käesoleval eelarveaastal ei leitud maksude kinnipidamise andmeid.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Käesoleval eelarveaastal ei leitud maksude kinnipidamise andmeid.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Kasutajad, kes saab kinnitada konkreetse töötaja puhkuse rakendused"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Büroo seadmed
 DocType: Purchase Invoice Item,Qty,Kogus
@@ -3153,6 +3183,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Hindamise seadistamine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektroonika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Deebet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Võimaldage sama kirje mitu korda
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Tõsta materjal taotlus, kui aktsia jõuab uuesti, et tase"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Täiskohaga
 DocType: Payroll Entry,Employees,Töötajad
@@ -3164,11 +3195,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Maksekinnitus
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Hinnad ei näidata, kui hinnakiri ei ole valitud"
 DocType: Stock Entry,Total Incoming Value,Kokku Saabuva Value
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Kanne on vajalik
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Kanne on vajalik
 DocType: Clinical Procedure,Inpatient Record,Statsionaarne kirje
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets aitab jälgida aega, kulusid ja arveldamise aja veetmiseks teha oma meeskonda"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Ostu hinnakiri
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Tehingu kuupäev
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Ostu hinnakiri
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Tehingu kuupäev
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Pakkujate tulemuskaardi muutujate mallid.
 DocType: Job Offer Term,Offer Term,Tähtajaline
 DocType: Asset,Quality Manager,Kvaliteedi juht
@@ -3189,18 +3220,18 @@
 DocType: Cashier Closing,To Time,Et aeg
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) jaoks {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Kinnitamine roll (üle lubatud väärtuse)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Krediidi konto peab olema tasulised konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Krediidi konto peab olema tasulised konto
 DocType: Loan,Total Amount Paid,Kogusumma tasutud
 DocType: Asset,Insurance End Date,Kindlustuse lõppkuupäev
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Palun valige Student Admission, mis on tasuline üliõpilaspidaja kohustuslik"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Bom recursion: {0} ei saa olla vanem või laps {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Bom recursion: {0} ei saa olla vanem või laps {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Eelarve nimekiri
 DocType: Work Order Operation,Completed Qty,Valminud Kogus
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Sest {0}, ainult deebetkontode võib olla seotud teise vastu kreeditlausend"
 DocType: Manufacturing Settings,Allow Overtime,Laske Ületunnitöö
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Seeriatootmiseks Oksjoni {0} ei saa uuendada, kasutades Stock vastavuse kontrollimiseks kasutada Stock Entry"
 DocType: Training Event Employee,Training Event Employee,Koolitus Sündmus Employee
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Suurimad proovid - {0} saab säilitada partii {1} ja üksuse {2} jaoks.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Suurimad proovid - {0} saab säilitada partii {1} ja üksuse {2} jaoks.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Lisage ajapilusid
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} seerianumbrid vajalik Eseme {1}. Sa andsid {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Praegune Hindamine Rate
@@ -3231,11 +3262,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ei leitud
 DocType: Fee Schedule Program,Fee Schedule Program,Tasu ajakava programm
 DocType: Fee Schedule Program,Student Batch,Student Partii
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Palun kustuta töötaja <a href=""#Form/Employee/{0}"">{0}</a> \ selle dokumendi tühistamiseks"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Tee Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Minimaalne hinne
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tervishoiuteenuse üksuse tüüp
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Sind on kutsutud koostööd projekti: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Sind on kutsutud koostööd projekti: {0}
 DocType: Supplier Group,Parent Supplier Group,Vanemate tarnija rühm
+DocType: Email Digest,Purchase Orders to Bill,Ostutellimused Billile
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Kogunenud väärtused kontsernis
 DocType: Leave Block List Date,Block Date,Block kuupäev
 DocType: Crop,Crop,Kärpima
@@ -3247,6 +3281,7 @@
 DocType: Sales Order,Not Delivered,Ei ole esitanud
 ,Bank Clearance Summary,Bank Kliirens kokkuvõte
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Luua ja hallata päeva, nädala ja kuu email digests."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,See põhineb selle müügiesindajaga tehtavatel tehingutel. Täpsema teabe saamiseks vt allpool toodud ajakava
 DocType: Appraisal Goal,Appraisal Goal,Hinnang Goal
 DocType: Stock Reconciliation Item,Current Amount,Praegune summa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ehitised
@@ -3273,7 +3308,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,tarkvara
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Järgmine Kontakt kuupäev ei saa olla minevikus
 DocType: Company,For Reference Only.,Üksnes võrdluseks.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Valige Partii nr
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Valige Partii nr
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Vale {0} {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Viide inv
@@ -3281,7 +3316,7 @@
 DocType: Manufacturing Settings,Capacity Planning,Capacity Planning
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Ümardamise korrigeerimine (ettevõtte valuuta
 DocType: Asset,Policy number,Politsei number
-apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +43,'From Date' is required,&quot;From Date&quot; on vajalik
+apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +43,'From Date' is required,"""Alates kuupäevast"" on nõutud"
 DocType: Journal Entry,Reference Number,Viitenumber
 DocType: Employee,New Workplace,New Töökoht
 DocType: Retention Bonus,Retention Bonus,Retention bonus
@@ -3291,16 +3326,16 @@
 DocType: Normal Test Items,Require Result Value,Nõuda tulemuse väärtust
 DocType: Item,Show a slideshow at the top of the page,Näita slaidiseansi ülaosas lehele
 DocType: Tax Withholding Rate,Tax Withholding Rate,Maksu kinnipidamise määr
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Kauplused
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Kauplused
 DocType: Project Type,Projects Manager,Projektijuhina
 DocType: Serial No,Delivery Time,Tarne aeg
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Vananemine Põhineb
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Kohtumine tühistati
 DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Reisimine
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Reisimine
 DocType: Student Report Generation Tool,Include All Assessment Group,Lisage kõik hindamisrühmad
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Ei aktiivne või vaikimisi Palgastruktuur leitud töötaja {0} jaoks antud kuupäeva
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Ei aktiivne või vaikimisi Palgastruktuur leitud töötaja {0} jaoks antud kuupäeva
 DocType: Leave Block List,Allow Users,Luba kasutajatel
 DocType: Purchase Order,Customer Mobile No,Kliendi Mobiilne pole
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Rahavoogude kaardistamise malli üksikasjad
@@ -3309,15 +3344,16 @@
 DocType: Rename Tool,Rename Tool,Nimeta Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Värskenda Cost
 DocType: Item Reorder,Item Reorder,Punkt Reorder
+DocType: Delivery Note,Mode of Transport,Transpordiliik
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Näita palgatõend
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer Materjal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer Materjal
 DocType: Fees,Send Payment Request,Saada makse taotlus
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",Määrake tegevuse töökulud ja annab ainulaadse operatsiooni ei oma tegevuse.
 DocType: Travel Request,Any other details,Kõik muud üksikasjad
 DocType: Water Analysis,Origin,Päritolu
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,See dokument on üle piiri {0} {1} artiklijärgse {4}. Kas tegemist teise {3} samade {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Palun määra korduvate pärast salvestamist
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Vali muutus summa kontole
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Palun määra korduvate pärast salvestamist
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Vali muutus summa kontole
 DocType: Purchase Invoice,Price List Currency,Hinnakiri Valuuta
 DocType: Naming Series,User must always select,Kasutaja peab alati valida
 DocType: Stock Settings,Allow Negative Stock,Laske Negatiivne Stock
@@ -3338,9 +3374,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Jälgitavus
 DocType: Asset Maintenance Log,Actions performed,Sooritatud toimingud
 DocType: Cash Flow Mapper,Section Leader,Sektsiooni juht
+DocType: Delivery Note,Transport Receipt No,Veokirje nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Vahendite allika (Kohustused)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Allika ja sihtimise asukoht ei pruugi olla sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kogus järjest {0} ({1}) peab olema sama, mida toodetakse kogus {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kogus järjest {0} ({1}) peab olema sama, mida toodetakse kogus {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Töötaja
 DocType: Bank Guarantee,Fixed Deposit Number,Fikseeritud hoiuse number
 DocType: Asset Repair,Failure Date,Ebaõnnestumise kuupäev
@@ -3354,16 +3391,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Tasu vähendamisega või kaotus
 DocType: Soil Analysis,Soil Analysis Criterias,Mullanalüüsi kriteeriumid
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Lepingu tüüptingimused Müük või ost.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,"Kas olete kindel, et soovite selle koosoleku tühistada?"
+DocType: BOM Item,Item operation,Üksuse toiming
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,"Kas olete kindel, et soovite selle koosoleku tühistada?"
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotelli toa hinna pakett
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,müügivõimaluste
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,müügivõimaluste
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Palun määra vaikimisi konto palk Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nõutav
 DocType: Rename Tool,File to Rename,Fail Nimeta ümber
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Palun valige Bom Punkt reas {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Liitumiste värskenduste hankimine
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Kontole {0} ei ühti Firma {1} režiimis Ülekanderublade: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Määratletud Bom {0} ei eksisteeri Punkt {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Määratletud Bom {0} ei eksisteeri Punkt {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kursus:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Hoolduskava {0} tuleb tühistada enne tühistades selle Sales Order
@@ -3372,7 +3410,7 @@
 DocType: Notification Control,Expense Claim Approved,Kuluhüvitussüsteeme Kinnitatud
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Määra ettemaksed ja eraldamine (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Tööpakkumised pole loodud
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Palgatõend töötaja {0} on juba loodud selleks perioodiks
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Palgatõend töötaja {0} on juba loodud selleks perioodiks
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Pharmaceutical
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,"Saate sisestada ainult sissekande lahtioleku kohta, milleks on kehtiv kogusumma"
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kulud ostetud esemed
@@ -3380,7 +3418,8 @@
 DocType: Selling Settings,Sales Order Required,Sales Order Nõutav
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Hakka Müüja
 DocType: Purchase Invoice,Credit To,Krediidi
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktiivne Testrijuhtmed / Kliendid
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktiivne Testrijuhtmed / Kliendid
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Jätke tühi, et kasutada standardset tarnetunnistuse vormi"
 DocType: Employee Education,Post Graduate,Kraadiõppe
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Hoolduskava Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Hoiata uute ostutellimuste eest
@@ -3394,14 +3433,14 @@
 DocType: Support Search Source,Post Title Key,Postituse pealkiri
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Töökaardi jaoks
 DocType: Warranty Claim,Raised By,Tõstatatud
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Retseptid
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Retseptid
 DocType: Payment Gateway Account,Payment Account,Maksekonto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Palun täpsustage Company edasi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Palun täpsustage Company edasi
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Net muutus Arved
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Tasandusintress Off
 DocType: Job Offer,Accepted,Lubatud
 DocType: POS Closing Voucher,Sales Invoices Summary,Müügiarvete kokkuvõte
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Partei Nimi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Partei Nimi
 DocType: Grant Application,Organization,organisatsioon
 DocType: BOM Update Tool,BOM Update Tool,BOM-i värskendamise tööriist
 DocType: SG Creation Tool Course,Student Group Name,Student Grupi nimi
@@ -3410,16 +3449,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Palun veendu, et sa tõesti tahad kustutada kõik tehingud selle firma. Teie kapten andmed jäävad, nagu see on. Seda toimingut ei saa tagasi võtta."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Otsingu tulemused
 DocType: Room,Room Number,Toa number
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Vale viite {0} {1}
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei saa olla suurem kui planeeritud quanitity ({2}) in Production Tellimus {3}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Vale viite {0} {1}
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei saa olla suurem kui planeeritud kogus({2}) tootmis tellimused Tellimus {3}
 DocType: Shipping Rule,Shipping Rule Label,Kohaletoimetamine Reegel Label
 DocType: Journal Entry Account,Payroll Entry,Palgaarvestuse sissekanne
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js +76,View Fees Records,Vaadake tasusid Records
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Tehke maksumall
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Kasutaja Foorum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Tooraine ei saa olla tühi.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Row # {0} (maksete tabel): summa peab olema negatiivne
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Ei uuendada laos, arve sisaldab tilk laevandus objekt."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Row # {0} (maksete tabel): summa peab olema negatiivne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Ei uuendada laos, arve sisaldab tilk laevandus objekt."
 DocType: Contract,Fulfilment Status,Täitmise olek
 DocType: Lab Test Sample,Lab Test Sample,Lab prooviproov
 DocType: Item Variant Settings,Allow Rename Attribute Value,Luba ümbernimetamise atribuudi väärtus
@@ -3461,11 +3500,11 @@
 DocType: BOM,Show Operations,Näita Operations
 ,Minutes to First Response for Opportunity,Protokoll First Response Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Kokku Puudub
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Punkt või lattu järjest {0} ei sobi Material taotlus
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Punkt või lattu järjest {0} ei sobi Material taotlus
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Mõõtühik
 DocType: Fiscal Year,Year End Date,Aasta lõpp kuupäev
 DocType: Task Depends On,Task Depends On,Task sõltub
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Võimalus
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Võimalus
 DocType: Operation,Default Workstation,Vaikimisi Workstation
 DocType: Notification Control,Expense Claim Approved Message,Kuluhüvitussüsteeme Kinnitatud Message
 DocType: Payment Entry,Deductions or Loss,Mahaarvamisi või kaotus
@@ -3503,20 +3542,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Kinnitamine Kasutaja ei saa olla sama kasutaja reegel on rakendatav
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (ühe Stock UOM)
 DocType: SMS Log,No of Requested SMS,Ei taotletud SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Palgata puhkust ei ühti heaks Jäta ostusoov arvestust
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Palgata puhkust ei ühti heaks Jäta ostusoov arvestust
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Järgmised sammud
 DocType: Travel Request,Domestic,Riigisisesed
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Esitada määratud objekte parima võimaliku määr
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Esitada määratud objekte parima võimaliku määr
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Töötaja ülekandmist ei saa esitada enne ülekande kuupäeva
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Tee arve
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Järelejäänud saldo
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Järelejäänud saldo
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto sule võimalus pärast 15 päeva
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Ostukorraldused ei ole {0} jaoks lubatud {1} tulemuskaardi kohta.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Vöötkood {0} ei ole kehtiv {1} kood
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Vöötkood {0} ei ole kehtiv {1} kood
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,End Aasta
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Plii%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Leping End Date peab olema suurem kui Liitumis
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Leping End Date peab olema suurem kui Liitumis
 DocType: Driver,Driver,Juht
 DocType: Vital Signs,Nutrition Values,Toitumisväärtused
 DocType: Lab Test Template,Is billable,On tasuline
@@ -3527,7 +3566,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,See on näide veebisaidi automaatselt genereeritud alates ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Vananemine Range 1
 DocType: Shopify Settings,Enable Shopify,Luba Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Ettemakse kogusumma ei tohi olla suurem kui deklareeritud kogu summa
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Ettemakse kogusumma ei tohi olla suurem kui deklareeritud kogu summa
 DocType: Purchase Taxes and Charges Template,"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
@@ -3554,12 +3593,12 @@
 DocType: Employee Separation,Employee Separation,Töötaja eraldamine
 DocType: BOM Item,Original Item,Originaalüksus
 DocType: Purchase Receipt Item,Recd Quantity,KONTOLE Kogus
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Dokumendi kuupäev
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Dokumendi kuupäev
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Loodud - {0}
 DocType: Asset Category Account,Asset Category Account,Põhivarakategoori konto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Row # {0} (maksetabel): summa peab olema positiivne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Row # {0} (maksetabel): summa peab olema positiivne
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Ei suuda toota rohkem Punkt {0} kui Sales Order koguse {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Vali Atribuudi väärtused
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Vali Atribuudi väärtused
 DocType: Purchase Invoice,Reason For Issuing document,Motivatsioon Dokumendi väljastamiseks
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Entry {0} ei ole esitatud
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / Cash konto
@@ -3568,8 +3607,10 @@
 DocType: Asset,Manual,käsiraamat
 DocType: Salary Component Account,Salary Component Account,Palk Component konto
 DocType: Global Defaults,Hide Currency Symbol,Peida Valuuta Sümbol
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Müügivõimalused allika järgi
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Anduri andmed.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","nt Bank, Raha, Krediitkaart"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Palun seadistage külastuse numbrite seeria seaded&gt; nummering seeria abil
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","nt Bank, Raha, Krediitkaart"
 DocType: Job Applicant,Source Name,Allikas Nimi
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Täiskasvanu normaalne puhkevererõhk on umbes 120 mmHg süstoolne ja 80 mmHg diastoolne, lühend &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Seadistage säilivusaeg päevades, aegumiskuupäev põhineb tootmis_andel pluss füüsilisest elust"
@@ -3599,7 +3640,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Kogus peab olema väiksem kui kogus {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Start Date tuleb enne End Date
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimaalne hüvitise summa (aastane)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Rate%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Rate%
 DocType: Crop,Planting Area,Istutusala
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Kokku (tk)
 DocType: Installation Note Item,Installed Qty,Paigaldatud Kogus
@@ -3621,8 +3662,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Jäta heakskiidu teatis
 DocType: Buying Settings,Default Buying Price List,Vaikimisi ostmine hinnakiri
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Palgatõend põhjal Töögraafik
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Ostuhind
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Rida {0}: sisestage varade kirje asukoht {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Ostuhind
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Rida {0}: sisestage varade kirje asukoht {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Ettevõttest
 DocType: Notification Control,Sales Order Message,Sales Order Message
@@ -3687,10 +3728,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Rida {0}: sisestage kavandatud kogus
 DocType: Account,Income Account,Tulukonto
 DocType: Payment Request,Amount in customer's currency,Summa kliendi valuuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Tarne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Tarne
 DocType: Volunteer,Weekdays,Nädalapäevad
 DocType: Stock Reconciliation Item,Current Qty,Praegune Kogus
 DocType: Restaurant Menu,Restaurant Menu,Restoranimenüü
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Lisa tarnijaid
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-YYYYY.-
 DocType: Loyalty Program,Help Section,Abi sektsioon
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Eelmine
@@ -3702,19 +3744,20 @@
 												fullfill Sales Order {2}","Ei saa esitada üksuse {1} järjekorranumbrit {0}, kuna see on reserveeritud \ fillfill Müügitellimus {2}"
 DocType: Item Reorder,Material Request Type,Materjal Hankelepingu liik
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Saatke graafikujuliste meilide saatmine
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage on täis, ei päästa"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor on kohustuslik
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage on täis, ei päästa"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor on kohustuslik
 DocType: Employee Benefit Claim,Claim Date,Taotluse kuupäev
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Toa maht
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Kirje {0} jaoks on juba olemas kirje
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,"Kaotad varem koostatud arvete andmed. Kas olete kindel, et soovite selle tellimuse uuesti käivitada?"
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Registreerimistasu
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojaalsusprogrammi kogumine
 DocType: Stock Entry Detail,Subcontracted Item,Alltöövõtuleping
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Õpilane {0} ei kuulu gruppi {1}
 DocType: Budget,Cost Center,Cost Center
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Ostutellimuse Message
 DocType: Tax Rule,Shipping Country,Kohaletoimetamine Riik
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Peida Kliendi Maksu Id müügitehingute
@@ -3733,23 +3776,22 @@
 DocType: Subscription,Cancel At End Of Period,Lõpetage perioodi lõpus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Kinnisvara on juba lisatud
 DocType: Item Supplier,Item Supplier,Punkt Tarnija
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Palun sisestage Kood saada partii ei
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Palun valige väärtust {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Palun sisestage Kood saada partii ei
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Palun valige väärtust {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Ülekandmiseks valitud üksused pole valitud
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Kõik aadressid.
 DocType: Company,Stock Settings,Stock Seaded
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Ühendamine on võimalik ainult siis, kui järgmised omadused on samad nii arvestust. Kas nimel, Root tüüp, Firmade"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Ühendamine on võimalik ainult siis, kui järgmised omadused on samad nii arvestust. Kas nimel, Root tüüp, Firmade"
 DocType: Vehicle,Electric,elektriline
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Kasum / kahjum on varade realiseerimine
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.","Allolevas tabelis valitakse ainult üliõpilane, kellel on staatus &quot;Kinnitatud&quot;."
 DocType: Tax Withholding Category,Rates,Hinnad
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Konto number {0} pole saadaval. <br> Palun seadke oma arveldusaruanne õigesti.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Konto number {0} pole saadaval. <br> Palun seadke oma arveldusaruanne õigesti.
 DocType: Task,Depends on Tasks,Oleneb Ülesanded
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Hallata klientide Group Tree.
 DocType: Normal Test Items,Result Value,Tulemuse väärtus
 DocType: Hotel Room,Hotels,Hotellid
-DocType: Delivery Note,Transporter Date,Transportija kuupäev
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New Cost Center nimi
 DocType: Leave Control Panel,Leave Control Panel,Jäta Control Panel
 DocType: Project,Task Completion,ülesande täitmiseks
@@ -3796,11 +3838,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Kõik hindamine Groups
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Uus Warehouse Nimi
 DocType: Shopify Settings,App Type,Rakenduse tüüp
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Kokku {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Kokku {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Territoorium
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Palume mainida ei külastuste vaja
 DocType: Stock Settings,Default Valuation Method,Vaikimisi hindamismeetod
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,tasu
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Kuva kumulatiivne summa
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Värskendamine toimub See võib võtta veidi aega.
 DocType: Production Plan Item,Produced Qty,Toodetud kogus
 DocType: Vehicle Log,Fuel Qty,Kütus Kogus
@@ -3808,7 +3851,7 @@
 DocType: Work Order Operation,Planned Start Time,Planeeritud Start Time
 DocType: Course,Assessment,Hindamine
 DocType: Payment Entry Reference,Allocated,paigutatud
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Sulge Bilanss ja raamatu kasum või kahjum.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Sulge Bilanss ja raamatu kasum või kahjum.
 DocType: Student Applicant,Application Status,Application staatus
 DocType: Additional Salary,Salary Component Type,Palgakomplekti tüüp
 DocType: Sensitivity Test Items,Sensitivity Test Items,Tundlikkus testimisüksused
@@ -3819,10 +3862,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Tasumata kogusumma
 DocType: Sales Partner,Targets,Eesmärgid
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Palun registreerige ettevõtte infofailis SIREN number
+DocType: Email Digest,Sales Orders to Bill,Müügiarved billile
 DocType: Price List,Price List Master,Hinnakiri Master
 DocType: GST Account,CESS Account,CESS konto
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Kõik müügitehingud saab kodeeritud vastu mitu ** Sales Isikud ** nii et saate määrata ja jälgida eesmärgid.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link Materiaalse päringule
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link Materiaalse päringule
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Foorumi tegevus
 ,S.O. No.,SO No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Pangateate tehingu seadete üksus
@@ -3837,7 +3881,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,See on just klientide rühma ja seda ei saa muuta.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Tegevus, kui kogunenud kuueelarve ületatakse PO-st"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Paigutama
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Paigutama
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Vahetuskursi ümberhindlus
 DocType: POS Profile,Ignore Pricing Rule,Ignoreeri Hinnakujundus reegel
 DocType: Employee Education,Graduate,Lõpetama
@@ -3873,6 +3917,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Tehke vaikeseaded restoranis seaded
 ,Salary Register,palk Registreeri
 DocType: Warehouse,Parent Warehouse,Parent Warehouse
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Joonis
 DocType: Subscription,Net Total,Net kokku
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Vaikimisi Bom ei leitud Oksjoni {0} ja Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Määrake erinevate Laenuliigid
@@ -3882,7 +3927,7 @@
 DocType: Project Task,Working,Töö
 DocType: Stock Ledger Entry,Stock Queue (FIFO),Stock Queue (FIFO)
 apps/erpnext/erpnext/public/js/setup_wizard.js +128,Financial Year,Finantsaasta
-apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,{0} does not belong to Company {1},{0} ei kuulu Company {1}
+apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,{0} does not belong to Company {1},{0} ei kuulu ettevõttele {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +66,Could not solve criteria score function for {0}. Make sure the formula is valid.,"Kriteeriumide skoori funktsiooni ei õnnestunud lahendada {0} jaoks. Veenduge, et valem on kehtiv."
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost as on,Maksta nii edasi
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +34,Repayment amount {} should be greater than monthly interest amount {},Tagasimakse summa {} peaks olema suurem kui igakuine intressimäär {}
@@ -3905,24 +3950,26 @@
 DocType: Membership,Membership Status,Liikme staatus
 DocType: Travel Itinerary,Lodging Required,Kohtumine on vajalik
 ,Requested,Taotletud
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,No Märkused
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,No Märkused
 DocType: Asset,In Maintenance,Hoolduses
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Klõpsake seda nuppu, et tõmmata oma müügitellimuse andmed Amazoni MWS-ist."
 DocType: Vital Signs,Abdomen,Kõhupiirkond
 DocType: Purchase Invoice,Overdue,Tähtajaks tasumata
 DocType: Account,Stock Received But Not Billed,"Stock kätte saanud, kuid ei maksustata"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Juur tuleb arvesse rühm
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Juur tuleb arvesse rühm
 DocType: Drug Prescription,Drug Prescription,Ravimite retseptiravim
 DocType: Loan,Repaid/Closed,Tagastatud / Suletud
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Kokku prognoositakse Kogus
 DocType: Monthly Distribution,Distribution Name,Distribution nimi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Lisa UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Kirje {0} jaoks ei leitud hindamismäär, mis on vajalik {1} {2} arvestuskande tegemiseks. Kui üksus tegeleb väärtusega {1} nullväärtusega, siis märkige see {1} üksuse tabelisse. Muul juhul looge objektiga saabuv varude tehing või märkige väärtuse määr kirje kirjele ja proovige seejärel selle kirje esitamist / tühistamist"
 DocType: Course,Course Code,Kursuse kood
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kvaliteedi kontroll on vajalikud Punkt {0}
 DocType: Location,Parent Location,Vanemlik asukoht
 DocType: POS Settings,Use POS in Offline Mode,Kasutage POS-i võrguühendusrežiimis
 DocType: Supplier Scorecard,Supplier Variables,Tarnija muutujad
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} on kohustuslik. Võibolla valuutavahetusraamatut ei ole loodud {1} kuni {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Hinda kus kliendi valuuta konverteeritakse ettevõtte baasvaluuta
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (firma Valuuta)
 DocType: Salary Detail,Condition and Formula Help,Seisund ja Vormel Abi
@@ -3931,19 +3978,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Müügiarve
 DocType: Journal Entry Account,Party Balance,Partei Balance
 DocType: Cash Flow Mapper,Section Subtotal,Jaotis Vaheartikkel
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Palun valige Rakenda soodustust
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Palun valige Rakenda soodustust
 DocType: Stock Settings,Sample Retention Warehouse,Proovide säilitamise ladu
 DocType: Company,Default Receivable Account,Vaikimisi võlgnevus konto
 DocType: Purchase Invoice,Deemed Export,Kaalutud eksport
 DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer tootmine
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Soodus protsent võib rakendada kas vastu Hinnakiri või kõigi hinnakiri.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Raamatupidamine kirjet Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Raamatupidamine kirjet Stock
 DocType: Lab Test,LabTest Approver,LabTest heakskiitja
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Olete juba hinnanud hindamise kriteeriumid {}.
 DocType: Vehicle Service,Engine Oil,mootoriõli
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Loodud töökorraldused: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Loodud töökorraldused: {0}
 DocType: Sales Invoice,Sales Team1,Müük Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Punkt {0} ei ole olemas
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Punkt {0} ei ole olemas
 DocType: Sales Invoice,Customer Address,Kliendi aadress
 DocType: Loan,Loan Details,laenu detailid
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Ettevõtte sisseseade postitamise ebaõnnestus
@@ -3964,34 +4011,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Näita seda slideshow ülaosas lehele
 DocType: BOM,Item UOM,Punkt UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Maksusumma Pärast Allahindluse summa (firma Valuuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target lattu on kohustuslik rida {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target lattu on kohustuslik rida {0}
 DocType: Cheque Print Template,Primary Settings,esmane seaded
 DocType: Attendance Request,Work From Home,Kodus töötama
 DocType: Purchase Invoice,Select Supplier Address,Vali Tarnija Aadress
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Lisa Töötajad
 DocType: Purchase Invoice Item,Quality Inspection,Kvaliteedi kontroll
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Mikroskoopilises
 DocType: Company,Standard Template,standard Template
 DocType: Training Event,Theory,teooria
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Hoiatus: Materjal Taotletud Kogus alla Tellimuse Miinimum Kogus
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Hoiatus: Materjal Taotletud Kogus alla Tellimuse Miinimum Kogus
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Konto {0} on külmutatud
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juriidilise isiku / tütarettevõtte eraldi kontoplaani kuuluv organisatsioon.
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Toit, jook ja tubakas"
 DocType: Account,Account Number,Konto number
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Kas ainult tasuda vastu unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Komisjoni määr ei või olla suurem kui 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Kas ainult tasuda vastu unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Komisjoni määr ei või olla suurem kui 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Eraldage ettemaksed automaatselt (FIFO)
 DocType: Volunteer,Volunteer,Vabatahtlik
 DocType: Buying Settings,Subcontract,Alltöövõtuleping
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Palun sisestage {0} Esimene
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Ei vastuseid
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Ei vastuseid
 DocType: Work Order Operation,Actual End Time,Tegelik End Time
 DocType: Item,Manufacturer Part Number,Tootja arv
 DocType: Taxable Salary Slab,Taxable Salary Slab,Maksustatav palgaplaat
 DocType: Work Order Operation,Estimated Time and Cost,Eeldatav ja maksumus
 DocType: Bin,Bin,Konteiner
 DocType: Crop,Crop Name,Taime nimetus
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Ainult {0} -liikmelised kasutajad saavad registreeruda Marketplaceis
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Ainult {0} -liikmelised kasutajad saavad registreeruda Marketplaceis
 DocType: SMS Log,No of Sent SMS,No saadetud SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Kohtumised ja kohtumised
@@ -4020,7 +4068,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Muuda koodi
 DocType: Purchase Invoice Item,Valuation Rate,Hindamine Rate
 DocType: Vehicle,Diesel,diisel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Hinnakiri Valuuta ole valitud
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Hinnakiri Valuuta ole valitud
 DocType: Purchase Invoice,Availed ITC Cess,Availed ITC Cess
 ,Student Monthly Attendance Sheet,Student Kuu osavõtt Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Müügi reegel kehtib ainult Müügi kohta
@@ -4036,7 +4084,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Manage Sales Partners.
 DocType: Quality Inspection,Inspection Type,Ülevaatus Type
 DocType: Fee Validity,Visited yet,Külastatud veel
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Laod olemasolevate tehing ei ole ümber rühmitada.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Laod olemasolevate tehing ei ole ümber rühmitada.
 DocType: Assessment Result Tool,Result HTML,tulemus HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kui tihti peaks müügitehingute põhjal uuendama projekti ja ettevõtet.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Aegub
@@ -4044,7 +4092,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Palun valige {0}
 DocType: C-Form,C-Form No,C-vorm pole
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Kaugus
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Kaugus
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Lisage oma tooteid või teenuseid, mida ostate või müüte."
 DocType: Water Analysis,Storage Temperature,Säilitustemperatuur
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4060,19 +4108,19 @@
 DocType: Shopify Settings,Delivery Note Series,Tarnekirje seeria
 DocType: Purchase Order Item,Returned Qty,Tagastatud Kogus
 DocType: Student,Exit,Väljapääs
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Juur Type on kohustuslik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Juur Type on kohustuslik
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Eelseadistuste installimine ebaõnnestus
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOMi konversioon tundides
 DocType: Contract,Signee Details,Signee üksikasjad
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} praegu on tarnija tulemuskaart {1} ja selle tarnija RFQ peaks olema ettevaatlik.
 DocType: Certified Consultant,Non Profit Manager,Mittetulundusjuht
 DocType: BOM,Total Cost(Company Currency),Kogumaksumus (firma Valuuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial No {0} loodud
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial No {0} loodud
 DocType: Homepage,Company Description for website homepage,Firma kirjeldus veebisaidi avalehel
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","For mugavuse klientidele, neid koode saab kasutada print formaadid nagu arved ja Saatekirjad"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Nimi
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Informatsiooni ei õnnestunud {0} jaoks leida.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Ava sisenemise ajakiri
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Ava sisenemise ajakiri
 DocType: Contract,Fulfilment Terms,Täitmise tingimused
 DocType: Sales Invoice,Time Sheet List,Aeg leheloend
 DocType: Employee,You can enter any date manually,Saate sisestada mis tahes kuupäeva käsitsi
@@ -4107,7 +4155,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,teie organisatsiooni
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Jätkub töölt lahkumine järgmiste töötajate jaoks, kuna nende eraldamise kohta on juba olemas. {0}"
 DocType: Fee Component,Fees Category,Tasud Kategooria
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Palun sisestage leevendab kuupäeva.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Palun sisestage leevendab kuupäeva.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Sponsori andmed (nimi, asukoht)"
 DocType: Supplier Scorecard,Notify Employee,Teata töötajatest
@@ -4120,9 +4168,9 @@
 DocType: Company,Chart Of Accounts Template,Kontoplaani Mall
 DocType: Attendance,Attendance Date,Osavõtt kuupäev
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Ostuarve {0} jaoks peab olema lubatud väärtuse värskendamine
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Toode Hind uuendatud {0} Hinnakirjas {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Toode Hind uuendatud {0} Hinnakirjas {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Palk väljasõit põhineb teenimine ja mahaarvamine.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Konto tütartippu ei saa ümber arvestusraamatust
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Konto tütartippu ei saa ümber arvestusraamatust
 DocType: Purchase Invoice Item,Accepted Warehouse,Aktsepteeritud Warehouse
 DocType: Bank Reconciliation Detail,Posting Date,Postitamise kuupäev
 DocType: Item,Valuation Method,Hindamismeetod
@@ -4133,7 +4181,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +19,Enter the name of the Beneficiary before submittting.,Enne esitamist sisestage Saaja nimi.
 DocType: Program Enrollment Tool,Get Students,saada Õpilased
 DocType: Serial No,Under Warranty,Garantii alla
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +530,[Error],[Error]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +530,[Error],[Viga]
 DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Sõnades on nähtav, kui salvestate Sales Order."
 ,Employee Birthday,Töötaja Sünnipäev
 apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py +14,Please select Completion Date for Completed Repair,Palun valige lõpuleviimise lõpetamise kuupäev
@@ -4159,6 +4207,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Palun valige partii
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reisi- ja kuluklausel
 DocType: Sales Invoice,Redemption Cost Center,Lunastamiskulude keskus
+DocType: QuickBooks Migrator,Scope,Reguleerimisala
 DocType: Assessment Group,Assessment Group Name,Hinnang Grupi nimi
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Materjal üleantud tootmine
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Lisa detailidesse
@@ -4166,6 +4215,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Viimane sünkroonimisaeg Datetime
 DocType: Landed Cost Item,Receipt Document Type,Laekumine Dokumendi liik
 DocType: Daily Work Summary Settings,Select Companies,Vali Ettevõtted
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Pakkumine / hinnakiri
 DocType: Antibiotic,Healthcare,Tervishoid
 DocType: Target Detail,Target Detail,Target Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Üks variant
@@ -4175,6 +4225,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Periood sulgemine Entry
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Vali osakond ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Cost Center olemasolevate tehingut ei saa ümber rühm
+DocType: QuickBooks Migrator,Authorization URL,Luba URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Summa {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortisatsioon
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Aktsiate arv ja aktsiate arv on ebajärjekindlad
@@ -4196,13 +4247,14 @@
 DocType: Support Search Source,Source DocType,Allikas DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Avage uus pilet
 DocType: Training Event,Trainer Email,treener Post
+DocType: Driver,Transporter,Veok
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materjal Taotlused {0} loodud
 DocType: Restaurant Reservation,No of People,Inimeste arv
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Mall terminite või leping.
 DocType: Bank Account,Address and Contact,Aadress ja Kontakt
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Kas konto tasulised
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock ei saa ajakohastada vastu ostutšekk {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock ei saa ajakohastada vastu ostutšekk {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto lähedale Issue 7 päeva pärast
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Jäta ei saa eraldada enne {0}, sest puhkuse tasakaal on juba carry-edastas tulevikus puhkuse jaotamise rekord {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Märkus: Tänu / Viitekuupäev ületab lubatud klientide krediidiriski päeva {0} päeva (s)
@@ -4220,7 +4272,7 @@
 ,Qty to Deliver,Kogus pakkuda
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon sünkroonib pärast seda kuupäeva värskendatud andmed
 ,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Toiminguid ei saa tühjaks jätta
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Toiminguid ei saa tühjaks jätta
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab test (id)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Vastu Dokumendi Detail Ei
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Kustutamine ei ole lubatud riigis {0}
@@ -4228,13 +4280,12 @@
 DocType: Quality Inspection,Outgoing,Väljuv
 DocType: Material Request,Requested For,Taotletakse
 DocType: Quotation Item,Against Doctype,Vastu DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} on tühistatud või suletud
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} on tühistatud või suletud
 DocType: Asset,Calculate Depreciation,Arvuta amortisatsioon
 DocType: Delivery Note,Track this Delivery Note against any Project,Jälgi seda saateleht igasuguse Project
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Rahavood investeerimistegevusest
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klient&gt; Kliendi Grupp&gt; Territoorium
 DocType: Work Order,Work-in-Progress Warehouse,Lõpetamata Progress Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} tuleb esitada
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} tuleb esitada
 DocType: Fee Schedule Program,Total Students,Õpilased kokku
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Publikurekordiks {0} on olemas vastu Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Viide # {0} dateeritud {1}
@@ -4253,7 +4304,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Järelejäänud Töötajate jaoks ei saa luua retention bonus
 DocType: Lead,Market Segment,Turusegment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Põllumajanduse juht
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Paide summa ei saa olla suurem kui kogu negatiivne tasumata summa {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Paide summa ei saa olla suurem kui kogu negatiivne tasumata summa {0}
 DocType: Supplier Scorecard Period,Variables,Muutujad
 DocType: Employee Internal Work History,Employee Internal Work History,Töötaja Internal tööandjad
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Sulgemine (Dr)
@@ -4277,31 +4328,33 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Products
 DocType: Loyalty Point Entry,Loyalty Program,Lojaalsusprogramm
 DocType: Student Guardian,Father,isa
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Toetab pileteid
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&quot;Uuenda Stock&quot; ei saa kontrollida põhivara müügist
 DocType: Bank Reconciliation,Bank Reconciliation,Bank leppimise
 DocType: Attendance,On Leave,puhkusel
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Saada värskendusi
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} ei kuulu Company {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Valige vähemalt igast atribuudist vähemalt üks väärtus.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Valige vähemalt igast atribuudist vähemalt üks väärtus.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materjal taotlus {0} on tühistatud või peatatud
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Saatmisriik
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Saatmisriik
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Jäta juhtimine
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupid
 DocType: Purchase Invoice,Hold Invoice,Hoidke arve
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Palun vali Töötaja
 DocType: Sales Order,Fully Delivered,Täielikult Tarnitakse
-DocType: Lead,Lower Income,Madalama sissetulekuga
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Madalama sissetulekuga
 DocType: Restaurant Order Entry,Current Order,Praegune tellimus
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Seerianumbrid ja kogused peavad olema samad
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Allika ja eesmärgi lattu ei saa olla sama rida {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Allika ja eesmärgi lattu ei saa olla sama rida {0}
 DocType: Account,Asset Received But Not Billed,"Varad saadi, kuid pole tasutud"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Erinevus konto peab olema vara / kohustuse tüübist võtta, sest see Stock leppimine on mõra Entry"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Väljastatud summa ei saa olla suurem kui Laenusumma {0}
 apps/erpnext/erpnext/utilities/user_progress.py +176,Go to Programs,Avage programmid
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +212,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rida {0} # eraldatud summa {1} ei tohi olla suurem kui taotletud summa {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Ostutellimuse numbri vaja Punkt {0}
-apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&quot;From Date&quot; tuleb pärast &quot;To Date&quot;
+apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Alates kuupäevast"" peab olema pärast ""Kuni kuupäevani"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Selle nimetuse jaoks pole leitud personaliplaane
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Partii {1} partii {0} on keelatud.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Partii {1} partii {0} on keelatud.
 DocType: Leave Policy Detail,Annual Allocation,Aastane jaotamine
 DocType: Travel Request,Address of Organizer,Korraldaja aadress
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Valige tervishoiutöötaja ...
@@ -4310,12 +4363,12 @@
 DocType: Asset,Fully Depreciated,täielikult amortiseerunud
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stock Kavandatav Kogus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Kliendi {0} ei kuulu projekti {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Kliendi {0} ei kuulu projekti {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Märkimisväärne osavõtt HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Hinnapakkumised on ettepanekuid, pakkumiste saadetud oma klientidele"
 DocType: Sales Invoice,Customer's Purchase Order,Kliendi ostutellimuse
 DocType: Clinical Procedure,Patient,Patsient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Möödaviiklaenude kontroll müügikorralduses
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Möödaviiklaenude kontroll müügikorralduses
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Töötajate töölerakendamine
 DocType: Location,Check if it is a hydroponic unit,"Kontrollige, kas see on hüdropooniline seade"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Järjekorra number ja partii
@@ -4325,7 +4378,7 @@
 DocType: Supplier Scorecard Period,Calculations,Arvutused
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Väärtus või Kogus
 DocType: Payment Terms Template,Payment Terms,Maksetingimused
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Lavastused Tellimused ei saa tõsta jaoks:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Lavastused Tellimused ei saa tõsta jaoks:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minut
 DocType: Purchase Invoice,Purchase Taxes and Charges,Ostu maksud ja tasud
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4333,17 +4386,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Mine pakkujatele
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS-i sulgemisloksu maksud
 ,Qty to Receive,Kogus Receive
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Algus- ja lõppkuupäevad ei ole kehtiva palgalävi perioodil, ei saa arvutada {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Algus- ja lõppkuupäevad ei ole kehtiva palgalävi perioodil, ei saa arvutada {0}."
 DocType: Leave Block List,Leave Block List Allowed,Jäta Block loetelu Lubatud
 DocType: Grading Scale Interval,Grading Scale Interval,Hindamisskaala Intervall
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kulu nõue Sõiduki Logi {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Soodustus (%) kohta Hinnakirja hind koos Margin
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Kõik Laod
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Firma Inter-tehingute jaoks ei leitud {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Firma Inter-tehingute jaoks ei leitud {0}.
 DocType: Travel Itinerary,Rented Car,Renditud auto
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Teie ettevõtte kohta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Krediidi konto peab olema bilansis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Krediidi konto peab olema bilansis
 DocType: Donor,Donor,Doonor
 DocType: Global Defaults,Disable In Words,Keela sõnades
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Kood on kohustuslik, sest toode ei ole automaatselt nummerdatud"
@@ -4355,14 +4408,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bank arvelduskrediidi kontot
 DocType: Patient,Patient ID,Patsiendi ID
 DocType: Practitioner Schedule,Schedule Name,Ajakava nimi
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Müügi torujuhe etapi kaupa
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Tee palgatõend
 DocType: Currency Exchange,For Buying,Ostmiseks
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Lisa kõik pakkujad
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Lisa kõik pakkujad
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Eraldatud summa ei saa olla suurem kui tasumata summa.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Sirvi Bom
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Tagatud laenud
 DocType: Purchase Invoice,Edit Posting Date and Time,Edit Postitamise kuupäev ja kellaaeg
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Palun määra kulum seotud arvepidamise Põhivarakategoori {0} või ettevõtte {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Palun määra kulum seotud arvepidamise Põhivarakategoori {0} või ettevõtte {1}
 DocType: Lab Test Groups,Normal Range,Normaalne vahemik
 DocType: Academic Term,Academic Year,Õppeaasta
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Saadaval müügil
@@ -4391,26 +4445,26 @@
 DocType: Patient Appointment,Patient Appointment,Patsiendi määramine
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Kinnitamine roll ei saa olla sama rolli õigusriigi kohaldatakse
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Lahku sellest Email Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Hankige tarnijaid
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Hankige tarnijaid
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ei leitud üksusele {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Mine kursustele
 DocType: Accounts Settings,Show Inclusive Tax In Print,Näita ka kaasnevat maksu printimisel
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Pangakonto, alates kuupäevast kuni kuupäevani on kohustuslikud"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Sõnum saadetud
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Konto tütartippu ei saa seada pearaamatu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Konto tütartippu ei saa seada pearaamatu
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Hinda kus Hinnakiri valuuta konverteeritakse kliendi baasvaluuta
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Netosumma (firma Valuuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Ettemakse kogusumma ei tohi olla suurem kui sanktsioonide kogusumma
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Ettemakse kogusumma ei tohi olla suurem kui sanktsioonide kogusumma
 DocType: Salary Slip,Hour Rate,Tund Rate
 DocType: Stock Settings,Item Naming By,Punkt nimetamine By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Teine periood sulgemine Entry {0} on tehtud pärast {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materjal üleantud tootmine
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Konto {0} ei ole olemas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Valige lojaalsusprogramm
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Valige lojaalsusprogramm
 DocType: Project,Project Type,Projekti tüüp
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Selle ülesande jaoks on olemas lapse ülesanne. Seda ülesannet ei saa kustutada.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Kas eesmärk Kogus või Sihtsummaks on kohustuslik.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Kas eesmärk Kogus või Sihtsummaks on kohustuslik.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Kulude erinevate tegevuste
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Seadistamine Sündmused {0}, kuna töötaja juurde allpool müügiisikuid ei ole Kasutaja ID {1}"
 DocType: Timesheet,Billing Details,Arved detailid
@@ -4467,13 +4521,13 @@
 DocType: Inpatient Record,A Negative,Negatiivne
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Midagi rohkem näidata.
 DocType: Lead,From Customer,Siit Klienditeenindus
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Kutsub
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Kutsub
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Toode
 DocType: Employee Tax Exemption Declaration,Declarations,Deklaratsioonid
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Partiid
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Tee tasu ajakava
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Ostutellimuse {0} ei ole esitatud
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Ostutellimuse {0} ei ole esitatud
 DocType: Account,Expenses Included In Asset Valuation,Varade hindamisel sisalduvad kulud
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Täiskasvanu normaalne võrdlusvahemik on 16-20 hinget / minut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tariifne arv
@@ -4486,6 +4540,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Palun salvestage patsient kõigepealt
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Osavõtt on märgitud edukalt.
 DocType: Program Enrollment,Public Transport,Ühistransport
+DocType: Delivery Note,GST Vehicle Type,GST sõidukitüüp
 DocType: Soil Texture,Silt Composition (%),Silt koostis (%)
 DocType: Journal Entry,Remark,Märkus
 DocType: Healthcare Settings,Avoid Confirmation,Vältida Kinnitamist
@@ -4494,11 +4549,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Lehed ja vaba
 DocType: Education Settings,Current Academic Term,Praegune õppeaasta jooksul
 DocType: Sales Order,Not Billed,Ei maksustata
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Mõlemad Warehouse peavad kuuluma samasse Company
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Mõlemad Warehouse peavad kuuluma samasse Company
 DocType: Employee Grade,Default Leave Policy,Vaikimisi lahkumise eeskiri
 DocType: Shopify Settings,Shop URL,Pood URL-i
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No kontakte lisada veel.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Palun seadistage külastuse numbrite seeria seaded&gt; nummering seeria abil
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Maandus Cost Voucher summa
 ,Item Balance (Simple),Kirje Balanss (lihtne)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Arveid tõstatatud Tarnijatele.
@@ -4523,7 +4577,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Tsitaat Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Elementi on olemas sama nimega ({0}), siis muutke kirje grupi nimi või ümbernimetamiseks kirje"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Mullanalüüsi kriteeriumid
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Palun valige kliendile
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Palun valige kliendile
 DocType: C-Form,I,mina
 DocType: Company,Asset Depreciation Cost Center,Vara amortisatsioonikulu Center
 DocType: Production Plan Sales Order,Sales Order Date,Sales Order Date
@@ -4536,8 +4590,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Praegu pole ühtegi ladu saadaval
 ,Payment Period Based On Invoice Date,Makse kindlaksmääramisel tuginetakse Arve kuupäev
 DocType: Sample Collection,No. of print,Prindi arv
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Sünnipäeva meeldetuletus
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotelli toa broneerimisobjekt
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Kadunud Valuutavahetus ALLAHINDLUSED {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Kadunud Valuutavahetus ALLAHINDLUSED {0}
 DocType: Employee Health Insurance,Health Insurance Name,Ravikindlustuse nimi
 DocType: Assessment Plan,Examiner,eksamineerija
 DocType: Student,Siblings,Õed
@@ -4554,19 +4609,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Uutele klientidele
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Brutokasum%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Kohtumine {0} ja müügiarve {1} tühistati
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Juhusliku allika võimalused
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Muuda POS-profiili
 DocType: Bank Reconciliation Detail,Clearance Date,Kliirens kuupäev
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Varasus on juba objekti {0} suhtes olemas, ei saa seda muuta, on seerianumbri väärtusega"
+DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Varasus on juba objekti {0} suhtes olemas, ei saa seda muuta, on seerianumbri väärtusega"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Hindamisaruanne
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Hankige töötajaid
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross ostusumma on kohustuslik
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Ettevõtte nimi pole sama
 DocType: Lead,Address Desc,Aadress otsimiseks
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Partei on kohustuslik
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Leiti järgmised rea duplikaadi tähtajad teistes ridades: {list}
 DocType: Topic,Topic Name,Teema nimi
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Palun seadistage HR-seadetes lehe kinnitamise teatise vaikemall.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Palun seadistage HR-seadetes lehe kinnitamise teatise vaikemall.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Atleast üks müümine või ostmine tuleb valida
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Valige töötaja, et saada töötaja ette."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Valige kehtiv kuupäev
@@ -4600,6 +4656,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Klienditeenindus ja tarnijate andmed
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-YYYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Käibevara väärtus
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks&#39;i ettevõtte ID
 DocType: Travel Request,Travel Funding,Reisi rahastamine
 DocType: Loan Application,Required by Date,Vajalik kuupäev
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Viide kõigile asukohadele, kus kasvatamine kasvab"
@@ -4613,12 +4670,12 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Saadaval Partii Kogus kell laost
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - kokku mahaarvamine - laenu tagasimakse
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Praegune BOM ja Uus BOM saa olla samad
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Praegune BOM ja Uus BOM saa olla samad
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Palgatõend ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Erru minemise peab olema suurem kui Liitumis
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Erru minemise peab olema suurem kui Liitumis
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Mitmed variandid
 DocType: Sales Invoice,Against Income Account,Sissetuleku konto
-apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Tarnitakse
+apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% tarnitud
 DocType: Subscription,Trial Period Start Date,Katseperioodi alguskuupäev
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +106,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Punkt {0}: Tellitud tk {1} ei saa olla väiksem kui minimaalne tellimuse tk {2} (vastab punktis).
 DocType: Certification Application,Certified,Sertifitseeritud
@@ -4644,7 +4701,7 @@
 DocType: POS Profile,Update Stock,Värskenda Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Erinevad UOM objekte viib vale (kokku) Net Weight väärtus. Veenduge, et Net Weight iga objekt on sama UOM."
 DocType: Certification Application,Payment Details,Makse andmed
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Bom Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Bom Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",Peatatud töökorraldust ei saa tühistada. Lõpeta see esmalt tühistamiseks
 DocType: Asset,Journal Entry for Scrap,Päevikusissekanne Vanametalli
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Palun tõmmake esemed Saateleht
@@ -4667,11 +4724,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Kokku Sanctioned summa
 ,Purchase Analytics,Ostu Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Toimetaja märkus toode
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Praegune arve {0} puudub
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Praegune arve {0} puudub
 DocType: Asset Maintenance Log,Task,Ülesanne
 DocType: Purchase Taxes and Charges,Reference Row #,Viide Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Partii number on kohustuslik Punkt {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,See on root müügi isik ja seda ei saa muuta.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,See on root müügi isik ja seda ei saa muuta.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Kui valitud, määratud väärtus või arvutatakse see komponent ei aita kaasa tulu või mahaarvamised. Kuid see väärtus võib viidata teiste komponentide, mida saab lisada või maha."
 DocType: Asset Settings,Number of Days in Fiscal Year,Päevade arv eelarveaastal
 ,Stock Ledger,Laožurnaal
@@ -4679,7 +4736,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange kasum / kahjum konto
 DocType: Amazon MWS Settings,MWS Credentials,MWS volikirjad
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Töötaja ja osavõtt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Eesmärk peab olema üks {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Eesmärk peab olema üks {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Täitke vorm ja salvestage see
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Suhtlus Foorum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Tegelik Kogus laos
@@ -4694,7 +4751,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard müügi hind
 DocType: Account,Rate at which this tax is applied,Hinda kus see maks kohaldub
 DocType: Cash Flow Mapper,Section Name,Sektsiooni nimi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Reorder Kogus
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Reorder Kogus
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Amortisatsiooni rea {0}: eeldatav väärtus pärast kasulikku eluea peab olema suurem kui {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Praegune noorele
 DocType: Company,Stock Adjustment Account,Stock korrigeerimine konto
@@ -4704,8 +4761,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Süsteemi kasutaja (login) ID. Kui määratud, siis saab vaikimisi kõigi HR vormid."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Sisestage amortisatsiooni üksikasjad
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: From {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Jäta rakendus {0} juba õpilase vastu {1}
 DocType: Task,depends_on,oleneb
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kõigi materjalide nimekirja värskendamise järjekorras. See võib võtta paar minutit.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kõigi materjalide nimekirja värskendamise järjekorras. See võib võtta paar minutit.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nimi uue konto. Märkus: Palun ärge kontosid luua klientide ja hankijate
 DocType: POS Profile,Display Items In Stock,Näita kaupa laos
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Riik tark default Aadress Templates
@@ -4735,16 +4793,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots for {0} ei ole graafikule lisatud
 DocType: Product Bundle,List items that form the package.,"Nimekiri objekte, mis moodustavad paketi."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Ei ole lubatud. Testige malli välja
+DocType: Delivery Note,Distance (in km),Kaugus (km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Protsentuaalne jaotus peaks olema suurem kui 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Palun valige Postitamise kuupäev enne valides Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Palun valige Postitamise kuupäev enne valides Party
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Out of AMC
+DocType: Opportunity,Opportunity Amount,Võimaluse summa
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Arv Amortisatsiooniaruanne Broneeritud ei saa olla suurem kui koguarv Amortisatsiooniaruanne
 DocType: Purchase Order,Order Confirmation Date,Tellimuse kinnitamise kuupäev
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Tee hooldus Külasta
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Alguskuupäev ja lõppkuupäev kattuvad töökaardiga <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Töötajate lähetamise üksikasjad
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Palun pöörduge kasutaja, kes on Sales Master Manager {0} rolli"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Palun pöörduge kasutaja, kes on Sales Master Manager {0} rolli"
 DocType: Company,Default Cash Account,Vaikimisi arvelduskontole
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (mitte kliendi või hankija) kapten.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,See põhineb käimist Selle Student
@@ -4752,9 +4813,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Lisa rohkem punkte või avatud täiskujul
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Saatekirjad {0} tuleb tühistada enne tühistades selle Sales Order
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Mine kasutajatele
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Paide summa + maha summa ei saa olla suurem kui Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Paide summa + maha summa ei saa olla suurem kui Grand Total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ei ole kehtiv Partii number jaoks Punkt {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Märkus: Ei ole piisavalt puhkust tasakaalu Jäta tüüp {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Märkus: Ei ole piisavalt puhkust tasakaalu Jäta tüüp {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Kehtetu GSTIN või Sisesta NA registreerimata
 DocType: Training Event,Seminar,seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Programm osavõtumaks
@@ -4771,7 +4832,7 @@
 DocType: Fee Schedule,Fee Schedule,Fee Ajakava
 DocType: Company,Create Chart Of Accounts Based On,Loo kontoplaani põhineb
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Ei saa teisendada selle mitterühma. Lasteülesanded on olemas.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Sünniaeg ei saa olla suurem kui täna.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Sünniaeg ei saa olla suurem kui täna.
 ,Stock Ageing,Stock Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Osaliselt sponsoreeritud, nõuavad osalist rahastamist"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} on olemas peale õpilase taotleja {1}
@@ -4818,11 +4879,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Enne leppimist
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Maksude ja tasude lisatud (firma Valuuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Punkt Maksu- Row {0} peab olema konto tüüpi Tax või tulu või kuluna või tasuline
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Punkt Maksu- Row {0} peab olema konto tüüpi Tax või tulu või kuluna või tasuline
 DocType: Sales Order,Partly Billed,Osaliselt Maksustatakse
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Punkt {0} peab olema põhivara objektile
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Tee variandid
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Tee variandid
 DocType: Item,Default BOM,Vaikimisi Bom
 DocType: Project,Total Billed Amount (via Sales Invoices),Kogu tasuline summa (arvete kaudu)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Võlateate Summa
@@ -4851,13 +4912,13 @@
 DocType: Notification Control,Custom Message,Custom Message
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investeerimispanganduse
 DocType: Purchase Invoice,input,sisend
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Raha või pangakonto on kohustuslik makstes kirje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Raha või pangakonto on kohustuslik makstes kirje
 DocType: Loyalty Program,Multiple Tier Program,Mitmemõõtmeline programm
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Student Aadress
 DocType: Purchase Invoice,Price List Exchange Rate,Hinnakiri Vahetuskurss
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Kõik tarnijagrupid
 DocType: Employee Boarding Activity,Required for Employee Creation,Nõutav töötaja loomine
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},"Konto number {0}, mida juba kasutati kontol {1}"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},"Konto number {0}, mida juba kasutati kontol {1}"
 DocType: GoCardless Mandate,Mandate,Volitus
 DocType: POS Profile,POS Profile Name,Posti profiili nimi
 DocType: Hotel Room Reservation,Booked,Broneeritud
@@ -4873,18 +4934,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Viitenumber on kohustuslik, kui sisestatud Viitekuupäev"
 DocType: Bank Reconciliation Detail,Payment Document,maksedokumendi
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Viga kriteeriumide valemi hindamisel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Liitumis peab olema suurem kui Sünniaeg
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Liitumis peab olema suurem kui Sünniaeg
 DocType: Subscription,Plans,Plaanid
 DocType: Salary Slip,Salary Structure,Palgastruktuur
 DocType: Account,Bank,Pank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Lennukompanii
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Väljaanne Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Väljaanne Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Ühenda Shopify ERPNextiga
 DocType: Material Request Item,For Warehouse,Sest Warehouse
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Tarne märkused {0} uuendatud
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Tarne märkused {0} uuendatud
 DocType: Employee,Offer Date,Pakkuda kuupäev
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tsitaadid
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Olete võrguta režiimis. Sa ei saa uuesti enne, kui olete võrgus."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Tsitaadid
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Olete võrguta režiimis. Sa ei saa uuesti enne, kui olete võrgus."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Ei Üliõpilasgrupid loodud.
 DocType: Purchase Invoice Item,Serial No,Seerianumber
@@ -4896,24 +4957,26 @@
 DocType: Sales Invoice,Customer PO Details,Kliendi PO üksikasjad
 DocType: Stock Entry,Including items for sub assemblies,Sealhulgas esemed sub komplektid
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Ajutine avamise konto
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Sisesta väärtus peab olema positiivne
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Sisesta väärtus peab olema positiivne
 DocType: Asset,Finance Books,Rahandus Raamatud
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Töötaja maksuvabastuse deklaratsiooni kategooria
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Kõik aladel
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Palun määra töötaja {0} puhkusepoliitika Töötaja / Hinne kirje
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Valitud kliendi ja üksuse jaoks sobimatu kangakorraldus
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Valitud kliendi ja üksuse jaoks sobimatu kangakorraldus
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Lisa mitu ülesannet
 DocType: Purchase Invoice,Items,Esemed
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Lõppkuupäev ei saa olla enne alguskuupäeva.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student juba registreerunud.
 DocType: Fiscal Year,Year Name,Aasta nimi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Seal on rohkem puhkuse kui tööpäeva sel kuul.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Seal on rohkem puhkuse kui tööpäeva sel kuul.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Üksused {0} ei ole tähistatud {1} elemendina. Võite neid lubada punktist {1} elemendina
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Toote Bundle toode
 DocType: Sales Partner,Sales Partner Name,Müük Partner nimi
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Taotlus tsitaadid
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Taotlus tsitaadid
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimaalne Arve summa
 DocType: Normal Test Items,Normal Test Items,Tavalised testüksused
+DocType: QuickBooks Migrator,Company Settings,Ettevõtte seaded
 DocType: Additional Salary,Overwrite Salary Structure Amount,Palga struktuuri summa ülekirjutamine
 DocType: Student Language,Student Language,Student keel
 apps/erpnext/erpnext/config/selling.py +23,Customers,kliendid
@@ -4925,21 +4988,23 @@
 DocType: Issue,Opening Time,Avamine aeg
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Ja sealt soovitud vaja
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Väärtpaberite ja kaubabörsil
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Vaikimisi mõõtühik Variant &quot;{0}&quot; peab olema sama, Mall &quot;{1}&quot;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Vaikimisi mõõtühik Variant &quot;{0}&quot; peab olema sama, Mall &quot;{1}&quot;"
 DocType: Shipping Rule,Calculate Based On,Arvuta põhineb
 DocType: Contract,Unfulfilled,Täitmata
 DocType: Delivery Note Item,From Warehouse,Siit Warehouse
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Nendest kriteeriumidest töötajaid pole
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Ei objektid Materjaliandmik et Tootmine
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Ei objektid Materjaliandmik et Tootmine
 DocType: Shopify Settings,Default Customer,Vaikimisi klient
+DocType: Sales Stage,Stage Name,Etapi nimi
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Juhendaja nimi
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Ärge kinnitage, kas kohtumine on loodud samal päeval"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Laev riigile
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Laev riigile
 DocType: Program Enrollment Course,Program Enrollment Course,Programm Registreerimine Course
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Kasutaja {0} on juba määratud tervishoiutöötaja {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Proovide võtmisega varude sisestamine
 DocType: Purchase Taxes and Charges,Valuation and Total,Hindamine ja kokku
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Läbirääkimised / ülevaade
 DocType: Leave Encashment,Encashment Amount,Inkasso summa
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Tulemuskaardid
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Aegunud partiid
@@ -4949,7 +5014,7 @@
 DocType: Staffing Plan Detail,Current Openings,Praegune avaused
 DocType: Notification Control,Customize the Notification,Kohanda teatamine
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Rahavoog äritegevusest
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST summa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST summa
 DocType: Purchase Invoice,Shipping Rule,Kohaletoimetamine reegel
 DocType: Patient Relation,Spouse,Abikaasa
 DocType: Lab Test Groups,Add Test,Lisa test
@@ -4963,14 +5028,14 @@
 DocType: Payroll Entry,Payroll Frequency,palgafond Frequency
 DocType: Lab Test Template,Sensitivity,Tundlikkus
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Sünkroonimine on ajutiselt keelatud, sest maksimaalseid kordusi on ületatud"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Toormaterjal
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Toormaterjal
 DocType: Leave Application,Follow via Email,Järgige e-posti teel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Taimed ja masinad
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Maksusumma Pärast Allahindluse summa
 DocType: Patient,Inpatient Status,Statsionaarne staatus
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Igapäevase töö kokkuvõte seaded
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Valitud hinnakirjas peaks olema kontrollitud ostu- ja müügipinda.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Palun sisesta Reqd kuupäeva järgi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Valitud hinnakirjas peaks olema kontrollitud ostu- ja müügipinda.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Palun sisesta Reqd kuupäeva järgi
 DocType: Payment Entry,Internal Transfer,Siseülekandevormi
 DocType: Asset Maintenance,Maintenance Tasks,Hooldusülesanded
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Kas eesmärk Kogus või Sihtsummaks on kohustuslik
@@ -4991,7 +5056,7 @@
 DocType: Mode of Payment,General,Üldine
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,viimase Side
 ,TDS Payable Monthly,TDS makstakse igakuiselt
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOMi asendamine on järjekorras. See võib võtta paar minutit.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOMi asendamine on järjekorras. See võib võtta paar minutit.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ei saa maha arvata, kui kategooria on &quot;Hindamine&quot; või &quot;Hindamine ja kokku&quot;"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial nr Nõutav SERIALIZED Punkt {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match Maksed arvetega
@@ -5004,7 +5069,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Lisa ostukorvi
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Group By
 DocType: Guardian,Interests,Huvid
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Võimalda / blokeeri valuutades.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Võimalda / blokeeri valuutades.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Palkade lisadeta ei õnnestunud esitada
 DocType: Exchange Rate Revaluation,Get Entries,Hankige kanded
 DocType: Production Plan,Get Material Request,Saada Materjal taotlus
@@ -5026,15 +5091,16 @@
 DocType: Lead,Lead Type,Plii Type
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Teil ei ole kiita lehed Block kuupäevad
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Kõik need teemad on juba arve
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Määra uus väljalaske kuupäev
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Määra uus väljalaske kuupäev
 DocType: Company,Monthly Sales Target,Kuu müügi sihtmärk
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Saab heaks kiidetud {0}
 DocType: Hotel Room,Hotel Room Type,Hotelli toa tüüp
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Tarnija&gt; Tarnija tüüp
 DocType: Leave Allocation,Leave Period,Jäta perioodi
 DocType: Item,Default Material Request Type,Vaikimisi Materjal Soovi Tüüp
 DocType: Supplier Scorecard,Evaluation Period,Hindamise periood
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,tundmatu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Töökorraldus pole loodud
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Töökorraldus pole loodud
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Komponendi {1} jaoks juba nõutud {0} summa, \ set summa, mis on võrdne või suurem {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Kohaletoimetamine Reegli
@@ -5067,15 +5133,15 @@
 DocType: Batch,Source Document Name,Allikas Dokumendi nimi
 DocType: Production Plan,Get Raw Materials For Production,Hankige toorainet tootmiseks
 DocType: Job Opening,Job Title,Töö nimetus
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} näitab, et {1} ei anna hinnapakkumist, kuid kõik esemed \ on tsiteeritud. RFQ tsiteeritud oleku värskendamine."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Suurimad proovid - {0} on partii {1} ja pootise {2} jaoks juba paketi {3} jaoks juba salvestatud.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Suurimad proovid - {0} on partii {1} ja pootise {2} jaoks juba paketi {3} jaoks juba salvestatud.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Värskenda BOM-i maksumust automaatselt
 DocType: Lab Test,Test Name,Testi nimi
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Kliinilise protseduuri kulutatav toode
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Kasutajate loomine
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,gramm
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Tellimused
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Tellimused
 DocType: Supplier Scorecard,Per Month,Kuus
 DocType: Education Settings,Make Academic Term Mandatory,Tehke akadeemiline tähtaeg kohustuslikuks
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Kogus et Tootmine peab olema suurem kui 0.
@@ -5084,9 +5150,9 @@
 DocType: Stock Entry,Update Rate and Availability,Värskenduskiirus ja saadavust
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Osakaal teil on lubatud vastu võtta või pakkuda rohkem vastu tellitav kogus. Näiteks: Kui olete tellinud 100 ühikut. ja teie toetus on 10%, siis on lubatud saada 110 ühikut."
 DocType: Loyalty Program,Customer Group,Kliendi Group
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rida # {0}: käitamine {1} ei ole lõpetatud {2} valmistoodetele töökorralduse # {3}. Palun ajakohastage operatsiooni olekut kellaajaregistrite abil
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rida # {0}: käitamine {1} ei ole lõpetatud {2} valmistoodetele töökorralduse # {3}. Palun ajakohastage operatsiooni olekut kellaajaregistrite abil
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Uus Partii nr (valikuline)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Kulu konto on kohustuslik element {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Kulu konto on kohustuslik element {0}
 DocType: BOM,Website Description,Koduleht kirjeldus
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Net omakapitali
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Palun tühistada ostuarve {0} esimene
@@ -5101,7 +5167,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Ei ole midagi muuta.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Vormi vaade
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Kulude kinnitamise kohustuslik kulude hüvitamise nõue
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Kokkuvõte Selle kuu ja kuni tegevusi
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Kokkuvõte Selle kuu ja kuni tegevusi
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Palun määrake realiseerimata vahetus kasumi / kahjumi konto Ettevõttes {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Lisage oma organisatsiooni kasutajaid, välja arvatud teie ise."
 DocType: Customer Group,Customer Group Name,Kliendi Group Nimi
@@ -5111,14 +5177,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Ükski materiaalne taotlus pole loodud
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Laenusumma ei tohi ületada Maksimaalne laenusumma {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,litsents
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Palun eemalda see Arve {0} on C-vorm {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Palun eemalda see Arve {0} on C-vorm {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Palun valige kanda, kui soovite ka lisada eelnenud eelarveaasta saldo jätab see eelarveaastal"
 DocType: GL Entry,Against Voucher Type,Vastu Voucher Type
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Ajakohad on lisatud
 DocType: Item,Attributes,Näitajad
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Malli lubamine
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Palun sisestage maha konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Palun sisestage maha konto
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Viimati Order Date
 DocType: Salary Component,Is Payable,On tasuline
 DocType: Inpatient Record,B Negative,B on negatiivne
@@ -5129,7 +5195,7 @@
 DocType: Hotel Room,Hotel Room,Hotellituba
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Konto {0} ei kuuluv ettevõte {1}
 DocType: Leave Type,Rounding,Ümardamine
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Seerianumbrid järjest {0} ei ühti saateleht
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Seerianumbrid järjest {0} ei ühti saateleht
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Välja antud summa (hinnatud)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Siis filtreeritakse hinnakujunduse reeglid kliendi, kliendirühma, territooriumi, tarnija, tarnijate rühma, kampaania, müügipartneri jt alusel."
 DocType: Student,Guardian Details,Guardian detailid
@@ -5138,10 +5204,10 @@
 DocType: Vehicle,Chassis No,Tehasetähis
 DocType: Payment Request,Initiated,Algatatud
 DocType: Production Plan Item,Planned Start Date,Kavandatav alguskuupäev
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Valige BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Valige BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Kasutab ITC integreeritud maksu
 DocType: Purchase Order Item,Blanket Order Rate,Teki tellimiskiirus
-apps/erpnext/erpnext/hooks.py +156,Certification,Sertifitseerimine
+apps/erpnext/erpnext/hooks.py +157,Certification,Sertifitseerimine
 DocType: Bank Guarantee,Clauses and Conditions,Tingimused ja tingimused
 DocType: Serial No,Creation Document Type,Loomise Dokumendi liik
 DocType: Project Task,View Timesheet,Kuva ajaveht
@@ -5166,6 +5232,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Punkt {0} ei tohi olla laoartikkel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Veebilehe loend
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Kõik tooted või teenused.
+DocType: Email Digest,Open Quotations,Avatud tsitaadid
 DocType: Expense Claim,More Details,Rohkem detaile
 DocType: Supplier Quotation,Supplier Address,Tarnija Aadress
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} eelarve konto {1} vastu {2} {3} on {4}. See ületa {5}
@@ -5180,12 +5247,11 @@
 DocType: Training Event,Exam,eksam
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Turuplatsi viga
 DocType: Complaint,Complaint,Kaebus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Ladu vajalik varude Punkt {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Ladu vajalik varude Punkt {0}
 DocType: Leave Allocation,Unused leaves,Kasutamata lehed
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Tee tagasimakse kirje
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Kõik osakonnad
 DocType: Healthcare Service Unit,Vacant,Vaba
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Tarnija&gt; Tarnija tüüp
 DocType: Patient,Alcohol Past Use,Alkoholi varasem kasutamine
 DocType: Fertilizer Content,Fertilizer Content,Väetise sisu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Kr
@@ -5193,7 +5259,7 @@
 DocType: Tax Rule,Billing State,Arved riik
 DocType: Share Transfer,Transfer,Transfer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Enne müügikorralduse tühistamist tuleb töökorraldus {0} tühistada
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Tõmba plahvatas Bom (sh sõlmed)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Tõmba plahvatas Bom (sh sõlmed)
 DocType: Authorization Rule,Applicable To (Employee),Suhtes kohaldatava (töötaja)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Tähtaeg on kohustuslik
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Juurdekasv Oskus {0} ei saa olla 0
@@ -5209,7 +5275,7 @@
 DocType: Disease,Treatment Period,Ravi periood
 DocType: Travel Itinerary,Travel Itinerary,Reisi teekond
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Tulemus on juba esitatud
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reserveeritud ladu on kohustuslik punktis {0} tarnitud tooraine puhul
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reserveeritud ladu on kohustuslik punktis {0} tarnitud tooraine puhul
 ,Inactive Customers,Passiivne Kliendid
 DocType: Student Admission Program,Maximum Age,Maksimaalne vanus
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Palun oodake 3 päeva enne meeldetuletuse uuesti saatmist.
@@ -5218,7 +5284,6 @@
 DocType: Stock Entry,Delivery Note No,Toimetaja märkus pole
 DocType: Cheque Print Template,Message to show,Sõnum näidata
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Jaekaubandus
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Kohtumise arve haldamine automaatselt
 DocType: Student Attendance,Absent,Puuduv
 DocType: Staffing Plan,Staffing Plan Detail,Personaliplaani detailne kirjeldus
 DocType: Employee Promotion,Promotion Date,Edutamise kuupäev
@@ -5229,7 +5294,7 @@
 DocType: Purchase Taxes and Charges Template,Purchase Taxes and Charges Template,Ostu maksud ja tasud Mall
 DocType: Subscription,Current Invoice Start Date,Praegune arve alguskuupäev
 DocType: Timesheet,TS-,TS-
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +61,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: kas deebet- või krediitkaardi summa on vajalik {2}
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +61,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: kas deebet- või kreedit summa on vajalik {2}
 DocType: GL Entry,Remarks,Märkused
 DocType: Hotel Room Amenity,Hotel Room Amenity,Hotellitoa mugavus
 DocType: Budget,Action if Annual Budget Exceeded on MR,"Tegevus, kui aastaeelarve ületati mr"
@@ -5240,7 +5305,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Tee Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Prindi ja Stationery
 DocType: Stock Settings,Show Barcode Field,Näita vöötkoodi Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Saada Tarnija kirjad
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Saada Tarnija kirjad
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Palk juba töödeldud ajavahemikus {0} ja {1} Jäta taotlemise tähtaeg ei või olla vahel selles ajavahemikus.
 DocType: Fiscal Year,Auto Created,Automaatne loomine
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Esitage see, et luua töötaja kirje"
@@ -5249,7 +5314,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Arve {0} enam ei eksisteeri
 DocType: Guardian Interest,Guardian Interest,Guardian Intress
 DocType: Volunteer,Availability,Kättesaadavus
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS-arvete vaikeväärtuste seadistamine
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS-arvete vaikeväärtuste seadistamine
 apps/erpnext/erpnext/config/hr.py +248,Training,koolitus
 DocType: Project,Time to send,Aeg saata
 DocType: Timesheet,Employee Detail,töötaja Detail
@@ -5271,7 +5336,7 @@
 DocType: Training Event Employee,Optional,Valikuline
 DocType: Salary Slip,Earning & Deduction,Teenimine ja mahaarvamine
 DocType: Agriculture Analysis Criteria,Water Analysis,Vee analüüs
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variandid on loodud.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variandid on loodud.
 DocType: Amazon MWS Settings,Region,Piirkond
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valikuline. See seadistus filtreerida erinevate tehingute.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negatiivne Hindamine Rate ei ole lubatud
@@ -5290,7 +5355,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kulud Käibelt kõrvaldatud Asset
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Cost Center on kohustuslik Punkt {2}
 DocType: Vehicle,Policy No,poliitika pole
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Võta Kirjed Toote Bundle
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Võta Kirjed Toote Bundle
 DocType: Asset,Straight Line,Sirgjoon
 DocType: Project User,Project User,projekti Kasutaja
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,lõhe
@@ -5298,7 +5363,7 @@
 DocType: GL Entry,Is Advance,Kas Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Töötaja elutsükkel
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Osavõtt From kuupäev ja kohalolijate kuupäev on kohustuslik
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Palun sisestage &quot;on sisse ostetud&quot; kui jah või ei
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Palun sisestage &quot;on sisse ostetud&quot; kui jah või ei
 DocType: Item,Default Purchase Unit of Measure,Vaikimisi ostuühik
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Viimase Side kuupäev
 DocType: Clinical Procedure Item,Clinical Procedure Item,Kliinilise protseduuri punkt
@@ -5307,7 +5372,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Juurdepääsuotsik või Shopifyi URL puudub
 DocType: Location,Latitude,Laiuskraad
 DocType: Work Order,Scrap Warehouse,Vanametalli Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Rida nr {0} nõutav lao, palun määra ettevõtte {1} jaoks vaikimisi ladu {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Rida nr {0} nõutav lao, palun määra ettevõtte {1} jaoks vaikimisi ladu {2}"
 DocType: Work Order,Check if material transfer entry is not required,"Kontrollige, kas materjali üleandmise kande ei nõuta"
 DocType: Program Enrollment Tool,Get Students From,Saada üliõpilast
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Avalda Kirjed Koduleht
@@ -5322,6 +5387,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Uus Partii Kogus
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Rõivad ja aksessuaarid
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Kaalutud skoori funktsiooni ei õnnestunud lahendada. Veenduge, et valem on kehtiv."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Ostutellimused pole õigeaegselt kätte saanud
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Järjekorranumber
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner mis näitavad peal toodet nimekirja.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Täpsustada tingimused arvutada laevandus summa
@@ -5330,9 +5396,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Tee
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Ei saa teisendada Cost Center pearaamatu, sest see on tütartippu"
 DocType: Production Plan,Total Planned Qty,Kokku planeeritud kogus
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Seis
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Seis
 DocType: Salary Component,Formula,valem
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Müügikonto
 DocType: Purchase Invoice Item,Total Weight,Kogukaal
@@ -5350,7 +5416,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Tee Materjal taotlus
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Avatud Punkt {0}
 DocType: Asset Finance Book,Written Down Value,Kirjutatud väärtus
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Palun seadke töötaja nimesüsteem inimressurss&gt; HR-seaded
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Müügiarve {0} tuleb tühistada enne tühistades selle Sales Order
 DocType: Clinical Procedure,Age,Ajastu
 DocType: Sales Invoice Timesheet,Billing Amount,Arved summa
@@ -5359,11 +5424,11 @@
 DocType: Company,Default Employee Advance Account,Vaikimisi töötaja eelkonto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Otsi üksust (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Konto olemasolevate tehingu ei saa kustutada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Konto olemasolevate tehingu ei saa kustutada
 DocType: Vehicle,Last Carbon Check,Viimati Carbon Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Kohtukulude
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Palun valige kogus real
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Müügi- ja ostuarve avamine
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Müügi- ja ostuarve avamine
 DocType: Purchase Invoice,Posting Time,Foorumi aeg
 DocType: Timesheet,% Amount Billed,% Arve summa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefoni kulud
@@ -5378,14 +5443,14 @@
 DocType: Maintenance Visit,Breakdown,Lagunema
 DocType: Travel Itinerary,Vegetarian,Taimetoitlane
 DocType: Patient Encounter,Encounter Date,Sündmuse kuupäev
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Konto: {0} valuuta: {1} ei saa valida
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Konto: {0} valuuta: {1} ei saa valida
 DocType: Bank Statement Transaction Settings Item,Bank Data,Pangaandmed
 DocType: Purchase Receipt Item,Sample Quantity,Proovi kogus
 DocType: Bank Guarantee,Name of Beneficiary,Abisaaja nimi
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Värskendage BOM-i automaatselt Scheduleri kaudu, tuginedes kõige värskemale hindamismäärale / hinnakirja hinnale / toorainete viimasele ostuhinnale."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Tšekk kuupäev
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ei kuulu firma: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ei kuulu firma: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,"Edukalt kustutatud kõik tehingud, mis on seotud selle firma!"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Kuupäeva järgi
 DocType: Additional Salary,HR,HR
@@ -5393,7 +5458,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Patsiendi SMS-teated välja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Karistusest
 DocType: Program Enrollment Tool,New Academic Year,Uus õppeaasta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Tagasi / kreeditarve
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Tagasi / kreeditarve
 DocType: Stock Settings,Auto insert Price List rate if missing,"Auto sisestada Hinnakiri määra, kui puuduvad"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Kokku Paide summa
 DocType: GST Settings,B2C Limit,B2C piirang
@@ -5411,10 +5476,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Tütartippu saab ainult alusel loodud töörühm tüüpi sõlmed
 DocType: Attendance Request,Half Day Date,Pool päeva kuupäev
 DocType: Academic Year,Academic Year Name,Õppeaasta Nimi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} ei saa tehinguga {1} teha. Muuda ettevõtet.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} ei saa tehinguga {1} teha. Muuda ettevõtet.
 DocType: Sales Partner,Contact Desc,Võta otsimiseks
 DocType: Email Digest,Send regular summary reports via Email.,Saada regulaarselt koondaruanded e-posti teel.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Palun määra vaikimisi konto kulu Nõude tüüp {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Palun määra vaikimisi konto kulu Nõude tüüp {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Saadaolevad lehed
 DocType: Assessment Result,Student Name,Õpilase nimi
 DocType: Hub Tracked Item,Item Manager,Punkt Manager
@@ -5439,9 +5504,10 @@
 DocType: Subscription,Trial Period End Date,Katseperioodi lõppkuupäev
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ei authroized kuna {0} ületab piirid
 DocType: Serial No,Asset Status,Vara olek
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Ülemõõduline lasti (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restoran Tabel
 DocType: Hotel Room,Hotel Manager,Hotellijuhataja
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Määra maksueeskiri ostukorv
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Määra maksueeskiri ostukorv
 DocType: Purchase Invoice,Taxes and Charges Added,Maksude ja tasude lisatud
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Amortisatsiooni rea {0}: järgmine amortisatsiooni kuupäev ei saa olla enne kasutatavat kuupäeva
 ,Sales Funnel,Müügi lehtri
@@ -5457,10 +5523,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Kõik kliendigruppide
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,kogunenud Kuu
 DocType: Attendance Request,On Duty,Tööl
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud {1} on {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud {1} on {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Personaliplaan {0} on juba olemas määramiseks {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Maksu- vorm on kohustuslik.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} ei ole olemas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} ei ole olemas
 DocType: POS Closing Voucher,Period Start Date,Perioodi alguskuupäev
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Hinnakiri Rate (firma Valuuta)
 DocType: Products Settings,Products Settings,tooted seaded
@@ -5480,7 +5546,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,"See toiming lõpetab edaspidise arveldamise. Kas olete kindel, et soovite selle tellimuse tühistada?"
 DocType: Serial No,Distinct unit of an Item,Eraldi üksuse objekti
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriteeriumide nimi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Määrake Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Määrake Company
 DocType: Procedure Prescription,Procedure Created,Kord loodud
 DocType: Pricing Rule,Buying,Ostmine
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Haigused ja väetised
@@ -5497,42 +5563,43 @@
 DocType: Employee Onboarding,Job Offer,Tööpakkumine
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Instituut lühend
 ,Item-wise Price List Rate,Punkt tark Hinnakiri Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Tarnija Tsitaat
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Tarnija Tsitaat
 DocType: Quotation,In Words will be visible once you save the Quotation.,"Sõnades on nähtav, kui salvestate pakkumise."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Kogus ({0}) ei saa olla vaid murdosa reas {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Kogus ({0}) ei saa olla vaid murdosa reas {1}
 DocType: Contract,Unsigned,Märkimata
 DocType: Selling Settings,Each Transaction,Iga tehing
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Lugu {0} on juba kasutatud Punkt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Lugu {0} on juba kasutatud Punkt {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reeglid lisamiseks postikulud.
 DocType: Hotel Room,Extra Bed Capacity,Lisavoodi mahutavus
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,algvaru
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klient on kohustatud
 DocType: Lab Test,Result Date,Tulemuse kuupäev
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC kuupäev
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC kuupäev
 DocType: Purchase Order,To Receive,Saama
 DocType: Leave Period,Holiday List for Optional Leave,Puhkusloetelu valikuliseks puhkuseks
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Vara omanik
 DocType: Purchase Invoice,Reason For Putting On Hold,Paigaldamise põhjus
 DocType: Employee,Personal Email,Personal Email
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Kokku Dispersioon
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Kokku Dispersioon
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Kui on lubatud, siis süsteem postitada raamatupidamiskirjeteks inventuuri automaatselt."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Maakleritasu
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Osalemine töötajate {0} on juba märgistatud sellel päeval
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Osalemine töötajate {0} on juba märgistatud sellel päeval
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",protokoll Uuendatud kaudu &quot;Aeg Logi &#39;
 DocType: Customer,From Lead,Plii
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Tellimused lastud tootmist.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Vali Fiscal Year ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profile vaja teha POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profile vaja teha POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Lojaalsuspunktid arvutatakse tehtud kulutustest (müügiarve kaudu) vastavalt mainitud kogumisfaktorile.
 DocType: Program Enrollment Tool,Enroll Students,õppima üliõpilasi
 DocType: Company,HRA Settings,HRA seaded
 DocType: Employee Transfer,Transfer Date,Ülekande kuupäev
 DocType: Lab Test,Approved Date,Heakskiidetud kuupäev
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast üks ladu on kohustuslik
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast üks ladu on kohustuslik
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Seadista üksuste väljad, nagu UOM, üksuste grupp, kirjeldus ja tundide arv."
 DocType: Certification Application,Certification Status,Sertifitseerimise staatus
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5552,6 +5619,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Vastavad arved
 DocType: Work Order,Required Items,VAJAMINEVA
 DocType: Stock Ledger Entry,Stock Value Difference,Stock väärtuse erinevused
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Tabeli ülal tabelis &quot;{1}&quot; ei ole punkti Rida {0}: {1} {2}
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Inimressurss
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Makse leppimise maksmine
 DocType: Disease,Treatment Task,Ravi ülesanne
@@ -5569,7 +5637,8 @@
 DocType: Account,Debit,Deebet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Lehed tuleb eraldada kordselt 0,5"
 DocType: Work Order,Operation Cost,Operation Cost
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Tasumata Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Otsustajate kindlakstegemine
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Tasumata Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Määra eesmärgid Punkt Group tark selle müügi isik.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Varud vanem kui [Päeva]
 DocType: Payment Request,Payment Ordered,Maksekorraldus
@@ -5581,13 +5650,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Laske järgmised kasutajad kinnitada Jäta taotlused blokeerida päeva.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Eluring
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Tee BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Müük määr eset {0} on madalam tema {1}. Müük kiirus olema atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Müük määr eset {0} on madalam tema {1}. Müük kiirus olema atleast {2}
 DocType: Subscription,Taxes,Maksud
 DocType: Purchase Invoice,capital goods,kapitalikaubad
 DocType: Purchase Invoice Item,Weight Per Unit,Kaal ühiku kohta
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Paide ja ei ole esitanud
-DocType: Project,Default Cost Center,Vaikimisi Cost Center
-DocType: Delivery Note,Transporter Doc No,Transportija nr
+DocType: QuickBooks Migrator,Default Cost Center,Vaikimisi Cost Center
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock tehingud
 DocType: Budget,Budget Accounts,Eelarve Accounts
 DocType: Employee,Internal Work History,Sisemine tööandjad
@@ -5620,7 +5688,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Tervishoiutöötaja ei ole saadaval {0}
 DocType: Stock Entry Detail,Additional Cost,Lisakulu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Ei filtreerimiseks Voucher Ei, kui rühmitatud Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Tee Tarnija Tsitaat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Tee Tarnija Tsitaat
 DocType: Quality Inspection,Incoming,Saabuva
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Müügile ja ostule pääseb alla maksumallid.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Hindamise tulemuste register {0} on juba olemas.
@@ -5636,7 +5704,7 @@
 DocType: Batch,Batch ID,Partii nr
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Märkus: {0}
 ,Delivery Note Trends,Toimetaja märkus Trends
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Nädala kokkuvõte
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Nädala kokkuvõte
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Laos Kogus
 ,Daily Work Summary Replies,Igapäevase töö kokkuvõtte vastused
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Arvuta hinnangulised saabumised
@@ -5646,7 +5714,7 @@
 DocType: Bank Account,Party,Osapool
 DocType: Healthcare Settings,Patient Name,Patsiendi nimi
 DocType: Variant Field,Variant Field,Variant Field
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Sihtkoha asukoht
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Sihtkoha asukoht
 DocType: Sales Order,Delivery Date,Toimetaja kuupäev
 DocType: Opportunity,Opportunity Date,Opportunity kuupäev
 DocType: Employee,Health Insurance Provider,Tervisekindlustuse pakkuja
@@ -5665,7 +5733,7 @@
 DocType: Employee,History In Company,Ajalugu Company
 DocType: Customer,Customer Primary Address,Kliendi peamine aadress
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Infolehed
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Viitenumber.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Viitenumber.
 DocType: Drug Prescription,Description/Strength,Kirjeldus / tugevus
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Loo uus makse / ajakirja kanne
 DocType: Certification Application,Certification Application,Sertifitseerimistaotlus
@@ -5676,10 +5744,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Sama toode on kantud mitu korda
 DocType: Department,Leave Block List,Jäta Block loetelu
 DocType: Purchase Invoice,Tax ID,Maksu- ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Punkt {0} ei ole setup Serial nr. Kolonn peab olema tühi
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Punkt {0} ei ole setup Serial nr. Kolonn peab olema tühi
 DocType: Accounts Settings,Accounts Settings,Kontod Seaded
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,kinnitama
 DocType: Loyalty Program,Customer Territory,Kliendipiirkond
+DocType: Email Digest,Sales Orders to Deliver,Müügitellimused tarnimiseks
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Uue konto number, lisatakse see konto nime eesliide"
 DocType: Maintenance Team Member,Team Member,Meeskonna liige
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Ei esitata tulemust
@@ -5689,8 +5758,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Kokku {0} kõik elemendid on null, võib olla sa peaksid muutma &quot;Hajuta põhinevad maksud&quot;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Praeguseks ei saa olla vähem kui kuupäeval
 DocType: Opportunity,To Discuss,Arutama
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,See põhineb selle tellijaga tehtavatel tehingutel. Täpsema teabe saamiseks vt allpool toodud ajakava
-apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} ühikut {1} vaja {2} tehingu lõpuleviimiseks.
+apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} ühikut {1} on vaja {2} tehingu lõpuleviimiseks.
 DocType: Loan Type,Rate of Interest (%) Yearly,Intressimäär (%) Aastane
 DocType: Support Settings,Forum URL,Foorumi URL-id
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +75,Temporary Accounts,Ajutise konto
@@ -5704,7 +5772,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Lisateave
 DocType: Cheque Print Template,Distance from top edge,Kaugus ülemine serv
 DocType: POS Closing Voucher Invoices,Quantity of Items,Artiklite arv
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Hinnakiri {0} on keelatud või ei ole olemas
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Hinnakiri {0} on keelatud või ei ole olemas
 DocType: Purchase Invoice,Return,Tagasipöördumine
 DocType: Pricing Rule,Disable,Keela
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Maksmise viis on kohustatud makse
@@ -5712,18 +5780,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Muutke täislehelt rohkem võimalusi, nagu vara, seerianumbrid, partiid jne"
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksimaalsed jätkuvad päevad kehtivad
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ei kaasati Partii {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ei saa lammutada, sest see on juba {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ei saa lammutada, sest see on juba {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Nõutavad kontrollid
 DocType: Task,Total Expense Claim (via Expense Claim),Kogukulude nõue (via kuluhüvitussüsteeme)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark leidu
 DocType: Job Applicant Source,Job Applicant Source,Tööpakkuja allikas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST summa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST summa
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Ettevõtte seadistamine ebaõnnestus
 DocType: Asset Repair,Asset Repair,Varade parandamine
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rida {0}: valuuta Bom # {1} peaks olema võrdne valitud valuuta {2}
 DocType: Journal Entry Account,Exchange Rate,Vahetuskurss
 DocType: Patient,Additional information regarding the patient,Täiendav teave patsiendi kohta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Sales Order {0} ei ole esitatud
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Sales Order {0} ei ole esitatud
 DocType: Homepage,Tag Line,tag Line
 DocType: Fee Component,Fee Component,Fee Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Fleet Management
@@ -5738,7 +5806,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobiilne
 ,Sales Person-wise Transaction Summary,Müük isikuviisilist Tehing kokkuvõte
 DocType: Training Event,Contact Number,Kontakt arv
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Ladu {0} ei ole olemas
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Ladu {0} ei ole olemas
 DocType: Cashier Closing,Custody,Hooldusõigus
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Töötaja maksuvabastuse tõendamine
 DocType: Monthly Distribution,Monthly Distribution Percentages,Kuu jaotusprotsentide
@@ -5753,7 +5821,7 @@
 DocType: Payment Entry,Paid Amount,Paide summa
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Tutvuge müügitsükliga
 DocType: Assessment Plan,Supervisor,juhendaja
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Hoidlate sissekanne
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Hoidlate sissekanne
 ,Available Stock for Packing Items,Saadaval Stock jaoks asjade pakkimist
 DocType: Item Variant,Item Variant,Punkt Variant
 ,Work Order Stock Report,Töökorralduse aruanne
@@ -5762,9 +5830,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Juhendajana
 DocType: Leave Policy Detail,Leave Policy Detail,Jätke Policy Detail
 DocType: BOM Scrap Item,BOM Scrap Item,Bom Vanametalli toode
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Esitatud tellimusi ei saa kustutada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jääk juba Deebetkaart, sa ei tohi seada &quot;Balance tuleb&quot; nagu &quot;Credit&quot;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Kvaliteedijuhtimine
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Esitatud tellimusi ei saa kustutada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jääk juba Deebetkaart, sa ei tohi seada &quot;Balance tuleb&quot; nagu &quot;Credit&quot;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Kvaliteedijuhtimine
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Punkt {0} on keelatud
 DocType: Project,Total Billable Amount (via Timesheets),Kogu tasuline kogus (ajaveebide kaudu)
 DocType: Agriculture Task,Previous Business Day,Eelmine tööpäev
@@ -5787,14 +5855,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Kulukeskuste
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Taaskäivitage liitumine
 DocType: Linked Plant Analysis,Linked Plant Analysis,Seotud taimeanalüüs
-DocType: Delivery Note,Transporter ID,Transpordi ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transpordi ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Väärtusettepanek
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Hinda kus tarnija valuuta konverteeritakse ettevõtte baasvaluuta
-DocType: Sales Invoice Item,Service End Date,Teenuse lõppkuupäev
+DocType: Purchase Invoice Item,Service End Date,Teenuse lõppkuupäev
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: ajastus on vastuolus rea {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Luba Zero Hindamine Rate
 DocType: Bank Guarantee,Receiving,Vastuvõtmine
 DocType: Training Event Employee,Invited,Kutsutud
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup Gateway kontosid.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup Gateway kontosid.
 DocType: Employee,Employment Type,Tööhõive tüüp
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Põhivara
 DocType: Payment Entry,Set Exchange Gain / Loss,Määra Exchange kasum / kahjum
@@ -5810,7 +5879,7 @@
 DocType: Tax Rule,Sales Tax Template,Sales Tax Mall
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Maksma hüvitisnõuet
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Värskenda kulukeskuse numbrit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,"Valige objekt, et salvestada arve"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,"Valige objekt, et salvestada arve"
 DocType: Employee,Encashment Date,Inkassatsioon kuupäev
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Erimudeli mall
@@ -5818,12 +5887,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Vaikimisi Tegevus Maksumus olemas Tegevuse liik - {0}
 DocType: Work Order,Planned Operating Cost,Planeeritud töökulud
 DocType: Academic Term,Term Start Date,Term Start Date
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Kõigi aktsiate tehingute nimekiri
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Kõigi aktsiate tehingute nimekiri
+DocType: Supplier,Is Transporter,Kas Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Impordi müügiarve alates Shopifyist, kui Makse on märgitud"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Krahv
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Tuleb määrata nii katseperioodi alguskuupäev kui ka katseperioodi lõppkuupäev
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Keskmine määr
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksete kogusumma maksegraafikus peab olema võrdne Suur / Ümardatud Kokku
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksete kogusumma maksegraafikus peab olema võrdne Suur / Ümardatud Kokku
 DocType: Subscription Plan Detail,Plan,Plaan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bank avaldus tasakaalu kohta pearaamat
 DocType: Job Applicant,Applicant Name,Taotleja nimi
@@ -5851,10 +5921,10 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Saadaval Kogus tekkekohas Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garantii
 DocType: Purchase Invoice,Debit Note Issued,Deebetarvega
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Kulukeskusest lähtuv filter põhineb ainult juhul, kui Eelarve jätkuvalt on valitud kulukeskuseks"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Kulukeskusest lähtuv filter põhineb ainult juhul, kui Eelarve jätkuvalt on valitud kulukeskuseks"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Otsi üksuse koodi, seerianumbri, partii nr või vöötkoodi järgi"
 DocType: Work Order,Warehouses,Laod
-apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} vara ei saa üle
+apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} vara ei saa üle kanda
 DocType: Hotel Room Pricing,Hotel Room Pricing,Hotelli toa hinnakujundus
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py +121,"Can not mark Inpatient Record Discharged, there are Unbilled Invoices {0}","Ei saa märkida statsionaarset registrit tühjaks, on Unbilled kontod {0}"
 DocType: Subscription,Days Until Due,Päevad Kuni Nõue
@@ -5862,9 +5932,9 @@
 DocType: Workstation,per hour,tunnis
 DocType: Blanket Order,Purchasing,ostmine
 DocType: Announcement,Announcement,teade
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Kliendi LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Kliendi LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Ravimipartii põhineb Student Group, Student Partii on kinnitatud igale õpilasele programmist Registreerimine."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Ladu ei saa kustutada, kuna laožurnaal kirjet selle lattu."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Ladu ei saa kustutada, kuna laožurnaal kirjet selle lattu."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribution
 DocType: Journal Entry Account,Loan,Laen
 DocType: Expense Claim Advance,Expense Claim Advance,Kulude nõude ettemakse
@@ -5873,7 +5943,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projektijuht
 ,Quoted Item Comparison,Tsiteeritud Punkt võrdlus
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Kattuvus punktides {0} ja {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dispatch
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dispatch
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max allahindlust lubatud kirje: {0} on {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Puhasväärtuse nii edasi
 DocType: Crop,Produce,Toota
@@ -5883,20 +5953,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Materjalitarbimine valmistamiseks
 DocType: Item Alternative,Alternative Item Code,Alternatiivne tootekood
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Roll, mis on lubatud esitada tehinguid, mis ületavad laenu piirmäärade."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Vali Pane Tootmine
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Vali Pane Tootmine
 DocType: Delivery Stop,Delivery Stop,Kättetoimetamise peatamine
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master andmete sünkroonimine, see võib võtta aega"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master andmete sünkroonimine, see võib võtta aega"
 DocType: Item,Material Issue,Materjal Issue
 DocType: Employee Education,Qualification,Kvalifikatsioonikeskus
 DocType: Item Price,Item Price,Toode Hind
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Seep ja Detergent
 DocType: BOM,Show Items,Näita Esemed
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Time ei saa olla suurem kui ajalt.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Kas soovite teavitada kõiki kliente e-posti teel?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Kas soovite teavitada kõiki kliente e-posti teel?
 DocType: Subscription Plan,Billing Interval,Arveldusperiood
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Tellitud
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Tegelik alguskuupäev ja tegelik lõppkuupäev on kohustuslikud
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klient&gt; Kliendi Grupp&gt; Territoorium
 DocType: Salary Detail,Component,komponent
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Rida {0}: {1} peab olema suurem kui 0
 DocType: Assessment Criteria,Assessment Criteria Group,Hindamiskriteeriumid Group
@@ -5927,11 +5998,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Enne esitamist sisestage panga või krediidiasutuse nimi.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} tuleb esitada
 DocType: POS Profile,Item Groups,Punkt Groups
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Täna on {0} &#39;s sünnipäeva!
 DocType: Sales Order Item,For Production,Tootmiseks
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Konto valuuta saldo
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Palun lisage ajutine avamise konto arveldusarvele
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Palun lisage ajutine avamise konto arveldusarvele
 DocType: Customer,Customer Primary Contact,Kliendi esmane kontakt
 DocType: Project Task,View Task,Vaata Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Plii%
@@ -5944,18 +6014,18 @@
 DocType: Sales Invoice,Get Advances Received,Saa ettemaksed
 DocType: Email Digest,Add/Remove Recipients,Add / Remove saajad
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Et määrata selle Fiscal Year as Default, kliki &quot;Set as Default&quot;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDSi maha arvata
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDSi maha arvata
 DocType: Production Plan,Include Subcontracted Items,Kaasa alltöövõtuga seotud üksused
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,liituma
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Puuduse Kogus
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,liituma
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Puuduse Kogus
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute
 DocType: Loan,Repay from Salary,Tagastama alates Palk
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},TELLIN tasumises {0} {1} jaoks kogus {2}
 DocType: Additional Salary,Salary Slip,Palgatõend
 DocType: Lead,Lost Quotation,Kaotatud Tsitaat
 apps/erpnext/erpnext/utilities/user_progress.py +221,Student Batches,Õpilaste partiid
 DocType: Pricing Rule,Margin Rate or Amount,Varu määra või summat
-apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,"&quot;Selleks, et kuupäev&quot; on vajalik"
+apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,"""Selle kuupäevani"" on vajalik"
 DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Loo pakkimine libiseb paketid saadetakse. Kasutatud teatama paketi number, pakendi sisu ning selle kaalu."
 apps/erpnext/erpnext/projects/doctype/project/project.py +90,Task weight cannot be negative,Ülesande kaal ei tohi olla negatiivne
 DocType: Sales Invoice Item,Sales Order Item,Sales Order toode
@@ -5964,7 +6034,7 @@
 DocType: Patient,Dormant,magav
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Mahaarvatud maksud seoses taotlemata töötajate hüvitistega
 DocType: Salary Slip,Total Interest Amount,Intressimäära kogusumma
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Ladude tütartippu ei saa ümber arvestusraamatust
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Ladude tütartippu ei saa ümber arvestusraamatust
 DocType: BOM,Manage cost of operations,Manage tegevuste kuludest
 DocType: Accounts Settings,Stale Days,Stale päevad
 DocType: Travel Itinerary,Arrival Datetime,Saabumise kuupäev
@@ -5976,7 +6046,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Hindamise tulemused teave
 DocType: Employee Education,Employee Education,Töötajate haridus
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplicate kirje rühm leidis elemendi rühma tabelis
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"See on vajalik, et tõmbad Punkt Details."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"See on vajalik, et tõmbad Punkt Details."
 DocType: Fertilizer,Fertilizer Name,Väetise nimi
 DocType: Salary Slip,Net Pay,Netopalk
 DocType: Cash Flow Mapping Accounts,Account,Konto
@@ -5987,14 +6057,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Loo eraldi hüvitise taotlusele esitatav sissekanne
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Palaviku olemasolu (temp&gt; 38,5 ° C / 101,3 ° F või püsiv temp&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Sales Team Üksikasjad
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Kustuta jäädavalt?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Kustuta jäädavalt?
 DocType: Expense Claim,Total Claimed Amount,Kokku nõutav summa
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentsiaalne võimalusi müüa.
 DocType: Shareholder,Folio no.,Folio nr
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Vale {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Haiguslehel
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,ei ole
 DocType: Delivery Note,Billing Address Name,Arved Aadress Nimi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Kaubamajad
 ,Item Delivery Date,Kauba kohaletoimetamise kuupäev
@@ -6010,16 +6079,16 @@
 DocType: Account,Chargeable,Maksustatav
 DocType: Company,Change Abbreviation,Muuda lühend
 DocType: Contract,Fulfilment Details,Täitmise üksikasjad
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Maksa {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Maksa {0} {1}
 DocType: Employee Onboarding,Activities,Tegevused
 DocType: Expense Claim Detail,Expense Date,Kulu kuupäev
 DocType: Item,No of Months,Kuude arv
 DocType: Item,Max Discount (%),Max Discount (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Krediitpäevade arv ei saa olla negatiivne
-DocType: Sales Invoice Item,Service Stop Date,Teenuse lõpetamise kuupäev
+DocType: Purchase Invoice Item,Service Stop Date,Teenuse lõpetamise kuupäev
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Viimati tellimuse summa
 DocType: Cash Flow Mapper,e.g Adjustments for:,nt korrigeerimised:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Säilitusproov põhineb partiil, palun kontrollige, kas on olemas partii nr, et objekti proovi säilitada"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Säilitusproov põhineb partiil, palun kontrollige, kas on olemas partii nr, et objekti proovi säilitada"
 DocType: Task,Is Milestone,Kas Milestone
 DocType: Certification Application,Yet to appear,Kuid ilmuda
 DocType: Delivery Stop,Email Sent To,Saadetud e-
@@ -6027,16 +6096,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Lubage kulukeskusel bilansikonto sisestamisel
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Ühine olemasoleva kontoga
 DocType: Budget,Warn,Hoiatama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Kõik üksused on selle töökorralduse jaoks juba üle antud.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Kõik üksused on selle töökorralduse jaoks juba üle antud.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Muid märkusi, tähelepanuväärne jõupingutusi, et peaks minema arvestust."
 DocType: Asset Maintenance,Manufacturing User,Tootmine Kasutaja
 DocType: Purchase Invoice,Raw Materials Supplied,Tarnitud tooraine
 DocType: Subscription Plan,Payment Plan,Makseplaan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Võimaldage toodete ostmine veebisaidi kaudu
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Hinnakirja {0} vääring peab olema {1} või {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Tellimishaldamine
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Tellimishaldamine
 DocType: Appraisal,Appraisal Template,Hinnang Mall
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Pin koodi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Pin koodi
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Märkige see, et lubada planeeritud igapäevase sünkroonimise rutiini"
 DocType: Item Group,Item Classification,Punkt klassifitseerimine
@@ -6046,6 +6115,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Arve Patsiendi registreerimine
 DocType: Crop,Period,Periood
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,General Ledger
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Eelarveaastaks
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Vaata Leads
 DocType: Program Enrollment Tool,New Program,New Program
 DocType: Item Attribute Value,Attribute Value,Omadus Value
@@ -6054,11 +6124,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Soovitatav Reorder Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Töötajal {0} palgaastmel {1} pole vaikimisi puhkusepoliitikat
 DocType: Salary Detail,Salary Detail,palk Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Palun valige {0} Esimene
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Palun valige {0} Esimene
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Lisatud {0} kasutajat
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",Mitmekordsete programmide korral määratakse Kliendid automaatselt asjaomasele tasemele vastavalt nende kasutatud kuludele
 DocType: Appointment Type,Physician,Arst
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Partii {0} Punkt {1} on aegunud.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Partii {0} Punkt {1} on aegunud.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konsultatsioonid
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Lõppenud hea
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Punkt Hind kuvatakse mitu korda Hinnakirja, Tarnija / Kliendi, Valuuta, Kirje, UOMi, Koguse ja Kuupäevade alusel."
@@ -6067,22 +6137,21 @@
 DocType: Certification Application,Name of Applicant,Taotleja nimi
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Aeg Sheet valmistamiseks.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,osakokkuvõte
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Variandi omadusi pole võimalik vahetada pärast aktsiatehingut. Selle tegemiseks peate tegema uue punkti.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Variandi omadusi pole võimalik vahetada pärast aktsiatehingut. Selle tegemiseks peate tegema uue punkti.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA volitus
 DocType: Healthcare Practitioner,Charges,Süüdistused
 DocType: Production Plan,Get Items For Work Order,Hankige tooteid töökorralduseks
 DocType: Salary Detail,Default Amount,Vaikimisi summa
 DocType: Lab Test Template,Descriptive,Kirjeldav
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Ladu ei leitud süsteemis
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Selle kuu kokkuvõte
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Selle kuu kokkuvõte
 DocType: Quality Inspection Reading,Quality Inspection Reading,Quality Inspection Reading
-apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Varud Vanemad Than` peab olema väiksem kui% d päeva.
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Külmuta varud vanemad kui` peab olema väiksem kui% d päeva.
 DocType: Tax Rule,Purchase Tax Template,Ostumaks Mall
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Määrake müügieesmärk, mida soovite oma ettevõtte jaoks saavutada."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Tervishoiuteenused
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Tervishoiuteenused
 ,Project wise Stock Tracking,Projekti tark Stock Tracking
 DocType: GST HSN Code,Regional,piirkondlik
-DocType: Delivery Note,Transport Mode,Transpordirežiim
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratoorium
 DocType: UOM Category,UOM Category,UOMi kategooria
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Tegelik Kogus (tekkekohas / target)
@@ -6105,17 +6174,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Veebisaidi loomine ebaõnnestus
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry on juba loodud või Proovi Kogus pole esitatud
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry on juba loodud või Proovi Kogus pole esitatud
 DocType: Program,Program Abbreviation,programm lühend
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Tootmine tellimust ei ole võimalik vastu tekitatud Punkt Mall
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Maksud uuendatakse ostutšekk iga punkti
 DocType: Warranty Claim,Resolved By,Lahendatud
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Ajakava tühjendamine
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Tšekid ja hoiused valesti puhastatud
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Konto {0} Te ei saa määrata ise vanemakonto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Konto {0} Te ei saa määrata ise vanemakonto
 DocType: Purchase Invoice Item,Price List Rate,Hinnakiri Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Loo klientide hinnapakkumisi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Teenuse lõpetamise kuupäev ei saa olla pärast teenuse lõppkuupäeva
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Teenuse lõpetamise kuupäev ei saa olla pärast teenuse lõppkuupäeva
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Show &quot;In Stock&quot; või &quot;Ei ole laos&quot; põhineb laos olemas see lattu.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Materjaliandmik (BOM)
 DocType: Item,Average time taken by the supplier to deliver,"Keskmine aeg, mis kulub tarnija andma"
@@ -6127,11 +6196,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Tööaeg
 DocType: Project,Expected Start Date,Oodatud Start Date
 DocType: Purchase Invoice,04-Correction in Invoice,04-korrigeerimine arvel
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Töökorraldus on juba loodud kõigi BOM-iga üksustega
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Töökorraldus on juba loodud kõigi BOM-iga üksustega
 DocType: Payment Request,Party Details,Pidu üksikasjad
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variandi üksikasjade aruanne
 DocType: Setup Progress Action,Setup Progress Action,Seadista edu toiming
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Ostute hinnakiri
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Ostute hinnakiri
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Eemalda kirje, kui makse ei kohaldata selle objekti"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Tellimuse tühistamine
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Palun valige Hooldus olek lõpule viidud või eemaldage lõpuleviimise kuupäev
@@ -6149,7 +6218,7 @@
 DocType: Asset,Disposal Date,müügikuupäevaga
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Kirjad saadetakse kõigile aktiivsetele Ettevõtte töötajad on teatud tunnil, kui neil ei ole puhkus. Vastuste kokkuvõte saadetakse keskööl."
 DocType: Employee Leave Approver,Employee Leave Approver,Töötaja Jäta Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: an Reorder kirje on juba olemas selle lao {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: an Reorder kirje on juba olemas selle lao {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Ei saa kuulutada kadunud, sest Tsitaat on tehtud."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP konto
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,koolitus tagasiside
@@ -6161,7 +6230,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Praeguseks ei saa enne kuupäevast alates
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Sektsiooni jalus
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Klienditeenindus Lisa / uuenda Hinnad
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Klienditeenindus Lisa / uuenda Hinnad
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Töövõtjate edendamist ei saa esitada enne edutamise kuupäeva
 DocType: Batch,Parent Batch,Vanem Partii
 DocType: Cheque Print Template,Cheque Print Template,Tšekk Prindi Mall
@@ -6171,6 +6240,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Proovide kogu
 ,Requested Items To Be Ordered,Taotlenud objekte tuleb tellida
 DocType: Price List,Price List Name,Hinnakiri nimi
+DocType: Delivery Stop,Dispatch Information,Saatmisinfo
 DocType: Blanket Order,Manufacturing,Tootmine
 ,Ordered Items To Be Delivered,Tellitud Esemed tuleb tarnida
 DocType: Account,Income,Sissetulek
@@ -6189,17 +6259,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} ühikut {1} vaja {2} kohta {3} {4} ja {5} tehingu lõpuleviimiseks.
 DocType: Fee Schedule,Student Category,Student Kategooria
 DocType: Announcement,Student,õpilane
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lao kogus menetluse alustamiseks pole laos saadaval. Kas soovite salvestada varude ülekande
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lao kogus menetluse alustamiseks pole laos saadaval. Kas soovite salvestada varude ülekande
 DocType: Shipping Rule,Shipping Rule Type,Saatmise reegli tüüp
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Mine tuba
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Ettevõte, maksekonto, alates kuupäevast kuni kuupäevani on kohustuslik"
 DocType: Company,Budget Detail,Eelarve Detail
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Palun sisesta enne saatmist
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Duplikaadi TARNIJA
-DocType: Email Digest,Pending Quotations,Kuni tsitaadid
-DocType: Delivery Note,Distance (KM),Kaugus (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Tarnija&gt; Tarnijagrupp
 DocType: Asset,Custodian,Turvahoidja
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale profiili
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale profiili
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} peaks olema väärtus vahemikus 0 kuni 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{0} maksmine alates {1} kuni {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Tagatiseta laenud
@@ -6231,10 +6300,10 @@
 DocType: Lead,Converted,Converted
 DocType: Item,Has Serial No,Kas Serial No
 DocType: Employee,Date of Issue,Väljastamise kuupäev
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nagu iga ostmine Seaded kui ost Olles kätte sobiv == &quot;JAH&quot;, siis luua ostuarve, kasutaja vaja luua ostutšekk esmalt toode {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nagu iga ostmine Seaded kui ost Olles kätte sobiv == &quot;JAH&quot;, siis luua ostuarve, kasutaja vaja luua ostutšekk esmalt toode {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Vali Tarnija kirje {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Rida {0}: Tundi väärtus peab olema suurem kui null.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Koduleht Pilt {0} juurde Punkt {1} ei leitud
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Koduleht Pilt {0} juurde Punkt {1} ei leitud
 DocType: Issue,Content Type,Sisu tüüp
 DocType: Asset,Assets,Varad
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Arvuti
@@ -6245,7 +6314,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} ei eksisteeri
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Palun kontrollige Multi Valuuta võimalust anda kontosid muus valuutas
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Eseme: {0} ei eksisteeri süsteemis
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Teil ei ole seada Külmutatud väärtus
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Teil ei ole seada Külmutatud väärtus
 DocType: Payment Reconciliation,Get Unreconciled Entries,Võta unreconciled kanded
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Töötaja {0} on lahkunud {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Ajakirjanikele ei valitud tagasimakseid
@@ -6263,13 +6332,14 @@
 ,Average Commission Rate,Keskmine Komisjoni Rate
 DocType: Share Balance,No of Shares,Aktsiate arv
 DocType: Taxable Salary Slab,To Amount,Summani
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&quot;Kas Serial No&quot; ei saa olla &quot;Jah&quot; mitte-laoartikkel
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Omab seeria numbrit"" ei saa olla ""Jah"" mitte-laoartikli jaoks"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Valige olek
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Osavõtt märkida ei saa tulevikus kuupäev
 DocType: Support Search Source,Post Description Key,Postituse kirjeldus võti
 DocType: Pricing Rule,Pricing Rule Help,Hinnakujundus Reegel Abi
 DocType: School House,House Name,House Nimi
 DocType: Fee Schedule,Total Amount per Student,Summa üliõpilase kohta
+DocType: Opportunity,Sales Stage,Müügiaasta
 DocType: Purchase Taxes and Charges,Account Head,Konto Head
 DocType: Company,HRA Component,HRA komponent
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektriline
@@ -6277,15 +6347,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Kokku Väärtus Difference (Out - In)
 DocType: Grant Application,Requested Amount,Taotletav summa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Vahetuskurss on kohustuslik
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Kasutaja ID ei seatud Töötaja {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Kasutaja ID ei seatud Töötaja {0}
 DocType: Vehicle,Vehicle Value,sõiduki väärtusest
 DocType: Crop Cycle,Detected Diseases,Tuvastatud haigused
 DocType: Stock Entry,Default Source Warehouse,Vaikimisi Allikas Warehouse
 DocType: Item,Customer Code,Kliendi kood
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Sünnipäev Meeldetuletus {0}
 DocType: Asset Maintenance Task,Last Completion Date,Viimase täitmise kuupäev
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Päeva eelmisest Telli
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Kanne konto peab olema bilansis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Kanne konto peab olema bilansis
 DocType: Asset,Naming Series,Nimetades Series
 DocType: Vital Signs,Coated,Kaetud
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rida {0}: eeldatav väärtus pärast kasulikku elu peab olema väiksem brutoosakogusest
@@ -6303,15 +6372,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Toimetaja märkus {0} ei tohi esitada
 DocType: Notification Control,Sales Invoice Message,Müügiarve Message
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Konto sulgemise {0} tüüp peab olema vastutus / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Palgatõend töötaja {0} on juba loodud ajaandmik {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Palgatõend töötaja {0} on juba loodud ajaandmik {1}
 DocType: Vehicle Log,Odometer,odomeetri
 DocType: Production Plan Item,Ordered Qty,Tellitud Kogus
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Punkt {0} on keelatud
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Punkt {0} on keelatud
 DocType: Stock Settings,Stock Frozen Upto,Stock Külmutatud Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,Bom ei sisalda laoartikkel
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,Bom ei sisalda laoartikkel
 DocType: Chapter,Chapter Head,Peatükk Head
 DocType: Payment Term,Month(s) after the end of the invoice month,Kuu (kuud) pärast arve kuu lõppu
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Palgakonstruktsioonil peaks olema hüvitise saamiseks liiga paindlik hüvitiseosa
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Palgakonstruktsioonil peaks olema hüvitise saamiseks liiga paindlik hüvitiseosa
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projekti tegevus / ülesanne.
 DocType: Vital Signs,Very Coated,Väga kaetud
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Ainult maksualane mõju (ei saa nõuda vaid osa tulumaksust)
@@ -6329,13 +6398,13 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Arved Tundi
 DocType: Project,Total Sales Amount (via Sales Order),Müügi kogusumma (müügitellimuse kaudu)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Vaikimisi Bom {0} ei leitud
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: määrake reorganiseerima kogusest
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: määrake reorganiseerima kogusest
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Puuduta Toodete lisamiseks neid siin
 DocType: Fees,Program Enrollment,programm Registreerimine
 DocType: Share Transfer,To Folio No,Folli nr
 DocType: Landed Cost Voucher,Landed Cost Voucher,Maandus Cost Voucher
 apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Palun määra {0}
-apps/erpnext/erpnext/education/doctype/student_group/student_group.py +37,{0} - {1} is inactive student,{0} - {1} ei ole aktiivne üliõpilane
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py +37,{0} - {1} is inactive student,{0} - {1} on mitteaktiivne õpilane
 DocType: Employee,Health Details,Tervis Üksikasjad
 DocType: Leave Encashment,Encashable days,Encashable päeva
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +30,To create a Payment Request reference document is required,Et luua maksenõude viide dokument on nõutav
@@ -6369,9 +6438,9 @@
 DocType: SG Creation Tool Course,Max Strength,max Strength
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Eelseadistuste installimine
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Kliendi jaoks pole valitud tarne märkust {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Kliendi jaoks pole valitud tarne märkust {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Töötaja {0} ei ole maksimaalse hüvitise suurust
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,"Valige üksused, mis põhinevad kohaletoimetamise kuupäeval"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,"Valige üksused, mis põhinevad kohaletoimetamise kuupäeval"
 DocType: Grant Application,Has any past Grant Record,Kas on minevikus Grant Record
 ,Sales Analytics,Müük Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Saadaval {0}
@@ -6379,12 +6448,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Tootmine Seaded
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Seadistamine E-
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Palun sisesta vaikimisi valuuta Company Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Palun sisesta vaikimisi valuuta Company Master
 DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Daily meeldetuletused
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Daily meeldetuletused
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Vaadake kõiki avatud pileteid
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Tervishoiuteenuse üksuse puu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Toode
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Toode
 DocType: Products Settings,Home Page is Products,Esileht on tooted
 ,Asset Depreciation Ledger,Varade amortisatsioon Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Jäta päevas olev kogusumma
@@ -6394,8 +6463,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Tarnitud tooraine kulu
 DocType: Selling Settings,Settings for Selling Module,Seaded Müük Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotelli toa reserveerimine
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Kasutajatugi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Kasutajatugi
 DocType: BOM,Thumbnail,Pisipilt
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,E-posti ID-dega kontakte ei leitud.
 DocType: Item Customer Detail,Item Customer Detail,Punkt Kliendi Detail
 DocType: Notification Control,Prompt for Email on Submission of,Küsiks Email esitamisel
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Töötaja maksimaalne hüvitise summa {0} ületab {1}
@@ -6405,13 +6475,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Punkt {0} peab olema laoartikkel
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Vaikimisi Work In Progress Warehouse
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",Kas soovite {0} kattuvate ajakavade jätkata pärast ülekattega teenindusaegade vahelejätmist?
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Vaikimisi seadete raamatupidamistehingute.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Vaikimisi seadete raamatupidamistehingute.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Lehed
 DocType: Restaurant,Default Tax Template,Default tax template
-apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Õpilased on registreeritud
+apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} õpilast on registreeritud
 DocType: Fees,Student Details,Õpilase üksikasjad
 DocType: Purchase Invoice Item,Stock Qty,stock Kogus
 DocType: Contract,Requires Fulfilment,Nõuab täitmist
+DocType: QuickBooks Migrator,Default Shipping Account,Vaikimisi kohaletoimetamise konto
 DocType: Loan,Repayment Period in Months,Tagastamise tähtaeg kuudes
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Viga: Ei kehtivat id?
 DocType: Naming Series,Update Series Number,Värskenda seerianumbri
@@ -6425,11 +6496,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksimaalne summa
 DocType: Journal Entry,Total Amount Currency,Kokku Summa Valuuta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Otsi Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Kood nõutav Row No {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Kood nõutav Row No {0}
 DocType: GST Account,SGST Account,SGST konto
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Avage üksused
 DocType: Sales Partner,Partner Type,Partner Type
-DocType: Purchase Taxes and Charges,Actual,Tegelik
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Tegelik
 DocType: Restaurant Menu,Restaurant Manager,Restoranijuht
 DocType: Authorization Rule,Customerwise Discount,Customerwise Soodus
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Töögraafik ülesannete.
@@ -6450,7 +6521,7 @@
 DocType: Employee,Cheque,Tšekk
 DocType: Training Event,Employee Emails,Töötaja e-kirjad
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Seeria Uuendatud
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Aruande tüüp on kohustuslik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Aruande tüüp on kohustuslik
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Ladu on kohustuslik laos Punkt {0} järjest {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Jae- ja hulgimüük
@@ -6480,7 +6551,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Makse tellimuse summa uuendamine
 DocType: BOM,Materials,Materjalid
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Kui ei kontrollita, nimekirja tuleb lisada iga osakond, kus tuleb rakendada."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Postitamise kuupäev ja postitad aega on kohustuslik
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Postitamise kuupäev ja postitad aega on kohustuslik
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Maksu- malli osta tehinguid.
 ,Item Prices,Punkt Hinnad
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Sõnades on nähtav, kui salvestate tellimusele."
@@ -6496,12 +6567,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Varade amortisatsiooni kanne (ajakirja kandmine)
 DocType: Membership,Member Since,Liige alates
 DocType: Purchase Invoice,Advance Payments,Ettemaksed
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Valige tervishoiuteenus
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Valige tervishoiuteenus
 DocType: Purchase Taxes and Charges,On Net Total,On Net kokku
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Väärtus Oskus {0} peab olema vahemikus {1} kuni {2} on juurdekasvuga {3} jaoks Punkt {4}
 DocType: Restaurant Reservation,Waitlisted,Ootati
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Erandkategooria
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuuta ei saa muuta pärast kande tegemiseks kasutada mõne muu valuuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuuta ei saa muuta pärast kande tegemiseks kasutada mõne muu valuuta
 DocType: Shipping Rule,Fixed,Fikseeritud
 DocType: Vehicle Service,Clutch Plate,Siduriketas
 DocType: Company,Round Off Account,Ümardada konto
@@ -6510,7 +6581,7 @@
 DocType: Subscription Plan,Based on price list,Hinnakirja alusel
 DocType: Customer Group,Parent Customer Group,Parent Kliendi Group
 DocType: Vehicle Service,Change,Muuda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Tellimine
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Tellimine
 DocType: Purchase Invoice,Contact Email,Kontakt E-
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Tasu loomine ootel
 DocType: Appraisal Goal,Score Earned,Skoor Teenitud
@@ -6537,23 +6608,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Laekumata / maksmata konto
 DocType: Delivery Note Item,Against Sales Order Item,Vastu Sales Order toode
 DocType: Company,Company Logo,Ettevõtte logo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Palun täpsustage omadus Väärtus atribuut {0}
-DocType: Item Default,Default Warehouse,Vaikimisi Warehouse
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Palun täpsustage omadus Väärtus atribuut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Vaikimisi Warehouse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Eelarve ei saa liigitada vastu Group Konto {0}
 DocType: Shopping Cart Settings,Show Price,Näita hinda
 DocType: Healthcare Settings,Patient Registration,Patsiendi registreerimine
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Palun sisestage vanem kulukeskus
 DocType: Delivery Note,Print Without Amount,Trüki Ilma summa
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Amortisatsioon kuupäev
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Amortisatsioon kuupäev
 ,Work Orders in Progress,Käimasolevad töökorraldused
 DocType: Issue,Support Team,Support Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Lõppemine (päevades)
 DocType: Appraisal,Total Score (Out of 5),Üldskoor (Out of 5)
 DocType: Student Attendance Tool,Batch,Partii
 DocType: Support Search Source,Query Route String,Päringutee string
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Värskendamismäär viimase ostu kohta
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Värskendamismäär viimase ostu kohta
 DocType: Donor,Donor Type,Doonorriigi tüüp
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Auto kordusdokument uuendatud
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Auto kordusdokument uuendatud
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Saldo
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Palun vali ettevõte
 DocType: Job Card,Job Card,Töökaart
@@ -6567,7 +6638,7 @@
 DocType: Assessment Result,Total Score,punkte kokku
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standard
 DocType: Journal Entry,Debit Note,Võlateate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Selles järjekorras saab maksta ainult {0} punkti.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Selles järjekorras saab maksta ainult {0} punkti.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Palun sisestage API tarbija saladus
 DocType: Stock Entry,As per Stock UOM,Nagu iga Stock UOM
@@ -6580,10 +6651,11 @@
 DocType: Journal Entry,Total Debit,Kokku Deebet
 DocType: Travel Request Costing,Sponsored Amount,Sponsoreeritud summa
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Vaikimisi valmistoodangu ladu
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Palun vali patsient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Palun vali patsient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Sales Person
 DocType: Hotel Room Package,Amenities,Lisavõimalused
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Eelarve ja Kulukeskus
+DocType: QuickBooks Migrator,Undeposited Funds Account,Rahuldamata rahaliste vahendite konto
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Eelarve ja Kulukeskus
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Mitu vaiketüüpi ei ole lubatud
 DocType: Sales Invoice,Loyalty Points Redemption,Lojaalsuspunktide lunastamine
 ,Appointment Analytics,Kohtumise analüüs
@@ -6597,6 +6669,7 @@
 DocType: Batch,Manufacturing Date,Valmistamise kuupäev
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Tasu loomine ebaõnnestus
 DocType: Opening Invoice Creation Tool,Create Missing Party,Loo kadunud poole
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Kogu eelarve
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Jäta tühjaks, kui teete õpilast rühmade aastas"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Kui see on märgitud, kokku ei. tööpäevade hulka puhkusereisid ja see vähendab väärtust Palk päevas"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Praeguse võtmega rakendused ei pääse juurde, kas olete kindel?"
@@ -6612,20 +6685,19 @@
 DocType: Opportunity Item,Basic Rate,Põhimäär
 DocType: GL Entry,Credit Amount,Krediidi summa
 DocType: Cheque Print Template,Signatory Position,allakirjutanu seisukoht
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Määra Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Määra Lost
 DocType: Timesheet,Total Billable Hours,Kokku tasustatavat tundi
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Päevade arv, mille jooksul tellija peab selle tellimuse kaudu koostatud arveid maksma"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Töövõtja hüvitise taotlemise üksikasjad
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Maksekviitung Märkus
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,See põhineb tehingute vastu Klient. Vaata ajakava allpool lähemalt
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rida {0}: Eraldatud summa {1} peab olema väiksem või võrdne maksmine Entry summa {2}
 DocType: Program Enrollment Tool,New Academic Term,Uus akadeemiline termin
 ,Course wise Assessment Report,Muidugi tark hindamisaruande
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Availed ITC riik / UT maks
 DocType: Tax Rule,Tax Rule,Maksueeskiri
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Säilitada sama kiirusega Kogu müügitsüklit
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Logige sisse turuplatsi registreerumiseks mõni teine kasutaja
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Logige sisse turuplatsi registreerumiseks mõni teine kasutaja
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plaani aeg kajakad väljaspool Workstation tööaega.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kliendid järjekorda
 DocType: Driver,Issuing Date,Väljaandmiskuupäev
@@ -6634,11 +6706,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Esitage see töökorraldus edasiseks töötlemiseks.
 ,Items To Be Requested,"Esemed, mida tuleb taotleda"
 DocType: Company,Company Info,Firma Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Valige või lisage uus klient
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Valige või lisage uus klient
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Kuluüksus on vaja broneerida kulu nõude
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Application of Funds (vara)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,See põhineb käimist selle töötaja
-DocType: Assessment Result,Summary,Kokkuvõte
 DocType: Payment Request,Payment Request Type,Makse taotluse tüüp
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Marki külastajate arv
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Deebetsaldoga konto
@@ -6646,7 +6717,7 @@
 DocType: Additional Salary,Employee Name,Töötaja nimi
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restorani tellimisseade
 DocType: Purchase Invoice,Rounded Total (Company Currency),Ümardatud kokku (firma Valuuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Ei varjatud rühma, sest Konto tüüp on valitud."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Ei varjatud rühma, sest Konto tüüp on valitud."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} on muudetud. Palun värskenda.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Peatus kasutajad tegemast Jäta Rakendused järgmistel päevadel.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Kui lojaalsuspunktide piiramatu kehtivusaeg lõpeb, säilitage aegumistähtaeg tühi või 0."
@@ -6667,11 +6738,12 @@
 DocType: Asset,Out of Order,Korrast ära
 DocType: Purchase Receipt Item,Accepted Quantity,Aktsepteeritud Kogus
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignoreeri tööjaama kattumist
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Palun Algsete Holiday nimekiri Töötajaportaali {0} või ettevõtte {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Palun Algsete Holiday nimekiri Töötajaportaali {0} või ettevõtte {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} pole olemas
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Valige partiinumbritele
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTINile
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTINile
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Arveid tõstetakse klientidele.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Arve määramine automaatselt
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Project Id
 DocType: Salary Component,Variable Based On Taxable Salary,Muutuja maksustatava palga alusel
 DocType: Company,Basic Component,Põhikomponent
@@ -6684,10 +6756,10 @@
 DocType: Stock Entry,Source Warehouse Address,Allika Warehouse Aadress
 DocType: GL Entry,Voucher Type,Voucher Type
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Hinnakiri ei leitud või puudega
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Hinnakiri ei leitud või puudega
 DocType: Student Applicant,Approved,Kinnitatud
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Hind
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Töötaja vabastati kohta {0} tuleb valida &#39;Vasak&#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Töötaja vabastati kohta {0} tuleb valida &#39;Vasak&#39;
 DocType: Marketplace Settings,Last Sync On,Viimane sünkroonimine on sisse lülitatud
 DocType: Guardian,Guardian,hooldaja
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Kõik teatised, kaasa arvatud ja sellest kõrgemad, viiakse uude emissiooni"
@@ -6710,14 +6782,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Valdkonnas tuvastatud haiguste loetelu. Kui see on valitud, lisab see haigusjuhtumite loendisse automaatselt nimekirja"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,See on root-tervishoiuteenuse üksus ja seda ei saa muuta.
 DocType: Asset Repair,Repair Status,Remondi olek
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Lisage müügipartnereid
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Raamatupidamine päevikukirjete.
 DocType: Travel Request,Travel Request,Reisi taotlus
 DocType: Delivery Note Item,Available Qty at From Warehouse,Saadaval Kogus kell laost
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Palun valige Töötaja Record esimene.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Osalemine pole esitatud {0} jaoks, kuna see on puhkus."
 DocType: POS Profile,Account for Change Amount,Konto muutuste summa
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Ühendamine QuickBooksiga
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Kasumi / kahjumi kogusumma
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Ettevõtte arvele sobimatu ettevõte.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Ettevõtte arvele sobimatu ettevõte.
 DocType: Purchase Invoice,input service,sisendteenus
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Pidu / konto ei ühti {1} / {2} on {3} {4}
 DocType: Employee Promotion,Employee Promotion,Töötajate edendamine
@@ -6726,12 +6800,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kursuse kood:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Palun sisestage ärikohtumisteks
 DocType: Account,Stock,Varu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",Rida # {0}: Reference Document Type peab olema üks ostutellimustest ostuarve või päevikusissekanne
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",Rida # {0}: Reference Document Type peab olema üks ostutellimustest ostuarve või päevikusissekanne
 DocType: Employee,Current Address,Praegune aadress
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Kui objekt on variant teise elemendi siis kirjeldus, pilt, hind, maksud jne seatakse malli, kui ei ole märgitud"
 DocType: Serial No,Purchase / Manufacture Details,Ostu / Tootmine Detailid
 DocType: Assessment Group,Assessment Group,Hinnang Group
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Partii Inventory
+DocType: Supplier,GST Transporter ID,GST Transporteri ID
 DocType: Procedure Prescription,Procedure Name,Menetluse nimi
 DocType: Employee,Contract End Date,Leping End Date
 DocType: Amazon MWS Settings,Seller ID,Müüja ID
@@ -6751,12 +6826,12 @@
 DocType: Company,Date of Incorporation,Liitumise kuupäev
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Kokku maksu-
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Viimase ostuhind
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Sest Kogus (Toodetud Kogus) on kohustuslik
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Sest Kogus (Toodetud Kogus) on kohustuslik
 DocType: Stock Entry,Default Target Warehouse,Vaikimisi Target Warehouse
 DocType: Purchase Invoice,Net Total (Company Currency),Net kokku (firma Valuuta)
 DocType: Delivery Note,Air,Õhk
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Aasta lõpu kuupäev ei saa olla varasem kui alguskuupäev. Palun paranda kuupäev ja proovi uuesti.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ei ole vabatahtlik puhkuse nimekiri
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ei ole vabatahtlik puhkuse nimekiri
 DocType: Notification Control,Purchase Receipt Message,Ostutšekk Message
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Vanametalli Esemed
@@ -6778,23 +6853,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Täitmine
 DocType: Purchase Taxes and Charges,On Previous Row Amount,On eelmise rea summa
 DocType: Item,Has Expiry Date,On aegumiskuupäev
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfer Asset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfer Asset
 DocType: POS Profile,POS Profile,POS profiili
 DocType: Training Event,Event Name,sündmus Nimi
 DocType: Healthcare Practitioner,Phone (Office),Telefon (kontor)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Ei saa esitada, Töötajad jäid kohaloleku märkimiseks"
 DocType: Inpatient Record,Admission,sissepääs
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Kordadega {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Hooajalisus jaoks eelarveid, eesmärgid jms"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Hooajalisus jaoks eelarveid, eesmärgid jms"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Muutuja Nimi
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Punkt {0} on mall, valige palun üks selle variandid"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Palun seadke töötaja nimesüsteem inimressurss&gt; HR-seaded
+DocType: Purchase Invoice Item,Deferred Expense,Edasilükatud kulu
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Alates Kuupäevast {0} ei saa olla enne töötaja liitumist Kuupäev {1}
 DocType: Asset,Asset Category,Põhivarakategoori
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Netopalk ei tohi olla negatiivne
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Netopalk ei tohi olla negatiivne
 DocType: Purchase Order,Advance Paid,Advance Paide
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Ületootmise protsent müügi tellimuse jaoks
 DocType: Item,Item Tax,Punkt Maksu-
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materjal Tarnija
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materjal Tarnija
 DocType: Soil Texture,Loamy Sand,Loamy Liiv
 DocType: Production Plan,Material Request Planning,Materjalitaotluse planeerimine
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Aktsiisi Arve
@@ -6816,11 +6893,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Ajastus Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Krediitkaart
 DocType: BOM,Item to be manufactured or repacked,Punkt tuleb toota või ümber
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Süntaksiviga tingimusel: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Süntaksiviga tingimusel: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Major / Valik
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Palun määrake seaded ostjate grupile.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Palun määrake seaded ostjate grupile.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Paindliku hüvitise kogusumma kogu summa {0} ei tohiks olla väiksem kui maksimaalsed soodustused {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Laev
 DocType: Driver,Suspended,Peatatud
@@ -6840,7 +6917,7 @@
 DocType: Customer,Commission Rate,Komisjonitasu määr
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Makse kirjed on edukalt loodud
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Loodud {0} tulemuskaardid {1} vahel:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Tee Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Tee Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Makse tüüp peab olema üks vastuvõtmine, palk ja Internal Transfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Eelistatud ala majutamiseks
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6851,7 +6928,7 @@
 DocType: Work Order,Actual Operating Cost,Tegelik töökulud
 DocType: Payment Entry,Cheque/Reference No,Tšekk / Viitenumber
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Juur ei saa muuta.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Juur ei saa muuta.
 DocType: Item,Units of Measure,Mõõtühikud
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Renditud Metro City
 DocType: Supplier,Default Tax Withholding Config,Default Tax Withholding Config
@@ -6869,21 +6946,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Pärast makse lõpetamist suunata kasutaja valitud leheküljele.
 DocType: Company,Existing Company,olemasolevad Company
 DocType: Healthcare Settings,Result Emailed,Tulemus saadetakse e-postiga
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Maksu- Kategooria on muudetud &quot;Kokku&quot;, sest kõik valikud on mitte-stock asjade"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Maksu- Kategooria on muudetud &quot;Kokku&quot;, sest kõik valikud on mitte-stock asjade"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Praeguseks ei saa olla võrdne või väiksem kuupäevast
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Miski ei muutu
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Palun valige csv faili
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Palun valige csv faili
 DocType: Holiday List,Total Holidays,Kogupäevad
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Saatmiseks puudub e-posti mall. Palun määrake see üksuse kohaletoimetamise seadetes.
 DocType: Student Leave Application,Mark as Present,Märgi olevik
 DocType: Supplier Scorecard,Indicator Color,Indikaatori värv
 DocType: Purchase Order,To Receive and Bill,Saada ja Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Rida # {0}: Reqd kuupäeva järgi ei saa olla enne Tehingu kuupäeva
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Rida # {0}: Reqd kuupäeva järgi ei saa olla enne Tehingu kuupäeva
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Soovitatavad tooted
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Valige seerianumber
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Valige seerianumber
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Projekteerija
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Tingimused Mall
 DocType: Serial No,Delivery Details,Toimetaja detailid
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Cost Center on vaja järjest {0} maksude tabel tüüp {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Cost Center on vaja järjest {0} maksude tabel tüüp {1}
 DocType: Program,Program Code,programmi kood
 DocType: Terms and Conditions,Terms and Conditions Help,Tingimused Abi
 ,Item-wise Purchase Register,Punkt tark Ostu Registreeri
@@ -6896,15 +6974,16 @@
 DocType: Contract,Contract Terms,Lepingutingimused
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ära näita tahes sümbol nagu $ jne kõrval valuutades.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Komponendi {0} maksimaalne hüvitise summa ületab {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Pool päeva)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Pool päeva)
 DocType: Payment Term,Credit Days,Krediidi päeva
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Palun valige laboratsete testide saamiseks patsient
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Tee Student Partii
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Luba ülekandmine tootmiseks
 DocType: Leave Type,Is Carry Forward,Kas kanda
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Võta Kirjed Bom
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Võta Kirjed Bom
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ooteaeg päeva
 DocType: Cash Flow Mapping,Is Income Tax Expense,Kas tulumaksukulu
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Teie tellimus on kohaletoimetamiseks!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rida # {0}: Postitamise kuupäev peab olema sama ostu kuupäevast {1} vara {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Märgi see, kui õpilane on elukoht instituudi Hostel."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Palun sisesta müügitellimuste ülaltoodud tabelis
@@ -6912,10 +6991,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transfer vara ühest laost teise
 DocType: Vehicle,Petrol,bensiin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Ülejäänud hüvitised (aastased)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Materjaliandmik
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Materjaliandmik
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Party tüüp ja partei on vajalik laekumata / maksmata konto {1}
 DocType: Employee,Leave Policy,Jäta poliitika välja
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Värskenda üksusi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Värskenda üksusi
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref kuupäev
 DocType: Employee,Reason for Leaving,Põhjus lahkumiseks
 DocType: BOM Operation,Operating Cost(Company Currency),Ekspluatatsioonikulud (firma Valuuta)
@@ -6926,7 +7005,7 @@
 DocType: Department,Expense Approvers,Kulude heakskiitmine
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: deebetkanne ei saa siduda koos {1}
 DocType: Journal Entry,Subscription Section,Tellimishind
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Konto {0} ei ole olemas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Konto {0} ei ole olemas
 DocType: Training Event,Training Program,Koolitusprogramm
 DocType: Account,Cash,Raha
 DocType: Employee,Short biography for website and other publications.,Lühike elulugu kodulehel ja teistes väljaannetes.
diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv
index f37a80c..f209a2a 100644
--- a/erpnext/translations/fa.csv
+++ b/erpnext/translations/fa.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,آیتم های مشتری
 DocType: Project,Costing and Billing,هزینه یابی و حسابداری
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},پول حساب پیشنهادی باید به صورت پولی شرکت باشد {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,حساب {0}: حساب مرجع {1} می تواند یک دفتر نمی
+DocType: QuickBooks Migrator,Token Endpoint,نقطه پایانی توکن
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,حساب {0}: حساب مرجع {1} می تواند یک دفتر نمی
 DocType: Item,Publish Item to hub.erpnext.com,مورد انتشار hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,می توانید دوره فعال خروج را پیدا نکنید
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,می توانید دوره فعال خروج را پیدا نکنید
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ارزیابی
 DocType: Item,Default Unit of Measure,واحد اندازه گیری پیش فرض
 DocType: SMS Center,All Sales Partner Contact,اطلاعات تماس تمام شرکای فروش
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,برای افزودن کلیک کنید
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",مقدار نامعتبر برای رمز عبور، کلید API یا Shopify URL
 DocType: Employee,Rented,اجاره
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,همه حسابها
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,همه حسابها
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,انتقال کارمند با وضعیت چپ امکان پذیر نیست
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",متوقف سفارش تولید نمی تواند لغو شود، آن را اولین Unstop برای لغو
 DocType: Vehicle Service,Mileage,مسافت پیموده شده
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,آیا شما واقعا می خواهید به قراضه این دارایی؟
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,آیا شما واقعا می خواهید به قراضه این دارایی؟
 DocType: Drug Prescription,Update Schedule,به روز رسانی برنامه
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,کننده پیش فرض انتخاب کنید
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,نمایش کارمند
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,نرخ ارز جدید
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},برای اطلاع از قیمت ارز مورد نیاز است {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},برای اطلاع از قیمت ارز مورد نیاز است {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* * * * آیا می شود در معامله محاسبه می شود.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT- .YYYY.-
 DocType: Purchase Order,Customer Contact,مشتریان تماس با
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,این است که در معاملات در برابر این کننده است. مشاهده جدول زمانی زیر برای جزئیات
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,درصد تولید بیش از حد برای سفارش کار
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV- .YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,حقوقی
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,حقوقی
+DocType: Delivery Note,Transport Receipt Date,تاریخ تحویل حمل و نقل
 DocType: Shopify Settings,Sales Order Series,سفارش سری فروش
 DocType: Vital Signs,Tongue,زبان
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,اخراج HRA
 DocType: Sales Invoice,Customer Name,نام مشتری
 DocType: Vehicle,Natural Gas,گاز طبیعی
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},حساب بانکی می تواند به عنوان نمی شود به نام {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},حساب بانکی می تواند به عنوان نمی شود به نام {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA به عنوان ساختار حقوق و دستمزد
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سر (یا گروه) که در برابر مطالب حسابداری ساخته شده است و توازن حفظ می شوند.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),برجسته برای {0} نمی تواند کمتر از صفر ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,تاریخ توقف خدمات نمی تواند قبل از تاریخ شروع سرویس باشد
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,تاریخ توقف خدمات نمی تواند قبل از تاریخ شروع سرویس باشد
 DocType: Manufacturing Settings,Default 10 mins,پیش فرض 10 دقیقه
 DocType: Leave Type,Leave Type Name,ترک نام نوع
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,نشان می دهد باز
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,نشان می دهد باز
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,سری به روز رسانی با موفقیت
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,وارسی
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} در ردیف {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} در ردیف {1}
 DocType: Asset Finance Book,Depreciation Start Date,تاریخ شروع تخلیه
 DocType: Pricing Rule,Apply On,درخواست در
 DocType: Item Price,Multiple Item prices.,قیمت مورد چندگانه.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,تنظیمات پشتیبانی
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,انتظار می رود تاریخ پایان نمی تواند کمتر از حد انتظار تاریخ شروع
 DocType: Amazon MWS Settings,Amazon MWS Settings,آمازون MWS تنظیمات
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ردیف # {0}: نرخ باید به همان صورت {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ردیف # {0}: نرخ باید به همان صورت {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,دسته ای مورد وضعیت انقضاء
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,حواله بانکی
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV- .YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,اطلاعات تماس اولیه
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,مسائل باز
 DocType: Production Plan Item,Production Plan Item,تولید مورد طرح
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},کاربر {0} در حال حاضر به کارکنان اختصاص داده {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},کاربر {0} در حال حاضر به کارکنان اختصاص داده {1}
 DocType: Lab Test Groups,Add new line,اضافه کردن خط جدید
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,بهداشت و درمان
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),تاخیر در پرداخت (روز)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,نسخه آزمایشگاهی
 ,Delay Days,روزهای تأخیر
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,هزینه خدمات
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},شماره سریال: {0} در حال حاضر در فاکتور فروش اشاره: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},شماره سریال: {0} در حال حاضر در فاکتور فروش اشاره: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,فاکتور
 DocType: Purchase Invoice Item,Item Weight Details,مورد وزن جزئیات
 DocType: Asset Maintenance Log,Periodicity,تناوب
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,سال مالی {0} مورد نیاز است
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,تامین کننده&gt; گروه تامین کننده
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,حداقل فاصله بین ردیف گیاهان برای رشد مطلوب
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,دفاع
 DocType: Salary Component,Abbr,مخفف
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC- .YYYY.-
 DocType: Daily Work Summary Group,Holiday List,فهرست تعطیلات
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,حسابدار
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,لیست قیمت فروش
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,لیست قیمت فروش
 DocType: Patient,Tobacco Current Use,مصرف فعلی توتون و تنباکو
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,قیمت فروش
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,قیمت فروش
 DocType: Cost Center,Stock User,سهام کاربر
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,اطلاعات تماس
 DocType: Company,Phone No,تلفن
 DocType: Delivery Trip,Initial Email Notification Sent,هشدار ایمیل اولیه ارسال شد
 DocType: Bank Statement Settings,Statement Header Mapping,اعلامیه سرصفحه بندی
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,تاریخ شروع اشتراک
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,حساب های دریافتی پیش فرض که باید در بیمار برای اتهام عضویت در انجمن تنظیم شوند استفاده می شود.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",ضمیمه. CSV فایل با دو ستون، یکی برای نام قدیمی و یکی برای نام جدید
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,از آدرس 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,کد مورد&gt; گروه مورد&gt; نام تجاری
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,از آدرس 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} در هر سال مالی فعال.
 DocType: Packed Item,Parent Detail docname,جزئیات docname پدر و مادر
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",مرجع: {0}، کد مورد: {1} و ضوابط: {2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} در شرکت مادر وجود ندارد
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} در شرکت مادر وجود ندارد
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,تاریخ پایان دوره آزمایشی نمی تواند قبل از دوره آزمایشی تاریخ شروع شود
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,کیلوگرم
 DocType: Tax Withholding Category,Tax Withholding Category,بخش مالیات اجباری
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,تبلیغات
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,همان شرکت است وارد بیش از یک بار
 DocType: Patient,Married,متاهل
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},برای مجاز نیست {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},برای مجاز نیست {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,گرفتن اقلام از
 DocType: Price List,Price Not UOM Dependant,قیمت وابسته به UOM نیست
 DocType: Purchase Invoice,Apply Tax Withholding Amount,مقدار مالیات اخراج را اعمال کنید
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},سهام می تواند در برابر تحویل توجه نمی شود به روز شده {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,مبلغ کل اعتبار
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},سهام می تواند در برابر تحویل توجه نمی شود به روز شده {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,مبلغ کل اعتبار
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},محصولات {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,بدون موارد ذکر شده
 DocType: Asset Repair,Error Description,شرح خطا
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,از فرم سفارشی جریان جریان استفاده کنید
 DocType: SMS Center,All Sales Person,تمام ماموران فروش
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ماهانه ** شما کمک می کند توزیع بودجه / هدف در سراسر ماه اگر شما فصلی در کسب و کار خود را.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,نمی وسایل یافت شده
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,گمشده ساختار حقوق و دستمزد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,نمی وسایل یافت شده
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,گمشده ساختار حقوق و دستمزد
 DocType: Lead,Person Name,نام شخص
 DocType: Sales Invoice Item,Sales Invoice Item,مورد فاکتور فروش
 DocType: Account,Credit,اعتبار
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,گزارش سهام
 DocType: Warehouse,Warehouse Detail,جزئیات انبار
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاریخ پایان ترم نمی تواند بعد از تاریخ سال پایان سال تحصیلی که مدت مرتبط است باشد (سال تحصیلی {}). لطفا تاریخ های صحیح و دوباره امتحان کنید.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",&quot;آیا دارایی ثابت&quot; نمی تواند بدون کنترل، به عنوان رکورد دارایی در برابر مورد موجود است
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",&quot;آیا دارایی ثابت&quot; نمی تواند بدون کنترل، به عنوان رکورد دارایی در برابر مورد موجود است
 DocType: Delivery Trip,Departure Time,زمان خروج
 DocType: Vehicle Service,Brake Oil,روغن ترمز
 DocType: Tax Rule,Tax Type,نوع مالیات
 ,Completed Work Orders,سفارشات کاری کامل شده است
 DocType: Support Settings,Forum Posts,پست های انجمن
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,مبلغ مشمول مالیات
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,مبلغ مشمول مالیات
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},شما مجاز به اضافه و یا به روز رسانی مطالب قبل از {0} نیستید
 DocType: Leave Policy,Leave Policy Details,ترک جزئیات سیاست
 DocType: BOM,Item Image (if not slideshow),مورد تصویر (در صورت اسلاید نمی شود)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(یک ساعت یک نرخ / 60) * * * * واقعی زمان عمل
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ردیف # {0}: نوع سند مرجع باید یکی از ادعای هزینه یا ورود مجله باشد
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,انتخاب BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ردیف # {0}: نوع سند مرجع باید یکی از ادعای هزینه یا ورود مجله باشد
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,انتخاب BOM
 DocType: SMS Log,SMS Log,SMS ورود
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,هزینه اقلام تحویل شده
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,تعطیلات در {0} است بین از تاریخ و تا به امروز نیست
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,قالب بندی مقاطع عرضه کننده.
 DocType: Lead,Interested,علاقمند
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,افتتاح
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},از {0} به {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},از {0} به {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,برنامه:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,تنظیم مالیات انجام نشد
 DocType: Item,Copy From Item Group,کپی برداری از مورد گروه
-DocType: Delivery Trip,Delivery Notification,اعلان تحویل
 DocType: Journal Entry,Opening Entry,ورود افتتاح
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب پرداخت تنها
 DocType: Loan,Repay Over Number of Periods,بازپرداخت تعداد بیش از دوره های
 DocType: Stock Entry,Additional Costs,هزینه های اضافی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,حساب با معامله موجود می تواند به گروه تبدیل نمی کند.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,حساب با معامله موجود می تواند به گروه تبدیل نمی کند.
 DocType: Lead,Product Enquiry,پرس و جو محصولات
 DocType: Education Settings,Validate Batch for Students in Student Group,اعتبارسنجی دسته ای برای دانش آموزان در گروه های دانشجویی
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},هیچ سابقه مرخصی پیدا شده برای کارکنان {0} برای {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,لطفا ابتدا وارد شرکت
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,لطفا ابتدا شرکت را انتخاب کنید
 DocType: Employee Education,Under Graduate,مقطع
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,لطفا قالب پیش فرض برای اعلام وضعیت وضعیت ترک در تنظیمات HR تعیین کنید.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,لطفا قالب پیش فرض برای اعلام وضعیت وضعیت ترک در تنظیمات HR تعیین کنید.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,هدف در
 DocType: BOM,Total Cost,هزینه کل
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,بیانیه ای از حساب
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,داروسازی
 DocType: Purchase Invoice Item,Is Fixed Asset,است دارائی های ثابت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",تعداد موجود است {0}، شما نیاز {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",تعداد موجود است {0}، شما نیاز {1}
 DocType: Expense Claim Detail,Claim Amount,مقدار ادعا
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT- .YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},سفارش کار {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,الگو بازرسی کیفیت
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",آیا شما می خواهید برای به روز رسانی حضور؟ <br> در حال حاضر: {0} \ <br> وجود ندارد: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},پذیرفته شده + رد تعداد باید به دریافت مقدار برابر برای مورد است {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},پذیرفته شده + رد تعداد باید به دریافت مقدار برابر برای مورد است {0}
 DocType: Item,Supply Raw Materials for Purchase,عرضه مواد اولیه برای خرید
 DocType: Agriculture Analysis Criteria,Fertilizer,کود
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",می توانید تحویل توسط Serial No را تضمین نکنید \ Item {0} با و بدون تأیید تحویل توسط \ سریال اضافه می شود
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,باید حداقل یک حالت پرداخت برای فاکتور POS مورد نیاز است.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,باید حداقل یک حالت پرداخت برای فاکتور POS مورد نیاز است.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,بیانیه بانکی صورت حساب صورتحساب تراکنش
 DocType: Products Settings,Show Products as a List,نمایش محصولات به عنوان یک فهرست
 DocType: Salary Detail,Tax on flexible benefit,مالیات بر سود انعطاف پذیر
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,تعداد مختلف
 DocType: Production Plan,Material Request Detail,جزئیات درخواست مواد
 DocType: Selling Settings,Default Quotation Validity Days,روز معتبر نقل قول
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شامل مالیات در ردیف {0} در مورد نرخ، مالیات در ردیف {1} باید گنجانده شود
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شامل مالیات در ردیف {0} در مورد نرخ، مالیات در ردیف {1} باید گنجانده شود
 DocType: SMS Center,SMS Center,مرکز SMS
 DocType: Payroll Entry,Validate Attendance,تأیید حضور
 DocType: Sales Invoice,Change Amount,تغییر مقدار
 DocType: Party Tax Withholding Config,Certificate Received,گواهی دریافت شده
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,تنظیم مقدار فاکتور برای B2C. B2CL و B2CS براساس این ارزش فاکتور محاسبه شده است.
 DocType: BOM Update Tool,New BOM,BOM جدید
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,روشهای پیشنهادی
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,روشهای پیشنهادی
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,فقط POS نمایش داده شود
 DocType: Supplier Group,Supplier Group Name,نام گروه تامین کننده
 DocType: Driver,Driving License Categories,دسته بندی مجوز رانندگی
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,دوره های حقوق و دستمزد
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,کارمند
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,رادیو و تلویزیون
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),حالت راه اندازی POS (آنلاین / آفلاین)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),حالت راه اندازی POS (آنلاین / آفلاین)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ایجاد گزارشهای زمان در برابر سفارشات کاری غیر فعال می شود. عملیات نباید در برابر سفارش کار انجام شود
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,اعدام
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,جزئیات عملیات انجام شده است.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),تخفیف در لیست قیمت نرخ (٪)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,الگو مورد
 DocType: Job Offer,Select Terms and Conditions,انتخاب شرایط و ضوابط
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,ارزش از
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,ارزش از
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,اظهارنامه تنظیمات بانک
 DocType: Woocommerce Settings,Woocommerce Settings,تنظیمات Woocommerce
 DocType: Production Plan,Sales Orders,سفارشات فروش
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,درخواست برای نقل قول می توان با کلیک بر روی لینک زیر قابل دسترسی
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG ایجاد ابزار دوره
 DocType: Bank Statement Transaction Invoice Item,Payment Description,شرح مورد پرداختی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,سهام کافی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,سهام کافی
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,برنامه ریزی ظرفیت غیر فعال کردن و ردیابی زمان
 DocType: Email Digest,New Sales Orders,جدید سفارشات فروش
 DocType: Bank Account,Bank Account,حساب بانکی
 DocType: Travel Itinerary,Check-out Date,چک کردن تاریخ
 DocType: Leave Type,Allow Negative Balance,اجازه می دهد تراز منفی
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',شما نمیتوانید نوع پروژه «خارجی» را حذف کنید
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,گزینه جایگزین را انتخاب کنید
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,گزینه جایگزین را انتخاب کنید
 DocType: Employee,Create User,ایجاد کاربر
 DocType: Selling Settings,Default Territory,منطقه پیش فرض
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,تلویزیون
 DocType: Work Order Operation,Updated via 'Time Log',به روز شده از طریق &#39;زمان ورود &quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,مشتری یا تامین کننده را انتخاب کنید.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},مقدار پیش نمی تواند بیشتر از {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},مقدار پیش نمی تواند بیشتر از {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",شکاف زمان گذرا، شکاف {0} تا {1} با هم شکسته شدن موجودی {2} تا {3}
 DocType: Naming Series,Series List for this Transaction,فهرست سری ها برای این تراکنش
 DocType: Company,Enable Perpetual Inventory,فعال کردن موجودی دائمی
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,در برابر آیتم فاکتور فروش
 DocType: Agriculture Analysis Criteria,Linked Doctype,مرتبط با Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,نقدی خالص از تامین مالی
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save",LocalStorage را کامل است، نجات نداد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save",LocalStorage را کامل است، نجات نداد
 DocType: Lead,Address & Contact,آدرس و تلفن تماس
 DocType: Leave Allocation,Add unused leaves from previous allocations,اضافه کردن برگ های استفاده نشده از تخصیص قبلی
 DocType: Sales Partner,Partner website,وب سایت شریک
@@ -446,10 +446,10 @@
 ,Open Work Orders,دستور کار باز است
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,خارج از بیمه مشاوره شارژ مورد
 DocType: Payment Term,Credit Months,ماه های اعتباری
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,پرداخت خالص نمی تواند کمتر از 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,پرداخت خالص نمی تواند کمتر از 0
 DocType: Contract,Fulfilled,تکمیل شده
 DocType: Inpatient Record,Discharge Scheduled,تخلیه برنامه ریزی شده
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,تسکین تاریخ باید بیشتر از تاریخ پیوستن شود
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,تسکین تاریخ باید بیشتر از تاریخ پیوستن شود
 DocType: POS Closing Voucher,Cashier,صندوقدار
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,برگ در سال
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ردیف {0}: لطفا بررسی کنید آیا پیشرفته در برابر حساب {1} در صورتی که این یک ورودی پیش است.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,لطفا دانشجویان را در گروه های دانشجویی قرار دهید
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,شغل کامل
 DocType: Item Website Specification,Item Website Specification,مشخصات مورد وب سایت
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,ترک مسدود
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},مورد {0} به پایان زندگی بر روی رسید {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,ترک مسدود
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},مورد {0} به پایان زندگی بر روی رسید {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,مطالب بانک
 DocType: Customer,Is Internal Customer,مشتری داخلی است
 DocType: Crop,Annual,سالیانه
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",اگر Auto Opt In چک شود، سپس مشتریان به طور خودکار با برنامه وفاداری مرتبط (در ذخیره)
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,مورد سهام آشتی
 DocType: Stock Entry,Sales Invoice No,فاکتور فروش بدون
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,نوع عرضه
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,نوع عرضه
 DocType: Material Request Item,Min Order Qty,حداقل تعداد سفارش
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,دوره دانشجویی گروه ابزار ایجاد
 DocType: Lead,Do Not Contact,آیا تماس با نه
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,انتشار در توپی
 DocType: Student Admission,Student Admission,پذیرش دانشجو
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,مورد {0} لغو شود
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,مورد {0} لغو شود
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,مقدار خسارت ردیف {0}: تاریخ شروع خسارت وارد شده به عنوان تاریخ گذشته وارد شده است
 DocType: Contract Template,Fulfilment Terms and Conditions,شرایط و ضوابط اجرایی
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,درخواست مواد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,درخواست مواد
 DocType: Bank Reconciliation,Update Clearance Date,به روز رسانی ترخیص کالا از تاریخ
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,جزئیات خرید
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},مورد {0} در &#39;مواد اولیه عرضه شده جدول در سفارش خرید یافت نشد {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},مورد {0} در &#39;مواد اولیه عرضه شده جدول در سفارش خرید یافت نشد {1}
 DocType: Salary Slip,Total Principal Amount,مجموع کل اصل
 DocType: Student Guardian,Relation,ارتباط
 DocType: Student Guardian,Mother,مادر
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,حمل و نقل شهرستان
 DocType: Currency Exchange,For Selling,برای فروش
 apps/erpnext/erpnext/config/desktop.py +159,Learn,فرا گرفتن
+DocType: Purchase Invoice Item,Enable Deferred Expense,فعال کردن هزینه معوق
 DocType: Asset,Next Depreciation Date,بعدی تاریخ استهلاک
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,هزینه فعالیت به ازای هر کارمند
 DocType: Accounts Settings,Settings for Accounts,تنظیمات برای حساب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},کننده فاکتور بدون در خرید فاکتور وجود دارد {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},کننده فاکتور بدون در خرید فاکتور وجود دارد {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,فروش شخص درخت را مدیریت کند.
 DocType: Job Applicant,Cover Letter,جلد نامه
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,چک برجسته و سپرده برای روشن
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,سابقه کار خارجی
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,خطا مرجع مدور
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,گزارش کارت دانشجویی
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,از کد پین
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,از کد پین
 DocType: Appointment Type,Is Inpatient,بستری است
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,نام Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,به عبارت (صادرات) قابل مشاهده خواهد بود یک بار شما را تحویل توجه را نجات دهد.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,چند ارز
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,فاکتور نوع
 DocType: Employee Benefit Claim,Expense Proof,اثبات هزینه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,رسید
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},صرفه جویی در {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,رسید
 DocType: Patient Encounter,Encounter Impression,معمای مواجهه
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,راه اندازی مالیات
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,هزینه دارایی فروخته شده
 DocType: Volunteer,Morning,صبح
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,ورود پرداخت اصلاح شده است پس از آن کشیده شده است. لطفا آن را دوباره بکشید.
 DocType: Program Enrollment Tool,New Student Batch,دانشجوی جدید
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} دو بار در مالیات وارد شده است
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,خلاصه برای این هفته و فعالیت های انتظار
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} دو بار در مالیات وارد شده است
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,خلاصه برای این هفته و فعالیت های انتظار
 DocType: Student Applicant,Admitted,پذیرفته
 DocType: Workstation,Rent Cost,اجاره هزینه
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,مقدار پس از استهلاک
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,مقدار پس از استهلاک
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,تقویم رویدادهای آینده
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,صفات نوع
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,لطفا ماه و سال را انتخاب کنید
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},فقط می تواند وجود 1 حساب در هر شرکت می شود {0} {1}
 DocType: Support Search Source,Response Result Key Path,پاسخ کلیدی نتیجه کلید
 DocType: Journal Entry,Inter Company Journal Entry,ورودی مجله اینتر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},برای مقدار {0} نباید بیشتر از مقدار سفارش کار باشد {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,لطفا پیوست را ببینید
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},برای مقدار {0} نباید بیشتر از مقدار سفارش کار باشد {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,لطفا پیوست را ببینید
 DocType: Purchase Order,% Received,٪ دریافتی
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ایجاد گروه دانشجویی
 DocType: Volunteer,Weekends,آخر هفته ها
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,مجموع برجسته
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغییر شروع / شماره توالی فعلی از یک سری موجود است.
 DocType: Dosage Strength,Strength,استحکام
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ایجاد یک مشتری جدید
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,ایجاد یک مشتری جدید
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,در حال پایان است
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",اگر چند در قوانین قیمت گذاری ادامه غالب است، از کاربران خواسته به تنظیم اولویت دستی برای حل و فصل درگیری.
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,ایجاد سفارشات خرید
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,هزینه مصرفی
 DocType: Purchase Receipt,Vehicle Date,خودرو تاریخ
 DocType: Student Log,Medical,پزشکی
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,دلیل برای از دست دادن
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,لطفا مواد مخدر را انتخاب کنید
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,دلیل برای از دست دادن
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,لطفا مواد مخدر را انتخاب کنید
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,مالک سرب نمی تواند همان سرب
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,مقدار اختصاص داده شده می توانید بیشتر از مقدار تعدیل نشده
 DocType: Announcement,Receiver,گیرنده
 DocType: Location,Area UOM,منطقه UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ایستگاه های کاری در تاریخ زیر را به عنوان در هر فهرست تعطیلات بسته است: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,فرصت ها
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,فرصت ها
 DocType: Lab Test Template,Single,تک
 DocType: Compensatory Leave Request,Work From Date,کار از تاریخ
 DocType: Salary Slip,Total Loan Repayment,مجموع بازپرداخت وام
+DocType: Project User,View attachments,مشاهده پیوست ها
 DocType: Account,Cost of Goods Sold,هزینه کالاهای فروخته شده
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,لطفا وارد مرکز هزینه
 DocType: Drug Prescription,Dosage,مصرف
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,مقدار و نرخ
 DocType: Delivery Note,% Installed,٪ نصب شد
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس های درس / آزمایشگاه و غیره که در آن سخنرانی می توان برنامه ریزی.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,ارزهای شرکت هر دو شرکت ها باید برای معاملات اینترانت مطابقت داشته باشد.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,ارزهای شرکت هر دو شرکت ها باید برای معاملات اینترانت مطابقت داشته باشد.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,لطفا ابتدا نام شرکت وارد
 DocType: Travel Itinerary,Non-Vegetarian,غیر گیاهی
 DocType: Purchase Invoice,Supplier Name,نام منبع
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,به طور موقت در انتظار
 DocType: Account,Is Group,گروه
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,توجه داشته باشید اعتبار {0} به صورت خودکار ایجاد شده است
-DocType: Email Digest,Pending Purchase Orders,در انتظار سفارشات خرید
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,تنظیم به صورت خودکار سریال بر اساس شماره FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,بررسی تولید کننده فاکتور شماره منحصر به فرد
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,جزئیات آدرس اصلی
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,سفارشی کردن متن مقدماتی است که می رود به عنوان یک بخشی از آن ایمیل. هر معامله دارای یک متن مقدماتی جداگانه.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},ردیف {0}: عملیات مورد نیاز علیه مواد خام مورد نیاز است {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},لطفا پیش فرض حساب های قابل پرداخت تعیین شده برای شرکت {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},معامله در برابر کار متوقف نمی شود {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},معامله در برابر کار متوقف نمی شود {0}
 DocType: Setup Progress Action,Min Doc Count,شمارش معکوس
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,تنظیمات جهانی برای تمام فرآیندهای تولید.
 DocType: Accounts Settings,Accounts Frozen Upto,حساب منجمد تا حد
 DocType: SMS Log,Sent On,فرستاده شده در
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,ویژگی {0} چند بار در صفات جدول انتخاب
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,ویژگی {0} چند بار در صفات جدول انتخاب
 DocType: HR Settings,Employee record is created using selected field. ,رکورد کارمند با استفاده از درست انتخاب شده ایجاد می شود.
 DocType: Sales Order,Not Applicable,قابل اجرا نیست
 DocType: Amazon MWS Settings,UK,انگلستان
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,کارمند {0} قبلا برای {1} در {2} درخواست کرده است:
 DocType: Inpatient Record,AB Positive,مثبت AB
 DocType: Job Opening,Description of a Job Opening,شرح یک شغل
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,فعالیت های در انتظار برای امروز
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,فعالیت های در انتظار برای امروز
 DocType: Salary Structure,Salary Component for timesheet based payroll.,کامپوننت حقوق و دستمزد حقوق و دستمزد بر اساس برنامه زمانی برای.
+DocType: Driver,Applicable for external driver,قابل اجرا برای راننده خارجی
 DocType: Sales Order Item,Used for Production Plan,مورد استفاده برای طرح تولید
 DocType: Loan,Total Payment,مبلغ کل قابل پرداخت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,معامله برای سفارش کار کامل لغو نمی شود.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,معامله برای سفارش کار کامل لغو نمی شود.
 DocType: Manufacturing Settings,Time Between Operations (in mins),زمان بین عملیات (در دقیقه)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO برای تمام اقلام سفارش فروش ایجاد شده است
 DocType: Healthcare Service Unit,Occupied,مشغول
 DocType: Clinical Procedure,Consumables,مواد مصرفی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} لغو می شود پس از عمل نمی تواند تکمیل شود
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} لغو می شود پس از عمل نمی تواند تکمیل شود
 DocType: Customer,Buyer of Goods and Services.,خریدار کالا و خدمات.
 DocType: Journal Entry,Accounts Payable,حساب های پرداختنی
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,مقدار {0} در این درخواست پرداخت متفاوت از مقدار محاسبه شده از همه برنامه های پرداخت است {1}. قبل از ارسال سند مطمئن شوید این درست است.
 DocType: Patient,Allergies,آلرژی
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,BOM ها انتخاب شده برای آیتم یکسان نیست
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,BOM ها انتخاب شده برای آیتم یکسان نیست
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,تغییر کد مورد نظر
 DocType: Supplier Scorecard Standing,Notify Other,اطلاع دیگر
 DocType: Vital Signs,Blood Pressure (systolic),فشار خون (سیستولیک)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,قطعات اندازه کافی برای ساخت
 DocType: POS Profile User,POS Profile User,کاربر پروفایل POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,ردیف {0}: تاریخ شروع تخلیه مورد نیاز است
-DocType: Sales Invoice Item,Service Start Date,تاریخ شروع سرویس
+DocType: Purchase Invoice Item,Service Start Date,تاریخ شروع سرویس
 DocType: Subscription Invoice,Subscription Invoice,اشتراک فاکتور
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,درآمد مستقیم
 DocType: Patient Appointment,Date TIme,زمان قرار
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,روال آزمایشگاهی
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,آرایشی و بهداشتی
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,لطفا تاریخ تکمیل را برای ورود به سیستم نگهداری دارایی تکمیل کنید
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",به ادغام، خواص زیر باید همین کار را برای هر دو مورد می شود
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",به ادغام، خواص زیر باید همین کار را برای هر دو مورد می شود
 DocType: Supplier,Block Supplier,تامین کننده بلوک
 DocType: Shipping Rule,Net Weight,وزن خالص
 DocType: Job Opening,Planned number of Positions,تعداد پالیسی های برنامه ریزی شده
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,الگو گردش مالی نقدی
 DocType: Travel Request,Costing Details,جزئیات هزینه
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,نمایش مقالات بازگشت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,سریال هیچ مورد نمی تواند کسری
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,سریال هیچ مورد نمی تواند کسری
 DocType: Journal Entry,Difference (Dr - Cr),تفاوت (دکتر - کروم)
 DocType: Bank Guarantee,Providing,فراهم آوردن
 DocType: Account,Profit and Loss,حساب سود و زیان
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",مجاز نیست، قالب آزمایش آزمایشی را طبق الزامات پیکربندی کنید
 DocType: Patient,Risk Factors,عوامل خطر
 DocType: Patient,Occupational Hazards and Environmental Factors,خطرات کاری و عوامل محیطی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,مقالات موجود برای سفارش کار ایجاد شده است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,مقالات موجود برای سفارش کار ایجاد شده است
 DocType: Vital Signs,Respiratory rate,نرخ تنفس
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,مدیریت مقاطعه کاری فرعی
 DocType: Vital Signs,Body Temperature,دمای بدن
 DocType: Project,Project will be accessible on the website to these users,پروژه در وب سایت به این کاربران در دسترس خواهد بود
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} را نمیتوان لغو کرد زیرا شماره سریال {2} متعلق به انبار نیست {3}
 DocType: Detected Disease,Disease,مرض
+DocType: Company,Default Deferred Expense Account,پیش فرض حساب هزینه معوق
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,تعریف نوع پروژه
 DocType: Supplier Scorecard,Weighting Function,تابع وزن
 DocType: Healthcare Practitioner,OP Consulting Charge,مسئولیت محدود OP
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,آیتم های تولید شده
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,معامله معاملات را به صورت حساب
 DocType: Sales Order Item,Gross Profit,سود ناخالص
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,انحلال صورتحساب
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,انحلال صورتحساب
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,افزایش نمی تواند 0
 DocType: Company,Delete Company Transactions,حذف معاملات شرکت
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,مرجع و تاریخ در مرجع برای معامله بانک الزامی است
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,نادیده گرفتن
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} غیر فعال است
 DocType: Woocommerce Settings,Freight and Forwarding Account,حمل و نقل و حمل و نقل حساب
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,ابعاد چک راه اندازی برای چاپ
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,ابعاد چک راه اندازی برای چاپ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,ایجاد لغزش حقوق
 DocType: Vital Signs,Bloated,پف کرده
 DocType: Salary Slip,Salary Slip Timesheet,برنامه زمانی حقوق و دستمزد لغزش
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,انبار تامین کننده برای رسید خرید زیر قرارداد اجباری
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,انبار تامین کننده برای رسید خرید زیر قرارداد اجباری
 DocType: Item Price,Valid From,معتبر از
 DocType: Sales Invoice,Total Commission,کمیسیون ها
 DocType: Tax Withholding Account,Tax Withholding Account,حساب سپرده مالیاتی
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,همه کارت امتیازی ارائه شده.
 DocType: Buying Settings,Purchase Receipt Required,رسید خرید مورد نیاز
 DocType: Delivery Note,Rail,ریل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,انبار هدف در سطر {0} باید همان کار سفارش باشد
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,نرخ ارزش گذاری الزامی است باز کردن سهام وارد
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,انبار هدف در سطر {0} باید همان کار سفارش باشد
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,نرخ ارزش گذاری الزامی است باز کردن سهام وارد
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,هیچ ثبتی یافت نشد در جدول فاکتور
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,لطفا ابتدا شرکت و حزب نوع را انتخاب کنید
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",در حال حاضر پیش فرض در پروفایل پروفایل {0} برای کاربر {1} تنظیم شده است، به طور پیش فرض غیر فعال شده است
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,مالی سال / حسابداری.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,مالی سال / حسابداری.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ارزش انباشته
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",با عرض پوزش، سریال شماره نمی تواند با هم ادغام شدند
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,مشتری گروه را به گروه انتخاب شده در حالی که همگام سازی مشتریان از Shopify تنظیم شده است
@@ -895,7 +900,7 @@
 ,Lead Id,کد شناسایی راهبر
 DocType: C-Form Invoice Detail,Grand Total,بزرگ ها
 DocType: Assessment Plan,Course,دوره
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,بخش کد
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,بخش کد
 DocType: Timesheet,Payslip,PAYSLIP
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,تاریخ نود روز باید بین تاریخ و تاریخ باشد
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,سبد مورد
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Bio Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,شناسه عضویت
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},تحویل: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},تحویل: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,اتصال به QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,قابل پرداخت حساب
 DocType: Payment Entry,Type of Payment,نوع پرداخت
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,تاریخ نیمه روز اجباری است
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,تاریخ ارسال بیل
 DocType: Production Plan,Production Plan,برنامه تولید
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,افتتاح حساب ایجاد ابزار
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,برگشت فروش
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,برگشت فروش
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,توجه: مجموع برگ اختصاص داده {0} نباید کمتر از برگ حال حاضر مورد تایید {1} برای دوره
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,مقدار در معاملات را بر اساس سریال بدون ورودی تنظیم کنید
 ,Total Stock Summary,خلاصه سهام مجموع
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,مشتری و یا مورد
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,پایگاه داده مشتری می باشد.
 DocType: Quotation,Quotation To,نقل قول برای
-DocType: Lead,Middle Income,با درآمد متوسط
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,با درآمد متوسط
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),افتتاح (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,واحد اندازه گیری پیش فرض برای مورد {0} می توانید به طور مستقیم نمی توان تغییر چون در حال حاضر ساخته شده برخی از معامله (ها) با UOM است. شما نیاز به ایجاد یک آیتم جدید به استفاده از پیش فرض UOM متفاوت است.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,واحد اندازه گیری پیش فرض برای مورد {0} می توانید به طور مستقیم نمی توان تغییر چون در حال حاضر ساخته شده برخی از معامله (ها) با UOM است. شما نیاز به ایجاد یک آیتم جدید به استفاده از پیش فرض UOM متفاوت است.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,مقدار اختصاص داده شده نمی تونه منفی
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,لطفا مجموعه ای از شرکت
 DocType: Share Balance,Share Balance,تعادل سهم
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,انتخاب حساب پرداخت به ورود بانک
 DocType: Hotel Settings,Default Invoice Naming Series,Default Invoice نامگذاری سری
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",درست سوابق کارمند به مدیریت برگ، ادعاهای هزینه و حقوق و دستمزد
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,یک خطا در طول فرایند به روز رسانی رخ داد
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,یک خطا در طول فرایند به روز رسانی رخ داد
 DocType: Restaurant Reservation,Restaurant Reservation,رزرو رستوران
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,نوشتن طرح های پیشنهادی
 DocType: Payment Entry Deduction,Payment Entry Deduction,پرداخت کسر ورود
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,بسته شدن
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,اطلاع از مشتریان از طریق ایمیل
 DocType: Item,Batch Number Series,شماره سری سری
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,یک نفر دیگر فروش {0} با شناسه کارمند همان وجود دارد
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,یک نفر دیگر فروش {0} با شناسه کارمند همان وجود دارد
 DocType: Employee Advance,Claimed Amount,مقدار ادعا شده
+DocType: QuickBooks Migrator,Authorization Settings,تنظیمات مجوز
 DocType: Travel Itinerary,Departure Datetime,زمان تاریخ خروج
 DocType: Customer,CUST-.YYYY.-,CUST-YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,هزینه هزینه سفر
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,تامین کننده نامگذاری توسط
 DocType: Activity Type,Default Costing Rate,به طور پیش فرض هزینه یابی نرخ
 DocType: Maintenance Schedule,Maintenance Schedule,برنامه نگهداری و تعمیرات
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",مشاهده قوانین سپس قیمت گذاری بر اساس مشتری، مشتری گروه، منطقه، تامین کننده، تامین کننده نوع، کمپین، فروش شریک و غیره فیلتر
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",مشاهده قوانین سپس قیمت گذاری بر اساس مشتری، مشتری گروه، منطقه، تامین کننده، تامین کننده نوع، کمپین، فروش شریک و غیره فیلتر
 DocType: Employee Promotion,Employee Promotion Details,جزئیات ارتقاء کارکنان
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,تغییر خالص در پرسشنامه
 DocType: Employee,Passport Number,شماره پاسپورت
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ارتباط با Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,مدیر
 DocType: Payment Entry,Payment From / To,پرداخت از / به
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,از سال مالی
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},حد اعتبار جدید کمتر از مقدار برجسته فعلی برای مشتری است. حد اعتبار به حداقل می شود {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},لطفا حساب را در Warehouse تنظیم کنید {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},لطفا حساب را در Warehouse تنظیم کنید {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""بر اساس"" و ""گروه شده توسط"" نمی توانند همسان باشند"
 DocType: Sales Person,Sales Person Targets,اهداف فروشنده
 DocType: Work Order Operation,In minutes,در دقیقهی
 DocType: Issue,Resolution Date,قطعنامه عضویت
 DocType: Lab Test Template,Compound,ترکیب
+DocType: Opportunity,Probability (%),احتمال (٪)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,اعلان ارسال
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,املاک را انتخاب کنید
 DocType: Student Batch Name,Batch Name,نام دسته ای
 DocType: Fee Validity,Max number of visit,حداکثر تعداد بازدید
 ,Hotel Room Occupancy,اتاق پذیرایی اتاق
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,برنامه زمانی ایجاد شده:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},لطفا نقدی پیش فرض و یا حساب بانکی در نحوه پرداخت را تعیین {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},لطفا نقدی پیش فرض و یا حساب بانکی در نحوه پرداخت را تعیین {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,ثبت نام کردن
 DocType: GST Settings,GST Settings,تنظیمات GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},ارز باید مشابه با لیست قیمت ارز باشد: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,منافع کل قابل پرداخت
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,مالیات هزینه فرود آمد و اتهامات
 DocType: Work Order Operation,Actual Start Time,واقعی زمان شروع
+DocType: Purchase Invoice Item,Deferred Expense Account,حساب هزینه معوق
 DocType: BOM Operation,Operation Time,زمان عمل
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,پایان
 DocType: Salary Structure Assignment,Base,پایه
 DocType: Timesheet,Total Billed Hours,جمع ساعت در صورتحساب یا لیست
 DocType: Travel Itinerary,Travel To,سفر به
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,نیست
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,ارسال فعال مقدار
 DocType: Leave Block List Allow,Allow User,اجازه می دهد کاربر
 DocType: Journal Entry,Bill No,شماره صورتحساب
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,ورقه ثبت ساعات کار
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush مواد اولیه بر اساس
 DocType: Sales Invoice,Port Code,کد پورت
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,انبار رزرو
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,انبار رزرو
 DocType: Lead,Lead is an Organization,سرب یک سازمان است
-DocType: Guardian Interest,Interest,علاقه
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,پیش فروش
 DocType: Instructor Log,Other Details,سایر مشخصات
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,حساب ها
 DocType: Vehicle,Odometer Value (Last),ارزش کیلومترشمار (آخرین)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,قالب بندی معیارهای کارت امتیازی تامین کننده.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,بازار یابی
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,بازار یابی
 DocType: Sales Invoice,Redeem Loyalty Points,امتیازات وفاداری را بپردازید
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,ورود پرداخت در حال حاضر ایجاد
 DocType: Request for Quotation,Get Suppliers,تهیه کنندگان
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,فاصله کاشت UOM
 DocType: Loyalty Program,Single Tier Program,برنامه تک ردیف
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,فقط اگر شما اسناد Flow Mapper را تنظیم کرده اید، انتخاب کنید
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,از آدرس 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,از آدرس 1
 DocType: Email Digest,Next email will be sent on:,ایمیل بعدی خواهد شد در ارسال:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",مورد زیر {items} {verb} به عنوان {message} item مشخص شده است. شما می توانید آنها را به صورت {message} از کارشناسی ارشد Item خود فعال کنید
 DocType: Supplier Scorecard,Per Week,در هفته
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,فقره انواع.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,فقره انواع.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,دانش آموز مجموعا
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,مورد {0} یافت نشد
 DocType: Bin,Stock Value,سهام ارزش
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,شرکت {0} وجود ندارد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,شرکت {0} وجود ندارد
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} تا تاریخ {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,نوع درخت
 DocType: BOM Explosion Item,Qty Consumed Per Unit,تعداد مصرف شده در هر واحد
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Ficier Des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,ورود کارت اعتباری
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,شرکت و حساب
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,با ارزش
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,با ارزش
 DocType: Asset Settings,Depreciation Options,گزینه های تخفیف
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,هر مکان یا کارمند باید مورد نیاز باشد
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,زمان ارسال نامعتبر
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,تخصیص
 DocType: Purchase Order,Supply Raw Materials,تامین مواد اولیه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,دارایی های نقد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0}  از اقلام انبار نیست
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0}  از اقلام انبار نیست
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',لطفا نظرات خود را به آموزش با کلیک بر روی &#39;آموزش بازخورد&#39; و سپس &#39;جدید&#39;
 DocType: Mode of Payment Account,Default Account,به طور پیش فرض حساب
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,لطفا برای اولین بار نمونه اولیه نگهداری نمونه در تنظیمات سهام را انتخاب کنید
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,لطفا برای اولین بار نمونه اولیه نگهداری نمونه در تنظیمات سهام را انتخاب کنید
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,لطفا نوع برنامه چند مرحله ای را برای بیش از یک مجموعه قوانین مجموعه انتخاب کنید.
 DocType: Payment Entry,Received Amount (Company Currency),دریافت مبلغ (شرکت ارز)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,سرب باید مجموعه اگر فرصت است از سرب ساخته شده
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,پرداخت لغو شد برای اطلاعات بیشتر، لطفا حساب GoCardless خود را بررسی کنید
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,ارسال با پیوست
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,لطفا روز مرخصی در هفته را انتخاب کنید
 DocType: Inpatient Record,O Negative,منفی نیستم
 DocType: Work Order Operation,Planned End Time,برنامه ریزی زمان پایان
 ,Sales Person Target Variance Item Group-Wise,فرد از فروش مورد هدف واریانس گروه حکیم
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,حساب با معامله های موجود را نمی توان تبدیل به لجر
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,حساب با معامله های موجود را نمی توان تبدیل به لجر
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,جزئیات نوع ماموریت
 DocType: Delivery Note,Customer's Purchase Order No,مشتری سفارش خرید بدون
 DocType: Clinical Procedure,Consume Stock,مصرف سهام
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,شن
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,انرژی
 DocType: Opportunity,Opportunity From,فرصت از
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ردیف {0}: {1} شماره سریال مورد برای {2} مورد نیاز است. شما {3} را ارائه کرده اید.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ردیف {0}: {1} شماره سریال مورد برای {2} مورد نیاز است. شما {3} را ارائه کرده اید.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,لطفا یک جدول را انتخاب کنید
 DocType: BOM,Website Specifications,مشخصات وب سایت
 DocType: Special Test Items,Particulars,جزئيات
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: از {0} از نوع {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,ردیف {0}: عامل تبدیل الزامی است
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,ردیف {0}: عامل تبدیل الزامی است
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قوانین هزینه های متعدد را با معیارهای همان وجود دارد، لطفا حل و فصل درگیری با اختصاص اولویت است. قوانین قیمت: {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قوانین هزینه های متعدد را با معیارهای همان وجود دارد، لطفا حل و فصل درگیری با اختصاص اولویت است. قوانین قیمت: {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,حساب ارزیابی تغییر نرخ ارز
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,نمی توانید غیر فعال کردن یا لغو BOM به عنوان آن را با دیگر BOMs مرتبط
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,نمی توانید غیر فعال کردن یا لغو BOM به عنوان آن را با دیگر BOMs مرتبط
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,لطفا شرکت و تاریخ ارسال را برای گرفتن نوشته انتخاب کنید
 DocType: Asset,Maintenance,نگهداری
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,از برخورد بیمار دریافت کنید
 DocType: Subscriber,Subscriber,مشترک
 DocType: Item Attribute Value,Item Attribute Value,مورد موجودیت مقدار
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,لطفا وضعیت پروژه خود را به روز کنید
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,لطفا وضعیت پروژه خود را به روز کنید
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,مبادله ارز باید برای خرید و یا برای فروش قابل اجرا باشد.
 DocType: Item,Maximum sample quantity that can be retained,حداکثر تعداد نمونه که می تواند حفظ شود
 DocType: Project Update,How is the Project Progressing Right Now?,چگونه پروژه در حال پیشرفت است؟
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ردیف {0} # Item {1} را نمی توان بیش از {2} در برابر سفارش خرید {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ردیف {0} # Item {1} را نمی توان بیش از {2} در برابر سفارش خرید {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,کمپین فروش.
 DocType: Project Task,Make Timesheet,را برنامه زمانی
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,تست آزمایشگاهی
 DocType: Student Report Generation Tool,Student Report Generation Tool,ابزار تولید گزارش دانش آموز
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,برنامه زمان بندی مراقبت بهداشتی
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,نام فیلم کارگردان تهیه کننده
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,نام فیلم کارگردان تهیه کننده
 DocType: Expense Claim Detail,Expense Claim Type,هزینه نوع ادعا
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,تنظیمات پیش فرض برای سبد خرید
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,اضافه کردن Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},دارایی اوراق از طریق ورود مجله {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},لطفا تنظیم حساب در انبار {0} یا حساب پیش فرض موجودی در شرکت {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},دارایی اوراق از طریق ورود مجله {0}
 DocType: Loan,Interest Income Account,حساب درآمد حاصل از بهره
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,حداکثر مزایا باید بیشتر از صفر باشد تا مزایا را از بین ببرند
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,حداکثر مزایا باید بیشتر از صفر باشد تا مزایا را از بین ببرند
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,مرور دعوت نامه ارسال شده است
 DocType: Shift Assignment,Shift Assignment,تخصیص تغییر
 DocType: Employee Transfer Property,Employee Transfer Property,کارفرما انتقال اموال
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,از زمان باید کمتر از زمان باشد
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,بیوتکنولوژی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Item {0} (شماره سریال: {1}) نمیتواند به عنوان reserverd \ به منظور پر کردن سفارش فروش {2} مصرف شود.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,هزینه نگهداری و تعمیرات دفتر
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,برو به
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,به روز رسانی قیمت از Shopify به لیست قیمت ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,راه اندازی حساب ایمیل
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,لطفا ابتدا آیتم را وارد کنید
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,نیاز به تحلیل دارد
 DocType: Asset Repair,Downtime,خرابی
 DocType: Account,Liability,مسئوليت
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,مقدار تحریم نیست می تواند بیشتر از مقدار ادعای در ردیف {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,مقدار تحریم نیست می تواند بیشتر از مقدار ادعای در ردیف {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,شرایط تحصیلی:
 DocType: Salary Component,Do not include in total,در مجموع شامل نمی شود
 DocType: Company,Default Cost of Goods Sold Account,به طور پیش فرض هزینه از حساب کالاهای فروخته شده
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},مقدار نمونه {0} نمیتواند بیش از مقدار دریافتی باشد {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,لیست قیمت انتخاب نشده
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},مقدار نمونه {0} نمیتواند بیش از مقدار دریافتی باشد {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,لیست قیمت انتخاب نشده
 DocType: Employee,Family Background,سابقه خانواده
 DocType: Request for Quotation Supplier,Send Email,ارسال ایمیل
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},هشدار: پیوست معتبر {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},هشدار: پیوست معتبر {0}
 DocType: Item,Max Sample Quantity,حداکثر تعداد نمونه
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,بدون اجازه
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,لیست تکمیل قرارداد
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: مرکز هزینه {2} به شرکت تعلق ندارد {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),سربرگ خود را بارگذاری کنید (به عنوان وب سایت دوستانه 900px بر روی 100px نگه دارید)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: حساب {2} نمی تواند یک گروه
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,مورد ردیف {IDX}: {} {DOCTYPE DOCNAME} در بالا وجود ندارد &#39;{} DOCTYPE جدول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,برنامه زمانی {0} است در حال حاضر تکمیل و یا لغو
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,برنامه زمانی {0} است در حال حاضر تکمیل و یا لغو
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,وظایف
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,فاکتور فروش {0} به عنوان پرداخت شده ایجاد شد
 DocType: Item Variant Settings,Copy Fields to Variant,کپی زمینه به گزینه
 DocType: Asset,Opening Accumulated Depreciation,باز کردن استهلاک انباشته
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,امتیاز باید کمتر از یا برابر با 5 است
 DocType: Program Enrollment Tool,Program Enrollment Tool,برنامه ثبت نام ابزار
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,سوابق C-فرم
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,سوابق C-فرم
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,سهام در حال حاضر وجود دارد
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,مشتری و تامین کننده
 DocType: Email Digest,Email Digest Settings,ایمیل تنظیمات خلاصه
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,انتخاب آیتم ها
 DocType: Share Transfer,To Shareholder,به سهامداران
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} در صورت حساب {1} تاریخ گذاری شده است به {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,از دولت
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,از دولت
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,موسسه راه اندازی
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,برگزیدن برگ ...
 DocType: Program Enrollment,Vehicle/Bus Number,خودرو / شماره اتوبوس
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,برنامه های آموزشی
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",شما باید مالیات را برای اخراج مالیات غیرقانونی و غیرقابل قبول / مزایای کارمند در آخرین دوره حقوق و دستمزد دوره حقوق و دستمزد تخفیف دهید
 DocType: Request for Quotation Supplier,Quote Status,نقل قول وضعیت
 DocType: GoCardless Settings,Webhooks Secret,وبخواب راز
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,پرداخت با توجه تاریخ
 DocType: Drug Prescription,Interval UOM,فاصله UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",در صورتی که آدرس انتخاب شده پس از ذخیره ویرایش، مجددا انتخاب کنید
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,مورد متغیر {0} در حال حاضر با ویژگی های همان وجود دارد
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,مورد متغیر {0} در حال حاضر با ویژگی های همان وجود دارد
 DocType: Item,Hub Publishing Details,جزئیات انتشار هاب
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;افتتاح&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;افتتاح&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,گسترش برای این کار
 DocType: Issue,Via Customer Portal,از طریق پورتال مشتری
 DocType: Notification Control,Delivery Note Message,تحویل توجه داشته باشید پیام
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,مقدار SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,مقدار SGST
 DocType: Lab Test Template,Result Format,فرمت نتیجه
 DocType: Expense Claim,Expenses,مخارج
 DocType: Item Variant Attribute,Item Variant Attribute,مورد متغیر ویژگی
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,مجلهای که دوماه یکبار منتشر میشود
 DocType: Vehicle Service,Brake Pad,لنت ترمز
 DocType: Fertilizer,Fertilizer Contents,محتویات کود
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,تحقیق و توسعه
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,تحقیق و توسعه
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,مقدار به بیل
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","تاریخ شروع و تاریخ پایان با کار کارت همپوشانی است <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,جزییات ثبت نام
 DocType: Timesheet,Total Billed Amount,مبلغ کل صورتحساب
 DocType: Item Reorder,Re-Order Qty,تعداد نقطه سفارش
 DocType: Leave Block List Date,Leave Block List Date,ترک فهرست بلوک عضویت
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,لطفا سیستم نامگذاری مربیان را در آموزش و پرورش&gt; تنظیمات تحصیلی تنظیم کنید
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: مواد اولیه نمی توانند همانند قسمت اصلی باشند
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,مجموع اتهامات قابل اجرا در خرید اقلام دریافت جدول باید همان مجموع مالیات و هزینه شود
 DocType: Sales Team,Incentives,انگیزه
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,نقطه از فروش
 DocType: Fee Schedule,Fee Creation Status,وضعیت ایجاد هزینه
 DocType: Vehicle Log,Odometer Reading,خواندن کیلومترشمار
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",مانده حساب در حال حاضر در اعتبار، شما امکان پذیر نیست را به مجموعه &quot;تعادل باید&quot; را بعنوان &quot;اعتباری&quot;
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",مانده حساب در حال حاضر در اعتبار، شما امکان پذیر نیست را به مجموعه &quot;تعادل باید&quot; را بعنوان &quot;اعتباری&quot;
 DocType: Account,Balance must be,موجودی باید
 DocType: Notification Control,Expense Claim Rejected Message,پیام ادعای هزینه رد
 ,Available Qty,در دسترس تعداد
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,همیشه محصولات خود را از آمازون MWS هماهنگ کنید تا هماهنگی جزئیات سفارشات
 DocType: Delivery Trip,Delivery Stops,توقف تحویل
 DocType: Salary Slip,Working Days,روزهای کاری
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},تاریخ توقف سرویس برای آیتم در سطر {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},تاریخ توقف سرویس برای آیتم در سطر {0}
 DocType: Serial No,Incoming Rate,نرخ ورودی
 DocType: Packing Slip,Gross Weight,وزن ناخالص
 DocType: Leave Type,Encashment Threshold Days,روز آستانه محاسبه
@@ -1399,31 +1407,33 @@
 DocType: Restaurant Table,Minimum Seating,حداقل صندلی
 DocType: Item Attribute,Item Attribute Values,مقادیر ویژگی مورد
 DocType: Examination Result,Examination Result,نتیجه آزمون
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,رسید خرید
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,رسید خرید
 ,Received Items To Be Billed,دریافت گزینه هایی که صورتحساب
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,نرخ ارز نرخ ارز استاد.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,نرخ ارز نرخ ارز استاد.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},مرجع DOCTYPE باید یکی از شود {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,تعداد کل صفر را فیلتر کنید
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},قادر به پیدا کردن شکاف زمان در آینده {0} روز برای عملیات {1}
 DocType: Work Order,Plan material for sub-assemblies,مواد را برای طرح زیر مجموعه
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,شرکای فروش و منطقه
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} باید فعال باشد
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} باید فعال باشد
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,هیچ موردی برای انتقال وجود ندارد
 DocType: Employee Boarding Activity,Activity Name,نام فعالیت
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,تغییر تاریخ انتشار
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,مقدار محصول نهایی <b>{0}</b> و برای مقدار <b>{1}</b> نمی تواند متفاوت باشد
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,تغییر تاریخ انتشار
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,مقدار محصول نهایی <b>{0}</b> و برای مقدار <b>{1}</b> نمی تواند متفاوت باشد
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),بسته شدن (باز کردن + مجموع)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,کد مورد&gt; گروه مورد&gt; نام تجاری
+DocType: Delivery Settings,Dispatch Notification Attachment,پیوست اعلان اعلان
 DocType: Payroll Entry,Number Of Employees,تعداد کارکنان
 DocType: Journal Entry,Depreciation Entry,ورود استهلاک
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,لطفا ابتدا نوع سند را انتخاب کنید
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,لطفا ابتدا نوع سند را انتخاب کنید
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,لغو مواد بازدید {0} قبل از لغو این نگهداری سایت
 DocType: Pricing Rule,Rate or Discount,نرخ یا تخفیف
 DocType: Vital Signs,One Sided,یک طرفه
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},سریال بدون {0} به مورد تعلق ندارد {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,مورد نیاز تعداد
 DocType: Marketplace Settings,Custom Data,داده های سفارشی
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,انبارها با معامله موجود می توانید به دفتر تبدیل نمی کند.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},شماره سریال برای آیتم {0} اجباری است
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,انبارها با معامله موجود می توانید به دفتر تبدیل نمی کند.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},شماره سریال برای آیتم {0} اجباری است
 DocType: Bank Reconciliation,Total Amount,مقدار کل
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,از تاریخ و تاریخ در سال مالی مختلف قرار دارد
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,بیمار {0} مشتری را به فاکتور نرسانده است
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),ترکیب خشت (٪)
 DocType: Item Group,Item Group Defaults,مورد پیش فرض گروه
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,لطفا قبل از اختصاص دادن کار ذخیره کنید.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ارزش موجودی
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ارزش موجودی
 DocType: Lab Test,Lab Technician,تکنیسین آزمایشگاه
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,فهرست قیمت فروش
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,فهرست قیمت فروش
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",در صورت چک، یک مشتری ایجاد خواهد شد، به بیمار نقشه گذاری می شود. صورتحساب بیمار علیه این مشتری ایجاد خواهد شد. شما همچنین می توانید مشتریان موجود را هنگام ایجاد بیمار انتخاب کنید.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,مشتری در هیچ برنامه وفاداری ثبت نشده است
@@ -1450,13 +1460,13 @@
 DocType: Support Search Source,Search Term Param Name,نام و نام خانوادگی جستجوگر کلمه
 DocType: Item Barcode,Item Barcode,بارکد مورد
 DocType: Woocommerce Settings,Endpoints,نقطه پایانی
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,مورد انواع {0} به روز شده
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,مورد انواع {0} به روز شده
 DocType: Quality Inspection Reading,Reading 6,خواندن 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,آیا می توانم {0} {1} {2} بدون هیچ فاکتور برجسته منفی
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,آیا می توانم {0} {1} {2} بدون هیچ فاکتور برجسته منفی
 DocType: Share Transfer,From Folio No,از Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,فاکتور خرید پیشرفته
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},ردیف {0}: ورود اعتباری را نمی توان با مرتبط {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,تعریف بودجه برای یک سال مالی است.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,تعریف بودجه برای یک سال مالی است.
 DocType: Shopify Tax Account,ERPNext Account,حساب ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} مسدود شده است، بنابراین این معامله نمی تواند ادامه یابد
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,اقدام اگر بودجه ماهانه جمع شده در MR بیشتر باشد
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,فاکتورخرید
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,اجازه مصرف چند ماده در برابر سفارش کار
 DocType: GL Entry,Voucher Detail No,جزئیات کوپن بدون
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,جدید فاکتور فروش
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,جدید فاکتور فروش
 DocType: Stock Entry,Total Outgoing Value,مجموع ارزش خروجی
 DocType: Healthcare Practitioner,Appointments,قرار ملاقات ها
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,باز کردن تاریخ و بسته شدن تاریخ باید در همان سال مالی می شود
 DocType: Lead,Request for Information,درخواست اطلاعات
 ,LeaderBoard,رهبران
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),نرخ با مارجین (ارزش شرکت)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,همگام سازی آفلاین فاکتورها
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,همگام سازی آفلاین فاکتورها
 DocType: Payment Request,Paid,پرداخت
 DocType: Program Fee,Program Fee,هزینه برنامه
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",یک BOM خاص را در همه BOM های دیگر که در آن استفاده می شود را جایگزین کنید. این لینک قدیمی BOM را جایگزین، به روز رسانی هزینه و بازسازی &quot;مورد انفجار BOM&quot; جدول به عنوان هر BOM جدید. همچنین قیمت آخر را در همه BOM ها به روز می کند.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,سفارشات کاری زیر ایجاد شد:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,سفارشات کاری زیر ایجاد شد:
 DocType: Salary Slip,Total in words,مجموع در کلمات
 DocType: Inpatient Record,Discharged,تخلیه شده
 DocType: Material Request Item,Lead Time Date,سرب زمان عضویت
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,بخش های شروع کنید
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD- .YYYY.-
 DocType: Loan,Sanctioned,تحریم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,این مورد الزامی است. شاید مقدار تبدیل ارز برایش ایجاد نشده است
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},ردیف # {0}: لطفا سریال مشخص نیست برای مورد {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},مجموع کمک مالی: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},ردیف # {0}: لطفا سریال مشخص نیست برای مورد {1}
 DocType: Payroll Entry,Salary Slips Submitted,حقوق و دستمزد ارسال شده است
 DocType: Crop Cycle,Crop Cycle,چرخه محصول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",برای آیتم های &#39;محصولات بسته نرم افزاری، انبار، سریال و بدون دسته بدون خواهد شد از&#39; بسته بندی فهرست جدول در نظر گرفته. اگر انبار و دسته ای بدون برای همه آیتم ها بسته بندی مورد هر &#39;محصولات بسته نرم افزاری &quot;هستند، این ارزش ها را می توان در جدول آیتم های اصلی وارد شده، ارزش خواهد شد کپی شده به&#39; بسته بندی فهرست جدول.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",برای آیتم های &#39;محصولات بسته نرم افزاری، انبار، سریال و بدون دسته بدون خواهد شد از&#39; بسته بندی فهرست جدول در نظر گرفته. اگر انبار و دسته ای بدون برای همه آیتم ها بسته بندی مورد هر &#39;محصولات بسته نرم افزاری &quot;هستند، این ارزش ها را می توان در جدول آیتم های اصلی وارد شده، ارزش خواهد شد کپی شده به&#39; بسته بندی فهرست جدول.
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,از محل
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,هزینه خالص می تواند منفی باشد
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,از محل
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,هزینه خالص می تواند منفی باشد
 DocType: Student Admission,Publish on website,انتشار در وب سایت
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,تاریخ عرضه فاکتور نمی تواند بیشتر از ارسال تاریخ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,تاریخ عرضه فاکتور نمی تواند بیشتر از ارسال تاریخ
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.-
 DocType: Subscription,Cancelation Date,تاریخ لغو
 DocType: Purchase Invoice Item,Purchase Order Item,خرید سفارش مورد
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,ابزار حضور دانش آموز
 DocType: Restaurant Menu,Price List (Auto created),لیست قیمت (خودکار ایجاد شده)
 DocType: Cheque Print Template,Date Settings,تنظیمات تاریخ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,واریانس
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,واریانس
 DocType: Employee Promotion,Employee Promotion Detail,جزئیات ارتقاء کارکنان
 ,Company Name,نام شرکت
 DocType: SMS Center,Total Message(s),پیام ها (بازدید کنندگان)
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,آیا کارمند تولد یادآوری ارسال کنید
 DocType: Expense Claim,Total Advance Amount,مجموع پیشامد
 DocType: Delivery Stop,Estimated Arrival,زمان تقریبی رسیدن به مقصد
-DocType: Delivery Stop,Notified by Email,اعلام شده توسط ایمیل
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,تمام مقالات را ببینید
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,راه رفتن در
 DocType: Item,Inspection Criteria,معیار بازرسی
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,لایحه
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,سفید
 DocType: SMS Center,All Lead (Open),همه سرب (باز)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ردیف {0}: تعداد برای در دسترس نیست {4} در انبار {1} در زمان ارسال از ورود ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ردیف {0}: تعداد برای در دسترس نیست {4} در انبار {1} در زمان ارسال از ورود ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,شما فقط می توانید حداکثر یک گزینه را از لیست کادرهای انتخاب انتخاب کنید.
 DocType: Purchase Invoice,Get Advances Paid,دریافت پیشرفت پرداخت
 DocType: Item,Automatically Create New Batch,به طور خودکار ایجاد دسته جدید
 DocType: Supplier,Represents Company,نمایندگی شرکت
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,ساخت
 DocType: Student Admission,Admission Start Date,پذیرش تاریخ شروع
 DocType: Journal Entry,Total Amount in Words,مقدار کل به عبارت
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,کارمند جدید
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,یک خطای وجود دارد. یکی از دلایل احتمالی میتواند این باشد که شما به صورت ذخیره نیست. لطفا support@erpnext.com تماس بگیرید اگر مشکل همچنان ادامه دارد.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,سبد من
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},نوع سفارش باید یکی از است {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},نوع سفارش باید یکی از است {0}
 DocType: Lead,Next Contact Date,تماس با آمار بعدی
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,باز کردن تعداد
 DocType: Healthcare Settings,Appointment Reminder,یادآوری انتصاب
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,لطفا حساب برای تغییر مقدار را وارد کنید
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,لطفا حساب برای تغییر مقدار را وارد کنید
 DocType: Program Enrollment Tool Student,Student Batch Name,دانشجو نام دسته ای
 DocType: Holiday List,Holiday List Name,نام فهرست تعطیلات
 DocType: Repayment Schedule,Balance Loan Amount,تعادل وام مبلغ
@@ -1577,13 +1585,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,گزینه های سهام
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,هیچ موردی در سبد خرید اضافه نشده است
 DocType: Journal Entry Account,Expense Claim,ادعای هزینه
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,آیا شما واقعا می خواهید برای بازگرداندن این دارایی اوراق؟
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,آیا شما واقعا می خواهید برای بازگرداندن این دارایی اوراق؟
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},تعداد برای {0}
 DocType: Leave Application,Leave Application,مرخصی استفاده
 DocType: Patient,Patient Relation,رابطه بیمار
 DocType: Item,Hub Category to Publish,رده توزیع برای انتشار
 DocType: Leave Block List,Leave Block List Dates,ترک فهرست بلوک خرما
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",سفارش فروش {0} برای آیتم {1} رزرو شده است، شما فقط می توانید رزرو {1} در برابر {0} رزرو کنید. سریال نه {2} تحویل نمی شود
 DocType: Sales Invoice,Billing Address GSTIN,آدرس پرداخت GSTIN
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},لطفا مشخص {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,موارد حذف شده بدون تغییر در مقدار یا ارزش.
 DocType: Delivery Note,Delivery To,تحویل به
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,ایجاد واژگان در صف قرار دارد.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},خلاصه کار برای {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,ایجاد واژگان در صف قرار دارد.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},خلاصه کار برای {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,اولین تایید کننده خروج در لیست خواهد شد به عنوان پیش فرض خروج امتحان تنظیم شده است.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,جدول ویژگی الزامی است
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,جدول ویژگی الزامی است
 DocType: Production Plan,Get Sales Orders,دریافت سفارشات فروش
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} نمی تواند منفی باشد
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,اتصال به Quickbooks
 DocType: Training Event,Self-Study,خودخوان
 DocType: POS Closing Voucher,Period End Date,تاریخ پایان تاریخ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,ترکیبات خاک حداکثر 100 را اضافه می کنند
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,تخفیف
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,ردیف {0}: {1} لازم است برای ایجاد بازخوانی {2} صورتحساب
 DocType: Membership,Membership,عضویت
 DocType: Asset,Total Number of Depreciations,تعداد کل Depreciations
 DocType: Sales Invoice Item,Rate With Margin,نرخ با حاشیه
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},لطفا یک ID ردیف معتبر برای ردیف {0} در جدول مشخص {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,قادر به پیدا کردن متغیر نیست
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,لطفا یک فیلد برای ویرایش از numpad انتخاب کنید
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,نمی توان یک مورد دارایی ثابت به عنوان Stock Ledger ایجاد کرد.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,نمی توان یک مورد دارایی ثابت به عنوان Stock Ledger ایجاد کرد.
 DocType: Subscription Plan,Fixed rate,نرخ ثابت
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,اقرار کردن
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,برو به دسکتاپ و شروع به استفاده ERPNext
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,حمل و نقل دولت
 ,Projected Quantity as Source,تعداد بینی به عنوان منبع
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,مورد باید با استفاده از &#39;گرفتن اقلام از خرید رسید&#39; را فشار دهید اضافه شود
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,سفر تحویل
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,سفر تحویل
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,نوع انتقال
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,هزینه فروش
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,مرکز هزینه پیش فرض فروش
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,دیسک
 DocType: Buying Settings,Material Transferred for Subcontract,ماده انتقال قرارداد قرارداد
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,کد پستی
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},سفارش فروش {0} است {1}
+DocType: Email Digest,Purchase Orders Items Overdue,اقلام سفارشات خرید عقب افتاده است
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,کد پستی
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},سفارش فروش {0} است {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},حساب سود را در وام انتخاب کنید {0}
 DocType: Opportunity,Contact Info,اطلاعات تماس
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,ساخت نوشته های سهام
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,صورتحساب را نمی توان برای صفر صدور صورت حساب انجام داد
 DocType: Company,Date of Commencement,تاریخ شروع
 DocType: Sales Person,Select company name first.,انتخاب نام شرکت برای اولین بار.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ایمیل فرستاده {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ایمیل فرستاده {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,نقل قول از تولید کنندگان دریافت کرد.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,جایگزین BOM و به روز رسانی آخرین قیمت در تمام BOMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},به {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,این یک گروه تامین کننده ریشه است و نمی تواند ویرایش شود.
-DocType: Delivery Trip,Driver Name,نام راننده
+DocType: Delivery Note,Driver Name,نام راننده
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,میانگین سن
 DocType: Education Settings,Attendance Freeze Date,حضور و غیاب یخ تاریخ
 DocType: Payment Request,Inward,درون
@@ -1698,7 +1709,7 @@
 DocType: Company,Parent Company,شرکت مادر
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},اتاق هتل نوع {0} در {1} در دسترس نیست
 DocType: Healthcare Practitioner,Default Currency,به طور پیش فرض ارز
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,حداکثر تخفیف برای Item {0} {1}٪ است
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,حداکثر تخفیف برای Item {0} {1}٪ است
 DocType: Asset Movement,From Employee,از کارمند
 DocType: Driver,Cellphone Number,شماره تلفن همراه
 DocType: Project,Monitor Progress,مانیتور پیشرفت
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},تعداد باید کمتر یا مساوی به {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},حداکثر واجد شرایط برای کامپوننت {0} بیش از {1}
 DocType: Department Approver,Department Approver,تأیید کننده گروه
+DocType: QuickBooks Migrator,Application Settings,تنظیمات برنامه
 DocType: SMS Center,Total Characters,مجموع شخصیت
 DocType: Employee Advance,Claimed,ادعا شده
 DocType: Crop,Row Spacing,فاصله ردیف
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},لطفا BOM BOM در زمینه برای مورد را انتخاب کنید {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},لطفا BOM BOM در زمینه برای مورد را انتخاب کنید {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,هیچ موردی برای آیتم انتخابی وجود ندارد
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,جزئیات C-فرم فاکتور
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,پرداخت آشتی فاکتور
 DocType: Clinical Procedure,Procedure Template,الگو
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,سهم٪
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",همانطور که در تنظیمات از خرید اگر سفارش خرید مورد نیاز == &quot;YES&quot;، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد سفارش خرید برای اولین بار در مورد {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,سهم٪
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",همانطور که در تنظیمات از خرید اگر سفارش خرید مورد نیاز == &quot;YES&quot;، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد سفارش خرید برای اولین بار در مورد {0}
 ,HSN-wise-summary of outward supplies,HSN-wise خلاصه ای از منابع خارجی
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,شماره ثبت شرکت برای رجوع کنید. شماره مالیاتی و غیره
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,به دولت
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,به دولت
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,توزیع کننده
 DocType: Asset Finance Book,Asset Finance Book,دارایی کتاب
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,سبد خرید قانون حمل و نقل
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,آیتم ها دستور داد تا صورتحساب
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,از محدوده است که به کمتر از به محدوده
 DocType: Global Defaults,Global Defaults,به طور پیش فرض جهانی
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,پروژه دعوت همکاری
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,پروژه دعوت همکاری
 DocType: Salary Slip,Deductions,کسر
 DocType: Setup Progress Action,Action Name,نام عمل
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,سال شروع
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,مشاور
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,دیدار با تئاتر والدین
 DocType: Salary Slip,Earnings,درامد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,مورد به پایان رسید {0} باید برای ورود نوع ساخت وارد
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,مورد به پایان رسید {0} باید برای ورود نوع ساخت وارد
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,باز کردن تعادل حسابداری
 ,GST Sales Register,GST فروش ثبت نام
 DocType: Sales Invoice Advance,Sales Invoice Advance,فاکتور فروش پیشرفته
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,هیچ چیز برای درخواست
+DocType: Stock Settings,Default Return Warehouse,پیشفرض انبار انبار
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,دامنه های خود را انتخاب کنید
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify تامین کننده
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,اقلام فاکتور پرداخت
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,زمینه ها تنها در زمان ایجاد ایجاد می شوند.
 DocType: Setup Progress Action,Domains,دامنه
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','تاریخ شروع واقعی' نمی تواند دیرتر از 'تاریخ پایان واقعی' باشد
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,اداره
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,اداره
 DocType: Cheque Print Template,Payer Settings,تنظیمات پرداخت کننده
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,هیچ درخواستی در انتظار درخواست برای پیدا کردن لینک برای موارد داده شده یافت نشد.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,اولین شرکت را انتخاب کنید
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",این خواهد شد به کد مورد از نوع اضافه خواهد شد. برای مثال، اگر شما مخفف &quot;SM&quot; است، و کد مورد است &quot;تی شرت&quot;، کد مورد از نوع خواهد بود &quot;تی شرت-SM&quot;
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,پرداخت خالص (به عبارت) قابل مشاهده خواهد بود یک بار شما را لغزش حقوق و دستمزد را نجات دهد.
 DocType: Delivery Note,Is Return,آیا بازگشت
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,احتیاط
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',روز شروع است بیشتر از پایان روز در کار {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,بازگشت / دبیت توجه
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,بازگشت / دبیت توجه
 DocType: Price List Country,Price List Country,لیست قیمت کشور
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} NOS سریال معتبر برای مورد {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,دادن اطلاعات
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,پایگاه داده تامین کننده.
 DocType: Contract Template,Contract Terms and Conditions,شرایط و ضوابط قرارداد
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,شما نمی توانید اشتراک را لغو کنید.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,شما نمی توانید اشتراک را لغو کنید.
 DocType: Account,Balance Sheet,ترازنامه
 DocType: Leave Type,Is Earned Leave,درآمد کسب کرده است
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',مرکز مورد با کد آیتم های هزینه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',مرکز مورد با کد آیتم های هزینه
 DocType: Fee Validity,Valid Till,تاخیر معتبر
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,مجموع تدریس معلم والدین
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",حالت پرداخت پیکربندی نشده است. لطفا بررسی کنید، آیا حساب شده است در حالت پرداخت و یا در POS مشخصات تعیین شده است.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",حالت پرداخت پیکربندی نشده است. لطفا بررسی کنید، آیا حساب شده است در حالت پرداخت و یا در POS مشخصات تعیین شده است.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,آیتم همان نمی تواند وارد شود چند بار.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",حساب های بیشتر می تواند در زیر گروه ساخته شده، اما مطالب را می توان در برابر غیر گروه ساخته شده
 DocType: Lead,Lead,راهبر
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,سهام ورودی {0} ایجاد
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,شما نمیتوانید امتیازات وفاداری خود را به دست آورید
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,ردیف # {0}: رد تعداد می توانید در خرید بازگشت نمی شود وارد
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},لطفا حساب مربوطه را در بخش مالیات اجباری {0} در برابر شرکت {1} تنظیم کنید
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,ردیف # {0}: رد تعداد می توانید در خرید بازگشت نمی شود وارد
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,تغییر گروه مشتری برای مشتری انتخاب شده مجاز نیست.
 ,Purchase Order Items To Be Billed,سفارش خرید گزینه هایی که صورتحساب
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,به روز رسانی زمان ورود برآورد شده
 DocType: Program Enrollment Tool,Enrollment Details,جزئیات ثبت نام
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,می توانید چندین مورد پیش فرض برای یک شرکت تنظیم کنید.
 DocType: Purchase Invoice Item,Net Rate,نرخ خالص
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,لطفا یک مشتری را انتخاب کنید
 DocType: Leave Policy,Leave Allocations,رها کردن
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,اطلاعات بازپرداخت
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;مطالب&#39; نمی تواند خالی باشد
 DocType: Maintenance Team Member,Maintenance Role,نقش تعمیر و نگهداری
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},تکراری ردیف {0} را با همان {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},تکراری ردیف {0} را با همان {1}
 DocType: Marketplace Settings,Disable Marketplace,غیر فعال کردن بازار
 ,Trial Balance,آزمایش تعادل
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,سال مالی {0} یافت نشد
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,تنظیمات اشتراک
 DocType: Purchase Invoice,Update Auto Repeat Reference,به روزرسانی خودکار مرجع تکرار
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},فهرست تعطیلات اختیاری برای مدت زمان تعطیل تنظیم نمی شود {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},فهرست تعطیلات اختیاری برای مدت زمان تعطیل تنظیم نمی شود {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,پژوهش
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,برای آدرس 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,برای آدرس 2
 DocType: Maintenance Visit Purpose,Work Done,کار تمام شد
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,لطفا حداقل یک ویژگی در جدول صفات مشخص
 DocType: Announcement,All Students,همه ی دانش آموزان
@@ -1854,16 +1870,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,معاملات متقابل
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,قدیمیترین
 DocType: Crop Cycle,Linked Location,موقعیت مکانی مرتبط است
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",گروه مورد با همین نام وجود دارد، لطفا نام مورد تغییر یا تغییر نام گروه مورد
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",گروه مورد با همین نام وجود دارد، لطفا نام مورد تغییر یا تغییر نام گروه مورد
 DocType: Crop Cycle,Less than a year,کمتر از یک سال
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,شماره دانشجویی موبایل
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,بقیه دنیا
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,بقیه دنیا
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,مورد {0} می تواند دسته ای ندارد
 DocType: Crop,Yield UOM,عملکرد UOM
 ,Budget Variance Report,گزارش انحراف از بودجه
 DocType: Salary Slip,Gross Pay,پرداخت ناخالص
 DocType: Item,Is Item from Hub,مورد از مرکز است
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,مواردی را از خدمات بهداشتی دریافت کنید
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,مواردی را از خدمات بهداشتی دریافت کنید
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,ردیف {0}: نوع فعالیت الزامی است.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,سود سهام پرداخت
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,حسابداری لجر
@@ -1878,6 +1894,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,حالت پرداخت
 DocType: Purchase Invoice,Supplied Items,اقلام عرضه
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},لطفا یک منوی فعال برای رستوران {0} تنظیم کنید
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,کمیسیون نرخ٪
 DocType: Work Order,Qty To Manufacture,تعداد برای تولید
 DocType: Email Digest,New Income,درآمد جدید
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,حفظ همان نرخ در سراسر چرخه خرید
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},نرخ ارزش گذاری مورد نیاز برای مورد در ردیف {0}
 DocType: Supplier Scorecard,Scorecard Actions,اقدامات کارت امتیازی
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,به عنوان مثال: کارشناسی ارشد در رشته علوم کامپیوتر
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},{0} ارائه نشده در {1} یافت نشد
 DocType: Purchase Invoice,Rejected Warehouse,انبار را رد کرد
 DocType: GL Entry,Against Voucher,علیه کوپن
 DocType: Item Default,Default Buying Cost Center,به طور پیش فرض مرکز هزینه خرید
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",برای دریافت بهترین نتیجه را از ERPNext، توصیه می کنیم که شما را برخی از زمان و تماشای این فیلم ها به کمک.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),برای تامین کننده پیش فرض (اختیاری)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,به
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),برای تامین کننده پیش فرض (اختیاری)
 DocType: Supplier Quotation Item,Lead Time in days,سرب زمان در روز
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,خلاصه  حسابهای  پرداختنی
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},مجاز به ویرایش منجمد حساب {0}
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,اخطار برای درخواست جدید برای نقل قول
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,سفارشات خرید به شما کمک کند برنامه ریزی و پیگیری خرید خود را
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,آزمایشات آزمایشی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",کل مقدار شماره / انتقال {0} در درخواست پاسخ به مواد {1} \ نمی تواند بیشتر از مقدار درخواست {2} برای مورد {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,کوچک
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",اگر Shopify شامل مشتری در Order نیست، و در حالیکه هنگام سفارشات همگام سازی می شود، سیستم مشتری را پیش فرض برای سفارش قرار می دهد
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,٪ تکمیل شده
 ,Invoiced Amount (Exculsive Tax),مقدار صورتحساب (Exculsive مالیات)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,آیتم 2
+DocType: QuickBooks Migrator,Authorization Endpoint,نقطه پایانی مجوز
 DocType: Travel Request,International,بین المللی
 DocType: Training Event,Training Event,برنامه آموزشی
 DocType: Item,Auto re-order,خودکار دوباره سفارش
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,قرارداد
 DocType: Plant Analysis,Laboratory Testing Datetime,آزمایشی آزمایشگاه Datetime
 DocType: Email Digest,Add Quote,افزودن پیشنهاد قیمت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},عامل coversion UOM مورد نیاز برای UOM: {0} در مورد: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},عامل coversion UOM مورد نیاز برای UOM: {0} در مورد: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,هزینه های غیر مستقیم
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,ردیف {0}: تعداد الزامی است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,ردیف {0}: تعداد الزامی است
 DocType: Agriculture Analysis Criteria,Agriculture,کشاورزی
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,ایجاد سفارش فروش
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,ورودی حسابداری برای دارایی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,مسدود کردن صورتحساب
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,ورودی حسابداری برای دارایی
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,مسدود کردن صورتحساب
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,مقدار به صورت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,همگام سازی داده های کارشناسی ارشد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,همگام سازی داده های کارشناسی ارشد
 DocType: Asset Repair,Repair Cost,هزینه تعمیر
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,محصولات  یا خدمات شما
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,ورود به سیستم ناموفق بود
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,دارایی {0} ایجاد شد
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,دارایی {0} ایجاد شد
 DocType: Special Test Items,Special Test Items,آیتم های تست ویژه
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,برای ثبت نام در Marketplace، باید کاربر با مدیر سیستم مدیریت و نقش آیتم باشد.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,نحوه پرداخت
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,همانطور که در ساختار حقوق شما تعیین شده است، نمی توانید برای مزایا درخواست دهید
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,وب سایت تصویر باید یک فایل عمومی و یا آدرس وب سایت می باشد
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,وب سایت تصویر باید یک فایل عمومی و یا آدرس وب سایت می باشد
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,این یک گروه مورد ریشه است و نمی تواند ویرایش شود.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,ادغام
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,انبار اطلاعات تماس
 DocType: Payment Entry,Write Off Difference Amount,نوشتن کردن مقدار تفاوت
 DocType: Volunteer,Volunteer Name,نام داوطلب
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: ایمیل کارمند یافت نشد، از این رو ایمیل ارسال نمی
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},ردیفهایی با تاریخ تکراری در سطرهای دیگر یافت شد: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: ایمیل کارمند یافت نشد، از این رو ایمیل ارسال نمی
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},بدون ساختار حقوق و دستمزد برای کارمندان {0} در تاریخ داده شده {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},قانون حمل و نقل برای کشور قابل اجرا نیست {0}
 DocType: Item,Foreign Trade Details,جزییات تجارت خارجی
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,درآمد سالانه
 DocType: Serial No,Serial No Details,سریال جزئیات
 DocType: Purchase Invoice Item,Item Tax Rate,مورد نرخ مالیات
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,از نام حزب
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,از نام حزب
 DocType: Student Group Student,Group Roll Number,گروه شماره رول
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",برای {0}، تنها حساب های اعتباری می تواند در مقابل ورود بدهی دیگر مرتبط
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,تحویل توجه داشته باشید {0} است ارسال نشده
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,تحویل توجه داشته باشید {0} است ارسال نشده
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,مورد {0} باید مورد-فرعی قرارداد است
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,تجهیزات سرمایه
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",قانون قیمت گذاری شده است برای اولین بار بر اساس انتخاب &#39;درخواست در&#39; درست است که می تواند مورد، مورد گروه و یا تجاری.
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,لطفا ابتدا کد مورد را تنظیم کنید
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,نوع فیلم کارگردان تهیه کننده
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,درصد اختصاص داده ها را برای تیم فروش باید 100 باشد
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,نوع فیلم کارگردان تهیه کننده
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,درصد اختصاص داده ها را برای تیم فروش باید 100 باشد
 DocType: Subscription Plan,Billing Interval Count,تعداد واسطهای صورتحساب
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,ملاقات ها و برخورد های بیمار
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,ارزش گمشده
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,درست چاپ فرمت
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,هزینه ایجاد شده است
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},هیچ مورد به نام پیدا کنید {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,آیتم فیلتر
 DocType: Supplier Scorecard Criteria,Criteria Formula,معیارهای فرمول
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,خروجی ها
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",فقط یک قانون حمل و نقل شرط با 0 یا مقدار خالی برای &quot;به ارزش&quot;
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",برای یک مورد {0}، مقدار باید عدد مثبت باشد
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,توجه: این مرکز هزینه یک گروه است. می توانید ورودی های حسابداری در برابر گروه های را ندارد.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,درخواست روز بازپرداخت جبران خسارت در تعطیلات معتبر
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,انبار کودک برای این انبار وجود دارد. شما می توانید این انبار را حذف کنید.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,انبار کودک برای این انبار وجود دارد. شما می توانید این انبار را حذف کنید.
 DocType: Item,Website Item Groups,گروه مورد وب سایت
 DocType: Purchase Invoice,Total (Company Currency),مجموع (شرکت ارز)
 DocType: Daily Work Summary Group,Reminder,یادآور
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,ارزش دسترسی
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,ارزش دسترسی
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,شماره سریال {0} وارد بیش از یک بار
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,ورودی دفتر
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,از GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,از GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,مقدار نامعلوم
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} اقلام در حال انجام
 DocType: Workstation,Workstation Name,نام ایستگاه های کاری
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,POS مورد گروه
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ایمیل خلاصه:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,مورد جایگزین نباید همانند کد آیتم باشد
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} به مورد تعلق ندارد {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} به مورد تعلق ندارد {1}
 DocType: Sales Partner,Target Distribution,توزیع هدف
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-نهایی شدن ارزیابی موقت
 DocType: Salary Slip,Bank Account No.,شماره حساب بانکی
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ",متغیرهای کارت امتیازی می توانند مورد استفاده قرار گیرند و همچنین {total_score} (نمره کل از آن دوره)، {period_number} (تعداد دوره ها تا امروز)
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,جمع کردن همه
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,جمع کردن همه
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,ایجاد سفارش خرید
 DocType: Quality Inspection Reading,Reading 8,خواندن 8
 DocType: Inpatient Record,Discharge Note,نکته تخلیه
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,امتیاز مرخصی
 DocType: Purchase Invoice,Supplier Invoice Date,تامین کننده فاکتور عضویت
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,این مقدار برای محاسبه pro-rata temporis استفاده می شود
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,شما نیاز به فعال کردن سبد خرید هستید
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,شما نیاز به فعال کردن سبد خرید هستید
 DocType: Payment Entry,Writeoff,تسویه حساب
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS- .YYYY.-
 DocType: Stock Settings,Naming Series Prefix,پیشوند سری نامگذاری
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,شرایط با هم تداخل دارند بین:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,علیه مجله ورودی {0} در حال حاضر در برابر برخی از کوپن های دیگر تنظیم
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,مجموع ارزش ترتیب
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,غذا
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,غذا
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,محدوده سالمندی 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,جزئیات کوئری بسته شدن POS
 DocType: Shopify Log,Shopify Log,Shopify ورود
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,لطفا مجموعه نامگذاری را برای {0} از طریق تنظیمات&gt; تنظیمات&gt; نامگذاری سری
 DocType: Inpatient Occupancy,Check In,چک کردن
 DocType: Maintenance Schedule Item,No of Visits,تعداد بازدید ها
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},برنامه تعمیر و نگهداری {0} در برابر وجود دارد {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),حداکثر مزایا (مقدار)
 DocType: Purchase Invoice,Contact Person,شخص تماس
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"'تاریخ شروع پیش بینی شده' نمی تواند بیشتر از 'تاریخ پایان پیش بینی شده"" باشد"
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,برای این دوره داده ای وجود ندارد
 DocType: Course Scheduling Tool,Course End Date,البته پایان تاریخ
 DocType: Holiday List,Holidays,تعطیلات
 DocType: Sales Order Item,Planned Quantity,تعداد برنامه ریزی شده
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,تغییر خالص دارائی های ثابت در
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,تعداد مجله
 DocType: Leave Control Panel,Leave blank if considered for all designations,خالی بگذارید اگر برای همه در نظر گرفته نامگذاریهای
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از نوع &#39;واقعی&#39; در ردیف {0} نمی تواند در مورد نرخ شامل
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از نوع &#39;واقعی&#39; در ردیف {0} نمی تواند در مورد نرخ شامل
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},حداکثر: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,از تاریخ ساعت
 DocType: Shopify Settings,For Company,برای شرکت
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,شرایط و ضوابط محتوا
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,اشتباهاتی در ایجاد برنامه درس وجود داشت
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,اولین تأیید کننده هزینه در لیست خواهد بود به عنوان پیش فرض هزینه گذار تنظیم شده است.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,نمی تواند بیشتر از ۱۰۰ باشد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,نمی تواند بیشتر از ۱۰۰ باشد
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,برای ثبت نام در Marketplace، باید کاربر دیگری غیر از Administrator با مدیر سیستم و نقش Item باشد.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,مورد {0} است مورد سهام نمی
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,مورد {0} است مورد سهام نمی
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC- .YYYY.-
 DocType: Maintenance Visit,Unscheduled,برنامه ریزی
 DocType: Employee,Owned,متعلق به
@@ -2144,7 +2164,7 @@
 DocType: HR Settings,Employee Settings,تنظیمات کارمند
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,سیستم پرداخت بارگیری
 ,Batch-Wise Balance History,دسته حکیم تاریخچه تعادل
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ردیف # {0}: نمیتوان مقدار را تعیین کرد اگر مقدار برای مقدار Item {1} بیشتر از مقدار صورتحساب باشد.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ردیف # {0}: نمیتوان مقدار را تعیین کرد اگر مقدار برای مقدار Item {1} بیشتر از مقدار صورتحساب باشد.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,تنظیمات چاپ به روز در قالب چاپ مربوطه
 DocType: Package Code,Package Code,کد بسته بندی
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,شاگرد
@@ -2152,7 +2172,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,تعداد منفی مجاز نیست
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",مالیات جدول جزئیات ذهن از آیتم های کارشناسی ارشد به عنوان یک رشته و ذخیره شده در این زمینه. مورد استفاده برای مالیات و هزینه
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,کارمند نمی تواند به خود گزارش دهید.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,کارمند نمی تواند به خود گزارش دهید.
 DocType: Leave Type,Max Leaves Allowed,حداکثر برگ مجاز است
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",اگر حساب منجمد است، ورودی ها را به کاربران محدود شده مجاز می باشد.
 DocType: Email Digest,Bank Balance,بانک تعادل
@@ -2178,6 +2198,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,نوشته های معاملات بانکی
 DocType: Quality Inspection,Readings,خوانش
 DocType: Stock Entry,Total Additional Costs,مجموع هزینه های اضافی
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,هیچ تعاملات
 DocType: BOM,Scrap Material Cost(Company Currency),هزینه ضایعات مواد (شرکت ارز)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,مجامع زیر
 DocType: Asset,Asset Name,نام دارایی
@@ -2185,10 +2206,10 @@
 DocType: Shipping Rule Condition,To Value,به ارزش
 DocType: Loyalty Program,Loyalty Program Type,نوع برنامه وفاداری
 DocType: Asset Movement,Stock Manager,سهام مدیر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},انبار منبع برای ردیف الزامی است {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},انبار منبع برای ردیف الزامی است {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,مدت زمان پرداخت در سطر {0} احتمالا یک تکراری است.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),کشاورزی (بتا)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,بسته بندی لغزش
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,بسته بندی لغزش
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,اجاره دفتر
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,تنظیمات دروازه راه اندازی SMS
 DocType: Disease,Common Name,نام متداول
@@ -2220,20 +2241,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,ایمیل لغزش حقوق و دستمزد به کارکنان
 DocType: Cost Center,Parent Cost Center,مرکز هزینه پدر و مادر
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,انتخاب کننده ممکن
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,انتخاب کننده ممکن
 DocType: Sales Invoice,Source,منبع
 DocType: Customer,"Select, to make the customer searchable with these fields",انتخاب کنید تا مشتری را با این فیلدها جستجو کنید
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,واردات تحویل یادداشت از Shopify در حمل و نقل
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,نمایش بسته
 DocType: Leave Type,Is Leave Without Pay,آیا ترک کنی بدون اینکه پرداخت
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT- .YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,دارایی رده برای آیتم دارائی های ثابت الزامی است
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,دارایی رده برای آیتم دارائی های ثابت الزامی است
 DocType: Fee Validity,Fee Validity,هزینه معتبر
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,هیچ ثبتی یافت نشد در جدول پرداخت
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},این {0} درگیری با {1} برای {2} {3}
 DocType: Student Attendance Tool,Students HTML,دانش آموزان HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","لطفا کارمند <a href=""#Form/Employee/{0}"">{0}</a> \ برای حذف این سند را حذف کنید"
 DocType: POS Profile,Apply Discount,اعمال تخفیف
 DocType: GST HSN Code,GST HSN Code,GST کد HSN
 DocType: Employee External Work History,Total Experience,تجربه ها
@@ -2256,7 +2274,7 @@
 DocType: Maintenance Schedule,Schedules,برنامه
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,مشخصات POS برای استفاده از Point-of-Sale مورد نیاز است
 DocType: Cashier Closing,Net Amount,مقدار خالص
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ارائه نشده است پس از عمل نمی تواند تکمیل شود
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ارائه نشده است پس از عمل نمی تواند تکمیل شود
 DocType: Purchase Order Item Supplied,BOM Detail No,جزئیات BOM بدون
 DocType: Landed Cost Voucher,Additional Charges,هزینه های اضافی
 DocType: Support Search Source,Result Route Field,نتیجه مسیر میدان
@@ -2285,11 +2303,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,افتتاح حساب ها
 DocType: Contract,Contract Details,جزئیات قرارداد
 DocType: Employee,Leave Details,ترک جزئیات
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,لطفا درست ID کاربر در یک پرونده کارمند به مجموعه نقش کارمند تنظیم
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,لطفا درست ID کاربر در یک پرونده کارمند به مجموعه نقش کارمند تنظیم
 DocType: UOM,UOM Name,نام UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,برای آدرس 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,برای آدرس 1
 DocType: GST HSN Code,HSN Code,کد HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,مقدار سهم
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,مقدار سهم
 DocType: Inpatient Record,Patient Encounter,ملاقات بیمار
 DocType: Purchase Invoice,Shipping Address,حمل و نقل آدرس
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,این ابزار کمک می کند تا شما را به روز رسانی و یا تعمیر کمیت و ارزیابی سهام در سیستم. این است که به طور معمول برای همزمان سازی مقادیر سیستم و آنچه که واقعا در انبارها شما وجود دارد استفاده می شود.
@@ -2306,9 +2324,9 @@
 DocType: Travel Itinerary,Mode of Travel,حالت سفر
 DocType: Sales Invoice Item,Brand Name,نام تجاری
 DocType: Purchase Receipt,Transporter Details,اطلاعات حمل و نقل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,به طور پیش فرض ذخیره سازی برای آیتم انتخاب شده مورد نیاز است
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,به طور پیش فرض ذخیره سازی برای آیتم انتخاب شده مورد نیاز است
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,جعبه
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,کننده ممکن
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,کننده ممکن
 DocType: Budget,Monthly Distribution,توزیع ماهانه
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,فهرست گیرنده خالی است. لطفا ایجاد فهرست گیرنده
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),بهداشت و درمان (بتا)
@@ -2329,6 +2347,7 @@
 ,Lead Name,نام راهبر
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,چشم انداز
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,باز کردن تعادل سهام
 DocType: Asset Category Account,Capital Work In Progress Account,سرمایه کار در حساب پیشرفت
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,تعدیل ارزش دارایی
@@ -2337,7 +2356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},برگ با موفقیت برای اختصاص {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,هیچ آیتمی برای بسته
 DocType: Shipping Rule Condition,From Value,از ارزش
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,ساخت تعداد الزامی است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,ساخت تعداد الزامی است
 DocType: Loan,Repayment Method,روش بازپرداخت
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",اگر علامت زده شود، صفحه اصلی خواهد بود که گروه پیش فرض گزینه برای وب سایت
 DocType: Quality Inspection Reading,Reading 4,خواندن 4
@@ -2362,7 +2381,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ارجاع کارمند
 DocType: Student Group,Set 0 for no limit,تنظیم 0 برای هیچ محدودیتی
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,روز (بازدید کنندگان) که در آن شما برای مرخصی استفاده از تعطیلات. شما نیاز به درخواست برای ترک نمی کند.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,ردیف {idx}: {field} برای ایجاد فاکتور افتتاح {invoice_type} لازم است
 DocType: Customer,Primary Address and Contact Detail,آدرس اصلی و جزئیات تماس
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,ارسال مجدد ایمیل پرداخت
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,وظیفه جدید
@@ -2372,8 +2390,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,لطفا حداقل یک دامنه را انتخاب کنید
 DocType: Dependent Task,Dependent Task,وظیفه وابسته
 DocType: Shopify Settings,Shopify Tax Account,حساب حساب مالیاتی Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},عامل تبدیل واحد اندازه گیری پیش فرض از 1 باید در ردیف شود {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},مرخصی از نوع {0} نمی تواند بیش از {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},عامل تبدیل واحد اندازه گیری پیش فرض از 1 باید در ردیف شود {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},مرخصی از نوع {0} نمی تواند بیش از {1}
 DocType: Delivery Trip,Optimize Route,بهینه سازی مسیر
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,سعی کنید برنامه ریزی عملیات به مدت چند روز X در پیش است.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2382,14 +2400,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},لطفا پیش فرض حقوق و دستمزد پرداختنی حساب تعیین شده در شرکت {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,دریافت مالیات از مالیات و اتهامات داده شده توسط آمازون
 DocType: SMS Center,Receiver List,فهرست گیرنده
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,جستجو مورد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,جستجو مورد
 DocType: Payment Schedule,Payment Amount,مبلغ پرداختی
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,تاریخ نود روز باید بین کار از تاریخ و تاریخ پایان کار باشد
 DocType: Healthcare Settings,Healthcare Service Items,اقلام خدمات بهداشتی
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,مقدار مصرف
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,تغییر خالص در نقدی
 DocType: Assessment Plan,Grading Scale,مقیاس درجه بندی
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,واحد اندازه گیری {0} است بیش از یک بار در تبدیل فاکتور جدول وارد شده است
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,واحد اندازه گیری {0} است بیش از یک بار در تبدیل فاکتور جدول وارد شده است
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,قبلا کامل شده
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,سهام در دست
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2412,25 +2430,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,سریال بدون {0} مقدار {1} می تواند یک بخش نمی
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,لطفا URL سرور Woocommerce را وارد کنید
 DocType: Purchase Order Item,Supplier Part Number,تامین کننده شماره قسمت
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,نرخ تبدیل نمی تواند 0 یا 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,نرخ تبدیل نمی تواند 0 یا 1
 DocType: Share Balance,To No,به نه
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,تمام وظایف اجباری برای ایجاد کارمند هنوز انجام نشده است.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} لغو و یا متوقف شده است
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} لغو و یا متوقف شده است
 DocType: Accounts Settings,Credit Controller,کنترل اعتبار
 DocType: Loan,Applicant Type,نوع متقاضی
 DocType: Purchase Invoice,03-Deficiency in services,03-کمبود خدمات
 DocType: Healthcare Settings,Default Medical Code Standard,استاندارد استاندارد پزشکی
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,رسید خرید {0} است ارسال نشده
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,رسید خرید {0} است ارسال نشده
 DocType: Company,Default Payable Account,به طور پیش فرض پرداختنی حساب
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",تنظیمات برای سبد خرید آنلاین مانند قوانین حمل و نقل، لیست قیمت و غیره
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}٪ صورتحساب شد
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,این سایت متعلق به تعداد
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,این سایت متعلق به تعداد
 DocType: Party Account,Party Account,حساب حزب
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,لطفا شرکت و تعیین را انتخاب کنید
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,منابع انسانی
-DocType: Lead,Upper Income,درآمد بالاتر
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,درآمد بالاتر
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,رد کردن
 DocType: Journal Entry Account,Debit in Company Currency,بدهی شرکت در ارز
 DocType: BOM Item,BOM Item,مورد BOM
@@ -2447,7 +2465,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",فرصت های شغلی برای تعیین {0} در حال حاضر باز / یا استخدام تکمیل شده به عنوان در برنامه انبارداری {1}
 DocType: Vital Signs,Constipated,یبوست
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},در برابر تامین کننده فاکتور {0} تاریخ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},در برابر تامین کننده فاکتور {0} تاریخ {1}
 DocType: Customer,Default Price List,به طور پیش فرض لیست قیمت
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,ضبط حرکت دارایی {0} ایجاد
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,موردی یافت نشد.
@@ -2463,16 +2481,17 @@
 DocType: Journal Entry,Entry Type,نوع ورودی
 ,Customer Credit Balance,تعادل اعتباری مشتری
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,تغییر خالص در حساب های پرداختنی
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),اعتبار محدود شده است برای مشتری {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,لطفا مجموعه نامگذاری را برای {0} از طریق تنظیمات&gt; تنظیمات&gt; نامگذاری سری
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),اعتبار محدود شده است برای مشتری {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',مشتری مورد نیاز برای &#39;تخفیف Customerwise&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,به روز رسانی تاریخ های پرداخت بانک با مجلات.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,قیمت گذاری
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,قیمت گذاری
 DocType: Quotation,Term Details,جزییات مدت
 DocType: Employee Incentive,Employee Incentive,مشوق کارمند
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,نمی توانید بیش از {0} دانش آموزان برای این گروه از دانشجویان ثبت نام.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),مجموع (بدون مالیات)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,تعداد سرب
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,سهام موجود
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,سهام موجود
 DocType: Manufacturing Settings,Capacity Planning For (Days),برنامه ریزی ظرفیت برای (روز)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,تهیه
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,هیچ یک از موارد هر گونه تغییر در مقدار یا ارزش.
@@ -2496,7 +2515,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,حضور و غیاب
 DocType: Asset,Comprehensive Insurance,بیمه جامع
 DocType: Maintenance Visit,Partially Completed,نیمه تکمیل شده
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},نقطه وفاداری: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},نقطه وفاداری: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,اضافه کردن موارد
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,حساسیت متوسط
 DocType: Leave Type,Include holidays within leaves as leaves,شامل تعطیلات در برگ برگ
 DocType: Loyalty Program,Redemption,رستگاری
@@ -2530,7 +2550,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,هزینه های بازاریابی
 ,Item Shortage Report,مورد گزارش کمبود
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,نمی توان معیارهای استاندارد را ایجاد کرد. لطفا معیارها را تغییر دهید
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن ذکر شده است، \ n لطفا ذکر &quot;وزن UOM&quot; بیش از حد
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن ذکر شده است، \ n لطفا ذکر &quot;وزن UOM&quot; بیش از حد
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,درخواست مواد مورد استفاده در ساخت این سهام ورود
 DocType: Hub User,Hub Password,رمز عبور هاب
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,جدا البته گروه بر اساس برای هر دسته ای
@@ -2544,15 +2564,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),مدت زمان انتصاب (دقیقه)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,را حسابداری برای ورود به جنبش هر سهام
 DocType: Leave Allocation,Total Leaves Allocated,مجموع برگ اختصاص داده شده
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,لطفا معتبر مالی سال تاریخ شروع و پایان را وارد کنید
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,لطفا معتبر مالی سال تاریخ شروع و پایان را وارد کنید
 DocType: Employee,Date Of Retirement,تاریخ بازنشستگی
 DocType: Upload Attendance,Get Template,دریافت قالب
+,Sales Person Commission Summary,خلاصه کمیسیون فروش شخصی
 DocType: Additional Salary Component,Additional Salary Component,جزء اضافی حقوق
 DocType: Material Request,Transferred,منتقل شده
 DocType: Vehicle,Doors,درب
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext راه اندازی کامل!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext راه اندازی کامل!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,جمع آوری هزینه ثبت نام بیمار
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,نمی توان ویژگی ها را بعد از معامله سهام تغییر داد. یک مورد جدید ایجاد کنید و سهام را به بخش جدید منتقل کنید
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,نمی توان ویژگی ها را بعد از معامله سهام تغییر داد. یک مورد جدید ایجاد کنید و سهام را به بخش جدید منتقل کنید
 DocType: Course Assessment Criteria,Weightage,بین وزنها
 DocType: Purchase Invoice,Tax Breakup,فروپاشی مالیات
 DocType: Employee,Joining Details,پیوستن به جزئیات
@@ -2579,14 +2600,15 @@
 DocType: Lead,Next Contact By,بعد تماس با
 DocType: Compensatory Leave Request,Compensatory Leave Request,درخواست بازپرداخت جبران خسارت
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},تعداد در ردیف مورد نیاز برای مورد {0} {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},انبار {0} نمی تواند حذف شود مقدار برای مورد وجود دارد {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},انبار {0} نمی تواند حذف شود مقدار برای مورد وجود دارد {1}
 DocType: Blanket Order,Order Type,نوع سفارش
 ,Item-wise Sales Register,مورد عاقلانه فروش ثبت نام
 DocType: Asset,Gross Purchase Amount,مبلغ خرید خالص
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,تعادل افتتاحیه
 DocType: Asset,Depreciation Method,روش استهلاک
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,آیا این مالیات شامل در نرخ پایه؟
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,مجموع هدف
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,مجموع هدف
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,تجزیه و تحلیل درک
 DocType: Soil Texture,Sand Composition (%),ترکیب ماسه (٪)
 DocType: Job Applicant,Applicant for a Job,متقاضی برای شغل
 DocType: Production Plan Material Request,Production Plan Material Request,تولید درخواست پاسخ به طرح مواد
@@ -2601,23 +2623,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),ارزیابی علامت (از 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 موبایل بدون
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,اصلی
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,مورد زیر {0} به عنوان {1} علامت گذاری نشده است. شما می توانید آنها را به عنوان {1} مورد از استاد مورد خود را فعال کنید
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,نوع دیگر
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",برای یک مورد {0}، مقدار باید شماره منفی باشد
 DocType: Naming Series,Set prefix for numbering series on your transactions,تنظیم پیشوند برای شماره سری در معاملات خود را
 DocType: Employee Attendance Tool,Employees HTML,کارمندان HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,به طور پیش فرض BOM ({0}) باید برای این آیتم به و یا قالب آن فعال باشد
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,به طور پیش فرض BOM ({0}) باید برای این آیتم به و یا قالب آن فعال باشد
 DocType: Employee,Leave Encashed?,ترک نقد شدنی؟
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصت از فیلد اجباری است
 DocType: Email Digest,Annual Expenses,هزینه سالانه
 DocType: Item,Variants,انواع
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,را سفارش خرید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,را سفارش خرید
 DocType: SMS Center,Send To,فرستادن به
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},است تعادل مرخصی به اندازه کافی برای مرخصی نوع وجود ندارد {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},است تعادل مرخصی به اندازه کافی برای مرخصی نوع وجود ندارد {0}
 DocType: Payment Reconciliation Payment,Allocated amount,مقدار اختصاص داده شده
 DocType: Sales Team,Contribution to Net Total,کمک به شبکه ها
 DocType: Sales Invoice Item,Customer's Item Code,کد مورد مشتری
 DocType: Stock Reconciliation,Stock Reconciliation,سهام آشتی
 DocType: Territory,Territory Name,نام منطقه
+DocType: Email Digest,Purchase Orders to Receive,سفارشات خرید برای دریافت
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,کار در حال پیشرفت انبار قبل از ارسال مورد نیاز است
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,فقط می توانید برنامه هایی با یک چرخه صدور صورت حساب در یک اشتراک داشته باشید
 DocType: Bank Statement Transaction Settings Item,Mapped Data,داده های مکث شده
@@ -2634,9 +2658,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},تکراری سریال بدون برای مورد وارد {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,پیگیری بر اساس منبع سرب
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,یک شرط برای یک قانون ارسال کالا
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,لطفا وارد
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,لطفا وارد
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,ثبت نگهداری
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,لطفا فیلتر بر اساس مورد یا انبار مجموعه
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,لطفا فیلتر بر اساس مورد یا انبار مجموعه
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن خالص این بسته. (به طور خودکار به عنوان مجموع وزن خالص از اقلام محاسبه)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,ورود مجله شرکت اینتر را وارد کنید
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,مقدار تخفیف نمی تواند بیش از 100٪ باشد
@@ -2645,15 +2669,15 @@
 DocType: Sales Order,To Deliver and Bill,برای ارائه و بیل
 DocType: Student Group,Instructors,آموزش
 DocType: GL Entry,Credit Amount in Account Currency,مقدار اعتبار در حساب ارز
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} باید ارائه شود
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,مدیریت اشتراک
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} باید ارائه شود
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,مدیریت اشتراک
 DocType: Authorization Control,Authorization Control,کنترل مجوز
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ردیف # {0}: رد انبار در برابر رد مورد الزامی است {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,پرداخت
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ردیف # {0}: رد انبار در برابر رد مورد الزامی است {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,پرداخت
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",انبار {0} است به هر حساب در ارتباط نیست، لطفا ذکر حساب در رکورد انبار و یا مجموعه ای حساب موجودی به طور پیش فرض در شرکت {1}.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,مدیریت سفارشات خود را
 DocType: Work Order Operation,Actual Time and Cost,زمان و هزینه های واقعی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},درخواست مواد از حداکثر {0} را می توان برای مورد {1} در برابر سفارش فروش ساخته شده {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},درخواست مواد از حداکثر {0} را می توان برای مورد {1} در برابر سفارش فروش ساخته شده {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,فاصله کاشت
 DocType: Course,Course Abbreviation,مخفف دوره
@@ -2665,6 +2689,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},کل ساعات کار نباید از ساعات کار حداکثر است بیشتر {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,بر
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,آیتم های همراه  در زمان فروش.
+DocType: Delivery Settings,Dispatch Settings,تنظیمات ارسال
 DocType: Material Request Plan Item,Actual Qty,تعداد واقعی
 DocType: Sales Invoice Item,References,مراجع
 DocType: Quality Inspection Reading,Reading 10,خواندن 10
@@ -2674,11 +2699,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,شما وارد آیتم های تکراری شده اید   لطفا تصحیح و دوباره سعی کنید.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,وابسته
 DocType: Asset Movement,Asset Movement,جنبش دارایی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,سفارش کار {0} باید ارائه شود
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,سبد خرید
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,سفارش کار {0} باید ارائه شود
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,سبد خرید
 DocType: Taxable Salary Slab,From Amount,از مقدار
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,مورد {0} است مورد سریال نه
 DocType: Leave Type,Encashment,محاسبه
+DocType: Delivery Settings,Delivery Settings,تنظیمات تحویل
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,بارگیری دادههای
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},حداکثر مرخصی مجاز در نوع ترک {0} {1}
 DocType: SMS Center,Create Receiver List,ایجاد فهرست گیرنده
 DocType: Vehicle,Wheels,چرخ ها
@@ -2694,7 +2721,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,پول صورتحساب باید برابر با پول یا حساب بانکی شرکت پیش فرض باشد
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),نشان می دهد که بسته به بخشی از این تحویل (فقط پیش نویس) است
 DocType: Soil Texture,Loam,لام
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,ردیف {0}: تاریخ تحویل قبل از تاریخ ارسال نمی تواند باشد
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,ردیف {0}: تاریخ تحویل قبل از تاریخ ارسال نمی تواند باشد
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,ورود را پرداخت
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},تعداد برای مورد {0} باید کمتر از است {1}
 ,Sales Invoice Trends,فروش روند فاکتور
@@ -2702,12 +2729,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',می توانید ردیف مراجعه تنها در صورتی که نوع اتهام است &#39;در مقدار قبلی ردیف &quot;یا&quot; قبل ردیف ها&#39;
 DocType: Sales Order Item,Delivery Warehouse,انبار تحویل
 DocType: Leave Type,Earned Leave Frequency,فرکانس خروج درآمد
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,درخت مراکز هزینه مالی.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,نوع زیر
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,درخت مراکز هزینه مالی.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,نوع زیر
 DocType: Serial No,Delivery Document No,تحویل اسناد بدون
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,اطمینان از تحویل بر اساس شماره سریال تولید شده
 DocType: Vital Signs,Furry,خزنده
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},لطفا &quot;به دست آوردن حساب / از دست دادن در دفع دارایی، مجموعه ای در شرکت {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},لطفا &quot;به دست آوردن حساب / از دست دادن در دفع دارایی، مجموعه ای در شرکت {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,گرفتن اقلام از دریافت خرید
 DocType: Serial No,Creation Date,تاریخ ایجاد
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},مکان هدف برای دارایی مورد نیاز است {0}
@@ -2721,10 +2748,11 @@
 DocType: Item,Has Variants,دارای انواع
 DocType: Employee Benefit Claim,Claim Benefit For,درخواست مزایا برای
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,به روز رسانی پاسخ
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},شما در حال حاضر اقلام از انتخاب {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},شما در حال حاضر اقلام از انتخاب {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,نام توزیع ماهانه
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,دسته ID الزامی است
 DocType: Sales Person,Parent Sales Person,شخص پدر و مادر فروش
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,هیچ اقدامی دریافت نمی شود
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,فروشنده و خریدار نمیتوانند یکسان باشند
 DocType: Project,Collect Progress,جمع آوری پیشرفت
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN- .YYYY.-
@@ -2740,7 +2768,7 @@
 DocType: Bank Guarantee,Margin Money,پول حاشیه
 DocType: Budget,Budget,بودجه
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,تنظیم باز کنید
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,مورد دارائی های ثابت باید یک آیتم غیر سهام باشد.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,مورد دارائی های ثابت باید یک آیتم غیر سهام باشد.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",بودجه می توانید در برابر {0} اختصاص داده نمی شود، آن را به عنوان یک حساب کاربری درآمد یا هزینه نیست
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},حداکثر مقدار معافیت برای {0} {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,به دست آورد
@@ -2758,9 +2786,9 @@
 ,Amount to Deliver,مقدار برای ارائه
 DocType: Asset,Insurance Start Date,تاریخ شروع بیمه
 DocType: Salary Component,Flexible Benefits,مزایای انعطاف پذیر
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},یک مورد چند بار وارد شده است {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},یک مورد چند بار وارد شده است {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاریخ شروع ترم نمی تواند زودتر از تاریخ سال شروع سال تحصیلی که مدت مرتبط است باشد (سال تحصیلی {}). لطفا تاریخ های صحیح و دوباره امتحان کنید.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,خطاهایی وجود دارد.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,خطاهایی وجود دارد.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,کارکنان {0} قبلا برای {1} بین {2} و {3} درخواست شده است:
 DocType: Guardian,Guardian Interests,نگهبان علاقه مندی ها
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,به روزرسانی نام حساب شماره
@@ -2799,9 +2827,9 @@
 ,Item-wise Purchase History,تاریخچه خرید مورد عاقلانه
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},لطفا بر روی &#39;ایجاد برنامه &quot;کلیک کنید و به واکشی سریال بدون برای مورد اضافه شده است {0}
 DocType: Account,Frozen,یخ زده
-DocType: Delivery Note,Vehicle Type,نوع خودرو
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,نوع خودرو
 DocType: Sales Invoice Payment,Base Amount (Company Currency),مقدار پایه (شرکت ارز)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,مواد خام
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,مواد خام
 DocType: Payment Reconciliation Payment,Reference Row,مرجع ردیف
 DocType: Installation Note,Installation Time,زمان نصب و راه اندازی
 DocType: Sales Invoice,Accounting Details,جزئیات حسابداری
@@ -2810,12 +2838,13 @@
 DocType: Inpatient Record,O Positive,مثبت
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,سرمایه گذاری
 DocType: Issue,Resolution Details,جزییات قطعنامه
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,نوع تراکنش
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,نوع تراکنش
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ملاک پذیرش
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,لطفا درخواست مواد در جدول فوق را وارد کنید
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,هیچ مجوزی برای ورود مجله وجود ندارد
 DocType: Hub Tracked Item,Image List,لیست تصویر
 DocType: Item Attribute,Attribute Name,نام مشخصه
+DocType: Subscription,Generate Invoice At Beginning Of Period,تولید صورتحساب در آغاز دوره
 DocType: BOM,Show In Website,نمایش در وب سایت
 DocType: Loan Application,Total Payable Amount,مجموع مبلغ قابل پرداخت
 DocType: Task,Expected Time (in hours),زمان مورد انتظار (در ساعت)
@@ -2852,7 +2881,7 @@
 DocType: Employee,Resignation Letter Date,استعفای نامه تاریخ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,مشاهده قوانین قیمت گذاری بیشتر بر اساس مقدار فیلتر شده است.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,تنظیم نشده
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},لطفا مجموعه ای از تاریخ پیوستن برای کارمند {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},لطفا مجموعه ای از تاریخ پیوستن برای کارمند {0}
 DocType: Inpatient Record,Discharge,تخلیه
 DocType: Task,Total Billing Amount (via Time Sheet),مبلغ کل حسابداری (از طریق زمان ورق)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,تکرار درآمد و ضوابط
@@ -2862,13 +2891,13 @@
 DocType: Chapter,Chapter,فصل
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,جفت
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,در صورت انتخاب این حالت، حساب پیش فرض به طور خودکار در صورتحساب اعتباری به روز می شود.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,انتخاب کنید BOM و تعداد برای تولید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,انتخاب کنید BOM و تعداد برای تولید
 DocType: Asset,Depreciation Schedule,برنامه استهلاک
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,آدرس فروش شریک و اطلاعات تماس
 DocType: Bank Reconciliation Detail,Against Account,به حساب
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,نیم تاریخ روز باید بین از تاریخ و به روز می شود
 DocType: Maintenance Schedule Detail,Actual Date,تاریخ واقعی
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,لطفا مرکز هزینه پیش فرض را در شرکت {0} تنظیم کنید.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,لطفا مرکز هزینه پیش فرض را در شرکت {0} تنظیم کنید.
 DocType: Item,Has Batch No,دارای دسته ای بدون
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},صدور صورت حساب سالانه: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify جزئیات Webhook
@@ -2880,7 +2909,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ- .YYYY.-
 DocType: Shift Assignment,Shift Type,نوع تغییر
 DocType: Student,Personal Details,اطلاعات شخصی
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},لطفا دارایی مرکز استهلاک هزینه در شرکت راه {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},لطفا دارایی مرکز استهلاک هزینه در شرکت راه {0}
 ,Maintenance Schedules,برنامه های  نگهداری و تعمیرات
 DocType: Task,Actual End Date (via Time Sheet),واقعی پایان تاریخ (از طریق زمان ورق)
 DocType: Soil Texture,Soil Type,نوع خاک
@@ -2888,10 +2917,10 @@
 ,Quotation Trends,روند نقل قول
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},مورد گروه در مورد استاد برای آیتم ذکر نشده {0}
 DocType: GoCardless Mandate,GoCardless Mandate,مجوز GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,بدهی به حساب باید یک حساب کاربری دریافتنی است
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,بدهی به حساب باید یک حساب کاربری دریافتنی است
 DocType: Shipping Rule,Shipping Amount,مقدار حمل و نقل
 DocType: Supplier Scorecard Period,Period Score,امتیاز دوره
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,اضافه کردن مشتریان
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,اضافه کردن مشتریان
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,در انتظار مقدار
 DocType: Lab Test Template,Special,ویژه
 DocType: Loyalty Program,Conversion Factor,عامل تبدیل
@@ -2908,7 +2937,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,بطری را اضافه کنید
 DocType: Program Enrollment,Self-Driving Vehicle,خودرو بدون راننده
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,کارت امتیازی کارت اعتباری
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},ردیف {0}: بیل از مواد برای موردی یافت نشد {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},ردیف {0}: بیل از مواد برای موردی یافت نشد {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,مجموع برگ اختصاص داده {0} نمی تواند کمتر از برگ حال حاضر مورد تایید {1} برای دوره
 DocType: Contract Fulfilment Checklist,Requirement,مورد نیاز
 DocType: Journal Entry,Accounts Receivable,حسابهای دریافتنی
@@ -2924,16 +2953,16 @@
 DocType: Projects Settings,Timesheets,برنامه های زمانی
 DocType: HR Settings,HR Settings,تنظیمات HR
 DocType: Salary Slip,net pay info,اطلاعات خالص دستمزد
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,مقدار CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,مقدار CESS
 DocType: Woocommerce Settings,Enable Sync,فعال کردن همگام سازی
 DocType: Tax Withholding Rate,Single Transaction Threshold,آستانه معامله تنها
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,این مقدار در لیست قیمت پیش فروش فروش به روز می شود.
 DocType: Email Digest,New Expenses,هزینه های جدید
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC مقدار
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC مقدار
 DocType: Shareholder,Shareholder,صاحب سهام
 DocType: Purchase Invoice,Additional Discount Amount,تخفیف اضافی مبلغ
 DocType: Cash Flow Mapper,Position,موقعیت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,آیتم های مربوط به موارد را دریافت کنید
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,آیتم های مربوط به موارد را دریافت کنید
 DocType: Patient,Patient Details,جزئیات بیمار
 DocType: Inpatient Record,B Positive,B مثبت
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2945,8 +2974,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,گروه به غیر گروه
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,ورزشی
 DocType: Loan Type,Loan Name,نام وام
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,مجموع واقعی
-DocType: Lab Test UOM,Test UOM,آزمون UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,مجموع واقعی
 DocType: Student Siblings,Student Siblings,خواهر و برادر دانشجو
 DocType: Subscription Plan Detail,Subscription Plan Detail,جزئیات طرح اشتراک
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,واحد
@@ -2973,7 +3001,6 @@
 DocType: Workstation,Wages per hour,دستمزد در ساعت
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},تعادل سهام در دسته {0} تبدیل خواهد شد منفی {1} برای مورد {2} در انبار {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,پس از درخواست های مواد به طور خودکار بر اساس سطح آیتم سفارش مجدد مطرح شده است
-DocType: Email Digest,Pending Sales Orders,در انتظار سفارشات فروش
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},حساب {0} نامعتبر است. حساب ارزی باید {1} باشد
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},از تاریخ {0} نمیتواند پس از تخفیف کارمند تاریخ {1}
 DocType: Supplier,Is Internal Supplier,آیا تامین کننده داخلی است
@@ -2982,13 +3009,14 @@
 DocType: Healthcare Settings,Remind Before,قبل از یادآوری
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},عامل UOM تبدیل در ردیف مورد نیاز است {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش فروش، فاکتور فروش و یا ورود به مجله می شود
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش فروش، فاکتور فروش و یا ورود به مجله می شود
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 امتیاز وفاداری = چه مقدار ارز پایه؟
 DocType: Salary Component,Deduction,کسر
 DocType: Item,Retain Sample,ذخیره نمونه
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,ردیف {0}: از زمان و به زمان الزامی است.
 DocType: Stock Reconciliation Item,Amount Difference,تفاوت در مقدار
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},مورد قیمت های اضافه شده برای {0} در لیست قیمت {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},مورد قیمت های اضافه شده برای {0} در لیست قیمت {1}
+DocType: Delivery Stop,Order Information,اطلاعات سفارش
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,لطفا کارمند شناسه را وارد این فرد از فروش
 DocType: Territory,Classification of Customers by region,طبقه بندی مشتریان بر اساس منطقه
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,در تولید
@@ -2999,8 +3027,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,محاسبه تعادل بیانیه بانک
 DocType: Normal Test Template,Normal Test Template,الگو آزمون عادی
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,کاربر غیر فعال
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,نقل قول
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,نمی توان RFQ دریافتی را بدون نقل قول تنظیم کرد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,نقل قول
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,نمی توان RFQ دریافتی را بدون نقل قول تنظیم کرد
 DocType: Salary Slip,Total Deduction,کسر مجموع
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,یک حساب کاربری برای چاپ در حساب حساب را انتخاب کنید
 ,Production Analytics,تجزیه و تحلیل ترافیک تولید
@@ -3013,14 +3041,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,تنظیم کارت امتیازی تامین کننده
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,نام طرح ارزیابی
 DocType: Work Order Operation,Work Order Operation,عملیات سفارش کار
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},هشدار: گواهینامه SSL نامعتبر در پیوست {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},هشدار: گواهینامه SSL نامعتبر در پیوست {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",آگهی های کمک به شما کسب و کار، اضافه کردن اطلاعات تماس خود را و بیشتر به عنوان منجر خود را
 DocType: Work Order Operation,Actual Operation Time,عملیات واقعی زمان
 DocType: Authorization Rule,Applicable To (User),به قابل اجرا (کاربر)
 DocType: Purchase Taxes and Charges,Deduct,کسر کردن
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,شرح شغل
 DocType: Student Applicant,Applied,کاربردی
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,باز کردن مجدد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,باز کردن مجدد
 DocType: Sales Invoice Item,Qty as per Stock UOM,تعداد در هر بورس UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,نام Guardian2
 DocType: Attendance,Attendance Request,درخواست حضور
@@ -3038,7 +3066,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},سریال بدون {0} است تحت گارانتی تا {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,حداقل ارزش مجاز
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,کاربر {0} در حال حاضر موجود است
-apps/erpnext/erpnext/hooks.py +114,Shipments,محموله
+apps/erpnext/erpnext/hooks.py +115,Shipments,محموله
 DocType: Payment Entry,Total Allocated Amount (Company Currency),مجموع مقدار اختصاص داده شده (شرکت ارز)
 DocType: Purchase Order Item,To be delivered to customer,به مشتری تحویل
 DocType: BOM,Scrap Material Cost,هزینه ضایعات مواد
@@ -3046,11 +3074,12 @@
 DocType: Grant Application,Email Notification Sent,اخطار ایمیل ارسال شد
 DocType: Purchase Invoice,In Words (Company Currency),به عبارت (شرکت ارز)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,شرکت برای شرکت حسابداری است
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",کد کالا، انبار، مقدار در سطر مورد نیاز است
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",کد کالا، انبار، مقدار در سطر مورد نیاز است
 DocType: Bank Guarantee,Supplier,تامین کننده
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,دریافت از
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,این بخش ریشه است و نمی تواند ویرایش شود.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,نمایش جزئیات پرداخت
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,مدت زمان روز
 DocType: C-Form,Quarter,ربع
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,هزینه های متفرقه
 DocType: Global Defaults,Default Company,به طور پیش فرض شرکت
@@ -3058,7 +3087,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,هزینه و یا حساب تفاوت برای مورد {0} آن را به عنوان اثرات ارزش کلی سهام الزامی است
 DocType: Bank,Bank Name,نام بانک
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-بالا
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,زمینه را خالی بگذارید تا سفارشات خرید را برای همه تأمین کنندگان انجام دهید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,زمینه را خالی بگذارید تا سفارشات خرید را برای همه تأمین کنندگان انجام دهید
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,مورد شارژ سرپایی
 DocType: Vital Signs,Fluid,مایع
 DocType: Leave Application,Total Leave Days,مجموع مرخصی روز
@@ -3067,7 +3096,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,مورد تنظیمات Variant
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,انتخاب شرکت ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,خالی بگذارید اگر برای همه گروه ها در نظر گرفته
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} برای آیتم الزامی است {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} برای آیتم الزامی است {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",مورد {0}: {1} تعداد تولید شده
 DocType: Payroll Entry,Fortnightly,دوهفتگی
 DocType: Currency Exchange,From Currency,از ارز
@@ -3116,7 +3145,7 @@
 DocType: Account,Fixed Asset,دارائی های ثابت
 DocType: Amazon MWS Settings,After Date,بعد از تاریخ
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,پرسشنامه سریال
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,{0} نامعتبر برای صورتحساب شرکت اینتر است
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,{0} نامعتبر برای صورتحساب شرکت اینتر است
 ,Department Analytics,تجزیه و تحلیل گروه
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ایمیل در ارتباط پیش فرض یافت نشد
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,ایجاد راز
@@ -3134,6 +3163,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,مدیر عامل
 DocType: Purchase Invoice,With Payment of Tax,با پرداخت مالیات
 DocType: Expense Claim Detail,Expense Claim Detail,هزینه جزئیات درخواست
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,لطفا سیستم نامگذاری مربیان را در آموزش و پرورش&gt; تنظیمات تحصیلی تنظیم کنید
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,سه نسخه عرضه کننده
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,تعادل جدید در ارز پایه
 DocType: Location,Is Container,کانتینر است
@@ -3141,13 +3171,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,لطفا به حساب صحیح را انتخاب کنید
 DocType: Salary Structure Assignment,Salary Structure Assignment,تخصیص ساختار حقوق و دستمزد
 DocType: Purchase Invoice Item,Weight UOM,وزن UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,لیست سهامداران موجود با شماره های برگه
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,لیست سهامداران موجود با شماره های برگه
 DocType: Salary Structure Employee,Salary Structure Employee,کارمند ساختار حقوق و دستمزد
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,نمایش خصیصه های متغیر
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,نمایش خصیصه های متغیر
 DocType: Student,Blood Group,گروه خونی
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,حساب دروازه پرداخت در برنامه {0} متفاوت از حساب دروازه پرداخت در این درخواست پرداخت است
 DocType: Course,Course Name,نام دوره
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,هیچ اطلاعات مالیاتی محروم برای سال مالی جاری یافت نشد.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,هیچ اطلاعات مالیاتی محروم برای سال مالی جاری یافت نشد.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,کاربرانی که می توانند برنامه های مرخصی یک کارمند خاص را تایید
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,تجهیزات اداری
 DocType: Purchase Invoice Item,Qty,تعداد
@@ -3155,6 +3185,7 @@
 DocType: Supplier Scorecard,Scoring Setup,تنظیم مقدماتی
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,الکترونیک
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),بده ({0})
+DocType: BOM,Allow Same Item Multiple Times,اجازه چندین بار یک مورد را بدهید
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,افزایش درخواست مواد زمانی که سهام سطح دوباره سفارش می رسد
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,تمام وقت
 DocType: Payroll Entry,Employees,کارمندان
@@ -3166,11 +3197,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,تاییدیه پرداخت
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,قیمت نشان داده نخواهد شد اگر لیست قیمت تنظیم نشده است
 DocType: Stock Entry,Total Incoming Value,مجموع ارزش ورودی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,بدهکاری به مورد نیاز است
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,بدهکاری به مورد نیاز است
 DocType: Clinical Procedure,Inpatient Record,ضبط بستری
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",برنامه های زمانی کمک به پیگیری از زمان، هزینه و صدور صورت حساب برای فعالیت های انجام شده توسط تیم خود را
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,خرید لیست قیمت
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,تاریخ معامله
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,خرید لیست قیمت
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,تاریخ معامله
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,الگوهای متغیرهای کارت امتیازی تامین کننده.
 DocType: Job Offer Term,Offer Term,مدت پیشنهاد
 DocType: Asset,Quality Manager,مدیر کیفیت
@@ -3191,18 +3222,18 @@
 DocType: Cashier Closing,To Time,به زمان
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) برای {0}
 DocType: Authorization Rule,Approving Role (above authorized value),تصویب نقش (بالاتر از ارزش مجاز)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,اعتبار به حساب باید یک حساب کاربری پرداختنی شود
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,اعتبار به حساب باید یک حساب کاربری پرداختنی شود
 DocType: Loan,Total Amount Paid,کل مبلغ پرداخت شده
 DocType: Asset,Insurance End Date,تاریخ پایان بیمه
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,لطفا پذیرش دانشجویی را انتخاب کنید که برای متقاضی دانشجویی پرداخت شده است
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},بازگشت BOM: {0} می تواند پدر و مادر یا فرزند نمی {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},بازگشت BOM: {0} می تواند پدر و مادر یا فرزند نمی {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,لیست بودجه
 DocType: Work Order Operation,Completed Qty,تکمیل تعداد
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",برای {0}، تنها حساب های بانکی را می توان در برابر ورود اعتباری دیگر مرتبط
 DocType: Manufacturing Settings,Allow Overtime,اجازه اضافه کاری
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",مورد سریال {0} نمی تواند با استفاده سهام آشتی، لطفا با استفاده از بورس ورود به روز می شود
 DocType: Training Event Employee,Training Event Employee,رویداد آموزش کارکنان
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,حداکثر نمونه - {0} را می توان برای Batch {1} و Item {2} حفظ کرد.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,حداکثر نمونه - {0} را می توان برای Batch {1} و Item {2} حفظ کرد.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,اضافه کردن اسلات زمان
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} شماره سریال مورد نیاز برای مورد {1}. شما فراهم کرده اید {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,نرخ گذاری کنونی
@@ -3233,11 +3264,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,سریال بدون {0} یافت نشد
 DocType: Fee Schedule Program,Fee Schedule Program,برنامه برنامه ریزی هزینه
 DocType: Fee Schedule Program,Student Batch,دسته ای دانشجویی
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","لطفا کارمند <a href=""#Form/Employee/{0}"">{0}</a> \ برای حذف این سند را حذف کنید"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,دانشجویی
 DocType: Supplier Scorecard Scoring Standing,Min Grade,درجه درجه
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,نوع واحد مراقبت بهداشتی
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},از شما دعوت شده برای همکاری در این پروژه: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},از شما دعوت شده برای همکاری در این پروژه: {0}
 DocType: Supplier Group,Parent Supplier Group,گروه تامین کننده والدین
+DocType: Email Digest,Purchase Orders to Bill,سفارشات خرید به بیل
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,ارزشهای انباشته شده در شرکت گروهی
 DocType: Leave Block List Date,Block Date,بلوک عضویت
 DocType: Crop,Crop,محصول
@@ -3249,6 +3283,7 @@
 DocType: Sales Order,Not Delivered,تحویل داده است
 ,Bank Clearance Summary,بانک ترخیص کالا از خلاصه
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",ایجاد و مدیریت روزانه، هفتگی و ماهانه هضم ایمیل.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,این بر مبنای معاملات علیه این فروشنده فروش است. برای جزئیات بیشتر به جدول زمانی زیر مراجعه کنید
 DocType: Appraisal Goal,Appraisal Goal,ارزیابی هدف
 DocType: Stock Reconciliation Item,Current Amount,مقدار کنونی
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ساختمان
@@ -3275,7 +3310,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,نرم افزارها
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,بعد تماس با آمار نمی تواند در گذشته باشد
 DocType: Company,For Reference Only.,برای مرجع تنها.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,انتخاب دسته ای بدون
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,انتخاب دسته ای بدون
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},نامعتبر {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,مجله مرجع
@@ -3293,16 +3328,16 @@
 DocType: Normal Test Items,Require Result Value,نیاز به ارزش نتیجه
 DocType: Item,Show a slideshow at the top of the page,نمایش تصاویر به صورت خودکار در بالای صفحه
 DocType: Tax Withholding Rate,Tax Withholding Rate,نرخ اخراج مالیاتی
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOM ها
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,فروشگاه
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOM ها
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,فروشگاه
 DocType: Project Type,Projects Manager,مدیر پروژه های
 DocType: Serial No,Delivery Time,زمان تحویل
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,سالمندی بر اساس
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,انتصاب لغو شد
 DocType: Item,End of Life,پایان زندگی
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,سفر
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,سفر
 DocType: Student Report Generation Tool,Include All Assessment Group,شامل همه گروه ارزیابی
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,فعال یا حقوق و دستمزد به طور پیش فرض ساختار پیدا شده برای کارکنان {0} برای تاریخ داده شده
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,فعال یا حقوق و دستمزد به طور پیش فرض ساختار پیدا شده برای کارکنان {0} برای تاریخ داده شده
 DocType: Leave Block List,Allow Users,کاربران اجازه می دهد
 DocType: Purchase Order,Customer Mobile No,مشتری تلفن همراه بدون
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,جریان نقدی نقشه برداری جزئیات قالب
@@ -3311,15 +3346,16 @@
 DocType: Rename Tool,Rename Tool,ابزار تغییر نام
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,به روز رسانی هزینه
 DocType: Item Reorder,Item Reorder,مورد ترتیب مجدد
+DocType: Delivery Note,Mode of Transport,حالت حمل و نقل
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,لغزش نمایش حقوق
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,مواد انتقال
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,مواد انتقال
 DocType: Fees,Send Payment Request,ارسال درخواست پرداخت
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",مشخص عملیات، هزینه های عملیاتی و به یک عملیات منحصر به فرد بدون به عملیات خود را.
 DocType: Travel Request,Any other details,هر جزئیات دیگر
 DocType: Water Analysis,Origin,اصل و نسب
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,این سند بیش از حد مجاز است {0} {1} برای آیتم {4}. آیا شما ساخت یکی دیگر از {3} در برابر همان {2}.
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,لطفا پس از ذخیره در محدوده زمانی معین
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,انتخاب تغییر حساب مقدار
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,لطفا پس از ذخیره در محدوده زمانی معین
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,انتخاب تغییر حساب مقدار
 DocType: Purchase Invoice,Price List Currency,لیست قیمت ارز
 DocType: Naming Series,User must always select,کاربر همیشه باید انتخاب کنید
 DocType: Stock Settings,Allow Negative Stock,اجازه می دهد بورس منفی
@@ -3340,9 +3376,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,قابلیت ردیابی
 DocType: Asset Maintenance Log,Actions performed,اقدامات انجام شده
 DocType: Cash Flow Mapper,Section Leader,رهبر بخش
+DocType: Delivery Note,Transport Receipt No,شماره گیرنده حمل و نقل
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),منابع درآمد (بدهی)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,محل منبع و مقصد نمیتواند یکسان باشد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},تعداد در ردیف {0} ({1}) باید همان مقدار تولید شود {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},تعداد در ردیف {0} ({1}) باید همان مقدار تولید شود {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,کارمند
 DocType: Bank Guarantee,Fixed Deposit Number,شماره واریز ثابت
 DocType: Asset Repair,Failure Date,تاریخ خرابی
@@ -3356,16 +3393,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,کسر پرداخت یا از دست دادن
 DocType: Soil Analysis,Soil Analysis Criterias,معیارهای تجزیه و تحلیل خاک
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,شرایط قرارداد استاندارد برای فروش و یا خرید.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,آیا مطمئن هستید که می خواهید این انتصاب را لغو کنید؟
+DocType: BOM Item,Item operation,عملیات مورد
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,آیا مطمئن هستید که می خواهید این انتصاب را لغو کنید؟
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,بسته بندی قیمت اتاق هتل
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,خط لوله فروش
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,خط لوله فروش
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},لطفا به حساب پیش فرض تنظیم شده در حقوق و دستمزد و اجزای {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,مورد نیاز در
 DocType: Rename Tool,File to Rename,فایل برای تغییر نام
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},لطفا BOM در ردیف را انتخاب کنید برای مورد {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,دریافت به روز رسانی اشتراک
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},حساب {0} با شرکت {1} در حالت حساب مطابقت ندارد: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},BOM تعیین {0} برای مورد وجود ندارد {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},BOM تعیین {0} برای مورد وجود ندارد {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,دوره:
 DocType: Soil Texture,Sandy Loam,شنی لام
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,نگهداری و تعمیرات برنامه {0} باید قبل از لغو این سفارش فروش لغو
@@ -3374,7 +3412,7 @@
 DocType: Notification Control,Expense Claim Approved,ادعای هزینه تایید
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),تنظیم پیشرفت و اختصاص (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,بدون سفارش کار ایجاد شده است
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای این دوره بوجود
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای این دوره بوجود
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,دارویی
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,شما فقط می توانید محتوا را ترک کنید برای یک مبلغ اعتبار معتبر
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,هزینه اقلام خریداری شده
@@ -3382,7 +3420,8 @@
 DocType: Selling Settings,Sales Order Required,سفارش فروش مورد نیاز
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,تبدیل به یک فروشنده
 DocType: Purchase Invoice,Credit To,اعتبار به
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,آگهی فعال / مشتریان
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,آگهی فعال / مشتریان
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,برای استفاده از فرمت Standard Delivery Note خالی بگذارید
 DocType: Employee Education,Post Graduate,فوق لیسانس
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,جزئیات برنامه نگهداری و تعمیرات
 DocType: Supplier Scorecard,Warn for new Purchase Orders,اخطار سفارشات خرید جدید
@@ -3396,14 +3435,14 @@
 DocType: Support Search Source,Post Title Key,عنوان پست کلید
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,برای کارت شغل
 DocType: Warranty Claim,Raised By,مطرح شده توسط
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,نسخه ها
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,نسخه ها
 DocType: Payment Gateway Account,Payment Account,حساب پرداخت
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,لطفا شرکت مشخص برای ادامه
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,لطفا شرکت مشخص برای ادامه
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,تغییر خالص در حساب های دریافتنی
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,جبرانی فعال
 DocType: Job Offer,Accepted,پذیرفته
 DocType: POS Closing Voucher,Sales Invoices Summary,خلاصه فروش صورتحساب
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,نام حزب
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,نام حزب
 DocType: Grant Application,Organization,سازمان
 DocType: BOM Update Tool,BOM Update Tool,ابزار به روز رسانی BOM
 DocType: SG Creation Tool Course,Student Group Name,نام دانشجو گروه
@@ -3412,7 +3451,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,لطفا مطمئن شوید که شما واقعا می خواهید به حذف تمام معاملات این شرکت. اطلاعات کارشناسی ارشد خود را باقی خواهد ماند آن را به عنوان است. این عمل قابل بازگشت نیست.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,نتایج جستجو
 DocType: Room,Room Number,شماره اتاق
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},مرجع نامعتبر {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},مرجع نامعتبر {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) نمی تواند بیشتر از quanitity برنامه ریزی شده ({2}) در سفارش تولید {3}
 DocType: Shipping Rule,Shipping Rule Label,قانون حمل و نقل برچسب
 DocType: Journal Entry Account,Payroll Entry,ورودی حقوق و دستمزد
@@ -3420,8 +3459,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,قالب مالیاتی
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,انجمن کاربران
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,مواد اولیه نمی تواند خالی باشد.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,ردیف # {0} (جدول پرداخت): مقدار باید منفی باشد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.",می تواند سهام به روز رسانی نیست، فاکتور شامل آیتم افت حمل و نقل.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,ردیف # {0} (جدول پرداخت): مقدار باید منفی باشد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.",می تواند سهام به روز رسانی نیست، فاکتور شامل آیتم افت حمل و نقل.
 DocType: Contract,Fulfilment Status,وضعیت تحقق
 DocType: Lab Test Sample,Lab Test Sample,آزمایش آزمایشی نمونه
 DocType: Item Variant Settings,Allow Rename Attribute Value,اجازه ارزش نام متغیر را تغییر دهید
@@ -3463,11 +3502,11 @@
 DocType: BOM,Show Operations,نمایش عملیات
 ,Minutes to First Response for Opportunity,دقیقه به اولین پاسخ برای فرصت
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,مجموع غایب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,موردی یا انبار ردیف {0} مطابقت ندارد درخواست مواد
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,موردی یا انبار ردیف {0} مطابقت ندارد درخواست مواد
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,واحد اندازه گیری
 DocType: Fiscal Year,Year End Date,سال پایان تاریخ
 DocType: Task Depends On,Task Depends On,کار بستگی به
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,فرصت
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,فرصت
 DocType: Operation,Default Workstation,به طور پیش فرض ایستگاه کاری
 DocType: Notification Control,Expense Claim Approved Message,پیام ادعای هزینه تایید
 DocType: Payment Entry,Deductions or Loss,کسر یا از دست دادن
@@ -3505,20 +3544,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,تصویب کاربر نمی تواند همان کاربر حکومت قابل اجرا است به
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),نرخ پایه (به عنوان در سهام UOM)
 DocType: SMS Log,No of Requested SMS,تعداد SMS درخواست شده
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,مرخصی بدون حقوق با تایید سوابق مرخصی کاربرد مطابقت ندارد
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,مرخصی بدون حقوق با تایید سوابق مرخصی کاربرد مطابقت ندارد
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,گام های بعدی
 DocType: Travel Request,Domestic,داخلی
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,لطفا تأمین اقلام مشخص شده در بهترین نرخ ممکن
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,لطفا تأمین اقلام مشخص شده در بهترین نرخ ممکن
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,انتقال کارفرما نمی تواند قبل از تاریخ انتقال ارسال شود
 DocType: Certification Application,USD,دلار آمریکا
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,را فاکتور
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,موجودی باقی مانده
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,موجودی باقی مانده
 DocType: Selling Settings,Auto close Opportunity after 15 days,خودرو فرصت نزدیک پس از 15 روز
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,سفارشات خرید ممنوع است برای {0} به دلیل ایستادن کارت امتیازی از {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,بارکد {0} یک کد معتبر {1} نیست
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,بارکد {0} یک کد معتبر {1} نیست
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,پایان سال
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot و / سرب٪
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,قرارداد تاریخ پایان باید از تاریخ پیوستن بیشتر
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,قرارداد تاریخ پایان باید از تاریخ پیوستن بیشتر
 DocType: Driver,Driver,راننده
 DocType: Vital Signs,Nutrition Values,ارزش تغذیه ای
 DocType: Lab Test Template,Is billable,قابل پرداخت است
@@ -3529,7 +3568,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,این یک مثال وب سایت خودکار تولید شده از ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,محدوده سالمندی 1
 DocType: Shopify Settings,Enable Shopify,فعال سازی Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,مقدار کل پیش پرداخت نمی تواند بیشتر از مقدار ادعا شده باشد
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,مقدار کل پیش پرداخت نمی تواند بیشتر از مقدار ادعا شده باشد
 DocType: Purchase Taxes and Charges Template,"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
@@ -3556,12 +3595,12 @@
 DocType: Employee Separation,Employee Separation,جدایی کارکنان
 DocType: BOM Item,Original Item,مورد اصلی
 DocType: Purchase Receipt Item,Recd Quantity,Recd تعداد
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,تاریخ داک
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,تاریخ داک
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},سوابق هزینه ایجاد شده - {0}
 DocType: Asset Category Account,Asset Category Account,حساب دارایی رده
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,ردیف # {0} (جدول پرداخت): مقدار باید مثبت باشد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,ردیف # {0} (جدول پرداخت): مقدار باید مثبت باشد
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},می تواند مورد دیگر {0} از مقدار سفارش فروش تولید نمی {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,مقدار مشخصه را انتخاب کنید
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,مقدار مشخصه را انتخاب کنید
 DocType: Purchase Invoice,Reason For Issuing document,دلیل برای صدور سند
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,سهام ورود {0} است ارسال نشده
 DocType: Payment Reconciliation,Bank / Cash Account,حساب بانک / نقدی
@@ -3570,8 +3609,10 @@
 DocType: Asset,Manual,کتابچه راهنمای
 DocType: Salary Component Account,Salary Component Account,حساب حقوق و دستمزد و اجزای
 DocType: Global Defaults,Hide Currency Symbol,مخفی ارز نماد
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,فرصت های فروش توسط منبع
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,اطلاعات اهدا کننده
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card",به عنوان مثال بانکی، پول نقد، کارت اعتباری
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,لطفا شماره سریال را برای شرکت کنندگان از طریق Setup&gt; Numbering Series نصب کنید
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card",به عنوان مثال بانکی، پول نقد، کارت اعتباری
 DocType: Job Applicant,Source Name,نام منبع
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",فشار خون در حالت طبیعی در بزرگسالان تقریبا 120 میلیمتر جیوه سینوس است و دیاستولیک mmHg 80 میلی متر و &quot;120/80 میلیمتر جیوه&quot;
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",مدت زمان نگهداری آیتم های موجود در روز، تعیین زمان انقضا براساس manufacturing_date به علاوه زندگی شخصی است
@@ -3601,7 +3642,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},برای مقدار باید کمتر از مقدار باشد {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ردیف {0}: تاریخ شروع باید قبل از پایان تاریخ است
 DocType: Salary Component,Max Benefit Amount (Yearly),مقدار حداکثر مزایا (سالانه)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,نرخ TDS٪
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,نرخ TDS٪
 DocType: Crop,Planting Area,منطقه کاشت
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),مجموع (تعداد)
 DocType: Installation Note Item,Installed Qty,نصب تعداد
@@ -3623,8 +3664,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,اخطار تصویب را ترک کنید
 DocType: Buying Settings,Default Buying Price List,به طور پیش فرض لیست قیمت خرید
 DocType: Payroll Entry,Salary Slip Based on Timesheet,لغزش حقوق و دستمزد بر اساس برنامه زمانی
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,نرخ خرید
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},ردیف {0}: مکان را برای مورد دارایی وارد کنید {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,نرخ خرید
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},ردیف {0}: مکان را برای مورد دارایی وارد کنید {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ- .YYYY.-
 DocType: Company,About the Company,درباره شرکت
 DocType: Notification Control,Sales Order Message,سفارش فروش پیام
@@ -3689,10 +3730,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,برای ردیف {0}: تعداد برنامه ریزی شده را وارد کنید
 DocType: Account,Income Account,حساب درآمد
 DocType: Payment Request,Amount in customer's currency,مبلغ پول مشتری
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,تحویل
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,تحویل
 DocType: Volunteer,Weekdays,روزهای کاری
 DocType: Stock Reconciliation Item,Current Qty,تعداد کنونی
 DocType: Restaurant Menu,Restaurant Menu,منوی رستوران
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,افزودن تهیه کنندگان
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV- .YYYY.-
 DocType: Loyalty Program,Help Section,بخش کمک
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,قبلی
@@ -3704,19 +3746,20 @@
 												fullfill Sales Order {2}",می توانید شماره سریال {0} آیتم {1} را ارائه ندهید زیرا آن را به \ fillfill سفارش فروش {2}
 DocType: Item Reorder,Material Request Type,مواد نوع درخواست
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,ارسال ایمیل به گرانت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",LocalStorage را کامل است، نجات نداد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,ردیف {0}: UOM عامل تبدیل الزامی است
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",LocalStorage را کامل است، نجات نداد
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,ردیف {0}: UOM عامل تبدیل الزامی است
 DocType: Employee Benefit Claim,Claim Date,تاریخ ادعا
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,ظرفیت اتاق
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},قبلا ثبت برای آیتم {0} وجود دارد
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,کد عکس
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,شما سوابق فاکتورهای قبلا تولید را از دست خواهید داد. آیا مطمئن هستید که می خواهید این اشتراک را مجددا راه اندازی کنید؟
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,هزینه ثبت نام
 DocType: Loyalty Program Collection,Loyalty Program Collection,مجموعه برنامه وفاداری
 DocType: Stock Entry Detail,Subcontracted Item,مورد زیر قرارداد
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},دانشجو {0} به گروه {1} تعلق ندارد
 DocType: Budget,Cost Center,مرکز هزینه زا
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,کوپن #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,کوپن #
 DocType: Notification Control,Purchase Order Message,خرید سفارش پیام
 DocType: Tax Rule,Shipping Country,حمل و نقل کشور
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,مخفی کردن شناسه مالیاتی مشتری از معاملات فروش
@@ -3735,23 +3778,22 @@
 DocType: Subscription,Cancel At End Of Period,لغو در پایان دوره
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,املاک در حال حاضر اضافه شده است
 DocType: Item Supplier,Item Supplier,تامین کننده مورد
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,لطفا کد مورد وارد کنید دسته ای هیچ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},لطفا یک ارزش برای {0} quotation_to انتخاب کنید {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,لطفا کد مورد وارد کنید دسته ای هیچ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},لطفا یک ارزش برای {0} quotation_to انتخاب کنید {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,هیچ مورد برای انتقال انتخاب نشده است
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,تمام آدرس.
 DocType: Company,Stock Settings,تنظیمات سهام
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",ادغام زمانی ممکن است که خواص زیر در هر دو پرونده می باشد. آیا گروه، نوع ریشه، شرکت
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",ادغام زمانی ممکن است که خواص زیر در هر دو پرونده می باشد. آیا گروه، نوع ریشه، شرکت
 DocType: Vehicle,Electric,برقی
 DocType: Task,% Progress,٪ پیش رفتن
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,کاهش / افزایش در دفع دارایی
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",فقط متقاضی دانشجویی با وضعیت &quot;تأیید&quot; در جدول زیر انتخاب می شود.
 DocType: Tax Withholding Category,Rates,نرخ ها
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,شماره حساب برای حساب {0} در دسترس نیست <br> لطفا نمودار خود را به درستی تنظیم کنید.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,شماره حساب برای حساب {0} در دسترس نیست <br> لطفا نمودار خود را به درستی تنظیم کنید.
 DocType: Task,Depends on Tasks,بستگی به وظایف
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,مدیریت درختواره گروه مشتری
 DocType: Normal Test Items,Result Value,ارزش نتیجه
 DocType: Hotel Room,Hotels,هتل ها
-DocType: Delivery Note,Transporter Date,تاریخ حمل کننده
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,نام مرکز هزینه
 DocType: Leave Control Panel,Leave Control Panel,ترک کنترل پنل
 DocType: Project,Task Completion,وظیفه تکمیل
@@ -3798,11 +3840,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,همه گروه ارزیابی
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,جدید نام انبار
 DocType: Shopify Settings,App Type,نوع برنامه
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),مجموع {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),مجموع {0} ({1})
 DocType: C-Form Invoice Detail,Territory,منطقه
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,لطفا از هیچ بازدیدکننده داشته است مورد نیاز ذکر
 DocType: Stock Settings,Default Valuation Method,روش های ارزش گذاری پیش فرض
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,پرداخت
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,نمایش مقدار تجمعی
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,در حال بروزرسانی. ممکن است کمی طول بکشد.
 DocType: Production Plan Item,Produced Qty,تعداد تولیدی
 DocType: Vehicle Log,Fuel Qty,تعداد سوخت
@@ -3810,7 +3853,7 @@
 DocType: Work Order Operation,Planned Start Time,برنامه ریزی زمان شروع
 DocType: Course,Assessment,ارزیابی
 DocType: Payment Entry Reference,Allocated,اختصاص داده
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,بستن ترازنامه و سود کتاب یا از دست دادن.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,بستن ترازنامه و سود کتاب یا از دست دادن.
 DocType: Student Applicant,Application Status,وضعیت برنامه
 DocType: Additional Salary,Salary Component Type,نوع مشمول حقوق و دستمزد
 DocType: Sensitivity Test Items,Sensitivity Test Items,موارد تست حساسیت
@@ -3821,10 +3864,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,مجموع مقدار برجسته
 DocType: Sales Partner,Targets,اهداف
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,لطفا شماره SIREN را در پرونده اطلاعات شرکت ثبت کنید
+DocType: Email Digest,Sales Orders to Bill,سفارشات فروش به بیل
 DocType: Price List,Price List Master,لیست قیمت مستر
 DocType: GST Account,CESS Account,حساب CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,تمام معاملات فروش را می توان در برابر چند ** ** افراد فروش برچسب به طوری که شما می توانید تعیین و نظارت بر اهداف.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,پیوند به درخواست مواد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,پیوند به درخواست مواد
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,فعالیت انجمن
 ,S.O. No.,SO شماره
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,بیانیه بانک در مورد تنظیمات معاملات
@@ -3839,7 +3883,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,این یک گروه مشتری ریشه است و نمی تواند ویرایش شود.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,اقدام اگر بودجه ماهانه جمع شده در PO باشد
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,قرار دادن
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,قرار دادن
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,نرخ ارز مبادله
 DocType: POS Profile,Ignore Pricing Rule,نادیده گرفتن قانون قیمت گذاری
 DocType: Employee Education,Graduate,فارغ التحصیل
@@ -3875,6 +3919,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,لطفا تنظیمات پیشفرض را در تنظیمات رستوران تنظیم کنید
 ,Salary Register,حقوق و دستمزد ثبت نام
 DocType: Warehouse,Parent Warehouse,انبار پدر و مادر
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,چارت سازمانی
 DocType: Subscription,Net Total,مجموع خالص
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},به طور پیش فرض BOM برای موردی یافت نشد {0} و پروژه {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,تعریف انواع مختلف وام
@@ -3907,24 +3952,26 @@
 DocType: Membership,Membership Status,وضعیت عضویت
 DocType: Travel Itinerary,Lodging Required,اسکان ضروری است
 ,Requested,خواسته
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,بدون شرح
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,بدون شرح
 DocType: Asset,In Maintenance,در تعمیر و نگهداری
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,روی این دکمه کلیک کنید تا اطلاعات مربوط به فروش سفارش خود را از Amazon MWS بکشید.
 DocType: Vital Signs,Abdomen,شکم
 DocType: Purchase Invoice,Overdue,سر رسیده
 DocType: Account,Stock Received But Not Billed,سهام دریافتی اما صورتحساب نه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,حساب کاربری ریشه باید یک گروه باشد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,حساب کاربری ریشه باید یک گروه باشد
 DocType: Drug Prescription,Drug Prescription,تجویز دارو
 DocType: Loan,Repaid/Closed,بازپرداخت / بسته
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,کل پیش بینی تعداد
 DocType: Monthly Distribution,Distribution Name,نام توزیع
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,شامل UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",نرخ ارزیابی برای Item {0} یافت نشد، که لازم است برای انجام امور حسابداری برای {1} {2} باشد. اگر آیتم به عنوان یک مقدار ارزش گذاری صفر در {1} انجام می شود، لطفا ذکر کنید که در جدول {1} Item. در غیر این صورت، لطفا یک معامله مبادلهی ورودی برای این مورد ایجاد کنید یا میزان ارزیابی را در رکورد موردی ذکر کنید، سپس سعی کنید این ورودی را لغو / لغو کنید
 DocType: Course,Course Code,کد درس
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},بازرسی کیفیت مورد نیاز برای مورد {0}
 DocType: Location,Parent Location,موقعیت والدین
 DocType: POS Settings,Use POS in Offline Mode,از POS در حالت آفلاین استفاده کنید
 DocType: Supplier Scorecard,Supplier Variables,متغیرهای تامین کننده
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} اجباری است شاید سابقه ارز Exchange برای {1} تا {2} ایجاد نشده است
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,سرعت که در آن مشتری ارز به ارز پایه شرکت تبدیل
 DocType: Purchase Invoice Item,Net Rate (Company Currency),نرخ خالص (شرکت ارز)
 DocType: Salary Detail,Condition and Formula Help,شرایط و فرمول راهنما
@@ -3933,19 +3980,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,فاکتور فروش
 DocType: Journal Entry Account,Party Balance,تعادل حزب
 DocType: Cash Flow Mapper,Section Subtotal,زیرمجموعه بخش
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,لطفا درخواست تخفیف را انتخاب کنید
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,لطفا درخواست تخفیف را انتخاب کنید
 DocType: Stock Settings,Sample Retention Warehouse,نمونه نگهداری انبار
 DocType: Company,Default Receivable Account,به طور پیش فرض دریافتنی حساب
 DocType: Purchase Invoice,Deemed Export,صادرات معقول
 DocType: Stock Entry,Material Transfer for Manufacture,انتقال مواد برای تولید
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,درصد تخفیف می تواند یا علیه یک لیست قیمت و یا برای همه لیست قیمت اعمال می شود.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,ثبت حسابداری برای انبار
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,ثبت حسابداری برای انبار
 DocType: Lab Test,LabTest Approver,تأییدکننده LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,شما در حال حاضر برای معیارهای ارزیابی ارزیابی {}.
 DocType: Vehicle Service,Engine Oil,روغن موتور
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},دستور کار ایجاد شده: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},دستور کار ایجاد شده: {0}
 DocType: Sales Invoice,Sales Team1,Team1 فروش
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,مورد {0} وجود ندارد
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,مورد {0} وجود ندارد
 DocType: Sales Invoice,Customer Address,آدرس مشتری
 DocType: Loan,Loan Details,وام جزییات
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,تنظیمات پست وسایل شرکت را تنظیم نکرد
@@ -3966,34 +4013,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,نمایش تصاویر به صورت خودکار در این بازگشت به بالای صفحه
 DocType: BOM,Item UOM,مورد UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),مبلغ مالیات پس از تخفیف مقدار (شرکت ارز)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},انبار هدف برای ردیف الزامی است {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},انبار هدف برای ردیف الزامی است {0}
 DocType: Cheque Print Template,Primary Settings,تنظیمات اولیه
 DocType: Attendance Request,Work From Home,کار از خانه
 DocType: Purchase Invoice,Select Supplier Address,کنید] را انتخاب کنید
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,اضافه کردن کارمندان
 DocType: Purchase Invoice Item,Quality Inspection,بازرسی کیفیت
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,بسیار کوچک
 DocType: Company,Standard Template,قالب استاندارد
 DocType: Training Event,Theory,تئوری
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,هشدار: مواد درخواست شده تعداد کمتر از حداقل تعداد سفارش تعداد است
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,هشدار: مواد درخواست شده تعداد کمتر از حداقل تعداد سفارش تعداد است
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,حساب {0} فریز شده است
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,حقوقی نهاد / جانبی با نمودار جداگانه حساب متعلق به سازمان.
 DocType: Payment Request,Mute Email,بیصدا کردن ایمیل
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco",مواد غذایی، آشامیدنی و دخانیات
 DocType: Account,Account Number,شماره حساب
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},می توانید تنها پرداخت به را unbilled را {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,نرخ کمیسیون نمی تواند بیشتر از 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},می توانید تنها پرداخت به را unbilled را {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,نرخ کمیسیون نمی تواند بیشتر از 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),اختصاص خودکار پیشرفت (FIFO)
 DocType: Volunteer,Volunteer,داوطلب
 DocType: Buying Settings,Subcontract,مقاطعه کاری فرعی
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,لطفا ابتدا وارد {0}
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,بدون پاسخ از
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,بدون پاسخ از
 DocType: Work Order Operation,Actual End Time,پایان زمان واقعی
 DocType: Item,Manufacturer Part Number,تولید کننده شماره قسمت
 DocType: Taxable Salary Slab,Taxable Salary Slab,حقوق و دستمزد قابل پرداخت
 DocType: Work Order Operation,Estimated Time and Cost,برآورد زمان و هزینه
 DocType: Bin,Bin,صندوق
 DocType: Crop,Crop Name,نام محصول
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,فقط کاربران با {0} نقش می توانند در Marketplace ثبت نام کنند
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,فقط کاربران با {0} نقش می توانند در Marketplace ثبت نام کنند
 DocType: SMS Log,No of Sent SMS,تعداد SMS های ارسال شده
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP- .YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,ملاقات ها و مصاحبه ها
@@ -4022,7 +4070,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,تغییر کد
 DocType: Purchase Invoice Item,Valuation Rate,نرخ گذاری
 DocType: Vehicle,Diesel,دیزل
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,لیست قیمت ارز انتخاب نشده
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,لیست قیمت ارز انتخاب نشده
 DocType: Purchase Invoice,Availed ITC Cess,ITC به سرقت رفته است
 ,Student Monthly Attendance Sheet,دانشجو جدول حضور ماهانه
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,قانون حمل و نقل فقط برای فروش قابل اجرا است
@@ -4038,7 +4086,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,فروش همکاران مدیریت.
 DocType: Quality Inspection,Inspection Type,نوع بازرسی
 DocType: Fee Validity,Visited yet,هنوز بازدید کرده اید
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,انبارها با معامله موجود می توانید به گروه تبدیل نمی کند.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,انبارها با معامله موجود می توانید به گروه تبدیل نمی کند.
 DocType: Assessment Result Tool,Result HTML,نتیجه HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,چگونه باید پروژه و شرکت را براساس معاملات تجاری به روز کرد.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,منقضی در
@@ -4046,7 +4094,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},لطفا انتخاب کنید {0}
 DocType: C-Form,C-Form No,C-فرم بدون
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,فاصله
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,فاصله
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,لیست محصولات یا خدمات خود را که خریداری یا فروش می کنید.
 DocType: Water Analysis,Storage Temperature,دمای ذخیره سازی
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD- .YYYY.-
@@ -4062,19 +4110,19 @@
 DocType: Shopify Settings,Delivery Note Series,سری تحویل توجه داشته باشید
 DocType: Purchase Order Item,Returned Qty,بازگشت تعداد
 DocType: Student,Exit,خروج
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,نوع ریشه الزامی است
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,نوع ریشه الزامی است
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,نصب ایستگاه از پیش تنظیم نصب نشد
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,تبدیل UOM در ساعت
 DocType: Contract,Signee Details,جزئیات Signee
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} در حال حاضر {1} کارت امتیازی ارائه شده دارد و RFQ ها برای این تامین کننده باید با احتیاط صادر شوند.
 DocType: Certified Consultant,Non Profit Manager,مدیر غیر انتفاعی
 DocType: BOM,Total Cost(Company Currency),برآورد هزینه (شرکت ارز)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,سریال بدون {0} ایجاد
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,سریال بدون {0} ایجاد
 DocType: Homepage,Company Description for website homepage,شرکت برای صفحه اصلی وب سایت
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",برای راحتی مشتریان، این کدها می توان در فرمت چاپ مانند فاکتورها و تحویل یادداشت استفاده می شود
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,نام Suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,اطلاعات برای {0} بازیابی نشد
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,افتتاح نشریه
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,افتتاح نشریه
 DocType: Contract,Fulfilment Terms,شرایط تکمیل
 DocType: Sales Invoice,Time Sheet List,زمان فهرست ورق
 DocType: Employee,You can enter any date manually,شما می توانید هر روز دستی وارد کنید
@@ -4109,7 +4157,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,سازمان شما
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",رد کردن اختصاص دادن به کارکنان زیر، به عنوان رکورد های خروج از محل در برابر آنها وجود دارد. {0}
 DocType: Fee Component,Fees Category,هزینه های رده
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,لطفا تاریخ تسکین وارد کنید.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,لطفا تاریخ تسکین وارد کنید.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Travel Request,"Details of Sponsor (Name, Location)",جزئیات حامی (نام، محل)
 DocType: Supplier Scorecard,Notify Employee,اعلام کارمند
@@ -4122,9 +4170,9 @@
 DocType: Company,Chart Of Accounts Template,نمودار حساب الگو
 DocType: Attendance,Attendance Date,حضور و غیاب عضویت
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},به روز رسانی سهام باید برای صورتحساب خرید فعال شود {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},مورد قیمت به روز شده برای {0} در لیست قیمت {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},مورد قیمت به روز شده برای {0} در لیست قیمت {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,فروپاشی حقوق و دستمزد بر اساس سود و کسر.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,حساب با گره فرزند را نمی توان تبدیل به لجر
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,حساب با گره فرزند را نمی توان تبدیل به لجر
 DocType: Purchase Invoice Item,Accepted Warehouse,انبار پذیرفته شده
 DocType: Bank Reconciliation Detail,Posting Date,تاریخ ارسال
 DocType: Item,Valuation Method,روش های ارزش گذاری
@@ -4161,6 +4209,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,لطفا یک دسته را انتخاب کنید
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,مسافرت و ادعای هزینه
 DocType: Sales Invoice,Redemption Cost Center,مرکز هزینه بازخرید
+DocType: QuickBooks Migrator,Scope,محدوده
 DocType: Assessment Group,Assessment Group Name,نام گروه ارزیابی
 DocType: Manufacturing Settings,Material Transferred for Manufacture,مواد منتقل شده برای ساخت
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,اضافه کردن به جزئیات
@@ -4168,6 +4217,7 @@
 DocType: Shopify Settings,Last Sync Datetime,آخرین زمان Sync Datetime
 DocType: Landed Cost Item,Receipt Document Type,دریافت نوع سند
 DocType: Daily Work Summary Settings,Select Companies,شرکت انتخاب
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,پیشنهاد / قیمت نقل قول
 DocType: Antibiotic,Healthcare,مراقبت های بهداشتی
 DocType: Target Detail,Target Detail,جزئیات هدف
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,تنها گزینه
@@ -4177,6 +4227,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,ورود اختتامیه دوره
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,بخش ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,مرکز هزینه با معاملات موجود می تواند به گروه تبدیل می شود
+DocType: QuickBooks Migrator,Authorization URL,URL مجوز
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},مقدار {0} {1} {2} {3}
 DocType: Account,Depreciation,استهلاک
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,تعداد سهام و شماره سهم ناسازگار است
@@ -4198,13 +4249,14 @@
 DocType: Support Search Source,Source DocType,DocType منبع
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,یک بلیط جدید را باز کنید
 DocType: Training Event,Trainer Email,ترینر ایمیل
+DocType: Driver,Transporter,حمل کننده
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,درخواست مواد {0} ایجاد
 DocType: Restaurant Reservation,No of People,بدون مردم
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,الگو از نظر و یا قرارداد.
 DocType: Bank Account,Address and Contact,آدرس و تماس با
 DocType: Vital Signs,Hyper,بیش از حد
 DocType: Cheque Print Template,Is Account Payable,حساب های پرداختنی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},سهام می تواند در برابر رسید خرید به روزرسانی نمی شود {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},سهام می تواند در برابر رسید خرید به روزرسانی نمی شود {0}
 DocType: Support Settings,Auto close Issue after 7 days,خودرو موضوع نزدیک پس از 7 روز
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",می توانید قبل از ترک نمی اختصاص داده شود {0}، به عنوان تعادل مرخصی در حال حاضر شده حمل فرستاده در آینده رکورد تخصیص مرخصی {1}
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نکته: با توجه / بیش از مرجع تاریخ اجازه روز اعتباری مشتری توسط {0} روز (بازدید کنندگان)
@@ -4222,7 +4274,7 @@
 ,Qty to Deliver,تعداد برای ارائه
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,آمازون اطلاعاتی را که بعد از این تاریخ به روز می شود، همگام سازی می کند
 ,Stock Analytics,تجزیه و تحلیل ترافیک سهام
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,عملیات نمی تواند خالی باشد
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,عملیات نمی تواند خالی باشد
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,آزمایش آزمایشگاه (ها)
 DocType: Maintenance Visit Purpose,Against Document Detail No,جزئیات سند علیه هیچ
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},حذف برای کشور ممنوع است {0}
@@ -4230,13 +4282,12 @@
 DocType: Quality Inspection,Outgoing,خروجی
 DocType: Material Request,Requested For,درخواست برای
 DocType: Quotation Item,Against Doctype,علیه DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1}    لغو یا بسته شده است
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1}    لغو یا بسته شده است
 DocType: Asset,Calculate Depreciation,انهدام را محاسبه کنید
 DocType: Delivery Note,Track this Delivery Note against any Project,پیگیری این تحویل توجه داشته باشید در مقابل هر پروژه
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,نقدی خالص از سرمایه گذاری
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,مشتری&gt; گروه مشتری&gt; قلمرو
 DocType: Work Order,Work-in-Progress Warehouse,کار در حال پیشرفت انبار
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,دارایی {0} باید ارائه شود
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,دارایی {0} باید ارائه شود
 DocType: Fee Schedule Program,Total Students,دانش آموزان
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},رکورد حضور {0} در برابر دانشجو وجود دارد {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},مرجع # {0} تاریخ {1}
@@ -4255,7 +4306,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,پاداش احتمالی برای کارکنان سمت چپ ایجاد نمی شود
 DocType: Lead,Market Segment,بخش بازار
 DocType: Agriculture Analysis Criteria,Agriculture Manager,مدیر کشاورزی
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},مبلغ پرداخت نمی تواند بیشتر از کل مقدار برجسته منفی {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},مبلغ پرداخت نمی تواند بیشتر از کل مقدار برجسته منفی {0}
 DocType: Supplier Scorecard Period,Variables,متغیرها
 DocType: Employee Internal Work History,Employee Internal Work History,کارمند داخلی سابقه کار
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),بسته شدن (دکتر)
@@ -4279,22 +4330,24 @@
 DocType: Amazon MWS Settings,Synch Products,محصولات Synch
 DocType: Loyalty Point Entry,Loyalty Program,برنامه وفاداری
 DocType: Student Guardian,Father,پدر
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,بلیط های پشتیبانی
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""به روز رسانی انبار می تواند برای فروش دارایی ثابت شود چک"
 DocType: Bank Reconciliation,Bank Reconciliation,مغایرت گیری بانک
 DocType: Attendance,On Leave,در مرخصی
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,دریافت به روز رسانی
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: حساب {2} به شرکت تعلق ندارد {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,حداقل یک مقدار از هر یک از ویژگی ها را انتخاب کنید.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,حداقل یک مقدار از هر یک از ویژگی ها را انتخاب کنید.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,درخواست مواد {0} است لغو و یا متوقف
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,حالت فرستنده
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,حالت فرستنده
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,ترک مدیریت
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,گروه
 DocType: Purchase Invoice,Hold Invoice,برگزاری فاکتور
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,لطفا کارمند را انتخاب کنید
 DocType: Sales Order,Fully Delivered,به طور کامل تحویل
-DocType: Lead,Lower Income,درآمد پایین
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,درآمد پایین
 DocType: Restaurant Order Entry,Current Order,سفارش فعلی
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,تعداد شماره سریال و مقدار آن باید یکسان باشد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},منبع و انبار هدف نمی تواند همین کار را برای ردیف {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},منبع و انبار هدف نمی تواند همین کار را برای ردیف {0}
 DocType: Account,Asset Received But Not Billed,دارایی دریافت شده اما غیرقانونی است
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",حساب تفاوت باید یک حساب کاربری نوع دارایی / مسئولیت باشد، زیرا این سهام آشتی ورود افتتاح است
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},میزان مبالغ هزینه نمی تواند بیشتر از وام مبلغ {0}
@@ -4303,7 +4356,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},خرید شماره سفارش مورد نیاز برای مورد {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""از تاریخ"" باید پس از ""تا تاریخ"" باشد"
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,هیچ برنامه انکشافی برای این تعیین نشد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,دسته {0} مورد {1} غیرفعال است.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,دسته {0} مورد {1} غیرفعال است.
 DocType: Leave Policy Detail,Annual Allocation,توزیع سالانه
 DocType: Travel Request,Address of Organizer,آدرس برگزار کننده
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,پزشک را انتخاب کنید ...
@@ -4312,12 +4365,12 @@
 DocType: Asset,Fully Depreciated,به طور کامل مستهلک
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,سهام بینی تعداد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},مشتری {0} تعلق ندارد به پروژه {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},مشتری {0} تعلق ندارد به پروژه {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,حضور و غیاب مشخص HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",نقل قول پیشنهادات، مناقصه شما را به مشتریان خود ارسال
 DocType: Sales Invoice,Customer's Purchase Order,سفارش خرید مشتری
 DocType: Clinical Procedure,Patient,صبور
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,چک کردن اعتبار را در سفارش فروش کنار بگذارید
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,چک کردن اعتبار را در سفارش فروش کنار بگذارید
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,فعالیت کارکنان کارکنان
 DocType: Location,Check if it is a hydroponic unit,بررسی کنید که آیا یک واحد هیدروپونیک است
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,سریال نه و دسته ای
@@ -4327,7 +4380,7 @@
 DocType: Supplier Scorecard Period,Calculations,محاسبات
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,ارزش و یا تعداد
 DocType: Payment Terms Template,Payment Terms,شرایط پرداخت
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,سفارشات محصولات می توانید برای نه مطرح شود:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,سفارشات محصولات می توانید برای نه مطرح شود:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,دقیقه
 DocType: Purchase Invoice,Purchase Taxes and Charges,خرید مالیات و هزینه
 DocType: Chapter,Meetup Embed HTML,دیدار با HTML Embed
@@ -4335,17 +4388,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,به تامین کنندگان بروید
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,بستن بسته مالیات کوپن
 ,Qty to Receive,تعداد دریافت
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",تاریخ شروع و پایان را در یک دوره ثبت نام معیوب معتبر، نمیتوان {0} محاسبه کرد.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",تاریخ شروع و پایان را در یک دوره ثبت نام معیوب معتبر، نمیتوان {0} محاسبه کرد.
 DocType: Leave Block List,Leave Block List Allowed,ترک فهرست بلوک های مجاز
 DocType: Grading Scale Interval,Grading Scale Interval,درجه بندی مقیاس فاصله
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ادعای هزینه برای ورود خودرو {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,تخفیف (٪) در لیست قیمت نرخ با حاشیه
 DocType: Healthcare Service Unit Type,Rate / UOM,نرخ / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,همه انبارها
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,هیچ {0} برای معاملات اینترانت یافت نشد.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,هیچ {0} برای معاملات اینترانت یافت نشد.
 DocType: Travel Itinerary,Rented Car,ماشین اجاره ای
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,درباره شرکت شما
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,اعتباری به حساب باید یک حساب ترازنامه شود
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,اعتباری به حساب باید یک حساب ترازنامه شود
 DocType: Donor,Donor,اهدا کننده
 DocType: Global Defaults,Disable In Words,غیر فعال کردن در کلمات
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,کد مورد الزامی است زیرا مورد به طور خودکار شماره نه
@@ -4357,14 +4410,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,بانک حساب چک بی محل
 DocType: Patient,Patient ID,شناسه بیمار
 DocType: Practitioner Schedule,Schedule Name,نام برنامه
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,خط لوله فروش با مرحله
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,را لغزش حقوق
 DocType: Currency Exchange,For Buying,برای خرید
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,اضافه کردن همه تامین کنندگان
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,اضافه کردن همه تامین کنندگان
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ردیف # {0}: مقدار اختصاص داده شده نمی تواند بیشتر از مقدار برجسته.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,مرور BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,وام
 DocType: Purchase Invoice,Edit Posting Date and Time,ویرایش های ارسال و ویرایش تاریخ و زمان
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},لطفا حساب مربوط استهلاک در دارایی رده {0} یا شرکت {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},لطفا حساب مربوط استهلاک در دارایی رده {0} یا شرکت {1}
 DocType: Lab Test Groups,Normal Range,محدوده طبیعی
 DocType: Academic Term,Academic Year,سال تحصیلی
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,فروش موجود
@@ -4393,26 +4447,26 @@
 DocType: Patient Appointment,Patient Appointment,قرار ملاقات بیمار
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,تصویب نقش نمی تواند همان نقش حکومت قابل اجرا است به
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,لغو اشتراک از این ایمیل خلاصه
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,دریافت کنندگان توسط
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,دریافت کنندگان توسط
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} برای مورد {1} یافت نشد
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,به دوره ها بروید
 DocType: Accounts Settings,Show Inclusive Tax In Print,نشان دادن مالیات فراگیر در چاپ
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",حساب بانکی، از تاریخ و تاریخ لازم است
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,پیام های ارسال شده
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,حساب کاربری با گره فرزند می تواند به عنوان دفتر تنظیم شود
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,حساب کاربری با گره فرزند می تواند به عنوان دفتر تنظیم شود
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,سرعت که در آن لیست قیمت ارز به ارز پایه مشتری تبدیل
 DocType: Purchase Invoice Item,Net Amount (Company Currency),مبلغ خالص (شرکت ارز)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,مبلغ پیشنهادی کل نمیتواند بیشتر از مجموع مبلغ مجاز باشد
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,مبلغ پیشنهادی کل نمیتواند بیشتر از مجموع مبلغ مجاز باشد
 DocType: Salary Slip,Hour Rate,یک ساعت یک نرخ
 DocType: Stock Settings,Item Naming By,مورد نامگذاری توسط
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},یکی دیگر از ورودی اختتامیه دوره {0} شده است پس از ساخته شده {1}
 DocType: Work Order,Material Transferred for Manufacturing,مواد منتقل ساخت
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,حساب {0} وجود ندارد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,برنامه وفاداری را انتخاب کنید
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,برنامه وفاداری را انتخاب کنید
 DocType: Project,Project Type,نوع پروژه
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,وظیفه کودک برای این وظیفه وجود دارد. شما نمی توانید این کار را حذف کنید.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,در هر دو صورت تعداد هدف یا هدف مقدار الزامی است.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,در هر دو صورت تعداد هدف یا هدف مقدار الزامی است.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,هزینه فعالیت های مختلف
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",تنظیم رویدادها به {0}، از کارمند متصل به زیر Persons فروش یک ID کاربر ندارد {1}
 DocType: Timesheet,Billing Details,جزئیات صورتحساب
@@ -4469,13 +4523,13 @@
 DocType: Inpatient Record,A Negative,منفی است
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,هیچ چیز بیشتر نشان می دهد.
 DocType: Lead,From Customer,از مشتری
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,تماس
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,تماس
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,یک محصول
 DocType: Employee Tax Exemption Declaration,Declarations,اعلامیه
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,دسته
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,برنامه ریزی هزینه
 DocType: Purchase Order Item Supplied,Stock UOM,سهام UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,خرید سفارش {0} است ارسال نشده
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,خرید سفارش {0} است ارسال نشده
 DocType: Account,Expenses Included In Asset Valuation,هزینه های موجود در ارزش گذاری دارایی
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),محدوده مرجع عادی برای یک بزرگسال 16 تا 20 نفس / دقیقه است (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,شماره تعرفه
@@ -4488,6 +4542,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,لطفا ابتدا بیمار را ذخیره کنید
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,حضور و غیاب با موفقیت برگزار شده است.
 DocType: Program Enrollment,Public Transport,حمل و نقل عمومی
+DocType: Delivery Note,GST Vehicle Type,نوع خودرو GST
 DocType: Soil Texture,Silt Composition (%),ترکیب سیلت (٪)
 DocType: Journal Entry,Remark,اظهار
 DocType: Healthcare Settings,Avoid Confirmation,اجتناب از تأیید
@@ -4496,11 +4551,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,برگ و تعطیلات
 DocType: Education Settings,Current Academic Term,ترم جاری
 DocType: Sales Order,Not Billed,صورتحساب نه
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,هر دو انبار باید به همان شرکت تعلق
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,هر دو انبار باید به همان شرکت تعلق
 DocType: Employee Grade,Default Leave Policy,پیش فرض خط مشی را ترک کنید
 DocType: Shopify Settings,Shop URL,آدرس فروشگاه
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,بدون اطلاعات تماس اضافه نشده است.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,لطفا شماره سریال را برای شرکت کنندگان از طریق Setup&gt; Numbering Series نصب کنید
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,هزینه فرود مقدار کوپن
 ,Item Balance (Simple),مورد بالانس (ساده)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,لوایح مطرح شده توسط تولید کنندگان.
@@ -4525,7 +4579,7 @@
 DocType: Shopping Cart Settings,Quotation Series,نقل قول سری
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",یک مورد را با همین نام وجود دارد ({0})، لطفا نام گروه مورد تغییر یا تغییر نام آیتم
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,معیارهای تجزیه و تحلیل خاک
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,لطفا به مشتریان را انتخاب کنید
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,لطفا به مشتریان را انتخاب کنید
 DocType: C-Form,I,من
 DocType: Company,Asset Depreciation Cost Center,دارایی مرکز استهلاک هزینه
 DocType: Production Plan Sales Order,Sales Order Date,تاریخ سفارش فروش
@@ -4538,8 +4592,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,در حال حاضر هیچ کالایی در انبار وجود ندارد
 ,Payment Period Based On Invoice Date,دوره پرداخت بر اساس فاکتور عضویت
 DocType: Sample Collection,No. of print,تعداد چاپ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,یادآوری تولد
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,مورد رزرو اتاق هتل
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},از دست رفته ارز نرخ ارز برای {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},از دست رفته ارز نرخ ارز برای {0}
 DocType: Employee Health Insurance,Health Insurance Name,نام بیمه بهداشتی
 DocType: Assessment Plan,Examiner,امتحان کننده
 DocType: Student,Siblings,خواهر و برادر
@@ -4556,19 +4611,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,مشتریان جدید
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,سود ناخالص٪
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,انتصاب {0} و صورتحساب فروش {1} لغو شد
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,فرصت های منبع سرب
 DocType: Appraisal Goal,Weightage (%),بین وزنها (٪)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,تغییر مشخصات POS
 DocType: Bank Reconciliation Detail,Clearance Date,ترخیص کالا از تاریخ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",دارایی در حال حاضر در برابر آیتم {0} وجود دارد، شما نمی توانید مقدار سریال را تغییر دهید
+DocType: Delivery Settings,Dispatch Notification Template,قالب اعلان ارسال
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",دارایی در حال حاضر در برابر آیتم {0} وجود دارد، شما نمی توانید مقدار سریال را تغییر دهید
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,گزارش ارزیابی
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,کارمندان را دریافت کنید
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,مبلغ خرید خالص الزامی است
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,نام شرکت همان نیست
 DocType: Lead,Address Desc,نشانی محصول
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,حزب الزامی است
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},ردیفهایی با تاریخ تکراری در سطرهای دیگر یافت شد: {list}
 DocType: Topic,Topic Name,نام موضوع
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,لطفا قالب پیش فرض برای اعلان تأیید خروج در تنظیمات HR تنظیم کنید.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,لطفا قالب پیش فرض برای اعلان تأیید خروج در تنظیمات HR تنظیم کنید.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,حداقل یکی از خرید و یا فروش باید انتخاب شود
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,یک کارمند را برای پیشبرد کارمند انتخاب کنید
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,لطفا یک تاریخ معتبر را انتخاب کنید
@@ -4602,6 +4658,7 @@
 DocType: Stock Entry,Customer or Supplier Details,مشتری و یا تامین کننده
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY- .YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,ارزش دارایی کنونی
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID شرکت Quickbooks
 DocType: Travel Request,Travel Funding,تامین مالی سفر
 DocType: Loan Application,Required by Date,مورد نیاز تاریخ
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,یک لینک به تمام مکان هایی که محصولات در حال رشد است
@@ -4615,9 +4672,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,در دسترس تعداد دسته ای در از انبار
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,دستمزد ناخالص - کسر مجموع - بازپرداخت وام
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM BOM کنونی و جدید را نمی توان همان
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM BOM کنونی و جدید را نمی توان همان
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,حقوق و دستمزد ID لغزش
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,تاریخ بازنشستگی باید از تاریخ پیوستن بیشتر
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,تاریخ بازنشستگی باید از تاریخ پیوستن بیشتر
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,گزینه های چندگانه
 DocType: Sales Invoice,Against Income Account,به حساب درآمد
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}٪ تحویل داده شد
@@ -4646,7 +4703,7 @@
 DocType: POS Profile,Update Stock,به روز رسانی سهام
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM مختلف برای اقلام خواهد به نادرست (مجموع) خالص ارزش وزن منجر شود. مطمئن شوید که وزن خالص هر یک از آیتم است در UOM همان.
 DocType: Certification Application,Payment Details,جزئیات پرداخت
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM نرخ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM نرخ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",کار متوقف کار را نمی توان لغو کرد، برای لغو آن ابتدا آن را متوقف کنید
 DocType: Asset,Journal Entry for Scrap,ورودی مجله برای ضایعات
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,لطفا توجه داشته باشید تحویل اقلام از جلو
@@ -4669,11 +4726,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,کل مقدار تحریم
 ,Purchase Analytics,تجزیه و تحلیل ترافیک خرید
 DocType: Sales Invoice Item,Delivery Note Item,تحویل توجه داشته باشید مورد
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,فاکتور فعلی {0} گم شده است
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,فاکتور فعلی {0} گم شده است
 DocType: Asset Maintenance Log,Task,وظیفه
 DocType: Purchase Taxes and Charges,Reference Row #,مرجع ردیف #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},تعداد دسته برای مورد الزامی است {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,این فرد از فروش ریشه است و نمی تواند ویرایش شود.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,این فرد از فروش ریشه است و نمی تواند ویرایش شود.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",در صورت انتخاب، از مقدار مشخص شده و یا محاسبه در این بخش نمی خواهد به درآمد یا کسورات کمک می کند. با این حال، ارزش را می توان با دیگر اجزای که می تواند اضافه یا کسر اشاره شده است.
 DocType: Asset Settings,Number of Days in Fiscal Year,تعداد روزها در سال مالی
 ,Stock Ledger,سهام لجر
@@ -4681,7 +4738,7 @@
 DocType: Company,Exchange Gain / Loss Account,تبادل به دست آوردن / از دست دادن حساب
 DocType: Amazon MWS Settings,MWS Credentials,مجوز MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,کارمند و حضور و غیاب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},هدف باید یکی از است {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},هدف باید یکی از است {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,فرم را پر کنید و آن را ذخیره کنید
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,انجمن
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,تعداد واقعی در سهام
@@ -4696,7 +4753,7 @@
 DocType: Lab Test Template,Standard Selling Rate,نرخ فروش استاندارد
 DocType: Account,Rate at which this tax is applied,سرعت که در آن این مالیات اعمال می شود
 DocType: Cash Flow Mapper,Section Name,نام بخش
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,ترتیب مجدد تعداد
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,ترتیب مجدد تعداد
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},مقدار تخفیف ردیف {0}: ارزش انتظاری پس از عمر مفید باید بیشتر از {برابر} یا برابر باشد {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,فرصت های شغلی فعلی
 DocType: Company,Stock Adjustment Account,حساب تنظیم سهام
@@ -4706,8 +4763,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",سیستم کاربر (ورود به سایت) ID. اگر تعیین شود، آن را تبدیل به طور پیش فرض برای همه اشکال HR.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,جزئیات استهلاک را وارد کنید
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: از {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},ترک برنامه {0} در برابر دانش آموز وجود دارد {1}
 DocType: Task,depends_on,بستگی دارد به
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,برای به روز رسانی آخرین قیمت در تمام بیل مواد. ممکن است چند دقیقه طول بکشد.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,برای به روز رسانی آخرین قیمت در تمام بیل مواد. ممکن است چند دقیقه طول بکشد.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,نام حساب کاربری جدید. توجه: لطفا حساب برای مشتریان و تامین کنندگان ایجاد نمی
 DocType: POS Profile,Display Items In Stock,آیتم های موجود در انبار
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,کشور به طور پیش فرض عاقلانه آدرس قالب
@@ -4737,16 +4795,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,اسلات برای {0} به برنامه اضافه نمی شود
 DocType: Product Bundle,List items that form the package.,اقلام لیست که به صورت بسته بندی شده.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,غیر مجاز. لطفا قالب تست را غیر فعال کنید
+DocType: Delivery Note,Distance (in km),فاصله (در کیلومتر)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,درصد تخصیص باید به 100٪ برابر باشد
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,لطفا ارسال تاریخ قبل از انتخاب حزب را انتخاب کنید
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,لطفا ارسال تاریخ قبل از انتخاب حزب را انتخاب کنید
 DocType: Program Enrollment,School House,مدرسه خانه
 DocType: Serial No,Out of AMC,از AMC
+DocType: Opportunity,Opportunity Amount,مقدار فرصت
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,تعداد Depreciations رزرو نمی تواند بیشتر از تعداد کل Depreciations
 DocType: Purchase Order,Order Confirmation Date,سفارش تایید تاریخ
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI- .YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,را نگهداری سایت
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","تاریخ شروع و تاریخ پایان با کار کارت همپوشانی است <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,جزئیات انتقال کارکنان
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,لطفا برای کاربری که فروش کارشناسی ارشد مدیریت {0} نقش دارند تماس
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,لطفا برای کاربری که فروش کارشناسی ارشد مدیریت {0} نقش دارند تماس
 DocType: Company,Default Cash Account,به طور پیش فرض حساب های نقدی
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,شرکت (و نه مشتری و یا تامین کننده) استاد.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,این است که در حضور این دانش آموز بر اساس
@@ -4754,9 +4815,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,اضافه کردن آیتم های بیشتر و یا به صورت کامل باز
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,یادداشت تحویل {0} باید قبل از لغو این سفارش فروش لغو
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,برو به کاربران
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,مبلغ پرداخت شده + نوشتن کردن مقدار نمی تواند بیشتر از جمع کل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,مبلغ پرداخت شده + نوشتن کردن مقدار نمی تواند بیشتر از جمع کل
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} است تعداد دسته معتبر برای مورد نمی {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},نکته: تعادل مرخصی به اندازه کافی برای مرخصی نوع وجود ندارد {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},نکته: تعادل مرخصی به اندازه کافی برای مرخصی نوع وجود ندارد {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN نامعتبر یا NA را وارد کنید برای ثبت نام نشده
 DocType: Training Event,Seminar,سمینار
 DocType: Program Enrollment Fee,Program Enrollment Fee,برنامه ثبت نام هزینه
@@ -4773,7 +4834,7 @@
 DocType: Fee Schedule,Fee Schedule,هزینه های برنامه
 DocType: Company,Create Chart Of Accounts Based On,درست نمودار حساب بر اساس
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,نمی توان آن را به غیر گروه تبدیل کرد. وظایف کودک وجود دارد.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,تاریخ تولد نمی تواند بیشتر از امروز.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,تاریخ تولد نمی تواند بیشتر از امروز.
 ,Stock Ageing,سهام سالمندی
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",بخشی از حمایت مالی، نیاز به سرمایه گذاری بخشی
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},دانشجو {0} در برابر دانشجوی متقاضی وجود داشته باشد {1}
@@ -4820,11 +4881,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,قبل از آشتی
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},به {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),مالیات و هزینه اضافه شده (شرکت ارز)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ردیف مالیاتی مورد {0} باید حساب از نوع مالیات یا درآمد یا هزینه یا شارژ داشته
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ردیف مالیاتی مورد {0} باید حساب از نوع مالیات یا درآمد یا هزینه یا شارژ داشته
 DocType: Sales Order,Partly Billed,تا حدودی صورتحساب
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,مورد {0} باید مورد دارائی های ثابت شود
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,گزینه ها را انتخاب کنید
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,گزینه ها را انتخاب کنید
 DocType: Item,Default BOM,به طور پیش فرض BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),مجموع مبلغ پرداخت شده (از طریق صورتحساب فروش)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,دبیت توجه مقدار
@@ -4853,13 +4914,13 @@
 DocType: Notification Control,Custom Message,سفارشی پیام
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,بانکداری سرمایه گذاری
 DocType: Purchase Invoice,input,ورودی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,نقدی یا حساب بانکی برای ساخت پرداخت ورود الزامی است
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,نقدی یا حساب بانکی برای ساخت پرداخت ورود الزامی است
 DocType: Loyalty Program,Multiple Tier Program,برنامه چند مرحله ای
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,نشانی دانشجویی
 DocType: Purchase Invoice,Price List Exchange Rate,لیست قیمت نرخ ارز
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,همه گروه های عرضه کننده
 DocType: Employee Boarding Activity,Required for Employee Creation,مورد نیاز برای ایجاد کارمند
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},شماره حساب {0} که قبلا در حساب استفاده شده {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},شماره حساب {0} که قبلا در حساب استفاده شده {1}
 DocType: GoCardless Mandate,Mandate,مجوز
 DocType: POS Profile,POS Profile Name,نام پروفیل POS
 DocType: Hotel Room Reservation,Booked,رزرو
@@ -4875,18 +4936,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,مرجع بدون اجباری است اگر شما وارد مرجع تاریخ
 DocType: Bank Reconciliation Detail,Payment Document,سند پرداخت
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,خطا در ارزیابی فرمول معیار
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,تاریخ پیوستن باید بیشتر از تاریخ تولد شود
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,تاریخ پیوستن باید بیشتر از تاریخ تولد شود
 DocType: Subscription,Plans,برنامه ها
 DocType: Salary Slip,Salary Structure,ساختار حقوق و دستمزد
 DocType: Account,Bank,بانک
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,شرکت هواپیمایی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,مواد شماره
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,مواد شماره
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Shopify را با ERPNext وصل کنید
 DocType: Material Request Item,For Warehouse,ذخیره سازی
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,یادداشتهای تحویل {0} به روز شد
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,یادداشتهای تحویل {0} به روز شد
 DocType: Employee,Offer Date,پیشنهاد عضویت
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,نقل قول
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,شما در حالت آفلاین می باشد. شما نمی قادر خواهد بود به بارگذاری مجدد تا زمانی که شما به شبکه وصل شوید.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,نقل قول
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,شما در حالت آفلاین می باشد. شما نمی قادر خواهد بود به بارگذاری مجدد تا زمانی که شما به شبکه وصل شوید.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,اعطا کردن
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,بدون تشکل های دانشجویی ایجاد شده است.
 DocType: Purchase Invoice Item,Serial No,شماره سریال
@@ -4898,24 +4959,26 @@
 DocType: Sales Invoice,Customer PO Details,اطلاعات مشتری PO
 DocType: Stock Entry,Including items for sub assemblies,از جمله موارد زیر را برای مجامع
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,افتتاح حساب موقت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,را وارد کنید مقدار باید مثبت باشد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,را وارد کنید مقدار باید مثبت باشد
 DocType: Asset,Finance Books,کتاب های مالی
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,بخش اعلامیه حقوق بازنشستگی کارکنان
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,همه مناطق
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,لطفا سؤال را برای کارمند {0} در رکورد کارمند / درجه تعیین کنید
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Order Blanket نامعتبر برای مشتری و مورد انتخاب شده است
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Order Blanket نامعتبر برای مشتری و مورد انتخاب شده است
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,اضافه کردن کارهای چندگانه
 DocType: Purchase Invoice,Items,اقلام
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,تاریخ پایان نمی تواند قبل از شروع تاریخ باشد
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,دانشجو در حال حاضر ثبت نام.
 DocType: Fiscal Year,Year Name,نام سال
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,می تعطیلات بیشتر از روز کاری در این ماه وجود دارد.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,می تعطیلات بیشتر از روز کاری در این ماه وجود دارد.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,موارد زیر {0} به عنوان {1} علامتگذاری نشده اند. شما می توانید آنها را به عنوان {1} مورد از استاد مورد خود را فعال کنید
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,محصولات بسته نرم افزاری مورد
 DocType: Sales Partner,Sales Partner Name,نام شریک فروش
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,درخواست نرخ
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,درخواست نرخ
 DocType: Payment Reconciliation,Maximum Invoice Amount,حداکثر مبلغ فاکتور
 DocType: Normal Test Items,Normal Test Items,آیتم های معمول عادی
+DocType: QuickBooks Migrator,Company Settings,تنظیمات شرکت
 DocType: Additional Salary,Overwrite Salary Structure Amount,بازپرداخت مقدار حقوق و دستمزد
 DocType: Student Language,Student Language,زبان دانشجو
 apps/erpnext/erpnext/config/selling.py +23,Customers,مشتریان
@@ -4927,21 +4990,23 @@
 DocType: Issue,Opening Time,زمان باز شدن
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,از و به تاریخ های الزامی
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,اوراق بهادار و بورس کالا
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',واحد اندازه گیری پیش فرض برای متغیر &#39;{0}&#39; باید همان است که در الگو: &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',واحد اندازه گیری پیش فرض برای متغیر &#39;{0}&#39; باید همان است که در الگو: &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,محاسبه بر اساس
 DocType: Contract,Unfulfilled,غیرممکن است
 DocType: Delivery Note Item,From Warehouse,از انبار
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,هیچ کارمند برای معیارهای ذکر شده
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,هیچ موردی با بیل از مواد برای تولید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,هیچ موردی با بیل از مواد برای تولید
 DocType: Shopify Settings,Default Customer,مشتری پیش فرض
+DocType: Sales Stage,Stage Name,نام مرحله
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN- .YYYY.-
 DocType: Assessment Plan,Supervisor Name,نام استاد راهنما
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,تأیید نکرده اید که قرار ملاقات برای همان روز ایجاد شده باشد
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,کشتی به دولت
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,کشتی به دولت
 DocType: Program Enrollment Course,Program Enrollment Course,برنامه ثبت نام دوره
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},{0} کاربر قبلا به پزشک متخصص ارجاع داده شده {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,ورودی ذخیره سازی نمونه را وارد کنید
 DocType: Purchase Taxes and Charges,Valuation and Total,ارزش گذاری و مجموع
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,مذاکره / مرور
 DocType: Leave Encashment,Encashment Amount,مبلغ مبلغ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,کارت امتیازی
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,بسته های منقضی شده
@@ -4951,7 +5016,7 @@
 DocType: Staffing Plan Detail,Current Openings,بازوهای فعلی
 DocType: Notification Control,Customize the Notification,سفارشی اطلاع رسانی
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,جریان وجوه نقد از عملیات
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,مقدار CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,مقدار CGST
 DocType: Purchase Invoice,Shipping Rule,قانون حمل و نقل
 DocType: Patient Relation,Spouse,همسر
 DocType: Lab Test Groups,Add Test,اضافه کردن تست
@@ -4965,14 +5030,14 @@
 DocType: Payroll Entry,Payroll Frequency,فرکانس حقوق و دستمزد
 DocType: Lab Test Template,Sensitivity,حساسیت
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,همگام سازی بهطور موقت غیرفعال شده است، زیرا حداکثر تلاشهای مجدد انجام شده است
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,مواد اولیه
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,مواد اولیه
 DocType: Leave Application,Follow via Email,از طریق ایمیل دنبال کنید
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,گیاهان و ماشین آلات
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,مبلغ مالیات پس از تخفیف مبلغ
 DocType: Patient,Inpatient Status,وضعیت سرپایی
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,تنظیمات خلاصه کار روزانه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,لیست قیمت انتخابی باید زمینه های خرید و فروش را بررسی کند.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,لطفا Reqd را با تاریخ وارد کنید
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,لیست قیمت انتخابی باید زمینه های خرید و فروش را بررسی کند.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,لطفا Reqd را با تاریخ وارد کنید
 DocType: Payment Entry,Internal Transfer,انتقال داخلی
 DocType: Asset Maintenance,Maintenance Tasks,وظایف تعمیر و نگهداری
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,در هر دو صورت تعداد مورد نظر و یا مقدار هدف الزامی است
@@ -4993,7 +5058,7 @@
 DocType: Mode of Payment,General,عمومی
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ارتباطات آخرین
 ,TDS Payable Monthly,TDS پرداخت ماهانه
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,برای جایگزینی BOM صفر ممکن است چند دقیقه طول بکشد.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,برای جایگزینی BOM صفر ممکن است چند دقیقه طول بکشد.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',نمی تواند کسر زمانی که دسته بندی است برای ارزش گذاری &quot;یا&quot; ارزش گذاری و مجموع &quot;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},سریال شماره سریال مورد نیاز برای مورد {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,پرداخت بازی با فاکتورها
@@ -5006,7 +5071,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,اضافه کردن به سبد
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,گروه توسط
 DocType: Guardian,Interests,منافع
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,فعال / غیر فعال کردن ارز.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,فعال / غیر فعال کردن ارز.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,نمیتوان برخی از لغزشهای حقوق را ارائه داد
 DocType: Exchange Rate Revaluation,Get Entries,دریافت مقالات
 DocType: Production Plan,Get Material Request,دریافت درخواست مواد
@@ -5028,15 +5093,16 @@
 DocType: Lead,Lead Type,سرب نوع
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,شما مجاز به تایید برگ در تاریخ های مسدود شده نیستید
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,همه این موارد در حال حاضر صورتحساب شده است
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,تنظیم تاریخ انتشار جدید
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,تنظیم تاریخ انتشار جدید
 DocType: Company,Monthly Sales Target,هدف فروش ماهانه
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},می توان با تصویب {0}
 DocType: Hotel Room,Hotel Room Type,نوع اتاق هتل
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,تامین کننده&gt; نوع تامین کننده
 DocType: Leave Allocation,Leave Period,ترک دوره
 DocType: Item,Default Material Request Type,به طور پیش فرض نوع درخواست پاسخ به
 DocType: Supplier Scorecard,Evaluation Period,دوره ارزیابی
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,ناشناخته
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,سفارش کار ایجاد نشده است
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,سفارش کار ایجاد نشده است
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",مقدار {0} که قبلا برای کامپوننت {1} داده شده است، مقدار را برابر یا بیشتر از {2}
 DocType: Shipping Rule,Shipping Rule Conditions,حمل و نقل قانون شرایط
@@ -5069,15 +5135,15 @@
 DocType: Batch,Source Document Name,منبع نام سند
 DocType: Production Plan,Get Raw Materials For Production,دریافت مواد اولیه برای تولید
 DocType: Job Opening,Job Title,عنوان شغلی
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0} نشان می دهد که {1} یک نقل قول را ارائه نمی کند، اما همه اقلام نقل شده است. به روز رسانی وضعیت نقل قول RFQ.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,حداکثر نمونه - {0} برای Batch {1} و Item {2} در Batch {3} حفظ شده است.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,حداکثر نمونه - {0} برای Batch {1} و Item {2} در Batch {3} حفظ شده است.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,به روز رسانی BOM هزینه به صورت خودکار
 DocType: Lab Test,Test Name,نام آزمون
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,مورد مصرف بالینی روش مصرف
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,ایجاد کاربران
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,گرم
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,اشتراک ها
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,اشتراک ها
 DocType: Supplier Scorecard,Per Month,هر ماه
 DocType: Education Settings,Make Academic Term Mandatory,شرایط علمی را اجباری کنید
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,تعداد برای تولید باید بیشتر از 0 باشد.
@@ -5086,9 +5152,9 @@
 DocType: Stock Entry,Update Rate and Availability,نرخ به روز رسانی و در دسترس بودن
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,درصد شما مجاز به دریافت و یا ارائه بیش برابر مقدار سفارش داد. به عنوان مثال: اگر شما 100 واحد دستور داده اند. و کمک هزینه خود را 10٪ و سپس شما مجاز به دریافت 110 واحد است.
 DocType: Loyalty Program,Customer Group,گروه مشتری
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ردیف # {0}: عملیات {1} برای {2} تعداد کالاهای به پایان رسید در سفارش کار # {3} تکمیل نشده است. لطفا وضعیت عملیات را از طریق Logs Time به روز کنید
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ردیف # {0}: عملیات {1} برای {2} تعداد کالاهای به پایان رسید در سفارش کار # {3} تکمیل نشده است. لطفا وضعیت عملیات را از طریق Logs Time به روز کنید
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),دسته ID جدید (اختیاری)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},حساب هزینه برای آیتم الزامی است {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},حساب هزینه برای آیتم الزامی است {0}
 DocType: BOM,Website Description,وب سایت توضیحات
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,تغییر خالص در حقوق صاحبان سهام
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,لطفا لغو خرید فاکتور {0} برای اولین بار
@@ -5103,7 +5169,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,چیزی برای ویرایش وجود دارد.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,فرم مشاهده
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,تأیید کننده هزینه مورد نیاز در هزینه ادعا
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,خلاصه برای این ماه و فعالیت های انتظار
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,خلاصه برای این ماه و فعالیت های انتظار
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},لطفا مجموعه سود ناخالص موجود در حساب شرکت را {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",کاربران را به سازمان خود اضافه کنید، به غیر از خودتان.
 DocType: Customer Group,Customer Group Name,نام گروه مشتری
@@ -5113,14 +5179,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,درخواست مادری ایجاد نشد
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},وام مبلغ می توانید حداکثر مبلغ وام از تجاوز نمی {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,مجوز
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},لطفا این فاکتور {0} از C-فرم حذف {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},لطفا این فاکتور {0} از C-فرم حذف {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,لطفا انتخاب کنید حمل به جلو اگر شما نیز می خواهید که شامل تعادل سال گذشته مالی برگ به سال مالی جاری
 DocType: GL Entry,Against Voucher Type,در برابر نوع کوپن
 DocType: Healthcare Practitioner,Phone (R),تلفن (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,اسلات زمان اضافه شده است
 DocType: Item,Attributes,ویژگی های
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,فعال کردن الگو
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,لطفا وارد حساب فعال
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,لطفا وارد حساب فعال
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تاریخ و زمان آخرین چینش تاریخ
 DocType: Salary Component,Is Payable,قابل پرداخت است
 DocType: Inpatient Record,B Negative,B منفی است
@@ -5131,7 +5197,7 @@
 DocType: Hotel Room,Hotel Room,اتاق هتل
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},حساب {0} به شرکت {1} تعلق ندارد
 DocType: Leave Type,Rounding,گرد کردن
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,شماره سریال در ردیف {0} با تحویل توجه مطابقت ندارد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,شماره سریال در ردیف {0} با تحویل توجه مطابقت ندارد
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),مقدار اعطا شده (امتیاز داده شده)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",سپس قوانین قیمت گذاری بر اساس مشتری، گروه مشتری، قلمرو، تامین کننده، گروه تامین کننده، کمپین، شریک تجاری و غیره فیلتر می شوند.
 DocType: Student,Guardian Details,نگهبان جزییات
@@ -5140,10 +5206,10 @@
 DocType: Vehicle,Chassis No,شاسی
 DocType: Payment Request,Initiated,آغاز
 DocType: Production Plan Item,Planned Start Date,برنامه ریزی تاریخ شروع
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,لطفا یک BOM را انتخاب کنید
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,لطفا یک BOM را انتخاب کنید
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC یکپارچه مالیاتی به دست آورد
 DocType: Purchase Order Item,Blanket Order Rate,نرخ سفارش قالب
-apps/erpnext/erpnext/hooks.py +156,Certification,صدور گواهینامه
+apps/erpnext/erpnext/hooks.py +157,Certification,صدور گواهینامه
 DocType: Bank Guarantee,Clauses and Conditions,مقررات و شرایط
 DocType: Serial No,Creation Document Type,ایجاد نوع سند
 DocType: Project Task,View Timesheet,نمایش جدول زمانی
@@ -5168,6 +5234,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,مورد پدر و مادر {0} نباید آیتم سهام
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,لیست وبسایت
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,همه محصولات یا خدمات.
+DocType: Email Digest,Open Quotations,نقل قولها را باز کنید
 DocType: Expense Claim,More Details,جزئیات بیشتر
 DocType: Supplier Quotation,Supplier Address,تامین کننده آدرس
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} بودجه برای حساب {1} در برابر {2} {3} است {4}. آن خواهد شد توسط بیش از {5}
@@ -5182,12 +5249,11 @@
 DocType: Training Event,Exam,امتحان
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,خطای بازار
 DocType: Complaint,Complaint,شکایت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0}
 DocType: Leave Allocation,Unused leaves,برگ استفاده نشده
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,وارد حساب بازپرداخت شوید
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,همه گروه ها
 DocType: Healthcare Service Unit,Vacant,خالی
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,تامین کننده&gt; نوع تامین کننده
 DocType: Patient,Alcohol Past Use,مصرف الکل گذشته
 DocType: Fertilizer Content,Fertilizer Content,محتوای کود
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,کروم
@@ -5195,7 +5261,7 @@
 DocType: Tax Rule,Billing State,دولت صدور صورت حساب
 DocType: Share Transfer,Transfer,انتقال
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,سفارش کار {0} باید قبل از لغو این سفارش فروش لغو شود
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),واکشی BOM منفجر شد (از جمله زیر مجموعه)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),واکشی BOM منفجر شد (از جمله زیر مجموعه)
 DocType: Authorization Rule,Applicable To (Employee),به قابل اجرا (کارمند)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,تاریخ الزامی است
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,افزایش برای صفت {0} نمی تواند 0
@@ -5211,7 +5277,7 @@
 DocType: Disease,Treatment Period,دوره درمان
 DocType: Travel Itinerary,Travel Itinerary,سفرنامه سفر
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,نتیجه در حال حاضر ارسال شده است
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,انبار ذخیره شده برای موارد {0} در مواد اولیه عرضه شده اجباری است
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,انبار ذخیره شده برای موارد {0} در مواد اولیه عرضه شده اجباری است
 ,Inactive Customers,مشتریان غیر فعال
 DocType: Student Admission Program,Maximum Age,حداکثر سن
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,لطفا 3 روز قبل از ارسال دوباره یادآوری منتظر بمانید.
@@ -5220,7 +5286,6 @@
 DocType: Stock Entry,Delivery Note No,تحویل توجه داشته باشید هیچ
 DocType: Cheque Print Template,Message to show,پیام را نشان می دهد
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,خرده فروشی
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,حسابرسی انتصاب را به صورت خودکار مدیریت کنید
 DocType: Student Attendance,Absent,غایب
 DocType: Staffing Plan,Staffing Plan Detail,جزئیات برنامه کارکنان
 DocType: Employee Promotion,Promotion Date,تاریخ ارتقاء
@@ -5242,7 +5307,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,را سرب
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,چاپ و لوازم التحریر
 DocType: Stock Settings,Show Barcode Field,نمایش بارکد درست
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,ارسال ایمیل کننده
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,ارسال ایمیل کننده
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",حقوق و دستمزد در حال حاضر برای دوره بین {0} و {1}، ترک دوره نرم افزار نمی تواند بین این محدوده تاریخ پردازش شده است.
 DocType: Fiscal Year,Auto Created,خودکار ایجاد شده است
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,این را برای ایجاد رکورد کارمند ارسال کنید
@@ -5251,7 +5316,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,فاکتور {0} دیگر وجود ندارد
 DocType: Guardian Interest,Guardian Interest,نگهبان علاقه
 DocType: Volunteer,Availability,دسترسی
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,تنظیمات پیش فرض برای حسابهای POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,تنظیمات پیش فرض برای حسابهای POS
 apps/erpnext/erpnext/config/hr.py +248,Training,آموزش
 DocType: Project,Time to send,زمان ارسال
 DocType: Timesheet,Employee Detail,جزئیات کارمند
@@ -5274,7 +5339,7 @@
 DocType: Training Event Employee,Optional,اختیاری
 DocType: Salary Slip,Earning & Deduction,سود و کسر
 DocType: Agriculture Analysis Criteria,Water Analysis,تجزیه و تحلیل آب
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} انواع ایجاد شده است.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} انواع ایجاد شده است.
 DocType: Amazon MWS Settings,Region,منطقه
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاری است. این تنظیم استفاده می شود برای فیلتر کردن در معاملات مختلف است.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,نرخ گذاری منفی مجاز نیست
@@ -5293,7 +5358,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,هزینه دارایی اوراق
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مرکز هزینه برای مورد الزامی است {2}
 DocType: Vehicle,Policy No,سیاست هیچ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,گرفتن اقلام از بسته نرم افزاری محصولات
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,گرفتن اقلام از بسته نرم افزاری محصولات
 DocType: Asset,Straight Line,خط مستقیم
 DocType: Project User,Project User,پروژه کاربر
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,شکاف
@@ -5301,7 +5366,7 @@
 DocType: GL Entry,Is Advance,آیا پیشرفته
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,طول عمر کارمند
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,حضور و غیاب حضور و غیاب از تاریخ و به روز الزامی است
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,لطفا وارد است واگذار شده به عنوان بله یا نه
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,لطفا وارد است واگذار شده به عنوان بله یا نه
 DocType: Item,Default Purchase Unit of Measure,واحد خرید پیش فرض اندازه گیری
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,آخرین تاریخ ارتباطات
 DocType: Clinical Procedure Item,Clinical Procedure Item,مورد روش بالینی
@@ -5310,7 +5375,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,برچسب دسترسی یا Shopify URL گم شده است
 DocType: Location,Latitude,عرض جغرافیایی
 DocType: Work Order,Scrap Warehouse,انبار ضایعات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",انبار مورد نیاز در ردیف بدون {0}، لطفا برای انبار {1} برای شرکت {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",انبار مورد نیاز در ردیف بدون {0}، لطفا برای انبار {1} برای شرکت {2}
 DocType: Work Order,Check if material transfer entry is not required,بررسی کنید که آیا ورود انتقال مواد مورد نیاز نمی باشد
 DocType: Program Enrollment Tool,Get Students From,مطلع دانش آموزان از
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,انتشار موارد در وب سایت
@@ -5325,6 +5390,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,دسته ای جدید تعداد
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,پوشاک و لوازم جانبی
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,تابع نمره وزنی حل نشد. اطمینان حاصل کنید که فرمول معتبر است
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,اقلام سفارش خرید در زمان دریافت نشده است
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,تعداد سفارش
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / بنر که در بالای لیست محصولات نشان خواهد داد.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,مشخص شرایط برای محاسبه مقدار حمل و نقل
@@ -5333,9 +5399,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,مسیر
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,می تواند مرکز هزینه به دفتر تبدیل کند آن را به عنوان گره فرزند
 DocType: Production Plan,Total Planned Qty,تعداد کل برنامه ریزی شده
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,ارزش باز
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,ارزش باز
 DocType: Salary Component,Formula,فرمول
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,سریال #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,سریال #
 DocType: Lab Test Template,Lab Test Template,آزمایش آزمایشی
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,حساب فروش
 DocType: Purchase Invoice Item,Total Weight,وزن مجموع
@@ -5353,7 +5419,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,را درخواست پاسخ به مواد
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},مورد باز {0}
 DocType: Asset Finance Book,Written Down Value,نوشته شده ارزش پایین
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,لطفا سیستم نامگذاری کارمندان را در منابع انسانی تنظیم کنید&gt; تنظیمات HR
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,فاکتور فروش {0} باید لغو شود قبل از لغو این سفارش فروش
 DocType: Clinical Procedure,Age,سن
 DocType: Sales Invoice Timesheet,Billing Amount,مقدار حسابداری
@@ -5362,11 +5427,11 @@
 DocType: Company,Default Employee Advance Account,پیشفرض پیشفرض کارمند
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),مورد جستجو (Ctrl + I)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,حساب با معامله های موجود نمی تواند حذف شود
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,حساب با معامله های موجود نمی تواند حذف شود
 DocType: Vehicle,Last Carbon Check,آخرین چک کربن
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,هزینه های قانونی
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,لطفا مقدار را در ردیف را انتخاب کنید
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,افتتاح حساب های خرید و فروش
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,افتتاح حساب های خرید و فروش
 DocType: Purchase Invoice,Posting Time,مجوز های ارسال و زمان
 DocType: Timesheet,% Amount Billed,٪ مبلغ صورتحساب
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,هزینه تلفن
@@ -5381,14 +5446,14 @@
 DocType: Maintenance Visit,Breakdown,تفکیک
 DocType: Travel Itinerary,Vegetarian,گیاه خواری
 DocType: Patient Encounter,Encounter Date,تاریخ برخورد
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,حساب: {0} با ارز: {1} نمی تواند انتخاب شود
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,حساب: {0} با ارز: {1} نمی تواند انتخاب شود
 DocType: Bank Statement Transaction Settings Item,Bank Data,داده های بانکی
 DocType: Purchase Receipt Item,Sample Quantity,تعداد نمونه
 DocType: Bank Guarantee,Name of Beneficiary,نام كاربر
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",به روز رسانی BOM هزینه به طور خودکار از طریق زمانبند، بر اساس آخرین ارزش نرخ نرخ / نرخ قیمت / آخرین نرخ خرید مواد خام.
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,چک تاریخ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},حساب {0}: حساب مرجع {1} به شرکت تعلق ندارد: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},حساب {0}: حساب مرجع {1} به شرکت تعلق ندارد: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,با موفقیت حذف تمام معاملات مربوط به این شرکت!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,همانطور که در تاریخ
 DocType: Additional Salary,HR,HR
@@ -5396,7 +5461,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,هشدارهای SMS بیمار
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,عفو مشروط
 DocType: Program Enrollment Tool,New Academic Year,سال تحصیلی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,بازگشت / اعتباری
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,بازگشت / اعتباری
 DocType: Stock Settings,Auto insert Price List rate if missing,درج خودرو نرخ لیست قیمت اگر از دست رفته
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,کل مقدار پرداخت
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5414,10 +5479,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,گره فرزند می تواند تنها تحت &#39;گروه&#39; نوع گره ایجاد
 DocType: Attendance Request,Half Day Date,تاریخ نیم روز
 DocType: Academic Year,Academic Year Name,نام سال تحصیلی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} مجاز به انجام معاملات با {1} نیست. لطفا شرکت را تغییر دهید
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} مجاز به انجام معاملات با {1} نیست. لطفا شرکت را تغییر دهید
 DocType: Sales Partner,Contact Desc,تماس با محصول،
 DocType: Email Digest,Send regular summary reports via Email.,ارسال گزارش خلاصه به طور منظم از طریق ایمیل.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},لطفا به حساب پیش فرض تنظیم شده در نوع ادعا هزینه {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},لطفا به حساب پیش فرض تنظیم شده در نوع ادعا هزینه {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,برگهای موجود
 DocType: Assessment Result,Student Name,نام دانش آموز
 DocType: Hub Tracked Item,Item Manager,مدیریت آیتم ها
@@ -5442,9 +5507,10 @@
 DocType: Subscription,Trial Period End Date,تاریخ پایان دوره آزمایشی
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized نه از {0} بیش از محدودیت
 DocType: Serial No,Asset Status,وضعیت دارایی
+DocType: Delivery Note,Over Dimensional Cargo (ODC),بیش از اندازه بار (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,جدول رستوران
 DocType: Hotel Room,Hotel Manager,مدیر هتل
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,مجموعه قوانین مالیاتی برای سبد خرید
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,مجموعه قوانین مالیاتی برای سبد خرید
 DocType: Purchase Invoice,Taxes and Charges Added,مالیات و هزینه اضافه شده
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,مقدار خسارت ردیف {0}: تاریخ بعد از انهدام بعدی قبل از موجود بودن برای تاریخ استفاده نمی شود
 ,Sales Funnel,قیف فروش
@@ -5460,10 +5526,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,همه گروه های مشتری
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,انباشته ماهانه
 DocType: Attendance Request,On Duty,در وظیفه
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی است. شاید سوابق تبادل ارز برای {1} به {2} ایجاد نشده است.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی است. شاید سوابق تبادل ارز برای {1} به {2} ایجاد نشده است.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},برنامه کارکنان {0} برای تعیین نام وجود دارد {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,قالب مالیات اجباری است.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,حساب {0}: حساب مرجع {1} وجود ندارد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,حساب {0}: حساب مرجع {1} وجود ندارد
 DocType: POS Closing Voucher,Period Start Date,شروع تاریخ دوره
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),لیست قیمت نرخ (شرکت ارز)
 DocType: Products Settings,Products Settings,محصولات تنظیمات
@@ -5483,7 +5549,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,این اقدام حسابداری آینده را متوقف خواهد کرد. آیا مطمئن هستید که میخواهید این اشتراک را لغو کنید؟
 DocType: Serial No,Distinct unit of an Item,واحد مجزا از یک آیتم
 DocType: Supplier Scorecard Criteria,Criteria Name,معیار نام
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,لطفا مجموعه شرکت
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,لطفا مجموعه شرکت
 DocType: Procedure Prescription,Procedure Created,روش ایجاد شده است
 DocType: Pricing Rule,Buying,خرید
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,بیماری ها و کود
@@ -5500,42 +5566,43 @@
 DocType: Employee Onboarding,Job Offer,پیشنهاد کار
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,مخفف موسسه
 ,Item-wise Price List Rate,مورد عاقلانه لیست قیمت نرخ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,نقل قول تامین کننده
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,نقل قول تامین کننده
 DocType: Quotation,In Words will be visible once you save the Quotation.,به عبارت قابل مشاهده خواهد بود هنگامی که شما نقل قول را نجات دهد.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},تعداد ({0}) نمی تواند یک کسر در ردیف {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},تعداد ({0}) نمی تواند یک کسر در ردیف {1}
 DocType: Contract,Unsigned,نامشخص
 DocType: Selling Settings,Each Transaction,هر تراکنش
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},بارکد {0} در حال حاضر در مورد استفاده {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},بارکد {0} در حال حاضر در مورد استفاده {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,مشاهده قوانین برای اضافه کردن هزینه های حمل و نقل.
 DocType: Hotel Room,Extra Bed Capacity,ظرفیت پذیرش اضافی
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,غواصی
 DocType: Item,Opening Stock,سهام باز کردن
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,مشتری مورد نیاز است
 DocType: Lab Test,Result Date,نتیجه تاریخ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC تاریخ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC تاریخ
 DocType: Purchase Order,To Receive,برای دریافت
 DocType: Leave Period,Holiday List for Optional Leave,لیست تعطیلات برای اقامت اختیاری
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,صاحب دارایی
 DocType: Purchase Invoice,Reason For Putting On Hold,دلیل برای قرار گرفتن در معرض
 DocType: Employee,Personal Email,ایمیل شخصی
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,واریانس ها
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,واریانس ها
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",اگر فعال باشد، سیستم مطالب حسابداری برای موجودی ارسال به صورت خودکار.
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,حق العمل
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,حضور و غیاب برای کارکنان {0} در حال حاضر برای این روز را گرامی می
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,حضور و غیاب برای کارکنان {0} در حال حاضر برای این روز را گرامی می
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",در دقیقه به روز رسانی از طریق &#39;زمان ورود &quot;
 DocType: Customer,From Lead,از سرب
 DocType: Amazon MWS Settings,Synch Orders,سفارشات همگام
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,سفارشات برای تولید منتشر شد.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,انتخاب سال مالی ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,نمایش POS مورد نیاز برای ایجاد POS ورود
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,نمایش POS مورد نیاز برای ایجاد POS ورود
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",امتیازات وفاداری از هزینه انجام شده (از طریق صورتحساب فروش) بر اساس فاکتور جمع آوری شده ذکر شده محاسبه خواهد شد.
 DocType: Program Enrollment Tool,Enroll Students,ثبت نام دانش آموزان
 DocType: Company,HRA Settings,تنظیمات HRA
 DocType: Employee Transfer,Transfer Date,تاریخ انتقال
 DocType: Lab Test,Approved Date,تاریخ تأیید
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,فروش استاندارد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,حداقل یک انبار الزامی است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,حداقل یک انبار الزامی است
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.",پیکربندی زمینه های مورد مانند UOM، گروه مورد، شرح و تعداد ساعت ها.
 DocType: Certification Application,Certification Status,وضعیت صدور گواهینامه
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,بازار
@@ -5555,6 +5622,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,مطابقت فاکتورها
 DocType: Work Order,Required Items,اقلام مورد نیاز
 DocType: Stock Ledger Entry,Stock Value Difference,تفاوت ارزش سهام
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Item Row {0}: {1} {2} در جدول بالا {1} وجود ندارد
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,منابع انسانی
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,آشتی پرداخت
 DocType: Disease,Treatment Task,وظیفه درمان
@@ -5572,7 +5640,8 @@
 DocType: Account,Debit,بدهی
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,برگ باید در تقسیم عددی بر مضرب 0.5 اختصاص داده
 DocType: Work Order,Operation Cost,هزینه عملیات
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,برجسته AMT
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,شناسایی تصمیم گیرندگان
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,برجسته AMT
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,مجموعه اهداف مورد گروه عاقلانه برای این فرد از فروش.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],سهام یخ قدیمی تر از [روز]
 DocType: Payment Request,Payment Ordered,پرداخت سفارش شده
@@ -5584,13 +5653,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,اجازه می دهد کاربران زیر به تصویب برنامه های کاربردی را برای روز مسدود کند.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,چرخه زندگی
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,بساز
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},نرخ برای آیتم فروش {0} کمتر از است {1} آن است. نرخ فروش باید حداقل {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},نرخ برای آیتم فروش {0} کمتر از است {1} آن است. نرخ فروش باید حداقل {2}
 DocType: Subscription,Taxes,عوارض
 DocType: Purchase Invoice,capital goods,کالاهای سرمایه ای
 DocType: Purchase Invoice Item,Weight Per Unit,وزن در واحد
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,پرداخت و تحویل داده نشده است
-DocType: Project,Default Cost Center,مرکز هزینه به طور پیش فرض
-DocType: Delivery Note,Transporter Doc No,شماره حمل کننده
+DocType: QuickBooks Migrator,Default Cost Center,مرکز هزینه به طور پیش فرض
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,معاملات سهام
 DocType: Budget,Budget Accounts,حساب بودجه
 DocType: Employee,Internal Work History,تاریخچه کار داخلی
@@ -5623,7 +5691,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},متخصص بهداشت و درمان در {0} موجود نیست
 DocType: Stock Entry Detail,Additional Cost,هزینه های اضافی
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",می توانید بر روی کوپن نه فیلتر بر اساس، در صورتی که توسط کوپن گروه بندی
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,را عین تامین کننده
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,را عین تامین کننده
 DocType: Quality Inspection,Incoming,وارد شونده
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,قالب های پیش فرض مالی برای فروش و خرید ایجاد می شوند.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,ارزیابی نتیجه نتیجه {0} در حال حاضر وجود دارد.
@@ -5639,7 +5707,7 @@
 DocType: Batch,Batch ID,دسته ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},توجه: {0}
 ,Delivery Note Trends,روند تحویل توجه داشته باشید
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,خلاصه این هفته
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,خلاصه این هفته
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,در انبار تعداد
 ,Daily Work Summary Replies,روزانه کار خلاصه پاسخ ها
 DocType: Delivery Trip,Calculate Estimated Arrival Times,محاسبه زمان ورود تخمینی
@@ -5649,7 +5717,7 @@
 DocType: Bank Account,Party,حزب
 DocType: Healthcare Settings,Patient Name,نام بیمار
 DocType: Variant Field,Variant Field,فیلد متغیر
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,محل مورد نظر
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,محل مورد نظر
 DocType: Sales Order,Delivery Date,تاریخ تحویل
 DocType: Opportunity,Opportunity Date,فرصت تاریخ
 DocType: Employee,Health Insurance Provider,ارائه دهنده خدمات درمانی
@@ -5668,7 +5736,7 @@
 DocType: Employee,History In Company,تاریخچه در شرکت
 DocType: Customer,Customer Primary Address,آدرس اصلی مشتری
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرنامه
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,شماره مرجع.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,شماره مرجع.
 DocType: Drug Prescription,Description/Strength,توضیحات / قدرت
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,ایجاد پرداخت جدید / ورود مجله
 DocType: Certification Application,Certification Application,برنامه صدور گواهینامه
@@ -5679,10 +5747,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,آیتم همان وارد شده است چندین بار
 DocType: Department,Leave Block List,ترک فهرست بلوک
 DocType: Purchase Invoice,Tax ID,ID مالیات
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,مورد {0} است راه اندازی برای سریال شماره نیست. ستون باید خالی باشد
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,مورد {0} است راه اندازی برای سریال شماره نیست. ستون باید خالی باشد
 DocType: Accounts Settings,Accounts Settings,تنظیمات حسابها
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,تایید
 DocType: Loyalty Program,Customer Territory,قلمرو مشتری
+DocType: Email Digest,Sales Orders to Deliver,سفارشات فروش برای تحویل
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",تعداد حساب جدید، آن را در نام حساب به عنوان پیشوند گنجانده خواهد شد
 DocType: Maintenance Team Member,Team Member,عضو تیم
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,هیچ نتیجهای برای ارسال وجود ندارد
@@ -5692,7 +5761,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",مجموع {0} برای همه موارد صفر است، ممکن است شما باید &#39;اتهامات بر اساس توزیع را تغییر
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,تا تاریخ نمی تواند کمتر از تاریخ باشد
 DocType: Opportunity,To Discuss,به بحث در مورد
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,این بر مبنای معاملات در برابر این مشترک است. برای جزئیات بیشتر به جدول زمانی زیر مراجعه کنید
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} واحد از {1} مورد نیاز در {2} برای تکمیل این معامله.
 DocType: Loan Type,Rate of Interest (%) Yearly,نرخ بهره (٪) سالانه
 DocType: Support Settings,Forum URL,آدرس انجمن
@@ -5707,7 +5775,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,بیشتر بدانید
 DocType: Cheque Print Template,Distance from top edge,فاصله از لبه بالا
 DocType: POS Closing Voucher Invoices,Quantity of Items,تعداد آیتم ها
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,لیست قیمت {0} غیر فعال است و یا وجود ندارد
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,لیست قیمت {0} غیر فعال است و یا وجود ندارد
 DocType: Purchase Invoice,Return,برگشت
 DocType: Pricing Rule,Disable,از کار انداختن
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,نحوه پرداخت مورد نیاز است را به پرداخت
@@ -5715,18 +5783,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.",ویرایش در صفحه کامل برای گزینه های بیشتر مانند دارایی، شماره سریال، دسته و غیره
 DocType: Leave Type,Maximum Continuous Days Applicable,حداکثر روز پیوسته قابل اجرا
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} در دسته ای ثبت نام نشده {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",دارایی {0} نمی تواند اوراق شود، آن است که در حال حاضر {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",دارایی {0} نمی تواند اوراق شود، آن است که در حال حاضر {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,چک مورد نیاز
 DocType: Task,Total Expense Claim (via Expense Claim),ادعای هزینه کل (از طریق ادعای هزینه)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,علامت گذاری به عنوان غایب
 DocType: Job Applicant Source,Job Applicant Source,منبع درخواست شغلی
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,مقدار IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,مقدار IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,شرکت راه اندازی نشد
 DocType: Asset Repair,Asset Repair,تعمیرات دارایی
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ردیف {0}: ارز BOM # در {1} باید به ارز انتخاب شده برابر باشد {2}
 DocType: Journal Entry Account,Exchange Rate,مظنهء ارز
 DocType: Patient,Additional information regarding the patient,اطلاعات اضافی مربوط به بیمار
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,سفارش فروش {0} است ارسال نشده
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,سفارش فروش {0} است ارسال نشده
 DocType: Homepage,Tag Line,نقطه حساس
 DocType: Fee Component,Fee Component,هزینه یدکی
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,مدیریت ناوگان
@@ -5741,7 +5809,7 @@
 DocType: Healthcare Practitioner,Mobile,سیار
 ,Sales Person-wise Transaction Summary,فروش شخص عاقل خلاصه معامله
 DocType: Training Event,Contact Number,شماره تماس
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,انبار {0} وجود ندارد
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,انبار {0} وجود ندارد
 DocType: Cashier Closing,Custody,بازداشت
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,جزئیات بازپرداخت معاف از مالیات کارمند
 DocType: Monthly Distribution,Monthly Distribution Percentages,درصد ماهانه توزیع
@@ -5756,7 +5824,7 @@
 DocType: Payment Entry,Paid Amount,مبلغ پرداخت
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,کاوش چرخه فروش
 DocType: Assessment Plan,Supervisor,سرپرست
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,ورودی نگهداری سهام
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,ورودی نگهداری سهام
 ,Available Stock for Packing Items,انبار موجود آیتم ها بسته بندی
 DocType: Item Variant,Item Variant,مورد نوع
 ,Work Order Stock Report,سفارش کار سفارش سفارش
@@ -5765,9 +5833,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,به عنوان سرپرست
 DocType: Leave Policy Detail,Leave Policy Detail,ترک جزئیات سیاست
 DocType: BOM Scrap Item,BOM Scrap Item,BOM مورد ضایعات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,سفارشات ارسال شده را نمی توان حذف
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",مانده حساب در حال حاضر در بدهی، شما امکان پذیر نیست را به مجموعه &quot;تعادل باید به عنوان&quot; اعتبار &quot;
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,مدیریت کیفیت
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,سفارشات ارسال شده را نمی توان حذف
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",مانده حساب در حال حاضر در بدهی، شما امکان پذیر نیست را به مجموعه &quot;تعادل باید به عنوان&quot; اعتبار &quot;
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,مدیریت کیفیت
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,مورد {0} غیرفعال شده است
 DocType: Project,Total Billable Amount (via Timesheets),مجموع مبلغ قابل پرداخت (از طریق Timesheets)
 DocType: Agriculture Task,Previous Business Day,روز کاری قبلی
@@ -5790,14 +5858,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,مراکز هزینه
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,راه اندازی مجدد اشتراک
 DocType: Linked Plant Analysis,Linked Plant Analysis,مرتبط با تجزیه و تحلیل گیاه
-DocType: Delivery Note,Transporter ID,شناسه حمل و نقل
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,شناسه حمل و نقل
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,گزاره ارزش
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,سرعت که در آن عرضه کننده کالا در ارز به ارز پایه شرکت تبدیل
-DocType: Sales Invoice Item,Service End Date,تاریخ پایان خدمات
+DocType: Purchase Invoice Item,Service End Date,تاریخ پایان خدمات
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ردیف # {0}: درگیری های تنظیم وقت با ردیف {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازه رای دادن به ارزش گذاری صفر
 DocType: Bank Guarantee,Receiving,دریافت
 DocType: Training Event Employee,Invited,دعوت کرد
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,راه اندازی حساب های دروازه.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,راه اندازی حساب های دروازه.
 DocType: Employee,Employment Type,نوع استخدام
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,دارایی های ثابت
 DocType: Payment Entry,Set Exchange Gain / Loss,تنظیم اوراق بهادار کاهش / افزایش
@@ -5813,7 +5882,7 @@
 DocType: Tax Rule,Sales Tax Template,قالب مالیات بر فروش
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,پرداخت حق بیمه
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,شماره مرکز هزینه را به روز کنید
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور
 DocType: Employee,Encashment Date,Encashment عضویت
 DocType: Training Event,Internet,اینترنت
 DocType: Special Test Template,Special Test Template,قالب تست ویژه
@@ -5821,12 +5890,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},هزینه به طور پیش فرض برای فعالیت نوع فعالیت وجود دارد - {0}
 DocType: Work Order,Planned Operating Cost,هزینه های عملیاتی برنامه ریزی شده
 DocType: Academic Term,Term Start Date,مدت تاریخ شروع
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,فهرست همه تراکنشهای اشتراکی
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,فهرست همه تراکنشهای اشتراکی
+DocType: Supplier,Is Transporter,آیا حمل کننده است
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,واردات فروش صورتحساب از Shopify اگر پرداخت مشخص شده است
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,تعداد روبروی
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,هر دو تاریخچه تاریخچه دادگاه و تاریخ پایان تاریخ پرونده باید تعیین شود
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,میانگین امتیازات
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,مجموع مبلغ پرداختی در برنامه پرداخت باید برابر با مقدار Grand / Rounded باشد
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,مجموع مبلغ پرداختی در برنامه پرداخت باید برابر با مقدار Grand / Rounded باشد
 DocType: Subscription Plan Detail,Plan,طرح
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,تعادل بیانیه بانک به عنوان در هر لجر عمومی
 DocType: Job Applicant,Applicant Name,نام متقاضی
@@ -5854,7 +5924,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,موجود تعداد در منبع انبار
 apps/erpnext/erpnext/config/support.py +22,Warranty,گارانتی
 DocType: Purchase Invoice,Debit Note Issued,بدهی توجه صادر
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,فیلتر براساس مرکز هزینه تنها درصورتی که Budget Against به عنوان مرکز هزینه انتخاب شده است، قابل اجراست
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,فیلتر براساس مرکز هزینه تنها درصورتی که Budget Against به عنوان مرکز هزینه انتخاب شده است، قابل اجراست
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",جستجو بر اساس کد آیتم، شماره سریال، دسته ای یا بارکد
 DocType: Work Order,Warehouses,ساختمان و ذخیره سازی
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} دارایی نمی تواند منتقل شود
@@ -5865,9 +5935,9 @@
 DocType: Workstation,per hour,در ساعت
 DocType: Blanket Order,Purchasing,خرید
 DocType: Announcement,Announcement,اعلان
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,مشتری LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,مشتری LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",برای دسته ای بر اساس گروه دانشجو، دسته ای دانشجو خواهد شد برای هر دانش آموز از ثبت نام برنامه تایید شده است.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,انبار نمی تواند حذف شود به عنوان ورودی سهام دفتر برای این انبار وجود دارد.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,انبار نمی تواند حذف شود به عنوان ورودی سهام دفتر برای این انبار وجود دارد.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,توزیع
 DocType: Journal Entry Account,Loan,وام
 DocType: Expense Claim Advance,Expense Claim Advance,پیش پرداخت هزینه
@@ -5876,7 +5946,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,مدیر پروژه
 ,Quoted Item Comparison,مورد نقل مقایسه
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},همپوشانی در نمره بین {0} و {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,اعزام
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,اعزام
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,حداکثر تخفیف را برای آیتم: {0} {1}٪ است
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,ارزش خالص دارایی ها به عنوان بر روی
 DocType: Crop,Produce,تولید کردن
@@ -5886,20 +5956,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,مصرف مواد برای ساخت
 DocType: Item Alternative,Alternative Item Code,کد مورد دیگر
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,نقش است که مجاز به ارائه معاملات است که بیش از محدودیت های اعتباری تعیین شده است.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,انتخاب موارد برای ساخت
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,انتخاب موارد برای ساخت
 DocType: Delivery Stop,Delivery Stop,توقف تحویل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان
 DocType: Item,Material Issue,شماره مواد
 DocType: Employee Education,Qualification,صلاحیت
 DocType: Item Price,Item Price,آیتم قیمت
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,صابون و مواد شوینده
 DocType: BOM,Show Items,نمایش آیتم ها
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,از زمان نمی تواند بیشتر از به زمان.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,آیا می خواهید تمام ایمیل ها را به مشتریان اطلاع دهید؟
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,آیا می خواهید تمام ایمیل ها را به مشتریان اطلاع دهید؟
 DocType: Subscription Plan,Billing Interval,فاصله گفتگو
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,فیلم و ویدیو
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,مرتب
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,تاریخ شروع واقعی و تاریخ پایان رسمی اجباری است
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,مشتری&gt; گروه مشتری&gt; قلمرو
 DocType: Salary Detail,Component,مولفه
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,ردیف {0}: {1} باید از 0 باشد
 DocType: Assessment Criteria,Assessment Criteria Group,معیارهای ارزیابی گروه
@@ -5930,11 +6001,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,قبل از ارسال، نام بانک یا موسسه وام را وارد کنید.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} باید ارسال شود
 DocType: POS Profile,Item Groups,گروه مورد
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,امروز {0} تولد است!
 DocType: Sales Order Item,For Production,برای تولید
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,تعادل در ارز حساب
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,لطفا یک حساب باز کردن موقت در نمودار حساب اضافه کنید
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,لطفا یک حساب باز کردن موقت در نمودار حساب اضافه کنید
 DocType: Customer,Customer Primary Contact,تماس اولیه مشتری
 DocType: Project Task,View Task,مشخصات کار
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP /٪ سرب
@@ -5947,11 +6017,11 @@
 DocType: Sales Invoice,Get Advances Received,دریافت پیشرفت های دریافتی
 DocType: Email Digest,Add/Remove Recipients,اضافه کردن / حذف دریافت کنندگان
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",برای تنظیم این سال مالی به عنوان پیش فرض، بر روی &quot;تنظیم به عنوان پیش فرض &#39;
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,مقدار TDS محاسبه شده است
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,مقدار TDS محاسبه شده است
 DocType: Production Plan,Include Subcontracted Items,شامل موارد زیر قرارداد
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,پیوستن
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,کمبود تعداد
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,پیوستن
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,کمبود تعداد
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد
 DocType: Loan,Repay from Salary,بازپرداخت از حقوق و دستمزد
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},درخواست پرداخت در مقابل {0} {1} برای مقدار {2}
 DocType: Additional Salary,Salary Slip,لغزش حقوق و دستمزد
@@ -5967,7 +6037,7 @@
 DocType: Patient,Dormant,خوابیده
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,تخفیف مالیات برای مزایای کارمند بدون اعلان
 DocType: Salary Slip,Total Interest Amount,مقدار کل سود
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,انبارها با گره فرزند را نمی توان تبدیل به لجر
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,انبارها با گره فرزند را نمی توان تبدیل به لجر
 DocType: BOM,Manage cost of operations,مدیریت هزینه های عملیات
 DocType: Accounts Settings,Stale Days,روزهای سخت
 DocType: Travel Itinerary,Arrival Datetime,زمان ورود
@@ -5979,7 +6049,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,ارزیابی جزئیات نتیجه
 DocType: Employee Education,Employee Education,آموزش و پرورش کارمند
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,گروه مورد تکراری در جدول گروه مورد
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,آن را به واکشی اطلاعات مورد نیاز است.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,آن را به واکشی اطلاعات مورد نیاز است.
 DocType: Fertilizer,Fertilizer Name,نام کود
 DocType: Salary Slip,Net Pay,پرداخت خالص
 DocType: Cash Flow Mapping Accounts,Account,حساب
@@ -5990,14 +6060,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,ایجاد تکالیف جداگانه علیه ادعای مزایا
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),وجود تب (دماي 38.5 درجه سانتی گراد / 101.3 درجه فارنهایت یا دمای پایدار&gt; 38 درجه سانتی گراد / 100.4 درجه فارنهایت)
 DocType: Customer,Sales Team Details,جزییات تیم فروش
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,به طور دائم حذف کنید؟
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,به طور دائم حذف کنید؟
 DocType: Expense Claim,Total Claimed Amount,مجموع مقدار ادعا
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فرصت های بالقوه برای فروش.
 DocType: Shareholder,Folio no.,برگه شماره
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},نامعتبر {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,مرخصی استعلاجی
 DocType: Email Digest,Email Digest,ایمیل خلاصه
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,نیستند
 DocType: Delivery Note,Billing Address Name,حسابداری نام آدرس
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,فروشگاه های گروه
 ,Item Delivery Date,مورد تاریخ تحویل
@@ -6013,16 +6082,16 @@
 DocType: Account,Chargeable,پرشدنی
 DocType: Company,Change Abbreviation,تغییر اختصار
 DocType: Contract,Fulfilment Details,جزئیات تکمیل
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},پرداخت {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},پرداخت {0} {1}
 DocType: Employee Onboarding,Activities,فعالیت ها
 DocType: Expense Claim Detail,Expense Date,هزینه عضویت
 DocType: Item,No of Months,بدون ماه
 DocType: Item,Max Discount (%),حداکثر تخفیف (٪)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,روزهای اعتباری نمیتواند یک عدد منفی باشد
-DocType: Sales Invoice Item,Service Stop Date,تاریخ توقف خدمات
+DocType: Purchase Invoice Item,Service Stop Date,تاریخ توقف خدمات
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,مبلغ آخرین سفارش
 DocType: Cash Flow Mapper,e.g Adjustments for:,به عنوان مثال تنظیمات برای:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} نمونه نگهدارنده براساس دسته ای است، لطفا حتما Batch No را بررسی کنید تا نمونه مورد نظر را حفظ کنید
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} نمونه نگهدارنده براساس دسته ای است، لطفا حتما Batch No را بررسی کنید تا نمونه مورد نظر را حفظ کنید
 DocType: Task,Is Milestone,است نقطه عطف
 DocType: Certification Application,Yet to appear,با این حال ظاهر می شود
 DocType: Delivery Stop,Email Sent To,ایمیل ارسال شده به
@@ -6030,16 +6099,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,اجازه دادن به هزینه مرکز در ورود حساب کاربری حسابداری
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,ادغام با حساب موجود
 DocType: Budget,Warn,هشدار دادن
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,همه اقلام در حال حاضر برای این سفارش کار منتقل شده است.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,همه اقلام در حال حاضر برای این سفارش کار منتقل شده است.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",هر گونه اظهارات دیگر، تلاش قابل توجه است که باید در پرونده بروید.
 DocType: Asset Maintenance,Manufacturing User,ساخت کاربری
 DocType: Purchase Invoice,Raw Materials Supplied,مواد اولیه عرضه شده
 DocType: Subscription Plan,Payment Plan,برنامه پرداخت
 DocType: Shopping Cart Settings,Enable purchase of items via the website,خرید اقلام را از طریق وبسایت فعال کنید
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},ارزش لیست قیمت {0} باید {1} یا {2} باشد
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,مدیریت اشتراک
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,مدیریت اشتراک
 DocType: Appraisal,Appraisal Template,ارزیابی الگو
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,برای کد پین
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,برای کد پین
 DocType: Soil Texture,Ternary Plot,قطعه سه بعدی
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,این را برای فعال کردن برنامه منظم هماهنگ سازی روزانه از طریق برنامه ریز فعال کنید
 DocType: Item Group,Item Classification,طبقه بندی مورد
@@ -6049,6 +6118,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ثبت نام بیمار صورتحساب
 DocType: Crop,Period,دوره
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,لجر عمومی
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,سال مالی
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,مشخصات آگهی
 DocType: Program Enrollment Tool,New Program,برنامه جدید
 DocType: Item Attribute Value,Attribute Value,موجودیت مقدار
@@ -6057,11 +6127,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise توصیه ترتیب مجدد سطح
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,کارمند {0} درجه {1} هیچ خط مشی پیش فرض ترک ندارد
 DocType: Salary Detail,Salary Detail,جزئیات حقوق و دستمزد
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,لطفا انتخاب کنید {0} برای اولین بار
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,لطفا انتخاب کنید {0} برای اولین بار
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,اضافه شده {0} کاربران
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",در مورد برنامه چند لایه، مشتریان به صورت خودکار به سطر مربوطه اختصاص داده می شوند، همانطور که در هزینه های خود هستند
 DocType: Appointment Type,Physician,پزشک
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,دسته {0} از {1} مورد تمام شده است.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,دسته {0} از {1} مورد تمام شده است.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,مشاوره
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,به خوبی تمام شد
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",قیمت قیمت چند بار بر اساس لیست قیمت، تامین کننده / مشتری، ارز، اقلام، UOM، تعداد و تاریخ به نظر می رسد.
@@ -6070,22 +6140,21 @@
 DocType: Certification Application,Name of Applicant,نام متقاضی
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ورق زمان برای تولید.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,جمع جزء
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,پس از معاملات بورس نمی تواند خواص Variant را تغییر دهد. برای انجام این کار باید یک مورد جدید ایجاد کنید.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,پس از معاملات بورس نمی تواند خواص Variant را تغییر دهد. برای انجام این کار باید یک مورد جدید ایجاد کنید.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless مجوز SEPA
 DocType: Healthcare Practitioner,Charges,اتهامات
 DocType: Production Plan,Get Items For Work Order,دریافت اقلام برای سفارش کار
 DocType: Salary Detail,Default Amount,مقدار پیش فرض
 DocType: Lab Test Template,Descriptive,توصیفی
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,انبار در سیستم یافت نشد
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,خلاصه این ماه
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,خلاصه این ماه
 DocType: Quality Inspection Reading,Quality Inspection Reading,خواندن بازرسی کیفیت
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`سهام منجمد قدیمی تر از` باید کوچکتر از %d روز باشد.
 DocType: Tax Rule,Purchase Tax Template,خرید قالب مالیات
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,یک هدف فروش که میخواهید برای شرکتتان به دست آورید، تنظیم کنید.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,خدمات بهداشتی
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,خدمات بهداشتی
 ,Project wise Stock Tracking,پروژه پیگیری سهام عاقلانه
 DocType: GST HSN Code,Regional,منطقه ای
-DocType: Delivery Note,Transport Mode,حالت حمل و نقل
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,آزمایشگاه
 DocType: UOM Category,UOM Category,رده UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),تعداد واقعی (در منبع / هدف)
@@ -6108,17 +6177,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,وب سایت ایجاد نشد
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,جزئیات UOM تبدیل
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,مقدار ضمانت موجود ایجاد شده یا مقدار نمونه ارائه نشده است
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,مقدار ضمانت موجود ایجاد شده یا مقدار نمونه ارائه نشده است
 DocType: Program,Program Abbreviation,مخفف برنامه
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,سفارش تولید می تواند در برابر یک الگو مورد نمی توان مطرح
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,اتهامات در رسید خرید بر علیه هر یک از آیتم به روز شده
 DocType: Warranty Claim,Resolved By,حل
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,تخلیه برنامه
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,چک و واریز وجه به اشتباه پاک
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,حساب {0}: شما نمی توانید خود را به عنوان پدر و مادر اختصاص حساب
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,حساب {0}: شما نمی توانید خود را به عنوان پدر و مادر اختصاص حساب
 DocType: Purchase Invoice Item,Price List Rate,لیست قیمت نرخ
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,درست به نقل از مشتری
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,تاریخ توقف سرویس نمی تواند پس از پایان تاریخ سرویس باشد
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,تاریخ توقف سرویس نمی تواند پس از پایان تاریخ سرویس باشد
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",نمایش &quot;در انبار&quot; و یا &quot;نه در بورس&quot; بر اساس سهام موجود در این انبار.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),صورت مواد (BOM)
 DocType: Item,Average time taken by the supplier to deliver,میانگین زمان گرفته شده توسط منبع برای ارائه
@@ -6130,11 +6199,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ساعت
 DocType: Project,Expected Start Date,انتظار می رود تاریخ شروع
 DocType: Purchase Invoice,04-Correction in Invoice,04 اصلاح در صورتحساب
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,سفارش کار برای همه موارد با BOM ایجاد شده است
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,سفارش کار برای همه موارد با BOM ایجاد شده است
 DocType: Payment Request,Party Details,جزئیات حزب
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,گزارش جزئیات متغیر
 DocType: Setup Progress Action,Setup Progress Action,راه اندازی پیشرفت اقدام
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,لیست قیمت خرید
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,لیست قیمت خرید
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,حذف آیتم اگر از اتهامات عنوان شده و قابل انطباق با آن قلم نمی
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,لغو عضویت
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,لطفا وضعیت تعمیر و نگهداری را به عنوان تکمیل کنید یا تاریخ تکمیل را حذف کنید
@@ -6152,7 +6221,7 @@
 DocType: Asset,Disposal Date,تاریخ دفع
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ایمیل خواهد شد به تمام کارمندان فعال این شرکت در ساعت داده ارسال می شود، اگر آنها تعطیلات ندارد. خلاصه ای از پاسخ های خواهد شد در نیمه شب فرستاده شده است.
 DocType: Employee Leave Approver,Employee Leave Approver,کارمند مرخصی تصویب
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},ردیف {0}: ورود ترتیب مجدد در حال حاضر برای این انبار وجود دارد {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},ردیف {0}: ورود ترتیب مجدد در حال حاضر برای این انبار وجود دارد {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",نمی تواند به عنوان از دست رفته اعلام، به دلیل عبارت ساخته شده است.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,حساب CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,آموزش فیدبک
@@ -6164,7 +6233,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تا به امروز نمی تواند قبل از از تاریخ
 DocType: Supplier Quotation Item,Prevdoc DocType,DOCTYPE Prevdoc
 DocType: Cash Flow Mapper,Section Footer,پاورقی بخش
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,افزودن / ویرایش قیمت ها
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,افزودن / ویرایش قیمت ها
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,ارتقاء کارکنان نمی تواند قبل از تاریخ ارتقاء ارائه شود
 DocType: Batch,Parent Batch,دسته ای پدر و مادر
 DocType: Cheque Print Template,Cheque Print Template,چک الگو چاپ
@@ -6174,6 +6243,7 @@
 DocType: Clinical Procedure Template,Sample Collection,مجموعه نمونه
 ,Requested Items To Be Ordered,آیتم ها درخواست می شود با شماره
 DocType: Price List,Price List Name,لیست قیمت نام
+DocType: Delivery Stop,Dispatch Information,اطلاعات ارسالی
 DocType: Blanket Order,Manufacturing,ساخت
 ,Ordered Items To Be Delivered,آیتم ها دستور داد تا تحویل
 DocType: Account,Income,درامد
@@ -6192,17 +6262,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} واحد از {1} مورد نیاز در {2} در {3} {4} {5} برای برای تکمیل این معامله.
 DocType: Fee Schedule,Student Category,دانشجو رده
 DocType: Announcement,Student,دانشجو
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,مقدار سهام برای شروع روش در انبار در دسترس نیست. میخواهید یک انتقال سهام ثبت کنید
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,مقدار سهام برای شروع روش در انبار در دسترس نیست. میخواهید یک انتقال سهام ثبت کنید
 DocType: Shipping Rule,Shipping Rule Type,نوع خط حمل و نقل
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,به اتاق ها بروید
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory",شرکت، حساب پرداخت، از تاریخ و تاریخ اجباری است
 DocType: Company,Budget Detail,جزئیات بودجه
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,لطفا قبل از ارسال پیام را وارد کنید
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,تکراری برای کننده
-DocType: Email Digest,Pending Quotations,در انتظار نقل قول
-DocType: Delivery Note,Distance (KM),فاصله (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,تامین کننده&gt; گروه تامین کننده
 DocType: Asset,Custodian,نگهبان
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,نقطه از فروش مشخصات
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,نقطه از فروش مشخصات
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} باید یک مقدار بین 0 تا 100 باشد
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},پرداخت {0} از {1} تا {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,نا امن وام
@@ -6234,10 +6303,10 @@
 DocType: Lead,Converted,مبدل
 DocType: Item,Has Serial No,دارای سریال بدون
 DocType: Employee,Date of Issue,تاریخ صدور
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",همانطور که در تنظیمات از خرید اگر خرید Reciept مورد نیاز == &quot;YES&quot;، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد رسید خرید برای اولین بار در مورد {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",همانطور که در تنظیمات از خرید اگر خرید Reciept مورد نیاز == &quot;YES&quot;، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد رسید خرید برای اولین بار در مورد {0}
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},ردیف # {0}: تنظیم کننده برای آیتم {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,ردیف {0}: ارزش ساعت باید بزرگتر از صفر باشد.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,وب سایت تصویر {0} متصل به مورد {1} را نمی توان یافت
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,وب سایت تصویر {0} متصل به مورد {1} را نمی توان یافت
 DocType: Issue,Content Type,نوع محتوا
 DocType: Asset,Assets,دارایی های
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,کامپیوتر
@@ -6248,7 +6317,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} وجود ندارد
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,لطفا گزینه ارز چند اجازه می دهد تا حساب با ارز دیگر را بررسی کنید
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,مورد: {0} در سیستم وجود ندارد
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,شما مجاز به تنظیم مقدار ثابت شده نیستید
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,شما مجاز به تنظیم مقدار ثابت شده نیستید
 DocType: Payment Reconciliation,Get Unreconciled Entries,دریافت Unreconciled مطالب
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},کارمند {0} در حال ترک در {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,هیچ مجوزی برای ورود مجله انتخاب نشده است
@@ -6266,13 +6335,14 @@
 ,Average Commission Rate,اوسط نرخ کمیشن
 DocType: Share Balance,No of Shares,بدون سهام
 DocType: Taxable Salary Slab,To Amount,به مقدار
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""دارای شماره سریال""  برای موارد غیر انباری نمی تواند ""بله"" باشد"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""دارای شماره سریال""  برای موارد غیر انباری نمی تواند ""بله"" باشد"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,وضعیت را انتخاب کنید
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,حضور و غیاب می تواند برای تاریخ های آینده باشد مشخص شده
 DocType: Support Search Source,Post Description Key,توضیحات کلیدی
 DocType: Pricing Rule,Pricing Rule Help,قانون قیمت گذاری راهنما
 DocType: School House,House Name,نام خانه
 DocType: Fee Schedule,Total Amount per Student,مجموع مبلغ در هر دانش آموز
+DocType: Opportunity,Sales Stage,مرحله فروش
 DocType: Purchase Taxes and Charges,Account Head,سر حساب
 DocType: Company,HRA Component,کامپوننت HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,برق
@@ -6280,15 +6350,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),تفاوت ارزش ها (خارج - در)
 DocType: Grant Application,Requested Amount,مقدار درخواست شده
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,ردیف {0}: نرخ ارز الزامی است
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID کاربر برای کارمند تنظیم نشده {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID کاربر برای کارمند تنظیم نشده {0}
 DocType: Vehicle,Vehicle Value,ارزش خودرو
 DocType: Crop Cycle,Detected Diseases,بیماری های شناسایی شده
 DocType: Stock Entry,Default Source Warehouse,به طور پیش فرض منبع انبار
 DocType: Item,Customer Code,کد مشتری
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},یادآوری تاریخ تولد برای {0}
 DocType: Asset Maintenance Task,Last Completion Date,آخرین تاریخ تکمیل
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,روز پس از آخرین سفارش
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,بدهکاری به حساب کاربری باید یک حساب ترازنامه شود
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,بدهکاری به حساب کاربری باید یک حساب ترازنامه شود
 DocType: Asset,Naming Series,نامگذاری سری
 DocType: Vital Signs,Coated,پوشش داده شده
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ردیف {0}: ارزش انتظاری پس از زندگی مفید باید کمتر از مقدار خرید ناخالص باشد
@@ -6306,15 +6375,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,تحویل توجه داشته باشید {0} باید ارائه شود
 DocType: Notification Control,Sales Invoice Message,فاکتور فروش پیام
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,با بستن حساب {0} باید از نوع مسئولیت / حقوق صاحبان سهام می باشد
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای ورق زمان ایجاد {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای ورق زمان ایجاد {1}
 DocType: Vehicle Log,Odometer,کیلومتر شمار
 DocType: Production Plan Item,Ordered Qty,دستور داد تعداد
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,مورد {0} غیر فعال است
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,مورد {0} غیر فعال است
 DocType: Stock Settings,Stock Frozen Upto,سهام منجمد تا حد
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM هیچ گونه سهام مورد را نمی
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM هیچ گونه سهام مورد را نمی
 DocType: Chapter,Chapter Head,فصل سر
 DocType: Payment Term,Month(s) after the end of the invoice month,ماه (ها) بعد از پایان ماه فاکتور
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ساختار حقوق و دستمزد باید اجزای مزایای قابل انعطاف را در اختیار داشته باشد تا مبلغ سود مورد استفاده قرار گیرد
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ساختار حقوق و دستمزد باید اجزای مزایای قابل انعطاف را در اختیار داشته باشد تا مبلغ سود مورد استفاده قرار گیرد
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,فعالیت پروژه / وظیفه.
 DocType: Vital Signs,Very Coated,بسیار پوشیده شده است
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),فقط تأثیر مالیاتی (نمیتوان ادعا کرد که بخشی از درآمد مشمول مالیات است)
@@ -6332,7 +6401,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,ساعت صدور صورت حساب
 DocType: Project,Total Sales Amount (via Sales Order),کل مبلغ فروش (از طریق سفارش خرید)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM به طور پیش فرض برای {0} یافت نشد
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,ردیف # {0}: لطفا مقدار سفارش مجدد مجموعه
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,ردیف # {0}: لطفا مقدار سفارش مجدد مجموعه
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ضربه بزنید اقلام به آنها اضافه کردن اینجا
 DocType: Fees,Program Enrollment,برنامه ثبت نام
 DocType: Share Transfer,To Folio No,به برگه شماره
@@ -6372,9 +6441,9 @@
 DocType: SG Creation Tool Course,Max Strength,حداکثر قدرت
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,نصب ایستگاه از پیش تنظیم
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH- .YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},هیچ ضمانت تحویل برای مشتری {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},هیچ ضمانت تحویل برای مشتری {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,کارمند {0} مقدار حداکثر سود ندارد
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,اقلام را براساس تاریخ تحویل انتخاب کنید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,اقلام را براساس تاریخ تحویل انتخاب کنید
 DocType: Grant Application,Has any past Grant Record,هر رکورد قبلی Grant داشته است
 ,Sales Analytics,تجزیه و تحلیل ترافیک فروش
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},در دسترس {0}
@@ -6382,12 +6451,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,تنظیمات ساخت
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,راه اندازی ایمیل
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 موبایل بدون
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,لطفا ارز به طور پیش فرض در شرکت استاد وارد
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,لطفا ارز به طور پیش فرض در شرکت استاد وارد
 DocType: Stock Entry Detail,Stock Entry Detail,جزئیات سهام ورود
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,یادآوری روزانه
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,یادآوری روزانه
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,تمام بلیط های باز را ببینید
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,بخش مراقبت های بهداشتی
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,تولید - محصول
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,تولید - محصول
 DocType: Products Settings,Home Page is Products,صفحه اصلی وب سایت است محصولات
 ,Asset Depreciation Ledger,دارایی لجر استهلاک
 DocType: Salary Structure,Leave Encashment Amount Per Day,مبلغ مبلغ در روز را ترک کنید
@@ -6397,8 +6466,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,هزینه مواد اولیه عرضه شده
 DocType: Selling Settings,Settings for Selling Module,تنظیمات برای فروش ماژول
 DocType: Hotel Room Reservation,Hotel Room Reservation,اتاق رزرو هتل
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,خدمات مشتریان
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,خدمات مشتریان
 DocType: BOM,Thumbnail,بند انگشتی
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,هیچ ارتباطی با شناسه های ایمیل یافت نشد
 DocType: Item Customer Detail,Item Customer Detail,مورد جزئیات و ضوابط
 DocType: Notification Control,Prompt for Email on Submission of,اعلان برای ایمیل در ارسال مقاله از
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},حداکثر مبلغ مزیت کارمند {0} بیش از {1}
@@ -6408,13 +6478,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,مورد {0} باید مورد سهام است
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,پیش فرض کار در انبار پیشرفت
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",آیا برنامه هایی برای {0} همپوشانی را دنبال می کنید، پس از لغو شکاف های پوشیدنی، می خواهید؟
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,تنظیمات پیش فرض برای انجام معاملات حسابداری.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,تنظیمات پیش فرض برای انجام معاملات حسابداری.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,گرانت برگ
 DocType: Restaurant,Default Tax Template,قالب پیش فرض مالیات
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} دانش آموزان ثبت نام کرده اند
 DocType: Fees,Student Details,جزئیات دانشجو
 DocType: Purchase Invoice Item,Stock Qty,موجودی تعداد
 DocType: Contract,Requires Fulfilment,نیاز به انجام است
+DocType: QuickBooks Migrator,Default Shipping Account,حساب حمل و نقل پیش فرض
 DocType: Loan,Repayment Period in Months,دوره بازپرداخت در ماه
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,خطا: نه یک شناسه معتبر است؟
 DocType: Naming Series,Update Series Number,به روز رسانی سری شماره
@@ -6428,11 +6499,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,حداکثر مقدار
 DocType: Journal Entry,Total Amount Currency,مبلغ کل ارز
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,مجامع جستجو فرعی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},کد مورد نیاز در ردیف بدون {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},کد مورد نیاز در ردیف بدون {0}
 DocType: GST Account,SGST Account,حساب SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,برو به موارد
 DocType: Sales Partner,Partner Type,نوع شریک
-DocType: Purchase Taxes and Charges,Actual,واقعی
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,واقعی
 DocType: Restaurant Menu,Restaurant Manager,مدیر رستوران
 DocType: Authorization Rule,Customerwise Discount,Customerwise تخفیف
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,برنامه زمانی برای انجام وظایف.
@@ -6453,7 +6524,7 @@
 DocType: Employee,Cheque,چک
 DocType: Training Event,Employee Emails,ایمیل کارمند
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,سری به روز رسانی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,نوع گزارش الزامی است
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,نوع گزارش الزامی است
 DocType: Item,Serial Number Series,شماره سریال سری
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},انبار سهام مورد {0} در ردیف الزامی است {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,خرده فروشی و عمده فروشی
@@ -6483,7 +6554,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,مقدار تخفیف در سفارش فروش را به روز کنید
 DocType: BOM,Materials,مصالح
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",اگر بررسی نیست، لیست خواهد باید به هر بخش که در آن به کار گرفته شوند اضافه شده است.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,تاریخ ارسال و زمان ارسال الزامی است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,تاریخ ارسال و زمان ارسال الزامی است
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,قالب های مالیاتی برای خرید معاملات.
 ,Item Prices,قیمت مورد
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,به عبارت قابل مشاهده خواهد بود هنگامی که شما سفارش خرید را نجات دهد.
@@ -6499,12 +6570,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),سریال برای ورودی های ارزشمندی دارایی (ورودی مجله)
 DocType: Membership,Member Since,عضو از
 DocType: Purchase Invoice,Advance Payments,پیش پرداخت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,لطفا خدمات بهداشتی را انتخاب کنید
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,لطفا خدمات بهداشتی را انتخاب کنید
 DocType: Purchase Taxes and Charges,On Net Total,در مجموع خالص
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ارزش صفت {0} باید در طیف وسیعی از {1} به {2} در بازه {3} برای مورد {4}
 DocType: Restaurant Reservation,Waitlisted,منتظر
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,رده انحصاری
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,نرخ ارز می تواند پس از ساخت ورودی با استفاده از یک ارز دیگر، نمی توان تغییر داد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,نرخ ارز می تواند پس از ساخت ورودی با استفاده از یک ارز دیگر، نمی توان تغییر داد
 DocType: Shipping Rule,Fixed,درست شد
 DocType: Vehicle Service,Clutch Plate,صفحه کلاچ
 DocType: Company,Round Off Account,دور کردن حساب
@@ -6513,7 +6584,7 @@
 DocType: Subscription Plan,Based on price list,بر اساس لیست قیمت
 DocType: Customer Group,Parent Customer Group,مشتریان پدر و مادر گروه
 DocType: Vehicle Service,Change,تغییر
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,اشتراک
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,اشتراک
 DocType: Purchase Invoice,Contact Email,تماس با ایمیل
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ایجاد هزینه در انتظار است
 DocType: Appraisal Goal,Score Earned,امتیاز کسب
@@ -6540,23 +6611,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,حساب دریافتنی / پرداختنی
 DocType: Delivery Note Item,Against Sales Order Item,علیه سفارش فروش مورد
 DocType: Company,Company Logo,آرم شرکت
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},لطفا موجودیت مقدار برای صفت مشخص {0}
-DocType: Item Default,Default Warehouse,به طور پیش فرض انبار
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},لطفا موجودیت مقدار برای صفت مشخص {0}
+DocType: QuickBooks Migrator,Default Warehouse,به طور پیش فرض انبار
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},بودجه می تواند در برابر حساب گروه اختصاص {0}
 DocType: Shopping Cart Settings,Show Price,نمایش قیمت
 DocType: Healthcare Settings,Patient Registration,ثبت نام بیمار
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,لطفا پدر و مادر مرکز هزینه وارد
 DocType: Delivery Note,Print Without Amount,چاپ بدون مقدار
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,تاریخ استهلاک
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,تاریخ استهلاک
 ,Work Orders in Progress,دستور کار در حال پیشرفت است
 DocType: Issue,Support Team,تیم پشتیبانی
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),انقضاء (روز)
 DocType: Appraisal,Total Score (Out of 5),نمره کل (از 5)
 DocType: Student Attendance Tool,Batch,دسته
 DocType: Support Search Source,Query Route String,رشته مسیر درخواستی
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,نرخ به روز رسانی به عنوان آخرین خرید
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,نرخ به روز رسانی به عنوان آخرین خرید
 DocType: Donor,Donor Type,نوع دونر
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,تکرار خودکار سند به روز شد
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,تکرار خودکار سند به روز شد
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,تراز
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,لطفا شرکت را انتخاب کنید
 DocType: Job Card,Job Card,کارت کار
@@ -6570,7 +6641,7 @@
 DocType: Assessment Result,Total Score,نمره کل
 DocType: Crop Cycle,ISO 8601 standard,استاندارد ISO 8601
 DocType: Journal Entry,Debit Note,بدهی توجه داشته باشید
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,شما فقط می توانید حداکثر {0} امتیاز را در این ترتیب استفاده کنید.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,شما فقط می توانید حداکثر {0} امتیاز را در این ترتیب استفاده کنید.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP- .YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,لطفا API مخفی مشتری را وارد کنید
 DocType: Stock Entry,As per Stock UOM,همانطور که در بورس UOM
@@ -6583,10 +6654,11 @@
 DocType: Journal Entry,Total Debit,دبیت مجموع
 DocType: Travel Request Costing,Sponsored Amount,مقدار حمایت شده
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,به طور پیش فرض به پایان رسید کالا انبار
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,لطفا بیمار را انتخاب کنید
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,لطفا بیمار را انتخاب کنید
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,فروشنده
 DocType: Hotel Room Package,Amenities,امکانات
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,بودجه و هزینه مرکز
+DocType: QuickBooks Migrator,Undeposited Funds Account,حساب صندوق غیرقانونی
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,بودجه و هزینه مرکز
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,حالت پیش پرداخت چندگانه مجاز نیست
 DocType: Sales Invoice,Loyalty Points Redemption,بازده وفاداری
 ,Appointment Analytics,انتصاب انتصاب
@@ -6600,6 +6672,7 @@
 DocType: Batch,Manufacturing Date,تاریخ تولید
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,ایجاد هزینه نتواند
 DocType: Opening Invoice Creation Tool,Create Missing Party,ایجاد حزب گمشده
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,کل بودجه
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,خالی بگذارید اگر شما را به گروه دانش آموز در سال
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",اگر علامت زده شود، هیچ مجموع. از روز کاری شامل تعطیلات، و این خواهد شد که ارزش حقوق پستها در طول روز کاهش
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?",برنامه های کاربردی با استفاده از کلید فعلی قادر به دسترسی نخواهند بود، آیا مطمئن هستید؟
@@ -6615,20 +6688,19 @@
 DocType: Opportunity Item,Basic Rate,نرخ پایه
 DocType: GL Entry,Credit Amount,مقدار وام
 DocType: Cheque Print Template,Signatory Position,مکان امضاء
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,تنظیم به عنوان از دست رفته
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,تنظیم به عنوان از دست رفته
 DocType: Timesheet,Total Billable Hours,مجموع ساعت قابل پرداخت
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,تعداد روزهایی که مشترکین باید فاکتورهای تولید شده توسط این اشتراک را پرداخت کنند
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,جزئیات برنامه کاربرد مزایای کارکنان
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,دریافت پرداخت توجه
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,این است که در معاملات در برابر این مشتری است. مشاهده جدول زمانی زیر برای جزئیات
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ردیف {0}: اختصاص مقدار {1} باید کمتر از باشد یا برابر است با مقدار ورودی پرداخت {2}
 DocType: Program Enrollment Tool,New Academic Term,دوره علمی جدید
 ,Course wise Assessment Report,گزارش ارزیابی عاقلانه
 DocType: Purchase Invoice,Availed ITC State/UT Tax,دولت ITC / UT مالیات
 DocType: Tax Rule,Tax Rule,قانون مالیات
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,حفظ همان نرخ در طول چرخه فروش
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,لطفا به عنوان یکی دیگر از کاربر برای ثبت نام در Marketplace وارد شوید
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,لطفا به عنوان یکی دیگر از کاربر برای ثبت نام در Marketplace وارد شوید
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,برنامه ریزی سیاهههای مربوط به زمان در خارج از ساعات کاری ایستگاه کاری.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,مشتریان در صف
 DocType: Driver,Issuing Date,تاریخ صادر شدن
@@ -6637,11 +6709,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,این کار را برای پردازش بیشتر ارسال کنید.
 ,Items To Be Requested,گزینه هایی که درخواست شده
 DocType: Company,Company Info,اطلاعات شرکت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,انتخاب کنید و یا اضافه کردن مشتری جدید
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,انتخاب کنید و یا اضافه کردن مشتری جدید
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,مرکز هزینه مورد نیاز است به کتاب ادعای هزینه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),استفاده از وجوه (دارایی)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,این است که در حضور این کارمند بر اساس
-DocType: Assessment Result,Summary,خلاصه
 DocType: Payment Request,Payment Request Type,نوع درخواست پرداخت
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,علامتگذاری حضور
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,حساب بانکی
@@ -6649,7 +6720,7 @@
 DocType: Additional Salary,Employee Name,نام کارمند
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,سفارش اقامت در رستوران
 DocType: Purchase Invoice,Rounded Total (Company Currency),گرد مجموع (شرکت ارز)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,نمی توانید به گروه پنهانی به دلیل نوع کاربری انتخاب شده است.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,نمی توانید به گروه پنهانی به دلیل نوع کاربری انتخاب شده است.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} اصلاح شده است. لطفا بازخوانی کنید.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,توقف کاربران از ساخت نرم افزار مرخصی در روز بعد.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",اگر مدت نامحدودی برای امتیازات وفاداری، مدت زمان انقضا خالی باشد یا 0.
@@ -6670,11 +6741,12 @@
 DocType: Asset,Out of Order,خارج از سفارش
 DocType: Purchase Receipt Item,Accepted Quantity,تعداد پذیرفته شده
 DocType: Projects Settings,Ignore Workstation Time Overlap,همپوشانی زمان کار ایستگاه را نادیده بگیر
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},لطفا تنظیم پیش فرض لیست تعطیلات برای کارمند {0} یا شرکت {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},لطفا تنظیم پیش فرض لیست تعطیلات برای کارمند {0} یا شرکت {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} وجود ندارد
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,تعداد دسته را انتخاب کنید
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,به GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,به GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,لوایح مطرح شده به مشتریان.
+DocType: Healthcare Settings,Invoice Appointments Automatically,مصاحبه های صورتحساب به صورت خودکار
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,پروژه کد
 DocType: Salary Component,Variable Based On Taxable Salary,متغیر بر اساس حقوق و دستمزد قابل پرداخت
 DocType: Company,Basic Component,کامپوننت پایه
@@ -6687,10 +6759,10 @@
 DocType: Stock Entry,Source Warehouse Address,آدرس انبار منبع
 DocType: GL Entry,Voucher Type,کوپن نوع
 DocType: Amazon MWS Settings,Max Retry Limit,حداکثر مجازات مجدد
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده
 DocType: Student Applicant,Approved,تایید
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,قیمت
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',کارمند رها در {0} باید تنظیم شود به عنوان چپ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',کارمند رها در {0} باید تنظیم شود به عنوان چپ
 DocType: Marketplace Settings,Last Sync On,آخرین همگام سازی در
 DocType: Guardian,Guardian,نگهبان
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,کلیه ارتباطات از جمله این موارد باید به موضوع جدید منتقل شود
@@ -6713,14 +6785,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,فهرست بیماری های شناسایی شده در زمینه هنگامی که انتخاب می شود، به طور خودکار یک لیست از وظایف برای مقابله با بیماری را اضافه می کند
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,این واحد مراقبت های بهداشتی ریشه است و نمی تواند ویرایش شود.
 DocType: Asset Repair,Repair Status,وضعیت تعمیر
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,اضافه کردن همکاران فروش
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,مطالب مجله حسابداری.
 DocType: Travel Request,Travel Request,درخواست سفر
 DocType: Delivery Note Item,Available Qty at From Warehouse,تعداد موجود در انبار از
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,لطفا ابتدا کارمند ضبط را انتخاب کنید.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,حضور برای {0} ارائه نشده است به عنوان یک تعطیلات.
 DocType: POS Profile,Account for Change Amount,حساب کاربری برای تغییر مقدار
+DocType: QuickBooks Migrator,Connecting to QuickBooks,اتصال به QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,مجموع افزایش / از دست دادن
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,شرکت نامعتبر برای صورتحساب شرکت اینتر
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,شرکت نامعتبر برای صورتحساب شرکت اینتر
 DocType: Purchase Invoice,input service,خدمات ورودی
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ردیف {0}: حزب / حساب با مطابقت ندارد {1} / {2} در {3} {4}
 DocType: Employee Promotion,Employee Promotion,ارتقاء کارکنان
@@ -6729,12 +6803,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,کد درس:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,لطفا هزینه حساب وارد کنید
 DocType: Account,Stock,موجودی
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش خرید، خرید فاکتور و یا ورود به مجله می شود
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش خرید، خرید فاکتور و یا ورود به مجله می شود
 DocType: Employee,Current Address,آدرس فعلی
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",اگر مورد یک نوع از آیتم دیگری پس از آن توضیحات، تصویر، قیمت گذاری، مالیات و غیره را از قالب مجموعه ای است مگر اینکه صریحا مشخص
 DocType: Serial No,Purchase / Manufacture Details,خرید / جزئیات ساخت
 DocType: Assessment Group,Assessment Group,گروه ارزیابی
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,دسته پرسشنامه
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,نام پرونده
 DocType: Employee,Contract End Date,پایان دادن به قرارداد تاریخ
 DocType: Amazon MWS Settings,Seller ID,شناسه فروشنده
@@ -6754,12 +6829,12 @@
 DocType: Company,Date of Incorporation,تاریخ عضویت
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,مالیات ها
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,آخرین قیمت خرید
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,برای کمیت (تعداد تولیدی) الزامی است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,برای کمیت (تعداد تولیدی) الزامی است
 DocType: Stock Entry,Default Target Warehouse,به طور پیش فرض هدف انبار
 DocType: Purchase Invoice,Net Total (Company Currency),مجموع خالص (شرکت ارز)
 DocType: Delivery Note,Air,هوا
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,سال پایان تاریخ را نمی توان قبل از تاریخ سال شروع باشد. لطفا تاریخ های صحیح و دوباره امتحان کنید.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} در فهرست تعطیلات اختیاری نیست
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} در فهرست تعطیلات اختیاری نیست
 DocType: Notification Control,Purchase Receipt Message,خرید دریافت پیام
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,موارد ضایعات
@@ -6781,23 +6856,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,تکمیل
 DocType: Purchase Taxes and Charges,On Previous Row Amount,در قبلی مقدار ردیف
 DocType: Item,Has Expiry Date,تاریخ انقضا دارد
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,دارایی انتقال
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,دارایی انتقال
 DocType: POS Profile,POS Profile,نمایش POS
 DocType: Training Event,Event Name,نام رخداد
 DocType: Healthcare Practitioner,Phone (Office),تلفن (دفتر)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance",نمیتوانید ثبت نام کنید، کارکنان برای اعتراض به حضور حضور داشتند
 DocType: Inpatient Record,Admission,پذیرش
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},پذیرش برای {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",فصلی برای تنظیم بودجه، اهداف و غیره
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",فصلی برای تنظیم بودجه، اهداف و غیره
 DocType: Supplier Scorecard Scoring Variable,Variable Name,نام متغیر
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",مورد {0} یک قالب است، لطفا یکی از انواع آن را انتخاب کنید
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,لطفا سیستم نامگذاری کارمندان را در منابع انسانی تنظیم کنید&gt; تنظیمات HR
+DocType: Purchase Invoice Item,Deferred Expense,هزینه معوق
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},از تاریخ {0} نمیتواند قبل از پیوستن کارمند تاریخ {1}
 DocType: Asset,Asset Category,دارایی رده
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,پرداخت خالص نمی تونه منفی
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,پرداخت خالص نمی تونه منفی
 DocType: Purchase Order,Advance Paid,پیش پرداخت
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,درصد تولید بیش از حد برای سفارش فروش
 DocType: Item,Item Tax,مالیات مورد
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,مواد به کننده
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,مواد به کننده
 DocType: Soil Texture,Loamy Sand,شن و ماسه Loamy
 DocType: Production Plan,Material Request Planning,برنامه ریزی درخواست مواد
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,فاکتور مالیات کالاهای داخلی
@@ -6819,11 +6896,11 @@
 DocType: Scheduling Tool,Scheduling Tool,ابزار برنامه ریزی
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,کارت اعتباری
 DocType: BOM,Item to be manufactured or repacked,آیتم به تولید و یا repacked
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},خطای نحو در شرایط: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},خطای نحو در شرایط: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST- .YYYY.-
 DocType: Employee Education,Major/Optional Subjects,عمده / موضوع اختیاری
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,لطفا تنظیم کننده گروه در تنظیمات خرید.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,لطفا تنظیم کننده گروه در تنظیمات خرید.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",مجموع مقدار انعطاف پذیر مؤثر {0} نباید کمتر از مزایای حداکثر باشد {1}
 DocType: Sales Invoice Item,Drop Ship,قطره کشتی
 DocType: Driver,Suspended,تعطیل
@@ -6843,7 +6920,7 @@
 DocType: Customer,Commission Rate,کمیسیون نرخ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,نوشته های پرداخت موفق ایجاد شده است
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{0} کارت امتیازی برای {1} ایجاد شده بین:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,متغیر را
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,متغیر را
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",نوع پرداخت باید یکی از دریافت شود، پرداخت و انتقال داخلی
 DocType: Travel Itinerary,Preferred Area for Lodging,منطقه مورد نظر برای اسکان
 apps/erpnext/erpnext/config/selling.py +184,Analytics,تجزیه و تحلیل ترافیک
@@ -6854,7 +6931,7 @@
 DocType: Work Order,Actual Operating Cost,هزینه های عملیاتی واقعی
 DocType: Payment Entry,Cheque/Reference No,چک / مرجع
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,ریشه را نمیتوان ویرایش کرد.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,ریشه را نمیتوان ویرایش کرد.
 DocType: Item,Units of Measure,واحدهای اندازه گیری
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,اجاره در Metro City
 DocType: Supplier,Default Tax Withholding Config,پیش فرض تنظیم مالیات برداشت
@@ -6872,21 +6949,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,پس از اتمام پرداخت هدایت کاربر به صفحه انتخاب شده است.
 DocType: Company,Existing Company,موجود شرکت
 DocType: Healthcare Settings,Result Emailed,نتیجه ایمیل
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",مالیات رده به &quot;مجموع&quot; تغییر یافته است چرا که تمام موارد اقلام غیر سهام هستند
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",مالیات رده به &quot;مجموع&quot; تغییر یافته است چرا که تمام موارد اقلام غیر سهام هستند
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,تا تاریخ نمی تواند برابر یا کمتر از تاریخ باشد
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,چیزی برای تغییر ندارد
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,لطفا یک فایل CSV را انتخاب کنید
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,لطفا یک فایل CSV را انتخاب کنید
 DocType: Holiday List,Total Holidays,کل تعطیلات
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,قالب ایمیل برای ارسال وجود ندارد لطفا یکی را در تنظیمات تحویل تنظیم کنید
 DocType: Student Leave Application,Mark as Present,علامت گذاری به عنوان در حال حاضر
 DocType: Supplier Scorecard,Indicator Color,رنگ نشانگر
 DocType: Purchase Order,To Receive and Bill,برای دریافت و بیل
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,ردیف # {0}: Reqd توسط تاریخ نمی تواند قبل از تاریخ تراکنش باشد
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,ردیف # {0}: Reqd توسط تاریخ نمی تواند قبل از تاریخ تراکنش باشد
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,محصولات ویژه
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,شماره سریال را انتخاب کنید
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,شماره سریال را انتخاب کنید
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,طراح
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,شرایط و ضوابط الگو
 DocType: Serial No,Delivery Details,جزئیات تحویل
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},مرکز هزینه در ردیف مورد نیاز است {0} در مالیات جدول برای نوع {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},مرکز هزینه در ردیف مورد نیاز است {0} در مالیات جدول برای نوع {1}
 DocType: Program,Program Code,کد برنامه
 DocType: Terms and Conditions,Terms and Conditions Help,شرایط و ضوابط راهنما
 ,Item-wise Purchase Register,مورد عاقلانه ثبت نام خرید
@@ -6899,15 +6977,16 @@
 DocType: Contract,Contract Terms,شرایط قرارداد
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,را نشان نمی مانند هر نماد $ و غیره در کنار ارزهای.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},مقدار حداکثر مزایای کامپوننت {0} بیش از {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(نیم روز)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(نیم روز)
 DocType: Payment Term,Credit Days,روز اعتباری
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,لطفا بیمار را برای آزمایش آزمایشات انتخاب کنید
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,را دسته ای دانشجویی
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,اجازه انتقال برای ساخت
 DocType: Leave Type,Is Carry Forward,آیا حمل به جلو
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,گرفتن اقلام از BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,گرفتن اقلام از BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,سرب زمان روز
 DocType: Cash Flow Mapping,Is Income Tax Expense,آیا هزینه مالیات بر درآمد است؟
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,سفارش شما برای تحویل دادن است!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ردیف # {0}: ارسال تاریخ باید همان تاریخ خرید می باشد {1} دارایی {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,این بررسی در صورتی که دانشجو است ساکن در خوابگاه مؤسسه است.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,لطفا سفارشات فروش در جدول فوق را وارد کنید
@@ -6915,10 +6994,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,انتقال یک دارایی از یک انبار به دیگری
 DocType: Vehicle,Petrol,بنزین
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),مزایای باقی مانده (سالانه)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,بیل از مواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,بیل از مواد
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ردیف {0}: حزب نوع و حزب دریافتنی / حساب پرداختنی مورد نیاز است {1}
 DocType: Employee,Leave Policy,ترک سیاست
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,به روز رسانی موارد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,به روز رسانی موارد
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,کد عکس تاریخ
 DocType: Employee,Reason for Leaving,دلیلی برای ترک
 DocType: BOM Operation,Operating Cost(Company Currency),هزینه های عملیاتی (شرکت ارز)
@@ -6929,7 +7008,7 @@
 DocType: Department,Expense Approvers,تأیید کننده هزینه
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},ردیف {0}: بدهی ورود می تواند با پیوند داده نمی شود {1}
 DocType: Journal Entry,Subscription Section,بخش اشتراک
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,حساب {0} وجود ندارد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,حساب {0} وجود ندارد
 DocType: Training Event,Training Program,برنامه آموزشی
 DocType: Account,Cash,نقد
 DocType: Employee,Short biography for website and other publications.,بیوگرافی کوتاه برای وب سایت ها و نشریات دیگر.
diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv
index b1afe01..bdc70b7 100644
--- a/erpnext/translations/fi.csv
+++ b/erpnext/translations/fi.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Asiakkaan nimikkeet
 DocType: Project,Costing and Billing,Kustannuslaskenta ja laskutus
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Ennakkomaksun valuutan on oltava sama kuin yrityksen valuutta {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,tili {0}: emotili {1} ei voi tilikirja
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,tili {0}: emotili {1} ei voi tilikirja
 DocType: Item,Publish Item to hub.erpnext.com,Julkaise Tuote on hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Ei ole aktiivista lomaaikaa
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Ei ole aktiivista lomaaikaa
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,arviointi
 DocType: Item,Default Unit of Measure,Oletusyksikkö
 DocType: SMS Center,All Sales Partner Contact,kaikki myyntikumppanin yhteystiedot
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Napsauta Enter to Add (Lisää)
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Salasanan, API-avaimen tai Shopify-URL-osoitteen puuttuva arvo"
 DocType: Employee,Rented,Vuokrattu
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Kaikki tilit
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Kaikki tilit
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Työntekijää ei voi siirtää vasemmalle
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Pysäytetty Tuotantotilaus ei voi peruuttaa, Unstop se ensin peruuttaa"
 DocType: Vehicle Service,Mileage,mittarilukema
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Haluatko todella romuttaa tämän omaisuuden?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Haluatko todella romuttaa tämän omaisuuden?
 DocType: Drug Prescription,Update Schedule,Päivitä aikataulu
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Valitse Oletus toimittaja
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Näytä työntekijä
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Uusi kurssi
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},valuuttahinnasto vaaditaan {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},valuuttahinnasto vaaditaan {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* lasketaan tapahtumassa
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Asiakaspalvelu Yhteystiedot
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Toimittajaan liittyvät tapahtumat.
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Ylituotanto prosentteina työjärjestykselle
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Oikeudellinen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Oikeudellinen
+DocType: Delivery Note,Transport Receipt Date,Lähetyksen vastaanottopäivä
 DocType: Shopify Settings,Sales Order Series,Myynnin tilaussarjat
 DocType: Vital Signs,Tongue,kieli
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA-vapautus
 DocType: Sales Invoice,Customer Name,Asiakkaan nimi
 DocType: Vehicle,Natural Gas,Maakaasu
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Pankkitilin ei voida nimetty {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Pankkitilin ei voida nimetty {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA palkkayrityksen mukaan
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Pään, (tai ryhmän), kohdistetut kirjanpidon kirjaukset tehdään ja tase säilytetään"
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),odottavat {0} ei voi olla alle nolla ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Palvelun pysäytyspäivä ei voi olla ennen Palvelun alkamispäivää
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Palvelun pysäytyspäivä ei voi olla ennen Palvelun alkamispäivää
 DocType: Manufacturing Settings,Default 10 mins,oletus 10 min
 DocType: Leave Type,Leave Type Name,Vapaatyypin nimi
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Näytä auki
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Näytä auki
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Sarja päivitetty onnistuneesti
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Tarkista
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} rivillä {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} rivillä {1}
 DocType: Asset Finance Book,Depreciation Start Date,Poistojen aloituspäivä
 DocType: Pricing Rule,Apply On,käytä
 DocType: Item Price,Multiple Item prices.,Useiden Item hinnat.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Tukiasetukset
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,odotettu päättymispäivä ei voi olla pienempi kuin odotettu aloituspäivä
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS -asetukset
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,rivi # {0}: taso tulee olla sama kuin {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,rivi # {0}: taso tulee olla sama kuin {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Erä Item Käyt tila
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,pankki sekki
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Ensisijaiset yhteystiedot
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Avoimet kysymykset
 DocType: Production Plan Item,Production Plan Item,Tuotanto Plan Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Käyttäjä {0} on jo asetettu työsuhteeseen organisaatiossa {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Käyttäjä {0} on jo asetettu työsuhteeseen organisaatiossa {1}
 DocType: Lab Test Groups,Add new line,Lisää uusi rivi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,terveydenhuolto
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Viivästyminen (päivää)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Viivepäivät
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,palvelu Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Sarjanumero: {0} on jo viitattu myyntilasku: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Sarjanumero: {0} on jo viitattu myyntilasku: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,lasku
 DocType: Purchase Invoice Item,Item Weight Details,Kohde Painon tiedot
 DocType: Asset Maintenance Log,Periodicity,Jaksotus
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Verovuoden {0} vaaditaan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Toimittaja&gt; Toimittaja Ryhmä
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimaalinen etäisyys kasvien riveistä optimaaliseen kasvuun
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,puolustus
 DocType: Salary Component,Abbr,lyhenteet
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,lomaluettelo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Kirjanpitäjä
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Myynnin hinnasto
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Myynnin hinnasto
 DocType: Patient,Tobacco Current Use,Tupakan nykyinen käyttö
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Myynnin määrä
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Myynnin määrä
 DocType: Cost Center,Stock User,Varaston peruskäyttäjä
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Yhteystiedot
 DocType: Company,Phone No,Puhelinnumero
 DocType: Delivery Trip,Initial Email Notification Sent,Ensimmäinen sähköpostiviesti lähetetty
 DocType: Bank Statement Settings,Statement Header Mapping,Ilmoitus otsikon kartoituksesta
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Tilauksen alkamispäivä
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Vakuutusmaksutilejä käytetään, jos niitä ei ole asetettu Potilashuoneeseen Nimitysmaksujen varaamiseksi."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Liitä .csv-tiedosto, jossa on vain kaksi saraketta: vanha ja uusi nimi"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Osoiteristä 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Item Code&gt; Item Group&gt; Tuotemerkki
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Osoiteristä 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ei missään aktiivista verovuonna.
 DocType: Packed Item,Parent Detail docname,Pääselostuksen docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Viite: {0}, kohta Koodi: {1} ja Asiakas: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} ei ole emoyhtiössä
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} ei ole emoyhtiössä
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Koeajan päättymispäivä Ei voi olla ennen koeajan alkamispäivää
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Veronpidätysluokka
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,mainonta
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Sama yhtiö on merkitty enemmän kuin kerran
 DocType: Patient,Married,Naimisissa
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ei saa {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ei saa {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Hae nimikkeet
 DocType: Price List,Price Not UOM Dependant,Hinta ei ole UOM riippuvainen
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Käytä verovähennysmäärää
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},varastoa ei voi päivittää lähetettä vastaan {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Laskettu kokonaismäärä
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},varastoa ei voi päivittää lähetettä vastaan {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Laskettu kokonaismäärä
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Tuotteen {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Ei luetellut
 DocType: Asset Repair,Error Description,Virhe Kuvaus
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Käytä Custom Cash Flow -muotoa
 DocType: SMS Center,All Sales Person,kaikki myyjät
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Kuukausijako ** auttaa kausiluonteisen liiketoiminnan budjetoinnissa ja tavoiteasetannassa.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ei kohdetta löydetty
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Palkka rakenne Puuttuvat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ei kohdetta löydetty
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Palkka rakenne Puuttuvat
 DocType: Lead,Person Name,Henkilö
 DocType: Sales Invoice Item,Sales Invoice Item,"Myyntilasku, tuote"
 DocType: Account,Credit,kredit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Perusraportit
 DocType: Warehouse,Warehouse Detail,Varaston lisätiedot
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Term Päättymispäivä ei voi olla myöhemmin kuin vuosi Päättymispäivä Lukuvuoden johon termiä liittyy (Lukuvuosi {}). Korjaa päivämäärät ja yritä uudelleen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Is Fixed Asset&quot; ei voi olla valitsematta, koska Asset kirjaa olemassa vasten kohde"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Is Fixed Asset&quot; ei voi olla valitsematta, koska Asset kirjaa olemassa vasten kohde"
 DocType: Delivery Trip,Departure Time,Lähtöaika
 DocType: Vehicle Service,Brake Oil,Brake Oil
 DocType: Tax Rule,Tax Type,Verotyyppi
 ,Completed Work Orders,Valmistuneet työmääräykset
 DocType: Support Settings,Forum Posts,Foorumin viestit
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,veron perusteena
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,veron perusteena
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},sinulla ei ole lupaa lisätä tai päivittää kirjauksia ennen {0}
 DocType: Leave Policy,Leave Policy Details,Jätä politiikkatiedot
 DocType: BOM,Item Image (if not slideshow),tuotekuva (jos diaesitys ei käytössä)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tuntihinta / 60) * todellinen käytetty aika
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rivi # {0}: Viiteasiakirjatyypin on oltava yksi kulukorvauksesta tai päiväkirjakirjauksesta
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Valitse BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rivi # {0}: Viiteasiakirjatyypin on oltava yksi kulukorvauksesta tai päiväkirjakirjauksesta
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Valitse BOM
 DocType: SMS Log,SMS Log,Tekstiviesti loki
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,toimitettujen tuotteiden kustannukset
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Loma {0} ei ajoitu aloitus- ja lopetuspäivän välille
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Toimittajien sijoitusten mallit.
 DocType: Lead,Interested,kiinnostunut
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Aukko
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},{0} -&gt; {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},{0} -&gt; {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Ohjelmoida:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Verojen asettaminen epäonnistui
 DocType: Item,Copy From Item Group,kopioi tuoteryhmästä
-DocType: Delivery Trip,Delivery Notification,Toimitusilmoitus
 DocType: Journal Entry,Opening Entry,Avauskirjaus
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Tilin Pay Only
 DocType: Loan,Repay Over Number of Periods,Repay Yli Kausien määrä
 DocType: Stock Entry,Additional Costs,Lisäkustannukset
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,tilin tapahtumaa ei voi muuntaa ryhmäksi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,tilin tapahtumaa ei voi muuntaa ryhmäksi
 DocType: Lead,Product Enquiry,Tavara kysely
 DocType: Education Settings,Validate Batch for Students in Student Group,Vahvista Erä opiskelijoille Student Group
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Ei jätä kirjaa löytynyt työntekijä {0} ja {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Anna yritys ensin
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Ole hyvä ja valitse Company ensin
 DocType: Employee Education,Under Graduate,Ylioppilas
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Aseta oletusmalli Leave Status Notification -asetukseksi HR-asetuksissa.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Aseta oletusmalli Leave Status Notification -asetukseksi HR-asetuksissa.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Tavoitteeseen
 DocType: BOM,Total Cost,Kokonaiskustannukset
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,tiliote
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Lääketeollisuuden tuotteet
 DocType: Purchase Invoice Item,Is Fixed Asset,Onko käyttöomaisuusosakkeet
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Saatavilla Määrä on {0}, sinun {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Saatavilla Määrä on {0}, sinun {1}"
 DocType: Expense Claim Detail,Claim Amount,Korvauksen määrä
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Työjärjestys on {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Laaduntarkastusmalli
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Haluatko päivittää läsnäolo? <br> Present: {0} \ <br> Ei lainkaan: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},hyväksyttyjen + hylättyjen yksikkömäärä on sama kuin tuotteiden vastaanotettu määrä {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},hyväksyttyjen + hylättyjen yksikkömäärä on sama kuin tuotteiden vastaanotettu määrä {0}
 DocType: Item,Supply Raw Materials for Purchase,toimita raaka-aineita ostoon
 DocType: Agriculture Analysis Criteria,Fertilizer,Lannoite
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Varmista, ettei toimitusta sarjanumerolla ole \ Item {0} lisätään ilman tai ilman varmennusta toimitusta varten \ Sarjanumero"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Ainakin yksi maksutavan vaaditaan POS laskun.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Ainakin yksi maksutavan vaaditaan POS laskun.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Pankkitili-tapahtuman laskuerä
 DocType: Products Settings,Show Products as a List,Näytä tuotteet listana
 DocType: Salary Detail,Tax on flexible benefit,Vero joustavaan hyötyyn
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Materiaalipyynnön yksityiskohdat
 DocType: Selling Settings,Default Quotation Validity Days,Oletushakemusten voimassaoloajat
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Sisällytä verorivi {0} tuotteen tasoon, verot riveillä {1} tulee myös sisällyttää"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Sisällytä verorivi {0} tuotteen tasoon, verot riveillä {1} tulee myös sisällyttää"
 DocType: SMS Center,SMS Center,Tekstiviesti keskus
 DocType: Payroll Entry,Validate Attendance,Vahvista osallistuminen
 DocType: Sales Invoice,Change Amount,muutos Määrä
 DocType: Party Tax Withholding Config,Certificate Received,Vastaanotettu sertifikaatti
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Aseta laskuarvo B2C: lle. B2CL ja B2CS lasketaan tämän laskuarvon perusteella.
 DocType: BOM Update Tool,New BOM,Uusi osaluettelo
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Esitetyt menettelyt
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Esitetyt menettelyt
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Näytä vain POS
 DocType: Supplier Group,Supplier Group Name,Toimittajan ryhmän nimi
 DocType: Driver,Driving License Categories,Ajokorttikategoriat
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Palkkausjaksot
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Tee työntekijä
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,julkaisu
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS (online / offline) asetustila
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS (online / offline) asetustila
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Poistaa aikaleikkeiden luomisen työjärjestysluetteloon. Toimintoja ei saa seurata työjärjestystä vastaan
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,suoritus
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,toteutetuneiden toimien lisätiedot
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),hinnaston alennus taso (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Item Template
 DocType: Job Offer,Select Terms and Conditions,Valitse ehdot ja säännöt
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,out Arvo
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,out Arvo
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Pankkitilin asetukset -osiossa
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-asetukset
 DocType: Production Plan,Sales Orders,Myyntitilaukset
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Tarjouspyyntöön pääsee klikkaamalla seuraavaa linkkiä
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Maksun kuvaus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,riittämätön Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,riittämätön Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,poista kapasiteettisuunnittelu ja aikaseuranta käytöstä
 DocType: Email Digest,New Sales Orders,uusi myyntitilaus
 DocType: Bank Account,Bank Account,Pankkitili
 DocType: Travel Itinerary,Check-out Date,Lähtöpäivä
 DocType: Leave Type,Allow Negative Balance,Hyväksy negatiivinen tase
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Et voi poistaa projektityyppiä &quot;Ulkoinen&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Valitse Vaihtoehtoinen kohde
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Valitse Vaihtoehtoinen kohde
 DocType: Employee,Create User,Luo käyttäjä
 DocType: Selling Settings,Default Territory,oletus alue
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televisio
 DocType: Work Order Operation,Updated via 'Time Log',Päivitetty 'aikaloki' kautta
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Valitse asiakas tai toimittaja.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Ennakon määrä ei voi olla suurempi kuin {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Ennakon määrä ei voi olla suurempi kuin {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Aikavälejä ohitetaan, aukko {0} - {1} on päällekkäin olemassa olevan aukon {2} kanssa {3}"
 DocType: Naming Series,Series List for this Transaction,Sarjalistaus tähän tapahtumaan
 DocType: Company,Enable Perpetual Inventory,Ota investointikertymämenetelmän
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Myyntilaskun kohdistus / nimike
 DocType: Agriculture Analysis Criteria,Linked Doctype,Linkitetty Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Rahoituksen nettokassavirta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStoragen on täynnä, ei tallentanut"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStoragen on täynnä, ei tallentanut"
 DocType: Lead,Address & Contact,osoitteet ja yhteystiedot
 DocType: Leave Allocation,Add unused leaves from previous allocations,Lisää käyttämättömät lähtee edellisestä määrärahoista
 DocType: Sales Partner,Partner website,Kumppanin verkkosivusto
@@ -446,10 +446,10 @@
 ,Open Work Orders,Avoimet työjärjestykset
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out potilaskonsultointipalkkio
 DocType: Payment Term,Credit Months,Luottoajat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Nettopalkka ei voi olla pienempi kuin 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Nettopalkka ei voi olla pienempi kuin 0
 DocType: Contract,Fulfilled,Fulfilled
 DocType: Inpatient Record,Discharge Scheduled,Putoaminen ajoitettu
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Työsuhteen päättymisäpäivän on oltava aloituspäivän jälkeen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Työsuhteen päättymisäpäivän on oltava aloituspäivän jälkeen
 DocType: POS Closing Voucher,Cashier,kassanhoitaja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Vapaat vuodessa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"rivi {0}: täppää 'ennakko' kohdistettu tilille {1}, mikäli tämä on ennakkokirjaus"
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Aseta opiskelijat opiskelijaryhmissä
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Täydellinen työ
 DocType: Item Website Specification,Item Website Specification,Kohteen verkkosivustoasetukset
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,vapaa kielletty
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Nimikeen {0} elinkaari on päättynyt {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,vapaa kielletty
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Nimikeen {0} elinkaari on päättynyt {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank merkinnät
 DocType: Customer,Is Internal Customer,On sisäinen asiakas
 DocType: Crop,Annual,Vuotuinen
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Jos Auto Opt In on valittuna, asiakkaat liitetään automaattisesti asianomaiseen Loyalty-ohjelmaan (tallennuksen yhteydessä)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Varaston täsmäytys nimike
 DocType: Stock Entry,Sales Invoice No,"Myyntilasku, nro"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Syöttölaji
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Syöttölaji
 DocType: Material Request Item,Min Order Qty,min tilaus yksikkömäärä
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
 DocType: Lead,Do Not Contact,älä ota yhteyttä
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Julkaista Hub
 DocType: Student Admission,Student Admission,Opiskelijavalinta
 ,Terretory,Alue
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Nimike {0} on peruutettu
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Nimike {0} on peruutettu
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Poistot Row {0}: Poistot Aloituspäivämäärä on merkitty aiempaan päivämäärään
 DocType: Contract Template,Fulfilment Terms and Conditions,Täyttämisen ehdot
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Hankintapyyntö
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Hankintapyyntö
 DocType: Bank Reconciliation,Update Clearance Date,Päivitä tilityspäivä
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Oston lisätiedot
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Nimikettä {0} ei löydy ostotilauksen {1} toimitettujen raaka-aineiden taulusta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Nimikettä {0} ei löydy ostotilauksen {1} toimitettujen raaka-aineiden taulusta
 DocType: Salary Slip,Total Principal Amount,Pääoman kokonaismäärä
 DocType: Student Guardian,Relation,Suhde
 DocType: Student Guardian,Mother,Äiti
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Toimitus lääni
 DocType: Currency Exchange,For Selling,Myydään
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Käyttö-opastus
+DocType: Purchase Invoice Item,Enable Deferred Expense,Ota käyttöön laskennallinen kulutus
 DocType: Asset,Next Depreciation Date,Seuraava poistopäivämäärä
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktiviteetti kustannukset työntekijää kohti
 DocType: Accounts Settings,Settings for Accounts,Tilien asetukset
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Toimittaja laskun nro olemassa Ostolasku {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Toimittaja laskun nro olemassa Ostolasku {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,hallitse myyjäpuuta
 DocType: Job Applicant,Cover Letter,Saatekirje
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Erinomainen Sekkejä ja Talletukset tyhjentää
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,ulkoinen työhistoria
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,kiertoviite vihke
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Opiskelukortti
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Pin-koodista
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Pin-koodista
 DocType: Appointment Type,Is Inpatient,On sairaala
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Name
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"sanat näkyvät, (vienti) kun tallennat lähetteen"
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Multi Valuutta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,lasku tyyppi
 DocType: Employee Benefit Claim,Expense Proof,Expense Proof
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,lähete
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Tallenna {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,lähete
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Verojen perusmääritykset
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Kustannukset Myyty Asset
 DocType: Volunteer,Morning,Aamu
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksukirjausta on muutettu siirron jälkeen, siirrä se uudelleen"
 DocType: Program Enrollment Tool,New Student Batch,Uusi opiskelijaryhmä
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} vero on kirjattu kahdesti
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Yhteenveto tällä viikolla ja keskeneräisten toimien
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} vero on kirjattu kahdesti
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Yhteenveto tällä viikolla ja keskeneräisten toimien
 DocType: Student Applicant,Admitted,Hyväksytty
 DocType: Workstation,Rent Cost,vuokrakustannukset
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Määrä jälkeen Poistot
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Määrä jälkeen Poistot
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Tulevia kalenteritapahtumia
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,malli tuntomerkit
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Ole hyvä ja valitse kuukausi ja vuosi
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Kohdassa {0} {1} voi olla vain yksi tili per yritys
 DocType: Support Search Source,Response Result Key Path,Vastatuloksen avainpolku
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Määrää {0} ei saa olla suurempi kuin työmäärä suuruus {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Katso liitetiedosto
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Määrää {0} ei saa olla suurempi kuin työmäärä suuruus {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Katso liitetiedosto
 DocType: Purchase Order,% Received,% Saapunut
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Luo Student Groups
 DocType: Volunteer,Weekends,Viikonloppuisin
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Yhteensä erinomainen
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,muuta aloitusta / nykyselle järjestysnumerolle tai olemassa oleville sarjoille
 DocType: Dosage Strength,Strength,Vahvuus
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Luo uusi asiakas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Luo uusi asiakas
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Vanheneminen
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",mikäli useampi hinnoittelu sääntö jatkaa vaikuttamista käyttäjäjiä pyydetään asettamaan prioriteetti manuaalisesti ristiriidan ratkaisemiseksi
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Luo ostotilaukset
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,käytettävät kustannukset
 DocType: Purchase Receipt,Vehicle Date,Ajoneuvo Päivämäärä
 DocType: Student Log,Medical,Lääketieteellinen
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Häviön syy
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Valitse Huume
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Häviön syy
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Valitse Huume
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Liidin vastuullinen ei voi olla sama kuin itse liidi
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Jaettava määrä ei voi ylittää oikaisematon määrä
 DocType: Announcement,Receiver,Vastaanotin
 DocType: Location,Area UOM,Alue UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Työasema on suljettu seuraavina päivinä lomapäivien {0} mukaan
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Mahdollisuudet
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Mahdollisuudet
 DocType: Lab Test Template,Single,Yksittäinen
 DocType: Compensatory Leave Request,Work From Date,Työskentely päivämäärästä
 DocType: Salary Slip,Total Loan Repayment,Yhteensä Lainan takaisinmaksu
+DocType: Project User,View attachments,Näytä liitteitä
 DocType: Account,Cost of Goods Sold,myydyn tavaran kustannuskset
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Syötä kustannuspaikka
 DocType: Drug Prescription,Dosage,annostus
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Määrä ja hinta
 DocType: Delivery Note,% Installed,% asennettu
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Luokkahuoneet / Laboratories, johon käytetään luentoja voidaan ajoittaa."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Molempien yhtiöiden valuuttojen pitäisi vastata Inter Company Transactions -tapahtumia.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Molempien yhtiöiden valuuttojen pitäisi vastata Inter Company Transactions -tapahtumia.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Anna yrityksen nimi ensin
 DocType: Travel Itinerary,Non-Vegetarian,Ei-vegetaristi
 DocType: Purchase Invoice,Supplier Name,Toimittaja
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Tilapäisesti pitoon
 DocType: Account,Is Group,on ryhmä
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Luottomerkki {0} on luotu automaattisesti
-DocType: Email Digest,Pending Purchase Orders,Odottaa Ostotilaukset
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automaattisesti Serial nro perustuu FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,tarkista toimittajan laskunumeron yksilöllisyys
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Ensisijaiset osoitetiedot
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Muokkaa johdantotekstiä, joka lähetetään sähköpostin osana. Jokaisella tapahtumalla on oma johdantotekstinsä."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Rivi {0}: Käyttöä tarvitaan raaka-aineen {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Aseta oletus maksettava osuus yhtiön {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Tapahtuma ei ole sallittu pysäytettyä työjärjestystä vastaan {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Tapahtuma ei ole sallittu pysäytettyä työjärjestystä vastaan {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,yleiset asetukset valmistusprosesseille
 DocType: Accounts Settings,Accounts Frozen Upto,tilit jäädytetty toistaiseksi / asti
 DocType: SMS Log,Sent On,lähetetty
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Taito {0} valittu useita kertoja määritteet taulukossa
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Taito {0} valittu useita kertoja määritteet taulukossa
 DocType: HR Settings,Employee record is created using selected field. ,työntekijä tietue luodaan käyttämällä valittua kenttää
 DocType: Sales Order,Not Applicable,ei sovellettu
 DocType: Amazon MWS Settings,UK,UK
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Työntekijä {0} on jo hakenut {1} {2}:
 DocType: Inpatient Record,AB Positive,AB Positiivinen
 DocType: Job Opening,Description of a Job Opening,Työpaikan kuvaus
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Vireillä toimintaa tänään
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Vireillä toimintaa tänään
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Tuntilomakkeeseen perustuva palkan osuus.
+DocType: Driver,Applicable for external driver,Soveltuu ulkoiselle ohjaimelle
 DocType: Sales Order Item,Used for Production Plan,Käytetään tuotannon suunnittelussa
 DocType: Loan,Total Payment,Koko maksu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Ei voi peruuttaa suoritettua tapahtumaa.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Ei voi peruuttaa suoritettua tapahtumaa.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Toimintojen välinen aika (minuuteissa)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO on jo luotu kaikille myyntitilauksille
 DocType: Healthcare Service Unit,Occupied,miehitetty
 DocType: Clinical Procedure,Consumables,kulutushyödykkeet
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} on peruutettu, joten toimintoa ei voida suorittaa"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} on peruutettu, joten toimintoa ei voida suorittaa"
 DocType: Customer,Buyer of Goods and Services.,Tavaroiden ja palvelujen ostaja
 DocType: Journal Entry,Accounts Payable,maksettava tilit
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Tässä maksupyynnössä asetettu {0} määrä poikkeaa kaikkien maksusuunnitelmien laskennallisesta määrästä {1}. Varmista, että tämä on oikein ennen asiakirjan lähettämistä."
 DocType: Patient,Allergies,allergiat
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Valitut osaluettelot eivät koske samaa nimikettä
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Valitut osaluettelot eivät koske samaa nimikettä
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Vaihda koodi
 DocType: Supplier Scorecard Standing,Notify Other,Ilmoita muille
 DocType: Vital Signs,Blood Pressure (systolic),Verenpaine (systolinen)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Tarpeeksi osat rakentaa
 DocType: POS Profile User,POS Profile User,POS-profiilin käyttäjä
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Rivi {0}: poistoaika alkaa
-DocType: Sales Invoice Item,Service Start Date,Palvelun alkamispäivä
+DocType: Purchase Invoice Item,Service Start Date,Palvelun alkamispäivä
 DocType: Subscription Invoice,Subscription Invoice,Tilauslaskutus
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,suorat tulot
 DocType: Patient Appointment,Date TIme,Treffiaika
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,kosmetiikka
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Valitse Valmistuneen omaisuudenhoitorekisterin päättymispäivä
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",Seuraavat ominaisuudet tulee olla samat molemmilla tuotteilla jotta ne voi sulauttaa
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",Seuraavat ominaisuudet tulee olla samat molemmilla tuotteilla jotta ne voi sulauttaa
 DocType: Supplier,Block Supplier,Estä toimittaja
 DocType: Shipping Rule,Net Weight,Nettopaino
 DocType: Job Opening,Planned number of Positions,Suunniteltu sijoitusten määrä
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Kassavirran kartoitusmalli
 DocType: Travel Request,Costing Details,Kustannusten tiedot
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Näytä palautusviitteet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Sarjanumero tuote ei voi olla jae
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Sarjanumero tuote ei voi olla jae
 DocType: Journal Entry,Difference (Dr - Cr),erotus (€ - TV)
 DocType: Bank Guarantee,Providing,tarjoamalla
 DocType: Account,Profit and Loss,Tuloslaskelma
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Ei sallita, määritä Lab Test Template tarvittaessa"
 DocType: Patient,Risk Factors,Riskitekijät
 DocType: Patient,Occupational Hazards and Environmental Factors,Työperäiset vaaratekijät ja ympäristötekijät
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,"Osakkeet, jotka on jo luotu työjärjestykseen"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,"Osakkeet, jotka on jo luotu työjärjestykseen"
 DocType: Vital Signs,Respiratory rate,Hengitysnopeus
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Alihankintojen hallinta
 DocType: Vital Signs,Body Temperature,Ruumiinlämpö
 DocType: Project,Project will be accessible on the website to these users,Projekti on näiden käyttäjien nähtävissä www-sivustolla
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Ei voida peruuttaa {0} {1}, koska sarjanumero {2} ei kuulu varastolle {3}"
 DocType: Detected Disease,Disease,tauti
+DocType: Company,Default Deferred Expense Account,Viivästynyt laskennallinen tili
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Määritä Hankkeen tyyppi.
 DocType: Supplier Scorecard,Weighting Function,Painoarvon funktio
 DocType: Healthcare Practitioner,OP Consulting Charge,OP-konsultointipalkkio
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Tuotteita
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Sovita tapahtumia laskuihin
 DocType: Sales Order Item,Gross Profit,bruttovoitto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Poista lasku
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Poista lasku
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Lisäys voi olla 0
 DocType: Company,Delete Company Transactions,poista yrityksen tapahtumia
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Viitenumero ja viitepäivämäärä on pakollinen Pankin myynnin
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,ohita
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} ei ole aktiivinen
 DocType: Woocommerce Settings,Freight and Forwarding Account,Rahti- ja edelleenlähetys-tili
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Setup tarkistaa mitat tulostettavaksi
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Setup tarkistaa mitat tulostettavaksi
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Luo palkkalippuja
 DocType: Vital Signs,Bloated,Paisunut
 DocType: Salary Slip,Salary Slip Timesheet,Tuntilomake
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Toimittajan varasto on pakollinen alihankintasaapumisessa
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Toimittajan varasto on pakollinen alihankintasaapumisessa
 DocType: Item Price,Valid From,Voimassa alkaen
 DocType: Sales Invoice,Total Commission,Provisio yhteensä
 DocType: Tax Withholding Account,Tax Withholding Account,Verotettavaa tiliä
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Kaikki toimittajan tuloskortit.
 DocType: Buying Settings,Purchase Receipt Required,Saapumistosite vaaditaan
 DocType: Delivery Note,Rail,kisko
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Rivin {0} kohdavarastojen on oltava samat kuin työjärjestys
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Arvostustaso on pakollinen, jos avausvarasto on merkitty"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Rivin {0} kohdavarastojen on oltava samat kuin työjärjestys
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Arvostustaso on pakollinen, jos avausvarasto on merkitty"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Tietueita ei löytynyt laskutaulukosta
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Valitse ensin yritys ja osapuoli tyyppi
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Jo oletusasetus pos profiilissa {0} käyttäjälle {1}, ystävällisesti poistettu oletus"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Tili- / Kirjanpitokausi
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Tili- / Kirjanpitokausi
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,kertyneet Arvot
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",Sarjanumeroita ei voi yhdistää
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Asiakasryhmä asetetaan valittuun ryhmään samalla kun synkronoidaan asiakkaat Shopifyista
@@ -895,7 +900,7 @@
 ,Lead Id,Liidin tunnus
 DocType: C-Form Invoice Detail,Grand Total,Kokonaissumma
 DocType: Assessment Plan,Course,kurssi
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Osastokoodi
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Osastokoodi
 DocType: Timesheet,Payslip,Maksulaskelma
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Puolen päivän päivämäärä tulee olla päivämäärän ja päivämäärän välillä
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Kohta koriin
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Henkilökohtainen biografia
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Jäsenyyden tunnus
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Toimitettu: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Toimitettu: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Yhdistetty QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Maksettava tili
 DocType: Payment Entry,Type of Payment,Tyyppi Payment
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Puolen päivän päivämäärä on pakollinen
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Shipping Bill päivä
 DocType: Production Plan,Production Plan,Tuotantosuunnitelma
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Avaustilien luomistyökalu
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Myynti Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Myynti Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Huomautus: Total varattu lehdet {0} ei saa olla pienempi kuin jo hyväksytty lehdet {1} kaudeksi
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Aseta määrä operaatioihin, jotka perustuvat sarjamuotoiseen tuloon"
 ,Total Stock Summary,Yhteensä Stock Yhteenveto
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Asiakas tai nimike
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,asiakasrekisteri
 DocType: Quotation,Quotation To,Tarjouksen kohde
-DocType: Lead,Middle Income,keskitason tulo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,keskitason tulo
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Opening (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Nimikkeen {0} oletusyksikköä ei voida muuttaa koska nykyisellä yksiköllä on tehty tapahtumia. Luo uusi nimike käyttääksesi uutta oletusyksikköä.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Nimikkeen {0} oletusyksikköä ei voida muuttaa koska nykyisellä yksiköllä on tehty tapahtumia. Luo uusi nimike käyttääksesi uutta oletusyksikköä.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,kohdennettu määrä ei voi olla negatiivinen
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Aseta Yhtiö
 DocType: Share Balance,Share Balance,Osuuden saldo
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Valitse Maksutili tehdä Bank Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Oletuslaskujen numeromerkki
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Luo Työntekijä kirjaa hallita lehtiä, korvaushakemukset ja palkkahallinnon"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Päivitysprosessissa tapahtui virhe
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Päivitysprosessissa tapahtui virhe
 DocType: Restaurant Reservation,Restaurant Reservation,Ravintolavaraus
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Ehdotus Kirjoittaminen
 DocType: Payment Entry Deduction,Payment Entry Deduction,Payment Entry Vähennys
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Käärimistä
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Ilmoita asiakkaille sähköpostilla
 DocType: Item,Batch Number Series,Eränumerosarja
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Toinen myyjä {0} on jo olemassa samalla tunnuksella
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Toinen myyjä {0} on jo olemassa samalla tunnuksella
 DocType: Employee Advance,Claimed Amount,Vahvistettu määrä
+DocType: QuickBooks Migrator,Authorization Settings,Valtuutusasetukset
 DocType: Travel Itinerary,Departure Datetime,Lähtö Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Matkaopastushinta
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,toimittajan nimennyt
 DocType: Activity Type,Default Costing Rate,Oletus Kustannuslaskenta Hinta
 DocType: Maintenance Schedule,Maintenance Schedule,huoltoaikataulu
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Hinnoittelusääntöjen perusteet suodatetaan asiakkaan, asiakasryhmän, alueen, toimittajan, toimittaja tyypin, myyntikumppanin jne mukaan"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Hinnoittelusääntöjen perusteet suodatetaan asiakkaan, asiakasryhmän, alueen, toimittajan, toimittaja tyypin, myyntikumppanin jne mukaan"
 DocType: Employee Promotion,Employee Promotion Details,Työntekijöiden edistämisen tiedot
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Nettomuutos Inventory
 DocType: Employee,Passport Number,Passin numero
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Suhde Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Hallinta
 DocType: Payment Entry,Payment From / To,Maksaminen / To
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Verovuodelta
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Uusi luottoraja on pienempi kuin nykyinen jäljellä asiakkaalle. Luottoraja on oltava atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Aseta tili Warehouse {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Aseta tili Warehouse {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'perustaja' ja 'ryhmä' ei voi olla samat
 DocType: Sales Person,Sales Person Targets,Myyjän tavoitteet
 DocType: Work Order Operation,In minutes,minuutteina
 DocType: Issue,Resolution Date,Ratkaisun päiväys
 DocType: Lab Test Template,Compound,Yhdiste
+DocType: Opportunity,Probability (%),Todennäköisyys (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Lähetysilmoitus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Valitse Ominaisuus
 DocType: Student Batch Name,Batch Name,erä Name
 DocType: Fee Validity,Max number of visit,Vierailun enimmäismäärä
 ,Hotel Room Occupancy,Hotellihuoneisto
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Tuntilomake luotu:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Valitse oletusmaksutapa kassa- tai pankkitili maksulle {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Valitse oletusmaksutapa kassa- tai pankkitili maksulle {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,kirjoittautua
 DocType: GST Settings,GST Settings,GST Asetukset
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuutan tulee olla sama kuin hinnaston valuutta: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Koko Korkokulut
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Kohdistuneet kustannukset verot ja maksut
 DocType: Work Order Operation,Actual Start Time,todellinen aloitusaika
+DocType: Purchase Invoice Item,Deferred Expense Account,Viivästetyt kulutilit
 DocType: BOM Operation,Operation Time,Operation Time
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Suorittaa loppuun
 DocType: Salary Structure Assignment,Base,pohja
 DocType: Timesheet,Total Billed Hours,Yhteensä laskutusasteesta
 DocType: Travel Itinerary,Travel To,Matkusta
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ei ole
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Poiston arvo
 DocType: Leave Block List Allow,Allow User,Salli Käyttäjä
 DocType: Journal Entry,Bill No,Bill No
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Tuntilista
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Raaka-aineet Perustuvat
 DocType: Sales Invoice,Port Code,Satamakoodi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Varausvarasto
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Varausvarasto
 DocType: Lead,Lead is an Organization,Lyijy on järjestö
-DocType: Guardian Interest,Interest,Kiinnostaa
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,pre Sales
 DocType: Instructor Log,Other Details,muut lisätiedot
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Talous
 DocType: Vehicle,Odometer Value (Last),Matkamittarin lukema (Last)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Toimittajan tuloskortin kriteereiden mallit.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Markkinointi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Markkinointi
 DocType: Sales Invoice,Redeem Loyalty Points,Lunasta uskollisuuspisteet
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Maksu käyttö on jo luotu
 DocType: Request for Quotation,Get Suppliers,Hanki toimittajat
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Crop Spacing UOM
 DocType: Loyalty Program,Single Tier Program,Yksitasoinen ohjelma
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Valitse vain, jos sinulla on asetettu Cash Flow Mapper -asiakirjoja"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Osoiteristä 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Osoiteristä 1
 DocType: Email Digest,Next email will be sent on:,Seuraava sähköpostiviesti lähetetään:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Seuraavaksi kohteen {items} {verb} merkitty {message} -merkinnällä. \ Voit ottaa ne käyttöön {message} -kohteena sen Item-päälliköltä
 DocType: Supplier Scorecard,Per Week,Viikossa
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,tuotteella on useampia malleja
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,tuotteella on useampia malleja
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Yhteensä opiskelija
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Nimikettä {0} ei löydy
 DocType: Bin,Stock Value,varastoarvo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Yritys {0} ei ole olemassa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Yritys {0} ei ole olemassa
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},"{0} on maksullinen voimassa, kunnes {1}"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,tyyppipuu
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Käytetty yksikkömäärä / yksikkö
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,luottokorttikirjaus
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Yritys ja tilit
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,in Arvo
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,in Arvo
 DocType: Asset Settings,Depreciation Options,Poistot
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Joko sijainti tai työntekijä on vaadittava
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Virheellinen lähetysaika
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,jako
 DocType: Purchase Order,Supply Raw Materials,toimita raaka-aineita
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,lyhytaikaiset vastaavat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ei ole varastonimike
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ei ole varastonimike
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Jaa palautetta koulutukseen klikkaamalla &quot;Harjoittelupalaute&quot; ja sitten &quot;Uusi&quot;
 DocType: Mode of Payment Account,Default Account,oletustili
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Valitse Sample Retention Warehouse varastossa Asetukset ensin
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Valitse Sample Retention Warehouse varastossa Asetukset ensin
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Valitse Usean tason ohjelmatyyppi useille keräyssäännöille.
 DocType: Payment Entry,Received Amount (Company Currency),Vastaanotetut Summa (Company valuutta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Liidi on pakollinen tieto, jos myyntimahdollisuus on muodostettu liidistä"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Maksu peruutettiin. Tarkista GoCardless-tilisi tarkempia tietoja
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Lähetä liitteineen
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Ole hyvä ja valitse viikoittain off päivä
 DocType: Inpatient Record,O Negative,O Negatiivinen
 DocType: Work Order Operation,Planned End Time,Suunniteltu päättymisaika
 ,Sales Person Target Variance Item Group-Wise,"Tuoteryhmä työkalu, myyjä ja vaihtelu tavoite"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,tilin tapahtumaa ei voi muuttaa tilikirjaksi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,tilin tapahtumaa ei voi muuttaa tilikirjaksi
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Jäsenyyden tyyppi Tiedot
 DocType: Delivery Note,Customer's Purchase Order No,asiakkaan ostotilaus numero
 DocType: Clinical Procedure,Consume Stock,Kuluta kanta
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Hiekka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,energia
 DocType: Opportunity,Opportunity From,tilaisuuteen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rivi {0}: {1} Sarjanumerot kohdasta {2}. Olet antanut {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rivi {0}: {1} Sarjanumerot kohdasta {2}. Olet antanut {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Valitse taulukko
 DocType: BOM,Website Specifications,Verkkosivuston tiedot
 DocType: Special Test Items,Particulars,tarkemmat tiedot
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: valitse {0} tyypistä {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Rivi {0}: Conversion Factor on pakollista
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Rivi {0}: Conversion Factor on pakollista
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Useita Hinta Säännöt ovat olemassa samoja kriteereitä, ota ratkaista konflikti antamalla prioriteetti. Hinta Säännöt: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Useita Hinta Säännöt ovat olemassa samoja kriteereitä, ota ratkaista konflikti antamalla prioriteetti. Hinta Säännöt: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Valuuttakurssin uudelleenarvostustili
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM:ia ei voi poistaa tai peruuttaa sillä muita BOM:ja on linkitettynä siihen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM:ia ei voi poistaa tai peruuttaa sillä muita BOM:ja on linkitettynä siihen
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Valitse Yritykset ja kirjauspäivämäärä saadaksesi merkinnät
 DocType: Asset,Maintenance,huolto
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Patient Encounterista
 DocType: Subscriber,Subscriber,Tilaaja
 DocType: Item Attribute Value,Item Attribute Value,"tuotetuntomerkki, arvo"
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Päivitä projektin tila
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Päivitä projektin tila
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valuutanvaihtoa on sovellettava ostamiseen tai myyntiin.
 DocType: Item,Maximum sample quantity that can be retained,"Suurin näytteen määrä, joka voidaan säilyttää"
 DocType: Project Update,How is the Project Progressing Right Now?,Kuinka projekti etenee nyt?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rivi {0} # Tuote {1} ei voi siirtää enempää kuin {2} ostotilausta vastaan {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rivi {0} # Tuote {1} ei voi siirtää enempää kuin {2} ostotilausta vastaan {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Myynnin kampanjat
 DocType: Project Task,Make Timesheet,Luo tuntilomake
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Opiskelijaraportin generointityökalu
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Terveydenhuollon aikataulun aikaväli
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,asiakirja nimi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,asiakirja nimi
 DocType: Expense Claim Detail,Expense Claim Type,Kulukorvaustyyppi
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ostoskorin oletusasetukset
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Lisää Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset romutetaan kautta Päiväkirjakirjaus {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Aseta Yritysvarastossa {0} tai Oletussalkun tilit yrityksessä {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset romutetaan kautta Päiväkirjakirjaus {0}
 DocType: Loan,Interest Income Account,Korkotuotot Account
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Suurten etuuksien pitäisi olla suurempia kuin nolla, jotta etuus hyötyisi"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Suurten etuuksien pitäisi olla suurempia kuin nolla, jotta etuus hyötyisi"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Tarkista kutsu lähetetty
 DocType: Shift Assignment,Shift Assignment,Siirtymätoiminto
 DocType: Employee Transfer Property,Employee Transfer Property,Työntekijöiden siirron omaisuus
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Aikaa pitemmältä ajalta
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotekniikka
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Kohta {0} (sarjanumero: {1}) ei voi kuluttaa niin, että se täyttää täydelliseen myyntitilaukseen {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Toimitilan huollon kustannukset
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Mene
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Päivitä hinta Shopifyista ERP: n hintaluetteloon
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Määrittäminen Sähköpostitilin
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Anna Kohta ensin
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Tarvitsee analyysin
 DocType: Asset Repair,Downtime,seisokkeja
 DocType: Account,Liability,vastattavat
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Hyväksyttävän määrä ei voi olla suurempi kuin korvauksen määrä rivillä {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Hyväksyttävän määrä ei voi olla suurempi kuin korvauksen määrä rivillä {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akateeminen termi:
 DocType: Salary Component,Do not include in total,Älä sisällytä kokonaan
 DocType: Company,Default Cost of Goods Sold Account,oletus myytyjen tuotteiden arvo tili
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Näytteen määrä {0} ei voi olla suurempi kuin vastaanotettu määrä {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Hinnasto ei valittu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Näytteen määrä {0} ei voi olla suurempi kuin vastaanotettu määrä {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Hinnasto ei valittu
 DocType: Employee,Family Background,Perhetausta
 DocType: Request for Quotation Supplier,Send Email,Lähetä sähköposti
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Varoitus: Virheellinen liite {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Varoitus: Virheellinen liite {0}
 DocType: Item,Max Sample Quantity,Max näytteen määrä
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Ei oikeuksia
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Sopimustodistuksen tarkistuslista
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kustannuspaikka {2} ei kuulu yhtiölle {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Lähetä kirjeesi pään (Pidä se web friendly kuin 900px 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Tili {2} ei voi olla ryhmä
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Kohta Rivi {idx}: {DOCTYPE} {DOCNAME} ei ole olemassa edellä {DOCTYPE} table
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Tuntilomake {0} on jo täytetty tai peruttu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Tuntilomake {0} on jo täytetty tai peruttu
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ei tehtäviä
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Myynti-lasku {0} luotiin maksettuina
 DocType: Item Variant Settings,Copy Fields to Variant,Kopioi kentät versioksi
 DocType: Asset,Opening Accumulated Depreciation,Avaaminen Kertyneet poistot
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Pisteet on oltava pienempi tai yhtä suuri kuin 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Ohjelma Ilmoittautuminen Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-muoto tietue
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-muoto tietue
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Osakkeet ovat jo olemassa
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Asiakas ja toimittaja
 DocType: Email Digest,Email Digest Settings,sähköpostitiedotteen asetukset
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,Valitse tuotteet
 DocType: Share Transfer,To Shareholder,Osakkeenomistajalle
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} kuittia vastaan {1} päivätty {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Valtiolta
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Valtiolta
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Asennusinstituutti
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Lehtien jakaminen ...
 DocType: Program Enrollment,Vehicle/Bus Number,Ajoneuvo / bussi numero
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,kurssin aikataulu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Sinun on vähennettävä verovapaus verovapautuksen todistamisesta ja vapauttamattomista \ Työsuhde-etuuksista viimeisen palkanlaskun aikana
 DocType: Request for Quotation Supplier,Quote Status,Lainaus Status
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,Maksun eräpäivä
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Vahvista valinta uudelleen, jos valittua osoitetta muokataan tallennuksen jälkeen"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Tuote Variant {0} on jo olemassa samoja ominaisuuksia
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Tuote Variant {0} on jo olemassa samoja ominaisuuksia
 DocType: Item,Hub Publishing Details,Hub-julkaisutiedot
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Avattu'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Avattu'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Avaa tehtävä
 DocType: Issue,Via Customer Portal,Asiakasportaalin kautta
 DocType: Notification Control,Delivery Note Message,lähetteen vieti
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST-määrä
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST-määrä
 DocType: Lab Test Template,Result Format,Tulosmuoto
 DocType: Expense Claim,Expenses,Kustannukset
 DocType: Item Variant Attribute,Item Variant Attribute,Tuote Variant Taito
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,Kahdesti kuussa
 DocType: Vehicle Service,Brake Pad,Jarrupala
 DocType: Fertilizer,Fertilizer Contents,Lannoitteen sisältö
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Tutkimus ja kehitys
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Tutkimus ja kehitys
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Laskutettava
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Aloituspäivä ja päättymispäivä ovat päällekkäisiä työnkortilla <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,rekisteröinnin lisätiedot
 DocType: Timesheet,Total Billed Amount,Laskutettu yhteensä
 DocType: Item Reorder,Re-Order Qty,Täydennystilauksen yksikkömäärä
 DocType: Leave Block List Date,Leave Block List Date,päivä
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Aseta Instructor Naming System in Education&gt; Koulutusasetukset
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Raaka-aine ei voi olla sama kuin pääosa
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Saapumistositteen riveillä olevat maksut pitää olla sama kuin verot ja maksut osiossa
 DocType: Sales Team,Incentives,kannustimet/bonukset
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-of-Sale
 DocType: Fee Schedule,Fee Creation Status,Maksunluonti tila
 DocType: Vehicle Log,Odometer Reading,matkamittarin lukema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tilin tase on jo kredit, syötetyn arvon tulee olla 'tasapainossa' eli 'debet'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tilin tase on jo kredit, syötetyn arvon tulee olla 'tasapainossa' eli 'debet'"
 DocType: Account,Balance must be,taseen on oltava
 DocType: Notification Control,Expense Claim Rejected Message,Viesti kulukorvauksen hylkäämisestä
 ,Available Qty,saatava yksikkömäärä
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Synkronoi tuotteet aina Amazon MWS: n kanssa ennen tilausten yksityiskohtien synkronointia
 DocType: Delivery Trip,Delivery Stops,Toimitus pysähtyy
 DocType: Salary Slip,Working Days,Työpäivät
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Palvelun pysäytyspäivää ei voi muuttaa riville {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Palvelun pysäytyspäivää ei voi muuttaa riville {0}
 DocType: Serial No,Incoming Rate,saapuva taso
 DocType: Packing Slip,Gross Weight,bruttopaino
 DocType: Leave Type,Encashment Threshold Days,Encashment Kynnyspäivät
@@ -1399,31 +1407,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimi istuma
 DocType: Item Attribute,Item Attribute Values,"tuotetuntomerkki, arvot"
 DocType: Examination Result,Examination Result,tutkimustuloksen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Saapuminen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Saapuminen
 ,Received Items To Be Billed,Saivat kohteet laskuttamat
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,valuuttataso valvonta
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,valuuttataso valvonta
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Viitetyypin tulee olla yksi seuraavista: {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Suodatin yhteensä nolla
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Aika-aukkoa ei löydy seuraavaan {0} päivän toiminnolle {1}
 DocType: Work Order,Plan material for sub-assemblies,Suunnittele materiaalit alituotantoon
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Myynnin Partners ja Territory
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} tulee olla aktiivinen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} tulee olla aktiivinen
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Ei siirrettävissä olevia kohteita
 DocType: Employee Boarding Activity,Activity Name,Toiminnon nimi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Muuta julkaisupäivää
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Valmiin tuotemäärän <b>{0}</b> ja Määrä <b>{1}</b> ei voi olla erilainen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Muuta julkaisupäivää
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Valmiin tuotemäärän <b>{0}</b> ja Määrä <b>{1}</b> ei voi olla erilainen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Sulkeminen (avaaminen + yhteensä)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Item Code&gt; Item Group&gt; Tuotemerkki
+DocType: Delivery Settings,Dispatch Notification Attachment,Lähetysilmoituksen lisäys
 DocType: Payroll Entry,Number Of Employees,Työntekijöiden määrä
 DocType: Journal Entry,Depreciation Entry,Poistot Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Valitse ensin asiakirjan tyyppi
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Valitse ensin asiakirjan tyyppi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Peru materiaalikäynti {0} ennen huoltokäynnin perumista
 DocType: Pricing Rule,Rate or Discount,Hinta tai alennus
 DocType: Vital Signs,One Sided,Yksipuolinen
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Sarjanumero {0} ei kuulu tuotteelle {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,vaadittu yksikkömäärä
 DocType: Marketplace Settings,Custom Data,Mukautetut tiedot
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Varastoissa nykyisten tapahtumaa ei voida muuntaa kirjanpitoon.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Sarjanumero on pakollinen kohteen {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Varastoissa nykyisten tapahtumaa ei voida muuntaa kirjanpitoon.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Sarjanumero on pakollinen kohteen {0}
 DocType: Bank Reconciliation,Total Amount,Yhteensä
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Päivämäärä ja päivämäärä ovat eri verovuonna
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Potilas {0}: llä ei ole asiakkaan etukäteen laskutusta
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),Savi koostumus (%)
 DocType: Item Group,Item Group Defaults,Kohderyhmän oletusarvot
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Tallenna ennen tehtävän antamista.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Taseen arvo
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Taseen arvo
 DocType: Lab Test,Lab Technician,Laboratorio teknikko
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Myyntihinnasto
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Myyntihinnasto
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Jos valitaan, luodaan asiakas, joka on kartoitettu Potilashenkilöön. Potilaslaskut luodaan tätä asiakasta vastaan. Voit myös valita olemassa olevan asiakkaan potilaan luomisen aikana."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Asiakas ei ole rekisteröitynyt mitään kanta-asiakasohjelmaan
@@ -1450,13 +1460,13 @@
 DocType: Support Search Source,Search Term Param Name,Hakutermi Param-nimi
 DocType: Item Barcode,Item Barcode,tuote viivakoodi
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Tuotemallit {0} päivitetty
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Tuotemallit {0} päivitetty
 DocType: Quality Inspection Reading,Reading 6,Lukema 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Ei voi {0} {1} {2} ilman negatiivista maksamatta laskun
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Ei voi {0} {1} {2} ilman negatiivista maksamatta laskun
 DocType: Share Transfer,From Folio No,Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,"Ostolasku, edistynyt"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},rivi {0}: kredit kirjausta ei voi kohdistaa {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Määritä budjetti varainhoitovuoden.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Määritä budjetti varainhoitovuoden.
 DocType: Shopify Tax Account,ERPNext Account,ERP-tili
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} on estetty, joten tämä tapahtuma ei voi jatkaa"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Toimenpide, jos Kertynyt kuukausibudjetti ylittyy MR: llä"
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Ostolasku
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Salli moninkertainen materiaalikulutus työtilaa vastaan
 DocType: GL Entry,Voucher Detail No,Tosite lisätiedot nro
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Uusi myyntilasku
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Uusi myyntilasku
 DocType: Stock Entry,Total Outgoing Value,"kokonaisarvo, lähtevä"
 DocType: Healthcare Practitioner,Appointments,nimitykset
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Aukiolopäivä ja Päättymisaika olisi oltava sama Tilikausi
 DocType: Lead,Request for Information,tietopyyntö
 ,LeaderBoard,leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Hinta marginaalilla (Company Currency)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Synkronointi Offline Laskut
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Synkronointi Offline Laskut
 DocType: Payment Request,Paid,Maksettu
 DocType: Program Fee,Program Fee,Program Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Vaihda tietty BOM kaikkiin muihin BOM-laitteisiin, joissa sitä käytetään. Se korvaa vanhan BOM-linkin, päivittää kustannukset ja regeneroi &quot;BOM Explosion Item&quot; -taulukon uuden BOM: n mukaisesti. Se myös päivittää viimeisimmän hinnan kaikkiin ostomakeihin."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Seuraavat työjärjestykset luotiin:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Seuraavat työjärjestykset luotiin:
 DocType: Salary Slip,Total in words,Sanat yhteensä
 DocType: Inpatient Record,Discharged,Purettu
 DocType: Material Request Item,Lead Time Date,Läpimenoaika
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,Aloita osia
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-lyijy-.YYYY.-
 DocType: Loan,Sanctioned,seuraamuksia
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,on pakollinen. Valuutanvaihtotietue on mahdollisesti luomatta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Rivi # {0}: Ilmoittakaa Sarjanumero alamomentin {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Osuuden kokonaismäärä: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Rivi # {0}: Ilmoittakaa Sarjanumero alamomentin {1}
 DocType: Payroll Entry,Salary Slips Submitted,Palkkionsiirto lähetetty
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Tuotepaketti nimikkeillä varasto, sarjanumero ja eränumero haetaan samasta lähetetaulukosta. Mikäli varasto ja eränumero on sama kaikille lähetenimikkeille tai tuotepaketin nimikkeille (arvoja voidaan ylläpitää nimikkeen päätaulukossa), arvot kopioidaan lähetetaulukkoon."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Tuotepaketti nimikkeillä varasto, sarjanumero ja eränumero haetaan samasta lähetetaulukosta. Mikäli varasto ja eränumero on sama kaikille lähetenimikkeille tai tuotepaketin nimikkeille (arvoja voidaan ylläpitää nimikkeen päätaulukossa), arvot kopioidaan lähetetaulukkoon."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Paikalta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay ei voi olla negatiivinen
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Paikalta
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay ei voi olla negatiivinen
 DocType: Student Admission,Publish on website,Julkaise verkkosivusto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Toimittaja laskun päiväys ei voi olla suurempi kuin julkaisupäivämäärä
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Toimittaja laskun päiväys ei voi olla suurempi kuin julkaisupäivämäärä
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Peruutuksen päivämäärä
 DocType: Purchase Invoice Item,Purchase Order Item,Ostotilaus Kohde
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Läsnäolo Tool
 DocType: Restaurant Menu,Price List (Auto created),Hinnasto (luotu automaattisesti)
 DocType: Cheque Print Template,Date Settings,date Settings
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Vaihtelu
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Vaihtelu
 DocType: Employee Promotion,Employee Promotion Detail,Työntekijöiden edistämisen yksityiskohtaisuus
 ,Company Name,Yrityksen nimi
 DocType: SMS Center,Total Message(s),Viestejä yhteensä
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,älä lähetä työntekijälle syntymäpäivämuistutuksia
 DocType: Expense Claim,Total Advance Amount,Ennakkomaksu yhteensä
 DocType: Delivery Stop,Estimated Arrival,arvioitu saapumisaika
-DocType: Delivery Stop,Notified by Email,Ilmoitettu sähköpostitse
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Katso kaikki artikkelit
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,kävele sisään
 DocType: Item,Inspection Criteria,tarkastuskriteerit
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,Laskuttaa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Valkoinen
 DocType: SMS Center,All Lead (Open),Kaikki Liidit (Avoimet)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rivi {0}: Määrä ei saatavilla {4} varasto {1} klo lähettämistä tullessa ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rivi {0}: Määrä ei saatavilla {4} varasto {1} klo lähettämistä tullessa ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Voit valita enintään yhden vaihtoehdon valintaruutujen luettelosta.
 DocType: Purchase Invoice,Get Advances Paid,Hae ennakkomaksut
 DocType: Item,Automatically Create New Batch,Automaattisesti Luo uusi erä
 DocType: Supplier,Represents Company,Edustaa yhtiötä
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Tehdä
 DocType: Student Admission,Admission Start Date,Pääsymaksu aloituspäivä
 DocType: Journal Entry,Total Amount in Words,Yhteensä sanoina
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Uusi työntekijä
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Tapahtui virhe: todennäköinen syy on ettet ole tallentanut lomaketta. Mikäli ongelma toistuu, ota yhteyttä järjestelmän ylläpitäjiin."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Ostoskori
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Tilaustyypin pitää olla jokin seuraavista '{0}'
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Tilaustyypin pitää olla jokin seuraavista '{0}'
 DocType: Lead,Next Contact Date,seuraava yhteydenottopvä
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Avaus yksikkömäärä
 DocType: Healthcare Settings,Appointment Reminder,Nimitysohje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Anna Account for Change Summa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Anna Account for Change Summa
 DocType: Program Enrollment Tool Student,Student Batch Name,Opiskelijan Erä Name
 DocType: Holiday List,Holiday List Name,lomaluettelo nimi
 DocType: Repayment Schedule,Balance Loan Amount,Balance Lainamäärä
@@ -1577,13 +1585,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,"varasto, vaihtoehdot"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Ei tuotteita lisätty ostoskoriin
 DocType: Journal Entry Account,Expense Claim,Kulukorvaus
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Haluatko todella palauttaa tämän romuttaa etu?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Haluatko todella palauttaa tämän romuttaa etu?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Yksikkömäärään {0}
 DocType: Leave Application,Leave Application,Vapaa-hakemus
 DocType: Patient,Patient Relation,Potilaan suhde
 DocType: Item,Hub Category to Publish,Hub Luokka julkaista
 DocType: Leave Block List,Leave Block List Dates,"poistu estoluettelo, päivät"
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Myyntitilaus {0} on varauksen kohde {1}, voit antaa vain varatun {1} {0}. Sarjanumero {2} ei voida toimittaa"
 DocType: Sales Invoice,Billing Address GSTIN,Laskutusosoite GSTIN
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Määritä {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Poistettu kohteita ei muutu määrän tai arvon.
 DocType: Delivery Note,Delivery To,Toimitus vastaanottajalle
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Vaihtoehtojen luominen on jonossa.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Työyhteenveto {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Vaihtoehtojen luominen on jonossa.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Työyhteenveto {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Ensimmäinen luvan myöntäjä luettelossa asetetaan oletuslupahakemukseksi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Taito pöytä on pakollinen
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Taito pöytä on pakollinen
 DocType: Production Plan,Get Sales Orders,hae myyntitilaukset
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ei voi olla negatiivinen
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Liitä QuickBookiin
 DocType: Training Event,Self-Study,Itsenäinen opiskelu
 DocType: POS Closing Voucher,Period End Date,Kauden päättymispäivä
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Maaperän koostumukset eivät saa olla enintään 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,alennus
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Rivi {0}: {1} vaaditaan avaavan {2} laskujen luomiseen
 DocType: Membership,Membership,Jäsenyys
 DocType: Asset,Total Number of Depreciations,Poistojen kokonaismäärä
 DocType: Sales Invoice Item,Rate With Margin,Hinta kanssa marginaali
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Määritä kelvollinen Rivi tunnus rivin {0} taulukossa {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Muuttujaa ei voitu löytää:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Valitse kentästä muokkaus numerosta
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Ei voi olla kiinteä omaisuuserä, koska Stock Ledger on luotu."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Ei voi olla kiinteä omaisuuserä, koska Stock Ledger on luotu."
 DocType: Subscription Plan,Fixed rate,Kiinteä korko
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,myöntää
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Siirry työpöydälle ja alkaa käyttää ERPNext
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,Lähettävällä valtiolla
 ,Projected Quantity as Source,Ennustettu Määrä lähdemuodossa
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"tuote tulee lisätä ""hae kohteita ostokuitit"" painikella"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Toimitusmatkan
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Toimitusmatkan
 DocType: Student,A-,A -
 DocType: Share Transfer,Transfer Type,Siirtymätyyppi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Myynnin kustannukset
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,Myynnin oletuskustannuspaikka
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,levy
 DocType: Buying Settings,Material Transferred for Subcontract,Alihankintaan siirretty materiaali
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postinumero
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Myyntitilaus {0} on {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Ostotilaukset erääntyneet
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Postinumero
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Myyntitilaus {0} on {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Valitse korkotulojen tili lainaan {0}
 DocType: Opportunity,Contact Info,"yhteystiedot, info"
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Varastotapahtumien tekeminen
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Laskua ei voi tehdä nollaan laskutustunnilla
 DocType: Company,Date of Commencement,Alkamispäivä
 DocType: Sales Person,Select company name first.,Valitse yrityksen nimi ensin.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},sähköpostia lähetetään {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},sähköpostia lähetetään {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Toimittajilta saadut tarjoukset.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Korvaa BOM ja päivitä viimeisin hinta kaikkiin BOM-paketteihin
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Vastaanottajalle {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Tämä on juuri toimittajaryhmä eikä sitä voi muokata.
-DocType: Delivery Trip,Driver Name,Kuljettajan nimi
+DocType: Delivery Note,Driver Name,Kuljettajan nimi
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Keskimääräinen ikä
 DocType: Education Settings,Attendance Freeze Date,Läsnäolo Freeze Date
 DocType: Payment Request,Inward,Sisäänpäin
@@ -1698,7 +1709,7 @@
 DocType: Company,Parent Company,Emoyhtiö
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotelli {0} ei ole saatavilla {1}
 DocType: Healthcare Practitioner,Default Currency,Oletusvaluutta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Suurin alennus kohteen {0} osalta on {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Suurin alennus kohteen {0} osalta on {1}%
 DocType: Asset Movement,From Employee,työntekijästä
 DocType: Driver,Cellphone Number,puhelinnumero
 DocType: Project,Monitor Progress,Seurata edistymistä
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Määrä on oltava pienempi tai yhtä suuri kuin {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Suurin sallittu summa komponentille {0} ylittää {1}
 DocType: Department Approver,Department Approver,Osastopäällikkö
+DocType: QuickBooks Migrator,Application Settings,Sovellusasetukset
 DocType: SMS Center,Total Characters,Henkilöt yhteensä
 DocType: Employee Advance,Claimed,väitti
 DocType: Crop,Row Spacing,Riviväli
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Valitse BOM tuotteelle BOM kentästä {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Valitse BOM tuotteelle BOM kentästä {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Valitun kohteen kohdetta ei ole
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-muoto laskutus lisätiedot
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksun täsmäytys laskuun
 DocType: Clinical Procedure,Procedure Template,Menettelymalli
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,panostus %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kuten kohti ostaminen asetukset jos Ostotilauksessa Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda ostotilaus ensin kohteen {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,panostus %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kuten kohti ostaminen asetukset jos Ostotilauksessa Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda ostotilaus ensin kohteen {0}"
 ,HSN-wise-summary of outward supplies,HSN-viisas tiivistelmä ulkoisista tarvikkeista
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Esim. yrityksen rekisterinumero, veronumero, yms."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Valtioon
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Valtioon
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,jakelija
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Ostoskorin toimitustapa
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,tilatut laskutettavat tuotteet
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Vuodesta Range on oltava vähemmän kuin laitumelle
 DocType: Global Defaults,Global Defaults,Yleiset oletusasetukset
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Project Collaboration Kutsu
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Project Collaboration Kutsu
 DocType: Salary Slip,Deductions,vähennykset
 DocType: Setup Progress Action,Action Name,Toiminnon nimi
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Start Year
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,konsultti
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Vanhempien opettajien kokous osallistuminen
 DocType: Salary Slip,Earnings,ansiot
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Valmiit tuotteet {0} tulee vastaanottaa valmistus tyyppi kirjauksella
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Valmiit tuotteet {0} tulee vastaanottaa valmistus tyyppi kirjauksella
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Avaa kirjanpidon tase
 ,GST Sales Register,GST Sales Register
 DocType: Sales Invoice Advance,Sales Invoice Advance,"Myyntilasku, ennakko"
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Ei mitään pyydettävää
+DocType: Stock Settings,Default Return Warehouse,Oletusarvoinen palautusvarasto
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Valitse verkkotunnuksesi
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify toimittaja
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksutapahtumat
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Kentät kopioidaan vain luomisajankohtana.
 DocType: Setup Progress Action,Domains,Verkkotunnukset
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',Aloituspäivän tulee olla päättymispäivää aiempi
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,hallinto
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,hallinto
 DocType: Cheque Print Template,Payer Settings,Maksajan Asetukset
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Ei odotettavissa olevia materiaalipyyntöjä, jotka löytyvät linkistä tiettyihin kohteisiin."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Valitse ensin yritys
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tämä liitetään mallin tuotenumeroon esim, jos lyhenne on ""SM"" ja tuotekoodi on ""T-PAITA"", mallin tuotekoodi on ""T-PAITA-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettomaksu (sanoina) näkyy kun tallennat palkkalaskelman.
 DocType: Delivery Note,Is Return,on palautus
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,varovaisuus
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Aloituspäivä on suurempi kuin loppupäivä tehtävässä &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Tuotto / veloitusilmoituksen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Tuotto / veloitusilmoituksen
 DocType: Price List Country,Price List Country,Hinnasto Maa
 DocType: Item,UOMs,Mittayksiköt
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} oikea sarjanumero (nos) tuotteelle {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Tukea tiedot.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,toimittaja tietokanta
 DocType: Contract Template,Contract Terms and Conditions,Sopimusehdot
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Et voi uudelleenkäynnistää tilausta, jota ei peruuteta."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Et voi uudelleenkäynnistää tilausta, jota ei peruuteta."
 DocType: Account,Balance Sheet,tasekirja
 DocType: Leave Type,Is Earned Leave,On ansaittu loma
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Nimikkeen kustannuspaikka nimikekoodilla
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Nimikkeen kustannuspaikka nimikekoodilla
 DocType: Fee Validity,Valid Till,Voimassa
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Yhteensä vanhempien opettajien kokous
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksutila ei ole määritetty. Tarkista, onko tili on asetettu tila maksut tai POS Profile."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksutila ei ole määritetty. Tarkista, onko tili on asetettu tila maksut tai POS Profile."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samaa kohdetta ei voi syöttää useita kertoja.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","lisätilejä voidaan tehdä kohdassa ryhmät, mutta kirjaukset toi suoraan tilille"
 DocType: Lead,Lead,Liidi
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Varastotapahtuma {0} luotu
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Sinulla ei ole tarpeeksi Loyalty Pointsia lunastettavaksi
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,rivi # {0}: hylättyä yksikkömäärää ei voi merkitä oston palautukseksi
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Aseta vastaava tili verovarausluokkaan {0} yritykseen {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,rivi # {0}: hylättyä yksikkömäärää ei voi merkitä oston palautukseksi
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Asiakasryhmän muuttaminen valitulle asiakkaalle ei ole sallittua.
 ,Purchase Order Items To Be Billed,Ostotilaus Items laskuttamat
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Arvioitu saapumisaikoja päivitetään.
 DocType: Program Enrollment Tool,Enrollment Details,Ilmoittautumistiedot
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Yrityksesi ei voi asettaa useampia oletuksia asetuksille.
 DocType: Purchase Invoice Item,Net Rate,nettohinta
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Valitse asiakas
 DocType: Leave Policy,Leave Allocations,Jätä varaukset
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,takaisinmaksu Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Kirjaukset' ei voi olla tyhjä
 DocType: Maintenance Team Member,Maintenance Role,Huolto Rooli
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},monista rivi {0} sama kuin {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},monista rivi {0} sama kuin {1}
 DocType: Marketplace Settings,Disable Marketplace,Poista Marketplace käytöstä
 ,Trial Balance,Alustava tase
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Verovuoden {0} ei löytynyt
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,O -
 DocType: Subscription Settings,Subscription Settings,Tilausasetukset
 DocType: Purchase Invoice,Update Auto Repeat Reference,Päivitä automaattinen toisto-ohje
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Valinnainen lomalistaan ei ole asetettu lomajakson {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Valinnainen lomalistaan ei ole asetettu lomajakson {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Tutkimus
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Osoite 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Osoite 2
 DocType: Maintenance Visit Purpose,Work Done,Työ tehty
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Ilmoitathan ainakin yksi määrite Määritteet taulukossa
 DocType: Announcement,All Students,kaikki opiskelijat
@@ -1854,16 +1870,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Yhdistetyt tapahtumat
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,aikaisintaan
 DocType: Crop Cycle,Linked Location,Linkitetty sijainti
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Samanniminen nimikeryhmä on jo olemassa, vaihda nimikkeen nimeä tai nimeä nimikeryhmä uudelleen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Samanniminen nimikeryhmä on jo olemassa, vaihda nimikkeen nimeä tai nimeä nimikeryhmä uudelleen"
 DocType: Crop Cycle,Less than a year,Alle vuosi
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Muu maailma
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Muu maailma
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Tuote {0} ei voi olla erä
 DocType: Crop,Yield UOM,Tuotto UOM
 ,Budget Variance Report,budjettivaihtelu raportti
 DocType: Salary Slip,Gross Pay,bruttomaksu
 DocType: Item,Is Item from Hub,Onko kohta Hubista
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Hae kohteet terveydenhuollon palveluista
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Hae kohteet terveydenhuollon palveluista
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Rivi {0}: Toimintalaji on pakollista.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,maksetut osingot
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Kirjanpito Ledger
@@ -1878,6 +1894,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,maksutila
 DocType: Purchase Invoice,Supplied Items,Toimitetut nimikkeet
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Aseta aktiivinen valikko ravintolalle {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Komission korko%
 DocType: Work Order,Qty To Manufacture,Valmistettava yksikkömäärä
 DocType: Email Digest,New Income,uusi Tulot
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,ylläpidä samaa tasoa läpi ostosyklin
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Arvostustaso vaaditaan tuotteelle rivillä {0}
 DocType: Supplier Scorecard,Scorecard Actions,Tuloskorttitoimet
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Esimerkki: Masters Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Toimittaja {0} ei löydy {1}
 DocType: Purchase Invoice,Rejected Warehouse,Hylätty varasto
 DocType: GL Entry,Against Voucher,kuitin kohdistus
 DocType: Item Default,Default Buying Cost Center,Oston oletuskustannuspaikka
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Saadaksesi kaiken irti ERPNextistä, Suosittelemme katsomaan nämä ohjevideot."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Oletuksena toimittaja (valinnainen)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,henkilölle
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Oletuksena toimittaja (valinnainen)
 DocType: Supplier Quotation Item,Lead Time in days,"virtausaika, päivinä"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,maksettava tilien yhteenveto
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},jäädytettyä tiliä {0} ei voi muokata
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Varo uutta tarjouspyyntöä
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Ostotilaukset auttaa suunnittelemaan ja seurata ostoksistasi
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Prescriptions
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Nimikkeen {3} kokonaismäärä {0} ei voi ylittää hankintapyynnön {1} tarvemäärää {2}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Pieni
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Jos Shopify ei sisällä asiakkaita Tilauksessa, järjestelmä järjestää Tilaukset synkronoimalla järjestelmän oletusasiakas tilauksen mukaan"
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,% Valmis
 ,Invoiced Amount (Exculsive Tax),laskutettu arvomäärä (sisältäen verot)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Nimike 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Valtuutuksen päätepiste
 DocType: Travel Request,International,kansainvälinen
 DocType: Training Event,Training Event,koulutustapahtuma
 DocType: Item,Auto re-order,Auto re-order
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,sopimus
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoriotestaus Datetime
 DocType: Email Digest,Add Quote,Lisää Lainaus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Mittayksikön muuntokerroin vaaditaan yksikölle {0} tuotteessa: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Mittayksikön muuntokerroin vaaditaan yksikölle {0} tuotteessa: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Välilliset kustannukset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Rivillä {0}: Yksikkömäärä vaaditaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Rivillä {0}: Yksikkömäärä vaaditaan
 DocType: Agriculture Analysis Criteria,Agriculture,Maatalous
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Luo myyntitilaus
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Omaisuuden kirjanpitoarvo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Laske lasku
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Omaisuuden kirjanpitoarvo
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Laske lasku
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Määrä tehdä
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Korjaus kustannukset
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Tarjotut tuotteet ja/tai palvelut
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Sisäänkirjautuminen epäonnistui
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asetus {0} luotiin
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asetus {0} luotiin
 DocType: Special Test Items,Special Test Items,Erityiset testit
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Sinun on oltava käyttäjä, jolla System Manager- ja Item Manager -roolit ovat rekisteröityneet Marketplacessa."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,maksutapa
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Etkä voi hakea etuja palkkaneuvon mukaan
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Sivuston kuvan tulee olla kuvatiedosto tai kuvan URL-osoite
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Sivuston kuvan tulee olla kuvatiedosto tai kuvan URL-osoite
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Tämä on kantatuoteryhmä eikä sitä voi muokata
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Yhdistää
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,Varaston yhteystiedot
 DocType: Payment Entry,Write Off Difference Amount,Kirjoita Off Ero Määrä
 DocType: Volunteer,Volunteer Name,Vapaaehtoinen nimi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Työntekijän sähköpostiosoitetta ei löytynyt, joten sähköpostia ei lähetetty"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},"Rivejä, joiden päällekkäiset päivämäärät toisissa riveissä, löytyivät: {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Työntekijän sähköpostiosoitetta ei löytynyt, joten sähköpostia ei lähetetty"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Työntekijälle {0} annettuun palkkarakenteeseen ei annettu päivämäärää {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Toimitussääntö ei koske maata {0}
 DocType: Item,Foreign Trade Details,Ulkomaankauppa Yksityiskohdat
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,Vuositulot
 DocType: Serial No,Serial No Details,Sarjanumeron lisätiedot
 DocType: Purchase Invoice Item,Item Tax Rate,tuotteen veroaste
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Puolueen nimestä
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Puolueen nimestä
 DocType: Student Group Student,Group Roll Number,Ryhmä rullanumero
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, vain kredit tili voidaan kohdistaa debet kirjaukseen"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Lähete {0} ei ole vahvistettu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Lähete {0} ei ole vahvistettu
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Nimikkeen {0} pitää olla alihankittava nimike
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,käyttöomaisuuspääoma
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Hinnoittelusääntö tulee ensin valita  'käytä tässä' kentästä, joka voi olla tuote, tuoteryhmä tai brändi"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Aseta alkiotunnus ensin
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,asiakirja tyyppi
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Myyntitiimin yhteensä lasketun prosenttiosuuden pitää olla 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,asiakirja tyyppi
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Myyntitiimin yhteensä lasketun prosenttiosuuden pitää olla 100
 DocType: Subscription Plan,Billing Interval Count,Laskutusväli
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Nimitykset ja potilaskokoukset
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Arvo puuttuu
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Luo Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Maksu luodaan
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Ei löytänyt mitään kohde nimeltä {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Kohteen suodatin
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteerikaava
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,lähtevät yhteensä
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Voi olla vain yksi toimitustavan ehto jossa ""Arvoon"" -kentässä on 0 tai tyhjä."
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Määrän {0} osalta määrän on oltava positiivinen numero
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,"Huom, tämä kustannuspaikka on ryhmä eikä ryhmää kohtaan voi tehdä kirjanpidon kirjauksia"
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Korvausvapautuspäivät eivät ole voimassaoloaikoina
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapsi varasto olemassa tähän varastoon. Et voi poistaa tätä varasto.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapsi varasto olemassa tähän varastoon. Et voi poistaa tätä varasto.
 DocType: Item,Website Item Groups,Tuoteryhmien verkkosivu
 DocType: Purchase Invoice,Total (Company Currency),Yhteensä (yrityksen valuutta)
 DocType: Daily Work Summary Group,Reminder,Muistutus
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Käytettävissä oleva arvo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Käytettävissä oleva arvo
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Sarjanumero {0} kirjattu useammin kuin kerran
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,päiväkirjakirjaus
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTINiltä
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTINiltä
 DocType: Expense Claim Advance,Unclaimed amount,Velvoittamaton määrä
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} kohdetta käynnissä
 DocType: Workstation,Workstation Name,Työaseman nimi
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,POS Kohta Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,tiedote:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Vaihtoehtoinen kohde ei saa olla sama kuin kohteen koodi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} ei kuulu tuotteelle {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} ei kuulu tuotteelle {1}
 DocType: Sales Partner,Target Distribution,Toimitus tavoitteet
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Väliaikaisen arvioinnin viimeistely
 DocType: Salary Slip,Bank Account No.,Pankkitilin nro
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Tuloskortin muuttujia voidaan käyttää sekä: {total_score} (kyseisen jakson kokonaispistemäärä), {period_number} (ajanjaksojen lukumäärä tähän päivään)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Tiivistä kaikki
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Tiivistä kaikki
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Luo ostotilaus
 DocType: Quality Inspection Reading,Reading 8,Lukema 8
 DocType: Inpatient Record,Discharge Note,Putoamisohje
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Poistumisoikeus
 DocType: Purchase Invoice,Supplier Invoice Date,Toimittajan laskun päiväys
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Tätä arvoa käytetään pro-rata temporis -laskentaan
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Sinun tulee aktivoida ostoskori
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Sinun tulee aktivoida ostoskori
 DocType: Payment Entry,Writeoff,Poisto
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Nimeä sarjan etuliite
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Päällekkäiset olosuhteisiin välillä:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,päiväkirjan kohdistettu kirjaus {0} on jo säädetty muuhun tositteeseen
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,tilausten arvo yhteensä
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Ruoka
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Ruoka
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,vanhentumisen skaala 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-velkakirjojen yksityiskohdat
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Aseta Naming-sarja {0} asetukseksi Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Ilmoittautua
 DocType: Maintenance Schedule Item,No of Visits,Vierailujen lukumäärä
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Huolto aikataulu {0} on olemassa vastaan {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Enimmäismäärät (määrä)
 DocType: Purchase Invoice,Contact Person,Yhteyshenkilö
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Toivottu aloituspäivä' ei voi olla suurempi kuin 'toivottu päättymispäivä'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Tälle kaudelle ei ole tietoja
 DocType: Course Scheduling Tool,Course End Date,Tietenkin Päättymispäivä
 DocType: Holiday List,Holidays,lomat
 DocType: Sales Order Item,Planned Quantity,Suunnitellut määrä
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Nettomuutos kiinteä omaisuus
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Määrä
 DocType: Leave Control Panel,Leave blank if considered for all designations,tyhjä mikäli se pidetään vihtoehtona kaikille nimityksille
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppiä 'todellinen' rivillä {0} ei voi sisällyttää tuotearvoon
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppiä 'todellinen' rivillä {0} ei voi sisällyttää tuotearvoon
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Alkaen aikajana
 DocType: Shopify Settings,For Company,Yritykselle
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,Ehdot ja säännöt sisältö
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Kurssin aikataulua luotiin virheitä
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Luettelon ensimmäinen kustannusmääritin asetetaan oletusluvuksi.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,ei voi olla suurempi kuin 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,ei voi olla suurempi kuin 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Sinun on oltava muu kuin Järjestelmänvalvoja ja System Manager- ja Item Manager -roolit, jotta voit rekisteröityä Marketplacessa."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Nimike {0} ei ole varastonimike
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Nimike {0} ei ole varastonimike
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Aikatauluttamaton
 DocType: Employee,Owned,Omistuksessa
@@ -2144,7 +2164,7 @@
 DocType: HR Settings,Employee Settings,työntekijän asetukset
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Maksujärjestelmän lataaminen
 ,Batch-Wise Balance History,Eräkohtainen tasehistoria
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Rivi # {0}: Ei voi määrittää arvoa, jos summa on suurempi kuin laskennallinen summa kohtaan {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Rivi # {0}: Ei voi määrittää arvoa, jos summa on suurempi kuin laskennallinen summa kohtaan {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Tulosta asetukset päivitetään kunkin painettuna
 DocType: Package Code,Package Code,Pakkaus Code
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,opettelu
@@ -2152,7 +2172,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negatiivinen määrä ei ole sallittu
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Verotaulukkotiedot, jotka merkataan ja tallennetään tähän kenttään noudetaan tuote työkalusta, jota käytetään veroihin ja maksuihin"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,työntekijä ei voi raportoida itselleen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,työntekijä ei voi raportoida itselleen
 DocType: Leave Type,Max Leaves Allowed,Max Lehdet sallittu
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","mikäli tili on jäädytetty, kirjaukset on rajattu tietyille käyttäjille"
 DocType: Email Digest,Bank Balance,Pankkitilin tase
@@ -2178,6 +2198,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Pankkitransaktiotunnisteet
 DocType: Quality Inspection,Readings,Lukemat
 DocType: Stock Entry,Total Additional Costs,Lisäkustannusten kokonaismäärää
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Ei vuorovaikutusta
 DocType: BOM,Scrap Material Cost(Company Currency),Romu ainekustannukset (Company valuutta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,alikokoonpanot
 DocType: Asset,Asset Name,Asset Name
@@ -2185,10 +2206,10 @@
 DocType: Shipping Rule Condition,To Value,Arvoon
 DocType: Loyalty Program,Loyalty Program Type,Kanta-asiakasohjelmatyyppi
 DocType: Asset Movement,Stock Manager,Varaston ylläpitäjä
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Varastosta on pakollinen rivillä {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Varastosta on pakollinen rivillä {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Maksuehto rivillä {0} on mahdollisesti kaksoiskappale.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Maatalous (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Pakkauslappu
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Pakkauslappu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Toimisto Vuokra
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Tekstiviestin reititinmääritykset
 DocType: Disease,Common Name,Yleinen nimi
@@ -2220,20 +2241,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Sähköposti palkkakuitin työntekijöiden
 DocType: Cost Center,Parent Cost Center,Pääkustannuspaikka
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Valitse Mahdollinen toimittaja
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Valitse Mahdollinen toimittaja
 DocType: Sales Invoice,Source,Lähde
 DocType: Customer,"Select, to make the customer searchable with these fields","Valitse, jotta asiakas voi hakea näitä kenttiä"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Tuo toimitussisältöjä Shopify on Shipment -palvelusta
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Näytäsuljetut
 DocType: Leave Type,Is Leave Without Pay,on poistunut ilman palkkaa
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Luokka on pakollinen Käyttöomaisuuden erä
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Luokka on pakollinen Käyttöomaisuuden erä
 DocType: Fee Validity,Fee Validity,Maksun voimassaoloaika
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Tietueita ei löytynyt maksutaulukosta
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Tämä {0} on ristiriidassa {1} ja {2} {3}
 DocType: Student Attendance Tool,Students HTML,opiskelijat HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Poista tämä työntekijä <a href=""#Form/Employee/{0}"">{0}</a> \ peruuttaaksesi tämän asiakirjan"
 DocType: POS Profile,Apply Discount,Käytä alennus
 DocType: GST HSN Code,GST HSN Code,GST HSN Koodi
 DocType: Employee External Work History,Total Experience,Kustannukset yhteensä
@@ -2256,7 +2274,7 @@
 DocType: Maintenance Schedule,Schedules,Aikataulut
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS-profiilia tarvitaan myyntipisteen käyttämiseen
 DocType: Cashier Closing,Net Amount,netto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ei ole vahvistettu, joten toimintoa ei voida suorittaa loppuun"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ei ole vahvistettu, joten toimintoa ei voida suorittaa loppuun"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM yksittäisnumero
 DocType: Landed Cost Voucher,Additional Charges,Lisämaksut
 DocType: Support Search Source,Result Route Field,Tulos Reittikenttä
@@ -2285,11 +2303,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Avauslaskut
 DocType: Contract,Contract Details,Sopimustiedot
 DocType: Employee,Leave Details,Jätä tiedot
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Muista syöttää käyttäjätunnus, voidaksesi valita työntekijän roolin / käyttöoikeudet."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Muista syöttää käyttäjätunnus, voidaksesi valita työntekijän roolin / käyttöoikeudet."
 DocType: UOM,UOM Name,Mittayksikön nimi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Osoite 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Osoite 1
 DocType: GST HSN Code,HSN Code,HSN koodi
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,panostuksen arvomäärä
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,panostuksen arvomäärä
 DocType: Inpatient Record,Patient Encounter,Potilaan kohtaaminen
 DocType: Purchase Invoice,Shipping Address,Toimitusosoite
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Tämä työkalu auttaa sinua päivittämään tai korjaamaan varastomäärän ja -arvon järjestelmässä. Sitä käytetään yleensä synkronoitaessa järjestelmän arvoja ja varaston todellisia fyysisiä arvoja.
@@ -2306,9 +2324,9 @@
 DocType: Travel Itinerary,Mode of Travel,Matkustustila
 DocType: Sales Invoice Item,Brand Name,brändin nimi
 DocType: Purchase Receipt,Transporter Details,Transporter Lisätiedot
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Oletus varasto tarvitaan valittu kohde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Oletus varasto tarvitaan valittu kohde
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,pl
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,mahdollinen toimittaja
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,mahdollinen toimittaja
 DocType: Budget,Monthly Distribution,toimitus kuukaudessa
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"vastaanottajalista on tyhjä, tee vastaanottajalista"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Terveydenhuolto (beta)
@@ -2329,6 +2347,7 @@
 ,Lead Name,Liidin nimi
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Etsintätyö
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Varastotaseen alkuarvo
 DocType: Asset Category Account,Capital Work In Progress Account,Pääomaa työtä etenevässä tilissä
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Omaisuuden arvon säätö
@@ -2337,7 +2356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Vapaat kohdennettu {0}:lle
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,ei pakattavia tuotteita
 DocType: Shipping Rule Condition,From Value,arvosta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Valmistus Määrä on pakollista
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Valmistus Määrä on pakollista
 DocType: Loan,Repayment Method,lyhennystapa
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jos valittu, kotisivun tulee oletuksena Item ryhmän verkkosivuilla"
 DocType: Quality Inspection Reading,Reading 4,Lukema 4
@@ -2362,7 +2381,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Työntekijäviittaus
 DocType: Student Group,Set 0 for no limit,Aseta 0 ei rajaa
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Päivä (t), johon haet lupaa ovat vapaapäiviä. Sinun ei tarvitse hakea lupaa."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Rivin {idx}: {field} on luotava Opening {invoice_type} Laskut
 DocType: Customer,Primary Address and Contact Detail,Ensisijainen osoite ja yhteystiedot
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Lähettää maksu Sähköposti
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,uusi tehtävä
@@ -2372,8 +2390,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Valitse vähintään yksi verkkotunnus.
 DocType: Dependent Task,Dependent Task,riippuvainen tehtävä
 DocType: Shopify Settings,Shopify Tax Account,Shopify Tax Account
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Oletusyksikön muuntokerroin pitää olla 1 rivillä {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},{0} -tyyppinen vapaa ei voi olla pidempi kuin {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Oletusyksikön muuntokerroin pitää olla 1 rivillä {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},{0} -tyyppinen vapaa ei voi olla pidempi kuin {1}
 DocType: Delivery Trip,Optimize Route,Optimoi reitti
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,kokeile suunnitella toimia X päivää etukäteen
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2382,14 +2400,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Aseta Default Payroll maksullisia tilin Yrityksen {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Hanki Verojen ja maksujen tietojen taloudellinen hajoaminen Amazonilta
 DocType: SMS Center,Receiver List,Vastaanotin List
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,haku Tuote
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,haku Tuote
 DocType: Payment Schedule,Payment Amount,maksun arvomäärä
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Puolen päivän Päivä pitää olla Työn alkamispäivästä ja Työn päättymispäivästä alkaen
 DocType: Healthcare Settings,Healthcare Service Items,Terveydenhoitopalvelut
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,käytetty arvomäärä
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Rahavarojen muutos
 DocType: Assessment Plan,Grading Scale,Arvosteluasteikko
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,yksikköä {0} on kirjattu useammin kuin kerran muuntokerroin taulukossa
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,yksikköä {0} on kirjattu useammin kuin kerran muuntokerroin taulukossa
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,jo valmiiksi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock kädessä
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2412,25 +2430,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Sarjanumero {0} yksikkömäärä {1} ei voi olla murto-osa
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Anna Woocommerce-palvelimen URL-osoite
 DocType: Purchase Order Item,Supplier Part Number,Toimittajan nimikekoodi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,muuntokerroin ei voi olla 0 tai 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,muuntokerroin ei voi olla 0 tai 1
 DocType: Share Balance,To No,Ei
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Kaikki pakolliset tehtävät työntekijöiden luomiseen ei ole vielä tehty.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} on peruutettu tai pysäytetty
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} on peruutettu tai pysäytetty
 DocType: Accounts Settings,Credit Controller,kredit valvoja
 DocType: Loan,Applicant Type,Hakijan tyyppi
 DocType: Purchase Invoice,03-Deficiency in services,03-Palvelujen puute
 DocType: Healthcare Settings,Default Medical Code Standard,Oletus Medical Code Standard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Saapumista {0} ei ole vahvistettu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Saapumista {0} ei ole vahvistettu
 DocType: Company,Default Payable Account,oletus maksettava tili
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ostoskorin asetukset, kuten toimitustapa, hinnastot, jne"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-pre-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% laskutettu
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,varattu yksikkömäärä
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,varattu yksikkömäärä
 DocType: Party Account,Party Account,Osapuolitili
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Valitse Yritys ja nimike
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Henkilöstöresurssit
-DocType: Lead,Upper Income,Ylemmät tulot
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Ylemmät tulot
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Hylätä
 DocType: Journal Entry Account,Debit in Company Currency,Debit in Company Valuutta
 DocType: BOM Item,BOM Item,Osaluettelonimike
@@ -2447,7 +2465,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Avoimet työpaikat nimeämiseen {0} jo auki tai palkkaaminen valmiiksi henkilöstötaulukon mukaisesti {1}
 DocType: Vital Signs,Constipated,Ummetusta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},toimittajan ostolaskun kohdistus {0} päiväys {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},toimittajan ostolaskun kohdistus {0} päiväys {1}
 DocType: Customer,Default Price List,oletus hinnasto
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Asset Movement record {0} luotu
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Kohteita ei löytynyt.
@@ -2463,16 +2481,17 @@
 DocType: Journal Entry,Entry Type,Entry Tyyppi
 ,Customer Credit Balance,Asiakkaan kredit tase
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Nettomuutos ostovelat
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Luottoraja on ylitetty asiakkaalle {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Aseta Naming-sarja {0} asetukseksi Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Luottoraja on ylitetty asiakkaalle {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',asiakkaalla tulee olla 'asiakaskohtainen alennus'
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Päivitä pankin maksupäivät päiväkirjojen kanssa
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Hinnoittelu
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Hinnoittelu
 DocType: Quotation,Term Details,Ehdon lisätiedot
 DocType: Employee Incentive,Employee Incentive,Työntekijöiden kannustin
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ei voi ilmoittautua enintään {0} opiskelijat tälle opiskelijaryhmälle.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Yhteensä (ilman veroa)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,lyijy Count
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Varastossa saatavilla
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Varastossa saatavilla
 DocType: Manufacturing Settings,Capacity Planning For (Days),kapasiteetin suunnittelu (päiville)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Hankinnat
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Mikään kohteita ovat muutoksia määrän tai arvon.
@@ -2496,7 +2515,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Vapaat ja läsnäolot
 DocType: Asset,Comprehensive Insurance,Kattava vakuutus
 DocType: Maintenance Visit,Partially Completed,Osittain Valmis
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Loyalty Point: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Loyalty Point: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Lisää johtajia
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Kohtuullinen herkkyys
 DocType: Leave Type,Include holidays within leaves as leaves,sisältää vapaapäiviän poistumiset poistumisina
 DocType: Loyalty Program,Redemption,lunastus
@@ -2530,7 +2550,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Markkinointikustannukset
 ,Item Shortage Report,Tuotevajausraportti
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Vakiokriteereitä ei voi luoda. Nimeä kriteerit uudelleen
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Paino on mainittu, \ ssa mainitse myös ""Painoyksikkö"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Paino on mainittu, \ ssa mainitse myös ""Painoyksikkö"""
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Varaston kirjaus hankintapyynnöstä
 DocType: Hub User,Hub Password,Hub-salasana
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Erillinen perustuu luonnollisesti ryhmän kutakin Erä
@@ -2544,15 +2564,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Nimittämisen kesto (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,tee kirjanpidon kirjaus kaikille varastotapahtumille
 DocType: Leave Allocation,Total Leaves Allocated,"Poistumisten yhteismäärä, kohdennettu"
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Anna kelvollinen tilivuoden alkamis- ja päättymispäivä
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Anna kelvollinen tilivuoden alkamis- ja päättymispäivä
 DocType: Employee,Date Of Retirement,Eläkkeellesiirtymispäivä
 DocType: Upload Attendance,Get Template,hae mallipohja
+,Sales Person Commission Summary,Myyntiluvan komission yhteenveto
 DocType: Additional Salary Component,Additional Salary Component,Lisäpalkkikomponentti
 DocType: Material Request,Transferred,siirretty
 DocType: Vehicle,Doors,ovet
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Asennus valmis!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Asennus valmis!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Kerää maksut potilaan rekisteröinnille
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Ominaisuuksia ei voi muuttaa varastotoiminnan jälkeen. Tee uusi esine ja siirrä varastosi uuteen kohtaan
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Ominaisuuksia ei voi muuttaa varastotoiminnan jälkeen. Tee uusi esine ja siirrä varastosi uuteen kohtaan
 DocType: Course Assessment Criteria,Weightage,Painoarvo
 DocType: Purchase Invoice,Tax Breakup,vero Breakup
 DocType: Employee,Joining Details,Liitäntätiedot
@@ -2580,14 +2601,15 @@
 DocType: Lead,Next Contact By,seuraava yhteydenottohlö
 DocType: Compensatory Leave Request,Compensatory Leave Request,Korvaushyvityspyyntö
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Vaadittu tuotemäärä {0} rivillä {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Varastoa {0} ei voi poistaa koska se sisältää tuotetta {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Varastoa {0} ei voi poistaa koska se sisältää tuotetta {1}
 DocType: Blanket Order,Order Type,Tilaustyyppi
 ,Item-wise Sales Register,"tuote työkalu, myyntirekisteri"
 DocType: Asset,Gross Purchase Amount,Gross Osto Määrä
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Avauspalkkiot
 DocType: Asset,Depreciation Method,Poistot Menetelmä
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,kuuluuko tämä vero perustasoon?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,tavoite yhteensä
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,tavoite yhteensä
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Perception-analyysi
 DocType: Soil Texture,Sand Composition (%),Hiekojen koostumus (%)
 DocType: Job Applicant,Applicant for a Job,työn hakija
 DocType: Production Plan Material Request,Production Plan Material Request,Tuotanto Plan Materiaali Request
@@ -2602,23 +2624,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Arviointimerkki (kymmenestä)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Ei
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Tärkein
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Seuraavassa {0} ei ole merkitty {1} kohdetta. Voit ottaa ne {1} -kohteeksi sen Item-masterista
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Malli
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Kohteen {0} osalta määrän on oltava negatiivinen
 DocType: Naming Series,Set prefix for numbering series on your transactions,Aseta sarjojen numeroinnin etuliite tapahtumiin
 DocType: Employee Attendance Tool,Employees HTML,Työntekijät HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,oletus BOM ({0}) tulee olla aktiivinen tälle tuotteelle tai sen mallipohjalle
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,oletus BOM ({0}) tulee olla aktiivinen tälle tuotteelle tai sen mallipohjalle
 DocType: Employee,Leave Encashed?,vapaa kuitattu rahana?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,tilaisuuteen kenttä vaaditaan
 DocType: Email Digest,Annual Expenses,Vuosittaiset kustannukset
 DocType: Item,Variants,Mallit
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Tee Ostotilaus
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Tee Ostotilaus
 DocType: SMS Center,Send To,Lähetä kenelle
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Vapaatyypille {0} ei ole tarpeeksi vapaata jäljellä
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Vapaatyypille {0} ei ole tarpeeksi vapaata jäljellä
 DocType: Payment Reconciliation Payment,Allocated amount,kohdennettu arvomäärä
 DocType: Sales Team,Contribution to Net Total,"panostus, netto yhteensä"
 DocType: Sales Invoice Item,Customer's Item Code,Asiakkaan nimikekoodi
 DocType: Stock Reconciliation,Stock Reconciliation,Varaston täsmäytys
 DocType: Territory,Territory Name,Alueen nimi
+DocType: Email Digest,Purchase Orders to Receive,Ostotilaukset vastaanotettavaksi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Keskeneräisten varasto vaaditaan ennen vahvistusta
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,"Sinulla voi olla vain tilauksia, joilla on sama laskutusjakso tilauksessa"
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Kartoitetut tiedot
@@ -2635,9 +2659,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Tuotteelle kirjattu sarjanumero {0} on jo olemassa.
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Ratajohdot johdon lähteellä.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Toimitustavan ehdot
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Käy sisään
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Käy sisään
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Huoltokirja
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Aseta suodatin perustuu Tuote tai Varasto
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Aseta suodatin perustuu Tuote tai Varasto
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),"Pakkauksen nettopaino, summa lasketaan automaattisesti tuotteiden nettopainoista"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Tee Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Alennusmäärä ei voi olla suurempi kuin 100%
@@ -2646,15 +2670,15 @@
 DocType: Sales Order,To Deliver and Bill,Lähetä ja laskuta
 DocType: Student Group,Instructors,Ohjaajina
 DocType: GL Entry,Credit Amount in Account Currency,Luoton määrä Account Valuutta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Osaluettelo {0} pitää olla vahvistettu
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Jaa hallinta
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Osaluettelo {0} pitää olla vahvistettu
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Jaa hallinta
 DocType: Authorization Control,Authorization Control,Valtuutus Ohjaus
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rivi # {0}: Hylätyt Warehouse on pakollinen vastaan hylätään Tuote {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Maksu
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rivi # {0}: Hylätyt Warehouse on pakollinen vastaan hylätään Tuote {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Maksu
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Varasto {0} ei liity mihinkään tilin, mainitse tilin varastoon kirjaa tai asettaa oletus inventaario huomioon yrityksen {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Hallitse tilauksia
 DocType: Work Order Operation,Actual Time and Cost,todellinen aika ja hinta
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Nimikkeelle {1} voidaan tehdä enintään {0} hankintapyyntöä tilaukselle {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Nimikkeelle {1} voidaan tehdä enintään {0} hankintapyyntöä tilaukselle {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Rajaa väli
 DocType: Course,Course Abbreviation,Course lyhenne
@@ -2666,6 +2690,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Yhteensä työaika ei saisi olla suurempi kuin max työaika {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Päällä
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Kootut nimikkeet myyntihetkellä
+DocType: Delivery Settings,Dispatch Settings,Lähetysasetukset
 DocType: Material Request Plan Item,Actual Qty,kiinteä yksikkömäärä
 DocType: Sales Invoice Item,References,Viitteet
 DocType: Quality Inspection Reading,Reading 10,Lukema 10
@@ -2675,11 +2700,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Olet syöttänyt kohteen joka on jo olemassa. Korjaa ja yritä uudelleen.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,kolleega
 DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Työjärjestys {0} on toimitettava
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,uusi koriin
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Työjärjestys {0} on toimitettava
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,uusi koriin
 DocType: Taxable Salary Slab,From Amount,Määrää kohden
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Nimike {0} ei ole sarjoitettu tuote
 DocType: Leave Type,Encashment,perintä
+DocType: Delivery Settings,Delivery Settings,Toimitusasetukset
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Hae tiedot
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Lepatyypissä {0} sallittu enimmäisloma on {1}
 DocType: SMS Center,Create Receiver List,tee vastaanottajalista
 DocType: Vehicle,Wheels,Pyörät
@@ -2695,7 +2722,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Laskutusvaluutan on vastattava joko yrityksen oletusvaluuttaa tai osapuolten tilin valuuttaa
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"osoittaa, pakkaus on vain osa tätä toimitusta (luonnos)"
 DocType: Soil Texture,Loam,savimaata
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Rivi {0}: eräpäivä ei voi olla ennen lähettämispäivää
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Rivi {0}: eräpäivä ei voi olla ennen lähettämispäivää
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,tee maksukirjaus
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Määrä alamomentille {0} on oltava pienempi kuin {1}
 ,Sales Invoice Trends,Myyntilaskujen kehitys
@@ -2703,12 +2730,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',rivi voi viitata edelliseen riviin vain jos maksu tyyppi on 'edellisen rivin arvomäärä' tai 'edellinen rivi yhteensä'
 DocType: Sales Order Item,Delivery Warehouse,toimitus varasto
 DocType: Leave Type,Earned Leave Frequency,Ansaittu Leave Frequency
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tree taloudellisen kustannuspaikat.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Alustyyppi
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tree taloudellisen kustannuspaikat.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Alustyyppi
 DocType: Serial No,Delivery Document No,Toimitus Document No
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Varmista toimitukset tuotetun sarjanumeron perusteella
 DocType: Vital Signs,Furry,Pörröinen
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Aseta &#39;Gain / tuloslaskelma Omaisuudenhoitoalan hävittämisestä &quot;in Company {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Aseta &#39;Gain / tuloslaskelma Omaisuudenhoitoalan hävittämisestä &quot;in Company {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,hae tuotteet ostokuiteista
 DocType: Serial No,Creation Date,tekopäivä
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Tavoitteiden sijainti tarvitaan {0}
@@ -2722,10 +2749,11 @@
 DocType: Item,Has Variants,useita tuotemalleja
 DocType: Employee Benefit Claim,Claim Benefit For,Korvausetu
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Päivitä vastaus
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Olet jo valitut kohteet {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Olet jo valitut kohteet {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,"toimitus kuukaudessa, nimi"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Erätunnuksesi on pakollinen
 DocType: Sales Person,Parent Sales Person,Päämyyjä
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Mitään vastaanotettavia kohteita ei ole myöhässä
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Myyjä ja ostaja eivät voi olla samat
 DocType: Project,Collect Progress,Kerää edistystä
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2741,7 +2769,7 @@
 DocType: Bank Guarantee,Margin Money,Marginaalinen raha
 DocType: Budget,Budget,budjetti
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Aseta Avaa
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Käyttö- omaisuuserän oltava ei-varastotuote.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Käyttö- omaisuuserän oltava ei-varastotuote.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Talousarvio ei voi luovuttaa vastaan {0}, koska se ei ole tuottoa tai kulua tili"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maksun enimmäismäärä {0} on {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,saavutettu
@@ -2759,9 +2787,9 @@
 ,Amount to Deliver,toimitettava arvomäärä
 DocType: Asset,Insurance Start Date,Vakuutuksen alkamispäivä
 DocType: Salary Component,Flexible Benefits,Joustavat edut
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Sama kohde on syötetty useita kertoja. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Sama kohde on syötetty useita kertoja. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Term alkamispäivä ei voi olla aikaisempi kuin vuosi alkamispäivä Lukuvuoden johon termiä liittyy (Lukuvuosi {}). Korjaa päivämäärät ja yritä uudelleen.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Oli virheitä
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Oli virheitä
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Työntekijä {0} on jo hakenut {1} välillä {2} ja {3}:
 DocType: Guardian,Guardian Interests,Guardian Harrastukset
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Päivitä tilin nimi / numero
@@ -2800,9 +2828,9 @@
 ,Item-wise Purchase History,Nimikkeen ostohistoria
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"klikkaa ""muodosta aikataulu"" ja syötä tuotteen sarjanumero {0}"
 DocType: Account,Frozen,jäädytetty
-DocType: Delivery Note,Vehicle Type,ajoneuvotyyppi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,ajoneuvotyyppi
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Määrä (Company valuutta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Raakamateriaalit
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Raakamateriaalit
 DocType: Payment Reconciliation Payment,Reference Row,Viite Row
 DocType: Installation Note,Installation Time,asennus aika
 DocType: Sales Invoice,Accounting Details,Kirjanpito Lisätiedot
@@ -2811,12 +2839,13 @@
 DocType: Inpatient Record,O Positive,O Positiivinen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,sijoitukset
 DocType: Issue,Resolution Details,Ratkaisun lisätiedot
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Maksutavan tyyppi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Maksutavan tyyppi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,hyväksymiskriteerit
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Syötä hankintapyynnöt yllä olevaan taulukkoon
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Journal Entry ei ole käytettävissä takaisinmaksua
 DocType: Hub Tracked Item,Image List,Kuva-lista
 DocType: Item Attribute,Attribute Name,"tuntomerkki, nimi"
+DocType: Subscription,Generate Invoice At Beginning Of Period,Luo lasku alkupuolella
 DocType: BOM,Show In Website,näytä verkkosivustossa
 DocType: Loan Application,Total Payable Amount,Yhteensä Maksettava määrä
 DocType: Task,Expected Time (in hours),odotettu aika (tunteina)
@@ -2853,7 +2882,7 @@
 DocType: Employee,Resignation Letter Date,Eropyynnön päivämäärä
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Hinnoittelusäännöt on suodatettu määrän mukaan
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Ei asetettu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Aseta jolloin se liittyy työntekijöiden {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Aseta jolloin se liittyy työntekijöiden {0}
 DocType: Inpatient Record,Discharge,Purkaa
 DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Määrä (via Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Toistuvien asiakkuuksien liikevaihto
@@ -2863,13 +2892,13 @@
 DocType: Chapter,Chapter,luku
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pari
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Oletus tili päivitetään automaattisesti POS-laskuun, kun tämä tila on valittu."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Valitse BOM ja Määrä Tuotannon
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Valitse BOM ja Määrä Tuotannon
 DocType: Asset,Depreciation Schedule,Poistot aikataulu
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,-myyjään osoitteista ja yhteystiedoista
 DocType: Bank Reconciliation Detail,Against Account,tili kohdistus
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Half Day Date pitäisi olla välillä Päivästä ja Päivään
 DocType: Maintenance Schedule Detail,Actual Date,todellinen päivä
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Aseta oletuskustannuspaikka {0} yrityksessä.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Aseta oletuskustannuspaikka {0} yrityksessä.
 DocType: Item,Has Batch No,on erä nro
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Vuotuinen laskutus: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2881,7 +2910,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Vaihtotyyppi
 DocType: Student,Personal Details,Henkilökohtaiset lisätiedot
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Ole hyvä ja aseta yrityksen {0} poistojen kustannuspaikka.
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Ole hyvä ja aseta yrityksen {0} poistojen kustannuspaikka.
 ,Maintenance Schedules,huoltoaikataulut
 DocType: Task,Actual End Date (via Time Sheet),Todellinen Lopetuspäivä (via kellokortti)
 DocType: Soil Texture,Soil Type,Maaperätyyppi
@@ -2889,10 +2918,10 @@
 ,Quotation Trends,Tarjousten kehitys
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},tuotteen {0} tuoteryhmää ei ole mainittu kohdassa tuote työkalu
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,tilin debet tulee olla saatava tili
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,tilin debet tulee olla saatava tili
 DocType: Shipping Rule,Shipping Amount,Toimituskustannus arvomäärä
 DocType: Supplier Scorecard Period,Period Score,Ajanjakso
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Lisää Asiakkaat
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Lisää Asiakkaat
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Odottaa arvomäärä
 DocType: Lab Test Template,Special,erityinen
 DocType: Loyalty Program,Conversion Factor,muuntokerroin
@@ -2909,7 +2938,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Lisää kirjelomake
 DocType: Program Enrollment,Self-Driving Vehicle,Itsestään kulkevaa ajoneuvoa
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Toimittajan sijoitus
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Rivi {0}: osaluettelosi ei löytynyt Tuote {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Rivi {0}: osaluettelosi ei löytynyt Tuote {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Yhteensä myönnetty lehdet {0} ei voi olla pienempi kuin jo hyväksytty lehdet {1} kaudeksi
 DocType: Contract Fulfilment Checklist,Requirement,Vaatimus
 DocType: Journal Entry,Accounts Receivable,saatava tilit
@@ -2925,16 +2954,16 @@
 DocType: Projects Settings,Timesheets,Tuntilomakkeet
 DocType: HR Settings,HR Settings,Henkilöstöhallinnan määritykset
 DocType: Salary Slip,net pay info,nettopalkka info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS määrä
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS määrä
 DocType: Woocommerce Settings,Enable Sync,Ota synkronointi käyttöön
 DocType: Tax Withholding Rate,Single Transaction Threshold,Yksittäisen tapahtumakynnys
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Tämä arvo päivitetään oletusmyyntihinnassa.
 DocType: Email Digest,New Expenses,Uudet kustannukset
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC-määrä
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC-määrä
 DocType: Shareholder,Shareholder,osakas
 DocType: Purchase Invoice,Additional Discount Amount,Lisäalennus
 DocType: Cash Flow Mapper,Position,asento
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Hae kohteet resepteistä
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Hae kohteet resepteistä
 DocType: Patient,Patient Details,Potilastiedot
 DocType: Inpatient Record,B Positive,B Positiivinen
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2946,8 +2975,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Ryhmä Non-ryhmän
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,urheilu
 DocType: Loan Type,Loan Name,laina Name
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Kiinteä summa yhteensä
-DocType: Lab Test UOM,Test UOM,Testaa UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Kiinteä summa yhteensä
 DocType: Student Siblings,Student Siblings,Student Sisarukset
 DocType: Subscription Plan Detail,Subscription Plan Detail,Tilausohjelman yksityiskohtaisuus
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Yksikkö
@@ -2974,7 +3002,6 @@
 DocType: Workstation,Wages per hour,Tuntipalkat
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Erän varastotase {0} muuttuu negatiiviseksi {1} tuotteelle {2} varastossa {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Seuraavat hankintapyynnöt luotu tilauspisteen mukaisesti
-DocType: Email Digest,Pending Sales Orders,Odottaa Myyntitilaukset
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Tili {0} ei kelpaa. Tilin valuutan on oltava {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},"Päivämäärästä {0} ei voi olla, kun työntekijän vapauttaminen päivämäärä {1}"
 DocType: Supplier,Is Internal Supplier,Onko sisäinen toimittaja
@@ -2983,13 +3010,14 @@
 DocType: Healthcare Settings,Remind Before,Muistuta ennen
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Mittayksikön muuntokerroin vaaditaan rivillä {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi myyntitilaus, myyntilasku tai Päiväkirjakirjaus"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi myyntitilaus, myyntilasku tai Päiväkirjakirjaus"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyalty Points = Kuinka paljon perusvaluutta?
 DocType: Salary Component,Deduction,vähennys
 DocType: Item,Retain Sample,Säilytä näyte
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Rivi {0}: From Time ja Kellonaikatilaan on pakollista.
 DocType: Stock Reconciliation Item,Amount Difference,määrä ero
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Nimikkeen '{0}' hinta lisätty hinnastolle '{1}'
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Nimikkeen '{0}' hinta lisätty hinnastolle '{1}'
+DocType: Delivery Stop,Order Information,tilaus Informaatio
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Syötä työntekijätunnu tälle myyjälle
 DocType: Territory,Classification of Customers by region,asiakkaiden luokittelu alueittain
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Tuotannossa
@@ -3000,8 +3028,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Laskettu tilin saldo
 DocType: Normal Test Template,Normal Test Template,Normaali testausmalli
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,käyttäjä poistettu käytöstä
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Tarjous
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Vastaanotettua pyyntöä ei voi määrittää Ei lainkaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Tarjous
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Vastaanotettua pyyntöä ei voi määrittää Ei lainkaan
 DocType: Salary Slip,Total Deduction,Vähennys yhteensä
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Valitse tili, jonka haluat tulostaa tilin valuuttana"
 ,Production Analytics,Tuotanto-analytiikka
@@ -3014,14 +3042,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Toimittajan tuloskortin asetukset
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Arviointisuunnitelman nimi
 DocType: Work Order Operation,Work Order Operation,Työjärjestyksen toiminta
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Varoitus: Liitteen {0} SSL-varmenne ei kelpaa
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Varoitus: Liitteen {0} SSL-varmenne ei kelpaa
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",Liidien avulla liiketoimintaasi ja kontaktiesi määrä kasvaa ja niistä syntyy uusia mahdollisuuksia
 DocType: Work Order Operation,Actual Operation Time,todellinen toiminta-aika
 DocType: Authorization Rule,Applicable To (User),sovellettavissa (käyttäjä)
 DocType: Purchase Taxes and Charges,Deduct,vähentää
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,työn kuvaus
 DocType: Student Applicant,Applied,soveltava
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Avaa uudelleen
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Avaa uudelleen
 DocType: Sales Invoice Item,Qty as per Stock UOM,Yksikkömäärä / varastoyksikkö
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Name
 DocType: Attendance,Attendance Request,Osallistumishakemus
@@ -3039,7 +3067,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Sarjanumerolla {0} on takuu {1} asti
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Pienin sallittu arvo
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Käyttäjä {0} on jo olemassa
-apps/erpnext/erpnext/hooks.py +114,Shipments,Toimitukset
+apps/erpnext/erpnext/hooks.py +115,Shipments,Toimitukset
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Yhteensä jaettava määrä (Company valuutta)
 DocType: Purchase Order Item,To be delivered to customer,Toimitetaan asiakkaalle
 DocType: BOM,Scrap Material Cost,Romu ainekustannukset
@@ -3047,11 +3075,12 @@
 DocType: Grant Application,Email Notification Sent,Sähköpostiviesti lähetetty
 DocType: Purchase Invoice,In Words (Company Currency),sanat (yrityksen valuutta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Yhtiö on yhtiön tilinpäätöksessä
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Rivikohtainen koodi, varasto, määrä vaaditaan"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Rivikohtainen koodi, varasto, määrä vaaditaan"
 DocType: Bank Guarantee,Supplier,Toimittaja
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,"hae, mistä"
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Tämä on root-osasto eikä sitä voi muokata.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Näytä maksutiedot
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Kesto päivinä
 DocType: C-Form,Quarter,3 kk
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Sekalaiset kustannukset
 DocType: Global Defaults,Default Company,oletus yritys
@@ -3059,7 +3088,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kustannus- / erotuksen tili vaaditaan tuotteelle {0} sillä se vaikuttaa varastoarvoon
 DocType: Bank,Bank Name,pankin nimi
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-yllä
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Jätä kenttä tyhjäksi tehdäksesi tilauksia kaikille toimittajille
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Jätä kenttä tyhjäksi tehdäksesi tilauksia kaikille toimittajille
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Lääkäriasema
 DocType: Vital Signs,Fluid,neste
 DocType: Leave Application,Total Leave Days,"Poistumisten yhteismäärä, päivät"
@@ -3068,7 +3097,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Kohta Variant-asetukset
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Valitse yritys...
 DocType: Leave Control Panel,Leave blank if considered for all departments,tyhjä mikäli se pidetään vaihtoehtona kaikilla osastoilla
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} on pakollinen tuotteelle {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} on pakollinen tuotteelle {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Tuote {0}: {1} qty tuotettu,"
 DocType: Payroll Entry,Fortnightly,joka toinen viikko
 DocType: Currency Exchange,From Currency,valuutasta
@@ -3117,7 +3146,7 @@
 DocType: Account,Fixed Asset,Pitkaikaiset vastaavat
 DocType: Amazon MWS Settings,After Date,Päivämäärän jälkeen
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Sarjanumeroitu varastonhallinta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Virheellinen {0} Inter Company -tilille.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Virheellinen {0} Inter Company -tilille.
 ,Department Analytics,Department Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Sähköpostiä ei löydy oletusyhteydellä
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Luo salaisuus
@@ -3135,6 +3164,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,toimitusjohtaja
 DocType: Purchase Invoice,With Payment of Tax,Veronmaksu
 DocType: Expense Claim Detail,Expense Claim Detail,Kulukorvauksen lisätiedot
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Aseta Instructor Naming System in Education&gt; Koulutusasetukset
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Kolminkertaisesti TOIMITTAJA
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Uusi saldo perusvaluuttaan
 DocType: Location,Is Container,Onko kontti
@@ -3142,13 +3172,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Valitse oikea tili
 DocType: Salary Structure Assignment,Salary Structure Assignment,Palkkarakenne
 DocType: Purchase Invoice Item,Weight UOM,Painoyksikkö
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,"Luettelo osakkeenomistajista, joilla on folionumerot"
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,"Luettelo osakkeenomistajista, joilla on folionumerot"
 DocType: Salary Structure Employee,Salary Structure Employee,Palkka rakenne Työntekijän
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Näytä varianttimääritteet
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Näytä varianttimääritteet
 DocType: Student,Blood Group,Veriryhmä
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Maksuyhdyskäytävätietojärjestelmä {0} poikkeaa maksupyyntötilistä tässä maksupyynnössä
 DocType: Course,Course Name,Kurssin nimi
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Ei veroa pidätettäviä tietoja nykyisestä tilikaudesta.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Ei veroa pidätettäviä tietoja nykyisestä tilikaudesta.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Seuraavat käyttäjät voivat hyväksyä organisaation loma-anomukset
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Toimisto välineistö
 DocType: Purchase Invoice Item,Qty,Yksikkömäärä
@@ -3156,6 +3186,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Pisteytysasetukset
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,elektroniikka
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Salli sama kohde useita kertoja
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Luo hankintapyyntö kun saldo on alle tilauspisteen
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,päätoiminen
 DocType: Payroll Entry,Employees,Työntekijät
@@ -3167,11 +3198,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Maksuvahvistus
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Hinnat ei näytetä, jos hinnasto ei ole asetettu"
 DocType: Stock Entry,Total Incoming Value,"Kokonaisarvo, saapuva"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Veloituksen tarvitaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Veloituksen tarvitaan
 DocType: Clinical Procedure,Inpatient Record,Potilashoito
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Tuntilomakkeet auttavat seuraamaan aikaa, kustannuksia ja laskutusta tiimisi toiminnasta."
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Ostohinta List
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Tapahtuman päivämäärä
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Ostohinta List
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Tapahtuman päivämäärä
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Toimittajan tuloskortin muuttujien mallipohjat.
 DocType: Job Offer Term,Offer Term,Tarjouksen voimassaolo
 DocType: Asset,Quality Manager,Laadunhallinnan ylläpitäjä
@@ -3192,18 +3223,18 @@
 DocType: Cashier Closing,To Time,Aikaan
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Hyväksymisestä Rooli (edellä valtuutettu arvo)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,kredit tilin tulee olla maksutili
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,kredit tilin tulee olla maksutili
 DocType: Loan,Total Amount Paid,Maksettu kokonaismäärä
 DocType: Asset,Insurance End Date,Vakuutuksen päättymispäivä
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Valitse opiskelijavaihto, joka on pakollinen opiskelijalle"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursio: {0} ei voi olla {2}:n osa tai päinvastoin
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursio: {0} ei voi olla {2}:n osa tai päinvastoin
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Budjettilista
 DocType: Work Order Operation,Completed Qty,valmiit yksikkömäärä
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0}, vain debet tili voidaan kohdistaa kredit kirjaukseen"
 DocType: Manufacturing Settings,Allow Overtime,Salli Ylityöt
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Sarja-nimikettä {0} ei voi päivittää varaston täsmäytyksellä, tee varastotapahtuma"
 DocType: Training Event Employee,Training Event Employee,Koulutustapahtuma Työntekijä
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Suurin näytteitä - {0} voidaan säilyttää erää {1} ja kohtaan {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Suurin näytteitä - {0} voidaan säilyttää erää {1} ja kohtaan {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Lisää aikavälejä
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} sarjanumerot tarvitaan Tuotteelle {1}. Olet antanut {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Nykyinen arvostus
@@ -3233,11 +3264,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Sarjanumeroa {0} ei löydy
 DocType: Fee Schedule Program,Fee Schedule Program,Maksun aikatauluohjelma
 DocType: Fee Schedule Program,Student Batch,Student Erä
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Poista tämä työntekijä <a href=""#Form/Employee/{0}"">{0}</a> \ peruuttaaksesi tämän asiakirjan"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Tee Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Terveydenhuollon huoltopalvelutyyppi
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Sinut on kutsuttu yhteistyöhön projektissa {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Sinut on kutsuttu yhteistyöhön projektissa {0}
 DocType: Supplier Group,Parent Supplier Group,Vanhempi toimittajaryhmä
+DocType: Email Digest,Purchase Orders to Bill,Ostotilaukset Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Kertyneet arvot konserniyrityksessä
 DocType: Leave Block List Date,Block Date,estopäivä
 DocType: Crop,Crop,sato
@@ -3249,6 +3283,7 @@
 DocType: Sales Order,Not Delivered,toimittamatta
 ,Bank Clearance Summary,pankin tilitysyhteenveto
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","tee ja hallitse (päivä-, viikko- ja kuukausi) sähköpostitiedotteita"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Tämä perustuu liiketoimiin tätä myyjää vastaan. Katso lisätietoja alla olevasta aikataulusta
 DocType: Appraisal Goal,Appraisal Goal,arvioinnin tavoite
 DocType: Stock Reconciliation Item,Current Amount,nykyinen Määrä
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Rakennukset
@@ -3275,7 +3310,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Ohjelmistot
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Seuraava Ota Date ei voi olla menneisyydessä
 DocType: Company,For Reference Only.,vain viitteeksi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Valitse Erä
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Valitse Erä
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},virheellinen {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Viite Inv
@@ -3293,16 +3328,16 @@
 DocType: Normal Test Items,Require Result Value,Vaaditaan tulosarvoa
 DocType: Item,Show a slideshow at the top of the page,Näytä diaesitys sivun yläreunassa
 DocType: Tax Withholding Rate,Tax Withholding Rate,Verotulojen määrä
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,varastoi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,varastoi
 DocType: Project Type,Projects Manager,Projektien ylläpitäjä
 DocType: Serial No,Delivery Time,toimitusaika
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,vanhentuminen perustuu
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Nimitys peruutettiin
 DocType: Item,End of Life,elinkaaren loppu
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,matka
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,matka
 DocType: Student Report Generation Tool,Include All Assessment Group,Sisällytä kaikki arviointiryhmä
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Ei aktiivisia tai oletus Palkkarakenne löytynyt työntekijä {0} varten kyseisenä päivänä
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Ei aktiivisia tai oletus Palkkarakenne löytynyt työntekijä {0} varten kyseisenä päivänä
 DocType: Leave Block List,Allow Users,Salli Käyttäjät
 DocType: Purchase Order,Customer Mobile No,Matkapuhelin
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kassavirtakaavion mallipohjan tiedot
@@ -3311,15 +3346,16 @@
 DocType: Rename Tool,Rename Tool,Nimeä työkalu
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Päivitä kustannukset
 DocType: Item Reorder,Item Reorder,Tuotteen täydennystilaus
+DocType: Delivery Note,Mode of Transport,Liikennemuoto
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Näytä Palkka Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Varastosiirto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Varastosiirto
 DocType: Fees,Send Payment Request,Lähetä maksupyyntö
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","määritä toiminnot, käyttökustannukset ja anna toiminnoille oma uniikki numero"
 DocType: Travel Request,Any other details,Kaikki muut yksityiskohdat
 DocType: Water Analysis,Origin,alkuperä
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tämä asiakirja on yli rajan {0} {1} alkion {4}. Teetkö toisen {3} vasten samalla {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Ole hyvä ja aseta toistuvuustieto vasta lomakkeen tallentamisen jälkeen.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Valitse muutoksen suuruuden tili
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Ole hyvä ja aseta toistuvuustieto vasta lomakkeen tallentamisen jälkeen.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Valitse muutoksen suuruuden tili
 DocType: Purchase Invoice,Price List Currency,"Hinnasto, valuutta"
 DocType: Naming Series,User must always select,Käyttäjän tulee aina valita
 DocType: Stock Settings,Allow Negative Stock,salli negatiivinen varastoarvo
@@ -3340,9 +3376,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,jäljitettävyys
 DocType: Asset Maintenance Log,Actions performed,Tehtävät suoritettiin
 DocType: Cash Flow Mapper,Section Leader,Ryhmänjohtaja
+DocType: Delivery Note,Transport Receipt No,Kuljetusraportti nro
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Rahoituksen lähde (vieras pääoma)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Lähde- ja kohdetiedot eivät voi olla samat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Määrä rivillä {0} ({1}) tulee olla sama kuin valmistettu määrä {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Määrä rivillä {0} ({1}) tulee olla sama kuin valmistettu määrä {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Työntekijä
 DocType: Bank Guarantee,Fixed Deposit Number,Kiinteä talletusnumero
 DocType: Asset Repair,Failure Date,Vianmäärityspäivämäärä
@@ -3356,16 +3393,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Maksu vähennykset tai tappio
 DocType: Soil Analysis,Soil Analysis Criterias,Maaperän analyysikriteerit
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,"perussopimusehdot, myynti tai osto"
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Haluatko varmasti peruuttaa nimityksen?
+DocType: BOM Item,Item operation,Tuoteoperaatio
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Haluatko varmasti peruuttaa nimityksen?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotellihuoneen hinnoittelupaketti
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Sales Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Aseta oletus tilin palkanosa {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,pyydetylle
 DocType: Rename Tool,File to Rename,Uudelleen nimettävä tiedosto
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Valitse BOM varten Tuote rivillä {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Hae tilauksen päivitykset
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Tilin {0} ei vastaa yhtiön {1} -tilassa Account: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Määriteltyä BOM:ia {0} ei löydy tuotteelle {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Määriteltyä BOM:ia {0} ei löydy tuotteelle {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,kurssi:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,huoltoaikataulu {0} on peruttava ennen myyntitilauksen perumista
@@ -3374,7 +3412,7 @@
 DocType: Notification Control,Expense Claim Approved,Kulukorvaus hyväksytty
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Set Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Ei luotu työjärjestys
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Palkka Slip työntekijöiden {0} on jo luotu tällä kaudella
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Palkka Slip työntekijöiden {0} on jo luotu tällä kaudella
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Lääkealan
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Voit jättää lomakkeen vain kelvollisen kasaamisen summan
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ostettujen tuotteiden kustannukset
@@ -3382,7 +3420,8 @@
 DocType: Selling Settings,Sales Order Required,Myyntitilaus vaaditaan
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Ryhdy Myyjäksi
 DocType: Purchase Invoice,Credit To,kredittiin
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktiiviset liidit / asiakkaat
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktiiviset liidit / asiakkaat
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Jätä tyhjäksi, jos haluat käyttää vakiotoimitusviestin muotoa"
 DocType: Employee Education,Post Graduate,Jatko
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,huoltoaikataulu lisätiedot
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Varo uusia ostotilauksia
@@ -3396,14 +3435,14 @@
 DocType: Support Search Source,Post Title Key,Post Title -näppäin
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Job-kortille
 DocType: Warranty Claim,Raised By,Pyynnön tekijä
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,reseptiä
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,reseptiä
 DocType: Payment Gateway Account,Payment Account,Maksutili
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Ilmoitathan Yritys jatkaa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Ilmoitathan Yritys jatkaa
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Nettomuutos Myyntireskontra
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,korvaava on pois
 DocType: Job Offer,Accepted,hyväksytyt
 DocType: POS Closing Voucher,Sales Invoices Summary,Myynti laskujen yhteenveto
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Puolueen nimi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Puolueen nimi
 DocType: Grant Application,Organization,organisaatio
 DocType: BOM Update Tool,BOM Update Tool,BOM-päivitystyökalu
 DocType: SG Creation Tool Course,Student Group Name,Opiskelijan Group Name
@@ -3412,7 +3451,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Haluatko varmasti poistaa kaikki tämän yrityksen tapahtumat, päätyedostosi säilyy silti entisellään, tätä toimintoa ei voi peruuttaa"
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Hakutulokset
 DocType: Room,Room Number,Huoneen numero
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Virheellinen viittaus {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Virheellinen viittaus {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei voi olla suurempi arvo kuin suunniteltu tuotantomäärä ({2}) tuotannon tilauksessa {3}
 DocType: Shipping Rule,Shipping Rule Label,Toimitustapa otsikko
 DocType: Journal Entry Account,Payroll Entry,Palkkasumma
@@ -3420,8 +3459,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Tee veromalli
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Keskustelupalsta
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Raaka-aineet ei voi olla tyhjiä
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Rivi # {0} (Maksutaulukko): Määrän on oltava negatiivinen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Ei voinut päivittää hyllyssä, lasku sisältää pudota merenkulku erä."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Rivi # {0} (Maksutaulukko): Määrän on oltava negatiivinen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Ei voinut päivittää hyllyssä, lasku sisältää pudota merenkulku erä."
 DocType: Contract,Fulfilment Status,Täytäntöönpanon tila
 DocType: Lab Test Sample,Lab Test Sample,Lab Test -näyte
 DocType: Item Variant Settings,Allow Rename Attribute Value,Salli Rename attribuutin arvo
@@ -3463,11 +3502,11 @@
 DocType: BOM,Show Operations,Näytä Operations
 ,Minutes to First Response for Opportunity,Vastausaikaraportti (mahdollisuudet)
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,"Yhteensä, puuttua"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Rivin {0} nimike tai varasto ei täsmää hankintapyynnön kanssa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Rivin {0} nimike tai varasto ei täsmää hankintapyynnön kanssa
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Yksikkö
 DocType: Fiscal Year,Year End Date,Vuoden viimeinen päivä
 DocType: Task Depends On,Task Depends On,Tehtävä riippuu
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Myyntimahdollisuus
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Myyntimahdollisuus
 DocType: Operation,Default Workstation,oletus työpiste
 DocType: Notification Control,Expense Claim Approved Message,Viesti kulukorvauksen hyväksymisestä
 DocType: Payment Entry,Deductions or Loss,Vähennykset tai Loss
@@ -3505,20 +3544,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,hyväksyvä käyttäjä ei voi olla sama kuin käytetyssä säännössä oleva
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Perushinta (varastoyksikössä)
 DocType: SMS Log,No of Requested SMS,Pyydetyn SMS-viestin numero
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Jätä Ilman Pay ei vastaa hyväksyttyä Leave Application kirjaa
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Jätä Ilman Pay ei vastaa hyväksyttyä Leave Application kirjaa
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Seuraavat vaiheet
 DocType: Travel Request,Domestic,kotimainen
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Ole hyvä ja toimittaa erityisiin kohtiin on paras mahdollinen hinnat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Ole hyvä ja toimittaa erityisiin kohtiin on paras mahdollinen hinnat
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Työntekijöiden siirtoa ei voida lähettää ennen siirron ajankohtaa
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,tee Lasku
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Jäljelläoleva saldo
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Jäljelläoleva saldo
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto lähellä Mahdollisuus 15 päivän jälkeen
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,"Ostosopimukset eivät ole sallittuja {0}, koska tulosvastine on {1}."
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Viivakoodi {0} ei ole kelvollinen {1} koodi
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Viivakoodi {0} ei ole kelvollinen {1} koodi
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,end Year
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lyijy%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,sopimuksen päättymispäivä tulee olla liittymispäivän jälkeen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,sopimuksen päättymispäivä tulee olla liittymispäivän jälkeen
 DocType: Driver,Driver,kuljettaja
 DocType: Vital Signs,Nutrition Values,Ravitsemusarvot
 DocType: Lab Test Template,Is billable,On laskutettava
@@ -3529,7 +3568,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Tämä on ERPNext-järjestelmän automaattisesti luoma verkkosivu
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,vanhentumisen skaala 1
 DocType: Shopify Settings,Enable Shopify,Ota Shopify käyttöön
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Ennakkomaksu ei voi olla suurempi kuin vaadittu kokonaismäärä
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Ennakkomaksu ei voi olla suurempi kuin vaadittu kokonaismäärä
 DocType: Purchase Taxes and Charges Template,"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
@@ -3556,12 +3595,12 @@
 DocType: Employee Separation,Employee Separation,Työntekijöiden erottaminen
 DocType: BOM Item,Original Item,Alkuperäinen tuote
 DocType: Purchase Receipt Item,Recd Quantity,RECD Määrä
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Date
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Luotu - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Luokka Account
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Rivi # {0} (Maksutaulukko): Määrän on oltava positiivinen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Rivi # {0} (Maksutaulukko): Määrän on oltava positiivinen
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},ei voi valmistaa suurempaa määrää tuotteita {0} kuin myyntitilauksen määrä {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Valitse attribuuttiarvot
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Valitse attribuuttiarvot
 DocType: Purchase Invoice,Reason For Issuing document,Asiakirjan myöntämisen syy
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Varastotapahtumaa {0} ei ole vahvistettu
 DocType: Payment Reconciliation,Bank / Cash Account,Pankki-tai Kassatili
@@ -3570,8 +3609,10 @@
 DocType: Asset,Manual,manuaalinen
 DocType: Salary Component Account,Salary Component Account,Palkanosasta Account
 DocType: Global Defaults,Hide Currency Symbol,piilota valuuttasymbooli
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Myyntimahdollisuudet lähteittäin
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Luovuttajan tiedot.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","esim, pankki, kassa, luottokortti"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Aseta numeerinen sarja osallistumiselle Setup&gt; Numerosarjan kautta
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","esim, pankki, kassa, luottokortti"
 DocType: Job Applicant,Source Name,Source Name
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normaali lepovaihe aikuispotilailla on noin 120 mmHg systolista ja 80 mmHg diastolista, lyhennettynä &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Määritä tuotteiden säilyvyys päivinä, asettaaksesi voimassaolon päättymispäivän valmistus-päivämäärän ja itseluottamuksen perusteella"
@@ -3601,7 +3642,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Määrän on oltava pienempi kuin {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rivi {0}: Aloitus on ennen Päättymispäivä
 DocType: Salary Component,Max Benefit Amount (Yearly),Ennakkomaksu (vuosittain)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS-hinta%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS-hinta%
 DocType: Crop,Planting Area,Istutusalue
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),yhteensä (yksikkömäärä)
 DocType: Installation Note Item,Installed Qty,asennettu yksikkömäärä
@@ -3623,8 +3664,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Jätä hyväksyntäilmoitus
 DocType: Buying Settings,Default Buying Price List,Ostohinnasto (oletus)
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Palkka tuntilomakkeen mukaan
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Ostaminen
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Rivi {0}: Anna omaisuuserän sijainti {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Ostaminen
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Rivi {0}: Anna omaisuuserän sijainti {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-Tarjouspyyntö-.YYYY.-
 DocType: Company,About the Company,Yrityksestä
 DocType: Notification Control,Sales Order Message,"Myyntitilaus, viesti"
@@ -3689,10 +3730,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Rivi {0}: Syötä suunniteltu määrä
 DocType: Account,Income Account,tulotili
 DocType: Payment Request,Amount in customer's currency,Summa asiakkaan valuutassa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Toimitus
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Toimitus
 DocType: Volunteer,Weekdays,Arkisin
 DocType: Stock Reconciliation Item,Current Qty,nykyinen yksikkömäärä
 DocType: Restaurant Menu,Restaurant Menu,Ravintola Valikko
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Lisää toimittajat
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Ohje-osio
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Taaksepäin
@@ -3704,19 +3746,20 @@
 												fullfill Sales Order {2}","Lähetyksen {1} sarjanumero {0} ei voi antaa, koska se on varattu \ fullfill myyntitilaukseen {2}"
 DocType: Item Reorder,Material Request Type,Hankintapyynnön tyyppi
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Lähetä rahastoarvio sähköposti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStoragen on täynnä, ei tallentanut"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Rivi {0}: UOM Muuntokerroin on pakollinen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStoragen on täynnä, ei tallentanut"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Rivi {0}: UOM Muuntokerroin on pakollinen
 DocType: Employee Benefit Claim,Claim Date,Vaatimuspäivä
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Huoneen kapasiteetti
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Tietue {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Viite
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Menetät aiemmin luotujen laskujen tiedot. Haluatko varmasti aloittaa tämän tilauksen uudelleen?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Rekisteröintimaksu
 DocType: Loyalty Program Collection,Loyalty Program Collection,Loyalty Program Collection
 DocType: Stock Entry Detail,Subcontracted Item,Alihankittu kohde
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Opiskelija {0} ei kuulu ryhmään {1}
 DocType: Budget,Cost Center,Kustannuspaikka
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Tosite #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Tosite #
 DocType: Notification Control,Purchase Order Message,Ostotilaus Message
 DocType: Tax Rule,Shipping Country,Toimitusmaa
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Piilota Asiakkaan Tax Id myyntitapahtumia
@@ -3735,23 +3778,22 @@
 DocType: Subscription,Cancel At End Of Period,Peruuta lopussa
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Omaisuus on jo lisätty
 DocType: Item Supplier,Item Supplier,tuote toimittaja
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Syötä tuotekoodi saadaksesi eränumeron
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Syötä arvot tarjouksesta {0} tarjoukseen {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Syötä tuotekoodi saadaksesi eränumeron
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Syötä arvot tarjouksesta {0} tarjoukseen {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Siirrettäviä kohteita ei ole valittu
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,kaikki osoitteet
 DocType: Company,Stock Settings,varastoasetukset
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","yhdistäminen on mahdollista vain, jos seuraavat arvot ovat samoja molemmissa tietueissa, kantatyyppi, ryhmä, viite, yritys"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","yhdistäminen on mahdollista vain, jos seuraavat arvot ovat samoja molemmissa tietueissa, kantatyyppi, ryhmä, viite, yritys"
 DocType: Vehicle,Electric,Sähköinen
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Voitto / tappio Omaisuudenhoitoalan Hävittäminen
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Alla olevassa taulukossa valitaan vain &quot;Approved&quot; -tilassa oleva opiskelijahakija.
 DocType: Tax Withholding Category,Rates,hinnat
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Tilille {0} ei ole tiliä. <br> Aseta tilikarttasi oikein.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Tilille {0} ei ole tiliä. <br> Aseta tilikarttasi oikein.
 DocType: Task,Depends on Tasks,Riippuu Tehtävät
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,hallitse asiakasryhmäpuuta
 DocType: Normal Test Items,Result Value,Tulosarvo
 DocType: Hotel Room,Hotels,hotellit
-DocType: Delivery Note,Transporter Date,Lähettäjän päivämäärä
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,uuden kustannuspaikan nimi
 DocType: Leave Control Panel,Leave Control Panel,poistu ohjauspaneelista
 DocType: Project,Task Completion,Task Täydennys
@@ -3798,11 +3840,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Kaikki Assessment Groups
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Uusi varasto Name
 DocType: Shopify Settings,App Type,Sovellustyyppi
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Yhteensä {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Yhteensä {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Alue
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vierailujen määrä vaaditaan
 DocType: Stock Settings,Default Valuation Method,oletus arvomenetelmä
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Maksu
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Näytä kumulatiivinen määrä
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Päivitys käynnissä. Voi kestää hetken.
 DocType: Production Plan Item,Produced Qty,Tuotettu määrä
 DocType: Vehicle Log,Fuel Qty,polttoaineen määrä
@@ -3810,7 +3853,7 @@
 DocType: Work Order Operation,Planned Start Time,Suunniteltu aloitusaika
 DocType: Course,Assessment,Arviointi
 DocType: Payment Entry Reference,Allocated,kohdennettu
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Sulje tase- ja tuloslaskelma kirja
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Sulje tase- ja tuloslaskelma kirja
 DocType: Student Applicant,Application Status,sovellus status
 DocType: Additional Salary,Salary Component Type,Palkkaerätyyppi
 DocType: Sensitivity Test Items,Sensitivity Test Items,Herkkyyskoe
@@ -3821,10 +3864,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,odottava arvomäärä yhteensä
 DocType: Sales Partner,Targets,Tavoitteet
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Rekisteröi SIREN-numero yritystiedostossa
+DocType: Email Digest,Sales Orders to Bill,Myyntitilaukset Billille
 DocType: Price List,Price List Master,Hinnasto valvonta
 DocType: GST Account,CESS Account,CESS-tili
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,kaikki myyntitapahtumat voidaan kohdistaa useammalle ** myyjälle ** tavoitteiden asettamiseen ja seurantaan
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Linkki materiaalihakemukseen
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Linkki materiaalihakemukseen
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Foorumin toiminta
 ,S.O. No.,Myyntitilaus nro
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Pankkitilin tapahtumien asetukset
@@ -3839,7 +3883,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Tämä on perusasiakasryhmä joka ei ole muokattavissa.
 DocType: Student,AB-,AB -
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Toimi jos Kertynyt kuukausibudjetti ylittyy PO: lla
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Sijoittaa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Sijoittaa
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valuuttakurssin arvonkorotus
 DocType: POS Profile,Ignore Pricing Rule,ohita hinnoittelu sääntö
 DocType: Employee Education,Graduate,valmistunut
@@ -3875,6 +3919,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Aseta oletusasiakas ravintolaasetuksissa
 ,Salary Register,Palkka Register
 DocType: Warehouse,Parent Warehouse,Päävarasto
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Kartoittaa
 DocType: Subscription,Net Total,netto yhteensä
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Oletuksena BOM ei löytynyt Tuote {0} ja Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Määritä eri laina tyypit
@@ -3907,24 +3952,26 @@
 DocType: Membership,Membership Status,Jäsenyyden tila
 DocType: Travel Itinerary,Lodging Required,Majoitus vaaditaan
 ,Requested,Pyydetty
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Ei huomautuksia
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Ei huomautuksia
 DocType: Asset,In Maintenance,Huollossa
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Napsauta tätä painiketta, jos haluat vetää myyntitietosi tiedot Amazon MWS: ltä."
 DocType: Vital Signs,Abdomen,Vatsa
 DocType: Purchase Invoice,Overdue,Myöhässä
 DocType: Account,Stock Received But Not Billed,varasto vastaanotettu mutta ei laskutettu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root on ryhmä
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root on ryhmä
 DocType: Drug Prescription,Drug Prescription,Lääkehoito
 DocType: Loan,Repaid/Closed,Palautettava / Suljettu
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Arvioitu kokonaismäärä
 DocType: Monthly Distribution,Distribution Name,"toimitus, nimi"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Sisällytä UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Arviointikurssia ei ole löytynyt {0}, joka on velvollinen tekemään kirjanpitoarvot {1} {2}. Jos kohde käsitellään {1}: n nollaarvostuskorkoineen, mainitse {1} kohtaan taulukossa. Muussa tapauksessa luo saapuva osakekauppa kohteen kohtaan tai mainitse arvonmäärityskorvaus Item-tietueessa ja yritä sitten lähettää tai peruuttaa tämä merkintä"
 DocType: Course,Course Code,Course koodi
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Tuotteelle {0} laatutarkistus
 DocType: Location,Parent Location,Vanhempien sijainti
 DocType: POS Settings,Use POS in Offline Mode,Käytä POS Offline-tilassa
 DocType: Supplier Scorecard,Supplier Variables,Toimittajan muuttujat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} on pakollinen. Ehkä valuuttapörssiä ei luoda {1} - {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"taso, jolla asiakkaan valuutta muunnetaan yrityksen käyttämäksi perusvaluutaksi"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),nettotaso (yrityksen valuutta)
 DocType: Salary Detail,Condition and Formula Help,Ehto ja Formula Ohje
@@ -3933,19 +3980,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Myyntilasku
 DocType: Journal Entry Account,Party Balance,Osatase
 DocType: Cash Flow Mapper,Section Subtotal,Osasto Yhteensä
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Valitse käytä alennusta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Valitse käytä alennusta
 DocType: Stock Settings,Sample Retention Warehouse,Näytteen säilytysvarasto
 DocType: Company,Default Receivable Account,oletus saatava tili
 DocType: Purchase Invoice,Deemed Export,Katsottu vienti
 DocType: Stock Entry,Material Transfer for Manufacture,Varastosiirto tuotantoon
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,"alennusprosenttia voi soveltaa yhteen, tai useampaan hinnastoon"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Kirjanpidon varastotapahtuma
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Kirjanpidon varastotapahtuma
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Olet jo arvioitu arviointikriteerit {}.
 DocType: Vehicle Service,Engine Oil,Moottoriöljy
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Luodut työmääräykset: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Luodut työmääräykset: {0}
 DocType: Sales Invoice,Sales Team1,Myyntitiimi 1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,tuotetta {0} ei ole olemassa
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,tuotetta {0} ei ole olemassa
 DocType: Sales Invoice,Customer Address,Asiakkaan osoite
 DocType: Loan,Loan Details,Loan tiedot
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Yritysten asennuksen epäonnistuminen ei onnistunut
@@ -3966,34 +4013,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Näytä tämä diaesitys sivun yläreunassa
 DocType: BOM,Item UOM,tuote UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Veron arvomäärä alennusten jälkeen (yrityksen valuutta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Kohdevarasto on pakollinen rivillä {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Kohdevarasto on pakollinen rivillä {0}
 DocType: Cheque Print Template,Primary Settings,Perusasetukset
 DocType: Attendance Request,Work From Home,Tehdä töitä kotoa
 DocType: Purchase Invoice,Select Supplier Address,Valitse toimittajan osoite
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Lisää Työntekijät
 DocType: Purchase Invoice Item,Quality Inspection,Laatutarkistus
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,erittäin pieni
 DocType: Company,Standard Template,Standard Template
 DocType: Training Event,Theory,Teoria
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Varoitus: Pyydetty materiaalin määrä alittaa minimi hankintaerän
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Varoitus: Pyydetty materiaalin määrä alittaa minimi hankintaerän
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,tili {0} on jäädytetty
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"juridinen hlö / tytäryhtiö, jolla on erillinen tilikartta kuuluu organisaatioon"
 DocType: Payment Request,Mute Email,Mute Sähköposti
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Ruoka, Juoma ja Tupakka"
 DocType: Account,Account Number,Tilinumero
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Voi vain maksun vastaan laskuttamattomia {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,provisio taso ei voi olla suurempi kuin 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Voi vain maksun vastaan laskuttamattomia {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,provisio taso ei voi olla suurempi kuin 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Jakautuvat ennakot automaattisesti (FIFO)
 DocType: Volunteer,Volunteer,vapaaehtoinen
 DocType: Buying Settings,Subcontract,alihankinta
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Kirjoita {0} ensimmäisen
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Ei vastauksia
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Ei vastauksia
 DocType: Work Order Operation,Actual End Time,todellinen päättymisaika
 DocType: Item,Manufacturer Part Number,valmistajan osanumero
 DocType: Taxable Salary Slab,Taxable Salary Slab,Verotettava palkkarakenne
 DocType: Work Order Operation,Estimated Time and Cost,arvioitu aika ja kustannus
 DocType: Bin,Bin,Astia
 DocType: Crop,Crop Name,Rajaa nimi
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,"Vain käyttäjät, joilla on {0} rooli, voivat rekisteröityä Marketplacessa"
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,"Vain käyttäjät, joilla on {0} rooli, voivat rekisteröityä Marketplacessa"
 DocType: SMS Log,No of Sent SMS,Lähetetyn SMS-viestin numero
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Nimitykset ja tapaamiset
@@ -4022,7 +4070,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Vaihda koodi
 DocType: Purchase Invoice Item,Valuation Rate,Arvostustaso
 DocType: Vehicle,Diesel,diesel-
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,"Hinnasto, valuutta ole valittu"
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,"Hinnasto, valuutta ole valittu"
 DocType: Purchase Invoice,Availed ITC Cess,Käytti ITC Cessia
 ,Student Monthly Attendance Sheet,Student Kuukauden Läsnäolo Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Myyntiin sovellettava toimitussääntö
@@ -4038,7 +4086,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,hallitse myyntikumppaneita
 DocType: Quality Inspection,Inspection Type,tarkistus tyyppi
 DocType: Fee Validity,Visited yet,Käyn vielä
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Varastoissa nykyisten tapahtumaa ei voida muuntaa ryhmään.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Varastoissa nykyisten tapahtumaa ei voida muuntaa ryhmään.
 DocType: Assessment Result Tool,Result HTML,tulos HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kuinka usein projektin ja yrityksen tulee päivittää myyntitapahtumien perusteella.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Vanhemee
@@ -4046,7 +4094,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Ole hyvä ja valitse {0}
 DocType: C-Form,C-Form No,C-muoto nro
 DocType: BOM,Exploded_items,räjäytetyt_tuotteet
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Etäisyys
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Etäisyys
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Luetteloi tuotteet tai palvelut, joita ostetaan tai myydään."
 DocType: Water Analysis,Storage Temperature,Säilytyslämpötila
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-CHI-.YYYY.-
@@ -4062,19 +4110,19 @@
 DocType: Shopify Settings,Delivery Note Series,Toimitusviestin sarja
 DocType: Purchase Order Item,Returned Qty,Palautetut Kpl
 DocType: Student,Exit,poistu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,kantatyyppi vaaditaan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,kantatyyppi vaaditaan
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Esiasetusten asentaminen epäonnistui
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM-muunnos tunnissa
 DocType: Contract,Signee Details,Signeen tiedot
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} on tällä hetkellä {1} toimittajatietokortin seisominen, ja tämän toimittajan pyynnöstä tulisi antaa varovaisuus."
 DocType: Certified Consultant,Non Profit Manager,Non Profit Manager
 DocType: BOM,Total Cost(Company Currency),Kokonaiskustannukset (Company valuutta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Luotu sarjanumero {0}
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Luotu sarjanumero {0}
 DocType: Homepage,Company Description for website homepage,Verkkosivuston etusivulle sijoitettava yrityksen kuvaus
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",voit tulostaa nämä koodit tulostusmuodoissa asiakirjoihin kuten laskut ja lähetteet asiakkaiden työn helpottamiseksi
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Name
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Tietoja {0} ei löytynyt.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Avauspäiväkirja
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Avauspäiväkirja
 DocType: Contract,Fulfilment Terms,Täytäntöönpanoehdot
 DocType: Sales Invoice,Time Sheet List,Tuntilistaluettelo
 DocType: Employee,You can enter any date manually,voit kirjoittaa minkä tahansa päivämäärän manuaalisesti
@@ -4109,7 +4157,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Organisaation
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ohita jakauma jakaumalle seuraaville työntekijöille, koska heille on jo myönnetty jakauma-tietueita. {0}"
 DocType: Fee Component,Fees Category,Maksut Luokka
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Syötä lievittää päivämäärä.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Syötä lievittää päivämäärä.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,pankkipääte
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Sponsorin tiedot (nimi, sijainti)"
 DocType: Supplier Scorecard,Notify Employee,Ilmoita työntekijälle
@@ -4122,9 +4170,9 @@
 DocType: Company,Chart Of Accounts Template,Tilikartta Template
 DocType: Attendance,Attendance Date,"osallistuminen, päivä"
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Päivityksen on oltava mahdollinen ostolaskun {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Hinta päivitetty {0} in hinnasto {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Hinta päivitetty {0} in hinnasto {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Palkkaerittelyn kohdistetut ansiot ja vähennykset
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,tilin alasidoksia ei voi muuttaa tilikirjaksi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,tilin alasidoksia ei voi muuttaa tilikirjaksi
 DocType: Purchase Invoice Item,Accepted Warehouse,hyväksytyt varasto
 DocType: Bank Reconciliation Detail,Posting Date,Tositepäivä
 DocType: Item,Valuation Method,Arvomenetelmä
@@ -4161,6 +4209,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Valitse erä
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Matka- ja kulukorvaus
 DocType: Sales Invoice,Redemption Cost Center,Lunastuskustannuspaikka
+DocType: QuickBooks Migrator,Scope,laajuus
 DocType: Assessment Group,Assessment Group Name,Assessment Group Name
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Tuotantoon siirretyt materiaalit
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Lisää yksityiskohtiin
@@ -4168,6 +4217,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Viimeinen synkronointi Datetime
 DocType: Landed Cost Item,Receipt Document Type,Kuitti Document Type
 DocType: Daily Work Summary Settings,Select Companies,Valitse Yritykset
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Ehdotus / hinta
 DocType: Antibiotic,Healthcare,Terveydenhuolto
 DocType: Target Detail,Target Detail,Tavoite lisätiedot
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Yksi variantti
@@ -4177,6 +4227,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Kauden sulkukirjaus
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Valitse osasto ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,olemassaolevien tapahtumien kustannuspaikkaa ei voi muuttaa ryhmäksi
+DocType: QuickBooks Migrator,Authorization URL,Valtuutuksen URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Määrä {0} {1} {2} {3}
 DocType: Account,Depreciation,arvonalennus
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Osakkeiden lukumäärä ja osakemäärä ovat epäjohdonmukaisia
@@ -4198,13 +4249,14 @@
 DocType: Support Search Source,Source DocType,Lähde DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Avaa uusi lippu
 DocType: Training Event,Trainer Email,Trainer Sähköposti
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Hankintapyyntöjä luotu {0}
 DocType: Restaurant Reservation,No of People,Ihmisten määrä
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Sopimusehtojen mallipohja
 DocType: Bank Account,Address and Contact,Osoite ja yhteystiedot
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Onko tili Maksettava
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Varastoa ei voida päivittää saapumista {0} vastaan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Varastoa ei voida päivittää saapumista {0} vastaan
 DocType: Support Settings,Auto close Issue after 7 days,Auto lähellä Issue 7 päivän jälkeen
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Vapaita ei voida käyttää ennen {0}, koska käytettävissä olevat vapaat on jo siirretty eteenpäin jaksolle {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),huom: viitepäivä huomioiden asiakkaan luottoraja ylittyy {0} päivää
@@ -4222,7 +4274,7 @@
 ,Qty to Deliver,Toimitettava yksikkömäärä
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon synkronoi tämän päivämäärän jälkeen päivitetyt tiedot
 ,Stock Analytics,Varastoanalytiikka
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Toimintaa ei voi jättää tyhjäksi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Toimintaa ei voi jättää tyhjäksi
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab-testi (t)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Dokumentin yksityiskohta nro kohdistus
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Poistaminen ei ole sallittua maan {0}
@@ -4230,13 +4282,12 @@
 DocType: Quality Inspection,Outgoing,Lähtevä
 DocType: Material Request,Requested For,Pyydetty kohteelle
 DocType: Quotation Item,Against Doctype,koskien tietuetyyppiä
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} on peruutettu tai suljettu
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} on peruutettu tai suljettu
 DocType: Asset,Calculate Depreciation,Laske poistot
 DocType: Delivery Note,Track this Delivery Note against any Project,seuraa tätä lähetettä kohdistettuna projektiin
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Investointien nettokassavirta
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Asiakas&gt; Asiakasryhmä&gt; Alue
 DocType: Work Order,Work-in-Progress Warehouse,Työnalla varasto
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Omaisuus {0} pitää olla vahvistettu
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Omaisuus {0} pitää olla vahvistettu
 DocType: Fee Schedule Program,Total Students,Opiskelijat yhteensä
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Läsnäolo Record {0} on olemassa vastaan Opiskelija {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Viite # {0} päivätty {1}
@@ -4255,7 +4306,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Työntekijöiden säilyttämisbonusta ei voi luoda
 DocType: Lead,Market Segment,Market Segment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Maatalouspäällikkö
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Maksettu summa ei voi olla suurempi kuin puuttuva summa {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Maksettu summa ei voi olla suurempi kuin puuttuva summa {0}
 DocType: Supplier Scorecard Period,Variables,muuttujat
 DocType: Employee Internal Work History,Employee Internal Work History,työntekijän sisäinen työhistoria
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),sulku (dr)
@@ -4279,22 +4330,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synkronointituotteet
 DocType: Loyalty Point Entry,Loyalty Program,Kanta-asiakasohjelma
 DocType: Student Guardian,Father,Isä
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Tuki lipuille
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Päivitä varasto' ei voida valita käyttöomaisuuden myynteihin
 DocType: Bank Reconciliation,Bank Reconciliation,pankin täsmäytys
 DocType: Attendance,On Leave,lomalla
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Liity sähköpostilistalle
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Tili {2} ei kuulu yhtiön {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Valitse ainakin yksi arvo kustakin attribuutista.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Valitse ainakin yksi arvo kustakin attribuutista.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Hankintapyyntö {0} on peruttu tai keskeytetty
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Lähetysvaltio
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Lähetysvaltio
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Vapaiden hallinta
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,ryhmät
 DocType: Purchase Invoice,Hold Invoice,Pidä lasku
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Valitse Työntekijä
 DocType: Sales Order,Fully Delivered,täysin toimitettu
-DocType: Lead,Lower Income,matala tulo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,matala tulo
 DocType: Restaurant Order Entry,Current Order,Nykyinen tilaus
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Sarjanumeroita on oltava sama määrää kuin tuotteita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Lähde- ja kohdevarasto eivät voi olla samat rivillä {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Lähde- ja kohdevarasto eivät voi olla samat rivillä {0}
 DocType: Account,Asset Received But Not Billed,Vastaanotettu mutta ei laskutettu omaisuus
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Erotuksen tili tulee olla vastaavat/vastattavat tili huomioiden, että varaston täsmäytys vaatii aloituskirjauksen"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Maksettu summa ei voi olla suurempi kuin lainan määrä {0}
@@ -4303,7 +4356,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Ostotilauksen numero vaaditaan tuotteelle {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',Aloituspäivän tulee olla ennen päättymispäivää
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Tälle nimikkeelle ei löytynyt henkilöstösuunnitelmia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,{1} erä {0} on poistettu käytöstä.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,{1} erä {0} on poistettu käytöstä.
 DocType: Leave Policy Detail,Annual Allocation,Vuotuinen jako
 DocType: Travel Request,Address of Organizer,Järjestäjän osoite
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Valitse terveydenhuollon ammattilainen ...
@@ -4312,12 +4365,12 @@
 DocType: Asset,Fully Depreciated,täydet poistot
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,ennustettu varaston yksikkömäärä
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},asiakas {0} ei kuulu projektiin {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},asiakas {0} ei kuulu projektiin {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Merkitty Läsnäolo HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Lainaukset ovat ehdotuksia, tarjouksia olet lähettänyt asiakkaille"
 DocType: Sales Invoice,Customer's Purchase Order,Asiakkaan Ostotilaus
 DocType: Clinical Procedure,Patient,potilas
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Ohita luottotarkastus myyntitilauksesta
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Ohita luottotarkastus myyntitilauksesta
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Työntekijän tukipalvelut
 DocType: Location,Check if it is a hydroponic unit,"Tarkista, onko se hydroponic yksikkö"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Sarjanumero ja erä
@@ -4327,7 +4380,7 @@
 DocType: Supplier Scorecard Period,Calculations,Laskelmat
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Arvo tai yksikkömäärä
 DocType: Payment Terms Template,Payment Terms,Maksuehdot
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions Tilaukset ei voida nostaa varten:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions Tilaukset ei voida nostaa varten:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minuutti
 DocType: Purchase Invoice,Purchase Taxes and Charges,Oston verot ja maksut
 DocType: Chapter,Meetup Embed HTML,Meetup Upota HTML
@@ -4335,17 +4388,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Siirry toimittajiin
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS-sulkemispaketin verot
 ,Qty to Receive,Vastaanotettava yksikkömäärä
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Aloitus- ja lopetuspäivät eivät ole voimassa olevassa palkkasummassa, ei voi laskea {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Aloitus- ja lopetuspäivät eivät ole voimassa olevassa palkkasummassa, ei voi laskea {0}."
 DocType: Leave Block List,Leave Block List Allowed,Sallitut
 DocType: Grading Scale Interval,Grading Scale Interval,Arvosteluasteikko Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Matkakorvauslomakkeet kulkuneuvojen Log {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Alennus (%) on Hinnasto Hinta kanssa marginaali
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,kaikki kaupalliset
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Ei {0} löytyi Inter Company -tapahtumista.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Ei {0} löytyi Inter Company -tapahtumista.
 DocType: Travel Itinerary,Rented Car,Vuokra-auto
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Tietoja yrityksestänne
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredit tilin on oltava tase tili
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredit tilin on oltava tase tili
 DocType: Donor,Donor,luovuttaja
 DocType: Global Defaults,Disable In Words,Poista In Sanat
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"tuotekoodi vaaditaan, sillä tuotetta ei numeroida automaattisesti"
@@ -4357,14 +4410,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,pankin tilinylitystili
 DocType: Patient,Patient ID,Potilaan tunnus
 DocType: Practitioner Schedule,Schedule Name,Aikataulun nimi
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Myynti putki vaiheittain
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Tee palkkalaskelma
 DocType: Currency Exchange,For Buying,Ostaminen
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Lisää kaikki toimittajat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Lisää kaikki toimittajat
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rivi # {0}: osuutensa ei voi olla suurempi kuin lainamäärä.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,selaa BOM:a
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Taatut lainat
 DocType: Purchase Invoice,Edit Posting Date and Time,Muokkaa tositteen päiväystä
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Aseta poistot liittyvät tilien instrumenttikohtaisilla {0} tai Company {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Aseta poistot liittyvät tilien instrumenttikohtaisilla {0} tai Company {1}
 DocType: Lab Test Groups,Normal Range,Normaali alue
 DocType: Academic Term,Academic Year,Lukuvuosi
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Saatavana myyntiin
@@ -4393,26 +4447,26 @@
 DocType: Patient Appointment,Patient Appointment,Potilaan nimittäminen
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,hyväksyvä rooli ei voi olla sama kuin käytetyssä säännössä oleva
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Peru tämän sähköpostilistan tilaus
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Hanki Toimittajat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Hanki Toimittajat
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ei löydy kohdasta {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Siirry kursseihin
 DocType: Accounts Settings,Show Inclusive Tax In Print,Näytä Inclusive Tax In Print
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Pankkitili, päivämäärä ja päivämäärä ovat pakollisia"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Viesti lähetetty
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Huomioon lapsen solmuja ei voida asettaa Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Huomioon lapsen solmuja ei voida asettaa Ledger
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"taso, jolla hinnasto valuutta muunnetaan asiakkaan käyttämäksi perusvaluutaksi"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),netto (yrityksen valuutassa)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Ennakkomaksun kokonaismäärä ei voi olla suurempi kuin kokonainen seuraamusmäärä
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Ennakkomaksun kokonaismäärä ei voi olla suurempi kuin kokonainen seuraamusmäärä
 DocType: Salary Slip,Hour Rate,tuntitaso
 DocType: Stock Settings,Item Naming By,tuotteen nimeäjä
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},toinen jakson sulkukirjaus {0} on tehty {1} jälkeen
 DocType: Work Order,Material Transferred for Manufacturing,Tuotantoon siirretyt materiaalit
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Tiliä {0} ei löydy
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Valitse kanta-asiakasohjelma
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Valitse kanta-asiakasohjelma
 DocType: Project,Project Type,projektin tyyppi
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Tätä tehtävää varten on tehtävä lapsesi tehtävä. Et voi poistaa tätä tehtävää.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,tavoite yksikkömäärä tai tavoite arvomäärä vaaditaan
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,tavoite yksikkömäärä tai tavoite arvomäärä vaaditaan
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,vaihtelevien aktiviteettien kustannukset
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Tapahtuma asetettu arvoon {0}, koska myyntihenkilöön liitetty työntekijä ei omista käyttäjätunnusta {1}"
 DocType: Timesheet,Billing Details,Laskutustiedot
@@ -4469,13 +4523,13 @@
 DocType: Inpatient Record,A Negative,Negatiivinen
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ei voi muuta osoittaa.
 DocType: Lead,From Customer,asiakkaasta
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Pyynnöt
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Pyynnöt
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Tuote
 DocType: Employee Tax Exemption Declaration,Declarations,julistukset
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,erissä
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Tee maksujen aikataulu
 DocType: Purchase Order Item Supplied,Stock UOM,Varastoyksikkö
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Ostotilaus {0} ei ole vahvistettu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Ostotilaus {0} ei ole vahvistettu
 DocType: Account,Expenses Included In Asset Valuation,Omaisuusarvostukseen sisältyvät kulut
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normaali viitealue aikuiselle on 16-20 hengitystä / minuutti (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tariffi numero
@@ -4488,6 +4542,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Tallenna potilas ensin
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Läsnäolo on merkitty onnistuneesti.
 DocType: Program Enrollment,Public Transport,Julkinen liikenne
+DocType: Delivery Note,GST Vehicle Type,GST-ajoneuvotyyppi
 DocType: Soil Texture,Silt Composition (%),Silt-kokoonpano (%)
 DocType: Journal Entry,Remark,Huomautus
 DocType: Healthcare Settings,Avoid Confirmation,Vahvista vahvistus
@@ -4496,11 +4551,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Vapaat ja lomat
 DocType: Education Settings,Current Academic Term,Nykyinen lukukaudessa
 DocType: Sales Order,Not Billed,Ei laskuteta
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Molempien varastojen tulee kuulua samalle organisaatiolle
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Molempien varastojen tulee kuulua samalle organisaatiolle
 DocType: Employee Grade,Default Leave Policy,Default Leave Policy
 DocType: Shopify Settings,Shop URL,Kauppa-URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,yhteystietoja ei ole lisätty
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Aseta numeerinen sarja osallistumiselle Setup&gt; Numerosarjan kautta
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,"Kohdistetut kustannukset, arvomäärä"
 ,Item Balance (Simple),Item Balance (yksinkertainen)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Laskut esille Toimittajat.
@@ -4525,7 +4579,7 @@
 DocType: Shopping Cart Settings,Quotation Series,"Tarjous, sarjat"
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Samanniminen nimike on jo olemassa ({0}), vaihda nimikeryhmän nimeä tai nimeä nimike uudelleen"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Maaperän analyysikriteerit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Valitse asiakas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Valitse asiakas
 DocType: C-Form,I,minä
 DocType: Company,Asset Depreciation Cost Center,Poistojen kustannuspaikka
 DocType: Production Plan Sales Order,Sales Order Date,"Myyntitilaus, päivä"
@@ -4538,8 +4592,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,"Tällä hetkellä ei varastossa,"
 ,Payment Period Based On Invoice Date,Maksuaikaa perustuu laskun päiväykseen
 DocType: Sample Collection,No. of print,Tulosteiden määrä
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Syntymäpäivämuistutus
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotellin huoneen varaosat
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},valuuttakurssi puuttuu {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},valuuttakurssi puuttuu {0}
 DocType: Employee Health Insurance,Health Insurance Name,Sairausvakuutuksen nimi
 DocType: Assessment Plan,Examiner,tarkastaja
 DocType: Student,Siblings,Sisarukset
@@ -4556,19 +4611,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Uudet asiakkaat
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,bruttovoitto %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Nimitys {0} ja myyntirasku {1} peruutettiin
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Mahdollisuudet lyijyn lähteen mukaan
 DocType: Appraisal Goal,Weightage (%),Painoarvo (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Muuta POS-profiilia
 DocType: Bank Reconciliation Detail,Clearance Date,tilityspäivä
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Asset on jo olemassa kohtaan {0}, et voi vaihtaa sarjanumeroa"
+DocType: Delivery Settings,Dispatch Notification Template,Lähetysilmoitusmalli
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Asset on jo olemassa kohtaan {0}, et voi vaihtaa sarjanumeroa"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Arviointikertomus
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Hanki työntekijät
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross Ostoksen kokonaissumma on pakollinen
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Yrityksen nimi ei ole sama
 DocType: Lead,Address Desc,osoitetiedot
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Osapuoli on pakollinen
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},"Rivit, joilla oli kahta päivämäärää toisissa riveissä, löytyivät: {list}"
 DocType: Topic,Topic Name,Aihe Name
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Määritä oletusmalli hylkäämisilmoitukselle HR-asetuksissa.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Määritä oletusmalli hylkäämisilmoitukselle HR-asetuksissa.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Ainakin osto tai myynti on pakko valita
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Valitse työntekijä, jotta työntekijä etenee."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Valitse voimassa oleva päivämäärä
@@ -4602,6 +4658,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Asiakkaan tai tavarantoimittajan Tietoja
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Nykyinen omaisuusarvo
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Matkustusrahoitus
 DocType: Loan Application,Required by Date,Vaaditaan Date
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Linkki kaikkiin kohteisiin, joissa viljely kasvaa"
@@ -4615,9 +4672,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Saatavilla Erä Kpl osoitteessa varastosta
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Yhteensä vähentäminen - Lainan takaisinmaksu
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,nykyinen BOM ja uusi BOM ei voi olla samoja
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,nykyinen BOM ja uusi BOM ei voi olla samoja
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Palkka Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Eläkkeellesiirtymispäivän on oltava työsuhteen aloituspäivää myöhemmin
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Eläkkeellesiirtymispäivän on oltava työsuhteen aloituspäivää myöhemmin
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Useita vaihtoehtoja
 DocType: Sales Invoice,Against Income Account,tulotilin kodistus
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% toimitettu
@@ -4646,7 +4703,7 @@
 DocType: POS Profile,Update Stock,Päivitä varasto
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Erilaiset mittayksiköt voivat johtaa virheellisiin (kokonais) painoarvoihin. Varmista, että joka kohdassa käytetään samaa mittayksikköä."
 DocType: Certification Application,Payment Details,Maksutiedot
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM taso
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM taso
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Pysäytettyä työjärjestystä ei voi peruuttaa, keskeyttää se ensin peruuttamalla"
 DocType: Asset,Journal Entry for Scrap,Journal Entry for Romu
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Siirrä tuotteita lähetteeltä
@@ -4669,11 +4726,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Hyväksyttävä määrä yhteensä
 ,Purchase Analytics,Hankinta-analytiikka
 DocType: Sales Invoice Item,Delivery Note Item,lähetteen tuote
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Nykyinen lasku {0} puuttuu
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Nykyinen lasku {0} puuttuu
 DocType: Asset Maintenance Log,Task,Tehtävä
 DocType: Purchase Taxes and Charges,Reference Row #,Viite Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Eränumero on pakollinen tuotteelle {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Tämä on kantamyyjä eikä niitä voi muokata
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Tämä on kantamyyjä eikä niitä voi muokata
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jos valittu, määritetty arvo tai laskettuna tämä komponentti ei edistä tulokseen tai vähennyksiä. Kuitenkin se on arvo voi viitata muista komponenteista, joita voidaan lisätä tai vähentää."
 DocType: Asset Settings,Number of Days in Fiscal Year,Tilikauden päivien lukumäärä
 ,Stock Ledger,Varastokirjanpidon tilikirja
@@ -4681,7 +4738,7 @@
 DocType: Company,Exchange Gain / Loss Account,valuutanvaihtojen voitto/tappiotili
 DocType: Amazon MWS Settings,MWS Credentials,MWS-todistukset
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Työntekijät ja läsnäolo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Tapahtuman on oltava jokin {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Tapahtuman on oltava jokin {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Täytä muoto ja tallenna se
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Yhteisön Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Varsinainen kpl varastossa
@@ -4696,7 +4753,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Perusmyyntihinta
 DocType: Account,Rate at which this tax is applied,taso jolla tätä veroa sovelletaan
 DocType: Cash Flow Mapper,Section Name,Osaston nimi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Täydennystilauksen yksikkömäärä
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Täydennystilauksen yksikkömäärä
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Poistotaso {0}: odotettu arvo käyttöiän jälkeen on oltava suurempi tai yhtä suuri kuin {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Avoimet työpaikat
 DocType: Company,Stock Adjustment Account,Varastonsäätötili
@@ -4706,8 +4763,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","järjestelmäkäyttäjä (kirjautuminen) tunnus, mikäli annetaan siitä tulee oletus kaikkiin HR muotoihin"
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Anna poistotiedot
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: {1}:stä
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Jätä sovellus {0} on jo olemassa oppilasta vastaan {1}
 DocType: Task,depends_on,riippuu
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Joudut päivittämään viimeisimmän hinnan kaikkiin Bill of Materials -asiakirjoihin. Voi kestää muutaman minuutin.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Joudut päivittämään viimeisimmän hinnan kaikkiin Bill of Materials -asiakirjoihin. Voi kestää muutaman minuutin.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nimi uusi tili. Huomautus: Älä luo asiakastilejä ja Toimittajat
 DocType: POS Profile,Display Items In Stock,Näytä tuotteet varastossa
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,"maa työkalu, oletus osoite, mallipohja"
@@ -4737,16 +4795,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots for {0} ei ole lisätty aikatauluun
 DocType: Product Bundle,List items that form the package.,Listaa nimikkeet jotka muodostavat pakkauksen.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Ei sallittu. Poista kokeilumalli käytöstä
+DocType: Delivery Note,Distance (in km),Etäisyys (km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Prosenttiosuuden jako tulisi olla yhtä suuri 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Valitse tositepäivä ennen osapuolta
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Valitse tositepäivä ennen osapuolta
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Ylläpitosopimus ei ole voimassa
+DocType: Opportunity,Opportunity Amount,Mahdollisuusmäärä
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Määrä Poistot varatut ei voi olla suurempi kuin kokonaismäärä Poistot
 DocType: Purchase Order,Order Confirmation Date,Tilauksen vahvistuspäivä
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,tee huoltokäynti
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Aloituspäivä ja päättymispäivä ovat päällekkäisiä työnkortilla <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Työntekijöiden siirron tiedot
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Ota yhteyttä käyttäjään, jolla on myynninhallinnan valvojan rooli {0}"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Ota yhteyttä käyttäjään, jolla on myynninhallinnan valvojan rooli {0}"
 DocType: Company,Default Cash Account,oletus kassatili
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,yrityksen valvonta (ei asiakas tai toimittaja)
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Tämä perustuu läsnäolo tämän Student
@@ -4754,9 +4815,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Lisätä kohteita tai avata koko lomakkeen
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,lähete {0} tulee perua ennen myyntilauksen perumista
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Siirry Käyttäjiin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Maksettu arvomäärä + poistotilin summa ei voi olla suurempi kuin kokonaissumma
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Maksettu arvomäärä + poistotilin summa ei voi olla suurempi kuin kokonaissumma
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ei sallittu eränumero tuotteelle {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Huom: jäännöstyypille {0} ei ole tarpeeksi vapaata jäännöstasetta
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Huom: jäännöstyypille {0} ei ole tarpeeksi vapaata jäännöstasetta
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Virheellinen GSTIN tai Enter NA Rekisteröimätön
 DocType: Training Event,Seminar,seminaari
 DocType: Program Enrollment Fee,Program Enrollment Fee,Ohjelma Ilmoittautuminen Fee
@@ -4773,7 +4834,7 @@
 DocType: Fee Schedule,Fee Schedule,Fee aikataulu
 DocType: Company,Create Chart Of Accounts Based On,Luo tilikartta perustuu
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Muuntaminen ei ole mahdollista ryhmälle. Lapsi tehtävät ovat olemassa.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Syntymäpäivä ei voi olla tämän päivän jälkeen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Syntymäpäivä ei voi olla tämän päivän jälkeen
 ,Stock Ageing,Varaston vanheneminen
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Osittain Sponsored, Vaadi osittaista rahoitusta"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Opiskelija {0} on olemassa vastaan opiskelijahakijaksi {1}
@@ -4820,11 +4881,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Ennen täsmäytystä
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}:lle
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Lisätyt verot ja maksut (yrityksen valuutassa)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"tuotteen vero, rivi {0} veron tyyppi tulee määritellä (tulo, kulu, veloitettava)"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"tuotteen vero, rivi {0} veron tyyppi tulee määritellä (tulo, kulu, veloitettava)"
 DocType: Sales Order,Partly Billed,Osittain Laskutetaan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Kohta {0} on oltava käyttö- omaisuuserän
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Tee muutokset
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Tee muutokset
 DocType: Item,Default BOM,oletus BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Laskutettu kokonaissumma (myyntilaskut)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Veloitusilmoituksen Määrä
@@ -4853,13 +4914,13 @@
 DocType: Notification Control,Custom Message,Mukautettu viesti
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,sijoitukset pankki
 DocType: Purchase Invoice,input,panos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,kassa tai pankkitili vaaditaan maksujen kirjaukseen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,kassa tai pankkitili vaaditaan maksujen kirjaukseen
 DocType: Loyalty Program,Multiple Tier Program,Multiple Tier -ohjelma
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Student Osoite
 DocType: Purchase Invoice,Price List Exchange Rate,valuuttakurssi
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Kaikki toimittajaryhmät
 DocType: Employee Boarding Activity,Required for Employee Creation,Työntekijän luomiseen vaaditaan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Tilinumero {0} on jo käytetty tili {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Tilinumero {0} on jo käytetty tili {1}
 DocType: GoCardless Mandate,Mandate,mandaatti
 DocType: POS Profile,POS Profile Name,POS-profiilin nimi
 DocType: Hotel Room Reservation,Booked,Varattu
@@ -4875,18 +4936,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,viitenumero vaaditaan mykäli viitepäivä on annettu
 DocType: Bank Reconciliation Detail,Payment Document,Maksu asiakirja
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Virhe arvosteluperusteiden kaavasta
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,liittymispäivä tulee olla syntymäpäivän jälkeen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,liittymispäivä tulee olla syntymäpäivän jälkeen
 DocType: Subscription,Plans,suunnitelmat
 DocType: Salary Slip,Salary Structure,Palkkarakenne
 DocType: Account,Bank,pankki
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,lentoyhtiö
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Varasto-otto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Varasto-otto
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Yhdistä Shopify ERP: n kanssa
 DocType: Material Request Item,For Warehouse,Varastoon
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Toimitustiedot {0} päivitetty
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Toimitustiedot {0} päivitetty
 DocType: Employee,Offer Date,Työsopimusehdotuksen päivämäärä
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Lainaukset
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Olet offline-tilassa. Et voi ladata kunnes olet verkon.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Lainaukset
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Olet offline-tilassa. Et voi ladata kunnes olet verkon.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Myöntää
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Ei opiskelijaryhmille luotu.
 DocType: Purchase Invoice Item,Serial No,Sarjanumero
@@ -4898,24 +4959,26 @@
 DocType: Sales Invoice,Customer PO Details,Asiakas PO: n tiedot
 DocType: Stock Entry,Including items for sub assemblies,mukaanlukien alikokoonpanon tuotteet
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tilapäinen avaustili
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Anna-arvon on oltava positiivinen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Anna-arvon on oltava positiivinen
 DocType: Asset,Finance Books,Rahoituskirjat
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Työntekijöiden verovapautuksen ilmoitusryhmä
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Kaikki alueet
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Aseta työntekijän {0} työntekijän / palkkaluokan tietosuojaperiaatteet
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Valittujen asiakkaiden ja kohteiden virheellinen peittojärjestys
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Valittujen asiakkaiden ja kohteiden virheellinen peittojärjestys
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Lisää useita tehtäviä
 DocType: Purchase Invoice,Items,Nimikkeet
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Päättymispäivä ei voi olla ennen alkamispäivää.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Opiskelijan on jo ilmoittautunut.
 DocType: Fiscal Year,Year Name,Vuoden nimi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Tässä kuussa ei ole lomapäiviä työpäivinä
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Tässä kuussa ei ole lomapäiviä työpäivinä
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Seuraavat kohteet {0} ei ole merkitty {1}: ksi. Voit ottaa ne {1} -kohteeksi sen Item-masterista
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Tuotepaketin nimike
 DocType: Sales Partner,Sales Partner Name,Myyntikumppani nimi
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Pyyntö Lainaukset
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Pyyntö Lainaukset
 DocType: Payment Reconciliation,Maximum Invoice Amount,Suurin Laskun summa
 DocType: Normal Test Items,Normal Test Items,Normaalit koekappaleet
+DocType: QuickBooks Migrator,Company Settings,Yritysasetukset
 DocType: Additional Salary,Overwrite Salary Structure Amount,Korvaa palkkarakenteen määrä
 DocType: Student Language,Student Language,Student Kieli
 apps/erpnext/erpnext/config/selling.py +23,Customers,asiakkaat
@@ -4927,21 +4990,23 @@
 DocType: Issue,Opening Time,Aukeamisaika
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,alkaen- ja päätyen päivä vaaditaan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Arvopaperit & hyödykkeet vaihto
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variaation '{0}' oletusyksikkö pitää olla sama kuin mallilla '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variaation '{0}' oletusyksikkö pitää olla sama kuin mallilla '{1}'
 DocType: Shipping Rule,Calculate Based On,Laskenta perustuen
 DocType: Contract,Unfulfilled,täyttymätön
 DocType: Delivery Note Item,From Warehouse,Varastosta
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Ei työntekijöitä mainituilla kriteereillä
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Kohteita ei Bill materiaalien valmistus
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Kohteita ei Bill materiaalien valmistus
 DocType: Shopify Settings,Default Customer,Oletusasiakas
+DocType: Sales Stage,Stage Name,Taiteilijanimi
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,ohjaaja Name
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Älä vahvista, onko tapaaminen luotu samalle päivälle"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Laiva valtioon
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Laiva valtioon
 DocType: Program Enrollment Course,Program Enrollment Course,Ohjelma Ilmoittautuminen kurssi
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Käyttäjä {0} on jo osoitettu terveydenhuollon ammattilaiselle {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Tee näytteen säilytyskurssi
 DocType: Purchase Taxes and Charges,Valuation and Total,Arvo ja Summa
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Neuvotteluja / tarkistus
 DocType: Leave Encashment,Encashment Amount,Encashment Määrä
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,tuloskortit
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Vanhentuneet erät
@@ -4951,7 +5016,7 @@
 DocType: Staffing Plan Detail,Current Openings,Nykyiset avaukset
 DocType: Notification Control,Customize the Notification,muokkaa ilmoitusta
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,LIIKETOIMINNAN RAHAVIRTA
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST-määrä
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST-määrä
 DocType: Purchase Invoice,Shipping Rule,Toimitustapa
 DocType: Patient Relation,Spouse,puoliso
 DocType: Lab Test Groups,Add Test,Lisää testi
@@ -4965,14 +5030,14 @@
 DocType: Payroll Entry,Payroll Frequency,Payroll Frequency
 DocType: Lab Test Template,Sensitivity,Herkkyys
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Synkronointi on väliaikaisesti poistettu käytöstä, koska enimmäistarkistus on ylitetty"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Raaka-aine
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Raaka-aine
 DocType: Leave Application,Follow via Email,Seuraa sähköpostitse
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Laitteet ja koneisto
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Veron arvomäärä alennuksen jälkeen
 DocType: Patient,Inpatient Status,Lääkärin tila
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Päivittäinen työ Yhteenveto Asetukset
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Valitussa hinnastossa olisi oltava osto- ja myyntikyltit.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Anna Reqd päivämäärän mukaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Valitussa hinnastossa olisi oltava osto- ja myyntikyltit.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Anna Reqd päivämäärän mukaan
 DocType: Payment Entry,Internal Transfer,sisäinen siirto
 DocType: Asset Maintenance,Maintenance Tasks,Huoltotoimet
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,tavoite yksikkömäärä tai tavoite arvomäärä vaaditaan
@@ -4993,7 +5058,7 @@
 DocType: Mode of Payment,General,pää
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Viimeisin yhteydenotto
 ,TDS Payable Monthly,TDS maksetaan kuukausittain
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Jouduin korvaamaan BOM. Voi kestää muutaman minuutin.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Jouduin korvaamaan BOM. Voi kestää muutaman minuutin.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',vähennystä ei voi tehdä jos kategoria on  'arvo'  tai 'arvo ja summa'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Sarjanumero tarvitaan sarjanumeroilla seuratulle tuotteelle {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match Maksut Laskut
@@ -5006,7 +5071,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Lisää koriin
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,ryhmän
 DocType: Guardian,Interests,etu
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,"aktivoi / poista käytöstä, valuutat"
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,"aktivoi / poista käytöstä, valuutat"
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Ei voitu lähettää palkkalippuja
 DocType: Exchange Rate Revaluation,Get Entries,Hanki merkinnät
 DocType: Production Plan,Get Material Request,Hae hankintapyyntö
@@ -5028,15 +5093,16 @@
 DocType: Lead,Lead Type,vihjeen tyyppi
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Sinulla ei ole lupa hyväksyä lehdet Block Päivämäärät
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Kaikki nämä asiat on jo laskutettu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Aseta uusi julkaisupäivä
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Aseta uusi julkaisupäivä
 DocType: Company,Monthly Sales Target,Kuukausittainen myyntiketju
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Hyväksynnän voi tehdä {0}
 DocType: Hotel Room,Hotel Room Type,Hotellin huoneen tyyppi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Toimittaja&gt; Toimittajan tyyppi
 DocType: Leave Allocation,Leave Period,Jätä aika
 DocType: Item,Default Material Request Type,Oletus hankintapyynnön tyyppi
 DocType: Supplier Scorecard,Evaluation Period,Arviointijakso
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Tuntematon
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Työjärjestystä ei luotu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Työjärjestystä ei luotu
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{0}, joka on jo vaadittu komponentin {1} osalta, asettaa summan, joka on yhtä suuri tai suurempi kuin {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Toimitustavan ehdot
@@ -5069,15 +5135,15 @@
 DocType: Batch,Source Document Name,Lähde Asiakirjan nimi
 DocType: Production Plan,Get Raw Materials For Production,Hanki raaka-aineita tuotannolle
 DocType: Job Opening,Job Title,Työtehtävä
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} ilmoittaa, että {1} ei anna tarjousta, mutta kaikki kohteet on mainittu. RFQ-lainauksen tilan päivittäminen."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Suurin näytteitä - {0} on jo säilytetty erää {1} ja erää {2} erää {3} varten.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Suurin näytteitä - {0} on jo säilytetty erää {1} ja erää {2} erää {3} varten.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Päivitä BOM-hinta automaattisesti
 DocType: Lab Test,Test Name,Testi Nimi
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Kliininen menetelmä kulutettava tuote
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Luo Käyttäjät
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gramma
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Tilaukset
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Tilaukset
 DocType: Supplier Scorecard,Per Month,Kuukaudessa
 DocType: Education Settings,Make Academic Term Mandatory,Tee akateeminen termi pakolliseksi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Määrä Valmistus on oltava suurempi kuin 0.
@@ -5086,9 +5152,9 @@
 DocType: Stock Entry,Update Rate and Availability,Päivitä määrä ja saatavuus
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Vastaanoton tai toimituksen prosenttiosuus on liian suuri suhteessa tilausmäärään, esim: mikäli 100 yksikköä on tilattu sallittu ylitys on 10% niin sallittu määrä on 110 yksikköä"
 DocType: Loyalty Program,Customer Group,Asiakasryhmä
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rivi # {0}: Käyttö {1} ei ole valmis {2} valmiiden tuotteiden kohdalla työjärjestyksessä # {3}. Päivitä toimintatila ajanjaksojen avulla
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rivi # {0}: Käyttö {1} ei ole valmis {2} valmiiden tuotteiden kohdalla työjärjestyksessä # {3}. Päivitä toimintatila ajanjaksojen avulla
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Uusi Erätunnuksesi (valinnainen)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Kustannustili on vaaditaan tuotteelle {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Kustannustili on vaaditaan tuotteelle {0}
 DocType: BOM,Website Description,Verkkosivuston kuvaus
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Nettomuutos Equity
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Peru ostolasku {0} ensin
@@ -5103,7 +5169,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Ei muokattavaa.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Lomakenäkymä
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Kulujen hyväksyntä pakollisena kulukorvauksessa
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Yhteenveto tässä kuussa ja keskeneräisten toimien
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Yhteenveto tässä kuussa ja keskeneräisten toimien
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Aseta realisoitumattomat vaihto-omaisuuden tulos yritykselle {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",Lisää käyttäjiä muuhun organisaatioon kuin itse.
 DocType: Customer Group,Customer Group Name,Asiakasryhmän nimi
@@ -5113,14 +5179,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Materiaalihakua ei ole luotu
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lainamäärä voi ylittää suurin lainamäärä on {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,lisenssi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Poista lasku {0} C-kaaviosta {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Poista lasku {0} C-kaaviosta {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Valitse jatka eteenpäin mikäli haluat sisällyttää edellisen tilikauden taseen tälle tilikaudelle
 DocType: GL Entry,Against Voucher Type,tositteen tyyppi kohdistus
 DocType: Healthcare Practitioner,Phone (R),Puhelin (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Aikavälit lisätään
 DocType: Item,Attributes,tuntomerkkejä
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Ota mallipohja käyttöön
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Syötä poistotili
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Syötä poistotili
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Viimeinen tilaus päivämäärä
 DocType: Salary Component,Is Payable,On maksettava
 DocType: Inpatient Record,B Negative,B Negatiivinen
@@ -5131,7 +5197,7 @@
 DocType: Hotel Room,Hotel Room,Hotellihuone
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Tili {0} ei kuulu yritykselle {1}
 DocType: Leave Type,Rounding,pyöristys
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Sarjanumeroita peräkkäin {0} ei vastaa lähetysluettelon
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Sarjanumeroita peräkkäin {0} ei vastaa lähetysluettelon
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Annetusta summasta (pro-luokiteltu)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Sitten hinnoittelusäännöt suodatetaan asiakkaan, asiakkaan ryhmän, alueen, toimittajan, toimittajaryhmän, kampanjan, myyntikumppanin jne. Perusteella."
 DocType: Student,Guardian Details,Guardian Tietoja
@@ -5140,10 +5206,10 @@
 DocType: Vehicle,Chassis No,Alusta ei
 DocType: Payment Request,Initiated,Aloitettu
 DocType: Production Plan Item,Planned Start Date,Suunniteltu aloituspäivä
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Valitse BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Valitse BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Käytti ITC: n integroitua veroa
 DocType: Purchase Order Item,Blanket Order Rate,Peittojärjestysnopeus
-apps/erpnext/erpnext/hooks.py +156,Certification,sertifiointi
+apps/erpnext/erpnext/hooks.py +157,Certification,sertifiointi
 DocType: Bank Guarantee,Clauses and Conditions,Säännöt ja ehdot
 DocType: Serial No,Creation Document Type,Dokumenttityypin luonti
 DocType: Project Task,View Timesheet,Näytä aikakirja
@@ -5168,6 +5234,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Pääkohde {0} ei saa olla varasto tuote
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Verkkosivuston luettelo
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Kaikki tuotteet tai palvelut
+DocType: Email Digest,Open Quotations,Avaa tarjouspyynnöt
 DocType: Expense Claim,More Details,Lisätietoja
 DocType: Supplier Quotation,Supplier Address,Toimittajan osoite
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} talousarvion tili {1} vastaan {2} {3} on {4}. Se ylitä {5}
@@ -5182,12 +5249,11 @@
 DocType: Training Event,Exam,Koe
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marketplace Error
 DocType: Complaint,Complaint,Valitus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Varasto vaaditaan varastotuotteelle {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Varasto vaaditaan varastotuotteelle {0}
 DocType: Leave Allocation,Unused leaves,Käyttämättömät lehdet
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Tee takaisinmaksu
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Kaikki osastot
 DocType: Healthcare Service Unit,Vacant,vapaa
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Toimittaja&gt; Toimittajan tyyppi
 DocType: Patient,Alcohol Past Use,Alkoholin aiempi käyttö
 DocType: Fertilizer Content,Fertilizer Content,Lannoitteen sisältö
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5195,7 +5261,7 @@
 DocType: Tax Rule,Billing State,Laskutus valtion
 DocType: Share Transfer,Transfer,siirto
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Työjärjestys {0} on peruutettava ennen myyntitilauksen peruuttamista
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Nouda BOM räjäytys (mukaan lukien alikokoonpanot)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Nouda BOM räjäytys (mukaan lukien alikokoonpanot)
 DocType: Authorization Rule,Applicable To (Employee),sovellettavissa (työntekijä)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,eräpäivä vaaditaan
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Puuston Taito {0} ei voi olla 0
@@ -5211,7 +5277,7 @@
 DocType: Disease,Treatment Period,Hoitokausi
 DocType: Travel Itinerary,Travel Itinerary,Matkareitti
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Tulos on jo lähetetty
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Varatut varastot ovat pakollisia tavaran {0} toimittamissa raaka-aineissa
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Varatut varastot ovat pakollisia tavaran {0} toimittamissa raaka-aineissa
 ,Inactive Customers,Ei-aktiiviset asiakkaat
 DocType: Student Admission Program,Maximum Age,Enimmäisikä
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Odota 3 päivää ennen muistutuksen lähettämistä.
@@ -5220,7 +5286,6 @@
 DocType: Stock Entry,Delivery Note No,lähetteen numero
 DocType: Cheque Print Template,Message to show,Näytettävä viesti
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Vähittäiskauppa
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Hallitse nimittämislaskut automaattisesti
 DocType: Student Attendance,Absent,puuttua
 DocType: Staffing Plan,Staffing Plan Detail,Henkilöstösuunnitelma
 DocType: Employee Promotion,Promotion Date,Kampanjan päivämäärä
@@ -5242,7 +5307,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Luo liidi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Tulosta ja Paperi
 DocType: Stock Settings,Show Barcode Field,Näytä Viivakoodi-kenttä
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Lähetä toimittaja Sähköpostit
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Lähetä toimittaja Sähköpostit
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Palkka jo käsitellä välisenä aikana {0} ja {1}, Jätä hakuaika voi olla välillä tällä aikavälillä."
 DocType: Fiscal Year,Auto Created,Auto luotu
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Lähetä tämä, jos haluat luoda työntekijän tietueen"
@@ -5251,7 +5316,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Lasku {0} ei ole enää olemassa
 DocType: Guardian Interest,Guardian Interest,Guardian Interest
 DocType: Volunteer,Availability,Saatavuus
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS laskujen oletusarvot
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS laskujen oletusarvot
 apps/erpnext/erpnext/config/hr.py +248,Training,koulutus
 DocType: Project,Time to send,Aika lähettää
 DocType: Timesheet,Employee Detail,työntekijän Detail
@@ -5274,7 +5339,7 @@
 DocType: Training Event Employee,Optional,Valinnainen
 DocType: Salary Slip,Earning & Deduction,ansio & vähennys
 DocType: Agriculture Analysis Criteria,Water Analysis,Veden analyysi
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} muunnoksia luotu.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} muunnoksia luotu.
 DocType: Amazon MWS Settings,Region,Alue
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"valinnainen, asetusta käytetään suodatettaessa eri tapahtumia"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,negatiivinen arvotaso ei ole sallittu
@@ -5293,7 +5358,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kustannukset Scrapped Asset
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kustannuspaikka on pakollinen nimikkeellä {2}
 DocType: Vehicle,Policy No,Policy Ei
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Hae nimikkeet tuotepaketista
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Hae nimikkeet tuotepaketista
 DocType: Asset,Straight Line,Suora viiva
 DocType: Project User,Project User,Projektikäyttäjä
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Jakaa
@@ -5301,7 +5366,7 @@
 DocType: GL Entry,Is Advance,on ennakko
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Työntekijän elinkaari
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,"osallistuminen päivästä, osallistuminen päivään To vaaditaan"
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Syötä ""on alihankittu"" (kyllä tai ei)"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Syötä ""on alihankittu"" (kyllä tai ei)"
 DocType: Item,Default Purchase Unit of Measure,Oletusarvonostoyksikkö
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Viime yhteyspäivä
 DocType: Clinical Procedure Item,Clinical Procedure Item,Kliininen menettelytapa
@@ -5310,7 +5375,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Access token tai Shopify URL puuttuu
 DocType: Location,Latitude,leveysaste
 DocType: Work Order,Scrap Warehouse,romu Varasto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Varastossa {0} vaadittava varasto, aseta oletusvarasto {1} yritykselle {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Varastossa {0} vaadittava varasto, aseta oletusvarasto {1} yritykselle {2}"
 DocType: Work Order,Check if material transfer entry is not required,"Tarkista, onko materiaali siirto merkintää ei tarvita"
 DocType: Program Enrollment Tool,Get Students From,Get opiskelijaa
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Julkaise kohteet Website
@@ -5325,6 +5390,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Uusi Erä Määrä
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,asut ja tarvikkeet
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Ei voitu ratkaista painotettua pisteet -toimintoa. Varmista, että kaava on kelvollinen."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Ostotilaukset Kohteita ei ole vastaanotettu ajoissa
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,tilausten lukumäärä
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / banneri joka näkyy tuoteluettelon päällä
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,määritä toimituskustannus arvomäärälaskennan ehdot
@@ -5333,9 +5399,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,polku
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"kustannuspaikasta ei voi siirtää tilikirjaan, sillä kustannuspaikalla on alasidoksia"
 DocType: Production Plan,Total Planned Qty,Suunniteltu kokonaismäärä
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Opening Arvo
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Opening Arvo
 DocType: Salary Component,Formula,Kaava
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Sarja #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Sarja #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Myynti tili
 DocType: Purchase Invoice Item,Total Weight,Kokonaispaino
@@ -5353,7 +5419,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Luo hankintapyyntö
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Kohta {0}
 DocType: Asset Finance Book,Written Down Value,Kirjallinen arvo
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Aseta henkilöstön nimeämisjärjestelmä henkilöresursseihin&gt; HR-asetukset
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Myyntilasku {0} tulee peruuttaa ennen myyntitilauksen perumista
 DocType: Clinical Procedure,Age,ikä
 DocType: Sales Invoice Timesheet,Billing Amount,laskutuksen arvomäärä
@@ -5362,11 +5427,11 @@
 DocType: Company,Default Employee Advance Account,Työntekijän ennakkotili
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Etsi kohde (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,tilin tapahtumaa ei voi poistaa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,tilin tapahtumaa ei voi poistaa
 DocType: Vehicle,Last Carbon Check,Viimeksi Carbon Tarkista
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Juridiset kustannukset
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Valitse määrä rivillä
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Tee myynti- ja ostolaskujen avaaminen
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Tee myynti- ja ostolaskujen avaaminen
 DocType: Purchase Invoice,Posting Time,Tositeaika
 DocType: Timesheet,% Amount Billed,% laskutettu arvomäärä
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Puhelinkulut
@@ -5381,14 +5446,14 @@
 DocType: Maintenance Visit,Breakdown,hajoitus
 DocType: Travel Itinerary,Vegetarian,Kasvissyöjä
 DocType: Patient Encounter,Encounter Date,Kohtaamispäivä
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Tili: {0} kanssa valuutta: {1} ei voi valita
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Tili: {0} kanssa valuutta: {1} ei voi valita
 DocType: Bank Statement Transaction Settings Item,Bank Data,Pankkitiedot
 DocType: Purchase Receipt Item,Sample Quantity,Näytteen määrä
 DocType: Bank Guarantee,Name of Beneficiary,Edunsaajan nimi
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Päivitys BOM maksaa automaattisesti Scheduler-ohjelman avulla, joka perustuu viimeisimpään arvostusnopeuteen / hinnastonopeuteen / raaka-aineiden viimeiseen ostohintaan."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,takaus/shekki päivä
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Tili {0}: emotili {1} ei kuulu yritykselle: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Tili {0}: emotili {1} ei kuulu yritykselle: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,kaikki tähän yritykseen liittyvät tapahtumat on poistettu
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Kuin Päivämäärä
 DocType: Additional Salary,HR,HR
@@ -5396,7 +5461,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Out Patient SMS -ilmoitukset
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Koeaika
 DocType: Program Enrollment Tool,New Academic Year,Uusi Lukuvuosi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Tuotto / hyvityslasku
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Tuotto / hyvityslasku
 DocType: Stock Settings,Auto insert Price List rate if missing,"Lisää automaattisesti hinnastoon, jos puuttuu"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Maksettu yhteensä
 DocType: GST Settings,B2C Limit,B2C-raja
@@ -5414,10 +5479,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child solmut voidaan ainoastaan perustettu &quot;ryhmä&quot; tyyppi solmuja
 DocType: Attendance Request,Half Day Date,Half Day Date
 DocType: Academic Year,Academic Year Name,Lukuvuosi Name
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} ei saa käydä kauppaa {1}. Muuta yritystä.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} ei saa käydä kauppaa {1}. Muuta yritystä.
 DocType: Sales Partner,Contact Desc,"yhteystiedot, kuvailu"
 DocType: Email Digest,Send regular summary reports via Email.,Lähetä yhteenvetoraportteja säännöllisesti sähköpostitse
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Aseta oletus tilin Matkakorvauslomakkeet tyyppi {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Aseta oletus tilin Matkakorvauslomakkeet tyyppi {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Saatavilla olevat lehdet
 DocType: Assessment Result,Student Name,Opiskelijan nimi
 DocType: Hub Tracked Item,Item Manager,Nimikkeiden ylläpitäjä
@@ -5442,9 +5507,10 @@
 DocType: Subscription,Trial Period End Date,Trial Period End Date
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ei authroized koska {0} ylittää rajat
 DocType: Serial No,Asset Status,Omaisuuden tila
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Mittatikku (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Ravintola-taulukko
 DocType: Hotel Room,Hotel Manager,Hotelli manageri
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Aseta Tax Rule ostoskoriin
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Aseta Tax Rule ostoskoriin
 DocType: Purchase Invoice,Taxes and Charges Added,Lisätyt verot ja maksut
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Poistojauhe {0}: Seuraava Poistoaika ei voi olla ennen Käytettävissä olevaa päivämäärää
 ,Sales Funnel,Myyntihankekantaan
@@ -5460,10 +5526,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,kaikki asiakasryhmät
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,kertyneet Kuukauden
 DocType: Attendance Request,On Duty,Virantoimituksessa
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} on pakollinen. Valuutanvaihtotietue on mahdollisesti luomatta {1} --&gt; {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} on pakollinen. Valuutanvaihtotietue on mahdollisesti luomatta {1} --&gt; {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Henkilöstösuunnitelma {0} on jo olemassa nimeämisessä {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Vero malli on pakollinen.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,tili {0}: emotili {1} ei ole olemassa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,tili {0}: emotili {1} ei ole olemassa
 DocType: POS Closing Voucher,Period Start Date,Ajan alkamispäivä
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Hinta (yrityksen valuutassa)
 DocType: Products Settings,Products Settings,Tuotteet Asetukset
@@ -5483,7 +5549,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Tämä toimenpide estää tulevan laskutuksen. Haluatko varmasti peruuttaa tämän tilauksen?
 DocType: Serial No,Distinct unit of an Item,tuotteen erillisyksikkö
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriteerien nimi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Aseta Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Aseta Company
 DocType: Procedure Prescription,Procedure Created,Menettely luotiin
 DocType: Pricing Rule,Buying,Osto
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Taudit ja lannoitteet
@@ -5500,42 +5566,43 @@
 DocType: Employee Onboarding,Job Offer,Työtarjous
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institute lyhenne
 ,Item-wise Price List Rate,Tuotekohtainen hinta hinnastossa
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Toimituskykytiedustelu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Toimituskykytiedustelu
 DocType: Quotation,In Words will be visible once you save the Quotation.,"sanat näkyvät, kun tallennat tarjouksen"
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Määrä ({0}) ei voi olla osa rivillä {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Määrä ({0}) ei voi olla osa rivillä {1}
 DocType: Contract,Unsigned,allekirjoittamaton
 DocType: Selling Settings,Each Transaction,Jokainen liiketoimi
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Viivakoodi {0} on jo käytössä tuotteella {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Viivakoodi {0} on jo käytössä tuotteella {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,toimituskustannusten lisäys säännöt
 DocType: Hotel Room,Extra Bed Capacity,Lisävuoteen kapasiteetti
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Aloitusvarasto
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Asiakas on pakollinen
 DocType: Lab Test,Result Date,Tulospäivämäärä
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Date
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Date
 DocType: Purchase Order,To Receive,Saavuta
 DocType: Leave Period,Holiday List for Optional Leave,Lomalista vapaaehtoiseen lomaan
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Omaisuuden omistaja
 DocType: Purchase Invoice,Reason For Putting On Hold,Syy pitoon
 DocType: Employee,Personal Email,Henkilökohtainen sähköposti
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,vaihtelu yhteensä
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,vaihtelu yhteensä
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Mikäli käytössä, järjestelmä tekee varastokirjanpidon tilikirjaukset automaattisesti."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,välityspalkkio
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Läsnäolo työntekijöiden {0} on jo merkitty tätä päivää
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Läsnäolo työntekijöiden {0} on jo merkitty tätä päivää
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","""aikaloki"" päivitys minuuteissa"
 DocType: Customer,From Lead,Liidistä
 DocType: Amazon MWS Settings,Synch Orders,Synkronointitilaukset
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,tuotantoon luovutetut tilaukset
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Valitse tilikausi ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS profiili vaatii POS kirjauksen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS profiili vaatii POS kirjauksen
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Hyvyyspisteet lasketaan vietyistä (myyntilaskun kautta), jotka perustuvat mainittuun keräyskertoimeen."
 DocType: Program Enrollment Tool,Enroll Students,Ilmoittaudu Opiskelijat
 DocType: Company,HRA Settings,HRA-asetukset
 DocType: Employee Transfer,Transfer Date,Siirtoaika
 DocType: Lab Test,Approved Date,Hyväksytty päivämäärä
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,perusmyynti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Ainakin yksi varasto on pakollinen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Ainakin yksi varasto on pakollinen
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Määritä kohdekentät, kuten UOM, ryhmä, kuvaus ja työtunnit."
 DocType: Certification Application,Certification Status,Sertifikaatin tila
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,markkinat
@@ -5555,6 +5622,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Vastaavat laskut
 DocType: Work Order,Required Items,Tarvittavat kohteet
 DocType: Stock Ledger Entry,Stock Value Difference,"varastoarvo, ero"
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Rivi {0}: {1} {2} ei ole yllä olevassa {1} taulukossa
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,henkilöstöresurssi
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Maksun täsmäytys toiseen maksuun
 DocType: Disease,Treatment Task,Hoitotyö
@@ -5572,7 +5640,8 @@
 DocType: Account,Debit,debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Vapaat tulee kohdentaa luvun 0.5 kerrannaisina
 DocType: Work Order,Operation Cost,toiminnan kustannus
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,"odottaa, pankkipääte"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Päättäjien määrittäminen
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,"odottaa, pankkipääte"
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,"Tuoteryhmä työkalu, aseta tavoitteet tälle myyjälle"
 DocType: Stock Settings,Freeze Stocks Older Than [Days],jäädytä yli [päivää] vanhat varastot
 DocType: Payment Request,Payment Ordered,Maksutilaus
@@ -5584,13 +5653,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,salli seuraavien käyttäjien hyväksyä poistumissovelluksen estopäivät
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Elinkaari
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Tee BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Myynnin hinnan kohteen {0} on pienempi kuin sen {1}. Myynnin määrä tulisi olla vähintään {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Myynnin hinnan kohteen {0} on pienempi kuin sen {1}. Myynnin määrä tulisi olla vähintään {2}
 DocType: Subscription,Taxes,Verot
 DocType: Purchase Invoice,capital goods,tuotantohyödykkeet
 DocType: Purchase Invoice Item,Weight Per Unit,Paino per yksikkö
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,"Maksettu, mutta ei toimitettu"
-DocType: Project,Default Cost Center,Oletus kustannuspaikka
-DocType: Delivery Note,Transporter Doc No,Kuljetusasiakirjan nro
+DocType: QuickBooks Migrator,Default Cost Center,Oletus kustannuspaikka
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Varastotapahtumat
 DocType: Budget,Budget Accounts,talousarviokirjanpito
 DocType: Employee,Internal Work History,sisäinen työhistoria
@@ -5623,7 +5691,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Terveydenhuollon harjoittaja ei ole käytettävissä {0}
 DocType: Stock Entry Detail,Additional Cost,Muita Kustannukset
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",ei voi suodattaa tositenumero pohjalta mikäli tosite on ryhmässä
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Tee toimituskykytiedustelu
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Tee toimituskykytiedustelu
 DocType: Quality Inspection,Incoming,saapuva
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Myynnin ja ostoksen oletusmaksumalleja luodaan.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Arviointi Tulosrekisteri {0} on jo olemassa.
@@ -5639,7 +5707,7 @@
 DocType: Batch,Batch ID,Erän tunnus
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Huomautus: {0}
 ,Delivery Note Trends,Lähetysten kehitys
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Viikon yhteenveto
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Viikon yhteenveto
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Varastossa Määrä
 ,Daily Work Summary Replies,Päivittäisen työyhteenveton vastaukset
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Laske arvioitu saapumisaikasi
@@ -5649,7 +5717,7 @@
 DocType: Bank Account,Party,Osapuoli
 DocType: Healthcare Settings,Patient Name,Potilaan nimi
 DocType: Variant Field,Variant Field,Varianttikenttä
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Kohteen sijainti
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Kohteen sijainti
 DocType: Sales Order,Delivery Date,toimituspäivä
 DocType: Opportunity,Opportunity Date,mahdollisuuden päivämäärä
 DocType: Employee,Health Insurance Provider,Sairausvakuutuksen tarjoaja
@@ -5668,7 +5736,7 @@
 DocType: Employee,History In Company,yrityksen historia
 DocType: Customer,Customer Primary Address,Asiakas ensisijainen osoite
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Uutiskirjeet
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Viitenumero
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Viitenumero
 DocType: Drug Prescription,Description/Strength,Kuvaus / vahvuus
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Luo uusi maksu / päiväkirjakirjaus
 DocType: Certification Application,Certification Application,Sertifiointisovellus
@@ -5679,10 +5747,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Sama viesti on tullut useita kertoja
 DocType: Department,Leave Block List,Estoluettelo
 DocType: Purchase Invoice,Tax ID,Tax ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,"tuotteella {0} ei ole määritettyä sarjanumeroa, sarake on tyhjä"
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,"tuotteella {0} ei ole määritettyä sarjanumeroa, sarake on tyhjä"
 DocType: Accounts Settings,Accounts Settings,tilien asetukset
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Hyväksyä
 DocType: Loyalty Program,Customer Territory,Asiakasalue
+DocType: Email Digest,Sales Orders to Deliver,Myyntitilaukset toimitettavaksi
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Uuden tilin numero, se sisällytetään tilin nimen etuliitteenä"
 DocType: Maintenance Team Member,Team Member,Tiimin jäsen
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Ei tulosta
@@ -5692,7 +5761,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Yhteensä {0} kaikki kohteet on nolla, voi olla sinun pitäisi muuttaa &quot;välit perustuvat maksujen &#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Tähän mennessä ei voi olla vähemmän kuin päivämäärä
 DocType: Opportunity,To Discuss,Keskusteluun
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,"Tämä perustuu tapahtumiin, jotka kohdistuvat tähän tilaajaan. Katso lisätietoja alla olevasta aikataulusta"
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} yksikköä {1} tarvitaan {2} tapahtuman suorittamiseen.
 DocType: Loan Type,Rate of Interest (%) Yearly,Korkokanta (%) Vuotuinen
 DocType: Support Settings,Forum URL,Foorumin URL-osoite
@@ -5707,7 +5775,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Lisätietoja
 DocType: Cheque Print Template,Distance from top edge,Etäisyys yläreunasta
 DocType: POS Closing Voucher Invoices,Quantity of Items,Määrä kohteita
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Hinnasto {0} on poistettu käytöstä tai sitä ei ole
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Hinnasto {0} on poistettu käytöstä tai sitä ei ole
 DocType: Purchase Invoice,Return,paluu
 DocType: Pricing Rule,Disable,poista käytöstä
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Tila maksu on suoritettava maksu
@@ -5715,18 +5783,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Muokkaa koko sivulta lisää vaihtoehtoja, kuten varat, sarjanumerot, erät jne."
 DocType: Leave Type,Maximum Continuous Days Applicable,Suurin sallittu enimmäispäivä
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ei ilmoittautunut Erä {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ei voida romuttaa, koska se on jo {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ei voida romuttaa, koska se on jo {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Tarkastukset ovat pakollisia
 DocType: Task,Total Expense Claim (via Expense Claim),Kulukorvaus yhteensä (kulukorvauksesta)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
 DocType: Job Applicant Source,Job Applicant Source,Työnhakijan lähde
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Määrä
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Määrä
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Yrityksen perustamiseen epäonnistui
 DocType: Asset Repair,Asset Repair,Omaisuuden korjaus
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rivi {0}: valuutta BOM # {1} pitäisi olla yhtä suuri kuin valittu valuutta {2}
 DocType: Journal Entry Account,Exchange Rate,Valuuttakurssi
 DocType: Patient,Additional information regarding the patient,Lisätietoja potilaasta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Myyntitilaus {0} ei ole vahvistettu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Myyntitilaus {0} ei ole vahvistettu
 DocType: Homepage,Tag Line,Tagirivi
 DocType: Fee Component,Fee Component,Fee Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Kaluston hallinta
@@ -5741,7 +5809,7 @@
 DocType: Healthcare Practitioner,Mobile,mobile
 ,Sales Person-wise Transaction Summary,"Myyjän työkalu,  tapahtuma yhteenveto"
 DocType: Training Event,Contact Number,Yhteysnumero
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Varastoa {0} ei ole olemassa
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Varastoa {0} ei ole olemassa
 DocType: Cashier Closing,Custody,huolto
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Työntekijöiden verovapautusta koskeva todisteiden esittäminen
 DocType: Monthly Distribution,Monthly Distribution Percentages,"toimitus kuukaudessa, prosenttiosuudet"
@@ -5756,7 +5824,7 @@
 DocType: Payment Entry,Paid Amount,Maksettu summa
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Tutustu myyntitykliin
 DocType: Assessment Plan,Supervisor,Valvoja
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retention Stock Entry
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retention Stock Entry
 ,Available Stock for Packing Items,Pakattavien nimikkeiden saatavuus
 DocType: Item Variant,Item Variant,tuotemalli
 ,Work Order Stock Report,Työjärjestyksen raportti
@@ -5765,9 +5833,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Ohjaajana
 DocType: Leave Policy Detail,Leave Policy Detail,Jätä politiikkatiedot
 DocType: BOM Scrap Item,BOM Scrap Item,BOM romu Kohta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Vahvistettuja tilauksia ei voi poistaa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tilin tase on jo dedet, syötetyn arvon tulee olla 'tasapainossa' eli 'krebit'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Määrähallinta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Vahvistettuja tilauksia ei voi poistaa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tilin tase on jo dedet, syötetyn arvon tulee olla 'tasapainossa' eli 'krebit'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Määrähallinta
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Kohta {0} on poistettu käytöstä
 DocType: Project,Total Billable Amount (via Timesheets),Laskutettava summa yhteensä (kautta aikajaksoja)
 DocType: Agriculture Task,Previous Business Day,Edellinen työpäivä
@@ -5790,14 +5858,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,kustannuspaikat
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Käynnistä tilaus uudelleen
 DocType: Linked Plant Analysis,Linked Plant Analysis,Linkitetty kasvien analyysi
-DocType: Delivery Note,Transporter ID,Transporter ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Arvoehdotus
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"taso, jolla toimittajan valuutta muunnetaan yrityksen käyttämäksi perusvaluutaksi"
-DocType: Sales Invoice Item,Service End Date,Palvelun päättymispäivä
+DocType: Purchase Invoice Item,Service End Date,Palvelun päättymispäivä
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Rivi # {0}: ajoitukset ristiriidassa rivin {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Salli nollahinta
 DocType: Bank Guarantee,Receiving,vastaanottaminen
 DocType: Training Event Employee,Invited,Kutsuttu
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup Gateway tilejä.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup Gateway tilejä.
 DocType: Employee,Employment Type,Työsopimustyypit
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Kiinteät varat
 DocType: Payment Entry,Set Exchange Gain / Loss,Aseta Exchange voitto / tappio
@@ -5813,7 +5882,7 @@
 DocType: Tax Rule,Sales Tax Template,Sales Tax Malline
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Korvausvaatimus
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Päivitä kustannuskeskuksen numero
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Valitse kohteita tallentaa laskun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Valitse kohteita tallentaa laskun
 DocType: Employee,Encashment Date,perintä päivä
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Erityinen testausmalli
@@ -5821,12 +5890,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},oletus aktiviteettikustannus aktiviteetin tyypille - {0}
 DocType: Work Order,Planned Operating Cost,Suunnitellut käyttökustannukset
 DocType: Academic Term,Term Start Date,Term aloituspäivä
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Luettelo kaikista osakekaupoista
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Luettelo kaikista osakekaupoista
+DocType: Supplier,Is Transporter,On Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Tuo myyntilasku Shopifyista, jos maksu on merkitty"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,OPP Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Molempien kokeilujaksojen alkamispäivä ja koeajan päättymispäivä on asetettava
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Keskimääräinen hinta
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksun kokonaissumman summan on vastattava suurta / pyöristettyä summaa
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksun kokonaissumman summan on vastattava suurta / pyöristettyä summaa
 DocType: Subscription Plan Detail,Plan,Suunnitelma
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Tiliote tasapaino kohti Pääkirja
 DocType: Job Applicant,Applicant Name,hakijan nimi
@@ -5860,7 +5930,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Available Kpl lähdeverolakia Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Takuu
 DocType: Purchase Invoice,Debit Note Issued,Debit Note Annettu
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Kustannuspaikkaan perustuvaa suodatinta sovelletaan vain, jos budjettikohta on valittu kustannuspaikaksi"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Kustannuspaikkaan perustuvaa suodatinta sovelletaan vain, jos budjettikohta on valittu kustannuspaikaksi"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Haku kohteen, koodin, sarjanumeron tai viivakoodin mukaan"
 DocType: Work Order,Warehouses,Varastot
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} hyödykkeen ei voida siirtää
@@ -5871,9 +5941,9 @@
 DocType: Workstation,per hour,Tunnissa
 DocType: Blanket Order,Purchasing,Ostot
 DocType: Announcement,Announcement,Ilmoitus
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Asiakas LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Asiakas LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Sillä eräpohjaisia opiskelijat sekä opiskelijakunta Erä validoidaan jokaiselle oppilaalle Ohjelmasta Ilmoittautuminen.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Varastoa ei voi poistaa, koska varastokirjanpidossa on siihen liittyviä kirjauksia."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Varastoa ei voi poistaa, koska varastokirjanpidossa on siihen liittyviä kirjauksia."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,toimitus
 DocType: Journal Entry Account,Loan,Lainata
 DocType: Expense Claim Advance,Expense Claim Advance,Kulujen ennakkovaatimus
@@ -5882,7 +5952,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projektihallinta
 ,Quoted Item Comparison,Noteeratut Kohta Vertailu
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Päällekkäisyys pisteiden välillä {0} ja {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,lähetys
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,lähetys
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max alennus sallittua item: {0} on {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Substanssi kuin
 DocType: Crop,Produce,Tuottaa
@@ -5892,20 +5962,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Valmistusmateriaalien kulutus
 DocType: Item Alternative,Alternative Item Code,Vaihtoehtoinen koodi
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,roolilla jolla voi lähettää tapamtumia pääsee luottoraja asetuksiin
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Valitse tuotteet Valmistus
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Valitse tuotteet Valmistus
 DocType: Delivery Stop,Delivery Stop,Toimitus pysähtyy
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master data synkronointia, se saattaa kestää jonkin aikaa"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master data synkronointia, se saattaa kestää jonkin aikaa"
 DocType: Item,Material Issue,materiaali aihe
 DocType: Employee Education,Qualification,Pätevyys
 DocType: Item Price,Item Price,Nimikkeen hinta
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Saippua & pesuaine
 DocType: BOM,Show Items,Näytä kohteet
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,From Time ei voi olla suurempi kuin ajoin.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Haluatko ilmoittaa kaikille asiakkaille sähköpostilla?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Haluatko ilmoittaa kaikille asiakkaille sähköpostilla?
 DocType: Subscription Plan,Billing Interval,Laskutusväli
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,tilattu
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Todellinen aloituspäivä ja todellinen päättymispäivä on pakollinen
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Asiakas&gt; Asiakasryhmä&gt; Alue
 DocType: Salary Detail,Component,komponentti
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Rivi {0}: {1} on oltava suurempi kuin 0
 DocType: Assessment Criteria,Assessment Criteria Group,Arviointikriteerit Group
@@ -5936,11 +6007,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Anna pankin tai lainanottajan nimi ennen lähettämistä.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} on toimitettava
 DocType: POS Profile,Item Groups,Kohta Ryhmät
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Tänään on {0}:n syntymäpäivä
 DocType: Sales Order Item,For Production,tuotantoon
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Tasapaino tilin valuutassa
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Lisää tilapäinen tilitietojen tilapäinen avaaminen
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Lisää tilapäinen tilitietojen tilapäinen avaaminen
 DocType: Customer,Customer Primary Contact,Asiakaslähtöinen yhteyshenkilö
 DocType: Project Task,View Task,Näytä tehtävä
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / Lyijy%
@@ -5953,11 +6023,11 @@
 DocType: Sales Invoice,Get Advances Received,hae saadut ennakot
 DocType: Email Digest,Add/Remove Recipients,lisää / poista vastaanottajia
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Asettaaksesi tämän tilikaudenoletukseksi, klikkaa ""aseta oletukseksi"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS vähennetty määrä
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS vähennetty määrä
 DocType: Production Plan,Include Subcontracted Items,Sisällytä alihankintana tehtävät kohteet
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Liittyä seuraan
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Vajaa määrä
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Liittyä seuraan
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Vajaa määrä
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia
 DocType: Loan,Repay from Salary,Maksaa maasta Palkka
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Maksupyynnön vastaan {0} {1} määräksi {2}
 DocType: Additional Salary,Salary Slip,Palkkalaskelma
@@ -5973,7 +6043,7 @@
 DocType: Patient,Dormant,uinuva
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Vähennä veroa lunastamattomista työntekijöiden eduista
 DocType: Salary Slip,Total Interest Amount,Kokonaiskorkojen määrä
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Varasto lapsen solmuja ei voida muuntaa Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Varasto lapsen solmuja ei voida muuntaa Ledger
 DocType: BOM,Manage cost of operations,hallitse toimien kustannuksia
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Saapuminen Datetime
@@ -5985,7 +6055,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Arviointi Tulos Detail
 DocType: Employee Education,Employee Education,työntekijä koulutus
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Monista kohde ryhmä löysi erään ryhmätaulukkoon
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Sitä tarvitaan hakemaan Osa Tiedot.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Sitä tarvitaan hakemaan Osa Tiedot.
 DocType: Fertilizer,Fertilizer Name,Lannoitteen nimi
 DocType: Salary Slip,Net Pay,Nettomaksu
 DocType: Cash Flow Mapping Accounts,Account,tili
@@ -5996,14 +6066,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Luo erillinen maksuerä etuuskohtelusta
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Kuumeen esiintyminen (lämpötila&gt; 38,5 ° C / 101,3 ° F tai jatkuva lämpötila&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Myyntitiimin lisätiedot
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,poista pysyvästi?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,poista pysyvästi?
 DocType: Expense Claim,Total Claimed Amount,Vaatimukset arvomäärä yhteensä
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Myynnin potentiaalisia tilaisuuksia
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Virheellinen {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Sairaspoistuminen
 DocType: Email Digest,Email Digest,sähköpostitiedote
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,eivät ole
 DocType: Delivery Note,Billing Address Name,Laskutus osoitteen nimi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,osasto kaupat
 ,Item Delivery Date,Tuote Toimituspäivä
@@ -6019,16 +6088,16 @@
 DocType: Account,Chargeable,veloitettava
 DocType: Company,Change Abbreviation,muuta lyhennettä
 DocType: Contract,Fulfilment Details,Täyttötiedot
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Maksa {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Maksa {0} {1}
 DocType: Employee Onboarding,Activities,toiminta
 DocType: Expense Claim Detail,Expense Date,Kustannuspäivä
 DocType: Item,No of Months,Kuukausien määrä
 DocType: Item,Max Discount (%),Max Alennus (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Luottopäivät eivät voi olla negatiivinen luku
-DocType: Sales Invoice Item,Service Stop Date,Palvelun pysäytyspäivä
+DocType: Purchase Invoice Item,Service Stop Date,Palvelun pysäytyspäivä
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Viimeisen tilauksen arvo
 DocType: Cash Flow Mapper,e.g Adjustments for:,esim. Säätö:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Säilytä näytteitä perustuu erään, tarkista, onko eränumero säilyttänyt näytteen kohteen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Säilytä näytteitä perustuu erään, tarkista, onko eränumero säilyttänyt näytteen kohteen"
 DocType: Task,Is Milestone,on Milestone
 DocType: Certification Application,Yet to appear,Silti ilmestyy
 DocType: Delivery Stop,Email Sent To,Sähköposti lähetetään
@@ -6036,16 +6105,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Salli kustannuspaikka tuloslaskelmaan
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Yhdistä olemassa olevaan tiliin
 DocType: Budget,Warn,Varoita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Kaikki kohteet on jo siirretty tähän työjärjestykseen.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Kaikki kohteet on jo siirretty tähän työjärjestykseen.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","muut huomiot, huomioitavat asiat tulee laittaa tähän tietueeseen"
 DocType: Asset Maintenance,Manufacturing User,Valmistus peruskäyttäjä
 DocType: Purchase Invoice,Raw Materials Supplied,Raaka-aineet toimitettu
 DocType: Subscription Plan,Payment Plan,Maksusuunnitelma
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Ota esineiden ostaminen sivuston kautta
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Hinnaston valuutan {0} on oltava {1} tai {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Tilausten hallinta
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Tilausten hallinta
 DocType: Appraisal,Appraisal Template,Arvioinnin mallipohjat
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Pin-koodi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Pin-koodi
 DocType: Soil Texture,Ternary Plot,Ternäärinen tontti
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Valitse tämä, jos haluat ottaa käyttöön päivittäisen päivittäisen synkronoinnin rutiinin"
 DocType: Item Group,Item Classification,tuote luokittelu
@@ -6055,6 +6124,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Laskun potilaan rekisteröinti
 DocType: Crop,Period,Aikajakso
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Päätilikirja
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Tilikaudelle
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Näytä vihjeet
 DocType: Program Enrollment Tool,New Program,uusi ohjelma
 DocType: Item Attribute Value,Attribute Value,"tuntomerkki, arvo"
@@ -6063,11 +6133,11 @@
 ,Itemwise Recommended Reorder Level,Tuotekohtainen suositeltu täydennystilaustaso
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Työntekijä {0} palkkaluokkaan {1} ei ole oletuslupapolitiikkaa
 DocType: Salary Detail,Salary Detail,Palkka Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Ole hyvä ja valitse {0} Ensimmäinen
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Ole hyvä ja valitse {0} Ensimmäinen
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Lisätty {0} käyttäjää
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",Monitasoisen ohjelman tapauksessa asiakkaat määräytyvät automaattisesti kyseiselle tasolle niiden kulutuksen mukaan
 DocType: Appointment Type,Physician,Lääkäri
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Erä {0} tuotteesta {1} on vanhentunut.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Erä {0} tuotteesta {1} on vanhentunut.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,kuulemiset
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Valmis Hyvä
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Tuotehinta näkyy useita kertoja hintaluettelon, toimittajan / asiakkaan, valuutan, erän, UOM: n, määrän ja päivämäärän perusteella."
@@ -6076,22 +6146,21 @@
 DocType: Certification Application,Name of Applicant,Hakijan nimi
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Valmistuksen tuntilista
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Välisumma
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Vaihtoehtoisia ominaisuuksia ei voi muuttaa varastotoiminnan jälkeen. Sinun täytyy tehdä uusi esine tehdä tämä.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Vaihtoehtoisia ominaisuuksia ei voi muuttaa varastotoiminnan jälkeen. Sinun täytyy tehdä uusi esine tehdä tämä.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA-toimeksianto
 DocType: Healthcare Practitioner,Charges,maksut
 DocType: Production Plan,Get Items For Work Order,Hae kohteet työjärjestykseen
 DocType: Salary Detail,Default Amount,oletus arvomäärä
 DocType: Lab Test Template,Descriptive,kuvaileva
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Varastoa ei löydy järjestelmästä
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Tämän kuun yhteenveto
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Tämän kuun yhteenveto
 DocType: Quality Inspection Reading,Quality Inspection Reading,Laarutarkistuksen luku
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,Kylmävarasto pitäisi olla vähemmän kuin % päivää
 DocType: Tax Rule,Purchase Tax Template,Myyntiverovelkojen malli
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Aseta myyntitavoite, jonka haluat saavuttaa yrityksellesi."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Terveydenhuollon palvelut
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Terveydenhuollon palvelut
 ,Project wise Stock Tracking,"projekt työkalu, varastoseuranta"
 DocType: GST HSN Code,Regional,alueellinen
-DocType: Delivery Note,Transport Mode,Kuljetustila
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,laboratorio
 DocType: UOM Category,UOM Category,UOM-luokka
 DocType: Clinical Procedure Item,Actual Qty (at source/target),todellinen yksikkömäärä (lähde/tavoite)
@@ -6114,17 +6183,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Sivuston luominen epäonnistui
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Mittayksikön muunnon lisätiedot
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Jäljellä oleva säilytysvarastokirjaus tai näytemäärää ei ole toimitettu
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Jäljellä oleva säilytysvarastokirjaus tai näytemäärää ei ole toimitettu
 DocType: Program,Program Abbreviation,Ohjelma lyhenne
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Tuotannon tilausta ei voi kohdistaa tuotteen mallipohjaan
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,maksut on päivitetty ostokuitilla kondistettuna jokaiseen tuotteeseen
 DocType: Warranty Claim,Resolved By,Ratkaisija
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Aikataulupaikka
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Sekkejä ja Talletukset virheellisesti selvitetty
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,tili {0}: et voi nimetä tätä tiliä emotiliksi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,tili {0}: et voi nimetä tätä tiliä emotiliksi
 DocType: Purchase Invoice Item,Price List Rate,hinta
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Luoda asiakkaalle lainausmerkit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Palvelun pysäytyspäivä ei voi olla Palvelun päättymispäivän jälkeen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Palvelun pysäytyspäivä ei voi olla Palvelun päättymispäivän jälkeen
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Näytä tämän varaston saatavat ""varastossa"" tai ""ei varastossa"" perusteella"
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Osaluettelo (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Keskimääräinen aika toimittajan toimittamaan
@@ -6136,11 +6205,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,tuntia
 DocType: Project,Expected Start Date,odotettu aloituspäivä
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korjaus laskussa
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,"Työjärjestys on luotu kaikille kohteille, joissa on BOM"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,"Työjärjestys on luotu kaikille kohteille, joissa on BOM"
 DocType: Payment Request,Party Details,Juhlatiedot
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Vaihtotiedotiedot Raportti
 DocType: Setup Progress Action,Setup Progress Action,Setup Progress -toiminto
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Ostohinta
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Ostohinta
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,poista tuote mikäli maksuja ei voi soveltaa siihen
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Peruuta tilaus
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Valitse Huolto-tila Valmis tai poista Valmistumispäivä
@@ -6158,7 +6227,7 @@
 DocType: Asset,Disposal Date,hävittäminen Date
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Sähköpostit lähetetään kaikille aktiivinen Yrityksen työntekijät on tietyn tunnin, jos heillä ei ole loma. Yhteenveto vastauksista lähetetään keskiyöllä."
 DocType: Employee Leave Approver,Employee Leave Approver,Poissaolon hyväksyjä
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Rivi {0}: täydennystilaus on jo kirjattu tälle varastolle {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Rivi {0}: täydennystilaus on jo kirjattu tälle varastolle {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","ei voida vahvistaa hävityksi, sillä tarjous on tehty"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP-tili
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Training Palaute
@@ -6170,7 +6239,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Päivään ei voi olla ennen aloituspäivää
 DocType: Supplier Quotation Item,Prevdoc DocType,Edellinen tietuetyyppi
 DocType: Cash Flow Mapper,Section Footer,Osa-alatunniste
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Lisää / muokkaa hintoja
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Lisää / muokkaa hintoja
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Työntekijöiden edistämistä ei voida lähettää ennen promootiopäivämäärää
 DocType: Batch,Parent Batch,Parent Erä
 DocType: Cheque Print Template,Cheque Print Template,Shekki Print Template
@@ -6180,6 +6249,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Näytteenottokokoelma
 ,Requested Items To Be Ordered,Tilauksessa olevat nimiketarpeet
 DocType: Price List,Price List Name,Hinnaston nimi
+DocType: Delivery Stop,Dispatch Information,Lähetystiedot
 DocType: Blanket Order,Manufacturing,Valmistus
 ,Ordered Items To Be Delivered,Asiakkaille toimittamattomat tilaukset
 DocType: Account,Income,tulo
@@ -6198,17 +6268,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} yksikköä {1} tarvitaan {2} on {3} {4} varten {5} tapahtuman suorittamiseen.
 DocType: Fee Schedule,Student Category,Student Luokka
 DocType: Announcement,Student,Opiskelija
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Varastosumma käynnistykseen ei ole varastossa. Haluatko tallentaa osakekannan
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Varastosumma käynnistykseen ei ole varastossa. Haluatko tallentaa osakekannan
 DocType: Shipping Rule,Shipping Rule Type,Lähetyssäännötyyppi
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Siirry huoneisiin
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Yritys, maksutili, päivämäärä ja päivämäärä ovat pakollisia"
 DocType: Company,Budget Detail,budjetti yksityiskohdat
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ole hyvä ja kirjoita viesti ennen lähettämistä.
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE TOIMITTAJILLE
-DocType: Email Digest,Pending Quotations,Odottaa Lainaukset
-DocType: Delivery Note,Distance (KM),Etäisyys (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Toimittaja&gt; Toimittaja Ryhmä
 DocType: Asset,Custodian,hoitaja
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profile
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profile
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} pitäisi olla arvo välillä 0 ja 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{0} maksaminen {1} - {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Vakuudettomat lainat
@@ -6240,10 +6309,10 @@
 DocType: Lead,Converted,muunnettu
 DocType: Item,Has Serial No,Käytä sarjanumeroita
 DocType: Employee,Date of Issue,Kirjauksen päiväys
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kuten kohti ostaminen Asetukset, jos hankinta Reciept Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda Ostokuitti ensin kohteen {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kuten kohti ostaminen Asetukset, jos hankinta Reciept Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda Ostokuitti ensin kohteen {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Rivi # {0}: Aseta toimittaja kohteen {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Rivi {0}: Tuntia arvon on oltava suurempi kuin nolla.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Sivuston kuvaa {0} kohteelle {1} ei löydy
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Sivuston kuvaa {0} kohteelle {1} ei löydy
 DocType: Issue,Content Type,sisällön tyyppi
 DocType: Asset,Assets,Varat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,tietokone
@@ -6254,7 +6323,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} ei ole olemassa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Tarkista usean valuutan mahdollisuuden sallia tilejä muu valuutta
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,tuote: {0} ei ole järjestelmässä
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,sinulla ei ole oikeutta asettaa jäätymis arva
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,sinulla ei ole oikeutta asettaa jäätymis arva
 DocType: Payment Reconciliation,Get Unreconciled Entries,hae täsmäämättömät kirjaukset
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Työntekijä {0} on lähdössä {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Journal entries ei ole palautettu takaisin
@@ -6272,13 +6341,14 @@
 ,Average Commission Rate,keskimääräinen provisio
 DocType: Share Balance,No of Shares,Osuuksien määrä
 DocType: Taxable Salary Slab,To Amount,Määrä
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,Varastoimattoman nimikkeen 'Sarjanumeroitu' -arvo ei voi olla 'kyllä'
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,Varastoimattoman nimikkeen 'Sarjanumeroitu' -arvo ei voi olla 'kyllä'
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Valitse Tila
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,osallistumisia ei voi merkitä tuleville päiville
 DocType: Support Search Source,Post Description Key,Post Kuvaus avain
 DocType: Pricing Rule,Pricing Rule Help,"Hinnoittelusääntö, ohjeet"
 DocType: School House,House Name,Talon nimi
 DocType: Fee Schedule,Total Amount per Student,Opiskelijan kokonaismäärä
+DocType: Opportunity,Sales Stage,Myyntivaihe
 DocType: Purchase Taxes and Charges,Account Head,tilin otsikko
 DocType: Company,HRA Component,HRA-komponentti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,sähköinen
@@ -6286,15 +6356,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),arvoero (ulos-sisään) yhteensä
 DocType: Grant Application,Requested Amount,Pyydetty määrä
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Rivi {0}: Vaihtokurssi on pakollinen
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Käyttäjätunnusta ei asetettu työntekijälle {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Käyttäjätunnusta ei asetettu työntekijälle {0}
 DocType: Vehicle,Vehicle Value,ajoneuvo Arvo
 DocType: Crop Cycle,Detected Diseases,Havaitut taudit
 DocType: Stock Entry,Default Source Warehouse,Varastosta (oletus)
 DocType: Item,Customer Code,Asiakkaan yrityskoodi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Syntymäpäivämuistutus {0}
 DocType: Asset Maintenance Task,Last Completion Date,Viimeinen päättymispäivä
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,päivää edellisestä tilauksesta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debit tilin on oltava tase tili
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debit tilin on oltava tase tili
 DocType: Asset,Naming Series,Nimeä sarjat
 DocType: Vital Signs,Coated,Päällystetty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rivi {0}: odotettu arvo hyödyllisen elämän jälkeen on oltava pienempi kuin bruttovoiton määrä
@@ -6312,15 +6381,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Lähete {0} ei saa olla vahvistettu
 DocType: Notification Control,Sales Invoice Message,"Myyntilasku, viesti"
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Tilin sulkemisen {0} on oltava tyyppiä Vastuu / Oma pääoma
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Palkka Slip työntekijöiden {0} on jo luotu kellokortti {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Palkka Slip työntekijöiden {0} on jo luotu kellokortti {1}
 DocType: Vehicle Log,Odometer,Matkamittari
 DocType: Production Plan Item,Ordered Qty,tilattu yksikkömäärä
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Nimike {0} on poistettu käytöstä
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Nimike {0} on poistettu käytöstä
 DocType: Stock Settings,Stock Frozen Upto,varasto jäädytetty asti
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,Osaluettelo ei sisällä yhtäkään varastonimikettä
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,Osaluettelo ei sisällä yhtäkään varastonimikettä
 DocType: Chapter,Chapter Head,Luvun pää
 DocType: Payment Term,Month(s) after the end of the invoice month,Kuukausi (t) laskutuskuukauden päättymisen jälkeen
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Palkkarakenteessa tulisi olla joustava etuusosa (-komponentit), joilla voidaan jakaa etuusmäärä"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Palkkarakenteessa tulisi olla joustava etuusosa (-komponentit), joilla voidaan jakaa etuusmäärä"
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Tehtävä
 DocType: Vital Signs,Very Coated,Hyvin päällystetty
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Vain verovaikutus (ei voi vaatia osittain verotettavaa tuloa)
@@ -6338,7 +6407,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Laskutus tuntia
 DocType: Project,Total Sales Amount (via Sales Order),Myyntimäärän kokonaismäärä (myyntitilauksen mukaan)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Oletus BOM varten {0} ei löytynyt
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Rivi # {0}: Aseta täydennystilauksen yksikkömäärä
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Rivi # {0}: Aseta täydennystilauksen yksikkömäärä
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Kosketa kohteita lisätä ne tästä
 DocType: Fees,Program Enrollment,Ohjelma Ilmoittautuminen
 DocType: Share Transfer,To Folio No,Folio nro
@@ -6378,9 +6447,9 @@
 DocType: SG Creation Tool Course,Max Strength,max Strength
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Esiasetusten asennus
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Ei toimitustiedostoa valittu asiakkaalle {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Ei toimitustiedostoa valittu asiakkaalle {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Työntekijä {0} ei ole enimmäishyvää
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Valitse kohteet toimituspäivän perusteella
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Valitse kohteet toimituspäivän perusteella
 DocType: Grant Application,Has any past Grant Record,Onko jokin mennyt Grant Record
 ,Sales Analytics,Myyntianalytiikka
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Käytettävissä {0}
@@ -6388,12 +6457,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,valmistuksen asetukset
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Sähköpostin perusmääritykset
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Ei
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Syötä oletusvaluutta yritys valvonnassa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Syötä oletusvaluutta yritys valvonnassa
 DocType: Stock Entry Detail,Stock Entry Detail,Varastotapahtuman yksityiskohdat
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Päivittäinen Muistutukset
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Päivittäinen Muistutukset
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Katso kaikki avoimet liput
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Terveydenhuollon palveluyksikön puu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Tuote
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Tuote
 DocType: Products Settings,Home Page is Products,tuotteiden kotisivu
 ,Asset Depreciation Ledger,Asset Poistot Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Jätä yhdistämisen määrä päivältä
@@ -6403,8 +6472,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Raaka-aine toimitettu kustannus
 DocType: Selling Settings,Settings for Selling Module,Myyntimoduulin asetukset
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotellihuoneen varaaminen
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Asiakaspalvelu
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Asiakaspalvelu
 DocType: BOM,Thumbnail,Pikkukuva
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Ei löytynyt yhteystietoja sähköpostin tunnuksilla.
 DocType: Item Customer Detail,Item Customer Detail,tuote asiakas lisätyedot
 DocType: Notification Control,Prompt for Email on Submission of,Kysyy Sähköposti esitettäessä
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Työntekijän {0} enimmäisetuuksien määrä ylittää {1}
@@ -6414,13 +6484,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Nimike {0} pitää olla varastonimike
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Oletus KET-varasto
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Aikataulut {0} päällekkäisyyksillä, haluatko jatkaa päällekkäisten paikkojen tyhjentämisen jälkeen?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,kirjanpidon tapahtumien oletusasetukset
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,kirjanpidon tapahtumien oletusasetukset
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant lehdet
 DocType: Restaurant,Default Tax Template,Oletusmaksutaulukko
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Opiskelijat on ilmoittautunut
 DocType: Fees,Student Details,Opiskelijan tiedot
 DocType: Purchase Invoice Item,Stock Qty,Stock kpl
 DocType: Contract,Requires Fulfilment,Vaatii täyttämisen
+DocType: QuickBooks Migrator,Default Shipping Account,Oletussataman tili
 DocType: Loan,Repayment Period in Months,Takaisinmaksuaika kuukausina
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,virhe: tunnus ei ole kelvollinen
 DocType: Naming Series,Update Series Number,Päivitä sarjanumerot
@@ -6434,11 +6505,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksimi määrä
 DocType: Journal Entry,Total Amount Currency,Yhteensä Määrä Valuutta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,haku alikokoonpanot
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},tuotekoodi vaaditaan riville {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},tuotekoodi vaaditaan riville {0}
 DocType: GST Account,SGST Account,SGST-tili
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Siirry kohteisiin
 DocType: Sales Partner,Partner Type,Kumppani tyyppi
-DocType: Purchase Taxes and Charges,Actual,kiinteä määrä
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,kiinteä määrä
 DocType: Restaurant Menu,Restaurant Manager,Ravintolapäällikkö
 DocType: Authorization Rule,Customerwise Discount,asiakaskohtainen alennus
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Tehtävien tuntilomake.
@@ -6459,7 +6530,7 @@
 DocType: Employee,Cheque,takaus/shekki
 DocType: Training Event,Employee Emails,Työntekijän sähköpostit
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Sarja päivitetty
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,raportin tyyppi vaaditaan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,raportin tyyppi vaaditaan
 DocType: Item,Serial Number Series,Sarjanumero sarjat
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Varasto vaaditaan varastotuotteelle {0} rivillä {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Vähittäismyynti &amp; Tukkukauppa
@@ -6489,7 +6560,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Päivitä laskutettu määrä myyntitilauksessa
 DocType: BOM,Materials,Materiaalit
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ellei ole täpättynä luettelo on lisättävä jokaiseen osastoon, jossa sitä sovelletaan"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Lähettämistä päivämäärä ja lähettämistä aika on pakollista
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Lähettämistä päivämäärä ja lähettämistä aika on pakollista
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Ostotapahtumien veromallipohja.
 ,Item Prices,Tuotehinnat
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"sanat näkyvät, kun tallennat ostotilauksen"
@@ -6505,12 +6576,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Käyttöomaisuuden poistojen sarja (päiväkirja)
 DocType: Membership,Member Since,Jäsen vuodesta
 DocType: Purchase Invoice,Advance Payments,Ennakkomaksut
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Valitse Terveydenhuollon palvelu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Valitse Terveydenhuollon palvelu
 DocType: Purchase Taxes and Charges,On Net Total,nettosummasta
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Attribuutin arvo {0} on oltava alueella {1} ja {2} ja lisäyksin {3} kohteelle {4}
 DocType: Restaurant Reservation,Waitlisted,Jonossa
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Poikkeusluokka
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuuttaa ei voi muuttaa sen jälkeen kun kirjauksia on jo tehty jossain toisessa valuutassa.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuuttaa ei voi muuttaa sen jälkeen kun kirjauksia on jo tehty jossain toisessa valuutassa.
 DocType: Shipping Rule,Fixed,kiinteä
 DocType: Vehicle Service,Clutch Plate,Kytkinlevy
 DocType: Company,Round Off Account,pyöristys tili
@@ -6519,7 +6590,7 @@
 DocType: Subscription Plan,Based on price list,Perustuu hinnastoon
 DocType: Customer Group,Parent Customer Group,Pääasiakasryhmä
 DocType: Vehicle Service,Change,muutos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,tilaus
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,tilaus
 DocType: Purchase Invoice,Contact Email,"yhteystiedot, sähköposti"
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Maksun luominen vireillä
 DocType: Appraisal Goal,Score Earned,Ansaitut pisteet
@@ -6546,23 +6617,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Saatava / maksettava tili
 DocType: Delivery Note Item,Against Sales Order Item,Myyntitilauksen kohdistus / nimike
 DocType: Company,Company Logo,Yrityksen logo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Ilmoitathan Taito Vastinetta määrite {0}
-DocType: Item Default,Default Warehouse,oletus varasto
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Ilmoitathan Taito Vastinetta määrite {0}
+DocType: QuickBooks Migrator,Default Warehouse,oletus varasto
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},budjettia ei voi nimetä ryhmätiliin {0}
 DocType: Shopping Cart Settings,Show Price,Näytä hinta
 DocType: Healthcare Settings,Patient Registration,Potilaan rekisteröinti
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Syötä pääkustannuspaikka
 DocType: Delivery Note,Print Without Amount,Tulosta ilman arvomäärää
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Poistot Date
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Poistot Date
 ,Work Orders in Progress,Työjärjestykset ovat käynnissä
 DocType: Issue,Support Team,Tukitiimi
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Päättymisestä (päivinä)
 DocType: Appraisal,Total Score (Out of 5),osumat (5:stä) yhteensä
 DocType: Student Attendance Tool,Batch,Erä
 DocType: Support Search Source,Query Route String,Kyselyreittijono
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Päivitysnopeus viimeisen ostoksen mukaan
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Päivitysnopeus viimeisen ostoksen mukaan
 DocType: Donor,Donor Type,Luovuttajan tyyppi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Automaattinen toistuva asiakirja päivitetty
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Automaattinen toistuva asiakirja päivitetty
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,tase
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Valitse yritys
 DocType: Job Card,Job Card,Job Card
@@ -6576,7 +6647,7 @@
 DocType: Assessment Result,Total Score,Kokonaispisteet
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 -standardia
 DocType: Journal Entry,Debit Note,debet viesti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Voit lunastaa enintään {0} pistettä tässä järjestyksessä.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Voit lunastaa enintään {0} pistettä tässä järjestyksessä.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Anna API Consumer Secret
 DocType: Stock Entry,As per Stock UOM,Varastoyksikössä
@@ -6589,10 +6660,11 @@
 DocType: Journal Entry,Total Debit,Debet yhteensä
 DocType: Travel Request Costing,Sponsored Amount,Sponsored Amount
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Valmiiden tavaroiden oletusvarasto
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Valitse potilas
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Valitse potilas
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Myyjä
 DocType: Hotel Room Package,Amenities,palveluihin
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Talousarvio ja kustannuspaikka
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited Funds Account
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Talousarvio ja kustannuspaikka
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Useita oletusmaksutapoja ei sallita
 DocType: Sales Invoice,Loyalty Points Redemption,Uskollisuuspisteiden lunastus
 ,Appointment Analytics,Nimitys Analytics
@@ -6606,6 +6678,7 @@
 DocType: Batch,Manufacturing Date,Valmistuspäivä
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Maksun luominen epäonnistui
 DocType: Opening Invoice Creation Tool,Create Missing Party,Luo puuttuva puolue
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Kokonaisbudjetti
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Jätä tyhjäksi jos teet opiskelijoiden ryhmää vuodessa
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",täpättäessä lomapäivät sisältyvät työpäiviin ja tämä lisää palkan avoa / päivä
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Nykyisen avaimen käyttämät sovellukset eivät voi käyttää, oletko varma?"
@@ -6621,20 +6694,19 @@
 DocType: Opportunity Item,Basic Rate,perushinta
 DocType: GL Entry,Credit Amount,Luoton määrä
 DocType: Cheque Print Template,Signatory Position,Allekirjoittaja Position
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Aseta kadonneeksi
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Aseta kadonneeksi
 DocType: Timesheet,Total Billable Hours,Yhteensä laskutettavat tunnit
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Kuukausien määrä, jolloin tilaajan on maksettava tilauksen luomat laskut"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Työntekijän etuuskohteen hakeminen
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Maksukuitin Huomautus
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Tämä perustuu asiakasta koskeviin tapahtumiin. Katso lisätietoja ao. aikajanalta
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rivi {0}: Myönnetyn {1} on oltava pienempi tai yhtä suuri kuin Payment Entry määrään {2}
 DocType: Program Enrollment Tool,New Academic Term,Uusi akateeminen termi
 ,Course wise Assessment Report,Tietenkin viisasta arviointiraportti
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Käytti ITC-valtion / UT-veroa
 DocType: Tax Rule,Tax Rule,Verosääntöön
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,ylläpidä samaa tasoa läpi myyntisyklin
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Ole hyvä ja kirjaudu sisään toisena käyttäjänä rekisteröitymään Marketplacesta
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Ole hyvä ja kirjaudu sisään toisena käyttäjänä rekisteröitymään Marketplacesta
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Suunnittele aikaa lokit ulkopuolella Workstation työaikalain.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Asiakkaat jonossa
 DocType: Driver,Issuing Date,Julkaisupäivämäärä
@@ -6643,11 +6715,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Lähetä tämä työjärjestys jatkokäsittelyä varten.
 ,Items To Be Requested,Nimiketarpeet
 DocType: Company,Company Info,yrityksen tiedot
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Valitse tai lisätä uuden asiakkaan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Valitse tai lisätä uuden asiakkaan
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Kustannuspaikkaa vaaditaan varata kulukorvauslasku
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),sovellus varat (vastaavat)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Tämä perustuu työntekijän läsnäoloihin
-DocType: Assessment Result,Summary,Yhteenveto
 DocType: Payment Request,Payment Request Type,Maksupyynnötyyppi
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Merkitse osallistuminen
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Luottotililtä
@@ -6655,7 +6726,7 @@
 DocType: Additional Salary,Employee Name,työntekijän nimi
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Ravintola Tilaus Entry Item
 DocType: Purchase Invoice,Rounded Total (Company Currency),pyöristys yhteensä (yrityksen  valuutta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,ei voi kääntää ryhmiin sillä tilin tyyppi on valittu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,ei voi kääntää ryhmiin sillä tilin tyyppi on valittu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} on muuttunut. Lataa uudelleen.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,estä käyttäjiä tekemästä poistumissovelluksia seuraavina päivinä
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Jos uskollisuuspisteiden voimassaolo päättyy rajoittamattomasti, pidä voimassaolon päättymispäivä tyhjä tai 0."
@@ -6676,11 +6747,12 @@
 DocType: Asset,Out of Order,Epäkunnossa
 DocType: Purchase Receipt Item,Accepted Quantity,hyväksytyt määrä
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ohita työaseman ajan päällekkäisyys
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Aseta oletus Holiday List Työntekijä {0} tai Company {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Aseta oletus Holiday List Työntekijä {0} tai Company {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} ei löydy
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Valitse eränumerot
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTINiin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTINiin
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Laskut nostetaan asiakkaille.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Laskujen nimittäminen automaattisesti
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekti Id
 DocType: Salary Component,Variable Based On Taxable Salary,Muuttuja perustuu verolliseen palkkaan
 DocType: Company,Basic Component,Peruskomponentti
@@ -6693,10 +6765,10 @@
 DocType: Stock Entry,Source Warehouse Address,Lähdealueen osoite
 DocType: GL Entry,Voucher Type,Tositetyyppi
 DocType: Amazon MWS Settings,Max Retry Limit,Yritä uudelleen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Hinnastoa ei löydy tai se on poistettu käytöstä
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Hinnastoa ei löydy tai se on poistettu käytöstä
 DocType: Student Applicant,Approved,hyväksytty
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Hinta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"työntekijä vapautettu {0} tulee asettaa ""vasemmalla"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"työntekijä vapautettu {0} tulee asettaa ""vasemmalla"""
 DocType: Marketplace Settings,Last Sync On,Viimeisin synkronointi päällä
 DocType: Guardian,Guardian,holhooja
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Kaikki tämän ja edellä mainitun viestinnät siirretään uuteen numeroon
@@ -6719,14 +6791,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Luettelo kentällä havaituista taudeista. Kun se valitaan, se lisää automaattisesti tehtäväluettelon taudin hoitamiseksi"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Tämä on juuri terveydenhuollon palveluyksikkö ja sitä ei voi muokata.
 DocType: Asset Repair,Repair Status,Korjaustila
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Lisää myyntikumppanit
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,"kirjanpito, päiväkirjakirjaukset"
 DocType: Travel Request,Travel Request,Matka-pyyntö
 DocType: Delivery Note Item,Available Qty at From Warehouse,Available Kpl at varastosta
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Valitse työntekijä tietue ensin
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Läsnäoloa ei ole lähetetty {0} lomalle, koska se on loma."
 DocType: POS Profile,Account for Change Amount,Vaihtotilin summa
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Yhteyden muodostaminen QuickBooksiin
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Yhteensä voitto / tappio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Virheellinen yritys Inter Company -tilille.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Virheellinen yritys Inter Company -tilille.
 DocType: Purchase Invoice,input service,syöttöpalvelu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rivi {0}: Party / Tili ei vastaa {1} / {2} ja {3} {4}
 DocType: Employee Promotion,Employee Promotion,Työntekijöiden edistäminen
@@ -6735,12 +6809,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kurssikoodi:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Syötä kustannustili
 DocType: Account,Stock,Varasto
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi Ostotilaus, Ostolasku tai Päiväkirjakirjaus"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi Ostotilaus, Ostolasku tai Päiväkirjakirjaus"
 DocType: Employee,Current Address,nykyinen osoite
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","mikäli tuote on toisen tuotteen malli tulee tuotteen kuvaus, kuva, hinnoittelu, verot ja muut tiedot oletuksena mallipohjasta ellei oletusta ole erikseen poistettu"
 DocType: Serial No,Purchase / Manufacture Details,Oston/valmistuksen lisätiedot
 DocType: Assessment Group,Assessment Group,Assessment Group
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Varastoerät
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Menettelyn nimi
 DocType: Employee,Contract End Date,sopimuksen päättymispäivä
 DocType: Amazon MWS Settings,Seller ID,Myyjän tunnus
@@ -6760,12 +6835,12 @@
 DocType: Company,Date of Incorporation,Valmistuspäivä
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,verot yhteensä
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Viimeinen ostohinta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,yksikkömäärään (valmistettu yksikkömäärä) vaaditaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,yksikkömäärään (valmistettu yksikkömäärä) vaaditaan
 DocType: Stock Entry,Default Target Warehouse,Varastoon (oletus)
 DocType: Purchase Invoice,Net Total (Company Currency),netto yhteensä (yrityksen valuutta)
 DocType: Delivery Note,Air,ilma
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Teemavuosi Lopetuspäivä ei voi olla aikaisempi kuin vuosi aloituspäivä. Korjaa päivämäärät ja yritä uudelleen.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ei ole vapaaehtoisessa lomalistassa
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ei ole vapaaehtoisessa lomalistassa
 DocType: Notification Control,Purchase Receipt Message,Saapumistositteen viesti
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,romu kohteet
@@ -6787,23 +6862,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,täyttymys
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Edellisen rivin arvomäärä
 DocType: Item,Has Expiry Date,On vanhentunut
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,siirto Asset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,siirto Asset
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Tapahtuman nimi
 DocType: Healthcare Practitioner,Phone (Office),Puhelin (toimisto)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Ei voi lähettää, Työntekijät jätetään merkitsemään läsnäoloa"
 DocType: Inpatient Record,Admission,sisäänpääsy
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Teatterikatsojamääriin {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","kausivaihtelu asetukset esim, budjettiin, tavoitteisiin jne"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","kausivaihtelu asetukset esim, budjettiin, tavoitteisiin jne"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Muuttujan nimi
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Nimike {0} on mallipohja, valitse yksi sen variaatioista"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Aseta henkilöstön nimeämisjärjestelmä henkilöresursseihin&gt; HR-asetukset
+DocType: Purchase Invoice Item,Deferred Expense,Viivästyneet kulut
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Päivämäärä {0} ei voi olla ennen työntekijän liittymispäivää {1}
 DocType: Asset,Asset Category,Asset Luokka
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Nettomaksu ei voi olla negatiivinen
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Nettomaksu ei voi olla negatiivinen
 DocType: Purchase Order,Advance Paid,Ennakkoon maksettu
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Ylituotanto prosentteina myyntitilauksesta
 DocType: Item,Item Tax,Tuotteen vero
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiaali toimittajalle
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiaali toimittajalle
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Materiaalin pyynnön suunnittelu
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Valmistevero Lasku
@@ -6825,11 +6902,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Ajoitustyökalun
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,luottokortti
 DocType: BOM,Item to be manufactured or repacked,tuote joka valmistetaan- tai pakataan uudelleen
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Syntaksivirhe kunto: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Syntaksivirhe kunto: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Major / Vapaaehtoinen Aiheet
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Aseta toimittajaryhmä ostosasetuksissa.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Aseta toimittajaryhmä ostosasetuksissa.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Joustavan edun kokonaismäärän summa {0} ei saisi olla pienempi kuin max etuudet {1}
 DocType: Sales Invoice Item,Drop Ship,Suoratoimitus
 DocType: Driver,Suspended,Keskeytetty
@@ -6849,7 +6926,7 @@
 DocType: Customer,Commission Rate,provisio
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Onnistuneesti luotu maksu-merkinnät
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Luotu {0} tuloskartan {1} välillä:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Tee Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Tee Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Maksu tyyppi on yksi vastaanottaminen, Pay ja sisäinen siirto"
 DocType: Travel Itinerary,Preferred Area for Lodging,Edullinen majoitusalue
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytiikka
@@ -6860,7 +6937,7 @@
 DocType: Work Order,Actual Operating Cost,todelliset toimintakustannukset
 DocType: Payment Entry,Cheque/Reference No,Sekki / viitenumero
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,kantaa ei voi muokata
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,kantaa ei voi muokata
 DocType: Item,Units of Measure,Mittayksiköt
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Vuokrataan Metro Cityssä
 DocType: Supplier,Default Tax Withholding Config,Oletusveron pidätysmääräasetus
@@ -6878,21 +6955,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Maksun jälkeen valmistumisen ohjata käyttäjän valitulle sivulle.
 DocType: Company,Existing Company,Olemassa Company
 DocType: Healthcare Settings,Result Emailed,Tulos lähetettiin sähköpostitse
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Veroluokka on muutettu &quot;Total&quot;, koska kaikki tuotteet ovat ei-varastosta löytyvät"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Veroluokka on muutettu &quot;Total&quot;, koska kaikki tuotteet ovat ei-varastosta löytyvät"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Tähän mennessä ei voi olla yhtä tai vähemmän kuin päivämäärä
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Mikään ei muutu
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Valitse csv tiedosto
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Valitse csv tiedosto
 DocType: Holiday List,Total Holidays,Yhteensä lomat
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Lähettämättömät sähköpostimallit puuttuvat. Aseta yksi Toimitusasetuksissa.
 DocType: Student Leave Application,Mark as Present,Merkitse Present
 DocType: Supplier Scorecard,Indicator Color,Indikaattorin väri
 DocType: Purchase Order,To Receive and Bill,Saavuta ja laskuta
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Rivi # {0}: Reqd by Date ei voi olla ennen tapahtumapäivää
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Rivi # {0}: Reqd by Date ei voi olla ennen tapahtumapäivää
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Esittelyssä olevat tuotteet
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Valitse sarjanumero
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Valitse sarjanumero
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,suunnittelija
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Ehdot ja säännöt mallipohja
 DocType: Serial No,Delivery Details,"toimitus, lisätiedot"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Kustannuspaikka tarvitsee rivin {0} verokannan {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Kustannuspaikka tarvitsee rivin {0} verokannan {1}
 DocType: Program,Program Code,Program Code
 DocType: Terms and Conditions,Terms and Conditions Help,Ehdot Ohje
 ,Item-wise Purchase Register,"tuote työkalu, ostorekisteri"
@@ -6905,15 +6983,16 @@
 DocType: Contract,Contract Terms,Sopimusehdot
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"älä käytä symbooleita,  $ jne valuuttojen vieressä"
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Komponentin {0} maksimimäärä on suurempi kuin {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(1/2 päivä)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(1/2 päivä)
 DocType: Payment Term,Credit Days,kredit päivää
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Valitse Potilas saadaksesi Lab Testit
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Tee Student Erä
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Salli siirto valmistukseen
 DocType: Leave Type,Is Carry Forward,siirretääkö
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Hae nimikkeet osaluettelolta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Hae nimikkeet osaluettelolta
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,"virtausaika, päivää"
 DocType: Cash Flow Mapping,Is Income Tax Expense,Onko tuloveroa
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Tilauksesi on loppu!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rivi # {0}: julkaisupäivä on oltava sama kuin ostopäivästä {1} asset {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Valitse tämä jos opiskelija oleskelee instituutin Hostel.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Syötä Myyntitilaukset edellä olevasta taulukosta
@@ -6921,10 +7000,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Luovuttaa omaisuuttaan yhdestä varastosta another
 DocType: Vehicle,Petrol,Bensiini
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Jäljellä olevat edut (vuosittain)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Osaluettelo
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Osaluettelo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},rivi {0}: osapuolityyppi ja osapuoli vaaditaan saatava / maksettava tilille {1}
 DocType: Employee,Leave Policy,Jätä politiikka
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Päivitä kohteet
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Päivitä kohteet
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Viite Päivämäärä
 DocType: Employee,Reason for Leaving,Poistumisen syy
 DocType: BOM Operation,Operating Cost(Company Currency),Käyttökustannukset (Company valuutta)
@@ -6935,7 +7014,7 @@
 DocType: Department,Expense Approvers,Kulujen hyväksyjät
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},rivi {0}: debet kirjausta ei voi kohdistaa {1}
 DocType: Journal Entry,Subscription Section,Tilausjakso
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,tiliä {0} ei löydy
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,tiliä {0} ei löydy
 DocType: Training Event,Training Program,Koulutusohjelma
 DocType: Account,Cash,Käteinen
 DocType: Employee,Short biography for website and other publications.,Lyhyt historiikki verkkosivuille ja muihin julkaisuihin
diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv
index 5fa8ec7..2873c17 100644
--- a/erpnext/translations/fr.csv
+++ b/erpnext/translations/fr.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Articles du clients
 DocType: Project,Costing and Billing,Coûts et Facturation
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},La devise du compte d'avance doit être la même que la devise de la société {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Compte {0}: Le Compte parent {1} ne peut pas être un grand livre
+DocType: QuickBooks Migrator,Token Endpoint,Point de terminaison de jeton
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Compte {0}: Le Compte parent {1} ne peut pas être un grand livre
 DocType: Item,Publish Item to hub.erpnext.com,Publier un Artice sur hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Impossible de trouver une période de congés active
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Impossible de trouver une période de congés active
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Évaluation
 DocType: Item,Default Unit of Measure,Unité de Mesure par Défaut
 DocType: SMS Center,All Sales Partner Contact,Tous les Contacts de Partenaires Commerciaux
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Cliquez sur Entrée pour Ajouter
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Valeur manquante pour le mot de passe, la clé API ou l&#39;URL Shopify"
 DocType: Employee,Rented,Loué
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Tous les comptes
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Tous les comptes
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,"Impossible de transférer un employé avec le statut ""Parti"""
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Un Ordre de Fabrication Arrêté ne peut pas être annulé, remettez le d'abord en marche pour l'annuler"
 DocType: Vehicle Service,Mileage,Kilométrage
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Voulez-vous vraiment mettre cet actif au rebut ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Voulez-vous vraiment mettre cet actif au rebut ?
 DocType: Drug Prescription,Update Schedule,Mettre à Jour le Calendrier
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Sélectionner le Fournisseur par Défaut
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Afficher l&#39;employé
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nouveau taux de change
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Devise est nécessaire pour la liste de prix {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Devise est nécessaire pour la liste de prix {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sera calculé lors de la transaction.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Contact Client
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Basé sur les transactions avec ce fournisseur. Voir la chronologie ci-dessous pour plus de détails
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Pourcentage de surproduction pour les ordres de travail
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Juridique
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Juridique
+DocType: Delivery Note,Transport Receipt Date,Date de réception du transport
 DocType: Shopify Settings,Sales Order Series,Série des commandes client
 DocType: Vital Signs,Tongue,Langue
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Exemption pour l'allocation logement (HRA)
 DocType: Sales Invoice,Customer Name,Nom du Client
 DocType: Vehicle,Natural Gas,Gaz Naturel
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Compte Bancaire ne peut pas être nommé {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Compte Bancaire ne peut pas être nommé {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,Allocation logement (HRA) basé sur la structure salariale
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Titres (ou groupes) sur lequel les entrées comptables sont faites et les soldes sont maintenus.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Solde pour {0} ne peut pas être inférieur à zéro ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,La date d&#39;arrêt du service ne peut pas être antérieure à la date de début du service
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,La date d&#39;arrêt du service ne peut pas être antérieure à la date de début du service
 DocType: Manufacturing Settings,Default 10 mins,10 minutes Par Défaut
 DocType: Leave Type,Leave Type Name,Nom du Type de Congé
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Afficher ouverte
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Afficher ouverte
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Mise à jour des Séries Réussie
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Règlement
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} dans la ligne {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} dans la ligne {1}
 DocType: Asset Finance Book,Depreciation Start Date,Date de début de l&#39;amortissement
 DocType: Pricing Rule,Apply On,Appliquer Sur
 DocType: Item Price,Multiple Item prices.,Plusieurs Prix d'Articles.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Paramètres du Support
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Date de Fin Attendue ne peut pas être antérieure à Date de Début Attendue
 DocType: Amazon MWS Settings,Amazon MWS Settings,Paramètres Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ligne #{0} : Le Prix doit être le même que {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ligne #{0} : Le Prix doit être le même que {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Statut d'Expiration d'Article du Lot
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Traite Bancaire
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Détails du contact principal
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Tickets ouverts
 DocType: Production Plan Item,Production Plan Item,Article du Plan de Production
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Utilisateur {0} est déjà attribué à l'Employé {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Utilisateur {0} est déjà attribué à l'Employé {1}
 DocType: Lab Test Groups,Add new line,Ajouter une nouvelle ligne
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Soins de Santé
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retard de paiement (jours)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Prescription de laboratoire
 ,Delay Days,Jours de retard
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Frais de Service
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Numéro de Série: {0} est déjà référencé dans la Facture de Vente: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Numéro de Série: {0} est déjà référencé dans la Facture de Vente: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Facture
 DocType: Purchase Invoice Item,Item Weight Details,Détails du poids de l&#39;article
 DocType: Asset Maintenance Log,Periodicity,Périodicité
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Exercice Fiscal {0} est nécessaire
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Fournisseur&gt; Groupe de fournisseurs
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,La distance minimale entre les rangées de plantes pour une croissance optimale
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Défense
 DocType: Salary Component,Abbr,Abré
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Liste de Vacances
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Comptable
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Liste de prix de vente
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Liste de prix de vente
 DocType: Patient,Tobacco Current Use,Consommation actuelle de tabac
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Prix de vente
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Prix de vente
 DocType: Cost Center,Stock User,Chargé des Stocks
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Informations de contact
 DocType: Company,Phone No,N° de Téléphone
 DocType: Delivery Trip,Initial Email Notification Sent,Notification initiale par e-mail envoyée
 DocType: Bank Statement Settings,Statement Header Mapping,Mapping d'en-tête de déclaration
@@ -161,7 +163,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan_dashboard.py +8,Related,En Relation
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +46,Attendance date can not be less than employee's joining date,Date de présence ne peut pas être antérieure à la date d'embauche de l'employé
 DocType: Grading Scale,Grading Scale Name,Nom de l'Échelle de Notation
-apps/erpnext/erpnext/public/js/hub/marketplace.js +148,Add Users to Marketplace,Ajouter des utilisateurs à Marketplace
+apps/erpnext/erpnext/public/js/hub/marketplace.js +148,Add Users to Marketplace,Ajouter des utilisateurs à la Marketplace
 apps/erpnext/erpnext/accounts/doctype/account/account.js +37,This is a root account and cannot be edited.,Il s'agit d'un compte racine qui ne peut être modifié.
 DocType: Sales Invoice,Company Address,Adresse de la Société
 DocType: BOM,Operations,Opérations
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Date de début de l&#39;abonnement
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Compte de tiers par défaut à utiliser s'il n'est pas défini dans la fiche du patient pour comptabiliser les rendez-vous.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Attacher un fichier .csv avec deux colonnes, une pour l'ancien nom et une pour le nouveau nom"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Ligne d'addresse 2 (Origine)
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Code article&gt; Groupe d&#39;articles&gt; Marque
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Ligne d'addresse 2 (Origine)
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} dans aucun Exercice actif.
 DocType: Packed Item,Parent Detail docname,Nom de Document du Détail Parent
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Référence: {0}, Code de l&#39;article: {1} et Client: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} n&#39;est pas présent dans la société mère
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} n&#39;est pas présent dans la société mère
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,La date de fin de la période d'évaluation ne peut pas précéder la date de début de la période d'évaluation
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Catégorie de taxation à la source
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Publicité
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,La même Société a été entrée plus d'une fois
 DocType: Patient,Married,Marié
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Non autorisé pour {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Non autorisé pour {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Obtenir les articles de
 DocType: Price List,Price Not UOM Dependant,Prix non dépendant de l'unité de mesure
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Appliquer le montant de la retenue d&#39;impôt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock ne peut pas être mis à jour pour le Bon de Livraison {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Montant total crédité
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock ne peut pas être mis à jour pour le Bon de Livraison {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Montant total crédité
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produit {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Aucun article référencé
 DocType: Asset Repair,Error Description,Erreur de description
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Utiliser le format de flux de trésorerie personnalisé
 DocType: SMS Center,All Sales Person,Tous les Commerciaux
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**Répartition Mensuelle** vous aide à diviser le Budget / la Cible sur plusieurs mois si vous avez de la saisonnalité dans votre entreprise.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Pas d'objets trouvés
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Grille des Salaires Manquante
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Pas d'objets trouvés
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Grille des Salaires Manquante
 DocType: Lead,Person Name,Nom de la Personne
 DocType: Sales Invoice Item,Sales Invoice Item,Article de la Facture de Vente
 DocType: Account,Credit,Crédit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Rapports de Stock
 DocType: Warehouse,Warehouse Detail,Détail de l'Entrepôt
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,La Date de Fin de Terme ne peut pas être postérieure à la Date de Fin de l'Année Académique à laquelle le terme est lié (Année Académique {}). Veuillez corriger les dates et essayer à nouveau.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",'Est un Actif Immobilisé’ doit être coché car il existe une entrée d’Actif pour cet article
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",'Est un Actif Immobilisé’ doit être coché car il existe une entrée d’Actif pour cet article
 DocType: Delivery Trip,Departure Time,Heure de départ
 DocType: Vehicle Service,Brake Oil,Liquide de Frein
 DocType: Tax Rule,Tax Type,Type de Taxe
 ,Completed Work Orders,Ordres de travail terminés
 DocType: Support Settings,Forum Posts,Messages du forum
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Montant Taxable
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Montant Taxable
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Vous n'êtes pas autorisé à ajouter ou faire une mise à jour des écritures avant le {0}
 DocType: Leave Policy,Leave Policy Details,Détails de la politique de congé
 DocType: BOM,Item Image (if not slideshow),Image de l'Article (si ce n'est diaporama)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif Horaire / 60) * Temps Réel d’Opération
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ligne {0}: Le Type de Document de Référence doit être soit une Note de Frais soit une Écriture de Journal
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Sélectionner LDM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ligne {0}: Le Type de Document de Référence doit être soit une Note de Frais soit une Écriture de Journal
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Sélectionner LDM
 DocType: SMS Log,SMS Log,Journal des SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Coût des Articles Livrés
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Le jour de vacances {0} n’est pas compris entre la Date Initiale et la Date Finale
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Modèles de Classements Fournisseurs.
 DocType: Lead,Interested,Intéressé
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Ouverture
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Du {0} au {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Du {0} au {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programme:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Échec de la configuration des taxes
 DocType: Item,Copy From Item Group,Copier Depuis un Groupe d'Articles
-DocType: Delivery Trip,Delivery Notification,Notification de livraison
 DocType: Journal Entry,Opening Entry,Écriture d'Ouverture
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Compte Bénéficiaire Seulement
 DocType: Loan,Repay Over Number of Periods,Rembourser Sur le Nombre de Périodes
 DocType: Stock Entry,Additional Costs,Frais Supplémentaires
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Un compte contenant une transaction ne peut pas être converti en groupe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Un compte contenant une transaction ne peut pas être converti en groupe
 DocType: Lead,Product Enquiry,Demande d'Information Produit
 DocType: Education Settings,Validate Batch for Students in Student Group,Valider le Lot pour les Étudiants en Groupe Étudiant
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Aucun congé trouvé pour l’employé {0} pour {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Veuillez d’abord entrer une Société
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Veuillez d’abord sélectionner une Société
 DocType: Employee Education,Under Graduate,Non Diplômé
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Veuillez définir un modèle par défaut pour la notification de statut de congés dans les paramètres RH.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Veuillez définir un modèle par défaut pour la notification de statut de congés dans les paramètres RH.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Cible Sur
 DocType: BOM,Total Cost,Coût Total
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Relevé de Compte
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Médicaments
 DocType: Purchase Invoice Item,Is Fixed Asset,Est Immobilisation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Qté disponible est {0}, vous avez besoin de {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Qté disponible est {0}, vous avez besoin de {1}"
 DocType: Expense Claim Detail,Claim Amount,Montant Réclamé
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-. AAAA.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},L'ordre de travail a été {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Modèle d&#39;inspection de la qualité
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Voulez-vous mettre à jour la fréquentation? <br> Présents: {0} \ <br> Absent: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},La Qté Acceptée + Rejetée doit être égale à la quantité Reçue pour l'Article {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},La Qté Acceptée + Rejetée doit être égale à la quantité Reçue pour l'Article {0}
 DocType: Item,Supply Raw Materials for Purchase,Fournir les Matières Premières pour l'Achat
 DocType: Agriculture Analysis Criteria,Fertilizer,Engrais
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Ne peut pas assurer la livraison par numéro de série car \ Item {0} est ajouté avec et sans la livraison par numéro de série
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Au moins un mode de paiement est nécessaire pour une facture de PDV
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Au moins un mode de paiement est nécessaire pour une facture de PDV
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Poste de facture d'une transaction bancaire
 DocType: Products Settings,Show Products as a List,Afficher les Produits en Liste
 DocType: Salary Detail,Tax on flexible benefit,Impôt sur les prestations sociales variables
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qté
 DocType: Production Plan,Material Request Detail,Détail de la demande de matériel
 DocType: Selling Settings,Default Quotation Validity Days,Jours de validité par défaut pour les devis
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pour inclure la taxe de la ligne {0} dans le prix de l'Article, les taxes des lignes {1} doivent également être incluses"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pour inclure la taxe de la ligne {0} dans le prix de l'Article, les taxes des lignes {1} doivent également être incluses"
 DocType: SMS Center,SMS Center,Centre des SMS
 DocType: Payroll Entry,Validate Attendance,Valider la présence
 DocType: Sales Invoice,Change Amount,Changer le Montant
 DocType: Party Tax Withholding Config,Certificate Received,Certificat reçu
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Défini la valeur de la facture pour B2C. B2CL et B2CS sont calculés sur la base de la valeur de cette facture.
 DocType: BOM Update Tool,New BOM,Nouvelle LDM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Procédures prescrites
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Procédures prescrites
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Afficher uniquement les points de vente
 DocType: Supplier Group,Supplier Group Name,Nom du groupe de fournisseurs
 DocType: Driver,Driving License Categories,Catégories de permis de conduire
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Périodes de paie
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Créer un Employé
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Radio/Télévision
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Mode de configuration de POS (en ligne / hors ligne)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Mode de configuration de POS (en ligne / hors ligne)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Désactive la création de journaux de temps depuis les ordres de travail. Les opérations ne doivent pas être suivies par ordre de travail
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Exécution
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Détails des opérations effectuées.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Remise sur la Liste des Prix (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Modèle d&#39;article
 DocType: Job Offer,Select Terms and Conditions,Sélectionner les Termes et Conditions
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Valeur Sortante
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Valeur Sortante
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Élément de paramétrage du relevé bancaire
 DocType: Woocommerce Settings,Woocommerce Settings,Paramètres Woocommerce
 DocType: Production Plan,Sales Orders,Commandes Clients
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,La demande de devis peut être consultée en cliquant sur le lien suivant
 DocType: SG Creation Tool Course,SG Creation Tool Course,Cours de Création d'Outil SG
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Description du paiement
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Stock Insuffisant
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Stock Insuffisant
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Désactiver la Plannification de Capacité et la Gestion du Temps
 DocType: Email Digest,New Sales Orders,Nouvelles Commandes Client
 DocType: Bank Account,Bank Account,Compte Bancaire
 DocType: Travel Itinerary,Check-out Date,Date de départ
 DocType: Leave Type,Allow Negative Balance,Autoriser un Solde Négatif
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Vous ne pouvez pas supprimer le Type de Projet 'Externe'
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Sélectionnez un autre élément
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Sélectionnez un autre élément
 DocType: Employee,Create User,Créer un Utilisateur
 DocType: Selling Settings,Default Territory,Région par Défaut
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Télévision
 DocType: Work Order Operation,Updated via 'Time Log',Mis à jour via 'Journal du Temps'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Veuillez sélectionner le client ou le fournisseur.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Montant de l'avance ne peut être supérieur à {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Montant de l'avance ne peut être supérieur à {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Créneau sauté, le créneau de {0} à {1} chevauche le créneau existant de {2} à {3}"
 DocType: Naming Series,Series List for this Transaction,Liste des Séries pour cette Transaction
 DocType: Company,Enable Perpetual Inventory,Autoriser l'Inventaire Perpétuel
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Pour l'Article de la Facture de Vente
 DocType: Agriculture Analysis Criteria,Linked Doctype,Doctype lié
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Trésorerie Nette des Financements
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Le Stockage Local est plein, l’enregistrement n’a pas fonctionné"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Le Stockage Local est plein, l’enregistrement n’a pas fonctionné"
 DocType: Lead,Address & Contact,Adresse &amp; Contact
 DocType: Leave Allocation,Add unused leaves from previous allocations,Ajouter les congés inutilisés des précédentes allocations
 DocType: Sales Partner,Partner website,Site Partenaire
@@ -446,10 +446,10 @@
 ,Open Work Orders,Ordres de travail ouverts
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Article de frais de consultation du patient
 DocType: Payment Term,Credit Months,Mois de crédit
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Salaire Net ne peut pas être inférieur à 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Salaire Net ne peut pas être inférieur à 0
 DocType: Contract,Fulfilled,Complété
 DocType: Inpatient Record,Discharge Scheduled,Calendrier de décharge
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,La Date de Relève doit être postérieure à la Date d’Embauche
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,La Date de Relève doit être postérieure à la Date d’Embauche
 DocType: POS Closing Voucher,Cashier,Caissier
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Congés par Année
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ligne {0} : Veuillez vérifier 'Est Avance' sur le compte {1} si c'est une avance.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Veuillez configurer les Étudiants sous des groupes d'Étudiants
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Job complet
 DocType: Item Website Specification,Item Website Specification,Spécification de l'Article sur le Site Web
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Laisser Verrouillé
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},L'article {0} a atteint sa fin de vie le {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Laisser Verrouillé
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},L'article {0} a atteint sa fin de vie le {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Écritures Bancaires
 DocType: Customer,Is Internal Customer,Est un client interne
 DocType: Crop,Annual,Annuel
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Si l'option adhésion automatique est cochée, les clients seront automatiquement liés au programme de fidélité concerné (après l'enregistrement)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Article de Réconciliation du Stock
 DocType: Stock Entry,Sales Invoice No,N° de la Facture de Vente
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Type d&#39;approvisionnement
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Type d&#39;approvisionnement
 DocType: Material Request Item,Min Order Qty,Qté de Commande Min
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Cours sur l'Outil de Création de Groupe d'Étudiants
 DocType: Lead,Do Not Contact,Ne Pas Contacter
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Publier dans le Hub
 DocType: Student Admission,Student Admission,Admission des Étudiants
 ,Terretory,Territoire
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Article {0} est annulé
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Article {0} est annulé
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Ligne de d'amortissement {0}: La date de début de l'amortissement est dans le passé
 DocType: Contract Template,Fulfilment Terms and Conditions,Termes et conditions d&#39;exécution
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Demande de Matériel
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Demande de Matériel
 DocType: Bank Reconciliation,Update Clearance Date,Mettre à Jour la Date de Compensation
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Détails de l'Achat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} introuvable dans la table 'Matières Premières Fournies' dans la Commande d'Achat {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} introuvable dans la table 'Matières Premières Fournies' dans la Commande d'Achat {1}
 DocType: Salary Slip,Total Principal Amount,Montant total du capital
 DocType: Student Guardian,Relation,Relation
 DocType: Student Guardian,Mother,Mère
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Comté de Livraison
 DocType: Currency Exchange,For Selling,A la vente
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Apprendre
+DocType: Purchase Invoice Item,Enable Deferred Expense,Activer les frais reportés
 DocType: Asset,Next Depreciation Date,Date de l’Amortissement Suivant
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Coût de l'Activité par Employé
 DocType: Accounts Settings,Settings for Accounts,Paramètres des Comptes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},N° de la Facture du Fournisseur existe dans la Facture d'Achat {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},N° de la Facture du Fournisseur existe dans la Facture d'Achat {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gérer l'Arborescence des Vendeurs.
 DocType: Job Applicant,Cover Letter,Lettre de Motivation
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Chèques et Dépôts en suspens à compenser
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Historique de Travail Externe
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Erreur de Référence Circulaire
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Carte d'étudiant
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Code postal (Origine)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Code postal (Origine)
 DocType: Appointment Type,Is Inpatient,Est hospitalisé
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nom du Tuteur 1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En Toutes Lettres (Exportation) Sera visible une fois que vous enregistrerez le Bon de Livraison.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Multi-Devise
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Type de Facture
 DocType: Employee Benefit Claim,Expense Proof,Preuves de dépenses
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Bon de Livraison
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Enregistrement {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Bon de Livraison
 DocType: Patient Encounter,Encounter Impression,Impression de la Visite
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuration des Impôts
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Coût des Immobilisations Vendus
 DocType: Volunteer,Morning,Matin
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,L’Écriture de Paiement a été modifié après que vous l’ayez récupérée. Veuillez la récupérer à nouveau.
 DocType: Program Enrollment Tool,New Student Batch,Nouveau groupe d'étudiants
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} est entré deux fois dans la Taxe de l'Article
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Résumé de la semaine et des activités en suspens
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} est entré deux fois dans la Taxe de l'Article
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Résumé de la semaine et des activités en suspens
 DocType: Student Applicant,Admitted,Admis
 DocType: Workstation,Rent Cost,Coût de la Location
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Montant Après Amortissement
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Montant Après Amortissement
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Prochains Événements du Calendrier
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Attributs Variant
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Veuillez sélectionner le mois et l'année
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Il ne peut y avoir qu’un Compte par Société dans {0} {1}
 DocType: Support Search Source,Response Result Key Path,Chemin de la clé du résultat de réponse
 DocType: Journal Entry,Inter Company Journal Entry,Ecriture de journal inter-sociétés
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},La quantité {0} ne doit pas être supérieure à la quantité de l'ordre de travail {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Veuillez voir la pièce jointe
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},La quantité {0} ne doit pas être supérieure à la quantité de l'ordre de travail {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Veuillez voir la pièce jointe
 DocType: Purchase Order,% Received,% Reçu
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Créer des Groupes d'Étudiants
 DocType: Volunteer,Weekends,Fins de semaine
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Total en suspens
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Changer le numéro initial/actuel d'une série existante.
 DocType: Dosage Strength,Strength,Force
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Créer un nouveau Client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Créer un nouveau Client
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Expirera le
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si plusieurs Règles de Prix continuent de prévaloir, les utilisateurs sont invités à définir manuellement la priorité pour résoudre les conflits."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Créer des Commandes d'Achat
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Coût de Consommable
 DocType: Purchase Receipt,Vehicle Date,Date du Véhicule
 DocType: Student Log,Medical,Médical
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Raison de perdre
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,S&#39;il vous plaît sélectionnez Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Raison de perdre
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,S&#39;il vous plaît sélectionnez Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Le Responsable du Prospect ne peut pas être identique au Prospect
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Le montant alloué ne peut pas être plus grand que le montant non ajusté
 DocType: Announcement,Receiver,Récepteur
 DocType: Location,Area UOM,Unité de mesure de la surface
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},La station de travail est fermée aux dates suivantes d'après la liste de vacances : {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Opportunités
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Opportunités
 DocType: Lab Test Template,Single,Unique
 DocType: Compensatory Leave Request,Work From Date,Date de début du travail
 DocType: Salary Slip,Total Loan Repayment,Total de Remboursement du Prêt
+DocType: Project User,View attachments,Voir les pièces jointes
 DocType: Account,Cost of Goods Sold,Coût des marchandises vendues
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Veuillez entrer un Centre de Coûts
 DocType: Drug Prescription,Dosage,Dosage
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Quantité et Taux
 DocType: Delivery Note,% Installed,% Installé
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Les Salles de Classe / Laboratoires etc. où des conférences peuvent être programmées.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Les devises des deux sociétés doivent correspondre pour les transactions inter-sociétés.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Les devises des deux sociétés doivent correspondre pour les transactions inter-sociétés.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Veuillez d’abord entrer le nom de l'entreprise
 DocType: Travel Itinerary,Non-Vegetarian,Non végétarien
 DocType: Purchase Invoice,Supplier Name,Nom du Fournisseur
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Temporairement en attente
 DocType: Account,Is Group,Est un Groupe
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,La note de crédit {0} a été créée automatiquement
-DocType: Email Digest,Pending Purchase Orders,Bons de Commande en Attente
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Régler Automatiquement les Nos de Série basés sur FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Vérifiez l'Unicité du Numéro de Facture du Fournisseur
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Détails de l&#39;adresse principale
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personnaliser le texte d'introduction qui fera partie de cet Email. Chaque transaction a une introduction séparée.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Ligne {0}: l&#39;opération est requise pour l&#39;article de matière première {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Veuillez définir le compte créditeur par défaut pour la société {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},La transaction n'est pas autorisée pour l'ordre de travail arrêté {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},La transaction n'est pas autorisée pour l'ordre de travail arrêté {0}
 DocType: Setup Progress Action,Min Doc Count,Compte de Document Minimum
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Paramètres globaux pour tous les processus de production.
 DocType: Accounts Settings,Accounts Frozen Upto,Comptes Gelés Jusqu'au
 DocType: SMS Log,Sent On,Envoyé le
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Attribut {0} sélectionné à plusieurs reprises dans le Tableau des Attributs
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Attribut {0} sélectionné à plusieurs reprises dans le Tableau des Attributs
 DocType: HR Settings,Employee record is created using selected field. ,Le dossier de l'employé est créé en utilisant le champ sélectionné.
 DocType: Sales Order,Not Applicable,Non Applicable
 DocType: Amazon MWS Settings,UK,Royaume-Uni
@@ -748,22 +750,23 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,L'employé {0} a déjà postulé pour {1} le {2}:
 DocType: Inpatient Record,AB Positive,AB Positif
 DocType: Job Opening,Description of a Job Opening,Description d'une Nouvelle Offre d’Emploi
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Activités en Attente pour aujourd'hui
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Activités en Attente pour aujourd'hui
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Composante Salariale pour la rémunération basée sur la feuille de temps
+DocType: Driver,Applicable for external driver,Applicable pour pilote externe
 DocType: Sales Order Item,Used for Production Plan,Utilisé pour Plan de Production
 DocType: Loan,Total Payment,Paiement Total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Impossible d'annuler la transaction lorsque l'ordre de travail est terminé.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Impossible d'annuler la transaction lorsque l'ordre de travail est terminé.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Temps entre les opérations (en min)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO déjà créé pour tous les postes de commande client
 DocType: Healthcare Service Unit,Occupied,Occupé
 DocType: Clinical Procedure,Consumables,Consommables
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} est annulé, donc l'action ne peut pas être complétée"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} est annulé, donc l'action ne peut pas être complétée"
 DocType: Customer,Buyer of Goods and Services.,Acheteur des Biens et Services.
 DocType: Journal Entry,Accounts Payable,Comptes Créditeurs
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Le montant {0} défini dans cette requête de paiement est différent du montant calculé de tous les plans de paiement: {1}.
 Veuillez vérifier que c'est correct avant de soumettre le document."
 DocType: Patient,Allergies,Allergies
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Les LDMs sélectionnées ne sont pas pour le même article
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Les LDMs sélectionnées ne sont pas pour le même article
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Modifier le code article
 DocType: Supplier Scorecard Standing,Notify Other,Notifier Autre
 DocType: Vital Signs,Blood Pressure (systolic),Pression Artérielle (Systolique)
@@ -775,7 +778,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Pièces Suffisantes pour Construire
 DocType: POS Profile User,POS Profile User,Utilisateur du profil PDV
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Ligne {0}: la date de début de l&#39;amortissement est obligatoire
-DocType: Sales Invoice Item,Service Start Date,Date de début du service
+DocType: Purchase Invoice Item,Service Start Date,Date de début du service
 DocType: Subscription Invoice,Subscription Invoice,Facture d&#39;abonnement
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Revenu Direct
 DocType: Patient Appointment,Date TIme,Date Heure
@@ -794,7 +797,7 @@
 DocType: Lab Test Template,Lab Routine,Routine de laboratoire
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Produits de Beauté
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Veuillez sélectionner la date d&#39;achèvement pour le journal de maintenance des actifs terminé
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Pour fusionner, les propriétés suivantes doivent être les mêmes pour les deux articles"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Pour fusionner, les propriétés suivantes doivent être les mêmes pour les deux articles"
 DocType: Supplier,Block Supplier,Bloquer le fournisseur
 DocType: Shipping Rule,Net Weight,Poids Net
 DocType: Job Opening,Planned number of Positions,Nombre de postes prévus
@@ -815,19 +818,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Modèle de Mapping des Flux de Trésorerie
 DocType: Travel Request,Costing Details,Détails des coûts
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Afficher les entrées de retour
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,N° de série de l'article ne peut pas être une fraction
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,N° de série de l'article ne peut pas être une fraction
 DocType: Journal Entry,Difference (Dr - Cr),Écart (Dr - Cr )
 DocType: Bank Guarantee,Providing,Fournie
 DocType: Account,Profit and Loss,Pertes et Profits
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Non autorisé, veuillez configurer le modèle de test de laboratoire"
 DocType: Patient,Risk Factors,Facteurs de Risque
 DocType: Patient,Occupational Hazards and Environmental Factors,Dangers Professionnels et Facteurs Environnementaux
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Ecritures de stock déjà créées pour l'ordre de travail
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Ecritures de stock déjà créées pour l'ordre de travail
 DocType: Vital Signs,Respiratory rate,Fréquence Respiratoire
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Gestion de la Sous-traitance
 DocType: Vital Signs,Body Temperature,Température Corporelle
 DocType: Project,Project will be accessible on the website to these users,Le Projet sera accessible sur le site web à ces utilisateurs
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Impossible d&#39;annuler {0} {1} car le numéro de série {2} n&#39;appartient pas à l&#39;entrepôt {3}
 DocType: Detected Disease,Disease,Maladie
+DocType: Company,Default Deferred Expense Account,Compte de dépenses différées par défaut
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Définir le Type de Projet.
 DocType: Supplier Scorecard,Weighting Function,Fonction de Pondération
 DocType: Healthcare Practitioner,OP Consulting Charge,Honoraires de Consulations Externe
@@ -844,7 +849,7 @@
 DocType: Crop,Produced Items,Articles produits
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Faire correspondre la transaction aux factures
 DocType: Sales Order Item,Gross Profit,Bénéfice Brut
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Débloquer la facture
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Débloquer la facture
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Incrément ne peut pas être 0
 DocType: Company,Delete Company Transactions,Supprimer les Transactions de la Société
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Le N° de Référence et la Date de Référence sont nécessaires pour une Transaction Bancaire
@@ -865,11 +870,11 @@
 DocType: Budget,Ignore,Ignorer
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} n'est pas actif
 DocType: Woocommerce Settings,Freight and Forwarding Account,Compte de fret et d&#39;expédition
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Configurez les dimensions du chèque pour l'impression
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Configurez les dimensions du chèque pour l'impression
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Créer les fiches de paie
 DocType: Vital Signs,Bloated,Gonflé
 DocType: Salary Slip,Salary Slip Timesheet,Feuille de Temps de la Fiche de Paie
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Entrepôt Fournisseur obligatoire pour les Reçus d'Achat sous-traités
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Entrepôt Fournisseur obligatoire pour les Reçus d'Achat sous-traités
 DocType: Item Price,Valid From,Valide à Partir de
 DocType: Sales Invoice,Total Commission,Total de la Commission
 DocType: Tax Withholding Account,Tax Withholding Account,Compte de taxation à la source
@@ -877,12 +882,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Toutes les Fiches d'Évaluation Fournisseurs.
 DocType: Buying Settings,Purchase Receipt Required,Reçu d’Achat Requis
 DocType: Delivery Note,Rail,Rail
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,L'entrepôt cible dans la ligne {0} doit être identique à l'entrepôt de l'ordre de travail
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Le Taux de Valorisation est obligatoire si un Stock Initial est entré
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,L'entrepôt cible dans la ligne {0} doit être identique à l'entrepôt de l'ordre de travail
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Le Taux de Valorisation est obligatoire si un Stock Initial est entré
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Aucun enregistrement trouvé dans la table Facture
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Veuillez d’abord sélectionner une Société et le Type de Tiers
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Déjà défini par défaut dans le profil pdv {0} pour l'utilisateur {1}, veuillez désactiver la valeur par défaut"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Exercice comptable / financier
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Exercice comptable / financier
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valeurs Accumulées
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Désolé, les N° de Série ne peut pas être fusionnés"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Groupe de clients par défaut pour de la synchronisation des clients de Shopify
@@ -896,7 +901,7 @@
 ,Lead Id,Id du Prospect
 DocType: C-Form Invoice Detail,Grand Total,Total TTC
 DocType: Assessment Plan,Course,Cours
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Code de section
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Code de section
 DocType: Timesheet,Payslip,Fiche de Paie
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,La date de la demi-journée doit être comprise entre la date de début et la date de fin
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Article du Panier
@@ -905,7 +910,8 @@
 DocType: Employee,Personal Bio,Biographie
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID d&#39;adhésion
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Livré: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Livré: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Connecté à QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Comptes Créditeurs
 DocType: Payment Entry,Type of Payment,Type de Paiement
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,La date de la demi-journée est obligatoire
@@ -917,7 +923,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Date de facturation
 DocType: Production Plan,Production Plan,Plan de production
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Ouverture de l&#39;outil de création de facture
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Retour de Ventes
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Retour de Ventes
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Remarque : Le total des congés alloués {0} ne doit pas être inférieur aux congés déjà approuvés {1} pour la période
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Définir la quantité dans les transactions en fonction des données du numéro de série
 ,Total Stock Summary,Récapitulatif de l'Inventaire Total
@@ -930,9 +936,9 @@
 DocType: Authorization Rule,Customer or Item,Client ou Article
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de données Clients.
 DocType: Quotation,Quotation To,Devis Pour
-DocType: Lead,Middle Income,Revenu Intermédiaire
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Revenu Intermédiaire
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Ouverture (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,L’Unité de Mesure par Défaut pour l’Article {0} ne peut pas être modifiée directement parce que vous avez déjà fait une (des) transaction (s) avec une autre unité de mesure. Vous devez créer un nouvel article pour utiliser une UDM par défaut différente.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,L’Unité de Mesure par Défaut pour l’Article {0} ne peut pas être modifiée directement parce que vous avez déjà fait une (des) transaction (s) avec une autre unité de mesure. Vous devez créer un nouvel article pour utiliser une UDM par défaut différente.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Le montant alloué ne peut être négatif
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Veuillez définir la Société
 DocType: Share Balance,Share Balance,Balance des actions
@@ -949,15 +955,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Sélectionner Compte de Crédit pour faire l'Écriture Bancaire
 DocType: Hotel Settings,Default Invoice Naming Series,Numéro de série par défaut pour les factures
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Créer des dossiers Employés pour gérer les congés, les notes de frais et la paie"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Une erreur s&#39;est produite lors du processus de mise à jour
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Une erreur s&#39;est produite lors du processus de mise à jour
 DocType: Restaurant Reservation,Restaurant Reservation,Réservation de restaurant
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Rédaction de Propositions
 DocType: Payment Entry Deduction,Payment Entry Deduction,Déduction d’Écriture de Paiement
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Emballer
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Avertir les clients par courrier électronique
 DocType: Item,Batch Number Series,Série de numéros de lots
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Un autre Commercial {0} existe avec le même ID d'Employé
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Un autre Commercial {0} existe avec le même ID d'Employé
 DocType: Employee Advance,Claimed Amount,Montant réclamé
+DocType: QuickBooks Migrator,Authorization Settings,Paramètres d&#39;autorisation
 DocType: Travel Itinerary,Departure Datetime,Date/Heure de départ
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Coût de la demande de déplacement
@@ -996,26 +1003,29 @@
 DocType: Buying Settings,Supplier Naming By,Nomenclature de Fournisseur Par
 DocType: Activity Type,Default Costing Rate,Coût de Revient par Défaut
 DocType: Maintenance Schedule,Maintenance Schedule,Échéancier d'Entretien
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Les Règles de Tarification sont ensuite filtrées en fonction des Clients, des Groupes de Clients, des Régions, des Fournisseurs, des Groupes de Fournisseurs, des Campagnes, des Partenaires Commerciaux, etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Les Règles de Tarification sont ensuite filtrées en fonction des Clients, des Groupes de Clients, des Régions, des Fournisseurs, des Groupes de Fournisseurs, des Campagnes, des Partenaires Commerciaux, etc."
 DocType: Employee Promotion,Employee Promotion Details,Détails de la promotion des employés
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Variation Nette des Stocks
 DocType: Employee,Passport Number,Numéro de Passeport
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relation avec Tuteur2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Directeur
 DocType: Payment Entry,Payment From / To,Paiement De / À
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,À partir de l&#39;année fiscale
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nouvelle limite de crédit est inférieure à l'encours actuel pour le client. Limite de crédit doit être au moins de {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Veuillez définir un compte dans l&#39;entrepôt {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Veuillez définir un compte dans l&#39;entrepôt {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basé sur' et 'Groupé par' ne peuvent pas être identiques
 DocType: Sales Person,Sales Person Targets,Objectifs des Commerciaux
 DocType: Work Order Operation,In minutes,En Minutes
 DocType: Issue,Resolution Date,Date de Résolution
 DocType: Lab Test Template,Compound,Composé
+DocType: Opportunity,Probability (%),Probabilité (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Notification d&#39;expédition
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Veuillez sélectionner la propriété
 DocType: Student Batch Name,Batch Name,Nom du Lot
 DocType: Fee Validity,Max number of visit,Nombre maximum de visites
 ,Hotel Room Occupancy,Occupation de la chambre d'hôtel
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Feuille de Temps créée :
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Veuillez définir un compte de Caisse ou de Banque par défaut pour le Mode de Paiement {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Veuillez définir un compte de Caisse ou de Banque par défaut pour le Mode de Paiement {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Inscrire
 DocType: GST Settings,GST Settings,Paramètres GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},La devise doit être la même que la devise de la liste de prix: {0}
@@ -1056,12 +1066,12 @@
 DocType: Loan,Total Interest Payable,Total des Intérêts à Payer
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Taxes et Frais du Coût au Débarquement
 DocType: Work Order Operation,Actual Start Time,Heure de Début Réelle
+DocType: Purchase Invoice Item,Deferred Expense Account,Compte de dépenses différées
 DocType: BOM Operation,Operation Time,Heure de l'Opération
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Terminer
 DocType: Salary Structure Assignment,Base,Base
 DocType: Timesheet,Total Billed Hours,Total des Heures Facturées
 DocType: Travel Itinerary,Travel To,Arrivée
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,n&#39;est pas
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Montant de la Reprise
 DocType: Leave Block List Allow,Allow User,Autoriser l'Utilisateur
 DocType: Journal Entry,Bill No,Numéro de Facture
@@ -1078,9 +1088,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Feuille de Temps
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Enregistrer les Matières Premières sur la Base de
 DocType: Sales Invoice,Port Code,Code du port
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Entrepôt de réserve
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Entrepôt de réserve
 DocType: Lead,Lead is an Organization,Le prospect est une organisation
-DocType: Guardian Interest,Interest,Intérêt
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Prévente
 DocType: Instructor Log,Other Details,Autres Détails
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Fournisseur
@@ -1090,7 +1099,7 @@
 DocType: Account,Accounts,Comptes
 DocType: Vehicle,Odometer Value (Last),Valeur Compteur Kilométrique (Dernier)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Modèles de Critères de  Fiche d'Évaluation Fournisseur.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Échanger des points de fidélité
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,L’Écriture de Paiement est déjà créée
 DocType: Request for Quotation,Get Suppliers,Obtenir des Fournisseurs
@@ -1107,16 +1116,14 @@
 DocType: Crop,Crop Spacing UOM,UOM d&#39;espacement des cultures
 DocType: Loyalty Program,Single Tier Program,Programme à échelon unique
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Ne sélectionner que si vous avez configuré des documents de mapping de trésorerie
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Ligne d'addresse 1 (Origine)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Ligne d'addresse 1 (Origine)
 DocType: Email Digest,Next email will be sent on:,Le prochain Email sera envoyé le :
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Le(s) article(s) suivant(s) {items} {verb} un/des article(s) {message}. \ Vous pouvez le/les activer en tant qu'article(s) {message} à partir de leur(s) données de base.
 DocType: Supplier Scorecard,Per Week,Par Semaine
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,L'article a des variantes.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,L'article a des variantes.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Total Étudiant
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Article {0} introuvable
 DocType: Bin,Stock Value,Valeur du Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Société {0} n'existe pas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Société {0} n'existe pas
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} a des frais valides jusqu'à {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Type d'Arbre
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Qté Consommée Par Unité
@@ -1131,7 +1138,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Écriture de Carte de Crédit
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Société et Comptes
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,En Valeur
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,En Valeur
 DocType: Asset Settings,Depreciation Options,Options d&#39;amortissement
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,La localisation ou l'employé sont requis
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Heure de publication non valide
@@ -1148,20 +1155,21 @@
 DocType: Leave Allocation,Allocation,Allocation
 DocType: Purchase Order,Supply Raw Materials,Fournir les Matières Premières
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Actifs Actuels
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} n'est pas un Article de stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} n'est pas un Article de stock
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Partagez vos commentaires sur la formation en cliquant sur 'Retour d'Expérience de la formation', puis 'Nouveau'"
 DocType: Mode of Payment Account,Default Account,Compte par Défaut
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Veuillez d'abord définir un entrepôt de stockage des échantillons dans les paramètres de stock
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Veuillez d'abord définir un entrepôt de stockage des échantillons dans les paramètres de stock
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Veuillez sélectionner le type de programme à plusieurs niveaux pour plus d&#39;une règle de collecte.
 DocType: Payment Entry,Received Amount (Company Currency),Montant Reçu (Devise Société)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Un prospect doit être sélectionné si l'Opportunité est créée à partir d’un Prospect
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Paiement annulé. Veuillez vérifier votre compte GoCardless pour plus de détails
 DocType: Contract,N/A,N/A
+DocType: Delivery Settings,Send with Attachment,Envoyer avec pièce jointe
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Veuillez sélectionnez les jours de congé hebdomadaires
 DocType: Inpatient Record,O Negative,O Négatif
 DocType: Work Order Operation,Planned End Time,Heure de Fin Prévue
 ,Sales Person Target Variance Item Group-Wise,Variance d'Objectifs des Commerciaux par Groupe d'Articles
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Un compte contenant une transaction ne peut pas être converti en grand livre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Un compte contenant une transaction ne peut pas être converti en grand livre
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Détails du type d'adhésion
 DocType: Delivery Note,Customer's Purchase Order No,Numéro bon de commande du client
 DocType: Clinical Procedure,Consume Stock,Consommer le stock
@@ -1174,26 +1182,26 @@
 DocType: Soil Texture,Sand,Le sable
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Énergie
 DocType: Opportunity,Opportunity From,Opportunité De
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ligne {0}: {1} Numéros de série requis pour l'article {2}. Vous en avez fourni {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ligne {0}: {1} Numéros de série requis pour l'article {2}. Vous en avez fourni {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Veuillez sélectionner une table
 DocType: BOM,Website Specifications,Spécifications du Site Web
 DocType: Special Test Items,Particulars,Particularités
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0} : Du {0} de type {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Ligne {0} : Le Facteur de Conversion est obligatoire
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Ligne {0} : Le Facteur de Conversion est obligatoire
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Plusieurs Règles de Prix existent avec les mêmes critères, veuillez résoudre les conflits en attribuant des priorités. Règles de Prix : {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Plusieurs Règles de Prix existent avec les mêmes critères, veuillez résoudre les conflits en attribuant des priorités. Règles de Prix : {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Compte de réévaluation du taux de change
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Désactivation ou annulation de la LDM impossible car elle est liée avec d'autres LDMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Désactivation ou annulation de la LDM impossible car elle est liée avec d'autres LDMs
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Veuillez sélectionner la société et la date de comptabilisation pour obtenir les écritures
 DocType: Asset,Maintenance,Entretien
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Obtenez de la rencontre du patient
 DocType: Subscriber,Subscriber,Abonné
 DocType: Item Attribute Value,Item Attribute Value,Valeur de l'Attribut de l'Article
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Veuillez mettre à jour le statut du projet
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Veuillez mettre à jour le statut du projet
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Le taux de change doit être applicable à l'achat ou la vente.
 DocType: Item,Maximum sample quantity that can be retained,Quantité maximale d&#39;échantillon pouvant être conservée
 DocType: Project Update,How is the Project Progressing Right Now?,Comment progresse le projet ?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La ligne {0} # article {1} ne peut pas être transférée plus de {2} par commande d&#39;achat {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La ligne {0} # article {1} ne peut pas être transférée plus de {2} par commande d&#39;achat {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campagnes de vente.
 DocType: Project Task,Make Timesheet,Créer une Feuille de Temps
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1242,36 +1250,38 @@
 DocType: Lab Test,Lab Test,Test de laboratoire
 DocType: Student Report Generation Tool,Student Report Generation Tool,Outil de génération de rapports d&#39;étudiants
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Horaire horaire
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Nom du Document
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Nom du Document
 DocType: Expense Claim Detail,Expense Claim Type,Type de Note de Frais
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Paramètres par défaut pour le Panier d'Achat
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Ajouter des Créneaux
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Actif mis au rebut via Écriture de Journal {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Veuillez définir le compte dans l’entrepôt {0} ou le compte d’inventaire par défaut dans la société {1}.
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Actif mis au rebut via Écriture de Journal {0}
 DocType: Loan,Interest Income Account,Compte d'Intérêts Créditeurs
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Les prestations sociales maximales doivent être supérieures à zéro pour être calculées
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Les prestations sociales maximales doivent être supérieures à zéro pour être calculées
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Examiner l&#39;invitation envoyée
 DocType: Shift Assignment,Shift Assignment,Affectation de quart
 DocType: Employee Transfer Property,Employee Transfer Property,Propriété des champs pour le transfert des employés
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Du temps devrait être moins que du temps
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",L&#39;élément {0} (numéro de série: {1}) ne peut pas être consommé tel quel. Pour remplir la commande client {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Charges d'Entretien de Bureau
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Aller à
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Mettre à jour le prix depuis Shopify dans la liste de prix d'ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuration du Compte Email
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Veuillez d’abord entrer l'Article
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analyse des besoins
 DocType: Asset Repair,Downtime,Temps d&#39;arrêt
 DocType: Account,Liability,Passif
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Le Montant Approuvé ne peut pas être supérieur au Montant Réclamé à la ligne {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Le Montant Approuvé ne peut pas être supérieur au Montant Réclamé à la ligne {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Période scolaire:
 DocType: Salary Component,Do not include in total,Ne pas inclure au total
 DocType: Company,Default Cost of Goods Sold Account,Compte de Coûts des Marchandises Vendues par Défaut
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},La quantité d&#39;échantillon {0} ne peut pas dépasser la quantité reçue {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Liste des Prix non sélectionnée
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},La quantité d&#39;échantillon {0} ne peut pas dépasser la quantité reçue {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Liste des Prix non sélectionnée
 DocType: Employee,Family Background,Antécédents Familiaux
 DocType: Request for Quotation Supplier,Send Email,Envoyer un Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Attention : Pièce jointe non valide {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Attention : Pièce jointe non valide {0}
 DocType: Item,Max Sample Quantity,Quantité maximum d&#39;échantillon
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Aucune Autorisation
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Liste de vérification de l&#39;exécution des contrats
@@ -1302,15 +1312,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1} : Le Centre de Coûts {2} ne fait pas partie de la Société {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Téléchargez votre en-tête de lettre (Compatible web en 900px par 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1} : Compte {2} ne peut pas être un Groupe
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Ligne d'Article {idx}: {doctype} {docname} n'existe pas dans la table '{doctype}' ci-dessus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,La Feuille de Temps {0} est déjà terminée ou annulée
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,La Feuille de Temps {0} est déjà terminée ou annulée
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Aucune tâche
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Facture de vente {0} créée comme payée
 DocType: Item Variant Settings,Copy Fields to Variant,Copier les Champs dans une Variante
 DocType: Asset,Opening Accumulated Depreciation,Amortissement Cumulé d'Ouverture
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score doit être inférieur ou égal à 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Outil d’Inscription au Programme
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Enregistrements Formulaire-C
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Enregistrements Formulaire-C
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Les actions existent déjà
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Clients et Fournisseurs
 DocType: Email Digest,Email Digest Settings,Paramètres pour le Compte Rendu par Email
@@ -1323,12 +1333,12 @@
 DocType: Production Plan,Select Items,Sélectionner les Articles
 DocType: Share Transfer,To Shareholder,A l'actionnaire
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} pour la Facture {1} du {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Etat (Origine)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Etat (Origine)
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Configurer l'Institution
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Allocation des congés en cours...
 DocType: Program Enrollment,Vehicle/Bus Number,Numéro de Véhicule/Bus
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Horaire du Cours
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Vous devez déduire la taxe pour les preuves d'exemption de taxe non soumises et les prestations sociales non réclamées \ dans la dernière fiche de paie de la période de paie
 DocType: Request for Quotation Supplier,Quote Status,Statut du Devis
 DocType: GoCardless Settings,Webhooks Secret,Secret Webhooks
@@ -1354,13 +1364,13 @@
 DocType: Sales Invoice,Payment Due Date,Date d'Échéance de Paiement
 DocType: Drug Prescription,Interval UOM,UDM d'Intervalle
 DocType: Customer,"Reselect, if the chosen address is edited after save","Re-sélectionner, si l'adresse choisie est éditée après l'enregistrement"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,La Variante de l'Article {0} existe déjà avec les mêmes caractéristiques
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,La Variante de l'Article {0} existe déjà avec les mêmes caractéristiques
 DocType: Item,Hub Publishing Details,Détails Publiés sur le Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Ouverture'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Ouverture'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ToDo ouvertes
 DocType: Issue,Via Customer Portal,Via le portail client
 DocType: Notification Control,Delivery Note Message,Message du Bon de Livraison
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Montant
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Montant
 DocType: Lab Test Template,Result Format,Format du Résultat
 DocType: Expense Claim,Expenses,Charges
 DocType: Item Variant Attribute,Item Variant Attribute,Attribut de Variante de l'Article
@@ -1368,14 +1378,12 @@
 DocType: Payroll Entry,Bimonthly,Bimensuel
 DocType: Vehicle Service,Brake Pad,Plaquettes de Frein
 DocType: Fertilizer,Fertilizer Contents,Contenu de l&#39;engrais
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Recherche & Développement
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Recherche & Développement
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Montant à Facturer
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","La date de début et la date de fin chevauchent la fiche de travail <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Informations Légales
 DocType: Timesheet,Total Billed Amount,Montant Total Facturé
 DocType: Item Reorder,Re-Order Qty,Qté de Réapprovisionnement
 DocType: Leave Block List Date,Leave Block List Date,Date de la Liste de Blocage des Congés
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Veuillez configurer le système de dénomination de l&#39;instructeur dans Education&gt; Paramètres de formation
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,LDM # {0}: La matière première ne peut pas être identique à l'article principal
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total des Frais Applicables dans la Table des Articles de Reçus d’Achat doit être égal au Total des Taxes et Frais
 DocType: Sales Team,Incentives,Incitations
@@ -1389,7 +1397,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-de-Vente
 DocType: Fee Schedule,Fee Creation Status,Statut de création des honoraires
 DocType: Vehicle Log,Odometer Reading,Relevé du Compteur Kilométrique
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Le solde du compte est déjà Créditeur, vous n'êtes pas autorisé à mettre en 'Solde Doit Être' comme 'Débiteur'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Le solde du compte est déjà Créditeur, vous n'êtes pas autorisé à mettre en 'Solde Doit Être' comme 'Débiteur'"
 DocType: Account,Balance must be,Solde doit être
 DocType: Notification Control,Expense Claim Rejected Message,Message de Note de Frais Rejetée
 ,Available Qty,Qté Disponible
@@ -1401,7 +1409,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Synchronisez toujours vos produits depuis Amazon MWS avant de synchroniser les détails des commandes.
 DocType: Delivery Trip,Delivery Stops,Étapes de Livraison
 DocType: Salary Slip,Working Days,Jours Ouvrables
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Impossible de modifier la date d&#39;arrêt du service pour l&#39;élément de la ligne {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Impossible de modifier la date d&#39;arrêt du service pour l&#39;élément de la ligne {0}
 DocType: Serial No,Incoming Rate,Taux d'Entrée
 DocType: Packing Slip,Gross Weight,Poids Brut
 DocType: Leave Type,Encashment Threshold Days,Jours de seuil d&#39;encaissement
@@ -1420,31 +1428,33 @@
 DocType: Restaurant Table,Minimum Seating,Sièges Minimum
 DocType: Item Attribute,Item Attribute Values,Valeurs de l'Attribut de l'Article
 DocType: Examination Result,Examination Result,Résultat d'Examen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Reçu d’Achat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Reçu d’Achat
 ,Received Items To Be Billed,Articles Reçus à Facturer
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Données de base des Taux de Change
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Données de base des Taux de Change
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Doctype de la Référence doit être parmi {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtrer les totaux pour les qtés égales à zéro
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Impossible de trouver le Créneau Horaires dans les {0} prochains jours pour l'Opération {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan de matériaux pour les sous-ensembles
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partenaires Commerciaux et Régions
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,LDM {0} doit être active
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,LDM {0} doit être active
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Aucun article disponible pour le transfert
 DocType: Employee Boarding Activity,Activity Name,Nom de l&#39;activité
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Modifier la date de fin de mise en attente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,La quantité de produit fini <b>{0}</b> et Pour la quantité <b>{1}</b> ne peut pas être différente
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Modifier la date de fin de mise en attente
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,La quantité de produit fini <b>{0}</b> et Pour la quantité <b>{1}</b> ne peut pas être différente
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Fermeture (ouverture + total)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Code d&#39;article&gt; Groupe d&#39;articles&gt; Marque
+DocType: Delivery Settings,Dispatch Notification Attachment,Pièce jointe de notification d&#39;expédition
 DocType: Payroll Entry,Number Of Employees,Nombre d&#39;employés
 DocType: Journal Entry,Depreciation Entry,Ecriture d’Amortissement
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Veuillez d’abord sélectionner le type de document
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Veuillez d’abord sélectionner le type de document
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuler les Visites Matérielles {0} avant d'annuler cette Visite de Maintenance
 DocType: Pricing Rule,Rate or Discount,Prix unitaire ou réduction
 DocType: Vital Signs,One Sided,Une face
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},N° de Série {0} n'appartient pas à l'Article {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Qté Requise
 DocType: Marketplace Settings,Custom Data,Données personnalisées
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en livre.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Le numéro de série est obligatoire pour l&#39;article {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en livre.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Le numéro de série est obligatoire pour l&#39;article {0}
 DocType: Bank Reconciliation,Total Amount,Montant Total
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,De la date et de la date correspondent à un exercice différent
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Le patient {0} n&#39;a pas de référence client pour facturer
@@ -1455,9 +1465,9 @@
 DocType: Soil Texture,Clay Composition (%),Composition d&#39;argile (%)
 DocType: Item Group,Item Group Defaults,Groupe d&#39;articles par défaut
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Veuillez sauvegarder avant d&#39;assigner une tâche.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Valeur du Solde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Valeur du Solde
 DocType: Lab Test,Lab Technician,Technicien de laboratoire
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Liste de Prix de Vente
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Liste de Prix de Vente
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Si cochée, un client sera créé et lié au patient. Les factures de patients seront créées sur ce client. Vous pouvez également sélectionner un Client existant tout en créant un Patient."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Le client n'est inscrit à aucun programme de fidélité
@@ -1471,13 +1481,13 @@
 DocType: Support Search Source,Search Term Param Name,Nom du paramètre de recherche
 DocType: Item Barcode,Item Barcode,Code barre article
 DocType: Woocommerce Settings,Endpoints,Points de terminaison
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Variantes de l'Article {0} mises à jour
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Variantes de l'Article {0} mises à jour
 DocType: Quality Inspection Reading,Reading 6,Lecture 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} sans aucune facture impayée négative
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} sans aucune facture impayée négative
 DocType: Share Transfer,From Folio No,Du No de Folio
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Avance sur Facture d’Achat
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Ligne {0} : L’Écriture de crédit ne peut pas être liée à un {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Définir le budget pour un exercice.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Définir le budget pour un exercice.
 DocType: Shopify Tax Account,ERPNext Account,Compte ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} est bloqué donc cette transaction ne peut pas continuer
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Mesure à prendre si le budget mensuel accumulé est dépassé avec les requêtes de matériel
@@ -1493,19 +1503,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Facture d’Achat
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Autoriser la consommation de plusieurs articles par rapport à un ordre de travail
 DocType: GL Entry,Voucher Detail No,Détail de la Référence N°
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nouvelle Facture de Vente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nouvelle Facture de Vente
 DocType: Stock Entry,Total Outgoing Value,Valeur Sortante Totale
 DocType: Healthcare Practitioner,Appointments,Rendez-Vous
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Date d'Ouverture et Date de Clôture devraient être dans le même Exercice
 DocType: Lead,Request for Information,Demande de Renseignements
 ,LeaderBoard,Classement
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Taux avec marge (devise de l&#39;entreprise)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Synchroniser les Factures hors-ligne
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Synchroniser les Factures hors-ligne
 DocType: Payment Request,Paid,Payé
 DocType: Program Fee,Program Fee,Frais du Programme
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Remplacez une LDM particulière dans toutes les LDM où elles est utilisée. Cela remplacera le lien vers l'ancienne LDM, mettra à jour les coûts et régénérera le tableau ""Article Explosé de LDM"" selon la nouvelle LDM. Cela mettra également à jour les prix les plus récents dans toutes les LDMs."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Les ordres de travail suivants ont été créés:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Les ordres de travail suivants ont été créés:
 DocType: Salary Slip,Total in words,Total En Toutes Lettres
 DocType: Inpatient Record,Discharged,Sorti
 DocType: Material Request Item,Lead Time Date,Date du Délai
@@ -1516,16 +1526,16 @@
 DocType: Support Settings,Get Started Sections,Sections d'aide
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,Sanctionné
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,est obligatoire. Peut-être que le Taux de Change n'est pas créé pour
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Ligne # {0} : Veuillez Indiquer le N° de série pour l'article {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Montant total de la contribution: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Ligne # {0} : Veuillez Indiquer le N° de série pour l'article {1}
 DocType: Payroll Entry,Salary Slips Submitted,Slips Slips Soumis
 DocType: Crop Cycle,Crop Cycle,Cycle de récolte
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pour les articles ""Ensembles de Produits"", l’Entrepôt, le N° de Série et le N° de Lot proviendront de la table ""Liste de Colisage"". Si l’Entrepôt et le N° de Lot sont les mêmes pour tous les produits colisés d’un même article 'Produit Groupé', ces valeurs peuvent être entrées dans la table principale de l’article et elles seront copiées dans la table ""Liste de Colisage""."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pour les articles ""Ensembles de Produits"", l’Entrepôt, le N° de Série et le N° de Lot proviendront de la table ""Liste de Colisage"". Si l’Entrepôt et le N° de Lot sont les mêmes pour tous les produits colisés d’un même article 'Produit Groupé', ces valeurs peuvent être entrées dans la table principale de l’article et elles seront copiées dans la table ""Liste de Colisage""."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Ville (Origine)
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay ne peut pas être négatif
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Ville (Origine)
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay ne peut pas être négatif
 DocType: Student Admission,Publish on website,Publier sur le site web
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Fournisseur Date de la Facture du Fournisseur ne peut pas être postérieure à Date de Publication
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Fournisseur Date de la Facture du Fournisseur ne peut pas être postérieure à Date de Publication
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-YYYY.-
 DocType: Subscription,Cancelation Date,Date d&#39;annulation
 DocType: Purchase Invoice Item,Purchase Order Item,Article du Bon de Commande
@@ -1534,7 +1544,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Outil de Présence des Étudiants
 DocType: Restaurant Menu,Price List (Auto created),Liste de prix (créée automatiquement)
 DocType: Cheque Print Template,Date Settings,Paramètres de Date
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variance
 DocType: Employee Promotion,Employee Promotion Detail,Détail de la promotion des employés
 ,Company Name,Nom de la Société
 DocType: SMS Center,Total Message(s),Total des Messages
@@ -1563,7 +1573,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ne pas envoyer de rappel pour le Jour d'Anniversaire des Employés
 DocType: Expense Claim,Total Advance Amount,Montant total de l&#39;avance
 DocType: Delivery Stop,Estimated Arrival,Arrivée estimée
-DocType: Delivery Stop,Notified by Email,Notifié par courriel
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Voir tous les articles
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Spontané
 DocType: Item,Inspection Criteria,Critères d'Inspection
@@ -1573,22 +1582,21 @@
 DocType: Timesheet Detail,Bill,Facture
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Blanc
 DocType: SMS Center,All Lead (Open),Toutes les pistes (Ouvertes)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ligne {0} : Qté non disponible pour {4} dans l'entrepôt {1} au moment de la comptabilisation de l’écriture ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ligne {0} : Qté non disponible pour {4} dans l'entrepôt {1} au moment de la comptabilisation de l’écriture ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Vous pouvez sélectionner au maximum une option dans la liste des cases à cocher.
 DocType: Purchase Invoice,Get Advances Paid,Obtenir Acomptes Payés
 DocType: Item,Automatically Create New Batch,Créer un Nouveau Lot Automatiquement
 DocType: Supplier,Represents Company,Représente la société
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Faire
 DocType: Student Admission,Admission Start Date,Date de Début de l'Admission
 DocType: Journal Entry,Total Amount in Words,Montant Total En Toutes Lettres
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nouvel employé
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Il y a eu une erreur. Une raison probable pourrait être que vous n'avez pas enregistré le formulaire. Veuillez contacter support@erpnext.com si le problème persiste.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mon Panier
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Type de Commande doit être l'un des {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Type de Commande doit être l'un des {0}
 DocType: Lead,Next Contact Date,Date du Prochain Contact
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantité d'Ouverture
 DocType: Healthcare Settings,Appointment Reminder,Rappel de Rendez-Vous
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Veuillez entrez un Compte pour le Montant de Change
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Veuillez entrez un Compte pour le Montant de Change
 DocType: Program Enrollment Tool Student,Student Batch Name,Nom du Lot d'Étudiants
 DocType: Holiday List,Holiday List Name,Nom de la Liste de Vacances
 DocType: Repayment Schedule,Balance Loan Amount,Solde du Montant du Prêt
@@ -1598,13 +1606,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Options du Stock
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Aucun article ajouté au panier
 DocType: Journal Entry Account,Expense Claim,Note de Frais
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Voulez-vous vraiment restaurer cet actif mis au rebut ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Voulez-vous vraiment restaurer cet actif mis au rebut ?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Qté pour {0}
 DocType: Leave Application,Leave Application,Demande de Congés
 DocType: Patient,Patient Relation,Relation patient
 DocType: Item,Hub Category to Publish,Catégorie du Hub à publier
 DocType: Leave Block List,Leave Block List Dates,Dates de la Liste de Blocage des Congés
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","La commande client {0} a une réservation pour l&#39;article {1}, vous ne pouvez livrer que {1} réservé contre {0}. Le numéro de série {2} ne peut pas être délivré"
 DocType: Sales Invoice,Billing Address GSTIN,Adresse de Facturation GSTIN
@@ -1622,16 +1630,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Veuillez spécifier un {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Les articles avec aucune modification de quantité ou de valeur ont étés retirés.
 DocType: Delivery Note,Delivery To,Livraison à
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,La création de variantes a été placée en file d&#39;attente.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Résumé de travail de {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,La création de variantes a été placée en file d&#39;attente.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Résumé de travail de {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Le premier approbateur de congés de la liste sera défini comme approbateur de congés par défaut.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Table d'Attribut est obligatoire
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Table d'Attribut est obligatoire
 DocType: Production Plan,Get Sales Orders,Obtenir les Commandes Client
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ne peut pas être négatif
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Se connecter à Quickbooks
 DocType: Training Event,Self-Study,Autoformation
 DocType: POS Closing Voucher,Period End Date,Date de fin de la période
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Le total des compositions du sol n'est pas égal à 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Remise
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,La ligne {0}: {1} est requise pour créer les factures d&#39;ouverture {2}
 DocType: Membership,Membership,Adhésion
 DocType: Asset,Total Number of Depreciations,Nombre Total d’Amortissements
 DocType: Sales Invoice Item,Rate With Margin,Tarif Avec Marge
@@ -1642,7 +1652,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Veuillez spécifier un N° de Ligne valide pour la ligne {0} de la table {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Impossible de trouver une variable:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Veuillez sélectionner un champ à modifier sur le pavé numérique
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Ne peut pas être un article immobilisé car un Journal de Stock a été créé.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Ne peut pas être un article immobilisé car un Journal de Stock a été créé.
 DocType: Subscription Plan,Fixed rate,Taux fixe
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Admis
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Accédez au bureau et commencez à utiliser ERPNext
@@ -1676,7 +1686,7 @@
 DocType: Tax Rule,Shipping State,État de livraison
 ,Projected Quantity as Source,Quantité Projetée comme Source
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,L'article doit être ajouté à l'aide du bouton 'Obtenir des éléments de Reçus d'Achat'
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Service de Livraison
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Service de Livraison
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Type de transfert
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Frais de Vente
@@ -1689,8 +1699,9 @@
 DocType: Item Default,Default Selling Cost Center,Centre de Coût Vendeur par Défaut
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Rem
 DocType: Buying Settings,Material Transferred for Subcontract,Matériel transféré pour sous-traitance
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Code Postal
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Commande Client {0} est {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Articles de commandes d&#39;achat en retard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Code Postal
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Commande Client {0} est {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Veuillez sélectionner le compte de revenus d'intérêts dans le prêt {0}
 DocType: Opportunity,Contact Info,Information du Contact
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Faire des Écritures de Stock
@@ -1703,12 +1714,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,La facture ne peut pas être faite pour une heure facturée à zéro
 DocType: Company,Date of Commencement,Date de démarrage
 DocType: Sales Person,Select company name first.,Sélectionner d'abord le nom de la société.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email envoyé à {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email envoyé à {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Devis reçus des Fournisseurs.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Remplacer la LDM et actualiser les prix les plus récents dans toutes les LDMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},À {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ceci est un groupe de fournisseurs racine et ne peut pas être modifié.
-DocType: Delivery Trip,Driver Name,Nom du conducteur
+DocType: Delivery Note,Driver Name,Nom du conducteur
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Âge Moyen
 DocType: Education Settings,Attendance Freeze Date,Date du Gel des Présences
 DocType: Payment Request,Inward,Vers l&#39;intérieur
@@ -1719,7 +1730,7 @@
 DocType: Company,Parent Company,Maison mère
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Les chambres d&#39;hôtel de type {0} sont indisponibles le {1}
 DocType: Healthcare Practitioner,Default Currency,Devise par Défaut
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,La remise maximale pour l&#39;article {0} est {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,La remise maximale pour l&#39;article {0} est {1}%
 DocType: Asset Movement,From Employee,De l'Employé
 DocType: Driver,Cellphone Number,Numéro de téléphone portable
 DocType: Project,Monitor Progress,Suivre l'avancement
@@ -1735,19 +1746,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},La quantité doit être inférieure ou égale à {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Le montant maximal éligible pour le composant {0} dépasse {1}
 DocType: Department Approver,Department Approver,Approbateur du département
+DocType: QuickBooks Migrator,Application Settings,Paramètres de l&#39;application
 DocType: SMS Center,Total Characters,Nombre de Caractères
 DocType: Employee Advance,Claimed,Réclamé
 DocType: Crop,Row Spacing,Écartement des rangs
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Veuillez sélectionner une LDM dans le champ LDM pour l’Article {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Veuillez sélectionner une LDM dans le champ LDM pour l’Article {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Il n&#39;y a pas de variante d&#39;article pour l&#39;article sélectionné
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Formulaire-C Détail de la Facture
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Facture de Réconciliation des Paiements
 DocType: Clinical Procedure,Procedure Template,Modèle de procédure
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Contribution %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","D'après les Paramètres d'Achat, si Bon de Commande Requis == 'OUI', alors l'utilisateur doit d'abord créer un Bon de Commande pour l'article {0} pour pouvoir créer une Facture d'Achat"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Contribution %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","D'après les Paramètres d'Achat, si Bon de Commande Requis == 'OUI', alors l'utilisateur doit d'abord créer un Bon de Commande pour l'article {0} pour pouvoir créer une Facture d'Achat"
 ,HSN-wise-summary of outward supplies,Récapitulatif des fournitures extérieures par code HSN
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Numéro d'immatriculation de la Société pour votre référence. Numéros de taxes, etc."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Etat (Destination)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Etat (Destination)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributeur
 DocType: Asset Finance Book,Asset Finance Book,Livre comptable d'actifs
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Règles de Livraison du Panier
@@ -1756,7 +1768,7 @@
 ,Ordered Items To Be Billed,Articles Commandés À Facturer
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,La Plage Initiale doit être inférieure à la Plage Finale
 DocType: Global Defaults,Global Defaults,Valeurs par Défaut Globales
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Invitation de Collaboration à un Projet
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Invitation de Collaboration à un Projet
 DocType: Salary Slip,Deductions,Déductions
 DocType: Setup Progress Action,Action Name,Nom de l'Action
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Année de Début
@@ -1770,11 +1782,12 @@
 DocType: Lead,Consultant,Consultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Participation à la réunion parents-professeurs
 DocType: Salary Slip,Earnings,Bénéfices
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Le Produit Fini {0} doit être saisi pour une écriture de type Production
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Le Produit Fini {0} doit être saisi pour une écriture de type Production
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Solde d'Ouverture de Comptabilité
 ,GST Sales Register,Registre de Vente GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Avance sur Facture de Vente
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Aucune requête à effectuer
+DocType: Stock Settings,Default Return Warehouse,Entrepôt de retour par défaut
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Sélectionnez vos domaines
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Fournisseur Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Articles de la facture de paiement
@@ -1783,15 +1796,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Les champs seront copiés uniquement au moment de la création.
 DocType: Setup Progress Action,Domains,Domaines
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Date de Début Réelle"" ne peut être postérieure à ""Date de Fin Réelle"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Gestion
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Gestion
 DocType: Cheque Print Template,Payer Settings,Paramètres du Payeur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Aucune demande de matériel en attente n&#39;a été trouvée pour créer un lien vers les articles donnés.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Sélectionnez d'abord la société
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ce sera ajoutée au Code de la Variante de l'Article. Par exemple, si votre abréviation est «SM», et le code de l'article est ""T-SHIRT"", le code de l'article de la variante sera ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Salaire Net (en lettres) sera visible une fois que vous aurez enregistré la Fiche de Paie.
 DocType: Delivery Note,Is Return,Est un Retour
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Mise en Garde
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',La date de début est supérieure à la date de fin dans la tâche '{0}'
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Retour / Note de Débit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Retour / Note de Débit
 DocType: Price List Country,Price List Country,Pays de la Liste des Prix
 DocType: Item,UOMs,UDMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} numéro de série valide pour l'objet {1}
@@ -1804,13 +1818,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Informations concernant les bourses.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de données fournisseurs.
 DocType: Contract Template,Contract Terms and Conditions,Termes et conditions du contrat
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Vous ne pouvez pas redémarrer un abonnement qui n&#39;est pas annulé.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Vous ne pouvez pas redémarrer un abonnement qui n&#39;est pas annulé.
 DocType: Account,Balance Sheet,Bilan
 DocType: Leave Type,Is Earned Leave,Est un congé acquis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Centre de Coûts Pour Article ayant un Code Article '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Centre de Coûts Pour Article ayant un Code Article '
 DocType: Fee Validity,Valid Till,Valable Jusqu'au
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Total des réunions parents/professeur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Le Mode de Paiement n’est pas configuré. Veuillez vérifier si le compte a été réglé sur Mode de Paiement ou sur Profil de Point de Vente.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Le Mode de Paiement n’est pas configuré. Veuillez vérifier si le compte a été réglé sur Mode de Paiement ou sur Profil de Point de Vente.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Le même article ne peut pas être entré plusieurs fois.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","D'autres comptes individuels peuvent être créés dans les groupes, mais les écritures ne peuvent être faites que sur les comptes individuels"
 DocType: Lead,Lead,Prospect
@@ -1819,11 +1833,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,Jeton d&#39;authentification MWS
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Écriture de Stock {0} créée
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Vous n'avez pas assez de points de fidélité à échanger
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ligne #{0} : Qté Rejetée ne peut pas être entrée dans le Retour d’Achat
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Veuillez définir le compte associé dans la catégorie de retenue d&#39;impôt {0} contre la société {1}.
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ligne #{0} : Qté Rejetée ne peut pas être entrée dans le Retour d’Achat
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Le changement de Groupe de Clients n'est pas autorisé pour le Client sélectionné.
 ,Purchase Order Items To Be Billed,Articles à Facturer du Bon de Commande
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Mise à jour des heures d&#39;arrivée estimées.
 DocType: Program Enrollment Tool,Enrollment Details,Détails d&#39;inscription
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Impossible de définir plusieurs valeurs par défaut pour une entreprise.
 DocType: Purchase Invoice Item,Net Rate,Taux Net
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Veuillez sélectionner un Client
 DocType: Leave Policy,Leave Allocations,Allocations de congé
@@ -1852,7 +1868,7 @@
 DocType: Loan Application,Repayment Info,Infos de Remboursement
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Entrées' ne peuvent pas être vides
 DocType: Maintenance Team Member,Maintenance Role,Rôle de maintenance
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Ligne {0} en double avec le même {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Ligne {0} en double avec le même {1}
 DocType: Marketplace Settings,Disable Marketplace,Désactiver le marché
 ,Trial Balance,Balance Générale
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Exercice Fiscal {0} introuvable
@@ -1863,9 +1879,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Paramètres des Abonnements
 DocType: Purchase Invoice,Update Auto Repeat Reference,Mettre à jour la référence de répétition automatique
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Une liste de vacances facultative n'est pas définie pour la période de congé {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Une liste de vacances facultative n'est pas définie pour la période de congé {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Recherche
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Ligne d'adresse 2 (Destination)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Ligne d'adresse 2 (Destination)
 DocType: Maintenance Visit Purpose,Work Done,Travaux Effectués
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Veuillez spécifier au moins un attribut dans la table Attributs
 DocType: Announcement,All Students,Tous les Etudiants
@@ -1875,16 +1891,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transactions rapprochées
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Au plus tôt
 DocType: Crop Cycle,Linked Location,Lieu lié
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Un Groupe d'Article existe avec le même nom, veuillez changer le nom de l'article ou renommer le groupe d'article"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Un Groupe d'Article existe avec le même nom, veuillez changer le nom de l'article ou renommer le groupe d'article"
 DocType: Crop Cycle,Less than a year,Moins d&#39;un an
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,N° de Mobile de l'Étudiant
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Reste du Monde
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Reste du Monde
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'Article {0} ne peut être en Lot
 DocType: Crop,Yield UOM,UOM de rendement
 ,Budget Variance Report,Rapport d’Écarts de Budget
 DocType: Salary Slip,Gross Pay,Salaire Brut
 DocType: Item,Is Item from Hub,Est un article sur le Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Obtenir des articles des services de santé
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Obtenir des articles des services de santé
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Ligne {0} : Le Type d'Activité est obligatoire.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividendes Payés
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Livre des Comptes
@@ -1899,6 +1915,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Mode de paiement
 DocType: Purchase Invoice,Supplied Items,Articles Fournis
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Veuillez définir un menu actif pour le restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Taux de commission%
 DocType: Work Order,Qty To Manufacture,Quantité À Produire
 DocType: Email Digest,New Income,Nouveaux Revenus
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Maintenir le même taux durant le cycle d'achat
@@ -1913,12 +1930,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Taux de Valorisation requis pour l’Article de la ligne {0}
 DocType: Supplier Scorecard,Scorecard Actions,Actions de la Fiche d'Évaluation
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Exemple: Master en Sciences Informatiques
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Fournisseur {0} introuvable dans {1}
 DocType: Purchase Invoice,Rejected Warehouse,Entrepôt Rejeté
 DocType: GL Entry,Against Voucher,Pour le Bon
 DocType: Item Default,Default Buying Cost Center,Centre de Coûts d'Achat par Défaut
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Pour tirer le meilleur parti d’ERPNext, nous vous recommandons de prendre un peu de temps et de regarder ces vidéos d'aide."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Pour le fournisseur par défaut (facultatif)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,à
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Pour le fournisseur par défaut (facultatif)
 DocType: Supplier Quotation Item,Lead Time in days,Délai en Jours
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Résumé des Comptes Créditeurs
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Vous n'êtes pas autorisé à modifier le compte gelé {0}
@@ -1927,7 +1944,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Avertir lors d'une nouvelle Demande de Devis
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Les Bons de Commande vous aider à planifier et à assurer le suivi de vos achats
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Prescriptions de test de laboratoire
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",La quantité totale d’Émission / Transfert {0} dans la Demande de Matériel {1} \ ne peut pas être supérieure à la quantité demandée {2} pour l’Article {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Petit
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Si Shopify ne contient pas de client dans la commande, lors de la synchronisation des commandes le système considérera le client par défaut pour la commande"
@@ -1939,6 +1956,7 @@
 DocType: Project,% Completed,% Complété
 ,Invoiced Amount (Exculsive Tax),Montant Facturé (Hors Taxes)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Article 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorisation Endpoint
 DocType: Travel Request,International,International
 DocType: Training Event,Training Event,Évènement de Formation
 DocType: Item,Auto re-order,Re-commande auto
@@ -1947,24 +1965,24 @@
 DocType: Contract,Contract,Contrat
 DocType: Plant Analysis,Laboratory Testing Datetime,Date et heure du test de laboratoire
 DocType: Email Digest,Add Quote,Ajouter une Citation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Facteur de coversion UDM requis pour l'UDM : {0} dans l'Article : {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Facteur de coversion UDM requis pour l'UDM : {0} dans l'Article : {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Charges Indirectes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Ligne {0} : Qté obligatoire
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Ligne {0} : Qté obligatoire
 DocType: Agriculture Analysis Criteria,Agriculture,Agriculture
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Créer une commande client
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Ecriture comptable pour l'actif
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Bloquer la facture
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Ecriture comptable pour l'actif
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Bloquer la facture
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Quantité à faire
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Données de Base
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Données de Base
 DocType: Asset Repair,Repair Cost,Coût de réparation
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Vos Produits ou Services
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Échec de la connexion
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Actif {0} créé
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Actif {0} créé
 DocType: Special Test Items,Special Test Items,Articles de Test Spécial
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Vous devez être un utilisateur avec des rôles System Manager et Item Manager pour vous inscrire sur Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Mode de Paiement
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,La struture salariale qui vous a été assignée ne vous permet pas de demander des avantages sociaux
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,L'Image du Site Web doit être un fichier public ou l'URL d'un site web
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,L'Image du Site Web doit être un fichier public ou l'URL d'un site web
 DocType: Purchase Invoice Item,BOM,LDM (Liste de Matériaux)
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Il s’agit d’un groupe d'élément racine qui ne peut être modifié.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Fusionner
@@ -1973,7 +1991,8 @@
 DocType: Warehouse,Warehouse Contact Info,Info de Contact de l'Entrepôt
 DocType: Payment Entry,Write Off Difference Amount,Montant de la Différence de la Reprise
 DocType: Volunteer,Volunteer Name,Nom du bénévole
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0} : Adresse email de l'employé introuvable : l’email n'a pas été envoyé
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Des lignes avec des dates d&#39;échéance en double dans les autres lignes ont été trouvées: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0} : Adresse email de l'employé introuvable : l’email n'a pas été envoyé
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Aucune structure de salaire attribuée à l&#39;employé {0} à la date donnée {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Règle d&#39;expédition non applicable pour le pays {0}
 DocType: Item,Foreign Trade Details,Détails du Commerce Extérieur
@@ -1981,16 +2000,16 @@
 DocType: Email Digest,Annual Income,Revenu Annuel
 DocType: Serial No,Serial No Details,Détails du N° de Série
 DocType: Purchase Invoice Item,Item Tax Rate,Taux de la Taxe sur l'Article
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Nom du tiers (Origine)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Nom du tiers (Origine)
 DocType: Student Group Student,Group Roll Number,Numéro de Groupe
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Pour {0}, seuls les comptes de crédit peuvent être liés avec une autre écriture de débit"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Bon de Livraison {0} n'est pas soumis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Bon de Livraison {0} n'est pas soumis
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,L'article {0} doit être un Article Sous-traité
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Capitaux Immobilisés
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","La Règle de Tarification est d'abord sélectionnée sur la base du champ ‘Appliquer Sur’, qui peut être un Article, un Groupe d'Articles ou une Marque."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Veuillez définir le Code d'Article en premier
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Type de document
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Pourcentage total attribué à l'équipe commerciale devrait être de 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Type de document
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Pourcentage total attribué à l'équipe commerciale devrait être de 100
 DocType: Subscription Plan,Billing Interval Count,Nombre d&#39;intervalles de facturation
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Rendez-vous et consultations patients
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Valeur manquante
@@ -2004,6 +2023,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Créer Format d'Impression
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Honoraires Créés
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},N'a pas trouvé d'élément appelé {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filtre d&#39;articles
 DocType: Supplier Scorecard Criteria,Criteria Formula,Formule du Critère
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Total Sortant
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Il ne peut y avoir qu’une Condition de Règle de Livraison avec 0 ou une valeur vide pour « A la Valeur"""
@@ -2012,14 +2032,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Pour un article {0}, la quantité doit être un nombre positif"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Remarque : Ce Centre de Coûts est un Groupe. Vous ne pouvez pas faire des écritures comptables sur des groupes.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Les jours de la demande de congé compensatoire ne sont pas dans des vacances valides
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Un entrepôt enfant existe pour cet entrepôt. Vous ne pouvez pas supprimer cet entrepôt.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Un entrepôt enfant existe pour cet entrepôt. Vous ne pouvez pas supprimer cet entrepôt.
 DocType: Item,Website Item Groups,Groupes d'Articles du Site Web
 DocType: Purchase Invoice,Total (Company Currency),Total (Devise Société)
 DocType: Daily Work Summary Group,Reminder,Rappel
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Valeur accessible
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Valeur accessible
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Numéro de série {0} est entré plus d'une fois
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Écriture de Journal
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN (Origine)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN (Origine)
 DocType: Expense Claim Advance,Unclaimed amount,Montant non réclamé
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} articles en cours
 DocType: Workstation,Workstation Name,Nom de la station de travail
@@ -2027,7 +2047,7 @@
 DocType: POS Item Group,POS Item Group,Groupe d'Articles PDV
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Compte Rendu par Email :
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,L&#39;article alternatif ne doit pas être le même que le code article
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},LDM {0} n’appartient pas à l'article {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},LDM {0} n’appartient pas à l'article {1}
 DocType: Sales Partner,Target Distribution,Distribution Cible
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalisation de l&#39;évaluation provisoire
 DocType: Salary Slip,Bank Account No.,N° de Compte Bancaire
@@ -2036,7 +2056,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Les variables de la fiche d'évaluation peuvent être utilisées, ainsi que: {total_score} (the total score from that period), {period_number} (the number of periods to present day)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Tout réduire
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Tout réduire
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Créer un bon de commande
 DocType: Quality Inspection Reading,Reading 8,Lecture 8
 DocType: Inpatient Record,Discharge Note,Note de décharge
@@ -2052,7 +2072,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Congé de Privilège
 DocType: Purchase Invoice,Supplier Invoice Date,Date de la Facture du Fournisseur
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Cette valeur est utilisée pour le calcul pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Vous devez activer le Panier
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Vous devez activer le Panier
 DocType: Payment Entry,Writeoff,Écrire
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-. AAAA.-
 DocType: Stock Settings,Naming Series Prefix,Préfix du nom de série
@@ -2067,11 +2087,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Conditions qui coincident touvées entre :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,L'Écriture de Journal {0} est déjà ajustée par un autre bon
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Total de la Valeur de la Commande
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Alimentation
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Alimentation
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Balance Agée 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Détail du bon de clotûre du PDV
 DocType: Shopify Log,Shopify Log,Log Shopify
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Veuillez définir la série de noms pour {0} via la configuration&gt; les paramètres&gt; la série de noms
 DocType: Inpatient Occupancy,Check In,Arrivée
 DocType: Maintenance Schedule Item,No of Visits,Nb de Visites
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Un Calendrier de Maintenance {0} existe pour {1}
@@ -2111,6 +2130,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Prestations sociales max (montant)
 DocType: Purchase Invoice,Contact Person,Personne à Contacter
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Date de Début Prévue' ne peut pas être postérieure à 'Date de Fin Prévue'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Aucune donnée pour cette période
 DocType: Course Scheduling Tool,Course End Date,Date de Fin du Cours
 DocType: Holiday List,Holidays,Jours Fériés
 DocType: Sales Order Item,Planned Quantity,Quantité Planifiée
@@ -2122,7 +2142,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Variation Nette des Actifs Immobilisés
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Qté obligatoire
 DocType: Leave Control Panel,Leave blank if considered for all designations,Laisser vide pour toutes les désignations
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de type ' réel ' à la ligne {0} ne peut pas être inclus dans le prix de l'article
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de type ' réel ' à la ligne {0} ne peut pas être inclus dans le prix de l'article
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max : {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir du (Date et Heure)
 DocType: Shopify Settings,For Company,Pour la Société
@@ -2135,9 +2155,9 @@
 DocType: Material Request,Terms and Conditions Content,Contenu des Termes et Conditions
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Des erreurs se sont produites lors de la création du programme
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Le premier approbateur de notes de frais de la liste sera défini comme approbateur de notes de frais par défaut.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,ne peut pas être supérieure à 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,ne peut pas être supérieure à 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Vous devez être un utilisateur autre que l&#39;administrateur avec les rôles System Manager et Item Manager pour vous inscrire sur Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Article {0} n'est pas un article stocké
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Article {0} n'est pas un article stocké
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Non programmé
 DocType: Employee,Owned,Détenu
@@ -2165,6 +2185,7 @@
 DocType: HR Settings,Employee Settings,Paramètres des Employés
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Chargement du système de paiement
 ,Batch-Wise Balance History,Historique de Balance des Lots
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Ligne n ° {0}: impossible de définir le tarif si le montant est supérieur au montant facturé pour l&#39;élément {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Paramètres d'impression mis à jour avec le format d'impression indiqué
 DocType: Package Code,Package Code,Code du Paquet
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Apprenti
@@ -2172,7 +2193,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Quantité Négative n'est pas autorisée
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",La table de détails de taxe est récupérée depuis les données de base de l'article comme une chaîne de caractères et stockée dans ce champ. Elle est utilisée pour les Taxes et Frais.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,L'employé ne peut pas rendre de compte à lui-même.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,L'employé ne peut pas rendre de compte à lui-même.
 DocType: Leave Type,Max Leaves Allowed,Congés maximum autorisés
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si le compte est gelé, les écritures ne sont autorisés que pour un nombre restreint d'utilisateurs."
 DocType: Email Digest,Bank Balance,Solde Bancaire
@@ -2198,6 +2219,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Ecritures de transactions bancaires
 DocType: Quality Inspection,Readings,Lectures
 DocType: Stock Entry,Total Additional Costs,Total des Coûts Additionnels
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Nombre d&#39;interactions
 DocType: BOM,Scrap Material Cost(Company Currency),Coût de Mise au Rebut des Matériaux (Devise Société)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sous-Ensembles
 DocType: Asset,Asset Name,Nom de l'Actif
@@ -2205,10 +2227,10 @@
 DocType: Shipping Rule Condition,To Value,Valeur Finale
 DocType: Loyalty Program,Loyalty Program Type,Type de programme de fidélité
 DocType: Asset Movement,Stock Manager,Responsable des Stocks
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Entrepôt source est obligatoire à la ligne {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Entrepôt source est obligatoire à la ligne {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Le délai de paiement à la ligne {0} est probablement un doublon.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Agriculture (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Bordereau de Colis
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Bordereau de Colis
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Loyer du Bureau
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Configuration de la passerelle SMS
 DocType: Disease,Common Name,Nom commun
@@ -2240,20 +2262,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Envoyer la Fiche de Paie à l'Employé par Mail
 DocType: Cost Center,Parent Cost Center,Centre de Coûts Parent
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Sélectionner le Fournisseur Possible
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Sélectionner le Fournisseur Possible
 DocType: Sales Invoice,Source,Source
 DocType: Customer,"Select, to make the customer searchable with these fields","Sélectionnez, pour rendre le client recherchable avec ces champs"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importer les bons de livraison depuis Shopify lors de l'expédition
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Afficher fermé
 DocType: Leave Type,Is Leave Without Pay,Est un Congé Sans Solde
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.AAAA.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Catégorie d'Actif est obligatoire pour l'article Immobilisé
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Catégorie d'Actif est obligatoire pour l'article Immobilisé
 DocType: Fee Validity,Fee Validity,Validité des Honoraires
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Aucun enregistrement trouvé dans la table Paiement
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ce {0} est en conflit avec {1} pour {2} {3}
 DocType: Student Attendance Tool,Students HTML,HTML Étudiants
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Veuillez supprimer l&#39;employé <a href=""#Form/Employee/{0}"">{0}</a> \ pour annuler ce document"
 DocType: POS Profile,Apply Discount,Appliquer Réduction
 DocType: GST HSN Code,GST HSN Code,Code GST HSN
 DocType: Employee External Work History,Total Experience,Expérience Totale
@@ -2276,7 +2295,7 @@
 DocType: Maintenance Schedule,Schedules,Horaires
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Un profil PDV est requis pour utiliser le point de vente
 DocType: Cashier Closing,Net Amount,Montant Net
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} n'a pas été soumis, donc l'action ne peut pas être complétée"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} n'a pas été soumis, donc l'action ne peut pas être complétée"
 DocType: Purchase Order Item Supplied,BOM Detail No,N° de Détail LDM
 DocType: Landed Cost Voucher,Additional Charges,Frais Supplémentaires
 DocType: Support Search Source,Result Route Field,Champ du lien du résultat
@@ -2305,11 +2324,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Ouverture des factures
 DocType: Contract,Contract Details,Détails du contrat
 DocType: Employee,Leave Details,Détails des congés
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Veuillez définir le champ ID de l'Utilisateur dans un dossier Employé pour définir le Rôle de l’Employés
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Veuillez définir le champ ID de l'Utilisateur dans un dossier Employé pour définir le Rôle de l’Employés
 DocType: UOM,UOM Name,Nom UDM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Ligne d'adresse 1 (Destination)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Ligne d'adresse 1 (Destination)
 DocType: GST HSN Code,HSN Code,Code HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Montant de la Contribution
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Montant de la Contribution
 DocType: Inpatient Record,Patient Encounter,Rencontre du patient
 DocType: Purchase Invoice,Shipping Address,Adresse de Livraison
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Cet outil vous permet de mettre à jour ou de corriger la quantité et l'évaluation de stock dans le système. Il est généralement utilisé pour synchroniser les valeurs du système et ce qui existe réellement dans vos entrepôts.
@@ -2326,9 +2345,9 @@
 DocType: Travel Itinerary,Mode of Travel,Mode de déplacement
 DocType: Sales Invoice Item,Brand Name,Nom de la Marque
 DocType: Purchase Receipt,Transporter Details,Détails du Transporteur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Un Entrepôt par défaut est nécessaire pour l’Article sélectionné
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Un Entrepôt par défaut est nécessaire pour l’Article sélectionné
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Boîte
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Fournisseur Potentiel
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Fournisseur Potentiel
 DocType: Budget,Monthly Distribution,Répartition Mensuelle
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,La Liste de Destinataires est vide. Veuillez créer une Liste de Destinataires
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Santé (bêta)
@@ -2349,6 +2368,7 @@
 ,Lead Name,Nom du Prospect
 ,POS,PDV
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospection
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Solde d'Ouverture des Stocks
 DocType: Asset Category Account,Capital Work In Progress Account,Compte d'immobilisation en cours
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Ajustement de la valeur des actifs
@@ -2357,7 +2377,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Congés Attribués avec Succès pour {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Pas d’Articles à emballer
 DocType: Shipping Rule Condition,From Value,De la Valeur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Quantité de production obligatoire
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Quantité de production obligatoire
 DocType: Loan,Repayment Method,Méthode de Remboursement
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si cochée, la page d'Accueil pour le site sera le Groupe d'Article par défaut"
 DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -2382,7 +2402,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Recommandations
 DocType: Student Group,Set 0 for no limit,Définir à 0 pour aucune limite
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Le(s) jour(s) pour le(s)quel(s) vous demandez un congé sont des jour(s) férié(s). Vous n’avez pas besoin d’effectuer de demande.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} est requis pour créer les factures {invoice_type} d&#39;ouverture
 DocType: Customer,Primary Address and Contact Detail,Adresse principale et coordonnées du contact
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Renvoyer Email de Paiement
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nouvelle tâche
@@ -2392,8 +2411,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Veuillez sélectionner au moins un domaine.
 DocType: Dependent Task,Dependent Task,Tâche Dépendante
 DocType: Shopify Settings,Shopify Tax Account,Compte de taxe Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Facteur de conversion de l'Unité de Mesure par défaut doit être 1 dans la ligne {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Les Congés de type {0} ne peuvent pas être plus long que {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Facteur de conversion de l'Unité de Mesure par défaut doit être 1 dans la ligne {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Les Congés de type {0} ne peuvent pas être plus long que {1}
 DocType: Delivery Trip,Optimize Route,Optimiser l&#39;itinéraire
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Essayez de planifer des opérations X jours à l'avance.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2402,14 +2421,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Veuillez définir le Compte Créditeur de Paie par Défaut pour la Société {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Obtenez la répartition financière des taxes et des données de facturation par Amazon
 DocType: SMS Center,Receiver List,Liste de Destinataires
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Rechercher Article
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Rechercher Article
 DocType: Payment Schedule,Payment Amount,Montant du paiement
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,La date de la demi-journée doit être comprise entre la date du début du travail et la date de fin du travail
 DocType: Healthcare Settings,Healthcare Service Items,Articles de service de soins de santé
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Montant Consommé
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Variation Nette de Trésorerie
 DocType: Assessment Plan,Grading Scale,Échelle de Notation
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unité de Mesure {0} a été saisie plus d'une fois dans la Table de Facteur de Conversion
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unité de Mesure {0} a été saisie plus d'une fois dans la Table de Facteur de Conversion
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Déjà terminé
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock Existant
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2432,25 +2451,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,N° de série {0} quantité {1} ne peut pas être une fraction
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Veuillez entrer l'URL du serveur Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Numéro de Pièce du Fournisseur
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Le taux de conversion ne peut pas être égal à 0 ou 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Le taux de conversion ne peut pas être égal à 0 ou 1
 DocType: Share Balance,To No,Au N.
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Toutes les tâches obligatoires pour la création d&#39;employés n&#39;ont pas encore été effectuées.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} est annulé ou arrêté
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} est annulé ou arrêté
 DocType: Accounts Settings,Credit Controller,Controlleur du Crédit
 DocType: Loan,Applicant Type,Type de demandeur
 DocType: Purchase Invoice,03-Deficiency in services,03-Carence dans les services
 DocType: Healthcare Settings,Default Medical Code Standard,Code Médical Standard par Défaut
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Le Reçu d’Achat {0} n'est pas soumis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Le Reçu d’Achat {0} n'est pas soumis
 DocType: Company,Default Payable Account,Compte Créditeur par Défaut
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Paramètres du panier tels que les règles de livraison, liste de prix, etc."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Facturé
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Qté Réservées
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Qté Réservées
 DocType: Party Account,Party Account,Compte de Tiers
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Veuillez sélectionner la société et la désignation
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Ressources Humaines
-DocType: Lead,Upper Income,Revenu Élevé
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Revenu Élevé
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Rejeter
 DocType: Journal Entry Account,Debit in Company Currency,Débit en Devise Société
 DocType: BOM Item,BOM Item,Article LDM
@@ -2467,7 +2486,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Offre d'emploi pour la désignation {0} déjà ouverte \ ou recrutement complété selon le plan de dotation en personnel {1}
 DocType: Vital Signs,Constipated,Constipé
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Pour la Facture Fournisseur {0} datée {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Pour la Facture Fournisseur {0} datée {1}
 DocType: Customer,Default Price List,Liste des Prix par Défaut
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Registre de Mouvement de l'Actif {0} créé
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Aucun article trouvé.
@@ -2483,16 +2502,17 @@
 DocType: Journal Entry,Entry Type,Type d'Écriture
 ,Customer Credit Balance,Solde de Crédit des Clients
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Variation Nette des Comptes Créditeurs
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),La limite de crédit a été dépassée pour le client {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Définissez la série de noms pour {0} via Configuration&gt; Paramètres&gt; Série de noms.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),La limite de crédit a été dépassée pour le client {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Client requis pour appliquer une 'Remise en fonction du Client'
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Mettre à jour les dates de paiement bancaires avec les journaux.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Tarification
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Tarification
 DocType: Quotation,Term Details,Détails du Terme
 DocType: Employee Incentive,Employee Incentive,Intéressement des employés
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Inscription de plus de {0} étudiants impossible pour ce groupe d'étudiants.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Total (hors taxes)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Nombre de Prospects
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stock disponible
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stock disponible
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planification de Capacité Pendant (Jours)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Approvisionnement
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Aucun des Articles n’a de changement en quantité ou en valeur.
@@ -2516,7 +2536,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Congés et Présences
 DocType: Asset,Comprehensive Insurance,Assurance complète
 DocType: Maintenance Visit,Partially Completed,Partiellement Complété
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Point de fidélité: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Point de fidélité: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Ajouter des pistes
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensibilité Modérée
 DocType: Leave Type,Include holidays within leaves as leaves,Inclure les vacances dans les congés en tant que congés
 DocType: Loyalty Program,Redemption,Echange
@@ -2550,7 +2571,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Frais de Marketing
 ,Item Shortage Report,Rapport de Rupture de Stock d'Article
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Impossible de créer des critères standard. Veuillez renommer les critères
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Poids est mentionné,\nVeuillez aussi mentionner ""UDM de Poids"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Poids est mentionné,\nVeuillez aussi mentionner ""UDM de Poids"""
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Demande de Matériel utilisée pour réaliser cette Écriture de Stock
 DocType: Hub User,Hub Password,Mot de passe Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Groupes basés sur les cours différents pour chaque Lot
@@ -2564,15 +2585,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Durée du Rendez-Vous (min.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Faites une Écriture Comptable Pour Chaque Mouvement du Stock
 DocType: Leave Allocation,Total Leaves Allocated,Total des Congés Attribués
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Veuillez entrer des Dates de Début et de Fin d’Exercice Comptable valides
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Veuillez entrer des Dates de Début et de Fin d’Exercice Comptable valides
 DocType: Employee,Date Of Retirement,Date de Départ à la Retraite
 DocType: Upload Attendance,Get Template,Obtenir Modèle
+,Sales Person Commission Summary,Récapitulatif de la commission des ventes
 DocType: Additional Salary Component,Additional Salary Component,Composante salariale supplémentaire
 DocType: Material Request,Transferred,Transféré
 DocType: Vehicle,Doors,Portes
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Installation d'ERPNext Terminée!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Installation d'ERPNext Terminée!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Collecter les honoraires pour l'inscription des patients
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Impossible de modifier les attributs après des mouvements de stock. Faites un nouvel article et transférez la quantité en stock au nouvel article
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Impossible de modifier les attributs après des mouvements de stock. Faites un nouvel article et transférez la quantité en stock au nouvel article
 DocType: Course Assessment Criteria,Weightage,Poids
 DocType: Purchase Invoice,Tax Breakup,Répartition des Taxes
 DocType: Employee,Joining Details,Détails d'embauche
@@ -2600,14 +2622,15 @@
 DocType: Lead,Next Contact By,Contact Suivant Par
 DocType: Compensatory Leave Request,Compensatory Leave Request,Demande de congé compensatoire
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Quantité requise pour l'Article {0} à la ligne {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},L'entrepôt {0} ne peut pas être supprimé car il existe une quantité pour l'Article {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},L'entrepôt {0} ne peut pas être supprimé car il existe une quantité pour l'Article {1}
 DocType: Blanket Order,Order Type,Type de Commande
 ,Item-wise Sales Register,Registre des Ventes par Article
 DocType: Asset,Gross Purchase Amount,Montant d'Achat Brut
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Balances d'Ouverture
 DocType: Asset,Depreciation Method,Méthode d'Amortissement
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Cette Taxe est-elle incluse dans le Taux de Base ?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Cible Totale
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Cible Totale
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analyse de perception
 DocType: Soil Texture,Sand Composition (%),Composition de sable (%)
 DocType: Job Applicant,Applicant for a Job,Candidat à un Emploi
 DocType: Production Plan Material Request,Production Plan Material Request,Demande de Matériel du Plan de Production
@@ -2622,23 +2645,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Note d&#39;évaluation (sur 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,N° du Mobile du Tuteur 1
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Principal
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,L&#39;élément suivant {0} n&#39;est pas marqué comme élément {1}. Vous pouvez les activer en tant qu&#39;élément {1} à partir de sa fiche article.
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variante
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Pour l'article {0}, la quantité doit être un nombre négatif"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Définir le préfixe des séries numérotées pour vos transactions
 DocType: Employee Attendance Tool,Employees HTML,Employés HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,LDM par défaut ({0}) doit être actif pour ce produit ou son modèle
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,LDM par défaut ({0}) doit être actif pour ce produit ou son modèle
 DocType: Employee,Leave Encashed?,Laisser Encaissé ?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Le champ Opportunité De est obligatoire
 DocType: Email Digest,Annual Expenses,Charges Annuelles
 DocType: Item,Variants,Variantes
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Faire un Bon de Commande
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Faire un Bon de Commande
 DocType: SMS Center,Send To,Envoyer À
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Il n'y a pas assez de solde de congés pour les Congés de Type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Il n'y a pas assez de solde de congés pour les Congés de Type {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Montant alloué
 DocType: Sales Team,Contribution to Net Total,Contribution au Total Net
 DocType: Sales Invoice Item,Customer's Item Code,Code de l'Article du Client
 DocType: Stock Reconciliation,Stock Reconciliation,Réconciliation du Stock
 DocType: Territory,Territory Name,Nom de la Région
+DocType: Email Digest,Purchase Orders to Receive,Commandes d&#39;achat à recevoir
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,L'entrepôt des Travaux en Cours est nécessaire avant de Soumettre
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Vous ne pouvez avoir que des plans ayant le même cycle de facturation dans le même abonnement
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Données mappées
@@ -2655,9 +2680,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Dupliquer N° de Série pour l'Article {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Suivre les prospects par sources
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Une condition pour une Règle de Livraison
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Veuillez entrer
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Veuillez entrer
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Journal de maintenance
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Veuillez définir un filtre basé sur l'Article ou l'Entrepôt
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Veuillez définir un filtre basé sur l'Article ou l'Entrepôt
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Le poids net de ce paquet. (Calculé automatiquement comme la somme du poids net des articles)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Faire une écriture de journal inter-entreprise
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Le montant de la réduction ne peut pas être supérieur à 100%
@@ -2666,15 +2691,15 @@
 DocType: Sales Order,To Deliver and Bill,À Livrer et Facturer
 DocType: Student Group,Instructors,Instructeurs
 DocType: GL Entry,Credit Amount in Account Currency,Montant du Crédit dans la Devise du Compte
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,LDM {0} doit être soumise
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Gestion des actions
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,LDM {0} doit être soumise
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Gestion des actions
 DocType: Authorization Control,Authorization Control,Contrôle d'Autorisation
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ligne #{0} : Entrepôt de Rejet est obligatoire pour l’Article rejeté {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Paiement
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ligne #{0} : Entrepôt de Rejet est obligatoire pour l’Article rejeté {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Paiement
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","L'Entrepôt {0} n'est lié à aucun compte, veuillez mentionner ce compte dans la fiche de l'Entrepôt ou définir un compte d'Entrepôt par défaut dans la Société {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gérer vos commandes
 DocType: Work Order Operation,Actual Time and Cost,Temps et Coût Réels
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Demande de Matériel d'un maximum de {0} peut être faite pour l'article {1} pour la Commande Client {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Demande de Matériel d'un maximum de {0} peut être faite pour l'article {1} pour la Commande Client {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Espacement des cultures
 DocType: Course,Course Abbreviation,Abréviation du Cours
@@ -2686,6 +2711,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Le nombre total d'heures travaillées ne doit pas être supérieur à la durée maximale du travail {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Sur
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Grouper les articles au moment de la vente.
+DocType: Delivery Settings,Dispatch Settings,Paramètres de répartition
 DocType: Material Request Plan Item,Actual Qty,Quantité Réelle
 DocType: Sales Invoice Item,References,Références
 DocType: Quality Inspection Reading,Reading 10,Lecture 10
@@ -2695,11 +2721,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Vous avez entré un doublon. Veuillez rectifier et essayer à nouveau.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Associé
 DocType: Asset Movement,Asset Movement,Mouvement d'Actif
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,L'ordre de travail {0} doit être soumis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Nouveau Panier
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,L'ordre de travail {0} doit être soumis
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Nouveau Panier
 DocType: Taxable Salary Slab,From Amount,Du Montant
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,L'article {0} n'est pas un article avec un numéro de série
 DocType: Leave Type,Encashment,Encaissement
+DocType: Delivery Settings,Delivery Settings,Paramètres de livraison
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Récupérer des données
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},La durée maximale autorisée pour le type de congé {0} est {1}
 DocType: SMS Center,Create Receiver List,Créer une Liste de Réception
 DocType: Vehicle,Wheels,Roues
@@ -2715,7 +2743,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,La devise de facturation doit être égale à la devise de la société par défaut ou à la devise du compte du partenaire
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Indique que le paquet est une partie de cette livraison (Brouillons Seulement)
 DocType: Soil Texture,Loam,Terreau
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Ligne {0}: la date d&#39;échéance ne peut pas être antérieure à la date d&#39;envoi
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Ligne {0}: la date d&#39;échéance ne peut pas être antérieure à la date d&#39;envoi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Faire une Écriture de Paiement
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Quantité de l'article {0} doit être inférieure à {1}
 ,Sales Invoice Trends,Tendances des Factures de Vente
@@ -2723,12 +2751,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Peut se référer à ligne seulement si le type de charge est 'Montant de la ligne précedente' ou 'Total des lignes précedente'
 DocType: Sales Order Item,Delivery Warehouse,Entrepôt de Livraison
 DocType: Leave Type,Earned Leave Frequency,Fréquence d'acquisition des congés
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Arbre des Centres de Coûts financiers.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Sous type
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Arbre des Centres de Coûts financiers.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Sous type
 DocType: Serial No,Delivery Document No,Numéro de Document de Livraison
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Assurer une livraison basée sur le numéro de série produit
 DocType: Vital Signs,Furry,Chargée
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Veuillez définir ‘Compte de Gain/Perte sur les Cessions d’Immobilisations’ de la Société {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Veuillez définir ‘Compte de Gain/Perte sur les Cessions d’Immobilisations’ de la Société {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtenir des Articles à partir des Reçus d'Achat
 DocType: Serial No,Creation Date,Date de Création
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},La localisation cible est requise pour l'actif {0}
@@ -2742,10 +2770,11 @@
 DocType: Item,Has Variants,A Variantes
 DocType: Employee Benefit Claim,Claim Benefit For,Demande de prestations pour
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Mettre à jour la Réponse
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Vous avez déjà choisi des articles de {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Vous avez déjà choisi des articles de {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nom de la Répartition Mensuelle
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Le N° du lot est obligatoire
 DocType: Sales Person,Parent Sales Person,Commercial Parent
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Aucun article à recevoir n&#39;est en retard
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Le vendeur et l&#39;acheteur ne peuvent pas être les mêmes
 DocType: Project,Collect Progress,Envoyer des emails de suivi d'avancement
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2761,7 +2790,7 @@
 DocType: Bank Guarantee,Margin Money,Couverture
 DocType: Budget,Budget,Budget
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Définir comme ouvert
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Un Article Immobilisé doit être un élément non stocké.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Un Article Immobilisé doit être un élément non stocké.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget ne peut pas être affecté pour {0}, car ce n’est pas un compte de produits ou de charges"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Le montant maximal de l&#39;exemption pour {0} est {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Atteint
@@ -2779,9 +2808,9 @@
 ,Amount to Deliver,Nombre à Livrer
 DocType: Asset,Insurance Start Date,Date de début de l&#39;assurance
 DocType: Salary Component,Flexible Benefits,Avantages sociaux variables
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Le même objet a été saisi à plusieurs reprises. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Le même objet a été saisi à plusieurs reprises. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,La Date de Début de Terme ne peut pas être antérieure à la Date de Début de l'Année Académique à laquelle le terme est lié (Année Académique {}). Veuillez corriger les dates et essayer à nouveau.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Il y a eu des erreurs.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Il y a eu des erreurs.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,L&#39;employé {0} a déjà postulé pour {1} entre {2} et {3}:
 DocType: Guardian,Guardian Interests,Part du Tuteur
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Mettre à jour le nom / numéro du compte
@@ -2821,9 +2850,9 @@
 ,Item-wise Purchase History,Historique d'Achats par Article
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Veuillez cliquer sur ‘Générer Calendrier’ pour récupérer le N° Série ajouté à l'article {0}
 DocType: Account,Frozen,Gelé
-DocType: Delivery Note,Vehicle Type,Type de véhicule
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Type de véhicule
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Montant de Base (Devise de la Société)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Matières premières
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Matières premières
 DocType: Payment Reconciliation Payment,Reference Row,Ligne de Référence
 DocType: Installation Note,Installation Time,Temps d'Installation
 DocType: Sales Invoice,Accounting Details,Détails Comptabilité
@@ -2832,12 +2861,13 @@
 DocType: Inpatient Record,O Positive,O Positif
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investissements
 DocType: Issue,Resolution Details,Détails de la Résolution
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Type de transaction
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Type de transaction
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Critères d'Acceptation
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Veuillez entrer les Demandes de Matériel dans le tableau ci-dessus
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Aucun remboursement disponible pour l'écriture de journal
 DocType: Hub Tracked Item,Image List,Liste d&#39;images
 DocType: Item Attribute,Attribute Name,Nom de l'Attribut
+DocType: Subscription,Generate Invoice At Beginning Of Period,Générer une facture au début de la période
 DocType: BOM,Show In Website,Afficher dans le Site Web
 DocType: Loan Application,Total Payable Amount,Montant Total Créditeur
 DocType: Task,Expected Time (in hours),Durée Prévue (en heures)
@@ -2874,7 +2904,7 @@
 DocType: Employee,Resignation Letter Date,Date de la Lettre de Démission
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Les Règles de Tarification sont d'avantage filtrés en fonction de la quantité.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Non Défini
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Veuillez définir la Date d'Embauche pour l'employé {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Veuillez définir la Date d'Embauche pour l'employé {0}
 DocType: Inpatient Record,Discharge,Décharge
 DocType: Task,Total Billing Amount (via Time Sheet),Montant Total de Facturation (via Feuille de Temps)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Revenus de Clients Récurrents
@@ -2884,13 +2914,13 @@
 DocType: Chapter,Chapter,Chapitre
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Paire
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Le compte par défaut sera automatiquement mis à jour dans la facture de point de vente lorsque ce mode est sélectionné.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Sélectionner la LDM et la Qté pour la Production
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Sélectionner la LDM et la Qté pour la Production
 DocType: Asset,Depreciation Schedule,Calendrier d'Amortissement
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresses et Contacts des Partenaires de Vente
 DocType: Bank Reconciliation Detail,Against Account,Pour le Compte
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,La Date de Demi-Journée doit être entre la Date de Début et la Date de Fin
 DocType: Maintenance Schedule Detail,Actual Date,Date Réelle
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Veuillez définir un centre de coûts par défaut pour la société {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Veuillez définir un centre de coûts par défaut pour la société {0}.
 DocType: Item,Has Batch No,A un Numéro de Lot
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Facturation Annuelle : {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Détail du Webhook Shopify
@@ -2902,7 +2932,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.AAAA.-
 DocType: Shift Assignment,Shift Type,Type de quart
 DocType: Student,Personal Details,Données Personnelles
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Veuillez définir 'Centre de Coûts des Amortissements d’Actifs’ de la Société {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Veuillez définir 'Centre de Coûts des Amortissements d’Actifs’ de la Société {0}
 ,Maintenance Schedules,Échéanciers d'Entretien
 DocType: Task,Actual End Date (via Time Sheet),Date de Fin Réelle (via la Feuille de Temps)
 DocType: Soil Texture,Soil Type,Le type de sol
@@ -2910,10 +2940,10 @@
 ,Quotation Trends,Tendances des Devis
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Le Groupe d'Articles n'est pas mentionné dans la fiche de l'article pour l'article {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandat GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Le compte de débit doit être un compte Débiteur
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Le compte de débit doit être un compte Débiteur
 DocType: Shipping Rule,Shipping Amount,Montant de la Livraison
 DocType: Supplier Scorecard Period,Period Score,Score de la Période
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Ajouter des Clients
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Ajouter des Clients
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Montant en Attente
 DocType: Lab Test Template,Special,Spécial
 DocType: Loyalty Program,Conversion Factor,Facteur de Conversion
@@ -2930,7 +2960,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Ajouter un en-tête
 DocType: Program Enrollment,Self-Driving Vehicle,Véhicule Autonome
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Classement de la Fiche d'Évaluation Fournisseur
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Ligne {0} : Liste de Matériaux non trouvée pour l’Article {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Ligne {0} : Liste de Matériaux non trouvée pour l’Article {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Le Total des feuilles attribuées {0} ne peut pas être inférieur aux feuilles déjà approuvées {1} pour la période
 DocType: Contract Fulfilment Checklist,Requirement,Obligations
 DocType: Journal Entry,Accounts Receivable,Comptes Débiteurs
@@ -2946,16 +2976,16 @@
 DocType: Projects Settings,Timesheets,Feuilles de Temps
 DocType: HR Settings,HR Settings,Paramètres RH
 DocType: Salary Slip,net pay info,Info de salaire net
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Montant CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Montant CESS
 DocType: Woocommerce Settings,Enable Sync,Activer la synchronisation
 DocType: Tax Withholding Rate,Single Transaction Threshold,Seuil de transaction unique
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Cette valeur est mise à jour dans la liste de prix de vente par défaut.
 DocType: Email Digest,New Expenses,Nouvelles Charges
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Montant des chèques post-datés / Lettres de crédit
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Montant des chèques post-datés / Lettres de crédit
 DocType: Shareholder,Shareholder,Actionnaire
 DocType: Purchase Invoice,Additional Discount Amount,Montant de la Remise Supplémentaire
 DocType: Cash Flow Mapper,Position,Position
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Obtenir des articles des prescriptions
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Obtenir des articles des prescriptions
 DocType: Patient,Patient Details,Détails du patient
 DocType: Inpatient Record,B Positive,B Positif
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2967,8 +2997,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Groupe vers Non-Groupe
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sportif
 DocType: Loan Type,Loan Name,Nom du Prêt
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Total Réel
-DocType: Lab Test UOM,Test UOM,UDM de Test
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Total Réel
 DocType: Student Siblings,Student Siblings,Frères et Sœurs de l'Étudiants
 DocType: Subscription Plan Detail,Subscription Plan Detail,Détail du plan d&#39;abonnement
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Unité
@@ -2995,7 +3024,6 @@
 DocType: Workstation,Wages per hour,Salaires par heure
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Solde du stock dans le Lot {0} deviendra négatif {1} pour l'Article {2} à l'Entrepôt {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Les Demandes de Matériel suivantes ont été créées automatiquement sur la base du niveau de réapprovisionnement de l’Article
-DocType: Email Digest,Pending Sales Orders,Commandes Client en Attente
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Le compte {0} est invalide. La Devise du Compte doit être {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},La date de début {0} ne peut pas être après la date de départ de l'employé {1}
 DocType: Supplier,Is Internal Supplier,Est un fournisseur interne
@@ -3004,13 +3032,14 @@
 DocType: Healthcare Settings,Remind Before,Rappeler Avant
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Facteur de conversion de l'UDM est obligatoire dans la ligne {0}
 DocType: Production Plan Item,material_request_item,article_demande_de_materiel
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ligne #{0} : Le Type de Document de Référence doit être une Commande Client, une Facture de Vente ou une Écriture de Journal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ligne #{0} : Le Type de Document de Référence doit être une Commande Client, une Facture de Vente ou une Écriture de Journal"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 point de fidélité = Quel montant en devise de base ?
 DocType: Salary Component,Deduction,Déduction
 DocType: Item,Retain Sample,Conserver l&#39;échantillon
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Ligne {0} : Heure de Début et Heure de Fin obligatoires.
 DocType: Stock Reconciliation Item,Amount Difference,Différence de Montant
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Prix de l'Article ajouté pour {0} dans la Liste de Prix {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Prix de l'Article ajouté pour {0} dans la Liste de Prix {1}
+DocType: Delivery Stop,Order Information,Informations sur la commande
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Veuillez entrer l’ID Employé de ce commercial
 DocType: Territory,Classification of Customers by region,Classification des Clients par région
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,En production
@@ -3021,8 +3050,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Solde Calculé du Relevé Bancaire
 DocType: Normal Test Template,Normal Test Template,Modèle de Test Normal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Utilisateur Désactivé
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Devis
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Impossible de lier une Réponse à Appel d'Offres reçue à Aucun Devis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Devis
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Impossible de lier une Réponse à Appel d'Offres reçue à Aucun Devis
 DocType: Salary Slip,Total Deduction,Déduction Totale
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Sélectionnez un compte à imprimer dans la devise du compte
 ,Production Analytics,Analyse de la Production
@@ -3035,14 +3064,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuration de la Fiche d'Évaluation Fournisseur
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Nom du Plan d'Évaluation
 DocType: Work Order Operation,Work Order Operation,Opération d'ordre de travail
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Attention : certificat SSL non valide sur la pièce jointe {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Attention : certificat SSL non valide sur la pièce jointe {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Les prospects vous aident à obtenir des contrats, ajoutez tous vos contacts et plus dans votre liste de prospects"
 DocType: Work Order Operation,Actual Operation Time,Temps d'Exploitation Réel
 DocType: Authorization Rule,Applicable To (User),Applicable À (Utilisateur)
 DocType: Purchase Taxes and Charges,Deduct,Déduire
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Description de l'Emploi
 DocType: Student Applicant,Applied,Appliqué
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Ré-ouvrir
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Ré-ouvrir
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qté par UDM du Stock
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nom du Tuteur 2
 DocType: Attendance,Attendance Request,Demande de validation de présence
@@ -3060,7 +3089,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},N° de Série {0} est sous garantie jusqu'au {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valeur minimale autorisée
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,L&#39;utilisateur {0} existe déjà
-apps/erpnext/erpnext/hooks.py +114,Shipments,Livraisons
+apps/erpnext/erpnext/hooks.py +115,Shipments,Livraisons
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Montant Total Alloué (Devise Société)
 DocType: Purchase Order Item,To be delivered to customer,À livrer à la clientèle
 DocType: BOM,Scrap Material Cost,Coût de Mise au Rebut des Matériaux
@@ -3068,11 +3097,12 @@
 DocType: Grant Application,Email Notification Sent,Notification par e-mail envoyée
 DocType: Purchase Invoice,In Words (Company Currency),En Toutes Lettres (Devise Société)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,La société est le maître d&#39;œuvre du compte d&#39;entreprise
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Le code d'article, l'entrepôt, la quantité sont requis à la ligne"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Le code d'article, l'entrepôt, la quantité sont requis à la ligne"
 DocType: Bank Guarantee,Supplier,Fournisseur
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Obtenir De
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ceci est un département racine et ne peut pas être modifié.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Afficher les détails du paiement
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Durée en jours
 DocType: C-Form,Quarter,Trimestre
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Charges Diverses
 DocType: Global Defaults,Default Company,Société par Défaut
@@ -3080,7 +3110,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Compte de Charge et d'Écarts est obligatoire pour objet {0} car il impacte la valeur globale des actions
 DocType: Bank,Bank Name,Nom de la Banque
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Au-dessus
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Laissez le champ vide pour passer des commandes pour tous les fournisseurs
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Laissez le champ vide pour passer des commandes pour tous les fournisseurs
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Article de charge de la visite aux patients hospitalisés
 DocType: Vital Signs,Fluid,Fluide
 DocType: Leave Application,Total Leave Days,Total des Jours de Congé
@@ -3089,7 +3119,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Paramètres de Variante d'Article
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Sélectionner la Société ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Laisser vide pour tous les départements
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} est obligatoire pour l’Article {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} est obligatoire pour l’Article {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Article {0}: {1} quantité produite,"
 DocType: Payroll Entry,Fortnightly,Bimensuel
 DocType: Currency Exchange,From Currency,De la Devise
@@ -3138,7 +3168,7 @@
 DocType: Account,Fixed Asset,Actif Immobilisé
 DocType: Amazon MWS Settings,After Date,Après la date
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventaire Sérialisé
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,{0} non valide pour la facture inter-sociétés.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,{0} non valide pour la facture inter-sociétés.
 ,Department Analytics,Analyse RH par département
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Email non trouvé dans le contact par défaut
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Générer une clé secrète
@@ -3156,6 +3186,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,PDG
 DocType: Purchase Invoice,With Payment of Tax,Avec Paiement de Taxe
 DocType: Expense Claim Detail,Expense Claim Detail,Détail de la Note de Frais
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Veuillez configurer le système de nommage des instructeurs dans Education&gt; Paramètres de formation
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICAT POUR LE FOURNISSEUR
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nouveau solde en devise de base
 DocType: Location,Is Container,Est le contenant
@@ -3163,13 +3194,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Veuillez sélectionner un compte correct
 DocType: Salary Structure Assignment,Salary Structure Assignment,Attribution de la structure salariale
 DocType: Purchase Invoice Item,Weight UOM,UDM de Poids
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Liste des actionnaires disponibles avec numéros de folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Liste des actionnaires disponibles avec numéros de folio
 DocType: Salary Structure Employee,Salary Structure Employee,Grille des Salaires des Employés
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Afficher les attributs de variante
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Afficher les attributs de variante
 DocType: Student,Blood Group,Groupe Sanguin
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Le compte passerelle de paiement dans le plan {0} est différent du compte passerelle de paiement dans cette requête de paiement.
 DocType: Course,Course Name,Nom du Cours
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Aucune donnée de retenue d&#39;impôt trouvée pour l&#39;exercice en cours.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Aucune donnée de retenue d&#39;impôt trouvée pour l&#39;exercice en cours.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Les utilisateurs qui peuvent approuver les demandes de congé d'un employé en particulier
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Équipements de Bureau
 DocType: Purchase Invoice Item,Qty,Qté
@@ -3177,6 +3208,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Paramétrage de la Notation
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Électronique
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Débit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Autoriser le même élément plusieurs fois
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Créer une demande de matériel lorsque le stock atteint le niveau de réapprovisionnement
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Temps Plein
 DocType: Payroll Entry,Employees,Employés
@@ -3188,11 +3220,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Confirmation de paiement
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Les Prix ne seront pas affichés si la Liste de Prix n'est pas définie
 DocType: Stock Entry,Total Incoming Value,Valeur Entrante Totale
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Compte de Débit Requis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Compte de Débit Requis
 DocType: Clinical Procedure,Inpatient Record,Dossier d&#39;hospitalisation
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Les Feuilles de Temps aident au suivi du temps, coût et facturation des activités effectuées par votre équipe"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Liste des Prix d'Achat
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Date de transaction
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Liste des Prix d'Achat
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Date de transaction
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Modèles des Variables de  Fiche d'Évaluation Fournisseur.
 DocType: Job Offer Term,Offer Term,Terme de la Proposition
 DocType: Asset,Quality Manager,Responsable Qualité
@@ -3213,18 +3245,18 @@
 DocType: Cashier Closing,To Time,Horaire de Fin
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) pour {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Rôle Approbateur (valeurs autorisées ci-dessus)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Le compte À Créditer doit être un compte Créditeur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Le compte À Créditer doit être un compte Créditeur
 DocType: Loan,Total Amount Paid,Montant total payé
 DocType: Asset,Insurance End Date,Date de fin de l&#39;assurance
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Veuillez sélectionner obligatoirement une Admission d'Étudiant pour la candidature étudiante payée
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Répétition LDM : {0} ne peut pas être parent ou enfant de {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Répétition LDM : {0} ne peut pas être parent ou enfant de {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Liste budgétaire
 DocType: Work Order Operation,Completed Qty,Quantité Terminée
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Pour {0}, seuls les comptes de débit peuvent être liés avec une autre écriture de crédit"
 DocType: Manufacturing Settings,Allow Overtime,Autoriser les Heures Supplémentaires
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","L'Article Sérialisé {0} ne peut pas être mis à jour en utilisant la réconciliation des stocks, veuillez utiliser l'entrée de stock"
 DocType: Training Event Employee,Training Event Employee,Évènement de Formation – Employé
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximum d&#39;échantillons - {0} peut être conservé pour le lot {1} et l&#39;article {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximum d&#39;échantillons - {0} peut être conservé pour le lot {1} et l&#39;article {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Ajouter des Créneaux
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numéros de Série requis pour objet {1}. Vous en avez fourni {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Taux de Valorisation Actuel
@@ -3255,11 +3287,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,N° de Série {0} introuvable
 DocType: Fee Schedule Program,Fee Schedule Program,Programme de planification des honoraires
 DocType: Fee Schedule Program,Student Batch,Lot d'Étudiants
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Supprimez l’employé <a href=""#Form/Employee/{0}"">{0}</a> \ pour annuler ce document."
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Créer un Étudiant
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Note Minimale
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Type d&#39;unité de service de soins de santé
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Vous avez été invité à collaborer sur le projet : {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Vous avez été invité à collaborer sur le projet : {0}
 DocType: Supplier Group,Parent Supplier Group,Groupe de fournisseurs parent
+DocType: Email Digest,Purchase Orders to Bill,Commandes d&#39;achat à facturer
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Valeurs accumulées dans la société mère
 DocType: Leave Block List Date,Block Date,Bloquer la Date
 DocType: Crop,Crop,Culture
@@ -3271,6 +3306,7 @@
 DocType: Sales Order,Not Delivered,Non Livré
 ,Bank Clearance Summary,Bilan des Compensations Bancaires
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Créer et gérer des résumés  d'E-mail quotidiens, hebdomadaires et mensuels ."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Ceci est basé sur les transactions contre ce vendeur. Voir la chronologie ci-dessous pour plus de détails
 DocType: Appraisal Goal,Appraisal Goal,Objectif d'Estimation
 DocType: Stock Reconciliation Item,Current Amount,Montant Actuel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Bâtiments
@@ -3297,7 +3333,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,La Date de Prochain Contact ne peut pas être dans le passé
 DocType: Company,For Reference Only.,Pour Référence Seulement.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Sélectionnez le N° de Lot
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Sélectionnez le N° de Lot
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Invalide {0} : {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Facture de Référence
@@ -3315,16 +3351,16 @@
 DocType: Normal Test Items,Require Result Value,Nécessite la Valeur du Résultat
 DocType: Item,Show a slideshow at the top of the page,Afficher un diaporama en haut de la page
 DocType: Tax Withholding Rate,Tax Withholding Rate,Taux de retenue d&#39;impôt
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Listes de Matériaux
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Magasins
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Listes de Matériaux
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Magasins
 DocType: Project Type,Projects Manager,Chef de Projet
 DocType: Serial No,Delivery Time,Heure de la Livraison
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Basé Sur le Vieillissement
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Rendez-Vous Annulé
 DocType: Item,End of Life,Fin de Vie
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Déplacement
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Déplacement
 DocType: Student Report Generation Tool,Include All Assessment Group,Inclure tout le groupe d&#39;évaluation
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Aucune Structure de Salaire active ou par défaut trouvée pour employé {0} pour les dates données
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Aucune Structure de Salaire active ou par défaut trouvée pour employé {0} pour les dates données
 DocType: Leave Block List,Allow Users,Autoriser les Utilisateurs
 DocType: Purchase Order,Customer Mobile No,N° de Portable du Client
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Détails du Modèle de Mapping des Flux de Trésorerie
@@ -3333,15 +3369,16 @@
 DocType: Rename Tool,Rename Tool,Outil de Renommage
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Mettre à jour le Coût
 DocType: Item Reorder,Item Reorder,Réorganiser les Articles
+DocType: Delivery Note,Mode of Transport,Mode de transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Afficher la Fiche de Salaire
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfert de Matériel
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfert de Matériel
 DocType: Fees,Send Payment Request,Envoyer une Demande de Paiement
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Spécifier les opérations, le coût d'exploitation et donner un N° d'Opération unique à vos opérations."
 DocType: Travel Request,Any other details,Tout autre détail
 DocType: Water Analysis,Origin,Origine
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ce document excède la limite de {0} {1} pour l’article {4}. Faites-vous un autre {3} contre le même {2} ?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Veuillez définir la récurrence après avoir sauvegardé
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Sélectionner le compte de change
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Veuillez définir la récurrence après avoir sauvegardé
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Sélectionner le compte de change
 DocType: Purchase Invoice,Price List Currency,Devise de la Liste de Prix
 DocType: Naming Series,User must always select,L'utilisateur doit toujours sélectionner
 DocType: Stock Settings,Allow Negative Stock,Autoriser un Stock Négatif
@@ -3362,9 +3399,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traçabilité
 DocType: Asset Maintenance Log,Actions performed,Actions réalisées
 DocType: Cash Flow Mapper,Section Leader,Chef de section
+DocType: Delivery Note,Transport Receipt No,Récépissé de transport
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Source des Fonds (Passif)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Les localisations source et cible ne peuvent pas être identiques
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantité à la ligne {0} ({1}) doit être égale a la quantité produite {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantité à la ligne {0} ({1}) doit être égale a la quantité produite {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Employé
 DocType: Bank Guarantee,Fixed Deposit Number,Numéro de dépôt fixe
 DocType: Asset Repair,Failure Date,Date d&#39;échec
@@ -3378,16 +3416,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Déductions sur le Paiement ou Perte
 DocType: Soil Analysis,Soil Analysis Criterias,Critères d&#39;analyse des sols
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Termes contractuels standards pour Ventes ou Achats
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Êtes-vous sûr de vouloir annuler ce rendez-vous?
+DocType: BOM Item,Item operation,Opération de l&#39;article
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Êtes-vous sûr de vouloir annuler ce rendez-vous?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Forfait de prix de la chambre d'hôtel
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline de Ventes
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Pipeline de Ventes
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Veuillez définir le compte par défaut dans la Composante Salariale {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Requis Pour
 DocType: Rename Tool,File to Rename,Fichier à Renommer
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Veuillez sélectionnez une LDM pour l’Article à la Ligne {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Vérifier les mises à jour des abonnements
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Le Compte {0} ne correspond pas à la Société {1} dans le Mode de Compte : {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},La LDM {0} spécifiée n'existe pas pour l'Article {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},La LDM {0} spécifiée n'existe pas pour l'Article {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Cours:
 DocType: Soil Texture,Sandy Loam,Limon sableux
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,L'Échéancier d'Entretien {0} doit être annulé avant d'annuler cette Commande Client
@@ -3396,7 +3435,7 @@
 DocType: Notification Control,Expense Claim Approved,Note de Frais Approuvée
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Set Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Aucun ordre de travail créé
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Fiche de Paie de l'employé {0} déjà créée pour cette période
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Fiche de Paie de l'employé {0} déjà créée pour cette période
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Pharmaceutique
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Vous pouvez uniquement soumettre un encaissement de congé pour un montant d'encaissement valide
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Coût des Articles Achetés
@@ -3404,7 +3443,8 @@
 DocType: Selling Settings,Sales Order Required,Commande Client Requise
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Devenir vendeur
 DocType: Purchase Invoice,Credit To,À Créditer
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Prospects / Clients Actifs
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Prospects / Clients Actifs
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Laissez vide pour utiliser le format de bon de livraison standard
 DocType: Employee Education,Post Graduate,Post-Diplômé
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Détails de l'Échéancier d'Entretien
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Avertir lors des nouveaux Bons de Commande
@@ -3418,14 +3458,14 @@
 DocType: Support Search Source,Post Title Key,Clé du titre du message
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Pour carte de travail
 DocType: Warranty Claim,Raised By,Créé par
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Les prescriptions
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Les prescriptions
 DocType: Payment Gateway Account,Payment Account,Compte de Paiement
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Veuillez spécifier la Société pour continuer
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Veuillez spécifier la Société pour continuer
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Variation Nette des Comptes Débiteurs
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Congé Compensatoire
 DocType: Job Offer,Accepted,Accepté
 DocType: POS Closing Voucher,Sales Invoices Summary,Récapitulatif des factures de vente
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Nom du tiers (Destination)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Nom du tiers (Destination)
 DocType: Grant Application,Organization,Organisation
 DocType: BOM Update Tool,BOM Update Tool,Outil de mise à jour de LDM
 DocType: SG Creation Tool Course,Student Group Name,Nom du Groupe d'Étudiants
@@ -3434,7 +3474,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Veuillez vous assurer que vous voulez vraiment supprimer tous les transactions de cette société. Vos données de base resteront intactes. Cette action ne peut être annulée.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Résultats de la Recherche
 DocType: Room,Room Number,Numéro de la Chambre
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Référence invalide {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Référence invalide {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne peut pas être supérieur à la quantité prévue ({2}) dans l’Ordre de Production {3}
 DocType: Shipping Rule,Shipping Rule Label,Étiquette de la Règle de Livraison
 DocType: Journal Entry Account,Payroll Entry,Entrée de la paie
@@ -3442,8 +3482,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Créer un modèle d&#39;imposition
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum de l'Utilisateur
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Matières Premières ne peuvent pas être vides.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Table de paiement): le montant doit être négatif
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Impossible de mettre à jour de stock, facture contient un élément en livraison directe."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Table de paiement): le montant doit être négatif
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Impossible de mettre à jour de stock, facture contient un élément en livraison directe."
 DocType: Contract,Fulfilment Status,Statut de l'exécution
 DocType: Lab Test Sample,Lab Test Sample,Échantillon de test de laboratoire
 DocType: Item Variant Settings,Allow Rename Attribute Value,Autoriser le renommage de la valeur de l'attribut
@@ -3485,11 +3525,11 @@
 DocType: BOM,Show Operations,Afficher Opérations
 ,Minutes to First Response for Opportunity,Minutes avant la Première Réponse à une Opportunité
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Total des Absences
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,L'Article ou l'Entrepôt pour la ligne {0} ne correspond pas avec la Requête de Matériel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,L'Article ou l'Entrepôt pour la ligne {0} ne correspond pas avec la Requête de Matériel
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Unité de Mesure
 DocType: Fiscal Year,Year End Date,Date de Fin de l'Exercice
 DocType: Task Depends On,Task Depends On,Tâche Dépend De
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Opportunité
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Opportunité
 DocType: Operation,Default Workstation,Station de Travail par Défaut
 DocType: Notification Control,Expense Claim Approved Message,Message d'une Note de Frais Approuvée
 DocType: Payment Entry,Deductions or Loss,Déductions ou Perte
@@ -3527,20 +3567,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,L'Utilisateur Approbateur ne peut pas être identique à l'utilisateur dont la règle est Applicable
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Taux de base (comme l’UDM du Stock)
 DocType: SMS Log,No of Requested SMS,Nb de SMS Demandés
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Congé sans solde ne correspond pas aux Feuilles de Demandes de Congé Approuvées
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Congé sans solde ne correspond pas aux Feuilles de Demandes de Congé Approuvées
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Prochaines Étapes
 DocType: Travel Request,Domestic,National
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Veuillez fournir les articles spécifiés aux meilleurs tarifs possibles
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Veuillez fournir les articles spécifiés aux meilleurs tarifs possibles
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Le transfert ne peut pas être soumis avant la date de transfert
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Faire une Facture
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Solde restant
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Solde restant
 DocType: Selling Settings,Auto close Opportunity after 15 days,Fermer automatiquement les Opportunités après 15 jours
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Les Bons de Commande ne sont pas autorisés pour {0} en raison d'une note sur la fiche d'évaluation de {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Le code-barres {0} n'est pas un code {1} valide
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Le code-barres {0} n'est pas un code {1} valide
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Année de Fin
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Devis / Prospects %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,La Date de Fin de Contrat doit être supérieure à la Date d'Embauche
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,La Date de Fin de Contrat doit être supérieure à la Date d'Embauche
 DocType: Driver,Driver,Chauffeur
 DocType: Vital Signs,Nutrition Values,Valeurs Nutritionnelles
 DocType: Lab Test Template,Is billable,Est facturable
@@ -3551,7 +3591,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Ceci est un exemple de site généré automatiquement à partir d’ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Balance Agée 1
 DocType: Shopify Settings,Enable Shopify,Activer Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Le montant total de l&#39;avance ne peut être supérieur au montant total réclamé
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Le montant total de l&#39;avance ne peut être supérieur au montant total réclamé
 DocType: Purchase Taxes and Charges Template,"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
@@ -3598,12 +3638,12 @@
 DocType: Employee Separation,Employee Separation,Départ des employés
 DocType: BOM Item,Original Item,Article original
 DocType: Purchase Receipt Item,Recd Quantity,Quantité Reçue
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Date du document
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Date du document
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Archive d'Honoraires Créée - {0}
 DocType: Asset Category Account,Asset Category Account,Compte de Catégorie d'Actif
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Ligne #{0} (Table de paiement): Le montant doit être positif
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Ligne #{0} (Table de paiement): Le montant doit être positif
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Impossible de produire plus d'Article {0} que la quantité {1} du Bon de Commande
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Sélectionner les valeurs d&#39;attribut
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Sélectionner les valeurs d&#39;attribut
 DocType: Purchase Invoice,Reason For Issuing document,Motif de l'émission du document
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Écriture de Stock {0} n'est pas soumise
 DocType: Payment Reconciliation,Bank / Cash Account,Compte Bancaire / de Caisse
@@ -3612,8 +3652,10 @@
 DocType: Asset,Manual,Manuel
 DocType: Salary Component Account,Salary Component Account,Compte Composante Salariale
 DocType: Global Defaults,Hide Currency Symbol,Masquer le Symbole Monétaire
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Opportunités de vente par source
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informations sur le donneur
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","e.g. Cash, Banque, Carte de crédit"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Veuillez configurer les séries de numérotation pour la participation via Configuration&gt; Série de numérotation
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","e.g. Cash, Banque, Carte de crédit"
 DocType: Job Applicant,Source Name,Nom de la Source
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La tension artérielle normale chez un adulte est d&#39;environ 120 mmHg systolique et 80 mmHg diastolique, abrégé &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",Définissez la durée de conservation des articles en jours pour calculer l'expiration en fonction de la date de production et de la durée de vie de l'article
@@ -3643,7 +3685,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Pour que la quantité doit être inférieure à la quantité {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ligne {0} : La Date de Début doit être avant la Date de Fin
 DocType: Salary Component,Max Benefit Amount (Yearly),Montant maximum des prestations sociales (annuel)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Taux de TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Taux de TDS%
 DocType: Crop,Planting Area,Zone de plantation
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qté)
 DocType: Installation Note Item,Installed Qty,Qté Installée
@@ -3665,8 +3707,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Notification d'approbation de congés
 DocType: Buying Settings,Default Buying Price List,Liste des Prix d'Achat par Défaut
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Fiche de Paie basée sur la Feuille de Temps
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Prix d'achat
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Ligne {0}: entrez la localisation de l'actif {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Prix d'achat
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Ligne {0}: entrez la localisation de l'actif {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.AAAA.-
 DocType: Company,About the Company,À propos de l&#39;entreprise
 DocType: Notification Control,Sales Order Message,Message de la Commande Client
@@ -3731,10 +3773,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Pour la ligne {0}: entrez la quantité planifiée
 DocType: Account,Income Account,Compte de Produits
 DocType: Payment Request,Amount in customer's currency,Montant dans la devise du client
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Livraison
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Livraison
 DocType: Volunteer,Weekdays,Jours de la semaine
 DocType: Stock Reconciliation Item,Current Qty,Qté Actuelle
 DocType: Restaurant Menu,Restaurant Menu,Le menu du restaurant
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Ajouter des Fournisseurs
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Section d&#39;aide
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Précédent
@@ -3746,19 +3789,20 @@
 												fullfill Sales Order {2}","Impossible de remettre le numéro de série {0} de l&#39;article {1}, car il est réservé à la commande client \ fullfill {2}"
 DocType: Item Reorder,Material Request Type,Type de Demande de Matériel
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Envoyer un email d'examen de la demande de subvention
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Le Stockage Local est plein, sauvegarde impossible"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Ligne {0} : Facteur de Conversion LDM est obligatoire
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Le Stockage Local est plein, sauvegarde impossible"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Ligne {0} : Facteur de Conversion LDM est obligatoire
 DocType: Employee Benefit Claim,Claim Date,Date de réclamation
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Capacité de la Salle
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},L'enregistrement existe déjà pour l'article {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Réf
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Vous perdrez des enregistrements de factures précédemment générées. Êtes-vous sûr de vouloir redémarrer cet abonnement?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Frais d'Inscription
 DocType: Loyalty Program Collection,Loyalty Program Collection,Collecte du programme de fidélité
 DocType: Stock Entry Detail,Subcontracted Item,Article sous-traité
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},L&#39;élève {0} n&#39;appartient pas au groupe {1}
 DocType: Budget,Cost Center,Centre de Coûts
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Référence #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Référence #
 DocType: Notification Control,Purchase Order Message,Message du Bon de Commande
 DocType: Tax Rule,Shipping Country,Pays de Livraison
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Cacher le N° de TVA du Client des Transactions de Vente
@@ -3777,23 +3821,22 @@
 DocType: Subscription,Cancel At End Of Period,Annuler à la fin de la période
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Propriété déjà ajoutée
 DocType: Item Supplier,Item Supplier,Fournisseur de l'Article
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Veuillez entrer le Code d'Article pour obtenir n° de lot
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Veuillez sélectionner une valeur pour {0} devis à {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Veuillez entrer le Code d'Article pour obtenir n° de lot
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Veuillez sélectionner une valeur pour {0} devis à {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Aucun article sélectionné pour le transfert
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Toutes les Adresses.
 DocType: Company,Stock Settings,Paramètres du Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La combinaison est possible seulement si les propriétés suivantes sont les mêmes dans les deux dossiers. Est Groupe, Type de Racine, Société"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La combinaison est possible seulement si les propriétés suivantes sont les mêmes dans les deux dossiers. Est Groupe, Type de Racine, Société"
 DocType: Vehicle,Electric,Électrique
 DocType: Task,% Progress,% de Progression
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Gain/Perte sur Cessions des Immobilisations
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Seul les candidatures étudiantes avec le statut «Approuvé» seront sélectionnées dans le tableau ci-dessous.
 DocType: Tax Withholding Category,Rates,Les taux
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Le numéro de compte du compte {0} n'est pas disponible. <br> Veuillez configurer votre plan de comptes correctement.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Le numéro de compte du compte {0} n'est pas disponible. <br> Veuillez configurer votre plan de comptes correctement.
 DocType: Task,Depends on Tasks,Dépend des Tâches
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gérer l'Arborescence des Groupes de Clients.
 DocType: Normal Test Items,Result Value,Valeur de Résultat
 DocType: Hotel Room,Hotels,Hôtels
-DocType: Delivery Note,Transporter Date,Date du transport
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nom du Nouveau Centre de Coûts
 DocType: Leave Control Panel,Leave Control Panel,Quitter le Panneau de Configuration
 DocType: Project,Task Completion,Achèvement de la Tâche
@@ -3840,11 +3883,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Tous les Groupes d'Évaluation
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nouveau Nom d'Entrepôt
 DocType: Shopify Settings,App Type,Type d&#39;application
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Région
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Veuillez indiquer le nb de visites requises
 DocType: Stock Settings,Default Valuation Method,Méthode de Valorisation par Défaut
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Frais
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Afficher le montant cumulatif
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Mise à jour en cours. Ça peut prendre un moment.
 DocType: Production Plan Item,Produced Qty,Quantité produite
 DocType: Vehicle Log,Fuel Qty,Qté Carburant
@@ -3852,7 +3896,7 @@
 DocType: Work Order Operation,Planned Start Time,Heure de Début Prévue
 DocType: Course,Assessment,Évaluation
 DocType: Payment Entry Reference,Allocated,Alloué
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Clôturer Bilan et Compte de Résultats.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Clôturer Bilan et Compte de Résultats.
 DocType: Student Applicant,Application Status,État de la Demande
 DocType: Additional Salary,Salary Component Type,Type de composant salarial
 DocType: Sensitivity Test Items,Sensitivity Test Items,Articles de test de sensibilité
@@ -3863,10 +3907,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Encours Total
 DocType: Sales Partner,Targets,Cibles
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Veuillez enregistrer le numéro SIREN dans la fiche d'information de la société
+DocType: Email Digest,Sales Orders to Bill,Commandes de vente à facture
 DocType: Price List,Price List Master,Données de Base des Listes de Prix
 DocType: GST Account,CESS Account,Compte CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Toutes les Transactions de Vente peuvent être assignées à plusieurs **Commerciaux** pour configurer et surveiller les objectifs.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Lien vers la demande de matériel
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Lien vers la demande de matériel
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Activité du forum
 ,S.O. No.,S.O. N°.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Paramètre de transaction bancaire
@@ -3881,7 +3926,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,C’est un groupe de clients racine qui ne peut être modifié.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Mesure à prendre si le budget mensuel accumulé a été dépassé avec les bons de commande d'achat
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Ville (Destination)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Ville (Destination)
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Réévaluation du taux de change
 DocType: POS Profile,Ignore Pricing Rule,Ignorez Règle de Prix
 DocType: Employee Education,Graduate,Diplômé
@@ -3929,6 +3974,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Veuillez définir le client par défaut dans les paramètres du restaurant
 ,Salary Register,Registre du Salaire
 DocType: Warehouse,Parent Warehouse,Entrepôt Parent
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Graphique
 DocType: Subscription,Net Total,Total Net
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},La LDM par défaut n'a pas été trouvée pour l'Article {0} et le Projet {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Définir différents types de prêts
@@ -3961,24 +4007,26 @@
 DocType: Membership,Membership Status,Statut d&#39;adhésion
 DocType: Travel Itinerary,Lodging Required,Hébergement requis
 ,Requested,Demandé
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Aucune Remarque
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Aucune Remarque
 DocType: Asset,In Maintenance,En maintenance
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Cliquez sur ce bouton pour extraire vos données de commande client d&#39;Amazon MWS.
 DocType: Vital Signs,Abdomen,Abdomen
 DocType: Purchase Invoice,Overdue,En Retard
 DocType: Account,Stock Received But Not Billed,Stock Reçus Mais Non Facturés
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Le Compte Racine doit être un groupe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Le Compte Racine doit être un groupe
 DocType: Drug Prescription,Drug Prescription,Prescription Médicale
 DocType: Loan,Repaid/Closed,Remboursé / Fermé
 DocType: Amazon MWS Settings,CA,Californie
 DocType: Item,Total Projected Qty,Qté Totale Prévue
 DocType: Monthly Distribution,Distribution Name,Nom de Distribution
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Inclure UdM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Le taux de valorisation n'a pas été trouvé pour l'article {0}, qui est requis pour faire des écritures comptables pour {1} {2}. Si l'article est traité avec un taux de valorisation nul dans le {1}, mentionnez-le dans la table d'articles {1}. Sinon, créez une écriture de stock entrante pour l'article ou mentionnez le taux de valorisation dans les données de l'article, puis essayez de soumettre / annuler cette entrée"
 DocType: Course,Course Code,Code de Cours
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inspection de la Qualité requise pour l'Article {0}
 DocType: Location,Parent Location,Localisation parente
 DocType: POS Settings,Use POS in Offline Mode,Utiliser PDV en Mode Hors-Ligne
 DocType: Supplier Scorecard,Supplier Variables,Variables Fournisseur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} est obligatoire. Peut-être que l&#39;enregistrement de devise n&#39;est pas créé pour {1} à {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Taux auquel la devise client est convertie en devise client de base
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Taux Net (Devise Société)
 DocType: Salary Detail,Condition and Formula Help,Aide Condition et Formule
@@ -3987,19 +4035,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Facture de Vente
 DocType: Journal Entry Account,Party Balance,Solde du Tiers
 DocType: Cash Flow Mapper,Section Subtotal,Sous-total de la section
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Veuillez sélectionnez Appliquer Remise Sur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Veuillez sélectionnez Appliquer Remise Sur
 DocType: Stock Settings,Sample Retention Warehouse,Entrepôt de stockage des échantillons
 DocType: Company,Default Receivable Account,Compte Client par Défaut
 DocType: Purchase Invoice,Deemed Export,Export Estimé
 DocType: Stock Entry,Material Transfer for Manufacture,Transfert de Matériel pour la Production
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Pourcentage de Réduction peut être appliqué pour une liste de prix en particulier ou pour toutes les listes de prix.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Écriture Comptable pour Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Écriture Comptable pour Stock
 DocType: Lab Test,LabTest Approver,Approbateur de test de laboratoire
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Vous avez déjà évalué les critères d&#39;évaluation {}.
 DocType: Vehicle Service,Engine Oil,Huile Moteur
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Ordres de travail créés: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Ordres de travail créés: {0}
 DocType: Sales Invoice,Sales Team1,Équipe des Ventes 1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Article {0} n'existe pas
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Article {0} n'existe pas
 DocType: Sales Invoice,Customer Address,Adresse du Client
 DocType: Loan,Loan Details,Détails du Prêt
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Échec de la configuration des éléments liés la société
@@ -4020,34 +4068,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Afficher ce diaporama en haut de la page
 DocType: BOM,Item UOM,UDM de l'Article
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Montant de la Taxe Après Remise (Devise Société)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},L’Entrepôt cible est obligatoire pour la ligne {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},L’Entrepôt cible est obligatoire pour la ligne {0}
 DocType: Cheque Print Template,Primary Settings,Paramètres Principaux
 DocType: Attendance Request,Work From Home,Télétravail
 DocType: Purchase Invoice,Select Supplier Address,Sélectionner l'Adresse du Fournisseur
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Ajouter des Employés
 DocType: Purchase Invoice Item,Quality Inspection,Inspection de la Qualité
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Très Petit
 DocType: Company,Standard Template,Modèle Standard
 DocType: Training Event,Theory,Théorie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Attention : La Quantité de Matériel Commandé est inférieure à la Qté Minimum de Commande
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Attention : La Quantité de Matériel Commandé est inférieure à la Qté Minimum de Commande
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Le compte {0} est gelé
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entité Juridique / Filiale avec un Plan de Comptes différent appartenant à l'Organisation.
 DocType: Payment Request,Mute Email,Email Silencieux
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Alimentation, Boissons et Tabac"
 DocType: Account,Account Number,Numéro de compte
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Le paiement n'est possible qu'avec les {0} non facturés
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Taux de commission ne peut pas être supérieure à 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Le paiement n'est possible qu'avec les {0} non facturés
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Taux de commission ne peut pas être supérieure à 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Allouer automatiquement les avances (FIFO)
 DocType: Volunteer,Volunteer,Bénévole
 DocType: Buying Settings,Subcontract,Sous-traiter
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Veuillez d’abord entrer {0}
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Pas de réponse de
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Pas de réponse de
 DocType: Work Order Operation,Actual End Time,Heure de Fin Réelle
 DocType: Item,Manufacturer Part Number,Numéro de Pièce du Fabricant
 DocType: Taxable Salary Slab,Taxable Salary Slab,Palier de salaire imposable
 DocType: Work Order Operation,Estimated Time and Cost,Durée et Coût Estimés
 DocType: Bin,Bin,Boîte
 DocType: Crop,Crop Name,Nom de la culture
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Seuls les utilisateurs ayant le rôle {0} peuvent s&#39;inscrire sur Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Seuls les utilisateurs ayant le rôle {0} peuvent s&#39;inscrire sur Marketplace
 DocType: SMS Log,No of Sent SMS,Nb de SMS Envoyés
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Rendez-vous et consultations
@@ -4076,7 +4125,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Modifier le Code
 DocType: Purchase Invoice Item,Valuation Rate,Taux de Valorisation
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Devise de la Liste de Prix non sélectionnée
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Devise de la Liste de Prix non sélectionnée
 DocType: Purchase Invoice,Availed ITC Cess,ITC Cess utilisé
 ,Student Monthly Attendance Sheet,Feuille de Présence Mensuelle des Étudiants
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Règle d&#39;expédition applicable uniquement pour la vente
@@ -4092,7 +4141,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gérer les Partenaires Commerciaux.
 DocType: Quality Inspection,Inspection Type,Type d'Inspection
 DocType: Fee Validity,Visited yet,Déjà Visité
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en groupe.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en groupe.
 DocType: Assessment Result Tool,Result HTML,Résultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,À quelle fréquence le projet et la société doivent-ils être mis à jour sur la base des transactions de vente?
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Expire Le
@@ -4100,7 +4149,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Veuillez sélectionner {0}
 DocType: C-Form,C-Form No,Formulaire-C Nº
 DocType: BOM,Exploded_items,Articles-éclatés
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Distance
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Distance
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Listez les produits ou services que vous achetez ou vendez.
 DocType: Water Analysis,Storage Temperature,Température de stockage
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.AAAA.-
@@ -4116,19 +4165,19 @@
 DocType: Shopify Settings,Delivery Note Series,Série pour les bons de livraison
 DocType: Purchase Order Item,Returned Qty,Qté Retournée
 DocType: Student,Exit,Quitter
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Le Type de Racine est obligatoire
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Le Type de Racine est obligatoire
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Échec de l&#39;installation des préréglages
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversion UOM en heures
 DocType: Contract,Signee Details,Détails du signataire
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} est actuellement associée avec une fiche d'évaluation fournisseur {1}. Les appels d'offres pour ce fournisseur doivent être édités avec précaution.
 DocType: Certified Consultant,Non Profit Manager,Responsable de l'association
 DocType: BOM,Total Cost(Company Currency),Coût Total (Devise Société)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,N° de Série {0} créé
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,N° de Série {0} créé
 DocType: Homepage,Company Description for website homepage,Description de la Société pour la page d'accueil du site web
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pour la commodité des clients, ces codes peuvent être utilisés dans des formats d'impression comme les Factures et les Bons de Livraison"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nom du Fournisseur
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Impossible de récupérer les informations pour {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Ecriture de journal d'ouverture
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Ecriture de journal d'ouverture
 DocType: Contract,Fulfilment Terms,Conditions d&#39;exécution
 DocType: Sales Invoice,Time Sheet List,Liste de Feuille de Temps
 DocType: Employee,You can enter any date manually,Vous pouvez entrer une date manuellement
@@ -4163,7 +4212,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Votre Organisation
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Attribution des congés de congé pour les employés suivants, car des dossiers de répartition des congés existent déjà contre eux. {0}"
 DocType: Fee Component,Fees Category,Catégorie d'Honoraires
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Veuillez entrer la date de relève.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Veuillez entrer la date de relève.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Nb
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Détails du commanditaire (nom, lieu)"
 DocType: Supplier Scorecard,Notify Employee,Notifier l'Employé
@@ -4176,9 +4225,9 @@
 DocType: Company,Chart Of Accounts Template,Modèle de Plan Comptable
 DocType: Attendance,Attendance Date,Date de Présence
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},La mise à jour du stock doit être activée pour la facture d'achat {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Prix de l'Article mis à jour pour {0} dans la Liste des Prix {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Prix de l'Article mis à jour pour {0} dans la Liste des Prix {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Détails du Salaire basés sur les Revenus et les Prélèvements.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Un compte avec des enfants ne peut pas être converti en grand livre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Un compte avec des enfants ne peut pas être converti en grand livre
 DocType: Purchase Invoice Item,Accepted Warehouse,Entrepôt Accepté
 DocType: Bank Reconciliation Detail,Posting Date,Date de Comptabilisation
 DocType: Item,Valuation Method,Méthode de Valorisation
@@ -4215,6 +4264,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Veuillez sélectionner un lot
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Note de frais et déplacement
 DocType: Sales Invoice,Redemption Cost Center,Centre de coûts pour l'échange
+DocType: QuickBooks Migrator,Scope,Portée
 DocType: Assessment Group,Assessment Group Name,Nom du Groupe d'Évaluation
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Matériel Transféré pour la Production
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Ajouter aux détails
@@ -4222,6 +4272,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Dernière date de synchronisation
 DocType: Landed Cost Item,Receipt Document Type,Type de Reçu
 DocType: Daily Work Summary Settings,Select Companies,Sélectionner les Sociétés
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Proposition / devis
 DocType: Antibiotic,Healthcare,Santé
 DocType: Target Detail,Target Detail,Détail Cible
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Variante unique
@@ -4231,6 +4282,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Écriture de Clôture de la Période
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Sélectionnez le Département ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Un Centre de Coûts avec des transactions existantes ne peut pas être converti en groupe
+DocType: QuickBooks Migrator,Authorization URL,URL d&#39;autorisation
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Montant {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortissement
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Le nombre d'actions dans les transactions est incohérent avec le nombre total d'actions
@@ -4252,13 +4304,14 @@
 DocType: Support Search Source,Source DocType,DocType source
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Ouvrir un nouveau ticket
 DocType: Training Event,Trainer Email,Email du Formateur
+DocType: Driver,Transporter,Transporteur
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Les Demandes de Matérielles {0} créées
 DocType: Restaurant Reservation,No of People,Nbr de Personnes
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Modèle de termes ou de contrat.
 DocType: Bank Account,Address and Contact,Adresse et Contact
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Est Compte Créditeur
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock ne peut pas être mis à jour pour le Reçu d'Achat {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock ne peut pas être mis à jour pour le Reçu d'Achat {0}
 DocType: Support Settings,Auto close Issue after 7 days,Fermer automatiquement le ticket après 7 jours
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Congé ne peut être alloué avant le {0}, car le solde de congés a déjà été reporté dans la feuille d'allocation de congés futurs {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Remarque : Date de Référence / d’Échéance dépasse le nombre de jours de crédit client autorisé de {0} jour(s)
@@ -4276,7 +4329,7 @@
 ,Qty to Deliver,Quantité à Livrer
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon synchronisera les données mises à jour après cette date
 ,Stock Analytics,Analyse du Stock
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Les opérations ne peuvent pas être laissées vides
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Les opérations ne peuvent pas être laissées vides
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Test (s) de laboratoire
 DocType: Maintenance Visit Purpose,Against Document Detail No,Pour le Détail du Document N°
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},La suppression n&#39;est pas autorisée pour le pays {0}
@@ -4284,13 +4337,12 @@
 DocType: Quality Inspection,Outgoing,Sortant
 DocType: Material Request,Requested For,Demandé Pour
 DocType: Quotation Item,Against Doctype,Contre Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} est annulé ou fermé
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} est annulé ou fermé
 DocType: Asset,Calculate Depreciation,Calculer la dépréciation
 DocType: Delivery Note,Track this Delivery Note against any Project,Suivre ce Bon de Livraison pour tous les Projets
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Trésorerie Nette des Investissements
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Client&gt; Groupe de clients&gt; Territoire
 DocType: Work Order,Work-in-Progress Warehouse,Entrepôt des Travaux en Cours
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,L'actif {0} doit être soumis
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,L'actif {0} doit être soumis
 DocType: Fee Schedule Program,Total Students,Total Étudiants
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Registre des présences {0} existe pour l'Étudiant {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Référence #{0} datée du {1}
@@ -4309,7 +4361,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Impossible de créer une prime de fidélisation pour les employés ayant quitté l'entreprise
 DocType: Lead,Market Segment,Part de Marché
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Directeur de l&#39;agriculture
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Le Montant Payé ne peut pas être supérieur au montant impayé restant {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Le Montant Payé ne peut pas être supérieur au montant impayé restant {0}
 DocType: Supplier Scorecard Period,Variables,Variables
 DocType: Employee Internal Work History,Employee Internal Work History,Antécédents Professionnels Interne de l'Employé
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Fermeture (Dr)
@@ -4333,22 +4385,24 @@
 DocType: Amazon MWS Settings,Synch Products,Produits Synch
 DocType: Loyalty Point Entry,Loyalty Program,Programme de fidélité
 DocType: Student Guardian,Father,Père
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Billets de Support
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Mettre à Jour Le Stock’ ne peut pas être coché pour la vente d'actifs immobilisés
 DocType: Bank Reconciliation,Bank Reconciliation,Réconciliation Bancaire
 DocType: Attendance,On Leave,En Congé
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtenir les Mises à jour
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1} : Compte {2} ne fait pas partie de la Société {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Sélectionnez au moins une valeur de chacun des attributs.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Sélectionnez au moins une valeur de chacun des attributs.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Demande de Matériel {0} est annulé ou arrêté
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Statut de l'expédition
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Statut de l'expédition
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Gestion des Congés
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Groupes
 DocType: Purchase Invoice,Hold Invoice,Facture en attente
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Veuillez sélectionner un employé
 DocType: Sales Order,Fully Delivered,Entièrement Livré
-DocType: Lead,Lower Income,Revenu bas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Revenu bas
 DocType: Restaurant Order Entry,Current Order,Ordre Actuel
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Le nombre de numéros de série et la quantité doivent être les mêmes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},L'entrepôt source et destination ne peuvent être similaire dans la ligne {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},L'entrepôt source et destination ne peuvent être similaire dans la ligne {0}
 DocType: Account,Asset Received But Not Billed,Actif reçu mais non facturé
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Le Compte d’Écart doit être un compte de type Actif / Passif, puisque cette Réconciliation de Stock est une écriture d'à-nouveau"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Le Montant Remboursé ne peut pas être supérieur au Montant du Prêt {0}
@@ -4357,7 +4411,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Numéro de Bon de Commande requis pour l'Article {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',La ‘Date de Début’ doit être antérieure à la ‘Date de Fin’
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Aucun plan de dotation trouvé pour cette désignation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Le lot {0} de l&#39;élément {1} est désactivé.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Le lot {0} de l&#39;élément {1} est désactivé.
 DocType: Leave Policy Detail,Annual Allocation,Allocation annuelle
 DocType: Travel Request,Address of Organizer,Adresse de l&#39;organisateur
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Sélectionnez un praticien de la santé ...
@@ -4366,12 +4420,12 @@
 DocType: Asset,Fully Depreciated,Complètement Déprécié
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Qté de Stock Projeté
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Le Client {0} ne fait pas parti du projet {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Le Client {0} ne fait pas parti du projet {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,HTML des Présences Validées
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Les devis sont des propositions, offres que vous avez envoyées à vos clients"
 DocType: Sales Invoice,Customer's Purchase Order,N° de Bon de Commande du Client
 DocType: Clinical Procedure,Patient,Patient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Éviter le contrôle de crédit à la commande client
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Éviter le contrôle de crédit à la commande client
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activité d'accueil des nouveaux employés
 DocType: Location,Check if it is a hydroponic unit,Vérifiez s&#39;il s&#39;agit d&#39;une unité hydroponique
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,N° de Série et lot
@@ -4381,7 +4435,7 @@
 DocType: Supplier Scorecard Period,Calculations,Calculs
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Valeur ou Qté
 DocType: Payment Terms Template,Payment Terms,Termes de paiement
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Les Ordres de Production ne peuvent pas être créés pour:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Les Ordres de Production ne peuvent pas être créés pour:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minute
 DocType: Purchase Invoice,Purchase Taxes and Charges,Taxes et Frais d’Achats
 DocType: Chapter,Meetup Embed HTML,HTML intégré au Meetup
@@ -4389,17 +4443,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Aller aux Fournisseurs
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taxes du bon de clotûre du PDV
 ,Qty to Receive,Quantité à Recevoir
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Les dates de début et de fin ne figurant pas dans une période de paie valide, le système ne peut pas calculer {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Les dates de début et de fin ne figurant pas dans une période de paie valide, le système ne peut pas calculer {0}."
 DocType: Leave Block List,Leave Block List Allowed,Liste de Blocage des Congés Autorisée
 DocType: Grading Scale Interval,Grading Scale Interval,Intervalle de l'Échelle de Notation
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Note de Frais pour Indémnité Kilométrique {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Remise (%) sur le Tarif de la Liste de Prix avec la Marge
 DocType: Healthcare Service Unit Type,Rate / UOM,Taux / UM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tous les Entrepôts
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Aucun {0} n&#39;a été trouvé pour les transactions inter-sociétés.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Aucun {0} n&#39;a été trouvé pour les transactions inter-sociétés.
 DocType: Travel Itinerary,Rented Car,Voiture de location
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,À propos de votre entreprise
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Le compte À Créditer doit être un compte de Bilan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Le compte À Créditer doit être un compte de Bilan
 DocType: Donor,Donor,Donneur
 DocType: Global Defaults,Disable In Words,"Désactiver ""En Lettres"""
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Le code de l'Article est obligatoire car l'Article n'est pas numéroté automatiquement
@@ -4411,14 +4465,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Compte de Découvert Bancaire
 DocType: Patient,Patient ID,Identification du patient
 DocType: Practitioner Schedule,Schedule Name,Nom du calendrier
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pipeline des ventes par étape
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Créer une Fiche de Paie
 DocType: Currency Exchange,For Buying,A l'achat
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Ajouter tous les Fournisseurs
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Ajouter tous les Fournisseurs
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ligne # {0}: montant attribué ne peut pas être supérieur au montant en souffrance.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Parcourir la LDM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Prêts Garantis
 DocType: Purchase Invoice,Edit Posting Date and Time,Modifier la Date et l'Heure de la Publication
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Veuillez définir le Compte relatif aux Amortissements dans la Catégorie d’Actifs {0} ou la Société {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Veuillez définir le Compte relatif aux Amortissements dans la Catégorie d’Actifs {0} ou la Société {1}
 DocType: Lab Test Groups,Normal Range,Plage normale
 DocType: Academic Term,Academic Year,Année Académique
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Vente disponible
@@ -4447,26 +4502,26 @@
 DocType: Patient Appointment,Patient Appointment,Rendez-vous patient
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Le Rôle Approbateur ne peut pas être identique au rôle dont la règle est Applicable
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Se Désinscire de ce Compte Rendu par Email
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Obtenir des Fournisseurs
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Obtenir des Fournisseurs
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} introuvable pour l&#39;élément {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Aller aux Cours
 DocType: Accounts Settings,Show Inclusive Tax In Print,Afficher la taxe inclusive en impression
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",Le compte bancaire et les dates de début et de fin sont obligatoires
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Message Envoyé
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Les comptes avec des nœuds enfants ne peuvent pas être défini comme grand livre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Les comptes avec des nœuds enfants ne peuvent pas être défini comme grand livre
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Taux auquel la devise de la Liste de prix est convertie en devise du client de base
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Montant Net (Devise Société)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Le montant total de l'avance ne peut être supérieur au montant total approuvé
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Le montant total de l'avance ne peut être supérieur au montant total approuvé
 DocType: Salary Slip,Hour Rate,Tarif Horaire
 DocType: Stock Settings,Item Naming By,Nomenclature d'Article Par
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Une autre Entrée de Clôture de Période {0} a été faite après {1}
 DocType: Work Order,Material Transferred for Manufacturing,Matériel Transféré pour la Production
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Le compte {0} n'existe pas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Sélectionner un programme de fidélité
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Sélectionner un programme de fidélité
 DocType: Project,Project Type,Type de Projet
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Une tâche enfant existe pour cette tâche. Vous ne pouvez pas supprimer cette tâche.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Soit la qté cible soit le montant cible est obligatoire.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Soit la qté cible soit le montant cible est obligatoire.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Coût des différents types d'activités.
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Définir les Événements à {0}, puisque l'employé attaché au Commercial ci-dessous n'a pas d'ID Utilisateur {1}"
 DocType: Timesheet,Billing Details,Détails de la Facturation
@@ -4523,13 +4578,13 @@
 DocType: Inpatient Record,A Negative,A Négatif
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Rien de plus à montrer.
 DocType: Lead,From Customer,Du Client
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Appels
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Appels
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Un Produit
 DocType: Employee Tax Exemption Declaration,Declarations,Déclarations
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Lots
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Faire un Echéancier d'Honoraires
 DocType: Purchase Order Item Supplied,Stock UOM,UDM du Stock
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Le Bon de Commande {0} n’est pas soumis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Le Bon de Commande {0} n’est pas soumis
 DocType: Account,Expenses Included In Asset Valuation,Dépenses incluses dans l&#39;évaluation de l&#39;actif
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),La plage de référence normale pour un adulte est de 16-20 respirations / minute (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tarif
@@ -4542,6 +4597,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Veuillez d'abord enregistrer le patient
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,La présence a été marquée avec succès.
 DocType: Program Enrollment,Public Transport,Transports Publics
+DocType: Delivery Note,GST Vehicle Type,Type de véhicule de la TPS
 DocType: Soil Texture,Silt Composition (%),Composition de limon (%)
 DocType: Journal Entry,Remark,Remarque
 DocType: Healthcare Settings,Avoid Confirmation,Éviter la Confirmation
@@ -4550,11 +4606,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Congés et Vacances
 DocType: Education Settings,Current Academic Term,Terme Académique Actuel
 DocType: Sales Order,Not Billed,Non Facturé
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Les deux Entrepôt doivent appartenir à la même Société
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Les deux Entrepôt doivent appartenir à la même Société
 DocType: Employee Grade,Default Leave Policy,Politique de congés par défaut
 DocType: Shopify Settings,Shop URL,URL de la boutique
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Aucun contact ajouté.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Veuillez configurer la série de numérotation pour la participation via Setup&gt; Numbering Series
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Montant de la Référence de Coût au Débarquement
 ,Item Balance (Simple),Solde de l'article (simple)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Factures émises par des Fournisseurs.
@@ -4579,7 +4634,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Séries de Devis
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Un article existe avec le même nom ({0}), veuillez changer le nom du groupe d'article ou renommer l'article"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Critères d&#39;analyse des sols
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Veuillez sélectionner un client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Veuillez sélectionner un client
 DocType: C-Form,I,I
 DocType: Company,Asset Depreciation Cost Center,Centre de Coûts de l'Amortissement d'Actifs
 DocType: Production Plan Sales Order,Sales Order Date,Date de la Commande Client
@@ -4592,8 +4647,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,"Actuellement, aucun stock disponible dans aucun entrepôt"
 ,Payment Period Based On Invoice Date,Période de Paiement basée sur la Date de la Facture
 DocType: Sample Collection,No. of print,Nbre d'impressions
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Rappel d&#39;anniversaire
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Article de réservation de la chambre d'hôtel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Taux de Change Manquant pour {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Taux de Change Manquant pour {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nom de l'assurance santé
 DocType: Assessment Plan,Examiner,Examinateur
 DocType: Student,Siblings,Frères et Sœurs
@@ -4610,19 +4666,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nouveaux Clients
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bénéfice Brut %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Rendez-vous {0} et facture de vente {1} annulés
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Opportunités par source de plomb
 DocType: Appraisal Goal,Weightage (%),Poids (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Modifier le profil POS
 DocType: Bank Reconciliation Detail,Clearance Date,Date de Compensation
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Un actif existe déjà pour l'article {0}, vous ne pouvez donc pas modifier le numéro de série."
+DocType: Delivery Settings,Dispatch Notification Template,Modèle de notification d&#39;expédition
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Un actif existe déjà pour l'article {0}, vous ne pouvez donc pas modifier le numéro de série."
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Rapport d'Évaluation
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Obtenir des employés
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Montant d'Achat Brut est obligatoire
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Le nom de la société n'est pas identique
 DocType: Lead,Address Desc,Adresse Desc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Le Tiers est obligatoire
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Des lignes avec des dates d&#39;échéance en double dans les autres lignes ont été trouvées: {list}
 DocType: Topic,Topic Name,Nom du Sujet
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Veuillez définir un modèle par défaut pour les notifications d'autorisation de congés dans les paramètres RH.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Veuillez définir un modèle par défaut pour les notifications d'autorisation de congés dans les paramètres RH.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Au moins Vente ou Achat doit être sélectionné
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Sélectionnez un employé pour obtenir l'avance versée.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Veuillez sélectionner une date valide
@@ -4656,6 +4713,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Détails du Client ou du Fournisseur
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Valeur actuelle de l&#39;actif
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks ID société
 DocType: Travel Request,Travel Funding,Financement du déplacement
 DocType: Loan Application,Required by Date,Requis à cette Date
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Lien vers tous les lieux dans lesquels la culture pousse
@@ -4669,9 +4727,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Qté de Lot Disponible Depuis l'Entrepôt
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Salaire Brut - Déductions Totales - Remboursement de Prêt
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,La LDM actuelle et la nouvelle LDM ne peuvent être pareilles
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,La LDM actuelle et la nouvelle LDM ne peuvent être pareilles
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ID Fiche de Paie
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,La Date de Départ à la Retraite doit être supérieure à Date d'Embauche
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,La Date de Départ à la Retraite doit être supérieure à Date d'Embauche
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Variantes multiples
 DocType: Sales Invoice,Against Income Account,Pour le Compte de Produits
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Livré
@@ -4700,7 +4758,7 @@
 DocType: POS Profile,Update Stock,Mettre à Jour le Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Différentes UDM pour les articles conduira à un Poids Net (Total) incorrect . Assurez-vous que le Poids Net de chaque article a la même unité de mesure .
 DocType: Certification Application,Payment Details,Détails de paiement
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Taux LDM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Taux LDM
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Un ordre de travail arrêté ne peut être annulé, Re-démarrez le pour pouvoir l'annuler"
 DocType: Asset,Journal Entry for Scrap,Écriture de Journal pour la Mise au Rebut
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Veuillez récupérer les articles des Bons de Livraison
@@ -4723,11 +4781,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Montant Total Validé
 ,Purchase Analytics,Analyses des Achats
 DocType: Sales Invoice Item,Delivery Note Item,Bon de Livraison article
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,La facture en cours {0} est manquante
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,La facture en cours {0} est manquante
 DocType: Asset Maintenance Log,Task,Tâche
 DocType: Purchase Taxes and Charges,Reference Row #,Ligne de Référence #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Le numéro de lot est obligatoire pour l'Article {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,C’est un commercial racine qui ne peut être modifié.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,C’est un commercial racine qui ne peut être modifié.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Si cette option est sélectionnée, la valeur spécifiée ou calculée dans ce composant ne contribuera pas aux gains ou aux déductions. Cependant, sa valeur peut être référencée par d&#39;autres composants qui peuvent être ajoutés ou déduits."
 DocType: Asset Settings,Number of Days in Fiscal Year,Nombre de jours dans l'exercice fiscal
 ,Stock Ledger,Livre d'Inventaire
@@ -4735,7 +4793,7 @@
 DocType: Company,Exchange Gain / Loss Account,Compte de Profits / Pertes sur Change
 DocType: Amazon MWS Settings,MWS Credentials,Informations d&#39;identification MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Employé et Participation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},L'Objet doit être parmi {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},L'Objet doit être parmi {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Remplissez et enregistrez le formulaire
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum de la Communauté
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Qté réelle en stock
@@ -4750,7 +4808,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Prix de Vente Standard
 DocType: Account,Rate at which this tax is applied,Taux auquel cette taxe est appliquée
 DocType: Cash Flow Mapper,Section Name,Nom de la section
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Qté de Réapprovisionnement
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Qté de Réapprovisionnement
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Ligne d&#39;amortissement {0}: la valeur attendue après la durée de vie utile doit être supérieure ou égale à {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Offres d'Emploi Actuelles
 DocType: Company,Stock Adjustment Account,Compte d'Ajustement du Stock
@@ -4760,8 +4818,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","L'ID (de connexion) de l'Utilisateur Système. S'il est défini, il deviendra la valeur par défaut pour tous les formulaires des RH."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Veuillez entrer les détails de l'amortissement
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: De {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Laisser l&#39;application {0} existe déjà pour l&#39;étudiant {1}
 DocType: Task,depends_on,Dépend de
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Mise à jour des prix les plus récents dans toutes les Listes de Matériaux en file d'attente. Cela peut prendre quelques minutes.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Mise à jour des prix les plus récents dans toutes les Listes de Matériaux en file d'attente. Cela peut prendre quelques minutes.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nom du Nouveau Compte. Note: Veuillez ne pas créer de comptes Clients et Fournisseurs
 DocType: POS Profile,Display Items In Stock,Afficher les articles en stock
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Modèles d'Adresse par défaut en fonction du pays
@@ -4791,16 +4850,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Les créneaux pour {0} ne sont pas ajoutés à l'agenda
 DocType: Product Bundle,List items that form the package.,Liste des articles qui composent le paquet.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Non autorisé. Veuillez désactiver le modèle de test
+DocType: Delivery Note,Distance (in km),Distance (en km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Pourcentage d'Allocation doit être égale à 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Veuillez sélectionner la Date de Comptabilisation avant de sélectionner le Tiers
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Veuillez sélectionner la Date de Comptabilisation avant de sélectionner le Tiers
 DocType: Program Enrollment,School House,Maison de l'École
 DocType: Serial No,Out of AMC,Sur AMC
+DocType: Opportunity,Opportunity Amount,Montant de l&#39;opportunité
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Nombre d’Amortissements Comptabilisés ne peut pas être supérieur à Nombre Total d'Amortissements
 DocType: Purchase Order,Order Confirmation Date,Date de confirmation de la commande
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Effectuer une Visite d'Entretien
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","La date de début et la date de fin se chevauchent avec la carte de travail <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Détails de transfert des employés
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Veuillez contactez l'utilisateur qui a le rôle de Directeur des Ventes {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Veuillez contactez l'utilisateur qui a le rôle de Directeur des Ventes {0}
 DocType: Company,Default Cash Account,Compte de Caisse par Défaut
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Données de base de la Société (ni les Clients ni les Fournisseurs)
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Basé sur la présence de cet Étudiant
@@ -4808,9 +4870,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Ajouter plus d'articles ou ouvrir le formulaire complet
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Bons de Livraison {0} doivent être annulés avant d’annuler cette Commande Client
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Aller aux Utilisateurs
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Le Montant Payé + Montant Repris ne peut pas être supérieur au Total Général
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Le Montant Payé + Montant Repris ne peut pas être supérieur au Total Général
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} n'est pas un Numéro de Lot valide pour l’Article {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Remarque : Le solde de congé est insuffisant pour le Type de Congé {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Remarque : Le solde de congé est insuffisant pour le Type de Congé {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN invalide ou Entrez NA si vous n'êtes pas Enregistré
 DocType: Training Event,Seminar,Séminaire
 DocType: Program Enrollment Fee,Program Enrollment Fee,Frais d'Inscription au Programme
@@ -4827,7 +4889,7 @@
 DocType: Fee Schedule,Fee Schedule,Barème d'Honoraires
 DocType: Company,Create Chart Of Accounts Based On,Créer un Plan Comptable Basé Sur
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Impossible de le convertir en non-groupe. Des tâches enfants existent.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Date de Naissance ne peut être après la Date du Jour.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Date de Naissance ne peut être après la Date du Jour.
 ,Stock Ageing,Viellissement du Stock
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Partiellement sponsorisé, nécessite un financement partiel"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Étudiant {0} existe pour la candidature d'un étudiant {1}
@@ -4874,11 +4936,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Avant la réconciliation
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},À {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Taxes et Frais Additionnels (Devise Société)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La Ligne de Taxe d'Article {0} doit indiquer un compte de type Taxes ou Produit ou Charge ou Facturable
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La Ligne de Taxe d'Article {0} doit indiquer un compte de type Taxes ou Produit ou Charge ou Facturable
 DocType: Sales Order,Partly Billed,Partiellement Facturé
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,L'article {0} doit être une Immobilisation
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Faire des variantes
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Faire des variantes
 DocType: Item,Default BOM,LDM par Défaut
 DocType: Project,Total Billed Amount (via Sales Invoices),Montant total facturé (via les factures de vente)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Montant de la Note de Débit
@@ -4907,13 +4969,13 @@
 DocType: Notification Control,Custom Message,Message Personnalisé
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Banque d'Investissement
 DocType: Purchase Invoice,input,intrant
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Espèces ou Compte Bancaire est obligatoire pour réaliser une écriture de paiement
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Espèces ou Compte Bancaire est obligatoire pour réaliser une écriture de paiement
 DocType: Loyalty Program,Multiple Tier Program,Programme à plusieurs échelons
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresse de l'Élève
 DocType: Purchase Invoice,Price List Exchange Rate,Taux de Change de la Liste de Prix
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Tous les groupes de fournisseurs
 DocType: Employee Boarding Activity,Required for Employee Creation,Obligatoire pour la création d&#39;un employé
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Numéro de compte {0} déjà utilisé dans le compte {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Numéro de compte {0} déjà utilisé dans le compte {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,Nom du profil PDV
 DocType: Hotel Room Reservation,Booked,Réservé
@@ -4929,18 +4991,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,N° de Référence obligatoire si vous avez entré une date
 DocType: Bank Reconciliation Detail,Payment Document,Document de Paiement
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Erreur lors de l'évaluation de la formule du critère
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,La Date d'Embauche doit être après à la Date de Naissance
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,La Date d'Embauche doit être après à la Date de Naissance
 DocType: Subscription,Plans,Plans
 DocType: Salary Slip,Salary Structure,Grille des Salaires
 DocType: Account,Bank,Banque
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Compagnie Aérienne
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Problème Matériel
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Problème Matériel
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Connectez Shopify avec ERPNext
 DocType: Material Request Item,For Warehouse,Pour l’Entrepôt
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Notes de livraison {0} mises à jour
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Notes de livraison {0} mises à jour
 DocType: Employee,Offer Date,Date de la Proposition
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Devis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Vous êtes en mode hors connexion. Vous ne serez pas en mesure de recharger jusqu'à ce que vous ayez du réseau.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Devis
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Vous êtes en mode hors connexion. Vous ne serez pas en mesure de recharger jusqu'à ce que vous ayez du réseau.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Subvention
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Aucun Groupe d'Étudiants créé.
 DocType: Purchase Invoice Item,Serial No,N° de Série
@@ -4952,24 +5014,26 @@
 DocType: Sales Invoice,Customer PO Details,Détails du bon de commande client
 DocType: Stock Entry,Including items for sub assemblies,Incluant les articles pour des sous-ensembles
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Compte temporaire d'ouverture
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,La valeur entrée doit être positive
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,La valeur entrée doit être positive
 DocType: Asset,Finance Books,Livres comptables
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Catégorie de déclaration d'exemption de taxe
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Tous les Territoires
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Veuillez définir la politique de congé pour l&#39;employé {0} dans le dossier Employé / Grade
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Commande avec limites non valide pour le client et l'article sélectionnés
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Commande avec limites non valide pour le client et l'article sélectionnés
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Ajouter plusieurs tâches
 DocType: Purchase Invoice,Items,Articles
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,La date de fin ne peut pas être antérieure à la date de début.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,L'étudiant est déjà inscrit.
 DocType: Fiscal Year,Year Name,Nom de l'Année
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Il y a plus de vacances que de jours travaillés ce mois-ci.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,Référence des chèques post-datés / Lettres de crédit
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Il y a plus de vacances que de jours travaillés ce mois-ci.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Les éléments suivants {0} ne sont pas marqués comme {1} élément. Vous pouvez les activer en tant qu&#39;élément {1} à partir de sa fiche article.
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,Référence des chèques post-datés / Lettres de crédit
 DocType: Production Plan Item,Product Bundle Item,Article d'un Ensemble de Produits
 DocType: Sales Partner,Sales Partner Name,Nom du Partenaire de Vente
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Appel d’Offres
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Appel d’Offres
 DocType: Payment Reconciliation,Maximum Invoice Amount,Montant Maximal de la Facture
 DocType: Normal Test Items,Normal Test Items,Articles de Test Normal
+DocType: QuickBooks Migrator,Company Settings,des paramètres de l'entreprise
 DocType: Additional Salary,Overwrite Salary Structure Amount,Remplacer le montant de la structure salariale
 DocType: Student Language,Student Language,Langue des Étudiants
 apps/erpnext/erpnext/config/selling.py +23,Customers,Clients
@@ -4981,21 +5045,23 @@
 DocType: Issue,Opening Time,Horaire d'Ouverture
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Les date Du et Au sont requises
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Bourses de Valeurs Mobilières et de Marchandises
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',L’Unité de mesure par défaut pour la variante '{0}' doit être la même que dans le Modèle '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',L’Unité de mesure par défaut pour la variante '{0}' doit être la même que dans le Modèle '{1}'
 DocType: Shipping Rule,Calculate Based On,Calculer en fonction de
 DocType: Contract,Unfulfilled,Non-rempli
 DocType: Delivery Note Item,From Warehouse,De l'Entrepôt
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Aucun employé pour les critères mentionnés
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Aucun Article avec une Liste de Matériel à Produire
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Aucun Article avec une Liste de Matériel à Produire
 DocType: Shopify Settings,Default Customer,Client par Défaut
+DocType: Sales Stage,Stage Name,Nom de scène
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Nom du Superviseur
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Ne confirmez pas si le rendez-vous est créé pour le même jour
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Ship to State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Ship to State
 DocType: Program Enrollment Course,Program Enrollment Course,Cours d'Inscription au Programme
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},L&#39;utilisateur {0} est déjà attribué à un professionnel de la santé {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Faire une écriture de stock de rétention d'échantillon
 DocType: Purchase Taxes and Charges,Valuation and Total,Valorisation et Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Négociation / Révision
 DocType: Leave Encashment,Encashment Amount,Montant d'encaissement
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Fiches d'Évaluation
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Lots expirés
@@ -5005,7 +5071,7 @@
 DocType: Staffing Plan Detail,Current Openings,Offres actuelles
 DocType: Notification Control,Customize the Notification,Personnaliser la Notification
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Flux de Trésorerie provenant des Opérations
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Montant CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Montant CGST
 DocType: Purchase Invoice,Shipping Rule,Règle de Livraison
 DocType: Patient Relation,Spouse,Époux
 DocType: Lab Test Groups,Add Test,Ajouter un Test
@@ -5019,14 +5085,14 @@
 DocType: Payroll Entry,Payroll Frequency,Fréquence de la Paie
 DocType: Lab Test Template,Sensitivity,Sensibilité
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,La synchronisation a été temporairement désactivée car les tentatives maximales ont été dépassées
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Matières Premières
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Matières Premières
 DocType: Leave Application,Follow via Email,Suivre par E-mail
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Usines et Machines
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Montant de la Taxe après Remise
 DocType: Patient,Inpatient Status,Statut d&#39;hospitalisation
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Paramètres du Récapitulatif Quotidien
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,La liste de prix sélectionnée doit avoir les champs d'achat et de vente cochés.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Veuillez entrer Reqd par date
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,La liste de prix sélectionnée doit avoir les champs d'achat et de vente cochés.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Veuillez entrer Reqd par date
 DocType: Payment Entry,Internal Transfer,Transfert Interne
 DocType: Asset Maintenance,Maintenance Tasks,Tâches de maintenance
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Soit la qté cible soit le montant cible est obligatoire
@@ -5047,7 +5113,7 @@
 DocType: Mode of Payment,General,Général
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Dernière Communication
 ,TDS Payable Monthly,TDS Payable Monthly
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,En file d'attente pour remplacer la LDM. Cela peut prendre quelques minutes.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,En file d'attente pour remplacer la LDM. Cela peut prendre quelques minutes.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Déduction impossible lorsque la catégorie est pour 'Évaluation' ou 'Vaulation et Total'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},N° de Séries Requis pour Article Sérialisé {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Rapprocher les Paiements avec les Factures
@@ -5060,7 +5126,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Ajouter au Panier
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Grouper Par
 DocType: Guardian,Interests,Intérêts
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Activer / Désactiver les devises
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Activer / Désactiver les devises
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Les fiches de paie n'ont pas pu être soumises
 DocType: Exchange Rate Revaluation,Get Entries,Obtenir des entrées
 DocType: Production Plan,Get Material Request,Obtenir la Demande de Matériel
@@ -5082,15 +5148,16 @@
 DocType: Lead,Lead Type,Type de Prospect
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Vous n'êtes pas autorisé à approuver les congés sur les Dates Bloquées
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Tous ces articles ont déjà été facturés
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Définir la nouvelle date de fin de mise en attente
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Définir la nouvelle date de fin de mise en attente
 DocType: Company,Monthly Sales Target,Objectif de Vente Mensuel
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Peut être approuvé par {0}
 DocType: Hotel Room,Hotel Room Type,Type de chambre d&#39;hôtel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Fournisseur&gt; Type de fournisseur
 DocType: Leave Allocation,Leave Period,Période de congé
 DocType: Item,Default Material Request Type,Type de Requête de Matériaux par Défaut
 DocType: Supplier Scorecard,Evaluation Period,Période d'Évaluation
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Inconnu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Ordre de travail non créé
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Ordre de travail non créé
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Un montant de {0} a déjà été demandé pour le composant {1}, \ définir un montant égal ou supérieur à {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Conditions de la Règle de Livraison
@@ -5123,15 +5190,15 @@
 DocType: Batch,Source Document Name,Nom du Document Source
 DocType: Production Plan,Get Raw Materials For Production,Obtenir des matières premières pour la production
 DocType: Job Opening,Job Title,Titre de l'Emploi
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indique que {1} ne fournira pas de devis, mais tous les articles \ ont été évalués. Mise à jour du statut de devis RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Nombre maximum d&#39;échantillons - {0} ont déjà été conservés pour le lot {1} et l&#39;article {2} dans le lot {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Nombre maximum d&#39;échantillons - {0} ont déjà été conservés pour le lot {1} et l&#39;article {2} dans le lot {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Mettre à jour automatiquement le coût de la LDM
 DocType: Lab Test,Test Name,Nom du Test
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Procédure Consommable
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Créer des Utilisateurs
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gramme
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Abonnements
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Abonnements
 DocType: Supplier Scorecard,Per Month,Par Mois
 DocType: Education Settings,Make Academic Term Mandatory,Faire un terme académique obligatoire
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,La quantité à produire doit être supérieur à 0.
@@ -5140,9 +5207,9 @@
 DocType: Stock Entry,Update Rate and Availability,Mettre à Jour le Prix et la Disponibilité
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Pourcentage que vous êtes autorisé à recevoir ou à livrer en plus de la quantité commandée. Par exemple : Si vous avez commandé 100 unités et que votre allocation est de 10% alors que vous êtes autorisé à recevoir 110 unités.
 DocType: Loyalty Program,Customer Group,Groupe de Clients
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Ligne #{0}: l'opération {1} n'est pas terminée pour la quantité {2} de produits finis dans le bon de commande # {3}. Veuillez mettre à jour l'état de l'opération via les feuilles de temps.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Ligne #{0}: l'opération {1} n'est pas terminée pour la quantité {2} de produits finis dans le bon de commande # {3}. Veuillez mettre à jour l'état de l'opération via les feuilles de temps.
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nouveau Numéro de Lot (Optionnel)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Compte de charge est obligatoire pour l'article {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Compte de charge est obligatoire pour l'article {0}
 DocType: BOM,Website Description,Description du Site Web
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Variation Nette de Capitaux Propres
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Veuillez d’abord annuler la Facture d'Achat {0}
@@ -5157,7 +5224,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Il n'y a rien à modifier.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Vue de Formulaire
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Approbateur obligatoire pour les notes de frais
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Résumé du mois et des activités en suspens
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Résumé du mois et des activités en suspens
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Veuillez définir un compte de gain / perte de change non réalisé pour la société {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Ajoutez des utilisateurs, autres que vous-même, à votre organisation."
 DocType: Customer Group,Customer Group Name,Nom du Groupe Client
@@ -5167,14 +5234,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Aucune demande de matériel créée
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Le Montant du prêt ne peut pas dépasser le Montant Maximal du Prêt de {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licence
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Veuillez retirez cette Facture {0} du C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Veuillez retirez cette Facture {0} du C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Veuillez sélectionnez Report si vous souhaitez également inclure le solde des congés de l'exercice précédent à cet exercice
 DocType: GL Entry,Against Voucher Type,Pour le Type de Bon
 DocType: Healthcare Practitioner,Phone (R),Téléphone (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Créneaux Horaires Ajoutés
 DocType: Item,Attributes,Attributs
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Activer le Modèle
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Veuillez entrer un Compte de Reprise
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Veuillez entrer un Compte de Reprise
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Date de la Dernière Commande
 DocType: Salary Component,Is Payable,Est exigible
 DocType: Inpatient Record,B Negative,B Négatif
@@ -5185,7 +5252,7 @@
 DocType: Hotel Room,Hotel Room,Chambre d&#39;hôtel
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Le compte {0} n'appartient pas à la société {1}
 DocType: Leave Type,Rounding,Arrondi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Les Numéros de Série dans la ligne {0} ne correspondent pas au Bon de Livraison
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Les Numéros de Série dans la ligne {0} ne correspondent pas au Bon de Livraison
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Montant distribué (au prorata)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Les règles de tarification sont ensuite filtrées en fonction du client, du groupe de clients, du territoire, du fournisseur, du groupe de fournisseurs, de la campagne, du partenaire commercial, etc."
 DocType: Student,Guardian Details,Détails du Tuteur
@@ -5194,10 +5261,10 @@
 DocType: Vehicle,Chassis No,N ° de Châssis
 DocType: Payment Request,Initiated,Initié
 DocType: Production Plan Item,Planned Start Date,Date de Début Prévue
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Veuillez sélectionner une LDM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Veuillez sélectionner une LDM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Taxe intégrée de l'ITC utilisée
 DocType: Purchase Order Item,Blanket Order Rate,Prix unitaire de commande avec limites
-apps/erpnext/erpnext/hooks.py +156,Certification,Certification
+apps/erpnext/erpnext/hooks.py +157,Certification,Certification
 DocType: Bank Guarantee,Clauses and Conditions,Clauses et conditions
 DocType: Serial No,Creation Document Type,Type de Document de Création
 DocType: Project Task,View Timesheet,Afficher la feuille de temps
@@ -5222,6 +5289,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,L'Article Parent {0} ne doit pas être un Élément de Stock
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Liste du site Web
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tous les Produits ou Services.
+DocType: Email Digest,Open Quotations,Citations ouvertes
 DocType: Expense Claim,More Details,Plus de Détails
 DocType: Supplier Quotation,Supplier Address,Adresse du Fournisseur
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} le Budget du Compte {1} pour {2} {3} est de {4}. Il dépassera de {5}
@@ -5236,12 +5304,11 @@
 DocType: Training Event,Exam,Examen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Erreur du marché
 DocType: Complaint,Complaint,Plainte
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},L’entrepôt est obligatoire pour l'article du stock {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},L’entrepôt est obligatoire pour l'article du stock {0}
 DocType: Leave Allocation,Unused leaves,Congés non utilisés
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Faire une écriture de remboursement
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Tous les départements
 DocType: Healthcare Service Unit,Vacant,Vacant
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Fournisseur&gt; Type de fournisseur
 DocType: Patient,Alcohol Past Use,Consommation Passée d'Alcool
 DocType: Fertilizer Content,Fertilizer Content,Contenu d&#39;engrais
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5249,7 +5316,7 @@
 DocType: Tax Rule,Billing State,État de la Facturation
 DocType: Share Transfer,Transfer,Transférer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,L'ordre de travail {0} doit être annulé avant d'annuler cette commande client
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Récupérer la LDM éclatée (y compris les sous-ensembles)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Récupérer la LDM éclatée (y compris les sous-ensembles)
 DocType: Authorization Rule,Applicable To (Employee),Applicable À (Employé)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,La Date d’Échéance est obligatoire
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Incrément pour l'Attribut {0} ne peut pas être 0
@@ -5265,7 +5332,7 @@
 DocType: Disease,Treatment Period,Période de traitement
 DocType: Travel Itinerary,Travel Itinerary,Itinéraire du déplacement
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Résultat déjà soumis
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,L&#39;entrepôt réservé est obligatoire pour l&#39;article {0} dans les matières premières fournies
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,L&#39;entrepôt réservé est obligatoire pour l&#39;article {0} dans les matières premières fournies
 ,Inactive Customers,Clients Inactifs
 DocType: Student Admission Program,Maximum Age,Âge Maximum
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Veuillez patienter 3 jours avant d'envoyer un autre rappel.
@@ -5274,7 +5341,6 @@
 DocType: Stock Entry,Delivery Note No,Bon de Livraison N°
 DocType: Cheque Print Template,Message to show,Message à afficher
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Vente de Détail
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Gérer la facture de rendez-vous automatiquement
 DocType: Student Attendance,Absent,Absent
 DocType: Staffing Plan,Staffing Plan Detail,Détail du plan de dotation
 DocType: Employee Promotion,Promotion Date,Date de promotion
@@ -5296,7 +5362,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Faire un Prospect
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Impression et Papeterie
 DocType: Stock Settings,Show Barcode Field,Afficher Champ Code Barre
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Envoyer des Emails au Fournisseur
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Envoyer des Emails au Fournisseur
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaire déjà traité pour la période entre {0} et {1}, La période de demande de congé ne peut pas être entre cette plage de dates."
 DocType: Fiscal Year,Auto Created,Créé automatiquement
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Soumettre pour créer la fiche employé
@@ -5305,7 +5371,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,La facture {0} n&#39;existe plus
 DocType: Guardian Interest,Guardian Interest,Part du Tuteur
 DocType: Volunteer,Availability,Disponibilité
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Configurer les valeurs par défaut pour les factures de point de vente
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Configurer les valeurs par défaut pour les factures de point de vente
 apps/erpnext/erpnext/config/hr.py +248,Training,Formation
 DocType: Project,Time to send,Heure d'envoi
 DocType: Timesheet,Employee Detail,Détail Employé
@@ -5328,7 +5394,7 @@
 DocType: Training Event Employee,Optional,Optionnel
 DocType: Salary Slip,Earning & Deduction,Revenus et Déduction
 DocType: Agriculture Analysis Criteria,Water Analysis,Analyse de l&#39;eau
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variantes créées.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variantes créées.
 DocType: Amazon MWS Settings,Region,Région
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Facultatif. Ce paramètre sera utilisé pour filtrer différentes transactions.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Taux de Valorisation Négatif n'est pas autorisé
@@ -5347,7 +5413,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Coût des Immobilisations Mises au Rebut
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de Coûts est obligatoire pour l’Article {2}
 DocType: Vehicle,Policy No,Politique N°
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Obtenir les Articles du Produit Groupé
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Obtenir les Articles du Produit Groupé
 DocType: Asset,Straight Line,Linéaire
 DocType: Project User,Project User,Utilisateur du Projet
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Fractionner
@@ -5355,7 +5421,7 @@
 DocType: GL Entry,Is Advance,Est Accompte
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Cycle de vie des employés
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,La Date de Présence Depuis et la Date de Présence Jusqu'à sont obligatoires
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Veuillez entrer Oui ou Non pour 'Est sous-traitée'
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Veuillez entrer Oui ou Non pour 'Est sous-traitée'
 DocType: Item,Default Purchase Unit of Measure,Unité de Mesure par défaut à l'Achat
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Date de la Dernière Communication
 DocType: Clinical Procedure Item,Clinical Procedure Item,Article de procédure clinique
@@ -5364,7 +5430,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Jeton d'accès ou URL Shopify manquants
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,Entrepôt de Rebut
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",Entrepôt requis à la ligne n ° {0}. Veuillez définir un entrepôt par défaut pour l'article {1} et la société {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",Entrepôt requis à la ligne n ° {0}. Veuillez définir un entrepôt par défaut pour l'article {1} et la société {2}
 DocType: Work Order,Check if material transfer entry is not required,Vérifiez si une un transfert de matériel n'est pas requis
 DocType: Program Enrollment Tool,Get Students From,Obtenir les Étudiants De
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Publier les Articles sur le Site Web
@@ -5379,6 +5445,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nouvelle Qté de Lot
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Vêtements & Accessoires
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Impossible de résoudre la fonction de score pondéré. Assurez-vous que la formule est valide.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Articles de commande d&#39;achat non reçus à temps
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Nombre de Commandes
 DocType: Item Group,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.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Spécifier les conditions pour calculer le montant de la livraison
@@ -5387,9 +5454,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Chemin
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Conversion impossible du Centre de Coûts en livre car il possède des nœuds enfants
 DocType: Production Plan,Total Planned Qty,Quantité totale prévue
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Valeur d'Ouverture
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Valeur d'Ouverture
 DocType: Salary Component,Formula,Formule
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Série #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Série #
 DocType: Lab Test Template,Lab Test Template,Modèle de test de laboratoire
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Compte de vente
 DocType: Purchase Invoice Item,Total Weight,Poids total
@@ -5407,7 +5474,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Faire une Demande de Matériel
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Ouvrir l'Article {0}
 DocType: Asset Finance Book,Written Down Value,Valeur comptable nette
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Veuillez configurer le système de dénomination des employés dans Ressources humaines&gt; Paramètres RH
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Facture de Vente {0} doit être annulée avant l'annulation de cette Commande Client
 DocType: Clinical Procedure,Age,Âge
 DocType: Sales Invoice Timesheet,Billing Amount,Montant de Facturation
@@ -5416,11 +5482,11 @@
 DocType: Company,Default Employee Advance Account,Compte d'avances versées aux employés par défaut
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Rechercher un élément (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Un compte contenant une transaction ne peut pas être supprimé
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Un compte contenant une transaction ne peut pas être supprimé
 DocType: Vehicle,Last Carbon Check,Dernière Vérification Carbone
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Frais Juridiques
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Veuillez sélectionner la quantité sur la ligne
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Faire l&#39;ouverture des ventes et des factures d&#39;achat
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Faire l&#39;ouverture des ventes et des factures d&#39;achat
 DocType: Purchase Invoice,Posting Time,Heure de Publication
 DocType: Timesheet,% Amount Billed,% Montant Facturé
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Frais Téléphoniques
@@ -5435,14 +5501,14 @@
 DocType: Maintenance Visit,Breakdown,Panne
 DocType: Travel Itinerary,Vegetarian,Végétarien
 DocType: Patient Encounter,Encounter Date,Date de consultation
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Compte : {0} avec la devise : {1} ne peut pas être sélectionné
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Compte : {0} avec la devise : {1} ne peut pas être sélectionné
 DocType: Bank Statement Transaction Settings Item,Bank Data,Données bancaires
 DocType: Purchase Receipt Item,Sample Quantity,Quantité d&#39;échantillon
 DocType: Bank Guarantee,Name of Beneficiary,Nom du bénéficiaire
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Mettre à jour le coût de la LDM automatiquement via le Planificateur, en fonction du dernier taux de valorisation / tarif de la liste de prix / dernier prix d'achat des matières premières."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Date du Chèque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: Le Compte parent {1} n'appartient pas à l'entreprise: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: Le Compte parent {1} n'appartient pas à l'entreprise: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Suppression de toutes les transactions liées à cette société avec succès !
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Comme à la date
 DocType: Additional Salary,HR,RH
@@ -5450,7 +5516,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Alertes SMS pour Patients
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Essai
 DocType: Program Enrollment Tool,New Academic Year,Nouvelle Année Académique
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Retour / Note de Crédit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Retour / Note de Crédit
 DocType: Stock Settings,Auto insert Price List rate if missing,Insertion automatique du taux de la Liste de Prix si manquante
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Montant Total Payé
 DocType: GST Settings,B2C Limit,Limite B2C
@@ -5468,10 +5534,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Les noeuds enfants peuvent être créés uniquement dans les nœuds de type &#39;Groupe&#39;
 DocType: Attendance Request,Half Day Date,Date de Demi-Journée
 DocType: Academic Year,Academic Year Name,Nom de l'Année Académique
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} n'est pas autorisé à traiter avec {1}. Veuillez changer la société.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} n'est pas autorisé à traiter avec {1}. Veuillez changer la société.
 DocType: Sales Partner,Contact Desc,Desc. du Contact
 DocType: Email Digest,Send regular summary reports via Email.,Envoyer régulièrement des rapports de synthèse par Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Veuillez définir le compte par défaut dans le Type de Note de Frais {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Veuillez définir le compte par défaut dans le Type de Note de Frais {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Congés disponibles
 DocType: Assessment Result,Student Name,Nom de l'Étudiant
 DocType: Hub Tracked Item,Item Manager,Gestionnaire d'Article
@@ -5496,9 +5562,10 @@
 DocType: Subscription,Trial Period End Date,Date de fin de la période d&#39;évaluation
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Non autorisé car {0} dépasse les limites
 DocType: Serial No,Asset Status,Statut de l&#39;actif
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Cargaison hors dimension (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Table de restaurant
 DocType: Hotel Room,Hotel Manager,Directeur de l&#39;hôtel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Définir la Règle d'Impôt pour le panier
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Définir la Règle d'Impôt pour le panier
 DocType: Purchase Invoice,Taxes and Charges Added,Taxes et Frais Additionnels
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Ligne d'amortissement {0}: La date d'amortissement suivante ne peut pas être antérieure à la date de mise en service
 ,Sales Funnel,Entonnoir de Vente
@@ -5514,10 +5581,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Tous les Groupes Client
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Cumul Mensuel
 DocType: Attendance Request,On Duty,Permanence
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} est obligatoire. Peut-être qu’un enregistrement de Taux de Change n'est pas créé pour {1} et {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} est obligatoire. Peut-être qu’un enregistrement de Taux de Change n'est pas créé pour {1} et {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Le plan de dotation en personnel {0} existe déjà pour la désignation {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Un Modèle de Taxe est obligatoire.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Compte {0}: Le Compte parent {1} n'existe pas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Compte {0}: Le Compte parent {1} n'existe pas
 DocType: POS Closing Voucher,Period Start Date,Date de début de la période
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Taux de la Liste de Prix (Devise Société)
 DocType: Products Settings,Products Settings,Paramètres des Produits
@@ -5537,7 +5604,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Cette action arrêtera la facturation future. Êtes-vous sûr de vouloir annuler cet abonnement?
 DocType: Serial No,Distinct unit of an Item,Unité distincte d'un Article
 DocType: Supplier Scorecard Criteria,Criteria Name,Nom du Critère
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Veuillez sélectionner une Société
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Veuillez sélectionner une Société
 DocType: Procedure Prescription,Procedure Created,Procédure créée
 DocType: Pricing Rule,Buying,Achat
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Maladies et engrais
@@ -5554,42 +5621,43 @@
 DocType: Employee Onboarding,Job Offer,Offre d&#39;emploi
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Abréviation de l'Institut
 ,Item-wise Price List Rate,Taux de la Liste des Prix par Article
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Devis Fournisseur
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Devis Fournisseur
 DocType: Quotation,In Words will be visible once you save the Quotation.,En Toutes Lettres. Sera visible une fois que vous enregistrerez le Devis.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},La quantité ({0}) ne peut pas être une fraction dans la ligne {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},La quantité ({0}) ne peut pas être une fraction dans la ligne {1}
 DocType: Contract,Unsigned,Non signé
 DocType: Selling Settings,Each Transaction,A chaque transaction
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Le Code Barre {0} est déjà utilisé dans l'article {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Le Code Barre {0} est déjà utilisé dans l'article {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Règles pour l'ajout de frais de port.
 DocType: Hotel Room,Extra Bed Capacity,Capacité de lits supplémentaire
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Stock d'Ouverture
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Client est requis
 DocType: Lab Test,Result Date,Date de Résultat
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Date des chèques post-datés / Lettres de crédit
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Date des chèques post-datés / Lettres de crédit
 DocType: Purchase Order,To Receive,À Recevoir
 DocType: Leave Period,Holiday List for Optional Leave,Liste de jours fériés pour congé facultatif
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,utilisateur@exemple.com
 DocType: Asset,Asset Owner,Propriétaire de l'Actif
 DocType: Purchase Invoice,Reason For Putting On Hold,Raison de la mise en attente
 DocType: Employee,Personal Email,Email Personnel
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Variance Totale
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Variance Totale
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si activé, le système publiera automatiquement les écritures comptables pour l'inventaire."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Courtage
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,La présence de l'employé {0} est déjà marquée pour cette journée
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,La présence de l'employé {0} est déjà marquée pour cette journée
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",en Minutes Mises à Jour via le 'Journal des Temps'
 DocType: Customer,From Lead,Du Prospect
 DocType: Amazon MWS Settings,Synch Orders,Commandes de synchronisation
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Commandes validées pour la production.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Sélectionner Exercice ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,Profil PDV nécessaire pour faire une écriture de PDV
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,Profil PDV nécessaire pour faire une écriture de PDV
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Les points de fidélité seront calculés à partir des dépenses effectuées (via la facture), en fonction du facteur de collecte sélectionné."
 DocType: Program Enrollment Tool,Enroll Students,Inscrire des Étudiants
 DocType: Company,HRA Settings,Paramètres de l'allocation logement (HRA)
 DocType: Employee Transfer,Transfer Date,Date de transfert
 DocType: Lab Test,Approved Date,Date Approuvée
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Vente Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Au moins un entrepôt est obligatoire
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Au moins un entrepôt est obligatoire
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Configurez les champs d&#39;élément tels que UOM, groupe d&#39;articles, description et nombre d&#39;heures."
 DocType: Certification Application,Certification Status,Statut de la certification
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marché
@@ -5609,6 +5677,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Factures correspondantes
 DocType: Work Order,Required Items,Articles Requis
 DocType: Stock Ledger Entry,Stock Value Difference,Différence de Valeur du Sock
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Ligne d&#39;objet {0}: {1} {2} n&#39;existe pas dans la table &#39;{1}&#39; ci-dessus
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Ressource Humaine
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Paiement de Réconciliation des Paiements
 DocType: Disease,Treatment Task,Tâche de traitement
@@ -5626,7 +5695,8 @@
 DocType: Account,Debit,Débit
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Les Congés doivent être alloués par multiples de 0,5"
 DocType: Work Order,Operation Cost,Coût de l'Opération
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Montant en suspens
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identifier les décideurs
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Montant en suspens
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Définir des objectifs par Groupe d'Articles pour ce Commercial
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Geler les Articles plus Anciens que [Jours]
 DocType: Payment Request,Payment Ordered,Paiement commandé
@@ -5638,13 +5708,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Autoriser les utilisateurs suivant à approuver les demandes de congés durant les jours bloqués.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Cycle de vie
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Make BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Le prix de vente pour l'élément {0} est inférieur à son {1}. Le prix de vente devrait être au moins {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Le prix de vente pour l'élément {0} est inférieur à son {1}. Le prix de vente devrait être au moins {2}
 DocType: Subscription,Taxes,Taxes
 DocType: Purchase Invoice,capital goods,biens d&#39;équipement
 DocType: Purchase Invoice Item,Weight Per Unit,Poids par unité
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Payé et Non Livré
-DocType: Project,Default Cost Center,Centre de Coûts par Défaut
-DocType: Delivery Note,Transporter Doc No,No de document du transporteur
+DocType: QuickBooks Migrator,Default Cost Center,Centre de Coûts par Défaut
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transactions du Stock
 DocType: Budget,Budget Accounts,Comptes de Budgets
 DocType: Employee,Internal Work History,Historique de Travail Interne
@@ -5677,7 +5746,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Le praticien de la santé n&#39;est pas disponible le {0}
 DocType: Stock Entry Detail,Additional Cost,Frais Supplémentaire
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Impossible de filtrer sur la base du N° de Coupon, si les lignes sont regroupées par Coupon"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Créer un Devis Fournisseur
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Créer un Devis Fournisseur
 DocType: Quality Inspection,Incoming,Entrant
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Les modèles de taxe par défaut pour les ventes et les achats sont créés.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Le Résultat d'Évaluation {0} existe déjà.
@@ -5693,7 +5762,7 @@
 DocType: Batch,Batch ID,ID du Lot
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Note : {0}
 ,Delivery Note Trends,Tendance des Bordereaux de Livraisons
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Résumé Hebdomadaire
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Résumé Hebdomadaire
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Qté En Stock
 ,Daily Work Summary Replies,Réponses au récapitulatif de travail quotidien
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Calculer les heures d&#39;arrivée estimées
@@ -5703,7 +5772,7 @@
 DocType: Bank Account,Party,Tiers
 DocType: Healthcare Settings,Patient Name,Nom du patient
 DocType: Variant Field,Variant Field,Champ de Variante
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Localisation cible
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Localisation cible
 DocType: Sales Order,Delivery Date,Date de Livraison
 DocType: Opportunity,Opportunity Date,Date d'Opportunité
 DocType: Employee,Health Insurance Provider,Fournisseur d'assurance santé
@@ -5722,7 +5791,7 @@
 DocType: Employee,History In Company,Ancienneté dans la Société
 DocType: Customer,Customer Primary Address,Adresse principale du client
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Numéro de référence.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Numéro de référence.
 DocType: Drug Prescription,Description/Strength,Description / Force
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Créer un nouveau paiement / écriture de journal
 DocType: Certification Application,Certification Application,Demande de certification
@@ -5733,10 +5802,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Le même article a été saisi plusieurs fois
 DocType: Department,Leave Block List,Liste de Blocage des Congés
 DocType: Purchase Invoice,Tax ID,Numéro d'Identification Fiscale
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,L'article {0} n'est pas configuré pour un Numéros de Série. La colonne doit être vide
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,L'article {0} n'est pas configuré pour un Numéros de Série. La colonne doit être vide
 DocType: Accounts Settings,Accounts Settings,Paramètres des Comptes
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Approuver
 DocType: Loyalty Program,Customer Territory,Territoire du client
+DocType: Email Digest,Sales Orders to Deliver,Commandes de vente à livrer
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Numéro du nouveau compte, il sera inclus dans le nom du compte en tant que préfixe"
 DocType: Maintenance Team Member,Team Member,Membre de l&#39;équipe
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Aucun résultat à soumettre
@@ -5746,7 +5816,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Le Total {0} pour tous les articles est nul, peut-être devriez-vous modifier ‘Distribuez les Frais sur la Base de’"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,La date de fin ne peut être antérieure à la date de début
 DocType: Opportunity,To Discuss,À Discuter
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Ce graphique est basé sur les transactions réalisées par cet abonné.
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} unités de {1} nécessaires dans {2} pour compléter cette transaction.
 DocType: Loan Type,Rate of Interest (%) Yearly,Taux d'Intérêt (%) Annuel
 DocType: Support Settings,Forum URL,URL du forum
@@ -5761,7 +5830,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Apprendre Plus
 DocType: Cheque Print Template,Distance from top edge,Distance du bord supérieur
 DocType: POS Closing Voucher Invoices,Quantity of Items,Quantité d&#39;articles
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Liste des Prix {0} est désactivée ou n'existe pas
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Liste des Prix {0} est désactivée ou n'existe pas
 DocType: Purchase Invoice,Return,Retour
 DocType: Pricing Rule,Disable,Désactiver
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Mode de paiement est requis pour effectuer un paiement
@@ -5769,18 +5838,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Modifier en pleine page pour plus d&#39;options comme les actifs, les numéros de série, les lots, etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Jours consécutifs maximum applicables
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} n'est pas inscrit dans le Lot {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","L'actif {0} ne peut pas être mis au rebut, car il est déjà {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","L'actif {0} ne peut pas être mis au rebut, car il est déjà {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Chèques requis
 DocType: Task,Total Expense Claim (via Expense Claim),Total des Notes de Frais (via Note de Frais)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marquer Absent
 DocType: Job Applicant Source,Job Applicant Source,Source du candidat
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Montant
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Montant
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Échec de la configuration de la société
 DocType: Asset Repair,Asset Repair,Réparation d'Actif
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ligne {0} : La devise de la LDM #{1} doit être égale à la devise sélectionnée {2}
 DocType: Journal Entry Account,Exchange Rate,Taux de Change
 DocType: Patient,Additional information regarding the patient,Informations complémentaires concernant le patient
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Commande Client {0} n'a pas été transmise
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Commande Client {0} n'a pas été transmise
 DocType: Homepage,Tag Line,Ligne de Tag
 DocType: Fee Component,Fee Component,Composant d'Honoraires
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Gestion de Flotte
@@ -5795,7 +5864,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobile
 ,Sales Person-wise Transaction Summary,Résumé des Transactions par Commerciaux
 DocType: Training Event,Contact Number,Numéro de Contact
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,L'entrepôt {0} n'existe pas
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,L'entrepôt {0} n'existe pas
 DocType: Cashier Closing,Custody,Garde
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Détails de la soumission de preuve d'exemption de taxe
 DocType: Monthly Distribution,Monthly Distribution Percentages,Pourcentages de Répartition Mensuelle
@@ -5810,7 +5879,7 @@
 DocType: Payment Entry,Paid Amount,Montant Payé
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Explorez le Cycle de Vente
 DocType: Assessment Plan,Supervisor,Superviseur
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Entrée de Stock de rétention
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Entrée de Stock de rétention
 ,Available Stock for Packing Items,Stock Disponible pour les Articles d'Emballage
 DocType: Item Variant,Item Variant,Variante de l'Article
 ,Work Order Stock Report,Rapport de stock d'ordre de travail
@@ -5819,9 +5888,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,En tant que superviseur
 DocType: Leave Policy Detail,Leave Policy Detail,Détail de la politique de congé
 DocType: BOM Scrap Item,BOM Scrap Item,Article Mis au Rebut LDM
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Commandes Soumises ne peuvent pas être supprimés
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Le solde du compte est déjà débiteur, vous n'êtes pas autorisé à définir 'Solde Doit Être' comme 'Créditeur'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Gestion de la Qualité
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Commandes Soumises ne peuvent pas être supprimés
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Le solde du compte est déjà débiteur, vous n'êtes pas autorisé à définir 'Solde Doit Être' comme 'Créditeur'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Gestion de la Qualité
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,L'article {0} a été désactivé
 DocType: Project,Total Billable Amount (via Timesheets),Montant total facturable (via les feuilles de temps)
 DocType: Agriculture Task,Previous Business Day,Jour ouvrable précédent
@@ -5844,14 +5913,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Centres de Coûts
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Redémarrer l&#39;abonnement
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analyse des plantes liées
-DocType: Delivery Note,Transporter ID,ID du transporteur
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID du transporteur
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Proposition de valeur
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Taux auquel la devise du fournisseur est convertie en devise société de base
-DocType: Sales Invoice Item,Service End Date,Date de fin du service
+DocType: Purchase Invoice Item,Service End Date,Date de fin du service
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ligne #{0}: Minutage en conflit avec la ligne {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Autoriser un Taux de Valorisation Égal à Zéro
 DocType: Bank Guarantee,Receiving,Reçue
 DocType: Training Event Employee,Invited,Invité
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Configuration des Comptes passerelle.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Configuration des Comptes passerelle.
 DocType: Employee,Employment Type,Type d'Emploi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Actifs Immobilisés
 DocType: Payment Entry,Set Exchange Gain / Loss,Définir le change Gain / Perte
@@ -5867,7 +5937,7 @@
 DocType: Tax Rule,Sales Tax Template,Modèle de la Taxe de Vente
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Payer la demande de prestations
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Mettre à jour le numéro du centre de coût
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Sélectionner les articles pour sauvegarder la facture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Sélectionner les articles pour sauvegarder la facture
 DocType: Employee,Encashment Date,Date de l'Encaissement
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Modèle de Test Spécial
@@ -5875,12 +5945,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Un Coût d’Activité par défault existe pour le Type d’Activité {0}
 DocType: Work Order,Planned Operating Cost,Coûts de Fonctionnement Prévus
 DocType: Academic Term,Term Start Date,Date de Début du Terme
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Liste de toutes les transactions sur actions
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Liste de toutes les transactions sur actions
+DocType: Supplier,Is Transporter,Est transporteur
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importer la facture de vente de Shopify si le paiement est marqué
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Compte d'Opportunités
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,La date de début de la période d&#39;essai et la date de fin de la période d&#39;essai doivent être définies
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Prix moyen
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Le montant total du paiement dans l'échéancier doit être égal au Total Général / Total Arrondi
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Le montant total du paiement dans l'échéancier doit être égal au Total Général / Total Arrondi
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Solde du Relevé Bancaire d’après le Grand Livre
 DocType: Job Applicant,Applicant Name,Nom du Candidat
@@ -5909,7 +5980,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Qté Disponible à l'Entrepôt Source
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie
 DocType: Purchase Invoice,Debit Note Issued,Notes de Débit Émises
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Le filtre basé sur le centre de coûts est uniquement applicable si ""Centre de coûts"" est sélectionné dans la case ""Budget Pour"""
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Le filtre basé sur le centre de coûts est uniquement applicable si ""Centre de coûts"" est sélectionné dans la case ""Budget Pour"""
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Recherche par code article, numéro de série, numéro de lot ou code-barres"
 DocType: Work Order,Warehouses,Entrepôts
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} actif ne peut pas être transféré
@@ -5920,9 +5991,9 @@
 DocType: Workstation,per hour,par heure
 DocType: Blanket Order,Purchasing,Achat
 DocType: Announcement,Announcement,Annonce
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Commande client locale
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Commande client locale
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Pour un groupe étudiant basé sur un lot, le lot étudiant sera validé pour chaque élève inscrit au programme."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,L'entrepôt ne peut pas être supprimé car une écriture existe dans le Livre d'Inventaire pour cet entrepôt.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,L'entrepôt ne peut pas être supprimé car une écriture existe dans le Livre d'Inventaire pour cet entrepôt.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribution
 DocType: Journal Entry Account,Loan,Prêt
 DocType: Expense Claim Advance,Expense Claim Advance,Avance sur Note de Frais
@@ -5931,7 +6002,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Chef de Projet
 ,Quoted Item Comparison,Comparaison d'Article Soumis
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Chevauchement dans la notation entre {0} et {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Envoi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Envoi
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Réduction max autorisée pour l'article : {0} est de {1} %
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Valeur Nette des Actifs au
 DocType: Crop,Produce,Produire
@@ -5941,20 +6012,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Consommation de matériaux pour la production
 DocType: Item Alternative,Alternative Item Code,Code de l'article alternatif
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rôle qui est autorisé à soumettre des transactions qui dépassent les limites de crédit fixées.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Sélectionner les articles à produire
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Sélectionner les articles à produire
 DocType: Delivery Stop,Delivery Stop,Étape de Livraison
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Données de base en cours de synchronisation, cela peut prendre un certain temps"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Données de base en cours de synchronisation, cela peut prendre un certain temps"
 DocType: Item,Material Issue,Sortie de Matériel
 DocType: Employee Education,Qualification,Qualification
 DocType: Item Price,Item Price,Prix de l'Article
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Savons & Détergents
 DocType: BOM,Show Items,Afficher les Articles
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,L’Horaire Initial ne peut pas être postérieur à l’Horaire Final
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Voulez-vous informer tous les clients par courriel?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Voulez-vous informer tous les clients par courriel?
 DocType: Subscription Plan,Billing Interval,Intervalle de facturation
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Cinéma & Vidéo
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Commandé
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,La date de début réelle et la date de fin effective sont obligatoires
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Client&gt; Groupe de clients&gt; Territoire
 DocType: Salary Detail,Component,Composant
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Ligne {0}: {1} doit être supérieure à 0
 DocType: Assessment Criteria,Assessment Criteria Group,Groupe de Critère d'Évaluation
@@ -5985,11 +6057,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Entrez le nom de la banque ou de l'institution de prêt avant de soumettre.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} doit être soumis
 DocType: POS Profile,Item Groups,Groupes d&#39;articles
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Aujourd'hui c'est l’anniversaire de {0} !
 DocType: Sales Order Item,For Production,Pour la Production
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Solde dans la devise du compte
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Veuillez ajouter un compte d&#39;ouverture temporaire dans le plan comptable
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Veuillez ajouter un compte d&#39;ouverture temporaire dans le plan comptable
 DocType: Customer,Customer Primary Contact,Contact principal du client
 DocType: Project Task,View Task,Voir Tâche
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Prospect %
@@ -6002,11 +6073,11 @@
 DocType: Sales Invoice,Get Advances Received,Obtenir Acomptes Reçus
 DocType: Email Digest,Add/Remove Recipients,Ajouter/Supprimer des Destinataires
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Pour définir cet Exercice Fiscal par défaut, cliquez sur ""Définir par défaut"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Quantité de TDS déduite
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Quantité de TDS déduite
 DocType: Production Plan,Include Subcontracted Items,Inclure les articles sous-traités
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Joindre
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Qté de Pénurie
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Joindre
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Qté de Pénurie
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques
 DocType: Loan,Repay from Salary,Rembourser avec le Salaire
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Demande de Paiement pour {0} {1} pour le montant {2}
 DocType: Additional Salary,Salary Slip,Fiche de Paie
@@ -6022,7 +6093,7 @@
 DocType: Patient,Dormant,Dormant
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Déduire la taxe pour les avantages sociaux des employés non réclamés
 DocType: Salary Slip,Total Interest Amount,Montant total de l&#39;intérêt
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Les entrepôts avec nœuds enfants ne peuvent pas être convertis en livre
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Les entrepôts avec nœuds enfants ne peuvent pas être convertis en livre
 DocType: BOM,Manage cost of operations,Gérer les coûts d'exploitation
 DocType: Accounts Settings,Stale Days,Journées Passées
 DocType: Travel Itinerary,Arrival Datetime,Date/Heure d'arrivée
@@ -6034,7 +6105,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Détails des Résultats d'Évaluation
 DocType: Employee Education,Employee Education,Formation de l'Employé
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Groupe d’articles en double trouvé dans la table des groupes d'articles
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Nécessaire pour aller chercher les Détails de l'Article.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Nécessaire pour aller chercher les Détails de l'Article.
 DocType: Fertilizer,Fertilizer Name,Nom de l&#39;engrais
 DocType: Salary Slip,Net Pay,Salaire Net
 DocType: Cash Flow Mapping Accounts,Account,Compte
@@ -6045,14 +6116,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Créer une écriture de paiement distincte pour chaque demande d'avantages sociaux
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Présence de fièvre (temp&gt; 38.5 ° C / 101.3 ° F ou température soutenue&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Détails de l'Équipe des Ventes
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Supprimer définitivement ?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Supprimer définitivement ?
 DocType: Expense Claim,Total Claimed Amount,Montant Total Réclamé
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Opportunités potentielles de vente.
 DocType: Shareholder,Folio no.,No. de Folio
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Invalide {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Congé Maladie
 DocType: Email Digest,Email Digest,Compte rendu par email
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,ne sont pas
 DocType: Delivery Note,Billing Address Name,Nom de l'Adresse de Facturation
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Grands Magasins
 ,Item Delivery Date,Date de Livraison de l'Article
@@ -6068,16 +6138,16 @@
 DocType: Account,Chargeable,Facturable
 DocType: Company,Change Abbreviation,Changer l'Abréviation
 DocType: Contract,Fulfilment Details,Détails de l&#39;exécution
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Payer {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Payer {0} {1}
 DocType: Employee Onboarding,Activities,Activités
 DocType: Expense Claim Detail,Expense Date,Date de la Note de Frais
 DocType: Item,No of Months,Nombre de mois
 DocType: Item,Max Discount (%),Réduction Max (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Les jours de crédit ne peuvent pas être un nombre négatif
-DocType: Sales Invoice Item,Service Stop Date,Date d&#39;arrêt du service
+DocType: Purchase Invoice Item,Service Stop Date,Date d&#39;arrêt du service
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Montant de la Dernière Commande
 DocType: Cash Flow Mapper,e.g Adjustments for:,Par exemple des ajustements pour:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","La conservation d'un échantillon de {0} dépend du lot. Veuillez sélectionner ""A un Numéro de Lot"" pour conserver un échantillon de l'article"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","La conservation d'un échantillon de {0} dépend du lot. Veuillez sélectionner ""A un Numéro de Lot"" pour conserver un échantillon de l'article"
 DocType: Task,Is Milestone,Est un Jalon
 DocType: Certification Application,Yet to appear,Non passée
 DocType: Delivery Stop,Email Sent To,Email Envoyé À
@@ -6085,16 +6155,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Autoriser le centre de coûts en saisie du compte de bilan
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Fusionner avec un compte existant
 DocType: Budget,Warn,Avertir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Tous les articles ont déjà été transférés pour cet ordre de travail.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Tous les articles ont déjà été transférés pour cet ordre de travail.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Toute autre remarque, effort remarquable qui devrait aller dans les dossiers."
 DocType: Asset Maintenance,Manufacturing User,Chargé de Production
 DocType: Purchase Invoice,Raw Materials Supplied,Matières Premières Fournies
 DocType: Subscription Plan,Payment Plan,Plan de paiement
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Activer l&#39;achat d&#39;articles via le site Web
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},La devise de la liste de prix {0} doit être {1} ou {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Gestion des abonnements
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Gestion des abonnements
 DocType: Appraisal,Appraisal Template,Modèle d&#39;évaluation
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Code postal (Destination)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Code postal (Destination)
 DocType: Soil Texture,Ternary Plot,Tracé ternaire
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Cochez cette case pour activer une routine de synchronisation quotidienne programmée via le planificateur
 DocType: Item Group,Item Classification,Classification de l'Article
@@ -6104,6 +6174,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Enregistrement de la Facture du Patient
 DocType: Crop,Period,Période
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Grand Livre
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,À l&#39;année fiscale
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Voir Prospects
 DocType: Program Enrollment Tool,New Program,Nouveau Programme
 DocType: Item Attribute Value,Attribute Value,Valeur de l'Attribut
@@ -6112,11 +6183,11 @@
 ,Itemwise Recommended Reorder Level,Renouvellement Recommandé par Article
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,L'employé {0} avec l'échelon {1} n'a pas de politique de congé par défaut
 DocType: Salary Detail,Salary Detail,Détails du Salaire
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Veuillez d’abord sélectionner {0}
-apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Ajout de {0} utilisateurs
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Veuillez d’abord sélectionner {0}
+apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} utilisateurs ajoutés
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Dans le cas d'un programme à plusieurs échelons, les clients seront automatiquement affectés au niveau approprié en fonction de leurs dépenses"
 DocType: Appointment Type,Physician,Médecin
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Lot {0} de l'Article {1} a expiré.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Lot {0} de l'Article {1} a expiré.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Consultations
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Produit fini
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Le prix de l&#39;article apparaît plusieurs fois en fonction de la liste de prix, du fournisseur / client, de la devise, de l&#39;article, de l&#39;unité de mesure, de la quantité et des dates."
@@ -6125,22 +6196,21 @@
 DocType: Certification Application,Name of Applicant,Nom du candidat
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Feuille de Temps pour la production.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Sous-Total
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Impossible de modifier les propriétés de variante après une transaction de stock. Vous devrez créer un nouvel article pour pouvoir le faire.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Impossible de modifier les propriétés de variante après une transaction de stock. Vous devrez créer un nouvel article pour pouvoir le faire.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandat SEPA GoCardless
 DocType: Healthcare Practitioner,Charges,Charges
 DocType: Production Plan,Get Items For Work Order,Obtenir des articles pour l'ordre de travail
 DocType: Salary Detail,Default Amount,Montant par Défaut
 DocType: Lab Test Template,Descriptive,Descriptif
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,L'entrepôt n'a pas été trouvé dans le système
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Résumé Mensuel
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Résumé Mensuel
 DocType: Quality Inspection Reading,Quality Inspection Reading,Libellé du Contrôle de Qualité
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Geler les stocks datant de plus` doit être inférieur à %d jours.
 DocType: Tax Rule,Purchase Tax Template,Modèle de Taxes pour les Achats
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Définissez l'objectif de ventes que vous souhaitez atteindre pour votre entreprise.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Services de santé
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Services de santé
 ,Project wise Stock Tracking,Suivi des Stocks par Projet
 DocType: GST HSN Code,Regional,Régional
-DocType: Delivery Note,Transport Mode,Mode de transport
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratoire
 DocType: UOM Category,UOM Category,Catégorie d'unité de mesure (UDM)
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Qté Réelle (à la source/cible)
@@ -6163,17 +6233,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Échec de la création du site Web
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Détails de Conversion de l'UDM
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Saisie de stock de rétention déjà créée ou quantité d&#39;échantillon non fournie
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Saisie de stock de rétention déjà créée ou quantité d&#39;échantillon non fournie
 DocType: Program,Program Abbreviation,Abréviation du Programme
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Ordre de Production ne peut être créé avec un Modèle d’Article
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Les frais sont mis à jour dans le Reçu d'Achat pour chaque article
 DocType: Warranty Claim,Resolved By,Résolu Par
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Décharge horaire
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Chèques et Dépôts incorrectement compensés
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Compte {0}: Vous ne pouvez pas assigner un compte comme son propre parent
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Compte {0}: Vous ne pouvez pas assigner un compte comme son propre parent
 DocType: Purchase Invoice Item,Price List Rate,Taux de la Liste des Prix
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Créer les devis client
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,La date d&#39;arrêt du service ne peut pas être postérieure à la date de fin du service
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,La date d&#39;arrêt du service ne peut pas être postérieure à la date de fin du service
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Afficher ""En stock"" ou ""Pas en stock"" basé sur le stock disponible dans cet entrepôt."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Liste de Matériaux (LDM)
 DocType: Item,Average time taken by the supplier to deliver,Délai moyen de livraison par le fournisseur
@@ -6185,11 +6255,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Heures
 DocType: Project,Expected Start Date,Date de Début Prévue
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correction dans la facture
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Ordre de travail déjà créé pour tous les articles avec une LDM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Ordre de travail déjà créé pour tous les articles avec une LDM
 DocType: Payment Request,Party Details,Parti Détails
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Rapport détaillé des variantes
 DocType: Setup Progress Action,Setup Progress Action,Action de Progression de l'Installation
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Liste de prix d&#39;achat
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Liste de prix d&#39;achat
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Retirer l'article si les charges ne lui sont pas applicables
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Annuler l&#39;abonnement
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Veuillez sélectionner le statut de maintenance comme terminé ou supprimer la date de fin
@@ -6207,7 +6277,7 @@
 DocType: Asset,Disposal Date,Date d’Élimination
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Les Emails seront envoyés à tous les Employés Actifs de la société à l'heure donnée, s'ils ne sont pas en vacances. Le résumé des réponses sera envoyé à minuit."
 DocType: Employee Leave Approver,Employee Leave Approver,Approbateur des Congés de l'Employé
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Ligne {0} : Une écriture de Réapprovisionnement existe déjà pour cet entrepôt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Ligne {0} : Une écriture de Réapprovisionnement existe déjà pour cet entrepôt {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Impossible de déclarer comme perdu, parce que le Devis a été fait."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Compte CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Retour d'Expérience sur la Formation
@@ -6219,7 +6289,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,La date de fin ne peut être antérieure à la date de début
 DocType: Supplier Quotation Item,Prevdoc DocType,DocPréc DocType
 DocType: Cash Flow Mapper,Section Footer,Pied de section
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Ajouter / Modifier Prix
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Ajouter / Modifier Prix
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,La promotion ne peut être soumise avant la date de promotion
 DocType: Batch,Parent Batch,Lot Parent
 DocType: Cheque Print Template,Cheque Print Template,Modèles d'Impression de Chèques
@@ -6229,6 +6299,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Collecte d'Échantillons
 ,Requested Items To Be Ordered,Articles Demandés à Commander
 DocType: Price List,Price List Name,Nom de la Liste de Prix
+DocType: Delivery Stop,Dispatch Information,Informations d&#39;expédition
 DocType: Blanket Order,Manufacturing,Production
 ,Ordered Items To Be Delivered,Articles Commandés à Livrer
 DocType: Account,Income,Revenus
@@ -6247,17 +6318,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unités de {1} nécessaires dans {2} sur {3} {4} pour {5} pour compléter cette transaction.
 DocType: Fee Schedule,Student Category,Catégorie Étudiant
 DocType: Announcement,Student,Étudiant
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantité de stock pour démarrer la procédure n'est pas disponible dans l'entrepôt. Voulez-vous procéder à un transfert de stock ?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantité de stock pour démarrer la procédure n'est pas disponible dans l'entrepôt. Voulez-vous procéder à un transfert de stock ?
 DocType: Shipping Rule,Shipping Rule Type,Type de règle d&#39;expédition
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Aller aux Salles
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Société, compte de paiement, date de début et date de fin sont obligatoires"
 DocType: Company,Budget Detail,Détail du budget
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Veuillez entrer le message avant d'envoyer
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATA POUR LE FOURNISSEUR
-DocType: Email Digest,Pending Quotations,Devis en Attente
-DocType: Delivery Note,Distance (KM),Distance (Km)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Fournisseur&gt; Groupe de fournisseurs
 DocType: Asset,Custodian,Responsable
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Profil de Point-De-Vente
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Profil de Point-De-Vente
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} devrait être une valeur comprise entre 0 et 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Paiement de {0} de {1} à {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Prêts Non Garantis
@@ -6289,10 +6359,10 @@
 DocType: Lead,Converted,Converti
 DocType: Item,Has Serial No,A un N° de Série
 DocType: Employee,Date of Issue,Date d'Émission
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D'après les Paramètres d'Achat, si Reçu d'Achat Requis == 'OUI', alors l'utilisateur doit d'abord créer un Reçu d'Achat pour l'article {0} pour pouvoir créer une Facture d'Achat"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D'après les Paramètres d'Achat, si Reçu d'Achat Requis == 'OUI', alors l'utilisateur doit d'abord créer un Reçu d'Achat pour l'article {0} pour pouvoir créer une Facture d'Achat"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Ligne #{0} : Définir Fournisseur pour l’article {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Ligne {0} : La valeur des heures doit être supérieure à zéro.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Image pour le Site Web {0} attachée à l'Article {1} ne peut pas être trouvée
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Image pour le Site Web {0} attachée à l'Article {1} ne peut pas être trouvée
 DocType: Issue,Content Type,Type de Contenu
 DocType: Asset,Assets,Actifs
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Ordinateur
@@ -6303,7 +6373,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} n'existe pas
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Veuillez vérifier l'option Multi-Devises pour permettre les comptes avec une autre devise
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Article : {0} n'existe pas dans le système
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Vous n'êtes pas autorisé à définir des valeurs gelées
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Vous n'êtes pas autorisé à définir des valeurs gelées
 DocType: Payment Reconciliation,Get Unreconciled Entries,Obtenir les Écritures non Réconcilliées
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},L'employé {0} est en congés le {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Aucun remboursement sélectionné pour l'écriture de journal
@@ -6321,13 +6391,14 @@
 ,Average Commission Rate,Taux Moyen de la Commission
 DocType: Share Balance,No of Shares,Nombre d&#39;actions
 DocType: Taxable Salary Slab,To Amount,Au montant
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'A un Numéro de Série' ne peut pas être 'Oui' pour un article hors-stock
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'A un Numéro de Série' ne peut pas être 'Oui' pour un article hors-stock
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Sélectionnez le Statut
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,La présence ne peut pas être marquée pour les dates à venir
 DocType: Support Search Source,Post Description Key,Clé de description du message
 DocType: Pricing Rule,Pricing Rule Help,Aide pour les Règles de Tarification
 DocType: School House,House Name,Nom de la Maison
 DocType: Fee Schedule,Total Amount per Student,Montant total par étudiant
+DocType: Opportunity,Sales Stage,Stade de vente
 DocType: Purchase Taxes and Charges,Account Head,Compte Principal
 DocType: Company,HRA Component,Composante de l'allocation logement (HRA)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Électrique
@@ -6335,15 +6406,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Différence Valeur Totale (Sor - En)
 DocType: Grant Application,Requested Amount,Quantité exigée
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Ligne {0} : Le Taux de Change est obligatoire
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID de l'Utilisateur non défini pour l'Employé {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID de l'Utilisateur non défini pour l'Employé {0}
 DocType: Vehicle,Vehicle Value,Valeur du Véhicule
 DocType: Crop Cycle,Detected Diseases,Maladies détectées
 DocType: Stock Entry,Default Source Warehouse,Entrepôt Source par Défaut
 DocType: Item,Customer Code,Code Client
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Rappel d'Anniversaire pour {0}
 DocType: Asset Maintenance Task,Last Completion Date,Dernière date d&#39;achèvement
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Jours Depuis la Dernière Commande
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Le compte de débit doit être un compte de Bilan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Le compte de débit doit être un compte de Bilan
 DocType: Asset,Naming Series,Nom de série
 DocType: Vital Signs,Coated,Pâteuse
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ligne {0}: la valeur attendue après la durée de vie utile doit être inférieure au montant brut de l'achat
@@ -6361,15 +6431,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Bon de Livraison {0} ne doit pas être soumis
 DocType: Notification Control,Sales Invoice Message,Message de la Facture de Vente
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Le Compte Clôturé {0} doit être de type Passif / Capitaux Propres
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Fiche de Paie de l'employé {0} déjà créée pour la feuille de temps {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Fiche de Paie de l'employé {0} déjà créée pour la feuille de temps {1}
 DocType: Vehicle Log,Odometer,Odomètre
 DocType: Production Plan Item,Ordered Qty,Qté Commandée
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Article {0} est désactivé
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Article {0} est désactivé
 DocType: Stock Settings,Stock Frozen Upto,Stock Gelé Jusqu'au
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,LDM ne contient aucun article en stock
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,LDM ne contient aucun article en stock
 DocType: Chapter,Chapter Head,Chef de chapitre
 DocType: Payment Term,Month(s) after the end of the invoice month,Mois (s) après la fin du mois de la facture
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La structure salariale devrait comporter une ou plusieurs composantes de prestation sociales variables pour la distribution du montant de la prestation
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La structure salariale devrait comporter une ou plusieurs composantes de prestation sociales variables pour la distribution du montant de la prestation
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Activité du projet / tâche.
 DocType: Vital Signs,Very Coated,Très enduit
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Impact fiscal uniquement (ne peut être perçu mais fait partie du revenu imposable)
@@ -6387,7 +6457,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Heures Facturées
 DocType: Project,Total Sales Amount (via Sales Order),Montant total des ventes (via la commande client)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,LDM par défaut {0} introuvable
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Ligne #{0} : Veuillez définir la quantité de réapprovisionnement
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Ligne #{0} : Veuillez définir la quantité de réapprovisionnement
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Choisissez des articles pour les ajouter ici
 DocType: Fees,Program Enrollment,Inscription au Programme
 DocType: Share Transfer,To Folio No,Au N. de Folio
@@ -6427,9 +6497,9 @@
 DocType: SG Creation Tool Course,Max Strength,Force Max
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Installation des réglages
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.AAAA.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Aucun bon de livraison sélectionné pour le client {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Aucun bon de livraison sélectionné pour le client {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,L'employé {0} n'a pas de montant maximal d'avantages sociaux
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Sélectionnez les articles en fonction de la Date de Livraison
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Sélectionnez les articles en fonction de la Date de Livraison
 DocType: Grant Application,Has any past Grant Record,A obtenu des bourses par le passé
 ,Sales Analytics,Analyse des Ventes
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Disponible {0}
@@ -6437,12 +6507,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Paramètres de Production
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configurer l'Email
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,N° du Mobile du Tuteur 1
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Veuillez entrer la devise par défaut dans les Données de Base de la Société
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Veuillez entrer la devise par défaut dans les Données de Base de la Société
 DocType: Stock Entry Detail,Stock Entry Detail,Détails de l'Écriture de Stock
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Rappels Quotidiens
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Rappels Quotidiens
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Voir tous les tickets ouverts
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Arbre des services de soins de santé
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produit
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produit
 DocType: Products Settings,Home Page is Products,La Page d'Accueil est Produits
 ,Asset Depreciation Ledger,Livre d'Amortissements d'Actifs
 DocType: Salary Structure,Leave Encashment Amount Per Day,Montant d'encaissement des congés par jour
@@ -6452,8 +6522,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Coût des Matières Premières Fournies
 DocType: Selling Settings,Settings for Selling Module,Paramètres du Module Vente
 DocType: Hotel Room Reservation,Hotel Room Reservation,Réservation de la chambre d'hôtel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Service Client
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Service Client
 DocType: BOM,Thumbnail,Vignette
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Aucun contact avec des identifiants de messagerie trouvés.
 DocType: Item Customer Detail,Item Customer Detail,Détail de l'Article Client
 DocType: Notification Control,Prompt for Email on Submission of,Demander l’Email lors de la Soumission de
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Le montant maximal des prestations sociales de l'employé {0} dépasse {1}
@@ -6463,13 +6534,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,L'article {0} doit être un article en stock
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Entrepôt de Travail en Cours par Défaut
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Les plannings pour {0} se chevauchent, voulez-vous continuer sans prendre en compte les créneaux qui se chevauchent ?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Paramètres par défaut pour les opérations comptables .
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Paramètres par défaut pour les opérations comptables .
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Accorder des congés
 DocType: Restaurant,Default Tax Template,Modèle de Taxes par Défaut
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} étudiants ont été inscrits
 DocType: Fees,Student Details,Détails de l'Étudiant
 DocType: Purchase Invoice Item,Stock Qty,Qté en Stock
 DocType: Contract,Requires Fulfilment,Nécessite des conditions
+DocType: QuickBooks Migrator,Default Shipping Account,Compte d&#39;expédition par défaut
 DocType: Loan,Repayment Period in Months,Période de Remboursement en Mois
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Erreur : Pas un identifiant valide ?
 DocType: Naming Series,Update Series Number,Mettre à Jour la Série
@@ -6483,11 +6555,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Montant maximum
 DocType: Journal Entry,Total Amount Currency,Montant Total en Devise
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Rechercher les Sous-Ensembles
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Code de l'Article est requis à la Ligne No {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Code de l'Article est requis à la Ligne No {0}
 DocType: GST Account,SGST Account,Compte SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Aller aux Articles
 DocType: Sales Partner,Partner Type,Type de Partenaire
-DocType: Purchase Taxes and Charges,Actual,Réel
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Réel
 DocType: Restaurant Menu,Restaurant Manager,Gérant de restaurant
 DocType: Authorization Rule,Customerwise Discount,Remise en fonction du Client
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Feuille de Temps pour les tâches.
@@ -6508,7 +6580,7 @@
 DocType: Employee,Cheque,Chèque
 DocType: Training Event,Employee Emails,Emails de l'Employé
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Série Mise à Jour
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Le Type de Rapport est nécessaire
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Le Type de Rapport est nécessaire
 DocType: Item,Serial Number Series,Séries de Numéros de Série
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},L’entrepôt est obligatoire pour l'Article du stock {0} dans la ligne {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Vente de Détail & en Gros
@@ -6538,7 +6610,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Mettre à jour le montant facturé dans la commande client
 DocType: BOM,Materials,Matériels
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si décochée, la liste devra être ajoutée à chaque département où elle doit être appliquée."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,La Date et l’heure de comptabilisation sont obligatoires
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,La Date et l’heure de comptabilisation sont obligatoires
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Modèle de taxe pour les opérations d’achat.
 ,Item Prices,Prix des Articles
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,En Toutes Lettres. Sera visible une fois que vous enregistrerez le Bon de Commande.
@@ -6554,12 +6626,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Série pour la Dépréciation d'Actifs (Entrée de Journal)
 DocType: Membership,Member Since,Membre depuis
 DocType: Purchase Invoice,Advance Payments,Paiements Anticipés
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Veuillez sélectionner le service de soins de santé
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Veuillez sélectionner le service de soins de santé
 DocType: Purchase Taxes and Charges,On Net Total,Sur le Total Net
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valeur pour l'attribut {0} doit être dans la gamme de {1} à {2} dans les incréments de {3} pour le poste {4}
 DocType: Restaurant Reservation,Waitlisted,En liste d'attente
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Catégorie d&#39;exemption
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Devise ne peut être modifiée après avoir fait des entrées en utilisant une autre devise
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Devise ne peut être modifiée après avoir fait des entrées en utilisant une autre devise
 DocType: Shipping Rule,Fixed,Fixé
 DocType: Vehicle Service,Clutch Plate,Plaque d'Embrayage
 DocType: Company,Round Off Account,Compte d’Arrondi
@@ -6568,7 +6640,7 @@
 DocType: Subscription Plan,Based on price list,Sur la base de la liste de prix
 DocType: Customer Group,Parent Customer Group,Groupe Client Parent
 DocType: Vehicle Service,Change,Changement
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Abonnement
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Abonnement
 DocType: Purchase Invoice,Contact Email,Email du Contact
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Création d'honoraires en attente
 DocType: Appraisal Goal,Score Earned,Score Gagné
@@ -6595,23 +6667,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Compte Débiteur / Créditeur
 DocType: Delivery Note Item,Against Sales Order Item,Pour l'Article de la Commande Client
 DocType: Company,Company Logo,Logo de la société
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Veuillez spécifier une Valeur d’Attribut pour l'attribut {0}
-DocType: Item Default,Default Warehouse,Entrepôt par Défaut
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Veuillez spécifier une Valeur d’Attribut pour l'attribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Entrepôt par Défaut
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budget ne peut pas être attribué pour le Compte de Groupe {0}
 DocType: Shopping Cart Settings,Show Price,Afficher le prix
 DocType: Healthcare Settings,Patient Registration,Inscription du patient
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Veuillez entrer le centre de coût parent
 DocType: Delivery Note,Print Without Amount,Imprimer Sans Montant
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Date d’Amortissement
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Date d’Amortissement
 ,Work Orders in Progress,Ordres de travail en cours
 DocType: Issue,Support Team,Équipe de Support
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Expiration (En Jours)
 DocType: Appraisal,Total Score (Out of 5),Score Total (sur 5)
 DocType: Student Attendance Tool,Batch,Lot
 DocType: Support Search Source,Query Route String,Chaîne de caractères du lien de requête
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Taux de mise à jour selon le dernier achat
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Taux de mise à jour selon le dernier achat
 DocType: Donor,Donor Type,Type de donneur
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Document de répétition automatique mis à jour
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Document de répétition automatique mis à jour
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Solde
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Veuillez sélectionner la société
 DocType: Job Card,Job Card,Carte de travail
@@ -6625,7 +6697,7 @@
 DocType: Assessment Result,Total Score,Score Total
 DocType: Crop Cycle,ISO 8601 standard,Norme ISO 8601
 DocType: Journal Entry,Debit Note,Note de Débit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Vous pouvez uniquement échanger un maximum de {0} points dans cet commande.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Vous pouvez uniquement échanger un maximum de {0} points dans cet commande.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-. AAAA.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,"Veuillez entrer la clé ""API Consumer Secret"""
 DocType: Stock Entry,As per Stock UOM,Selon UDM du Stock
@@ -6638,10 +6710,11 @@
 DocType: Journal Entry,Total Debit,Total Débit
 DocType: Travel Request Costing,Sponsored Amount,Montant sponsorisé
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Entrepôt de Produits Finis par Défaut
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Veuillez sélectionner un patient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Veuillez sélectionner un patient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Vendeur
 DocType: Hotel Room Package,Amenities,Équipements
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Centre de Budget et Coûts
+DocType: QuickBooks Migrator,Undeposited Funds Account,Compte de fonds non déposés
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Centre de Budget et Coûts
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,De multiples modes de paiement par défaut ne sont pas autorisés
 DocType: Sales Invoice,Loyalty Points Redemption,Utilisation des points de fidélité
 ,Appointment Analytics,Analyse des Rendez-Vous
@@ -6655,6 +6728,7 @@
 DocType: Batch,Manufacturing Date,Date de production
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,La création des honoraires a échoué
 DocType: Opening Invoice Creation Tool,Create Missing Party,Créer les tiers manquants
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Budget total
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Laisser vide si vous faites des groupes d'étudiants par année
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Si cochée, Le nombre total de Jours Ouvrés comprendra les vacances, ce qui réduira la valeur du Salaire Par Jour"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Les applications utilisant la clé actuelle ne pourront plus y accéder, êtes-vous sûr?"
@@ -6670,20 +6744,19 @@
 DocType: Opportunity Item,Basic Rate,Taux de Base
 DocType: GL Entry,Credit Amount,Montant du Crédit
 DocType: Cheque Print Template,Signatory Position,Position Signataire
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Définir comme Perdu
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Définir comme Perdu
 DocType: Timesheet,Total Billable Hours,Total des Heures Facturables
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Nombre de jours maximum pendant lesquels l'abonné peut payer les factures générées par cet abonnement
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Détail de la demande d&#39;avantages sociaux
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Bon de Réception du Paiement
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Basé sur les transactions avec ce client. Voir la chronologie ci-dessous pour plus de détails
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Ligne {0} : Le montant alloué {1} doit être inférieur ou égal au montant du Paiement {2}
 DocType: Program Enrollment Tool,New Academic Term,Nouveau terme académique
 ,Course wise Assessment Report,Rapport d'Évaluation par Cours
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Taxes ITC / UT utilisées
 DocType: Tax Rule,Tax Rule,Règle de Taxation
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Maintenir le Même Taux Durant le Cycle de Vente
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Veuillez vous connecter en tant qu&#39;autre utilisateur pour vous inscrire sur Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Veuillez vous connecter en tant qu&#39;autre utilisateur pour vous inscrire sur Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Autoriser les feuilles de temps en dehors des heures de travail de la station de travail.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Clients dans la File d'Attente
 DocType: Driver,Issuing Date,Date d&#39;émission
@@ -6692,11 +6765,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Soumettre cet ordre de travail pour continuer son traitement.
 ,Items To Be Requested,Articles À Demander
 DocType: Company,Company Info,Informations sur la Société
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Sélectionner ou ajoutez nouveau client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Sélectionner ou ajoutez nouveau client
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Un centre de coût est requis pour comptabiliser une note de frais
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Emplois des Ressources (Actifs)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Basé sur la présence de cet Employé
-DocType: Assessment Result,Summary,Résumé
 DocType: Payment Request,Payment Request Type,Type de demande de paiement
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Noter la Présence
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Compte de Débit
@@ -6704,7 +6776,7 @@
 DocType: Additional Salary,Employee Name,Nom de l'Employé
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Poste de commande de restaurant
 DocType: Purchase Invoice,Rounded Total (Company Currency),Total Arrondi (Devise Société)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Conversion impossible en Groupe car le Type de Compte est sélectionné.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Conversion impossible en Groupe car le Type de Compte est sélectionné.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} a été modifié. Veuillez actualiser.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Empêcher les utilisateurs de faire des Demandes de Congé les jours suivants.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Si vous souhaitez ne pas mettre de date d'expiration pour les points de fidélité, laissez la durée d'expiration vide ou mettez 0."
@@ -6725,11 +6797,12 @@
 DocType: Asset,Out of Order,Hors service
 DocType: Purchase Receipt Item,Accepted Quantity,Quantité Acceptée
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorer les chevauchements de temps des stations de travail
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Veuillez définir une Liste de Vacances par défaut pour l'Employé {0} ou la Société {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Veuillez définir une Liste de Vacances par défaut pour l'Employé {0} ou la Société {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0} : {1} n’existe pas
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Sélectionnez les Numéros de Lot
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN (Destination)
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN (Destination)
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Factures émises pour des Clients.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Rendez-vous sur facture automatiquement
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID du Projet
 DocType: Salary Component,Variable Based On Taxable Salary,Variable basée sur le salaire imposable
 DocType: Company,Basic Component,Composant de base
@@ -6742,10 +6815,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adresse de l&#39;entrepôt source
 DocType: GL Entry,Voucher Type,Type de Référence
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Liste de Prix introuvable ou desactivée
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Liste de Prix introuvable ou desactivée
 DocType: Student Applicant,Approved,Approuvé
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Prix
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Employé dégagé de {0} doit être défini comme 'Gauche'
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Employé dégagé de {0} doit être défini comme 'Gauche'
 DocType: Marketplace Settings,Last Sync On,Dernière synchronisation le
 DocType: Guardian,Guardian,Tuteur
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Toutes les communications, celle-ci et celles au dessus de celle-ci incluses, doivent être transférées dans le nouveau ticket."
@@ -6768,14 +6841,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Liste des maladies détectées sur le terrain. Une fois sélectionné, il ajoutera automatiquement une liste de tâches pour faire face à la maladie"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Ceci est une unité de service de soins de santé racine et ne peut pas être édité.
 DocType: Asset Repair,Repair Status,État de réparation
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Ajouter des partenaires commerciaux
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Les écritures comptables.
 DocType: Travel Request,Travel Request,Demande de déplacement
 DocType: Delivery Note Item,Available Qty at From Warehouse,Qté Disponible Depuis l'Entrepôt
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Veuillez d’abord sélectionner le Dossier de l'Employé.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Présence de {0} non soumise car il s'agit d'un jour férié.
 DocType: POS Profile,Account for Change Amount,Compte pour le Rendu de Monnaie
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Connexion à QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Total des profits/pertes
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Société non valide pour la facture inter-sociétés.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Société non valide pour la facture inter-sociétés.
 DocType: Purchase Invoice,input service,service d'intrant
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ligne {0} : Tiers / Compte ne correspond pas à {1} / {2} en {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promotion des employés
@@ -6784,12 +6859,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Code du Cours:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Veuillez entrer un Compte de Charges
 DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ligne #{0} : Type de Document de Référence doit être un Bon de Commande, une Facture d'Achat ou une Écriture de Journal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ligne #{0} : Type de Document de Référence doit être un Bon de Commande, une Facture d'Achat ou une Écriture de Journal"
 DocType: Employee,Current Address,Adresse Actuelle
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si l'article est une variante d'un autre article, alors la description, l'image, le prix, les taxes etc seront fixés à partir du modèle sauf si spécifiés explicitement"
 DocType: Serial No,Purchase / Manufacture Details,Détails des Achats / Production
 DocType: Assessment Group,Assessment Group,Groupe d'Évaluation
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventaire du Lot
+DocType: Supplier,GST Transporter ID,Numéro de transporteur GST
 DocType: Procedure Prescription,Procedure Name,Nom de la procédure
 DocType: Employee,Contract End Date,Date de Fin de Contrat
 DocType: Amazon MWS Settings,Seller ID,ID du vendeur
@@ -6809,12 +6885,12 @@
 DocType: Company,Date of Incorporation,Date de constitution
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total des Taxes
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Dernier prix d&#39;achat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Pour Quantité (Qté Produite) est obligatoire
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Pour Quantité (Qté Produite) est obligatoire
 DocType: Stock Entry,Default Target Warehouse,Entrepôt Cible par Défaut
 DocType: Purchase Invoice,Net Total (Company Currency),Total Net (Devise Société)
 DocType: Delivery Note,Air,Air
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,La Date de Fin d'Année ne peut pas être antérieure à la Date de Début d’Année. Veuillez corriger les dates et essayer à nouveau.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} n&#39;est pas dans la liste des jours fériés facultatifs
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} n&#39;est pas dans la liste des jours fériés facultatifs
 DocType: Notification Control,Purchase Receipt Message,Message du Reçu d’Achat
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Mettre au Rebut des Articles
@@ -6836,23 +6912,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Livraison
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Le Montant de la Rangée Précédente
 DocType: Item,Has Expiry Date,A une date d'expiration
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfert d'Actifs
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfert d'Actifs
 DocType: POS Profile,POS Profile,Profil PDV
 DocType: Training Event,Event Name,Nom de l'Événement
 DocType: Healthcare Practitioner,Phone (Office),Téléphone (Bureau)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Ne peut pas être soumis, certains employés n'ont pas pas validé leurs feuilles de présence"
 DocType: Inpatient Record,Admission,Admission
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Admissions pour {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Saisonnalité de l'établissement des budgets, des objectifs, etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Saisonnalité de l'établissement des budgets, des objectifs, etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nom de la Variable
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","L'article {0} est un modèle, veuillez sélectionner l'une de ses variantes"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Veuillez configurer le système de nommage des employés dans Ressources humaines&gt; Paramètres RH
+DocType: Purchase Invoice Item,Deferred Expense,Frais différés
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},La date de départ {0} ne peut pas être antérieure à la date d'arrivée de l'employé {1}
 DocType: Asset,Asset Category,Catégorie d'Actif
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Salaire Net ne peut pas être négatif
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Salaire Net ne peut pas être négatif
 DocType: Purchase Order,Advance Paid,Avance Payée
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Pourcentage de surproduction pour les commandes client
 DocType: Item,Item Tax,Taxe sur l'Article
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Du Matériel au Fournisseur
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Du Matériel au Fournisseur
 DocType: Soil Texture,Loamy Sand,Sable limoneux
 DocType: Production Plan,Material Request Planning,Planification des demandes de matériel
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Facture d'Accise
@@ -6874,11 +6952,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Outil de Planification
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Carte de Crédit
 DocType: BOM,Item to be manufactured or repacked,Article à produire ou à réemballer
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Erreur de syntaxe dans la condition: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Erreur de syntaxe dans la condition: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Sujets Principaux / En Option
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Veuillez définir un groupe de fournisseurs par défaut dans les paramètres d'achat.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Veuillez définir un groupe de fournisseurs par défaut dans les paramètres d'achat.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Le montant total de la composante de prestations sociales flexibles {0} ne doit pas être inférieure aux prestations sociales maximales {1}
 DocType: Sales Invoice Item,Drop Ship,Expédition Directe
 DocType: Driver,Suspended,Suspendu
@@ -6898,7 +6976,7 @@
 DocType: Customer,Commission Rate,Taux de Commission
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Ecritures de paiement créées avec succès
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{0} fiches d'évaluations créées pour {1} entre:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Faire une Variante
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Faire une Variante
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Type de Paiement doit être Recevoir, Payer ou Transfert Interne"
 DocType: Travel Itinerary,Preferred Area for Lodging,Zone préférée pour l&#39;hébergement
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytique
@@ -6909,7 +6987,7 @@
 DocType: Work Order,Actual Operating Cost,Coût d'Exploitation Réel
 DocType: Payment Entry,Cheque/Reference No,Chèque/N° de Référence
 DocType: Soil Texture,Clay Loam,Terreau d&#39;argile
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,La Racine ne peut pas être modifiée.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,La Racine ne peut pas être modifiée.
 DocType: Item,Units of Measure,Unités de Mesure
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Loué dans une ville métro
 DocType: Supplier,Default Tax Withholding Config,Configuration de taxe retenue à la source par défaut
@@ -6927,21 +7005,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"Le paiement terminé, rediriger l'utilisateur vers la page sélectionnée."
 DocType: Company,Existing Company,Société Existante
 DocType: Healthcare Settings,Result Emailed,Résultat envoyé par Email
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","La Catégorie de Taxe a été changée à ""Total"" car tous les articles sont des articles hors stock"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","La Catégorie de Taxe a été changée à ""Total"" car tous les articles sont des articles hors stock"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,La date de fin ne peut être égale ou antérieure à la date de début
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Rien à changer
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Veuillez sélectionner un fichier csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Veuillez sélectionner un fichier csv
 DocType: Holiday List,Total Holidays,Total des vacances
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Modèle de courrier électronique manquant pour l&#39;envoi. Veuillez en définir un dans les paramètres de livraison.
 DocType: Student Leave Application,Mark as Present,Marquer comme Présent
 DocType: Supplier Scorecard,Indicator Color,Couleur de l'Indicateur
 DocType: Purchase Order,To Receive and Bill,À Recevoir et Facturer
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,La ligne # {0}: Reqd par date ne peut pas être antérieure à la date de la transaction
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,La ligne # {0}: Reqd par date ne peut pas être antérieure à la date de la transaction
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produits Présentés
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Veuillez sélectionner le numéro de série
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Veuillez sélectionner le numéro de série
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Designer
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Modèle des Termes et Conditions
 DocType: Serial No,Delivery Details,Détails de la Livraison
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Le Centre de Coûts est requis à la ligne {0} dans le tableau des Taxes pour le type {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Le Centre de Coûts est requis à la ligne {0} dans le tableau des Taxes pour le type {1}
 DocType: Program,Program Code,Code du Programme
 DocType: Terms and Conditions,Terms and Conditions Help,Aide des Termes et Conditions
 ,Item-wise Purchase Register,Registre des Achats par Article
@@ -6954,15 +7033,16 @@
 DocType: Contract,Contract Terms,Termes du contrat
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Ne plus afficher le symbole (tel que $, €...) à côté des montants."
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},La quantité maximale de prestations sociales du composant {0} dépasse {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Demi-Journée)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Demi-Journée)
 DocType: Payment Term,Credit Days,Jours de Crédit
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Veuillez sélectionner un patient pour obtenir les tests de laboratoire
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Créer un Lot d'Étudiant
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Autoriser le transfert pour la production
 DocType: Leave Type,Is Carry Forward,Est un Report
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Obtenir les Articles depuis LDM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Obtenir les Articles depuis LDM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Jours de Délai
 DocType: Cash Flow Mapping,Is Income Tax Expense,Est une dépense d'impôt sur le revenu
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Votre commande est livrée!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ligne #{0} : La Date de Comptabilisation doit être la même que la date d'achat {1} de l’actif {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Vérifiez si l'Étudiant réside à la Résidence de l'Institut.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Veuillez entrer des Commandes Clients dans le tableau ci-dessus
@@ -6970,10 +7050,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transfert d'un actif d'un entrepôt à un autre
 DocType: Vehicle,Petrol,Essence
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Prestations sociales restantes (par année)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Liste de Matériaux
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Liste de Matériaux
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ligne {0} : Le Type de Tiers et le Tiers sont requis pour le compte Débiteur / Créditeur {1}
 DocType: Employee,Leave Policy,Politique de congé
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Mise à jour des articles
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Mise à jour des articles
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Date de Réf.
 DocType: Employee,Reason for Leaving,Raison du Départ
 DocType: BOM Operation,Operating Cost(Company Currency),Coût d'Exploitation (Devise Société)
@@ -6984,7 +7064,7 @@
 DocType: Department,Expense Approvers,Approbateurs de notes de frais
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Ligne {0} : L’Écriture de Débit ne peut pas être lié à un {1}
 DocType: Journal Entry,Subscription Section,Section Abonnement
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Compte {0} n'existe pas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Compte {0} n'existe pas
 DocType: Training Event,Training Program,Programme de formation
 DocType: Account,Cash,Espèces
 DocType: Employee,Short biography for website and other publications.,Courte biographie pour le site web et d'autres publications.
diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv
index e741ba1..d6b00a7 100644
--- a/erpnext/translations/gu.csv
+++ b/erpnext/translations/gu.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,ગ્રાહક વસ્તુઓ
 DocType: Project,Costing and Billing,પડતર અને બિલિંગ
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},એડવાન્સ એકાઉન્ટ ચલણ કંપની ચલણ {0} જેટલું જ હોવું જોઈએ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} ખાતાવહી ન હોઈ શકે
+DocType: QuickBooks Migrator,Token Endpoint,ટોકન એન્ડપોઇન્ટ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} ખાતાવહી ન હોઈ શકે
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com વસ્તુ પ્રકાશિત
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,સક્રિય રજા અવધિ શોધી શકાતો નથી
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,સક્રિય રજા અવધિ શોધી શકાતો નથી
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,મૂલ્યાંકન
 DocType: Item,Default Unit of Measure,માપવા એકમ મૂળભૂત
 DocType: SMS Center,All Sales Partner Contact,બધા વેચાણ ભાગીદાર સંપર્ક
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,ઍડ કરવા માટે દાખલ કરો ક્લિક કરો
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","પાસવર્ડ, API કી અથવા Shopify URL માટે ખૂટે મૂલ્ય"
 DocType: Employee,Rented,ભાડાનાં
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,બધા એકાઉન્ટ્સ
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,બધા એકાઉન્ટ્સ
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,કર્મચારીને દરજ્જા સાથે સ્થાનાંતરિત કરી શકાતું નથી
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","અટકાવાયેલ ઉત્પાદન ઓર્ડર રદ કરી શકાતી નથી, રદ કરવા તે પ્રથમ Unstop"
 DocType: Vehicle Service,Mileage,માઇલેજ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,શું તમે ખરેખર આ એસેટ સ્ક્રેપ કરવા માંગો છો?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,શું તમે ખરેખર આ એસેટ સ્ક્રેપ કરવા માંગો છો?
 DocType: Drug Prescription,Update Schedule,શેડ્યૂલ અપડેટ કરો
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,પસંદ કરો મૂળભૂત પુરવઠોકર્તા
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,કર્મચારી બતાવો
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,ન્યૂ એક્સચેન્જ રેટ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},કરન્સી ભાવ યાદી માટે જરૂરી છે {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},કરન્સી ભાવ યાદી માટે જરૂરી છે {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* પરિવહનમાં ગણતરી કરવામાં આવશે.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,મેટ-ડીટી-. વાયવાયવાય.-
 DocType: Purchase Order,Customer Contact,ગ્રાહક સંપર્ક
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,આ પુરવઠોકર્તા સામે વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે જુઓ ટાઇમલાઇન
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,વર્ક ઓર્ડર માટે વધુ ઉત્પાદનની ટકાવારી
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,એમએટી-એલસીવી -યુ.વાયવાયવાય.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,કાનૂની
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,કાનૂની
+DocType: Delivery Note,Transport Receipt Date,પરિવહન રસીદ તારીખ
 DocType: Shopify Settings,Sales Order Series,સેલ્સ ઑર્ડર સિરીઝ
 DocType: Vital Signs,Tongue,જીભ
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,એચઆરએ મુક્તિ
 DocType: Sales Invoice,Customer Name,ગ્રાહક નું નામ
 DocType: Vehicle,Natural Gas,કુદરતી વાયુ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},બેન્ક એકાઉન્ટ તરીકે નામ આપવામાં આવ્યું ન કરી શકાય {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},બેન્ક એકાઉન્ટ તરીકે નામ આપવામાં આવ્યું ન કરી શકાય {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,પગાર માળખું મુજબ એચઆરએ
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ચેતવણી (અથવા જૂથો) જે સામે હિસાબી પ્રવેશ કરવામાં આવે છે અને બેલેન્સ જાળવવામાં આવે છે.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),ઉત્કૃષ્ટ {0} કરી શકાય નહીં શૂન્ય કરતાં ઓછી ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,સેવા સ્ટોપ તારીખ સેવા પ્રારંભ તારીખ પહેલાં ન હોઈ શકે
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,સેવા સ્ટોપ તારીખ સેવા પ્રારંભ તારીખ પહેલાં ન હોઈ શકે
 DocType: Manufacturing Settings,Default 10 mins,10 મિનિટ મૂળભૂત
 DocType: Leave Type,Leave Type Name,પ્રકાર છોડો નામ
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ઓપન બતાવો
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,ઓપન બતાવો
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,સિરીઝ સફળતાપૂર્વક અપડેટ
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,ચેકઆઉટ
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{1} પંક્તિ {1} માં
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{1} પંક્તિ {1} માં
 DocType: Asset Finance Book,Depreciation Start Date,અવમૂલ્યન પ્રારંભ તારીખ
 DocType: Pricing Rule,Apply On,પર લાગુ પડે છે
 DocType: Item Price,Multiple Item prices.,મલ્ટીપલ વસ્તુ ભાવ.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,આધાર સેટિંગ્સ
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,અપેક્ષિત ઓવરને તારીખ અપેક્ષિત પ્રારંભ તારીખ કરતાં ઓછા ન હોઈ શકે
 DocType: Amazon MWS Settings,Amazon MWS Settings,એમેઝોન એમડબલ્યુએસ સેટિંગ્સ
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ROW # {0}: દર જ હોવી જોઈએ {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ROW # {0}: દર જ હોવી જોઈએ {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,બેચ વસ્તુ સમાપ્તિ સ્થિતિ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,બેંક ડ્રાફ્ટ
 DocType: Journal Entry,ACC-JV-.YYYY.-,એસીસી-જે.વી.-વાય.વાય.વાય.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,પ્રાથમિક સંપર્ક વિગતો
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ઓપન મુદ્દાઓ
 DocType: Production Plan Item,Production Plan Item,ઉત્પાદન યોજના વસ્તુ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},વપરાશકર્તા {0} પહેલાથી જ કર્મચારી સોંપેલ છે {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},વપરાશકર્તા {0} પહેલાથી જ કર્મચારી સોંપેલ છે {1}
 DocType: Lab Test Groups,Add new line,નવી લાઇન ઉમેરો
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,સ્વાસ્થ્ય કાળજી
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ચુકવણી વિલંબ (દિવસ)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,લેબ પ્રિસ્ક્રિપ્શન
 ,Delay Days,વિલંબ દિવસો
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,સેવા ખર્ચ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},શૃંખલા ક્રમાંક: {0} પહેલાથી સેલ્સ ઇન્વોઇસ સંદર્ભ થયેલ છે: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},શૃંખલા ક્રમાંક: {0} પહેલાથી સેલ્સ ઇન્વોઇસ સંદર્ભ થયેલ છે: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,ભરતિયું
 DocType: Purchase Invoice Item,Item Weight Details,આઇટમ વજન વિગતો
 DocType: Asset Maintenance Log,Periodicity,સમયગાળાના
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ફિસ્કલ વર્ષ {0} જરૂરી છે
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,સપ્લાયર&gt; સપ્લાયર જૂથ
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,શ્રેષ્ઠ વૃદ્ધિ માટે છોડની પંક્તિઓ વચ્ચે લઘુત્તમ અંતર
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,સંરક્ષણ
 DocType: Salary Component,Abbr,સંક્ષિપ્ત
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,એચએલસી-ઇએનસી-. યેવાયવાય.-
 DocType: Daily Work Summary Group,Holiday List,રજા યાદી
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,એકાઉન્ટન્ટ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,વેચાણ કિંમત યાદી
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,વેચાણ કિંમત યાદી
 DocType: Patient,Tobacco Current Use,તમાકુ વર્તમાન ઉપયોગ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,વેચાણ દર
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,વેચાણ દર
 DocType: Cost Center,Stock User,સ્ટોક વપરાશકર્તા
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,સંપર્ક માહિતી
 DocType: Company,Phone No,ફોન કોઈ
 DocType: Delivery Trip,Initial Email Notification Sent,પ્રારંભિક ઇમેઇલ સૂચન મોકલ્યું
 DocType: Bank Statement Settings,Statement Header Mapping,નિવેદન હેડર મેપિંગ
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,ઉમેદવારી પ્રારંભ તારીખ
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,નિમણૂંકની જોગવાઈ માટે પેશન્ટમાં સેટ ન કરવામાં આવે તો તેનો ઉપયોગ કરવા માટેના ડિફોલ્ટ પ્રાપ્ય હિસાબ.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","બે કૉલમ, જૂના નામ માટે એક અને નવા નામ માટે એક સાથે CSV ફાઈલ જોડો"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,સરનામું 2 થી
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,આઇટમ કોડ&gt; આઇટમ જૂથ&gt; બ્રાન્ડ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,સરનામું 2 થી
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} કોઈપણ સક્રિય નાણાકીય વર્ષમાં નથી.
 DocType: Packed Item,Parent Detail docname,પિતૃ વિગતવાર docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","સંદર્ભ: {0}, આઇટમ કોડ: {1} અને ગ્રાહક: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} મૂળ કંપનીમાં હાજર નથી
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} મૂળ કંપનીમાં હાજર નથી
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,ટ્રાયલ પીરિયડ સમાપ્તિ તારીખ ટ્રાયલ પીરિયડ પ્રારંભ તારીખ પહેલાં ન હોઈ શકે
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,કિલો ગ્રામ
 DocType: Tax Withholding Category,Tax Withholding Category,ટેક્સ રોકવાની કેટેગરી
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,જાહેરાત
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,સેમ કંપની એક કરતા વધુ વખત દાખલ થયેલ
 DocType: Patient,Married,પરણિત
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},માટે પરવાનગી નથી {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},માટે પરવાનગી નથી {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,વસ્તુઓ મેળવો
 DocType: Price List,Price Not UOM Dependant,ભાવ અમોમ આધારિત નથી
 DocType: Purchase Invoice,Apply Tax Withholding Amount,ટેક્સ રોકવાની રકમ લાગુ કરો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},સ્ટોક બોલ પર કોઈ નોંધ સામે અપડેટ કરી શકાતું નથી {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,કુલ રકમનો શ્રેય
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},સ્ટોક બોલ પર કોઈ નોંધ સામે અપડેટ કરી શકાતું નથી {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,કુલ રકમનો શ્રેય
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ઉત્પાદન {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,કોઈ આઇટમ સૂચિબદ્ધ નથી
 DocType: Asset Repair,Error Description,ભૂલ વર્ણન
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,કસ્ટમ કેશ ફ્લો ફોર્મેટનો ઉપયોગ કરો
 DocType: SMS Center,All Sales Person,બધા વેચાણ વ્યક્તિ
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** માસિક વિતરણ ** જો તમે તમારા બિઝનેસ મોસમ હોય તો તમે મહિના સમગ્ર બજેટ / લક્ષ્યાંક વિતરિત કરે છે.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,વસ્તુઓ મળી
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,પગાર માળખું ખૂટે
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,વસ્તુઓ મળી
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,પગાર માળખું ખૂટે
 DocType: Lead,Person Name,વ્યક્તિ નામ
 DocType: Sales Invoice Item,Sales Invoice Item,સેલ્સ ભરતિયું વસ્તુ
 DocType: Account,Credit,ક્રેડિટ
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,સ્ટોક અહેવાલ
 DocType: Warehouse,Warehouse Detail,વેરહાઉસ વિગતવાર
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ટર્મ સમાપ્તિ તારીખ કરતાં પાછળથી શૈક્ષણિક વર્ષ સમાપ્તિ તારીખ જે શબ્દ સાથે કડી થયેલ છે હોઈ શકે નહિં (શૈક્ષણિક વર્ષ {}). તારીખો સુધારવા અને ફરીથી પ્રયાસ કરો.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""સ્થિર સંપત્તિ"" અનચેક કરી શકાતી નથી કારણ કે આ વસ્તુ સામે સંપત્તિ વ્યવહાર અસ્તિત્વમાં છે"""
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""સ્થિર સંપત્તિ"" અનચેક કરી શકાતી નથી કારણ કે આ વસ્તુ સામે સંપત્તિ વ્યવહાર અસ્તિત્વમાં છે"""
 DocType: Delivery Trip,Departure Time,પ્રસ્થાન સમય
 DocType: Vehicle Service,Brake Oil,બ્રેક ઓઈલ
 DocType: Tax Rule,Tax Type,ટેક્સ પ્રકાર
 ,Completed Work Orders,પૂર્ણ કાર્ય ઓર્ડર્સ
 DocType: Support Settings,Forum Posts,ફોરમ પોસ્ટ્સ
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,કરપાત્ર રકમ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,કરપાત્ર રકમ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},જો તમે પહેલાં પ્રવેશો ઉમેરવા અથવા અપડેટ કરવા માટે અધિકૃત નથી {0}
 DocType: Leave Policy,Leave Policy Details,નીતિ વિગતો છોડો
 DocType: BOM,Item Image (if not slideshow),આઇટમ છબી (જોક્સ ન હોય તો)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(કલાક દર / 60) * વાસ્તવિક કામગીરી સમય
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,પંક્તિ # {0}: સંદર્ભ દસ્તાવેજ પ્રકારનો ખર્ચ દાવો અથવા જર્નલ એન્ટ્રી હોવો આવશ્યક છે
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM પસંદ કરો
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,પંક્તિ # {0}: સંદર્ભ દસ્તાવેજ પ્રકારનો ખર્ચ દાવો અથવા જર્નલ એન્ટ્રી હોવો આવશ્યક છે
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM પસંદ કરો
 DocType: SMS Log,SMS Log,એસએમએસ લોગ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,વિતરિત વસ્તુઓ કિંમત
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,પર {0} રજા વચ્ચે તારીખ થી અને તારીખ નથી
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,સપ્લાયર સ્ટેન્ડિંગના નમૂનાઓ.
 DocType: Lead,Interested,રસ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,ખુલી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},પ્રતિ {0} માટે {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},પ્રતિ {0} માટે {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,કાર્યક્રમ:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,કર સેટ કરવામાં નિષ્ફળ
 DocType: Item,Copy From Item Group,વસ્તુ ગ્રુપ નકલ
-DocType: Delivery Trip,Delivery Notification,ડ લવર નોટિફિકેશન
 DocType: Journal Entry,Opening Entry,ખુલી એન્ટ્રી
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,એકાઉન્ટ પે માત્ર
 DocType: Loan,Repay Over Number of Periods,ચુકવણી બોલ કાળ સંખ્યા
 DocType: Stock Entry,Additional Costs,વધારાના ખર્ચ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે એકાઉન્ટ જૂથ રૂપાંતરિત કરી શકતા નથી.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે એકાઉન્ટ જૂથ રૂપાંતરિત કરી શકતા નથી.
 DocType: Lead,Product Enquiry,ઉત્પાદન ઇન્કવાયરી
 DocType: Education Settings,Validate Batch for Students in Student Group,વિદ્યાર્થી જૂથમાં વિદ્યાર્થીઓ માટે બેચ માન્ય
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},કોઈ રજા રેકોર્ડ કર્મચારી મળી {0} માટે {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,પ્રથમ કંપની દાખલ કરો
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,પ્રથમ કંપની પસંદ કરો
 DocType: Employee Education,Under Graduate,ગ્રેજ્યુએટ હેઠળ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,એચઆર સેટિંગ્સમાં સ્થિતિ સૂચન છોડો માટે ડિફૉલ્ટ નમૂનો સેટ કરો.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,એચઆર સેટિંગ્સમાં સ્થિતિ સૂચન છોડો માટે ડિફૉલ્ટ નમૂનો સેટ કરો.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,લક્ષ્યાંક પર
 DocType: BOM,Total Cost,કુલ ખર્ચ
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,એકાઉન્ટ સ્ટેટમેન્ટ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ફાર્માસ્યુટિકલ્સ
 DocType: Purchase Invoice Item,Is Fixed Asset,સ્થિર એસેટ છે
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","ઉપલબ્ધ Qty {0}, તમને જરૂર છે {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","ઉપલબ્ધ Qty {0}, તમને જરૂર છે {1}"
 DocType: Expense Claim Detail,Claim Amount,દાવો રકમ
 DocType: Patient,HLC-PAT-.YYYY.-,એચએલસી-પીએટી -વાયવાયવાય-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},વર્ક ઓર્ડર {0} છે
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,ગુણવત્તા નિરીક્ષણ ઢાંચો
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",તમે હાજરી અપડેટ કરવા માંગો છો? <br> હાજર: {0} \ <br> ગેરહાજર: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty નકારેલું સ્વીકારાયું + વસ્તુ માટે પ્રાપ્ત જથ્થો માટે સમાન હોવો જોઈએ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty નકારેલું સ્વીકારાયું + વસ્તુ માટે પ્રાપ્ત જથ્થો માટે સમાન હોવો જોઈએ {0}
 DocType: Item,Supply Raw Materials for Purchase,પુરવઠા કાચો માલ ખરીદી માટે
 DocType: Agriculture Analysis Criteria,Fertilizer,ખાતર
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",સીરીયલ નંબર દ્વારા ડિલિવરીની ખાતરી કરી શકાતી નથી કારણ કે \ Item {0} સાથે \ Serial No
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,ચુકવણી ઓછામાં ઓછો એક મોડ POS ભરતિયું માટે જરૂરી છે.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,ચુકવણી ઓછામાં ઓછો એક મોડ POS ભરતિયું માટે જરૂરી છે.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,બેંક સ્ટેટમેન્ટ ટ્રાન્ઝેક્શન ઇન્વોઇસ આઇટમ
 DocType: Products Settings,Show Products as a List,શો ઉત્પાદનો યાદી તરીકે
 DocType: Salary Detail,Tax on flexible benefit,લવચીક લાભ પર કર
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,ડફ Qty
 DocType: Production Plan,Material Request Detail,વપરાયેલો વિનંતી વિગત
 DocType: Selling Settings,Default Quotation Validity Days,ડિફોલ્ટ ક્વોટેશન વેલિડિટી ડેઝ
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","આઇટમ રેટ પંક્તિ {0} કર સમાવેશ કરવા માટે, પંક્તિઓ કર {1} પણ સમાવેશ કરવો જ જોઈએ"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","આઇટમ રેટ પંક્તિ {0} કર સમાવેશ કરવા માટે, પંક્તિઓ કર {1} પણ સમાવેશ કરવો જ જોઈએ"
 DocType: SMS Center,SMS Center,એસએમએસ કેન્દ્ર
 DocType: Payroll Entry,Validate Attendance,હાજરી માન્ય કરો
 DocType: Sales Invoice,Change Amount,જથ્થો બદલી
 DocType: Party Tax Withholding Config,Certificate Received,પ્રમાણપત્ર પ્રાપ્ત
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C માટે ઇન્વોઇસ મૂલ્ય સેટ કરો આ ઇનવોઇસ મૂલ્ય પર આધારિત B2CL અને B2CS ની ગણતરી
 DocType: BOM Update Tool,New BOM,ન્યૂ BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,નિયત કાર્યવાહી
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,નિયત કાર્યવાહી
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,માત્ર POS બતાવો
 DocType: Supplier Group,Supplier Group Name,પુરવઠોકર્તા ગ્રુપનું નામ
 DocType: Driver,Driving License Categories,ડ્રાઇવિંગ લાઈસન્સ શ્રેણીઓ
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,પગારપત્રક કાળ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,કર્મચારીનું બનાવો
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,પ્રસારણ
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS ની સેટઅપ મોડ (ઑનલાઇન / ઑફલાઇન)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS ની સેટઅપ મોડ (ઑનલાઇન / ઑફલાઇન)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,કાર્ય ઓર્ડર્સ સામે સમયના લૉગ્સ બનાવવાની અક્ષમ કરે છે. ઓપરેશન્સ વર્ક ઓર્ડર સામે ટ્રૅક રાખવામાં આવશે નહીં
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,એક્ઝેક્યુશન
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,કામગીરી વિગતો બહાર કરવામાં આવે છે.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),ભાવ યાદી દર પર ડિસ્કાઉન્ટ (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,વસ્તુ નમૂનો
 DocType: Job Offer,Select Terms and Conditions,પસંદ કરો નિયમો અને શરતો
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,મૂલ્ય
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,મૂલ્ય
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,બેંક સ્ટેટમેન્ટ સેટિંગ્સ આઇટમ
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce સેટિંગ્સ
 DocType: Production Plan,Sales Orders,વેચાણ ઓર્ડર
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,અવતરણ માટે વિનંતી નીચેની લિંક પર ક્લિક કરીને વાપરી શકાય છે
 DocType: SG Creation Tool Course,SG Creation Tool Course,એસજી બનાવટ સાધન કોર્સ
 DocType: Bank Statement Transaction Invoice Item,Payment Description,ચુકવણી વર્ણન
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,અપૂરતી સ્ટોક
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,અપૂરતી સ્ટોક
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,અક્ષમ કરો ક્ષમતા આયોજન અને સમય ટ્રેકિંગ
 DocType: Email Digest,New Sales Orders,નવા વેચાણની ઓર્ડર
 DocType: Bank Account,Bank Account,બેંક એકાઉન્ટ
 DocType: Travel Itinerary,Check-out Date,ચેક-આઉટ તારીખ
 DocType: Leave Type,Allow Negative Balance,નેગેટિવ બેલેન્સ માટે પરવાનગી આપે છે
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',તમે &#39;બાહ્ય&#39; પ્રોજેક્ટ પ્રકારને કાઢી શકતા નથી
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,વૈકલ્પિક આઇટમ પસંદ કરો
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,વૈકલ્પિક આઇટમ પસંદ કરો
 DocType: Employee,Create User,વપરાશકર્તા બનાવો
 DocType: Selling Settings,Default Territory,મૂળભૂત પ્રદેશ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,દૂરદર્શન
 DocType: Work Order Operation,Updated via 'Time Log',&#39;સમય લોગ&#39; મારફતે સુધારાશે
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ગ્રાહક અથવા સપ્લાયર પસંદ કરો.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},એડવાન્સ રકમ કરતાં વધારે ન હોઈ શકે {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},એડવાન્સ રકમ કરતાં વધારે ન હોઈ શકે {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","સમયનો સ્લોટ skiped, સ્લોટ {0} થી {1} માટે એક્સલીઝીંગ સ્લોટ ઓવરલેપ {2} થી {3}"
 DocType: Naming Series,Series List for this Transaction,આ સોદા માટે સિરીઝ યાદી
 DocType: Company,Enable Perpetual Inventory,પર્પેચ્યુઅલ ઈન્વેન્ટરી સક્ષમ
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,સેલ્સ ભરતિયું વસ્તુ સામે
 DocType: Agriculture Analysis Criteria,Linked Doctype,જોડાયેલ ડોકટપે
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,નાણાકીય થી ચોખ્ખી રોકડ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage સંપૂર્ણ છે, સાચવી ન હતી"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage સંપૂર્ણ છે, સાચવી ન હતી"
 DocType: Lead,Address & Contact,સરનામું અને સંપર્ક
 DocType: Leave Allocation,Add unused leaves from previous allocations,અગાઉના ફાળવણી માંથી નહિં વપરાયેલ પાંદડા ઉમેરો
 DocType: Sales Partner,Partner website,જીવનસાથી વેબસાઇટ
@@ -446,10 +446,10 @@
 ,Open Work Orders,ઓપન વર્ક ઓર્ડર્સ
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,આઉટ પેશન્ટ કન્સલ્ટિંગ ચાર્જ વસ્તુ
 DocType: Payment Term,Credit Months,ક્રેડિટ મહિના
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,નેટ પે 0 કરતાં ઓછી ન હોઈ શકે
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,નેટ પે 0 કરતાં ઓછી ન હોઈ શકે
 DocType: Contract,Fulfilled,પૂર્ણ
 DocType: Inpatient Record,Discharge Scheduled,અનુસૂચિત
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,તારીખ રાહત જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,તારીખ રાહત જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ
 DocType: POS Closing Voucher,Cashier,કેશિયર
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,દર વર્ષે પાંદડાં
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,રો {0}: કૃપા કરીને તપાસો એકાઉન્ટ સામે &#39;અગાઉથી છે&#39; {1} આ એક અગાઉથી પ્રવેશ હોય તો.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,વિદ્યાર્થી જૂથો હેઠળ વિદ્યાર્થી સુયોજિત કરો
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,પૂર્ણ જોબ
 DocType: Item Website Specification,Item Website Specification,વસ્તુ વેબસાઇટ સ્પષ્ટીકરણ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,છોડો અવરોધિત
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},વસ્તુ {0} પર તેના જીવનના અંતે પહોંચી ગયું છે {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,છોડો અવરોધિત
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},વસ્તુ {0} પર તેના જીવનના અંતે પહોંચી ગયું છે {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,બેન્ક પ્રવેશો
 DocType: Customer,Is Internal Customer,આંતરિક ગ્રાહક છે
 DocType: Crop,Annual,વાર્ષિક
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","જો ઓટો ઑપ્ટ ઇન ચકાસાયેલ હોય તો, ગ્રાહકો સંબંધિત લિયોલિટી પ્રોગ્રામ સાથે સ્વયંચાલિત રીતે જોડવામાં આવશે (સેવ પર)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,સ્ટોક રિકંસીલેશન વસ્તુ
 DocType: Stock Entry,Sales Invoice No,સેલ્સ ભરતિયું કોઈ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,પુરવઠા પ્રકાર
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,પુરવઠા પ્રકાર
 DocType: Material Request Item,Min Order Qty,મીન ઓર્ડર Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,વિદ્યાર્થી જૂથ બનાવવાનું સાધન
 DocType: Lead,Do Not Contact,સંપર્ક કરો
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,હબ પ્રકાશિત
 DocType: Student Admission,Student Admission,વિદ્યાર્થી પ્રવેશ
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} વસ્તુ રદ કરવામાં આવે છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} વસ્તુ રદ કરવામાં આવે છે
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,અવમૂલ્યન રો {0}: અવમૂલ્યન પ્રારંભ તારીખ પાછલી તારીખ તરીકે દાખલ કરવામાં આવી છે
 DocType: Contract Template,Fulfilment Terms and Conditions,પરિપૂર્ણતા શરતો અને નિયમો
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,સામગ્રી વિનંતી
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,સામગ્રી વિનંતી
 DocType: Bank Reconciliation,Update Clearance Date,સુધારા ક્લિયરન્સ તારીખ
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,ખરીદી વિગતો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ખરીદી માટે &#39;કાચો માલ પાડેલ&#39; ટેબલ મળી નથી વસ્તુ {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ખરીદી માટે &#39;કાચો માલ પાડેલ&#39; ટેબલ મળી નથી વસ્તુ {0} {1}
 DocType: Salary Slip,Total Principal Amount,કુલ મુખ્ય રકમ
 DocType: Student Guardian,Relation,સંબંધ
 DocType: Student Guardian,Mother,મધર
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,શીપીંગ કાઉન્ટી
 DocType: Currency Exchange,For Selling,વેચાણ માટે
 apps/erpnext/erpnext/config/desktop.py +159,Learn,જાણો
+DocType: Purchase Invoice Item,Enable Deferred Expense,ડિફરર્ડ ખર્ચ સક્ષમ કરો
 DocType: Asset,Next Depreciation Date,આગળ અવમૂલ્યન તારીખ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,કર્મચારી દીઠ પ્રવૃત્તિ કિંમત
 DocType: Accounts Settings,Settings for Accounts,એકાઉન્ટ્સ માટે સુયોજનો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},પુરવઠોકર્તા ભરતિયું બોલ પર કોઈ ખરીદી ભરતિયું અસ્તિત્વમાં {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},પુરવઠોકર્તા ભરતિયું બોલ પર કોઈ ખરીદી ભરતિયું અસ્તિત્વમાં {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,વેચાણ વ્યક્તિ વૃક્ષ મેનેજ કરો.
 DocType: Job Applicant,Cover Letter,પરબિડીયુ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ઉત્કૃષ્ટ Cheques અને સાફ ડિપોઝિટ
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,બાહ્ય કામ ઇતિહાસ
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,ગોળ સંદર્ભ ભૂલ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,વિદ્યાર્થી અહેવાલ કાર્ડ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,પિન કોડથી
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,પિન કોડથી
 DocType: Appointment Type,Is Inpatient,ઇનપેશન્ટ છે
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 નામ
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,તમે બોલ પર કોઈ નોંધ સેવ વાર શબ્દો (નિકાસ) દૃશ્યમાન થશે.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,મલ્ટી કરન્સી
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ભરતિયું પ્રકાર
 DocType: Employee Benefit Claim,Expense Proof,ખર્ચ પુરાવો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,ડિલીવરી નોંધ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},સાચવી રહ્યું છે {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,ડિલીવરી નોંધ
 DocType: Patient Encounter,Encounter Impression,એન્કાઉન્ટર ઇમ્પ્રેશન
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,કર સુયોજિત કરી રહ્યા છે
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,વેચાઈ એસેટ કિંમત
 DocType: Volunteer,Morning,મોર્નિંગ
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,તમે તેને ખેંચી ચુકવણી પછી એન્ટ્રી સુધારાઈ ગયેલ છે. તેને ફરીથી ખેંચી કરો.
 DocType: Program Enrollment Tool,New Student Batch,નવા વિદ્યાર્થી બેચ
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} વસ્તુ ટેક્સ બે વખત દાખલ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,આ અઠવાડિયે અને બાકી પ્રવૃત્તિઓ માટે સારાંશ
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} વસ્તુ ટેક્સ બે વખત દાખલ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,આ અઠવાડિયે અને બાકી પ્રવૃત્તિઓ માટે સારાંશ
 DocType: Student Applicant,Admitted,પ્રવેશ
 DocType: Workstation,Rent Cost,ભાડું ખર્ચ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,રકમ અવમૂલ્યન પછી
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,રકમ અવમૂલ્યન પછી
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,આગામી કેલેન્ડર ઘટનાઓ
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,વેરિએન્ટ વિશેષતાઓ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,મહિનો અને વર્ષ પસંદ કરો
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},માત્ર કંપની દીઠ 1 એકાઉન્ટ હોઈ શકે છે {0} {1}
 DocType: Support Search Source,Response Result Key Path,પ્રતિભાવ પરિણામ કી પાથ
 DocType: Journal Entry,Inter Company Journal Entry,ઇન્ટર કંપની જર્નલ એન્ટ્રી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},જથ્થા માટે {0} વર્ક ઓર્ડર જથ્થા કરતાં ભીનું ન હોવું જોઈએ {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,જોડાણ જુઓ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},જથ્થા માટે {0} વર્ક ઓર્ડર જથ્થા કરતાં ભીનું ન હોવું જોઈએ {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,જોડાણ જુઓ
 DocType: Purchase Order,% Received,% પ્રાપ્ત
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,વિદ્યાર્થી જૂથો બનાવો
 DocType: Volunteer,Weekends,વિકેન્ડ
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,કુલ ઉત્કૃષ્ટ
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,હાલની શ્રેણી શરૂ / વર્તમાન ક્રમ નંબર બદલો.
 DocType: Dosage Strength,Strength,સ્ટ્રેન્થ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,નવી ગ્રાહક બનાવવા
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,નવી ગ્રાહક બનાવવા
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,સમાપ્તિ પર
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","બહુવિધ કિંમતના નિયમોમાં જીતવું ચાલુ હોય, વપરાશકર્તાઓ તકરાર ઉકેલવા માટે જાતે અગ્રતા સુયોજિત કરવા માટે કહેવામાં આવે છે."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,ખરીદી ઓર્ડર બનાવો
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,ઉપભોજ્ય કિંમત
 DocType: Purchase Receipt,Vehicle Date,વાહન તારીખ
 DocType: Student Log,Medical,મેડિકલ
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,ગુમાવી માટે કારણ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,ડ્રગ પસંદ કરો
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,ગુમાવી માટે કારણ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,ડ્રગ પસંદ કરો
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,અગ્ર માલિક લીડ તરીકે જ ન હોઈ શકે
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,સોંપાયેલ રકમ અસમાયોજિત રકમ કરતાં વધારે ન કરી શકો છો
 DocType: Announcement,Receiver,રીસીવર
 DocType: Location,Area UOM,વિસ્તાર UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},વર્કસ્ટેશન રજા યાદી મુજબ નીચેની તારીખો પર બંધ છે: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,તકો
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,તકો
 DocType: Lab Test Template,Single,એક
 DocType: Compensatory Leave Request,Work From Date,તારીખથી કામ
 DocType: Salary Slip,Total Loan Repayment,કુલ લોન ચુકવણી
+DocType: Project User,View attachments,જોડાણો જુઓ
 DocType: Account,Cost of Goods Sold,માલની કિંમત વેચાઈ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,ખર્ચ કેન્દ્રને દાખલ કરો
 DocType: Drug Prescription,Dosage,ડોઝ
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,જથ્થો અને દર
 DocType: Delivery Note,% Installed,% ઇન્સ્ટોલ
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,વર્ગખંડો / લેબોરેટરીઝ વગેરે જ્યાં પ્રવચનો સુનિશ્ચિત કરી શકાય છે.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,બંને કંપનીઓની કંપની ચલણો ઇન્ટર કંપની ટ્રાન્ઝેક્શન માટે મેચ થવી જોઈએ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,બંને કંપનીઓની કંપની ચલણો ઇન્ટર કંપની ટ્રાન્ઝેક્શન માટે મેચ થવી જોઈએ.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,પ્રથમ કંપની નામ દાખલ કરો
 DocType: Travel Itinerary,Non-Vegetarian,નોન-શાકાહારી
 DocType: Purchase Invoice,Supplier Name,પુરવઠોકર્તા નામ
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,કામચલાઉ હોલ્ડ પર
 DocType: Account,Is Group,Is ગ્રુપ
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,ક્રેડિટ નોંધ {0} આપમેળે બનાવવામાં આવી છે
-DocType: Email Digest,Pending Purchase Orders,ખરીદી ઓર્ડર બાકી
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,આપમેળે FIFO પર આધારિત અમે સીરીયલ સેટ
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ચેક પુરવઠોકર્તા ભરતિયું નંબર વિશિષ્ટતા
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,પ્રાથમિક સરનામું વિગતો
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,કે ઇમેઇલ એક ભાગ તરીકે જાય છે કે પ્રારંભિક લખાણ કસ્ટમાઇઝ કરો. દરેક વ્યવહાર અલગ પ્રારંભિક લખાણ છે.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},રો {0}: કાચો સામગ્રી આઇટમ {1} સામે ઓપરેશન જરૂરી છે
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},કંપની માટે મૂળભૂત ચૂકવવાપાત્ર એકાઉન્ટ સેટ કરો {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},સ્ટોપ વર્ક ઓર્ડર {0} સામે વ્યવહારોની મંજૂરી નથી
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},સ્ટોપ વર્ક ઓર્ડર {0} સામે વ્યવહારોની મંજૂરી નથી
 DocType: Setup Progress Action,Min Doc Count,મીન ડોક ગણક
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,બધા ઉત્પાદન પ્રક્રિયા માટે વૈશ્વિક સુયોજનો.
 DocType: Accounts Settings,Accounts Frozen Upto,ફ્રોઝન સુધી એકાઉન્ટ્સ
 DocType: SMS Log,Sent On,પર મોકલવામાં
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,એટ્રીબ્યુટ {0} લક્ષણો ટેબલ ઘણી વખત પસંદ
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,એટ્રીબ્યુટ {0} લક્ષણો ટેબલ ઘણી વખત પસંદ
 DocType: HR Settings,Employee record is created using selected field. ,કર્મચારીનું રેકોર્ડ પસંદ ક્ષેત્ર ઉપયોગ કરીને બનાવવામાં આવે છે.
 DocType: Sales Order,Not Applicable,લાગુ નથી
 DocType: Amazon MWS Settings,UK,યુકે
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,કર્મચારી {0} એ {2} પર {1} માટે પહેલાથી જ અરજી કરી છે:
 DocType: Inpatient Record,AB Positive,એબી હકારાત્મક
 DocType: Job Opening,Description of a Job Opening,એક જોબ ખુલી વર્ણન
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,આજે બાકી પ્રવૃત્તિઓ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,આજે બાકી પ્રવૃત્તિઓ
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Timesheet આધારિત પેરોલ માટે પગાર પુન.
+DocType: Driver,Applicable for external driver,બાહ્ય ડ્રાઇવર માટે લાગુ
 DocType: Sales Order Item,Used for Production Plan,ઉત્પાદન યોજના માટે વપરાય છે
 DocType: Loan,Total Payment,કુલ ચુકવણી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,પૂર્ણ કાર્ય ઓર્ડર માટે ટ્રાન્ઝેક્શન રદ કરી શકાતું નથી.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,પૂર્ણ કાર્ય ઓર્ડર માટે ટ્રાન્ઝેક્શન રદ કરી શકાતું નથી.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(મિનિટ) ઓપરેશન્સ વચ્ચે સમય
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO બધા વેચાણની ઓર્ડર વસ્તુઓ માટે બનાવેલ છે
 DocType: Healthcare Service Unit,Occupied,કબજો
 DocType: Clinical Procedure,Consumables,ગ્રાહકો
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} રદ થઇ ગઇ છે કે જેથી ક્રિયા પૂર્ણ કરી શકાતી નથી
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} રદ થઇ ગઇ છે કે જેથી ક્રિયા પૂર્ણ કરી શકાતી નથી
 DocType: Customer,Buyer of Goods and Services.,સામાન અને સેવાઓ ખરીદનાર.
 DocType: Journal Entry,Accounts Payable,ચુકવવાપાત્ર ખાતાઓ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,આ ચુકવણી વિનંતીમાં સેટ કરેલ {0} જથ્થો બધી ચૂકવણીની યોજનાઓની ગણતરી કરેલ રકમથી અલગ છે: {1}. દસ્તાવેજ સબમિટ કરતા પહેલાં આ સાચું છે તેની ખાતરી કરો.
 DocType: Patient,Allergies,એલર્જી
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,પસંદ BOMs જ વસ્તુ માટે નથી
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,પસંદ BOMs જ વસ્તુ માટે નથી
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,આઇટમ કોડ બદલો
 DocType: Supplier Scorecard Standing,Notify Other,અન્ય સૂચિત કરો
 DocType: Vital Signs,Blood Pressure (systolic),બ્લડ પ્રેશર (સિસ્ટેલોક)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,પૂરતી ભાગો બિલ્ડ કરવા માટે
 DocType: POS Profile User,POS Profile User,POS પ્રોફાઇલ વપરાશકર્તા
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,રો {0}: અવમૂલ્યન પ્રારંભ તારીખ જરૂરી છે
-DocType: Sales Invoice Item,Service Start Date,સેવા પ્રારંભ તારીખ
+DocType: Purchase Invoice Item,Service Start Date,સેવા પ્રારંભ તારીખ
 DocType: Subscription Invoice,Subscription Invoice,સબ્સ્ક્રિપ્શન ભરતિયું
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,સીધી આવક
 DocType: Patient Appointment,Date TIme,તારીખ સમય
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,લેબ રાબેતા મુજબનું
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,કોસ્મેટિક્સ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,પૂર્ણ સંપત્તિ જાળવણી પ્રવેશ માટે સમાપ્તિ તારીખ પસંદ કરો
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","મર્જ, નીચેના ગુણધર્મો બંને આઇટમ્સ માટે જ હોવી જોઈએ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","મર્જ, નીચેના ગુણધર્મો બંને આઇટમ્સ માટે જ હોવી જોઈએ"
 DocType: Supplier,Block Supplier,બ્લોક સપ્લાયર
 DocType: Shipping Rule,Net Weight,કુલ વજન
 DocType: Job Opening,Planned number of Positions,આયોજનની સંખ્યા
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,કેશ ફ્લો મેપિંગ ઢાંચો
 DocType: Travel Request,Costing Details,કિંમતની વિગતો
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,રીટર્ન એન્ટ્રીઝ બતાવો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,સીરીયલ કોઈ આઇટમ એક અપૂર્ણાંક ન હોઈ શકે
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,સીરીયલ કોઈ આઇટમ એક અપૂર્ણાંક ન હોઈ શકે
 DocType: Journal Entry,Difference (Dr - Cr),તફાવત (ડૉ - સીઆર)
 DocType: Bank Guarantee,Providing,પૂરી પાડવી
 DocType: Account,Profit and Loss,નફો અને નુકસાનનું
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","પરવાનગી નથી, લેબ ટેસ્ટ નમૂનાને આવશ્યક રૂપે ગોઠવો"
 DocType: Patient,Risk Factors,જોખમ પરિબળો
 DocType: Patient,Occupational Hazards and Environmental Factors,વ્યવસાય જોખમો અને પર્યાવરણીય પરિબળો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,સ્ટોક્સ એન્ટ્રીઝ પહેલેથી જ વર્ક ઓર્ડર માટે બનાવેલ છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,સ્ટોક્સ એન્ટ્રીઝ પહેલેથી જ વર્ક ઓર્ડર માટે બનાવેલ છે
 DocType: Vital Signs,Respiratory rate,શ્વસન દર
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,મેનેજિંગ Subcontracting
 DocType: Vital Signs,Body Temperature,શારીરિક તાપમાન
 DocType: Project,Project will be accessible on the website to these users,પ્રોજેક્ટ આ વપરાશકર્તાઓ માટે વેબસાઇટ પર સુલભ હશે
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},રદ કરી શકાતું નથી {0} {1} કારણ કે સીરીયલ નો {2} વેરહાઉસથી સંબંધિત નથી {3}
 DocType: Detected Disease,Disease,રોગ
+DocType: Company,Default Deferred Expense Account,ડિફૉલ્ટ ડિફરર્ડ ખર્ચ એકાઉન્ટ
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,પ્રોજેક્ટ પ્રકાર વ્યાખ્યાયિત કરે છે.
 DocType: Supplier Scorecard,Weighting Function,વજન કાર્ય
 DocType: Healthcare Practitioner,OP Consulting Charge,ઓ.પી. કન્સલ્ટિંગ ચાર્જ
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,ઉત્પાદિત આઈટમ્સ
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ઇનવોઇસ માટે ટ્રાન્ઝેક્શન મેચ કરો
 DocType: Sales Order Item,Gross Profit,કુલ નફો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,ઇન્વોઇસને અનાવરોધિત કરો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,ઇન્વોઇસને અનાવરોધિત કરો
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,વૃદ્ધિ 0 ન હોઈ શકે
 DocType: Company,Delete Company Transactions,કંપની વ્યવહારો કાઢી નાખો
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,સંદર્ભ કોઈ અને સંદર્ભ તારીખ બેન્ક ટ્રાન્ઝેક્શન માટે ફરજિયાત છે
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,અવગણો
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} સક્રિય નથી
 DocType: Woocommerce Settings,Freight and Forwarding Account,નૂર અને ફોરવર્ડિંગ એકાઉન્ટ
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,સેટઅપ ચેક પ્રિન્ટીંગ માટે પરિમાણો
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,સેટઅપ ચેક પ્રિન્ટીંગ માટે પરિમાણો
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,પગાર સ્લિપ બનાવો
 DocType: Vital Signs,Bloated,ફૂલેલું
 DocType: Salary Slip,Salary Slip Timesheet,પગાર કાપલી Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,પેટા કોન્ટ્રાક્ટ ખરીદી રસીદ માટે ફરજિયાત પુરવઠોકર્તા વેરહાઉસ
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,પેટા કોન્ટ્રાક્ટ ખરીદી રસીદ માટે ફરજિયાત પુરવઠોકર્તા વેરહાઉસ
 DocType: Item Price,Valid From,થી માન્ય
 DocType: Sales Invoice,Total Commission,કુલ કમિશન
 DocType: Tax Withholding Account,Tax Withholding Account,ટેક્સ રોકવાનો એકાઉન્ટ
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,બધા પુરવઠોકર્તા સ્કોરકાર્ડ્સ.
 DocType: Buying Settings,Purchase Receipt Required,ખરીદી રસીદ જરૂરી
 DocType: Delivery Note,Rail,રેલ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,પંક્તિ {0} માં લક્ષ્ય વેરહાઉસ વર્ક ઓર્ડર તરીકે જ હોવું જોઈએ
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,જો ખુલે સ્ટોક દાખલ મૂલ્યાંકન દર ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,પંક્તિ {0} માં લક્ષ્ય વેરહાઉસ વર્ક ઓર્ડર તરીકે જ હોવું જોઈએ
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,જો ખુલે સ્ટોક દાખલ મૂલ્યાંકન દર ફરજિયાત છે
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,ભરતિયું ટેબલ માં શોધી કોઈ રેકોર્ડ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,પ્રથમ કંપની અને પાર્ટી પ્રકાર પસંદ કરો
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","વપરાશકર્તા {1} માટે પહેલેથી જ મૂળ પ્રોફાઇલ {0} માં સુયોજિત છે, કૃપા કરીને ડિફોલ્ટ રૂપે અક્ષમ કરેલું છે"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,નાણાકીય / હિસાબી વર્ષ.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,નાણાકીય / હિસાબી વર્ષ.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,સંચિત મૂલ્યો
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","માફ કરશો, સીરીયલ અમે મર્જ કરી શકાતા નથી"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify ના ગ્રાહકોને સમન્વયિત કરતી વખતે ગ્રાહક જૂથ પસંદ કરેલ જૂથ પર સેટ કરશે
@@ -895,7 +900,7 @@
 ,Lead Id,લીડ આઈડી
 DocType: C-Form Invoice Detail,Grand Total,કુલ સરવાળો
 DocType: Assessment Plan,Course,કોર્સ
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,વિભાગ કોડ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,વિભાગ કોડ
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,અર્ધ દિવસની તારીખ તારીખ અને તારીખ વચ્ચેની હોવા જોઈએ
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,આઇટમ કાર્ટ
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,વ્યક્તિગત બાયો
 DocType: C-Form,IV,ચોથો
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,સભ્યપદ આઈડી
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},આપ્યું હતું {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},આપ્યું હતું {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,ક્વિકબુક્સ સાથે જોડાયેલ
 DocType: Bank Statement Transaction Entry,Payable Account,ચૂકવવાપાત્ર એકાઉન્ટ
 DocType: Payment Entry,Type of Payment,ચુકવણી પ્રકાર
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,અર્ધ દિવસની તારીખ ફરજિયાત છે
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,શિપિંગ બિલ તારીખ
 DocType: Production Plan,Production Plan,ઉત્પાદન યોજના
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ઇન્વોઇસ બનાવટ ટૂલ ખુલે છે
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,વેચાણ પરત
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,વેચાણ પરત
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,નોંધ: કુલ ફાળવેલ પાંદડા {0} પહેલાથી મંજૂર પાંદડા કરતાં ઓછી ન હોવી જોઈએ {1} સમયગાળા માટે
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,સીરીઅલ ઇનપુટ પર આધારિત વ્યવહારોમાં જથ્થો સેટ કરો
 ,Total Stock Summary,કુલ સ્ટોક સારાંશ
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,ગ્રાહક અથવા વસ્તુ
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,ગ્રાહક ડેટાબેઝ.
 DocType: Quotation,Quotation To,માટે અવતરણ
-DocType: Lead,Middle Income,મધ્યમ આવક
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,મધ્યમ આવક
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),ખુલી (સીઆર)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,જો તમે પહેલાથી જ અન્ય UOM સાથે કેટલાક વ્યવહાર (ઓ) કર્યા છે કારણ કે વસ્તુ માટે માપવા એકમ મૂળભૂત {0} સીધા બદલી શકાતું નથી. તમે વિવિધ મૂળભૂત UOM વાપરવા માટે એક નવી આઇટમ બનાવવા માટે જરૂર પડશે.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,જો તમે પહેલાથી જ અન્ય UOM સાથે કેટલાક વ્યવહાર (ઓ) કર્યા છે કારણ કે વસ્તુ માટે માપવા એકમ મૂળભૂત {0} સીધા બદલી શકાતું નથી. તમે વિવિધ મૂળભૂત UOM વાપરવા માટે એક નવી આઇટમ બનાવવા માટે જરૂર પડશે.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,ફાળવેલ રકમ નકારાત્મક ન હોઈ શકે
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,કંપની સેટ કરો
 DocType: Share Balance,Share Balance,શેર બેલેન્સ
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,પસંદ ચુકવણી એકાઉન્ટ બેન્ક એન્ટ્રી બનાવવા માટે
 DocType: Hotel Settings,Default Invoice Naming Series,ડિફોલ્ટ ઇન્વોઇસ નેમિંગ સિરીઝ
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","પાંદડા, ખર્ચ દાવાઓ અને પેરોલ વ્યવસ્થા કર્મચારી રેકોર્ડ બનાવવા"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,અપડેટ પ્રક્રિયા દરમિયાન ભૂલ આવી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,અપડેટ પ્રક્રિયા દરમિયાન ભૂલ આવી
 DocType: Restaurant Reservation,Restaurant Reservation,રેસ્ટોરન્ટ રિઝર્વેશન
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,દરખાસ્ત લેખન
 DocType: Payment Entry Deduction,Payment Entry Deduction,ચુકવણી એન્ટ્રી કપાત
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,રેપિંગ અપ
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ઇમેઇલ દ્વારા ગ્રાહકોને સૂચિત કરો
 DocType: Item,Batch Number Series,બેચ સંખ્યા શ્રેણી
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,અન્ય વેચાણ વ્યક્તિ {0} એ જ કર્મચારીનું ID સાથે અસ્તિત્વમાં
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,અન્ય વેચાણ વ્યક્તિ {0} એ જ કર્મચારીનું ID સાથે અસ્તિત્વમાં
 DocType: Employee Advance,Claimed Amount,દાવાની રકમ
+DocType: QuickBooks Migrator,Authorization Settings,અધિકૃતતા સેટિંગ્સ
 DocType: Travel Itinerary,Departure Datetime,પ્રસ્થાન ડેટાટાઇમ
 DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,પ્રવાસની વિનંતી ખર્ચ
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,દ્વારા પુરવઠોકર્તા નામકરણ
 DocType: Activity Type,Default Costing Rate,મૂળભૂત પડતર દર
 DocType: Maintenance Schedule,Maintenance Schedule,જાળવણી સૂચિ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","પછી કિંમતના નિયમોમાં વગેરે ગ્રાહક, ગ્રાહક જૂથ, પ્રદેશ, સપ્લાયર, પુરવઠોકર્તા પ્રકાર, ઝુંબેશ, વેચાણ ભાગીદાર પર આધારિત બહાર ફિલ્ટર કરવામાં આવે છે"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","પછી કિંમતના નિયમોમાં વગેરે ગ્રાહક, ગ્રાહક જૂથ, પ્રદેશ, સપ્લાયર, પુરવઠોકર્તા પ્રકાર, ઝુંબેશ, વેચાણ ભાગીદાર પર આધારિત બહાર ફિલ્ટર કરવામાં આવે છે"
 DocType: Employee Promotion,Employee Promotion Details,કર્મચારીનું પ્રમોશન વિગતો
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,ઇન્વેન્ટરીમાં કુલ ફેરફાર
 DocType: Employee,Passport Number,પાસપોર્ટ નંબર
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 સાથે સંબંધ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,વ્યવસ્થાપક
 DocType: Payment Entry,Payment From / To,ચુકવણી / to
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,નાણાકીય વર્ષથી
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},નવું ક્રેડિટ મર્યાદા ગ્રાહક માટે વર્તમાન બાકી રકમ કરતાં ઓછી છે. ક્રેડિટ મર્યાદા ઓછામાં ઓછા હોઈ શકે છે {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},વેરહાઉસમાં એકાઉન્ટ સેટ કરો {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},વેરહાઉસમાં એકાઉન્ટ સેટ કરો {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'પર આધારિત' અને 'જૂથ દ્વારા' સમાન ન હોઈ શકે
 DocType: Sales Person,Sales Person Targets,વેચાણ વ્યક્તિ લક્ષ્યાંક
 DocType: Work Order Operation,In minutes,મિનિટ
 DocType: Issue,Resolution Date,ઠરાવ તારીખ
 DocType: Lab Test Template,Compound,કમ્પાઉન્ડ
+DocType: Opportunity,Probability (%),સંભવના (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,ડિસ્પ્લે સૂચના
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,સંપત્તિ પસંદ કરો
 DocType: Student Batch Name,Batch Name,બેચ નામ
 DocType: Fee Validity,Max number of visit,મુલાકાતની મહત્તમ સંખ્યા
 ,Hotel Room Occupancy,હોટેલ રૂમ વ્યવસ્થિત
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet બનાવવામાં:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},ચૂકવણીની પદ્ધતિ મૂળભૂત કેશ અથવા બેન્ક એકાઉન્ટ સેટ કરો {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},ચૂકવણીની પદ્ધતિ મૂળભૂત કેશ અથવા બેન્ક એકાઉન્ટ સેટ કરો {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,નોંધણી
 DocType: GST Settings,GST Settings,જીએસટી સેટિંગ્સ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},ચલણ કિંમત યાદી તરીકે જ હોવું જોઈએ ચલણ: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,ચૂકવવાપાત્ર કુલ વ્યાજ
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ઉતારેલ માલની કિંમત કર અને ખર્ચ
 DocType: Work Order Operation,Actual Start Time,વાસ્તવિક પ્રારંભ સમય
+DocType: Purchase Invoice Item,Deferred Expense Account,ડિફરર્ડ ખર્ચ એકાઉન્ટ
 DocType: BOM Operation,Operation Time,ઓપરેશન સમય
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,સમાપ્ત
 DocType: Salary Structure Assignment,Base,પાયો
 DocType: Timesheet,Total Billed Hours,કુલ ગણાવી કલાક
 DocType: Travel Itinerary,Travel To,માટે યાત્રા
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,નથી
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,રકમ માંડવાળ
 DocType: Leave Block List Allow,Allow User,વપરાશકર્તા માટે પરવાનગી આપે છે
 DocType: Journal Entry,Bill No,બિલ કોઈ
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,સમય પત્રક
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush કાચો માલ પર આધારિત
 DocType: Sales Invoice,Port Code,પોર્ટ કોડ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,રિઝર્વ વેરહાઉસ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,રિઝર્વ વેરહાઉસ
 DocType: Lead,Lead is an Organization,લીડ એક સંસ્થા છે
-DocType: Guardian Interest,Interest,વ્યાજ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,પૂર્વ વેચાણ
 DocType: Instructor Log,Other Details,અન્ય વિગતો
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,એકાઉન્ટ્સ
 DocType: Vehicle,Odometer Value (Last),ઑડોમીટર ભાવ (છેલ્લું)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,સપ્લાયર સ્કોરકાર્ડ માપદંડના નમૂનાઓ.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,માર્કેટિંગ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,માર્કેટિંગ
 DocType: Sales Invoice,Redeem Loyalty Points,લોયલ્ટી પોઇંટ્સ રીડિમ કરો
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,ચુકવણી એન્ટ્રી પહેલાથી જ બનાવવામાં આવે છે
 DocType: Request for Quotation,Get Suppliers,સપ્લાયર્સ મેળવો
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,ક્રોપ સ્પેસિંગ UOM
 DocType: Loyalty Program,Single Tier Program,એક ટાયર પ્રોગ્રામ
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,માત્ર જો તમે સેટઅપ કેશ ફ્લો મેપર દસ્તાવેજો છે તે પસંદ કરો
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,સરનામું 1 થી
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,સરનામું 1 થી
 DocType: Email Digest,Next email will be sent on:,આગામી ઇમેઇલ પર મોકલવામાં આવશે:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",નીચેની આઇટમ {વસ્તુઓ} {ક્રિયાપદ} {message} આઇટમ તરીકે ચિહ્નિત થયેલ છે. તમે તેમને આઇટમ માસ્ટરથી {message} આઇટમ તરીકે સક્ષમ કરી શકો છો
 DocType: Supplier Scorecard,Per Week,સપ્તાહ દીઠ
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,વસ્તુ ચલો છે.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,વસ્તુ ચલો છે.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,કુલ વિદ્યાર્થી
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,વસ્તુ {0} મળી નથી
 DocType: Bin,Stock Value,સ્ટોક ભાવ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,કંપની {0} અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,કંપની {0} અસ્તિત્વમાં નથી
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ની ફી માન્યતા {1} સુધી છે
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,વૃક્ષ પ્રકાર
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Qty યુનિટ દીઠ કમ્પોનન્ટ
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],ફિચિયર ડેસ ઇક્ચિટર્સ કૉમ્પેટબલ્સ [એફઇસી]
 DocType: Journal Entry,Credit Card Entry,ક્રેડિટ કાર્ડ એન્ટ્રી
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,કંપની અને એકાઉન્ટ્સ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,ભાવ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,ભાવ
 DocType: Asset Settings,Depreciation Options,અવમૂલ્યન વિકલ્પો
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,ક્યાં સ્થાન અથવા કર્મચારીની આવશ્યકતા હોવી જોઈએ
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,અમાન્ય પોસ્ટિંગ ટાઇમ
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,ફાળવણી
 DocType: Purchase Order,Supply Raw Materials,પુરવઠા કાચો માલ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,વર્તમાન અસ્કયામતો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} સ્ટોક વસ્તુ નથી
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} સ્ટોક વસ્તુ નથી
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',&#39;તાલીમ અભિપ્રાય&#39; પર ક્લિક કરીને અને પછી &#39;નવું&#39; પર ક્લિક કરીને તાલીમ માટે તમારી પ્રતિક્રિયા શેર કરો.
 DocType: Mode of Payment Account,Default Account,મૂળભૂત એકાઉન્ટ
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,પ્રથમ સ્ટોક સેટિંગ્સમાં નમૂના રીટેન્શન વેરહાઉસ પસંદ કરો
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,પ્રથમ સ્ટોક સેટિંગ્સમાં નમૂના રીટેન્શન વેરહાઉસ પસંદ કરો
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,કૃપા કરીને એકથી વધુ સંગ્રહ નિયમો માટે મલ્ટીપલ ટાયર પ્રોગ્રામ પ્રકાર પસંદ કરો
 DocType: Payment Entry,Received Amount (Company Currency),મળેલી રકમ (કંપની ચલણ)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"તક લીડ બનાવવામાં આવે છે, તો લીડ સુયોજિત થવુ જ જોઇએ"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,ચૂકવણી રદ કરી વધુ વિગતો માટે કૃપા કરીને તમારા GoCardless એકાઉન્ટને તપાસો
 DocType: Contract,N/A,એન / એ
+DocType: Delivery Settings,Send with Attachment,જોડાણ સાથે મોકલો
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,સાપ્તાહિક બોલ દિવસ પસંદ કરો
 DocType: Inpatient Record,O Negative,ઓ નકારાત્મક
 DocType: Work Order Operation,Planned End Time,આયોજિત સમાપ્તિ સમય
 ,Sales Person Target Variance Item Group-Wise,વેચાણ વ્યક્તિ લક્ષ્યાંક ફેરફાર વસ્તુ ગ્રુપ મુજબની
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,હાલની વ્યવહાર સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,હાલની વ્યવહાર સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,મેમ્બરશિપ ટીપ વિગત
 DocType: Delivery Note,Customer's Purchase Order No,ગ્રાહક ખરીદી ઓર્ડર કોઈ
 DocType: Clinical Procedure,Consume Stock,સ્ટોકનો ઉપયોગ કરો
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,રેતી
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,એનર્જી
 DocType: Opportunity,Opportunity From,પ્રતિ તક
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,પંક્તિ {0}: {1} વસ્તુ {2} માટે આવશ્યક ક્રમાંક ક્રમાંક. તમે {3} પ્રદાન કરેલ છે
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,પંક્તિ {0}: {1} વસ્તુ {2} માટે આવશ્યક ક્રમાંક ક્રમાંક. તમે {3} પ્રદાન કરેલ છે
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,કોષ્ટક પસંદ કરો
 DocType: BOM,Website Specifications,વેબસાઇટ તરફથી
 DocType: Special Test Items,Particulars,વિગત
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: પ્રતિ {0} પ્રકારની {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,રો {0}: રૂપાંતર ફેક્ટર ફરજિયાત છે
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,રો {0}: રૂપાંતર ફેક્ટર ફરજિયાત છે
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","મલ્ટીપલ ભાવ નિયમો જ માપદંડ સાથે અસ્તિત્વ ધરાવે છે, અગ્રતા સોંપણી દ્વારા તકરાર ઉકેલવા કરો. ભાવ નિયમો: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","મલ્ટીપલ ભાવ નિયમો જ માપદંડ સાથે અસ્તિત્વ ધરાવે છે, અગ્રતા સોંપણી દ્વારા તકરાર ઉકેલવા કરો. ભાવ નિયમો: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,એક્સચેન્જ રેટ રીવેલ્યુએશન એકાઉન્ટ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"નિષ્ક્રિય અથવા તે અન્ય BOMs સાથે કડી થયેલ છે, કારણ કે BOM રદ કરી શકાતી નથી"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"નિષ્ક્રિય અથવા તે અન્ય BOMs સાથે કડી થયેલ છે, કારણ કે BOM રદ કરી શકાતી નથી"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,પ્રવેશ મેળવવા માટેની કંપની અને પોસ્ટિંગ તારીખ પસંદ કરો
 DocType: Asset,Maintenance,જાળવણી
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,પેશન્ટ એન્કાઉન્ટરમાંથી મેળવો
 DocType: Subscriber,Subscriber,ઉપભોક્તા
 DocType: Item Attribute Value,Item Attribute Value,વસ્તુ કિંમત એટ્રીબ્યુટ
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,કૃપા કરીને તમારી પ્રોજેક્ટ સ્થિતિ અપડેટ કરો
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,કૃપા કરીને તમારી પ્રોજેક્ટ સ્થિતિ અપડેટ કરો
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,ખરીદ અથવા વેચાણ માટે કરન્સી એક્સચેન્જ લાગુ હોવું આવશ્યક છે.
 DocType: Item,Maximum sample quantity that can be retained,મહત્તમ નમૂના જથ્થો કે જે જાળવી શકાય
 DocType: Project Update,How is the Project Progressing Right Now?,પ્રોજેક્ટ હમણાં પ્રગતિ કેવી રીતે કરે છે?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},રો {0} # આઇટમ {1} ખરીદ ઑર્ડર {2} વિરુદ્ધ {2} કરતાં વધુ સ્થાનાંતરિત કરી શકાતી નથી
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},રો {0} # આઇટમ {1} ખરીદ ઑર્ડર {2} વિરુદ્ધ {2} કરતાં વધુ સ્થાનાંતરિત કરી શકાતી નથી
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,વેચાણ ઝુંબેશ.
 DocType: Project Task,Make Timesheet,Timesheet બનાવો
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,લેબ ટેસ્ટ
 DocType: Student Report Generation Tool,Student Report Generation Tool,સ્ટુડન્ટ રિપોર્ટ જનરેશન ટૂલ
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,હેલ્થકેર સૂચિ સમયનો સ્લોટ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,ડૉક નામ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,ડૉક નામ
 DocType: Expense Claim Detail,Expense Claim Type,ખર્ચ દાવાનો પ્રકાર
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,શોપિંગ કાર્ટ માટે મૂળભૂત સુયોજનો
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,ટાઇમસ્લોટ્સ ઉમેરો
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},એસેટ જર્નલ પ્રવેશ મારફતે ભાંગી પડયો {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},કૃપા કરીને કંપનીમાં વેરહાઉસ {0} અથવા ડિફોલ્ટ ઇન્વેન્ટરી એકાઉન્ટમાં એકાઉન્ટ સેટ કરો {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},એસેટ જર્નલ પ્રવેશ મારફતે ભાંગી પડયો {0}
 DocType: Loan,Interest Income Account,વ્યાજની આવક એકાઉન્ટ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,બેનિફિટ્સ વિતરણ કરવા માટે મહત્તમ લાભ શૂન્ય કરતાં વધારે હોવા જોઈએ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,બેનિફિટ્સ વિતરણ કરવા માટે મહત્તમ લાભ શૂન્ય કરતાં વધારે હોવા જોઈએ
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,સમીક્ષા આમંત્રણ મોકલાયું
 DocType: Shift Assignment,Shift Assignment,શીફ્ટ એસાઈનમેન્ટ
 DocType: Employee Transfer Property,Employee Transfer Property,કર્મચારી ટ્રાન્સફર સંપત્તિ
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,સમય પ્રતિ તે સમય કરતાં ઓછું હોવું જોઈએ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,બાયોટેકનોલોજી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",આઇટમ {0} (સીરીયલ નંબર: {1}) રિચાર્જ તરીકે સેલ્સ ઓર્ડર {2} માટે પૂર્ણફ્લાય થઈ શકે નહીં.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,ઓફિસ જાળવણી ખર્ચ
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,પર જાઓ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify થી ERPNext ભાવ સૂચિ માટે અપડેટ ભાવ
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ઇમેઇલ એકાઉન્ટ સુયોજિત કરી રહ્યા છે
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,પ્રથમ વસ્તુ દાખલ કરો
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,વિશ્લેષણ જરૂરી છે
 DocType: Asset Repair,Downtime,ડાઉનટાઇમ
 DocType: Account,Liability,જવાબદારી
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,મંજુર રકમ રો દાવો રકમ કરતાં વધારે ન હોઈ શકે {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,મંજુર રકમ રો દાવો રકમ કરતાં વધારે ન હોઈ શકે {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,શૈક્ષણિક શબ્દ:
 DocType: Salary Component,Do not include in total,કુલમાં શામેલ કરશો નહીં
 DocType: Company,Default Cost of Goods Sold Account,ચીજવસ્તુઓનું વેચાણ એકાઉન્ટ મૂળભૂત કિંમત
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},નમૂના જથ્થો {0} પ્રાપ્ત જથ્થા કરતા વધુ હોઈ શકતી નથી {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,ભાવ યાદી પસંદ નહી
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},નમૂના જથ્થો {0} પ્રાપ્ત જથ્થા કરતા વધુ હોઈ શકતી નથી {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,ભાવ યાદી પસંદ નહી
 DocType: Employee,Family Background,કૌટુંબિક પૃષ્ઠભૂમિ
 DocType: Request for Quotation Supplier,Send Email,ઇમેઇલ મોકલો
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},ચેતવણી: અમાન્ય જોડાણ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},ચેતવણી: અમાન્ય જોડાણ {0}
 DocType: Item,Max Sample Quantity,મહત્તમ નમૂના જથ્થો
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,પરવાનગી નથી
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,કોન્ટ્ર્ક્ટ ફલ્ફિલમેન્ટ ચેકલિસ્ટ
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: આ કિંમત કેન્દ્ર {2} કંપની ને અનુલક્ષતું નથી {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),તમારા અક્ષર વડાને અપલોડ કરો (તેને વેબ તરીકે મૈત્રીપૂર્ણ રાખો 900px દ્વારા 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: એકાઉન્ટ {2} એક જૂથ હોઈ શકે છે
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,વસ્તુ રો {IDX}: {Doctype} {DOCNAME} ઉપર અસ્તિત્વમાં નથી &#39;{Doctype}&#39; ટેબલ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} પહેલેથી જ પૂર્ણ અથવા રદ થયેલ છે
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} પહેલેથી જ પૂર્ણ અથવા રદ થયેલ છે
+DocType: QuickBooks Migrator,QuickBooks Migrator,ક્વિકબુક્સ માઇગ્રેટર
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,કોઈ કાર્યો
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,સેલ્સ ઇન્વોઇસ {0} પેઇડ તરીકે બનાવેલ છે
 DocType: Item Variant Settings,Copy Fields to Variant,ફીલ્ડ્સ ટુ વેરિએન્ટને કૉપિ કરો
 DocType: Asset,Opening Accumulated Depreciation,ખુલવાનો સંચિત અવમૂલ્યન
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,કુલ સ્કોર 5 કરતાં ઓછી અથવા સમાન હોવા જ જોઈએ
 DocType: Program Enrollment Tool,Program Enrollment Tool,કાર્યક્રમ પ્રવેશ સાધન
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,સી-ફોર્મ રેકોર્ડ
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,સી-ફોર્મ રેકોર્ડ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,શેર્સ પહેલેથી હાજર છે
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,ગ્રાહક અને સપ્લાયર
 DocType: Email Digest,Email Digest Settings,ઇમેઇલ ડાયજેસ્ટ સેટિંગ્સ
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,આઇટમ્સ પસંદ કરો
 DocType: Share Transfer,To Shareholder,શેરહોલ્ડરને
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} બિલ સામે {1} ના રોજ {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,રાજ્ય પ્રતિ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,રાજ્ય પ્રતિ
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,સેટઅપ સંસ્થા
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,પાંદડા ફાળવી ...
 DocType: Program Enrollment,Vehicle/Bus Number,વાહન / બસ સંખ્યા
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,કોર્સ શેડ્યૂલ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",પગારપત્રક ગાળાના છેલ્લી પગાર કાપમાં તમારે અનસ્યુમિટેડ કર મુક્તિ પ્રૂફ અને અનક્લેક્ડ કર્મચારી લાભો માટે કર કપાત કરવું પડશે.
 DocType: Request for Quotation Supplier,Quote Status,ભાવ સ્થિતિ
 DocType: GoCardless Settings,Webhooks Secret,વેબહૂક્સ સિક્રેટ
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,ચુકવણી કારણે તારીખ
 DocType: Drug Prescription,Interval UOM,અંતરાલ UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","રીસલેક્ટ કરો, જો સાચવેલા સરનામાંને સેવ કર્યા પછી સંપાદિત કરવામાં આવે છે"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,વસ્તુ વેરિએન્ટ {0} પહેલાથી જ લક્ષણો સાથે હાજર
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,વસ્તુ વેરિએન્ટ {0} પહેલાથી જ લક્ષણો સાથે હાજર
 DocType: Item,Hub Publishing Details,હબ પબ્લિશિંગ વિગતો
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','શરૂઆત'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','શરૂઆત'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,આવું કરવા માટે ઓપન
 DocType: Issue,Via Customer Portal,ગ્રાહક પોર્ટલ મારફતે
 DocType: Notification Control,Delivery Note Message,ડ લવર નોંધ સંદેશ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,એસજીએસટી રકમ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,એસજીએસટી રકમ
 DocType: Lab Test Template,Result Format,પરિણામ ફોર્મેટ
 DocType: Expense Claim,Expenses,ખર્ચ
 DocType: Item Variant Attribute,Item Variant Attribute,વસ્તુ વેરિએન્ટ એટ્રીબ્યુટ
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,દ્વિમાસિક
 DocType: Vehicle Service,Brake Pad,બ્રેક પેડ
 DocType: Fertilizer,Fertilizer Contents,ખાતર સામગ્રીઓ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,રિસર્ચ એન્ડ ડેવલપમેન્ટ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,રિસર્ચ એન્ડ ડેવલપમેન્ટ
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,બિલ રકમ
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","પ્રારંભ તારીખ અને સમાપ્તિ તારીખ જોબ કાર્ડ સાથે ઓવરલેપ થઈ રહી છે <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,નોંધણી વિગતો
 DocType: Timesheet,Total Billed Amount,કુલ ગણાવી રકમ
 DocType: Item Reorder,Re-Order Qty,ફરીથી ઓર્ડર Qty
 DocType: Leave Block List Date,Leave Block List Date,બ્લોક યાદી તારીખ છોડી દો
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,કૃપા કરીને શિક્ષણ&gt; શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: કાચો માલ મુખ્ય વસ્તુ જેટલું જ હોઈ શકતું નથી
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ખરીદી રસીદ વસ્તુઓ ટેબલ કુલ લાગુ ખર્ચ કુલ કર અને ખર્ચ તરીકે જ હોવી જોઈએ
 DocType: Sales Team,Incentives,ઇનસેન્ટીવ્સ
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,પોઇન્ટ ઓફ સેલ
 DocType: Fee Schedule,Fee Creation Status,ફી સર્જન સ્થિતિ
 DocType: Vehicle Log,Odometer Reading,ઑડોમીટર વાંચન
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","પહેલેથી ક્રેડિટ એકાઉન્ટ બેલેન્સ, તમે ડેબિટ &#39;તરીકે&#39; બેલેન્સ હોવું જોઈએ &#39;સુયોજિત કરવા માટે માન્ય નથી"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","પહેલેથી ક્રેડિટ એકાઉન્ટ બેલેન્સ, તમે ડેબિટ &#39;તરીકે&#39; બેલેન્સ હોવું જોઈએ &#39;સુયોજિત કરવા માટે માન્ય નથી"
 DocType: Account,Balance must be,બેલેન્સ હોવા જ જોઈએ
 DocType: Notification Control,Expense Claim Rejected Message,ખર્ચ દાવો નકારી સંદેશ
 ,Available Qty,ઉપલબ્ધ Qty
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ઓર્ડર્સની વિગતોને સમન્વયિત કરતા પહેલા એમેઝોન MWS થી હંમેશા તમારા ઉત્પાદનોને એકીકૃત કરો
 DocType: Delivery Trip,Delivery Stops,ડિલિવરી સ્ટોપ્સ
 DocType: Salary Slip,Working Days,કાર્યદિવસ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},પંક્તિ {0} માં આઇટમ માટે સેવા સ્ટોપ તારીખ બદલી શકાતી નથી
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},પંક્તિ {0} માં આઇટમ માટે સેવા સ્ટોપ તારીખ બદલી શકાતી નથી
 DocType: Serial No,Incoming Rate,ઇનકમિંગ દર
 DocType: Packing Slip,Gross Weight,સરેરાશ વજન
 DocType: Leave Type,Encashment Threshold Days,એન્કેશમેન્ટ થ્રેશોલ્ડ દિવસો
@@ -1399,31 +1407,33 @@
 DocType: Restaurant Table,Minimum Seating,ન્યુનત્તમ બેઠક
 DocType: Item Attribute,Item Attribute Values,વસ્તુ એટ્રીબ્યુટ મૂલ્યો
 DocType: Examination Result,Examination Result,પરીક્ષા પરિણામ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,ખરીદી રસીદ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,ખરીદી રસીદ
 ,Received Items To Be Billed,પ્રાપ્ત વસ્તુઓ બિલ કરવા
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,ચલણ વિનિમય દર માસ્ટર.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,ચલણ વિનિમય દર માસ્ટર.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},સંદર્ભ Doctype એક હોવો જ જોઈએ {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,ફિલ્ટર કુલ ઝીરો જથ્થો
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ઓપરેશન માટે આગામી {0} દિવસોમાં સમય સ્લોટ શોધવામાં અસમર્થ {1}
 DocType: Work Order,Plan material for sub-assemblies,પેટા-સ્થળોના માટે યોજના સામગ્રી
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,સેલ્સ પાર્ટનર્સ અને પ્રદેશ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} સક્રિય હોવા જ જોઈએ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} સક્રિય હોવા જ જોઈએ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,ટ્રાન્સફર માટે કોઈ આઇટમ્સ ઉપલબ્ધ નથી
 DocType: Employee Boarding Activity,Activity Name,પ્રવૃત્તિનું નામ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,રીલિઝ તારીખ બદલો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,સમાપ્ત ઉત્પાદન જથ્થો <b>{0}</b> અને જથ્થા માટે <b>{1}</b> અલગ અલગ હોઈ શકતી નથી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,રીલિઝ તારીખ બદલો
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,સમાપ્ત ઉત્પાદન જથ્થો <b>{0}</b> અને જથ્થા માટે <b>{1}</b> અલગ અલગ હોઈ શકતી નથી
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),સમાપન (ખુલીને + કુલ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,આઇટમ કોડ&gt; આઇટમ જૂથ&gt; બ્રાન્ડ
+DocType: Delivery Settings,Dispatch Notification Attachment,ડિસ્પ્લે સૂચના જોડાણ
 DocType: Payroll Entry,Number Of Employees,કર્મચારીઓની સંખ્યા
 DocType: Journal Entry,Depreciation Entry,અવમૂલ્યન એન્ટ્રી
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,પ્રથમ દસ્તાવેજ પ્રકાર પસંદ કરો
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,પ્રથમ દસ્તાવેજ પ્રકાર પસંદ કરો
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,આ જાળવણી મુલાકાત લો રદ રદ સામગ્રી મુલાકાત {0}
 DocType: Pricing Rule,Rate or Discount,દર અથવા ડિસ્કાઉન્ટ
 DocType: Vital Signs,One Sided,એક બાજુ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},સીરીયલ કોઈ {0} વસ્તુ ને અનુલક્ષતું નથી {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,જરૂરી Qty
 DocType: Marketplace Settings,Custom Data,કસ્ટમ ડેટા
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,હાલની વ્યવહાર સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},આઇટમ {0} માટે સીરીયલ નો ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,હાલની વ્યવહાર સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},આઇટમ {0} માટે સીરીયલ નો ફરજિયાત છે
 DocType: Bank Reconciliation,Total Amount,કુલ રકમ
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,વિવિધ રાજવિત્તીય વર્ષમાં તારીખ અને તારીખથી
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,પેશન્ટ {0} પાસે ભરતિયું માટે ગ્રાહક નફરત નથી
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),ક્લે રચના (%)
 DocType: Item Group,Item Group Defaults,આઇટમ ગ્રુપ ડિફૉલ્ટ્સ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,કાર્ય સોંપવા પહેલાં કૃપા કરીને સાચવો.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,બેલેન્સ ભાવ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,બેલેન્સ ભાવ
 DocType: Lab Test,Lab Technician,લેબ ટેકનિશિયન
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,સેલ્સ ભાવ યાદી
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,સેલ્સ ભાવ યાદી
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","જો ચકાસાયેલું હોય, તો ગ્રાહક બનાવશે, દર્દીને મેપ કરેલું. આ ગ્રાહક સામે પેશન્ટ ઇનવૉઇસેસ બનાવવામાં આવશે પેશન્ટ બનાવતી વખતે તમે હાલના ગ્રાહકોને પણ પસંદ કરી શકો છો"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ગ્રાહકને કોઈ પણ લોયલ્ટી પ્રોગ્રામમાં પ્રવેશ આપવામાં આવ્યો નથી
@@ -1450,13 +1460,13 @@
 DocType: Support Search Source,Search Term Param Name,સર્ચ ટર્મ પરામન નામ
 DocType: Item Barcode,Item Barcode,વસ્તુ બારકોડ
 DocType: Woocommerce Settings,Endpoints,એન્ડપોઇન્ટ્સ
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,વસ્તુ ચલો {0} સુધારાશે
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,વસ્તુ ચલો {0} સુધારાશે
 DocType: Quality Inspection Reading,Reading 6,6 વાંચન
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,નથી {0} {1} {2} વગર કોઈપણ નકારાત્મક બાકી ભરતિયું કરી શકો છો
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,નથી {0} {1} {2} વગર કોઈપણ નકારાત્મક બાકી ભરતિયું કરી શકો છો
 DocType: Share Transfer,From Folio No,ફોલિયો ના તરફથી
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,ભરતિયું એડવાન્સ ખરીદી
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},રો {0}: ક્રેડિટ પ્રવેશ સાથે લિંક કરી શકતા નથી {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,એક નાણાકીય વર્ષ માટે બજેટ વ્યાખ્યાયિત કરે છે.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,એક નાણાકીય વર્ષ માટે બજેટ વ્યાખ્યાયિત કરે છે.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext એકાઉન્ટ
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} અવરોધિત છે તેથી આ ટ્રાન્ઝેક્શન આગળ વધી શકતું નથી
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,જો એમ.આર.
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,ખરીદી ભરતિયું
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,વર્ક ઓર્ડર સામે બહુવિધ વપરાયેલી સામગ્રીને મંજૂરી આપો
 DocType: GL Entry,Voucher Detail No,વાઉચર વિગતવાર કોઈ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,ન્યૂ વેચાણ ભરતિયું
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,ન્યૂ વેચાણ ભરતિયું
 DocType: Stock Entry,Total Outgoing Value,કુલ આઉટગોઇંગ ભાવ
 DocType: Healthcare Practitioner,Appointments,નિમણૂંક
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,તારીખ અને છેલ્લી તારીખ ખોલીને એકસરખું જ રાજવૃત્તીય વર્ષ અંદર હોવો જોઈએ
 DocType: Lead,Request for Information,માહિતી માટે વિનંતી
 ,LeaderBoard,લીડરબોર્ડ
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),માર્જિન સાથેનો દર (કંપની કરન્સી)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ
 DocType: Payment Request,Paid,ચૂકવેલ
 DocType: Program Fee,Program Fee,કાર્યક્રમ ફી
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","અન્ય તમામ BOM માં ચોક્કસ BOM ને બદલો જ્યાં તેનો ઉપયોગ થાય છે. તે જૂના BOM લિંકને બદલશે, અપડેટની કિંમત અને નવા BOM મુજબ &quot;BOM વિસ્ફોટ વસ્તુ&quot; ટેબલ પુનઃપેદા કરશે. તે તમામ બીઓએમમાં નવીનતમ ભાવ પણ અપડેટ કરે છે."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,નીચેના કાર્ય ઓર્ડર્સ બનાવવામાં આવ્યા હતા:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,નીચેના કાર્ય ઓર્ડર્સ બનાવવામાં આવ્યા હતા:
 DocType: Salary Slip,Total in words,શબ્દોમાં કુલ
 DocType: Inpatient Record,Discharged,ડિસ્ચાર્જ
 DocType: Material Request Item,Lead Time Date,લીડ સમય તારીખ
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,શરૂ વિભાગો
 DocType: Lead,CRM-LEAD-.YYYY.-,સીઆરએમ- LEAD -YYYY.-
 DocType: Loan,Sanctioned,મંજૂર
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ માટે બનાવવામાં નથી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},ROW # {0}: વસ્તુ માટે કોઈ સીરીયલ સ્પષ્ટ કરો {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},કુલ યોગદાન રકમ: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},ROW # {0}: વસ્તુ માટે કોઈ સીરીયલ સ્પષ્ટ કરો {1}
 DocType: Payroll Entry,Salary Slips Submitted,પગાર સ્લિપ સબમિટ
 DocType: Crop Cycle,Crop Cycle,પાક ચક્ર
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;ઉત્પાદન બંડલ&#39; વસ્તુઓ, વેરહાઉસ, સીરીયલ કોઈ અને બેચ માટે કોઈ &#39;પેકિંગ યાદી&#39; ટેબલ પરથી ગણવામાં આવશે. વેરહાઉસ અને બેચ કોઈ કોઈ &#39;ઉત્પાદન બંડલ&#39; આઇટમ માટે બધા પેકિંગ વસ્તુઓ માટે જ છે, તો તે કિંમતો મુખ્ય વસ્તુ ટેબલ દાખલ કરી શકાય, મૂલ્યો મેજની યાદી પેકિંગ &#39;નકલ થશે."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;ઉત્પાદન બંડલ&#39; વસ્તુઓ, વેરહાઉસ, સીરીયલ કોઈ અને બેચ માટે કોઈ &#39;પેકિંગ યાદી&#39; ટેબલ પરથી ગણવામાં આવશે. વેરહાઉસ અને બેચ કોઈ કોઈ &#39;ઉત્પાદન બંડલ&#39; આઇટમ માટે બધા પેકિંગ વસ્તુઓ માટે જ છે, તો તે કિંમતો મુખ્ય વસ્તુ ટેબલ દાખલ કરી શકાય, મૂલ્યો મેજની યાદી પેકિંગ &#39;નકલ થશે."
 DocType: Amazon MWS Settings,BR,બીઆર
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,પ્લેસ પ્રતિ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,નેટ પે નકારાત્મક હોઈ શકે નહીં
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,પ્લેસ પ્રતિ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,નેટ પે નકારાત્મક હોઈ શકે નહીં
 DocType: Student Admission,Publish on website,વેબસાઇટ પર પ્રકાશિત
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,પુરવઠોકર્તા ભરતિયું તારીખ પોસ્ટ તારીખ કરતાં વધારે ન હોઈ શકે
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,પુરવઠોકર્તા ભરતિયું તારીખ પોસ્ટ તારીખ કરતાં વધારે ન હોઈ શકે
 DocType: Installation Note,MAT-INS-.YYYY.-,મેટ-આઈએનએસ - .YYY.-
 DocType: Subscription,Cancelation Date,રદ કરવાની તારીખ
 DocType: Purchase Invoice Item,Purchase Order Item,ઓર્ડર વસ્તુ ખરીદી
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,વિદ્યાર્થી એટેન્ડન્સ સાધન
 DocType: Restaurant Menu,Price List (Auto created),ભાવ સૂચિ (સ્વતઃ બનાવેલ)
 DocType: Cheque Print Template,Date Settings,તારીખ સેટિંગ્સ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,ફેરફાર
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,ફેરફાર
 DocType: Employee Promotion,Employee Promotion Detail,કર્મચારીનું પ્રમોશન વિગતવાર
 ,Company Name,કંપની નું નામ
 DocType: SMS Center,Total Message(s),કુલ સંદેશ (ઓ)
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,કર્મચારીનું જન્મદિવસ રિમાઇન્ડર્સ મોકલશો નહીં
 DocType: Expense Claim,Total Advance Amount,કુલ એડવાન્સ રકમ
 DocType: Delivery Stop,Estimated Arrival,અંદાજિત આગમન
-DocType: Delivery Stop,Notified by Email,ઇમેઇલ દ્વારા સૂચિત
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,બધા લેખો જુઓ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,ચાલવા
 DocType: Item,Inspection Criteria,નિરીક્ષણ માપદંડ
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,બિલ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,વ્હાઇટ
 DocType: SMS Center,All Lead (Open),બધા સીસું (ઓપન)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),રો {0}: Qty માટે ઉપલબ્ધ નથી {4} વેરહાઉસ {1} પ્રવેશ સમયે પોસ્ટ પર ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),રો {0}: Qty માટે ઉપલબ્ધ નથી {4} વેરહાઉસ {1} પ્રવેશ સમયે પોસ્ટ પર ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,તમે ચેકબોક્સની સૂચિમાંથી માત્ર એક જ વિકલ્પ પસંદ કરી શકો છો.
 DocType: Purchase Invoice,Get Advances Paid,એડવાન્સિસ ચૂકવેલ મેળવો
 DocType: Item,Automatically Create New Batch,ન્યૂ બેચ આપમેળે બનાવો
 DocType: Supplier,Represents Company,પ્રતિનિધિત્વ કંપની
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,બનાવો
 DocType: Student Admission,Admission Start Date,પ્રવેશ પ્રારંભ તારીખ
 DocType: Journal Entry,Total Amount in Words,શબ્દો કુલ રકમ
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,નવો કર્મચારી
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,એક ભૂલ આવી હતી. એક સંભવિત કારણ શું તમે ફોર્મ સાચવવામાં ન હોય કે હોઈ શકે છે. જો સમસ્યા યથાવત રહે તો support@erpnext.com સંપર્ક કરો.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,મારા કાર્ટ
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ઓર્ડર પ્રકાર એક હોવા જ જોઈએ {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ઓર્ડર પ્રકાર એક હોવા જ જોઈએ {0}
 DocType: Lead,Next Contact Date,આગામી સંપર્ક તારીખ
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty ખુલવાનો
 DocType: Healthcare Settings,Appointment Reminder,નિમણૂંક રીમાઇન્ડર
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ દાખલ કરો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ દાખલ કરો
 DocType: Program Enrollment Tool Student,Student Batch Name,વિદ્યાર્થી બેચ નામ
 DocType: Holiday List,Holiday List Name,રજા યાદી નામ
 DocType: Repayment Schedule,Balance Loan Amount,બેલેન્સ લોન રકમ
@@ -1577,13 +1585,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,સ્ટોક ઓપ્શન્સ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,કાર્ટમાં કોઈ આઈટમ્સ ઉમેરવામાં આવી નથી
 DocType: Journal Entry Account,Expense Claim,ખર્ચ દાવો
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,શું તમે ખરેખર આ પડયો એસેટ પુનઃસ્થાપિત કરવા માંગો છો?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,શું તમે ખરેખર આ પડયો એસેટ પુનઃસ્થાપિત કરવા માંગો છો?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},માટે Qty {0}
 DocType: Leave Application,Leave Application,રજા અરજી
 DocType: Patient,Patient Relation,પેશન્ટ રિલેશન
 DocType: Item,Hub Category to Publish,પ્રકાશિત હબ શ્રેણી
 DocType: Leave Block List,Leave Block List Dates,બ્લોક યાદી તારીખો છોડો
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","સેલ્સ ઓર્ડર {0} માં આઇટમ {1} માટે આરક્ષણ છે, તમે {0} સામે આરક્ષિત {1} વિતરિત કરી શકો છો. સીરીયલ નો {2} વિતરિત કરી શકાતો નથી"
 DocType: Sales Invoice,Billing Address GSTIN,બિલિંગ સરનામું GSTIN
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ઉલ્લેખ કરો એક {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,જથ્થો અથવા કિંમત કોઈ ફેરફાર સાથે દૂર વસ્તુઓ.
 DocType: Delivery Note,Delivery To,ડ લવર
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,વેરિયન્ટ બનાવટ કતારમાં છે
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} માટેનું કાર્ય સારાંશ
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,વેરિયન્ટ બનાવટ કતારમાં છે
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} માટેનું કાર્ય સારાંશ
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,સૂચિમાં પ્રથમ ડ્રો એપોવરવર ડિફૉલ્ટ રીવૉવર તરીકે સેટ કરવામાં આવશે.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,એટ્રીબ્યુટ ટેબલ ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,એટ્રીબ્યુટ ટેબલ ફરજિયાત છે
 DocType: Production Plan,Get Sales Orders,વેચાણ ઓર્ડર મેળવો
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} નકારાત્મક ન હોઈ શકે
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Quickbooks થી કનેક્ટ કરો
 DocType: Training Event,Self-Study,સ્વ-અભ્યાસ
 DocType: POS Closing Voucher,Period End Date,પીરિયડ સમાપ્તિ તારીખ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,માટી રચનાઓ 100 સુધી ઉમેરી નથી
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,ડિસ્કાઉન્ટ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,પંક્તિ {0}: {1} ઓપનિંગ {2} ઇનવોઇસ બનાવવા માટે આવશ્યક છે
 DocType: Membership,Membership,સભ્યપદ
 DocType: Asset,Total Number of Depreciations,કુલ Depreciations સંખ્યા
 DocType: Sales Invoice Item,Rate With Margin,માર્જિનથી દર
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},ટેબલ પંક્તિ {0} માટે માન્ય રો ને સ્પષ્ટ કરો {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,ચલ શોધવામાં અસમર્થ:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,નમપૅડમાંથી સંપાદિત કરવા માટે કૃપા કરીને ફીલ્ડ પસંદ કરો
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,સ્ટોક લેડરનું નિર્માણ થયેલું હોવાથી નિશ્ચિત એસેટ આઇટ્યુ હોઈ શકાતી નથી.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,સ્ટોક લેડરનું નિર્માણ થયેલું હોવાથી નિશ્ચિત એસેટ આઇટ્યુ હોઈ શકાતી નથી.
 DocType: Subscription Plan,Fixed rate,સ્થિર દર
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,સ્વીકાર્યું
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ડેસ્કટોપ પર જાઓ અને ERPNext ઉપયોગ શરૂ
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,શીપીંગ રાજ્ય
 ,Projected Quantity as Source,સોર્સ તરીકે પ્રોજેક્ટ જથ્થો
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,વસ્તુ બટન &#39;ખરીદી રસીદો થી વસ્તુઓ વિચાર&#39; નો ઉપયોગ ઉમેરાવી જ જોઈએ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,ડિલિવરી ટ્રીપ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,ડિલિવરી ટ્રીપ
 DocType: Student,A-,એ
 DocType: Share Transfer,Transfer Type,ટ્રાન્સફર ટાઇપ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,સેલ્સ ખર્ચ
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,મૂળભૂત વેચાણ ખર્ચ કેન્દ્ર
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ડિસ્ક
 DocType: Buying Settings,Material Transferred for Subcontract,ઉપકોન્ટ્રેક્ટ માટે વપરાયેલી સામગ્રી
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,પિન કોડ
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},વેચાણ ઓર્ડર {0} છે {1}
+DocType: Email Digest,Purchase Orders Items Overdue,ખરીદી ઓર્ડર આઈટમ્સ ઓવરડ્યુ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,પિન કોડ
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},વેચાણ ઓર્ડર {0} છે {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},લોનમાં વ્યાજની આવકનું એકાઉન્ટ પસંદ કરો {0}
 DocType: Opportunity,Contact Info,સંપર્ક માહિતી
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,સ્ટોક પ્રવેશો બનાવે
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,શૂન્ય બિલિંગ કલાક માટે ભરતિયું ન કરી શકાય
 DocType: Company,Date of Commencement,પ્રારંભની તારીખ
 DocType: Sales Person,Select company name first.,પ્રથમ પસંદ કંપની નામ.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ઇમેઇલ {0} ને મોકલવામાં આવી છે
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ઇમેઇલ {0} ને મોકલવામાં આવી છે
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,સુવાકયો સપ્લાયરો પાસેથી પ્રાપ્ત થઈ છે.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM ને બદલો અને તમામ BOM માં નવીનતમ ભાવ અપડેટ કરો
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},માટે {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,આ રૂટ સપ્લાયર ગ્રુપ છે અને સંપાદિત કરી શકાતું નથી.
-DocType: Delivery Trip,Driver Name,ડ્રાઈવરનું નામ
+DocType: Delivery Note,Driver Name,ડ્રાઈવરનું નામ
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,સરેરાશ ઉંમર
 DocType: Education Settings,Attendance Freeze Date,એટેન્ડન્સ ફ્રીઝ તારીખ
 DocType: Payment Request,Inward,અંદરની બાજુ
@@ -1698,7 +1709,7 @@
 DocType: Company,Parent Company,પિતૃ કંપની
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},હોટેલના રૂમ {0} {1} પર અનુપલબ્ધ છે
 DocType: Healthcare Practitioner,Default Currency,મૂળભૂત ચલણ
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,આઇટમ {0} માટે મહત્તમ ડિસ્કાઉન્ટ {1}% છે
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,આઇટમ {0} માટે મહત્તમ ડિસ્કાઉન્ટ {1}% છે
 DocType: Asset Movement,From Employee,કર્મચારી
 DocType: Driver,Cellphone Number,સેલ ફોન નંબર
 DocType: Project,Monitor Progress,મોનિટર પ્રગતિ
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},જથ્થો કરતાં ઓછી અથવા સમાન હોવા જ જોઈએ {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},ઘટક {0} માટે લાયક મહત્તમ રકમ {1} થી વધી જાય છે
 DocType: Department Approver,Department Approver,ડિપાર્ટમેન્ટ એપ્રોવર
+DocType: QuickBooks Migrator,Application Settings,એપ્લિકેશન સેટિંગ્સ
 DocType: SMS Center,Total Characters,કુલ અક્ષરો
 DocType: Employee Advance,Claimed,દાવો કર્યો
 DocType: Crop,Row Spacing,પંક્તિ અંતર
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},વસ્તુ માટે BOM ક્ષેત્રમાં BOM પસંદ કરો {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},વસ્તુ માટે BOM ક્ષેત્રમાં BOM પસંદ કરો {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,પસંદ કરેલ આઇટમ માટે કોઈ આઇટમ વેરિઅન્ટ નથી
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,સી-ફોર્મ ભરતિયું વિગતવાર
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ચુકવણી રિકંસીલેશન ભરતિયું
 DocType: Clinical Procedure,Procedure Template,પ્રોસિજર ઢાંચો
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,યોગદાન%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ખરીદી સેટિંગ્સ મુજબ જો ખરીદી ઓર્ડર જરૂરી == &#39;હા&#39; હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી હુકમ બનાવવાની જરૂર {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,યોગદાન%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ખરીદી સેટિંગ્સ મુજબ જો ખરીદી ઓર્ડર જરૂરી == &#39;હા&#39; હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી હુકમ બનાવવાની જરૂર {0}"
 ,HSN-wise-summary of outward supplies,બાહ્ય પુરવઠાનો એચએસએન-મુજબનો સારાંશ
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,તમારા સંદર્ભ માટે કંપની નોંધણી નંબરો. ટેક્સ નંબરો વગેરે
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,રાજ્ય માટે
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,રાજ્ય માટે
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,ડિસ્ટ્રીબ્યુટર
 DocType: Asset Finance Book,Asset Finance Book,એસેટ ફાઇનાન્સ બૂક
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,શોપિંગ કાર્ટ શીપીંગ નિયમ
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,આદેશ આપ્યો વસ્તુઓ બિલ કરવા
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,રેન્જ ઓછી હોઈ શકે છે કરતાં શ્રેણી
 DocType: Global Defaults,Global Defaults,વૈશ્વિક ડિફૉલ્ટ્સ
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,પ્રોજેક્ટ સહયોગ આમંત્રણ
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,પ્રોજેક્ટ સહયોગ આમંત્રણ
 DocType: Salary Slip,Deductions,કપાત
 DocType: Setup Progress Action,Action Name,ક્રિયા નામ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,પ્રારંભ વર્ષ
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,સલાહકાર
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,માતાપિતા શિક્ષક સભા એટેન્ડન્સ
 DocType: Salary Slip,Earnings,કમાણી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,સમાપ્ત વસ્તુ {0} ઉત્પાદન પ્રકાર પ્રવેશ માટે દાખલ કરવો જ પડશે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,સમાપ્ત વસ્તુ {0} ઉત્પાદન પ્રકાર પ્રવેશ માટે દાખલ કરવો જ પડશે
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,ખુલવાનો હિસાબી બેલેન્સ
 ,GST Sales Register,જીએસટી સેલ્સ રજિસ્ટર
 DocType: Sales Invoice Advance,Sales Invoice Advance,સેલ્સ ભરતિયું એડવાન્સ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,કંઈ વિનંતી કરવા
+DocType: Stock Settings,Default Return Warehouse,ડિફૉલ્ટ રીટર્ન વેરહાઉસ
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,તમારા ડોમેન્સ પસંદ કરો
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify પુરવઠોકર્તા
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ચુકવણી ભરતિયું આઈટમ્સ
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,બનાવટના સમયે જ ક્ષેત્રોની નકલ કરવામાં આવશે.
 DocType: Setup Progress Action,Domains,ડોમેન્સ
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','વાસ્તવિક શરૂઆત તારીખ' ’વાસ્તવિક અંતિમ તારીખ’ કરતાં વધારે ન હોઈ શકે
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,મેનેજમેન્ટ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,મેનેજમેન્ટ
 DocType: Cheque Print Template,Payer Settings,ચુકવણીકાર સેટિંગ્સ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,આપેલ આઇટમ્સ માટે લિંક કરવા માટે કોઈ બાકી સામગ્રી વિનંતીઓ મળી નથી.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,પ્રથમ કંપની પસંદ કરો
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","આ ચલ વસ્તુ કોડ ઉમેરાવું કરવામાં આવશે. તમારા સંક્ષેપ &quot;શૌન&quot; છે, અને ઉદાહરણ તરીકે, જો આઇટમ કોડ &quot;ટી શર્ટ&quot;, &quot;ટી-શર્ટ શૌન&quot; હશે ચલ આઇટમ કોડ છે"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,તમે પગાર કાપલી સેવ વાર (શબ્દોમાં) નેટ પે દૃશ્યમાન થશે.
 DocType: Delivery Note,Is Return,વળતર છે
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,સાવધાન
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',શરૂઆતનો દિવસ કાર્ય દિવસ &#39;{0}&#39; કરતાં વધારે છે
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,રીટર્ન / ડેબિટ નોટ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,રીટર્ન / ડેબિટ નોટ
 DocType: Price List Country,Price List Country,ભાવ યાદી દેશ
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} વસ્તુ માટે માન્ય સીરીયલ અમે {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,માહિતી આપો
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,પુરવઠોકર્તા ડેટાબેઝ.
 DocType: Contract Template,Contract Terms and Conditions,કરારના નિયમો અને શરતો
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,તમે સબ્સ્ક્રિપ્શન ફરીથી શરૂ કરી શકતા નથી કે જે રદ કરવામાં આવી નથી.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,તમે સબ્સ્ક્રિપ્શન ફરીથી શરૂ કરી શકતા નથી કે જે રદ કરવામાં આવી નથી.
 DocType: Account,Balance Sheet,સરવૈયા
 DocType: Leave Type,Is Earned Leave,કમાણી છોડેલી છે
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',&#39;આઇટમ કોડ સાથે આઇટમ માટે કેન્દ્ર ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',&#39;આઇટમ કોડ સાથે આઇટમ માટે કેન્દ્ર ખર્ચ
 DocType: Fee Validity,Valid Till,સુધી માન્ય
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,કુલ માતાપિતા શિક્ષક મીટિંગ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ચુકવણી સ્થિતિ રૂપરેખાંકિત થયેલ નથી. કૃપા કરીને તપાસો, કે શું એકાઉન્ટ ચૂકવણી સ્થિતિ પર અથવા POS પ્રોફાઇલ પર સેટ કરવામાં આવ્યો છે."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ચુકવણી સ્થિતિ રૂપરેખાંકિત થયેલ નથી. કૃપા કરીને તપાસો, કે શું એકાઉન્ટ ચૂકવણી સ્થિતિ પર અથવા POS પ્રોફાઇલ પર સેટ કરવામાં આવ્યો છે."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,એ જ વસ્તુ ઘણી વખત દાખલ કરી શકાતી નથી.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","વધુ એકાઉન્ટ્સ જૂથો હેઠળ કરી શકાય છે, પરંતુ પ્રવેશો બિન-જૂથો સામે કરી શકાય છે"
 DocType: Lead,Lead,લીડ
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS AUTH ટોકન
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,સ્ટોક એન્ટ્રી {0} બનાવવામાં
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,તમારી પાસે રિડીમ કરવા માટે વફાદારીના પોઇંટ્સ નથી
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,ROW # {0}: Qty ખરીદી રીટર્ન દાખલ કરી શકાતા નથી નકારેલું
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},કૃપા કરીને કંપની વિરુદ્ધ કરવેરા અટકાવવાની કેટેગરી {0} માં સંકળાયેલ એકાઉન્ટ સેટ કરો {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,ROW # {0}: Qty ખરીદી રીટર્ન દાખલ કરી શકાતા નથી નકારેલું
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,પસંદ કરેલ ગ્રાહક માટે કસ્ટમર ગ્રુપ બદલવાની મંજૂરી નથી.
 ,Purchase Order Items To Be Billed,ખરીદી ક્રમમાં વસ્તુઓ બિલ કરવા
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,અનુમાનિત આગમન સમયે અપડેટ કરવું
 DocType: Program Enrollment Tool,Enrollment Details,નોંધણી વિગતો
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,કોઈ કંપની માટે બહુવિધ આઇટમ ડિફોલ્ટ્સ સેટ કરી શકતા નથી.
 DocType: Purchase Invoice Item,Net Rate,નેટ દર
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,ગ્રાહકને પસંદ કરો
 DocType: Leave Policy,Leave Allocations,ફાળવણી છોડો
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,ચુકવણી માહિતી
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;એન્ટ્રીઝ&#39; ખાલી ન હોઈ શકે
 DocType: Maintenance Team Member,Maintenance Role,જાળવણી ભૂમિકા
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},સાથે નકલી પંક્તિ {0} જ {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},સાથે નકલી પંક્તિ {0} જ {1}
 DocType: Marketplace Settings,Disable Marketplace,માર્કેટપ્લેસ અક્ષમ કરો
 ,Trial Balance,ટ્રાયલ બેલેન્સ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,ફિસ્કલ વર્ષ {0} મળી નથી
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,ઓ-
 DocType: Subscription Settings,Subscription Settings,સબ્સ્ક્રિપ્શન સેટિંગ્સ
 DocType: Purchase Invoice,Update Auto Repeat Reference,સ્વતઃ પુનરાવર્તન સંદર્ભને અપડેટ કરો
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},વૈકલ્પિક રજાઓની સૂચિ રજાની અવધિ માટે સેટ નથી {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},વૈકલ્પિક રજાઓની સૂચિ રજાની અવધિ માટે સેટ નથી {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,સંશોધન
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,સરનામું 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,સરનામું 2
 DocType: Maintenance Visit Purpose,Work Done,કામ કર્યું
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,લક્ષણો ટેબલ ઓછામાં ઓછા એક લક્ષણ સ્પષ્ટ કરો
 DocType: Announcement,All Students,બધા વિદ્યાર્થીઓ
@@ -1854,16 +1870,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,સુવ્યવસ્થિત વ્યવહારો
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,જુનું
 DocType: Crop Cycle,Linked Location,લિંક કરેલ સ્થાન
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","એક વસ્તુ ગ્રુપ જ નામ સાથે હાજર, આઇટમ નામ બદલવા અથવા વસ્તુ જૂથ નામ બદલી કૃપા કરીને"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","એક વસ્તુ ગ્રુપ જ નામ સાથે હાજર, આઇટમ નામ બદલવા અથવા વસ્તુ જૂથ નામ બદલી કૃપા કરીને"
 DocType: Crop Cycle,Less than a year,એક વર્ષ કરતાં ઓછા
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,વિદ્યાર્થી મોબાઇલ નંબર
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,બાકીનું વિશ્વ
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,બાકીનું વિશ્વ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,આ આઇટમ {0} બેચ હોઈ શકે નહિં
 DocType: Crop,Yield UOM,યોગ UOM
 ,Budget Variance Report,બજેટ ફેરફાર રિપોર્ટ
 DocType: Salary Slip,Gross Pay,કુલ પે
 DocType: Item,Is Item from Hub,હબથી આઇટમ છે
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,હેલ્થકેર સેવાઓમાંથી વસ્તુઓ મેળવો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,હેલ્થકેર સેવાઓમાંથી વસ્તુઓ મેળવો
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,રો {0}: પ્રવૃત્તિ પ્રકાર ફરજિયાત છે.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,ડિવિડન્ડ ચૂકવેલ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,હિસાબી ખાતાવહી
@@ -1878,6 +1894,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,ચુકવણી સ્થિતિ
 DocType: Purchase Invoice,Supplied Items,પૂરી પાડવામાં વસ્તુઓ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},મહેરબાની કરીને રેસ્ટોરન્ટ માટે સક્રિય મેનુ સેટ કરો {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,કમિશન દર%
 DocType: Work Order,Qty To Manufacture,ઉત્પાદન Qty
 DocType: Email Digest,New Income,નવી આવક
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,ખરીદી ચક્ર દરમ્યાન જ દર જાળવી
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},મૂલ્યાંકન દર પંક્તિ માં વસ્તુ માટે જરૂરી {0}
 DocType: Supplier Scorecard,Scorecard Actions,સ્કોરકાર્ડ ક્રિયાઓ
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,ઉદાહરણ: કોમ્પ્યુટર સાયન્સમાં માસ્ટર્સ
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},સપ્લાયર {0} {1} માં મળી નથી
 DocType: Purchase Invoice,Rejected Warehouse,નકારેલું વેરહાઉસ
 DocType: GL Entry,Against Voucher,વાઉચર સામે
 DocType: Item Default,Default Buying Cost Center,ડિફૉલ્ટ ખરીદી ખર્ચ કેન્દ્રને
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext બહાર શ્રેષ્ઠ વિચાર, અમે તમને થોડો સમય લાગી અને આ સહાય વિડિઓઝ જોઈ ભલામણ કરીએ છીએ."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),ડિફોલ્ટ સપ્લાયર માટે (વૈકલ્પિક)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,માટે
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),ડિફોલ્ટ સપ્લાયર માટે (વૈકલ્પિક)
 DocType: Supplier Quotation Item,Lead Time in days,દિવસોમાં લીડ સમય
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,એકાઉન્ટ્સ ચૂકવવાપાત્ર સારાંશ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},સ્થિર એકાઉન્ટ સંપાદિત કરો કરવા માટે અધિકૃત ન {0}
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,સુવાકયો માટે નવી વિનંતી માટે ચેતવો
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,ખરીદી ઓર્ડર કરવાની યોજના ઘડી મદદ અને તમારી ખરીદી પર અનુસરો
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,લેબ ટેસ્ટ પ્રિસ્ક્રિપ્શન્સ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",કુલ અંક / ટ્રાન્સફર જથ્થો {0} સામગ્રી વિનંતી {1} \ વસ્તુ માટે વિનંતી જથ્થો {2} કરતાં વધારે ન હોઈ શકે {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,નાના
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","જો Shopify ઑર્ડરમાં કોઈ ગ્રાહક ન હોય તો, પછી ઓર્ડર્સ સમન્વય કરતી વખતે, સિસ્ટમ ડિફોલ્ટ ગ્રાહકને ઓર્ડર માટે ધ્યાનમાં લેશે"
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,% પૂર્ણ
 ,Invoiced Amount (Exculsive Tax),ભરતિયું રકમ (Exculsive ટેક્સ)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,આઇટમ 2
+DocType: QuickBooks Migrator,Authorization Endpoint,અધિકૃતતા સમાપ્તિબિંદુ
 DocType: Travel Request,International,આંતરરાષ્ટ્રીય
 DocType: Training Event,Training Event,તાલીમ ઘટના
 DocType: Item,Auto re-order,ઓટો ફરી ઓર્ડર
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,કરાર
 DocType: Plant Analysis,Laboratory Testing Datetime,લેબોરેટરી પરીક્ષણ ડેટટાઇમ
 DocType: Email Digest,Add Quote,ભાવ ઉમેરો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM માટે જરૂરી UOM coversion પરિબળ: {0} વસ્તુ: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM માટે જરૂરી UOM coversion પરિબળ: {0} વસ્તુ: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,પરોક્ષ ખર્ચ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,રો {0}: Qty ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,રો {0}: Qty ફરજિયાત છે
 DocType: Agriculture Analysis Criteria,Agriculture,કૃષિ
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,સેલ્સ ઓર્ડર બનાવો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,અસેટ માટે એકાઉન્ટિંગ એન્ટ્રી
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,બ્લોક ઇન્વોઇસ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,અસેટ માટે એકાઉન્ટિંગ એન્ટ્રી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,બ્લોક ઇન્વોઇસ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,મેક માટે જથ્થો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,સમન્વય માસ્ટર ડેટા
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,સમન્વય માસ્ટર ડેટા
 DocType: Asset Repair,Repair Cost,સમારકામ કિંમત
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,તમારી ઉત્પાદનો અથવા સેવાઓ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,લૉગિન કરવામાં નિષ્ફળ
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,સંપત્તિ {0} બનાવી
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,સંપત્તિ {0} બનાવી
 DocType: Special Test Items,Special Test Items,ખાસ ટેસ્ટ આઈટમ્સ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,તમે બજાર પર રજીસ્ટર કરવા માટે સિસ્ટમ મેનેજર અને આઇટમ મેનેજર ભૂમિકાઓ સાથે વપરાશકર્તા બનવાની જરૂર છે.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,ચૂકવણીની પદ્ધતિ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,તમારા સોંપાયેલ પગાર માળખું મુજબ તમે લાભ માટે અરજી કરી શકતા નથી
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,વેબસાઇટ છબી જાહેર ફાઈલ અથવા વેબસાઇટ URL હોવો જોઈએ
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,વેબસાઇટ છબી જાહેર ફાઈલ અથવા વેબસાઇટ URL હોવો જોઈએ
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,આ રુટ વસ્તુ જૂથ છે અને સંપાદિત કરી શકાતી નથી.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,મર્જ કરો
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,વેરહાઉસ સંપર્ક માહિતી
 DocType: Payment Entry,Write Off Difference Amount,માંડવાળ તફાવત રકમ
 DocType: Volunteer,Volunteer Name,સ્વયંસેવક નામ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: કર્મચારીનું ઇમેઇલ મળી નથી, તેથી નથી મોકલવામાં ઇમેઇલ"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},અન્ય પંક્તિઓમાં ડુપ્લિકેટ બાકી તારીખો સાથેની પંક્તિઓ મળી: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: કર્મચારીનું ઇમેઇલ મળી નથી, તેથી નથી મોકલવામાં ઇમેઇલ"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},આપેલ તારીખ {1} પર કર્મચારી {0} માટે કોઈ પગાર માળખું નથી.
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},શીપીંગ નિયમ દેશ {0} માટે લાગુ નથી
 DocType: Item,Foreign Trade Details,ફોરેન ટ્રેડ વિગતો
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,વાર્ષિક આવક
 DocType: Serial No,Serial No Details,સીરીયલ કોઈ વિગતો
 DocType: Purchase Invoice Item,Item Tax Rate,વસ્તુ ટેક્સ રેટ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,પાર્ટી નામ પરથી
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,પાર્ટી નામ પરથી
 DocType: Student Group Student,Group Roll Number,ગ્રુપ રોલ નંબર
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, માત્ર ક્રેડિટ ખાતાઓ અન્ય ડેબિટ પ્રવેશ સામે લિંક કરી શકો છો"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,ડ લવર નોંધ {0} અપર્ણ ન કરાય
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,ડ લવર નોંધ {0} અપર્ણ ન કરાય
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,વસ્તુ {0} એ પેટા કોન્ટ્રાક્ટ વસ્તુ જ હોવી જોઈએ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,કેપિટલ સાધનો
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","પ્રાઇસીંગ નિયમ પ્રથમ પર આધારિત પસંદ થયેલ વસ્તુ, આઇટમ ગ્રુપ અથવા બ્રાન્ડ બની શકે છે, જે ક્ષેત્ર &#39;પર લાગુ પડે છે."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,આઇટમ કોડને પહેલા સેટ કરો
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ડૉક પ્રકાર
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,વેચાણ ટીમ માટે કુલ ફાળવેલ ટકાવારી 100 પ્રયત્ન કરીશું
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ડૉક પ્રકાર
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,વેચાણ ટીમ માટે કુલ ફાળવેલ ટકાવારી 100 પ્રયત્ન કરીશું
 DocType: Subscription Plan,Billing Interval Count,બિલિંગ અંતરાલ ગણક
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,નિમણૂંકો અને પેશન્ટ એન્કાઉન્ટર
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,મૂલ્ય ખૂટે છે
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,પ્રિન્ટ ફોર્મેટ બનાવો
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,ફી બનાવ્યું
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},કોઈ પણ વસ્તુ કહેવાય શોધી શક્યા ન હતા {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,વસ્તુઓ ફિલ્ટર કરો
 DocType: Supplier Scorecard Criteria,Criteria Formula,માપદંડ ફોર્મ્યુલા
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,કુલ આઉટગોઇંગ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",માત્ર &quot;કિંમત&quot; 0 અથવા ખાલી કિંમત સાથે એક શીપીંગ નિયમ શરત હોઈ શકે છે
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","આઇટમ {0} માટે, જથ્થો હકારાત્મક સંખ્યા હોવી જોઈએ"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,નોંધ: આ ખર્ચ કેન્દ્ર એક જૂથ છે. જૂથો સામે હિસાબી પ્રવેશો બનાવી શકાતી નથી.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,માન્ય રજાઓના દિવસોમાં વળતરની રજાની વિનંતીઓ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,બાળ વેરહાઉસ આ વેરહાઉસ માટે અસ્તિત્વમાં છે. તમે આ વેરહાઉસ કાઢી શકતા નથી.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,બાળ વેરહાઉસ આ વેરહાઉસ માટે અસ્તિત્વમાં છે. તમે આ વેરહાઉસ કાઢી શકતા નથી.
 DocType: Item,Website Item Groups,વેબસાઇટ વસ્તુ જૂથો
 DocType: Purchase Invoice,Total (Company Currency),કુલ (કંપની ચલણ)
 DocType: Daily Work Summary Group,Reminder,રીમાઇન્ડર
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,ઍક્સેસિબલ વેલ્યુ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,ઍક્સેસિબલ વેલ્યુ
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,{0} સીરીયલ નંબર એક કરતા વધુ વખત દાખલ
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,જર્નલ પ્રવેશ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,જીએસટીઆઈએનથી
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,જીએસટીઆઈએનથી
 DocType: Expense Claim Advance,Unclaimed amount,દાવો ન કરેલા રકમ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} પ્રગતિ વસ્તુઓ
 DocType: Workstation,Workstation Name,વર્કસ્ટેશન નામ
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,POS વસ્તુ ગ્રુપ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ડાયજેસ્ટ ઇમેઇલ:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,વૈકલ્પિક આઇટમ આઇટમ કોડ તરીકે જ ન હોવો જોઈએ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} વસ્તુ ને અનુલક્ષતું નથી {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} વસ્તુ ને અનુલક્ષતું નથી {1}
 DocType: Sales Partner,Target Distribution,લક્ષ્ય વિતરણની
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,કામચલાઉ આકારણીના 06-અંતિમ રૂપ
 DocType: Salary Slip,Bank Account No.,બેન્ક એકાઉન્ટ નંબર
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","સ્કોરકાર્ડ વેરિયેબલ્સનો ઉપયોગ કરી શકાય છે, તેમજ: {total_score} (તે સમયના કુલ સ્કોર), {period_number} (દિવસને પ્રસ્તુત કરવાના સમયગાળાઓની સંખ્યા)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,સંકુચિત બધા
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,સંકુચિત બધા
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,ખરીદ ઑર્ડર બનાવો
 DocType: Quality Inspection Reading,Reading 8,8 વાંચન
 DocType: Inpatient Record,Discharge Note,ડિસ્ચાર્જ નોટ
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,પ્રિવિલેજ છોડો
 DocType: Purchase Invoice,Supplier Invoice Date,પુરવઠોકર્તા ભરતિયું તારીખ
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,આ કિંમત પ્રો-રટા ટેમ્પોરિસ ગણતરી માટે વપરાય છે
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,તમે શોપિંગ કાર્ટ સક્રિય કરવાની જરૂર છે
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,તમે શોપિંગ કાર્ટ સક્રિય કરવાની જરૂર છે
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,એમએટી-એમવીએસ- .YYYY.-
 DocType: Stock Settings,Naming Series Prefix,નામકરણ શ્રેણી ઉપસર્ગ
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,વચ્ચે ઑવરલેપ શરતો:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,જર્નલ સામે એન્ટ્રી {0} પહેલેથી જ કેટલાક અન્ય વાઉચર સામે ગોઠવ્યો છે
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,કુલ ઓર્ડર ભાવ
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ફૂડ
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,ફૂડ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,એઇજીંગનો રેન્જ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS ક્લોઝિંગ વાઉચર વિગતો
 DocType: Shopify Log,Shopify Log,Shopify લોગ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,કૃપા કરીને {0} સેટઅપ&gt; સેટિંગ્સ&gt; નામકરણ શ્રેણી દ્વારા નામકરણ સીરીઝ સેટ કરો
 DocType: Inpatient Occupancy,Check In,ચેક ઇન કરો
 DocType: Maintenance Schedule Item,No of Visits,મુલાકાત કોઈ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},જાળવણી સુનિશ્ચિત {0} સામે અસ્તિત્વમાં {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),મહત્તમ લાભો (રકમ)
 DocType: Purchase Invoice,Contact Person,સંપર્ક વ્યક્તિ
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','અપેક્ષિત શરૂઆત તારીખ' કરતાં 'અપેક્ષિત અંતિમ તારીખ' વધારે ન હોઈ શકે
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,આ સમયગાળા માટે કોઈ ડેટા નથી
 DocType: Course Scheduling Tool,Course End Date,કોર્સ સમાપ્તિ તારીખ
 DocType: Holiday List,Holidays,રજાઓ
 DocType: Sales Order Item,Planned Quantity,આયોજિત જથ્થો
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,સ્થિર એસેટ કુલ ફેરફાર
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,રેક્યુડ જથ્થો
 DocType: Leave Control Panel,Leave blank if considered for all designations,બધા ડેઝીગ્નેશન્સ માટે વિચારણા તો ખાલી છોડી દો
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રકાર &#39;વાસ્તવિક&#39; પંક્તિ માં ચાર્જ {0} આઇટમ રેટ સમાવેશ કરવામાં નથી કરી શકો છો
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રકાર &#39;વાસ્તવિક&#39; પંક્તિ માં ચાર્જ {0} આઇટમ રેટ સમાવેશ કરવામાં નથી કરી શકો છો
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},મહત્તમ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,તારીખ સમય પ્રતિ
 DocType: Shopify Settings,For Company,કંપની માટે
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,નિયમો અને શરતો સામગ્રી
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,કોર્સ શેડ્યૂલ બનાવતી ભૂલો હતી
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,સૂચિમાં પ્રથમ ખર્ચના આધારે ડિફોલ્ટ ખર્ચ ઉપકારક તરીકે સેટ કરવામાં આવશે.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 કરતા વધારે ન હોઈ શકે
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 કરતા વધારે ન હોઈ શકે
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,માર્કેટમેન પર નોંધણી કરવા માટે તમે સિસ્ટમ વ્યવસ્થાપક અને આઇટમ મેનેજર ભૂમિકાઓ સાથે એડમિનિસ્ટ્રેટર સિવાયના એક વપરાશકર્તા બનવાની જરૂર છે.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} વસ્તુ સ્ટોક વસ્તુ નથી
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} વસ્તુ સ્ટોક વસ્તુ નથી
 DocType: Packing Slip,MAT-PAC-.YYYY.-,એમએટી-પી.સી.સી.- વાય.વાય.વાય.-
 DocType: Maintenance Visit,Unscheduled,અનિશ્ચિત
 DocType: Employee,Owned,માલિકીની
@@ -2144,7 +2164,7 @@
 DocType: HR Settings,Employee Settings,કર્મચારીનું સેટિંગ્સ
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,ચુકવણી સિસ્ટમ લોડ કરી રહ્યું છે
 ,Batch-Wise Balance History,બેચ વાઈસ બેલેન્સ ઇતિહાસ
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,પંક્તિ # {0}: આઇટમ {1} માટે રકમની બિલ કરતાં વધુ રકમ હોય તો દર સેટ કરી શકાતી નથી.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,પંક્તિ # {0}: આઇટમ {1} માટે રકમની બિલ કરતાં વધુ રકમ હોય તો દર સેટ કરી શકાતી નથી.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,પ્રિંટ સેટિંગ્સને સંબંધિત પ્રિન્ટ બંધારણમાં સુધારાશે
 DocType: Package Code,Package Code,પેકેજ કોડ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,એપ્રેન્ટિસ
@@ -2152,7 +2172,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,નકારાત્મક જથ્થો મંજૂરી નથી
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",સ્ટ્રિંગ તરીકે વસ્તુ માસ્ટર પાસેથી મેળવ્યાં અને આ ક્ષેત્રમાં સંગ્રહિત કર વિગતવાર કોષ્ટક. કર અને ખર્ચ માટે વપરાય છે
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,કર્મચારીનું પોતાની જાતને જાણ કરી શકો છો.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,કર્મચારીનું પોતાની જાતને જાણ કરી શકો છો.
 DocType: Leave Type,Max Leaves Allowed,મેક્સ પાંદડા મંજૂર
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","એકાઉન્ટ સ્થિર છે, તો પ્રવેશો પ્રતિબંધિત વપરાશકર્તાઓ માટે માન્ય છે."
 DocType: Email Digest,Bank Balance,બેંક બેલેન્સ
@@ -2178,6 +2198,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,બેન્ક ટ્રાન્ઝેક્શન એન્ટ્રીઝ
 DocType: Quality Inspection,Readings,વાંચનો
 DocType: Stock Entry,Total Additional Costs,કુલ વધારાના ખર્ચ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,કોઈ ક્રિયાપ્રતિક્રિયા નથી
 DocType: BOM,Scrap Material Cost(Company Currency),સ્ક્રેપ સામગ્રી ખર્ચ (કંપની ચલણ)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,પેટા એસેમ્બલીઝ
 DocType: Asset,Asset Name,એસેટ નામ
@@ -2185,10 +2206,10 @@
 DocType: Shipping Rule Condition,To Value,કિંમત
 DocType: Loyalty Program,Loyalty Program Type,લોયલ્ટી પ્રોગ્રામ પ્રકાર
 DocType: Asset Movement,Stock Manager,સ્ટોક વ્યવસ્થાપક
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},સોર્સ વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},સોર્સ વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,{0} પંક્તિની પેમેન્ટ ટર્મ સંભવતઃ ડુપ્લિકેટ છે.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),કૃષિ (બીટા)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,પેકિંગ કાપલી
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,પેકિંગ કાપલી
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,ઓફિસ ભાડે
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,સેટઅપ એસએમએસ ગેટવે સેટિંગ્સ
 DocType: Disease,Common Name,સામાન્ય નામ
@@ -2220,20 +2241,17 @@
 DocType: Payment Order,PMO-,પીએમઓ-
 DocType: HR Settings,Email Salary Slip to Employee,કર્મચારીનું ઇમેઇલ પગાર કાપલી
 DocType: Cost Center,Parent Cost Center,પિતૃ ખર્ચ કેન્દ્રને
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,શક્ય પુરવઠોકર્તા પસંદ કરો
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,શક્ય પુરવઠોકર્તા પસંદ કરો
 DocType: Sales Invoice,Source,સોર્સ
 DocType: Customer,"Select, to make the customer searchable with these fields","આ ક્ષેત્રો સાથે ગ્રાહકને શોધવા યોગ્ય બનાવવા માટે, પસંદ કરો"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,શિપ પર Shopify માંથી ડિલિવરી નોંધો આયાત કરો
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,બતાવો બંધ
 DocType: Leave Type,Is Leave Without Pay,પગાર વિના છોડી દો
-DocType: Lab Test,HLC-LT-.YYYY.-,એચએલસી-એલટી-. વાયવાયવાય.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,એસેટ વર્ગ સ્થિર એસેટ આઇટમ માટે ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,એસેટ વર્ગ સ્થિર એસેટ આઇટમ માટે ફરજિયાત છે
 DocType: Fee Validity,Fee Validity,ફી માન્યતા
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,આ ચુકવણી ટેબલ માં શોધી કોઈ રેકોર્ડ
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},આ {0} સાથે તકરાર {1} માટે {2} {3}
 DocType: Student Attendance Tool,Students HTML,વિદ્યાર્થીઓ HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","કૃપા કરીને આ દસ્તાવેજને રદ કરવા માટે કર્મચારી <a href=""#Form/Employee/{0}"">{0}</a> \ કાઢી નાખો"
 DocType: POS Profile,Apply Discount,ડિસ્કાઉન્ટ લાગુ
 DocType: GST HSN Code,GST HSN Code,જીએસટી HSN કોડ
 DocType: Employee External Work History,Total Experience,કુલ અનુભવ
@@ -2256,7 +2274,7 @@
 DocType: Maintenance Schedule,Schedules,ફ્લાઈટ શેડ્યુલ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,પીઓસ પ્રોફાઇલને પોઈન્ટ ઓફ સેલનો ઉપયોગ કરવો જરૂરી છે
 DocType: Cashier Closing,Net Amount,ચોખ્ખી રકમ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} સબમિટ કરવામાં આવી નથી જેથી ક્રિયા પૂર્ણ કરી શકાતી નથી
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} સબમિટ કરવામાં આવી નથી જેથી ક્રિયા પૂર્ણ કરી શકાતી નથી
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM વિગતવાર કોઈ
 DocType: Landed Cost Voucher,Additional Charges,વધારાના ખર્ચ
 DocType: Support Search Source,Result Route Field,પરિણામ રૂટ ક્ષેત્ર
@@ -2285,11 +2303,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,ખુલ્લા ઇનવૉઇસેસ
 DocType: Contract,Contract Details,કોન્ટ્રેક્ટ વિગતો
 DocType: Employee,Leave Details,વિગતો છોડો
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,કર્મચારીનું ભૂમિકા સુયોજિત કરવા માટે એક કર્મચારી રેકોર્ડ વપરાશકર્તા ID ક્ષેત્ર સુયોજિત કરો
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,કર્મચારીનું ભૂમિકા સુયોજિત કરવા માટે એક કર્મચારી રેકોર્ડ વપરાશકર્તા ID ક્ષેત્ર સુયોજિત કરો
 DocType: UOM,UOM Name,UOM નામ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,સરનામું 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,સરનામું 1
 DocType: GST HSN Code,HSN Code,HSN કોડ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,ફાળાની રકમ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,ફાળાની રકમ
 DocType: Inpatient Record,Patient Encounter,પેશન્ટ એન્કાઉન્ટર
 DocType: Purchase Invoice,Shipping Address,પહોંચાડવાનું સરનામું
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,આ સાધન તમે અપડેટ અથવા સિસ્ટમ સ્ટોક જથ્થો અને મૂલ્યાંકન સુધારવા માટે મદદ કરે છે. તે સામાન્ય રીતે સિસ્ટમ મૂલ્યો અને શું ખરેખર તમારા વખારો માં અસ્તિત્વમાં સુમેળ કરવા માટે વપરાય છે.
@@ -2306,9 +2324,9 @@
 DocType: Travel Itinerary,Mode of Travel,યાત્રાનો માર્ગ
 DocType: Sales Invoice Item,Brand Name,બ્રાન્ડ નામ
 DocType: Purchase Receipt,Transporter Details,ટ્રાન્સપોર્ટર વિગતો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,મૂળભૂત વેરહાઉસ પસંદ આઇટમ માટે જરૂરી છે
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,મૂળભૂત વેરહાઉસ પસંદ આઇટમ માટે જરૂરી છે
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,બોક્સ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,શક્ય પુરવઠોકર્તા
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,શક્ય પુરવઠોકર્તા
 DocType: Budget,Monthly Distribution,માસિક વિતરણ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,રીસીવર સૂચિ ખાલી છે. રીસીવર યાદી બનાવવા કરો
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),હેલ્થકેર (બીટા)
@@ -2329,6 +2347,7 @@
 ,Lead Name,લીડ નામ
 ,POS,POS
 DocType: C-Form,III,ત્રીજા
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,સંભવિત
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,ખુલવાનો સ્ટોક બેલેન્સ
 DocType: Asset Category Account,Capital Work In Progress Account,પ્રગતિ ખાતામાં કેપિટલ વર્ક
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,અસેટ વેલ્યુ એડજસ્ટમેન્ટ
@@ -2337,7 +2356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},માટે સફળતાપૂર્વક સોંપાયેલ પાંદડાઓ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,કોઈ વસ્તુઓ પૅક કરવા માટે
 DocType: Shipping Rule Condition,From Value,ભાવ પ્રતિ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,ઉત્પાદન જથ્થો ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,ઉત્પાદન જથ્થો ફરજિયાત છે
 DocType: Loan,Repayment Method,ચુકવણી પદ્ધતિ
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","જો ચકાસાયેલ છે, મુખ્ય પૃષ્ઠ પાનું વેબસાઇટ માટે મૂળભૂત વસ્તુ ગ્રુપ હશે"
 DocType: Quality Inspection Reading,Reading 4,4 વાંચન
@@ -2362,7 +2381,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,કર્મચારી રેફરલ
 DocType: Student Group,Set 0 for no limit,કોઈ મર્યાદા માટે 0 સેટ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,તમે રજા માટે અરજી છે કે જેના પર દિવસ (ઓ) રજાઓ છે. તમે રજા માટે અરજી જરૂર નથી.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,રો {idx}: {ક્ષેત્ર} પ્રારંભિક {invoice_type} ઇનવૉઇસેસ બનાવવા માટે જરૂરી છે
 DocType: Customer,Primary Address and Contact Detail,પ્રાથમિક સરનામું અને સંપર્ક વિગતવાર
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,ચુકવણી ઇમેઇલ ફરી મોકલો
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,નવી કાર્ય
@@ -2372,22 +2390,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,કૃપા કરીને ઓછામાં ઓછી એક ડોમેન પસંદ કરો.
 DocType: Dependent Task,Dependent Task,આશ્રિત ટાસ્ક
 DocType: Shopify Settings,Shopify Tax Account,Shopify કરવેરા એકાઉન્ટ
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},માપવા એકમ મૂળભૂત માટે રૂપાંતર પરિબળ પંક્તિ માં 1 હોવા જ જોઈએ {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},પ્રકાર રજા {0} કરતાં લાંબા સમય સુધી ન હોઈ શકે {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},માપવા એકમ મૂળભૂત માટે રૂપાંતર પરિબળ પંક્તિ માં 1 હોવા જ જોઈએ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},પ્રકાર રજા {0} કરતાં લાંબા સમય સુધી ન હોઈ શકે {1}
 DocType: Delivery Trip,Optimize Route,રૂટ ઑપ્ટિમાઇઝ કરો
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,અગાઉથી X દિવસ માટે કામગીરી આયોજન કરવાનો પ્રયાસ કરો.
 DocType: HR Settings,Stop Birthday Reminders,સ્ટોપ જન્મદિવસ રિમાઇન્ડર્સ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},કંપની મૂળભૂત પગારપત્રક ચૂકવવાપાત્ર એકાઉન્ટ સેટ કૃપા કરીને {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,એમેઝોન દ્વારા કરવેરા અને ચાર્જીસના નાણાકીય ભંગાણ મેળવો
 DocType: SMS Center,Receiver List,રીસીવર યાદી
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,શોધ વસ્તુ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,શોધ વસ્તુ
 DocType: Payment Schedule,Payment Amount,ચુકવણી રકમ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,અર્ધ દિવસની તારીખ કાર્ય તારીખથી અને કાર્ય સમાપ્તિ તારીખ વચ્ચે હોવી જોઈએ
 DocType: Healthcare Settings,Healthcare Service Items,હેલ્થકેર સેવા આઈટમ્સ
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,કમ્પોનન્ટ રકમ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,કેશ કુલ ફેરફાર
 DocType: Assessment Plan,Grading Scale,ગ્રેડીંગ સ્કેલ
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,મેઝર {0} એકમ રૂપાંતર ફેક્ટર ટેબલ એક કરતા વધુ વખત દાખલ કરવામાં આવી છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,મેઝર {0} એકમ રૂપાંતર ફેક્ટર ટેબલ એક કરતા વધુ વખત દાખલ કરવામાં આવી છે
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,પહેલેથી જ પૂર્ણ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,સ્ટોક હેન્ડ માં
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2410,25 +2428,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,સીરીયલ કોઈ {0} જથ્થો {1} એક અપૂર્ણાંક ન હોઈ શકે
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Woocommerce સર્વર URL દાખલ કરો
 DocType: Purchase Order Item,Supplier Part Number,પુરવઠોકર્તા ભાગ સંખ્યા
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,રૂપાંતરણ દર 0 અથવા 1 હોઇ શકે છે નથી કરી શકો છો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,રૂપાંતરણ દર 0 અથવા 1 હોઇ શકે છે નથી કરી શકો છો
 DocType: Share Balance,To No,ના
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,કર્મચારી બનાવટ માટેનું તમામ ફરજિયાત કાર્ય હજુ સુધી પૂર્ણ થયું નથી.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} રદ અથવા બંધ છે
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} રદ અથવા બંધ છે
 DocType: Accounts Settings,Credit Controller,ક્રેડિટ કંટ્રોલર
 DocType: Loan,Applicant Type,અરજદારનો પ્રકાર
 DocType: Purchase Invoice,03-Deficiency in services,03-સેવાઓમાં ઉણપ
 DocType: Healthcare Settings,Default Medical Code Standard,ડિફોલ્ટ મેડિકલ કોડ સ્ટાન્ડર્ડ
 DocType: Purchase Invoice Item,HSN/SAC,HSN / એસએસી
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,ખરીદી રસીદ {0} અપર્ણ ન કરાય
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,ખરીદી રસીદ {0} અપર્ણ ન કરાય
 DocType: Company,Default Payable Account,મૂળભૂત ચૂકવવાપાત્ર એકાઉન્ટ
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","આવા શીપીંગ નિયમો, ભાવ યાદી વગેરે શોપિંગ કાર્ટ માટે સુયોજનો"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,મેટ-પ્રી-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% ગણાવી
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,સુરક્ષિત Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,સુરક્ષિત Qty
 DocType: Party Account,Party Account,પક્ષ એકાઉન્ટ
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,કંપની અને હોદ્દો પસંદ કરો
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,માનવ સંસાધન
-DocType: Lead,Upper Income,ઉચ્ચ આવક
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,ઉચ્ચ આવક
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,નકારો
 DocType: Journal Entry Account,Debit in Company Currency,કંપની કરન્સી ડેબિટ
 DocType: BOM Item,BOM Item,BOM વસ્તુ
@@ -2445,7 +2463,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",હોદ્દો માટે જોબ ઓપનિંગ્સ {0} પહેલેથી જ ખુલ્લી છે / અથવા કર્મચારીઓની યોજના મુજબ ભરતી પૂર્ણ છે {1}
 DocType: Vital Signs,Constipated,કબજિયાત
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},પુરવઠોકર્તા સામે ભરતિયું {0} ના રોજ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},પુરવઠોકર્તા સામે ભરતિયું {0} ના રોજ {1}
 DocType: Customer,Default Price List,ડિફૉલ્ટ ભાવ યાદી
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,એસેટ ચળવળ રેકોર્ડ {0} બનાવવામાં
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,કોઈ આઇટમ્સ મળી નથી
@@ -2461,16 +2479,17 @@
 DocType: Journal Entry,Entry Type,એન્ટ્રી પ્રકાર
 ,Customer Credit Balance,ગ્રાહક ક્રેડિટ બેલેન્સ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,ચૂકવવાપાત્ર હિસાબ નેટ બદલો
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),{0} ({1} / {2}) માટે ગ્રાહકની મર્યાદા ઓળંગી ગઈ છે.
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,કૃપા કરીને {0} સેટઅપ&gt; સેટિંગ્સ&gt; નામકરણ શ્રેણી દ્વારા નામકરણ સીરીઝ સેટ કરો
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),{0} ({1} / {2}) માટે ગ્રાહકની મર્યાદા ઓળંગી ગઈ છે.
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&#39;Customerwise ડિસ્કાઉન્ટ&#39; માટે જરૂરી ગ્રાહક
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,જર્નલો સાથે બેંક ચુકવણી તારીખો અપડેટ કરો.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,પ્રાઇસીંગ
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,પ્રાઇસીંગ
 DocType: Quotation,Term Details,શબ્દ વિગતો
 DocType: Employee Incentive,Employee Incentive,કર્મચારી પ્રોત્સાહન
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} આ વિદ્યાર્થી જૂથ માટે વિદ્યાર્થીઓ કરતાં વધુ નોંધણી કરી શકતા નથી.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),કુલ (કર વગર)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,લીડ કાઉન્ટ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,ઉપલબ્ધ સ્ટોક
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,ઉપલબ્ધ સ્ટોક
 DocType: Manufacturing Settings,Capacity Planning For (Days),(દિવસ) માટે ક્ષમતા આયોજન
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,પ્રાપ્તિ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,વસ્તુઓ કંઈ જથ્થો અથવા કિંમત કોઈ ફેરફાર હોય છે.
@@ -2494,7 +2513,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,છોડો અને હાજરી
 DocType: Asset,Comprehensive Insurance,વ્યાપક વીમા
 DocType: Maintenance Visit,Partially Completed,આંશિક રીતે પૂર્ણ
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},લોયલ્ટી પોઇન્ટ: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},લોયલ્ટી પોઇન્ટ: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,લીડ્સ ઉમેરો
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,મધ્યસ્થ સંવેદનશીલતા
 DocType: Leave Type,Include holidays within leaves as leaves,પાંદડા તરીકે નહીં અંદર રજાઓ સમાવેશ થાય છે
 DocType: Loyalty Program,Redemption,રીડેમ્પશન
@@ -2528,7 +2548,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,માર્કેટિંગ ખર્ચ
 ,Item Shortage Report,વસ્તુ અછત રિપોર્ટ
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,પ્રમાણભૂત માપદંડ બનાવી શકતા નથી કૃપા કરીને માપદંડનું નામ બદલો
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","વજન \ n કૃપા કરીને પણ &quot;વજન UOM&quot; ઉલ્લેખ, ઉલ્લેખ કર્યો છે"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","વજન \ n કૃપા કરીને પણ &quot;વજન UOM&quot; ઉલ્લેખ, ઉલ્લેખ કર્યો છે"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,સામગ્રી વિનંતી આ સ્ટોક એન્ટ્રી બનાવવા માટે વપરાય
 DocType: Hub User,Hub Password,હબ પાસવર્ડ
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,દરેક બેચ માટે અલગ અભ્યાસક્રમ આધારિત ગ્રુપ
@@ -2542,15 +2562,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),નિમણૂંક સમયગાળો (મિનિટ)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,દરેક સ્ટોક ચળવળ માટે એકાઉન્ટિંગ પ્રવેશ કરો
 DocType: Leave Allocation,Total Leaves Allocated,કુલ પાંદડા સોંપાયેલ
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,માન્ય નાણાકીય વર્ષ શરૂઆત અને અંતિમ તારીખ દાખલ કરો
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,માન્ય નાણાકીય વર્ષ શરૂઆત અને અંતિમ તારીખ દાખલ કરો
 DocType: Employee,Date Of Retirement,નિવૃત્તિ તારીખ
 DocType: Upload Attendance,Get Template,નમૂના મેળવવા
+,Sales Person Commission Summary,સેલ્સ પર્સન કમિશન સારાંશ
 DocType: Additional Salary Component,Additional Salary Component,વધારાના પગાર ઘટક
 DocType: Material Request,Transferred,પર સ્થાનાંતરિત કરવામાં આવી
 DocType: Vehicle,Doors,દરવાજા
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext સેટઅપ પૂર્ણ કરો!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext સેટઅપ પૂર્ણ કરો!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,પેશન્ટ નોંધણી માટે ફી એકત્રિત કરો
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,સ્ટોક વ્યવહાર પછી લક્ષણો બદલી શકતા નથી. નવી આઇટમ બનાવો અને નવા આઇટમને શેર ટ્રાન્સફર કરો
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,સ્ટોક વ્યવહાર પછી લક્ષણો બદલી શકતા નથી. નવી આઇટમ બનાવો અને નવા આઇટમને શેર ટ્રાન્સફર કરો
 DocType: Course Assessment Criteria,Weightage,ભારાંકન
 DocType: Purchase Invoice,Tax Breakup,ટેક્સ બ્રેકઅપ
 DocType: Employee,Joining Details,જોડાયા વિગતો
@@ -2578,14 +2599,15 @@
 DocType: Lead,Next Contact By,આગામી સંપર્ક
 DocType: Compensatory Leave Request,Compensatory Leave Request,વળતર ચૂકવણીની વિનંતી
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},પંક્તિ માં વસ્તુ {0} માટે જરૂરી જથ્થો {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},જથ્થો વસ્તુ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ {0} કાઢી શકાતી નથી {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},જથ્થો વસ્તુ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ {0} કાઢી શકાતી નથી {1}
 DocType: Blanket Order,Order Type,ઓર્ડર પ્રકાર
 ,Item-wise Sales Register,વસ્તુ મુજબના સેલ્સ રજિસ્ટર
 DocType: Asset,Gross Purchase Amount,કુલ ખરીદી જથ્થો
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ખુલવાનો બેલેન્સ
 DocType: Asset,Depreciation Method,અવમૂલ્યન પદ્ધતિ
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,મૂળભૂત દર માં સમાવેલ આ કર છે?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,કુલ લક્ષ્યાંકના
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,કુલ લક્ષ્યાંકના
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,પર્સેપ્શન એનાલિસિસ
 DocType: Soil Texture,Sand Composition (%),રેતી રચના (%)
 DocType: Job Applicant,Applicant for a Job,નોકરી માટે અરજી
 DocType: Production Plan Material Request,Production Plan Material Request,ઉત્પાદન યોજના સામગ્રી વિનંતી
@@ -2600,23 +2622,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),આકારણી માર્ક (10 માંથી)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 મોબાઇલ કોઈ
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,મુખ્ય
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,નીચેની આઇટમ {0} {1} વસ્તુ તરીકે ચિહ્નિત નથી. તમે તેને {1} આઇટમના માસ્ટરમાંથી વસ્તુ તરીકે સક્ષમ કરી શકો છો
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,વેરિએન્ટ
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","આઇટમ {0} માટે, જથ્થો નકારાત્મક નંબર હોવો જોઈએ"
 DocType: Naming Series,Set prefix for numbering series on your transactions,તમારા વ્યવહારો પર શ્રેણી નંબર માટે સેટ ઉપસર્ગ
 DocType: Employee Attendance Tool,Employees HTML,કર્મચારીઓ HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,મૂળભૂત BOM ({0}) આ આઇટમ અથવા તેના નમૂના માટે સક્રિય હોવા જ જોઈએ
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,મૂળભૂત BOM ({0}) આ આઇટમ અથવા તેના નમૂના માટે સક્રિય હોવા જ જોઈએ
 DocType: Employee,Leave Encashed?,વટાવી છોડી?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ક્ષેત્રમાં પ્રતિ તક ફરજિયાત છે
 DocType: Email Digest,Annual Expenses,વાર્ષિક ખર્ચ
 DocType: Item,Variants,ચલો
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,ખરીદી ઓર્ડર બનાવો
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,ખરીદી ઓર્ડર બનાવો
 DocType: SMS Center,Send To,ને મોકલવું
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},છોડો પ્રકાર માટે પૂરતી રજા બેલેન્સ નથી {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},છોડો પ્રકાર માટે પૂરતી રજા બેલેન્સ નથી {0}
 DocType: Payment Reconciliation Payment,Allocated amount,ફાળવેલ રકમ
 DocType: Sales Team,Contribution to Net Total,નેટ કુલ ફાળો
 DocType: Sales Invoice Item,Customer's Item Code,ગ્રાહક વસ્તુ કોડ
 DocType: Stock Reconciliation,Stock Reconciliation,સ્ટોક રિકંસીલેશન
 DocType: Territory,Territory Name,પ્રદેશ નામ
+DocType: Email Digest,Purchase Orders to Receive,ખરીદી ઓર્ડર પ્રાપ્ત કરવા માટે
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,વર્ક ઈન પ્રોગ્રેસ વેરહાઉસ સબમિટ પહેલાં જરૂરી છે
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,તમે સબ્સ્ક્રિપ્શનમાં જ બિલિંગ ચક્ર સાથે માત્ર યોજનાઓ ધરાવી શકો છો
 DocType: Bank Statement Transaction Settings Item,Mapped Data,મેપ થયેલ ડેટા
@@ -2631,9 +2655,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},સીરીયલ કોઈ વસ્તુ માટે દાખલ ડુપ્લિકેટ {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,લીડ સોર્સ દ્વારા ટ્રેક લીડ
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,એક શિપિંગ નિયમ માટે એક શરત
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,દાખલ કરો
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,દાખલ કરો
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,જાળવણી લૉગ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),આ પેકેજની નેટ વજન. (વસ્તુઓ નેટ વજન રકમ તરીકે આપોઆપ ગણતરી)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,ઇન્ટર કંપની જર્નલ એન્ટ્રી બનાવો
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,ડિસ્કાઉન્ટ રકમ 100% કરતા વધારે હોઈ શકતી નથી
@@ -2642,15 +2666,15 @@
 DocType: Sales Order,To Deliver and Bill,વિતરિત અને બિલ
 DocType: Student Group,Instructors,પ્રશિક્ષકો
 DocType: GL Entry,Credit Amount in Account Currency,એકાઉન્ટ કરન્સી ક્રેડિટ રકમ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} સબમિટ હોવું જ જોઈએ
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,શેર મેનેજમેન્ટ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} સબમિટ હોવું જ જોઈએ
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,શેર મેનેજમેન્ટ
 DocType: Authorization Control,Authorization Control,અધિકૃતિ નિયંત્રણ
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ROW # {0}: વેરહાઉસ નકારેલું ફગાવી વસ્તુ સામે ફરજિયાત છે {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,ચુકવણી
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ROW # {0}: વેરહાઉસ નકારેલું ફગાવી વસ્તુ સામે ફરજિયાત છે {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,ચુકવણી
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","વેરહાઉસ {0} કોઈપણ એકાઉન્ટ સાથે સંકળાયેલ નથી, તો કૃપા કરીને કંપનીમાં વેરહાઉસ રેકોર્ડમાં એકાઉન્ટ અથવા સેટ મૂળભૂત યાદી એકાઉન્ટ ઉલ્લેખ {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,તમારા ઓર્ડર મેનેજ
 DocType: Work Order Operation,Actual Time and Cost,વાસ્તવિક સમય અને ખર્ચ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},મહત્તમ {0} ના સામગ્રી વિનંતી {1} વેચાણ ઓર્ડર સામે વસ્તુ માટે કરી શકાય છે {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},મહત્તમ {0} ના સામગ્રી વિનંતી {1} વેચાણ ઓર્ડર સામે વસ્તુ માટે કરી શકાય છે {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,ક્રોપ અંતર
 DocType: Course,Course Abbreviation,કોર્સ સંક્ષેપનો
@@ -2662,6 +2686,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},કુલ કામના કલાકો મેક્સ કામના કલાકો કરતાં વધારે ન હોવી જોઈએ {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,પર
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,વેચાણ સમયે બંડલ વસ્તુઓ.
+DocType: Delivery Settings,Dispatch Settings,ડિસ્પ્લે સેટિંગ્સ
 DocType: Material Request Plan Item,Actual Qty,વાસ્તવિક Qty
 DocType: Sales Invoice Item,References,સંદર્ભો
 DocType: Quality Inspection Reading,Reading 10,10 વાંચન
@@ -2671,11 +2696,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,તમે નકલી વસ્તુઓ દાખલ કર્યો છે. સુધારવું અને ફરીથી પ્રયાસ કરો.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,એસોસિયેટ
 DocType: Asset Movement,Asset Movement,એસેટ ચળવળ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,વર્ક ઓર્ડર {0} સબમિટ હોવો આવશ્યક છે
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,ન્યૂ કાર્ટ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,વર્ક ઓર્ડર {0} સબમિટ હોવો આવશ્યક છે
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,ન્યૂ કાર્ટ
 DocType: Taxable Salary Slab,From Amount,રકમથી
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} વસ્તુ એક શ્રેણીબદ્ધ વસ્તુ નથી
 DocType: Leave Type,Encashment,એન્કેશમેન્ટ
+DocType: Delivery Settings,Delivery Settings,ડિલિવરી સેટિંગ્સ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,માહિતી મેળવો
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},રજાના પ્રકાર {0} માં મંજૂર મહત્તમ રજા {1} છે
 DocType: SMS Center,Create Receiver List,રીસીવર યાદી બનાવો
 DocType: Vehicle,Wheels,વ્હિલ્સ
@@ -2691,7 +2718,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,બિલિંગ ચલણ કાં તો ડિફોલ્ટ કંપનીના ચલણ અથવા પક્ષ એકાઉન્ટ ચલણની સમાન હોવા જોઈએ
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),પેકેજ આ બોલ (ફક્ત ડ્રાફ્ટ) ના એક ભાગ છે કે જે સૂચવે
 DocType: Soil Texture,Loam,લોમ
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,રો {0}: તારીખ પોસ્ટ તારીખ પહેલાં ન હોઈ શકે
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,રો {0}: તારીખ પોસ્ટ તારીખ પહેલાં ન હોઈ શકે
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,ચુકવણી પ્રવેશ કરો
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},વસ્તુ માટે જથ્થો {0} કરતાં ઓછી હોવી જોઈએ {1}
 ,Sales Invoice Trends,સેલ્સ ભરતિયું પ્રવાહો
@@ -2699,12 +2726,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',અથવા &#39;અગાઉના પંક્તિ કુલ&#39; &#39;અગાઉના પંક્તિ રકમ પર&#39; ચાર્જ પ્રકાર છે તો જ પંક્તિ નો સંદર્ભ લો કરી શકો છો
 DocType: Sales Order Item,Delivery Warehouse,ડ લવર વેરહાઉસ
 DocType: Leave Type,Earned Leave Frequency,કમાણી લીવ ફ્રીક્વન્સી
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,નાણાકીય ખર્ચ કેન્દ્રો વૃક્ષ.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,પેટા પ્રકાર
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,નાણાકીય ખર્ચ કેન્દ્રો વૃક્ષ.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,પેટા પ્રકાર
 DocType: Serial No,Delivery Document No,ડ લવર દસ્તાવેજ કોઈ
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ઉત્પાદિત સીરિયલ નંબર પર આધારિત ડિલિવરીની ખાતરી કરો
 DocType: Vital Signs,Furry,રુંવાટીદાર
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},કંપની એસેટ નિકાલ પર ગેઇન / નુકશાન એકાઉન્ટ &#39;સુયોજિત કરો {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},કંપની એસેટ નિકાલ પર ગેઇન / નુકશાન એકાઉન્ટ &#39;સુયોજિત કરો {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ખરીદી રસીદો વસ્તુઓ મેળવો
 DocType: Serial No,Creation Date,સર્જન તારીખ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},એસેટ {0} માટે લક્ષ્યાંક સ્થાન આવશ્યક છે
@@ -2718,10 +2745,11 @@
 DocType: Item,Has Variants,ચલો છે
 DocType: Employee Benefit Claim,Claim Benefit For,દાવાના લાભ માટે
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,પ્રતિભાવ અપડેટ કરો
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},જો તમે પહેલાથી જ વસ્તુઓ પસંદ કરેલ {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},જો તમે પહેલાથી જ વસ્તુઓ પસંદ કરેલ {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,માસિક વિતરણ નામ
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,બૅચ ID ફરજિયાત છે
 DocType: Sales Person,Parent Sales Person,પિતૃ વેચાણ વ્યક્તિ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,પ્રાપ્ત થવાની કોઈ વસ્તુ બાકી નથી
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,વેચનાર અને ખરીદનાર તે જ ન હોઈ શકે
 DocType: Project,Collect Progress,પ્રગતિ એકત્રિત કરો
 DocType: Delivery Note,MAT-DN-.YYYY.-,એમએટી-ડી.એન.-વાય.વાય.વાય.-
@@ -2737,7 +2765,7 @@
 DocType: Bank Guarantee,Margin Money,માર્જિન મની
 DocType: Budget,Budget,બજેટ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,ઓપન સેટ કરો
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,સ્થિર એસેટ વસ્તુ નોન-સ્ટોક વસ્તુ હોવી જ જોઈએ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,સ્થિર એસેટ વસ્તુ નોન-સ્ટોક વસ્તુ હોવી જ જોઈએ.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",તે આવક અથવા ખર્ચ એકાઉન્ટ નથી તરીકે બજેટ સામે {0} અસાઇન કરી શકાતી નથી
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} માટે મહત્તમ મુક્તિ રકમ {1} છે
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,પ્રાપ્ત
@@ -2755,9 +2783,9 @@
 ,Amount to Deliver,જથ્થો પહોંચાડવા માટે
 DocType: Asset,Insurance Start Date,વીમા પ્રારંભ તારીખ
 DocType: Salary Component,Flexible Benefits,લવચીક લાભો
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},એક જ વસ્તુ ઘણી વખત દાખલ કરવામાં આવી છે. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},એક જ વસ્તુ ઘણી વખત દાખલ કરવામાં આવી છે. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ટર્મ પ્રારંભ તારીખ કરતાં શૈક્ષણિક વર્ષ શરૂ તારીખ શબ્દ સાથે કડી થયેલ છે અગાઉ ન હોઈ શકે (શૈક્ષણિક વર્ષ {}). તારીખો સુધારવા અને ફરીથી પ્રયાસ કરો.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,ભૂલો આવી હતી.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,ભૂલો આવી હતી.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,{2} અને {3} વચ્ચે {1} માટે કર્મચારી {0} પહેલેથી જ લાગુ છે:
 DocType: Guardian,Guardian Interests,ગાર્ડિયન રૂચિ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,એકાઉન્ટ નામ / સંખ્યાને અપડેટ કરો
@@ -2796,9 +2824,9 @@
 ,Item-wise Purchase History,વસ્તુ મુજબના ખરીદ ઈતિહાસ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},સીરીયલ કોઈ વસ્તુ માટે ઉમેરવામાં મેળવે &#39;બનાવો સૂચિ&#39; પર ક્લિક કરો {0}
 DocType: Account,Frozen,ફ્રોઝન
-DocType: Delivery Note,Vehicle Type,વાહન પ્રકાર
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,વાહન પ્રકાર
 DocType: Sales Invoice Payment,Base Amount (Company Currency),મૂળ રકમ (કંપની ચલણ)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,કાચો માલ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,કાચો માલ
 DocType: Payment Reconciliation Payment,Reference Row,સંદર્ભ રો
 DocType: Installation Note,Installation Time,સ્થાપન સમયે
 DocType: Sales Invoice,Accounting Details,હિસાબી વિગતો
@@ -2807,12 +2835,13 @@
 DocType: Inpatient Record,O Positive,ઓ હકારાત્મક
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,રોકાણો
 DocType: Issue,Resolution Details,ઠરાવ વિગતો
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,વ્યવહાર પ્રકાર
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,વ્યવહાર પ્રકાર
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,સ્વીકૃતિ માપદંડ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,ઉપરના કોષ્ટકમાં સામગ્રી અરજીઓ દાખલ કરો
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,જર્નલ એન્ટ્રી માટે કોઈ ચુકવણી ઉપલબ્ધ નથી
 DocType: Hub Tracked Item,Image List,છબી સૂચિ
 DocType: Item Attribute,Attribute Name,નામ લક્ષણ
+DocType: Subscription,Generate Invoice At Beginning Of Period,પીરિયડની શરૂઆતમાં ભરતિયું બનાવો
 DocType: BOM,Show In Website,વેબસાઇટ બતાવો
 DocType: Loan Application,Total Payable Amount,કુલ ચૂકવવાપાત્ર રકમ
 DocType: Task,Expected Time (in hours),(કલાકોમાં) અપેક્ષિત સમય
@@ -2849,7 +2878,7 @@
 DocType: Employee,Resignation Letter Date,રાજીનામું પત્ર તારીખ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,પ્રાઇસીંગ નિયમો વધુ જથ્થો પર આધારિત ફિલ્ટર કરવામાં આવે છે.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,સેટ નથી
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},કર્મચારી માટે જોડાયા તારીખ સેટ કરો {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},કર્મચારી માટે જોડાયા તારીખ સેટ કરો {0}
 DocType: Inpatient Record,Discharge,ડિસ્ચાર્જ
 DocType: Task,Total Billing Amount (via Time Sheet),કુલ બિલિંગ રકમ (સમયનો શીટ મારફતે)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,પુનરાવર્તન ગ્રાહક આવક
@@ -2859,13 +2888,13 @@
 DocType: Chapter,Chapter,પ્રકરણ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,જોડી
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,જ્યારે આ મોડ પસંદ કરવામાં આવે ત્યારે ડિફૉલ્ટ એકાઉન્ટ આપમેળે POS ઇન્વોઇસમાં અપડેટ થશે.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ઉત્પાદન માટે BOM અને ક્વાલિટી પસંદ કરો
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ઉત્પાદન માટે BOM અને ક્વાલિટી પસંદ કરો
 DocType: Asset,Depreciation Schedule,અવમૂલ્યન સૂચિ
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,વેચાણ ભાગીદાર સરનામાં અને સંપર્કો
 DocType: Bank Reconciliation Detail,Against Account,એકાઉન્ટ સામે
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,અડધા દિવસ તારીખ તારીખ થી અને તારીખ વચ્ચે પ્રયત્ન કરીશું
 DocType: Maintenance Schedule Detail,Actual Date,વાસ્તવિક તારીખ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,{0} કંપનીમાં ડિફૉલ્ટ કિંમત સેન્ટર સેટ કરો.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,{0} કંપનીમાં ડિફૉલ્ટ કિંમત સેન્ટર સેટ કરો.
 DocType: Item,Has Batch No,બેચ કોઈ છે
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},વાર્ષિક બિલિંગ: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify વેબહૂક વિગત
@@ -2877,7 +2906,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,એસીસી- PRQ- .YYY.-
 DocType: Shift Assignment,Shift Type,શિફ્ટ પ્રકાર
 DocType: Student,Personal Details,અંગત વિગતો
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},કંપની એસેટ અવમૂલ્યન કિંમત કેન્દ્ર &#39;સુયોજિત કરો {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},કંપની એસેટ અવમૂલ્યન કિંમત કેન્દ્ર &#39;સુયોજિત કરો {0}
 ,Maintenance Schedules,જાળવણી શેડ્યુલ
 DocType: Task,Actual End Date (via Time Sheet),વાસ્તવિક ઓવરને તારીખ (સમયનો શીટ મારફતે)
 DocType: Soil Texture,Soil Type,જમીન પ્રકાર
@@ -2885,10 +2914,10 @@
 ,Quotation Trends,અવતરણ પ્રવાહો
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},વસ્તુ ગ્રુપ આઇટમ માટે વસ્તુ માસ્ટર ઉલ્લેખ નથી {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,એકાઉન્ટ ડેબિટ એક પ્રાપ્ત એકાઉન્ટ હોવું જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,એકાઉન્ટ ડેબિટ એક પ્રાપ્ત એકાઉન્ટ હોવું જ જોઈએ
 DocType: Shipping Rule,Shipping Amount,શીપીંગ રકમ
 DocType: Supplier Scorecard Period,Period Score,પીરિયડ સ્કોર
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,ગ્રાહકો ઉમેરો
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,ગ્રાહકો ઉમેરો
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,બાકી રકમ
 DocType: Lab Test Template,Special,વિશેષ
 DocType: Loyalty Program,Conversion Factor,રૂપાંતર ફેક્ટર
@@ -2905,7 +2934,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,લેટરહેડ ઉમેરો
 DocType: Program Enrollment,Self-Driving Vehicle,સેલ્ફ ડ્રાઈવીંગ વાહન
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,પુરવઠોકર્તા સ્કોરકાર્ડ સ્ટેન્ડિંગ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},રો {0}: મટીરીયલ્સ બિલ આઇટમ માટે મળી નથી {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},રો {0}: મટીરીયલ્સ બિલ આઇટમ માટે મળી નથી {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,કુલ ફાળવેલ પાંદડા {0} ઓછી ન હોઈ શકે સમયગાળા માટે પહેલાથી મંજૂર પાંદડા {1} કરતાં
 DocType: Contract Fulfilment Checklist,Requirement,જરૂરિયાત
 DocType: Journal Entry,Accounts Receivable,મળવાપાત્ર હિસાબ
@@ -2921,16 +2950,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,એચઆર સેટિંગ્સ
 DocType: Salary Slip,net pay info,નેટ પગાર માહિતી
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS રકમ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS રકમ
 DocType: Woocommerce Settings,Enable Sync,સમન્વયનને સક્ષમ કરો
 DocType: Tax Withholding Rate,Single Transaction Threshold,એક ટ્રાન્ઝેક્શન થ્રેશોલ્ડ
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,આ કિંમત ડિફૉલ્ટ સેલ્સ પ્રાઈસ લિસ્ટમાં અપડેટ થાય છે.
 DocType: Email Digest,New Expenses,ન્યૂ ખર્ચ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,પી.ડી.સી. / એલસી રકમ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,પી.ડી.સી. / એલસી રકમ
 DocType: Shareholder,Shareholder,શેરહોલ્ડર
 DocType: Purchase Invoice,Additional Discount Amount,વધારાના ડિસ્કાઉન્ટ રકમ
 DocType: Cash Flow Mapper,Position,પોઝિશન
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,પ્રિસ્ક્રિપ્શનોમાંથી આઇટમ્સ મેળવો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,પ્રિસ્ક્રિપ્શનોમાંથી આઇટમ્સ મેળવો
 DocType: Patient,Patient Details,પેશન્ટ વિગતો
 DocType: Inpatient Record,B Positive,બી હકારાત્મક
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2942,8 +2971,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,બિન-ગ્રુપ ગ્રુપ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,રમતો
 DocType: Loan Type,Loan Name,લોન નામ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,વાસ્તવિક કુલ
-DocType: Lab Test UOM,Test UOM,ટેસ્ટ યુઓએમ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,વાસ્તવિક કુલ
 DocType: Student Siblings,Student Siblings,વિદ્યાર્થી બહેન
 DocType: Subscription Plan Detail,Subscription Plan Detail,સબ્સ્ક્રિપ્શન પ્લાન વિગતવાર
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,એકમ
@@ -2970,7 +2998,6 @@
 DocType: Workstation,Wages per hour,કલાક દીઠ વેતન
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},બેચ સ્ટોક બેલેન્સ {0} બનશે નકારાત્મક {1} વેરહાઉસ ખાતે વસ્તુ {2} માટે {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,સામગ્રી અરજીઓ નીચેની આઇટમ ફરીથી ક્રમમાં સ્તર પર આધારિત આપોઆપ ઊભા કરવામાં આવ્યા છે
-DocType: Email Digest,Pending Sales Orders,વેચાણ ઓર્ડર બાકી
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},એકાઉન્ટ {0} અમાન્ય છે. એકાઉન્ટ કરન્સી હોવા જ જોઈએ {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},{0} તારીખથી કર્મચારીની રાહતની તારીખ {1} પછી ન હોઈ શકે
 DocType: Supplier,Is Internal Supplier,આંતરિક પુરવઠોકર્તા છે
@@ -2979,13 +3006,14 @@
 DocType: Healthcare Settings,Remind Before,પહેલાં યાદ કરાવો
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM રૂપાંતર પરિબળ પંક્તિ જરૂરી છે {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકાર વેચાણ ઓર્ડર એક, સેલ્સ ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકાર વેચાણ ઓર્ડર એક, સેલ્સ ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 વફાદારી પોઇંટ્સ = કેટલું આધાર ચલણ?
 DocType: Salary Component,Deduction,કપાત
 DocType: Item,Retain Sample,નમૂના જાળવો
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,રો {0}: સમય અને સમય ફરજિયાત છે.
 DocType: Stock Reconciliation Item,Amount Difference,રકમ તફાવત
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},વસ્તુ ભાવ માટે ઉમેરવામાં {0} ભાવ યાદીમાં {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},વસ્તુ ભાવ માટે ઉમેરવામાં {0} ભાવ યાદીમાં {1}
+DocType: Delivery Stop,Order Information,ઓર્ડર માહિતી
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,આ વેચાણ વ્યક્તિ કર્મચારી ID દાખલ કરો
 DocType: Territory,Classification of Customers by region,પ્રદેશ દ્વારા ગ્રાહકો વર્ગીકરણ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,ઉત્પાદનમાં
@@ -2996,8 +3024,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ગણતરી બેન્ક નિવેદન બેલેન્સ
 DocType: Normal Test Template,Normal Test Template,સામાન્ય ટેસ્ટ ઢાંચો
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,અપંગ વપરાશકર્તા
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,અવતરણ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,કોઈ ક્વોટ માટે પ્રાપ્ત કરેલ આરએફક્યુને સેટ કરી શકતા નથી
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,અવતરણ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,કોઈ ક્વોટ માટે પ્રાપ્ત કરેલ આરએફક્યુને સેટ કરી શકતા નથી
 DocType: Salary Slip,Total Deduction,કુલ કપાત
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,એકાઉન્ટ ચલણમાં છાપવા માટે એક એકાઉન્ટ પસંદ કરો
 ,Production Analytics,ઉત્પાદન ઍનલિટિક્સ
@@ -3010,14 +3038,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,સપ્લાયર સ્કોરકાર્ડ સેટઅપ
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,આકારણી યોજના નામ
 DocType: Work Order Operation,Work Order Operation,વર્ક ઓર્ડર ઓપરેશન
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},ચેતવણી: જોડાણ પર અમાન્ય SSL પ્રમાણપત્ર {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},ચેતવણી: જોડાણ પર અમાન્ય SSL પ્રમાણપત્ર {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","તરફ દોરી જાય છે, તમે વ્યવસાય, તમારા પગલે તરીકે તમારા બધા સંપર્કો અને વધુ ઉમેરો વિચાર મદદ"
 DocType: Work Order Operation,Actual Operation Time,વાસ્તવિક કામગીરી સમય
 DocType: Authorization Rule,Applicable To (User),લાગુ કરો (વપરાશકર્તા)
 DocType: Purchase Taxes and Charges,Deduct,કપાત
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,જોબ વર્ણન
 DocType: Student Applicant,Applied,એપ્લાઇડ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,ફરીથી ખોલો
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,ફરીથી ખોલો
 DocType: Sales Invoice Item,Qty as per Stock UOM,સ્ટોક Qty UOM મુજબ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 નામ
 DocType: Attendance,Attendance Request,એટેન્ડન્સ વિનંતી
@@ -3035,7 +3063,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},સીરીયલ કોઈ {0} સુધી વોરંટી હેઠળ છે {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ન્યૂનતમ સ્વીકાર્ય ભાવ
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,વપરાશકર્તા {0} પહેલાથી અસ્તિત્વમાં છે
-apps/erpnext/erpnext/hooks.py +114,Shipments,આવેલા શિપમેન્ટની
+apps/erpnext/erpnext/hooks.py +115,Shipments,આવેલા શિપમેન્ટની
 DocType: Payment Entry,Total Allocated Amount (Company Currency),કુલ ફાળવેલ રકમ (કંપની ચલણ)
 DocType: Purchase Order Item,To be delivered to customer,ગ્રાહક પર વિતરિત કરવામાં
 DocType: BOM,Scrap Material Cost,સ્ક્રેપ સામગ્રી ખર્ચ
@@ -3043,11 +3071,12 @@
 DocType: Grant Application,Email Notification Sent,ઇમેઇલ સૂચન મોકલ્યું
 DocType: Purchase Invoice,In Words (Company Currency),શબ્દો માં (કંપની ચલણ)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,કંપનીના ખાતા માટે કંપની વ્યવસ્થિત છે
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","આઇટમ કોડ, વેરહાઉસ, જથ્થો પંક્તિ પર જરૂરી છે"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","આઇટમ કોડ, વેરહાઉસ, જથ્થો પંક્તિ પર જરૂરી છે"
 DocType: Bank Guarantee,Supplier,પુરવઠોકર્તા
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,પ્રતિ મેળવો
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,આ રૂટ વિભાગ છે અને સંપાદિત કરી શકાતું નથી.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,ચુકવણી વિગતો બતાવો
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,દિવસોમાં અવધિ
 DocType: C-Form,Quarter,ક્વાર્ટર
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,લખેલા ન હોય તેવા ખર્ચ
 DocType: Global Defaults,Default Company,મૂળભૂત કંપની
@@ -3055,7 +3084,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"ખર્ચ કે તફાવત એકાઉન્ટ વસ્તુ {0}, કે અસર સમગ્ર મૂલ્ય માટે ફરજિયાત છે"
 DocType: Bank,Bank Name,બેન્ક નામ
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-ઉપર
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,બધા સપ્લાયર્સ માટે ખરીદી ઓર્ડર કરવા માટે ક્ષેત્ર ખાલી છોડો
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,બધા સપ્લાયર્સ માટે ખરીદી ઓર્ડર કરવા માટે ક્ષેત્ર ખાલી છોડો
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ઇનપેશન્ટ મુલાકાત ચાર્જ વસ્તુ
 DocType: Vital Signs,Fluid,ફ્લુઇડ
 DocType: Leave Application,Total Leave Days,કુલ છોડો દિવસો
@@ -3064,7 +3093,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,આઇટમ વેરિએન્ટ સેટિંગ્સ
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,કંપની પસંદ કરો ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,તમામ વિભાગો માટે ગણવામાં તો ખાલી છોડી દો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} વસ્તુ માટે ફરજિયાત છે {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} વસ્તુ માટે ફરજિયાત છે {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","આઇટમ {0}: {1} qty નું ઉત્પાદન,"
 DocType: Payroll Entry,Fortnightly,પાક્ષિક
 DocType: Currency Exchange,From Currency,ચલણ
@@ -3113,7 +3142,7 @@
 DocType: Account,Fixed Asset,સ્થિર એસેટ
 DocType: Amazon MWS Settings,After Date,તારીખ પછી
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,શ્રેણીબદ્ધ ઈન્વેન્ટરી
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,આંતર કંપની ઇન્વોઇસ માટે અમાન્ય {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,આંતર કંપની ઇન્વોઇસ માટે અમાન્ય {0}
 ,Department Analytics,વિભાગ ઍનલિટિક્સ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ઇમેઇલ ડિફોલ્ટ સંપર્કમાં નથી મળ્યો
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,સિક્રેટ જનરેટ કરો
@@ -3131,6 +3160,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,સીઇઓ
 DocType: Purchase Invoice,With Payment of Tax,ટેક્સ પેમેન્ટ સાથે
 DocType: Expense Claim Detail,Expense Claim Detail,ખર્ચ દાવાની વિગત
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,કૃપા કરીને શિક્ષણ&gt; શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,સપ્લાયર માટે ત્રણ નકલમાં
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,બેઝ કરન્સીમાં નવું બેલેન્સ
 DocType: Location,Is Container,કન્ટેઈનર છે
@@ -3138,13 +3168,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,યોગ્ય એકાઉન્ટ પસંદ કરો
 DocType: Salary Structure Assignment,Salary Structure Assignment,પગાર માળખું સોંપણી
 DocType: Purchase Invoice Item,Weight UOM,વજન UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ફોલિયો નંબરો ધરાવતા ઉપલબ્ધ શેરધારકોની સૂચિ
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ફોલિયો નંબરો ધરાવતા ઉપલબ્ધ શેરધારકોની સૂચિ
 DocType: Salary Structure Employee,Salary Structure Employee,પગાર માળખું કર્મચારીનું
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,વેરિએન્ટ વિશેષતાઓ બતાવો
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,વેરિએન્ટ વિશેષતાઓ બતાવો
 DocType: Student,Blood Group,બ્લડ ગ્રુપ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,પ્લાન {0} માં ચુકવણી ગેટવે એકાઉન્ટ ચુકવણીની વિનંતીમાં ચુકવણી ગેટવે એકાઉન્ટથી અલગ છે
 DocType: Course,Course Name,અભ્યાસક્રમનું નામ
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,ચાલુ નાણાકીય વર્ષ માટે કોઈ કર રોકવાને લગતી માહિતી મળી નથી.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,ચાલુ નાણાકીય વર્ષ માટે કોઈ કર રોકવાને લગતી માહિતી મળી નથી.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ચોક્કસ કર્મચારી રજા કાર્યક્રમો મંજૂર કરી શકો છો વપરાશકર્તાઓ કે જેઓ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,ઓફિસ સાધનો
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3152,6 +3182,7 @@
 DocType: Supplier Scorecard,Scoring Setup,સ્કોરિંગ સેટઅપ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,ઇલેક્ટ્રોનિક્સ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ડેબિટ ({0})
+DocType: BOM,Allow Same Item Multiple Times,મલ્ટીપલ ટાઇમ્સને સમાન આઇટમને મંજૂરી આપો
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,સ્ટોક ફરીથી ક્રમમાં સ્તર સુધી પહોંચે છે ત્યારે સામગ્રી વિનંતી વધારો
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,આખો સમય
 DocType: Payroll Entry,Employees,કર્મચારીઓની
@@ -3163,11 +3194,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,ચુકવણી પુષ્ટિકરણ
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,કિંમતો બતાવવામાં આવશે નહીં તો ભાવ સૂચિ સેટ નથી
 DocType: Stock Entry,Total Incoming Value,કુલ ઇનકમિંગ ભાવ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ડેબિટ કરવા માટે જરૂરી છે
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ડેબિટ કરવા માટે જરૂરી છે
 DocType: Clinical Procedure,Inpatient Record,ઇનપેશન્ટ રેકોર્ડ
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets મદદ તમારી ટીમ દ્વારા કરવામાં activites માટે સમય, ખર્ચ અને બિલિંગ ટ્રેક રાખવા"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,ખરીદી ભાવ યાદી
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,ટ્રાન્ઝેક્શનની તારીખ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,ખરીદી ભાવ યાદી
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,ટ્રાન્ઝેક્શનની તારીખ
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,સપ્લાયર સ્કોરકાર્ડ ચલોના નમૂનાઓ.
 DocType: Job Offer Term,Offer Term,ઓફર ગાળાના
 DocType: Asset,Quality Manager,ગુણવત્તા મેનેજર
@@ -3188,18 +3219,18 @@
 DocType: Cashier Closing,To Time,સમય
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) માટે {0}
 DocType: Authorization Rule,Approving Role (above authorized value),(અધિકૃત કિંમત ઉપર) ભૂમિકા એપ્રૂવિંગ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,એકાઉન્ટ ક્રેડિટ ચૂકવવાપાત્ર એકાઉન્ટ હોવું જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,એકાઉન્ટ ક્રેડિટ ચૂકવવાપાત્ર એકાઉન્ટ હોવું જ જોઈએ
 DocType: Loan,Total Amount Paid,ચુકવેલ કુલ રકમ
 DocType: Asset,Insurance End Date,વીમા સમાપ્તિ તારીખ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,કૃપા કરીને વિદ્યાર્થી પ્રવેશ પસંદ કરો જે પેઇડ વિદ્યાર્થી અરજદાર માટે ફરજિયાત છે
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM રિકર્ઝન: {0} ના માતાપિતા અથવા બાળકને ન હોઈ શકે {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM રિકર્ઝન: {0} ના માતાપિતા અથવા બાળકને ન હોઈ શકે {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,બજેટ સૂચિ
 DocType: Work Order Operation,Completed Qty,પૂર્ણ Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0}, માત્ર ડેબિટ એકાઉન્ટ્સ બીજા ક્રેડિટ પ્રવેશ સામે લિંક કરી શકો છો"
 DocType: Manufacturing Settings,Allow Overtime,અતિકાલિક માટે પરવાનગી આપે છે
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",શ્રેણીબદ્ધ આઇટમ {0} સ્ટોક એન્ટ્રી સ્ટોક રિકંસીલેશન મદદથી ઉપયોગ કરો અપડેટ કરી શકાતી નથી
 DocType: Training Event Employee,Training Event Employee,તાલીમ ઘટના કર્મચારીનું
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,મહત્તમ નમૂનાઓ - {0} બેચ {1} અને આઇટમ {2} માટે જાળવી શકાય છે.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,મહત્તમ નમૂનાઓ - {0} બેચ {1} અને આઇટમ {2} માટે જાળવી શકાય છે.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,સમયનો સ્લોટ ઉમેરો
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} વસ્તુ માટે જરૂરી સીરીયલ નંબર {1}. તમે પ્રદાન કરે છે {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,વર્તમાન મૂલ્યાંકન દર
@@ -3230,11 +3261,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,મળી નથી સીરીયલ કોઈ {0}
 DocType: Fee Schedule Program,Fee Schedule Program,ફી શેડ્યૂલ પ્રોગ્રામ
 DocType: Fee Schedule Program,Student Batch,વિદ્યાર્થી બેચ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","કૃપા કરીને આ દસ્તાવેજને રદ કરવા માટે કર્મચારી <a href=""#Form/Employee/{0}"">{0}</a> \ કાઢી નાખો"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,વિદ્યાર્થી બનાવો
 DocType: Supplier Scorecard Scoring Standing,Min Grade,મીન ગ્રેડ
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,હેલ્થકેર સેવા એકમ પ્રકાર
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},તમે આ પ્રોજેક્ટ પર સહયોગ કરવા માટે આમંત્રિત કરવામાં આવ્યા છે: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},તમે આ પ્રોજેક્ટ પર સહયોગ કરવા માટે આમંત્રિત કરવામાં આવ્યા છે: {0}
 DocType: Supplier Group,Parent Supplier Group,પિતૃ પુરવઠોકર્તા ગ્રુપ
+DocType: Email Digest,Purchase Orders to Bill,બિલ માટે ખરીદી ઓર્ડર
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,ગ્રૂપ કંપનીમાં સંચિત મૂલ્યો
 DocType: Leave Block List Date,Block Date,બ્લોક તારીખ
 DocType: Crop,Crop,પાક
@@ -3246,6 +3280,7 @@
 DocType: Sales Order,Not Delivered,બચાવી શક્યા
 ,Bank Clearance Summary,બેન્ક ક્લિયરન્સ સારાંશ
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","બનાવો અને દૈનિક, સાપ્તાહિક અને માસિક ઇમેઇલ પચાવી મેનેજ કરો."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,આ આ સેલ્સ વ્યક્તિ સામેના વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે સમયરેખા જુઓ
 DocType: Appraisal Goal,Appraisal Goal,મૂલ્યાંકન ગોલ
 DocType: Stock Reconciliation Item,Current Amount,વર્તમાન જથ્થો
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,મકાન
@@ -3272,7 +3307,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,સોફ્ટવેર્સ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,આગામી સંપર્ક તારીખ ભૂતકાળમાં ન હોઈ શકે
 DocType: Company,For Reference Only.,સંદર્ભ માટે માત્ર.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,બેચ પસંદ કોઈ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,બેચ પસંદ કોઈ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},અમાન્ય {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,સંદર્ભ INV
@@ -3290,16 +3325,16 @@
 DocType: Normal Test Items,Require Result Value,પરિણામ મૂલ્યની જરૂર છે
 DocType: Item,Show a slideshow at the top of the page,પાનાંની ટોચ પર એક સ્લાઇડ શો બતાવવા
 DocType: Tax Withholding Rate,Tax Withholding Rate,ટેક્સ રોકવાની દર
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,સ્ટોર્સ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,સ્ટોર્સ
 DocType: Project Type,Projects Manager,પ્રોજેક્ટ્સ વ્યવસ્થાપક
 DocType: Serial No,Delivery Time,ડ લવર સમય
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,પર આધારિત એઇજીંગનો
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,નિમણૂંક રદ કરી
 DocType: Item,End of Life,જીવનનો અંત
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,યાત્રા
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,યાત્રા
 DocType: Student Report Generation Tool,Include All Assessment Group,બધા આકારણી ગ્રુપ શામેલ કરો
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,આપવામાં તારીખો માટે કર્મચારી {0} મળી કોઈ સક્રિય અથવા મૂળભૂત પગાર માળખું
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,આપવામાં તારીખો માટે કર્મચારી {0} મળી કોઈ સક્રિય અથવા મૂળભૂત પગાર માળખું
 DocType: Leave Block List,Allow Users,વપરાશકર્તાઓ માટે પરવાનગી આપે છે
 DocType: Purchase Order,Customer Mobile No,ગ્રાહક મોબાઇલ કોઈ
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,કેશ ફ્લો મેપિંગ ઢાંચો વિગતો
@@ -3308,15 +3343,16 @@
 DocType: Rename Tool,Rename Tool,સાધન નામ બદલો
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,સુધારો કિંમત
 DocType: Item Reorder,Item Reorder,વસ્તુ પુનઃક્રમાંકિત કરો
+DocType: Delivery Note,Mode of Transport,પરિવહન સ્થિતિ
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,પગાર બતાવો કાપલી
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,ટ્રાન્સફર સામગ્રી
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,ટ્રાન્સફર સામગ્રી
 DocType: Fees,Send Payment Request,ચુકવણી વિનંતી મોકલો
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","કામગીરી, સંચાલન ખર્ચ સ્પષ્ટ અને તમારી કામગીરી કરવા માટે કોઈ એક અનન્ય ઓપરેશન આપે છે."
 DocType: Travel Request,Any other details,કોઈપણ અન્ય વિગતો
 DocType: Water Analysis,Origin,મૂળ
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,આ દસ્તાવેજ દ્વારા મર્યાદા વધારે છે {0} {1} આઇટમ માટે {4}. તમે બનાવે છે અન્ય {3} જ સામે {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,બચત પછી રિકરિંગ સુયોજિત કરો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,પસંદ કરો ફેરફાર રકમ એકાઉન્ટ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,બચત પછી રિકરિંગ સુયોજિત કરો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,પસંદ કરો ફેરફાર રકમ એકાઉન્ટ
 DocType: Purchase Invoice,Price List Currency,ભાવ યાદી કરન્સી
 DocType: Naming Series,User must always select,વપરાશકર્તા હંમેશા પસંદ કરવી જ પડશે
 DocType: Stock Settings,Allow Negative Stock,નકારાત્મક સ્ટોક પરવાનગી આપે છે
@@ -3337,9 +3373,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability
 DocType: Asset Maintenance Log,Actions performed,ક્રિયાઓ કરેલા
 DocType: Cash Flow Mapper,Section Leader,સેક્શન લીડર
+DocType: Delivery Note,Transport Receipt No,પરિવહન રસીદ નં
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),ફંડ ઓફ સોર્સ (જવાબદારીઓ)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,સ્રોત અને લક્ષ્યાંક સ્થાન સમાન ન હોઈ શકે
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},પંક્તિ માં જથ્થો {0} ({1}) ઉત્પાદન જથ્થો તરીકે જ હોવી જોઈએ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},પંક્તિ માં જથ્થો {0} ({1}) ઉત્પાદન જથ્થો તરીકે જ હોવી જોઈએ {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,કર્મચારીનું
 DocType: Bank Guarantee,Fixed Deposit Number,ફિક્સ્ડ ડિપોઝિટ નંબર
 DocType: Asset Repair,Failure Date,નિષ્ફળતા તારીખ
@@ -3353,16 +3390,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,ચુકવણી કપાત અથવા નુકસાન
 DocType: Soil Analysis,Soil Analysis Criterias,જમીનનો વિશ્લેષણ પ્રમાણ
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,સેલ્સ અથવા ખરીદી માટે નિયમ કરાર શરતો.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,શું તમે ખરેખર આ નિમણૂક રદ કરવા માગો છો?
+DocType: BOM Item,Item operation,આઇટમ ઑપરેશન
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,શું તમે ખરેખર આ નિમણૂક રદ કરવા માગો છો?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,હોટેલ રૂમ પ્રાઇસીંગ પેકેજ
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,સેલ્સ પાઇપલાઇન
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,સેલ્સ પાઇપલાઇન
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},પગાર પુન મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,જરૂરી પર
 DocType: Rename Tool,File to Rename,નામ ફાઇલ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},રો વસ્તુ BOM પસંદ કરો {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,ઉમેદવારી સુધારાઓ મેળવો
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},એકાઉન્ટ {0} {1} એકાઉન્ટ મોડ માં કંપનીની મેચ થતો નથી: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},વસ્તુ માટે અસ્તિત્વમાં નથી સ્પષ્ટ BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},વસ્તુ માટે અસ્તિત્વમાં નથી સ્પષ્ટ BOM {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,અભ્યાસક્રમ:
 DocType: Soil Texture,Sandy Loam,સેન્ડી લોમ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,જાળવણી સુનિશ્ચિત {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ
@@ -3371,7 +3409,7 @@
 DocType: Notification Control,Expense Claim Approved,ખર્ચ દાવો મંજૂર
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),એડવાન્સિસ અને ફાળવણી (ફિફા) સેટ કરો
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,કોઈ વર્ક ઓર્ડર્સ બનાવ્યાં નથી
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,કર્મચારી પગાર કાપલી {0} પહેલાથી જ આ સમયગાળા માટે બનાવવામાં
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,કર્મચારી પગાર કાપલી {0} પહેલાથી જ આ સમયગાળા માટે બનાવવામાં
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ફાર્માસ્યુટિકલ
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,તમે એક માન્ય ભંડોળ રકમ માટે ખાલી એન્કેશમેન્ટ જ સબમિટ કરી શકો છો
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ખરીદી વસ્તુઓ કિંમત
@@ -3379,7 +3417,8 @@
 DocType: Selling Settings,Sales Order Required,વેચાણ ઓર્ડર જરૂરી
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,એક વિક્રેતા બનો
 DocType: Purchase Invoice,Credit To,માટે ક્રેડિટ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,સક્રિય તરફ દોરી જાય છે / ગ્રાહકો
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,સક્રિય તરફ દોરી જાય છે / ગ્રાહકો
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,માનક ડિલિવરી નોટ ફોર્મેટનો ઉપયોગ કરવા માટે ખાલી છોડો
 DocType: Employee Education,Post Graduate,પોસ્ટ ગ્રેજ્યુએટ
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,જાળવણી સુનિશ્ચિત વિગતવાર
 DocType: Supplier Scorecard,Warn for new Purchase Orders,નવા ખરીદ ઓર્ડર્સ માટે ચેતવણી આપો
@@ -3393,14 +3432,14 @@
 DocType: Support Search Source,Post Title Key,પોસ્ટ શીર્ષક કી
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,જોબ કાર્ડ માટે
 DocType: Warranty Claim,Raised By,દ્વારા ઊભા
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,પ્રિસ્ક્રિપ્શનો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,પ્રિસ્ક્રિપ્શનો
 DocType: Payment Gateway Account,Payment Account,ચુકવણી એકાઉન્ટ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,આગળ વધવા માટે કંપની સ્પષ્ટ કરો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,આગળ વધવા માટે કંપની સ્પષ્ટ કરો
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,એકાઉન્ટ્સ પ્રાપ્ત નેટ બદલો
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,વળતર બંધ
 DocType: Job Offer,Accepted,સ્વીકારાયું
 DocType: POS Closing Voucher,Sales Invoices Summary,સેલ્સ ઇનવૉઇસેસ સારાંશ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,પક્ષનું નામ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,પક્ષનું નામ
 DocType: Grant Application,Organization,સંસ્થા
 DocType: BOM Update Tool,BOM Update Tool,BOM અપડેટ ટૂલ
 DocType: SG Creation Tool Course,Student Group Name,વિદ્યાર્થી જૂથ નામ
@@ -3409,7 +3448,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,શું તમે ખરેખર આ કંપની માટે તમામ વ્યવહારો કાઢી નાખવા માંગો છો તેની ખાતરી કરો. તે છે તમારા માસ્ટર ડેટા રહેશે. આ ક્રિયા પૂર્વવત્ કરી શકાતી નથી.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,શોધ પરિણામો
 DocType: Room,Room Number,રૂમ સંખ્યા
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},અમાન્ય સંદર્ભ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},અમાન્ય સંદર્ભ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) આયોજિત quanitity કરતાં વધારે ન હોઈ શકે છે ({2}) ઉત્પાદન ઓર્ડર {3}
 DocType: Shipping Rule,Shipping Rule Label,શીપીંગ નિયમ લેબલ
 DocType: Journal Entry Account,Payroll Entry,પેરોલ એન્ટ્રી
@@ -3417,8 +3456,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,કરવેરા નમૂના બનાવો
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,વપરાશકર્તા ફોરમ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,કાચો માલ ખાલી ન હોઈ શકે.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,પંક્તિ # {0} (ચુકવણી ટેબલ): રકમ નકારાત્મક હોવી જોઈએ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","સ્ટોક અપડેટ કરી શકાયું નથી, ભરતિયું ડ્રોપ શીપીંગ વસ્તુ છે."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,પંક્તિ # {0} (ચુકવણી ટેબલ): રકમ નકારાત્મક હોવી જોઈએ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","સ્ટોક અપડેટ કરી શકાયું નથી, ભરતિયું ડ્રોપ શીપીંગ વસ્તુ છે."
 DocType: Contract,Fulfilment Status,પૂર્ણ સ્થિતિ
 DocType: Lab Test Sample,Lab Test Sample,લેબ ટેસ્ટ નમૂના
 DocType: Item Variant Settings,Allow Rename Attribute Value,નામ બદલો લક્ષણ મૂલ્યને મંજૂરી આપો
@@ -3460,11 +3499,11 @@
 DocType: BOM,Show Operations,બતાવો ઓપરેશન્સ
 ,Minutes to First Response for Opportunity,તકો માટે પ્રથમ પ્રતિભાવ મિનિટ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,કુલ ગેરહાજર
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,પંક્તિ {0} સાથે મેળ ખાતું નથી સામગ્રી વિનંતી વસ્તુ અથવા વેરહાઉસ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,પંક્તિ {0} સાથે મેળ ખાતું નથી સામગ્રી વિનંતી વસ્તુ અથવા વેરહાઉસ
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,માપવા એકમ
 DocType: Fiscal Year,Year End Date,વર્ષ અંતે તારીખ
 DocType: Task Depends On,Task Depends On,કાર્ય પર આધાર રાખે છે
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,તક
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,તક
 DocType: Operation,Default Workstation,મૂળભૂત વર્કસ્ટેશન
 DocType: Notification Control,Expense Claim Approved Message,ખર્ચ દાવો મંજૂર સંદેશ
 DocType: Payment Entry,Deductions or Loss,કપાત અથવા નુકસાન
@@ -3502,20 +3541,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,વપરાશકર્તા એપ્રૂવિંગ નિયમ લાગુ પડે છે વપરાશકર્તા તરીકે જ ન હોઈ શકે
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),મૂળભૂત દર (સ્ટોક UOM મુજબ)
 DocType: SMS Log,No of Requested SMS,વિનંતી એસએમએસ કોઈ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,પગાર વિના છોડો મંજૂર છોડો અરજી રેકોર્ડ સાથે મેળ ખાતું નથી
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,પગાર વિના છોડો મંજૂર છોડો અરજી રેકોર્ડ સાથે મેળ ખાતું નથી
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,આગળ કરવાનાં પગલાંઓ
 DocType: Travel Request,Domestic,સ્થાનિક
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,શ્રેષ્ઠ શક્ય દરે સ્પષ્ટ વસ્તુઓ સપ્લાય કૃપા કરીને
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,શ્રેષ્ઠ શક્ય દરે સ્પષ્ટ વસ્તુઓ સપ્લાય કૃપા કરીને
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,ટ્રાન્સફર તારીખ પહેલાં કર્મચારીનું ટ્રાન્સફર સબમિટ કરી શકાતું નથી
 DocType: Certification Application,USD,અમેરીકન ડોલર્સ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,ઇન્વોઇસ બનાવો
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,બાકી રહેલી બેલેન્સ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,બાકી રહેલી બેલેન્સ
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 દિવસ પછી ઓટો બંધ તકો
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} ના સ્કોરકાર્ડ સ્ટેન્ડને કારણે {0} ખરીદીના ઓર્ડર્સની મંજૂરી નથી.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,બારકોડ {0} એ માન્ય {1} કોડ નથી
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,બારકોડ {0} એ માન્ય {1} કોડ નથી
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,સમાપ્તિ વર્ષ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / લીડ%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,કરારનો અંત તારીખ જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,કરારનો અંત તારીખ જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ
 DocType: Driver,Driver,ડ્રાઈવર
 DocType: Vital Signs,Nutrition Values,પોષણ મૂલ્યો
 DocType: Lab Test Template,Is billable,બિલયોગ્ય છે
@@ -3526,7 +3565,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,આ એક ઉદાહરણ વેબસાઇટ ERPNext માંથી ઓટો પેદા થાય છે
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,એઇજીંગનો રેન્જ 1
 DocType: Shopify Settings,Enable Shopify,Shopify સક્ષમ કરો
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,કુલ અકાઉંટ રકમ કુલ દાવો કરેલી રકમ કરતાં વધુ હોઈ શકતી નથી
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,કુલ અકાઉંટ રકમ કુલ દાવો કરેલી રકમ કરતાં વધુ હોઈ શકતી નથી
 DocType: Purchase Taxes and Charges Template,"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
@@ -3553,12 +3592,12 @@
 DocType: Employee Separation,Employee Separation,કર્મચારી વિભાજન
 DocType: BOM Item,Original Item,મૂળ વસ્તુ
 DocType: Purchase Receipt Item,Recd Quantity,Recd જથ્થો
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,દસ્તાવેજ તારીખ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,દસ્તાવેજ તારીખ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},ફી રેકોર્ડ્સ બનાવનાર - {0}
 DocType: Asset Category Account,Asset Category Account,એસેટ વર્ગ એકાઉન્ટ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,પંક્તિ # {0} (ચુકવણી ટેબલ): રકમ સકારાત્મક હોવી જોઈએ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,પંક્તિ # {0} (ચુકવણી ટેબલ): રકમ સકારાત્મક હોવી જોઈએ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},સેલ્સ ક્રમ સાથે જથ્થો કરતાં વધુ આઇટમ {0} પેદા કરી શકતા નથી {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,એટ્રીબ્યુટ મૂલ્યો પસંદ કરો
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,એટ્રીબ્યુટ મૂલ્યો પસંદ કરો
 DocType: Purchase Invoice,Reason For Issuing document,દસ્તાવેજને અદા કરવાનું કારણ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,સ્ટોક એન્ટ્રી {0} અપર્ણ ન કરાય
 DocType: Payment Reconciliation,Bank / Cash Account,બેન્ક / રોકડ એકાઉન્ટ
@@ -3567,8 +3606,10 @@
 DocType: Asset,Manual,મેન્યુઅલ
 DocType: Salary Component Account,Salary Component Account,પગાર પુન એકાઉન્ટ
 DocType: Global Defaults,Hide Currency Symbol,કરન્સી નિશાનીનો છુપાવો
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,સોર્સ દ્વારા વેચાણ તકો
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,દાતા માહિતી
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","દા.ત. બેન્ક, રોકડ, ક્રેડિટ કાર્ડ"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,કૃપા કરીને સેટઅપ&gt; નંબરિંગ સીરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","દા.ત. બેન્ક, રોકડ, ક્રેડિટ કાર્ડ"
 DocType: Job Applicant,Source Name,સોર્સ નામ
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","પુખ્તમાં સામાન્ય રીતે લોહીનુ દબાણ રહેલું આશરે 120 mmHg સિસ્ટેલોકલ, અને 80 એમએમએચજી ડાયાસ્ટોલિક, સંક્ષિપ્ત &quot;120/80 એમએમ એચ જી&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",મેન્યુફેકચરિંગ_ડિટ વત્તા સ્વ જીવન પર આધારિત સમાપ્તિ સુયોજિત કરવા માટે દિવસોમાં શેલ્ફ લાઇફ સેટ કરો
@@ -3598,7 +3639,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},જથ્થા માટે જથ્થા કરતાં ઓછી હોવી જોઈએ {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,રો {0}: પ્રારંભ તારીખ સમાપ્તિ તારીખ પહેલાં જ હોવી જોઈએ
 DocType: Salary Component,Max Benefit Amount (Yearly),મહત્તમ લાભ રકમ (વાર્ષિક)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,ટીડીએસ દર%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,ટીડીએસ દર%
 DocType: Crop,Planting Area,રોપણી ક્ષેત્ર
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),કુલ (Qty)
 DocType: Installation Note Item,Installed Qty,ઇન્સ્ટોલ Qty
@@ -3620,8 +3661,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,મંજૂરી સૂચના છોડો
 DocType: Buying Settings,Default Buying Price List,ડિફૉલ્ટ ખરીદી ભાવ યાદી
 DocType: Payroll Entry,Salary Slip Based on Timesheet,પગાર કાપલી Timesheet પર આધારિત
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,ખરીદ દર
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},રો {0}: એસેટ આઇટમ માટે સ્થાન દાખલ કરો {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,ખરીદ દર
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},રો {0}: એસેટ આઇટમ માટે સ્થાન દાખલ કરો {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ- .YYYY.-
 DocType: Company,About the Company,કંપની વિશે
 DocType: Notification Control,Sales Order Message,વેચાણ ઓર્ડર સંદેશ
@@ -3686,10 +3727,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,{0} પંક્તિ માટે: નિયુક્ત કરેલું કક્ષ દાખલ કરો
 DocType: Account,Income Account,આવક એકાઉન્ટ
 DocType: Payment Request,Amount in customer's currency,ગ્રાહકોના ચલણ માં જથ્થો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,ડ લવર
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,ડ લવર
 DocType: Volunteer,Weekdays,અઠવાડિયાના દિવસો
 DocType: Stock Reconciliation Item,Current Qty,વર્તમાન Qty
 DocType: Restaurant Menu,Restaurant Menu,રેસ્ટોરન્ટ મેનૂ
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,સપ્લાયર્સ ઉમેરો
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,એસીસી-એસઆઇએનવી- .YYY.-
 DocType: Loyalty Program,Help Section,સહાય વિભાગ
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,પાછલું
@@ -3701,19 +3743,20 @@
 												fullfill Sales Order {2}",આઇટમ {1} ના સીરીયલ નંબર {0} નું વિતરિત કરી શકાતું નથી કારણ કે તે \ fullfill સેલ્સ ઓર્ડર {2} માટે આરક્ષિત છે
 DocType: Item Reorder,Material Request Type,સામગ્રી વિનંતી પ્રકાર
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,ગ્રાન્ટ સમીક્ષા ઇમેઇલ મોકલો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage સંપૂર્ણ છે, સાચવી નહોતી"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,રો {0}: UOM રૂપાંતર ફેક્ટર ફરજિયાત છે
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage સંપૂર્ણ છે, સાચવી નહોતી"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,રો {0}: UOM રૂપાંતર ફેક્ટર ફરજિયાત છે
 DocType: Employee Benefit Claim,Claim Date,દાવાની તારીખ
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,રૂમ ક્ષમતા
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},પહેલેથી જ આઇટમ {0} માટે રેકોર્ડ અસ્તિત્વમાં છે
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,સંદર્ભ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,તમે અગાઉ બનાવેલ ઇન્વૉઇસેસના રેકોર્ડ ગુમાવશો. શું તમે ખરેખર આ સબ્સ્ક્રિપ્શન ફરીથી શરૂ કરવા માંગો છો?
+DocType: Lab Test,LP-,એલપી-
 DocType: Healthcare Settings,Registration Fee,નોંધણી ફી
 DocType: Loyalty Program Collection,Loyalty Program Collection,લોયલ્ટી પ્રોગ્રામ કલેક્શન
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted વસ્તુ
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},{0} વિદ્યાર્થી {1} જૂથ સાથે સંકળાયેલ નથી
 DocType: Budget,Cost Center,ખર્ચ કેન્દ્રને
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,વાઉચર #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,વાઉચર #
 DocType: Notification Control,Purchase Order Message,ઓર્ડર સંદેશ ખરીદી
 DocType: Tax Rule,Shipping Country,શીપીંગ દેશ
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,સેલ્સ વહેવારો ગ્રાહકનો ટેક્સ ID છુપાવો
@@ -3732,23 +3775,22 @@
 DocType: Subscription,Cancel At End Of Period,પીરિયડ અંતે અંતે રદ કરો
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,સંપત્તિ પહેલાથી જ ઉમેરી છે
 DocType: Item Supplier,Item Supplier,વસ્તુ પુરવઠોકર્તા
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,બેચ કોઈ વિચાર વસ્તુ કોડ દાખલ કરો
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{0} quotation_to માટે નીચેની પસંદ કરો {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,બેચ કોઈ વિચાર વસ્તુ કોડ દાખલ કરો
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{0} quotation_to માટે નીચેની પસંદ કરો {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,ટ્રાન્સફર માટે કોઈ આઈટમ્સ પસંદ નથી
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,બધા સંબોધે છે.
 DocType: Company,Stock Settings,સ્ટોક સેટિંગ્સ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","નીચેના ગુણધર્મો બંને રેકોર્ડ જ છે, તો મર્જ જ શક્ય છે. ગ્રુપ root લખવું, કંપની છે"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","નીચેના ગુણધર્મો બંને રેકોર્ડ જ છે, તો મર્જ જ શક્ય છે. ગ્રુપ root લખવું, કંપની છે"
 DocType: Vehicle,Electric,ઇલેક્ટ્રીક
 DocType: Task,% Progress,% પ્રગતિ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,લાભ / એસેટ નિકાલ પર નુકશાન
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",ફક્ત &quot;મંજૂર કરેલ&quot; સ્થિતિવાળા વિદ્યાર્થી અરજદાર નીચે ટેબલમાં પસંદ કરવામાં આવશે.
 DocType: Tax Withholding Category,Rates,દરો
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,એકાઉન્ટ {0} માટે એકાઉન્ટ નંબર ઉપલબ્ધ નથી. <br> કૃપા કરીને તમારા ચાર્ટ્સ એકાઉન્ટ્સને યોગ્ય રીતે સેટ કરો.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,એકાઉન્ટ {0} માટે એકાઉન્ટ નંબર ઉપલબ્ધ નથી. <br> કૃપા કરીને તમારા ચાર્ટ્સ એકાઉન્ટ્સને યોગ્ય રીતે સેટ કરો.
 DocType: Task,Depends on Tasks,કાર્યો પર આધાર રાખે છે
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ગ્રાહક જૂથ વૃક્ષ મેનેજ કરો.
 DocType: Normal Test Items,Result Value,પરિણામનું મૂલ્ય
 DocType: Hotel Room,Hotels,હોટેલ્સ
-DocType: Delivery Note,Transporter Date,ટ્રાન્સપોર્ટર તારીખ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,ન્યૂ ખર્ચ કેન્દ્રને નામ
 DocType: Leave Control Panel,Leave Control Panel,નિયંત્રણ પેનલ છોડો
 DocType: Project,Task Completion,ટાસ્ક સમાપ્તિ
@@ -3795,11 +3837,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,બધા આકારણી જૂથો
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,નવી વેરહાઉસ નામ
 DocType: Shopify Settings,App Type,એપ્લિકેશનનો પ્રકાર
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),કુલ {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),કુલ {0} ({1})
 DocType: C-Form Invoice Detail,Territory,પ્રદેશ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,જરૂરી મુલાકાત કોઈ ઉલ્લેખ કરો
 DocType: Stock Settings,Default Valuation Method,મૂળભૂત મૂલ્યાંકન પદ્ધતિ
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ફી
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,સંચયિત રકમ બતાવો
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,અપડેટ પ્રગતિમાં છે તેમાં થોડો સમય લાગી શકે છે
 DocType: Production Plan Item,Produced Qty,ઉત્પાદન જથ્થો
 DocType: Vehicle Log,Fuel Qty,ફ્યુઅલ Qty
@@ -3807,7 +3850,7 @@
 DocType: Work Order Operation,Planned Start Time,આયોજિત પ્રારંભ સમય
 DocType: Course,Assessment,આકારણી
 DocType: Payment Entry Reference,Allocated,સોંપાયેલ
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,બંધ બેલેન્સ શીટ અને પુસ્તક નફો અથવા નુકસાન.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,બંધ બેલેન્સ શીટ અને પુસ્તક નફો અથવા નુકસાન.
 DocType: Student Applicant,Application Status,એપ્લિકેશન સ્થિતિ
 DocType: Additional Salary,Salary Component Type,પગાર ઘટક પ્રકાર
 DocType: Sensitivity Test Items,Sensitivity Test Items,સંવેદનશીલતા ટેસ્ટ આઈટમ્સ
@@ -3818,10 +3861,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,કુલ બાકી રકમ
 DocType: Sales Partner,Targets,લક્ષ્યાંક
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,કૃપા કરીને કંપનીની માહિતી ફાઇલમાં SIREN નંબર રજીસ્ટર કરો
+DocType: Email Digest,Sales Orders to Bill,વેચાણ ઓર્ડર બિલ
 DocType: Price List,Price List Master,ભાવ યાદી માસ્ટર
 DocType: GST Account,CESS Account,CESS એકાઉન્ટ
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,તમે સુયોજિત અને લક્ષ્યો મોનીટર કરી શકે છે કે જેથી બધા સેલ્સ વ્યવહારો બહુવિધ ** વેચાણ વ્યક્તિઓ ** સામે ટૅગ કરી શકો છો.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,લિંક મટીરિયલ વિનંતી
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,લિંક મટીરિયલ વિનંતી
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,ફોરમ પ્રવૃત્તિ
 ,S.O. No.,તેથી નંબર
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,બેંક સ્ટેટમેન્ટ ટ્રાન્ઝેક્શન સેટિંગ્સ આઇટમ
@@ -3836,7 +3880,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,આ રુટ ગ્રાહક જૂથ છે અને સંપાદિત કરી શકાતી નથી.
 DocType: Student,AB-,એબી-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,ક્રિયા જો એકીકૃત માસિક બજેટ PO પર ઓળંગી
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,પ્લેસ માટે
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,પ્લેસ માટે
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,એક્સચેન્જ રેટ રીવેલ્યુએશન
 DocType: POS Profile,Ignore Pricing Rule,પ્રાઇસીંગ નિયમ અવગણો
 DocType: Employee Education,Graduate,સ્નાતક
@@ -3872,6 +3916,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,કૃપા કરીને રેસ્ટોરેન્ટ સેટિંગ્સમાં ડિફોલ્ટ ગ્રાહક સેટ કરો
 ,Salary Register,પગાર રજિસ્ટર
 DocType: Warehouse,Parent Warehouse,પિતૃ વેરહાઉસ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,ચાર્ટ
 DocType: Subscription,Net Total,નેટ કુલ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},ડિફૉલ્ટ BOM આઇટમ માટે મળી નથી {0} અને પ્રોજેક્ટ {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,વિવિધ લોન પ્રકારના વ્યાખ્યાયિત કરે છે
@@ -3904,24 +3949,26 @@
 DocType: Membership,Membership Status,સભ્યપદ સ્થિતિ
 DocType: Travel Itinerary,Lodging Required,લોજીંગ આવશ્યક
 ,Requested,વિનંતી
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,કોઈ ટિપ્પણી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,કોઈ ટિપ્પણી
 DocType: Asset,In Maintenance,જાળવણીમાં
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,એમેઝોન MWS માંથી તમારા સેલ્સ ઓર્ડર ડેટાને ખેંચવા માટે આ બટનને ક્લિક કરો
 DocType: Vital Signs,Abdomen,પેટ
 DocType: Purchase Invoice,Overdue,મુદતવીતી
 DocType: Account,Stock Received But Not Billed,"સ્ટોક મળ્યો હતો, પણ રજુ કરવામાં આવ્યું ન"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,રુટ ખાતું એક જૂથ હોવા જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,રુટ ખાતું એક જૂથ હોવા જ જોઈએ
 DocType: Drug Prescription,Drug Prescription,ડ્રગ પ્રિસ્ક્રિપ્શન
 DocType: Loan,Repaid/Closed,પાછી / બંધ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,કુલ અંદાજ Qty
 DocType: Monthly Distribution,Distribution Name,વિતરણ નામ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,યુએમએમ શામેલ કરો
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","આઇટમ {0} માટે મૂલ્યાંકનનો દર, જે {1} {2} માટે એકાઉન્ટિંગ એન્ટ્રીઓ કરવા માટે જરૂરી છે જો આઇટમ {1} માં શૂન્ય વેલ્યુએશન રેટ આઇટમ તરીકે ટ્રાન્ઝેક્શન કરી રહી છે, તો કૃપા કરીને {1} આઇટમ ટેબલમાં ઉલ્લેખ કરો. નહિંતર, આઇટમ માટે ઇનકમિંગ સ્ટોક ટ્રાન્ઝેક્શન બનાવો અથવા આઇટમ રેકોર્ડમાં વેલ્યુએશન રેટનો ઉલ્લેખ કરો, અને પછી આ એન્ટ્રી સબમિટ / રદ કરવાનો પ્રયાસ કરો"
 DocType: Course,Course Code,કોર્સ કોડ
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},વસ્તુ માટે જરૂરી ગુણવત્તા નિરીક્ષણ {0}
 DocType: Location,Parent Location,માતાપિતા સ્થાન
 DocType: POS Settings,Use POS in Offline Mode,ઑફલાઇન મોડમાં POS નો ઉપયોગ કરો
 DocType: Supplier Scorecard,Supplier Variables,પુરવઠોકર્તા ચલો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} ફરજિયાત છે. કદાચ {1} થી {2} માટે કરન્સી એક્સચેન્જ રેકોર્ડ બનાવવામાં આવ્યો નથી
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,જે ગ્રાહક ચલણ પર દર કંપનીના આધાર ચલણ ફેરવાય છે
 DocType: Purchase Invoice Item,Net Rate (Company Currency),નેટ દર (કંપની ચલણ)
 DocType: Salary Detail,Condition and Formula Help,સ્થિતિ અને ફોર્મ્યુલા મદદ
@@ -3930,19 +3977,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,સેલ્સ ભરતિયું
 DocType: Journal Entry Account,Party Balance,પાર્ટી બેલેન્સ
 DocType: Cash Flow Mapper,Section Subtotal,વિભાગ પેટાસરવાળો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,ડિસ્કાઉન્ટ પર લાગુ પડે છે પસંદ કરો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,ડિસ્કાઉન્ટ પર લાગુ પડે છે પસંદ કરો
 DocType: Stock Settings,Sample Retention Warehouse,નમૂના રીટેન્શન વેરહાઉસ
 DocType: Company,Default Receivable Account,મૂળભૂત પ્રાપ્ત એકાઉન્ટ
 DocType: Purchase Invoice,Deemed Export,ડીમ્ડ એક્સપોર્ટ
 DocType: Stock Entry,Material Transfer for Manufacture,ઉત્પાદન માટે માલ પરિવહન
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ડિસ્કાઉન્ટ ટકાવારી ભાવ યાદી સામે અથવા બધું ભાવ યાદી માટે ક્યાં લાગુ પાડી શકાય છે.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,સ્ટોક માટે એકાઉન્ટિંગ એન્ટ્રી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,સ્ટોક માટે એકાઉન્ટિંગ એન્ટ્રી
 DocType: Lab Test,LabTest Approver,લેબસ્ટસ્ટ એપોવરવર
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,જો તમે પહેલાથી જ આકારણી માપદંડ માટે આકારણી છે {}.
 DocType: Vehicle Service,Engine Oil,એન્જિન તેલ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},વર્ક ઓર્ડર્સ બનાવ્યાં: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},વર્ક ઓર્ડર્સ બનાવ્યાં: {0}
 DocType: Sales Invoice,Sales Team1,સેલ્સ team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,વસ્તુ {0} અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,વસ્તુ {0} અસ્તિત્વમાં નથી
 DocType: Sales Invoice,Customer Address,ગ્રાહક સરનામું
 DocType: Loan,Loan Details,લોન વિગતો
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,પોસ્ટ કંપની ફિક્સરને સેટ કરવામાં નિષ્ફળ
@@ -3963,34 +4010,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,પાનાંની ટોચ પર આ સ્લાઇડશો બતાવો
 DocType: BOM,Item UOM,વસ્તુ UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ડિસ્કાઉન્ટ રકમ બાદ ટેક્સની રકમ (કંપની ચલણ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},લક્ષ્યાંક વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},લક્ષ્યાંક વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
 DocType: Cheque Print Template,Primary Settings,પ્રાથમિક સેટિંગ્સ
 DocType: Attendance Request,Work From Home,ઘર બેઠા કામ
 DocType: Purchase Invoice,Select Supplier Address,પુરવઠોકર્તા સરનામું પસંદ
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,કર્મચારીઓની ઉમેરો
 DocType: Purchase Invoice Item,Quality Inspection,ગુણવત્તા નિરીક્ષણ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,વિશેષ નાના
 DocType: Company,Standard Template,સ્ટાન્ડર્ડ ટેમ્પલેટ
 DocType: Training Event,Theory,થિયરી
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,ચેતવણી: Qty વિનંતી સામગ્રી ન્યુનત્તમ ઓર્ડર Qty કરતાં ઓછી છે
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,ચેતવણી: Qty વિનંતી સામગ્રી ન્યુનત્તમ ઓર્ડર Qty કરતાં ઓછી છે
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,એકાઉન્ટ {0} સ્થિર છે
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,સંસ્થા સાથે જોડાયેલા એકાઉન્ટ્સ એક અલગ ચાર્ટ સાથે કાનૂની એન્ટિટી / સબસિડીયરી.
 DocType: Payment Request,Mute Email,મ્યૂટ કરો ઇમેઇલ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","ફૂડ, પીણું અને તમાકુ"
 DocType: Account,Account Number,ખાતા નંબર
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},માત્ર સામે ચુકવણી કરી શકો છો unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,કમિશન દર કરતા વધારે 100 ન હોઈ શકે
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},માત્ર સામે ચુકવણી કરી શકો છો unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,કમિશન દર કરતા વધારે 100 ન હોઈ શકે
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),આપમેળે એડવાન્સિસ ફાળવો (ફિફા)
 DocType: Volunteer,Volunteer,સ્વયંસેવક
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,પ્રથમ {0} દાખલ કરો
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,માંથી કોઈ જવાબો
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,માંથી કોઈ જવાબો
 DocType: Work Order Operation,Actual End Time,વાસ્તવિક ઓવરને સમય
 DocType: Item,Manufacturer Part Number,ઉત્પાદક ભાગ સંખ્યા
 DocType: Taxable Salary Slab,Taxable Salary Slab,કરપાત્ર પગાર સ્લેબ
 DocType: Work Order Operation,Estimated Time and Cost,અંદાજિત સમય અને ખર્ચ
 DocType: Bin,Bin,બિન
 DocType: Crop,Crop Name,ક્રોપ નામ
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,માત્ર {0} રોલ ધરાવતા વપરાશકર્તાઓ જ માર્કેટપ્લેસ પર રજીસ્ટર કરી શકે છે
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,માત્ર {0} રોલ ધરાવતા વપરાશકર્તાઓ જ માર્કેટપ્લેસ પર રજીસ્ટર કરી શકે છે
 DocType: SMS Log,No of Sent SMS,એસએમએસ કોઈ
 DocType: Leave Application,HR-LAP-.YYYY.-,એચઆર-લેપ- .YYY-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,નિમણૂંકો અને એન્કાઉન્ટર્સ
@@ -4019,7 +4067,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,કોડ બદલો
 DocType: Purchase Invoice Item,Valuation Rate,મૂલ્યાંકન દર
 DocType: Vehicle,Diesel,ડીઝલ
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,ભાવ યાદી કરન્સી પસંદ નહી
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,ભાવ યાદી કરન્સી પસંદ નહી
 DocType: Purchase Invoice,Availed ITC Cess,ફાયર્ડ આઇટીસી સેસ
 ,Student Monthly Attendance Sheet,વિદ્યાર્થી માસિક હાજરી શીટ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,શીપીંગ નિયમ ફક્ત વેચાણ માટે લાગુ પડે છે
@@ -4035,7 +4083,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,સેલ્સ પાર્ટનર્સ મેનેજ કરો.
 DocType: Quality Inspection,Inspection Type,નિરીક્ષણ પ્રકાર
 DocType: Fee Validity,Visited yet,હજુ સુધી મુલાકાત લીધી
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે વખારો જૂથ રૂપાંતરિત કરી શકાય છે.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે વખારો જૂથ રૂપાંતરિત કરી શકાય છે.
 DocType: Assessment Result Tool,Result HTML,પરિણામ HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,સેલ્સ વ્યવહારો પર આધારિત કેટલી વાર પ્રોજેક્ટ અને કંપનીને અપડેટ કરવું જોઈએ.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ના રોજ સમાપ્ત થાય
@@ -4043,7 +4091,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},પસંદ કરો {0}
 DocType: C-Form,C-Form No,સી-ફોર્મ નં
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,અંતર
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,અંતર
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,તમે ખરીદો અથવા વેચો છો તે તમારા ઉત્પાદનો અથવા સેવાઓની સૂચિ બનાવો.
 DocType: Water Analysis,Storage Temperature,સંગ્રહ તાપમાન
 DocType: Sales Order,SAL-ORD-.YYYY.-,એસએએલ- ORD- .YYYY.-
@@ -4059,19 +4107,19 @@
 DocType: Shopify Settings,Delivery Note Series,ડિલિવરી નોટ સિરીઝ
 DocType: Purchase Order Item,Returned Qty,પરત Qty
 DocType: Student,Exit,બહાર નીકળો
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root લખવું ફરજિયાત છે
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root લખવું ફરજિયાત છે
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,પ્રીસેટ્સ ઇન્સ્ટોલ કરવામાં નિષ્ફળ
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,કલાકમાં UOM રૂપાંતરણ
 DocType: Contract,Signee Details,સહી વિગતો
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} પાસે હાલમાં {1} સપ્લાયર સ્કોરકાર્ડ સ્થાયી છે, અને આ સપ્લાયરને આરએફક્યુઝ સાવધાની સાથે જારી કરાવવી જોઈએ."
 DocType: Certified Consultant,Non Profit Manager,નૉન-પ્રોફિટ મેનેજર
 DocType: BOM,Total Cost(Company Currency),કુલ ખર્ચ (કંપની ચલણ)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,{0} બનાવવામાં સીરીયલ કોઈ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,{0} બનાવવામાં સીરીયલ કોઈ
 DocType: Homepage,Company Description for website homepage,વેબસાઇટ હોમપેજ માટે કંપની વર્ણન
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ગ્રાહકોની સુવિધા માટે, આ કોડ ઇન્વૉઇસેસ અને ડ લવર નોંધો જેવા પ્રિન્ટ બંધારણો ઉપયોગ કરી શકાય છે"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier નામ
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} માટે માહિતી પુનઃપ્રાપ્ત કરી શકાઈ નથી.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,એન્ટ્રી જર્નલ ખોલીને
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,એન્ટ્રી જર્નલ ખોલીને
 DocType: Contract,Fulfilment Terms,પરિપૂર્ણતા શરતો
 DocType: Sales Invoice,Time Sheet List,સમયનો શીટ યાદી
 DocType: Employee,You can enter any date manually,તમે જાતે કોઈપણ તારીખ દાખલ કરી શકો છો
@@ -4106,7 +4154,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,તમારી સંસ્થા
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","નીચેના કર્મચારીઓ માટે રજા ફાળવણી છોડવાનું છોડવું, કારણ કે છોડોના ભથ્થાંના રેકોર્ડ્સ તેમની સામે પહેલેથી અસ્તિત્વ ધરાવે છે. {0}"
 DocType: Fee Component,Fees Category,ફી વર્ગ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,તારીખ રાહત દાખલ કરો.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,તારીખ રાહત દાખલ કરો.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,એએમટી
 DocType: Travel Request,"Details of Sponsor (Name, Location)","પ્રાયોજકની વિગતો (નામ, સ્થાન)"
 DocType: Supplier Scorecard,Notify Employee,કર્મચારીને સૂચિત કરો
@@ -4119,9 +4167,9 @@
 DocType: Company,Chart Of Accounts Template,એકાઉન્ટ્સ ઢાંચો ચાર્ટ
 DocType: Attendance,Attendance Date,એટેન્ડન્સ તારીખ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},સુધારા શેર ખરીદી ભરતિયું માટે સક્ષમ હોવું જ જોઈએ {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},વસ્તુ ભાવ {0} માં ભાવ યાદી માટે સુધારાશે {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},વસ્તુ ભાવ {0} માં ભાવ યાદી માટે સુધારાશે {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,આવક અને કપાત પર આધારિત પગાર ભાંગ્યા.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
 DocType: Purchase Invoice Item,Accepted Warehouse,સ્વીકારાયું વેરહાઉસ
 DocType: Bank Reconciliation Detail,Posting Date,પોસ્ટ તારીખ
 DocType: Item,Valuation Method,મૂલ્યાંકન પદ્ધતિ
@@ -4158,6 +4206,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,કૃપા કરીને એક બેચ પસંદ
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,યાત્રા અને ખર્ચ દાવો
 DocType: Sales Invoice,Redemption Cost Center,રીડેમ્પશન કોસ્ટ સેન્ટર
+DocType: QuickBooks Migrator,Scope,અવકાશ
 DocType: Assessment Group,Assessment Group Name,આકારણી ગ્રુપ નામ
 DocType: Manufacturing Settings,Material Transferred for Manufacture,સામગ્રી ઉત્પાદન માટે તબદીલ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,વિગતોમાં ઉમેરો
@@ -4165,6 +4214,7 @@
 DocType: Shopify Settings,Last Sync Datetime,છેલ્લો સમન્વયન ડેટટાઇમ
 DocType: Landed Cost Item,Receipt Document Type,રસીદ દસ્તાવેજ પ્રકાર
 DocType: Daily Work Summary Settings,Select Companies,કંપનીઓ પસંદ કરો
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,દરખાસ્ત / ભાવ ભાવ
 DocType: Antibiotic,Healthcare,સ્વાસ્થ્ય કાળજી
 DocType: Target Detail,Target Detail,લક્ષ્યાંક વિગતવાર
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,સિંગલ વેરિએન્ટ
@@ -4174,6 +4224,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,પીરિયડ બંધ એન્ટ્રી
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,વિભાગ પસંદ કરો ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,હાલની વ્યવહારો સાથે ખર્ચ કેન્દ્રને જૂથ રૂપાંતરિત કરી શકતા નથી
+DocType: QuickBooks Migrator,Authorization URL,અધિકૃતતા URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},રકમ {0} {1} {2} {3}
 DocType: Account,Depreciation,અવમૂલ્યન
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,શેર્સની સંખ્યા અને શેરની સંખ્યા અસંગત છે
@@ -4195,13 +4246,14 @@
 DocType: Support Search Source,Source DocType,સોર્સ ડોક ટાઇપ
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,નવી ટિકિટ ખોલો
 DocType: Training Event,Trainer Email,ટ્રેનર ઇમેઇલ
+DocType: Driver,Transporter,ટ્રાન્સપોર્ટર
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,બનાવવામાં સામગ્રી અરજીઓ {0}
 DocType: Restaurant Reservation,No of People,લોકોની સંખ્યા
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,શરતો અથવા કરારની ઢાંચો.
 DocType: Bank Account,Address and Contact,એડ્રેસ અને સંપર્ક
 DocType: Vital Signs,Hyper,હાયપર
 DocType: Cheque Print Template,Is Account Payable,એકાઉન્ટ ચૂકવવાપાત્ર છે
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},સ્ટોક ખરીદી રસીદ સામે અપડેટ કરી શકો છો {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},સ્ટોક ખરીદી રસીદ સામે અપડેટ કરી શકો છો {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 દિવસ પછી ઓટો બંધ અંક
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","પહેલાં ફાળવવામાં કરી શકાતી નથી મૂકો {0}, રજા બેલેન્સ પહેલેથી કેરી આગળ ભવિષ્યમાં રજા ફાળવણી રેકોર્ડ કરવામાં આવી છે {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),નોંધ: કારણે / સંદર્ભ તારીખ {0} દિવસ દ્વારા મંજૂરી ગ્રાહક ક્રેડિટ દિવસ કરતાં વધી જાય (ઓ)
@@ -4219,7 +4271,7 @@
 ,Qty to Deliver,વિતરિત કરવા માટે Qty
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,એમેઝોન આ તારીખ પછી સુધારાશે માહિતી synch કરશે
 ,Stock Analytics,સ્ટોક ઍનલિટિક્સ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ઓપરેશન્સ ખાલી છોડી શકાશે નહીં
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ઓપરેશન્સ ખાલી છોડી શકાશે નહીં
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,લેબ ટેસ્ટ (ઓ)
 DocType: Maintenance Visit Purpose,Against Document Detail No,દસ્તાવેજ વિગતવાર સામે કોઈ
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},દેશ {0} માટે કાઢી નાંખવાની પરવાનગી નથી
@@ -4227,13 +4279,12 @@
 DocType: Quality Inspection,Outgoing,આઉટગોઇંગ
 DocType: Material Request,Requested For,વિનંતી
 DocType: Quotation Item,Against Doctype,Doctype સામે
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} રદ અથવા બંધ છે
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} રદ અથવા બંધ છે
 DocType: Asset,Calculate Depreciation,અવમૂલ્યન ગણતરી
 DocType: Delivery Note,Track this Delivery Note against any Project,કોઈ પણ પ્રોજેક્ટ સામે આ બોલ પર કોઈ નોંધ ટ્રૅક
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,રોકાણ ચોખ્ખી રોકડ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ગ્રાહક&gt; ગ્રાહક જૂથ&gt; પ્રદેશ
 DocType: Work Order,Work-in-Progress Warehouse,વર્ક ઈન પ્રોગ્રેસ વેરહાઉસ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,એસેટ {0} સબમિટ હોવું જ જોઈએ
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,એસેટ {0} સબમિટ હોવું જ જોઈએ
 DocType: Fee Schedule Program,Total Students,કુલ વિદ્યાર્થીઓ
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},હાજરીનો વિક્રમ {0} વિદ્યાર્થી સામે અસ્તિત્વમાં {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},સંદર્ભ # {0} ના રોજ {1}
@@ -4252,7 +4303,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,ડાબી કર્મચારીઓ માટે રીટેન્શન બોનસ બનાવી શકતા નથી
 DocType: Lead,Market Segment,માર્કેટ સેગમેન્ટ
 DocType: Agriculture Analysis Criteria,Agriculture Manager,કૃષિ વ્યવસ્થાપક
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},ચૂકવેલ રકમ કુલ નકારાત્મક બાકી રકમ કરતાં વધારે ન હોઈ શકે {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},ચૂકવેલ રકમ કુલ નકારાત્મક બાકી રકમ કરતાં વધારે ન હોઈ શકે {0}
 DocType: Supplier Scorecard Period,Variables,ચલો
 DocType: Employee Internal Work History,Employee Internal Work History,કર્મચારીનું આંતરિક કામ ઇતિહાસ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),બંધ (DR)
@@ -4276,22 +4327,24 @@
 DocType: Amazon MWS Settings,Synch Products,સિંક પ્રોડક્ટ્સ
 DocType: Loyalty Point Entry,Loyalty Program,લોયલ્ટી પ્રોગ્રામ
 DocType: Student Guardian,Father,પિતા
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,આધાર ટિકિટ
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'અદ્યતન સ્ટોક' સ્થિર સંપત્તિ વેચાણ માટે ચેક કરી શકાતું નથી
 DocType: Bank Reconciliation,Bank Reconciliation,બેન્ક રિકંસીલેશન
 DocType: Attendance,On Leave,રજા પર
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,સુધારાઓ મેળવો
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: એકાઉન્ટ {2} કંપની ને અનુલક્ષતું નથી {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,દરેક લક્ષણોમાંથી ઓછામાં ઓછો એક મૂલ્ય પસંદ કરો
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,દરેક લક્ષણોમાંથી ઓછામાં ઓછો એક મૂલ્ય પસંદ કરો
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,સામગ્રી વિનંતી {0} રદ અથવા બંધ છે
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,ડિસ્પેચ સ્ટેટ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,ડિસ્પેચ સ્ટેટ
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,મેનેજમેન્ટ છોડો
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,જૂથો
 DocType: Purchase Invoice,Hold Invoice,ભરતિયું દબાવી રાખો
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,કર્મચારી પસંદ કરો
 DocType: Sales Order,Fully Delivered,સંપૂર્ણપણે વિતરિત
-DocType: Lead,Lower Income,ઓછી આવક
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,ઓછી આવક
 DocType: Restaurant Order Entry,Current Order,વર્તમાન ઓર્ડર
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,સીરીઅલ નંબર અને જથ્થોની સંખ્યા સમાન હોવી જોઈએ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},સોર્સ અને ટાર્ગેટ વેરહાઉસ પંક્તિ માટે જ ન હોઈ શકે {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},સોર્સ અને ટાર્ગેટ વેરહાઉસ પંક્તિ માટે જ ન હોઈ શકે {0}
 DocType: Account,Asset Received But Not Billed,સંપત્તિ પ્રાપ્ત થઈ પરંતુ બિલ નહીં
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","આ સ્ટોક રિકંસીલેશન એક ખુલી પ્રવેશ છે, કારણ કે તફાવત એકાઉન્ટ, એક એસેટ / જવાબદારી પ્રકાર એકાઉન્ટ હોવું જ જોઈએ"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},વિતરિત રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે {0}
@@ -4300,7 +4353,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},વસ્તુ માટે જરૂરી ઓર્ડર નંબર ખરીદી {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','તારીખ થી' પછી જ ’તારીખ સુધી’ હોવી જોઈએ
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,આ હોદ્દો માટે કોઈ સ્ટાફિંગ યોજનાઓ મળી નથી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,આઇટમ {1} નો બેચ {0} અક્ષમ છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,આઇટમ {1} નો બેચ {0} અક્ષમ છે
 DocType: Leave Policy Detail,Annual Allocation,વાર્ષિક ફાળવણી
 DocType: Travel Request,Address of Organizer,સંગઠનનું સરનામું
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,હેલ્થકેર પ્રેક્ટિશનર પસંદ કરો ...
@@ -4309,12 +4362,12 @@
 DocType: Asset,Fully Depreciated,સંપૂર્ણપણે અવમૂલ્યન
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,સ્ટોક Qty અંદાજિત
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},સંબંધ નથી {0} ગ્રાહક પ્રોજેક્ટ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},સંબંધ નથી {0} ગ્રાહક પ્રોજેક્ટ {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,નોંધપાત્ર હાજરી HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",સુવાકયો દરખાસ્તો બિડ તમે તમારા ગ્રાહકો માટે મોકલી છે
 DocType: Sales Invoice,Customer's Purchase Order,ગ્રાહક ખરીદી ઓર્ડર
 DocType: Clinical Procedure,Patient,પેશન્ટ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,સેલ્સ ઓર્ડર પર ક્રેડિટ ચેક બાયપાસ
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,સેલ્સ ઓર્ડર પર ક્રેડિટ ચેક બાયપાસ
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,એમ્પ્લોયી ઑનબોર્ડિંગ પ્રવૃત્તિ
 DocType: Location,Check if it is a hydroponic unit,જો તે હાયડ્રોફોનિક એકમ છે કે કેમ તે તપાસો
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,સીરીયલ કોઈ અને બેચ
@@ -4324,7 +4377,7 @@
 DocType: Supplier Scorecard Period,Calculations,ગણતરીઓ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,ભાવ અથવા Qty
 DocType: Payment Terms Template,Payment Terms,ચુકવણી શરતો
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,પ્રોડક્શન્સ ઓર્ડર્સ માટે ઊભા ન કરી શકો છો:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,પ્રોડક્શન્સ ઓર્ડર્સ માટે ઊભા ન કરી શકો છો:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,મિનિટ
 DocType: Purchase Invoice,Purchase Taxes and Charges,કર અને ખર્ચ ખરીદી
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4332,17 +4385,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,સપ્લાયર્સ પર જાઓ
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS ક્લોઝિંગ વાઉચર ટેક્સ
 ,Qty to Receive,પ્રાપ્ત Qty
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","પ્રારંભ અને સમાપ્તિ તારીખો માન્ય પગારપત્રક ગાળા દરમિયાન નથી, {0} ની ગણતરી કરી શકાતી નથી."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","પ્રારંભ અને સમાપ્તિ તારીખો માન્ય પગારપત્રક ગાળા દરમિયાન નથી, {0} ની ગણતરી કરી શકાતી નથી."
 DocType: Leave Block List,Leave Block List Allowed,બ્લોક યાદી મંજૂર છોડો
 DocType: Grading Scale Interval,Grading Scale Interval,ગ્રેડીંગ સ્કેલ અંતરાલ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},વાહન પ્રવેશ માટે ખર્ચ દાવો {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ડિસ્કાઉન્ટ (%) પર માર્જિન સાથે ભાવ યાદી દર
 DocType: Healthcare Service Unit Type,Rate / UOM,રેટ / યુઓએમ
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,બધા વખારો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,આંતર કંપની વ્યવહારો માટે કોઈ {0} મળ્યું નથી.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,આંતર કંપની વ્યવહારો માટે કોઈ {0} મળ્યું નથી.
 DocType: Travel Itinerary,Rented Car,ભાડે આપતી કાર
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,તમારી કંપની વિશે
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,એકાઉન્ટ ક્રેડિટ બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,એકાઉન્ટ ક્રેડિટ બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
 DocType: Donor,Donor,દાતા
 DocType: Global Defaults,Disable In Words,શબ્દો માં અક્ષમ
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,વસ્તુ આપોઆપ નંબર નથી કારણ કે વસ્તુ કોડ ફરજિયાત છે
@@ -4354,14 +4407,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,બેન્ક ઓવરડ્રાફટ એકાઉન્ટ
 DocType: Patient,Patient ID,પેશન્ટ ID
 DocType: Practitioner Schedule,Schedule Name,સૂચિ નામ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,સ્ટેજ દ્વારા સેલ્સ પાઇપલાઇન
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,પગાર કાપલી બનાવો
 DocType: Currency Exchange,For Buying,ખરીદી માટે
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,બધા સપ્લાયર્સ ઉમેરો
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,બધા સપ્લાયર્સ ઉમેરો
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,રો # {0}: ફાળવેલ રકમ બાકી રકમ કરતાં વધારે ન હોઈ શકે.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,બ્રાઉઝ BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,સુરક્ષીત લોન્સ
 DocType: Purchase Invoice,Edit Posting Date and Time,પોસ્ટ તારીખ અને સમયને સંપાદિત
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},એસેટ વર્ગ {0} અથવા કંપની અવમૂલ્યન સંબંધિત એકાઉન્ટ્સ સુયોજિત કરો {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},એસેટ વર્ગ {0} અથવા કંપની અવમૂલ્યન સંબંધિત એકાઉન્ટ્સ સુયોજિત કરો {1}
 DocType: Lab Test Groups,Normal Range,સામાન્ય રેંજ
 DocType: Academic Term,Academic Year,શૈક્ષણીક વર્ષ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,ઉપલબ્ધ વેચાણ
@@ -4390,26 +4444,26 @@
 DocType: Patient Appointment,Patient Appointment,પેશન્ટ નિમણૂંક
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ભૂમિકા એપ્રૂવિંગ નિયમ લાગુ પડે છે ભૂમિકા તરીકે જ ન હોઈ શકે
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,આ ઇમેઇલ ડાયજેસ્ટ માંથી અનસબ્સ્ક્રાઇબ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,દ્વારા સપ્લાયરો મેળવો
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,દ્વારા સપ્લાયરો મેળવો
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{1} આઇટમ {1} માટે મળ્યું નથી
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,અભ્યાસક્રમો પર જાઓ
 DocType: Accounts Settings,Show Inclusive Tax In Print,પ્રિન્ટમાં વ્યાપક ટેક્સ દર્શાવો
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","બેંક એકાઉન્ટ, તારીખ અને તારીખથી ફરજિયાત છે"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,સંદેશ મોકલ્યો
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી તરીકે સેટ કરી શકાય છે
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી તરીકે સેટ કરી શકાય છે
 DocType: C-Form,II,બીજા
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,દર ભાવ યાદી ચલણ ગ્રાહક આધાર ચલણ ફેરવાય છે
 DocType: Purchase Invoice Item,Net Amount (Company Currency),ચોખ્ખી રકમ (કંપની ચલણ)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,કુલ એડવાન્સ રકમ કુલ મંજૂર કરેલી રકમ કરતા વધારે ન હોઈ શકે
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,કુલ એડવાન્સ રકમ કુલ મંજૂર કરેલી રકમ કરતા વધારે ન હોઈ શકે
 DocType: Salary Slip,Hour Rate,કલાક દર
 DocType: Stock Settings,Item Naming By,આઇટમ દ્વારા નામકરણ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},અન્ય પીરિયડ બંધ એન્ટ્રી {0} પછી કરવામાં આવી છે {1}
 DocType: Work Order,Material Transferred for Manufacturing,સામગ્રી ઉત્પાદન માટે તબદીલ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,એકાઉન્ટ {0} નથી અસ્તિત્વમાં
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,લોયલ્ટી પ્રોગ્રામ પસંદ કરો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,લોયલ્ટી પ્રોગ્રામ પસંદ કરો
 DocType: Project,Project Type,પ્રોજેક્ટ પ્રકાર
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,આ કાર્ય માટે બાળ કાર્ય અસ્તિત્વમાં છે. તમે આ ટાસ્કને કાઢી શકતા નથી.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ક્યાં લક્ષ્ય Qty અથવા લક્ષ્ય રકમ ફરજિયાત છે.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ક્યાં લક્ષ્ય Qty અથવા લક્ષ્ય રકમ ફરજિયાત છે.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,વિવિધ પ્રવૃત્તિઓ કિંમત
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","માટે ઘટનાઓ સેટિંગ {0}, કારણ કે કર્મચારી વેચાણ વ્યક્તિઓ નીચે જોડાયેલ એક વપરાશકર્તા id નથી {1}"
 DocType: Timesheet,Billing Details,બિલિંગ વિગતો
@@ -4466,13 +4520,13 @@
 DocType: Inpatient Record,A Negative,નકારાત્મક
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,વધુ કંઇ બતાવવા માટે.
 DocType: Lead,From Customer,ગ્રાહક પાસેથી
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,કોલ્સ
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,કોલ્સ
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,એક પ્રોડક્ટ
 DocType: Employee Tax Exemption Declaration,Declarations,ઘોષણાઓ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,બૅચેસ
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,ફી સૂચિ બનાવો
 DocType: Purchase Order Item Supplied,Stock UOM,સ્ટોક UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,ઓર્ડર {0} અપર્ણ ન કરાય ખરીદી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,ઓર્ડર {0} અપર્ણ ન કરાય ખરીદી
 DocType: Account,Expenses Included In Asset Valuation,એસેટ વેલ્યુએશનમાં સમાવિષ્ટ ખર્ચ
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),વયસ્ક માટે સામાન્ય સંદર્ભ શ્રેણી 16-20 શ્વાસ / મિનિટ (આરસીપી 2012) છે
 DocType: Customs Tariff Number,Tariff Number,જકાત સંખ્યા
@@ -4485,6 +4539,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,પહેલા દર્દીને બચાવો
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,એટેન્ડન્સ સફળતાપૂર્વક ચિહ્નિત કરવામાં આવી છે.
 DocType: Program Enrollment,Public Transport,જાહેર પરિવહન
+DocType: Delivery Note,GST Vehicle Type,જીએસટી વાહન પ્રકાર
 DocType: Soil Texture,Silt Composition (%),સિલ્ટ રચના (%)
 DocType: Journal Entry,Remark,ટીકા
 DocType: Healthcare Settings,Avoid Confirmation,ખાતરી કરવાનું ટાળો
@@ -4493,11 +4548,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,પાંદડા અને હોલિડે
 DocType: Education Settings,Current Academic Term,વર્તમાન શૈક્ષણિક ટર્મ
 DocType: Sales Order,Not Billed,રજુ કરવામાં આવ્યું ન
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,બંને વેરહાઉસ જ કંપની સંબંધ માટે જ જોઈએ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,બંને વેરહાઉસ જ કંપની સંબંધ માટે જ જોઈએ
 DocType: Employee Grade,Default Leave Policy,મૂળભૂત છોડો નીતિ
 DocType: Shopify Settings,Shop URL,દુકાન URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,કોઈ સંપર્કો હજુ સુધી ઉમેર્યું.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,કૃપા કરીને સેટઅપ&gt; નંબરિંગ સીરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ઉતારેલ માલની કિંમત વાઉચર જથ્થો
 ,Item Balance (Simple),વસ્તુ બેલેન્સ (સરળ)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,સપ્લાયર્સ દ્વારા ઉઠાવવામાં બીલો.
@@ -4522,7 +4576,7 @@
 DocType: Shopping Cart Settings,Quotation Series,અવતરણ સિરીઝ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","એક વસ્તુ જ નામ સાથે હાજર ({0}), આઇટમ જૂથ નામ બદલવા અથવા વસ્તુ નામ બદલી કૃપા કરીને"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,ભૂમિ એનાલિસિસ માપદંડ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,કૃપા કરીને ગ્રાહક પસંદ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,કૃપા કરીને ગ્રાહક પસંદ
 DocType: C-Form,I,હું
 DocType: Company,Asset Depreciation Cost Center,એસેટ અવમૂલ્યન કિંમત કેન્દ્ર
 DocType: Production Plan Sales Order,Sales Order Date,સેલ્સ ઓર્ડર તારીખ
@@ -4535,8 +4589,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,હાલમાં કોઈ વેરહાઉસમાં કોઈ સ્ટોક ઉપલબ્ધ નથી
 ,Payment Period Based On Invoice Date,ભરતિયું તારીખ પર આધારિત ચુકવણી સમય
 DocType: Sample Collection,No. of print,પ્રિન્ટની સંખ્યા
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,જન્મદિવસની રીમાઇન્ડર
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,હોટેલ રૂમ આરક્ષણ આઇટમ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},માટે ખૂટે કરન્સી વિનિમય દરો {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},માટે ખૂટે કરન્સી વિનિમય દરો {0}
 DocType: Employee Health Insurance,Health Insurance Name,આરોગ્ય વીમોનું નામ
 DocType: Assessment Plan,Examiner,એક્ઝામિનર
 DocType: Student,Siblings,બહેન
@@ -4553,19 +4608,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,નવા ગ્રાહકો
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,કુલ નફો %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,નિમણૂંક {0} અને સેલ્સ ઇન્વોઇસ {1} રદ કરી
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,લીડ સ્ત્રોત દ્વારા તકો
 DocType: Appraisal Goal,Weightage (%),ભારાંકન (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS પ્રોફાઇલ બદલો
 DocType: Bank Reconciliation Detail,Clearance Date,ક્લિયરન્સ તારીખ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","{0} આઇટમ સામે અસેટ પહેલેથી જ અસ્તિત્વમાં છે, તમે કોઈ સીરીયલ નો વેલ્યુ બદલી શકતા નથી"
+DocType: Delivery Settings,Dispatch Notification Template,ડિસ્પ્લે સૂચના ટેમ્પલેટ
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","{0} આઇટમ સામે અસેટ પહેલેથી જ અસ્તિત્વમાં છે, તમે કોઈ સીરીયલ નો વેલ્યુ બદલી શકતા નથી"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,આકારણી રિપોર્ટ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,કર્મચારીઓ મેળવો
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,કુલ ખરીદી જથ્થો ફરજિયાત છે
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,કંપની નામ જ નથી
 DocType: Lead,Address Desc,DESC સરનામું
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,પાર્ટી ફરજિયાત છે
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},અન્ય પંક્તિઓમાં ડુપ્લિકેટ ડિપોઝિટવાળી પંક્તિઓ મળ્યા: {list}
 DocType: Topic,Topic Name,વિષય નામ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,એચઆર સેટિંગ્સમાં મંજૂરી મંજૂરીને છોડો માટે ડિફૉલ્ટ નમૂનો સેટ કરો.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,એચઆર સેટિંગ્સમાં મંજૂરી મંજૂરીને છોડો માટે ડિફૉલ્ટ નમૂનો સેટ કરો.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,વેચાણ અથવા ખરીદી ઓછામાં ઓછા એક પસંદ કરેલ હોવું જ જોઈએ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,કર્મચારીને આગળ વધારવા માટે એક કર્મચારીને પસંદ કરો
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,કૃપા કરી કોઈ માન્ય તારીખ પસંદ કરો
@@ -4599,6 +4655,7 @@
 DocType: Stock Entry,Customer or Supplier Details,ગ્રાહક અથવા સપ્લાયર વિગતો
 DocType: Payment Entry,ACC-PAY-.YYYY.-,એસીસી- PAY- .YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,વર્તમાન એસેટ વેલ્યુ
+DocType: QuickBooks Migrator,Quickbooks Company ID,ક્વિકબુક્સ કંપની ID
 DocType: Travel Request,Travel Funding,યાત્રા ભંડોળ
 DocType: Loan Application,Required by Date,તારીખ દ્વારા જરૂરી
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ક્રોપ વધતી જતી તમામ સ્થાનો પર એક લિંક
@@ -4612,9 +4669,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,વેરહાઉસ માંથી ઉપલબ્ધ બેચ Qty
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,કુલ પે - કુલ કપાત - લોન પરત ચૂકવણી
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,વર્તમાન BOM અને નવા BOM જ ન હોઈ શકે
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,વર્તમાન BOM અને નવા BOM જ ન હોઈ શકે
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,પગાર કાપલી ID ને
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,નિવૃત્તિ તારીખ જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,નિવૃત્તિ તારીખ જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,મલ્ટીપલ વેરિયન્ટ્સ
 DocType: Sales Invoice,Against Income Account,આવક એકાઉન્ટ સામે
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% વિતરિત
@@ -4643,7 +4700,7 @@
 DocType: POS Profile,Update Stock,સુધારા સ્ટોક
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,વસ્તુઓ માટે વિવિધ UOM ખોટી (કુલ) નેટ વજન કિંમત તરફ દોરી જશે. દરેક વસ્તુ ચોખ્ખી વજન જ UOM છે કે તેની ખાતરી કરો.
 DocType: Certification Application,Payment Details,ચુકવણી વિગતો
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM દર
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM દર
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","અટકાવાયેલ કાર્ય ઓર્ડર રદ કરી શકાતો નથી, તેને રદ કરવા માટે પ્રથમ રદ કરો"
 DocType: Asset,Journal Entry for Scrap,સ્ક્રેપ માટે જર્નલ પ્રવેશ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ડ લવર નોંધ વસ્તુઓ ખેંચી કરો
@@ -4666,11 +4723,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,કુલ મંજુર રકમ
 ,Purchase Analytics,ખરીદી ઍનલિટિક્સ
 DocType: Sales Invoice Item,Delivery Note Item,ડ લવર નોંધ વસ્તુ
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,વર્તમાન ઇન્વૉઇસ {0} ખૂટે છે
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,વર્તમાન ઇન્વૉઇસ {0} ખૂટે છે
 DocType: Asset Maintenance Log,Task,ટાસ્ક
 DocType: Purchase Taxes and Charges,Reference Row #,સંદર્ભ ROW #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},બેચ નંબર વસ્તુ માટે ફરજિયાત છે {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,આ રુટ વેચાણ વ્યક્તિ છે અને સંપાદિત કરી શકાતી નથી.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,આ રુટ વેચાણ વ્યક્તિ છે અને સંપાદિત કરી શકાતી નથી.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","જો પસંદ કરેલ હોય, ઉલ્લેખિત કર્યો છે કે આ ઘટક ગણતરી કિંમત કમાણી અથવા કપાત ફાળો નહીં. જોકે, તે કિંમત અન્ય ઘટકો છે કે જે ઉમેરવામાં આવે અથવા કપાત કરી શકાય સંદર્ભ શકાય છે."
 DocType: Asset Settings,Number of Days in Fiscal Year,ફિસ્કલ વર્ષમાં દિવસોની સંખ્યા
 ,Stock Ledger,સ્ટોક ખાતાવહી
@@ -4678,7 +4735,7 @@
 DocType: Company,Exchange Gain / Loss Account,એક્સચેન્જ મેળવી / નુકશાન એકાઉન્ટ
 DocType: Amazon MWS Settings,MWS Credentials,MWS ઓળખપત્રો
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,કર્મચારીનું અને હાજરી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},હેતુ એક જ હોવી જોઈએ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},હેતુ એક જ હોવી જોઈએ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,આ ફોર્મ ભરો અને તેને સંગ્રહો
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,સમુદાય ફોરમ
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,સ્ટોક વાસ્તવિક Qty
@@ -4693,7 +4750,7 @@
 DocType: Lab Test Template,Standard Selling Rate,સ્ટાન્ડર્ડ વેચાણ દર
 DocType: Account,Rate at which this tax is applied,"આ કર લાગુ પડે છે, જે અંતે દર"
 DocType: Cash Flow Mapper,Section Name,વિભાગનું નામ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,પુનઃક્રમાંકિત કરો Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,પુનઃક્રમાંકિત કરો Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},અવમૂલ્યન રો {0}: ઉપયોગી જીવન પછી અપેક્ષિત મૂલ્ય {1} કરતા વધારે અથવા તેનાથી વધુ હોવા જોઈએ
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,વર્તમાન જોબ શરૂઆતનો
 DocType: Company,Stock Adjustment Account,સ્ટોક એડજસ્ટમેન્ટ એકાઉન્ટ
@@ -4703,8 +4760,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","સિસ્ટમ વપરાશકર્તા (લોગઇન) એજન્સી આઈડી. સુયોજિત કરો, તો તે બધા એચઆર ફોર્મ માટે મૂળભૂત બની જાય છે."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,અવમૂલ્યન વિગતો દાખલ કરો
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: પ્રતિ {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},છોડો એપ્લિકેશન {0} વિદ્યાર્થી સામે પહેલાથી અસ્તિત્વમાં છે {1}
 DocType: Task,depends_on,પર આધાર રાખે છે
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,સામગ્રીના તમામ બિલમાં નવીનતમ ભાવને અપડેટ કરવા માટે કતારબદ્ધ. તેમાં થોડો સમય લાગી શકે છે.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,સામગ્રીના તમામ બિલમાં નવીનતમ ભાવને અપડેટ કરવા માટે કતારબદ્ધ. તેમાં થોડો સમય લાગી શકે છે.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,નવા એકાઉન્ટ ના નામ. નોંધ: ગ્રાહકો અને સપ્લાયર્સ માટે એકાઉન્ટ્સ બનાવી નથી કરો
 DocType: POS Profile,Display Items In Stock,સ્ટોક માં વસ્તુઓ દર્શાવો
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,દેશ મુજબની મૂળભૂત સરનામું નમૂનાઓ
@@ -4734,16 +4792,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} માટેની સ્લોટ શેડ્યૂલમાં ઉમેરાયા નથી
 DocType: Product Bundle,List items that form the package.,પેકેજ રચે છે કે યાદી વસ્તુઓ.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,પરવાનગી નથી. કૃપા કરીને પરીક્ષણ નમૂનાને અક્ષમ કરો
+DocType: Delivery Note,Distance (in km),અંતર (કિ.મી.)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ટકાવારી ફાળવણી 100% સમાન હોવું જોઈએ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,કૃપા કરીને પાર્ટી પસંદ કર્યા પહેલાં પોસ્ટ તારીખ સિલેક્ટ કરો
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,કૃપા કરીને પાર્ટી પસંદ કર્યા પહેલાં પોસ્ટ તારીખ સિલેક્ટ કરો
 DocType: Program Enrollment,School House,શાળા હાઉસ
 DocType: Serial No,Out of AMC,એએમસીના આઉટ
+DocType: Opportunity,Opportunity Amount,તકનીક રકમ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,નક્કી Depreciations સંખ્યા કુલ Depreciations સંખ્યા કરતાં વધારે ન હોઈ શકે
 DocType: Purchase Order,Order Confirmation Date,ઑર્ડર પુષ્ટિકરણ તારીખ
 DocType: Driver,HR-DRI-.YYYY.-,એચઆર-ડીઆરઆઇ-. યેવાયવાય.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,જાળવણી મુલાકાત કરી
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","પ્રારંભ તારીખ અને સમાપ્તિ તારીખ જોબ કાર્ડ સાથે ઓવરલેપ થઈ રહી છે <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,કર્મચારી ટ્રાન્સફર વિગતો
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,સેલ્સ માસ્ટર વ્યવસ્થાપક {0} ભૂમિકા છે જે વપરાશકર્તા માટે સંપર્ક કરો
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,સેલ્સ માસ્ટર વ્યવસ્થાપક {0} ભૂમિકા છે જે વપરાશકર્તા માટે સંપર્ક કરો
 DocType: Company,Default Cash Account,ડિફૉલ્ટ કેશ એકાઉન્ટ
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,કંપની (નથી ગ્રાહક અથવા સપ્લાયર) માસ્ટર.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,આ વિદ્યાર્થી હાજરી પર આધારિત છે
@@ -4751,9 +4812,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,વધુ વસ્તુઓ અથવા ઓપન સંપૂર્ણ ફોર્મ ઉમેરો
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ડ લવર નોંધો {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,વપરાશકર્તાઓ પર જાઓ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,ચૂકવેલ રકમ રકમ ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે માંડવાળ +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,ચૂકવેલ રકમ રકમ ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે માંડવાળ +
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} વસ્તુ માટે માન્ય બેચ નંબર નથી {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},નોંધ: છોડો પ્રકાર માટે પૂરતી રજા બેલેન્સ નથી {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},નોંધ: છોડો પ્રકાર માટે પૂરતી રજા બેલેન્સ નથી {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,અમાન્ય GSTIN અથવા બિનનોંધાયેલ માટે NA દાખલ
 DocType: Training Event,Seminar,સેમિનાર
 DocType: Program Enrollment Fee,Program Enrollment Fee,કાર્યક્રમ પ્રવેશ ફી
@@ -4770,7 +4831,7 @@
 DocType: Fee Schedule,Fee Schedule,ફી સૂચિ
 DocType: Company,Create Chart Of Accounts Based On,ખાતાઓ પર આધારિત ચાર્ટ બનાવો
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,તેને બિન-જૂથમાં રૂપાંતરિત કરી શકાતું નથી. બાળ કાર્યો અસ્તિત્વ ધરાવે છે
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,જન્મ તારીખ આજે કરતાં વધારે ન હોઈ શકે.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,જન્મ તારીખ આજે કરતાં વધારે ન હોઈ શકે.
 ,Stock Ageing,સ્ટોક એઇજીંગનો
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","આંશિક રીતે પ્રાયોજિત, આંશિક ભંડોળની જરૂર છે"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},વિદ્યાર્થી {0} વિદ્યાર્થી અરજદાર સામે અસ્તિત્વમાં {1}
@@ -4817,11 +4878,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,સમાધાન પહેલાં
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},માટે {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),કર અને ખર્ચ ઉમેરાયેલ (કંપની ચલણ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,વસ્તુ ટેક્સ રો {0} પ્રકાર વેરો કે આવક અથવા ખર્ચ અથવા લેવાપાત્ર કારણે હોવી જ જોઈએ
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,વસ્તુ ટેક્સ રો {0} પ્રકાર વેરો કે આવક અથવા ખર્ચ અથવા લેવાપાત્ર કારણે હોવી જ જોઈએ
 DocType: Sales Order,Partly Billed,આંશિક ગણાવી
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,વસ્તુ {0} એક નિશ્ચિત એસેટ વસ્તુ જ હોવી જોઈએ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,એચએસએન
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,ચલો બનાવો
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,એચએસએન
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,ચલો બનાવો
 DocType: Item,Default BOM,મૂળભૂત BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),કુલ બિલની રકમ (સેલ્સ ઇન્વૉઇસેસ દ્વારા)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ડેબિટ નોટ રકમ
@@ -4850,13 +4911,13 @@
 DocType: Notification Control,Custom Message,કસ્ટમ સંદેશ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,ઇન્વેસ્ટમેન્ટ બેન્કિંગ
 DocType: Purchase Invoice,input,ઇનપુટ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,કેશ અથવા બેન્ક એકાઉન્ટ ચુકવણી પ્રવેશ બનાવવા માટે ફરજિયાત છે
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,કેશ અથવા બેન્ક એકાઉન્ટ ચુકવણી પ્રવેશ બનાવવા માટે ફરજિયાત છે
 DocType: Loyalty Program,Multiple Tier Program,બહુવિધ ટાયર પ્રોગ્રામ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,વિદ્યાર્થી સરનામું
 DocType: Purchase Invoice,Price List Exchange Rate,ભાવ યાદી એક્સચેન્જ રેટ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,બધા પુરવઠોકર્તા જૂથો
 DocType: Employee Boarding Activity,Required for Employee Creation,કર્મચારી બનાવટ માટે આવશ્યક છે
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},એકાઉન્ટ નંબર {0} એકાઉન્ટમાં પહેલેથી ઉપયોગમાં છે {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},એકાઉન્ટ નંબર {0} એકાઉન્ટમાં પહેલેથી ઉપયોગમાં છે {1}
 DocType: GoCardless Mandate,Mandate,આદેશ
 DocType: POS Profile,POS Profile Name,POS પ્રોફાઇલ નામ
 DocType: Hotel Room Reservation,Booked,બુક્ડ
@@ -4872,18 +4933,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,તમે સંદર્ભ તારીખ દાખલ જો સંદર્ભ કોઈ ફરજિયાત છે
 DocType: Bank Reconciliation Detail,Payment Document,ચુકવણી દસ્તાવેજ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,માપદંડ સૂત્રનું મૂલ્યાંકન કરવામાં ભૂલ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,જોડાયા જન્મ તારીખ તારીખ કરતાં મોટી હોવી જ જોઈએ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,જોડાયા જન્મ તારીખ તારીખ કરતાં મોટી હોવી જ જોઈએ
 DocType: Subscription,Plans,યોજનાઓ
 DocType: Salary Slip,Salary Structure,પગાર માળખું
 DocType: Account,Bank,બેન્ક
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,એરલાઇન
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,ઇશ્યૂ સામગ્રી
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,ઇશ્યૂ સામગ્રી
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext સાથે Shopify કનેક્ટ કરો
 DocType: Material Request Item,For Warehouse,વેરહાઉસ માટે
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,ડિલિવરી નોંધો {0} સુધારાશે
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,ડિલિવરી નોંધો {0} સુધારાશે
 DocType: Employee,Offer Date,ઓફર તારીખ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,સુવાકયો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,તમે ઑફલાઇન મોડ છે. તમે જ્યાં સુધી તમે નેટવર્ક ફરીથી લોડ કરવા માટે સમર્થ હશે નહિં.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,સુવાકયો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,તમે ઑફલાઇન મોડ છે. તમે જ્યાં સુધી તમે નેટવર્ક ફરીથી લોડ કરવા માટે સમર્થ હશે નહિં.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,અનુદાન
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,કોઈ વિદ્યાર્થી જૂથો બનાવી છે.
 DocType: Purchase Invoice Item,Serial No,સીરીયલ કોઈ
@@ -4895,24 +4956,26 @@
 DocType: Sales Invoice,Customer PO Details,ગ્રાહક પી.ઓ.
 DocType: Stock Entry,Including items for sub assemblies,પેટા વિધાનસભાઓ માટે વસ્તુઓ સહિત
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,કામચલાઉ ખુલવાનો એકાઉન્ટ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,દાખલ કિંમત હકારાત્મક હોવો જ જોઈએ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,દાખલ કિંમત હકારાત્મક હોવો જ જોઈએ
 DocType: Asset,Finance Books,ફાઇનાન્સ બુક્સ
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,એમ્પ્લોયી ટેક્સ એક્ઝેમ્પ્શન ડિક્લેરેશન કેટેગરી
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,બધા પ્રદેશો
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,કર્મચારી {0} માટે કર્મચારી / ગ્રેડ રેકોર્ડમાં રજા નીતિ સેટ કરો
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,પસંદ કરેલ ગ્રાહક અને આઇટમ માટે અમાન્ય બ્લેંકેટ ઓર્ડર
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,પસંદ કરેલ ગ્રાહક અને આઇટમ માટે અમાન્ય બ્લેંકેટ ઓર્ડર
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,મલ્ટીપલ ટાસ્ક ઉમેરો
 DocType: Purchase Invoice,Items,વસ્તુઓ
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,સમાપ્તિ તારીખ પ્રારંભ તારીખ પહેલાં ન હોઈ શકે
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,વિદ્યાર્થી પહેલેથી પ્રવેશ છે.
 DocType: Fiscal Year,Year Name,વર્ષ નામ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,કામ દિવસો કરતાં વધુ રજાઓ આ મહિને છે.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,પી.ડી.સી. / એલસી રિફ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,કામ દિવસો કરતાં વધુ રજાઓ આ મહિને છે.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,નીચેની આઇટમ્સ {0} {1} આઇટમ તરીકે ચિહ્નિત નથી. તમે તેને {1} આઇટમના માસ્ટરમાંથી વસ્તુ તરીકે સક્ષમ કરી શકો છો
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,પી.ડી.સી. / એલસી રિફ
 DocType: Production Plan Item,Product Bundle Item,ઉત્પાદન બંડલ વસ્તુ
 DocType: Sales Partner,Sales Partner Name,વેચાણ ભાગીદાર નામ
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,સુવાકયો માટે વિનંતી
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,સુવાકયો માટે વિનંતી
 DocType: Payment Reconciliation,Maximum Invoice Amount,મહત્તમ ભરતિયું જથ્થા
 DocType: Normal Test Items,Normal Test Items,સામાન્ય ટેસ્ટ આઈટમ્સ
+DocType: QuickBooks Migrator,Company Settings,કંપની સેટિંગ્સ
 DocType: Additional Salary,Overwrite Salary Structure Amount,પગાર માળખું રકમ પર ફરીથી લખી
 DocType: Student Language,Student Language,વિદ્યાર્થી ભાષા
 apps/erpnext/erpnext/config/selling.py +23,Customers,ગ્રાહકો
@@ -4924,21 +4987,23 @@
 DocType: Issue,Opening Time,ઉદઘાટન સમય
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,પ્રતિ અને જરૂરી તારીખો
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,સિક્યોરિટીઝ એન્ડ કોમોડિટી એક્સચેન્જો
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',વેરિએન્ટ માટે માપવા એકમ મૂળભૂત &#39;{0}&#39; નમૂનો તરીકે જ હોવી જોઈએ &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',વેરિએન્ટ માટે માપવા એકમ મૂળભૂત &#39;{0}&#39; નમૂનો તરીકે જ હોવી જોઈએ &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,પર આધારિત ગણતરી
 DocType: Contract,Unfulfilled,પૂર્ણ થઈ નથી
 DocType: Delivery Note Item,From Warehouse,વેરહાઉસ માંથી
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,ઉલ્લેખિત માપદંડ માટે કોઈ કર્મચારી નથી
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,માલ બિલ સાથે કોઈ વસ્તુઓ ઉત્પાદન
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,માલ બિલ સાથે કોઈ વસ્તુઓ ઉત્પાદન
 DocType: Shopify Settings,Default Customer,ડિફૉલ્ટ ગ્રાહક
+DocType: Sales Stage,Stage Name,સ્ટેજ નામ
 DocType: Warranty Claim,SER-WRN-.YYYY.-,એસઇઆર-ડબલ્યુઆરએન- .YYYY.-
 DocType: Assessment Plan,Supervisor Name,સુપરવાઇઝર નામ
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,ખાતરી કરો કે એ જ દિવસે નિમણૂક બનાવવામાં આવી નથી
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,શિપ ટુ સ્ટેટ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,શિપ ટુ સ્ટેટ
 DocType: Program Enrollment Course,Program Enrollment Course,કાર્યક્રમ નોંધણી કોર્સ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},વપરાશકર્તા {0} પહેલેથી જ હેલ્થકેર પ્રેક્ટિશનરને સોંપેલ છે {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,નમૂના રીટેન્શન સ્ટોક એન્ટ્રી બનાવો
 DocType: Purchase Taxes and Charges,Valuation and Total,મૂલ્યાંકન અને કુલ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,વાટાઘાટો / સમીક્ષા
 DocType: Leave Encashment,Encashment Amount,એન્કેશમેન્ટ રકમ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,સ્કોરકાર્ડ્સ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,સમાપ્ત થયેલ બૅચેસ
@@ -4948,7 +5013,7 @@
 DocType: Staffing Plan Detail,Current Openings,વર્તમાન શરૂઆત
 DocType: Notification Control,Customize the Notification,સૂચન કસ્ટમાઇઝ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,કામગીરી માંથી રોકડ પ્રવાહ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST રકમ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST રકમ
 DocType: Purchase Invoice,Shipping Rule,શીપીંગ નિયમ
 DocType: Patient Relation,Spouse,જીવનસાથી
 DocType: Lab Test Groups,Add Test,ટેસ્ટ ઉમેરો
@@ -4962,14 +5027,14 @@
 DocType: Payroll Entry,Payroll Frequency,પગારપત્રક આવર્તન
 DocType: Lab Test Template,Sensitivity,સંવેદનશીલતા
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,સમન્વયન અસ્થાયી રૂપે અક્ષમ કરવામાં આવ્યું છે કારણ કે મહત્તમ રિટ્રીઝ ઓળંગી ગયા છે
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,કાચો માલ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,કાચો માલ
 DocType: Leave Application,Follow via Email,ઈમેઈલ મારફતે અનુસરો
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,છોડ અને મશીનરી
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ડિસ્કાઉન્ટ રકમ બાદ કર જથ્થો
 DocType: Patient,Inpatient Status,Inpatient સ્થિતિ
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,દૈનિક કામ સારાંશ સેટિંગ્સ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,પસંદ કરેલ ભાવની સૂચિ ચેક અને ચકાસાયેલ ક્ષેત્રોની ખરીદી કરવી જોઈએ.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,તારીખ દ્વારા Reqd દાખલ કરો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,પસંદ કરેલ ભાવની સૂચિ ચેક અને ચકાસાયેલ ક્ષેત્રોની ખરીદી કરવી જોઈએ.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,તારીખ દ્વારા Reqd દાખલ કરો
 DocType: Payment Entry,Internal Transfer,આંતરિક ટ્રાન્સફર
 DocType: Asset Maintenance,Maintenance Tasks,જાળવણી કાર્યો
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ક્યાં લક્ષ્ય Qty અથવા લક્ષ્ય રકમ ફરજિયાત છે
@@ -4990,7 +5055,7 @@
 DocType: Mode of Payment,General,જનરલ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,છેલ્લે કોમ્યુનિકેશન
 ,TDS Payable Monthly,ટીડીએસ ચૂકવવાપાત્ર માસિક
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,બોમની બદલી માટે કતારબદ્ધ. તેમાં થોડો સમય લાગી શકે છે.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,બોમની બદલી માટે કતારબદ્ધ. તેમાં થોડો સમય લાગી શકે છે.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',શ્રેણી &#39;મૂલ્યાંકન&#39; અથવા &#39;મૂલ્યાંકન અને કુલ&#39; માટે છે જ્યારે કપાત કરી શકો છો
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},શ્રેણીબદ્ધ વસ્તુ માટે સીરીયલ અમે જરૂરી {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,ઇન્વૉઇસેસ સાથે મેળ ચુકવણીઓ
@@ -5003,7 +5068,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,સૂચી માં સામેલ કરો
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,ગ્રુપ દ્વારા
 DocType: Guardian,Interests,રૂચિ
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ અક્ષમ કરો કરન્સી સક્રિય કરો.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ અક્ષમ કરો કરન્સી સક્રિય કરો.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,કેટલાક પગાર સ્લિપ સબમિટ કરી શક્યાં નથી
 DocType: Exchange Rate Revaluation,Get Entries,પ્રવેશો મેળવો
 DocType: Production Plan,Get Material Request,સામગ્રી વિનંતી વિચાર
@@ -5025,15 +5090,16 @@
 DocType: Lead,Lead Type,લીડ પ્રકાર
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,તમે બ્લોક તારીખો પર પાંદડા મંજૂર કરવા માટે અધિકૃત નથી
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,આ તમામ વસ્તુઓ પહેલેથી જ તેનું ભરતિયું કરાય છે
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,નવી પ્રકાશન તારીખ સેટ કરો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,નવી પ્રકાશન તારીખ સેટ કરો
 DocType: Company,Monthly Sales Target,માસિક વેચાણ લક્ષ્યાંક
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},દ્વારા મંજૂર કરી શકાય {0}
 DocType: Hotel Room,Hotel Room Type,હોટેલ રૂમ પ્રકાર
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,સપ્લાયર&gt; સપ્લાયર પ્રકાર
 DocType: Leave Allocation,Leave Period,છોડો પીરિયડ
 DocType: Item,Default Material Request Type,મૂળભૂત સામગ્રી વિનંતી પ્રકાર
 DocType: Supplier Scorecard,Evaluation Period,મૂલ્યાંકન અવધિ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,અજ્ઞાત
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,કાર્ય ઓર્ડર બનાવ્યું નથી
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,કાર્ય ઓર્ડર બનાવ્યું નથી
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{0} નો જથ્થો પહેલાથી ઘટક {1} માટે દાવો કર્યો છે, \ {2} કરતા વધુ અથવા મોટા જથ્થાને સેટ કરો"
 DocType: Shipping Rule,Shipping Rule Conditions,શીપીંગ નિયમ શરતો
@@ -5066,15 +5132,15 @@
 DocType: Batch,Source Document Name,સોર્સ દસ્તાવેજનું નામ
 DocType: Production Plan,Get Raw Materials For Production,ઉત્પાદન માટે કાચો માલ મેળવો
 DocType: Job Opening,Job Title,જોબ શીર્ષક
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} સૂચવે છે કે {1} કોઈ અવતરણ પૂરું પાડશે નહીં, પરંતુ બધી વસ્તુઓનો ઉલ્લેખ કરવામાં આવ્યો છે. RFQ ક્વોટ સ્થિતિ સુધારી રહ્યા છીએ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,મહત્તમ નમૂનાઓ - બેચ {1} અને વસ્તુ {2} બેચ {3} માં પહેલાથી જ {0} જાળવી રાખવામાં આવ્યા છે.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,મહત્તમ નમૂનાઓ - બેચ {1} અને વસ્તુ {2} બેચ {3} માં પહેલાથી જ {0} જાળવી રાખવામાં આવ્યા છે.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,આપમેળે BOM કિંમત અપડેટ કરો
 DocType: Lab Test,Test Name,ટેસ્ટનું નામ
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,ક્લિનિકલ પ્રોસિજર કન્ઝ્યુએબલ વસ્તુ
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,બનાવવા વપરાશકર્તાઓ
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ગ્રામ
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,સબ્સ્ક્રિપ્શન્સ
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,સબ્સ્ક્રિપ્શન્સ
 DocType: Supplier Scorecard,Per Month,દર મહિને
 DocType: Education Settings,Make Academic Term Mandatory,શૈક્ષણિક સમયની ફરજિયાત બનાવો
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,ઉત્પાદન જથ્થો 0 કરતાં મોટી હોવી જ જોઈએ.
@@ -5083,9 +5149,9 @@
 DocType: Stock Entry,Update Rate and Availability,સુધારા દર અને ઉપલબ્ધતા
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ટકાવારી તમે પ્રાપ્ત અથવા આદેશ આપ્યો જથ્થો સામે વધુ પહોંચાડવા માટે માન્ય છે. ઉદાહરણ તરીકે: તમે 100 એકમો આદેશ આપ્યો હોય તો. અને તમારા ભથ્થું પછી તમે 110 એકમો મેળવવા માટે માન્ય છે 10% છે.
 DocType: Loyalty Program,Customer Group,ગ્રાહક જૂથ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,પંક્તિ # {0}: કાર્ય ઓર્ડર # {3} માં સમાપ્ત માલના જથ્થા {2} માટે ઓપરેશન {1} પૂર્ણ થયું નથી. કૃપા કરીને ટાઇમ લોગ્સ દ્વારા ઓપરેશન સ્ટેટસ અપડેટ કરો
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,પંક્તિ # {0}: કાર્ય ઓર્ડર # {3} માં સમાપ્ત માલના જથ્થા {2} માટે ઓપરેશન {1} પૂર્ણ થયું નથી. કૃપા કરીને ટાઇમ લોગ્સ દ્વારા ઓપરેશન સ્ટેટસ અપડેટ કરો
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ન્યૂ બેચ આઈડી (વૈકલ્પિક)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},ખર્ચ હિસાબ આઇટમ માટે ફરજિયાત છે {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},ખર્ચ હિસાબ આઇટમ માટે ફરજિયાત છે {0}
 DocType: BOM,Website Description,વેબસાઇટ વર્ણન
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ઈક્વિટી કુલ ફેરફાર
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,ખરીદી ભરતિયું {0} રદ કૃપા કરીને પ્રથમ
@@ -5100,7 +5166,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,ફેરફાર કરવા માટે કંઈ નથી.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,ફોર્મ જુઓ
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ખર્ચ દાવા માં ખર્ચાળ ફરજિયાત ખર્ચ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,આ મહિને અને બાકી પ્રવૃત્તિઓ માટે સારાંશ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,આ મહિને અને બાકી પ્રવૃત્તિઓ માટે સારાંશ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},કંપનીમાં અવાસ્તવિક એક્સચેન્જ ગેઇન / લોસ એકાઉન્ટ સેટ કરો {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","તમારા સંગઠન માટે, તમારી જાતે કરતાં અન્ય વપરાશકર્તાઓને ઉમેરો"
 DocType: Customer Group,Customer Group Name,ગ્રાહક જૂથ નામ
@@ -5110,14 +5176,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,કોઈ સામગ્રી વિનંતી બનાવવામાં નથી
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},લોન રકમ મહત્તમ લોન રકમ કરતાં વધી શકે છે {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,લાઈસન્સ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},સી-ફોર્મ આ બિલ {0} દૂર કરો {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},સી-ફોર્મ આ બિલ {0} દૂર કરો {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"તમે પણ અગાઉના નાણાકીય વર્ષમાં બેલેન્સ ચાલુ નાણાકીય વર્ષના નહીં સામેલ કરવા માંગો છો, તો આગળ લઈ પસંદ કરો"
 DocType: GL Entry,Against Voucher Type,વાઉચર પ્રકાર સામે
 DocType: Healthcare Practitioner,Phone (R),ફોન (આર)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,ટાઇમ સ્લોટ્સ ઉમેરવામાં
 DocType: Item,Attributes,લક્ષણો
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,નમૂનાને સક્ષમ કરો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,એકાઉન્ટ માંડવાળ દાખલ કરો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,એકાઉન્ટ માંડવાળ દાખલ કરો
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,છેલ્લે ઓર્ડર તારીખ
 DocType: Salary Component,Is Payable,ચૂકવવાપાત્ર છે
 DocType: Inpatient Record,B Negative,બી નકારાત્મક
@@ -5128,7 +5194,7 @@
 DocType: Hotel Room,Hotel Room,હોટેલ રૂમ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},એકાઉન્ટ {0} કરે કંપની માટે અનુસરે છે નથી {1}
 DocType: Leave Type,Rounding,રાઉન્ડિંગ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,{0} પંક્તિમાં ક્રમાંકોમાં સાથે ડિલીવરી નોંધ મેચ થતો નથી
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,{0} પંક્તિમાં ક્રમાંકોમાં સાથે ડિલીવરી નોંધ મેચ થતો નથી
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),ડિસ્પેન્સડ રકમ (પ્રો રેટ)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","પછી ગ્રાહક, કસ્ટમર ગ્રુપ, ટેરિટરી, સપ્લાયર, સપ્લાયર ગ્રૂપ, ઝુંબેશ, સેલ્સ પાર્ટનર વગેરેના આધારે પ્રાઇસીંગ રૂલ્સને ફિલ્ટર કરવામાં આવે છે."
 DocType: Student,Guardian Details,ગાર્ડિયન વિગતો
@@ -5137,10 +5203,10 @@
 DocType: Vehicle,Chassis No,ચેસીસ કોઈ
 DocType: Payment Request,Initiated,શરૂ
 DocType: Production Plan Item,Planned Start Date,આયોજિત પ્રારંભ તારીખ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,કૃપા કરીને એક BOM પસંદ કરો
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,કૃપા કરીને એક BOM પસંદ કરો
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ફાયર્ડ આઇટીસી ઇન્ટીગ્રેટેડ ટેક્સ
 DocType: Purchase Order Item,Blanket Order Rate,બ્લેંકેટ ઓર્ડર રેટ
-apps/erpnext/erpnext/hooks.py +156,Certification,પ્રમાણન
+apps/erpnext/erpnext/hooks.py +157,Certification,પ્રમાણન
 DocType: Bank Guarantee,Clauses and Conditions,કલમો અને શરતો
 DocType: Serial No,Creation Document Type,બનાવટ દસ્તાવેજ પ્રકારની
 DocType: Project Task,View Timesheet,ટાઇમ્સશીટ જુઓ
@@ -5165,6 +5231,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,પિતૃ વસ્તુ {0} સ્ટોક વસ્તુ ન હોવું જોઈએ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,વેબસાઇટ લિસ્ટિંગ
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,બધા ઉત્પાદનો અથવા સેવાઓ.
+DocType: Email Digest,Open Quotations,ઓપન ક્વોટેશન્સ
 DocType: Expense Claim,More Details,વધુ વિગતો
 DocType: Supplier Quotation,Supplier Address,પુરવઠોકર્તા સરનામું
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} એકાઉન્ટ માટે બજેટ {1} સામે {2} {3} છે {4}. તે દ્વારા કરતાં વધી જશે {5}
@@ -5179,12 +5246,11 @@
 DocType: Training Event,Exam,પરીક્ષા
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,માર્કેટપ્લેસ ભૂલ
 DocType: Complaint,Complaint,ફરિયાદ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0}
 DocType: Leave Allocation,Unused leaves,નહિં વપરાયેલ પાંદડા
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,ચુકવણી એન્ટ્રી કરો
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,બધા વિભાગો
 DocType: Healthcare Service Unit,Vacant,ખાલી
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,સપ્લાયર&gt; સપ્લાયર પ્રકાર
 DocType: Patient,Alcohol Past Use,મદ્યાર્ક ભૂતકાળનો ઉપયોગ
 DocType: Fertilizer Content,Fertilizer Content,ખાતર સામગ્રી
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,લાખોમાં
@@ -5192,7 +5258,7 @@
 DocType: Tax Rule,Billing State,બિલિંગ રાજ્ય
 DocType: Share Transfer,Transfer,ટ્રાન્સફર
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,આ સેલ્સ ઑર્ડર રદ કરવા પહેલાં વર્ક ઓર્ડર {0} રદ કરવો જોઈએ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(પેટા-સ્થળોના સહિત) ફેલાય છે BOM મેળવો
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(પેટા-સ્થળોના સહિત) ફેલાય છે BOM મેળવો
 DocType: Authorization Rule,Applicable To (Employee),લાગુ કરો (કર્મચારી)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,કારણે તારીખ ફરજિયાત છે
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,લક્ષણ માટે વૃદ્ધિ {0} 0 ન હોઈ શકે
@@ -5208,7 +5274,7 @@
 DocType: Disease,Treatment Period,સારવાર પીરિયડ
 DocType: Travel Itinerary,Travel Itinerary,ટ્રાવેલ ઇટિનરરી
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,પરિણામ પહેલેથી સબમિટ છે
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,કાચો માલસામગ્રીમાં આઇટમ {0} માટે રબર વેરહાઉસ ફરજિયાત છે
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,કાચો માલસામગ્રીમાં આઇટમ {0} માટે રબર વેરહાઉસ ફરજિયાત છે
 ,Inactive Customers,નિષ્ક્રિય ગ્રાહકો
 DocType: Student Admission Program,Maximum Age,મહત્તમ ઉંમર
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,કૃપા કરીને સ્મૃતિપત્રને રદ કરતાં પહેલાં 3 દિવસ રાહ જુઓ.
@@ -5217,7 +5283,6 @@
 DocType: Stock Entry,Delivery Note No,ડ લવર નોંધ કોઈ
 DocType: Cheque Print Template,Message to show,સંદેશ બતાવવા માટે
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,છૂટક
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,આપમેળે ભરતી ભરતિયું મેનેજ કરો
 DocType: Student Attendance,Absent,ગેરહાજર
 DocType: Staffing Plan,Staffing Plan Detail,સ્ટાફિંગ પ્લાન વિગતવાર
 DocType: Employee Promotion,Promotion Date,પ્રમોશન તારીખ
@@ -5239,7 +5304,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,લીડ બનાવો
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,પ્રિન્ટ અને સ્ટેશનરી
 DocType: Stock Settings,Show Barcode Field,બતાવો બારકોડ ક્ષેત્ર
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,પુરવઠોકર્તા ઇમેઇલ્સ મોકલો
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,પુરવઠોકર્તા ઇમેઇલ્સ મોકલો
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","પગાર પહેલેથી જ વચ્ચે {0} અને {1}, એપ્લિકેશન સમયગાળા છોડો આ તારીખ શ્રેણી વચ્ચે ન હોઈ શકે સમયગાળા માટે પ્રક્રિયા."
 DocType: Fiscal Year,Auto Created,ઓટો બનાવ્યું
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,કર્મચારીનું રેકોર્ડ બનાવવા માટે આ સબમિટ કરો
@@ -5248,7 +5313,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ઇન્વોઇસ {0} હવે અસ્તિત્વમાં નથી
 DocType: Guardian Interest,Guardian Interest,ગાર્ડિયન વ્યાજ
 DocType: Volunteer,Availability,ઉપલબ્ધતા
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS ઇનવૉઇસેસ માટે ડિફોલ્ટ મૂલ્યો સેટ કરો
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS ઇનવૉઇસેસ માટે ડિફોલ્ટ મૂલ્યો સેટ કરો
 apps/erpnext/erpnext/config/hr.py +248,Training,તાલીમ
 DocType: Project,Time to send,મોકલવાનો સમય
 DocType: Timesheet,Employee Detail,કર્મચારીનું વિગતવાર
@@ -5271,7 +5336,7 @@
 DocType: Training Event Employee,Optional,વૈકલ્પિક
 DocType: Salary Slip,Earning & Deduction,અર્નિંગ અને કપાત
 DocType: Agriculture Analysis Criteria,Water Analysis,પાણીનું વિશ્લેષણ
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} ચલો બનાવ્યાં છે
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} ચલો બનાવ્યાં છે
 DocType: Amazon MWS Settings,Region,પ્રદેશ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,વૈકલ્પિક. આ ગોઠવણી વિવિધ વ્યવહારો ફિલ્ટર કરવા માટે ઉપયોગ કરવામાં આવશે.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,નકારાત્મક મૂલ્યાંકન દર મંજૂરી નથી
@@ -5290,7 +5355,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,રદ એસેટ કિંમત
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ખર્ચ કેન્દ્રને વસ્તુ માટે ફરજિયાત છે {2}
 DocType: Vehicle,Policy No,નીતિ કોઈ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,ઉત્પાદન બંડલ થી વસ્તુઓ વિચાર
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,ઉત્પાદન બંડલ થી વસ્તુઓ વિચાર
 DocType: Asset,Straight Line,સીધી રેખા
 DocType: Project User,Project User,પ્રોજેક્ટ વપરાશકર્તા
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,સ્પ્લિટ
@@ -5298,7 +5363,7 @@
 DocType: GL Entry,Is Advance,અગાઉથી છે
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,કર્મચારી લાઇફ સાયકલ
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,તારીખ તારીખ અને હાજરી થી એટેન્ડન્સ ફરજિયાત છે
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,હા અથવા ના હોય તરીકે &#39;subcontracted છે&#39; દાખલ કરો
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,હા અથવા ના હોય તરીકે &#39;subcontracted છે&#39; દાખલ કરો
 DocType: Item,Default Purchase Unit of Measure,મેઝરની ડિફોલ્ટ ખરીદ એકમ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,છેલ્લે કોમ્યુનિકેશન તારીખ
 DocType: Clinical Procedure Item,Clinical Procedure Item,ક્લિનિકલ કાર્યવાહી વસ્તુ
@@ -5307,7 +5372,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,ઍક્સેસ ટોકન અથવા Shopify URL ખૂટે છે
 DocType: Location,Latitude,અક્ષાંશ
 DocType: Work Order,Scrap Warehouse,સ્ક્રેપ વેરહાઉસ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","રો નં {0} પર વેરહાઉસ જરૂરી છે, કૃપા કરીને કંપની {1} માટે વસ્તુ {1} માટે ડિફોલ્ટ વેરહાઉસ સેટ કરો"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","રો નં {0} પર વેરહાઉસ જરૂરી છે, કૃપા કરીને કંપની {1} માટે વસ્તુ {1} માટે ડિફોલ્ટ વેરહાઉસ સેટ કરો"
 DocType: Work Order,Check if material transfer entry is not required,જો સામગ્રી ટ્રાન્સફર પ્રવેશ જરૂરી નથી તપાસો
 DocType: Program Enrollment Tool,Get Students From,વિદ્યાર્થીઓ મેળવો
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,વેબસાઇટ પર આઇટમ્સ પ્રકાશિત
@@ -5322,6 +5387,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,ન્યૂ બેચ Qty
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,એપેરલ અને એસેસરીઝ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,ભારિત સ્કોર વિધેયને હલ કરી શક્યા નથી. ખાતરી કરો કે સૂત્ર માન્ય છે.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,ખરીદી ઓર્ડર આઇટમ્સ સમય પર પ્રાપ્ત નથી
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ઓર્ડર સંખ્યા
 DocType: Item Group,HTML / Banner that will show on the top of product list.,ઉત્પાદન યાદી ટોચ પર બતાવશે કે html / બેનર.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,શીપીંગ જથ્થો ગણતરી કરવા માટે શરતો સ્પષ્ટ
@@ -5330,9 +5396,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,પાથ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"તે બાળક ગાંઠો છે, કારણ કે ખાતાવહી ખર્ચ કેન્દ્ર કન્વર્ટ કરી શકતા નથી"
 DocType: Production Plan,Total Planned Qty,કુલ યોજનાવાળી જથ્થો
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,ખુલી ભાવ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,ખુલી ભાવ
 DocType: Salary Component,Formula,ફોર્મ્યુલા
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,સીરીયલ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,સીરીયલ #
 DocType: Lab Test Template,Lab Test Template,લેબ ટેસ્ટ ઢાંચો
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,સેલ્સ એકાઉન્ટ
 DocType: Purchase Invoice Item,Total Weight,કૂલ વજન
@@ -5350,7 +5416,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,સામગ્રી વિનંતી કરવા
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ખોલો વસ્તુ {0}
 DocType: Asset Finance Book,Written Down Value,લખેલા ડાઉન ભાવ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,કૃપા કરીને માનવ સંસાધન&gt; એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,આ વેચાણ ઓર્ડર રદ પહેલાં ભરતિયું {0} રદ થયેલ હોવું જ જોઈએ સેલ્સ
 DocType: Clinical Procedure,Age,ઉંમર
 DocType: Sales Invoice Timesheet,Billing Amount,બિલિંગ રકમ
@@ -5359,11 +5424,11 @@
 DocType: Company,Default Employee Advance Account,ડિફોલ્ટ કર્મચારી એડવાન્સ એકાઉન્ટ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),શોધ આઇટમ (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,એસીસી - સીએફ - .YYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,હાલની વ્યવહાર સાથે એકાઉન્ટ કાઢી શકાતી નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,હાલની વ્યવહાર સાથે એકાઉન્ટ કાઢી શકાતી નથી
 DocType: Vehicle,Last Carbon Check,છેલ્લા કાર્બન ચેક
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,કાનૂની ખર્ચ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,કૃપા કરીને પંક્તિ પર જથ્થો પસંદ
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,ઓપનિંગ સેલ્સ અને ખરીદી ઇનવૉઇસેસ બનાવો
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,ઓપનિંગ સેલ્સ અને ખરીદી ઇનવૉઇસેસ બનાવો
 DocType: Purchase Invoice,Posting Time,પોસ્ટિંગ સમય
 DocType: Timesheet,% Amount Billed,% રકમ ગણાવી
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,ટેલિફોન ખર્ચ
@@ -5378,14 +5443,14 @@
 DocType: Maintenance Visit,Breakdown,વિરામ
 DocType: Travel Itinerary,Vegetarian,શાકાહારી
 DocType: Patient Encounter,Encounter Date,એન્કાઉન્ટર ડેટ
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,ખાતું: {0} ચલણ સાથે: {1} પસંદ કરી શકાતી નથી
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,ખાતું: {0} ચલણ સાથે: {1} પસંદ કરી શકાતી નથી
 DocType: Bank Statement Transaction Settings Item,Bank Data,બેંક ડેટા
 DocType: Purchase Receipt Item,Sample Quantity,નમૂના જથ્થો
 DocType: Bank Guarantee,Name of Beneficiary,લાભાર્થીનું નામ
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","તાજેતરની મૂલ્યાંકન દર / ભાવ યાદી દર / કાચા માલની છેલ્લી ખરીદી દરના આધારે, શેડ્યૂલર દ્વારા આપમેળે બીઓએમની કિંમતને અપડેટ કરો."
 DocType: Supplier,SUP-.YYYY.-,એસયુપી- YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,ચેક તારીખ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} કંપની ને અનુલક્ષતું નથી: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} કંપની ને અનુલક્ષતું નથી: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,સફળતાપૂર્વક આ કંપની સંબંધિત તમામ વ્યવહારો કાઢી!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,તારીખના રોજ
 DocType: Additional Salary,HR,એચઆર
@@ -5393,7 +5458,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,પેશન્ટ એસએમએસ ચેતવણીઓ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,પ્રોબેશન
 DocType: Program Enrollment Tool,New Academic Year,નવા શૈક્ષણિક વર્ષ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,રીટર્ન / ક્રેડિટ નોટ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,રીટર્ન / ક્રેડિટ નોટ
 DocType: Stock Settings,Auto insert Price List rate if missing,ઓટો સામેલ ભાવ યાદી દર ગુમ તો
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,કુલ ભરપાઈ રકમ
 DocType: GST Settings,B2C Limit,B2C મર્યાદા
@@ -5411,10 +5476,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,બાળક ગાંઠો માત્ર &#39;ગ્રુપ&#39; પ્રકાર ગાંઠો હેઠળ બનાવી શકાય છે
 DocType: Attendance Request,Half Day Date,અડધા દિવસ તારીખ
 DocType: Academic Year,Academic Year Name,શૈક્ષણિક વર્ષ નામ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} ને {1} સાથે વ્યવહાર કરવાની મંજૂરી નથી કૃપા કરી કંપનીને બદલો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} ને {1} સાથે વ્યવહાર કરવાની મંજૂરી નથી કૃપા કરી કંપનીને બદલો
 DocType: Sales Partner,Contact Desc,સંપર્ક DESC
 DocType: Email Digest,Send regular summary reports via Email.,ઈમેઈલ મારફતે નિયમિત સારાંશ અહેવાલ મોકલો.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},ખર્ચ દાવો પ્રકાર મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},ખર્ચ દાવો પ્રકાર મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,ઉપલબ્ધ પાંદડા
 DocType: Assessment Result,Student Name,વિદ્યાર્થી નામ
 DocType: Hub Tracked Item,Item Manager,વસ્તુ વ્યવસ્થાપક
@@ -5439,9 +5504,10 @@
 DocType: Subscription,Trial Period End Date,ટ્રાયલ પીરિયડ સમાપ્તિ તારીખ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"{0} મર્યાદા કરતાં વધી જાય છે, કારણ કે authroized નથી"
 DocType: Serial No,Asset Status,અસેટ સ્થિતિ
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ડાયમેન્શનલ કાર્ગો (ઓડીસી) ઉપર
 DocType: Restaurant Order Entry,Restaurant Table,રેસ્ટોરન્ટ ટેબલ
 DocType: Hotel Room,Hotel Manager,હોટેલ વ્યવસ્થાપક
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,શોપિંગ કાર્ટ માટે સેટ ટેક્સ નિયમ
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,શોપિંગ કાર્ટ માટે સેટ ટેક્સ નિયમ
 DocType: Purchase Invoice,Taxes and Charges Added,કર અને ખર્ચ ઉમેર્યું
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,અવમૂલ્યન રો {0}: આગલી અવમૂલ્યન તારીખ ઉપલબ્ધ થવાની તારીખ પહેલાં ન હોઈ શકે
 ,Sales Funnel,વેચાણ નાળચું
@@ -5457,10 +5523,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,બધા ગ્રાહક જૂથો
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,સંચિત માસિક
 DocType: Attendance Request,On Duty,ફરજ પર
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ {1} {2} માટે બનાવેલ નથી.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ {1} {2} માટે બનાવેલ નથી.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},હોદ્દો માટે સ્ટાફિંગ પ્લાન {0} પહેલેથી અસ્તિત્વ ધરાવે છે {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,ટેક્સ ઢાંચો ફરજિયાત છે.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} અસ્તિત્વમાં નથી
 DocType: POS Closing Voucher,Period Start Date,પીરિયડ પ્રારંભ તારીખ
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),ભાવ યાદી દર (કંપની ચલણ)
 DocType: Products Settings,Products Settings,પ્રોડક્ટ્સ સેટિંગ્સ
@@ -5480,7 +5546,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,આ ક્રિયા ભવિષ્યના બિલિંગને બંધ કરશે શું તમે ખરેખર આ સબ્સ્ક્રિપ્શન રદ કરવા માંગો છો?
 DocType: Serial No,Distinct unit of an Item,આઇટમ અલગ એકમ
 DocType: Supplier Scorecard Criteria,Criteria Name,માપદંડનું નામ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,સેટ કરો કંપની
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,સેટ કરો કંપની
 DocType: Procedure Prescription,Procedure Created,કાર્યપદ્ધતિ બનાવ્યાં
 DocType: Pricing Rule,Buying,ખરીદી
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,રોગો અને ફર્ટિલાઇઝર્સ
@@ -5497,42 +5563,43 @@
 DocType: Employee Onboarding,Job Offer,નોકરી ની તક
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,સંસ્થા સંક્ષેપનો
 ,Item-wise Price List Rate,વસ્તુ મુજબના ભાવ યાદી દર
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,પુરવઠોકર્તા અવતરણ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,પુરવઠોકર્તા અવતરણ
 DocType: Quotation,In Words will be visible once you save the Quotation.,તમે આ અવતરણ સેવ વાર શબ્દો દૃશ્યમાન થશે.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},જથ્થા ({0}) પંક્તિમાં અપૂર્ણાંક ન હોઈ શકે {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},જથ્થા ({0}) પંક્તિમાં અપૂર્ણાંક ન હોઈ શકે {1}
 DocType: Contract,Unsigned,બિનસાઇન્ડ
 DocType: Selling Settings,Each Transaction,દરેક ટ્રાન્ઝેક્શન
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},બારકોડ {0} પહેલાથી જ વસ્તુ ઉપયોગ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},બારકોડ {0} પહેલાથી જ વસ્તુ ઉપયોગ {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,શિપિંગ ખર્ચ ઉમેરવા માટે નિયમો.
 DocType: Hotel Room,Extra Bed Capacity,વિશેષ બેડ ક્ષમતા
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,વારાયણ
 DocType: Item,Opening Stock,ખુલવાનો સ્ટોક
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ગ્રાહક જરૂરી છે
 DocType: Lab Test,Result Date,પરિણામ તારીખ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,પી.ડી.સી. / એલ.સી. તારીખ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,પી.ડી.સી. / એલ.સી. તારીખ
 DocType: Purchase Order,To Receive,પ્રાપ્ત
 DocType: Leave Period,Holiday List for Optional Leave,વૈકલ્પિક રજા માટેની રજાઓની સૂચિ
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,અસેટ માલિક
 DocType: Purchase Invoice,Reason For Putting On Hold,પકડને પકડવાની કારણ
 DocType: Employee,Personal Email,વ્યક્તિગત ઇમેઇલ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,કુલ ફેરફાર
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,કુલ ફેરફાર
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","જો સક્રિય હોય તો, સિસ્ટમ આપોઆપ યાદી માટે એકાઉન્ટિંગ પ્રવેશો પોસ્ટ થશે."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,બ્રોકરેજ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,કર્મચારી {0} માટે હાજરી પહેલેથી જ આ દિવસ માટે ચિહ્નિત થયેલ છે
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,કર્મચારી {0} માટે હાજરી પહેલેથી જ આ દિવસ માટે ચિહ્નિત થયેલ છે
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",મિનિટ &#39;સમય લોગ&#39; મારફતે સુધારાશે
 DocType: Customer,From Lead,લીડ પ્રતિ
 DocType: Amazon MWS Settings,Synch Orders,સમન્વયન ઓર્ડર્સ
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ઓર્ડર્સ ઉત્પાદન માટે પ્રકાશિત થાય છે.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,ફિસ્કલ વર્ષ પસંદ કરો ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS પ્રોફાઇલ POS એન્ટ્રી બનાવવા માટે જરૂરી
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS પ્રોફાઇલ POS એન્ટ્રી બનાવવા માટે જરૂરી
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",વફાદારીના પોઇંટ્સનો ગણતરી ગણતરીના કારણોના આધારે કરવામાં આવેલા ખર્ચ (સેલ્સ ઇન્વોઇસ દ્વારા) દ્વારા કરવામાં આવશે.
 DocType: Program Enrollment Tool,Enroll Students,વિદ્યાર્થી નોંધણી
 DocType: Company,HRA Settings,એચઆરએ સેટિંગ્સ
 DocType: Employee Transfer,Transfer Date,તારીખ સ્થાનાંતરિત કરો
 DocType: Lab Test,Approved Date,મંજૂર તારીખ
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ધોરણ વેચાણ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,ઓછામાં ઓછા એક વખાર ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,ઓછામાં ઓછા એક વખાર ફરજિયાત છે
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","યુઓએમ, આઈટમ ગ્રૂપ, વર્ણન અને કલાકની સંખ્યા જેવી આઇટમ ફીલ્ડ્સને ગોઠવો."
 DocType: Certification Application,Certification Status,પ્રમાણન સ્થિતિ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,માર્કેટપ્લેસ
@@ -5552,6 +5619,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,મેચિંગ ઇનવૉઇસેસ
 DocType: Work Order,Required Items,જરૂરી વસ્તુઓ
 DocType: Stock Ledger Entry,Stock Value Difference,સ્ટોક વેલ્યુ તફાવત
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,આઇટમ પંક્તિ {0}: {1} {2} ઉપરની &#39;{1}&#39; કોષ્ટકમાં અસ્તિત્વમાં નથી
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,માનવ સંસાધન
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ચુકવણી રિકંસીલેશન ચુકવણી
 DocType: Disease,Treatment Task,સારવાર કાર્ય
@@ -5569,7 +5637,8 @@
 DocType: Account,Debit,ડેબિટ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,પાંદડા 0.5 ના ગુણાંકમાં ફાળવવામાં હોવું જ જોઈએ
 DocType: Work Order,Operation Cost,ઓપરેશન ખર્ચ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,ઉત્કૃષ્ટ એએમટી
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,નિર્ણય ઉત્પાદકોની ઓળખ
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,ઉત્કૃષ્ટ એએમટી
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,સેટ લક્ષ્યો વસ્તુ ગ્રુપ મુજબની આ વેચાણ વ્યક્તિ માટે.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],ફ્રીઝ સ્ટોક્સ કરતાં જૂની [ટ્રેડીંગ]
 DocType: Payment Request,Payment Ordered,ચુકવણી ઓર્ડર
@@ -5581,13 +5650,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,નીચેના ઉપયોગકર્તાઓને બ્લૉક દિવસો માટે છોડી દો કાર્યક્રમો મંજૂર કરવા માટે પરવાનગી આપે છે.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,જીવન ચક્ર
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM બનાવો
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},તેના {1} આઇટમ માટે દર વેચાણ {0} કરતાં ઓછું છે. વેચાણ દર હોવા જોઈએ ઓછામાં ઓછા {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},તેના {1} આઇટમ માટે દર વેચાણ {0} કરતાં ઓછું છે. વેચાણ દર હોવા જોઈએ ઓછામાં ઓછા {2}
 DocType: Subscription,Taxes,કર
 DocType: Purchase Invoice,capital goods,કેપિટલ ગુડ્સ
 DocType: Purchase Invoice Item,Weight Per Unit,એકમ દીઠ વજન
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,ચૂકવેલ અને વિતરિત નથી
-DocType: Project,Default Cost Center,મૂળભૂત ખર્ચ કેન્દ્રને
-DocType: Delivery Note,Transporter Doc No,ટ્રાન્સપોર્ટર ડોક નં
+DocType: QuickBooks Migrator,Default Cost Center,મૂળભૂત ખર્ચ કેન્દ્રને
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,સ્ટોક વ્યવહારો
 DocType: Budget,Budget Accounts,બજેટ એકાઉન્ટ્સ
 DocType: Employee,Internal Work History,આંતરિક કામ ઇતિહાસ
@@ -5620,7 +5688,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},{0} પર હેલ્થકેર પ્રેક્ટીશનર ઉપલબ્ધ નથી
 DocType: Stock Entry Detail,Additional Cost,વધારાના ખર્ચ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","વાઉચર કોઈ પર આધારિત ફિલ્ટર કરી શકો છો, વાઉચર દ્વારા જૂથ તો"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,પુરવઠોકર્તા અવતરણ બનાવો
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,પુરવઠોકર્તા અવતરણ બનાવો
 DocType: Quality Inspection,Incoming,ઇનકમિંગ
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,વેચાણ અને ખરીદી માટે ડિફોલ્ટ કર ટેમ્પ્લેટ બનાવવામાં આવે છે.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,મૂલ્યાંકન પરિણામ રેકોર્ડ {0} પહેલાથી અસ્તિત્વમાં છે.
@@ -5636,7 +5704,7 @@
 DocType: Batch,Batch ID,બેચ ID ને
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},નોંધ: {0}
 ,Delivery Note Trends,ડ લવર નોંધ પ્રવાહો
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,આ અઠવાડિયાના સારાંશ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,આ અઠવાડિયાના સારાંશ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,સ્ટોક Qty માં
 ,Daily Work Summary Replies,દૈનિક કાર્ય સારાંશ જવાબો
 DocType: Delivery Trip,Calculate Estimated Arrival Times,અંદાજિત આગમન ટાઇમ્સની ગણતરી કરો
@@ -5646,7 +5714,7 @@
 DocType: Bank Account,Party,પાર્ટી
 DocType: Healthcare Settings,Patient Name,પેશન્ટ નામ
 DocType: Variant Field,Variant Field,વેરિયન્ટ ફીલ્ડ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,લક્ષ્યાંક સ્થાન
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,લક્ષ્યાંક સ્થાન
 DocType: Sales Order,Delivery Date,સોંપણી તારીખ
 DocType: Opportunity,Opportunity Date,તક તારીખ
 DocType: Employee,Health Insurance Provider,આરોગ્ય વીમા પ્રદાતા
@@ -5665,7 +5733,7 @@
 DocType: Employee,History In Company,કંપની ઇતિહાસ
 DocType: Customer,Customer Primary Address,ગ્રાહક પ્રાથમિક સરનામું
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,ન્યૂઝલેટર્સ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,સંદર્ભ ક્રમાંક.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,સંદર્ભ ક્રમાંક.
 DocType: Drug Prescription,Description/Strength,વર્ણન / સ્ટ્રેન્થ
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,નવી ચુકવણી / જર્નલ એન્ટ્રી બનાવો
 DocType: Certification Application,Certification Application,પ્રમાણન અરજી
@@ -5676,10 +5744,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,એક જ આઇટમ્સનો અનેકવાર દાખલ કરવામાં આવી
 DocType: Department,Leave Block List,બ્લોક યાદી છોડો
 DocType: Purchase Invoice,Tax ID,કરવેરા ID ને
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} વસ્તુ સીરીયલ અમે માટે સુયોજિત નથી. કોલમ ખાલી હોવા જ જોઈએ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} વસ્તુ સીરીયલ અમે માટે સુયોજિત નથી. કોલમ ખાલી હોવા જ જોઈએ
 DocType: Accounts Settings,Accounts Settings,સેટિંગ્સ એકાઉન્ટ્સ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,મંજૂર
 DocType: Loyalty Program,Customer Territory,ગ્રાહક ક્ષેત્ર
+DocType: Email Digest,Sales Orders to Deliver,સેલ્સ ઓર્ડર્સ વિતરિત કરવા
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","નવા એકાઉન્ટની સંખ્યા, તેને ઉપસર્ગ તરીકે એકાઉન્ટ નામમાં શામેલ કરવામાં આવશે"
 DocType: Maintenance Team Member,Team Member,ટુકડી નો સભ્ય
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,સબમિટ કરવાના કોઈ પરિણામો નથી
@@ -5689,7 +5758,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","કુલ {0} બધી વસ્તુઓ માટે શૂન્ય છે, તો તમે &#39;પર આધારિત ચાર્જિસ વિતરિત&#39; બદલવા જોઈએ કરી શકે"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,તારીખથી તારીખથી ઓછું હોઈ શકતું નથી
 DocType: Opportunity,To Discuss,ચર્ચા કરવા માટે
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,આ સબસ્ક્રાઇબરના વ્યવહારો પર આધારિત છે. વિગતો માટે નીચેની ટાઇમલાઇન જુઓ
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} એકમો {1} {2} આ વ્યવહાર પૂર્ણ કરવા માટે જરૂર છે.
 DocType: Loan Type,Rate of Interest (%) Yearly,વ્યાજ દર (%) વાર્ષિક
 DocType: Support Settings,Forum URL,ફોરમ URL
@@ -5704,7 +5772,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,વધુ શીખો
 DocType: Cheque Print Template,Distance from top edge,ટોચ ધાર અંતર
 DocType: POS Closing Voucher Invoices,Quantity of Items,આઈટમ્સની સંખ્યા
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,ભાવ યાદી {0} અક્ષમ કરેલી છે અથવા અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,ભાવ યાદી {0} અક્ષમ કરેલી છે અથવા અસ્તિત્વમાં નથી
 DocType: Purchase Invoice,Return,રીટર્ન
 DocType: Pricing Rule,Disable,અક્ષમ કરો
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,ચુકવણી સ્થિતિ ચૂકવણી કરવા માટે જરૂરી છે
@@ -5712,18 +5780,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","અસ્કયામતો, સીરીઅલ નંબર, બૅચેસ જેવા વધુ વિકલ્પો માટે સંપૂર્ણ પૃષ્ઠમાં સંપાદિત કરો."
 DocType: Leave Type,Maximum Continuous Days Applicable,મહત્તમ કાયમી દિવસો લાગુ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} બેચ પ્રવેશ નથી {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","એસેટ {0}, રદ કરી શકાતી નથી કારણ કે તે પહેલેથી જ છે {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","એસેટ {0}, રદ કરી શકાતી નથી કારણ કે તે પહેલેથી જ છે {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,ચકાસે આવશ્યક છે
 DocType: Task,Total Expense Claim (via Expense Claim),(ખર્ચ દાવો મારફતે) કુલ ખર્ચ દાવો
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,માર્ક ગેરહાજર
 DocType: Job Applicant Source,Job Applicant Source,જોબ અરજદાર સ્રોત
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST રકમ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST રકમ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,સેટઅપ કંપનીમાં નિષ્ફળ
 DocType: Asset Repair,Asset Repair,અસેટ સમારકામ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},રો {0}: બોમ # ચલણ {1} પસંદ ચલણ સમાન હોવું જોઈએ {2}
 DocType: Journal Entry Account,Exchange Rate,વિનિમય દર
 DocType: Patient,Additional information regarding the patient,દર્દીને લગતી વધારાની માહિતી
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,વેચાણ ઓર્ડર {0} અપર્ણ ન કરાય
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,વેચાણ ઓર્ડર {0} અપર્ણ ન કરાય
 DocType: Homepage,Tag Line,ટેગ લાઇન
 DocType: Fee Component,Fee Component,ફી પુન
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,ફ્લીટ મેનેજમેન્ટ
@@ -5738,7 +5806,7 @@
 DocType: Healthcare Practitioner,Mobile,મોબાઇલ
 ,Sales Person-wise Transaction Summary,વેચાણ વ્યક્તિ મુજબના ટ્રાન્ઝેક્શન સારાંશ
 DocType: Training Event,Contact Number,સંપર્ક નંબર
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,વેરહાઉસ {0} અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,વેરહાઉસ {0} અસ્તિત્વમાં નથી
 DocType: Cashier Closing,Custody,કસ્ટડીમાં
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,એમ્પ્લોયી ટેક્સ એક્ઝેમ્પ્શન પ્રૂફ ભર્યા વિગત
 DocType: Monthly Distribution,Monthly Distribution Percentages,માસિક વિતરણ ટકાવારી
@@ -5753,7 +5821,7 @@
 DocType: Payment Entry,Paid Amount,ચૂકવેલ રકમ
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,સેલ્સ સાયકલ અન્વેષણ કરો
 DocType: Assessment Plan,Supervisor,સુપરવાઇઝર
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,રીટેન્શન સ્ટોક એન્ટ્રી
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,રીટેન્શન સ્ટોક એન્ટ્રી
 ,Available Stock for Packing Items,પેકિંગ આઇટમ્સ માટે ઉપલબ્ધ સ્ટોક
 DocType: Item Variant,Item Variant,વસ્તુ વેરિએન્ટ
 ,Work Order Stock Report,વર્ક ઓર્ડર સ્ટોક રિપોર્ટ
@@ -5762,9 +5830,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,સુપરવાઇઝર તરીકે
 DocType: Leave Policy Detail,Leave Policy Detail,નીતિ વિગતવાર છોડો
 DocType: BOM Scrap Item,BOM Scrap Item,BOM સ્ક્રેપ વસ્તુ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,સબમિટ ઓર્ડર કાઢી શકાતી નથી
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","પહેલેથી જ ડેબિટ એકાઉન્ટ બેલેન્સ, તમે ક્રેડિટ &#39;તરીકે&#39; બેલેન્સ હોવું જોઈએ &#39;સુયોજિત કરવા માટે માન્ય નથી"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,ક્વોલિટી મેનેજમેન્ટ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,સબમિટ ઓર્ડર કાઢી શકાતી નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","પહેલેથી જ ડેબિટ એકાઉન્ટ બેલેન્સ, તમે ક્રેડિટ &#39;તરીકે&#39; બેલેન્સ હોવું જોઈએ &#39;સુયોજિત કરવા માટે માન્ય નથી"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,ક્વોલિટી મેનેજમેન્ટ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,વસ્તુ {0} અક્ષમ કરવામાં આવ્યું છે
 DocType: Project,Total Billable Amount (via Timesheets),કુલ બિલવાળી રકમ (ટાઇમ્સશીટ્સ દ્વારા)
 DocType: Agriculture Task,Previous Business Day,પાછલા વ્યવસાય દિવસ
@@ -5787,14 +5855,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,કિંમત કેન્દ્રો
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,સબ્સ્ક્રિપ્શન પુનઃપ્રારંભ કરો
 DocType: Linked Plant Analysis,Linked Plant Analysis,લિંક પ્લાન્ટ એનાલિસિસ
-DocType: Delivery Note,Transporter ID,ટ્રાન્સપોર્ટર ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ટ્રાન્સપોર્ટર ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,મૂલ્ય પ્રસ્તાવ
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,જે સપ્લાયર ચલણ પર દર કંપનીના આધાર ચલણ ફેરવાય છે
-DocType: Sales Invoice Item,Service End Date,સેવા સમાપ્તિ તારીખ
+DocType: Purchase Invoice Item,Service End Date,સેવા સમાપ્તિ તારીખ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ROW # {0}: પંક્તિ સાથે સમય તકરાર {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ઝીરો મૂલ્યાંકન દર મંજૂરી આપો
 DocType: Bank Guarantee,Receiving,પ્રાપ્ત
 DocType: Training Event Employee,Invited,આમંત્રિત
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,સેટઅપ ગેટવે હિસ્સો ધરાવે છે.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,સેટઅપ ગેટવે હિસ્સો ધરાવે છે.
 DocType: Employee,Employment Type,રોજગાર પ્રકાર
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,"ચોક્કસ સંપતી, નક્કી કરેલી સંપતી"
 DocType: Payment Entry,Set Exchange Gain / Loss,સેટ એક્સચેન્જ મેળવી / નુકશાન
@@ -5810,7 +5879,7 @@
 DocType: Tax Rule,Sales Tax Template,સેલ્સ ટેક્સ ઢાંચો
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,બેનિફિટ દાવા સામે પે
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,સુધારા કિંમત કેન્દ્ર નંબર
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો
 DocType: Employee,Encashment Date,એન્કેશમેન્ટ તારીખ
 DocType: Training Event,Internet,ઈન્ટરનેટ
 DocType: Special Test Template,Special Test Template,ખાસ ટેસ્ટ ઢાંચો
@@ -5818,12 +5887,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},મૂળભૂત પ્રવૃત્તિ કિંમત પ્રવૃત્તિ પ્રકાર માટે અસ્તિત્વમાં છે - {0}
 DocType: Work Order,Planned Operating Cost,આયોજિત ઓપરેટિંગ ખર્ચ
 DocType: Academic Term,Term Start Date,ટર્મ પ્રારંભ તારીખ
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,બધા શેર લેવડ્સની સૂચિ
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,બધા શેર લેવડ્સની સૂચિ
+DocType: Supplier,Is Transporter,ટ્રાન્સપોર્ટર છે
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ચુકવણી ચિહ્નિત થયેલ છે જો Shopify આયાત વેચાણ ભરતિયું
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,સામે કાઉન્ટ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,બંને ટ્રાયલ પીરિયડ પ્રારંભ તારીખ અને ટ્રાયલ પીરિયડ સમાપ્તિ તારીખ સેટ હોવી જોઈએ
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,સરેરાશ દર
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,પેમેન્ટ સુનિશ્ચિતમાં કુલ ચૂકવણીની રકમ ગ્રાન્ડ / ગોળાકાર કુલની સમકક્ષ હોવી જોઈએ
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,પેમેન્ટ સુનિશ્ચિતમાં કુલ ચૂકવણીની રકમ ગ્રાન્ડ / ગોળાકાર કુલની સમકક્ષ હોવી જોઈએ
 DocType: Subscription Plan Detail,Plan,યોજના
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,સામાન્ય ખાતાવહી મુજબ બેન્ક નિવેદન બેલેન્સ
 DocType: Job Applicant,Applicant Name,અરજદારનું નામ
@@ -5851,7 +5921,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,સોર્સ વેરહાઉસ પર ઉપલબ્ધ Qty
 apps/erpnext/erpnext/config/support.py +22,Warranty,વોરંટી
 DocType: Purchase Invoice,Debit Note Issued,ડેબિટ નોટ જારી
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,કોસ્ટ સેન્ટર પર આધારિત ફિલ્ટર લાગુ પડે છે જો બજેટ સામે કિંમત કેન્દ્ર તરીકે પસંદ કરવામાં આવે
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,કોસ્ટ સેન્ટર પર આધારિત ફિલ્ટર લાગુ પડે છે જો બજેટ સામે કિંમત કેન્દ્ર તરીકે પસંદ કરવામાં આવે
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","વસ્તુ કોડ, સીરીયલ નંબર, બેચ નં અથવા બારકોડ દ્વારા શોધો"
 DocType: Work Order,Warehouses,વખારો
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} એસેટ ટ્રાન્સફર કરી શકતા નથી
@@ -5862,9 +5932,9 @@
 DocType: Workstation,per hour,કલાક દીઠ
 DocType: Blanket Order,Purchasing,ખરીદી
 DocType: Announcement,Announcement,જાહેરાત
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,ગ્રાહક એલ.પી.ઓ.
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,ગ્રાહક એલ.પી.ઓ.
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","બેચ આધારિત વિદ્યાર્થી જૂથ માટે, વિદ્યાર્થી બેચ કાર્યક્રમ નોંધણીમાંથી દરેક વિદ્યાર્થી માટે માન્ય કરવામાં આવશે."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,સ્ટોક ખાતાવહી પ્રવેશ આ વેરહાઉસ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ કાઢી શકાતી નથી.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,સ્ટોક ખાતાવહી પ્રવેશ આ વેરહાઉસ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ કાઢી શકાતી નથી.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,વિતરણ
 DocType: Journal Entry Account,Loan,લોન
 DocType: Expense Claim Advance,Expense Claim Advance,ખર્ચ દાવો એડવાન્સ
@@ -5873,7 +5943,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,પ્રોજેક્ટ મેનેજર
 ,Quoted Item Comparison,નોંધાયેલા વસ્તુ સરખામણી
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} અને {1} વચ્ચે સ્કોરિંગમાં ઓવરલેપ કરો
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,રવાનગી
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,રવાનગી
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,આઇટમ માટે મંજૂરી મેક્સ ડિસ્કાઉન્ટ: {0} {1}% છે
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,નેટ એસેટ વેલ્યુ તરીકે
 DocType: Crop,Produce,ઉત્પાદન
@@ -5883,20 +5953,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,ઉત્પાદન માટે વપરાયેલી સામગ્રી
 DocType: Item Alternative,Alternative Item Code,વૈકલ્પિક વસ્તુ કોડ
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,સેટ ક્રેડિટ મર્યાદા કરતાં વધી કે વ્યવહારો સબમિટ કરવા માટે માન્ય છે તે ભૂમિકા.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,ઉત્પાદન વસ્તુઓ પસંદ કરો
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,ઉત્પાદન વસ્તુઓ પસંદ કરો
 DocType: Delivery Stop,Delivery Stop,ડિલિવરી સ્ટોપ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે"
 DocType: Item,Material Issue,મહત્વનો મુદ્દો
 DocType: Employee Education,Qualification,લાયકાત
 DocType: Item Price,Item Price,વસ્તુ ભાવ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,સાબુ સફાઈકારક
 DocType: BOM,Show Items,બતાવો વસ્તુઓ
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,સમય સમય કરતાં વધારે ન હોઈ શકે.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,શું તમે બધા ગ્રાહકોને ઇમેઇલ દ્વારા સૂચિત કરવા માંગો છો?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,શું તમે બધા ગ્રાહકોને ઇમેઇલ દ્વારા સૂચિત કરવા માંગો છો?
 DocType: Subscription Plan,Billing Interval,બિલિંગ અંતરાલ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,મોશન પિક્ચર અને વિડિઓ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,આદેશ આપ્યો
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,વાસ્તવિક પ્રારંભ તારીખ અને વાસ્તવિક અંતિમ તારીખ ફરજિયાત છે
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ગ્રાહક&gt; ગ્રાહક જૂથ&gt; પ્રદેશ
 DocType: Salary Detail,Component,પુન
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,પંક્તિ {0}: {1} 0 કરતાં મોટી હોવી જોઈએ
 DocType: Assessment Criteria,Assessment Criteria Group,આકારણી માપદંડ ગ્રુપ
@@ -5927,11 +5998,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,સબમિટ પહેલાં બેંક અથવા ધિરાણ સંસ્થાના નામ દાખલ કરો.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} સબમિટ હોવી જ જોઈએ
 DocType: POS Profile,Item Groups,વસ્તુ જૂથો
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,આજે {0} &#39;જન્મદિવસ છે!
 DocType: Sales Order Item,For Production,ઉત્પાદન માટે
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,એકાઉન્ટ કરન્સીમાં બેલેન્સ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,કૃપા કરીને ચાર્ટ ઑફ એકાઉન્ટ્સમાં કામચલાઉ ખુલવાનો એકાઉન્ટ ઉમેરો
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,કૃપા કરીને ચાર્ટ ઑફ એકાઉન્ટ્સમાં કામચલાઉ ખુલવાનો એકાઉન્ટ ઉમેરો
 DocType: Customer,Customer Primary Contact,ગ્રાહક પ્રાથમિક સંપર્ક
 DocType: Project Task,View Task,જુઓ ટાસ્ક
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,એસ.ટી. / લીડ%
@@ -5944,11 +6014,11 @@
 DocType: Sales Invoice,Get Advances Received,એડવાન્સિસ પ્રાપ્ત કરો
 DocType: Email Digest,Add/Remove Recipients,મેળવનારા ઉમેરો / દૂર કરો
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",મૂળભૂત તરીકે ચાલુ નાણાકીય વર્ષના સુયોજિત કરવા માટે &#39;મૂળભૂત તરીકે સેટ કરો&#39; પર ક્લિક કરો
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,ટીડીએસની રકમ ડીડક્ટેડ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,ટીડીએસની રકમ ડીડક્ટેડ
 DocType: Production Plan,Include Subcontracted Items,Subcontracted આઈટમ્સ શામેલ કરો
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,જોડાઓ
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,અછત Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,જોડાઓ
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,અછત Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર
 DocType: Loan,Repay from Salary,પગારની ચુકવણી
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},સામે ચુકવણી વિનંતી {0} {1} રકમ માટે {2}
 DocType: Additional Salary,Salary Slip,પગાર કાપલી
@@ -5964,7 +6034,7 @@
 DocType: Patient,Dormant,નિષ્ક્રિય
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,અનક્લેઇમ એમ્પ્લોયી બેનિફિટ્સ માટે કર કપાત કરો
 DocType: Salary Slip,Total Interest Amount,કુલ વ્યાજની રકમ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે
 DocType: BOM,Manage cost of operations,કામગીરી ખર્ચ મેનેજ કરો
 DocType: Accounts Settings,Stale Days,સ્ટેલ ડેઝ
 DocType: Travel Itinerary,Arrival Datetime,આગમન ડેટટાઇમ
@@ -5976,7 +6046,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,આકારણી પરિણામ વિગતવાર
 DocType: Employee Education,Employee Education,કર્મચારીનું શિક્ષણ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,નકલી વસ્તુ જૂથ આઇટમ જૂથ ટેબલ મળી
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,તે વસ્તુ વિગતો મેળવવા માટે જરૂરી છે.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,તે વસ્તુ વિગતો મેળવવા માટે જરૂરી છે.
 DocType: Fertilizer,Fertilizer Name,ખાતરનું નામ
 DocType: Salary Slip,Net Pay,નેટ પે
 DocType: Cash Flow Mapping Accounts,Account,એકાઉન્ટ
@@ -5987,14 +6057,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,લાભ દાવા સામે અલગ ચુકવણી એન્ટ્રી બનાવો
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),તાવની હાજરી (temp&gt; 38.5 ° સે / 101.3 ° ફે અથવા સતત તૈનાત&gt; 38 ° સે / 100.4 ° ફૅ)
 DocType: Customer,Sales Team Details,સેલ્સ ટીમ વિગતો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,કાયમી કાઢી નાખો?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,કાયમી કાઢી નાખો?
 DocType: Expense Claim,Total Claimed Amount,કુલ દાવો રકમ
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,વેચાણ માટે સંભવિત તકો.
 DocType: Shareholder,Folio no.,ફોલિયો નં.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},અમાન્ય {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,માંદગી રજા
 DocType: Email Digest,Email Digest,ઇમેઇલ ડાયજેસ્ટ
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,નથી
 DocType: Delivery Note,Billing Address Name,બિલિંગ સરનામું નામ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ડિપાર્ટમેન્ટ સ્ટોર્સ
 ,Item Delivery Date,આઇટમ ડિલિવરી તારીખ
@@ -6010,16 +6079,16 @@
 DocType: Account,Chargeable,લેવાપાત્ર
 DocType: Company,Change Abbreviation,બદલો સંક્ષેપનો
 DocType: Contract,Fulfilment Details,પરિપૂર્ણ વિગતો
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1} પે
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1} પે
 DocType: Employee Onboarding,Activities,પ્રવૃત્તિઓ
 DocType: Expense Claim Detail,Expense Date,ખર્ચ તારીખ
 DocType: Item,No of Months,મહિનાની સંખ્યા
 DocType: Item,Max Discount (%),મેક્સ ડિસ્કાઉન્ટ (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,ક્રેડિટ દિવસો નકારાત્મક નંબર હોઈ શકતા નથી
-DocType: Sales Invoice Item,Service Stop Date,સેવા સ્ટોપ તારીખ
+DocType: Purchase Invoice Item,Service Stop Date,સેવા સ્ટોપ તારીખ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,છેલ્લે ઓર્ડર રકમ
 DocType: Cash Flow Mapper,e.g Adjustments for:,દા.ત. એડજસ્ટમેન્ટ્સ:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} નમૂના જાળવો બેચ પર આધારિત છે, આઇટમનું નમૂના જાળવી રાખવા માટે બેચ નો છે તે તપાસો"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} નમૂના જાળવો બેચ પર આધારિત છે, આઇટમનું નમૂના જાળવી રાખવા માટે બેચ નો છે તે તપાસો"
 DocType: Task,Is Milestone,સિમાચિહ્ન છે
 DocType: Certification Application,Yet to appear,હજુ સુધી દેખાય છે
 DocType: Delivery Stop,Email Sent To,ઇમેઇલ મોકલવામાં
@@ -6027,16 +6096,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,બેલેન્સ શીટ એકાઉન્ટમાં એન્ટ્રી કરવાની કિંમત સેન્ટરની મંજૂરી આપો
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,અસ્તિત્વમાંના એકાઉન્ટ સાથે મર્જ કરો
 DocType: Budget,Warn,ચેતવો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,આ વર્ક ઓર્ડર માટે બધી વસ્તુઓ પહેલેથી જ ટ્રાન્સફર કરવામાં આવી છે.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,આ વર્ક ઓર્ડર માટે બધી વસ્તુઓ પહેલેથી જ ટ્રાન્સફર કરવામાં આવી છે.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","કોઈપણ અન્ય ટીકા, રેકોર્ડ જવા જોઈએ કે નોંધપાત્ર પ્રયાસ."
 DocType: Asset Maintenance,Manufacturing User,ઉત્પાદન વપરાશકર્તા
 DocType: Purchase Invoice,Raw Materials Supplied,કાચો માલ પાડેલ
 DocType: Subscription Plan,Payment Plan,ચુકવણી યોજના
 DocType: Shopping Cart Settings,Enable purchase of items via the website,વેબસાઈટ મારફતે આઇટમ્સની ખરીદી સક્ષમ કરો
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},કિંમત સૂચિ {0} ની કરન્સી {1} અથવા {2} હોવી જોઈએ
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,સબસ્ક્રિપ્શન મેનેજમેન્ટ
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,સબસ્ક્રિપ્શન મેનેજમેન્ટ
 DocType: Appraisal,Appraisal Template,મૂલ્યાંકન ઢાંચો
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,કોડ પિન કરો
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,કોડ પિન કરો
 DocType: Soil Texture,Ternary Plot,ટર્નરી પ્લોટ
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,શેડ્યૂલર દ્વારા સુનિશ્ચિત દૈનિક સુમેળ નિયમિત કરવા માટે આને તપાસો
 DocType: Item Group,Item Classification,વસ્તુ વર્ગીકરણ
@@ -6046,6 +6115,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ઇન્વોઇસ પેશન્ટ નોંધણી
 DocType: Crop,Period,પીરિયડ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,સામાન્ય ખાતાવહી
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,નાણાકીય વર્ષ માટે
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,જુઓ તરફ દોરી જાય છે
 DocType: Program Enrollment Tool,New Program,નવા કાર્યક્રમ
 DocType: Item Attribute Value,Attribute Value,લક્ષણની કિંમત
@@ -6054,11 +6124,11 @@
 ,Itemwise Recommended Reorder Level,મુદ્દાવાર પુનઃક્રમાંકિત કરો સ્તર ભલામણ
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,ગ્રેડ {1} નો કર્મચારી {0} પાસે કોઈ મૂળભૂત રજા નીતિ નથી
 DocType: Salary Detail,Salary Detail,પગાર વિગતવાર
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,પ્રથમ {0} પસંદ કરો
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,પ્રથમ {0} પસંદ કરો
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} વપરાશકર્તાઓ ઉમેરાયા
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","મલ્ટિ-ટાયર પ્રોગ્રામના કિસ્સામાં, ગ્રાહક તેમના ખર્ચ મુજબ સંબંધિત ટાયરમાં ઓટો હશે"
 DocType: Appointment Type,Physician,ફિઝિશિયન
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,વસ્તુ બેચ {0} {1} સમયસીમા સમાપ્ત થઈ ગઈ છે.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,વસ્તુ બેચ {0} {1} સમયસીમા સમાપ્ત થઈ ગઈ છે.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,પરામર્શ
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,ગુડ સમાપ્ત
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","આઇટમ પ્રાઈસ પ્રાઈસ લિસ્ટ, સપ્લાયર્સ / કસ્ટમર, કરન્સી, આઈટમ, યુઓએમ, યુક્યુએલ અને તારીખોના આધારે ઘણી વખત દેખાય છે."
@@ -6067,22 +6137,21 @@
 DocType: Certification Application,Name of Applicant,અરજદારનુંં નામ
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ઉત્પાદન માટે સમય શીટ.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,પેટાસરવાળો
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,સ્ટોક ટ્રાન્ઝેક્શન પછી વેરિઅન્ટ પ્રોપર્ટીઝ બદલી શકતા નથી. તમારે આ કરવા માટે એક નવી આઇટમ બનાવવી પડશે.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,સ્ટોક ટ્રાન્ઝેક્શન પછી વેરિઅન્ટ પ્રોપર્ટીઝ બદલી શકતા નથી. તમારે આ કરવા માટે એક નવી આઇટમ બનાવવી પડશે.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA આદેશ
 DocType: Healthcare Practitioner,Charges,ચાર્જિસ
 DocType: Production Plan,Get Items For Work Order,વર્ક ઓર્ડર માટે આઇટમ્સ મેળવો
 DocType: Salary Detail,Default Amount,મૂળભૂત રકમ
 DocType: Lab Test Template,Descriptive,વર્ણનાત્મક
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,વેરહાઉસ સિસ્ટમમાં મળ્યા નથી
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,આ મહિનો સારાંશ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,આ મહિનો સારાંશ
 DocType: Quality Inspection Reading,Quality Inspection Reading,ગુણવત્તા નિરીક્ષણ વાંચન
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`કરતા જૂનો સ્થિર સ્ટોક'  %d દિવસ કરતાં ઓછો હોવો જોઈએ
 DocType: Tax Rule,Purchase Tax Template,ટેક્સ ઢાંચો ખરીદી
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,તમે તમારી કંપની માટે સેલ્સ ધ્યેય સેટ કરવા માંગો છો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,હેલ્થકેર સેવાઓ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,હેલ્થકેર સેવાઓ
 ,Project wise Stock Tracking,પ્રોજેક્ટ મુજબની સ્ટોક ટ્રેકિંગ
 DocType: GST HSN Code,Regional,પ્રાદેશિક
-DocType: Delivery Note,Transport Mode,પરિવહન મોડ
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,લેબોરેટરી
 DocType: UOM Category,UOM Category,UOM કેટેગરી
 DocType: Clinical Procedure Item,Actual Qty (at source/target),(સ્રોત / લક્ષ્ય પર) વાસ્તવિક Qty
@@ -6105,17 +6174,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,વેબસાઇટ બનાવવામાં નિષ્ફળ
 DocType: Soil Analysis,Mg/K,એમજી / કે
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM રૂપાંતર વિગતવાર
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,રીટેન્શન સ્ટોક એન્ટ્રી પહેલેથી જ બનાવવામાં આવેલ છે અથવા નમૂનાની રકમ આપેલ નથી
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,રીટેન્શન સ્ટોક એન્ટ્રી પહેલેથી જ બનાવવામાં આવેલ છે અથવા નમૂનાની રકમ આપેલ નથી
 DocType: Program,Program Abbreviation,કાર્યક્રમ સંક્ષેપનો
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,ઉત્પાદન ઓર્ડર એક વસ્તુ ઢાંચો સામે ઊભા કરી શકાતી નથી
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,સમાયોજિત દરેક વસ્તુ સામે ખરીદી રસીદ અપડેટ કરવામાં આવે છે
 DocType: Warranty Claim,Resolved By,દ્વારા ઉકેલાઈ
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,શેડ્યૂલ ડિસ્ચાર્જ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques અને થાપણો ખોટી રીતે સાફ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,એકાઉન્ટ {0}: તમે પિતૃ એકાઉન્ટ તરીકે પોતાને સોંપી શકો છો
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,એકાઉન્ટ {0}: તમે પિતૃ એકાઉન્ટ તરીકે પોતાને સોંપી શકો છો
 DocType: Purchase Invoice Item,Price List Rate,ભાવ યાદી દર
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,ગ્રાહક અવતરણ બનાવો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,સેવા સમાપ્તિ તારીખ સેવા સમાપ્તિ તારીખ પછી ન હોઈ શકે
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,સેવા સમાપ્તિ તારીખ સેવા સમાપ્તિ તારીખ પછી ન હોઈ શકે
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",&quot;સ્ટોક&quot; અથવા આ વેરહાઉસ ઉપલબ્ધ સ્ટોક પર આધારિત &quot;નથી સ્ટોક&quot; શો.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),સામગ્રી બિલ (BOM)
 DocType: Item,Average time taken by the supplier to deliver,સપ્લાયર દ્વારા લેવામાં સરેરાશ સમય પહોંચાડવા માટે
@@ -6127,11 +6196,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,કલાક
 DocType: Project,Expected Start Date,અપેક્ષિત પ્રારંભ તારીખ
 DocType: Purchase Invoice,04-Correction in Invoice,04 - ઇન્વૉઇસમાં સુધારો
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,બૉમ સાથેની બધી આઇટમ્સ માટે વર્ક ઓર્ડર પહેલાથી જ બનાવ્યું છે
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,બૉમ સાથેની બધી આઇટમ્સ માટે વર્ક ઓર્ડર પહેલાથી જ બનાવ્યું છે
 DocType: Payment Request,Party Details,પાર્ટી વિગતો
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,વિવિધ વિગતો અહેવાલ
 DocType: Setup Progress Action,Setup Progress Action,સેટઅપ પ્રગતિ ક્રિયા
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,ભાવ યાદી ખરીદી
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,ભાવ યાદી ખરીદી
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ખર્ચ કે આઇટમ પર લાગુ નથી તો આઇટમ દૂર
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,સબ્સ્ક્રિપ્શન રદ કરો
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,મહેરબાની કરીને મેન્ટેનન્સ સ્થિતિ પસંદ કરો અથવા સમાપ્તિ તારીખને દૂર કરો
@@ -6149,7 +6218,7 @@
 DocType: Asset,Disposal Date,નિકાલ તારીખ
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ઇમેઇલ્સ આપવામાં કલાક કંપની બધી સક્રિય કર્મચારીઓની મોકલવામાં આવશે, જો તેઓ રજા નથી. પ્રતિસાદ સારાંશ મધ્યરાત્રિએ મોકલવામાં આવશે."
 DocType: Employee Leave Approver,Employee Leave Approver,કર્મચારી રજા તાજનો
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},રો {0}: એક પુનઃક્રમાંકિત કરો પ્રવેશ પહેલેથી જ આ વેરહાઉસ માટે અસ્તિત્વમાં {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},રો {0}: એક પુનઃક્રમાંકિત કરો પ્રવેશ પહેલેથી જ આ વેરહાઉસ માટે અસ્તિત્વમાં {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","અવતરણ કરવામાં આવી છે, કારણ કે લોસ્ટ જાહેર કરી શકતા નથી."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP એકાઉન્ટ
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,તાલીમ પ્રતિસાદ
@@ -6161,7 +6230,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,તારીખ કરવા માટે તારીખથી પહેલાં ન હોઈ શકે
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype
 DocType: Cash Flow Mapper,Section Footer,વિભાગ ફૂટર
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ સંપાદિત કરો ભાવમાં ઉમેરો
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ સંપાદિત કરો ભાવમાં ઉમેરો
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,પ્રમોશન તારીખ પહેલાં કર્મચારીનું પ્રમોશન સબમિટ કરી શકાતું નથી
 DocType: Batch,Parent Batch,પિતૃ બેચ
 DocType: Cheque Print Template,Cheque Print Template,ચેક પ્રિન્ટ ઢાંચો
@@ -6171,6 +6240,7 @@
 DocType: Clinical Procedure Template,Sample Collection,નમૂનાનો સંગ્રહ
 ,Requested Items To Be Ordered,વિનંતી વસ્તુઓ ઓર્ડર કરી
 DocType: Price List,Price List Name,ભાવ યાદી નામ
+DocType: Delivery Stop,Dispatch Information,ડિસ્પચે માહિતી
 DocType: Blanket Order,Manufacturing,ઉત્પાદન
 ,Ordered Items To Be Delivered,આદેશ આપ્યો વસ્તુઓ પહોંચાડી શકાય
 DocType: Account,Income,આવક
@@ -6189,17 +6259,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} જરૂરી {2} પર {3} {4} {5} આ સોદો પૂર્ણ કરવા માટે એકમો.
 DocType: Fee Schedule,Student Category,વિદ્યાર્થી વર્ગ
 DocType: Announcement,Student,વિદ્યાર્થી
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,વેરહાઉસમાં પ્રક્રિયા શરૂ કરવા માટેનો જથ્થો ઉપલબ્ધ નથી. શું તમે સ્ટોક ટ્રાન્સફર રેકોર્ડ કરવા માંગો છો?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,વેરહાઉસમાં પ્રક્રિયા શરૂ કરવા માટેનો જથ્થો ઉપલબ્ધ નથી. શું તમે સ્ટોક ટ્રાન્સફર રેકોર્ડ કરવા માંગો છો?
 DocType: Shipping Rule,Shipping Rule Type,શિપિંગ નિયમ પ્રકાર
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,રૂમ પર જાઓ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","કંપની, ચુકવણી એકાઉન્ટ, તારીખથી અને તારીખ ફરજિયાત છે"
 DocType: Company,Budget Detail,બજેટ વિગતવાર
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,મોકલતા પહેલા સંદેશ દાખલ કરો
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,સપ્લાયર માટે DUPLICATE
-DocType: Email Digest,Pending Quotations,સુવાકયો બાકી
-DocType: Delivery Note,Distance (KM),અંતર (કેએમ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,સપ્લાયર&gt; સપ્લાયર જૂથ
 DocType: Asset,Custodian,કસ્ટોડિયન
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,પોઇન્ટ ઓફ સેલ પ્રોફાઇલ
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,પોઇન્ટ ઓફ સેલ પ્રોફાઇલ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 અને 100 ની વચ્ચેનું મૂલ્ય હોવું જોઈએ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1} થી {2} સુધીની {0} ચુકવણી
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,અસુરક્ષીત લોન્સ
@@ -6231,10 +6300,10 @@
 DocType: Lead,Converted,રૂપાંતરિત
 DocType: Item,Has Serial No,સીરીયલ કોઈ છે
 DocType: Employee,Date of Issue,ઇશ્યૂ તારીખ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ખરીદી સેટિંગ્સ મુજબ ખરીદી Reciept જરૂરી == &#39;હા&#39; હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી રસીદ બનાવવા માટે જરૂર હોય તો {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ખરીદી સેટિંગ્સ મુજબ ખરીદી Reciept જરૂરી == &#39;હા&#39; હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી રસીદ બનાવવા માટે જરૂર હોય તો {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},ROW # {0}: આઇટમ માટે સેટ પુરવઠોકર્તા {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,રો {0}: કલાક કિંમત શૂન્ય કરતાં મોટી હોવી જ જોઈએ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,વસ્તુ {1} સાથે જોડાયેલ વેબસાઇટ છબી {0} શોધી શકાતી નથી
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,વસ્તુ {1} સાથે જોડાયેલ વેબસાઇટ છબી {0} શોધી શકાતી નથી
 DocType: Issue,Content Type,સામગ્રી પ્રકાર
 DocType: Asset,Assets,અસ્કયામતો
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,કમ્પ્યુટર
@@ -6245,7 +6314,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} અસ્તિત્વમાં નથી
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,અન્ય ચલણ સાથે એકાઉન્ટ્સ માટે પરવાનગી આપે છે મલ્ટી કરન્સી વિકલ્પ તપાસો
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,વસ્તુ: {0} સિસ્ટમ અસ્તિત્વમાં નથી
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,તમે ફ્રોઝન કિંમત સુયોજિત કરવા માટે અધિકૃત નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,તમે ફ્રોઝન કિંમત સુયોજિત કરવા માટે અધિકૃત નથી
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled પ્રવેશો મળી
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},કર્મચારી {0} રજા પર છે {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,જર્નલ એન્ટ્રી માટે કોઈ ચુકવણી પસંદ નથી
@@ -6263,13 +6332,14 @@
 ,Average Commission Rate,સરેરાશ કમિશન દર
 DocType: Share Balance,No of Shares,શેરની સંખ્યા
 DocType: Taxable Salary Slab,To Amount,રકમ માટે
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,નોન-સ્ટોક વસ્તુ માટે ’સિરિયલ નંબર’ 'હા' કરી ન શકાય
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,નોન-સ્ટોક વસ્તુ માટે ’સિરિયલ નંબર’ 'હા' કરી ન શકાય
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,સ્થિતિ પસંદ કરો
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,એટેન્ડન્સ ભવિષ્યમાં તારીખો માટે ચિહ્નિત કરી શકાતી નથી
 DocType: Support Search Source,Post Description Key,પોસ્ટ વર્ણન કી
 DocType: Pricing Rule,Pricing Rule Help,પ્રાઇસીંગ નિયમ મદદ
 DocType: School House,House Name,હાઉસ નામ
 DocType: Fee Schedule,Total Amount per Student,વિદ્યાર્થી દીઠ કુલ રકમ
+DocType: Opportunity,Sales Stage,સેલ્સ સ્ટેજ
 DocType: Purchase Taxes and Charges,Account Head,એકાઉન્ટ હેડ
 DocType: Company,HRA Component,એચઆરએ કમ્પોનન્ટ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,ઇલેક્ટ્રિકલ
@@ -6277,15 +6347,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),કુલ મૂલ્ય તફાવત (બહાર - માં)
 DocType: Grant Application,Requested Amount,વિનંતી કરેલી રકમ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,રો {0}: વિનિમય દર ફરજિયાત છે
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},વપરાશકર્તા ID કર્મચારી માટે સેટ નથી {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},વપરાશકર્તા ID કર્મચારી માટે સેટ નથી {0}
 DocType: Vehicle,Vehicle Value,વાહન ભાવ
 DocType: Crop Cycle,Detected Diseases,શોધાયેલ રોગો
 DocType: Stock Entry,Default Source Warehouse,મૂળભૂત સોર્સ વેરહાઉસ
 DocType: Item,Customer Code,ગ્રાહક કોડ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},માટે જન્મદિવસ રીમાઇન્ડર {0}
 DocType: Asset Maintenance Task,Last Completion Date,છેલ્લું સમાપ્તિ તારીખ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,છેલ્લે ઓર્ડર સુધીનાં દિવસો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,એકાઉન્ટ ડેબિટ એક બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,એકાઉન્ટ ડેબિટ એક બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
 DocType: Asset,Naming Series,નામકરણ સિરીઝ
 DocType: Vital Signs,Coated,કોટેડ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,રો {0}: ઉપયોગી જીવન પછી અપેક્ષિત મૂલ્ય કુલ ખરીદી રકમ કરતાં ઓછું હોવું આવશ્યક છે
@@ -6303,15 +6372,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,ડ લવર નોંધ {0} રજૂ ન હોવા જોઈએ
 DocType: Notification Control,Sales Invoice Message,સેલ્સ ભરતિયું સંદેશ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,એકાઉન્ટ {0} બંધ પ્રકાર જવાબદારી / ઈક્વિટી હોવું જ જોઈએ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},કર્મચારી પગાર કાપલી {0} પહેલાથી જ સમય શીટ માટે બનાવવામાં {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},કર્મચારી પગાર કાપલી {0} પહેલાથી જ સમય શીટ માટે બનાવવામાં {1}
 DocType: Vehicle Log,Odometer,ઑડોમીટર
 DocType: Production Plan Item,Ordered Qty,આદેશ આપ્યો Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,વસ્તુ {0} અક્ષમ છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,વસ્તુ {0} અક્ષમ છે
 DocType: Stock Settings,Stock Frozen Upto,સ્ટોક ફ્રોઝન સુધી
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM કોઈપણ સ્ટોક વસ્તુ સમાવી નથી
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM કોઈપણ સ્ટોક વસ્તુ સમાવી નથી
 DocType: Chapter,Chapter Head,પ્રકરણ હેડ
 DocType: Payment Term,Month(s) after the end of the invoice month,ઇનવોઇસ મહિનાના અંત પછી મહિનો (ઓ)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,પગાર માળખામાં લાભ રકમ વિતરણ માટે લવચીક લાભ ઘટક હોવું જોઈએ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,પગાર માળખામાં લાભ રકમ વિતરણ માટે લવચીક લાભ ઘટક હોવું જોઈએ
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,પ્રોજેક્ટ પ્રવૃત્તિ / કાર્ય.
 DocType: Vital Signs,Very Coated,ખૂબ કોટેડ
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),માત્ર કર અસર (દાવો કરી શકાતું નથી પરંતુ કરપાત્ર આવકનો ભાગ)
@@ -6329,7 +6398,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,બિલિંગ કલાક
 DocType: Project,Total Sales Amount (via Sales Order),કુલ સેલ્સ રકમ (સેલ્સ ઓર્ડર દ્વારા)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,માટે {0} મળી નથી ડિફૉલ્ટ BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,ROW # {0}: પુનઃક્રમાંકિત કરો જથ્થો સુયોજિત કરો
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,ROW # {0}: પુનઃક્રમાંકિત કરો જથ્થો સુયોજિત કરો
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,તેમને અહીં ઉમેરવા માટે વસ્તુઓ ટેપ
 DocType: Fees,Program Enrollment,કાર્યક્રમ પ્રવેશ
 DocType: Share Transfer,To Folio No,ફોલિયો ના માટે
@@ -6369,9 +6438,9 @@
 DocType: SG Creation Tool Course,Max Strength,મેક્સ શક્તિ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,પ્રીસેટ્સનો ઇન્સ્ટોલ કરી રહ્યાં છે
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH- .YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ગ્રાહક માટે કોઈ ડિલિવરી નોટ પસંદ નથી {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ગ્રાહક માટે કોઈ ડિલિવરી નોટ પસંદ નથી {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,કર્મચારી {0} પાસે મહત્તમ સહાયક રકમ નથી
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,ડિલિવરી તારીખના આધારે આઇટમ્સ પસંદ કરો
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,ડિલિવરી તારીખના આધારે આઇટમ્સ પસંદ કરો
 DocType: Grant Application,Has any past Grant Record,ભૂતકાળ ગ્રાન્ટ રેકોર્ડ છે
 ,Sales Analytics,વેચાણ ઍનલિટિક્સ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ઉપલબ્ધ {0}
@@ -6379,12 +6448,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,ઉત્પાદન સેટિંગ્સ
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ઇમેઇલ સુયોજિત કરી રહ્યા છે
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 મોબાઇલ કોઈ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,કંપની માસ્ટર મૂળભૂત ચલણ દાખલ કરો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,કંપની માસ્ટર મૂળભૂત ચલણ દાખલ કરો
 DocType: Stock Entry Detail,Stock Entry Detail,સ્ટોક એન્ટ્રી વિગતવાર
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,દૈનિક રીમાઇન્ડર્સ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,દૈનિક રીમાઇન્ડર્સ
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,બધા ખુલ્લા ટિકિટ જુઓ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,હેલ્થકેર સેવા એકમ વૃક્ષ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,ઉત્પાદન
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,ઉત્પાદન
 DocType: Products Settings,Home Page is Products,મુખ્ય પૃષ્ઠ પેજમાં પ્રોડક્ટ્સ
 ,Asset Depreciation Ledger,એસેટ અવમૂલ્યન ખાતાવહી
 DocType: Salary Structure,Leave Encashment Amount Per Day,દિવસ દીઠ રોકડ એન્કેશમેન્ટ રકમ
@@ -6394,8 +6463,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,કાચો માલ પાડેલ કિંમત
 DocType: Selling Settings,Settings for Selling Module,મોડ્યુલ વેચાણ માટે સેટિંગ્સ
 DocType: Hotel Room Reservation,Hotel Room Reservation,હોટેલ રૂમ આરક્ષણ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,ગ્રાહક સેવા
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,ગ્રાહક સેવા
 DocType: BOM,Thumbnail,થંબનેલ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ઇમેઇલ આઇડી સાથે કોઈ સંપર્કો મળ્યાં નથી.
 DocType: Item Customer Detail,Item Customer Detail,વસ્તુ ગ્રાહક વિગતવાર
 DocType: Notification Control,Prompt for Email on Submission of,સુપરત ઇમેઇલ માટે પ્રોમ્પ્ટ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},કર્મચારીનું મહત્તમ લાભ રકમ {0} વધી જાય છે {1}
@@ -6405,13 +6475,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,વસ્તુ {0} સ્ટોક વસ્તુ જ હોવી જોઈએ
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,પ્રગતિ વેરહાઉસ માં મૂળભૂત કામ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} ઓવરલેપ માટે શેડ્યૂલ, શું તમે ઓવરલેપ કરેલ સ્લોટ્સને છોડીને આગળ વધવા માંગો છો?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,હિસાબી વ્યવહારો માટે મૂળભૂત સુયોજનો.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,હિસાબી વ્યવહારો માટે મૂળભૂત સુયોજનો.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,ગ્રાન્ટ પાંદડાઓ
 DocType: Restaurant,Default Tax Template,ડિફૉલ્ટ ટેક્સ ટેમ્પલેટ
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} વિદ્યાર્થીઓની નોંધણી કરવામાં આવી છે
 DocType: Fees,Student Details,વિદ્યાર્થીની વિગતો
 DocType: Purchase Invoice Item,Stock Qty,સ્ટોક Qty
 DocType: Contract,Requires Fulfilment,પરિપૂર્ણતાની જરૂર છે
+DocType: QuickBooks Migrator,Default Shipping Account,ડિફોલ્ટ શિપિંગ એકાઉન્ટ
 DocType: Loan,Repayment Period in Months,મહિના ચુકવણી સમય
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ભૂલ: માન્ય ID ને?
 DocType: Naming Series,Update Series Number,સુધારા સિરીઝ સંખ્યા
@@ -6425,11 +6496,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,મહત્તમ રકમ
 DocType: Journal Entry,Total Amount Currency,કુલ રકમ કરન્સી
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,શોધ પેટા એસેમ્બલીઝ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},વસ્તુ કોડ રો કોઈ જરૂરી {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},વસ્તુ કોડ રો કોઈ જરૂરી {0}
 DocType: GST Account,SGST Account,એસજીએસટી એકાઉન્ટ
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,આઇટમ્સ પર જાઓ
 DocType: Sales Partner,Partner Type,જીવનસાથી પ્રકાર
-DocType: Purchase Taxes and Charges,Actual,વાસ્તવિક
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,વાસ્તવિક
 DocType: Restaurant Menu,Restaurant Manager,રેસ્ટોરન્ટ વ્યવસ્થાપક
 DocType: Authorization Rule,Customerwise Discount,Customerwise ડિસ્કાઉન્ટ
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,કાર્યો માટે Timesheet.
@@ -6450,7 +6521,7 @@
 DocType: Employee,Cheque,ચેક
 DocType: Training Event,Employee Emails,કર્મચારી ઇમેઇલ્સ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,સિરીઝ સુધારાશે
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,રિપોર્ટ પ્રકાર ફરજિયાત છે
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,રિપોર્ટ પ્રકાર ફરજિયાત છે
 DocType: Item,Serial Number Series,સીરિયલ નંબર સિરીઝ
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},વેરહાઉસ પંક્તિ સ્ટોક વસ્તુ {0} માટે ફરજિયાત છે {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,રિટેલ અને હોલસેલ
@@ -6480,7 +6551,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,સેલ્સ ઓર્ડર માં બિલ બિલ સુધારો
 DocType: BOM,Materials,સામગ્રી
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ચકાસાયેલ જો નહિં, તો આ યાદીમાં તે લાગુ પાડી શકાય છે, જ્યાં દરેક વિભાગ ઉમેરવામાં આવશે હશે."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,તારીખ પોસ્ટ અને સમય પોસ્ટ ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,તારીખ પોસ્ટ અને સમય પોસ્ટ ફરજિયાત છે
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,વ્યવહારો ખરીદી માટે કરવેરા નમૂનો.
 ,Item Prices,વસ્તુ એની
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,તમે ખરીદી માટે સેવ વાર શબ્દો દૃશ્યમાન થશે.
@@ -6496,12 +6567,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),એસેટ અવમૂલ્યન એન્ટ્રી માટે સિરીઝ (જર્નલ એન્ટ્રી)
 DocType: Membership,Member Since,થી સભ્ય
 DocType: Purchase Invoice,Advance Payments,અગાઉથી ચૂકવણી
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,હેલ્થકેર સર્વિસ પસંદ કરો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,હેલ્થકેર સર્વિસ પસંદ કરો
 DocType: Purchase Taxes and Charges,On Net Total,નેટ કુલ પર
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} લક્ષણ માટે કિંમત શ્રેણી અંદર હોવા જ જોઈએ {1} માટે {2} ઇન્ક્રીમેન્ટ {3} વસ્તુ {4}
 DocType: Restaurant Reservation,Waitlisted,રાહ જોવાયેલી
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,એક્ઝેમ્પ્શન કેટેગરી
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,કરન્સી કેટલાક અન્ય ચલણ ઉપયોગ પ્રવેશો કર્યા પછી બદલી શકાતું નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,કરન્સી કેટલાક અન્ય ચલણ ઉપયોગ પ્રવેશો કર્યા પછી બદલી શકાતું નથી
 DocType: Shipping Rule,Fixed,સ્થિર
 DocType: Vehicle Service,Clutch Plate,ક્લચ પ્લેટ
 DocType: Company,Round Off Account,એકાઉન્ટ બંધ રાઉન્ડ
@@ -6510,7 +6581,7 @@
 DocType: Subscription Plan,Based on price list,ભાવ યાદી પર આધારિત
 DocType: Customer Group,Parent Customer Group,પિતૃ ગ્રાહક જૂથ
 DocType: Vehicle Service,Change,બદલો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,ઉમેદવારી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,ઉમેદવારી
 DocType: Purchase Invoice,Contact Email,સંપર્ક ઇમેઇલ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ફી સર્જન બાકી
 DocType: Appraisal Goal,Score Earned,કુલ સ્કોર કમાવેલી
@@ -6537,23 +6608,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,પ્રાપ્ત / ચૂકવવાપાત્ર એકાઉન્ટ
 DocType: Delivery Note Item,Against Sales Order Item,વેચાણ ઓર્ડર વસ્તુ સામે
 DocType: Company,Company Logo,કંપની લોગો
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},લક્ષણ માટે લક્ષણની કિંમત સ્પષ્ટ કરો {0}
-DocType: Item Default,Default Warehouse,મૂળભૂત વેરહાઉસ
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},લક્ષણ માટે લક્ષણની કિંમત સ્પષ્ટ કરો {0}
+DocType: QuickBooks Migrator,Default Warehouse,મૂળભૂત વેરહાઉસ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},બજેટ ગ્રુપ એકાઉન્ટ સામે અસાઇન કરી શકાતી નથી {0}
 DocType: Shopping Cart Settings,Show Price,ભાવ બતાવો
 DocType: Healthcare Settings,Patient Registration,પેશન્ટ નોંધણી
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,પિતૃ ખર્ચ કેન્દ્રને દાખલ કરો
 DocType: Delivery Note,Print Without Amount,રકમ વિના છાપો
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,અવમૂલ્યન તારીખ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,અવમૂલ્યન તારીખ
 ,Work Orders in Progress,પ્રગતિમાં કાર્ય ઓર્ડર્સ
 DocType: Issue,Support Team,સપોર્ટ ટીમ
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),સમાપ્તિ (દિવસોમાં)
 DocType: Appraisal,Total Score (Out of 5),(5) કુલ સ્કોર
 DocType: Student Attendance Tool,Batch,બેચ
 DocType: Support Search Source,Query Route String,ક્વેરી રૂટ સ્ટ્રિંગ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,છેલ્લી ખરીદી મુજબ અપડેટ રેટ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,છેલ્લી ખરીદી મુજબ અપડેટ રેટ
 DocType: Donor,Donor Type,દાતા પ્રકાર
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,સ્વતઃ પુનરાવર્તિત દસ્તાવેજ અપડેટ થયો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,સ્વતઃ પુનરાવર્તિત દસ્તાવેજ અપડેટ થયો
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,બેલેન્સ
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,કંપની પસંદ કરો
 DocType: Job Card,Job Card,જોબ કાર્ડ
@@ -6567,7 +6638,7 @@
 DocType: Assessment Result,Total Score,કુલ સ્કોર
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 સ્ટાન્ડર્ડ
 DocType: Journal Entry,Debit Note,ડેબિટ નોટ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,તમે આ ક્રમમાં માત્ર મહત્તમ {0} બિંદુઓને રીડિમ કરી શકો છો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,તમે આ ક્રમમાં માત્ર મહત્તમ {0} બિંદુઓને રીડિમ કરી શકો છો
 DocType: Expense Claim,HR-EXP-.YYYY.-,એચઆર - EXP - .YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,કૃપા કરીને API ગ્રાહક સિક્રેટ દાખલ કરો
 DocType: Stock Entry,As per Stock UOM,સ્ટોક UOM મુજબ
@@ -6580,10 +6651,11 @@
 DocType: Journal Entry,Total Debit,કુલ ડેબિટ
 DocType: Travel Request Costing,Sponsored Amount,પ્રાયોજિત રકમ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,મૂળભૂત ફિનિશ્ડ ગૂડ્સ વેરહાઉસ
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,કૃપા કરીને પેશન્ટ પસંદ કરો
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,કૃપા કરીને પેશન્ટ પસંદ કરો
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,વેચાણ વ્યક્તિ
 DocType: Hotel Room Package,Amenities,સવલતો
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,બજેટ અને ખર્ચ કેન્દ્ર
+DocType: QuickBooks Migrator,Undeposited Funds Account,અનપેક્ષિત ફંડ્સ એકાઉન્ટ
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,બજેટ અને ખર્ચ કેન્દ્ર
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,ચુકવણીના બહુવિધ ડિફોલ્ટ મોડને મંજૂરી નથી
 DocType: Sales Invoice,Loyalty Points Redemption,લોયલ્ટી પોઇંટ્સ રીડેમ્પશન
 ,Appointment Analytics,નિમણૂંક ઍનલિટિક્સ
@@ -6597,6 +6669,7 @@
 DocType: Batch,Manufacturing Date,ઉત્પાદન તારીખ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,ફી બનાવટ નિષ્ફળ થયું
 DocType: Opening Invoice Creation Tool,Create Missing Party,ખૂટે પાર્ટી બનાવો
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,કુલ અંદાજપત્ર
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"ખાલી છોડો છો, તો તમે દર વર્ષે વિદ્યાર્થીઓ ગ્રુપ બનાવી"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ચકાસાયેલ હોય, તો કુલ નં. દિવસની રજાઓ સમાવેશ થાય છે, અને આ પગાર પ્રતિ દિવસ ની કિંમત ઘટાડશે"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","વર્તમાન કીનો ઉપયોગ કરીને એપ્લિકેશન્સ ઍક્સેસ કરવામાં સમર્થ હશે નહીં, શું તમે ખરેખર છો?"
@@ -6612,20 +6685,19 @@
 DocType: Opportunity Item,Basic Rate,મૂળ દર
 DocType: GL Entry,Credit Amount,ક્રેડિટ રકમ
 DocType: Cheque Print Template,Signatory Position,સહી પોઝિશન
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,લોસ્ટ તરીકે સેટ કરો
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,લોસ્ટ તરીકે સેટ કરો
 DocType: Timesheet,Total Billable Hours,કુલ બિલયોગ્ય કલાકો
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,દિવસોની સંખ્યા કે જે સબ્સ્ક્રાઇબરે આ સબ્સ્ક્રિપ્શન દ્વારા પેદા કરેલ ઇન્વૉઇસેસ ચૂકવવું પડશે
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,કર્મચારી લાભ અરજી વિગત
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ચુકવણી રસીદ નોંધ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,આ ગ્રાહક સામે વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે જુઓ ટાઇમલાઇન
-DocType: Delivery Note,ODC,ઓડીસી
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},રો {0}: સોંપાયેલ રકમ {1} કરતાં ઓછી હોઈ શકે છે અથવા ચુકવણી એન્ટ્રી રકમ બરાબર જ જોઈએ {2}
 DocType: Program Enrollment Tool,New Academic Term,નવી શૈક્ષણિક મુદત
 ,Course wise Assessment Report,કોર્સ મુજબની એસેસમેન્ટ રિપોર્ટ
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ફાયર્ડ આઇટીસી રાજ્ય / યુટી ટેક્સ
 DocType: Tax Rule,Tax Rule,ટેક્સ નિયમ
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,સેલ્સ ચક્ર દરમ્યાન જ દર જાળવો
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,માર્કેટપ્લેસ પર નોંધણી કરાવવા માટે કૃપા કરીને અન્ય વપરાશકર્તા તરીકે લૉગિન કરો
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,માર્કેટપ્લેસ પર નોંધણી કરાવવા માટે કૃપા કરીને અન્ય વપરાશકર્તા તરીકે લૉગિન કરો
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,વર્કસ્ટેશન કામ કલાકો બહાર સમય લોગ યોજના બનાવો.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,કતારમાં ગ્રાહકો
 DocType: Driver,Issuing Date,તારીખ આપવી
@@ -6634,11 +6706,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,આગળ પ્રક્રિયા માટે આ વર્ક ઓર્ડર સબમિટ કરો.
 ,Items To Be Requested,વસ્તુઓ વિનંતી કરવામાં
 DocType: Company,Company Info,કંપની માહિતી
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,પસંદ કરો અથવા નવા ગ્રાહક ઉમેરો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,પસંદ કરો અથવા નવા ગ્રાહક ઉમેરો
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,ખર્ચ કેન્દ્રને ખર્ચ દાવો બુક કરવા માટે જરૂરી છે
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ફંડ (અસ્ક્યામત) અરજી
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,આ કર્મચારીનું હાજરી પર આધારિત છે
-DocType: Assessment Result,Summary,સારાંશ
 DocType: Payment Request,Payment Request Type,ચુકવણી વિનંતી પ્રકાર
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,માર્ક એટેન્ડન્સ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ઉધાર ખાતું
@@ -6646,7 +6717,7 @@
 DocType: Additional Salary,Employee Name,કર્મચારીનું નામ
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,રેસ્ટોરન્ટ ઓર્ડર એન્ટ્રી આઇટમ
 DocType: Purchase Invoice,Rounded Total (Company Currency),ગોળાકાર કુલ (કંપની ચલણ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"એકાઉન્ટ પ્રકાર પસંદ છે, કારણ કે ગ્રુપ અપ્રગટ કરી શકતા નથી."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"એકાઉન્ટ પ્રકાર પસંદ છે, કારણ કે ગ્રુપ અપ્રગટ કરી શકતા નથી."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} સુધારાઈ ગયેલ છે. તાજું કરો.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,પછીના દિવસોમાં રજા કાર્યક્રમો બનાવવા વપરાશકર્તાઓ રોકો.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","જો લોયલ્ટી પોઇંટ્સ માટે અમર્યાદિત સમાપ્તિ, સમાપ્તિ અવધિ ખાલી અથવા 0 રાખો."
@@ -6667,11 +6738,12 @@
 DocType: Asset,Out of Order,હુકમ બહાર
 DocType: Purchase Receipt Item,Accepted Quantity,સ્વીકારાયું જથ્થો
 DocType: Projects Settings,Ignore Workstation Time Overlap,વર્કસ્ટેશન સમય ઓવરલેપ અવગણો
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},મૂળભૂત કર્મચારી માટે રજા યાદી સુયોજિત કરો {0} અથવા કંપની {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},મૂળભૂત કર્મચારી માટે રજા યાદી સુયોજિત કરો {0} અથવા કંપની {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} નથી અસ્તિત્વમાં
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,બેચ નંબર્સ પસંદ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,જીએસટીઆઈએન માટે
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,જીએસટીઆઈએન માટે
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ગ્રાહકો માટે ઊભા બીલો.
+DocType: Healthcare Settings,Invoice Appointments Automatically,આપમેળે ભરતિયું નિમણૂંક
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,પ્રોજેક્ટ ID
 DocType: Salary Component,Variable Based On Taxable Salary,કરપાત્ર પગાર પર આધારિત વેરિયેબલ
 DocType: Company,Basic Component,મૂળભૂત ઘટક
@@ -6684,10 +6756,10 @@
 DocType: Stock Entry,Source Warehouse Address,સોર્સ વેરહાઉસ સરનામું
 DocType: GL Entry,Voucher Type,વાઉચર પ્રકાર
 DocType: Amazon MWS Settings,Max Retry Limit,મહત્તમ પુનઃપ્રયાસ મર્યાદા
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી
 DocType: Student Applicant,Approved,મંજૂર
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,ભાવ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} સુયોજિત થયેલ હોવું જ જોઈએ પર રાહત કર્મચારી &#39;ડાબી&#39; તરીકે
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} સુયોજિત થયેલ હોવું જ જોઈએ પર રાહત કર્મચારી &#39;ડાબી&#39; તરીકે
 DocType: Marketplace Settings,Last Sync On,છેલ્લું સમન્વયન ચાલુ કરો
 DocType: Guardian,Guardian,ગાર્ડિયન
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,આ સાથે અને ઉપરના તમામ સંવાદો નવા ઇશ્યૂમાં ખસેડવામાં આવશે
@@ -6710,14 +6782,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ફીલ્ડમાં શોધાયેલ રોગોની સૂચિ. જ્યારે પસંદ કરેલ હોય તો તે રોગ સાથે વ્યવહાર કરવા માટે આપમેળે ક્રિયાઓની સૂચિ ઉમેરશે
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,આ રુટ હેલ્થકેર સેવા એકમ છે અને સંપાદિત કરી શકાતું નથી.
 DocType: Asset Repair,Repair Status,સમારકામ સ્થિતિ
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,વેચાણ ભાગીદારો ઉમેરો
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,હિસાબી જર્નલ પ્રવેશો.
 DocType: Travel Request,Travel Request,પ્રવાસ વિનંતી
 DocType: Delivery Note Item,Available Qty at From Warehouse,વેરહાઉસ માંથી ઉપલબ્ધ Qty
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,પ્રથમ કર્મચારી રેકોર્ડ પસંદ કરો.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,{0} માટે હાજરી હોતી નથી કારણકે તે હોલીડે છે.
 DocType: POS Profile,Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks થી કનેક્ટ કરી રહ્યું છે
 DocType: Exchange Rate Revaluation,Total Gain/Loss,કુલ ગેઇન / લોસ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,ઇન્ટર કંપની ઇન્વોઇસ માટે અમાન્ય કંપની
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,ઇન્ટર કંપની ઇન્વોઇસ માટે અમાન્ય કંપની
 DocType: Purchase Invoice,input service,ઇનપુટ સેવા
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},રો {0}: પાર્ટી / એકાઉન્ટ સાથે મેળ ખાતું નથી {1} / {2} માં {3} {4}
 DocType: Employee Promotion,Employee Promotion,કર્મચારીનું પ્રમોશન
@@ -6726,12 +6800,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,કોર્સ કોડ:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,ખર્ચ એકાઉન્ટ દાખલ કરો
 DocType: Account,Stock,સ્ટોક
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકારની ખરીદી ઓર્ડર એક, ખરીદી ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકારની ખરીદી ઓર્ડર એક, ખરીદી ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
 DocType: Employee,Current Address,અત્યારનું સરનામુ
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","સ્પષ્ટ સિવાય વસ્તુ પછી વર્ણન, છબી, ભાવો, કર નમૂનો સુયોજિત કરવામાં આવશે, વગેરે અન્ય વસ્તુ જ એક પ્રકાર છે, તો"
 DocType: Serial No,Purchase / Manufacture Details,ખરીદી / ઉત્પાદન વિગતો
 DocType: Assessment Group,Assessment Group,આકારણી ગ્રુપ
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,બેચ ઈન્વેન્ટરી
+DocType: Supplier,GST Transporter ID,જીએસટી ટ્રાન્સપોર્ટર આઈડી
 DocType: Procedure Prescription,Procedure Name,પ્રક્રિયા નામ
 DocType: Employee,Contract End Date,કોન્ટ્રેક્ટ સમાપ્તિ તારીખ
 DocType: Amazon MWS Settings,Seller ID,વિક્રેતા ID
@@ -6751,12 +6826,12 @@
 DocType: Company,Date of Incorporation,ઇન્કોર્પોરેશનની તારીખ
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,કુલ કર
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,છેલ્લી ખરીદીની કિંમત
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,જથ્થો માટે (Qty ઉત્પાદિત થતા) ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,જથ્થો માટે (Qty ઉત્પાદિત થતા) ફરજિયાત છે
 DocType: Stock Entry,Default Target Warehouse,મૂળભૂત લક્ષ્ય વેરહાઉસ
 DocType: Purchase Invoice,Net Total (Company Currency),નેટ કુલ (કંપની ચલણ)
 DocType: Delivery Note,Air,એર
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,વર્ષ અંતે તારીખ વર્ષ કરતાં પ્રારંભ તારીખ પહેલાં ન હોઈ શકે. તારીખો સુધારવા અને ફરીથી પ્રયાસ કરો.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} વૈકલ્પિક હોલીડે સૂચિમાં નથી
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} વૈકલ્પિક હોલીડે સૂચિમાં નથી
 DocType: Notification Control,Purchase Receipt Message,ખરીદી રસીદ સંદેશ
 DocType: Amazon MWS Settings,JP,જેપી
 DocType: BOM,Scrap Items,સ્ક્રેપ વસ્તુઓ
@@ -6778,23 +6853,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,પરિપૂર્ણતા
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Next અગાઉના આગળ રો રકમ પર
 DocType: Item,Has Expiry Date,સમાપ્તિ તારીખ છે
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,ટ્રાન્સફર એસેટ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,ટ્રાન્સફર એસેટ
 DocType: POS Profile,POS Profile,POS પ્રોફાઇલ
 DocType: Training Event,Event Name,ઇવેન્ટનું નામ
 DocType: Healthcare Practitioner,Phone (Office),ફોન (ઓફિસ)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","હાજરી માર્ક કરવા માટે, કર્મચારીઓની બાકી નથી સબમિટ કરી શકો છો"
 DocType: Inpatient Record,Admission,પ્રવેશ
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},માટે પ્રવેશ {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","સુયોજિત બજેટ, લક્ષ્યાંકો વગેરે માટે મોસમ"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","સુયોજિત બજેટ, લક્ષ્યાંકો વગેરે માટે મોસમ"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,વેરિયેબલ નામ
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} વસ્તુ એક નમૂનો છે, તેના ચલો એક પસંદ કરો"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,કૃપા કરીને માનવ સંસાધન&gt; એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો
+DocType: Purchase Invoice Item,Deferred Expense,સ્થગિત ખર્ચ
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},તારીખથી {0} કર્મચારીની જોડાઈ તારીખ પહેલાં ન હોઈ શકે {1}
 DocType: Asset,Asset Category,એસેટ વર્ગ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,નેટ પગાર નકારાત્મક ન હોઈ શકે
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,નેટ પગાર નકારાત્મક ન હોઈ શકે
 DocType: Purchase Order,Advance Paid,આગોતરી ચુકવણી
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,સેલ્સ ઓર્ડર માટે વધુ ઉત્પાદનની ટકાવારી
 DocType: Item,Item Tax,વસ્તુ ટેક્સ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,સપ્લાયર સામગ્રી
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,સપ્લાયર સામગ્રી
 DocType: Soil Texture,Loamy Sand,લોમી સેન્ડ
 DocType: Production Plan,Material Request Planning,સામગ્રી વિનંતી આયોજન
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,એક્સાઇઝ ભરતિયું
@@ -6816,11 +6893,11 @@
 DocType: Scheduling Tool,Scheduling Tool,સુનિશ્ચિત સાધન
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,ક્રેડીટ કાર્ડ
 DocType: BOM,Item to be manufactured or repacked,વસ્તુ ઉત્પાદન અથવા repacked શકાય
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},શરતમાં સિન્ટેક્ષ ભૂલ: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},શરતમાં સિન્ટેક્ષ ભૂલ: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST- .YYYY.-
 DocType: Employee Education,Major/Optional Subjects,મુખ્ય / વૈકલ્પિક વિષયો
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,કૃપા કરીને સપ્લાયર ગ્રૂપને સેટિંગ્સ ખરીદવી.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,કૃપા કરીને સપ્લાયર ગ્રૂપને સેટિંગ્સ ખરીદવી.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",{0} મહત્તમ લવચીક બેનિફિટ ઘટક જથ્થો મહત્તમ લાભ કરતાં ઓછી ન હોવો જોઈએ {1}
 DocType: Sales Invoice Item,Drop Ship,ડ્રોપ શિપ
 DocType: Driver,Suspended,નિલંબિત
@@ -6840,7 +6917,7 @@
 DocType: Customer,Commission Rate,કમિશન દર
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,ચુકવણી એન્ટ્રીઝ સફળતાપૂર્વક બનાવી છે
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1} માટે {0} સ્કોરકાર્ડ્સ વચ્ચે બનાવ્યાં:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,વેરિએન્ટ બનાવો
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,વેરિએન્ટ બનાવો
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","ચુકવણી પ્રકાર, પ્રાપ્ત એક હોવું જોઈએ પે અને આંતરિક ટ્રાન્સફર"
 DocType: Travel Itinerary,Preferred Area for Lodging,લોજીંગ માટે પ્રિફર્ડ એરિયા
 apps/erpnext/erpnext/config/selling.py +184,Analytics,ઍનલિટિક્સ
@@ -6851,7 +6928,7 @@
 DocType: Work Order,Actual Operating Cost,વાસ્તવિક ઓપરેટિંગ ખર્ચ
 DocType: Payment Entry,Cheque/Reference No,ચેક / સંદર્ભ કોઈ
 DocType: Soil Texture,Clay Loam,માટી લોમ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,રુટ ફેરફાર કરી શકતા નથી.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,રુટ ફેરફાર કરી શકતા નથી.
 DocType: Item,Units of Measure,માપવા એકમો
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,મેટ્રો સિટીમાં ભાડે આપેલ
 DocType: Supplier,Default Tax Withholding Config,ડિફોલ્ટ ટેક્સ રોકવાની રૂપરેખા
@@ -6869,21 +6946,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"ચુકવણી પૂર્ણ કર્યા પછી, પસંદ કરેલ પાનું વપરાશકર્તા પુનઃદિશામાન."
 DocType: Company,Existing Company,હાલના કંપની
 DocType: Healthcare Settings,Result Emailed,પરિણામ ઇમેઇલ
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","ટેક્સ કેટેગરી &quot;કુલ&quot; પર બદલવામાં આવ્યું છે, કારણ કે તમામ વસ્તુઓ નોન-સ્ટોક વસ્તુઓ"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","ટેક્સ કેટેગરી &quot;કુલ&quot; પર બદલવામાં આવ્યું છે, કારણ કે તમામ વસ્તુઓ નોન-સ્ટોક વસ્તુઓ"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,આજ સુધી તારીખથી સમાન અથવા ઓછી ન હોઈ શકે
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,બદલવા માટે કંઈ નથી
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,CSV ફાઈલ પસંદ કરો
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,CSV ફાઈલ પસંદ કરો
 DocType: Holiday List,Total Holidays,કુલ રજાઓ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,મોકલવા માટે ખૂટે ઇમેઇલ નમૂનો. કૃપા કરીને ડિલિવરી સેટિંગ્સમાં એક સેટ કરો.
 DocType: Student Leave Application,Mark as Present,પ્રેઝન્ટ તરીકે માર્ક
 DocType: Supplier Scorecard,Indicator Color,સૂચક રંગ
 DocType: Purchase Order,To Receive and Bill,પ્રાપ્ત અને બિલ
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,રો # {0}: તારીખ દ્વારા રેકર્ડ વ્યવહાર તારીખ પહેલાં ન હોઈ શકે
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,રો # {0}: તારીખ દ્વારા રેકર્ડ વ્યવહાર તારીખ પહેલાં ન હોઈ શકે
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ફીચર્ડ પ્રોડક્ટ્સ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,સીરીયલ નંબર પસંદ કરો
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,સીરીયલ નંબર પસંદ કરો
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,ડીઝાઈનર
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,નિયમો અને શરતો ઢાંચો
 DocType: Serial No,Delivery Details,ડ લવર વિગતો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},પ્રકાર માટે ખર્ચ કેન્દ્રને પંક્તિ જરૂરી છે {0} કર ટેબલ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},પ્રકાર માટે ખર્ચ કેન્દ્રને પંક્તિ જરૂરી છે {0} કર ટેબલ {1}
 DocType: Program,Program Code,કાર્યક્રમ કોડ
 DocType: Terms and Conditions,Terms and Conditions Help,નિયમો અને શરતો મદદ
 ,Item-wise Purchase Register,વસ્તુ મુજબના ખરીદી રજીસ્ટર
@@ -6896,15 +6974,16 @@
 DocType: Contract,Contract Terms,કોન્ટ્રેક્ટ શરતો
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,કરન્સી વગેરે $ જેવી કોઇ પ્રતીક આગામી બતાવશો નહીં.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},ઘટકનો મહત્તમ લાભ રકમ {0} વધી ગયો છે {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(અડધા દિવસ)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(અડધા દિવસ)
 DocType: Payment Term,Credit Days,ક્રેડિટ દિવસો
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,લેબ ટેસ્ટ મેળવવા માટે પેશન્ટ પસંદ કરો
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,વિદ્યાર્થી બેચ બનાવવા
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,ઉત્પાદન માટે ટ્રાન્સફરની મંજૂરી આપો
 DocType: Leave Type,Is Carry Forward,આગળ લઈ છે
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM થી વસ્તુઓ વિચાર
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM થી વસ્તુઓ વિચાર
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,સમય દિવસમાં લીડ
 DocType: Cash Flow Mapping,Is Income Tax Expense,આવકવેરા ખર્ચ છે
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,તમારું ઑર્ડર વિતરણ માટે બહાર છે!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},રો # {0}: પોસ્ટ તારીખ ખરીદી તારીખ તરીકે જ હોવી જોઈએ {1} એસેટ {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,આ તપાસો જો વિદ્યાર્થી સંસ્થાના છાત્રાલય ખાતે રહેતા છે.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,ઉપરના કોષ્ટકમાં વેચાણ ઓર્ડર દાખલ કરો
@@ -6912,10 +6991,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,બીજા એક વખાર માંથી એસેટ ટ્રાન્સફર
 DocType: Vehicle,Petrol,પેટ્રોલ
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),બાકીના લાભો (વાર્ષિક)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,સામગ્રી બિલ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,સામગ્રી બિલ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},રો {0}: પાર્ટી પ્રકાર અને પાર્ટી પ્રાપ્ત / ચૂકવવાપાત્ર એકાઉન્ટ માટે જરૂરી છે {1}
 DocType: Employee,Leave Policy,નીતિ છોડો
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,આઇટમ્સ અપડેટ કરો
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,આઇટમ્સ અપડેટ કરો
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,સંદર્ભ તારીખ
 DocType: Employee,Reason for Leaving,છોડીને માટે કારણ
 DocType: BOM Operation,Operating Cost(Company Currency),સંચાલન ખર્ચ (કંપની ચલણ)
@@ -6926,7 +7005,7 @@
 DocType: Department,Expense Approvers,ખર્ચ Approvers
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},રો {0}: ડેબિટ પ્રવેશ સાથે લિંક કરી શકતા નથી {1}
 DocType: Journal Entry,Subscription Section,સબ્સ્ક્રિપ્શન વિભાગ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,એકાઉન્ટ {0} અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,એકાઉન્ટ {0} અસ્તિત્વમાં નથી
 DocType: Training Event,Training Program,તાલીમ કાર્યક્રમ
 DocType: Account,Cash,કેશ
 DocType: Employee,Short biography for website and other publications.,વેબસાઇટ અને અન્ય પ્રકાશનો માટે લઘુ જીવનચરિત્ર.
diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv
index 5a1ca3b..6145032 100644
--- a/erpnext/translations/he.csv
+++ b/erpnext/translations/he.csv
@@ -6,7 +6,7 @@
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js +52,Please select Party Type first,אנא בחר מפלגה סוג ראשון
 DocType: Item,Customer Items,פריטים לקוח
 DocType: Project,Costing and Billing,תמחיר וחיובים
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,חשבון {0}: הורה חשבון {1} לא יכול להיות פנקס
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,חשבון {0}: הורה חשבון {1} לא יכול להיות פנקס
 DocType: Item,Publish Item to hub.erpnext.com,פרסם פריט לhub.erpnext.com
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,הַעֲרָכָה
 DocType: Item,Default Unit of Measure,ברירת מחדל של יחידת מדידה
@@ -14,13 +14,13 @@
 DocType: Department,Leave Approvers,השאר מאשרים
 DocType: Employee,Rented,הושכר
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","הזמנת ייצור הפסיק אינה ניתנת לביטול, מגופתו הראשונה לביטול"
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,האם אתה באמת רוצה לבטל הנכס הזה?
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},מטבע נדרש למחיר המחירון {0}
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,האם אתה באמת רוצה לבטל הנכס הזה?
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},מטבע נדרש למחיר המחירון {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* יחושב בעסקה.
 DocType: Purchase Order,Customer Contact,צור קשר עם לקוחות
 DocType: Employee,Job Applicant,עבודת מבקש
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,זה מבוסס על עסקאות מול הספק הזה. ראה את ציר הזמן מתחת לפרטים
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,משפטי
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,משפטי
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +204,Actual type tax cannot be included in Item rate in row {0},מס סוג בפועל לא ניתן כלול במחיר הפריט בשורת {0}
 DocType: Bank Guarantee,Customer,לקוחות
 DocType: Purchase Receipt Item,Required By,הנדרש על ידי
@@ -28,12 +28,12 @@
 DocType: Purchase Order,% Billed,% שחויבו
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +41,Exchange Rate must be same as {0} {1} ({2}),שער החליפין חייב להיות זהה {0} {1} ({2})
 DocType: Sales Invoice,Customer Name,שם לקוח
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0}
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ראשים (או קבוצות) נגד שרישומים חשבונאיים נעשים ומתוחזקים יתרות.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),יוצא מן הכלל עבור {0} אינם יכולים להיות פחות מאפס ({1})
 DocType: Manufacturing Settings,Default 10 mins,ברירת מחדל 10 דקות
 DocType: Leave Type,Leave Type Name,השאר סוג שם
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,הצג פתוח
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,הצג פתוח
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,סדרת עדכון בהצלחה
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,לבדוק
 DocType: Pricing Rule,Apply On,החל ב
@@ -41,7 +41,7 @@
 ,Purchase Order Items To Be Received,פריטים הזמנת רכש שיתקבלו
 DocType: SMS Center,All Supplier Contact,כל לתקשר עם הספק
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,תאריך הסיום צפוי לא יכול להיות פחות מתאריך ההתחלה צפויה
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# השורה {0}: שיעור חייב להיות זהה {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# השורה {0}: שיעור חייב להיות זהה {1}: {2} ({3} / {4})
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,המחאה בנקאית
 DocType: Mode of Payment Account,Mode of Payment Account,מצב של חשבון תשלומים
 apps/erpnext/erpnext/stock/doctype/item/item.js +58,Show Variants,גרסאות הצג
@@ -53,7 +53,7 @@
 DocType: Employee Education,Year of Passing,שנה של פטירה
 apps/erpnext/erpnext/templates/includes/product_page.js +34,In Stock,במלאי
 DocType: Production Plan Item,Production Plan Item,פריט תכנית ייצור
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},משתמש {0} כבר הוקצה לעובדי {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},משתמש {0} כבר הוקצה לעובדי {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,בריאות
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),עיכוב בתשלום (ימים)
 DocType: Bank Statement Transaction Invoice Item,Invoice,חשבונית
@@ -88,9 +88,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,פרסום
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,אותו החברה נכנסה יותר מפעם אחת
 DocType: Patient,Married,נשוי
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},חל איסור על {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},חל איסור על {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,קבל פריטים מ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},המניה לא ניתן לעדכן נגד תעודת משלוח {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},המניה לא ניתן לעדכן נגד תעודת משלוח {0}
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},מוצרים {0}
 DocType: Payment Reconciliation,Reconcile,ליישב
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +30,Grocery,מכולת
@@ -98,7 +98,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +40,Pension Funds,קרנות פנסיה
 DocType: SMS Center,All Sales Person,כל איש המכירות
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** בחתך חודשי ** עוזר לך להפיץ את התקציב / היעד ברחבי חודשים אם יש לך עונתיות בעסק שלך.
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,חסר מבנה השכר
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,חסר מבנה השכר
 DocType: Lead,Person Name,שם אדם
 DocType: Sales Invoice Item,Sales Invoice Item,פריט חשבונית מכירות
 DocType: Account,Credit,אשראי
@@ -106,7 +106,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +117,"e.g. ""Primary School"" or ""University""",למשל &quot;בית הספר היסודי&quot; או &quot;האוניברסיטה&quot;
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,דוחות במלאי
 DocType: Warehouse,Warehouse Detail,פרט מחסן
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;האם רכוש קבוע&quot; לא יכול להיות מסומן, כמו שיא נכסים קיים כנגד הפריט"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;האם רכוש קבוע&quot; לא יכול להיות מסומן, כמו שיא נכסים קיים כנגד הפריט"
 DocType: Tax Rule,Tax Type,סוג המס
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},אין לך ההרשאה להוסיף או עדכון ערכים לפני {0}
 DocType: BOM,Item Image (if not slideshow),תמונת פריט (אם לא מצגת)
@@ -116,12 +116,12 @@
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,החג על {0} הוא לא בין מתאריך ו עד תאריך
 DocType: Lead,Interested,מעוניין
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,פתיחה
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},מ {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},מ {0} {1}
 DocType: Item,Copy From Item Group,העתק מ קבוצת פריט
 DocType: Journal Entry,Opening Entry,כניסת פתיחה
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,חשבון משלם רק
 DocType: Stock Entry,Additional Costs,עלויות נוספות
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,חשבון עם עסקה הקיימת לא ניתן להמיר לקבוצה.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,חשבון עם עסקה הקיימת לא ניתן להמיר לקבוצה.
 DocType: Lead,Product Enquiry,חקירה מוצר
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,אנא ראשון להיכנס החברה
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,אנא בחר החברה ראשונה
@@ -133,7 +133,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,הצהרה של חשבון
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,תרופות
 DocType: Purchase Invoice Item,Is Fixed Asset,האם קבוע נכסים
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","כמות זמינה הוא {0}, אתה צריך {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","כמות זמינה הוא {0}, אתה צריך {1}"
 DocType: Expense Claim Detail,Claim Amount,סכום תביעה
 DocType: Naming Series,Prefix,קידומת
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +71,Consumable,מתכלה
@@ -147,12 +147,12 @@
 DocType: Journal Entry,Contra Entry,קונטרה כניסה
 DocType: Journal Entry Account,Credit in Company Currency,אשראי במטבע החברה
 DocType: Delivery Note,Installation Status,מצב התקנה
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ מקובל שנדחו הכמות חייבת להיות שווה לכמות שהתקבל עבור פריט {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ מקובל שנדחו הכמות חייבת להיות שווה לכמות שהתקבל עבור פריט {0}
 DocType: Item,Supply Raw Materials for Purchase,חומרי גלם לאספקת רכישה
 DocType: Products Settings,Show Products as a List,הצג מוצרים כרשימה
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py +43,Item {0} is not active or end of life has been reached,פריט {0} אינו פעיל או שהגיע הסוף של חיים
 apps/erpnext/erpnext/utilities/user_progress.py +190,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","כדי לכלול מס בשורת {0} בשיעור פריט, מסים בשורות {1} חייבים להיות כלולים גם"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","כדי לכלול מס בשורת {0} בשיעור פריט, מסים בשורות {1} חייבים להיות כלולים גם"
 DocType: SMS Center,SMS Center,SMS מרכז
 DocType: Sales Invoice,Change Amount,שנת הסכום
 DocType: BOM Update Tool,New BOM,BOM החדש
@@ -177,13 +177,13 @@
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},תאריך התקנה לא יכול להיות לפני מועד אספקה לפריט {0}
 DocType: Pricing Rule,Discount on Price List Rate (%),הנחה על מחיר מחירון שיעור (%)
 DocType: Job Offer,Select Terms and Conditions,תנאים והגבלות בחרו
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,ערך מתוך
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,ערך מתוך
 DocType: Production Plan,Sales Orders,הזמנות ומכירות
 DocType: Purchase Taxes and Charges,Valuation,הערכת שווי
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +436,Set as Default,קבע כברירת מחדל
 ,Purchase Order Trends,לרכוש מגמות להזמין
 DocType: SG Creation Tool Course,SG Creation Tool Course,קורס כלי יצירת SG
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,מאגר מספיק
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,מאגר מספיק
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,תכנון קיבולת השבת ומעקב זמן
 DocType: Email Digest,New Sales Orders,הזמנות ומכירות חדשות
 DocType: Bank Account,Bank Account,חשבון בנק
@@ -191,7 +191,7 @@
 DocType: Selling Settings,Default Territory,טריטורית ברירת מחדל
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,טלוויזיה
 DocType: Work Order Operation,Updated via 'Time Log',"עדכון באמצעות 'יומן זמן """
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},הסכום מראש לא יכול להיות גדול מ {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},הסכום מראש לא יכול להיות גדול מ {0} {1}
 DocType: Naming Series,Series List for this Transaction,רשימת סדרות לעסקה זו
 DocType: Sales Invoice,Is Opening Entry,האם פתיחת כניסה
 DocType: Customer Group,Mention if non-standard receivable account applicable,להזכיר אם ישים חשבון חייבים שאינם סטנדרטי
@@ -201,7 +201,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +20,Please enter Company,נא להזין חברה
 DocType: Delivery Note Item,Against Sales Invoice Item,נגד פריט מכירות חשבונית
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,מזומנים נטו ממימון
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage מלא, לא הציל"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage מלא, לא הציל"
 DocType: Lead,Address & Contact,כתובת ולתקשר
 DocType: Leave Allocation,Add unused leaves from previous allocations,להוסיף עלים שאינם בשימוש מהקצאות קודמות
 DocType: Sales Partner,Partner website,אתר שותף
@@ -211,15 +211,15 @@
 apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,אין תיאור נתון
 apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,בקש לרכישה.
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,זה מבוסס על פחי הזמנים נוצרו נגד הפרויקט הזה
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,להקלה על התאריך חייבת להיות גדולה מ תאריך ההצטרפות
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,להקלה על התאריך חייבת להיות גדולה מ תאריך ההצטרפות
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,עלים בכל שנה
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,שורת {0}: בדוק את 'האם Advance' נגד חשבון {1} אם זה כניסה מראש.
 apps/erpnext/erpnext/stock/utils.py +243,Warehouse {0} does not belong to company {1},מחסן {0} אינו שייך לחברת {1}
 apps/erpnext/erpnext/utilities/user_progress.py +147,Litre,לִיטר
 DocType: Task,Total Costing Amount (via Time Sheet),סה&quot;כ תמחיר הסכום (באמצעות גיליון זמן)
 DocType: Item Website Specification,Item Website Specification,מפרט אתר פריט
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,השאר חסימה
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},פריט {0} הגיע לסיומו של חיים על {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,השאר חסימה
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},פריט {0} הגיע לסיומו של חיים על {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,פוסט בנק
 DocType: Crop,Annual,שנתי
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,פריט במלאי פיוס
@@ -233,11 +233,11 @@
 DocType: Course Scheduling Tool,Course Start Date,תאריך פתיחת הקורס
 DocType: Item,Publish in Hub,פרסם בHub
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,פריט {0} יבוטל
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,בקשת חומר
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,פריט {0} יבוטל
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,בקשת חומר
 DocType: Bank Reconciliation,Update Clearance Date,תאריך שחרור עדכון
 DocType: Item,Purchase Details,פרטי רכישה
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},פריט {0} לא נמצא בטבלה &quot;חומרי גלם מסופקת &#39;בהזמנת רכש {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},פריט {0} לא נמצא בטבלה &quot;חומרי גלם מסופקת &#39;בהזמנת רכש {1}
 DocType: Student Guardian,Relation,ביחס
 apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,הזמנות אישרו מלקוחות.
 DocType: Purchase Receipt Item,Rejected Quantity,כמות שנדחו
@@ -258,7 +258,7 @@
 DocType: Asset,Next Depreciation Date,תאריך הפחת הבא
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,עלות פעילות לעובדים
 DocType: Accounts Settings,Settings for Accounts,הגדרות עבור חשבונות
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},ספק חשבונית לא קיים חשבונית רכישת {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},ספק חשבונית לא קיים חשבונית רכישת {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,ניהול מכירות אדם עץ.
 DocType: Job Applicant,Cover Letter,מכתב כיסוי
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,המחאות ופיקדונות כדי לנקות מצטיינים
@@ -276,15 +276,15 @@
 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,להודיע באמצעות דואר אלקטרוני על יצירת בקשת חומר אוטומטית
 DocType: Journal Entry,Multi Currency,מטבע רב
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,סוג חשבונית
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,תעודת משלוח
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,תעודת משלוח
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,הגדרת מסים
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,עלות נמכר נכס
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,כניסת תשלום השתנתה לאחר שמשכת אותו. אנא למשוך אותו שוב.
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} נכנס פעמיים במס פריט
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,סיכום השבוע הזה ופעילויות תלויות ועומדות
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} נכנס פעמיים במס פריט
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,סיכום השבוע הזה ופעילויות תלויות ועומדות
 DocType: Student Applicant,Admitted,רישיון
 DocType: Workstation,Rent Cost,עלות השכרה
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,הסכום לאחר פחת
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,הסכום לאחר פחת
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,תכונות וריאנט
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,אנא בחר חודש והשנה
 DocType: Employee,Company Email,"חברת דוא""ל"
@@ -303,7 +303,7 @@
 DocType: Bank Statement Transaction Invoice Item,Invoice Date,תאריך חשבונית
 DocType: GL Entry,Debit Amount,סכום חיוב
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},לא יכול להיות רק 1 חשבון לכל חברת {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,אנא ראה קובץ מצורף
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,אנא ראה קובץ מצורף
 DocType: Purchase Order,% Received,% התקבל
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,יצירת קבוצות סטודנטים
 DocType: Chapter Member,Website URL,כתובת אתר אינטרנט
@@ -334,11 +334,11 @@
 DocType: Workstation,Consumable Cost,עלות מתכלה
 DocType: Purchase Receipt,Vehicle Date,תאריך רכב
 DocType: Student Log,Medical,רפואי
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,סיבה לאיבוד
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,סיבה לאיבוד
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,הסכום שהוקצה לא יכול מעל לסכום ללא התאמות
 DocType: Announcement,Receiver,מַקְלֵט
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},תחנת עבודה סגורה בתאריכים הבאים בהתאם לרשימת Holiday: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,הזדמנויות
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,הזדמנויות
 DocType: Lab Test Template,Single,אחת
 DocType: Account,Cost of Goods Sold,עלות מכר
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,נא להזין מרכז עלות
@@ -363,7 +363,7 @@
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,הגדרות גלובליות עבור כל תהליכי הייצור.
 DocType: Accounts Settings,Accounts Frozen Upto,חשבונות קפואים Upto
 DocType: SMS Log,Sent On,נשלח ב
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,תכונה {0} נבחר מספר פעמים בטבלה תכונות
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,תכונה {0} נבחר מספר פעמים בטבלה תכונות
 DocType: HR Settings,Employee record is created using selected field. ,שיא עובד שנוצר באמצעות שדה שנבחר.
 DocType: Sales Order,Not Applicable,לא ישים
 DocType: Request for Quotation Item,Required Date,תאריך הנדרש
@@ -380,13 +380,13 @@
 DocType: Item Attribute,To Range,לטווח
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Securities and Deposits,ניירות ערך ופיקדונות
 DocType: Job Opening,Description of a Job Opening,תיאור של פתיחת איוב
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,פעילויות ממתינים להיום
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,פעילויות ממתינים להיום
 DocType: Salary Structure,Salary Component for timesheet based payroll.,רכיב שכר שכר מבוסס גיליון.
 DocType: Sales Order Item,Used for Production Plan,המשמש לתכנית ייצור
 DocType: Manufacturing Settings,Time Between Operations (in mins),זמן בין פעולות (בדקות)
 DocType: Customer,Buyer of Goods and Services.,קונה של מוצרים ושירותים.
 DocType: Journal Entry,Accounts Payable,חשבונות לתשלום
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,בומס שנבחר אינו תמורת אותו הפריט
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,בומס שנבחר אינו תמורת אותו הפריט
 DocType: Item Price,Valid Upto,Upto חוקי
 apps/erpnext/erpnext/utilities/user_progress.py +67,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,הכנסה ישירה
@@ -398,7 +398,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +435,Please enter Warehouse for which Material Request will be raised,נא להזין את המחסן שלבקשת חומר יועלה
 DocType: Work Order,Additional Operating Cost,עלות הפעלה נוספות
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,קוסמטיקה
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","למזג, המאפיינים הבאים חייבים להיות זהים בשני הפריטים"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","למזג, המאפיינים הבאים חייבים להיות זהים בשני הפריטים"
 DocType: Shipping Rule,Net Weight,משקל נטו
 DocType: Employee,Emergency Phone,טל 'חירום
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,לִקְנוֹת
@@ -406,7 +406,7 @@
 DocType: Sales Invoice,Offline POS Name,שם קופה מנותקת
 DocType: Sales Order,To Deliver,כדי לספק
 DocType: Purchase Invoice Item,Item,פריט
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,אין פריט סידורי לא יכול להיות חלק
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,אין פריט סידורי לא יכול להיות חלק
 DocType: Journal Entry,Difference (Dr - Cr),"הבדל (ד""ר - Cr)"
 DocType: Account,Profit and Loss,רווח והפסד
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,קבלנות משנה ניהול
@@ -431,17 +431,17 @@
 DocType: Installation Note Item,Installation Note Item,פריט הערה התקנה
 DocType: Production Plan Item,Pending Qty,בהמתנה כמות
 DocType: Budget,Ignore,התעלם
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,ממדים בדוק את הגדרות להדפסה
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,ממדים בדוק את הגדרות להדפסה
 DocType: Salary Slip,Salary Slip Timesheet,גיליון תלוש משכורת
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,מחסן ספק חובה לקבלה-נדבק תת רכישה
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,מחסן ספק חובה לקבלה-נדבק תת רכישה
 DocType: Item Price,Valid From,בתוקף מ
 DocType: Sales Invoice,Total Commission,"הוועדה סה""כ"
 DocType: Pricing Rule,Sales Partner,פרטנר מכירות
 DocType: Buying Settings,Purchase Receipt Required,קבלת רכישת חובה
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,דרג ההערכה היא חובה אם Stock פתיחה נכנס
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,דרג ההערכה היא חובה אם Stock פתיחה נכנס
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,לא נמצא רשומות בטבלת החשבונית
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,אנא בחר סוג החברה והמפלגה ראשון
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,כספי לשנה / חשבונאות.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,כספי לשנה / חשבונאות.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ערכים מצטברים
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","מצטער, לא ניתן למזג מס סידורי"
 apps/erpnext/erpnext/utilities/activation.py +83,Make Sales Order,הפוך להזמין מכירות
@@ -453,23 +453,23 @@
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +38,Fiscal Year Start Date should not be greater than Fiscal Year End Date,תאריך שנת כספים התחל לא צריך להיות גדול יותר מתאריך שנת הכספים End
 DocType: Issue,Resolution,רזולוציה
 DocType: C-Form,IV,IV
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},נמסר: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},נמסר: {0}
 DocType: Bank Statement Transaction Entry,Payable Account,חשבון לתשלום
 DocType: Payment Entry,Type of Payment,סוג של תשלום
 DocType: Sales Order,Billing and Delivery Status,סטטוס חיוב ומשלוח
 DocType: Job Applicant,Resume Attachment,מצורף קורות חיים
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,חזרו על לקוחות
 DocType: Leave Control Panel,Allocate,להקצות
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,חזור מכירות
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,חזור מכירות
 DocType: Announcement,Posted By,פורסם על ידי
 DocType: Item,Delivered by Supplier (Drop Ship),נמסר על ידי ספק (זרוק משלוח)
 apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,מסד הנתונים של לקוחות פוטנציאליים.
 DocType: Authorization Rule,Customer or Item,הלקוח או פריט
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,מאגר מידע על לקוחות.
 DocType: Quotation,Quotation To,הצעת מחיר ל
-DocType: Lead,Middle Income,הכנסה התיכונה
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,הכנסה התיכונה
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),פתיחה (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"ברירת מחדל של יחידת מדידה לפריט {0} לא ניתן לשנות באופן ישיר, כי כבר עשו כמה עסקה (ים) עם יחידת מידה אחרת. יהיה עליך ליצור פריט חדש לשימוש יחידת מידת ברירת מחדל שונה."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"ברירת מחדל של יחידת מדידה לפריט {0} לא ניתן לשנות באופן ישיר, כי כבר עשו כמה עסקה (ים) עם יחידת מידה אחרת. יהיה עליך ליצור פריט חדש לשימוש יחידת מידת ברירת מחדל שונה."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,סכום שהוקצה אינו יכול להיות שלילי
 DocType: Purchase Order Item,Billed Amt,Amt שחויב
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,מחסן לוגי שנגדו מרשמו רשומות מלאי
@@ -477,7 +477,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +150,Reference No & Reference Date is required for {0},התייחסות לא & תאריך הפניה נדרש עבור {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,כתיבת הצעה
 DocType: Payment Entry Deduction,Payment Entry Deduction,ניכוי קליט הוצאות
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,אדם אחר מכירות {0} קיים עם אותו זיהוי העובד
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,אדם אחר מכירות {0} קיים עם אותו זיהוי העובד
 apps/erpnext/erpnext/config/education.py +180,Masters,תואר שני
 apps/erpnext/erpnext/config/accounts.py +161,Update Bank Transaction Dates,תאריכי עסקת בנק Update
 apps/erpnext/erpnext/config/projects.py +41,Time Tracking,מעקב זמן
@@ -495,7 +495,7 @@
 DocType: Buying Settings,Supplier Naming By,Naming ספק ב
 DocType: Activity Type,Default Costing Rate,דרג תמחיר ברירת מחדל
 DocType: Maintenance Schedule,Maintenance Schedule,לוח זמנים תחזוקה
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","חוקים ואז תמחור מסוננים החוצה על בסיס לקוחות, קבוצת לקוחות, טריטוריה, ספק, סוג של ספק, המבצע, שותף מכירות וכו '"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","חוקים ואז תמחור מסוננים החוצה על בסיס לקוחות, קבוצת לקוחות, טריטוריה, ספק, סוג של ספק, המבצע, שותף מכירות וכו '"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,שינוי נטו במלאי
 DocType: Employee,Passport Number,דרכון מספר
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,מנהל
@@ -504,7 +504,7 @@
 DocType: Work Order Operation,In minutes,בדקות
 DocType: Issue,Resolution Date,תאריך החלטה
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,גיליון נוצר:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},אנא הגדר מזומנים ברירת מחדל או חשבון בנק במצב של תשלום {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},אנא הגדר מזומנים ברירת מחדל או חשבון בנק במצב של תשלום {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,לְהִרָשֵׁם
 DocType: Selling Settings,Customer Naming By,Naming הלקוח על ידי
 DocType: Depreciation Schedule,Depreciation Amount,סכום הפחת
@@ -540,17 +540,17 @@
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,קדם מכירות
 DocType: Instructor Log,Other Details,פרטים נוספים
 DocType: Account,Accounts,חשבונות
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,שיווק
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,שיווק
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,כניסת תשלום כבר נוצר
 DocType: Purchase Receipt Item Supplied,Current Stock,מלאי נוכחי
 apps/erpnext/erpnext/controllers/accounts_controller.py +665,Row #{0}: Asset {1} does not linked to Item {2},# שורה {0}: Asset {1} אינו קשור פריט {2}
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +64,Account {0} has been entered multiple times,חשבון {0} הוזן מספר פעמים
 DocType: Account,Expenses Included In Valuation,הוצאות שנכללו בהערכת שווי
 DocType: Email Digest,Next email will be sent on:,"הדוא""ל הבא יישלח על:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,יש פריט גרסאות.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,יש פריט גרסאות.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,פריט {0} לא נמצא
 DocType: Bin,Stock Value,מניית ערך
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,החברה {0} לא קיים
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,החברה {0} לא קיים
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,סוג העץ
 DocType: BOM Explosion Item,Qty Consumed Per Unit,כמות נצרכת ליחידה
 DocType: Serial No,Warranty Expiry Date,תאריך תפוגה אחריות
@@ -560,19 +560,19 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +7,Aerospace,התעופה והחלל
 DocType: Journal Entry,Credit Card Entry,כניסת כרטיס אשראי
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,החברה וחשבונות
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,ערך
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,ערך
 DocType: Lead,Campaign Name,שם מסע פרסום
 ,Reserved,שמורות
 DocType: Purchase Order,Supply Raw Materials,חומרי גלם אספקה
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,נכסים שוטפים
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} הוא לא פריט מלאי
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} הוא לא פריט מלאי
 DocType: Mode of Payment Account,Default Account,חשבון ברירת מחדל
 DocType: Payment Entry,Received Amount (Company Currency),הסכום שהתקבל (חברת מטבע)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,עופרת יש להגדיר אם הזדמנות עשויה מעופרת
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,אנא בחר יום מנוחה שבועי
 DocType: Work Order Operation,Planned End Time,שעת סיום מתוכננת
 ,Sales Person Target Variance Item Group-Wise,פריט יעד שונות איש מכירות קבוצה-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,חשבון עם עסקה הקיימת לא ניתן להמיר לדג'ר
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,חשבון עם עסקה הקיימת לא ניתן להמיר לדג'ר
 DocType: Delivery Note,Customer's Purchase Order No,להזמין ללא הרכישה של הלקוח
 apps/erpnext/erpnext/stock/reorder_item.py +194,Auto Material Requests Generated,בקשות אוטומטיות חומר שנוצרו
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +7,Lost,איבדתי
@@ -582,10 +582,10 @@
 DocType: Opportunity,Opportunity From,הזדמנות מ
 DocType: BOM,Website Specifications,מפרט אתר
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: החל מ- {0} מסוג {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,שורת {0}: המרת פקטור הוא חובה
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,שורת {0}: המרת פקטור הוא חובה
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","חוקי מחיר מרובים קיימים עם אותם הקריטריונים, בבקשה לפתור את סכסוך על ידי הקצאת עדיפות. חוקי מחיר: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,לא יכול לבטל או לבטל BOM כפי שהוא מקושר עם עצי מוצר אחרים
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","חוקי מחיר מרובים קיימים עם אותם הקריטריונים, בבקשה לפתור את סכסוך על ידי הקצאת עדיפות. חוקי מחיר: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,לא יכול לבטל או לבטל BOM כפי שהוא מקושר עם עצי מוצר אחרים
 DocType: Asset,Maintenance,תחזוקה
 DocType: Item Attribute Value,Item Attribute Value,פריט תכונה ערך
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,מבצעי מכירות.
@@ -612,20 +612,20 @@
 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.","תבנית מס סטנדרטית שיכול להיות מיושמת על כל עסקות המכירה. תבנית זו יכולה להכיל רשימה של ראשי מס וגם ראשי חשבון / הכנסות אחרות כמו ""משלוח"", ""ביטוח"", ""טיפול ב"" וכו '#### הערה שיעור המס שאתה מגדיר כאן יהיה שיעור המס האחיד לכל ** פריטים **. אם יש פריטים ** ** שיש לי שיעורים שונים, הם חייבים להיות הוסיפו במס הפריט ** ** שולחן ב** ** הפריט השני. #### תיאור של עמודות סוג חישוב 1.: - זה יכול להיות בסך הכל ** ** נטו (כלומר הסכום של סכום בסיסי). - ** בסך הכל / סכום השורה הקודמת ** (למסים או חיובים מצטברים). אם תבחר באפשרות זו, המס יחול כאחוז מהשורה הקודמת (בטבלת המס) הסכום כולל או. - ** ** בפועל (כאמור). 2. ראש חשבון: פנקס החשבון שתחתיו מס זה יהיה להזמין מרכז עלות 3.: אם המס / תשלום הוא הכנסה (כמו משלוח) או הוצאה שיש להזמין נגד מרכז עלות. 4. תיאור: תיאור של המס (שיודפס בחשבוניות / ציטוטים). 5. שיעור: שיעור מס. 6. סכום: סכום מס. 7. סך הכל: סך הכל מצטבר לנקודה זו. 8. הזן Row: אם המבוסס על ""שורה הקודמת סה""כ"" אתה יכול לבחור את מספר השורה שיילקח כבסיס לחישוב זה (ברירת מחדל היא השורה הקודמת). 9. האם מס זה כלול ביסוד ערי ?: אם תקיש זה, זה אומר שזה מס לא יוצג מתחת לטבלת הפריט, אבל יהיה כלול במחיר בסיסי בשולחן הפריט העיקרי שלך. זה שימושי שבו אתה רוצה לתת מחיר דירה (כולל כל המסים) מחיר ללקוחות."
 DocType: Employee,Bank A/C No.,מס 'הבנק / C
 DocType: Quality Inspection Reading,Reading 7,קריאת 7
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,שם דוק
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,שם דוק
 DocType: Expense Claim Detail,Expense Claim Type,סוג תביעת חשבון
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,הגדרות ברירת מחדל עבור עגלת קניות
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},נכסים לגרוטאות באמצעות תנועת יומן {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},נכסים לגרוטאות באמצעות תנועת יומן {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,ביוטכנולוגיה
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,הוצאות משרד תחזוקה
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,אנא ראשון להיכנס פריט
 DocType: Account,Liability,אחריות
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,סכום גושפנקא לא יכול להיות גדול מסכום תביעה בשורה {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,סכום גושפנקא לא יכול להיות גדול מסכום תביעה בשורה {0}.
 DocType: Company,Default Cost of Goods Sold Account,עלות ברירת מחדל של חשבון מכר
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,מחיר המחירון לא נבחר
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,מחיר המחירון לא נבחר
 DocType: Employee,Family Background,רקע משפחתי
 DocType: Request for Quotation Supplier,Send Email,שלח אי-מייל
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},אזהרה: קובץ מצורף לא חוקי {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},אזהרה: קובץ מצורף לא חוקי {0}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,אין אישור
 DocType: Company,Default Bank Account,חשבון בנק ברירת מחדל
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +75,"To filter based on Party, select Party Type first","כדי לסנן מבוסס על המפלגה, מפלגה בחר את הסוג ראשון"
@@ -641,12 +641,11 @@
 ,Support Analytics,Analytics תמיכה
 DocType: Item,Website Warehouse,מחסן אתר
 DocType: Payment Reconciliation,Minimum Invoice Amount,סכום חשבונית מינימום
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,פריט שורה {idx}: {DOCTYPE} {DOCNAME} אינה קיימת מעל &#39;{DOCTYPE} שולחן
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,גיליון {0} כבר הושלם או בוטל
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,גיליון {0} כבר הושלם או בוטל
 DocType: Asset,Opening Accumulated Depreciation,פתיחת פחת שנצבר
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,ציון חייב להיות קטן או שווה ל 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,כלי הרשמה לתכנית
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,רשומות C-טופס
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,רשומות C-טופס
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,לקוחות וספקים
 DocType: Email Digest,Email Digest Settings,"הגדרות Digest דוא""ל"
 apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,שאילתות התמיכה של לקוחות.
@@ -668,13 +667,13 @@
 apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,הזמנת רכש לתשלום
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,כמות חזויה
 DocType: Sales Invoice,Payment Due Date,מועד תשלום
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,פריט Variant {0} כבר קיים עימן תכונות
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;פתיחה&quot;
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,פריט Variant {0} כבר קיים עימן תכונות
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;פתיחה&quot;
 DocType: Notification Control,Delivery Note Message,מסר תעודת משלוח
 DocType: Expense Claim,Expenses,הוצאות
 DocType: Item Variant Attribute,Item Variant Attribute,תכונה Variant פריט
 ,Purchase Receipt Trends,מגמות קבלת רכישה
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,מחקר ופיתוח
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,מחקר ופיתוח
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,הסכום להצעת החוק
 DocType: Company,Registration Details,פרטי רישום
 DocType: Item Reorder,Re-Order Qty,Re-להזמין כמות
@@ -685,7 +684,7 @@
 DocType: Sales Invoice Item,Stock Details,פרטי מלאי
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,פרויקט ערך
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,נקודת מכירה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","יתרת חשבון כבר בקרדיט, שאינך מורשה להגדרה 'יתרה חייבים להיות' כמו 'חיוב'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","יתרת חשבון כבר בקרדיט, שאינך מורשה להגדרה 'יתרה חייבים להיות' כמו 'חיוב'"
 DocType: Account,Balance must be,איזון חייב להיות
 DocType: Notification Control,Expense Claim Rejected Message,הודעת תביעת הוצאות שנדחו
 ,Available Qty,כמות זמינה
@@ -702,36 +701,36 @@
 DocType: Supplier Quotation,Is Subcontracted,האם קבלן
 DocType: Item Attribute,Item Attribute Values,ערכי תכונה פריט
 DocType: Examination Result,Examination Result,תוצאת בחינה
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,קבלת רכישה
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,קבלת רכישה
 ,Received Items To Be Billed,פריטים שהתקבלו לחיוב
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,שער חליפין של מטבע שני.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,שער חליפין של מטבע שני.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},הפניה Doctype חייב להיות אחד {0}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},לא ניתן למצוא משבצת הזמן בעולם הבא {0} ימים למבצע {1}
 DocType: Work Order,Plan material for sub-assemblies,חומר תכנית לתת מכלולים
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,שותפי מכירות טריטוריה
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} חייב להיות פעיל
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} חייב להיות פעיל
 DocType: Journal Entry,Depreciation Entry,כניסת פחת
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,אנא בחר את סוג המסמך ראשון
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,אנא בחר את סוג המסמך ראשון
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ביקורי חומר לבטל {0} לפני ביטול תחזוקת הביקור הזה
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},מספר סידורי {0} אינו שייך לפריט {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,חובה כמות
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,מחסן עם עסקה קיימת לא ניתן להמיר לדג&#39;ר.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,מחסן עם עסקה קיימת לא ניתן להמיר לדג&#39;ר.
 DocType: Bank Reconciliation,Total Amount,"סה""כ לתשלום"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +32,Internet Publishing,הוצאה לאור באינטרנט
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ערך איזון
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,מחיר מחירון מכירות
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ערך איזון
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,מחיר מחירון מכירות
 DocType: Bank Reconciliation,Account Currency,מטבע חשבון
 apps/erpnext/erpnext/accounts/general_ledger.py +178,Please mention Round Off Account in Company,נא לציין לעגל חשבון בחברה
 DocType: Purchase Receipt,Range,טווח
 DocType: Supplier,Default Payable Accounts,חשבונות לתשלום ברירת מחדל
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +52,Employee {0} is not active or does not exist,עובד {0} אינו פעיל או שאינו קיים
 DocType: Item Barcode,Item Barcode,ברקוד פריט
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,פריט גרסאות {0} מעודכן
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,פריט גרסאות {0} מעודכן
 DocType: Quality Inspection Reading,Reading 6,קריאת 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,אין אפשרות {0} {1} {2} ללא כל חשבונית מצטיינים שלילית
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,אין אפשרות {0} {1} {2} ללא כל חשבונית מצטיינים שלילית
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,לרכוש חשבונית מראש
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},שורת {0}: כניסת אשראי לא יכולה להיות מקושרת עם {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,גדר תקציב עבור שנת כספים.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,גדר תקציב עבור שנת כספים.
 DocType: Employee,Permanent Address Is,כתובת קבע
 DocType: Work Order Operation,Operation completed for how many finished goods?,מבצע הושלם לכמה מוצרים מוגמרים?
 apps/erpnext/erpnext/public/js/setup_wizard.js +51,The Brand,המותג
@@ -739,7 +738,7 @@
 DocType: Item,Is Purchase Item,האם פריט הרכישה
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,רכישת חשבוניות
 DocType: GL Entry,Voucher Detail No,פרט שובר לא
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,חשבונית מכירת בתים חדשה
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,חשבונית מכירת בתים חדשה
 DocType: Stock Entry,Total Outgoing Value,"ערך יוצא סה""כ"
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,פתיחת תאריך ותאריך סגירה צריכה להיות באותה שנת כספים
 DocType: Lead,Request for Information,בקשה לקבלת מידע
@@ -748,15 +747,14 @@
 DocType: Salary Slip,Total in words,"סה""כ במילים"
 DocType: Material Request Item,Lead Time Date,תאריך ליד זמן
 DocType: Cheque Print Template,Has Print Format,יש פורמט להדפסה
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,הוא חובה. אולי שיא המרה לא נוצר ל
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},# שורה {0}: נא לציין את מספר סידורי לפריט {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","לפריטים &#39;מוצרי Bundle&#39;, מחסן, מספר סידורי ויצוו לא ייחשב מהשולחן &quot;רשימת האריזה&quot;. אם מחסן ויצוו אין הם זהים עבור כל פריטי האריזה עבור כל הפריט &quot;מוצרים Bundle &#39;, ניתן להזין ערכים אלה בטבלת הפריט העיקרית, ערכים יועתקו ל&#39;אריזת רשימה&#39; שולחן."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},# שורה {0}: נא לציין את מספר סידורי לפריט {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","לפריטים &#39;מוצרי Bundle&#39;, מחסן, מספר סידורי ויצוו לא ייחשב מהשולחן &quot;רשימת האריזה&quot;. אם מחסן ויצוו אין הם זהים עבור כל פריטי האריזה עבור כל הפריט &quot;מוצרים Bundle &#39;, ניתן להזין ערכים אלה בטבלת הפריט העיקרית, ערכים יועתקו ל&#39;אריזת רשימה&#39; שולחן."
 DocType: Student Admission,Publish on website,פרסם באתר
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,תאריך חשבונית ספק לא יכול להיות גדול מ תאריך פרסום
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,תאריך חשבונית ספק לא יכול להיות גדול מ תאריך פרסום
 DocType: Purchase Invoice Item,Purchase Order Item,לרכוש פריט להזמין
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +139,Indirect Income,הכנסות עקיפות
 DocType: Cheque Print Template,Date Settings,הגדרות תאריך
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,שונות
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,שונות
 ,Company Name,שם חברה
 DocType: SMS Center,Total Message(s),מסר כולל (ים)
 DocType: Purchase Invoice,Additional Discount Percentage,אחוז הנחה נוסף
@@ -777,13 +775,12 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +52,Upload your letter head and logo. (you can edit them later).,העלה ראש המכתב ואת הלוגו שלך. (אתה יכול לערוך אותם מאוחר יותר).
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,לבן
 DocType: SMS Center,All Lead (Open),כל הלידים (פתוח)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),שורה {0}: כמות אינה זמינה עבור {4} במחסן {1} בכל שעת הפרסום של כניסה ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),שורה {0}: כמות אינה זמינה עבור {4} במחסן {1} בכל שעת הפרסום של כניסה ({2} {3})
 DocType: Purchase Invoice,Get Advances Paid,קבלו תשלום מקדמות
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,הפוך
 DocType: Journal Entry,Total Amount in Words,סכתי-הכל סכום מילים
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,הייתה שגיאה. סיבה סבירה אחת יכולה להיות שלא שמרת את הטופס. אנא צור קשר עם support@erpnext.com אם הבעיה נמשכת.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,סל הקניות שלי
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},סוג ההזמנה חייבת להיות אחד {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},סוג ההזמנה חייבת להיות אחד {0}
 DocType: Lead,Next Contact Date,התאריך לתקשר הבא
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,פתיחת כמות
 DocType: Program Enrollment Tool Student,Student Batch Name,שם תצווה סטודנטים
@@ -791,7 +788,7 @@
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +14,Schedule Course,קורס לו&quot;ז
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,אופציות
 DocType: Journal Entry Account,Expense Claim,תביעת הוצאות
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,האם אתה באמת רוצה לשחזר נכס לגרוטאות זה?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,האם אתה באמת רוצה לשחזר נכס לגרוטאות זה?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},כמות עבור {0}
 DocType: Leave Application,Leave Application,החופשה Application
 DocType: Leave Block List,Leave Block List Dates,השאר תאריכי בלוק רשימה
@@ -802,7 +799,7 @@
 DocType: Purchase Invoice,Cash/Bank Account,מזומנים / חשבון בנק
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,פריטים הוסרו ללא שינוי בכמות או ערך.
 DocType: Delivery Note,Delivery To,משלוח ל
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,שולחן תכונה הוא חובה
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,שולחן תכונה הוא חובה
 DocType: Production Plan,Get Sales Orders,קבל הזמנות ומכירות
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} אינו יכול להיות שלילי
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,דיסקונט
@@ -831,7 +828,7 @@
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,קנייה סטנדרטית
 DocType: GL Entry,Against,נגד
 DocType: Item Default,Default Selling Cost Center,מרכז עלות מכירת ברירת מחדל
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},להזמין מכירות {0} הוא {1}
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},להזמין מכירות {0} הוא {1}
 DocType: Opportunity,Contact Info,יצירת קשר
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,מה שהופך את ערכי המלאי
 DocType: Packing Slip,Net Weight UOM,Net משקל של אוני 'מישגן
@@ -855,10 +852,10 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +241,{0} {1} must be submitted,{0} {1} יש להגיש
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},כמות חייבת להיות קטנה או שווה ל {0}
 DocType: SMS Center,Total Characters,"סה""כ תווים"
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},אנא בחר BOM בתחום BOM לפריט {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},אנא בחר BOM בתחום BOM לפריט {0}
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,פרט C-טופס חשבונית
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,תשלום פיוס חשבונית
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,% תרומה
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,% תרומה
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,מספרי רישום חברה לעיונך. מספרי מס וכו '
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,מפיץ
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,כלל משלוח סל קניות
@@ -866,7 +863,7 @@
 ,Ordered Items To Be Billed,פריטים שהוזמנו להיות מחויב
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,מהטווח צריך להיות פחות מטווח
 DocType: Global Defaults,Global Defaults,ברירות מחדל גלובליות
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,הזמנה לשיתוף פעולה בניהול פרויקטים
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,הזמנה לשיתוף פעולה בניהול פרויקטים
 DocType: Salary Slip,Deductions,ניכויים
 DocType: Purchase Invoice,Start date of current invoice's period,תאריך התחלה של תקופה של החשבונית הנוכחית
 DocType: Salary Slip,Leave Without Pay,חופשה ללא תשלום
@@ -874,14 +871,14 @@
 ,Trial Balance for Party,מאזן בוחן למפלגה
 DocType: Lead,Consultant,יועץ
 DocType: Salary Slip,Earnings,רווחים
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,פריט סיים {0} יש להזין לכניסת סוג הייצור
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,פריט סיים {0} יש להזין לכניסת סוג הייצור
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,מאזן חשבונאי פתיחה
 DocType: Sales Invoice Advance,Sales Invoice Advance,מכירות חשבונית מראש
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,שום דבר לא לבקש
 DocType: Payroll Entry,Employee Details,פרטי עובד
 DocType: Setup Progress Action,Domains,תחומים
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','תאריך התחלה בפועל' לא יכול להיות גדול מ 'תאריך סיום בפועל'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,ניהול
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,ניהול
 DocType: Cheque Print Template,Payer Settings,גדרות משלמות
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","זה יצורף לקוד הפריט של הגרסה. לדוגמא, אם הקיצור שלך הוא ""SM"", ואת קוד הפריט הוא ""T-shirt"", קוד הפריט של הגרסה יהיה ""T-shirt-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,חבילת נקי (במילים) תהיה גלויה ברגע שאתה לשמור את תלוש המשכורת.
@@ -894,14 +891,14 @@
 DocType: Stock Settings,Default Item Group,קבוצת ברירת מחדל של הפריט
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,מסד נתוני ספק.
 DocType: Account,Balance Sheet,מאזן
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',עלות מרכז לפריט עם קוד פריט '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',עלות מרכז לפריט עם קוד פריט '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה."
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","חשבונות נוספים יכולים להתבצע תחת קבוצות, אבל ערכים יכולים להתבצע נגד לא-קבוצות"
 DocType: Lead,Lead,לידים
 DocType: Email Digest,Payables,זכאי
 DocType: Course,Course Intro,קורס מבוא
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,מאגר כניסת {0} נוצרה
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,# השורה {0}: נדחו לא ניתן להזין כמות ברכישת חזרה
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,# השורה {0}: נדחו לא ניתן להזין כמות ברכישת חזרה
 ,Purchase Order Items To Be Billed,פריטים הזמנת רכש לחיוב
 DocType: Purchase Invoice Item,Net Rate,שיעור נטו
 DocType: Purchase Invoice Item,Purchase Invoice Item,לרכוש פריט החשבונית
@@ -914,7 +911,7 @@
 DocType: Global Defaults,Current Fiscal Year,שנת כספים נוכחית
 DocType: Purchase Invoice,Disable Rounded Total,"להשבית מעוגל סה""כ"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,הרשומות' לא יכולות להיות ריקות'
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},שורה כפולה {0} עם אותו {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},שורה כפולה {0} עם אותו {1}
 ,Trial Balance,מאזן בוחן
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,שנת כספים {0} לא נמצאה
 apps/erpnext/erpnext/config/hr.py +394,Setting up Employees,הגדרת עובדים
@@ -927,8 +924,8 @@
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +56,Item {0} must be a non-stock item,פריט {0} חייב להיות לפריט שאינו מוחזק במלאי
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,צפה לדג'ר
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,המוקדם
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","קבוצת פריט קיימת עם אותו שם, בבקשה לשנות את שם הפריט או לשנות את שם קבוצת הפריט"
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,שאר העולם
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","קבוצת פריט קיימת עם אותו שם, בבקשה לשנות את שם הפריט או לשנות את שם קבוצת הפריט"
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,שאר העולם
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,פריט {0} לא יכול להיות אצווה
 ,Budget Variance Report,תקציב שונות דווח
 DocType: Salary Slip,Gross Pay,חבילת גרוס
@@ -953,13 +950,12 @@
 DocType: GL Entry,Against Voucher,נגד שובר
 DocType: Item Default,Default Buying Cost Center,מרכז עלות רכישת ברירת מחדל
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","כדי לקבל את הטוב ביותר של ERPNext, אנו ממליצים שתיקחו קצת זמן ולצפות בקטעי וידאו עזרה אלה."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ל
 DocType: Supplier Quotation Item,Lead Time in days,עופרת זמן בימים
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,חשבונות לתשלום סיכום
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},אינך רשאי לערוך חשבון קפוא {0}
 DocType: Journal Entry,Get Outstanding Invoices,קבל חשבוניות מצטיינים
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +84,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",כמות הנפקה / ההעברה הכולל {0} ב בקשת חומר {1} \ לא יכולה להיות גדולה מ כמות מבוקשת {2} עבור פריט {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,קטן
 DocType: Education Settings,Employee Number,מספר עובדים
@@ -972,30 +968,30 @@
 DocType: Employee,Place of Issue,מקום ההנפקה
 DocType: Contract,Contract,חוזה
 DocType: Email Digest,Add Quote,להוסיף ציטוט
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},גורם coversion של אוני 'מישגן נדרש לאונים' מישגן: {0} בפריט: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},גורם coversion של אוני 'מישגן נדרש לאונים' מישגן: {0} בפריט: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,הוצאות עקיפות
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,שורת {0}: הכמות היא חובה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,שורת {0}: הכמות היא חובה
 DocType: Agriculture Analysis Criteria,Agriculture,חקלאות
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,המוצרים או השירותים שלך
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,מצב של תשלום
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,מדובר בקבוצת פריט שורש ולא ניתן לערוך.
 DocType: Journal Entry Account,Purchase Order,הזמנת רכש
 DocType: Warehouse,Warehouse Contact Info,מחסן פרטים ליצירת קשר
 DocType: Payment Entry,Write Off Difference Amount,מחיקת חוב סכום הפרש
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: דוא&quot;ל שכיר לא נמצא, ומכאן דוא&quot;ל לא נשלח"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: דוא&quot;ל שכיר לא נמצא, ומכאן דוא&quot;ל לא נשלח"
 DocType: Email Digest,Annual Income,הכנסה שנתית
 DocType: Serial No,Serial No Details,Serial No פרטים
 DocType: Purchase Invoice Item,Item Tax Rate,שיעור מס פריט
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","עבור {0}, רק חשבונות האשראי יכולים להיות מקושרים נגד כניסת חיוב נוספת"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,משלוח הערה {0} לא תוגש
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,משלוח הערה {0} לא תוגש
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,פריט {0} חייב להיות פריט-נדבק Sub
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,ציוד הון
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","כלל תמחור נבחר ראשון המבוססת על 'החל ב'שדה, אשר יכול להיות פריט, קבוצת פריט או מותג."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,סוג doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,"אחוז הוקצה סה""כ לצוות מכירות צריך להיות 100"
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,סוג doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,"אחוז הוקצה סה""כ לצוות מכירות צריך להיות 100"
 DocType: Sales Invoice Item,Edit Description,עריכת תיאור
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +39,For Supplier,לספקים
 DocType: Account,Setting Account Type helps in selecting this Account in transactions.,הגדרת סוג החשבון מסייעת בבחירת חשבון זה בעסקות.
@@ -1006,7 +1002,7 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","יכול להיות רק אחד משלוח כלל מצב עם 0 או ערך ריק עבור ""לשווי"""
 DocType: Bank Statement Transaction Settings Item,Transaction,עסקה
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,שים לב: מרכז עלות זו קבוצה. לא יכול לעשות רישומים חשבונאיים כנגד קבוצות.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,ילד מחסן קיים מחסן זה. אתה לא יכול למחוק את המחסן הזה.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ילד מחסן קיים מחסן זה. אתה לא יכול למחוק את המחסן הזה.
 DocType: Item,Website Item Groups,קבוצות פריט באתר
 DocType: Purchase Invoice,Total (Company Currency),סה&quot;כ (חברת מטבע)
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,מספר סידורי {0} נכנס יותר מפעם אחת
@@ -1014,7 +1010,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} פריטי התקדמות
 DocType: Workstation,Workstation Name,שם תחנת עבודה
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,"תקציר דוא""ל:"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} אינו שייך לפריט {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} אינו שייך לפריט {1}
 DocType: Sales Partner,Target Distribution,הפצת יעד
 DocType: Salary Slip,Bank Account No.,מס 'חשבון הבנק
 DocType: Naming Series,This is the number of the last created transaction with this prefix,זהו המספר של העסקה יצרה האחרונה עם קידומת זו
@@ -1027,7 +1023,7 @@
 apps/erpnext/erpnext/accounts/party.py +196,Please select a Company,אנא בחר חברה
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,זכות Leave
 DocType: Purchase Invoice,Supplier Invoice Date,תאריך חשבונית ספק
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,אתה צריך לאפשר סל קניות
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,אתה צריך לאפשר סל קניות
 DocType: Payment Entry,Writeoff,מחיקת חוב
 DocType: Appraisal Template Goal,Appraisal Template Goal,מטרת הערכת תבנית
 DocType: Salary Component,Earning,להרוויח
@@ -1037,7 +1033,7 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,חפיפה בין תנאים מצאו:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,נגד תנועת היומן {0} כבר תואם כמה שובר אחר
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,"ערך להזמין סה""כ"
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,מזון
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,מזון
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,טווח הזדקנות 3
 DocType: Maintenance Schedule Item,No of Visits,אין ביקורים
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},מטבע של חשבון הסגירה חייב להיות {0}
@@ -1070,7 +1066,7 @@
 DocType: Item,Maintain Stock,לשמור על המלאי
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,שינוי נטו בנכסים קבועים
 DocType: Leave Control Panel,Leave blank if considered for all designations,שאר ריק אם תיחשב לכל הכינויים
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מסוג 'בפועל' בשורת {0} אינו יכול להיות כלולים במחיר הפריט
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מסוג 'בפועל' בשורת {0} אינו יכול להיות כלולים במחיר הפריט
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},מקס: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,מDatetime
 DocType: Shopify Settings,For Company,לחברה
@@ -1079,8 +1075,8 @@
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +70,Buying Amount,סכום קנייה
 DocType: Sales Invoice,Shipping Address Name,שם כתובת למשלוח
 DocType: Material Request,Terms and Conditions Content,תוכן תנאים והגבלות
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,לא יכול להיות גדול מ 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,פריט {0} הוא לא פריט מניות
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,לא יכול להיות גדול מ 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,פריט {0} הוא לא פריט מניות
 DocType: Maintenance Visit,Unscheduled,לא מתוכנן
 DocType: Employee,Owned,בבעלות
 DocType: Salary Component,Depends on Leave Without Pay,תלוי בחופשה ללא תשלום
@@ -1099,7 +1095,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,כמות שלילית אינה מותרת
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",שולחן פירוט מס לכת מהפריט שני כמחרוזת ומאוחסן בתחום זה. משמש למסים וחיובים
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,עובד לא יכול לדווח לעצמו.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,עובד לא יכול לדווח לעצמו.
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","אם החשבון הוא קפוא, ערכים מותרים למשתמשים מוגבלים."
 DocType: Email Digest,Bank Balance,עובר ושב
 apps/erpnext/erpnext/accounts/party.py +269,Accounting Entry for {0}: {1} can only be made in currency: {2},חשבונאות כניסה עבור {0}: {1} יכול להתבצע רק במטבע: {2}
@@ -1115,8 +1111,8 @@
 DocType: Asset,Asset Name,שם נכס
 DocType: Shipping Rule Condition,To Value,לערך
 DocType: Asset Movement,Stock Manager,ניהול מלאי
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},מחסן המקור הוא חובה עבור שורת {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Slip אריזה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},מחסן המקור הוא חובה עבור שורת {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Slip אריזה
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,השכרת משרד
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,הגדרות שער SMS ההתקנה
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +61,Import Failed!,יבוא נכשל!
@@ -1138,7 +1134,7 @@
 DocType: Sales Invoice,Source,מקור
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,הצג סגור
 DocType: Leave Type,Is Leave Without Pay,האם חופשה ללא תשלום
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,קטגורית נכסים היא חובה עבור פריט רכוש קבוע
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,קטגורית נכסים היא חובה עבור פריט רכוש קבוע
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,לא נמצא רשומות בטבלת התשלום
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},{0} זו מתנגשת עם {1} עבור {2} {3}
 DocType: Student Attendance Tool,Students HTML,HTML סטודנטים
@@ -1164,9 +1160,9 @@
 DocType: Purchase Invoice,Select Shipping Address,כתובת משלוח בחר
 DocType: Leave Block List,Block Holidays on important days.,חגים בלוק בימים חשובים.
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +119,Accounts Receivable Summary,חשבונות חייבים סיכום
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,אנא הגדר שדה זיהוי משתמש בשיא לעובדים להגדיר תפקיד העובד
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,אנא הגדר שדה זיהוי משתמש בשיא לעובדים להגדיר תפקיד העובד
 DocType: UOM,UOM Name,שם של אוני 'מישגן
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,סכום תרומה
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,סכום תרומה
 DocType: Purchase Invoice,Shipping Address,כתובת למשלוח
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,כלי זה עוזר לך לעדכן או לתקן את הכמות והערכת שווי של המניה במערכת. הוא משמש בדרך כלל כדי לסנכרן את ערכי המערכת ומה בעצם קיים במחסנים שלך.
 DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,במילים יהיו גלוי לאחר שתשמרו את תעודת המשלוח.
@@ -1192,7 +1188,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},עלים שהוקצו בהצלחה עבור {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,אין פריטים לארוז
 DocType: Shipping Rule Condition,From Value,מערך
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,כמות ייצור היא תנאי הכרחית
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,כמות ייצור היא תנאי הכרחית
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","אם אפשרות זו מסומנת, בדף הבית יהיה בקבוצת פריט ברירת מחדל עבור האתר"
 DocType: Quality Inspection Reading,Reading 4,קריאת 4
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +97,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},# שורה {0}: תאריך עמילות {1} לא יכול להיות לפני תאריך המחאה {2}
@@ -1207,15 +1203,15 @@
 apps/erpnext/erpnext/utilities/activation.py +74,Make Quotation,הפוך הצעת מחיר
 apps/erpnext/erpnext/config/education.py +230,Other Reports,דוחות נוספים
 DocType: Dependent Task,Dependent Task,משימה תלויה
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},גורם המרה ליחידת ברירת מחדל של מדד חייב להיות 1 בשורה {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Leave מסוג {0} אינו יכול להיות ארוך מ- {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},גורם המרה ליחידת ברירת מחדל של מדד חייב להיות 1 בשורה {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Leave מסוג {0} אינו יכול להיות ארוך מ- {1}
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,נסה לתכנן פעולות לימי X מראש.
 DocType: HR Settings,Stop Birthday Reminders,Stop יום הולדת תזכורות
 DocType: SMS Center,Receiver List,מקלט רשימה
 DocType: Payment Schedule,Payment Amount,סכום תשלום
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,כמות הנצרכת
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,שינוי נטו במזומנים
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,יחידת מידת {0} כבר נכנסה יותר מפעם אחת בהמרת פקטור טבלה
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,יחידת מידת {0} כבר נכנסה יותר מפעם אחת בהמרת פקטור טבלה
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,הושלם כבר
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +64,Import Successful!,יבוא מוצלח!
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +35,Payment Request already exists {0},בקשת תשלום כבר קיימת {0}
@@ -1228,17 +1224,17 @@
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +496,From Date cannot be greater than To Date,מתאריך לא יכול להיות גדול יותר מאשר תאריך
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,לא {0} כמות סידורי {1} לא יכולה להיות חלק
 DocType: Purchase Order Item,Supplier Part Number,"ספק מק""ט"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,שער המרה לא יכול להיות 0 או 1
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} יבוטל או הפסיק
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,שער המרה לא יכול להיות 0 או 1
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} יבוטל או הפסיק
 DocType: Accounts Settings,Credit Controller,בקר אשראי
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,קבלת רכישת {0} לא תוגש
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,קבלת רכישת {0} לא תוגש
 DocType: Company,Default Payable Account,חשבון זכאים ברירת מחדל
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","הגדרות לעגלת קניות מקוונות כגון כללי משלוח, מחירון וכו '"
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% שחויבו
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,שמורות כמות
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,שמורות כמות
 DocType: Party Account,Party Account,חשבון המפלגה
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,משאבי אנוש
-DocType: Lead,Upper Income,עליון הכנסה
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,עליון הכנסה
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,לִדחוֹת
 DocType: Journal Entry Account,Debit in Company Currency,חיוב בחברת מטבע
 DocType: BOM Item,BOM Item,פריט BOM
@@ -1247,7 +1243,7 @@
 DocType: Company,Default Values,ערכי ברירת מחדל
 DocType: Expense Claim,Total Amount Reimbursed,הסכום כולל החזר
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py +87,{0} {1} created,{0} {1} נוצר
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},נגד ספק חשבונית {0} יום {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},נגד ספק חשבונית {0} יום {1}
 DocType: Customer,Default Price List,מחיר מחירון ברירת מחדל
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,שיא תנועת נכסים {0} נוצרו
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,אתה לא יכול למחוק את שנת הכספים {0}. שנת הכספים {0} מוגדרת כברירת מחדל ב הגדרות גלובליות
@@ -1256,7 +1252,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,שינוי נטו בחשבונות זכאים
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',לקוחות הנדרשים עבור 'דיסקונט Customerwise'
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,עדכון מועדי תשלום בנק עם כתבי עת.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,תמחור
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,תמחור
 DocType: Quotation,Term Details,פרטי טווח
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,לא יכול לרשום יותר מ {0} סטודנטים עבור קבוצת סטודנטים זה.
 DocType: Manufacturing Settings,Capacity Planning For (Days),תכנון קיבולת ל( ימים)
@@ -1287,17 +1283,17 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +18,Fulfillment,הַגשָׁמָה
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,הוצאות שיווק
 ,Item Shortage Report,דווח מחסור פריט
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","המשקל מוזכר, \ n להזכיר ""משקל של אוני 'מישגן"" מדי"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","המשקל מוזכר, \ n להזכיר ""משקל של אוני 'מישגן"" מדי"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,בקשת חומר המשמשת לייצור Stock רשומת זו
 apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,יחידה אחת של פריט.
 DocType: Fee Category,Fee Category,קטגורית דמים
 ,Student Fee Collection,אוסף דמי סטודנטים
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,הפוך חשבונאות כניסה לכל מנית תנועה
 DocType: Leave Allocation,Total Leaves Allocated,"סה""כ עלים מוקצבות"
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום
 DocType: Employee,Date Of Retirement,מועד הפרישה
 DocType: Upload Attendance,Get Template,קבל תבנית
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext ההתקנה הושלמה!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext ההתקנה הושלמה!
 DocType: Course Assessment Criteria,Weightage,Weightage
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +175,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"קבוצת לקוחות קיימת עם אותו שם, בבקשה לשנות את שם הלקוח או לשנות את שם קבוצת הלקוחות"
 apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,איש קשר חדש
@@ -1310,13 +1306,13 @@
 DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","אם פריט זה יש גרסאות, אז זה לא יכול להיות שנבחר בהזמנות וכו &#39;"
 DocType: Lead,Next Contact By,לתקשר בא על ידי
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},הכמות הנדרשת לפריט {0} בשורת {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},מחסן {0} לא ניתן למחוק ככמות קיימת עבור פריט {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},מחסן {0} לא ניתן למחוק ככמות קיימת עבור פריט {1}
 DocType: Blanket Order,Order Type,סוג להזמין
 ,Item-wise Sales Register,פריט חכם מכירות הרשמה
 DocType: Asset,Gross Purchase Amount,סכום רכישה גרוס
 DocType: Asset,Depreciation Method,שיטת הפחת
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,האם מס זה כלול ביסוד שיעור?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,"יעד סה""כ"
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,"יעד סה""כ"
 DocType: Job Applicant,Applicant for a Job,מועמד לעבודה
 DocType: Production Plan Material Request,Production Plan Material Request,בקשת חומר תכנית ייצור
 DocType: Stock Reconciliation,Reconciliation JSON,הפיוס JSON
@@ -1327,13 +1323,13 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 DocType: Naming Series,Set prefix for numbering series on your transactions,קידומת להגדיר למספור סדרה על העסקות שלך
 DocType: Employee Attendance Tool,Employees HTML,עובד HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,BOM ברירת המחדל ({0}) חייב להיות פעיל לפריט זה או התבנית שלה
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,BOM ברירת המחדל ({0}) חייב להיות פעיל לפריט זה או התבנית שלה
 DocType: Employee,Leave Encashed?,השאר Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,הזדמנות מ השדה היא חובה
 DocType: Item,Variants,גרסאות
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,הפוך הזמנת רכש
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,הפוך הזמנת רכש
 DocType: SMS Center,Send To,שלח אל
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},אין איזון חופשה מספיק לחופשת סוג {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},אין איזון חופשה מספיק לחופשת סוג {0}
 DocType: Payment Reconciliation Payment,Allocated amount,סכום שהוקצה
 DocType: Sales Team,Contribution to Net Total,"תרומה לנטו סה""כ"
 DocType: Sales Invoice Item,Customer's Item Code,קוד הפריט של הלקוח
@@ -1346,16 +1342,16 @@
 apps/erpnext/erpnext/config/hr.py +166,Appraisals,ערכות
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},לשכפל מספר סידורי נכנס לפריט {0}
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,תנאי עבור כלל משלוח
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,אנא להגדיר מסנן מבוסס על פריט או מחסן
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,אנא להגדיר מסנן מבוסס על פריט או מחסן
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),משקל נטו של חבילה זו. (מחושב באופן אוטומטי כסכום של משקל נטו של פריטים)
 DocType: Sales Order,To Deliver and Bill,לספק וביל
 DocType: GL Entry,Credit Amount in Account Currency,סכום אשראי במטבע חשבון
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} יש להגיש
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} יש להגיש
 DocType: Authorization Control,Authorization Control,אישור בקרה
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# השורה {0}: נדחה מחסן הוא חובה נגד פריט דחה {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,תשלום
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# השורה {0}: נדחה מחסן הוא חובה נגד פריט דחה {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,תשלום
 DocType: Work Order Operation,Actual Time and Cost,זמן ועלות בפועל
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},בקשת חומר של מקסימום {0} יכולה להתבצע עבור פריט {1} נגד להזמין מכירות {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},בקשת חומר של מקסימום {0} יכולה להתבצע עבור פריט {1} נגד להזמין מכירות {2}
 DocType: Course,Course Abbreviation,קיצור קורס
 DocType: Item,Will also apply for variants,תחול גם לגרסות
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +288,"Asset cannot be cancelled, as it is already {0}","נכסים לא ניתן לבטל, כפי שהוא כבר {0}"
@@ -1384,9 +1380,9 @@
 DocType: Leave Application,Apply / Approve Leaves,החל / אישור עלים
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"יכול להתייחס שורה רק אם סוג תשלום הוא 'בסכום הקודם שורה' או 'שורה סה""כ קודמת """
 DocType: Sales Order Item,Delivery Warehouse,מחסן אספקה
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,עץ מרכזי עלות הכספיים.
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,עץ מרכזי עלות הכספיים.
 DocType: Serial No,Delivery Document No,משלוח מסמך לא
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},אנא הגדירו &#39;החשבון רווח / הפסד בעת מימוש הנכסים בחברה {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},אנא הגדירו &#39;החשבון רווח / הפסד בעת מימוש הנכסים בחברה {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,לקבל פריטים מתקבולי הרכישה
 DocType: Serial No,Creation Date,תאריך יצירה
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +42,"Selling must be checked, if Applicable For is selected as {0}","מכירה חייבת להיבדק, אם לישים שנבחרה הוא {0}"
@@ -1399,7 +1395,7 @@
 DocType: Supplier,Supplier of Goods or Services.,ספק של מוצרים או שירותים.
 DocType: Budget,Fiscal Year,שנת כספים
 DocType: Budget,Budget,תקציב
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,פריט רכוש קבוע חייב להיות לפריט שאינו מוחזק במלאי.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,פריט רכוש קבוע חייב להיות לפריט שאינו מוחזק במלאי.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","תקציב לא ניתן להקצות כנגד {0}, כמו שזה לא חשבון הכנסה או הוצאה"
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,הושג
 apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,שטח / לקוחות
@@ -1410,7 +1406,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +73,Item {0} is not setup for Serial Nos. Check Item master,פריט {0} הוא לא התקנה למס סידורי. בדוק אדון פריט
 DocType: Maintenance Visit,Maintenance Time,תחזוקת זמן
 ,Amount to Deliver,הסכום לאספקת
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,היו שגיאות.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,היו שגיאות.
 DocType: Naming Series,Current Value,ערך נוכחי
 apps/erpnext/erpnext/controllers/accounts_controller.py +321,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,שנתי כספים מרובות קיימות במועד {0}. אנא להגדיר חברה בשנת הכספים
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +229,{0} created,{0} נוצר
@@ -1478,13 +1474,13 @@
 DocType: Delivery Note,Excise Page Number,בלו מספר העמוד
 DocType: Asset,Purchase Date,תאריך רכישה
 DocType: Student,Personal Details,פרטים אישיים
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},אנא הגדר &#39;מרכז עלות נכסי פחת&#39; ב חברת {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},אנא הגדר &#39;מרכז עלות נכסי פחת&#39; ב חברת {0}
 ,Maintenance Schedules,לוחות זמנים תחזוקה
 DocType: Task,Actual End Date (via Time Sheet),תאריך סיום בפועל (באמצעות גיליון זמן)
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +389,Amount {0} {1} against {2} {3},סכום {0} {1} נגד {2} {3}
 ,Quotation Trends,מגמות ציטוט
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},קבוצת פריט שלא צוינה באב פריט לפריט {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,חיוב החשבון חייב להיות חשבון חייבים
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,חיוב החשבון חייב להיות חשבון חייבים
 DocType: Shipping Rule,Shipping Amount,סכום משלוח
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,סכום תלוי ועומד
 DocType: Loyalty Program,Conversion Factor,המרת פקטור
@@ -1505,7 +1501,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.py +349,Abbr can not be blank or space,Abbr לא יכול להיות ריק או חלל
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,קבוצה לקבוצה ללא
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,ספורט
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,"סה""כ בפועל"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,"סה""כ בפועל"
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,יחידה
 apps/erpnext/erpnext/stock/get_item_details.py +157,Please specify Company,נא לציין את החברה
 ,Customer Acquisition and Loyalty,לקוחות רכישה ונאמנות
@@ -1522,10 +1518,10 @@
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},חשבון {0} אינו חוקי. מטבע חשבון חייב להיות {1}
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},גורם של אוני 'מישגן ההמרה נדרש בשורת {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד להזמין מכירות, חשבוניות מכירות או תנועת יומן"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד להזמין מכירות, חשבוניות מכירות או תנועת יומן"
 DocType: Salary Component,Deduction,ניכוי
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,שורת {0}: מעת לעת ו היא חובה.
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},מחיר הפריט נוסף עבור {0} ב מחירון {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},מחיר הפריט נוסף עבור {0} ב מחירון {1}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,נא להזין את עובדי זיהוי של איש מכירות זה
 DocType: Territory,Classification of Customers by region,סיווג של לקוחות מאזור לאזור
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +66,Difference Amount must be zero,סכום ההבדל חייב להיות אפס
@@ -1533,20 +1529,20 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +60,Please enter Production Item first,אנא ראשון להיכנס פריט הפקה
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,מאזן חשבון בנק מחושב
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,משתמשים נכים
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,הצעת מחיר
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,הצעת מחיר
 DocType: Salary Slip,Total Deduction,סך ניכוי
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +213,Cost Updated,עלות עדכון
 DocType: Inpatient Record,Date of Birth,תאריך לידה
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +136,Item {0} has already been returned,פריט {0} הוחזר כבר
 DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** שנת כספים ** מייצגת שנת כספים. כל הרישומים החשבונאיים ועסקות גדולות אחרות מתבצעים מעקב נגד שנת כספים ** **.
 DocType: Opportunity,Customer / Lead Address,לקוחות / כתובת לידים
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},אזהרה: תעודת SSL לא חוקית בקובץ מצורף {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},אזהרה: תעודת SSL לא חוקית בקובץ מצורף {0}
 DocType: Work Order Operation,Actual Operation Time,בפועל מבצע זמן
 DocType: Authorization Rule,Applicable To (User),כדי ישים (משתמש)
 DocType: Purchase Taxes and Charges,Deduct,לנכות
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,תיאור התפקיד
 DocType: Student Applicant,Applied,אפלייד
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-פתוח
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-פתוח
 DocType: Sales Invoice Item,Qty as per Stock UOM,כמות כמו לכל בורסה של אוני 'מישגן
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +139,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","תווים מיוחדים מלבד ""-"" ""."", ""#"", ו"" / ""אסור בשמות סדרה"
 DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","עקוב אחר מסעות פרסום מכירות. עקוב אחר הובלות, הצעות מחיר, להזמין מכירות וכו 'ממסעות הפרסום כדי לאמוד את ההחזר על השקעה."
@@ -1555,7 +1551,7 @@
 DocType: Appraisal,Calculate Total Score,חישוב ציון הכולל
 DocType: Asset Repair,Manufacturing Manager,ייצור מנהל
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},מספר סידורי {0} הוא תחת אחריות upto {1}
-apps/erpnext/erpnext/hooks.py +114,Shipments,משלוחים
+apps/erpnext/erpnext/hooks.py +115,Shipments,משלוחים
 DocType: Payment Entry,Total Allocated Amount (Company Currency),הסכום כולל שהוקצה (חברת מטבע)
 DocType: Purchase Order Item,To be delivered to customer,שיימסר ללקוח
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +243,Serial No {0} does not belong to any Warehouse,מספר סידורי {0} אינו שייך לכל מחסן
@@ -1572,7 +1568,7 @@
 DocType: Email Digest,Note: Email will not be sent to disabled users,הערה: דואר אלקטרוני לא יישלח למשתמשים בעלי מוגבלויות
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,בחר חברה ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,שאר ריק אם תיחשב לכל המחלקות
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} הוא חובה עבור פריט {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} הוא חובה עבור פריט {1}
 DocType: Currency Exchange,From Currency,ממטבע
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +171,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","אנא בחר סכום שהוקצה, סוג החשבונית וחשבונית מספר בatleast שורה אחת"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +143,Cost of New Purchase,עלות רכישה חדשה
@@ -1619,8 +1615,8 @@
 DocType: C-Form,Received Date,תאריך קבלה
 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","אם יצרת תבנית סטנדרטית בתבנית מסים מכירות וחיובים, בחר אחד ולחץ על הכפתור למטה."
 DocType: Stock Entry,Total Incoming Value,"ערך הנכנס סה""כ"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,חיוב נדרש
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,מחיר מחירון רכישה
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,חיוב נדרש
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,מחיר מחירון רכישה
 DocType: Job Offer Term,Offer Term,טווח הצעה
 DocType: Asset,Quality Manager,מנהל איכות
 DocType: Job Applicant,Job Opening,פתיחת עבודה
@@ -1630,8 +1626,8 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +231,Total Invoiced Amt,"סה""כ חשבונית Amt"
 DocType: Cashier Closing,To Time,לעת
 DocType: Authorization Rule,Approving Role (above authorized value),אישור תפקיד (מעל הערך מורשה)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,אשראי לחשבון חייב להיות חשבון לתשלום
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},רקורסיה BOM: {0} אינה יכולה להיות הורה או ילד של {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,אשראי לחשבון חייב להיות חשבון לתשלום
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},רקורסיה BOM: {0} אינה יכולה להיות הורה או ילד של {2}
 DocType: Work Order Operation,Completed Qty,כמות שהושלמה
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","עבור {0}, רק חשבונות החיוב יכולים להיות מקושרים נגד כניסת אשראי אחרת"
 DocType: Manufacturing Settings,Allow Overtime,לאפשר שעות נוספות
@@ -1652,7 +1648,7 @@
 DocType: Shipping Rule,example: Next Day Shipping,דוגמא: משלוח היום הבא
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,מספר סידורי {0} לא נמצאו
 DocType: Fee Schedule Program,Student Batch,יצווה סטודנטים
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},הוזמנת לשתף פעולה על הפרויקט: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},הוזמנת לשתף פעולה על הפרויקט: {0}
 DocType: Leave Block List Date,Block Date,תאריך בלוק
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html +70,Apply Now,החל עכשיו
 DocType: Sales Order,Not Delivered,לא נמסר
@@ -1680,23 +1676,23 @@
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,קבע כסגור
 apps/erpnext/erpnext/stock/get_item_details.py +146,No Item with Barcode {0},אין פריט ברקוד {0}
 DocType: Item,Show a slideshow at the top of the page,הצג מצגת בחלק העליון של הדף
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,חנויות
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,חנויות
 DocType: Project Type,Projects Manager,מנהל פרויקטים
 DocType: Serial No,Delivery Time,זמן אספקה
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,הזדקנות המבוסס על
 DocType: Item,End of Life,סוף החיים
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,נסיעות
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,אין מבנה פעיל או שכר מחדל נמצא עבור עובד {0} לתאריכים הנתונים
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,נסיעות
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,אין מבנה פעיל או שכר מחדל נמצא עבור עובד {0} לתאריכים הנתונים
 DocType: Leave Block List,Allow Users,אפשר למשתמשים
 DocType: Purchase Order,Customer Mobile No,לקוחות ניידים לא
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,עקוב אחר הכנסות והוצאות נפרדות לאנכי מוצר או חטיבות.
 DocType: Rename Tool,Rename Tool,שינוי שם כלי
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,עלות עדכון
 DocType: Item Reorder,Item Reorder,פריט סידור מחדש
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,העברת חומר
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,העברת חומר
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ציין את הפעולות, עלויות הפעלה ולתת מבצע ייחודי לא לפעולות שלך."
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,מסמך זה חורג מהמגבלה על ידי {0} {1} עבור פריט {4}. האם אתה גורם אחר {3} נגד אותו {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,אנא קבע חוזר לאחר השמירה
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,אנא קבע חוזר לאחר השמירה
 DocType: Purchase Invoice,Price List Currency,מטבע מחירון
 DocType: Naming Series,User must always select,משתמש חייב תמיד לבחור
 DocType: Stock Settings,Allow Negative Stock,אפשר מלאי שלילי
@@ -1710,24 +1706,24 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +31,Earnest Money,דְמֵי קְדִימָה
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,עקיב
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),מקור הכספים (התחייבויות)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},כמות בשורת {0} ({1}) חייבת להיות זהה לכמות שיוצרה {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},כמות בשורת {0} ({1}) חייבת להיות זהה לכמות שיוצרה {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,עובד
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +276,{0} {1} is fully billed,{0} {1} מחויב באופן מלא
 DocType: Payment Entry,Payment Deductions or Loss,ניכויי תשלום או פסד
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,תנאי חוזה סטנדרטי למכירות או רכש.
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,צינור מכירות
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,צינור מכירות
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,הנדרש על
 DocType: Rename Tool,File to Rename,קובץ לשינוי השם
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},אנא בחר BOM עבור פריט בטור {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},BOM צוין {0} אינו קיימת עבור פריט {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},BOM צוין {0} אינו קיימת עבור פריט {1}
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,לוח זמנים תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה
 DocType: Notification Control,Expense Claim Approved,תביעת הוצאות שאושרה
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,תלוש משכורת של עובד {0} נוצר כבר בתקופה זו
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,תלוש משכורת של עובד {0} נוצר כבר בתקופה זו
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,תרופות
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,עלות של פריטים שנרכשו
 DocType: Selling Settings,Sales Order Required,סדר הנדרש מכירות
 DocType: Purchase Invoice,Credit To,אשראי ל
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,לידים פעילים / לקוחות
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,לידים פעילים / לקוחות
 DocType: Employee Education,Post Graduate,הודעה בוגר
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,פרט לוח זמנים תחזוקה
 DocType: Quality Inspection Reading,Reading 9,קריאת 9
@@ -1738,7 +1734,7 @@
 DocType: Upload Attendance,Attendance To Date,נוכחות לתאריך
 DocType: Warranty Claim,Raised By,הועלה על ידי
 DocType: Payment Gateway Account,Payment Account,חשבון תשלומים
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,נא לציין את חברה כדי להמשיך
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,נא לציין את חברה כדי להמשיך
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,שינוי נטו בחשבונות חייבים
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Off המפצה
 DocType: Job Offer,Accepted,קיבלתי
@@ -1746,11 +1742,11 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,אנא ודא שאתה באמת רוצה למחוק את כל העסקות לחברה זו. נתוני אביך יישארו כפי שהוא. לא ניתן לבטל פעולה זו.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,תוצאות חיפוש
 DocType: Room,Room Number,מספר חדר
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},התייחסות לא חוקית {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},התייחסות לא חוקית {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) לא יכול להיות גדול יותר מquanitity המתוכנן ({2}) בהפקה להזמין {3}
 DocType: Shipping Rule,Shipping Rule Label,תווית כלל משלוח
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,חומרי גלם לא יכולים להיות ריקים.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח."
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +533,Quick Journal Entry,מהיר יומן
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +244,You can not change rate if BOM mentioned agianst any item,אתה לא יכול לשנות את השיעור אם BOM ציינו agianst כל פריט
 DocType: Employee,Previous Work Experience,ניסיון בעבודה קודם
@@ -1768,11 +1764,11 @@
 DocType: Authorization Rule,Authorized Value,ערך מורשה
 ,Minutes to First Response for Opportunity,דקות תגובה ראשונה הזדמנות
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,"סה""כ נעדר"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,פריט או מחסן לשורת {0} אינו תואם בקשת חומר
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,פריט או מחסן לשורת {0} אינו תואם בקשת חומר
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,יְחִידַת מִידָה
 DocType: Fiscal Year,Year End Date,תאריך סיום שנה
 DocType: Task Depends On,Task Depends On,המשימה תלויה ב
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,הזדמנות
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,הזדמנות
 DocType: Operation,Default Workstation,Workstation ברירת המחדל
 DocType: Notification Control,Expense Claim Approved Message,הודעת תביעת הוצאות שאושרה
 DocType: Payment Entry,Deductions or Loss,ניכויים או הפסד
@@ -1796,9 +1792,9 @@
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),מחיר בסיס (ליחידת מידה)
 DocType: SMS Log,No of Requested SMS,לא של SMS המבוקש
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,הצעדים הבאים
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,נא למלא את הסעיפים המפורטים בשיעורים הטובים ביותר האפשריים
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,נא למלא את הסעיפים המפורטים בשיעורים הטובים ביותר האפשריים
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,הפוך חשבונית
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,תאריך סיום חוזה חייב להיות גדול מ תאריך ההצטרפות
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,תאריך סיום חוזה חייב להיות גדול מ תאריך ההצטרפות
 DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,/ סוחר / סוכן / שותפים / משווק עמלת מפיץ הצד שלישי שמוכר את המוצרים עבור חברות בועדה.
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +412,{0} against Purchase Order {1},{0} נגד הזמנת רכש {1}
 DocType: Task,Actual Start Date (via Time Sheet),תאריך התחלה בפועל (באמצעות גיליון זמן)
@@ -1834,7 +1830,7 @@
 DocType: Payment Reconciliation,Bank / Cash Account,חשבון בנק / מזומנים
 DocType: Tax Rule,Billing City,עיר חיוב
 DocType: Global Defaults,Hide Currency Symbol,הסתר סמל מטבע
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","למשל בנק, מזומן, כרטיס אשראי"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","למשל בנק, מזומן, כרטיס אשראי"
 DocType: Journal Entry,Credit Note,כְּתַב זְכוּיוֹת
 DocType: Warranty Claim,Service Address,כתובת שירות
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Furnitures and Fixtures,ריהוט ואבזרים
@@ -1896,15 +1892,15 @@
 apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +43,Disabled template must not be default template,תבנית לנכים אסור להיות תבנית ברירת המחדל
 DocType: Account,Income Account,חשבון הכנסות
 DocType: Payment Request,Amount in customer's currency,הסכום במטבע של הלקוח
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,משלוח
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,משלוח
 DocType: Stock Reconciliation Item,Current Qty,כמות נוכחית
 DocType: Appraisal Goal,Key Responsibility Area,פינת אחריות מפתח
 DocType: Payment Entry,Total Allocated Amount,סכום כולל שהוקצה
 DocType: Item Reorder,Material Request Type,סוג בקשת חומר
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,שורת {0}: יחידת מידת המרת פקטור הוא חובה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,שורת {0}: יחידת מידת המרת פקטור הוא חובה
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,"נ""צ"
 DocType: Budget,Cost Center,מרכז עלות
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,# שובר
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,# שובר
 DocType: Notification Control,Purchase Order Message,הזמנת רכש Message
 DocType: Tax Rule,Shipping Country,מדינה משלוח
 DocType: Upload Attendance,Upload HTML,ההעלאה HTML
@@ -1916,11 +1912,11 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +75,Income Tax,מס הכנסה
 apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,צפייה בלידים לפי סוג התעשייה.
 DocType: Item Supplier,Item Supplier,ספק פריט
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},אנא בחר ערך עבור {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},אנא בחר ערך עבור {0} quotation_to {1}
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,כל הכתובות.
 DocType: Company,Stock Settings,הגדרות מניות
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","המיזוג אפשרי רק אם המאפיינים הבאים הם זהים בשני רשומות. האם קבוצה, סוג רוט, חברה"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","המיזוג אפשרי רק אם המאפיינים הבאים הם זהים בשני רשומות. האם קבוצה, סוג רוט, חברה"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,רווח / הפסד בעת מימוש נכסים
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ניהול קבוצת לקוחות עץ.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,שם מרכז העלות חדש
@@ -1948,13 +1944,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +174,Large,גדול
 DocType: Homepage Featured Product,Homepage Featured Product,מוצרי דף בית מומלצים
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,שם מחסן חדש
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),סה&quot;כ {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),סה&quot;כ {0} ({1})
 DocType: C-Form Invoice Detail,Territory,שטח
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,נא לציין אין ביקורים הנדרשים
 DocType: Stock Settings,Default Valuation Method,שיטת הערכת ברירת מחדל
 DocType: Work Order Operation,Planned Start Time,מתוכנן זמן התחלה
 DocType: Payment Entry Reference,Allocated,הוקצה
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,גיליון קרוב מאזן ורווח או הפסד ספר.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,גיליון קרוב מאזן ורווח או הפסד ספר.
 DocType: Student Applicant,Application Status,סטטוס של יישום
 DocType: Fees,Fees,אגרות
 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ציין שער חליפין להמיר מטבע אחד לעוד
@@ -2011,10 +2007,10 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,פריט אחד atleast יש להזין עם כמות שלילית במסמך התמורה
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","מבצע {0} יותר מכל שעות עבודה זמינות בתחנת העבודה {1}, לשבור את הפעולה לפעולות מרובות"
 ,Requested,ביקשתי
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,אין הערות
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,אין הערות
 DocType: Purchase Invoice,Overdue,איחור
 DocType: Account,Stock Received But Not Billed,המניה התקבלה אבל לא חויבה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,חשבון שורש חייב להיות קבוצה
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,חשבון שורש חייב להיות קבוצה
 DocType: Item,Total Projected Qty,כללית המתוכננת כמות
 DocType: Monthly Distribution,Distribution Name,שם הפצה
 DocType: Course,Course Code,קוד קורס
@@ -2024,13 +2020,13 @@
 apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,ניהול עץ טריטוריה.
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,חשבונית מכירות
 DocType: Journal Entry Account,Party Balance,מאזן המפלגה
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,אנא בחר החל דיסקונט ב
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,אנא בחר החל דיסקונט ב
 DocType: Company,Default Receivable Account,חשבון חייבים ברירת מחדל
 DocType: Stock Entry,Material Transfer for Manufacture,העברת חומר לייצור
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,אחוז הנחה יכול להיות מיושם גם נגד מחיר מחירון או לכל רשימת המחיר.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,כניסה לחשבונאות במלאי
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,כניסה לחשבונאות במלאי
 DocType: Sales Invoice,Sales Team1,Team1 מכירות
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,פריט {0} אינו קיים
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,פריט {0} אינו קיים
 DocType: Sales Invoice,Customer Address,כתובת הלקוח
 DocType: Purchase Invoice,Apply Additional Discount On,החל נוסף דיסקונט ב
 DocType: Account,Root Type,סוג השורש
@@ -2039,18 +2035,18 @@
 DocType: Item Group,Show this slideshow at the top of the page,הצג מצגת זו בחלק העליון של הדף
 DocType: BOM,Item UOM,פריט של אוני 'מישגן
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),סכום מס לאחר סכום דיסקונט (חברת מטבע)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},מחסן היעד הוא חובה עבור שורת {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},מחסן היעד הוא חובה עבור שורת {0}
 DocType: Cheque Print Template,Primary Settings,הגדרות ראשיות
 DocType: Purchase Invoice,Select Supplier Address,כתובת ספק בחר
 DocType: Purchase Invoice Item,Quality Inspection,איכות פיקוח
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,קטן במיוחד
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,אזהרה: חומר המבוקש כמות הוא פחות מלהזמין כמות מינימאלית
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,אזהרה: חומר המבוקש כמות הוא פחות מלהזמין כמות מינימאלית
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,חשבון {0} הוא קפוא
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ישות / בת משפטית עם תרשים נפרד של חשבונות השייכים לארגון.
 DocType: Payment Request,Mute Email,דוא&quot;ל השתקה
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","מזון, משקאות וטבק"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},יכול רק לבצע את התשלום כנגד סרק {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,שיעור עמלה לא יכול להיות גדול מ -100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},יכול רק לבצע את התשלום כנגד סרק {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,שיעור עמלה לא יכול להיות גדול מ -100
 DocType: Buying Settings,Subcontract,בקבלנות משנה
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,נא להזין את {0} הראשון
 DocType: Work Order Operation,Actual End Time,בפועל שעת סיום
@@ -2067,14 +2063,14 @@
 apps/erpnext/erpnext/controllers/accounts_controller.py +601,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),מראש סה&quot;כ ({0}) נגד להזמין {1} לא יכול להיות גדול יותר מהסך כולל ({2})
 DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,בחר בחתך חודשי להפיץ בצורה לא אחידה על פני מטרות חודשים.
 DocType: Purchase Invoice Item,Valuation Rate,שערי הערכת שווי
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,מטבע מחירון לא נבחר
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,מטבע מחירון לא נבחר
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,תאריך התחלת פרויקט
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +36,Until,עד
 DocType: Rename Tool,Rename Log,שינוי שם התחבר
 DocType: Maintenance Visit Purpose,Against Document No,נגד מסמך לא
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ניהול שותפי מכירות.
 DocType: Quality Inspection,Inspection Type,סוג הפיקוח
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,מחסן עם עסקה קיימת לא ניתן להמיר לקבוצה.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,מחסן עם עסקה קיימת לא ניתן להמיר לקבוצה.
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},אנא בחר {0}
 DocType: C-Form,C-Form No,C-טופס לא
 DocType: BOM,Exploded_items,Exploded_items
@@ -2084,8 +2080,8 @@
 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,שם או דוא&quot;ל הוא חובה
 DocType: Purchase Order Item,Returned Qty,כמות חזר
 DocType: Student,Exit,יציאה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,סוג השורש הוא חובה
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,מספר סידורי {0} נוצר
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,סוג השורש הוא חובה
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,מספר סידורי {0} נוצר
 DocType: Homepage,Company Description for website homepage,תיאור החברה עבור הבית של האתר
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","לנוחות לקוחות, ניתן להשתמש בקודים אלה בפורמטי הדפסה כמו הערות חשבוניות ומשלוח"
 DocType: Sales Invoice,Time Sheet List,רשימת גיליון זמן
@@ -2101,16 +2097,16 @@
 apps/erpnext/erpnext/config/selling.py +308,Logs for maintaining sms delivery status,יומנים לשמירה על סטטוס משלוח SMS
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,פעילויות ממתינות ל
 DocType: Fee Component,Fees Category,קטגורית אגרות
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,נא להזין את הקלת מועד.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,נא להזין את הקלת מועד.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"הזן את השם של מסע פרסום, אם המקור של החקירה הוא קמפיין"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +38,Newspaper Publishers,מוציאים לאור עיתון
 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,בחר שנת כספים
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,הזמנה חוזרת רמה
 DocType: Attendance,Attendance Date,תאריך נוכחות
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},מחיר הפריט עודכן עבור {0} ב מחירון {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},מחיר הפריט עודכן עבור {0} ב מחירון {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,פרידה שכר על בסיס צבירה וניכוי.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,חשבון עם בלוטות ילד לא יכול להיות מומר לדג'ר
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,חשבון עם בלוטות ילד לא יכול להיות מומר לדג'ר
 DocType: Purchase Invoice Item,Accepted Warehouse,מחסן מקובל
 DocType: Bank Reconciliation Detail,Posting Date,תאריך פרסום
 DocType: Item,Valuation Method,שיטת הערכת שווי
@@ -2153,7 +2149,7 @@
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,תבנית של מונחים או חוזה.
 DocType: Bank Account,Address and Contact,כתובת ולתקשר
 DocType: Cheque Print Template,Is Account Payable,האם חשבון זכאי
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},מניות יכולות להיות לא מעודכנות נגד קבלת רכישת {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},מניות יכולות להיות לא מעודכנות נגד קבלת רכישת {0}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","לעזוב לא יכול להיות מוקצה לפני {0}, כאיזון חופשה כבר היה בשיא הקצאת חופשת העתיד יועבר לשאת {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),הערה: תאריך יעד / הפניה עולה ימי אשראי ללקוחות מותר על ידי {0} יום (ים)
 apps/erpnext/erpnext/education/doctype/program/program.js +8,Student Applicant,סטודנט המבקש
@@ -2164,17 +2160,17 @@
 DocType: Activity Cost,Billing Rate,דרג חיוב
 ,Qty to Deliver,כמות לאספקה
 ,Stock Analytics,ניתוח מלאי
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק
 DocType: Maintenance Visit Purpose,Against Document Detail No,נגד פרט מסמך לא
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +111,Party Type is mandatory,סוג המפלגה הוא חובה
 DocType: Quality Inspection,Outgoing,יוצא
 DocType: Material Request,Requested For,ביקש ל
 DocType: Quotation Item,Against Doctype,נגד Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} יבוטל או סגור
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} יבוטל או סגור
 DocType: Delivery Note,Track this Delivery Note against any Project,עקוב אחר תעודת משלוח זה נגד כל פרויקט
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,מזומנים נטו מהשקעות
 DocType: Work Order,Work-in-Progress Warehouse,עבודה ב-התקדמות מחסן
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,נכסים {0} יש להגיש
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,נכסים {0} יש להגיש
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},# התייחסות {0} יום {1}
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +179,Depreciation Eliminated due to disposal of assets,פחת הודחה בשל מימוש נכסים
 apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,ניהול כתובות
@@ -2182,7 +2178,7 @@
 DocType: Serial No,Warranty / AMC Details,אחריות / AMC פרטים
 DocType: Journal Entry,User Remark,הערה משתמש
 DocType: Lead,Market Segment,פלח שוק
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},הסכום ששולם לא יכול להיות גדול מ מלוא יתרת חוב שלילי {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},הסכום ששולם לא יכול להיות גדול מ מלוא יתרת חוב שלילי {0}
 DocType: Employee Internal Work History,Employee Internal Work History,העובד פנימי היסטוריה עבודה
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),"סגירה (ד""ר)"
 DocType: Cheque Print Template,Cheque Size,גודל מחאה
@@ -2202,29 +2198,30 @@
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,קבל עדכונים
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,בקשת חומר {0} בוטלה או נעצרה
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,השאר ניהול
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,קבוצות
 DocType: Sales Order,Fully Delivered,נמסר באופן מלא
-DocType: Lead,Lower Income,הכנסה נמוכה
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},מקור ומחסן היעד אינו יכולים להיות זהים לשורה {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,הכנסה נמוכה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},מקור ומחסן היעד אינו יכולים להיות זהים לשורה {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","חשבון הבדל חייב להיות חשבון סוג הנכס / התחייבות, מאז מניית הפיוס הזה הוא כניסת פתיחה"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},לרכוש מספר ההזמנה נדרש לפריט {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""מתאריך"" חייב להיות לאחר 'עד תאריך'"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +39,Cannot change status as student {0} is linked with student application {1},לא ניתן לשנות את מצב כמו סטודנט {0} הוא מקושר עם יישום סטודנט {1}
 DocType: Asset,Fully Depreciated,לגמרי מופחת
 ,Stock Projected Qty,המניה צפויה כמות
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},לקוח {0} אינו שייכים לפרויקט {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},לקוח {0} אינו שייכים לפרויקט {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,HTML נוכחות ניכרת
 DocType: Sales Invoice,Customer's Purchase Order,הלקוח הזמנת הרכש
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,אין ו אצווה סידורי
 DocType: Warranty Claim,From Company,מחברה
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +198,Please set Number of Depreciations Booked,אנא להגדיר מספר הפחת הוזמן
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,ערך או כמות
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,הזמנות הפקות לא ניתן להעלות על:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,הזמנות הפקות לא ניתן להעלות על:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,דקות
 DocType: Purchase Invoice,Purchase Taxes and Charges,לרכוש מסים והיטלים
 ,Qty to Receive,כמות לקבלת
 DocType: Leave Block List,Leave Block List Allowed,השאר בלוק רשימת מחמד
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,מחסן כל
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,אשראי לחשבון חייב להיות חשבון מאזן
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,אשראי לחשבון חייב להיות חשבון מאזן
 DocType: Global Defaults,Disable In Words,שבת במילות
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"קוד פריט חובה, כי הפריט לא ממוספר באופן אוטומטי"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},ציטוט {0} לא מסוג {1}
@@ -2234,7 +2231,7 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,הפוך שכר Slip
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,העיון BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,הלוואות מובטחות
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},אנא להגדיר חשבונות הקשורים פחת קטגוריה Asset {0} או החברה {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},אנא להגדיר חשבונות הקשורים פחת קטגוריה Asset {0} או החברה {1}
 DocType: Academic Term,Academic Year,שנה אקדמית
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +179,Opening Balance Equity,הון עצמי יתרה פתיחה
 DocType: Contract,CRM,CRM
@@ -2248,7 +2245,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,אישור התפקיד לא יכול להיות זהה לתפקיד השלטון הוא ישים
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,לבטל את המנוי לדוא&quot;ל זה תקציר
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,הודעה נשלחה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,חשבון עם בלוטות ילד לא ניתן להגדיר כחשבונות
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,חשבון עם בלוטות ילד לא ניתן להגדיר כחשבונות
 DocType: C-Form,II,שני
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,קצב שבו רשימת מחיר המטבע מומר למטבע הבסיס של הלקוח
 DocType: Purchase Invoice Item,Net Amount (Company Currency),סכום נטו (חברת מטבע)
@@ -2258,7 +2255,7 @@
 DocType: Work Order,Material Transferred for Manufacturing,חומר הועבר לייצור
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,חשבון {0} אינו קיים
 DocType: Project,Project Type,סוג פרויקט
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,כך או סכום כמות היעד או המטרה הוא חובה.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,כך או סכום כמות היעד או המטרה הוא חובה.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,עלות של פעילויות שונות
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","הגדרת אירועים ל {0}, מאז עובד מצורף להלן אנשים מכירים אין זיהוי משתמש {1}"
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +163,Source and target warehouse must be different,המקור ומחסן היעד חייב להיות שונים
@@ -2290,9 +2287,9 @@
 apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,להוביל להצעת המחיר
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,שום דבר לא יותר להראות.
 DocType: Lead,From Customer,מלקוחות
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,שיחות
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,שיחות
 DocType: Purchase Order Item Supplied,Stock UOM,המניה של אוני 'מישגן
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,הזמנת רכש {0} לא תוגש
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,הזמנת רכש {0} לא תוגש
 apps/erpnext/erpnext/stock/doctype/item/item.js +41,Projected,צפוי
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +233,Serial No {0} does not belong to Warehouse {1},מספר סידורי {0} אינו שייך למחסן {1}
 apps/erpnext/erpnext/controllers/status_updater.py +180,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,הערה: מערכת לא תבדוק על-אספקה ועל-הזמנה לפריט {0} ככמות או כמות היא 0
@@ -2304,7 +2301,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +177,Account Type for {0} must be {1},סוג חשבון עבור {0} חייב להיות {1}
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,עלים וחג
 DocType: Sales Order,Not Billed,לא חויב
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,שניהם המחסן חייב להיות שייך לאותה חברה
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,שניהם המחסן חייב להיות שייך לאותה חברה
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,אין אנשי קשר הוסיפו עדיין.
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,הסכום שובר עלות נחתה
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,הצעות חוק שהועלה על ידי ספקים.
@@ -2319,13 +2316,13 @@
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.js +3,Student Group,סטודנט קבוצה
 DocType: Shopping Cart Settings,Quotation Series,סדרת ציטוט
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","פריט קיים באותו שם ({0}), בבקשה לשנות את שם קבוצת פריט או לשנות את שם הפריט"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,אנא בחר לקוח
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,אנא בחר לקוח
 DocType: C-Form,I,אני
 DocType: Company,Asset Depreciation Cost Center,מרכז עלות פחת נכסים
 DocType: Production Plan Sales Order,Sales Order Date,תאריך הזמנת מכירות
 DocType: Sales Invoice Item,Delivered Qty,כמות נמסרה
 ,Payment Period Based On Invoice Date,תקופת תשלום מבוסס בתאריך החשבונית
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},שערי חליפין מטבע חסר עבור {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},שערי חליפין מטבע חסר עבור {0}
 DocType: Assessment Plan,Examiner,בּוֹחֵן
 DocType: Journal Entry,Stock Entry,פריט מלאי
 DocType: Payment Entry,Payment References,הפניות תשלום
@@ -2356,8 +2353,8 @@
 DocType: Patient,Marital Status,מצב משפחתי
 DocType: Stock Settings,Auto Material Request,בקשת Auto חומר
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,כמות אצווה זמינה ממחסן
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM הנוכחי והחדש BOM אינו יכולים להיות זהים
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,מועד הפרישה חייב להיות גדול מ תאריך ההצטרפות
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM הנוכחי והחדש BOM אינו יכולים להיות זהים
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,מועד הפרישה חייב להיות גדול מ תאריך ההצטרפות
 DocType: Sales Invoice,Against Income Account,נגד חשבון הכנסות
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% נמסר
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +106,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,פריט {0}: כמות מסודרת {1} לא יכול להיות פחות מכמות הזמנה מינימאלית {2} (מוגדר בסעיף).
@@ -2375,7 +2372,7 @@
 DocType: POS Profile,Update Stock,בורסת עדכון
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"אוני 'מישגן שונה עבור פריטים יובילו לערך השגוי (סה""כ) נקי במשקל. ודא שמשקל נטו של כל פריט הוא באותו אוני 'מישגן."
 DocType: Certification Application,Payment Details,פרטי תשלום
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM שערי
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM שערי
 DocType: Asset,Journal Entry for Scrap,תנועת יומן עבור גרוטאות
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,אנא למשוך פריטים מתעודת המשלוח
 apps/erpnext/erpnext/accounts/utils.py +496,Journal Entries {0} are un-linked,"תנועות היומן {0} הם לא צמוד,"
@@ -2392,12 +2389,12 @@
 DocType: Asset Maintenance Log,Task,משימה
 DocType: Purchase Taxes and Charges,Reference Row #,# ההתייחסות Row
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},מספר אצווה הוא חובה עבור פריט {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,זה איש מכירות שורש ולא ניתן לערוך.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,זה איש מכירות שורש ולא ניתן לערוך.
 ,Stock Ledger,יומן מלאי
 apps/erpnext/erpnext/templates/includes/cart/cart_items.html +29,Rate: {0},שיעור: {0}
 DocType: Company,Exchange Gain / Loss Account,Exchange רווח / והפסד
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,עובד ונוכחות
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},למטרה צריך להיות אחד {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},למטרה צריך להיות אחד {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,מלא את הטופס ולשמור אותו
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,פורום הקהילה
 DocType: Leave Application,Leave Balance Before Application,השאר מאזן לפני היישום
@@ -2408,7 +2405,7 @@
 DocType: Hotel Room Amenity,Billable,לחיוב
 DocType: Lab Test Template,Standard Selling Rate,מכירה אחידה דרג
 DocType: Account,Rate at which this tax is applied,קצב שבו מס זה מיושם
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,סדר מחדש כמות
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,סדר מחדש כמות
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,משרות נוכחיות
 DocType: Company,Stock Adjustment Account,חשבון התאמת מלאי
 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,לכתוב את
@@ -2432,15 +2429,15 @@
 DocType: Serial No,Out of AMC,מתוך AMC
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,מספר הפחת הוזמן לא יכול להיות גדול ממספרם הכולל של פחת
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,הפוך תחזוקה בקר
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,אנא צור קשר עם למשתמש שיש לי מכירות Master מנהל {0} תפקיד
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,אנא צור קשר עם למשתמש שיש לי מכירות Master מנהל {0} תפקיד
 DocType: Company,Default Cash Account,חשבון מזומנים ברירת מחדל
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,אדון חברה (לא לקוח או ספק).
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,זה מבוסס על הנוכחות של תלמיד זה
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,תוכלו להוסיף עוד פריטים או מלא טופס פתוח
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,תעודות משלוח {0} יש לבטל לפני ביטול הזמנת מכירות זה
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,הסכום ששולם + לכתוב את הסכום לא יכול להיות גדול יותר מסך כולל
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,הסכום ששולם + לכתוב את הסכום לא יכול להיות גדול יותר מסך כולל
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} הוא לא מספר אצווה תקף לפריט {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},הערה: אין איזון חופשה מספיק לחופשת סוג {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},הערה: אין איזון חופשה מספיק לחופשת סוג {0}
 DocType: Program Enrollment Fee,Program Enrollment Fee,הרשמה לתכנית דמים
 DocType: Item,Supplier Items,פריטים ספק
 DocType: Opportunity,Opportunity Type,סוג ההזדמנות
@@ -2449,7 +2446,7 @@
 apps/erpnext/erpnext/accounts/general_ledger.py +21,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,מספר שגוי של כלליים לדג'ר ערכים מצא. ייתכן שנבחרת חשבון הלא נכון בעסקה.
 DocType: Cheque Print Template,Cheque Width,רוחב המחאה
 DocType: Fee Schedule,Fee Schedule,בתוספת דמי
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,תאריך לידה לא יכול להיות גדול יותר מהיום.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,תאריך לידה לא יכול להיות גדול יותר מהיום.
 ,Stock Ageing,התיישנות מלאי
 apps/erpnext/erpnext/projects/doctype/task/task.js +39,Timesheet,לוח זמנים
 apps/erpnext/erpnext/controllers/accounts_controller.py +305,{0} '{1}' is disabled,{0} '{1}' אינו זמין
@@ -2471,7 +2468,7 @@
 DocType: Stock Reconciliation Item,Before reconciliation,לפני הפיוס
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},כדי {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),מסים והיטלים נוסף (חברת מטבע)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,שורת מס פריט {0} חייבת להיות חשבון של מס סוג או הכנסה או הוצאה או לחיוב
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,שורת מס פריט {0} חייבת להיות חשבון של מס סוג או הכנסה או הוצאה או לחיוב
 DocType: Sales Order,Partly Billed,בחלק שחויב
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,פריט {0} חייב להיות פריט רכוש קבוע
 DocType: Item,Default BOM,BOM ברירת המחדל
@@ -2485,7 +2482,7 @@
 DocType: Cashier Closing,From Time,מזמן
 DocType: Notification Control,Custom Message,הודעה מותאמת אישית
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,בנקאות השקעות
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,חשבון מזומן או בנק הוא חובה להכנת כניסת תשלום
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,חשבון מזומן או בנק הוא חובה להכנת כניסת תשלום
 DocType: Purchase Invoice,Price List Exchange Rate,מחיר מחירון שער חליפין
 DocType: Purchase Invoice Item,Rate,שיעור
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +107,Intern,Intern
@@ -2495,37 +2492,38 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"אנא לחץ על 'צור לוח זמנים """
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,התייחסות לא חובה אם אתה נכנס תאריך ההפניה
 DocType: Bank Reconciliation Detail,Payment Document,מסמך תשלום
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,תאריך ההצטרפות חייב להיות גדול מתאריך לידה
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,תאריך ההצטרפות חייב להיות גדול מתאריך לידה
 DocType: Salary Slip,Salary Structure,שכר מבנה
 DocType: Account,Bank,בנק
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,חברת תעופה
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,חומר נושא
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,חומר נושא
 DocType: Material Request Item,For Warehouse,למחסן
 DocType: Employee,Offer Date,תאריך הצעה
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ציטוטים
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,אתה נמצא במצב לא מקוון. אתה לא תוכל לטעון עד שיש לך רשת.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,ציטוטים
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,אתה נמצא במצב לא מקוון. אתה לא תוכל לטעון עד שיש לך רשת.
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,אין קבוצות סטודנטים נוצרו.
 DocType: Purchase Invoice Item,Serial No,מספר סידורי
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,נא להזין maintaince פרטים ראשון
 DocType: Purchase Invoice,Print Language,שפת דפס
 DocType: Salary Slip,Total Working Hours,שעות עבודה הכוללות
 DocType: Stock Entry,Including items for sub assemblies,כולל פריטים למכלולים תת
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,זן הערך חייב להיות חיובי
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,זן הערך חייב להיות חיובי
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,כל השטחים
 DocType: Purchase Invoice,Items,פריטים
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,סטודנטים כבר נרשמו.
 DocType: Fiscal Year,Year Name,שם שנה
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,ישנם יותר מ חגי ימי עבודה בחודש זה.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,ישנם יותר מ חגי ימי עבודה בחודש זה.
 DocType: Production Plan Item,Product Bundle Item,פריט Bundle מוצר
 DocType: Sales Partner,Sales Partner Name,שם שותף מכירות
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,בקשת ציטטות
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,בקשת ציטטות
 DocType: Payment Reconciliation,Maximum Invoice Amount,סכום חשבונית מרבי
+DocType: QuickBooks Migrator,Company Settings,הגדרות חברה
 apps/erpnext/erpnext/config/selling.py +23,Customers,לקוחות
 DocType: Asset,Partially Depreciated,חלקי מופחת
 DocType: Issue,Opening Time,מועד פתיחה
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,ומכדי התאריכים מבוקשים ל
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,ניירות ערך ובורסות סחורות
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ברירת מחדל של יחידת מדידה ולריאנט &#39;{0}&#39; חייבת להיות זהה בתבנית &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ברירת מחדל של יחידת מדידה ולריאנט &#39;{0}&#39; חייבת להיות זהה בתבנית &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,חישוב המבוסס על
 DocType: Delivery Note Item,From Warehouse,ממחסן
 DocType: Assessment Plan,Supervisor Name,המפקח שם
@@ -2538,7 +2536,7 @@
 DocType: Journal Entry,Print Heading,כותרת הדפסה
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,"סה""כ לא יכול להיות אפס"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,מספר הימים מההזמנה האחרונה 'חייב להיות גדול או שווה לאפס
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,חומר גלם
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,חומר גלם
 DocType: Leave Application,Follow via Email,"עקוב באמצעות דוא""ל"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,צמחי Machineries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,סכום מס לאחר סכום הנחה
@@ -2560,7 +2558,7 @@
 DocType: Authorization Rule,Applicable To (Designation),כדי ישים (ייעוד)
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,הוסף לסל
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,קבוצה על ידי
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,הפעלה / השבתה של מטבעות.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,הפעלה / השבתה של מטבעות.
 DocType: Production Plan,Get Material Request,קבל בקשת חומר
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Postal Expenses,הוצאות דואר
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),"סה""כ (AMT)"
@@ -2591,7 +2589,7 @@
 DocType: Stock Entry,Update Rate and Availability,עדכון תעריף וזמינות
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,אחוז מותר לך לקבל או למסור יותר נגד כל הכמות המוזמנת. לדוגמא: אם יש לך הורה 100 יחידות. והפרשה שלך הוא 10% אז אתה רשאי לקבל 110 יחידות.
 DocType: Loyalty Program,Customer Group,קבוצת לקוחות
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},חשבון הוצאות הוא חובה עבור פריט {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},חשבון הוצאות הוא חובה עבור פריט {0}
 DocType: BOM,Website Description,תיאור אתר
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,שינוי נטו בהון עצמי
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,אנא בטל חשבונית רכישת {0} ראשון
@@ -2600,14 +2598,14 @@
 DocType: Quotation,Quotation Lost Reason,סיבה אבודה ציטוט
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +383,Transaction reference no {0} dated {1},התייחסות עסקה לא {0} מתאריך {1}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,אין שום דבר כדי לערוך.
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,סיכום לחודש זה ופעילויות תלויות ועומדות
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,סיכום לחודש זה ופעילויות תלויות ועומדות
 DocType: Customer Group,Customer Group Name,שם קבוצת הלקוחות
 apps/erpnext/erpnext/public/js/financial_statements.js +58,Cash Flow Statement,דוח על תזרימי המזומנים
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},אנא הסר חשבונית זו {0} מC-טופס {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},אנא הסר חשבונית זו {0} מC-טופס {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,אנא בחר לשאת קדימה אם אתה גם רוצה לכלול האיזון של שנת כספים הקודמת משאיר לשנה הפיסקלית
 DocType: GL Entry,Against Voucher Type,נגד סוג השובר
 DocType: Item,Attributes,תכונות
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,נא להזין לכתוב את החשבון
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,נא להזין לכתוב את החשבון
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,התאריך אחרון סדר
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},חשבון {0} אינו שייך לחברת {1}
 DocType: C-Form,C-Form,C-טופס
@@ -2632,12 +2630,12 @@
 apps/erpnext/erpnext/config/projects.py +51,Types of activities for Time Logs,סוגי פעילויות יומני זמן
 DocType: Opening Invoice Creation Tool,Sales,מכירות
 DocType: Stock Entry Detail,Basic Amount,סכום בסיסי
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},מחסן נדרש לפריט המניה {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},מחסן נדרש לפריט המניה {0}
 DocType: Leave Allocation,Unused leaves,עלים שאינם בשימוש
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
 DocType: Tax Rule,Billing State,מדינת חיוב
 DocType: Share Transfer,Transfer,העברה
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),תביא BOM התפוצץ (כולל תת מכלולים)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),תביא BOM התפוצץ (כולל תת מכלולים)
 DocType: Authorization Rule,Applicable To (Employee),כדי ישים (עובד)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,תאריך היעד הוא חובה
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,תוספת לתכונה {0} לא יכולה להיות 0
@@ -2661,7 +2659,7 @@
 DocType: Purchase Order Item Supplied,Raw Material Item Code,קוד פריט חומר הגלם
 DocType: Journal Entry,Write Off Based On,לכתוב את מבוסס על
 DocType: Stock Settings,Show Barcode Field,הצג ברקוד שדה
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,שלח הודעות דוא&quot;ל ספק
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,שלח הודעות דוא&quot;ל ספק
 DocType: Timesheet,Employee Detail,פרט לעובדים
 apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,הגדרות עבור הבית של האתר
 DocType: Job Offer,Awaiting Response,ממתין לתגובה
@@ -2683,12 +2681,12 @@
 apps/erpnext/erpnext/hr/report/employee_advance_summary/employee_advance_summary.py +15,No record found,לא נמצא רשומה
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,עלות לגרוטאות נכסים
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: מרכז העלות הוא חובה עבור פריט {2}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,קבל פריטים מחבילת מוצרים
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,קבל פריטים מחבילת מוצרים
 DocType: Asset,Straight Line,קו ישר
 DocType: Project User,Project User,משתמש פרויקט
 DocType: GL Entry,Is Advance,האם Advance
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,נוכחות מתאריך והנוכחות עד כה היא חובה
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"נא להזין את 'האם קבלן ""ככן או לא"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"נא להזין את 'האם קבלן ""ככן או לא"
 DocType: Sales Team,Contact No.,מס 'לתקשר
 DocType: Bank Reconciliation,Payment Entries,פוסט תשלום
 DocType: Program Enrollment Tool,Get Students From,קבל מבית הספר
@@ -2703,8 +2701,8 @@
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,ציין תנאים לחישוב סכום משלוח
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,תפקיד רשאי לקבוע קפואים חשבונות ורשומים קפואים עריכה
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,לא ניתן להמיר מרכז עלות לחשבונות שכן יש צמתים ילד
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,ערך פתיחה
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,סידורי #
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,ערך פתיחה
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,סידורי #
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Commission on Sales,עמלה על מכירות
 DocType: Job Offer Term,Value / Description,ערך / תיאור
 apps/erpnext/erpnext/controllers/accounts_controller.py +690,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# שורה {0}: Asset {1} לא ניתן להגיש, זה כבר {2}"
@@ -2716,7 +2714,7 @@
 DocType: Clinical Procedure,Age,גיל
 DocType: Sales Invoice Timesheet,Billing Amount,סכום חיוב
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,כמות לא חוקית שצוינה עבור פריט {0}. כמות צריכה להיות גדולה מ -0.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,חשבון עם עסקה הקיימת לא ניתן למחוק
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,חשבון עם עסקה הקיימת לא ניתן למחוק
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,הוצאות משפטיות
 DocType: Purchase Invoice,Posting Time,זמן פרסום
 DocType: Timesheet,% Amount Billed,% סכום החיוב
@@ -2730,9 +2728,9 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,הכנסות מלקוחות חדשות
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Travel Expenses,הוצאות נסיעה
 DocType: Maintenance Visit,Breakdown,התפלגות
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,חשבון: {0} עם מטבע: {1} לא ניתן לבחור
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,חשבון: {0} עם מטבע: {1} לא ניתן לבחור
 DocType: Bank Reconciliation Detail,Cheque Date,תאריך המחאה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},חשבון {0}: הורה חשבון {1} אינו שייך לחברה: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},חשבון {0}: הורה חשבון {1} אינו שייך לחברה: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,בהצלחה נמחק כל העסקות הקשורות לחברה זו!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,כבתאריך
 DocType: Additional Salary,HR,HR
@@ -2753,7 +2751,7 @@
 DocType: Academic Year,Academic Year Name,שם שנה אקדמית
 DocType: Sales Partner,Contact Desc,לתקשר יורד
 DocType: Email Digest,Send regular summary reports via Email.,"שלח דוחות סיכום קבועים באמצעות דוא""ל."
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},אנא להגדיר חשבון ברירת מחדל סוג תביעת הוצאות {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},אנא להגדיר חשבון ברירת מחדל סוג תביעת הוצאות {0}
 DocType: Assessment Result,Student Name,שם תלמיד
 DocType: Hub Tracked Item,Item Manager,מנהל פריט
 DocType: Work Order,Total Operating Cost,"עלות הפעלה סה""כ"
@@ -2764,7 +2762,7 @@
 DocType: Bank Account,Party Type,סוג המפלגה
 DocType: Item Attribute Value,Abbreviation,קיצור
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,לא authroized מאז {0} עולה על גבולות
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,כלל מס שנקבע לעגלת קניות
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,כלל מס שנקבע לעגלת קניות
 DocType: Purchase Invoice,Taxes and Charges Added,מסים והיטלים נוסף
 ,Sales Funnel,משפך מכירות
 apps/erpnext/erpnext/setup/doctype/company/company.py +53,Abbreviation is mandatory,הקיצור הוא חובה
@@ -2775,9 +2773,9 @@
 ,Territory Target Variance Item Group-Wise,פריט יעד שונות טריטורית קבוצה-Wise
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,בכל קבוצות הלקוחות
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,מצטבר חודשי
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} הוא חובה. אולי שיא המרה לא נוצר עבור {1} ל {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} הוא חובה. אולי שיא המרה לא נוצר עבור {1} ל {2}.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,תבנית מס היא חובה.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,חשבון {0}: הורה חשבון {1} לא קיימת
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,חשבון {0}: הורה חשבון {1} לא קיימת
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),מחיר מחירון שיעור (חברת מטבע)
 DocType: Products Settings,Products Settings,הגדרות מוצרים
 DocType: Account,Temporary,זמני
@@ -2795,16 +2793,16 @@
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,פריט Detail המס וייז
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,קיצור המכון
 ,Item-wise Price List Rate,שערי רשימת פריט המחיר חכם
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,הצעת מחיר של ספק
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,הצעת מחיר של ספק
 DocType: Quotation,In Words will be visible once you save the Quotation.,במילים יהיו גלוי לאחר שתשמרו את הצעת המחיר.
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},ברקוד {0} כבר השתמש בפריט {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},ברקוד {0} כבר השתמש בפריט {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,כללים להוספת עלויות משלוח.
 DocType: Item,Opening Stock,מאגר פתיחה
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,הלקוח נדרש
 DocType: Purchase Order,To Receive,לקבל
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Employee,Personal Email,"דוא""ל אישי"
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,סך שונה
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,סך שונה
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","אם מאופשר, המערכת תפרסם רישומים חשבונאיים עבור המלאי באופן אוטומטי."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,תיווך
 DocType: Work Order Operation,"in Minutes
@@ -2812,10 +2810,10 @@
 DocType: Customer,From Lead,מליד
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,הזמנות שוחררו לייצור.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,בחר שנת כספים ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,פרופיל קופה הנדרש כדי להפוך את קופה הכניסה
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,פרופיל קופה הנדרש כדי להפוך את קופה הכניסה
 DocType: Program Enrollment Tool,Enroll Students,רשם תלמידים
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,מכירה סטנדרטית
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast מחסן אחד הוא חובה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast מחסן אחד הוא חובה
 DocType: Serial No,Out of Warranty,מתוך אחריות
 DocType: BOM Update Tool,Replace,החלף
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +396,{0} against Sales Invoice {1},{0} נגד מכירות חשבונית {1}
@@ -2835,7 +2833,7 @@
 DocType: Account,Debit,חיוב
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,עלים חייבים להיות מוקצים בכפולות של 0.5
 DocType: Work Order,Operation Cost,עלות מבצע
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Amt מצטיין
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Amt מצטיין
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,קבוצה חכמה פריט יעדים שנקבעו לאיש מכירות זה.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],מניות הקפאת Older Than [ימים]
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","אם שניים או יותר כללי תמחור נמצאים בהתבסס על התנאים לעיל, עדיפות מיושם. עדיפות היא מספר בין 0 ל 20, וערך ברירת מחדל הוא אפס (ריק). מספר גבוה יותר פירושו הם הקובעים אם יש כללי תמחור מרובים עם אותם תנאים."
@@ -2844,7 +2842,7 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,לאפשר למשתמשים הבאים לאשר בקשות לצאת לימי גוש.
 DocType: Subscription,Taxes,מסים
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,שילם ולא נמסר
-DocType: Project,Default Cost Center,מרכז עלות ברירת מחדל
+DocType: QuickBooks Migrator,Default Cost Center,מרכז עלות ברירת מחדל
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,והתאמות מלאות
 DocType: Budget,Budget Accounts,חשבונות תקציב
 DocType: Employee,Internal Work History,היסטוריה עבודה פנימית
@@ -2862,7 +2860,7 @@
 ,Employee Information,מידע לעובדים
 DocType: Stock Entry Detail,Additional Cost,עלות נוספת
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","לא לסנן מבוססים על השובר לא, אם מקובצים לפי שובר"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,הפוך הצעת מחיר של ספק
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,הפוך הצעת מחיר של ספק
 DocType: Quality Inspection,Incoming,נכנסים
 DocType: BOM,Materials Required (Exploded),חומרים דרושים (התפוצצו)
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +100,Row # {0}: Serial No {1} does not match with {2} {3},# השורה {0}: סידורי לא {1} אינו תואם עם {2} {3}
@@ -2870,7 +2868,7 @@
 DocType: Batch,Batch ID,זיהוי אצווה
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},הערה: {0}
 ,Delivery Note Trends,מגמות תעודת משלוח
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,סיכום זה של השבוע
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,סיכום זה של השבוע
 apps/erpnext/erpnext/accounts/general_ledger.py +113,Account: {0} can only be updated via Stock Transactions,חשבון: {0} ניתן לעדכן רק דרך עסקות במלאי
 DocType: Student Group Creation Tool,Get Courses,קבל קורסים
 DocType: Bank Account,Party,מפלגה
@@ -2888,7 +2886,7 @@
 DocType: Stock Ledger Entry,Stock Ledger Entry,מניית דג'ר כניסה
 DocType: Department,Leave Block List,השאר בלוק רשימה
 DocType: Purchase Invoice,Tax ID,זיהוי מס
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,פריט {0} הוא לא התקנה למס סידורי. טור חייב להיות ריק
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,פריט {0} הוא לא התקנה למס סידורי. טור חייב להיות ריק
 DocType: Accounts Settings,Accounts Settings,חשבונות הגדרות
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,לְאַשֵׁר
 DocType: Customer,Sales Partner and Commission,פרטנר מכירות והוועדה
@@ -2903,11 +2901,11 @@
 DocType: Purchase Invoice,Return,חזור
 DocType: Pricing Rule,Disable,בטל
 DocType: Project Task,Pending Review,בהמתנה לבדיקה
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","נכסים {0} לא יכול להיות לגרוטאות, כפי שהוא כבר {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","נכסים {0} לא יכול להיות לגרוטאות, כפי שהוא כבר {1}"
 DocType: Task,Total Expense Claim (via Expense Claim),תביעה סה&quot;כ הוצאות (באמצעות תביעת הוצאות)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,מארק בהעדר
 DocType: Journal Entry Account,Exchange Rate,שער חליפין
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש
 DocType: Homepage,Tag Line,קו תג
 DocType: Cheque Print Template,Regular,רגיל
 DocType: Purchase Order Item,Last Purchase Rate,שער רכישה אחרונה
@@ -2915,7 +2913,7 @@
 DocType: Project Task,Task ID,משימת זיהוי
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,המניה לא יכול להתקיים לפריט {0} שכן יש גרסאות
 ,Sales Person-wise Transaction Summary,סיכום עסקת איש מכירות-חכם
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,מחסן {0} אינו קיים
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,מחסן {0} אינו קיים
 DocType: Monthly Distribution,Monthly Distribution Percentages,אחוזים בחתך חודשיים
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +115,The selected item cannot have Batch,הפריט שנבחר לא יכול להיות אצווה
 DocType: Delivery Note,% of materials delivered against this Delivery Note,% מחומרים מועברים נגד תעודת משלוח זו
@@ -2925,8 +2923,8 @@
 DocType: Assessment Plan,Supervisor,מְפַקֵחַ
 ,Available Stock for Packing Items,מלאי זמין לפריטי אריזה
 DocType: Item Variant,Item Variant,פריט Variant
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","יתרת חשבון כבר בחיוב, שאינך מורשים להגדרה 'יתרה חייבים להיות' כמו 'אשראי'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,ניהול איכות
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","יתרת חשבון כבר בחיוב, שאינך מורשים להגדרה 'יתרה חייבים להיות' כמו 'אשראי'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,ניהול איכות
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,פריט {0} הושבה
 apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},נא להזין את הכמות לפריט {0}
 DocType: Employee External Work History,Employee External Work History,העובד חיצוני היסטוריה עבודה
@@ -2937,7 +2935,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,מרכזי עלות
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,קצב שבו ספק של מטבע מומר למטבע הבסיס של החברה
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},# השורה {0}: קונפליקטים תזמונים עם שורת {1}
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,חשבונות Gateway התקנה.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,חשבונות Gateway התקנה.
 DocType: Employee,Employment Type,סוג התעסוקה
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,רכוש קבוע
 DocType: Payment Entry,Set Exchange Gain / Loss,הגדר Exchange רווח / הפסד
@@ -2946,7 +2944,7 @@
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,מזהה אימייל סטודנטים
 DocType: Employee,Notice (days),הודעה (ימים)
 DocType: Tax Rule,Sales Tax Template,תבנית מס מכירות
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,בחר פריטים כדי לשמור את החשבונית
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,בחר פריטים כדי לשמור את החשבונית
 DocType: Employee,Encashment Date,תאריך encashment
 DocType: Account,Stock Adjustment,התאמת מלאי
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},עלות פעילות ברירת המחדל קיימת לסוג פעילות - {0}
@@ -2975,18 +2973,18 @@
 DocType: Workstation,per hour,לשעה
 DocType: Blanket Order,Purchasing,רכש
 DocType: Announcement,Announcement,הַכרָזָה
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,מחסן לא ניתן למחוק ככניסת פנקס המניות קיימת למחסן זה.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,מחסן לא ניתן למחוק ככניסת פנקס המניות קיימת למחסן זה.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,הפצה
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,מנהל פרויקט
 ,Quoted Item Comparison,פריט מצוטט השוואה
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,שדר
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,שדר
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,הנחה מרבית המוותרת עבור פריט: {0} היא% {1}
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,שווי הנכסי נקי כמו על
 DocType: Hotel Settings,Default Taxes and Charges,מסים והיטלים שברירת מחדל
 DocType: Account,Receivable,חייבים
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +319,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,# השורה {0}: לא הורשו לשנות ספק כהזמנת רכש כבר קיימת
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,תפקיד שמותר להגיש עסקות חריגות ממסגרות אשראי שנקבע.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן"
 DocType: Item,Material Issue,נושא מהותי
 DocType: Employee Education,Qualification,הסמכה
 DocType: Item Price,Item Price,פריט מחיר
@@ -3007,7 +3005,6 @@
 DocType: Leave Block List,Applies to Company,חל על חברה
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +222,Cannot cancel because submitted Stock Entry {0} exists,לא ניתן לבטל עקב נתון מלאי {0}
 DocType: Purchase Invoice,In Words,במילים
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,היום הוא {0} 's יום הולדת!
 DocType: Sales Order Item,For Production,להפקה
 DocType: Payment Request,payment_url,payment_url
 DocType: Project Task,View Task,צפה במשימה
@@ -3016,9 +3013,9 @@
 DocType: Sales Invoice,Get Advances Received,קבלו התקבלו מקדמות
 DocType: Email Digest,Add/Remove Recipients,הוספה / הסרה של מקבלי
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","כדי להגדיר שנת כספים זו כברירת מחדל, לחץ על 'קבע כברירת מחדל'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,לְהִצְטַרֵף
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,מחסור כמות
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,גרסת פריט {0} קיימת עימן תכונות
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,לְהִצְטַרֵף
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,מחסור כמות
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,גרסת פריט {0} קיימת עימן תכונות
 DocType: Additional Salary,Salary Slip,שכר Slip
 DocType: Pricing Rule,Margin Rate or Amount,שיעור או סכום שולי
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,'עד תאריך' נדרש
@@ -3026,18 +3023,18 @@
 DocType: Sales Invoice Item,Sales Order Item,פריט להזמין מכירות
 DocType: Salary Slip,Payment Days,ימי תשלום
 DocType: Patient,Dormant,רָדוּם
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,מחסן עם בלוטות ילד לא ניתן להמיר לדג&#39;ר
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,מחסן עם בלוטות ילד לא ניתן להמיר לדג&#39;ר
 DocType: BOM,Manage cost of operations,ניהול עלות של פעולות
 DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","כאשר כל אחת מהעסקאות בדקו ""הוגש"", מוקפץ הדוא""ל נפתח באופן אוטומטי לשלוח דואר אלקטרוני לקשורים ""צור קשר"" בעסקה ש, עם העסקה כקובץ מצורף. המשתמשים יכולים או לא יכולים לשלוח הדואר האלקטרוני."
 apps/erpnext/erpnext/config/setup.py +14,Global Settings,הגדרות גלובליות
 DocType: Employee Education,Employee Education,חינוך לעובדים
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט.
 DocType: Salary Slip,Net Pay,חבילת נקי
 DocType: Cash Flow Mapping Accounts,Account,חשבון
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} has already been received,מספר סידורי {0} כבר קיבל
 ,Requested Items To Be Transferred,פריטים מבוקשים שיועברו
 DocType: Customer,Sales Team Details,פרטי צוות מכירות
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,למחוק לצמיתות?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,למחוק לצמיתות?
 DocType: Expense Claim,Total Claimed Amount,"סכום הנתבע סה""כ"
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,הזדמנויות פוטנציאליות למכירה.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},לא חוקי {0}
@@ -3069,14 +3066,14 @@
 DocType: Item Attribute Value,Attribute Value,תכונה ערך
 ,Itemwise Recommended Reorder Level,Itemwise מומלץ להזמנה חוזרת רמה
 DocType: Salary Detail,Salary Detail,פרטי שכר
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,אנא בחר {0} ראשון
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,אצווה {0} של פריט {1} פג.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,אנא בחר {0} ראשון
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,אצווה {0} של פריט {1} פג.
 DocType: Sales Invoice,Commission,הוועדה
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,זמן גיליון לייצור.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,סיכום ביניים
 DocType: Salary Detail,Default Amount,סכום ברירת מחדל
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,מחסן לא נמצא במערכת
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,סיכום של החודש
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,סיכום של החודש
 DocType: Quality Inspection Reading,Quality Inspection Reading,איכות פיקוח קריאה
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`מניות הקפאה ישן יותר Than` צריך להיות קטן יותר מאשר% d ימים.
 DocType: Tax Rule,Purchase Tax Template,מס רכישת תבנית
@@ -3099,7 +3096,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,חיובים מתעדכנות בקבלת רכישה כנגד כל פריט
 DocType: Warranty Claim,Resolved By,נפתר על ידי
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,המחאות ופיקדונות פינו באופן שגוי
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,חשבון {0}: לא ניתן להקצות את עצמו כחשבון אב
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,חשבון {0}: לא ניתן להקצות את עצמו כחשבון אב
 DocType: Purchase Invoice Item,Price List Rate,מחיר מחירון שערי
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","הצג ""במלאי"" או ""לא במלאי"", המבוסס על המלאי זמין במחסן זה."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),הצעת החוק של חומרים (BOM)
@@ -3117,13 +3114,13 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +487,Currency for {0} must be {1},מטבע עבור {0} חייב להיות {1}
 DocType: Asset,Disposal Date,תאריך סילוק
 DocType: Employee Leave Approver,Employee Leave Approver,עובד חופשה מאשר
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","לא יכול להכריז על שאבד כ, כי הצעת מחיר כבר עשתה."
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},אנא בחר תאריך התחלה ותאריך סיום לפריט {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +55,Course is mandatory in row {0},הקורס הוא חובה בשורת {0}
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,עד כה לא יכול להיות לפני מהמועד
 DocType: Supplier Quotation Item,Prevdoc DocType,DOCTYPE Prevdoc
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,להוסיף מחירים / עריכה
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,להוסיף מחירים / עריכה
 DocType: Cheque Print Template,Cheque Print Template,תבנית הדפסת המחאה
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +85,Chart of Cost Centers,תרשים של מרכזי עלות
 ,Requested Items To Be Ordered,פריטים מבוקשים כדי להיות הורה
@@ -3142,7 +3139,7 @@
 DocType: Announcement,Student,תלמיד
 DocType: Company,Budget Detail,פרטי תקציב
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,נא להזין את ההודעה לפני השליחה
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,נקודה-של-מכירת פרופיל
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,נקודה-של-מכירת פרופיל
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,"הלוואות בחו""ל"
 DocType: Cost Center,Cost Center Name,שם מרכז עלות
 DocType: Student,B+,B +
@@ -3164,32 +3161,31 @@
 DocType: Employee,Date of Issue,מועד ההנפקה
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},# השורה {0}: ספק הוגדר לפריט {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,שורה {0}: שעות הערך חייב להיות גדול מאפס.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,לא ניתן למצוא תמונה באתר האינטרנט {0} המצורף לפריט {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,לא ניתן למצוא תמונה באתר האינטרנט {0} המצורף לפריט {1}
 DocType: Issue,Content Type,סוג תוכן
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,מחשב
 DocType: Item,List this Item in multiple groups on the website.,רשימת פריט זה במספר קבוצות באתר.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} לא קיים
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,אנא בדוק את אפשרות מטבע רב כדי לאפשר חשבונות עם מטבע אחר
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,פריט: {0} אינו קיים במערכת
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,אתה לא רשאי לקבוע ערך קפוא
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,אתה לא רשאי לקבוע ערך קפוא
 DocType: Payment Reconciliation,Get Unreconciled Entries,קבל ערכים לא מותאמים
 DocType: Payment Reconciliation,From Invoice Date,מתאריך החשבונית
 apps/erpnext/erpnext/public/js/setup_wizard.js +114,What does it do?,מה זה עושה?
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +84,To Warehouse,למחסן
 ,Average Commission Rate,שערי העמלה הממוצעת
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""יש מספר סידורי 'לא יכול להיות' כן 'ללא מוחזק במלאי פריט"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""יש מספר סידורי 'לא יכול להיות' כן 'ללא מוחזק במלאי פריט"
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,נוכחות לא יכולה להיות מסומנת עבור תאריכים עתידיים
 DocType: Pricing Rule,Pricing Rule Help,עזרה כלל תמחור
 DocType: Purchase Taxes and Charges,Account Head,חשבון ראש
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,חשמל
 DocType: Stock Entry,Total Value Difference (Out - In),הבדל ערך כולל (Out - ב)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,שורת {0}: שער החליפין הוא חובה
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},זיהוי משתמש לא נקבע לעובדים {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},זיהוי משתמש לא נקבע לעובדים {0}
 DocType: Stock Entry,Default Source Warehouse,מחסן מקור ברירת מחדל
 DocType: Item,Customer Code,קוד לקוח
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},תזכורת יום הולדת עבור {0}
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ימים מאז הזמנה אחרונה
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,חיוב החשבון חייב להיות חשבון מאזן
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,חיוב החשבון חייב להיות חשבון מאזן
 DocType: Asset,Naming Series,סדרת שמות
 DocType: Leave Block List,Leave Block List Name,השאר שם בלוק רשימה
 DocType: Shopping Cart Settings,Display Settings,הגדרות תצוגה
@@ -3200,16 +3196,16 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,תעודת משלוח {0} אסור תוגש
 DocType: Notification Control,Sales Invoice Message,מסר חשבונית מכירות
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,סגירת חשבון {0} חייבת להיות אחריות / הון עצמי סוג
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},תלוש משכורת של עובד {0} כבר נוצר עבור גיליון זמן {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},תלוש משכורת של עובד {0} כבר נוצר עבור גיליון זמן {1}
 DocType: Production Plan Item,Ordered Qty,כמות הורה
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,פריט {0} הוא נכים
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,פריט {0} הוא נכים
 DocType: Stock Settings,Stock Frozen Upto,המניה קפואה Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM אינו מכיל כל פריט במלאי
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM אינו מכיל כל פריט במלאי
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,פעילות פרויקט / משימה.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +46,"Buying must be checked, if Applicable For is selected as {0}","קנייה יש לבדוק, אם לישים שנבחרה הוא {0}"
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,דיסקונט חייב להיות פחות מ -100
 DocType: Purchase Invoice,Write Off Amount (Company Currency),לכתוב את הסכום (חברת מטבע)
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,# השורה {0}: אנא הגדר כמות הזמנה חוזרת
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,# השורה {0}: אנא הגדר כמות הזמנה חוזרת
 DocType: Fees,Program Enrollment,הרשמה לתכנית
 DocType: Landed Cost Voucher,Landed Cost Voucher,שובר עלות נחת
 apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},אנא הגדר {0}
@@ -3235,16 +3231,16 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},זמין {0}
 DocType: Manufacturing Settings,Manufacturing Settings,הגדרות ייצור
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,הגדרת דוא&quot;ל
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,נא להזין את ברירת מחדל של המטבע בחברה Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,נא להזין את ברירת מחדל של המטבע בחברה Master
 DocType: Stock Entry Detail,Stock Entry Detail,פרט מניית הכניסה
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,תזכורות יומיות
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,תזכורות יומיות
 DocType: Products Settings,Home Page is Products,דף הבית הוא מוצרים
 ,Asset Depreciation Ledger,לדג&#39;ר פחת נכסים
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +97,Tax Rule Conflicts with {0},ניגודים כלל מס עם {0}
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,שם חשבון חדש
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,עלות חומרי גלם הסופק
 DocType: Selling Settings,Settings for Selling Module,הגדרות עבור מכירת מודול
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,שירות לקוחות
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,שירות לקוחות
 DocType: BOM,Thumbnail,תמונה ממוזערת
 DocType: Item Customer Detail,Item Customer Detail,פרט לקוחות פריט
 DocType: Notification Control,Prompt for Email on Submission of,"הנחיה לדוא""ל על הגשת"
@@ -3252,7 +3248,7 @@
 DocType: Pricing Rule,Percentage,אֲחוּזִים
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,פריט {0} חייב להיות פריט מניות
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,עבודה המוגדרת כברירת מחדל במחסן ההתקדמות
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,הגדרות ברירת מחדל עבור עסקות חשבונאיות.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,הגדרות ברירת מחדל עבור עסקות חשבונאיות.
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,שגיאה: לא מזהה בתוקף?
 DocType: Naming Series,Update Series Number,עדכון סדרת מספר
 DocType: Account,Equity,הון עצמי
@@ -3261,9 +3257,9 @@
 DocType: Sales Order Item,Produced Quantity,כמות מיוצרת
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +114,Engineer,מהנדס
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,הרכבות תת חיפוש
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},קוד פריט נדרש בשורה לא {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},קוד פריט נדרש בשורה לא {0}
 DocType: Sales Partner,Partner Type,שם שותף
-DocType: Purchase Taxes and Charges,Actual,בפועל
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,בפועל
 DocType: Authorization Rule,Customerwise Discount,Customerwise דיסקונט
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,גליון למשימות.
 DocType: Purchase Invoice,Against Expense Account,נגד חשבון הוצאות
@@ -3279,7 +3275,7 @@
 DocType: Employee,Applicable Holiday List,רשימת Holiday ישימה
 DocType: Employee,Cheque,המחאה
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,סדרת עדכון
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,סוג הדוח הוא חובה
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,סוג הדוח הוא חובה
 DocType: Item,Serial Number Series,סדרת מספר סידורי
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},המחסן הוא חובה עבור פריט המניה {0} בשורת {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,קמעונאות וסיטונאות
@@ -3295,7 +3291,7 @@
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js +7,Attendance,נוכחות
 DocType: BOM,Materials,חומרים
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","אם לא בדק, הרשימה תצטרך להוסיף לכל מחלקה שבה יש ליישם."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,תאריך הפרסום ופרסום הזמן הוא חובה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,תאריך הפרסום ופרסום הזמן הוא חובה
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,תבנית מס בעסקות קנייה.
 ,Item Prices,מחירי פריט
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,במילים יהיו גלוי לאחר שתשמרו את הזמנת הרכש.
@@ -3305,7 +3301,7 @@
 DocType: Purchase Invoice,Advance Payments,תשלומים מראש
 DocType: Purchase Taxes and Charges,On Net Total,בסך הכל נטו
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ערך תמורת תכונה {0} חייב להיות בטווח של {1} {2} וזאת במדרגות של {3} עבור פריט {4}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,מטבע לא ניתן לשנות לאחר ביצוע ערכים באמצעות כמה מטבע אחר
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,מטבע לא ניתן לשנות לאחר ביצוע ערכים באמצעות כמה מטבע אחר
 DocType: Company,Round Off Account,לעגל את החשבון
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Administrative Expenses,הוצאות הנהלה
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +18,Consulting,ייעוץ
@@ -3327,12 +3323,12 @@
 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,כמות של פריט המתקבלת לאחר ייצור / אריזה מחדש מכמויות מסוימות של חומרי גלם
 DocType: Payment Reconciliation,Receivable / Payable Account,חשבון לקבל / לשלם
 DocType: Delivery Note Item,Against Sales Order Item,נגד פריט להזמין מכירות
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},ציין מאפיין ערך עבור תכונת {0}
-DocType: Item Default,Default Warehouse,מחסן ברירת מחדל
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},ציין מאפיין ערך עבור תכונת {0}
+DocType: QuickBooks Migrator,Default Warehouse,מחסן ברירת מחדל
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},תקציב לא ניתן להקצות נגד קבוצת חשבון {0}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,נא להזין מרכז עלות הורה
 DocType: Delivery Note,Print Without Amount,הדפסה ללא סכום
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,תאריך פחת
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,תאריך פחת
 DocType: Issue,Support Team,צוות תמיכה
 DocType: Appraisal,Total Score (Out of 5),ציון כולל (מתוך 5)
 DocType: Student Attendance Tool,Batch,אצווה
@@ -3346,7 +3342,7 @@
 DocType: Journal Entry,Total Debit,"חיוב סה""כ"
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,מחסן מוצרים מוגמר ברירת מחדל
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,איש מכירות
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,תקציב מרכז עלות
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,תקציב מרכז עלות
 DocType: Vehicle Service,Half Yearly,חצי שנתי
 DocType: Lead,Blog Subscriber,Subscriber בלוג
 apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,יצירת כללים להגבלת עסקות המבוססות על ערכים.
@@ -3355,7 +3351,7 @@
 DocType: Opportunity Item,Basic Rate,שיעור בסיסי
 DocType: GL Entry,Credit Amount,סכום אשראי
 DocType: Cheque Print Template,Signatory Position,תפקיד החותם
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,קבע כאבוד
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,קבע כאבוד
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,הערה קבלת תשלום
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,זה מבוסס על עסקאות מול לקוח זה. ראה את ציר הזמן מתחת לפרטים
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},שורת {0}: סכום שהוקצה {1} חייב להיות קטן או שווה לסכום קליט הוצאות {2}
@@ -3365,14 +3361,14 @@
 DocType: Student,Nationality,לאום
 ,Items To Be Requested,פריטים להידרש
 DocType: Company,Company Info,מידע על חברה
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,בחר או הוסף לקוח חדש
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,בחר או הוסף לקוח חדש
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),יישום של קרנות (נכסים)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,זה מבוסס על הנוכחות של העובד
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,חשבון חיוב
 DocType: Fiscal Year,Year Start Date,תאריך התחלת שנה
 DocType: Additional Salary,Employee Name,שם עובד
 DocType: Purchase Invoice,Rounded Total (Company Currency),"סה""כ מעוגל (חברת מטבע)"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,לא יכול סמוי לקבוצה בגלל סוג חשבון הנבחר.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,לא יכול סמוי לקבוצה בגלל סוג חשבון הנבחר.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} כבר שונה. אנא רענן.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,להפסיק ממשתמשים לבצע יישומי חופשה בימים שלאחר מכן.
 DocType: Loyalty Point Entry,Purchase Amount,סכום הרכישה
@@ -3381,7 +3377,7 @@
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Packed quantity must equal quantity for Item {0} in row {1},כמות ארוזה חייבת להיות שווה לכמות פריט {0} בשורת {1}
 DocType: Work Order,Manufactured Qty,כמות שיוצרה
 DocType: Purchase Receipt Item,Accepted Quantity,כמות מקובלת
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},אנא להגדיר ברירת מחדל Holiday רשימה עבור שכיר {0} או החברה {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},אנא להגדיר ברירת מחדל Holiday רשימה עבור שכיר {0} או החברה {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} לא קיים
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,הצעות חוק שהועלו ללקוחות.
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,פרויקט זיהוי
@@ -3391,10 +3387,10 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Available,זמין
 DocType: Quality Inspection Reading,Reading 3,רידינג 3
 DocType: GL Entry,Voucher Type,סוג שובר
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,מחיר המחירון לא נמצא או נכים
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,מחיר המחירון לא נמצא או נכים
 DocType: Student Applicant,Approved,אושר
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,מחיר
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',עובד הקלה על {0} חייב להיות מוגדרים כ'שמאל '
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',עובד הקלה על {0} חייב להיות מוגדרים כ'שמאל '
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,הערכת {0} נוצרה עבור עובדי {1} בטווח התאריכים נתון
 DocType: Academic Term,Education,חינוך
 DocType: Selling Settings,Campaign Naming By,Naming קמפיין ב
@@ -3406,7 +3402,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},שורה {0}: מסיבה / חשבון אינו תואם עם {1} / {2} {3} {4}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,נא להזין את חשבון הוצאות
 DocType: Account,Stock,מלאי
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד הזמנת רכש, חשבונית רכישה או תנועת יומן"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד הזמנת רכש, חשבונית רכישה או תנועת יומן"
 DocType: Employee,Current Address,כתובת נוכחית
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","אם פריט הנו נגזר של פריט נוסף לאחר מכן תיאור, תמונה, תמחור, וכו 'ייקבעו מסים מהתבנית אלא אם צוין במפורש"
 DocType: Serial No,Purchase / Manufacture Details,רכישה / פרטי ייצור
@@ -3419,7 +3415,7 @@
 DocType: Bank Statement Transaction Invoice Item,Transaction Date,תאריך עסקה
 DocType: Production Plan Item,Planned Qty,מתוכננת כמות
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,"מס סה""כ"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,לכמות (מיוצר כמות) הוא חובה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,לכמות (מיוצר כמות) הוא חובה
 DocType: Stock Entry,Default Target Warehouse,מחסן יעד ברירת מחדל
 DocType: Purchase Invoice,Net Total (Company Currency),"סה""כ נקי (חברת מטבע)"
 DocType: Notification Control,Purchase Receipt Message,מסר קבלת רכישה
@@ -3432,16 +3428,16 @@
 DocType: Warranty Claim,If different than customer address,אם שונה מכתובת הלקוח
 DocType: BOM Operation,BOM Operation,BOM מבצע
 DocType: Purchase Taxes and Charges,On Previous Row Amount,על סכום שורה הקודם
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Asset Transfer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Asset Transfer
 DocType: POS Profile,POS Profile,פרופיל קופה
 DocType: Inpatient Record,Admission,הוֹדָאָה
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","עונתיות להגדרת תקציבים, יעדים וכו '"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","עונתיות להגדרת תקציבים, יעדים וכו '"
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","פריט {0} הוא תבנית, אנא בחר באחת מגרסותיה"
 DocType: Asset,Asset Category,קטגורית נכסים
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,שכר נטו לא יכול להיות שלילי
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,שכר נטו לא יכול להיות שלילי
 DocType: Purchase Order,Advance Paid,מראש בתשלום
 DocType: Item,Item Tax,מס פריט
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,חומר לספקים
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,חומר לספקים
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,בלו חשבונית
 DocType: Expense Claim,Employees Email Id,"דוא""ל עובדי זיהוי"
 DocType: Employee Attendance Tool,Marked Attendance,נוכחות בולטת
@@ -3464,26 +3460,26 @@
 DocType: Item Attribute,Numeric Values,ערכים מספריים
 apps/erpnext/erpnext/public/js/setup_wizard.js +56,Attach Logo,צרף לוגו
 DocType: Customer,Commission Rate,הוועדה שערי
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,הפוך Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,הפוך Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",סוג התשלום חייב להיות אחד וקבל שכר וטובות העברה פנימית
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +25,Cart is Empty,עגלה ריקה
 DocType: Work Order,Actual Operating Cost,עלות הפעלה בפועל
 DocType: Payment Entry,Cheque/Reference No,המחאה / אסמכתא
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,לא ניתן לערוך את השורש.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,לא ניתן לערוך את השורש.
 DocType: Manufacturing Settings,Allow Production on Holidays,לאפשר ייצור בחגים
 DocType: Sales Invoice,Customer's Purchase Order Date,תאריך הזמנת הרכש של הלקוח
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +173,Capital Stock,מלאי הון
 DocType: Packing Slip,Package Weight Details,חבילת משקל פרטים
 DocType: Payment Gateway Account,Payment Gateway Account,חשבון תשלום Gateway
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,לאחר השלמת התשלום להפנות המשתמש לדף הנבחר.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,אנא בחר קובץ CSV
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,אנא בחר קובץ CSV
 DocType: Purchase Order,To Receive and Bill,כדי לקבל וביל
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,מוצרים מומלצים
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,מעצב
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,תבנית תנאים והגבלות
 DocType: Serial No,Delivery Details,פרטי משלוח
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},מרכז העלות נדרש בשורת {0} במסי שולחן לסוג {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},מרכז העלות נדרש בשורת {0} במסי שולחן לסוג {1}
 DocType: Program,Program Code,קוד התוכנית
 ,Item-wise Purchase Register,הרשם רכישת פריט-חכם
 DocType: Loyalty Point Entry,Expiry Date,תַאֲרִיך תְפוּגָה
@@ -3492,22 +3488,22 @@
 apps/erpnext/erpnext/config/projects.py +13,Project master.,אדון פרויקט.
 apps/erpnext/erpnext/controllers/status_updater.py +215,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","כדי לאפשר יתר החיוב או יתר ההזמנה, לעדכן &quot;קצבה&quot; במלאי הגדרות או הפריט."
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,לא מראה שום סימן כמו $$ וכו 'הבא למטבעות.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(חצי יום)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(חצי יום)
 DocType: Payment Term,Credit Days,ימי אשראי
 DocType: Leave Type,Is Carry Forward,האם להמשיך קדימה
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,קבל פריטים מBOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,קבל פריטים מBOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,להוביל ימי זמן
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2}
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,נא להזין הזמנות ומכירות בטבלה לעיל
 ,Stock Summary,סיכום במלאי
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,להעביר נכס ממחסן אחד למשנהו
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,הצעת חוק של חומרים
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,הצעת חוק של חומרים
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},שורת {0}: מפלגת סוג והמפלגה נדרשים לבקל / חשבון זכאים {1}
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,תאריך אסמכתא
 DocType: Employee,Reason for Leaving,סיבה להשארה
 DocType: Expense Claim Detail,Sanctioned Amount,סכום גושפנקא
 DocType: GL Entry,Is Opening,האם פתיחה
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},שורת {0}: כניסת חיוב לא יכולה להיות מקושרת עם {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,חשבון {0} אינו קיים
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,חשבון {0} אינו קיים
 DocType: Account,Cash,מזומנים
 DocType: Employee,Short biography for website and other publications.,ביוגרפיה קצרות באתר האינטרנט של ופרסומים אחרים.
diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv
index 121536e..f9e7a1d 100644
--- a/erpnext/translations/hi.csv
+++ b/erpnext/translations/hi.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,ग्राहक आइटम
 DocType: Project,Costing and Billing,लागत और बिलिंग
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},अग्रिम खाता मुद्रा कंपनी मुद्रा के रूप में समान होनी चाहिए {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,खाते {0}: माता पिता के खाते {1} एक खाता नहीं हो सकता
+DocType: QuickBooks Migrator,Token Endpoint,टोकन एंडपॉइंट
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,खाते {0}: माता पिता के खाते {1} एक खाता नहीं हो सकता
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com करने के लिए आइटम प्रकाशित
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,सक्रिय छुट्टी अवधि नहीं मिल सका
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,सक्रिय छुट्टी अवधि नहीं मिल सका
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,मूल्यांकन
 DocType: Item,Default Unit of Measure,माप की मूलभूत इकाई
 DocType: SMS Center,All Sales Partner Contact,सभी बिक्री साथी संपर्क
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,जोड़ने के लिए दर्ज करें पर क्लिक करें
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","पासवर्ड, एपीआई कुंजी या Shopify यूआरएल के लिए गुम मूल्य"
 DocType: Employee,Rented,किराये पर
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,सभी खाते
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,सभी खाते
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,कर्मचारी को स्थिति के साथ स्थानांतरित नहीं कर सकता है
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","रूका उत्पादन आदेश रद्द नहीं किया जा सकता, रद्द करने के लिए पहली बार इसे आगे बढ़ाना"
 DocType: Vehicle Service,Mileage,लाभ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,आप वास्तव में इस संपत्ति स्क्रैप करना चाहते हैं?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,आप वास्तव में इस संपत्ति स्क्रैप करना चाहते हैं?
 DocType: Drug Prescription,Update Schedule,अनुसूची अपडेट करें
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,चयन डिफ़ॉल्ट प्रदायक
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,कर्मचारी दिखाओ
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,नई विनिमय दर
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},मुद्रा मूल्य सूची के लिए आवश्यक है {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},मुद्रा मूल्य सूची के लिए आवश्यक है {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* लेनदेन में गणना की जाएगी.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,मेट-डीटी-.YYYY.-
 DocType: Purchase Order,Customer Contact,ग्राहक से संपर्क
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,यह इस प्रदायक के खिलाफ लेन-देन पर आधारित है। जानकारी के लिए नीचे समय देखें
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,कार्य आदेश के लिए अधिक उत्पादन प्रतिशत
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,मेट-एलसीवी-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,कानूनी
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,कानूनी
+DocType: Delivery Note,Transport Receipt Date,परिवहन रसीद तिथि
 DocType: Shopify Settings,Sales Order Series,बिक्री आदेश श्रृंखला
 DocType: Vital Signs,Tongue,जुबान
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,एचआरए छूट
 DocType: Sales Invoice,Customer Name,ग्राहक का नाम
 DocType: Vehicle,Natural Gas,प्राकृतिक गैस
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},बैंक खाते के रूप में नामित नहीं किया जा सकता {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},बैंक खाते के रूप में नामित नहीं किया जा सकता {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,वेतन संरचना के अनुसार एचआरए
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,प्रमुखों (या समूह) के खिलाफ जो लेखांकन प्रविष्टियों बना रहे हैं और संतुलन बनाए रखा है।
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),बकाया {0} शून्य से भी कम नहीं किया जा सकता है के लिए ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,सर्विस स्टॉप डेट सेवा प्रारंभ तिथि से पहले नहीं हो सकता है
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,सर्विस स्टॉप डेट सेवा प्रारंभ तिथि से पहले नहीं हो सकता है
 DocType: Manufacturing Settings,Default 10 mins,10 मिनट चूक
 DocType: Leave Type,Leave Type Name,प्रकार का नाम छोड़ दो
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,खुले शो
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,खुले शो
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,सीरीज सफलतापूर्वक अपडेट
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,चेक आउट
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} पंक्ति में {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} पंक्ति में {1}
 DocType: Asset Finance Book,Depreciation Start Date,मूल्यह्रास प्रारंभ दिनांक
 DocType: Pricing Rule,Apply On,पर लागू होते हैं
 DocType: Item Price,Multiple Item prices.,एकाधिक आइटम कीमतों .
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,समर्थन सेटिंग
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,उम्मीद अंत तिथि अपेक्षित प्रारंभ तिथि से कम नहीं हो सकता है
 DocType: Amazon MWS Settings,Amazon MWS Settings,अमेज़ॅन MWS सेटिंग्स
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,पंक्ति # {0}: दर के रूप में ही किया जाना चाहिए {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,पंक्ति # {0}: दर के रूप में ही किया जाना चाहिए {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,बैच मद समाप्ति की स्थिति
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,बैंक ड्राफ्ट
 DocType: Journal Entry,ACC-JV-.YYYY.-,एसीसी-जेवी-.YYYY.-
@@ -105,7 +107,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,प्राथमिक संपर्क विवरण
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,खुले मामले
 DocType: Production Plan Item,Production Plan Item,उत्पादन योजना मद
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},प्रयोक्ता {0} पहले से ही कर्मचारी को सौंपा है {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},प्रयोक्ता {0} पहले से ही कर्मचारी को सौंपा है {1}
 DocType: Lab Test Groups,Add new line,नई लाइन जोड़ें
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,स्वास्थ्य देखभाल
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),भुगतान में देरी (दिन)
@@ -115,12 +117,11 @@
 DocType: Lab Prescription,Lab Prescription,लैब प्रिस्क्रिप्शन
 ,Delay Days,विलंब दिवस
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,सेवा व्यय
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},सीरियल नंबर: {0} पहले से ही बिक्री चालान में संदर्भित है: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},सीरियल नंबर: {0} पहले से ही बिक्री चालान में संदर्भित है: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,बीजक
 DocType: Purchase Invoice Item,Item Weight Details,आइटम वजन विवरण
 DocType: Asset Maintenance Log,Periodicity,आवधिकता
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,वित्त वर्ष {0} की आवश्यकता है
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,प्रदायक&gt; प्रदायक समूह
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,इष्टतम विकास के लिए पौधों की पंक्तियों के बीच न्यूनतम दूरी
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,रक्षा
 DocType: Salary Component,Abbr,संक्षिप्त
@@ -139,11 +140,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,उच्च स्तरीय समिति-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,अवकाश सूची
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,मुनीम
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,मूल्य सूची बेचना
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,मूल्य सूची बेचना
 DocType: Patient,Tobacco Current Use,तंबाकू वर्तमान उपयोग
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,बिक्री दर
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,बिक्री दर
 DocType: Cost Center,Stock User,शेयर उपयोगकर्ता
 DocType: Soil Analysis,(Ca+Mg)/K,(सीए मिलीग्राम +) / कश्मीर
+DocType: Delivery Stop,Contact Information,संपर्क जानकारी
 DocType: Company,Phone No,कोई फोन
 DocType: Delivery Trip,Initial Email Notification Sent,प्रारंभिक ईमेल अधिसूचना प्रेषित
 DocType: Bank Statement Settings,Statement Header Mapping,स्टेटमेंट हैडर मैपिंग
@@ -167,12 +169,11 @@
 DocType: Subscription,Subscription Start Date,सदस्यता प्रारंभ दिनांक
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,नियुक्ति शुल्क बुक करने के लिए रोगी में सेट नहीं होने पर डिफ़ॉल्ट प्राप्य खातों का उपयोग किया जाना चाहिए।
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","दो कॉलम, पुराने नाम के लिए एक और नए नाम के लिए एक साथ .csv फ़ाइल संलग्न करें"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,पता 2 से
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,आइटम कोड&gt; आइटम समूह&gt; ब्रांड
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,पता 2 से
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} किसी भी सक्रिय वित्त वर्ष में नहीं है।
 DocType: Packed Item,Parent Detail docname,माता - पिता विस्तार docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","संदर्भ: {0}, मद कोड: {1} और ग्राहक: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} मूल कंपनी में मौजूद नहीं है
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} मूल कंपनी में मौजूद नहीं है
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,परीक्षण अवधि समाप्ति तिथि परीक्षण अवधि प्रारंभ तिथि से पहले नहीं हो सकती है
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,किलो
 DocType: Tax Withholding Category,Tax Withholding Category,कर रोकथाम श्रेणी
@@ -188,12 +189,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,विज्ञापन
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,एक ही कंपनी के एक से अधिक बार दर्ज किया जाता है
 DocType: Patient,Married,विवाहित
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},अनुमति नहीं {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},अनुमति नहीं {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,से आइटम प्राप्त
 DocType: Price List,Price Not UOM Dependant,कीमत नहीं यूओएम निर्भर
 DocType: Purchase Invoice,Apply Tax Withholding Amount,टैक्स रोकथाम राशि लागू करें
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,कुल राशि क्रेडिट
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,कुल राशि क्रेडिट
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},उत्पाद {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,कोई आइटम सूचीबद्ध नहीं
 DocType: Asset Repair,Error Description,त्रुटि विवरण
@@ -207,8 +208,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,कस्टम कैश फ्लो प्रारूप का उपयोग करें
 DocType: SMS Center,All Sales Person,सभी बिक्री व्यक्ति
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** मासिक वितरण ** अगर आप अपने व्यवसाय में मौसमी है आप महीने भर का बजट / लक्ष्य वितरित मदद करता है।
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,नहीं आइटम नहीं मिला
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,वेतन ढांचे गुम
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,नहीं आइटम नहीं मिला
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,वेतन ढांचे गुम
 DocType: Lead,Person Name,व्यक्ति का नाम
 DocType: Sales Invoice Item,Sales Invoice Item,बिक्री चालान आइटम
 DocType: Account,Credit,श्रेय
@@ -217,19 +218,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,स्टॉक रिपोर्ट
 DocType: Warehouse,Warehouse Detail,वेअरहाउस विस्तार
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,सत्रांत तिथि से बाद में शैक्षणिक वर्ष की वर्ष समाप्ति तिथि है जो करने के लिए शब्द जुड़ा हुआ है नहीं हो सकता है (शैक्षिक वर्ष {})। तारीखों को ठीक करें और फिर कोशिश करें।
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",अनियंत्रित नहीं हो सकता है के रूप में एसेट रिकॉर्ड मद के सामने मौजूद है &quot;निश्चित परिसंपत्ति है&quot;
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",अनियंत्रित नहीं हो सकता है के रूप में एसेट रिकॉर्ड मद के सामने मौजूद है &quot;निश्चित परिसंपत्ति है&quot;
 DocType: Delivery Trip,Departure Time,प्रस्थान समय
 DocType: Vehicle Service,Brake Oil,ब्रेक तेल
 DocType: Tax Rule,Tax Type,टैक्स प्रकार
 ,Completed Work Orders,पूर्ण कार्य आदेश
 DocType: Support Settings,Forum Posts,फोरम पोस्ट
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,कर योग्य राशि
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,कर योग्य राशि
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},इससे पहले कि आप प्रविष्टियों को जोड़ने या अद्यतन करने के लिए अधिकृत नहीं हैं {0}
 DocType: Leave Policy,Leave Policy Details,नीति विवरण छोड़ दें
 DocType: BOM,Item Image (if not slideshow),छवि (यदि नहीं स्लाइड शो)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(घंटा दर / 60) * वास्तविक ऑपरेशन टाइम
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खर्च दावे या जर्नल प्रविष्टि में से एक होना चाहिए
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,बीओएम का चयन
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खर्च दावे या जर्नल प्रविष्टि में से एक होना चाहिए
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,बीओएम का चयन
 DocType: SMS Log,SMS Log,एसएमएस प्रवेश
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,वितरित मदों की लागत
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,पर {0} छुट्टी के बीच की तिथि से और आज तक नहीं है
@@ -238,16 +239,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,सप्लायर स्टैंडिंग के टेम्पलेट्स
 DocType: Lead,Interested,इच्छुक
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,प्रारंभिक
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},से {0} को {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},से {0} को {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,कार्यक्रम:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,करों को सेटअप करने में असफल
 DocType: Item,Copy From Item Group,आइटम समूह से कॉपी
-DocType: Delivery Trip,Delivery Notification,वितरण सूचना
 DocType: Journal Entry,Opening Entry,एंट्री खुलने
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,खाते का भुगतान केवल
 DocType: Loan,Repay Over Number of Periods,चुकाने से अधिक अवधि की संख्या
 DocType: Stock Entry,Additional Costs,अतिरिक्त लागत
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,मौजूदा लेन - देन के साथ खाता समूह को नहीं बदला जा सकता .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,मौजूदा लेन - देन के साथ खाता समूह को नहीं बदला जा सकता .
 DocType: Lead,Product Enquiry,उत्पाद पूछताछ
 DocType: Education Settings,Validate Batch for Students in Student Group,छात्र समूह में छात्रों के लिए बैच का प्रमाणन करें
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},कोई छुट्टी रिकॉर्ड कर्मचारी के लिए पाया {0} के लिए {1}
@@ -255,7 +255,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,पहली कंपनी दाखिल करें
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,पहले कंपनी का चयन करें
 DocType: Employee Education,Under Graduate,पूर्व - स्नातक
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,कृपया एचआर सेटिंग्स में अवकाश स्थिति अधिसूचना के लिए डिफ़ॉल्ट टेम्पलेट सेट करें।
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,कृपया एचआर सेटिंग्स में अवकाश स्थिति अधिसूचना के लिए डिफ़ॉल्ट टेम्पलेट सेट करें।
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,योजनापूर्ण
 DocType: BOM,Total Cost,कुल लागत
 DocType: Soil Analysis,Ca/K,सीए / कश्मीर
@@ -268,7 +268,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,लेखा - विवरण
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,औषधीय
 DocType: Purchase Invoice Item,Is Fixed Asset,निश्चित परिसंपत्ति है
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","उपलब्ध मात्रा {0}, आप की जरूरत है {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","उपलब्ध मात्रा {0}, आप की जरूरत है {1}"
 DocType: Expense Claim Detail,Claim Amount,दावे की राशि
 DocType: Patient,HLC-PAT-.YYYY.-,उच्च स्तरीय समिति-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},कार्य आदेश {0} हो गया है
@@ -301,13 +301,13 @@
 DocType: BOM,Quality Inspection Template,गुणवत्ता निरीक्षण टेम्पलेट
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",आप उपस्थिति को अद्यतन करना चाहते हैं? <br> वर्तमान: {0} \ <br> अनुपस्थित: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},स्वीकृत + अस्वीकृत मात्रा मद के लिए प्राप्त मात्रा के बराबर होना चाहिए {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},स्वीकृत + अस्वीकृत मात्रा मद के लिए प्राप्त मात्रा के बराबर होना चाहिए {0}
 DocType: Item,Supply Raw Materials for Purchase,आपूर्ति कच्चे माल की खरीद के लिए
 DocType: Agriculture Analysis Criteria,Fertilizer,उर्वरक
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",सीरियल नंबर द्वारा डिलीवरी सुनिश्चित नहीं कर सकता क्योंकि \ Item {0} को \ Serial No. द्वारा डिलीवरी सुनिश्चित किए बिना और बिना जोड़ा गया है।
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,भुगतान के कम से कम एक मोड पीओएस चालान के लिए आवश्यक है।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,भुगतान के कम से कम एक मोड पीओएस चालान के लिए आवश्यक है।
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,बैंक स्टेटमेंट लेनदेन चालान आइटम
 DocType: Products Settings,Show Products as a List,दिखाने के उत्पादों एक सूची के रूप में
 DocType: Salary Detail,Tax on flexible benefit,लचीला लाभ पर कर
@@ -318,14 +318,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,डिफ मात्रा
 DocType: Production Plan,Material Request Detail,सामग्री अनुरोध विस्तार
 DocType: Selling Settings,Default Quotation Validity Days,डिफ़ॉल्ट कोटेशन वैधता दिन
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए"
 DocType: SMS Center,SMS Center,एसएमएस केंद्र
 DocType: Payroll Entry,Validate Attendance,उपस्थिति की पुष्टि करें
 DocType: Sales Invoice,Change Amount,राशि परिवर्तन
 DocType: Party Tax Withholding Config,Certificate Received,प्रमाण पत्र प्राप्त हुआ
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,बीसीसी के लिए चालान मान सेट करें बीओसीएल और बीसीसीएस इस इनवॉइस मान के आधार पर गणना की गई।
 DocType: BOM Update Tool,New BOM,नई बीओएम
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,निर्धारित प्रक्रियाएं
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,निर्धारित प्रक्रियाएं
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,केवल पीओएस दिखाएं
 DocType: Supplier Group,Supplier Group Name,प्रदायक समूह का नाम
 DocType: Driver,Driving License Categories,ड्राइविंग लाइसेंस श्रेणियाँ
@@ -340,7 +340,7 @@
 DocType: Payroll Period,Payroll Periods,पेरोल अवधि
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,कर्मचारी
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,प्रसारण
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),पीओएस (ऑनलाइन / ऑफ़लाइन) का सेटअप मोड
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),पीओएस (ऑनलाइन / ऑफ़लाइन) का सेटअप मोड
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,कार्य आदेशों के विरुद्ध समय लॉग्स के निर्माण को अक्षम करता है। कार्य आदेश के खिलाफ संचालन को ट्रैक नहीं किया जाएगा
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,निष्पादन
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,आपरेशन के विवरण से बाहर किया।
@@ -374,7 +374,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),मूल्य सूची दर पर डिस्काउंट (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,मद टेम्पलेट
 DocType: Job Offer,Select Terms and Conditions,का चयन नियम और शर्तें
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,आउट मान
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,आउट मान
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,बैंक स्टेटमेंट सेटिंग्स आइटम
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce सेटिंग्स
 DocType: Production Plan,Sales Orders,बिक्री के आदेश
@@ -387,20 +387,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,उद्धरण के लिए अनुरोध नीचे दिए गए लिंक पर क्लिक करके पहुँचा जा सकता है
 DocType: SG Creation Tool Course,SG Creation Tool Course,एसजी निर्माण उपकरण कोर्स
 DocType: Bank Statement Transaction Invoice Item,Payment Description,भुगतान का विवरण
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,अपर्याप्त स्टॉक
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,अपर्याप्त स्टॉक
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,अक्षम क्षमता योजना और समय ट्रैकिंग
 DocType: Email Digest,New Sales Orders,नई बिक्री आदेश
 DocType: Bank Account,Bank Account,बैंक खाता
 DocType: Travel Itinerary,Check-out Date,जाने की तिथि
 DocType: Leave Type,Allow Negative Balance,ऋणात्मक शेष की अनुमति दें
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',आप परियोजना प्रकार &#39;बाहरी&#39; को नहीं हटा सकते
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,वैकल्पिक आइटम का चयन करें
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,वैकल्पिक आइटम का चयन करें
 DocType: Employee,Create User,उपयोगकर्ता बनाइये
 DocType: Selling Settings,Default Territory,Default टेरिटरी
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,दूरदर्शन
 DocType: Work Order Operation,Updated via 'Time Log','टाइम प्रवेश' के माध्यम से अद्यतन
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ग्राहक या आपूर्तिकर्ता का चयन करें।
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},अग्रिम राशि से अधिक नहीं हो सकता है {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},अग्रिम राशि से अधिक नहीं हो सकता है {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","समय स्लॉट छोड़ दिया गया, स्लॉट {0} से {1} exisiting स्लॉट ओवरलैप {2} से {3}"
 DocType: Naming Series,Series List for this Transaction,इस लेन - देन के लिए सीरीज सूची
 DocType: Company,Enable Perpetual Inventory,सतत सूची सक्षम करें
@@ -421,7 +421,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,बिक्री चालान आइटम के खिलाफ
 DocType: Agriculture Analysis Criteria,Linked Doctype,लिंक्ड डॉकटाइप
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,फाइनेंसिंग से नेट नकद
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage भरा हुआ है, नहीं सहेज सकते हैं।"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage भरा हुआ है, नहीं सहेज सकते हैं।"
 DocType: Lead,Address & Contact,पता और संपर्क
 DocType: Leave Allocation,Add unused leaves from previous allocations,पिछले आवंटन से अप्रयुक्त पत्ते जोड़ें
 DocType: Sales Partner,Partner website,पार्टनर वेबसाइट
@@ -444,10 +444,10 @@
 ,Open Work Orders,ओपन वर्क ऑर्डर
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,रोगी परामर्श शुल्क आइटम बाहर
 DocType: Payment Term,Credit Months,क्रेडिट महीने
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,नेट पे 0 से कम नहीं हो सकता है
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,नेट पे 0 से कम नहीं हो सकता है
 DocType: Contract,Fulfilled,पूरा
 DocType: Inpatient Record,Discharge Scheduled,निर्वहन अनुसूचित
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,तिथि राहत शामिल होने की तिथि से अधिक होना चाहिए
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,तिथि राहत शामिल होने की तिथि से अधिक होना चाहिए
 DocType: POS Closing Voucher,Cashier,केशियर
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,प्रति वर्ष पत्तियां
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,पंक्ति {0}: कृपया जाँच खाते के खिलाफ 'अग्रिम है' {1} यह एक अग्रिम प्रविष्टि है।
@@ -458,15 +458,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,छात्रों के समूह के तहत छात्र सेट करें
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,पूरा काम
 DocType: Item Website Specification,Item Website Specification,आइटम वेबसाइट विशिष्टता
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,अवरुद्ध छोड़ दो
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},आइटम {0} पर जीवन के अपने अंत तक पहुँच गया है {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,अवरुद्ध छोड़ दो
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},आइटम {0} पर जीवन के अपने अंत तक पहुँच गया है {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,बैंक प्रविष्टियां
 DocType: Customer,Is Internal Customer,आंतरिक ग्राहक है
 DocType: Crop,Annual,वार्षिक
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","यदि ऑटो ऑप्ट इन चेक किया गया है, तो ग्राहक स्वचालित रूप से संबंधित वफादारी कार्यक्रम (सहेजने पर) से जुड़े होंगे"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,शेयर सुलह आइटम
 DocType: Stock Entry,Sales Invoice No,बिक्री चालान नहीं
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,आपूर्ति का प्रकार
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,आपूर्ति का प्रकार
 DocType: Material Request Item,Min Order Qty,न्यूनतम आदेश मात्रा
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,छात्र समूह निर्माण उपकरण कोर्स
 DocType: Lead,Do Not Contact,संपर्क नहीं है
@@ -480,14 +480,14 @@
 DocType: Item,Publish in Hub,हब में प्रकाशित
 DocType: Student Admission,Student Admission,छात्र प्रवेश
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,आइटम {0} को रद्द कर दिया गया है
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,आइटम {0} को रद्द कर दिया गया है
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,मूल्यह्रास पंक्ति {0}: मूल्यह्रास प्रारंभ तिथि पिछली तारीख के रूप में दर्ज की जाती है
 DocType: Contract Template,Fulfilment Terms and Conditions,पूर्ति नियम और शर्तें
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,सामग्री अनुरोध
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,सामग्री अनुरोध
 DocType: Bank Reconciliation,Update Clearance Date,अद्यतन क्लीयरेंस तिथि
 ,GSTR-2,GSTR -2
 DocType: Item,Purchase Details,खरीद विवरण
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},खरीद आदेश में &#39;कच्चे माल की आपूर्ति&#39; तालिका में नहीं मिला मद {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},खरीद आदेश में &#39;कच्चे माल की आपूर्ति&#39; तालिका में नहीं मिला मद {0} {1}
 DocType: Salary Slip,Total Principal Amount,कुल प्रधानाचार्य राशि
 DocType: Student Guardian,Relation,संबंध
 DocType: Student Guardian,Mother,मां
@@ -532,10 +532,11 @@
 DocType: Tax Rule,Shipping County,शिपिंग काउंटी
 DocType: Currency Exchange,For Selling,बिक्री के लिए
 apps/erpnext/erpnext/config/desktop.py +159,Learn,सीखना
+DocType: Purchase Invoice Item,Enable Deferred Expense,डिफरर्ड व्यय सक्षम करें
 DocType: Asset,Next Depreciation Date,अगली तिथि मूल्यह्रास
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,कर्मचारी प्रति गतिविधि लागत
 DocType: Accounts Settings,Settings for Accounts,खातों के लिए सेटिंग्स
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},आपूर्तिकर्ता चालान नहीं खरीद चालान में मौजूद है {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},आपूर्तिकर्ता चालान नहीं खरीद चालान में मौजूद है {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,बिक्री व्यक्ति पेड़ की व्यवस्था करें.
 DocType: Job Applicant,Cover Letter,कवर लेटर
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,बकाया चेक्स और स्पष्ट करने जमाओं
@@ -550,7 +551,7 @@
 DocType: Employee,External Work History,बाहरी काम इतिहास
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,परिपत्र संदर्भ त्रुटि
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,छात्र रिपोर्ट कार्ड
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,पिन कोड से
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,पिन कोड से
 DocType: Appointment Type,Is Inpatient,आंत्र रोगी है
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 नाम
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,शब्दों में (निर्यात) दिखाई हो सकता है एक बार आप डिलिवरी नोट बचाने के लिए होगा.
@@ -565,18 +566,19 @@
 DocType: Journal Entry,Multi Currency,बहु मुद्रा
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,चालान का प्रकार
 DocType: Employee Benefit Claim,Expense Proof,व्यय सबूत
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,बिलटी
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},सहेजा जा रहा है {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,बिलटी
 DocType: Patient Encounter,Encounter Impression,मुठभेड़ इंप्रेशन
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,करों की स्थापना
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,बिक संपत्ति की लागत
 DocType: Volunteer,Morning,सुबह
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,आप इसे खींचा बाद भुगतान एंट्री संशोधित किया गया है। इसे फिर से खींच कर दीजिये।
 DocType: Program Enrollment Tool,New Student Batch,नया विद्यार्थी बैच
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} मद टैक्स में दो बार दर्ज
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,इस सप्ताह और लंबित गतिविधियों के लिए सारांश
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} मद टैक्स में दो बार दर्ज
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,इस सप्ताह और लंबित गतिविधियों के लिए सारांश
 DocType: Student Applicant,Admitted,भर्ती किया
 DocType: Workstation,Rent Cost,बाइक किराए मूल्य
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,राशि मूल्यह्रास के बाद
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,राशि मूल्यह्रास के बाद
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,आगामी कैलेंडर घटनाओं
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,वैरिअन्ट गुण
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,माह और वर्ष का चयन करें
@@ -613,8 +615,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},केवल में कंपनी के प्रति एक खाते से हो सकता है {0} {1}
 DocType: Support Search Source,Response Result Key Path,प्रतिक्रिया परिणाम कुंजी पथ
 DocType: Journal Entry,Inter Company Journal Entry,इंटर कंपनी जर्नल प्रविष्टि
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},मात्रा {0} के लिए कार्य आदेश मात्रा से ग्रेटर नहीं होना चाहिए {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,लगाव को देखने के लिए धन्यवाद
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},मात्रा {0} के लिए कार्य आदेश मात्रा से ग्रेटर नहीं होना चाहिए {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,लगाव को देखने के लिए धन्यवाद
 DocType: Purchase Order,% Received,% प्राप्त
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,छात्र गुटों बनाएं
 DocType: Volunteer,Weekends,सप्ताहांत
@@ -654,7 +656,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,कुल बकाया
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,एक मौजूदा श्रृंखला के शुरू / वर्तमान अनुक्रम संख्या बदलें.
 DocType: Dosage Strength,Strength,शक्ति
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,एक नए ग्राहक बनाने
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,एक नए ग्राहक बनाने
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,समाप्त हो रहा है
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","कई डालती प्रबल करने के लिए जारी रखते हैं, उपयोगकर्ताओं संघर्ष को हल करने के लिए मैन्युअल रूप से प्राथमिकता सेट करने के लिए कहा जाता है."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,खरीद आदेश बनाएं
@@ -665,17 +667,18 @@
 DocType: Workstation,Consumable Cost,उपभोज्य लागत
 DocType: Purchase Receipt,Vehicle Date,वाहन की तारीख
 DocType: Student Log,Medical,चिकित्सा
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,खोने के लिए कारण
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,कृपया दवा का चयन करें
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,खोने के लिए कारण
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,कृपया दवा का चयन करें
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,लीड मालिक लीड के रूप में ही नहीं किया जा सकता
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,आवंटित राशि असमायोजित राशि से अधिक नहीं कर सकते हैं
 DocType: Announcement,Receiver,रिसीवर
 DocType: Location,Area UOM,क्षेत्र यूओएम
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},कार्य केंद्र छुट्टी सूची के अनुसार निम्नलिखित तारीखों पर बंद हो गया है: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,सुनहरे अवसर
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,सुनहरे अवसर
 DocType: Lab Test Template,Single,एक
 DocType: Compensatory Leave Request,Work From Date,तिथि से काम
 DocType: Salary Slip,Total Loan Repayment,कुल ऋण चुकौती
+DocType: Project User,View attachments,अनुलग्नक देखें
 DocType: Account,Cost of Goods Sold,बेच माल की लागत
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,लागत केंद्र दर्ज करें
 DocType: Drug Prescription,Dosage,मात्रा बनाने की विधि
@@ -686,7 +689,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,मात्रा और दर
 DocType: Delivery Note,% Installed,% स्थापित
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,कक्षाओं / प्रयोगशालाओं आदि जहां व्याख्यान के लिए निर्धारित किया जा सकता है।
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,दोनों कंपनियों की कंपनी मुद्राओं को इंटर कंपनी लेनदेन के लिए मिलना चाहिए।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,दोनों कंपनियों की कंपनी मुद्राओं को इंटर कंपनी लेनदेन के लिए मिलना चाहिए।
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,पहले कंपनी का नाम दर्ज करें
 DocType: Travel Itinerary,Non-Vegetarian,मांसाहारी
 DocType: Purchase Invoice,Supplier Name,प्रदायक नाम
@@ -696,7 +699,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,अस्थायी रूप से होल्ड पर
 DocType: Account,Is Group,समूह के
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,क्रेडिट नोट {0} स्वचालित रूप से बनाया गया है
-DocType: Email Digest,Pending Purchase Orders,खरीद आदेश लंबित
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,स्वचालित रूप से फीफो पर आधारित नग सीरियल सेट
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,चेक आपूर्तिकर्ता चालान संख्या अद्वितीयता
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,प्राथमिक पता विवरण
@@ -713,12 +715,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ईमेल के साथ जाने वाले परिचयात्मक विषयवस्तु को अनुकूलित करें। प्रत्येक आदानप्रदान एक अलग परिचयात्मक विषयवस्तु है.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},पंक्ति {0}: कच्चे माल की वस्तु के खिलाफ ऑपरेशन की आवश्यकता है {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},कृपया कंपनी के लिए डिफ़ॉल्ट भुगतान योग्य खाता सेट करें {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},रोका गया कार्य आदेश के साथ लेनदेन की अनुमति नहीं है {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},रोका गया कार्य आदेश के साथ लेनदेन की अनुमति नहीं है {0}
 DocType: Setup Progress Action,Min Doc Count,न्यूनतम डॉक्टर गणना
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,सभी विनिर्माण प्रक्रियाओं के लिए वैश्विक सेटिंग्स।
 DocType: Accounts Settings,Accounts Frozen Upto,लेखा तक जमे हुए
 DocType: SMS Log,Sent On,पर भेजा
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,गुण {0} गुण तालिका में कई बार चुना
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,गुण {0} गुण तालिका में कई बार चुना
 DocType: HR Settings,Employee record is created using selected field. ,कर्मचारी रिकॉर्ड चयनित क्षेत्र का उपयोग कर बनाया जाता है.
 DocType: Sales Order,Not Applicable,लागू नहीं
 DocType: Amazon MWS Settings,UK,यूके
@@ -746,21 +748,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,{0} पर कर्मचारी {0} पहले ही {1} के लिए आवेदन कर चुका है:
 DocType: Inpatient Record,AB Positive,एबी सकारात्मक
 DocType: Job Opening,Description of a Job Opening,एक नौकरी खोलने का विवरण
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,आज के लिए लंबित गतिविधियों
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,आज के लिए लंबित गतिविधियों
 DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet आधारित पेरोल के लिए वेतन घटक।
+DocType: Driver,Applicable for external driver,बाहरी चालक के लिए लागू
 DocType: Sales Order Item,Used for Production Plan,उत्पादन योजना के लिए प्रयुक्त
 DocType: Loan,Total Payment,कुल भुगतान
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,पूर्ण कार्य आदेश के लिए लेनदेन को रद्द नहीं किया जा सकता
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,पूर्ण कार्य आदेश के लिए लेनदेन को रद्द नहीं किया जा सकता
 DocType: Manufacturing Settings,Time Between Operations (in mins),(मिनट में) संचालन के बीच का समय
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,पीओ पहले से ही सभी बिक्री आदेश वस्तुओं के लिए बनाया गया है
 DocType: Healthcare Service Unit,Occupied,कब्जा कर लिया
 DocType: Clinical Procedure,Consumables,उपभोग्य
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} रद्द कर दिया गया है, इसलिए कार्रवाई पूरी नहीं की जा सकती"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} रद्द कर दिया गया है, इसलिए कार्रवाई पूरी नहीं की जा सकती"
 DocType: Customer,Buyer of Goods and Services.,सामान और सेवाओं के खरीदार।
 DocType: Journal Entry,Accounts Payable,लेखा देय
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,इस भुगतान अनुरोध में निर्धारित {0} की राशि सभी भुगतान योजनाओं की गणना की गई राशि से अलग है: {1}। सुनिश्चित करें कि दस्तावेज़ जमा करने से पहले यह सही है।
 DocType: Patient,Allergies,एलर्जी
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,चुने गए BOMs एक ही मद के लिए नहीं हैं
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,चुने गए BOMs एक ही मद के लिए नहीं हैं
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,आइटम कोड बदलें
 DocType: Supplier Scorecard Standing,Notify Other,अन्य को सूचित करें
 DocType: Vital Signs,Blood Pressure (systolic),रक्तचाप (सिस्टोलिक)
@@ -772,7 +775,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,बहुत हो गया भागों का निर्माण करने के लिए
 DocType: POS Profile User,POS Profile User,पीओएस प्रोफ़ाइल उपयोगकर्ता
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,पंक्ति {0}: मूल्यह्रास प्रारंभ दिनांक आवश्यक है
-DocType: Sales Invoice Item,Service Start Date,सेवा प्रारंभ दिनांक
+DocType: Purchase Invoice Item,Service Start Date,सेवा प्रारंभ दिनांक
 DocType: Subscription Invoice,Subscription Invoice,सदस्यता चालान
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,प्रत्यक्ष आय
 DocType: Patient Appointment,Date TIme,दिनांक समय
@@ -791,7 +794,7 @@
 DocType: Lab Test Template,Lab Routine,लैब नियमित
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,प्रसाधन सामग्री
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,कृपया पूर्ण संपत्ति रखरखाव लॉग के लिए समापन तिथि का चयन करें
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","मर्ज करने के लिए , निम्नलिखित गुण दोनों मदों के लिए ही होना चाहिए"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","मर्ज करने के लिए , निम्नलिखित गुण दोनों मदों के लिए ही होना चाहिए"
 DocType: Supplier,Block Supplier,ब्लॉक प्रदायक
 DocType: Shipping Rule,Net Weight,निवल भार
 DocType: Job Opening,Planned number of Positions,पदों की नियोजित संख्या
@@ -812,19 +815,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,कैश फ्लो मैपिंग टेम्पलेट
 DocType: Travel Request,Costing Details,लागत विवरण
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,रिटर्न प्रविष्टियां दिखाएं
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,सीरियल नहीं आइटम एक अंश नहीं किया जा सकता
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,सीरियल नहीं आइटम एक अंश नहीं किया जा सकता
 DocType: Journal Entry,Difference (Dr - Cr),अंतर ( डॉ. - सीआर )
 DocType: Bank Guarantee,Providing,प्रदान करना
 DocType: Account,Profit and Loss,लाभ और हानि
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","अनुमति नहीं है, लैग टेस्ट टेम्पलेट को आवश्यकतानुसार कॉन्फ़िगर करें"
 DocType: Patient,Risk Factors,जोखिम के कारण
 DocType: Patient,Occupational Hazards and Environmental Factors,व्यावसायिक खतरों और पर्यावरणीय कारक
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,स्टॉक प्रविष्टियां पहले से ही कार्य आदेश के लिए बनाई गई हैं
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,स्टॉक प्रविष्टियां पहले से ही कार्य आदेश के लिए बनाई गई हैं
 DocType: Vital Signs,Respiratory rate,श्वसन दर
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,प्रबंध उप
 DocType: Vital Signs,Body Temperature,शरीर का तापमान
 DocType: Project,Project will be accessible on the website to these users,परियोजना इन उपयोगकर्ताओं के लिए वेबसाइट पर सुलभ हो जाएगा
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} को रद्द नहीं कर सकता क्योंकि सीरियल नंबर {2} गोदाम से संबंधित नहीं है {3}
 DocType: Detected Disease,Disease,रोग
+DocType: Company,Default Deferred Expense Account,डिफ़ॉल्ट स्थगित व्यय खाता
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,परियोजना प्रकार को परिभाषित करें
 DocType: Supplier Scorecard,Weighting Function,वजन फ़ंक्शन
 DocType: Healthcare Practitioner,OP Consulting Charge,ओपी परामर्श शुल्क
@@ -841,7 +846,7 @@
 DocType: Crop,Produced Items,उत्पादित आइटम
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,चालान के लिए लेनदेन मैच
 DocType: Sales Order Item,Gross Profit,सकल लाभ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,चालान अनब्लॉक करें
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,चालान अनब्लॉक करें
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,वेतन वृद्धि 0 नहीं किया जा सकता
 DocType: Company,Delete Company Transactions,कंपनी लेन-देन को हटाएं
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ कोई और संदर्भ तिथि बैंक लेन-देन के लिए अनिवार्य है
@@ -862,11 +867,11 @@
 DocType: Budget,Ignore,उपेक्षा
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} सक्रिय नहीं है
 DocType: Woocommerce Settings,Freight and Forwarding Account,फ्रेट और अग्रेषण खाता
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,सेटअप जांच मुद्रण के लिए आयाम
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,सेटअप जांच मुद्रण के लिए आयाम
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,वेतन पर्ची बनाएँ
 DocType: Vital Signs,Bloated,फूला हुआ
 DocType: Salary Slip,Salary Slip Timesheet,वेतन पर्ची Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप अनुबंधित खरीद रसीद के लिए अनिवार्य प्रदायक वेयरहाउस
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप अनुबंधित खरीद रसीद के लिए अनिवार्य प्रदायक वेयरहाउस
 DocType: Item Price,Valid From,चुन
 DocType: Sales Invoice,Total Commission,कुल आयोग
 DocType: Tax Withholding Account,Tax Withholding Account,कर रोकथाम खाता
@@ -874,12 +879,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,सभी प्रदायक स्कोरकार्ड
 DocType: Buying Settings,Purchase Receipt Required,खरीद रसीद आवश्यक
 DocType: Delivery Note,Rail,रेल
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,पंक्ति {0} में गोदाम को लक्षित करना कार्य आदेश के समान होना चाहिए
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,अगर खोलने स्टॉक में प्रवेश किया मूल्यांकन दर अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,पंक्ति {0} में गोदाम को लक्षित करना कार्य आदेश के समान होना चाहिए
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,अगर खोलने स्टॉक में प्रवेश किया मूल्यांकन दर अनिवार्य है
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,चालान तालिका में कोई अभिलेख
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,पहले कंपनी और पार्टी के प्रकार का चयन करें
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","उपयोगकर्ता {1} के लिए पहले से ही pos प्रोफ़ाइल {0} में डिफ़ॉल्ट सेट किया गया है, कृपया डिफ़ॉल्ट रूप से अक्षम डिफ़ॉल्ट"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,वित्तीय / लेखा वर्ष .
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,वित्तीय / लेखा वर्ष .
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,संचित मान
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","क्षमा करें, सीरियल नं विलय हो नहीं सकता"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ग्राहक समूह Shopify से ग्राहकों को सिंक करते समय चयनित समूह में सेट होगा
@@ -893,7 +898,7 @@
 ,Lead Id,लीड ईद
 DocType: C-Form Invoice Detail,Grand Total,महायोग
 DocType: Assessment Plan,Course,कोर्स
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,धारा कोड
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,धारा कोड
 DocType: Timesheet,Payslip,वेतन पर्ची
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,आधे दिन की तारीख तिथि और तारीख के बीच में होनी चाहिए
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,आइटम गाड़ी
@@ -902,7 +907,8 @@
 DocType: Employee,Personal Bio,व्यक्तिगत जैव
 DocType: C-Form,IV,चतुर्थ
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,सदस्यता आईडी
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},वितरित: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},वितरित: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks से जुड़ा हुआ है
 DocType: Bank Statement Transaction Entry,Payable Account,देय खाता
 DocType: Payment Entry,Type of Payment,भुगतान का प्रकार
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,आधा दिन की तारीख अनिवार्य है
@@ -914,7 +920,7 @@
 DocType: Sales Invoice,Shipping Bill Date,नौवहन बिल तारीख
 DocType: Production Plan,Production Plan,उत्पादन योजना
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,चालान चालान उपकरण खोलना
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,बिक्री लौटें
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,बिक्री लौटें
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,नोट: कुल आवंटित पत्ते {0} पहले ही मंजूरी दे दी पत्तियों से कम नहीं होना चाहिए {1} अवधि के लिए
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,सीरियल नो इनपुट के आधार पर लेनदेन में मात्रा निर्धारित करें
 ,Total Stock Summary,कुल स्टॉक सारांश
@@ -925,9 +931,9 @@
 DocType: Authorization Rule,Customer or Item,ग्राहक या आइटम
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,ग्राहक डेटाबेस.
 DocType: Quotation,Quotation To,करने के लिए कोटेशन
-DocType: Lead,Middle Income,मध्य आय
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,मध्य आय
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),उद्घाटन (सीआर )
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आप पहले से ही एक और UoM के साथ कुछ लेन-देन (एस) बना दिया है क्योंकि मद के लिए माप की मूलभूत इकाई {0} सीधे नहीं बदला जा सकता। आप एक अलग डिफ़ॉल्ट UoM का उपयोग करने के लिए एक नया आइटम बनाने की आवश्यकता होगी।
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आप पहले से ही एक और UoM के साथ कुछ लेन-देन (एस) बना दिया है क्योंकि मद के लिए माप की मूलभूत इकाई {0} सीधे नहीं बदला जा सकता। आप एक अलग डिफ़ॉल्ट UoM का उपयोग करने के लिए एक नया आइटम बनाने की आवश्यकता होगी।
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,आवंटित राशि ऋणात्मक नहीं हो सकता
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,कृपया कंपनी सेट करें
 DocType: Share Balance,Share Balance,शेयर बैलेंस
@@ -944,15 +950,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,चयन भुगतान खाता बैंक एंट्री बनाने के लिए
 DocType: Hotel Settings,Default Invoice Naming Series,डिफ़ॉल्ट चालान नामकरण श्रृंखला
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","पत्ते, व्यय का दावा है और पेरोल प्रबंधन करने के लिए कर्मचारी रिकॉर्ड बनाएं"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,अद्यतन प्रक्रिया के दौरान एक त्रुटि हुई
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,अद्यतन प्रक्रिया के दौरान एक त्रुटि हुई
 DocType: Restaurant Reservation,Restaurant Reservation,रेस्तरां आरक्षण
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,प्रस्ताव लेखन
 DocType: Payment Entry Deduction,Payment Entry Deduction,भुगतान एंट्री कटौती
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,समेट रहा हु
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ईमेल के जरिए ग्राहक को सूचित करें
 DocType: Item,Batch Number Series,बैच संख्या श्रृंखला
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,एक और बिक्री व्यक्ति {0} एक ही कर्मचारी आईडी के साथ मौजूद है
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,एक और बिक्री व्यक्ति {0} एक ही कर्मचारी आईडी के साथ मौजूद है
 DocType: Employee Advance,Claimed Amount,दावा राशि
+DocType: QuickBooks Migrator,Authorization Settings,प्रमाणीकरण सेटिंग्स
 DocType: Travel Itinerary,Departure Datetime,प्रस्थान समयरेखा
 DocType: Customer,CUST-.YYYY.-,कस्टमर-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,यात्रा अनुरोध लागत
@@ -991,26 +998,29 @@
 DocType: Buying Settings,Supplier Naming By,द्वारा नामकरण प्रदायक
 DocType: Activity Type,Default Costing Rate,डिफ़ॉल्ट लागत दर
 DocType: Maintenance Schedule,Maintenance Schedule,रखरखाव अनुसूची
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","तो मूल्य निर्धारण नियमों ग्राहकों के आधार पर बाहर छान रहे हैं, ग्राहक समूह, क्षेत्र, प्रदायक, प्रदायक प्रकार, अभियान, बिक्री साथी आदि"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","तो मूल्य निर्धारण नियमों ग्राहकों के आधार पर बाहर छान रहे हैं, ग्राहक समूह, क्षेत्र, प्रदायक, प्रदायक प्रकार, अभियान, बिक्री साथी आदि"
 DocType: Employee Promotion,Employee Promotion Details,कर्मचारी संवर्धन विवरण
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,सूची में शुद्ध परिवर्तन
 DocType: Employee,Passport Number,पासपोर्ट नंबर
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 के साथ संबंध
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,मैनेजर
 DocType: Payment Entry,Payment From / To,भुगतान से / करने के लिए
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,वित्तीय वर्ष से
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},नई क्रेडिट सीमा ग्राहक के लिए वर्तमान बकाया राशि की तुलना में कम है। क्रेडिट सीमा कम से कम हो गया है {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},कृपया वेअरहाउस में खाता सेट करें {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},कृपया वेअरहाउस में खाता सेट करें {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'पर आधारित' और 'समूह  द्वारा' दोनों समान नहीं हो सकते हैं
 DocType: Sales Person,Sales Person Targets,बिक्री व्यक्ति लक्ष्य
 DocType: Work Order Operation,In minutes,मिनटों में
 DocType: Issue,Resolution Date,संकल्प तिथि
 DocType: Lab Test Template,Compound,यौगिक
+DocType: Opportunity,Probability (%),संभावना (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,प्रेषण अधिसूचना
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,संपत्ति का चयन करें
 DocType: Student Batch Name,Batch Name,बैच का नाम
 DocType: Fee Validity,Max number of visit,विज़िट की अधिकतम संख्या
 ,Hotel Room Occupancy,होटल कक्ष अधिभोग
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet बनाया:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,भर्ती
 DocType: GST Settings,GST Settings,जीएसटी सेटिंग्स
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},मुद्रा मूल्य सूची मुद्रा के समान होना चाहिए: {0}
@@ -1051,12 +1061,12 @@
 DocType: Loan,Total Interest Payable,देय कुल ब्याज
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,उतरा लागत करों और शुल्कों
 DocType: Work Order Operation,Actual Start Time,वास्तविक प्रारंभ समय
+DocType: Purchase Invoice Item,Deferred Expense Account,स्थगित व्यय खाता
 DocType: BOM Operation,Operation Time,संचालन समय
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,समाप्त
 DocType: Salary Structure Assignment,Base,आधार
 DocType: Timesheet,Total Billed Hours,कुल बिल घंटे
 DocType: Travel Itinerary,Travel To,को यात्रा
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,नहीं है
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,बंद राशि लिखें
 DocType: Leave Block List Allow,Allow User,उपयोगकर्ता की अनुमति
 DocType: Journal Entry,Bill No,विधेयक नहीं
@@ -1073,9 +1083,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,समय पत्र
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush आधारित कच्चे माल पर
 DocType: Sales Invoice,Port Code,पोर्ट कोड
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,रिजर्व वेयरहाउस
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,रिजर्व वेयरहाउस
 DocType: Lead,Lead is an Organization,लीड एक संगठन है
-DocType: Guardian Interest,Interest,ब्याज
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,बेचने से पहले
 DocType: Instructor Log,Other Details,अन्य विवरण
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1085,7 +1094,7 @@
 DocType: Account,Accounts,लेखा
 DocType: Vehicle,Odometer Value (Last),ओडोमीटर मूल्य (अंतिम)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,आपूर्तिकर्ता स्कोरकार्ड मानदंड के टेम्पलेट्स
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,विपणन
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,विपणन
 DocType: Sales Invoice,Redeem Loyalty Points,वफादारी अंक रिडीम करें
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,भुगतान प्रवेश पहले से ही बनाई गई है
 DocType: Request for Quotation,Get Suppliers,आपूर्तिकर्ता प्राप्त करें
@@ -1102,16 +1111,14 @@
 DocType: Crop,Crop Spacing UOM,फसल रिक्ति UOM
 DocType: Loyalty Program,Single Tier Program,सिंगल टियर प्रोग्राम
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,केवल तभी चुनें यदि आपके पास कैश फ्लो मैपर दस्तावेज सेटअप है
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,पता 1 से
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,पता 1 से
 DocType: Email Digest,Next email will be sent on:,अगले ईमेल पर भेजा जाएगा:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",निम्नलिखित आइटम {आइटम} {क्रिया} को {message} आइटम के रूप में चिह्नित किया गया है। \ आप उन्हें अपने आइटम मास्टर से {message} आइटम के रूप में सक्षम कर सकते हैं
 DocType: Supplier Scorecard,Per Week,प्रति सप्ताह
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,आइटम वेरिएंट है।
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,आइटम वेरिएंट है।
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,कुल छात्र
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,आइटम {0} नहीं मिला
 DocType: Bin,Stock Value,शेयर मूल्य
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,कंपनी {0} मौजूद नहीं है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,कंपनी {0} मौजूद नहीं है
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} के पास शुल्क वैधता है {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,पेड़ के प्रकार
 DocType: BOM Explosion Item,Qty Consumed Per Unit,मात्रा रूपये प्रति यूनिट की खपत
@@ -1126,7 +1133,7 @@
 ,Fichier des Ecritures Comptables [FEC],फिचर्स डेस ऐक्रिटेशंस कॉप्टीबल्स [एफईसी]
 DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड एंट्री
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,कंपनी एवं लेखा
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,मूल्य में
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,मूल्य में
 DocType: Asset Settings,Depreciation Options,मूल्यह्रास विकल्प
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,या तो स्थान या कर्मचारी की आवश्यकता होनी चाहिए
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,अमान्य पोस्टिंग टाइम
@@ -1143,20 +1150,21 @@
 DocType: Leave Allocation,Allocation,आवंटन
 DocType: Purchase Order,Supply Raw Materials,कच्चे माल की आपूर्ति
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,वर्तमान संपत्तियाँ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} भंडार वस्तु नहीं है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} भंडार वस्तु नहीं है
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',कृपया &#39;प्रशिक्षण फ़ीडबैक&#39; पर क्लिक करके और फिर &#39;नया&#39;
 DocType: Mode of Payment Account,Default Account,डिफ़ॉल्ट खाता
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,कृपया पहले स्टॉक सेटिंग में नमूना गोदाम का चयन करें
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,कृपया पहले स्टॉक सेटिंग में नमूना गोदाम का चयन करें
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,कृपया एक से अधिक संग्रह नियमों के लिए एकाधिक श्रेणी प्रोग्राम प्रकार का चयन करें।
 DocType: Payment Entry,Received Amount (Company Currency),प्राप्त राशि (कंपनी मुद्रा)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"अवसर नेतृत्व से किया जाता है , तो लीड सेट किया जाना चाहिए"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,भुगतान रद्द किया गया अधिक जानकारी के लिए कृपया अपने GoCardless खाते की जांच करें
 DocType: Contract,N/A,एन / ए
+DocType: Delivery Settings,Send with Attachment,अनुलग्नक के साथ भेजें
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,साप्ताहिक छुट्टी के दिन का चयन करें
 DocType: Inpatient Record,O Negative,हे नकारात्मक
 DocType: Work Order Operation,Planned End Time,नियोजित समाप्ति समय
 ,Sales Person Target Variance Item Group-Wise,बिक्री व्यक्ति लक्ष्य विचरण मद समूहवार
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,मौजूदा लेन - देन के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,मौजूदा लेन - देन के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,सदस्यता प्रकार विवरण
 DocType: Delivery Note,Customer's Purchase Order No,ग्राहक की खरीद आदेश नहीं
 DocType: Clinical Procedure,Consume Stock,स्टॉक उपभोग करें
@@ -1169,26 +1177,26 @@
 DocType: Soil Texture,Sand,रेत
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,ऊर्जा
 DocType: Opportunity,Opportunity From,अवसर से
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,पंक्ति {0}: {1} आइटम {2} के लिए आवश्यक सीरियल नंबर आपने {3} प्रदान किया है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,पंक्ति {0}: {1} आइटम {2} के लिए आवश्यक सीरियल नंबर आपने {3} प्रदान किया है
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,कृपया एक तालिका चुनें
 DocType: BOM,Website Specifications,वेबसाइट निर्दिष्टीकरण
 DocType: Special Test Items,Particulars,विवरण
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: {0} प्रकार की {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,पंक्ति {0}: रूपांतरण कारक अनिवार्य है
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,पंक्ति {0}: रूपांतरण कारक अनिवार्य है
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, प्राथमिकता बताए द्वारा संघर्ष का समाधान करें। मूल्य नियम: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, प्राथमिकता बताए द्वारा संघर्ष का समाधान करें। मूल्य नियम: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,विनिमय दर पुनर्मूल्यांकन खाता
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM निष्क्रिय या रद्द नहीं कर सकते क्योंकि यह अन्य BOMs के साथ जुड़ा हुवा है
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM निष्क्रिय या रद्द नहीं कर सकते क्योंकि यह अन्य BOMs के साथ जुड़ा हुवा है
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,कृपया प्रविष्टियां प्राप्त करने के लिए कंपनी और पोस्टिंग तिथि का चयन करें
 DocType: Asset,Maintenance,रखरखाव
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,रोगी मुठभेड़ से प्राप्त करें
 DocType: Subscriber,Subscriber,ग्राहक
 DocType: Item Attribute Value,Item Attribute Value,आइटम विशेषता मान
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,कृपया अपनी परियोजना स्थिति अपडेट करें
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,कृपया अपनी परियोजना स्थिति अपडेट करें
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,ख़रीदना या बेचना के लिए मुद्रा विनिमय लागू होना चाहिए।
 DocType: Item,Maximum sample quantity that can be retained,अधिकतम नमूना मात्रा जिसे बनाए रखा जा सकता है
 DocType: Project Update,How is the Project Progressing Right Now?,प्रोजेक्ट की प्रगति अब ठीक है?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},पंक्ति {0} # आइटम {1} को खरीद आदेश {2} के विरुद्ध {2} से अधिक स्थानांतरित नहीं किया जा सकता
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},पंक्ति {0} # आइटम {1} को खरीद आदेश {2} के विरुद्ध {2} से अधिक स्थानांतरित नहीं किया जा सकता
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,बिक्री अभियान .
 DocType: Project Task,Make Timesheet,Timesheet बनाओ
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1236,36 +1244,38 @@
 DocType: Lab Test,Lab Test,लैब टेस्ट
 DocType: Student Report Generation Tool,Student Report Generation Tool,छात्र रिपोर्ट जनरेशन उपकरण
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,हेल्थकेयर अनुसूची समय स्लॉट
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,डॉक्टर का नाम
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,डॉक्टर का नाम
 DocType: Expense Claim Detail,Expense Claim Type,व्यय दावा प्रकार
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,शॉपिंग कार्ट के लिए डिफ़ॉल्ट सेटिंग्स
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,टाइम्सस्लॉट जोड़ें
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},एसेट जर्नल प्रविष्टि के माध्यम से खत्म कर दिया {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},कृपया कंपनी में वेयरहाउस {0} या डिफ़ॉल्ट सूची खाते में खाता सेट करें {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},एसेट जर्नल प्रविष्टि के माध्यम से खत्म कर दिया {0}
 DocType: Loan,Interest Income Account,ब्याज आय खाता
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,लाभ देने के लिए अधिकतम लाभ शून्य से अधिक होना चाहिए
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,लाभ देने के लिए अधिकतम लाभ शून्य से अधिक होना चाहिए
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,समीक्षा आमंत्रित भेजा
 DocType: Shift Assignment,Shift Assignment,शिफ्ट असाइनमेंट
 DocType: Employee Transfer Property,Employee Transfer Property,कर्मचारी स्थानांतरण संपत्ति
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,समय से कम समय से कम होना चाहिए
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,जैव प्रौद्योगिकी
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",आइटम {0} (सीरियल नंबर: {1}) को बिक्री आदेश {2} भरने के लिए reserverd \ के रूप में उपभोग नहीं किया जा सकता है।
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,कार्यालय रखरखाव का खर्च
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,के लिए जाओ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify से ERPNext मूल्य सूची में मूल्य अपडेट करें
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ईमेल खाते को स्थापित
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,पहले आइटम दर्ज करें
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,विश्लेषण की ज़रूरत है
 DocType: Asset Repair,Downtime,स्र्कना
 DocType: Account,Liability,दायित्व
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,स्वीकृत राशि पंक्ति में दावा राशि से अधिक नहीं हो सकता है {0}।
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,स्वीकृत राशि पंक्ति में दावा राशि से अधिक नहीं हो सकता है {0}।
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,शैक्षणिक अवधि:
 DocType: Salary Component,Do not include in total,कुल में शामिल न करें
 DocType: Company,Default Cost of Goods Sold Account,माल बेच खाते की डिफ़ॉल्ट लागत
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},नमूना मात्रा {0} प्राप्त मात्रा से अधिक नहीं हो सकती {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,मूल्य सूची चयनित नहीं
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},नमूना मात्रा {0} प्राप्त मात्रा से अधिक नहीं हो सकती {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,मूल्य सूची चयनित नहीं
 DocType: Employee,Family Background,पारिवारिक पृष्ठभूमि
 DocType: Request for Quotation Supplier,Send Email,ईमेल भेजें
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},चेतावनी: अमान्य अनुलग्नक {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},चेतावनी: अमान्य अनुलग्नक {0}
 DocType: Item,Max Sample Quantity,अधिकतम नमूना मात्रा
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,अनुमति नहीं है
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,अनुबंध पूर्ति चेकलिस्ट
@@ -1296,15 +1306,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: लागत केंद्र {2} कंपनी से संबंधित नहीं है {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),अपना लेटर हेड अपलोड करें (यह वेब के अनुकूल 9 00 पीएक्स तक 100px के रूप में रखें)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: खाता {2} एक समूह नहीं हो सकता है
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,आइटम पंक्ति {IDX}: {doctype} {} DOCNAME ऊपर में मौजूद नहीं है &#39;{} doctype&#39; तालिका
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} पहले ही पूरा या रद्द कर दिया है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} पहले ही पूरा या रद्द कर दिया है
+DocType: QuickBooks Migrator,QuickBooks Migrator,क्विकबुक माइग्रेटर
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,कोई कार्य
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,बिक्री चालान {0} भुगतान के रूप में बनाया गया
 DocType: Item Variant Settings,Copy Fields to Variant,फ़ील्ड्स को वेरिएंट कॉपी करें
 DocType: Asset,Opening Accumulated Depreciation,खुलने संचित मूल्यह्रास
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,स्कोर से कम या 5 के बराबर होना चाहिए
 DocType: Program Enrollment Tool,Program Enrollment Tool,कार्यक्रम नामांकन उपकरण
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,सी फार्म रिकॉर्ड
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,सी फार्म रिकॉर्ड
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,शेयर पहले से मौजूद हैं
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,ग्राहक और आपूर्तिकर्ता
 DocType: Email Digest,Email Digest Settings,ईमेल डाइजेस्ट सेटिंग
@@ -1317,12 +1327,12 @@
 DocType: Production Plan,Select Items,आइटम का चयन करें
 DocType: Share Transfer,To Shareholder,शेयरधारक को
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} विधेयक के खिलाफ {1} दिनांक {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,राज्य से
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,राज्य से
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,सेटअप संस्थान
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,पत्तियों को आवंटित करना ...
 DocType: Program Enrollment,Vehicle/Bus Number,वाहन / बस संख्या
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,पाठ्यक्रम अनुसूची
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",पेरोल अवधि की अंतिम वेतन पर्ची में आपको असमर्थित कर छूट प्रमाण और अनधिकृत \ कर्मचारी लाभ के लिए कर घटाया जाना है
 DocType: Request for Quotation Supplier,Quote Status,उद्धरण स्थिति
 DocType: GoCardless Settings,Webhooks Secret,वेबहुक्स सीक्रेट
@@ -1348,13 +1358,13 @@
 DocType: Sales Invoice,Payment Due Date,भुगतान की नियत तिथि
 DocType: Drug Prescription,Interval UOM,अंतराल UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","अचयनित करें, अगर सहेजे जाने के बाद चुना हुआ पता संपादित किया गया है"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,मद संस्करण {0} पहले से ही एक ही गुण के साथ मौजूद है
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,मद संस्करण {0} पहले से ही एक ही गुण के साथ मौजूद है
 DocType: Item,Hub Publishing Details,हब प्रकाशन विवरण
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;उद्घाटन&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;उद्घाटन&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,क्या करने के लिए ओपन
 DocType: Issue,Via Customer Portal,ग्राहक पोर्टल के माध्यम से
 DocType: Notification Control,Delivery Note Message,डिलिवरी नोट संदेश
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,एसजीएसटी राशि
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,एसजीएसटी राशि
 DocType: Lab Test Template,Result Format,परिणाम प्रारूप
 DocType: Expense Claim,Expenses,व्यय
 DocType: Item Variant Attribute,Item Variant Attribute,मद संस्करण गुण
@@ -1362,14 +1372,12 @@
 DocType: Payroll Entry,Bimonthly,द्विमासिक
 DocType: Vehicle Service,Brake Pad,ब्रेक पैड
 DocType: Fertilizer,Fertilizer Contents,उर्वरक सामग्री
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,अनुसंधान एवं विकास
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,अनुसंधान एवं विकास
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,बिल राशि
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","प्रारंभ तिथि और समाप्ति तिथि जॉब कार्ड <a href=""#Form/Job Card/{0}"">{1} के</a> साथ ओवरलैप कर रही है"
 DocType: Company,Registration Details,पंजीकरण के विवरण
 DocType: Timesheet,Total Billed Amount,कुल बिल राशि
 DocType: Item Reorder,Re-Order Qty,पुन: आदेश मात्रा
 DocType: Leave Block List Date,Leave Block List Date,ब्लॉक सूची तिथि छोड़ दो
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षा&gt; शिक्षा सेटिंग्स में प्रशिक्षक नामकरण प्रणाली सेट करें
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: कच्चा माल मुख्य आइटम के समान नहीं हो सकता
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,खरीद रसीद आइटम तालिका में कुल लागू शुल्कों के कुल करों और शुल्कों के रूप में ही होना चाहिए
 DocType: Sales Team,Incentives,प्रोत्साहन
@@ -1383,7 +1391,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,बिक्री केन्द्र
 DocType: Fee Schedule,Fee Creation Status,शुल्क निर्माण स्थिति
 DocType: Vehicle Log,Odometer Reading,ओडोमीटर की चिह्नित संख्या
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","खाते की शेष राशि पहले से ही क्रेडिट में है, कृपया आप शेष राशि को डेबिट के रूप में ही रखें"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","खाते की शेष राशि पहले से ही क्रेडिट में है, कृपया आप शेष राशि को डेबिट के रूप में ही रखें"
 DocType: Account,Balance must be,बैलेंस होना चाहिए
 DocType: Notification Control,Expense Claim Rejected Message,व्यय दावा संदेश अस्वीकृत
 ,Available Qty,उपलब्ध मात्रा
@@ -1395,7 +1403,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ऑर्डर विवरणों को सिंक करने से पहले हमेशा अपने उत्पादों को अमेज़ॅन MWS से सिंक करें
 DocType: Delivery Trip,Delivery Stops,डिलिवरी स्टॉप
 DocType: Salary Slip,Working Days,कार्यकारी दिनों
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},पंक्ति में आइटम के लिए सेवा रोक दिनांक बदल नहीं सकते {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},पंक्ति में आइटम के लिए सेवा रोक दिनांक बदल नहीं सकते {0}
 DocType: Serial No,Incoming Rate,आवक दर
 DocType: Packing Slip,Gross Weight,सकल भार
 DocType: Leave Type,Encashment Threshold Days,एनकैशमेंट थ्रेसहोल्ड दिन
@@ -1414,31 +1422,33 @@
 DocType: Restaurant Table,Minimum Seating,न्यूनतम बैठने
 DocType: Item Attribute,Item Attribute Values,आइटम विशेषता मान
 DocType: Examination Result,Examination Result,परीक्षा परिणाम
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,रसीद खरीद
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,रसीद खरीद
 ,Received Items To Be Billed,बिल करने के लिए प्राप्त आइटम
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,मुद्रा विनिमय दर मास्टर .
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,मुद्रा विनिमय दर मास्टर .
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},संदर्भ Doctype से एक होना चाहिए {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,फ़िल्टर करें कुल शून्य मात्रा
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन के लिए अगले {0} दिनों में टाइम स्लॉट पाने में असमर्थ {1}
 DocType: Work Order,Plan material for sub-assemblies,उप असेंबलियों के लिए योजना सामग्री
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,बिक्री भागीदारों और टेरिटरी
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,बीओएम {0} सक्रिय होना चाहिए
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,बीओएम {0} सक्रिय होना चाहिए
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,स्थानांतरण के लिए कोई आइटम उपलब्ध नहीं है
 DocType: Employee Boarding Activity,Activity Name,गतिविधि का नाम
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,रिलीज दिनांक बदलें
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,उत्पाद की मात्रा समाप्त हुई <b>{0}</b> और मात्रा के लिए <b>{1}</b> अलग नहीं हो सकता है
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,रिलीज दिनांक बदलें
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,उत्पाद की मात्रा समाप्त हुई <b>{0}</b> और मात्रा के लिए <b>{1}</b> अलग नहीं हो सकता है
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),समापन (उद्घाटन + कुल)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,आइटम कोड&gt; आइटम समूह&gt; ब्रांड
+DocType: Delivery Settings,Dispatch Notification Attachment,प्रेषण अधिसूचना अनुलग्नक
 DocType: Payroll Entry,Number Of Employees,कर्मचारियों की संख्या
 DocType: Journal Entry,Depreciation Entry,मूल्यह्रास एंट्री
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,पहला दस्तावेज़ प्रकार का चयन करें
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,पहला दस्तावेज़ प्रकार का चयन करें
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,इस रखरखाव भेंट रद्द करने से पहले सामग्री का दौरा {0} रद्द
 DocType: Pricing Rule,Rate or Discount,दर या डिस्काउंट
 DocType: Vital Signs,One Sided,एक तरफा
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},धारावाहिक नहीं {0} मद से संबंधित नहीं है {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,आवश्यक मात्रा
 DocType: Marketplace Settings,Custom Data,कस्टम डेटा
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,मौजूदा लेनदेन के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता है।
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},आइटम {0} के लिए सीरियल नंबर अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,मौजूदा लेनदेन के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता है।
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},आइटम {0} के लिए सीरियल नंबर अनिवार्य है
 DocType: Bank Reconciliation,Total Amount,कुल राशि
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,तिथि और तारीख से अलग-अलग वित्तीय वर्ष में झूठ बोलते हैं
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,रोगी {0} में चालान के लिए ग्राहक प्रतिरक्षा नहीं है
@@ -1449,9 +1459,9 @@
 DocType: Soil Texture,Clay Composition (%),क्ले संरचना (%)
 DocType: Item Group,Item Group Defaults,आइटम समूह डिफ़ॉल्ट
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,कार्य सौंपने से पहले कृपया सहेजें
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,शेष मूल्य
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,शेष मूल्य
 DocType: Lab Test,Lab Technician,प्रयोगशाला तकनीशियन
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,बिक्री मूल्य सूची
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,बिक्री मूल्य सूची
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","यदि चेक किया गया, तो एक ग्राहक बनाया जाएगा, रोगी को मैप किया जाएगा। इस ग्राहक के खिलाफ रोगी चालान बनाया जाएगा। आप पेशेंट बनाते समय मौजूदा ग्राहक का चयन भी कर सकते हैं"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ग्राहक किसी वफादारी कार्यक्रम में नामांकित नहीं है
@@ -1465,13 +1475,13 @@
 DocType: Support Search Source,Search Term Param Name,खोज शब्द पैराम नाम
 DocType: Item Barcode,Item Barcode,आइटम बारकोड
 DocType: Woocommerce Settings,Endpoints,endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,आइटम वेरिएंट {0} अद्यतन
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,आइटम वेरिएंट {0} अद्यतन
 DocType: Quality Inspection Reading,Reading 6,6 पढ़ना
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,नहीं {0} {1} {2} के बिना किसी भी नकारात्मक बकाया चालान कर सकते हैं
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,नहीं {0} {1} {2} के बिना किसी भी नकारात्मक बकाया चालान कर सकते हैं
 DocType: Share Transfer,From Folio No,फ़ोलियो नं। से
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,चालान अग्रिम खरीद
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},पंक्ति {0}: {1} क्रेडिट प्रविष्टि के साथ नहीं जोड़ा जा सकता है
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,एक वित्तीय वर्ष के लिए बजट को परिभाषित करें।
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,एक वित्तीय वर्ष के लिए बजट को परिभाषित करें।
 DocType: Shopify Tax Account,ERPNext Account,ईआरपीएनक्स्ट खाता
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} अवरुद्ध है इसलिए यह लेनदेन आगे नहीं बढ़ सकता है
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,एमआर पर संचित मासिक बजट से अधिक की कार्रवाई
@@ -1487,19 +1497,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,चालान खरीद
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,कार्य आदेश के विरुद्ध कई सामग्री की अनुमति दें
 DocType: GL Entry,Voucher Detail No,वाउचर विस्तार नहीं
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,नई बिक्री चालान
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,नई बिक्री चालान
 DocType: Stock Entry,Total Outgoing Value,कुल निवर्तमान मूल्य
 DocType: Healthcare Practitioner,Appointments,नियुक्ति
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,दिनांक और अंतिम तिथि खुलने एक ही वित्तीय वर्ष के भीतर होना चाहिए
 DocType: Lead,Request for Information,सूचना के लिए अनुरोध
 ,LeaderBoard,लीडरबोर्ड
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),मार्जिन के साथ दर (कंपनी मुद्रा)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,सिंक ऑफलाइन चालान
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,सिंक ऑफलाइन चालान
 DocType: Payment Request,Paid,भुगतान किया
 DocType: Program Fee,Program Fee,कार्यक्रम का शुल्क
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","अन्य सभी BOM में एक विशिष्ट BOM को बदलें जहां इसका उपयोग किया जाता है। यह पुराने बीओएम लिंक को बदल देगा, लागत को अद्यतन करेगा और नए बीओएम के अनुसार &quot;बीओएम विस्फोट मद&quot; तालिका को पुनर्जन्म करेगा। यह सभी बीओएम में नवीनतम कीमत भी अपडेट करता है।"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,निम्नलिखित कार्य आदेश बनाए गए:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,निम्नलिखित कार्य आदेश बनाए गए:
 DocType: Salary Slip,Total in words,शब्दों में कुल
 DocType: Inpatient Record,Discharged,छुट्टी दे दी
 DocType: Material Request Item,Lead Time Date,लीड दिनांक और समय
@@ -1510,16 +1520,16 @@
 DocType: Support Settings,Get Started Sections,अनुभाग शुरू करें
 DocType: Lead,CRM-LEAD-.YYYY.-,सीआरएम-लीड-.YYYY.-
 DocType: Loan,Sanctioned,स्वीकृत
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,अनिवार्य है। हो सकता है कि मुद्रा विनिमय रिकार्ड नहीं बनाई गई है
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: आइटम के लिए धारावाहिक नहीं निर्दिष्ट करें {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},कुल योगदान राशि: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: आइटम के लिए धारावाहिक नहीं निर्दिष्ट करें {1}
 DocType: Payroll Entry,Salary Slips Submitted,वेतन पर्ची जमा
 DocType: Crop Cycle,Crop Cycle,फसल चक्र
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;उत्पाद बंडल&#39; आइटम, गोदाम, सीरियल कोई और बैच के लिए नहीं &#39;पैकिंग सूची&#39; मेज से विचार किया जाएगा। गोदाम और बैच कोई &#39;किसी भी उत्पाद बंडल&#39; आइटम के लिए सभी मदों की पैकिंग के लिए ही कर रहे हैं, तो उन मूल्यों को मुख्य मद तालिका में दर्ज किया जा सकता है, मूल्यों की मेज &#39;पैकिंग सूची&#39; में कॉपी किया जाएगा।"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;उत्पाद बंडल&#39; आइटम, गोदाम, सीरियल कोई और बैच के लिए नहीं &#39;पैकिंग सूची&#39; मेज से विचार किया जाएगा। गोदाम और बैच कोई &#39;किसी भी उत्पाद बंडल&#39; आइटम के लिए सभी मदों की पैकिंग के लिए ही कर रहे हैं, तो उन मूल्यों को मुख्य मद तालिका में दर्ज किया जा सकता है, मूल्यों की मेज &#39;पैकिंग सूची&#39; में कॉपी किया जाएगा।"
 DocType: Amazon MWS Settings,BR,बीआर
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,जगह से
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,नेट पे नकारात्मक नहीं हो सकता है
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,जगह से
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,नेट पे नकारात्मक नहीं हो सकता है
 DocType: Student Admission,Publish on website,वेबसाइट पर प्रकाशित करें
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,आपूर्तिकर्ता चालान दिनांक पोस्ट दिनांक से बड़ा नहीं हो सकता है
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,आपूर्तिकर्ता चालान दिनांक पोस्ट दिनांक से बड़ा नहीं हो सकता है
 DocType: Installation Note,MAT-INS-.YYYY.-,मेट-आईएनएस-.YYYY.-
 DocType: Subscription,Cancelation Date,रद्द करने की तारीख
 DocType: Purchase Invoice Item,Purchase Order Item,खरीद आदेश आइटम
@@ -1528,7 +1538,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,छात्र उपस्थिति उपकरण
 DocType: Restaurant Menu,Price List (Auto created),मूल्य सूची (ऑटो बनाया)
 DocType: Cheque Print Template,Date Settings,दिनांक सेटिंग
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,झगड़ा
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,झगड़ा
 DocType: Employee Promotion,Employee Promotion Detail,कर्मचारी पदोन्नति विस्तार
 ,Company Name,कंपनी का नाम
 DocType: SMS Center,Total Message(s),कुल संदेश (ओं )
@@ -1557,7 +1567,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,कर्मचारी जन्मदिन अनुस्मारक न भेजें
 DocType: Expense Claim,Total Advance Amount,कुल अग्रिम राशि
 DocType: Delivery Stop,Estimated Arrival,अनुमानित आगमन
-DocType: Delivery Stop,Notified by Email,ईमेल द्वारा अधिसूचित
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,सभी लेख देखें
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,में चलो
 DocType: Item,Inspection Criteria,निरीक्षण मानदंड
@@ -1567,22 +1576,21 @@
 DocType: Timesheet Detail,Bill,बिल
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,सफेद
 DocType: SMS Center,All Lead (Open),सभी लीड (ओपन)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),पंक्ति {0}: मात्रा के लिए उपलब्ध नहीं {4} गोदाम में {1} प्रवेश के समय पोस्टिंग पर ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),पंक्ति {0}: मात्रा के लिए उपलब्ध नहीं {4} गोदाम में {1} प्रवेश के समय पोस्टिंग पर ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,आप केवल चेक बॉक्स की सूची में अधिकतम एक विकल्प चुन सकते हैं।
 DocType: Purchase Invoice,Get Advances Paid,भुगतान किए गए अग्रिम जाओ
 DocType: Item,Automatically Create New Batch,स्वचालित रूप से नया बैच बनाएं
 DocType: Supplier,Represents Company,कंपनी का प्रतिनिधित्व करता है
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,मेक
 DocType: Student Admission,Admission Start Date,प्रवेश प्रारंभ तिथि
 DocType: Journal Entry,Total Amount in Words,शब्दों में कुल राशि
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,नए कर्मचारी
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,कोई त्रुटि हुई थी . एक संभावित कारण यह है कि आप प्रपत्र को बचाया नहीं किया है कि हो सकता है. यदि समस्या बनी रहती support@erpnext.com से संपर्क करें.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,मेरी गाड़ी
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},आदेश प्रकार का होना चाहिए {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},आदेश प्रकार का होना चाहिए {0}
 DocType: Lead,Next Contact Date,अगले संपर्क तिथि
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,खुलने मात्रा
 DocType: Healthcare Settings,Appointment Reminder,नियुक्ति अनुस्मारक
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,राशि परिवर्तन के लिए खाता दर्ज करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,राशि परिवर्तन के लिए खाता दर्ज करें
 DocType: Program Enrollment Tool Student,Student Batch Name,छात्र बैच नाम
 DocType: Holiday List,Holiday List Name,अवकाश सूची नाम
 DocType: Repayment Schedule,Balance Loan Amount,शेष ऋण की राशि
@@ -1592,13 +1600,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,पूँजी विकल्प
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,कार्ट में कोई आइटम नहीं जोड़ा गया
 DocType: Journal Entry Account,Expense Claim,व्यय दावा
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,आप वास्तव में इस संपत्ति को खत्म कर दिया बहाल करने के लिए करना चाहते हैं?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,आप वास्तव में इस संपत्ति को खत्म कर दिया बहाल करने के लिए करना चाहते हैं?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},के लिए मात्रा {0}
 DocType: Leave Application,Leave Application,छुट्टी की अर्ज़ी
 DocType: Patient,Patient Relation,रोगी संबंध
 DocType: Item,Hub Category to Publish,हब श्रेणी प्रकाशित करने के लिए
 DocType: Leave Block List,Leave Block List Dates,ब्लॉक सूची तिथियां छोड़ो
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","बिक्री आदेश {0} में आइटम {1} के लिए आरक्षण है, आप केवल {0} के खिलाफ आरक्षित {1} वितरित कर सकते हैं। सीरियल नंबर {2} वितरित नहीं किया जा सकता है"
 DocType: Sales Invoice,Billing Address GSTIN,बिलिंग पता GSTIN
@@ -1616,16 +1624,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},कृपया बताएं कि एक {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,मात्रा या मूल्य में कोई परिवर्तन से हटाया आइटम नहीं है।
 DocType: Delivery Note,Delivery To,करने के लिए डिलिवरी
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,संस्करण निर्माण कतारबद्ध किया गया है।
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} के लिए कार्य सारांश
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,संस्करण निर्माण कतारबद्ध किया गया है।
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} के लिए कार्य सारांश
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,सूची में पहला अवकाश अनुमान डिफ़ॉल्ट छुट्टी अनुमानक के रूप में सेट किया जाएगा।
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,गुण तालिका अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,गुण तालिका अनिवार्य है
 DocType: Production Plan,Get Sales Orders,विक्रय आदेश
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ऋणात्मक नहीं हो सकता
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Quickbooks से कनेक्ट करें
 DocType: Training Event,Self-Study,स्वयं अध्ययन
 DocType: POS Closing Voucher,Period End Date,अवधि समाप्ति तिथि
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,मृदा रचनाएं 100 तक नहीं जोड़तीं
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,छूट
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,पंक्ति {0}: {1} खोलने {2} चालान बनाने के लिए आवश्यक है
 DocType: Membership,Membership,सदस्यता
 DocType: Asset,Total Number of Depreciations,कुल depreciations की संख्या
 DocType: Sales Invoice Item,Rate With Margin,मार्जिन के साथ दर
@@ -1636,7 +1646,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},तालिका में पंक्ति {0} के लिए एक वैध पंक्ति आईडी निर्दिष्ट करें {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,वेरिएबल खोजने में असमर्थ:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,नमपैड से संपादित करने के लिए कृपया कोई फ़ील्ड चुनें
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,स्टॉक लेजर बनने के रूप में एक निश्चित संपत्ति आइटम नहीं हो सकता।
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,स्टॉक लेजर बनने के रूप में एक निश्चित संपत्ति आइटम नहीं हो सकता।
 DocType: Subscription Plan,Fixed rate,निर्धारित दर
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,स्वीकार करना
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,डेस्कटॉप के लिए जाना और ERPNext का उपयोग शुरू
@@ -1670,7 +1680,7 @@
 DocType: Tax Rule,Shipping State,जहाजरानी राज्य
 ,Projected Quantity as Source,स्रोत के रूप में पेश मात्रा
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,आइटम बटन 'खरीद प्राप्तियों से आइटम प्राप्त' का उपयोग कर जोड़ा जाना चाहिए
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,डिलिवरी ट्रिप
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,डिलिवरी ट्रिप
 DocType: Student,A-,ए-
 DocType: Share Transfer,Transfer Type,स्थानांतरण प्रकार
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,बिक्री व्यय
@@ -1683,8 +1693,9 @@
 DocType: Item Default,Default Selling Cost Center,डिफ़ॉल्ट बिक्री लागत केंद्र
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,डिस्क
 DocType: Buying Settings,Material Transferred for Subcontract,उपखंड के लिए सामग्री हस्तांतरित
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,पिन कोड
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},बिक्री आदेश {0} है {1}
+DocType: Email Digest,Purchase Orders Items Overdue,ऑर्डर आइटम ओवरड्यू खरीदें
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,पिन कोड
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},बिक्री आदेश {0} है {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},ऋण में ब्याज आय खाता चुनें {0}
 DocType: Opportunity,Contact Info,संपर्क जानकारी
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,स्टॉक प्रविष्टियां बनाना
@@ -1697,12 +1708,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,शून्य बिलिंग घंटे के लिए चालान नहीं किया जा सकता
 DocType: Company,Date of Commencement,प्रारंभ होने की तिथि
 DocType: Sales Person,Select company name first.,कंपनी 1 नाम का चयन करें.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ईमेल भेजा {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ईमेल भेजा {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,कोटेशन आपूर्तिकर्ता से प्राप्त किया.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,बीओएम को बदलें और सभी बीओएम में नवीनतम मूल्य अपडेट करें
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,यह एक रूट सप्लायर समूह है और इसे संपादित नहीं किया जा सकता है।
-DocType: Delivery Trip,Driver Name,चालक का नाम
+DocType: Delivery Note,Driver Name,चालक का नाम
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,औसत आयु
 DocType: Education Settings,Attendance Freeze Date,उपस्थिति फ्रीज तिथि
 DocType: Payment Request,Inward,आंतरिक
@@ -1713,7 +1724,7 @@
 DocType: Company,Parent Company,मूल कंपनी
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},होटल कमरे प्रकार {0} पर अनुपलब्ध हैं {1}
 DocType: Healthcare Practitioner,Default Currency,डिफ़ॉल्ट मुद्रा
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,आइटम {0} के लिए अधिकतम छूट {1}% है
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,आइटम {0} के लिए अधिकतम छूट {1}% है
 DocType: Asset Movement,From Employee,कर्मचारी से
 DocType: Driver,Cellphone Number,सेलफोन नंबर
 DocType: Project,Monitor Progress,प्रगति की निगरानी करें
@@ -1729,19 +1740,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},मात्रा से कम या बराबर होना चाहिए {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},घटक {0} के लिए योग्य अधिकतम राशि {1} से अधिक है
 DocType: Department Approver,Department Approver,विभाग के दृष्टिकोण
+DocType: QuickBooks Migrator,Application Settings,अनुप्रयोग सेटिंग
 DocType: SMS Center,Total Characters,कुल वर्ण
 DocType: Employee Advance,Claimed,दावा किया
 DocType: Crop,Row Spacing,पंक्ति रिक्ति
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},आइटम के लिए बीओएम क्षेत्र में बीओएम चयन करें {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},आइटम के लिए बीओएम क्षेत्र में बीओएम चयन करें {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,चयनित आइटम के लिए कोई आइटम प्रकार नहीं है
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,सी - फार्म के चालान विस्तार
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,भुगतान सुलह चालान
 DocType: Clinical Procedure,Procedure Template,प्रक्रिया टेम्पलेट
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,अंशदान%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ख़रीद सेटिंग के अनुसार यदि खरीद आदेश की आवश्यकता है == &#39;हां&#39;, फिर खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहले खरीद आदेश बनाने की आवश्यकता है {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,अंशदान%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ख़रीद सेटिंग के अनुसार यदि खरीद आदेश की आवश्यकता है == &#39;हां&#39;, फिर खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहले खरीद आदेश बनाने की आवश्यकता है {0}"
 ,HSN-wise-summary of outward supplies,बाह्य आपूर्ति के एचएसएन-वार-सारांश
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,कंपनी अपने संदर्भ के लिए पंजीकरण संख्या. टैक्स आदि संख्या
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,कहना
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,कहना
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,वितरक
 DocType: Asset Finance Book,Asset Finance Book,संपत्ति वित्त पुस्तक
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,शॉपिंग कार्ट नौवहन नियम
@@ -1750,7 +1762,7 @@
 ,Ordered Items To Be Billed,हिसाब से बिलिंग किए आइटम
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,सीमा कम हो गया है से की तुलना में श्रृंखला के लिए
 DocType: Global Defaults,Global Defaults,वैश्विक मूलभूत
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,परियोजना सहयोग निमंत्रण
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,परियोजना सहयोग निमंत्रण
 DocType: Salary Slip,Deductions,कटौती
 DocType: Setup Progress Action,Action Name,क्रिया का नाम
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,साल की शुरुआत
@@ -1764,11 +1776,12 @@
 DocType: Lead,Consultant,सलाहकार
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,माता-पिता शिक्षक बैठक में उपस्थिति
 DocType: Salary Slip,Earnings,कमाई
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,तैयार आइटम {0} निर्माण प्रकार प्रविष्टि के लिए दर्ज होना चाहिए
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,तैयार आइटम {0} निर्माण प्रकार प्रविष्टि के लिए दर्ज होना चाहिए
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,खुलने का लेखा बैलेंस
 ,GST Sales Register,जीएसटी बिक्री रजिस्टर
 DocType: Sales Invoice Advance,Sales Invoice Advance,बिक्री चालान अग्रिम
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,अनुरोध करने के लिए कुछ भी नहीं
+DocType: Stock Settings,Default Return Warehouse,डिफ़ॉल्ट रिटर्न वेयरहाउस
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,अपने डोमेन का चयन करें
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify प्रदायक
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,भुगतान चालान आइटम
@@ -1777,15 +1790,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,खेतों के निर्माण के समय ही पर प्रतिलिपि किया जाएगा
 DocType: Setup Progress Action,Domains,डोमेन
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',' वास्तविक प्रारंभ दिनांक ' वास्तविक अंत तिथि ' से बड़ा नहीं हो सकता
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,प्रबंधन
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,प्रबंधन
 DocType: Cheque Print Template,Payer Settings,भुगतानकर्ता सेटिंग
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,दिए गए आइटमों के लिए लिंक करने के लिए कोई लंबित सामग्री अनुरोध नहीं मिला।
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,पहले कंपनी का चयन करें
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","इस प्रकार के आइटम कोड के साथ संलग्न किया जाएगा। अपने संक्षिप्त नाम ""एसएम"", और अगर उदाहरण के लिए, मद कोड ""टी शर्ट"", ""टी-शर्ट एस.एम."" हो जाएगा संस्करण के मद कोड है"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,एक बार जब आप को वेतन पर्ची सहेजे शुद्ध वेतन (शब्दों) में दिखाई जाएगी।
 DocType: Delivery Note,Is Return,वापसी है
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,सावधान
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',कार्य दिवस &#39;{0}&#39; में अंतिम दिन से अधिक है
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,वापसी / डेबिट नोट
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,वापसी / डेबिट नोट
 DocType: Price List Country,Price List Country,मूल्य सूची देश
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},आइटम के लिए {0} वैध धारावाहिक नग {1}
@@ -1798,13 +1812,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,अनुदान जानकारी
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,प्रदायक डेटाबेस.
 DocType: Contract Template,Contract Terms and Conditions,अनुबंध नियम और शर्तें
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,आप एक सदस्यता को पुनरारंभ नहीं कर सकते जो रद्द नहीं किया गया है।
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,आप एक सदस्यता को पुनरारंभ नहीं कर सकते जो रद्द नहीं किया गया है।
 DocType: Account,Balance Sheet,बैलेंस शीट
 DocType: Leave Type,Is Earned Leave,अर्जित छुट्टी है
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ','आइटम कोड के साथ आइटम के लिए केंद्र का खर्च
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ','आइटम कोड के साथ आइटम के लिए केंद्र का खर्च
 DocType: Fee Validity,Valid Till,तक मान्य है
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,कुल माता-पिता शिक्षक बैठक
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","भुगतान मोड कॉन्फ़िगर नहीं है। कृपया चेक, चाहे खाता भुगतान के मोड पर या पीओएस प्रोफाइल पर स्थापित किया गया है।"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","भुगतान मोड कॉन्फ़िगर नहीं है। कृपया चेक, चाहे खाता भुगतान के मोड पर या पीओएस प्रोफाइल पर स्थापित किया गया है।"
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,एक ही मद कई बार दर्ज नहीं किया जा सकता है।
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","इसके अलावा खातों समूह के तहत बनाया जा सकता है, लेकिन प्रविष्टियों गैर समूहों के खिलाफ बनाया जा सकता है"
 DocType: Lead,Lead,नेतृत्व
@@ -1813,11 +1827,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,एमडब्ल्यूएस ऑथ टोकन
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,स्टॉक एंट्री {0} बनाया
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,आपने रिडीम करने के लिए वफादारी अंक नहीं खरीदे हैं
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,पंक्ति # {0}: मात्रा क्रय वापसी में दर्ज नहीं किया जा सकता अस्वीकृत
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},कंपनी के खिलाफ टैक्स रोकथाम श्रेणी {0} में संबंधित खाता सेट करें {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,पंक्ति # {0}: मात्रा क्रय वापसी में दर्ज नहीं किया जा सकता अस्वीकृत
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,चयनित ग्राहक के लिए ग्राहक समूह को बदलने की अनुमति नहीं है।
 ,Purchase Order Items To Be Billed,बिल के लिए खरीद आदेश आइटम
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,अनुमानित आगमन के समय को अपडेट कर रहा है।
 DocType: Program Enrollment Tool,Enrollment Details,नामांकन विवरण
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,किसी कंपनी के लिए एकाधिक आइटम डिफ़ॉल्ट सेट नहीं कर सकते हैं।
 DocType: Purchase Invoice Item,Net Rate,असल दर
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,कृपया एक ग्राहक का चयन करें
 DocType: Leave Policy,Leave Allocations,आवंटन छोड़ो
@@ -1846,7 +1862,7 @@
 DocType: Loan Application,Repayment Info,चुकौती जानकारी
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,' प्रविष्टियां ' खाली नहीं हो सकती
 DocType: Maintenance Team Member,Maintenance Role,रखरखाव भूमिका
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},डुप्लिकेट पंक्ति {0} के साथ एक ही {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},डुप्लिकेट पंक्ति {0} के साथ एक ही {1}
 DocType: Marketplace Settings,Disable Marketplace,बाज़ार अक्षम करें
 ,Trial Balance,शेष - परीक्षण
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,वित्त वर्ष {0} नहीं मिला
@@ -1857,9 +1873,9 @@
 DocType: Student,O-,हे
 DocType: Subscription Settings,Subscription Settings,सदस्यता सेटिंग्स
 DocType: Purchase Invoice,Update Auto Repeat Reference,ऑटो दोहराना संदर्भ अद्यतन करें
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},वैकल्पिक अवकाश सूची छुट्टी अवधि के लिए सेट नहीं है {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},वैकल्पिक अवकाश सूची छुट्टी अवधि के लिए सेट नहीं है {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,अनुसंधान
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,पता करने के लिए 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,पता करने के लिए 2
 DocType: Maintenance Visit Purpose,Work Done,करेंकिया गया काम
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,गुण तालिका में कम से कम एक विशेषता निर्दिष्ट करें
 DocType: Announcement,All Students,सभी छात्र
@@ -1869,16 +1885,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,समेकित लेनदेन
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,शीघ्रातिशीघ्र
 DocType: Crop Cycle,Linked Location,लिंक किया गया स्थान
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","एक आइटम समूह में एक ही नाम के साथ मौजूद है , वस्तु का नाम बदलने के लिए या आइटम समूह का नाम बदलने के लिए कृपया"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","एक आइटम समूह में एक ही नाम के साथ मौजूद है , वस्तु का नाम बदलने के लिए या आइटम समूह का नाम बदलने के लिए कृपया"
 DocType: Crop Cycle,Less than a year,एक साल से कम
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,छात्र मोबाइल नंबर
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,शेष विश्व
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,शेष विश्व
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,आइटम {0} बैच नहीं हो सकता
 DocType: Crop,Yield UOM,यील्ड यूओएम
 ,Budget Variance Report,बजट विचरण रिपोर्ट
 DocType: Salary Slip,Gross Pay,सकल वेतन
 DocType: Item,Is Item from Hub,हब से मद है
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,हेल्थकेयर सेवाओं से आइटम प्राप्त करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,हेल्थकेयर सेवाओं से आइटम प्राप्त करें
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,पंक्ति {0}: गतिविधि प्रकार अनिवार्य है।
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,सूद अदा किया
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,लेखा बही
@@ -1893,6 +1909,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,भुगतान का प्रकार
 DocType: Purchase Invoice,Supplied Items,आपूर्ति आइटम
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},रेस्तरां {0} के लिए एक सक्रिय मेनू सेट करें
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,आयोग दर %
 DocType: Work Order,Qty To Manufacture,विनिर्माण मात्रा
 DocType: Email Digest,New Income,नई आय
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,खरीद चक्र के दौरान एक ही दर बनाए रखें
@@ -1907,12 +1924,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},मूल्यांकन दर पंक्ति में आइटम के लिए आवश्यक {0}
 DocType: Supplier Scorecard,Scorecard Actions,स्कोरकार्ड क्रियाएँ
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,उदाहरण: कंप्यूटर विज्ञान में परास्नातक
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},प्रदायक {0} {1} में नहीं मिला
 DocType: Purchase Invoice,Rejected Warehouse,अस्वीकृत वेअरहाउस
 DocType: GL Entry,Against Voucher,वाउचर के खिलाफ
 DocType: Item Default,Default Buying Cost Center,डिफ़ॉल्ट ख़रीदना लागत केंद्र
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext के बाहर का सबसे अच्छा पाने के लिए, हम आपको कुछ समय लगेगा और इन की मदद से वीडियो देखने के लिए सलाह देते हैं।"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),डिफ़ॉल्ट प्रदायक (वैकल्पिक) के लिए
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,को
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),डिफ़ॉल्ट प्रदायक (वैकल्पिक) के लिए
 DocType: Supplier Quotation Item,Lead Time in days,दिनों में लीड समय
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,लेखा देय सारांश
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},जमे खाता संपादित करने के लिए अधिकृत नहीं {0}
@@ -1921,7 +1938,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,कोटेशन के लिए नए अनुरोध के लिए चेतावनी दें
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,खरीद आदेश आप की योजना में मदद मिलेगी और अपनी खरीद पर का पालन करें
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,लैब टेस्ट प्रिस्क्रिप्शन
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",कुल अंक / स्थानांतरण मात्रा {0} सामग्री अनुरोध में {1} \ मद के लिए अनुरोध मात्रा {2} से बड़ा नहीं हो सकता है {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,छोटा
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","यदि Shopify में ऑर्डर में कोई ग्राहक नहीं है, तो ऑर्डर समन्वयित करते समय, सिस्टम ऑर्डर के लिए डिफ़ॉल्ट ग्राहक पर विचार करेगा"
@@ -1933,6 +1950,7 @@
 DocType: Project,% Completed,% पूर्ण
 ,Invoiced Amount (Exculsive Tax),चालान राशि ( Exculsive टैक्स )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,आइटम 2
+DocType: QuickBooks Migrator,Authorization Endpoint,प्रमाणीकरण एंडपॉइंट
 DocType: Travel Request,International,अंतरराष्ट्रीय
 DocType: Training Event,Training Event,प्रशिक्षण घटना
 DocType: Item,Auto re-order,ऑटो पुनः आदेश
@@ -1941,24 +1959,24 @@
 DocType: Contract,Contract,अनुबंध
 DocType: Plant Analysis,Laboratory Testing Datetime,प्रयोगशाला परीक्षण Datetime
 DocType: Email Digest,Add Quote,उद्धरण जोड़ें
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM के लिए आवश्यक UOM coversion पहलू: {0} मद में: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM के लिए आवश्यक UOM coversion पहलू: {0} मद में: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,अप्रत्यक्ष व्यय
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,पंक्ति {0}: मात्रा अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,पंक्ति {0}: मात्रा अनिवार्य है
 DocType: Agriculture Analysis Criteria,Agriculture,कृषि
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,बिक्री आदेश बनाएँ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,संपत्ति के लिए लेखांकन प्रविष्टि
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,ब्लॉक चालान
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,संपत्ति के लिए लेखांकन प्रविष्टि
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,ब्लॉक चालान
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,बनाने के लिए मात्रा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,सिंक मास्टर डाटा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,सिंक मास्टर डाटा
 DocType: Asset Repair,Repair Cost,मरम्मत की लागत
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,अपने उत्पादों या सेवाओं
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,लॉगिन करने में विफल
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,संपत्ति {0} बनाई गई
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,संपत्ति {0} बनाई गई
 DocType: Special Test Items,Special Test Items,विशेष टेस्ट आइटम
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,बाज़ार प्रबंधक पर पंजीकरण करने के लिए आपको सिस्टम मैनेजर और आइटम मैनेजर भूमिकाओं के साथ एक उपयोगकर्ता होने की आवश्यकता है।
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,भुगतान की रीति
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,आपके असाइन किए गए वेतन संरचना के अनुसार आप लाभ के लिए आवेदन नहीं कर सकते हैं
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,वेबसाइट छवि एक सार्वजनिक फ़ाइल या वेबसाइट URL होना चाहिए
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,वेबसाइट छवि एक सार्वजनिक फ़ाइल या वेबसाइट URL होना चाहिए
 DocType: Purchase Invoice Item,BOM,बीओएम
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,यह एक रूट आइटम समूह है और संपादित नहीं किया जा सकता है .
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,मर्ज
@@ -1967,7 +1985,8 @@
 DocType: Warehouse,Warehouse Contact Info,वेयरहाउस संपर्क जानकारी
 DocType: Payment Entry,Write Off Difference Amount,बंद लिखें अंतर राशि
 DocType: Volunteer,Volunteer Name,स्वयंसेवक का नाम
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल नहीं मिला है, इसलिए नहीं भेजा गया ईमेल"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},अन्य पंक्तियों में डुप्लिकेट देय तिथियों वाली पंक्तियां मिलीं: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल नहीं मिला है, इसलिए नहीं भेजा गया ईमेल"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},दिए गए दिनांक पर कर्मचारी {0} के लिए आवंटित कोई वेतन संरचना {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},देश के लिए नौवहन नियम लागू नहीं है {0}
 DocType: Item,Foreign Trade Details,विदेश व्यापार विवरण
@@ -1975,16 +1994,16 @@
 DocType: Email Digest,Annual Income,वार्षिक आय
 DocType: Serial No,Serial No Details,धारावाहिक नहीं विवरण
 DocType: Purchase Invoice Item,Item Tax Rate,आइटम कर की दर
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,पार्टी नाम से
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,पार्टी नाम से
 DocType: Student Group Student,Group Roll Number,समूह रोल संख्या
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, केवल ऋण खातों अन्य डेबिट प्रविष्टि के खिलाफ जोड़ा जा सकता है के लिए"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया गया है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया गया है
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,आइटम {0} एक उप अनुबंधित आइटम होना चाहिए
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,राजधानी उपकरणों
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","मूल्य निर्धारण नियम पहला आइटम, आइटम समूह या ब्रांड हो सकता है, जो क्षेत्र 'पर लागू होते हैं' के आधार पर चुना जाता है."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,कृपया आइटम कोड पहले सेट करें
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,डॉक्टर के प्रकार
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,बिक्री टीम के लिए कुल आवंटित 100 प्रतिशत होना चाहिए
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,डॉक्टर के प्रकार
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,बिक्री टीम के लिए कुल आवंटित 100 प्रतिशत होना चाहिए
 DocType: Subscription Plan,Billing Interval Count,बिलिंग अंतराल गणना
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,नियुक्तियों और रोगी Encounters
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,मूल्य गुम है
@@ -1998,6 +2017,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,प्रिंट प्रारूप बनाएं
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,शुल्क बनाया
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},किसी भी आइटम बुलाया नहीं मिला {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,आइटम फ़िल्टर करें
 DocType: Supplier Scorecard Criteria,Criteria Formula,मानदंड फॉर्मूला
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,कुल निवर्तमान
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","केवल "" मूल्य "" के लिए 0 या रिक्त मान के साथ एक शिपिंग शासन की स्थिति नहीं हो सकता"
@@ -2006,14 +2026,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","किसी आइटम {0} के लिए, मात्रा सकारात्मक संख्या होना चाहिए"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,नोट : इस लागत केंद्र एक समूह है . समूहों के खिलाफ लेखांकन प्रविष्टियों नहीं कर सकता.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,मुआवजा छोड़ने के अनुरोध दिन वैध छुट्टियों में नहीं
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल गोदाम इस गोदाम के लिए मौजूद है। आप इस गोदाम को नष्ट नहीं कर सकते हैं।
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल गोदाम इस गोदाम के लिए मौजूद है। आप इस गोदाम को नष्ट नहीं कर सकते हैं।
 DocType: Item,Website Item Groups,वेबसाइट आइटम समूह
 DocType: Purchase Invoice,Total (Company Currency),कुल (कंपनी मुद्रा)
 DocType: Daily Work Summary Group,Reminder,अनुस्मारक
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,सुलभ मूल्य
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,सुलभ मूल्य
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,सीरियल नंबर {0} एक बार से अधिक दर्ज किया
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,जर्नल प्रविष्टि
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,जीएसटीआईएन से
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,जीएसटीआईएन से
 DocType: Expense Claim Advance,Unclaimed amount,लावारिस राशि
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} प्रगति में आइटम
 DocType: Workstation,Workstation Name,वर्कस्टेशन नाम
@@ -2021,7 +2041,7 @@
 DocType: POS Item Group,POS Item Group,पीओएस मद समूह
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,डाइजेस्ट ईमेल:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,वैकल्पिक आइटम आइटम कोड के समान नहीं होना चाहिए
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},बीओएम {0} मद से संबंधित नहीं है {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},बीओएम {0} मद से संबंधित नहीं है {1}
 DocType: Sales Partner,Target Distribution,लक्ष्य वितरण
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 अस्थायी मूल्यांकन का अंतिम रूप देना
 DocType: Salary Slip,Bank Account No.,बैंक खाता नहीं
@@ -2030,7 +2050,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","स्कोरकार्ड चर का इस्तेमाल किया जा सकता है, साथ ही साथ: {total_score} (उस अवधि से कुल स्कोर), {period_number} (वर्तमान समय की अवधि की संख्या)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,सभी को संकुचित करें
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,सभी को संकुचित करें
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,खरीद आदेश बनाएँ
 DocType: Quality Inspection Reading,Reading 8,8 पढ़ना
 DocType: Inpatient Record,Discharge Note,निर्वहन नोट
@@ -2046,7 +2066,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,विशेषाधिकार छुट्टी
 DocType: Purchase Invoice,Supplier Invoice Date,प्रदायक चालान तिथि
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,यह मान प्रो-राटा अस्थायी गणना के लिए उपयोग किया जाता है
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,आप खरीदारी की टोकरी में सक्रिय करने की जरूरत
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,आप खरीदारी की टोकरी में सक्रिय करने की जरूरत
 DocType: Payment Entry,Writeoff,बट्टे खाते डालना
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,मेट-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,नामकरण श्रृंखला उपसर्ग
@@ -2061,11 +2081,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,बीच पाया ओवरलैपिंग की स्थिति :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,जर्नल के खिलाफ एंट्री {0} पहले से ही कुछ अन्य वाउचर के खिलाफ निकाला जाता है
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,कुल ऑर्डर मूल्य
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,भोजन
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,भोजन
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,बूढ़े रेंज 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,पीओएस समापन वाउचर विवरण
 DocType: Shopify Log,Shopify Log,शॉपिफा लॉग करें
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,कृपया सेटअप&gt; सेटिंग्स&gt; नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला सेट करें
 DocType: Inpatient Occupancy,Check In,चेक इन
 DocType: Maintenance Schedule Item,No of Visits,यात्राओं की संख्या
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},रखरखाव अनुसूची {0} के खिलाफ मौजूद है {1}
@@ -2105,6 +2124,7 @@
 DocType: Salary Structure,Max Benefits (Amount),अधिकतम लाभ (राशि)
 DocType: Purchase Invoice,Contact Person,संपर्क व्यक्ति
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',' उम्मीद प्रारंभ दिनांक ' 'की आशा की समाप्ति तिथि' से बड़ा नहीं हो सकता
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,इस अवधि के लिए कोई डेटा नहीं
 DocType: Course Scheduling Tool,Course End Date,कोर्स समाप्ति तिथि
 DocType: Holiday List,Holidays,छुट्टियां
 DocType: Sales Order Item,Planned Quantity,नियोजित मात्रा
@@ -2116,7 +2136,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,निश्चित परिसंपत्ति में शुद्ध परिवर्तन
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd मात्रा
 DocType: Leave Control Panel,Leave blank if considered for all designations,रिक्त छोड़ अगर सभी पदनाम के लिए विचार
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},मैक्स: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime से
 DocType: Shopify Settings,For Company,कंपनी के लिए
@@ -2129,9 +2149,9 @@
 DocType: Material Request,Terms and Conditions Content,नियम और शर्तें सामग्री
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,कोर्स की अनुसूची बनाने में त्रुटियां थीं
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,सूची में पहला व्यय अनुमान डिफ़ॉल्ट व्यय अनुमान के रूप में सेट किया जाएगा।
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 से अधिक नहीं हो सकता
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 से अधिक नहीं हो सकता
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,बाज़ार प्रबंधक पर पंजीकरण करने के लिए आपको सिस्टम मैनेजर और आइटम प्रबंधक भूमिकाओं के साथ प्रशासक के अलावा अन्य उपयोगकर्ता होने की आवश्यकता है।
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,आइटम {0} भंडार वस्तु नहीं है
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,आइटम {0} भंडार वस्तु नहीं है
 DocType: Packing Slip,MAT-PAC-.YYYY.-,मेट-पीएसी .YYYY.-
 DocType: Maintenance Visit,Unscheduled,अनिर्धारित
 DocType: Employee,Owned,स्वामित्व
@@ -2159,7 +2179,7 @@
 DocType: HR Settings,Employee Settings,कर्मचारी सेटिंग्स
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,भुगतान प्रणाली लोड हो रहा है
 ,Batch-Wise Balance History,बैच वार बैलेंस इतिहास
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,पंक्ति # {0}: आइटम {1} के लिए बिल राशि से अधिक होने पर दर निर्धारित नहीं कर सकता है।
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,पंक्ति # {0}: आइटम {1} के लिए बिल राशि से अधिक होने पर दर निर्धारित नहीं कर सकता है।
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,प्रिंट सेटिंग्स संबंधित प्रिंट प्रारूप में अद्यतन
 DocType: Package Code,Package Code,पैकेज कोड
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,शिक्षु
@@ -2168,7 +2188,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","एक स्ट्रिंग के रूप में आइटम गुरु से दिलवाया है और इस क्षेत्र में संग्रहित कर विस्तार मेज।
  करों और शुल्कों के लिए प्रयुक्त"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,कर्मचारी खुद को रिपोर्ट नहीं कर सकते हैं।
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,कर्मचारी खुद को रिपोर्ट नहीं कर सकते हैं।
 DocType: Leave Type,Max Leaves Allowed,अधिकतम पत्तियां अनुमत
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","खाता जमे हुए है , तो प्रविष्टियों प्रतिबंधित उपयोगकर्ताओं की अनुमति है."
 DocType: Email Digest,Bank Balance,बैंक में जमा राशि
@@ -2194,6 +2214,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,बैंक लेनदेन प्रविष्टियां
 DocType: Quality Inspection,Readings,रीडिंग
 DocType: Stock Entry,Total Additional Costs,कुल अतिरिक्त लागत
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,इंटरैक्शन की संख्या नहीं
 DocType: BOM,Scrap Material Cost(Company Currency),स्क्रैप सामग्री लागत (कंपनी मुद्रा)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,उप असेंबलियों
 DocType: Asset,Asset Name,एसेट का नाम
@@ -2201,10 +2222,10 @@
 DocType: Shipping Rule Condition,To Value,मूल्य के लिए
 DocType: Loyalty Program,Loyalty Program Type,वफादारी कार्यक्रम प्रकार
 DocType: Asset Movement,Stock Manager,शेयर प्रबंधक
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},स्रोत गोदाम पंक्ति के लिए अनिवार्य है {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},स्रोत गोदाम पंक्ति के लिए अनिवार्य है {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,{0} पंक्ति में भुगतान अवधि संभवतः एक डुप्लिकेट है
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),कृषि (बीटा)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,पर्ची पैकिंग
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,पर्ची पैकिंग
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,कार्यालय का किराया
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,सेटअप एसएमएस के प्रवेश द्वार सेटिंग्स
 DocType: Disease,Common Name,साधारण नाम
@@ -2236,20 +2257,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,कर्मचारी को ईमेल वेतन पर्ची
 DocType: Cost Center,Parent Cost Center,माता - पिता लागत केंद्र
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,संभावित आपूर्तिकर्ता का चयन
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,संभावित आपूर्तिकर्ता का चयन
 DocType: Sales Invoice,Source,स्रोत
 DocType: Customer,"Select, to make the customer searchable with these fields",इन क्षेत्रों के साथ ग्राहक खोज करने योग्य बनाने के लिए चुनें
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,शिपमेंट पर Shopify से डिलिवरी नोट्स आयात करें
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,दिखाएँ बंद
 DocType: Leave Type,Is Leave Without Pay,बिना वेतन छुट्टी है
-DocType: Lab Test,HLC-LT-.YYYY.-,उच्च स्तरीय समिति-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,परिसंपत्ति वर्ग फिक्स्ड एसेट आइटम के लिए अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,परिसंपत्ति वर्ग फिक्स्ड एसेट आइटम के लिए अनिवार्य है
 DocType: Fee Validity,Fee Validity,शुल्क वैधता
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,भुगतान तालिका में कोई अभिलेख
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},यह {0} {1} के साथ संघर्ष के लिए {2} {3}
 DocType: Student Attendance Tool,Students HTML,छात्र HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","इस दस्तावेज़ को रद्द करने के लिए कृपया कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ हटाएं"
 DocType: POS Profile,Apply Discount,छूट लागू
 DocType: GST HSN Code,GST HSN Code,जीएसटी एचएसएन कोड
 DocType: Employee External Work History,Total Experience,कुल अनुभव
@@ -2272,7 +2290,7 @@
 DocType: Maintenance Schedule,Schedules,अनुसूचियों
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,पॉस की बिक्री का उपयोग पॉइंट-ऑफ-सेल के लिए आवश्यक है
 DocType: Cashier Closing,Net Amount,शुद्ध राशि
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} जमा नहीं किया गया है अतः कार्रवाई पूरी नहीं की जा सकती
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} जमा नहीं किया गया है अतः कार्रवाई पूरी नहीं की जा सकती
 DocType: Purchase Order Item Supplied,BOM Detail No,बीओएम विस्तार नहीं
 DocType: Landed Cost Voucher,Additional Charges,अतिरिक्त प्रभार
 DocType: Support Search Source,Result Route Field,परिणाम रूट फील्ड
@@ -2301,11 +2319,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,खोलने चालान
 DocType: Contract,Contract Details,अनुबंध विवरण
 DocType: Employee,Leave Details,विवरण छोड़ दो
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,कर्मचारी भूमिका निर्धारित करने के लिए एक कर्मचारी रिकॉर्ड में यूजर आईडी क्षेत्र सेट करें
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,कर्मचारी भूमिका निर्धारित करने के लिए एक कर्मचारी रिकॉर्ड में यूजर आईडी क्षेत्र सेट करें
 DocType: UOM,UOM Name,UOM नाम
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,पता करने के लिए 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,पता करने के लिए 1
 DocType: GST HSN Code,HSN Code,एचएसएन कोड
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,योगदान राशि
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,योगदान राशि
 DocType: Inpatient Record,Patient Encounter,रोगी मुठभेड़
 DocType: Purchase Invoice,Shipping Address,शिपिंग पता
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,यह उपकरण आपको अपडेट करने या सिस्टम में स्टॉक की मात्रा और मूल्य निर्धारण को ठीक करने में मदद करता है। यह आम तौर पर प्रणाली मूल्यों और क्या वास्तव में अपने गोदामों में मौजूद सिंक्रनाइज़ करने के लिए प्रयोग किया जाता है।
@@ -2322,9 +2340,9 @@
 DocType: Travel Itinerary,Mode of Travel,यात्रा का तरीका
 DocType: Sales Invoice Item,Brand Name,ब्रांड नाम
 DocType: Purchase Receipt,Transporter Details,ट्रांसपोर्टर विवरण
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,डिफ़ॉल्ट गोदाम चयनित आइटम के लिए आवश्यक है
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,डिफ़ॉल्ट गोदाम चयनित आइटम के लिए आवश्यक है
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,डिब्बा
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,संभव प्रदायक
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,संभव प्रदायक
 DocType: Budget,Monthly Distribution,मासिक वितरण
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,पानेवाला सूची खाली है . पानेवाला सूची बनाएं
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),हेल्थकेयर (बीटा)
@@ -2345,6 +2363,7 @@
 ,Lead Name,नाम लीड
 ,POS,पीओएस
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,ढूंढ़
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,खुलने का स्टॉक बैलेंस
 DocType: Asset Category Account,Capital Work In Progress Account,प्रगति खाते में पूंजीगत कार्य
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,संपत्ति मूल्य समायोजन
@@ -2353,7 +2372,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},पत्तियों के लिए सफलतापूर्वक आवंटित {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,पैक करने के लिए कोई आइटम नहीं
 DocType: Shipping Rule Condition,From Value,मूल्य से
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,विनिर्माण मात्रा अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,विनिर्माण मात्रा अनिवार्य है
 DocType: Loan,Repayment Method,चुकौती विधि
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","अगर जाँच की, होम पेज वेबसाइट के लिए डिफ़ॉल्ट मद समूह हो जाएगा"
 DocType: Quality Inspection Reading,Reading 4,4 पढ़ना
@@ -2378,7 +2397,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,कर्मचारी रेफरल
 DocType: Student Group,Set 0 for no limit,कोई सीमा के लिए 0 सेट
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"आप छुट्टी के लिए आवेदन कर रहे हैं, जिस पर दिन (एस) छुट्टियां हैं। आप छुट्टी के लिए लागू नहीं की जरूरत है।"
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,पंक्ति {idx}: {field} को खोलने {invoice_type} चालान बनाने के लिए आवश्यक है
 DocType: Customer,Primary Address and Contact Detail,प्राथमिक पता और संपर्क विस्तार
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,भुगतान ईमेल पुन: भेजें
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,नया कार्य
@@ -2388,8 +2406,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,कृपया कम से कम एक डोमेन का चयन करें।
 DocType: Dependent Task,Dependent Task,आश्रित टास्क
 DocType: Shopify Settings,Shopify Tax Account,खरीदारी कर खाता
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},उपाय की मूलभूत इकाई के लिए रूपांतरण कारक पंक्ति में 1 होना चाहिए {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},प्रकार की छुट्टी {0} से बड़ा नहीं हो सकता है {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},उपाय की मूलभूत इकाई के लिए रूपांतरण कारक पंक्ति में 1 होना चाहिए {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},प्रकार की छुट्टी {0} से बड़ा नहीं हो सकता है {1}
 DocType: Delivery Trip,Optimize Route,मार्ग अनुकूलित करें
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,अग्रिम में एक्स दिनों के लिए आपरेशन की योजना बना प्रयास करें।
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2398,14 +2416,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},कंपनी में डिफ़ॉल्ट पेरोल देय खाता सेट करें {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,अमेज़ॅन द्वारा टैक्स और शुल्क डेटा का वित्तीय टूटना प्राप्त करें
 DocType: SMS Center,Receiver List,रिसीवर सूची
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,खोजें मद
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,खोजें मद
 DocType: Payment Schedule,Payment Amount,भुगतान राशि
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,कार्य दिवस और कार्य समाप्ति तिथि के बीच आधे दिन की तारीख होनी चाहिए
 DocType: Healthcare Settings,Healthcare Service Items,हेल्थकेयर सेवा आइटम
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,खपत राशि
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,नकद में शुद्ध परिवर्तन
 DocType: Assessment Plan,Grading Scale,ग्रेडिंग पैमाने
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,मापने की इकाई {0} अधिक रूपांतरण कारक तालिका में एक बार से अधिक दर्ज किया गया है
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,मापने की इकाई {0} अधिक रूपांतरण कारक तालिका में एक बार से अधिक दर्ज किया गया है
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,पहले से पूरा है
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,हाथ में स्टॉक
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2428,25 +2446,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,धारावाहिक नहीं {0} मात्रा {1} एक अंश नहीं हो सकता
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,कृपया Woocommerce सर्वर URL दर्ज करें
 DocType: Purchase Order Item,Supplier Part Number,प्रदायक भाग संख्या
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 या 1 नहीं किया जा सकता
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 या 1 नहीं किया जा सकता
 DocType: Share Balance,To No,नहीं करने के लिए
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,कर्मचारी निर्माण के लिए सभी अनिवार्य कार्य अभी तक नहीं किए गए हैं।
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} रद्द या बंद कर दिया है
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} रद्द या बंद कर दिया है
 DocType: Accounts Settings,Credit Controller,क्रेडिट नियंत्रक
 DocType: Loan,Applicant Type,आवेदक प्रकार
 DocType: Purchase Invoice,03-Deficiency in services,03-सेवाओं में कमी
 DocType: Healthcare Settings,Default Medical Code Standard,डिफ़ॉल्ट मेडिकल कोड मानक
 DocType: Purchase Invoice Item,HSN/SAC,HSN / सैक
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,खरीद रसीद {0} प्रस्तुत नहीं किया गया है
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,खरीद रसीद {0} प्रस्तुत नहीं किया गया है
 DocType: Company,Default Payable Account,डिफ़ॉल्ट देय खाता
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ऐसे शिपिंग नियम, मूल्य सूची आदि के रूप में ऑनलाइन शॉपिंग कार्ट के लिए सेटिंग"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,मेट-पूर्व .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% बिल
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,सुरक्षित मात्रा
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,सुरक्षित मात्रा
 DocType: Party Account,Party Account,पार्टी खाता
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,कृपया कंपनी और पदनाम का चयन करें
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,मानवीय संसाधन
-DocType: Lead,Upper Income,ऊपरी आय
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,ऊपरी आय
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,अस्वीकार
 DocType: Journal Entry Account,Debit in Company Currency,कंपनी मुद्रा में डेबिट
 DocType: BOM Item,BOM Item,बीओएम आइटम
@@ -2463,7 +2481,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",पदनाम के लिए नौकरी खोलने {0} पहले से ही खुला है या स्टाफिंग योजना के अनुसार पूरा भर्ती {1}
 DocType: Vital Signs,Constipated,कब्ज़
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},प्रदायक के खिलाफ चालान {0} दिनांक {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},प्रदायक के खिलाफ चालान {0} दिनांक {1}
 DocType: Customer,Default Price List,डिफ़ॉल्ट मूल्य सूची
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,एसेट आंदोलन रिकॉर्ड {0} बनाया
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,कुछ नहीं मिला।
@@ -2479,16 +2497,17 @@
 DocType: Journal Entry,Entry Type,प्रविष्टि प्रकार
 ,Customer Credit Balance,ग्राहक क्रेडिट बैलेंस
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,देय खातों में शुद्ध परिवर्तन
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),ग्राहक {0} ({1} / {2}) के लिए क्रेडिट सीमा पार कर दी गई है
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,कृपया सेटअप&gt; सेटिंग्स&gt; नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला सेट करें
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),ग्राहक {0} ({1} / {2}) के लिए क्रेडिट सीमा पार कर दी गई है
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',' Customerwise डिस्काउंट ' के लिए आवश्यक ग्राहक
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,अद्यतन बैंक भुगतान पत्रिकाओं के साथ तिथियाँ.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,मूल्य निर्धारण
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,मूल्य निर्धारण
 DocType: Quotation,Term Details,अवधि विवरण
 DocType: Employee Incentive,Employee Incentive,कर्मचारी प्रोत्साहन
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} इस छात्र समूह के लिए छात्रों की तुलना में अधिक नामांकन नहीं कर सकता।
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),कुल (कर के बिना)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,लीड गणना
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,स्टॉक उपलब्ध
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,स्टॉक उपलब्ध
 DocType: Manufacturing Settings,Capacity Planning For (Days),(दिन) के लिए क्षमता योजना
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,खरीद
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,आइटम में से कोई भी मात्रा या मूल्य में कोई बदलाव किया है।
@@ -2512,7 +2531,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,छोड़ दो और उपस्थिति
 DocType: Asset,Comprehensive Insurance,व्यापक बीमा
 DocType: Maintenance Visit,Partially Completed,आंशिक रूप से पूरा
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},वफादारी प्वाइंट: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},वफादारी प्वाइंट: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,लीड्स जोड़ें
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,मध्यम संवेदनशीलता
 DocType: Leave Type,Include holidays within leaves as leaves,पत्तियों के रूप में पत्तियों के भीतर छुट्टियों शामिल करें
 DocType: Loyalty Program,Redemption,मोचन
@@ -2546,7 +2566,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,विपणन व्यय
 ,Item Shortage Report,आइटम कमी की रिपोर्ट
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,मानक मानदंड नहीं बना सकते कृपया मापदंड का नाम बदलें
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजन भी ""वजन UOM"" का उल्लेख कृपया \n, उल्लेख किया गया है"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजन भी ""वजन UOM"" का उल्लेख कृपया \n, उल्लेख किया गया है"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,इस स्टॉक एंट्री बनाने के लिए इस्तेमाल सामग्री अनुरोध
 DocType: Hub User,Hub Password,हब पासवर्ड
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,प्रत्येक बैच के लिए अलग पाठ्यक्रम आधारित समूह
@@ -2560,15 +2580,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),नियुक्ति अवधि (मिनट)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,हर शेयर आंदोलन के लिए लेखा प्रविष्टि बनाओ
 DocType: Leave Allocation,Total Leaves Allocated,कुल पत्तियां आवंटित
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,वैध वित्तीय वर्ष आरंभ और समाप्ति तिथियाँ दर्ज करें
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,वैध वित्तीय वर्ष आरंभ और समाप्ति तिथियाँ दर्ज करें
 DocType: Employee,Date Of Retirement,सेवानिवृत्ति की तारीख
 DocType: Upload Attendance,Get Template,टेम्पलेट जाओ
+,Sales Person Commission Summary,बिक्री व्यक्ति आयोग सारांश
 DocType: Additional Salary Component,Additional Salary Component,अतिरिक्त वेतन घटक
 DocType: Material Request,Transferred,का तबादला
 DocType: Vehicle,Doors,दरवाजे के
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext सेटअप पूरा हुआ!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext सेटअप पूरा हुआ!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,रोगी पंजीकरण के लिए शुल्क लीजिए
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,स्टॉक लेनदेन के बाद विशेषताएँ नहीं बदल सकते एक नया आइटम बनाएं और नए आइटम में स्टॉक का स्थानांतरण करें
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,स्टॉक लेनदेन के बाद विशेषताएँ नहीं बदल सकते एक नया आइटम बनाएं और नए आइटम में स्टॉक का स्थानांतरण करें
 DocType: Course Assessment Criteria,Weightage,महत्व
 DocType: Purchase Invoice,Tax Breakup,कर टूटना
 DocType: Employee,Joining Details,विवरण में शामिल होना
@@ -2596,14 +2617,15 @@
 DocType: Lead,Next Contact By,द्वारा अगले संपर्क
 DocType: Compensatory Leave Request,Compensatory Leave Request,मुआवजा छुट्टी अनुरोध
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},आइटम के लिए आवश्यक मात्रा {0} पंक्ति में {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},मात्रा मद के लिए मौजूद वेयरहाउस {0} मिटाया नहीं जा सकता {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},मात्रा मद के लिए मौजूद वेयरहाउस {0} मिटाया नहीं जा सकता {1}
 DocType: Blanket Order,Order Type,आदेश प्रकार
 ,Item-wise Sales Register,आइटम के लिहाज से बिक्री रजिस्टर
 DocType: Asset,Gross Purchase Amount,सकल खरीद राशि
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,खुलने का संतुलन
 DocType: Asset,Depreciation Method,मूल्यह्रास विधि
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,इस टैक्स मूल दर में शामिल है?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,कुल लक्ष्य
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,कुल लक्ष्य
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,धारणा विश्लेषण
 DocType: Soil Texture,Sand Composition (%),रेत संरचना (%)
 DocType: Job Applicant,Applicant for a Job,एक नौकरी के लिए आवेदक
 DocType: Production Plan Material Request,Production Plan Material Request,उत्पादन योजना सामग्री का अनुरोध
@@ -2618,23 +2640,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),आकलन चिह्न (10 में से)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 मोबाइल नं
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,मुख्य
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,निम्नलिखित आइटम {0} को {1} आइटम के रूप में चिह्नित नहीं किया गया है। आप उन्हें अपने आइटम मास्टर से {1} आइटम के रूप में सक्षम कर सकते हैं
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,प्रकार
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","किसी आइटम {0} के लिए, मात्रा ऋणात्मक संख्या होनी चाहिए"
 DocType: Naming Series,Set prefix for numbering series on your transactions,अपने लेनदेन पर श्रृंखला नंबरिंग के लिए उपसर्ग सेट
 DocType: Employee Attendance Tool,Employees HTML,कर्मचारियों एचटीएमएल
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,डिफ़ॉल्ट बीओएम ({0}) इस मद या अपने टेम्पलेट के लिए सक्रिय होना चाहिए
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,डिफ़ॉल्ट बीओएम ({0}) इस मद या अपने टेम्पलेट के लिए सक्रिय होना चाहिए
 DocType: Employee,Leave Encashed?,भुनाया छोड़ दो?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,क्षेत्र से मौके अनिवार्य है
 DocType: Email Digest,Annual Expenses,सालाना खर्च
 DocType: Item,Variants,वेरिएंट
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,बनाओ खरीद आदेश
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,बनाओ खरीद आदेश
 DocType: SMS Center,Send To,इन्हें भेजें
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},छोड़ दो प्रकार के लिए पर्याप्त छुट्टी संतुलन नहीं है {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},छोड़ दो प्रकार के लिए पर्याप्त छुट्टी संतुलन नहीं है {0}
 DocType: Payment Reconciliation Payment,Allocated amount,आवंटित राशि
 DocType: Sales Team,Contribution to Net Total,नेट कुल के लिए अंशदान
 DocType: Sales Invoice Item,Customer's Item Code,ग्राहक आइटम कोड
 DocType: Stock Reconciliation,Stock Reconciliation,स्टॉक सुलह
 DocType: Territory,Territory Name,टेरिटरी नाम
+DocType: Email Digest,Purchase Orders to Receive,प्राप्त करने के लिए आदेश खरीदें
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,आप केवल सदस्यता में एक ही बिलिंग चक्र के साथ योजना बना सकते हैं
 DocType: Bank Statement Transaction Settings Item,Mapped Data,मैप किए गए डेटा
@@ -2651,9 +2675,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},डुप्लीकेट सीरियल मद के लिए दर्ज किया गया {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,लीड स्रोत द्वारा ट्रैक लीड्स
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,एक नौवहन नियम के लिए एक शर्त
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,कृपया दर्ज करें
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,कृपया दर्ज करें
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,रखरखाव लॉग
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,कृपया मद या गोदाम के आधार पर फ़िल्टर सेट
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,कृपया मद या गोदाम के आधार पर फ़िल्टर सेट
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),इस पैकेज के शुद्ध वजन. (वस्तुओं का शुद्ध वजन की राशि के रूप में स्वतः गणना)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,इंटर कंपनी जर्नल प्रविष्टि बनाओ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,डिस्काउंट राशि 100% से अधिक नहीं हो सकती
@@ -2662,15 +2686,15 @@
 DocType: Sales Order,To Deliver and Bill,उद्धार और बिल के लिए
 DocType: Student Group,Instructors,अनुदेशकों
 DocType: GL Entry,Credit Amount in Account Currency,खाते की मुद्रा में ऋण राशि
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,बीओएम {0} प्रस्तुत किया जाना चाहिए
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,शेयर प्रबंधन
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,बीओएम {0} प्रस्तुत किया जाना चाहिए
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,शेयर प्रबंधन
 DocType: Authorization Control,Authorization Control,प्राधिकरण नियंत्रण
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},पंक्ति # {0}: मालगोदाम अस्वीकृत खारिज कर दिया मद के खिलाफ अनिवार्य है {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,भुगतान
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},पंक्ति # {0}: मालगोदाम अस्वीकृत खारिज कर दिया मद के खिलाफ अनिवार्य है {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,भुगतान
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","गोदाम {0} किसी भी खाते से जुड़ा नहीं है, कृपया गोदाम रिकॉर्ड में खाते का उल्लेख करें या कंपनी {1} में डिफ़ॉल्ट इन्वेंट्री अकाउंट सेट करें।"
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,अपने आदेश की व्यवस्था करें
 DocType: Work Order Operation,Actual Time and Cost,वास्तविक समय और लागत
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},अधिकतम की सामग्री अनुरोध {0} मद के लिए {1} के खिलाफ किया जा सकता है बिक्री आदेश {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},अधिकतम की सामग्री अनुरोध {0} मद के लिए {1} के खिलाफ किया जा सकता है बिक्री आदेश {2}
 DocType: Amazon MWS Settings,DE,डे
 DocType: Crop,Crop Spacing,फसल अंतरण
 DocType: Course,Course Abbreviation,कोर्स संक्षिप्त
@@ -2682,6 +2706,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},कुल काम के घंटे अधिकतम काम के घंटे से अधिक नहीं होना चाहिए {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,पर
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,बिक्री के समय में आइटम बंडल.
+DocType: Delivery Settings,Dispatch Settings,डिस्पैच सेटिंग्स
 DocType: Material Request Plan Item,Actual Qty,वास्तविक मात्रा
 DocType: Sales Invoice Item,References,संदर्भ
 DocType: Quality Inspection Reading,Reading 10,10 पढ़ना
@@ -2691,11 +2716,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,आप डुप्लिकेट आइटम दर्ज किया है . सुधारने और पुन: प्रयास करें .
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,सहयोगी
 DocType: Asset Movement,Asset Movement,एसेट आंदोलन
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,कार्य क्रम {0} प्रस्तुत किया जाना चाहिए
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,नई गाड़ी
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,कार्य क्रम {0} प्रस्तुत किया जाना चाहिए
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,नई गाड़ी
 DocType: Taxable Salary Slab,From Amount,राशि से
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,आइटम {0} एक धारावाहिक आइटम नहीं है
 DocType: Leave Type,Encashment,नकदीकरण
+DocType: Delivery Settings,Delivery Settings,वितरण सेटिंग्स
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,डेटा प्राप्त करें
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},छुट्टी प्रकार {0} में अधिकतम छुट्टी की अनुमति है {1}
 DocType: SMS Center,Create Receiver List,रिसीवर सूची बनाएँ
 DocType: Vehicle,Wheels,पहियों
@@ -2711,7 +2738,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,बिलिंग मुद्रा या तो डिफ़ॉल्ट कंपनी की मुद्रा या पक्ष खाता मुद्रा के बराबर होनी चाहिए
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),पैकेज इस वितरण का एक हिस्सा है कि संकेत करता है (केवल मसौदा)
 DocType: Soil Texture,Loam,चिकनी बलुई मिट्टी
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,पंक्ति {0}: तिथि पोस्ट करने से पहले तिथि नहीं हो सकती
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,पंक्ति {0}: तिथि पोस्ट करने से पहले तिथि नहीं हो सकती
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,भुगतान प्रवेश कर
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},मात्रा मद के लिए {0} से कम होना चाहिए {1}
 ,Sales Invoice Trends,बिक्री चालान रुझान
@@ -2719,12 +2746,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',प्रभारी प्रकार या ' पिछली पंक्ति कुल ' पिछली पंक्ति राशि पर ' तभी पंक्ति का उल्लेख कर सकते
 DocType: Sales Order Item,Delivery Warehouse,वितरण गोदाम
 DocType: Leave Type,Earned Leave Frequency,अर्जित छुट्टी आवृत्ति
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,वित्तीय लागत केन्द्रों के पेड़।
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,उप प्रकार
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,वित्तीय लागत केन्द्रों के पेड़।
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,उप प्रकार
 DocType: Serial No,Delivery Document No,डिलिवरी दस्तावेज़
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,उत्पादित सीरियल नंबर के आधार पर डिलीवरी सुनिश्चित करें
 DocType: Vital Signs,Furry,पोस्तीन का
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},कंपनी में &#39;एसेट निपटान पर लाभ / हानि खाता&#39; सेट करें {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},कंपनी में &#39;एसेट निपटान पर लाभ / हानि खाता&#39; सेट करें {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,खरीद प्राप्तियों से आइटम प्राप्त
 DocType: Serial No,Creation Date,निर्माण तिथि
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},संपत्ति के लिए लक्ष्य स्थान आवश्यक है {0}
@@ -2738,10 +2765,11 @@
 DocType: Item,Has Variants,वेरिएंट है
 DocType: Employee Benefit Claim,Claim Benefit For,दावा लाभ के लिए
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,रिस्पांस अपडेट करें
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},आप पहले से ही से आइटम का चयन किया है {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},आप पहले से ही से आइटम का चयन किया है {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,मासिक वितरण का नाम
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,बैच आईडी अनिवार्य है
 DocType: Sales Person,Parent Sales Person,माता - पिता बिक्री व्यक्ति
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,प्राप्त करने के लिए कोई आइटम अतिदेय नहीं है
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,विक्रेता और खरीदार एक ही नहीं हो सकता
 DocType: Project,Collect Progress,लीजिए प्रगति
 DocType: Delivery Note,MAT-DN-.YYYY.-,मेट-डी एन-.YYYY.-
@@ -2757,7 +2785,7 @@
 DocType: Bank Guarantee,Margin Money,मार्जिन मनी
 DocType: Budget,Budget,बजट
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,खोलें सेट करें
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,निश्चित परिसंपत्ति मद एक गैर शेयर मद में होना चाहिए।
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,निश्चित परिसंपत्ति मद एक गैर शेयर मद में होना चाहिए।
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",यह एक आय या खर्च खाता नहीं है के रूप में बजट के खिलाफ {0} नहीं सौंपा जा सकता
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} के लिए अधिकतम छूट राशि {1} है
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,हासिल
@@ -2775,9 +2803,9 @@
 ,Amount to Deliver,राशि वितरित करने के लिए
 DocType: Asset,Insurance Start Date,बीमा प्रारंभ दिनांक
 DocType: Salary Component,Flexible Benefits,लचीला लाभ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},एक ही बार कई बार दर्ज किया गया है। {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},एक ही बार कई बार दर्ज किया गया है। {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,टर्म प्रारंभ तिथि से शैक्षणिक वर्ष की वर्ष प्रारंभ तिथि जो करने के लिए शब्द जुड़ा हुआ है पहले नहीं हो सकता है (शैक्षिक वर्ष {})। तारीखों को ठीक करें और फिर कोशिश करें।
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,त्रुटियां थीं .
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,त्रुटियां थीं .
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,कर्मचारी {0} पहले से {2} और {3} के बीच {1} के लिए आवेदन कर चुका है:
 DocType: Guardian,Guardian Interests,गार्जियन रूचियाँ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,खाता नाम / संख्या अपडेट करें
@@ -2817,9 +2845,9 @@
 ,Item-wise Purchase History,आइटम के लिहाज से खरीदारी इतिहास
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},सीरियल मद के लिए जोड़ा लाने के लिए 'उत्पन्न अनुसूची' पर क्लिक करें {0}
 DocType: Account,Frozen,फ्रोजन
-DocType: Delivery Note,Vehicle Type,वाहन का प्रकार
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,वाहन का प्रकार
 DocType: Sales Invoice Payment,Base Amount (Company Currency),आधार राशि (कंपनी मुद्रा)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,कच्चा माल
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,कच्चा माल
 DocType: Payment Reconciliation Payment,Reference Row,संदर्भ पंक्ति
 DocType: Installation Note,Installation Time,अधिष्ठापन काल
 DocType: Sales Invoice,Accounting Details,लेखा विवरण
@@ -2828,12 +2856,13 @@
 DocType: Inpatient Record,O Positive,हे सकारात्मक
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,निवेश
 DocType: Issue,Resolution Details,संकल्प विवरण
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,सौदे का प्रकार
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,सौदे का प्रकार
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,स्वीकृति मापदंड
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,उपरोक्त तालिका में सामग्री अनुरोध दर्ज करें
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,जर्नल एंट्री के लिए कोई भुगतान उपलब्ध नहीं है
 DocType: Hub Tracked Item,Image List,छवि सूची
 DocType: Item Attribute,Attribute Name,उत्तरदायी ठहराने के लिए नाम
+DocType: Subscription,Generate Invoice At Beginning Of Period,अवधि की शुरुआत में चालान उत्पन्न करें
 DocType: BOM,Show In Website,वेबसाइट में दिखाएँ
 DocType: Loan Application,Total Payable Amount,कुल देय राशि
 DocType: Task,Expected Time (in hours),(घंटे में) संभावित समय
@@ -2870,7 +2899,7 @@
 DocType: Employee,Resignation Letter Date,इस्तीफा पत्र दिनांक
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,मूल्य निर्धारण नियमों आगे मात्रा के आधार पर छान रहे हैं.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,सेट नहीं
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},कृपया कर्मचारी {0} के लिए शामिल होने की तिथि निर्धारित करें
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},कृपया कर्मचारी {0} के लिए शामिल होने की तिथि निर्धारित करें
 DocType: Inpatient Record,Discharge,मुक्ति
 DocType: Task,Total Billing Amount (via Time Sheet),कुल बिलिंग राशि (समय पत्रक के माध्यम से)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,दोहराने ग्राहक राजस्व
@@ -2880,13 +2909,13 @@
 DocType: Chapter,Chapter,अध्याय
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,जोड़ा
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,जब यह मोड चुना जाता है तो डिफ़ॉल्ट खाता स्वचालित रूप से पीओएस इनवॉइस में अपडेट हो जाएगा।
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,उत्पादन के लिए बीओएम और मात्रा का चयन करें
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,उत्पादन के लिए बीओएम और मात्रा का चयन करें
 DocType: Asset,Depreciation Schedule,मूल्यह्रास अनुसूची
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,बिक्री साथी पते और संपर्क
 DocType: Bank Reconciliation Detail,Against Account,खाते के खिलाफ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,आधा दिन की तारीख की तिथि से और आज तक के बीच होना चाहिए
 DocType: Maintenance Schedule Detail,Actual Date,वास्तविक तारीख
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,कृपया {0} कंपनी में डिफ़ॉल्ट मूल्य केंद्र सेट करें
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,कृपया {0} कंपनी में डिफ़ॉल्ट मूल्य केंद्र सेट करें
 DocType: Item,Has Batch No,बैच है नहीं
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},वार्षिक बिलिंग: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook विवरण
@@ -2898,7 +2927,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,एसीसी-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,शिफ्ट प्रकार
 DocType: Student,Personal Details,व्यक्तिगत विवरण
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी में &#39;संपत्ति मूल्यह्रास लागत केंद्र&#39; सेट करें {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी में &#39;संपत्ति मूल्यह्रास लागत केंद्र&#39; सेट करें {0}
 ,Maintenance Schedules,रखरखाव अनुसूचियों
 DocType: Task,Actual End Date (via Time Sheet),वास्तविक अंत तिथि (समय पत्रक के माध्यम से)
 DocType: Soil Texture,Soil Type,मिट्टी के प्रकार
@@ -2906,10 +2935,10 @@
 ,Quotation Trends,कोटेशन रुझान
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},आइटम के लिए आइटम मास्टर में उल्लेख नहीं मद समूह {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,खाते में डेबिट एक प्राप्य खाता होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,खाते में डेबिट एक प्राप्य खाता होना चाहिए
 DocType: Shipping Rule,Shipping Amount,नौवहन राशि
 DocType: Supplier Scorecard Period,Period Score,अवधि स्कोर
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,ग्राहक जोड़ें
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,ग्राहक जोड़ें
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,लंबित राशि
 DocType: Lab Test Template,Special,विशेष
 DocType: Loyalty Program,Conversion Factor,परिवर्तनकारक तत्व
@@ -2926,7 +2955,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,लेटरहेड जोड़ें
 DocType: Program Enrollment,Self-Driving Vehicle,स्व-ड्राइविंग वाहन
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,आपूर्तिकर्ता स्कोरकार्ड स्थायी
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},पंक्ति {0}: सामग्री का बिल मद के लिए नहीं मिला {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},पंक्ति {0}: सामग्री का बिल मद के लिए नहीं मिला {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,कुल आवंटित पत्ते {0} कम नहीं हो सकता अवधि के लिए पहले से ही मंजूरी दे दी पत्ते {1} से
 DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता
 DocType: Journal Entry,Accounts Receivable,लेखा प्राप्य
@@ -2942,16 +2971,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,मानव संसाधन सेटिंग्स
 DocType: Salary Slip,net pay info,शुद्ध भुगतान की जानकारी
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,सीएसएस राशि
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,सीएसएस राशि
 DocType: Woocommerce Settings,Enable Sync,समन्वयन सक्षम करें
 DocType: Tax Withholding Rate,Single Transaction Threshold,एकल लेनदेन थ्रेसहोल्ड
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,यह मान डिफ़ॉल्ट बिक्री मूल्य सूची में अपडेट किया गया है।
 DocType: Email Digest,New Expenses,नए खर्च
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,पीडीसी / एलसी राशि
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,पीडीसी / एलसी राशि
 DocType: Shareholder,Shareholder,शेयरहोल्डर
 DocType: Purchase Invoice,Additional Discount Amount,अतिरिक्त छूट राशि
 DocType: Cash Flow Mapper,Position,पद
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,पर्चे से आइटम प्राप्त करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,पर्चे से आइटम प्राप्त करें
 DocType: Patient,Patient Details,रोगी विवरण
 DocType: Inpatient Record,B Positive,बी सकारात्मक
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2963,8 +2992,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,गैर-समूह के लिए समूह
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,खेल
 DocType: Loan Type,Loan Name,ऋण नाम
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,वास्तविक कुल
-DocType: Lab Test UOM,Test UOM,परीक्षण यूओएम
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,वास्तविक कुल
 DocType: Student Siblings,Student Siblings,विद्यार्थी भाई बहन
 DocType: Subscription Plan Detail,Subscription Plan Detail,सदस्यता योजना विवरण
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,इकाई
@@ -2991,7 +3019,6 @@
 DocType: Workstation,Wages per hour,प्रति घंटे मजदूरी
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},बैच में स्टॉक संतुलन {0} बन जाएगा नकारात्मक {1} गोदाम में आइटम {2} के लिए {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,सामग्री अनुरोध के बाद मद के फिर से आदेश स्तर के आधार पर स्वचालित रूप से उठाया गया है
-DocType: Email Digest,Pending Sales Orders,विक्रय आदेश लंबित
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},खाते {0} अमान्य है। खाता मुद्रा होना चाहिए {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},तिथि से {0} कर्मचारी की राहत तिथि के बाद नहीं हो सकता है {1}
 DocType: Supplier,Is Internal Supplier,आंतरिक प्रदायक है
@@ -3000,13 +3027,14 @@
 DocType: Healthcare Settings,Remind Before,इससे पहले याद दिलाना
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM रूपांतरण कारक पंक्ति में आवश्यक है {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार बिक्री आदेश में से एक, बिक्री चालान या जर्नल प्रविष्टि होना चाहिए"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार बिक्री आदेश में से एक, बिक्री चालान या जर्नल प्रविष्टि होना चाहिए"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 वफादारी अंक = कितनी आधार मुद्रा?
 DocType: Salary Component,Deduction,कटौती
 DocType: Item,Retain Sample,नमूना रखें
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,पंक्ति {0}: समय और समय के लिए अनिवार्य है।
 DocType: Stock Reconciliation Item,Amount Difference,राशि अंतर
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},मद कीमत के लिए जोड़ा {0} मूल्य सूची में {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},मद कीमत के लिए जोड़ा {0} मूल्य सूची में {1}
+DocType: Delivery Stop,Order Information,आदेश की जानकारी
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,इस व्यक्ति की बिक्री के कर्मचारी आईडी दर्ज करें
 DocType: Territory,Classification of Customers by region,क्षेत्र द्वारा ग्राहकों का वर्गीकरण
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,उत्पादन में
@@ -3017,8 +3045,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,परिकलित बैंक बैलेंस
 DocType: Normal Test Template,Normal Test Template,सामान्य टेस्ट टेम्पलेट
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,विकलांग उपयोगकर्ता
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,उद्धरण
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,कोई उद्धरण नहीं प्राप्त करने के लिए प्राप्त आरएफक्यू को सेट नहीं किया जा सकता
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,उद्धरण
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,कोई उद्धरण नहीं प्राप्त करने के लिए प्राप्त आरएफक्यू को सेट नहीं किया जा सकता
 DocType: Salary Slip,Total Deduction,कुल कटौती
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,खाता मुद्रा में प्रिंट करने के लिए एक खाता चुनें
 ,Production Analytics,उत्पादन एनालिटिक्स
@@ -3031,14 +3059,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,आपूर्तिकर्ता स्कोरकार्ड सेटअप
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,आकलन योजना का नाम
 DocType: Work Order Operation,Work Order Operation,कार्य आदेश ऑपरेशन
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},चेतावनी: कुर्की पर अवैध एसएसएल प्रमाणपत्र {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},चेतावनी: कुर्की पर अवैध एसएसएल प्रमाणपत्र {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","सुराग आप व्यापार, अपने नेतृत्व के रूप में अपने सभी संपर्कों को और अधिक जोड़ने पाने में मदद"
 DocType: Work Order Operation,Actual Operation Time,वास्तविक ऑपरेशन टाइम
 DocType: Authorization Rule,Applicable To (User),के लिए लागू (उपयोगकर्ता)
 DocType: Purchase Taxes and Charges,Deduct,घटाना
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,नौकरी का विवरण
 DocType: Student Applicant,Applied,आवेदन किया है
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,पुनः खुला
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,पुनः खुला
 DocType: Sales Invoice Item,Qty as per Stock UOM,मात्रा स्टॉक UOM के अनुसार
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 नाम
 DocType: Attendance,Attendance Request,उपस्थिति अनुरोध
@@ -3056,7 +3084,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},धारावाहिक नहीं {0} तक वारंटी के अंतर्गत है {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,न्यूनतम स्वीकार्य मान
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,उपयोगकर्ता {0} पहले से मौजूद है
-apps/erpnext/erpnext/hooks.py +114,Shipments,लदान
+apps/erpnext/erpnext/hooks.py +115,Shipments,लदान
 DocType: Payment Entry,Total Allocated Amount (Company Currency),कुल आवंटित राशि (कंपनी मुद्रा)
 DocType: Purchase Order Item,To be delivered to customer,ग्राहक के लिए दिया जाना
 DocType: BOM,Scrap Material Cost,स्क्रैप सामग्री लागत
@@ -3064,11 +3092,12 @@
 DocType: Grant Application,Email Notification Sent,ईमेल अधिसूचना प्रेषित
 DocType: Purchase Invoice,In Words (Company Currency),शब्दों में (कंपनी मुद्रा)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,कंपनी कंपनी खाते के लिए मैनडैटरी है
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","आइटम कोड, गोदाम, मात्रा पंक्ति पर आवश्यक हैं"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","आइटम कोड, गोदाम, मात्रा पंक्ति पर आवश्यक हैं"
 DocType: Bank Guarantee,Supplier,प्रदायक
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,से मिलता है
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,यह एक रूट विभाग है और इसे संपादित नहीं किया जा सकता है।
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,भुगतान विवरण दिखाएं
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,दिनों में अवधि
 DocType: C-Form,Quarter,तिमाही
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,विविध व्यय
 DocType: Global Defaults,Default Company,Default कंपनी
@@ -3076,7 +3105,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,व्यय या अंतर खाता अनिवार्य है मद के लिए {0} यह प्रभावों समग्र शेयर मूल्य के रूप में
 DocType: Bank,Bank Name,बैंक का नाम
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,ऊपर
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,सभी आपूर्तिकर्ताओं के लिए खरीद आदेश बनाने के लिए खाली क्षेत्र छोड़ दें
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,सभी आपूर्तिकर्ताओं के लिए खरीद आदेश बनाने के लिए खाली क्षेत्र छोड़ दें
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient चार्ज आइटम पर जाएं
 DocType: Vital Signs,Fluid,तरल पदार्थ
 DocType: Leave Application,Total Leave Days,कुल छोड़ दो दिन
@@ -3085,7 +3114,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,आइटम विविध सेटिंग्स
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,कंपनी का चयन करें ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,रिक्त छोड़ अगर सभी विभागों के लिए विचार
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","आइटम {0}: {1} मात्रा का उत्पादन,"
 DocType: Payroll Entry,Fortnightly,पाक्षिक
 DocType: Currency Exchange,From Currency,मुद्रा से
@@ -3134,7 +3163,7 @@
 DocType: Account,Fixed Asset,स्थायी परिसम्पत्ति
 DocType: Amazon MWS Settings,After Date,तिथि के बाद
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,श्रृंखलाबद्ध इन्वेंटरी
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,इंटर कंपनी चालान के लिए अमान्य {0}।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,इंटर कंपनी चालान के लिए अमान्य {0}।
 ,Department Analytics,विभाग विश्लेषिकी
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ईमेल डिफ़ॉल्ट संपर्क में नहीं मिला
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,गुप्त उत्पन्न करें
@@ -3152,6 +3181,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,सी ई ओ
 DocType: Purchase Invoice,With Payment of Tax,कर के भुगतान के साथ
 DocType: Expense Claim Detail,Expense Claim Detail,व्यय दावा विवरण
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षा&gt; शिक्षा सेटिंग्स में प्रशिक्षक नामकरण प्रणाली सेट करें
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,आपूर्तिकर्ता के लिए ट्रिपलकाट
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,आधार मुद्रा में नया शेष राशि
 DocType: Location,Is Container,कंटेनर है
@@ -3159,13 +3189,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,सही खाते का चयन करें
 DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन संरचना असाइनमेंट
 DocType: Purchase Invoice Item,Weight UOM,वजन UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,फोलिओ नंबर वाले उपलब्ध शेयरधारकों की सूची
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,फोलिओ नंबर वाले उपलब्ध शेयरधारकों की सूची
 DocType: Salary Structure Employee,Salary Structure Employee,वेतन ढांचे कर्मचारी
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,विविध गुण दिखाएं
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,विविध गुण दिखाएं
 DocType: Student,Blood Group,रक्त वर्ग
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,योजना {0} में भुगतान गेटवे खाता इस भुगतान अनुरोध में भुगतान गेटवे खाते से अलग है
 DocType: Course,Course Name,कोर्स का नाम
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,मौजूदा वित्तीय वर्ष के लिए कोई टैक्स रोकथाम डेटा नहीं मिला।
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,मौजूदा वित्तीय वर्ष के लिए कोई टैक्स रोकथाम डेटा नहीं मिला।
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,एक विशिष्ट कर्मचारी की छुट्टी आवेदनों को स्वीकृत कर सकते हैं जो प्रयोक्ता
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,कार्यालय उपकरण
 DocType: Purchase Invoice Item,Qty,मात्रा
@@ -3173,6 +3203,7 @@
 DocType: Supplier Scorecard,Scoring Setup,स्कोरिंग सेटअप
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,इलेक्ट्रानिक्स
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),डेबिट ({0})
+DocType: BOM,Allow Same Item Multiple Times,एक ही आइटम एकाधिक टाइम्स की अनुमति दें
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,सामग्री अनुरोध उठाएँ जब शेयर पुनः आदेश के स्तर तक पहुँच
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,पूर्णकालिक
 DocType: Payroll Entry,Employees,कर्मचारियों
@@ -3184,11 +3215,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,भुगतान की पुष्टि
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,दाम नहीं दिखाया जाएगा अगर कीमत सूची सेट नहीं है
 DocType: Stock Entry,Total Incoming Value,कुल आवक मूल्य
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,डेबिट करने के लिए आवश्यक है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,डेबिट करने के लिए आवश्यक है
 DocType: Clinical Procedure,Inpatient Record,रोगी रिकॉर्ड
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets मदद से अपनी टीम के द्वारा किया गतिविधियों के लिए समय, लागत और बिलिंग का ट्रैक रखने"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,खरीद मूल्य सूची
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,लेनदेन की तारीख
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,खरीद मूल्य सूची
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,लेनदेन की तारीख
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,आपूर्तिकर्ता स्कोरकार्ड चर के टेम्पलेट्स
 DocType: Job Offer Term,Offer Term,ऑफर टर्म
 DocType: Asset,Quality Manager,गुणवत्ता प्रबंधक
@@ -3209,18 +3240,18 @@
 DocType: Cashier Closing,To Time,समय के लिए
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) {0} के लिए
 DocType: Authorization Rule,Approving Role (above authorized value),(अधिकृत मूल्य से ऊपर) भूमिका का अनुमोदन
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,खाते में जमा एक देय खाता होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,खाते में जमा एक देय खाता होना चाहिए
 DocType: Loan,Total Amount Paid,भुगतान की गई कुल राशि
 DocType: Asset,Insurance End Date,बीमा समाप्ति दिनांक
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"कृपया छात्र प्रवेश का चयन करें, जो सशुल्क छात्र आवेदक के लिए अनिवार्य है"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},बीओएम रिकर्शन : {0} माता पिता या के बच्चे नहीं हो सकता {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},बीओएम रिकर्शन : {0} माता पिता या के बच्चे नहीं हो सकता {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,बजट सूची
 DocType: Work Order Operation,Completed Qty,पूरी की मात्रा
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0}, केवल डेबिट खातों एक और क्रेडिट प्रविष्टि के खिलाफ जोड़ा जा सकता है के लिए"
 DocType: Manufacturing Settings,Allow Overtime,ओवरटाइम की अनुमति दें
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","सीरियल किए गए आइटम {0} को शेयर सुलह का उपयोग करके अपडेट नहीं किया जा सकता है, कृपया स्टॉक प्रविष्टि का उपयोग करें"
 DocType: Training Event Employee,Training Event Employee,प्रशिक्षण घटना कर्मचारी
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,अधिकतम नमूनों - {0} को बैच {1} और वस्तु {2} के लिए रखा जा सकता है।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,अधिकतम नमूनों - {0} को बैच {1} और वस्तु {2} के लिए रखा जा सकता है।
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,समय स्लॉट जोड़ें
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} मद के लिए आवश्यक सीरियल नंबर {1}। आपके द्वारा दी गई {2}।
 DocType: Stock Reconciliation Item,Current Valuation Rate,वर्तमान मूल्यांकन दर
@@ -3251,11 +3282,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,नहीं मिला सीरियल नहीं {0}
 DocType: Fee Schedule Program,Fee Schedule Program,शुल्क अनुसूची कार्यक्रम
 DocType: Fee Schedule Program,Student Batch,छात्र बैच
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","इस दस्तावेज़ को रद्द करने के लिए कृपया कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ हटाएं"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,छात्र
 DocType: Supplier Scorecard Scoring Standing,Min Grade,न्यूनतम ग्रेड
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,हेल्थकेयर सेवा इकाई प्रकार
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},आप इस परियोजना पर सहयोग करने के लिए आमंत्रित किया गया है: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},आप इस परियोजना पर सहयोग करने के लिए आमंत्रित किया गया है: {0}
 DocType: Supplier Group,Parent Supplier Group,अभिभावक प्रदायक समूह
+DocType: Email Digest,Purchase Orders to Bill,बिल के लिए ऑर्डर खरीदें
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,समूह कंपनी में संचित मूल्य
 DocType: Leave Block List Date,Block Date,तिथि ब्लॉक
 DocType: Crop,Crop,फ़सल
@@ -3267,6 +3301,7 @@
 DocType: Sales Order,Not Delivered,नहीं वितरित
 ,Bank Clearance Summary,बैंक क्लीयरेंस सारांश
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","बनाएँ और दैनिक, साप्ताहिक और मासिक ईमेल हज़म का प्रबंधन ."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,यह इस बिक्री व्यक्ति के खिलाफ लेनदेन पर आधारित है। विवरण के लिए नीचे समयरेखा देखें
 DocType: Appraisal Goal,Appraisal Goal,मूल्यांकन लक्ष्य
 DocType: Stock Reconciliation Item,Current Amount,वर्तमान राशि
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,बिल्डिंग
@@ -3293,7 +3328,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,सॉफ्टवेयर
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,अगले संपर्क दिनांक अतीत में नहीं किया जा सकता
 DocType: Company,For Reference Only.,केवल संदर्भ के लिए।
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,बैच नंबर का चयन करें
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,बैच नंबर का चयन करें
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},अवैध {0}: {1}
 ,GSTR-1,GSTR -1
 DocType: Fee Validity,Reference Inv,संदर्भ INV
@@ -3311,16 +3346,16 @@
 DocType: Normal Test Items,Require Result Value,परिणाम मान की आवश्यकता है
 DocType: Item,Show a slideshow at the top of the page,पृष्ठ के शीर्ष पर एक स्लाइड शो दिखाएँ
 DocType: Tax Withholding Rate,Tax Withholding Rate,कर रोकथाम दर
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,भंडार
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,भंडार
 DocType: Project Type,Projects Manager,परियोजनाओं के प्रबंधक
 DocType: Serial No,Delivery Time,सुपुर्दगी समय
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,के आधार पर बूढ़े
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,अपॉइंटमेंट रद्द
 DocType: Item,End of Life,जीवन का अंत
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,यात्रा
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,यात्रा
 DocType: Student Report Generation Tool,Include All Assessment Group,सभी मूल्यांकन समूह शामिल करें
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,दी गई तारीखों के लिए कर्मचारी {0} के लिए कोई सक्रिय या डिफ़ॉल्ट वेतन ढांचे
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,दी गई तारीखों के लिए कर्मचारी {0} के लिए कोई सक्रिय या डिफ़ॉल्ट वेतन ढांचे
 DocType: Leave Block List,Allow Users,उपयोगकर्ताओं को अनुमति दें
 DocType: Purchase Order,Customer Mobile No,ग्राहक मोबाइल नं
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,कैश फ्लो मानचित्रण खाका विवरण
@@ -3329,15 +3364,16 @@
 DocType: Rename Tool,Rename Tool,उपकरण का नाम बदलें
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,अद्यतन लागत
 DocType: Item Reorder,Item Reorder,आइटम पुनः क्रमित करें
+DocType: Delivery Note,Mode of Transport,परिवहन के साधन
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,वेतन पर्ची दिखाएँ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,हस्तांतरण सामग्री
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,हस्तांतरण सामग्री
 DocType: Fees,Send Payment Request,भुगतान अनुरोध भेजें
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","संचालन, परिचालन लागत निर्दिष्ट और अपने संचालन के लिए एक अनूठा आपरेशन नहीं दे ."
 DocType: Travel Request,Any other details,कोई अन्य विवरण
 DocType: Water Analysis,Origin,मूल
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,इस दस्तावेज़ से सीमा से अधिक है {0} {1} आइटम के लिए {4}। आप कर रहे हैं एक और {3} उसी के खिलाफ {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,सहेजने के बाद आवर्ती सेट करें
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,बदलें चुनें राशि खाते
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,सहेजने के बाद आवर्ती सेट करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,बदलें चुनें राशि खाते
 DocType: Purchase Invoice,Price List Currency,मूल्य सूची मुद्रा
 DocType: Naming Series,User must always select,उपयोगकर्ता हमेशा का चयन करना होगा
 DocType: Stock Settings,Allow Negative Stock,नकारात्मक स्टॉक की अनुमति दें
@@ -3358,9 +3394,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,पता लगाने की क्षमता
 DocType: Asset Maintenance Log,Actions performed,क्रियाएं निष्पादित हुईं
 DocType: Cash Flow Mapper,Section Leader,अनुभाग लीडर
+DocType: Delivery Note,Transport Receipt No,परिवहन रसीद संख्या
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),धन के स्रोत (देनदारियों)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,स्रोत और लक्ष्य स्थान समान नहीं हो सकता है
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},मात्रा पंक्ति में {0} ({1} ) के रूप में ही किया जाना चाहिए निर्मित मात्रा {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},मात्रा पंक्ति में {0} ({1} ) के रूप में ही किया जाना चाहिए निर्मित मात्रा {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,कर्मचारी
 DocType: Bank Guarantee,Fixed Deposit Number,सावधि जमा संख्या
 DocType: Asset Repair,Failure Date,असफलता तिथि
@@ -3374,16 +3411,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,भुगतान कटौती या घटाने
 DocType: Soil Analysis,Soil Analysis Criterias,मिट्टी विश्लेषण मानदंड
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,बिक्री या खरीद के लिए मानक अनुबंध शर्तों .
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,क्या आप वाकई इस नियुक्ति को रद्द करना चाहते हैं?
+DocType: BOM Item,Item operation,आइटम ऑपरेशन
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,क्या आप वाकई इस नियुक्ति को रद्द करना चाहते हैं?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,होटल रूम प्राइसिंग पैकेज
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,बिक्री पाइपलाइन
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,बिक्री पाइपलाइन
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},वेतन घटक में डिफ़ॉल्ट खाता सेट करें {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,आवश्यक पर
 DocType: Rename Tool,File to Rename,नाम बदलने के लिए फ़ाइल
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},पंक्ति में आइटम के लिए बीओएम चयन करें {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,सदस्यता अपडेट प्राप्त करें
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},खाता {0} कंपनी के साथ मेल नहीं खाता है {1}: विधि का {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},आइटम के लिए मौजूद नहीं है निर्दिष्ट बीओएम {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},आइटम के लिए मौजूद नहीं है निर्दिष्ट बीओएम {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,कोर्स:
 DocType: Soil Texture,Sandy Loam,सैंडी लोम
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,रखरखाव अनुसूची {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए
@@ -3392,7 +3430,7 @@
 DocType: Notification Control,Expense Claim Approved,व्यय दावे को मंजूरी
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),अग्रिम और आवंटन सेट करें (एफआईएफओ)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,कोई कार्य आदेश नहीं बनाया गया
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,कर्मचारी के वेतन पर्ची {0} पहले से ही इस अवधि के लिए बनाए गए
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,कर्मचारी के वेतन पर्ची {0} पहले से ही इस अवधि के लिए बनाए गए
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,औषधि
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,आप केवल वैध नकद राशि के लिए छुट्टी एनकैशमेंट सबमिट कर सकते हैं
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,खरीदी गई वस्तुओं की लागत
@@ -3400,7 +3438,8 @@
 DocType: Selling Settings,Sales Order Required,बिक्री आदेश आवश्यक
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,एक विक्रेता बनें
 DocType: Purchase Invoice,Credit To,करने के लिए क्रेडिट
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,सक्रिय सुराग / ग्राहकों
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,सक्रिय सुराग / ग्राहकों
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,मानक डिलिवरी नोट प्रारूप का उपयोग करने के लिए खाली छोड़ दें
 DocType: Employee Education,Post Graduate,स्नातकोत्तर
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,रखरखाव अनुसूची विवरण
 DocType: Supplier Scorecard,Warn for new Purchase Orders,नए क्रय आदेशों के लिए चेतावनी दें
@@ -3414,14 +3453,14 @@
 DocType: Support Search Source,Post Title Key,पोस्ट शीर्षक कुंजी
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,जॉब कार्ड के लिए
 DocType: Warranty Claim,Raised By,द्वारा उठाए गए
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,नुस्खे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,नुस्खे
 DocType: Payment Gateway Account,Payment Account,भुगतान खाता
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,कंपनी आगे बढ़ने के लिए निर्दिष्ट करें
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,कंपनी आगे बढ़ने के लिए निर्दिष्ट करें
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,लेखा प्राप्य में शुद्ध परिवर्तन
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,प्रतिपूरक बंद
 DocType: Job Offer,Accepted,स्वीकार किया
 DocType: POS Closing Voucher,Sales Invoices Summary,बिक्री चालान सारांश
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,पार्टी के नाम के लिए
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,पार्टी के नाम के लिए
 DocType: Grant Application,Organization,संगठन
 DocType: BOM Update Tool,BOM Update Tool,BOM अद्यतन उपकरण
 DocType: SG Creation Tool Course,Student Group Name,छात्र समूह का नाम
@@ -3430,7 +3469,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,आप वास्तव में इस कंपनी के लिए सभी लेन-देन को हटाना चाहते हैं सुनिश्चित करें। यह है के रूप में आपका मास्टर डाटा रहेगा। इस क्रिया को पूर्ववत नहीं किया जा सकता।
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,खोज के परिणाम
 DocType: Room,Room Number,कमरा संख्या
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},अमान्य संदर्भ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},अमान्य संदर्भ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},उत्पादान आदेश {3} मे {0} ({1})  योजना बद्द मात्रा ({2})  से अधिक नहीं हो सकती
 DocType: Shipping Rule,Shipping Rule Label,नौवहन नियम लेबल
 DocType: Journal Entry Account,Payroll Entry,पेरोल एंट्री
@@ -3438,8 +3477,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,कर टेम्पलेट करें
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,उपयोगकर्ता मंच
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,कच्चे माल खाली नहीं किया जा सकता।
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,पंक्ति # {0} (भुगतान तालिका): राशि ऋणात्मक होनी चाहिए
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","शेयर अद्यतन नहीं कर सका, चालान ड्रॉप शिपिंग आइटम शामिल हैं।"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,पंक्ति # {0} (भुगतान तालिका): राशि ऋणात्मक होनी चाहिए
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","शेयर अद्यतन नहीं कर सका, चालान ड्रॉप शिपिंग आइटम शामिल हैं।"
 DocType: Contract,Fulfilment Status,पूर्ति की स्थिति
 DocType: Lab Test Sample,Lab Test Sample,लैब टेस्ट नमूना
 DocType: Item Variant Settings,Allow Rename Attribute Value,नाम बदलें विशेषता मान
@@ -3481,11 +3520,11 @@
 DocType: BOM,Show Operations,शो संचालन
 ,Minutes to First Response for Opportunity,अवसर के लिए पहली प्रतिक्रिया मिनट
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,कुल अनुपस्थित
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,पंक्ति के लिए आइटम या वेयरहाउस {0} सामग्री अनुरोध मेल नहीं खाता
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,पंक्ति के लिए आइटम या वेयरहाउस {0} सामग्री अनुरोध मेल नहीं खाता
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,माप की इकाई
 DocType: Fiscal Year,Year End Date,वर्षांत तिथि
 DocType: Task Depends On,Task Depends On,काम पर निर्भर करता है
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,अवसर
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,अवसर
 DocType: Operation,Default Workstation,मूलभूत वर्कस्टेशन
 DocType: Notification Control,Expense Claim Approved Message,व्यय दावा संदेश स्वीकृत
 DocType: Payment Entry,Deductions or Loss,कटौती या घटाने
@@ -3523,20 +3562,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,उपयोगकर्ता का अनुमोदन करने के लिए नियम लागू है उपयोगकर्ता के रूप में ही नहीं हो सकता
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),मूल दर (स्टॉक UoM के अनुसार)
 DocType: SMS Log,No of Requested SMS,अनुरोधित एसएमएस की संख्या
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,बिना वेतन छुट्टी को मंजूरी दे दी लीव आवेदन रिकॉर्ड के साथ मेल नहीं खाता
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,बिना वेतन छुट्टी को मंजूरी दे दी लीव आवेदन रिकॉर्ड के साथ मेल नहीं खाता
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,अगला कदम
 DocType: Travel Request,Domestic,घरेलू
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,सबसे अच्छा संभव दरों पर निर्दिष्ट वस्तुओं की आपूर्ति करें
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,सबसे अच्छा संभव दरों पर निर्दिष्ट वस्तुओं की आपूर्ति करें
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,स्थानांतरण तिथि से पहले कर्मचारी स्थानांतरण जमा नहीं किया जा सकता है
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,चालान बनाएं
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,शेष राशि
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,शेष राशि
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 दिनों के बाद ऑटो बंद के मौके
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} के स्कोरकार्ड की स्थिति के कारण {0} के लिए खरीद ऑर्डर की अनुमति नहीं है।
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,बारकोड {0} एक मान्य {1} कोड नहीं है
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,बारकोड {0} एक मान्य {1} कोड नहीं है
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,अंत वर्ष
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,कोट / लीड%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,अनुबंध समाप्ति तिथि शामिल होने की तिथि से अधिक होना चाहिए
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,अनुबंध समाप्ति तिथि शामिल होने की तिथि से अधिक होना चाहिए
 DocType: Driver,Driver,चालक
 DocType: Vital Signs,Nutrition Values,पोषण मान
 DocType: Lab Test Template,Is billable,बिल योग्य है
@@ -3547,7 +3586,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,इस ERPNext से ऑटो उत्पन्न एक उदाहरण वेबसाइट है
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,बूढ़े सीमा 1
 DocType: Shopify Settings,Enable Shopify,Shopify सक्षम करें
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,कुल अग्रिम राशि कुल दावा राशि से अधिक नहीं हो सकती
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,कुल अग्रिम राशि कुल दावा राशि से अधिक नहीं हो सकती
 DocType: Purchase Taxes and Charges Template,"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
@@ -3594,12 +3633,12 @@
 DocType: Employee Separation,Employee Separation,कर्मचारी पृथक्करण
 DocType: BOM Item,Original Item,मूल आइटम
 DocType: Purchase Receipt Item,Recd Quantity,रिसी डी मात्रा
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,डॉक्टर तिथि
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,डॉक्टर तिथि
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},शुल्क रिकॉर्ड बनाया - {0}
 DocType: Asset Category Account,Asset Category Account,परिसंपत्ति वर्ग अकाउंट
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,पंक्ति # {0} (भुगतान तालिका): राशि सकारात्मक होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,पंक्ति # {0} (भुगतान तालिका): राशि सकारात्मक होना चाहिए
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},अधिक आइटम उत्पादन नहीं कर सकते {0} से बिक्री आदेश मात्रा {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,विशेषता मान चुनें
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,विशेषता मान चुनें
 DocType: Purchase Invoice,Reason For Issuing document,दस्तावेज़ जारी करने का कारण
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,स्टॉक एंट्री {0} प्रस्तुत नहीं किया गया है
 DocType: Payment Reconciliation,Bank / Cash Account,बैंक / रोकड़ लेखा
@@ -3608,8 +3647,10 @@
 DocType: Asset,Manual,गाइड
 DocType: Salary Component Account,Salary Component Account,वेतन घटक अकाउंट
 DocType: Global Defaults,Hide Currency Symbol,मुद्रा प्रतीक छुपाएँ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,स्रोत द्वारा बिक्री के अवसर
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,दाता जानकारी
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","जैसे बैंक, नकद, क्रेडिट कार्ड"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए नंबरिंग श्रृंखला सेट करें
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","जैसे बैंक, नकद, क्रेडिट कार्ड"
 DocType: Job Applicant,Source Name,स्रोत का नाम
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","एक वयस्क में सामान्य रूप से रक्तचाप आराम कर रहा है लगभग 120 एमएमएचजी सिस्टोलिक, और 80 एमएमएचजी डायस्टोलिक, संक्षिप्त &quot;120/80 एमएमएचजी&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","मदों में शेल्फ लाइफ सेट करें, जो विनिर्माण अवधि और स्व जीवन के आधार पर समापन का निर्धारण करता है"
@@ -3639,7 +3680,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},मात्रा के लिए मात्रा से कम होना चाहिए {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,पंक्ति {0} : आरंभ तिथि समाप्ति तिथि से पहले होना चाहिए
 DocType: Salary Component,Max Benefit Amount (Yearly),अधिकतम लाभ राशि (वार्षिक)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,टीडीएस दर%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,टीडीएस दर%
 DocType: Crop,Planting Area,रोपण क्षेत्र
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),कुल मात्रा)
 DocType: Installation Note Item,Installed Qty,स्थापित मात्रा
@@ -3661,8 +3702,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,स्वीकृति अधिसूचना छोड़ दें
 DocType: Buying Settings,Default Buying Price List,डिफ़ॉल्ट खरीद मूल्य सूची
 DocType: Payroll Entry,Salary Slip Based on Timesheet,वेतन पर्ची के आधार पर Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,खरीदना दर
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},पंक्ति {0}: संपत्ति आइटम {1} के लिए स्थान दर्ज करें
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,खरीदना दर
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},पंक्ति {0}: संपत्ति आइटम {1} के लिए स्थान दर्ज करें
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,पुर-आरएफक्यू-.YYYY.-
 DocType: Company,About the Company,कंपनी के बारे में
 DocType: Notification Control,Sales Order Message,बिक्री आदेश संदेश
@@ -3727,10 +3768,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,पंक्ति {0} के लिए: नियोजित मात्रा दर्ज करें
 DocType: Account,Income Account,आय खाता
 DocType: Payment Request,Amount in customer's currency,ग्राहक की मुद्रा में राशि
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,वितरण
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,वितरण
 DocType: Volunteer,Weekdays,काम करने के दिन
 DocType: Stock Reconciliation Item,Current Qty,वर्तमान मात्रा
 DocType: Restaurant Menu,Restaurant Menu,रेस्तरां मेनू
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,आपूर्तिकर्ता जोड़ें
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,एसीसी-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,सहायता अनुभाग
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,पिछला
@@ -3742,19 +3784,20 @@
 												fullfill Sales Order {2}",आइटम {1} के सीरियल नंबर {0} को वितरित नहीं कर सकता क्योंकि यह \ fullfill बिक्री आदेश {2} के लिए आरक्षित है
 DocType: Item Reorder,Material Request Type,सामग्री अनुरोध प्रकार
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,अनुदान भेजें ईमेल भेजें
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage भरा हुआ है, नहीं सहेजा गया"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,पंक्ति {0}: UoM रूपांतरण कारक है अनिवार्य है
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage भरा हुआ है, नहीं सहेजा गया"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,पंक्ति {0}: UoM रूपांतरण कारक है अनिवार्य है
 DocType: Employee Benefit Claim,Claim Date,दावा तिथि
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,कमरे की क्षमता
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},आइटम के लिए पहले से ही रिकॉर्ड मौजूद है {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,संदर्भ .......................
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,आप पहले जेनरेट किए गए चालान के रिकॉर्ड खो देंगे। क्या आप वाकई इस सदस्यता को पुनरारंभ करना चाहते हैं?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,पंजीयन शुल्क
 DocType: Loyalty Program Collection,Loyalty Program Collection,वफादारी कार्यक्रम संग्रह
 DocType: Stock Entry Detail,Subcontracted Item,उपखंडित आइटम
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},छात्र {0} समूह से संबंधित नहीं है {1}
 DocType: Budget,Cost Center,लागत केंद्र
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,वाउचर #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,वाउचर #
 DocType: Notification Control,Purchase Order Message,खरीद आदेश संदेश
 DocType: Tax Rule,Shipping Country,शिपिंग देश
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,बिक्री लेन-देन से ग्राहक के कर आईडी छुपाएं
@@ -3773,23 +3816,22 @@
 DocType: Subscription,Cancel At End Of Period,अवधि के अंत में रद्द करें
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,संपत्ति पहले से ही जोड़ा गया है
 DocType: Item Supplier,Item Supplier,आइटम प्रदायक
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},के लिए एक मूल्य का चयन करें {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},के लिए एक मूल्य का चयन करें {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,हस्तांतरण के लिए कोई आइटम नहीं चुना गया
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,सभी पते.
 DocType: Company,Stock Settings,स्टॉक सेटिंग्स
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","निम्नलिखित गुण दोनों रिकॉर्ड में वही कर रहे हैं अगर विलय ही संभव है। समूह, रूट प्रकार, कंपनी है"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","निम्नलिखित गुण दोनों रिकॉर्ड में वही कर रहे हैं अगर विलय ही संभव है। समूह, रूट प्रकार, कंपनी है"
 DocType: Vehicle,Electric,बिजली
 DocType: Task,% Progress,% प्रगति
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,लाभ / आस्ति निपटान पर हानि
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",केवल &quot;स्वीकृत&quot; स्थिति वाले छात्र आवेदक का चयन नीचे दी गई तालिका में किया जाएगा।
 DocType: Tax Withholding Category,Rates,दरें
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,खाता {0} के लिए खाता संख्या उपलब्ध नहीं है <br> कृपया अपने चार्ट्स अकाउंट्स को सही ढंग से सेटअप करें
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,खाता {0} के लिए खाता संख्या उपलब्ध नहीं है <br> कृपया अपने चार्ट्स अकाउंट्स को सही ढंग से सेटअप करें
 DocType: Task,Depends on Tasks,कार्य पर निर्भर करता है
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ग्राहक समूह ट्री प्रबंधन .
 DocType: Normal Test Items,Result Value,परिणाम मान
 DocType: Hotel Room,Hotels,होटल
-DocType: Delivery Note,Transporter Date,ट्रांसपोर्टर तिथि
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,नए लागत केन्द्र का नाम
 DocType: Leave Control Panel,Leave Control Panel,नियंत्रण कक्ष छोड़ दो
 DocType: Project,Task Completion,काम पूरा होना
@@ -3836,11 +3878,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,सभी मूल्यांकन समूह
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,नए गोदाम नाम
 DocType: Shopify Settings,App Type,ऐप टाइप
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),कुल {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),कुल {0} ({1})
 DocType: C-Form Invoice Detail,Territory,क्षेत्र
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,कृपया उल्लेख आवश्यक यात्राओं की कोई
 DocType: Stock Settings,Default Valuation Method,डिफ़ॉल्ट मूल्यन विधि
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,शुल्क
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,संचयी राशि दिखाएं
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,अपडेट जारी है। इसमें समय लग सकता है।
 DocType: Production Plan Item,Produced Qty,उत्पादित मात्रा
 DocType: Vehicle Log,Fuel Qty,ईंधन मात्रा
@@ -3848,7 +3891,7 @@
 DocType: Work Order Operation,Planned Start Time,नियोजित प्रारंभ समय
 DocType: Course,Assessment,मूल्यांकन
 DocType: Payment Entry Reference,Allocated,आवंटित
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि .
 DocType: Student Applicant,Application Status,आवेदन की स्थिति
 DocType: Additional Salary,Salary Component Type,वेतन घटक प्रकार
 DocType: Sensitivity Test Items,Sensitivity Test Items,संवेदनशीलता परीक्षण आइटम
@@ -3859,10 +3902,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,कुल बकाया राशि
 DocType: Sales Partner,Targets,लक्ष्य
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,कृपया कंपनी की जानकारी फ़ाइल में SIREN नंबर को पंजीकृत करें
+DocType: Email Digest,Sales Orders to Bill,बिल के लिए बिक्री आदेश
 DocType: Price List,Price List Master,मूल्य सूची मास्टर
 DocType: GST Account,CESS Account,सीईएस खाता
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,आप सेट और लक्ष्यों की निगरानी कर सकते हैं ताकि सभी बिक्री लेनदेन कई ** बिक्री व्यक्तियों ** खिलाफ टैग किया जा सकता है।
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,सामग्री अनुरोध से लिंक करें
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,सामग्री अनुरोध से लिंक करें
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,फोरम गतिविधि
 ,S.O. No.,बिक्री आदेश संख्या
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,बैंक स्टेटमेंट लेनदेन सेटिंग्स आइटम
@@ -3877,7 +3921,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,यह एक रूट ग्राहक समूह है और संपादित नहीं किया जा सकता है .
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,यदि पीओ पर संचित मासिक बजट पूरा हो गया है तो कार्रवाई
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,रखना
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,रखना
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,विनिमय दर पुनर्मूल्यांकन
 DocType: POS Profile,Ignore Pricing Rule,मूल्य निर्धारण नियम की अनदेखी
 DocType: Employee Education,Graduate,परिवर्धित
@@ -3925,6 +3969,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,कृपया रेस्तरां सेटिंग में डिफ़ॉल्ट ग्राहक सेट करें
 ,Salary Register,वेतन रजिस्टर
 DocType: Warehouse,Parent Warehouse,जनक गोदाम
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,चार्ट
 DocType: Subscription,Net Total,शुद्ध जोड़
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},आइटम {0} और प्रोजेक्ट {1} के लिए डिफ़ॉल्ट BOM नहीं मिला
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,विभिन्न प्रकार के ऋण को परिभाषित करें
@@ -3957,24 +4002,26 @@
 DocType: Membership,Membership Status,सदस्यता स्थिति
 DocType: Travel Itinerary,Lodging Required,लॉजिंग आवश्यक है
 ,Requested,निवेदित
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,कोई टिप्पणी
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,कोई टिप्पणी
 DocType: Asset,In Maintenance,रखरखाव में
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,अमेज़ॅन MWS से अपने बिक्री आदेश डेटा खींचने के लिए इस बटन पर क्लिक करें।
 DocType: Vital Signs,Abdomen,पेट
 DocType: Purchase Invoice,Overdue,अतिदेय
 DocType: Account,Stock Received But Not Billed,स्टॉक प्राप्त लेकिन बिल नहीं
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,रूट खाते एक समूह होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,रूट खाते एक समूह होना चाहिए
 DocType: Drug Prescription,Drug Prescription,ड्रग प्रिस्क्रिप्शन
 DocType: Loan,Repaid/Closed,चुकाया / बंद किया गया
 DocType: Amazon MWS Settings,CA,सीए
 DocType: Item,Total Projected Qty,कुल अनुमानित मात्रा
 DocType: Monthly Distribution,Distribution Name,वितरण नाम
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,यूओएम शामिल करें
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","आइटम {0} के लिए मूल्यांकन दर नहीं मिली, जिसे {1} {2} के लिए लेखा प्रविष्टियां करने की आवश्यकता है यदि आइटम {1} में शून्य मूल्यांकन दर आइटम के रूप में लेनदेन कर रहे हैं, तो कृपया {1} आइटम तालिका में उल्लेख करें। अन्यथा, कृपया आइटम के लिए आने वाले स्टॉक लेनदेन को बनाएं या मद रिकॉर्ड में मूल्यांकन दर का उल्लेख करें, और फिर इस प्रविष्टि को सबमिट करने / रद्द करने का प्रयास करें"
 DocType: Course,Course Code,पाठ्यक्रम कोड
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},आइटम के लिए आवश्यक गुणवत्ता निरीक्षण {0}
 DocType: Location,Parent Location,अभिभावक स्थान
 DocType: POS Settings,Use POS in Offline Mode,ऑफ़लाइन मोड में पीओएस का उपयोग करें
 DocType: Supplier Scorecard,Supplier Variables,प्रदायक चर
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} अनिवार्य है। शायद {1} से {2} के लिए मुद्रा विनिमय रिकॉर्ड नहीं बनाया गया है
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,जिस पर दर ग्राहक की मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है
 DocType: Purchase Invoice Item,Net Rate (Company Currency),शुद्ध दर (कंपनी मुद्रा)
 DocType: Salary Detail,Condition and Formula Help,स्थिति और फॉर्मूला सहायता
@@ -3983,19 +4030,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,बिक्री चालान
 DocType: Journal Entry Account,Party Balance,पार्टी बैलेंस
 DocType: Cash Flow Mapper,Section Subtotal,अनुभाग उप-योग
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,डिस्काउंट पर लागू होते हैं का चयन करें
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,डिस्काउंट पर लागू होते हैं का चयन करें
 DocType: Stock Settings,Sample Retention Warehouse,नमूना रिटेंशन गोदाम
 DocType: Company,Default Receivable Account,डिफ़ॉल्ट प्राप्य खाता
 DocType: Purchase Invoice,Deemed Export,डीम्ड एक्सपोर्ट
 DocType: Stock Entry,Material Transfer for Manufacture,निर्माण के लिए सामग्री हस्तांतरण
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,डिस्काउंट प्रतिशत एक मूल्य सूची के खिलाफ या सभी मूल्य सूची के लिए या तो लागू किया जा सकता है.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,शेयर के लिए लेखा प्रविष्टि
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,शेयर के लिए लेखा प्रविष्टि
 DocType: Lab Test,LabTest Approver,लैबैस्ट एपीओवर
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,आप मूल्यांकन मानदंड के लिए पहले से ही मूल्यांकन कर चुके हैं {}
 DocType: Vehicle Service,Engine Oil,इंजन तेल
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},निर्मित कार्य आदेश: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},निर्मित कार्य आदेश: {0}
 DocType: Sales Invoice,Sales Team1,Team1 बिक्री
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,आइटम {0} मौजूद नहीं है
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,आइटम {0} मौजूद नहीं है
 DocType: Sales Invoice,Customer Address,ग्राहक पता
 DocType: Loan,Loan Details,ऋण विवरण
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,पोस्ट कंपनी फिक्स्चर सेट अप करने में विफल
@@ -4016,34 +4063,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,पृष्ठ के शीर्ष पर इस स्लाइड शो दिखाएँ
 DocType: BOM,Item UOM,आइटम UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),सबसे कम राशि के बाद टैक्स राशि (कंपनी मुद्रा)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},लक्ष्य गोदाम पंक्ति के लिए अनिवार्य है {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},लक्ष्य गोदाम पंक्ति के लिए अनिवार्य है {0}
 DocType: Cheque Print Template,Primary Settings,प्राथमिक सेटिंग
 DocType: Attendance Request,Work From Home,घर से काम
 DocType: Purchase Invoice,Select Supplier Address,प्रदायक पते का चयन
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,कर्मचारियों को जोड़ने
 DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता निरीक्षण
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,अतिरिक्त छोटा
 DocType: Company,Standard Template,स्टैंडर्ड खाका
 DocType: Training Event,Theory,सिद्धांत
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मात्रा अनुरोध सामग्री न्यूनतम आदेश मात्रा से कम है
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मात्रा अनुरोध सामग्री न्यूनतम आदेश मात्रा से कम है
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,खाते {0} जमे हुए है
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,संगठन से संबंधित खातों की एक अलग चार्ट के साथ कानूनी इकाई / सहायक।
 DocType: Payment Request,Mute Email,म्यूट ईमेल
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","खाद्य , पेय और तंबाकू"
 DocType: Account,Account Number,खाता संख्या
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},केवल विरुद्ध भुगतान कर सकते हैं unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,आयोग दर 100 से अधिक नहीं हो सकता
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},केवल विरुद्ध भुगतान कर सकते हैं unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,आयोग दर 100 से अधिक नहीं हो सकता
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),स्वचालित रूप से अग्रिम आवंटित करें (एफआईएफओ)
 DocType: Volunteer,Volunteer,स्वयंसेवक
 DocType: Buying Settings,Subcontract,उपपट्टा
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,1 {0} दर्ज करें
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,से कोई जवाब नहीं
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,से कोई जवाब नहीं
 DocType: Work Order Operation,Actual End Time,वास्तविक अंत समय
 DocType: Item,Manufacturer Part Number,निर्माता भाग संख्या
 DocType: Taxable Salary Slab,Taxable Salary Slab,कर योग्य वेतन स्लैब
 DocType: Work Order Operation,Estimated Time and Cost,अनुमानित समय और लागत
 DocType: Bin,Bin,बिन
 DocType: Crop,Crop Name,क्रॉप नाम
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,केवल {0} भूमिका वाले उपयोगकर्ता बाज़ार पर पंजीकरण कर सकते हैं
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,केवल {0} भूमिका वाले उपयोगकर्ता बाज़ार पर पंजीकरण कर सकते हैं
 DocType: SMS Log,No of Sent SMS,भेजे गए एसएमएस की संख्या
 DocType: Leave Application,HR-LAP-.YYYY.-,मानव संसाधन-एलएपी-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,नियुक्तियां और Encounters
@@ -4072,7 +4120,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,कोड बदलें
 DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर
 DocType: Vehicle,Diesel,डीज़ल
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,मूल्य सूची मुद्रा का चयन नहीं
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,मूल्य सूची मुद्रा का चयन नहीं
 DocType: Purchase Invoice,Availed ITC Cess,लाभ हुआ आईटीसी सेस
 ,Student Monthly Attendance Sheet,छात्र मासिक उपस्थिति पत्रक
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,नौवहन नियम केवल बेचना के लिए लागू है
@@ -4088,7 +4136,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,बिक्री भागीदारों की व्यवस्था करें.
 DocType: Quality Inspection,Inspection Type,निरीक्षण के प्रकार
 DocType: Fee Validity,Visited yet,अभी तक देखें
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,मौजूदा लेनदेन के साथ गोदामों समूह में परिवर्तित नहीं किया जा सकता है।
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,मौजूदा लेनदेन के साथ गोदामों समूह में परिवर्तित नहीं किया जा सकता है।
 DocType: Assessment Result Tool,Result HTML,परिणाम HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,बिक्री लेनदेन के आधार पर परियोजना और कंपनी को कितनी बार अपडेट किया जाना चाहिए।
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,पर समय सीमा समाप्त
@@ -4096,7 +4144,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},कृपया चुनें {0}
 DocType: C-Form,C-Form No,कोई सी - फार्म
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,दूरी
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,दूरी
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,अपने उत्पादों या सेवाओं को सूचीबद्ध करें जिन्हें आप खरीद या बेचते हैं।
 DocType: Water Analysis,Storage Temperature,भंडारण तापमान
 DocType: Sales Order,SAL-ORD-.YYYY.-,साल-ORD-.YYYY.-
@@ -4112,19 +4160,19 @@
 DocType: Shopify Settings,Delivery Note Series,डिलिवरी नोट श्रृंखला
 DocType: Purchase Order Item,Returned Qty,लौटे मात्रा
 DocType: Student,Exit,निकास
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,रूट प्रकार अनिवार्य है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,रूट प्रकार अनिवार्य है
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,प्रीसेट स्थापित करने में विफल
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,घंटे में यूओएम रूपांतरण
 DocType: Contract,Signee Details,हस्ताक्षर विवरण
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} में वर्तमान में एक {1} प्रदायक स्कोरकार्ड खड़ा है, और इस आपूर्तिकर्ता को आरएफक्यू सावधानी के साथ जारी किया जाना चाहिए।"
 DocType: Certified Consultant,Non Profit Manager,गैर लाभ प्रबंधक
 DocType: BOM,Total Cost(Company Currency),कुल लागत (कंपनी मुद्रा)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,धारावाहिक नहीं {0} बनाया
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,धारावाहिक नहीं {0} बनाया
 DocType: Homepage,Company Description for website homepage,वेबसाइट मुखपृष्ठ के लिए कंपनी विवरण
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",ग्राहकों की सुविधा के लिए इन कोड प्रिंट स्वरूपों में चालान और वितरण नोट की तरह इस्तेमाल किया जा सकता है
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier नाम
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} के लिए जानकारी पुनर्प्राप्त नहीं की जा सकी।
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,उद्घाटन एंट्री जर्नल
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,उद्घाटन एंट्री जर्नल
 DocType: Contract,Fulfilment Terms,पूर्ति शर्तें
 DocType: Sales Invoice,Time Sheet List,समय पत्रक सूची
 DocType: Employee,You can enter any date manually,आप किसी भी तारीख को मैन्युअल रूप से दर्ज कर सकते हैं
@@ -4159,7 +4207,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,आपकी संगठन
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","निम्नलिखित कर्मचारियों के लिए छुट्टी आवंटन छोड़ना, क्योंकि उनके द्वारा छोड़ा गया आवंटन रिकॉर्ड पहले से मौजूद है। {0}"
 DocType: Fee Component,Fees Category,फीस श्रेणी
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,तारीख से राहत दर्ज करें.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,तारीख से राहत दर्ज करें.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,राशि
 DocType: Travel Request,"Details of Sponsor (Name, Location)","प्रायोजक का विवरण (नाम, स्थान)"
 DocType: Supplier Scorecard,Notify Employee,कर्मचारी को सूचित करें
@@ -4172,9 +4220,9 @@
 DocType: Company,Chart Of Accounts Template,लेखा खाका का चार्ट
 DocType: Attendance,Attendance Date,उपस्थिति तिथि
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},अद्यतन चालान खरीद चालान के लिए सक्षम होना चाहिए {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},आइटम की {0} में मूल्य सूची के लिए अद्यतन {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},आइटम की {0} में मूल्य सूची के लिए अद्यतन {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,वेतन गोलमाल अर्जन और कटौती पर आधारित है.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
 DocType: Purchase Invoice Item,Accepted Warehouse,स्वीकार किए जाते हैं गोदाम
 DocType: Bank Reconciliation Detail,Posting Date,तिथि पोस्टिंग
 DocType: Item,Valuation Method,मूल्यन विधि
@@ -4211,6 +4259,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,कृपया बैच का चयन करें
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,यात्रा और व्यय दावा
 DocType: Sales Invoice,Redemption Cost Center,रिडेम्प्शन लागत केंद्र
+DocType: QuickBooks Migrator,Scope,क्षेत्र
 DocType: Assessment Group,Assessment Group Name,आकलन समूह का नाम
 DocType: Manufacturing Settings,Material Transferred for Manufacture,सामग्री निर्माण के लिए हस्तांतरित
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,विवरण में जोड़ें
@@ -4218,6 +4267,7 @@
 DocType: Shopify Settings,Last Sync Datetime,अंतिम सिंक डेटाटाइम
 DocType: Landed Cost Item,Receipt Document Type,रसीद दस्तावेज़ प्रकार
 DocType: Daily Work Summary Settings,Select Companies,कंपनियों का चयन
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,प्रस्ताव / मूल्य उद्धरण
 DocType: Antibiotic,Healthcare,स्वास्थ्य देखभाल
 DocType: Target Detail,Target Detail,लक्ष्य विस्तार
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,सिंगल वेरिएंट
@@ -4227,6 +4277,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,अवधि समापन एंट्री
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,विभाग का चयन करें ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,मौजूदा लेनदेन के साथ लागत केंद्र समूह परिवर्तित नहीं किया जा सकता है
+DocType: QuickBooks Migrator,Authorization URL,प्रमाणीकरण यूआरएल
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},राशि {0} {1} {2} {3}
 DocType: Account,Depreciation,ह्रास
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,शेयरों की संख्या और शेयर संख्याएं असंगत हैं
@@ -4248,13 +4299,14 @@
 DocType: Support Search Source,Source DocType,स्रोत डॉकटाइप
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,एक नया टिकट खोलें
 DocType: Training Event,Trainer Email,ट्रेनर ईमेल
+DocType: Driver,Transporter,ट्रांसपोर्टर
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,सामग्री अनुरोध {0} बनाया
 DocType: Restaurant Reservation,No of People,लोगों की संख्या
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,शब्दों या अनुबंध के टेम्पलेट.
 DocType: Bank Account,Address and Contact,पता और संपर्क
 DocType: Vital Signs,Hyper,हाइपर
 DocType: Cheque Print Template,Is Account Payable,खाते में देय है
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},शेयर खरीद रसीद के खिलाफ अद्यतन नहीं किया जा सकता है {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},शेयर खरीद रसीद के खिलाफ अद्यतन नहीं किया जा सकता है {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 दिनों के बाद ऑटो बंद जारी
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","पहले आवंटित नहीं किया जा सकता छोड़ दो {0}, छुट्टी संतुलन पहले से ही ले अग्रेषित भविष्य छुट्टी आवंटन रिकॉर्ड में किया गया है के रूप में {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),नोट: कारण / संदर्भ तिथि {0} दिन द्वारा अनुमति ग्राहक क्रेडिट दिनों से अधिक (ओं)
@@ -4272,7 +4324,7 @@
 ,Qty to Deliver,उद्धार करने के लिए मात्रा
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,अमेज़ॅन इस तिथि के बाद अपडेट किए गए डेटा को सिंक करेगा
 ,Stock Analytics,स्टॉक विश्लेषिकी
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,संचालन खाली नहीं छोड़ा जा सकता है
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,संचालन खाली नहीं छोड़ा जा सकता है
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,प्रयोगशाला परीक्षण
 DocType: Maintenance Visit Purpose,Against Document Detail No,दस्तावेज़ विस्तार नहीं के खिलाफ
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},देश के लिए विलोपन की अनुमति नहीं है {0}
@@ -4280,13 +4332,12 @@
 DocType: Quality Inspection,Outgoing,बाहर जाने वाला
 DocType: Material Request,Requested For,के लिए अनुरोध
 DocType: Quotation Item,Against Doctype,Doctype के खिलाफ
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} को रद्द कर दिया है या बंद है
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} को रद्द कर दिया है या बंद है
 DocType: Asset,Calculate Depreciation,अवमूल्यन की गणना करें
 DocType: Delivery Note,Track this Delivery Note against any Project,किसी भी परियोजना के खिलाफ इस डिलिवरी नोट हुए
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,निवेश से नेट नकद
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक समूह&gt; क्षेत्र
 DocType: Work Order,Work-in-Progress Warehouse,कार्य में प्रगति गोदाम
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,एसेट {0} प्रस्तुत किया जाना चाहिए
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,एसेट {0} प्रस्तुत किया जाना चाहिए
 DocType: Fee Schedule Program,Total Students,कुल छात्र
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},उपस्थिति रिकॉर्ड {0} छात्र के खिलाफ मौजूद {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},संदर्भ # {0} दिनांक {1}
@@ -4305,7 +4356,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,बाएं कर्मचारियों के लिए प्रतिधारण बोनस नहीं बना सकते हैं
 DocType: Lead,Market Segment,बाजार खंड
 DocType: Agriculture Analysis Criteria,Agriculture Manager,कृषि प्रबंधक
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},भुगतान की गई राशि कुल नकारात्मक बकाया राशि से अधिक नहीं हो सकता है {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},भुगतान की गई राशि कुल नकारात्मक बकाया राशि से अधिक नहीं हो सकता है {0}
 DocType: Supplier Scorecard Period,Variables,चर
 DocType: Employee Internal Work History,Employee Internal Work History,कर्मचारी आंतरिक कार्य इतिहास
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),समापन (डॉ.)
@@ -4329,22 +4380,24 @@
 DocType: Amazon MWS Settings,Synch Products,सिंच उत्पाद
 DocType: Loyalty Point Entry,Loyalty Program,वफादारी कार्यक्रम
 DocType: Student Guardian,Father,पिता
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,समर्थन टिकट
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;अपडेट शेयर&#39; निश्चित संपत्ति बिक्री के लिए जाँच नहीं की जा सकती
 DocType: Bank Reconciliation,Bank Reconciliation,बैंक समाधान
 DocType: Attendance,On Leave,छुट्टी पर
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,अपडेट प्राप्त करे
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: खाता {2} कंपनी से संबंधित नहीं है {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,प्रत्येक विशेषताओं से कम से कम एक मान चुनें
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,प्रत्येक विशेषताओं से कम से कम एक मान चुनें
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,सामग्री अनुरोध {0} को रद्द कर दिया है या बंद कर दिया गया है
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,डिस्पैच स्टेट
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,डिस्पैच स्टेट
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,प्रबंधन छोड़ दो
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,समूह
 DocType: Purchase Invoice,Hold Invoice,चालान पकड़ो
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,कृपया कर्मचारी का चयन करें
 DocType: Sales Order,Fully Delivered,पूरी तरह से वितरित
-DocType: Lead,Lower Income,कम आय
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,कम आय
 DocType: Restaurant Order Entry,Current Order,अभी का ऑर्डर
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,धारावाहिक संख्या और मात्रा की संख्या एक जैसी होनी चाहिए
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},स्रोत और लक्ष्य गोदाम पंक्ति के लिए समान नहीं हो सकता {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},स्रोत और लक्ष्य गोदाम पंक्ति के लिए समान नहीं हो सकता {0}
 DocType: Account,Asset Received But Not Billed,संपत्ति प्राप्त की लेकिन बिल नहीं किया गया
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","यह स्टॉक सुलह एक खोलने एंट्री के बाद से अंतर खाते, एक एसेट / दायित्व प्रकार खाता होना चाहिए"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},वितरित राशि ऋण राशि से अधिक नहीं हो सकता है {0}
@@ -4353,7 +4406,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},क्रय आदेश संख्या मद के लिए आवश्यक {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','तिथि तक' 'तिथि से'  के बाद होनी चाहिए
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,इस पदनाम के लिए कोई स्टाफिंग योजना नहीं मिली
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,आइटम {1} का बैच {0} अक्षम है।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,आइटम {1} का बैच {0} अक्षम है।
 DocType: Leave Policy Detail,Annual Allocation,वार्षिक आवंटन
 DocType: Travel Request,Address of Organizer,आयोजक का पता
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,हेल्थकेयर प्रैक्टिशनर का चयन करें ...
@@ -4362,12 +4415,12 @@
 DocType: Asset,Fully Depreciated,पूरी तरह से घिस
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,शेयर मात्रा अनुमानित
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,उल्लेखनीय उपस्थिति एचटीएमएल
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","कोटेशन प्रस्तावों, बोलियों आप अपने ग्राहकों के लिए भेजा है रहे हैं"
 DocType: Sales Invoice,Customer's Purchase Order,ग्राहक के क्रय आदेश
 DocType: Clinical Procedure,Patient,मरीज
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,बिक्री आदेश पर क्रेडिट चेक बाईपास
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,बिक्री आदेश पर क्रेडिट चेक बाईपास
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,कर्मचारी ऑनबोर्डिंग गतिविधि
 DocType: Location,Check if it is a hydroponic unit,जांचें कि क्या यह एक हीड्रोपोनिक इकाई है
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,सीरियल नहीं और बैच
@@ -4377,7 +4430,7 @@
 DocType: Supplier Scorecard Period,Calculations,गणना
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,मूल्य या मात्रा
 DocType: Payment Terms Template,Payment Terms,भुगतान की शर्तें
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,प्रोडक्शंस आदेश के लिए नहीं उठाया जा सकता है:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,प्रोडक्शंस आदेश के लिए नहीं उठाया जा सकता है:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,मिनट
 DocType: Purchase Invoice,Purchase Taxes and Charges,खरीद कर और शुल्क
 DocType: Chapter,Meetup Embed HTML,Meetup embed HTML
@@ -4385,17 +4438,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,आपूर्तिकर्ता पर जाएं
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,पीओएस बंद वाउचर कर
 ,Qty to Receive,प्राप्त करने के लिए मात्रा
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","वैध पेरोल अवधि में प्रारंभ और समाप्ति तिथियां नहीं, {0} की गणना नहीं कर सकती हैं।"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","वैध पेरोल अवधि में प्रारंभ और समाप्ति तिथियां नहीं, {0} की गणना नहीं कर सकती हैं।"
 DocType: Leave Block List,Leave Block List Allowed,छोड़ दो ब्लॉक सूची रख सकते है
 DocType: Grading Scale Interval,Grading Scale Interval,ग्रेडिंग पैमाने अंतराल
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},वाहन प्रवेश के लिए व्यय दावा {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,मार्जिन के साथ मूल्य सूची दर पर डिस्काउंट (%)
 DocType: Healthcare Service Unit Type,Rate / UOM,दर / यूओएम
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,सभी गोदामों
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,इंटर कंपनी लेनदेन के लिए कोई {0} नहीं मिला।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,इंटर कंपनी लेनदेन के लिए कोई {0} नहीं मिला।
 DocType: Travel Itinerary,Rented Car,किराए पर कार
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,आपकी कंपनी के बारे में
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,खाते में जमा एक बैलेंस शीट खाता होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,खाते में जमा एक बैलेंस शीट खाता होना चाहिए
 DocType: Donor,Donor,दाता
 DocType: Global Defaults,Disable In Words,शब्दों में अक्षम
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,आइटम स्वचालित रूप से गिने नहीं है क्योंकि मद कोड अनिवार्य है
@@ -4407,14 +4460,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,बैंक ओवरड्राफ्ट खाता
 DocType: Patient,Patient ID,रोगी आईडी
 DocType: Practitioner Schedule,Schedule Name,अनुसूची नाम
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,स्टेज द्वारा बिक्री पाइपलाइन
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,वेतन पर्ची बनाओ
 DocType: Currency Exchange,For Buying,खरीदने के लिए
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,सभी आपूर्तिकर्ता जोड़ें
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,सभी आपूर्तिकर्ता जोड़ें
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,पंक्ति # {0}: आवंटित राशि बकाया राशि से अधिक नहीं हो सकती।
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,ब्राउज़ बीओएम
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,सुरक्षित कर्जे
 DocType: Purchase Invoice,Edit Posting Date and Time,पोस्टिंग दिनांक और समय संपादित करें
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},में परिसंपत्ति वर्ग {0} या कंपनी मूल्यह्रास संबंधित खाते सेट करें {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},में परिसंपत्ति वर्ग {0} या कंपनी मूल्यह्रास संबंधित खाते सेट करें {1}
 DocType: Lab Test Groups,Normal Range,सामान्य परिसर
 DocType: Academic Term,Academic Year,शैक्षणिक वर्ष
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,उपलब्ध बेचना
@@ -4443,26 +4497,26 @@
 DocType: Patient Appointment,Patient Appointment,रोगी की नियुक्ति
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,रोल का अनुमोदन करने के लिए नियम लागू है भूमिका के रूप में ही नहीं हो सकता
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,इस ईमेल डाइजेस्ट से सदस्यता रद्द
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,द्वारा आपूर्तिकर्ता जाओ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,द्वारा आपूर्तिकर्ता जाओ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} आइटम के लिए नहीं मिला {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,पाठ्यक्रम पर जाएं
 DocType: Accounts Settings,Show Inclusive Tax In Print,प्रिंट में समावेशी कर दिखाएं
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","बैंक खाता, तिथि और तिथि से अनिवार्य हैं"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,भेजे गए संदेश
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,बच्चे नोड्स के साथ खाता बही के रूप में सेट नहीं किया जा सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,बच्चे नोड्स के साथ खाता बही के रूप में सेट नहीं किया जा सकता
 DocType: C-Form,II,द्वितीय
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,दर जिस पर मूल्य सूची मुद्रा ग्राहक आधार मुद्रा में परिवर्तित किया जाता है
 DocType: Purchase Invoice Item,Net Amount (Company Currency),शुद्ध राशि (कंपनी मुद्रा)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,कुल अग्रिम राशि कुल स्वीकृत राशि से अधिक नहीं हो सकती
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,कुल अग्रिम राशि कुल स्वीकृत राशि से अधिक नहीं हो सकती
 DocType: Salary Slip,Hour Rate,घंटा दर
 DocType: Stock Settings,Item Naming By,द्वारा नामकरण आइटम
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},अन्य समयावधि अंतिम लेखा {0} के बाद किया गया है {1}
 DocType: Work Order,Material Transferred for Manufacturing,सामग्री विनिर्माण के लिए स्थानांतरित
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,खाता {0} करता नहीं मौजूद है
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,वफादारी कार्यक्रम का चयन करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,वफादारी कार्यक्रम का चयन करें
 DocType: Project,Project Type,परियोजना के प्रकार
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,इस कार्य के लिए बाल कार्य मौजूद है आप इस कार्य को नहीं हटा सकते।
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,लक्ष्य मात्रा या लक्ष्य राशि या तो अनिवार्य है .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,लक्ष्य मात्रा या लक्ष्य राशि या तो अनिवार्य है .
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,विभिन्न गतिविधियों की लागत
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","को घटना की सेटिंग {0}, क्योंकि कर्मचारी बिक्री व्यक्तियों के नीचे से जुड़ी एक यूजर आईडी नहीं है {1}"
 DocType: Timesheet,Billing Details,बिलिंग विवरण
@@ -4519,13 +4573,13 @@
 DocType: Inpatient Record,A Negative,एक नकारात्मक
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,इससे अधिक कुछ नहीं दिखाने के लिए।
 DocType: Lead,From Customer,ग्राहक से
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,कॉल
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,कॉल
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,एक उत्पाद
 DocType: Employee Tax Exemption Declaration,Declarations,घोषणाओं
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,बैचों
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,शुल्क अनुसूची करें
 DocType: Purchase Order Item Supplied,Stock UOM,स्टॉक UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,खरीद आदेश {0} प्रस्तुत नहीं किया गया है
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,खरीद आदेश {0} प्रस्तुत नहीं किया गया है
 DocType: Account,Expenses Included In Asset Valuation,संपत्ति मूल्यांकन में शामिल व्यय
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),वयस्क के लिए सामान्य संदर्भ सीमा 16-20 साँस / मिनट (आरसीपी 2012) है
 DocType: Customs Tariff Number,Tariff Number,शुल्क सूची संख्या
@@ -4538,6 +4592,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,कृपया पहले मरीज को बचाएं
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,उपस्थिति सफलतापूर्वक अंकित की गई है।
 DocType: Program Enrollment,Public Transport,सार्वजनिक परिवाहन
+DocType: Delivery Note,GST Vehicle Type,जीएसटी वाहन प्रकार
 DocType: Soil Texture,Silt Composition (%),सिल्ट संरचना (%)
 DocType: Journal Entry,Remark,टिप्पणी
 DocType: Healthcare Settings,Avoid Confirmation,पुष्टि से बचें
@@ -4546,11 +4601,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,पत्तियां और छुट्टी
 DocType: Education Settings,Current Academic Term,वर्तमान शैक्षणिक अवधि
 DocType: Sales Order,Not Billed,नहीं बिल
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,दोनों गोदाम एक ही कंपनी से संबंधित होना चाहिए
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,दोनों गोदाम एक ही कंपनी से संबंधित होना चाहिए
 DocType: Employee Grade,Default Leave Policy,डिफ़ॉल्ट छुट्टी नीति
 DocType: Shopify Settings,Shop URL,दुकान यूआरएल
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,कोई संपर्क नहीं अभी तक जोड़ा।
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए नंबरिंग श्रृंखला सेट करें
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,उतरा लागत वाउचर राशि
 ,Item Balance (Simple),आइटम शेष (सरल)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,विधेयकों आपूर्तिकर्ता द्वारा उठाए गए.
@@ -4575,7 +4629,7 @@
 DocType: Shopping Cart Settings,Quotation Series,कोटेशन सीरीज
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","एक आइटम ( {0}) , मद समूह का नाम बदलने के लिए या आइटम का नाम बदलने के लिए कृपया एक ही नाम के साथ मौजूद है"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,मिट्टी विश्लेषण मानदंड
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,कृपया ग्राहक का चयन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,कृपया ग्राहक का चयन
 DocType: C-Form,I,मैं
 DocType: Company,Asset Depreciation Cost Center,संपत्ति मूल्यह्रास लागत केंद्र
 DocType: Production Plan Sales Order,Sales Order Date,बिक्री आदेश दिनांक
@@ -4588,8 +4642,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,वर्तमान में किसी भी गोदाम में कोई स्टॉक उपलब्ध नहीं है
 ,Payment Period Based On Invoice Date,चालान तिथि के आधार पर भुगतान की अवधि
 DocType: Sample Collection,No. of print,प्रिंट की संख्या
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,जन्मदिन अनुस्मारक
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,होटल कक्ष आरक्षण आइटम
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},के लिए गुम मुद्रा विनिमय दरों {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},के लिए गुम मुद्रा विनिमय दरों {0}
 DocType: Employee Health Insurance,Health Insurance Name,स्वास्थ्य बीमा का नाम
 DocType: Assessment Plan,Examiner,परीक्षक
 DocType: Student,Siblings,एक माँ की संताने
@@ -4606,19 +4661,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,नए ग्राहकों
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,सकल लाभ%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,नियुक्ति {0} और बिक्री चालान {1} रद्द कर दिया गया
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,लीड स्रोत द्वारा अवसर
 DocType: Appraisal Goal,Weightage (%),वेटेज (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,पीओएस प्रोफ़ाइल बदलें
 DocType: Bank Reconciliation Detail,Clearance Date,क्लीयरेंस तिथि
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","आइटम {0} के खिलाफ संपत्ति पहले से मौजूद है, आप सीरियल नो वैल्यू नहीं बदल सकते हैं"
+DocType: Delivery Settings,Dispatch Notification Template,प्रेषण अधिसूचना टेम्पलेट
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","आइटम {0} के खिलाफ संपत्ति पहले से मौजूद है, आप सीरियल नो वैल्यू नहीं बदल सकते हैं"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,आकलन रिपोर्ट
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,कर्मचारी प्राप्त करें
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,सकल खरीद राशि अनिवार्य है
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,कंपनी का नाम ऐसा नहीं है
 DocType: Lead,Address Desc,जानकारी पता करने के लिए
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,पार्टी अनिवार्य है
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},अन्य पंक्तियों में डुप्लिकेट नियत दिनांक वाली पंक्तियाँ मिलीं: {list}
 DocType: Topic,Topic Name,विषय नाम
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,कृपया एचआर सेटिंग्स में स्वीकृति अधिसूचना अधिसूचना के लिए डिफ़ॉल्ट टेम्पलेट सेट करें।
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,कृपया एचआर सेटिंग्स में स्वीकृति अधिसूचना अधिसूचना के लिए डिफ़ॉल्ट टेम्पलेट सेट करें।
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,बेचने या खरीदने का कम से कम एक का चयन किया जाना चाहिए
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,कर्मचारी अग्रिम के लिए एक कर्मचारी का चयन करें
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,कृपया एक वैध तिथि चुनें
@@ -4652,6 +4708,7 @@
 DocType: Stock Entry,Customer or Supplier Details,ग्राहक या आपूर्तिकर्ता विवरण
 DocType: Payment Entry,ACC-PAY-.YYYY.-,एसीसी-पे-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,वर्तमान संपत्ति मूल्य
+DocType: QuickBooks Migrator,Quickbooks Company ID,क्विकबुक कंपनी आईडी
 DocType: Travel Request,Travel Funding,यात्रा कोष
 DocType: Loan Application,Required by Date,दिनांक द्वारा आवश्यक
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,सभी स्थानों के लिए एक लिंक जिसमें फसल बढ़ रही है
@@ -4665,9 +4722,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,गोदाम से पर उपलब्ध बैच मात्रा
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,सकल वेतन - कुल कटौती - ऋण चुकौती
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,वर्तमान बीओएम और नई बीओएम ही नहीं किया जा सकता है
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,वर्तमान बीओएम और नई बीओएम ही नहीं किया जा सकता है
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,वेतन पर्ची आईडी
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,सेवानिवृत्ति की तिथि शामिल होने की तिथि से अधिक होना चाहिए
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,सेवानिवृत्ति की तिथि शामिल होने की तिथि से अधिक होना चाहिए
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,एकाधिक विविधताएं
 DocType: Sales Invoice,Against Income Account,आय खाता के खिलाफ
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% वितरित
@@ -4696,7 +4753,7 @@
 DocType: POS Profile,Update Stock,स्टॉक अद्यतन
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,मदों के लिए अलग UOM गलत ( कुल ) नेट वजन मूल्य को बढ़ावा मिलेगा. प्रत्येक आइटम का शुद्ध वजन ही UOM में है कि सुनिश्चित करें.
 DocType: Certification Application,Payment Details,भुगतान विवरण
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,बीओएम दर
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,बीओएम दर
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","रुक गए कार्य आदेश को रद्द नहीं किया जा सकता, रद्द करने के लिए इसे पहले से हटा दें"
 DocType: Asset,Journal Entry for Scrap,स्क्रैप के लिए जर्नल प्रविष्टि
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,डिलिवरी नोट से आइटम खींच कृपया
@@ -4719,11 +4776,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,कुल स्वीकृत राशि
 ,Purchase Analytics,खरीद विश्लेषिकी
 DocType: Sales Invoice Item,Delivery Note Item,डिलिवरी नोट आइटम
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,वर्तमान चालान {0} गुम है
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,वर्तमान चालान {0} गुम है
 DocType: Asset Maintenance Log,Task,कार्य
 DocType: Purchase Taxes and Charges,Reference Row #,संदर्भ row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},बैच संख्या आइटम के लिए अनिवार्य है {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,यह एक रूट बिक्री व्यक्ति है और संपादित नहीं किया जा सकता है .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,यह एक रूट बिक्री व्यक्ति है और संपादित नहीं किया जा सकता है .
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","यदि चयनित हो, तो इस घटक में निर्दिष्ट या गणना किए गए मूल्य आय या कटौती में योगदान नहीं देगा। हालांकि, इसका मूल्य अन्य घटकों द्वारा संदर्भित किया जा सकता है जिसे जोड़ा या घटाया जा सकता है"
 DocType: Asset Settings,Number of Days in Fiscal Year,वित्तीय वर्ष में दिनों की संख्या
 ,Stock Ledger,स्टॉक लेजर
@@ -4731,7 +4788,7 @@
 DocType: Company,Exchange Gain / Loss Account,मुद्रा लाभ / हानि खाता
 DocType: Amazon MWS Settings,MWS Credentials,एमडब्ल्यूएस प्रमाण पत्र
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,कर्मचारी और उपस्थिति
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},उद्देश्य से एक होना चाहिए {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},उद्देश्य से एक होना चाहिए {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,फार्म भरें और इसे बचाने के लिए
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,सामुदायिक फोरम
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,स्टॉक में वास्तविक मात्रा
@@ -4746,7 +4803,7 @@
 DocType: Lab Test Template,Standard Selling Rate,स्टैंडर्ड बिक्री दर
 DocType: Account,Rate at which this tax is applied,दर जिस पर इस कर को लागू किया जाता है
 DocType: Cash Flow Mapper,Section Name,अनुभाग का नाम
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Reorder मात्रा
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Reorder मात्रा
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},मूल्यह्रास पंक्ति {0}: उपयोगी जीवन के बाद अपेक्षित मूल्य {1} से अधिक या बराबर होना चाहिए
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,वर्तमान नौकरी के उद्घाटन
 DocType: Company,Stock Adjustment Account,स्टॉक समायोजन खाता
@@ -4756,8 +4813,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","सिस्टम प्रयोक्ता आईडी (प्रवेश). अगर सेट किया जाता है, यह सभी मानव संसाधन रूपों के लिए डिफ़ॉल्ट बन जाएगा."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,मूल्यह्रास विवरण दर्ज करें
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0} से: {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},आवेदन {0} छात्र के खिलाफ पहले से मौजूद है {1}
 DocType: Task,depends_on,निर्भर करता है
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,सामग्री के सभी बिल में नवीनतम मूल्य को अद्यतन करने के लिए कतारबद्ध इसमें कुछ मिनट लग सकते हैं
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,सामग्री के सभी बिल में नवीनतम मूल्य को अद्यतन करने के लिए कतारबद्ध इसमें कुछ मिनट लग सकते हैं
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,नए खाते का नाम। नोट: ग्राहकों और आपूर्तिकर्ताओं के लिए खातों मत बनाएँ
 DocType: POS Profile,Display Items In Stock,स्टॉक में आइटम प्रदर्शित करें
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,देश बुद्धिमान डिफ़ॉल्ट पता टेम्पलेट्स
@@ -4787,16 +4845,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} के लिए स्लॉट शेड्यूल में नहीं जोड़े गए हैं
 DocType: Product Bundle,List items that form the package.,सूची आइटम है कि पैकेज का फार्म.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,अनुमति नहीं। टेस्ट टेम्प्लेट को अक्षम करें
+DocType: Delivery Note,Distance (in km),दूरी (किमी में)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,प्रतिशत आवंटन 100 % के बराबर होना चाहिए
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,कृपया पार्टी के चयन से पहले पोस्ट दिनांक का चयन
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,कृपया पार्टी के चयन से पहले पोस्ट दिनांक का चयन
 DocType: Program Enrollment,School House,स्कूल हाउस
 DocType: Serial No,Out of AMC,एएमसी के बाहर
+DocType: Opportunity,Opportunity Amount,अवसर राशि
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,बुक depreciations की संख्या कुल depreciations की संख्या से अधिक नहीं हो सकता
 DocType: Purchase Order,Order Confirmation Date,आदेश पुष्टिकरण तिथि
 DocType: Driver,HR-DRI-.YYYY.-,मानव संसाधन-डीआरआई-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,रखरखाव भेंट बनाओ
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","प्रारंभ तिथि और समाप्ति तिथि जॉब कार्ड <a href=""#Form/Job Card/{0}"">{1} के</a> साथ ओवरलैप कर रही है"
 DocType: Employee Transfer,Employee Transfer Details,कर्मचारी स्थानांतरण विवरण
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,बिक्री मास्टर प्रबंधक {0} भूमिका है जो उपयोगकर्ता के लिए संपर्क करें
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,बिक्री मास्टर प्रबंधक {0} भूमिका है जो उपयोगकर्ता के लिए संपर्क करें
 DocType: Company,Default Cash Account,डिफ़ॉल्ट नकद खाता
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,कंपनी ( नहीं ग्राहक या प्रदायक) मास्टर .
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,यह इस छात्र की उपस्थिति पर आधारित है
@@ -4804,9 +4865,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,अधिक आइटम या खुले पूर्ण रूप में जोड़ें
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिवरी नोट्स {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,उपयोगकर्ता पर जाएं
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,भुगतान की गई राशि + राशि से लिखने के कुल योग से बड़ा नहीं हो सकता
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,भुगतान की गई राशि + राशि से लिखने के कुल योग से बड़ा नहीं हो सकता
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} आइटम के लिए एक वैध बैच नंबर नहीं है {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},नोट : छोड़ किस्म के लिए पर्याप्त छुट्टी संतुलन नहीं है {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},नोट : छोड़ किस्म के लिए पर्याप्त छुट्टी संतुलन नहीं है {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,अमान्य जीएसटीआईएन या अनारिजीस्टर्ड के लिए एनएआर दर्ज करें
 DocType: Training Event,Seminar,सेमिनार
 DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नामांकन शुल्क
@@ -4823,7 +4884,7 @@
 DocType: Fee Schedule,Fee Schedule,शुल्क अनुसूची
 DocType: Company,Create Chart Of Accounts Based On,खातों पर आधारित का चार्ट बनाएं
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,इसे गैर-समूह में परिवर्तित नहीं किया जा सकता बाल कार्य मौजूद हैं
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,जन्म तिथि आज की तुलना में अधिक से अधिक नहीं हो सकता।
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,जन्म तिथि आज की तुलना में अधिक से अधिक नहीं हो सकता।
 ,Stock Ageing,स्टॉक बूढ़े
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","आंशिक रूप से प्रायोजित, आंशिक निधि की आवश्यकता है"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},छात्र {0} छात्र आवेदक के खिलाफ मौजूद {1}
@@ -4870,11 +4931,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,सुलह से पहले
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),करों और शुल्कों जोड़ा (कंपनी मुद्रा)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आइटम कर पंक्ति {0} प्रकार टैक्स या आय या खर्च या प्रभार्य का खाता होना चाहिए
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आइटम कर पंक्ति {0} प्रकार टैक्स या आय या खर्च या प्रभार्य का खाता होना चाहिए
 DocType: Sales Order,Partly Billed,आंशिक रूप से बिल
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,मद {0} एक निश्चित परिसंपत्ति मद में होना चाहिए
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,वेरिएंट बनाएं
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,वेरिएंट बनाएं
 DocType: Item,Default BOM,Default बीओएम
 DocType: Project,Total Billed Amount (via Sales Invoices),कुल बिल राशि (बिक्री चालान के माध्यम से)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,डेबिट नोट राशि
@@ -4903,13 +4964,13 @@
 DocType: Notification Control,Custom Message,कस्टम संदेश
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,निवेश बैंकिंग
 DocType: Purchase Invoice,input,इनपुट
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,नकद या बैंक खाते को भुगतान के प्रवेश करने के लिए अनिवार्य है
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,नकद या बैंक खाते को भुगतान के प्रवेश करने के लिए अनिवार्य है
 DocType: Loyalty Program,Multiple Tier Program,एकाधिक स्तर कार्यक्रम
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,छात्र का पता
 DocType: Purchase Invoice,Price List Exchange Rate,मूल्य सूची विनिमय दर
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,सभी प्रदायक समूह
 DocType: Employee Boarding Activity,Required for Employee Creation,कर्मचारी निर्माण के लिए आवश्यक है
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},खाता संख्या {0} पहले से ही खाते में उपयोग की गई {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},खाता संख्या {0} पहले से ही खाते में उपयोग की गई {1}
 DocType: GoCardless Mandate,Mandate,शासनादेश
 DocType: POS Profile,POS Profile Name,पीओएस प्रोफाइल नाम
 DocType: Hotel Room Reservation,Booked,बुक्ड
@@ -4925,18 +4986,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"आप संदर्भ तिथि में प्रवेश किया , तो संदर्भ कोई अनिवार्य है"
 DocType: Bank Reconciliation Detail,Payment Document,भुगतान दस्तावेज़
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,मापदंड सूत्र का मूल्यांकन करने में त्रुटि
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,शामिल होने की तिथि जन्म तिथि से अधिक होना चाहिए
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,शामिल होने की तिथि जन्म तिथि से अधिक होना चाहिए
 DocType: Subscription,Plans,योजनाओं
 DocType: Salary Slip,Salary Structure,वेतन संरचना
 DocType: Account,Bank,बैंक
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,एयरलाइन
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,मुद्दा सामग्री
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,मुद्दा सामग्री
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext के साथ Shopify कनेक्ट करें
 DocType: Material Request Item,For Warehouse,गोदाम के लिए
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,डिलिवरी नोट्स {0} अपडेट किया गया
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,डिलिवरी नोट्स {0} अपडेट किया गया
 DocType: Employee,Offer Date,प्रस्ताव की तिथि
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,कोटेशन
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,आप ऑफ़लाइन मोड में हैं। आप जब तक आप नेटवर्क है फिर से लोड करने में सक्षम नहीं होगा।
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,कोटेशन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,आप ऑफ़लाइन मोड में हैं। आप जब तक आप नेटवर्क है फिर से लोड करने में सक्षम नहीं होगा।
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,अनुदान
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,कोई छात्र गुटों बनाया।
 DocType: Purchase Invoice Item,Serial No,नहीं सीरियल
@@ -4948,24 +5009,26 @@
 DocType: Sales Invoice,Customer PO Details,ग्राहक पीओ विवरण
 DocType: Stock Entry,Including items for sub assemblies,उप असेंबलियों के लिए आइटम सहित
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,अस्थायी खुली खाता
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,दर्ज मूल्य सकारात्मक होना चाहिए
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,दर्ज मूल्य सकारात्मक होना चाहिए
 DocType: Asset,Finance Books,वित्त किताबें
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,कर्मचारी कर छूट घोषणा श्रेणी
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,सभी प्रदेशों
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,कृपया कर्मचारी / ग्रेड रिकॉर्ड में कर्मचारी {0} के लिए छुट्टी नीति सेट करें
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,चयनित ग्राहक और आइटम के लिए अमान्य कंबल आदेश
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,चयनित ग्राहक और आइटम के लिए अमान्य कंबल आदेश
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,एकाधिक कार्य जोड़ें
 DocType: Purchase Invoice,Items,आइटम
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,समाप्ति तिथि प्रारंभ तिथि से पहले नहीं हो सकती है।
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,छात्र पहले से ही दाखिला लिया है।
 DocType: Fiscal Year,Year Name,वर्ष नाम
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,इस महीने के दिन काम की तुलना में अधिक छुट्टियां कर रहे हैं .
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,पीडीसी / एलसी रेफरी
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,इस महीने के दिन काम की तुलना में अधिक छुट्टियां कर रहे हैं .
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,निम्नलिखित आइटम {0} को {1} आइटम के रूप में चिह्नित नहीं किया गया है। आप उन्हें अपने आइटम मास्टर से {1} आइटम के रूप में सक्षम कर सकते हैं
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,पीडीसी / एलसी रेफरी
 DocType: Production Plan Item,Product Bundle Item,उत्पाद बंडल आइटम
 DocType: Sales Partner,Sales Partner Name,बिक्री भागीदार नाम
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,कोटेशन के लिए अनुरोध
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,कोटेशन के लिए अनुरोध
 DocType: Payment Reconciliation,Maximum Invoice Amount,अधिकतम चालान राशि
 DocType: Normal Test Items,Normal Test Items,सामान्य टेस्ट आइटम
+DocType: QuickBooks Migrator,Company Settings,कंपनी सेटिंग्स
 DocType: Additional Salary,Overwrite Salary Structure Amount,वेतन संरचना राशि ओवरराइट करें
 DocType: Student Language,Student Language,छात्र भाषा
 apps/erpnext/erpnext/config/selling.py +23,Customers,ग्राहकों
@@ -4977,21 +5040,23 @@
 DocType: Issue,Opening Time,समय खुलने की
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,दिनांक से और
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,प्रतिभूति एवं कमोडिटी एक्सचेंजों
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',संस्करण के लिए उपाय की मूलभूत इकाई &#39;{0}&#39; खाका के रूप में ही होना चाहिए &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',संस्करण के लिए उपाय की मूलभूत इकाई &#39;{0}&#39; खाका के रूप में ही होना चाहिए &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,के आधार पर गणना करें
 DocType: Contract,Unfulfilled,अधूरी
 DocType: Delivery Note Item,From Warehouse,गोदाम से
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,निर्दिष्ट मानदंडों के लिए कोई कर्मचारी नहीं
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,सामग्री के बिल के साथ कोई वस्तुओं का निर्माण करने के लिए
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,सामग्री के बिल के साथ कोई वस्तुओं का निर्माण करने के लिए
 DocType: Shopify Settings,Default Customer,डिफ़ॉल्ट ग्राहक
+DocType: Sales Stage,Stage Name,मंच का नाम
 DocType: Warranty Claim,SER-WRN-.YYYY.-,एसईआर-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,पर्यवेक्षक का नाम
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,पुष्टि न करें कि नियुक्ति उसी दिन के लिए बनाई गई है
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,जहाज के लिए राज्य
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,जहाज के लिए राज्य
 DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नामांकन पाठ्यक्रम
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},उपयोगकर्ता {0} पहले ही हेल्थकेयर प्रैक्टिशनर को सौंपा गया है {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,नमूना प्रतिधारण शेयर प्रविष्टि करें
 DocType: Purchase Taxes and Charges,Valuation and Total,मूल्यांकन और कुल
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,बातचीत / समीक्षा
 DocType: Leave Encashment,Encashment Amount,नकद राशि
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,स्कोरकार्ड
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,समाप्त हो गया बैचों
@@ -5001,7 +5066,7 @@
 DocType: Staffing Plan Detail,Current Openings,वर्तमान उद्घाटन
 DocType: Notification Control,Customize the Notification,अधिसूचना को मनपसंद
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,आपरेशन से नकद प्रवाह
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,सीजीएसटी राशि
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,सीजीएसटी राशि
 DocType: Purchase Invoice,Shipping Rule,नौवहन नियम
 DocType: Patient Relation,Spouse,पति या पत्नी
 DocType: Lab Test Groups,Add Test,टेस्ट जोड़ें
@@ -5015,14 +5080,14 @@
 DocType: Payroll Entry,Payroll Frequency,पेरोल आवृत्ति
 DocType: Lab Test Template,Sensitivity,संवेदनशीलता
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,सिंक अस्थायी रूप से अक्षम कर दिया गया है क्योंकि अधिकतम प्रतियां पार हो गई हैं
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,कच्चे माल
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,कच्चे माल
 DocType: Leave Application,Follow via Email,ईमेल के माध्यम से पालन करें
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,संयंत्रों और मशीनरी
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,सबसे कम राशि के बाद टैक्स राशि
 DocType: Patient,Inpatient Status,रोगी स्थिति
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,दैनिक काम सारांश सेटिंग
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,चयनित मूल्य सूची में चेक किए गए फ़ील्ड खरीदने और बेचने चाहिए।
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,कृपया तिथि के अनुसार रेक्ड दर्ज करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,चयनित मूल्य सूची में चेक किए गए फ़ील्ड खरीदने और बेचने चाहिए।
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,कृपया तिथि के अनुसार रेक्ड दर्ज करें
 DocType: Payment Entry,Internal Transfer,आंतरिक स्थानांतरण
 DocType: Asset Maintenance,Maintenance Tasks,रखरखाव कार्य
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,लक्ष्य मात्रा या लक्ष्य राशि या तो अनिवार्य है
@@ -5043,7 +5108,7 @@
 DocType: Mode of Payment,General,सामान्य
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,अंतिम संचार
 ,TDS Payable Monthly,टीडीएस मासिक देय
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,बीओएम की जगह के लिए कतारबद्ध इसमें कुछ मिनट लग सकते हैं।
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,बीओएम की जगह के लिए कतारबद्ध इसमें कुछ मिनट लग सकते हैं।
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' के लिए है जब घटा नहीं कर सकते
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},श्रृंखलाबद्ध मद के लिए सीरियल नं आवश्यक {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,चालान के साथ मैच भुगतान
@@ -5056,7 +5121,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,कार्ट में जोड़ें
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,समूह द्वारा
 DocType: Guardian,Interests,रूचियाँ
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ निष्क्रिय मुद्राओं सक्षम करें.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ निष्क्रिय मुद्राओं सक्षम करें.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,कुछ वेतन पर्ची जमा नहीं कर सका
 DocType: Exchange Rate Revaluation,Get Entries,प्रविष्टियां प्राप्त करें
 DocType: Production Plan,Get Material Request,सामग्री अनुरोध प्राप्त
@@ -5078,15 +5143,16 @@
 DocType: Lead,Lead Type,प्रकार लीड
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,आप ब्लॉक तारीखों पर पत्तियों को मंजूरी के लिए अधिकृत नहीं हैं
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,इन सभी मदों पहले से चालान कर दिया गया है
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,नई रिलीज दिनांक सेट करें
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,नई रिलीज दिनांक सेट करें
 DocType: Company,Monthly Sales Target,मासिक बिक्री लक्ष्य
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} द्वारा अनुमोदित किया जा सकता
 DocType: Hotel Room,Hotel Room Type,होटल कक्ष प्रकार
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,प्रदायक&gt; प्रदायक प्रकार
 DocType: Leave Allocation,Leave Period,अवधि छोड़ो
 DocType: Item,Default Material Request Type,डिफ़ॉल्ट सामग्री अनुरोध प्रकार
 DocType: Supplier Scorecard,Evaluation Period,मूल्यांकन अवधि
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,अनजान
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,कार्य आदेश नहीं बनाया गया
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,कार्य आदेश नहीं बनाया गया
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{0} पहले से घटक {1} के लिए दावा किया गया है, \ {2} से बराबर या उससे अधिक राशि निर्धारित करें"
 DocType: Shipping Rule,Shipping Rule Conditions,नौवहन नियम शर्तें
@@ -5119,15 +5185,15 @@
 DocType: Batch,Source Document Name,स्रोत दस्तावेज़ का नाम
 DocType: Production Plan,Get Raw Materials For Production,कच्चे माल के लिए उत्पादन प्राप्त करें
 DocType: Job Opening,Job Title,कार्य शीर्षक
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} इंगित करता है कि {1} कोई उद्धरण नहीं प्रदान करेगा, लेकिन सभी वस्तुओं को उद्धृत किया गया है। आरएफक्यू कोटेशन स्थिति को अद्यतन करना"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,अधिकतम नमूनों - {0} बैच {1} और वस्तु {2} बैच {3} में पहले से ही बनाए गए हैं
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,अधिकतम नमूनों - {0} बैच {1} और वस्तु {2} बैच {3} में पहले से ही बनाए गए हैं
 DocType: Manufacturing Settings,Update BOM Cost Automatically,स्वचालित रूप से अद्यतन BOM लागत
 DocType: Lab Test,Test Name,परीक्षण का नाम
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,नैदानिक प्रक्रिया उपभोग्य वस्तु
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,बनाएं उपयोगकर्ता
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ग्राम
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,सदस्यता
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,सदस्यता
 DocType: Supplier Scorecard,Per Month,प्रति माह
 DocType: Education Settings,Make Academic Term Mandatory,अकादमिक टर्म अनिवार्य बनाओ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,निर्माण करने के लिए मात्रा 0 से अधिक होना चाहिए।
@@ -5136,9 +5202,9 @@
 DocType: Stock Entry,Update Rate and Availability,अद्यतन दर और उपलब्धता
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,आप मात्रा के खिलाफ और अधिक प्राप्त या वितरित करने के लिए अनुमति दी जाती प्रतिशत का आदेश दिया. उदाहरण के लिए: यदि आप 100 यूनिट का आदेश दिया है. और अपने भत्ता 10% तो आप 110 इकाइयों को प्राप्त करने के लिए अनुमति दी जाती है.
 DocType: Loyalty Program,Customer Group,ग्राहक समूह
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,पंक्ति # {0}: कार्य क्रम # {3} में तैयार माल की {2} मात्रा के लिए ऑपरेशन {1} पूरा नहीं हुआ है। कृपया समय लॉग्स के माध्यम से ऑपरेशन स्थिति अपडेट करें
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,पंक्ति # {0}: कार्य क्रम # {3} में तैयार माल की {2} मात्रा के लिए ऑपरेशन {1} पूरा नहीं हुआ है। कृपया समय लॉग्स के माध्यम से ऑपरेशन स्थिति अपडेट करें
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),नया बैच आईडी (वैकल्पिक)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},व्यय खाते आइटम के लिए अनिवार्य है {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},व्यय खाते आइटम के लिए अनिवार्य है {0}
 DocType: BOM,Website Description,वेबसाइट विवरण
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,इक्विटी में शुद्ध परिवर्तन
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,चालान की खरीद {0} को रद्द कृपया पहले
@@ -5153,7 +5219,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,संपादित करने के लिए कुछ भी नहीं है .
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,फॉर्म देखें
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,व्यय दावा में व्यय अनुमान अनिवार्य है
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,इस महीने और लंबित गतिविधियों के लिए सारांश
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,इस महीने और लंबित गतिविधियों के लिए सारांश
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},कृपया कंपनी में अवास्तविक विनिमय लाभ / हानि खाता सेट करें {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","उपयोगकर्ताओं को अपने संगठन के अलावा, स्वयं को छोड़ दें"
 DocType: Customer Group,Customer Group Name,ग्राहक समूह का नाम
@@ -5163,14 +5229,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,कोई भौतिक अनुरोध नहीं बनाया गया
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ऋण राशि का अधिकतम ऋण राशि से अधिक नहीं हो सकता है {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,लाइसेंस
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},सी-फार्म से इस चालान {0} निकाल दें {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},सी-फार्म से इस चालान {0} निकाल दें {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,का चयन करें कृपया आगे ले जाना है अगर तुम भी शामिल करना चाहते हैं पिछले राजकोषीय वर्ष की शेष राशि इस वित्त वर्ष के लिए छोड़ देता है
 DocType: GL Entry,Against Voucher Type,वाउचर प्रकार के खिलाफ
 DocType: Healthcare Practitioner,Phone (R),फ़ोन (आर)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,टाइम स्लॉट्स जोड़ा
 DocType: Item,Attributes,गुण
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,टेम्पलेट सक्षम करें
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,खाता बंद लिखने दर्ज करें
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,खाता बंद लिखने दर्ज करें
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,पिछले आदेश की तिथि
 DocType: Salary Component,Is Payable,देय है
 DocType: Inpatient Record,B Negative,बी नकारात्मक
@@ -5181,7 +5247,7 @@
 DocType: Hotel Room,Hotel Room,होटल का कमरा
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},खाता {0} करता है कंपनी के अंतर्गत आता नहीं {1}
 DocType: Leave Type,Rounding,गोलाई
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,{0} पंक्ति में सीरियल नंबर डिलिवरी नोट से मेल नहीं खाती
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,{0} पंक्ति में सीरियल नंबर डिलिवरी नोट से मेल नहीं खाती
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),डिस्पेंस राशि (प्रो रेटेड)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","फिर मूल्य निर्धारण नियम ग्राहक, ग्राहक समूह, क्षेत्र, प्रदायक, प्रदायक समूह, अभियान, बिक्री भागीदार आदि के आधार पर फ़िल्टर किए जाते हैं।"
 DocType: Student,Guardian Details,गार्जियन विवरण
@@ -5190,10 +5256,10 @@
 DocType: Vehicle,Chassis No,चास्सिस संख्या
 DocType: Payment Request,Initiated,शुरू की
 DocType: Production Plan Item,Planned Start Date,नियोजित प्रारंभ दिनांक
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,कृपया एक BOM चुनें
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,कृपया एक BOM चुनें
 DocType: Purchase Invoice,Availed ITC Integrated Tax,लाभांश आईटीसी एकीकृत कर
 DocType: Purchase Order Item,Blanket Order Rate,कंबल आदेश दर
-apps/erpnext/erpnext/hooks.py +156,Certification,प्रमाणीकरण
+apps/erpnext/erpnext/hooks.py +157,Certification,प्रमाणीकरण
 DocType: Bank Guarantee,Clauses and Conditions,खंड और शर्तें
 DocType: Serial No,Creation Document Type,निर्माण दस्तावेज़ प्रकार
 DocType: Project Task,View Timesheet,टाइम्स पत्र देखें
@@ -5218,6 +5284,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,मूल आइटम {0} एक शेयर मद नहीं होना चाहिए
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,वेबसाइट लिस्टिंग
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,सभी उत्पादों या सेवाओं.
+DocType: Email Digest,Open Quotations,खुले कोटेशन
 DocType: Expense Claim,More Details,अधिक जानकारी
 DocType: Supplier Quotation,Supplier Address,प्रदायक पता
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} खाते के लिए बजट {1} के खिलाफ {2} {3} है {4}। यह द्वारा अधिक होगा {5}
@@ -5232,12 +5299,11 @@
 DocType: Training Event,Exam,परीक्षा
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,बाज़ार त्रुटि
 DocType: Complaint,Complaint,शिकायत
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0}
 DocType: Leave Allocation,Unused leaves,अप्रयुक्त पत्ते
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,पुनर्भुगतान प्रवेश करें
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,सभी विभाग
 DocType: Healthcare Service Unit,Vacant,रिक्त
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,प्रदायक&gt; प्रदायक प्रकार
 DocType: Patient,Alcohol Past Use,शराब विगत का प्रयोग करें
 DocType: Fertilizer Content,Fertilizer Content,उर्वरक सामग्री
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,सीआर
@@ -5245,7 +5311,7 @@
 DocType: Tax Rule,Billing State,बिलिंग राज्य
 DocType: Share Transfer,Transfer,हस्तांतरण
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,इस बिक्री आदेश को रद्द करने से पहले कार्य आदेश {0} रद्द कर दिया जाना चाहिए
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),( उप असेंबलियों सहित) विस्फोट बीओएम लायें
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),( उप असेंबलियों सहित) विस्फोट बीओएम लायें
 DocType: Authorization Rule,Applicable To (Employee),के लिए लागू (कर्मचारी)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,नियत तिथि अनिवार्य है
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,गुण के लिए वेतन वृद्धि {0} 0 नहीं किया जा सकता
@@ -5261,7 +5327,7 @@
 DocType: Disease,Treatment Period,उपचार अवधि
 DocType: Travel Itinerary,Travel Itinerary,यात्रा कार्यक्रम
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,परिणाम पहले ही सबमिट किए गए हैं
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,आरक्षित वेयरहाउस अनिवार्य है कच्चे माल में मद {0} के लिए आपूर्ति
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,आरक्षित वेयरहाउस अनिवार्य है कच्चे माल में मद {0} के लिए आपूर्ति
 ,Inactive Customers,निष्क्रिय ग्राहकों
 DocType: Student Admission Program,Maximum Age,अधिकतम आयु
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,रिमाइंडर भेजने से 3 दिन पहले कृपया प्रतीक्षा करें
@@ -5270,7 +5336,6 @@
 DocType: Stock Entry,Delivery Note No,डिलिवरी नोट
 DocType: Cheque Print Template,Message to show,संदेश दिखाने के लिए
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,खुदरा
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,नियुक्ति चालान स्वचालित रूप से प्रबंधित करें
 DocType: Student Attendance,Absent,अनुपस्थित
 DocType: Staffing Plan,Staffing Plan Detail,स्टाफिंग योजना विवरण
 DocType: Employee Promotion,Promotion Date,पदोन्नति की तारीख
@@ -5292,7 +5357,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,लीड बनाओ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,प्रिंट और स्टेशनरी
 DocType: Stock Settings,Show Barcode Field,शो बारकोड फील्ड
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,प्रदायक ईमेल भेजें
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,प्रदायक ईमेल भेजें
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","वेतन पहले ही बीच {0} और {1}, आवेदन की अवधि छोड़ दो इस तिथि सीमा के बीच नहीं हो सकता है अवधि के लिए कार्रवाई की।"
 DocType: Fiscal Year,Auto Created,ऑटो बनाया गया
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,कर्मचारी रिकॉर्ड बनाने के लिए इसे सबमिट करें
@@ -5301,7 +5366,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,चालान {0} अब मौजूद नहीं है
 DocType: Guardian Interest,Guardian Interest,गार्जियन ब्याज
 DocType: Volunteer,Availability,उपलब्धता
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,पीओएस इनवॉइस के लिए डिफ़ॉल्ट मान सेट करें
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,पीओएस इनवॉइस के लिए डिफ़ॉल्ट मान सेट करें
 apps/erpnext/erpnext/config/hr.py +248,Training,प्रशिक्षण
 DocType: Project,Time to send,भेजने के लिए समय
 DocType: Timesheet,Employee Detail,कर्मचारी विस्तार
@@ -5324,7 +5389,7 @@
 DocType: Training Event Employee,Optional,ऐच्छिक
 DocType: Salary Slip,Earning & Deduction,अर्जन कटौती
 DocType: Agriculture Analysis Criteria,Water Analysis,जल विश्लेषण
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} बनाए गए संस्करण।
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} बनाए गए संस्करण।
 DocType: Amazon MWS Settings,Region,प्रदेश
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,वैकल्पिक . यह सेटिंग विभिन्न लेनदेन में फिल्टर करने के लिए इस्तेमाल किया जाएगा .
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,नकारात्मक मूल्यांकन दर की अनुमति नहीं है
@@ -5343,7 +5408,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,खत्म कर दिया संपत्ति की लागत
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: आइटम के लिए लागत केंद्र अनिवार्य है {2}
 DocType: Vehicle,Policy No,पॉलिसी संख्या
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,उत्पाद बंडल से आइटम प्राप्त
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,उत्पाद बंडल से आइटम प्राप्त
 DocType: Asset,Straight Line,सीधी रेखा
 DocType: Project User,Project User,परियोजना उपयोगकर्ता
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,विभाजित करें
@@ -5351,7 +5416,7 @@
 DocType: GL Entry,Is Advance,अग्रिम है
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,कर्मचारी जीवन चक्र
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,तिथि करने के लिए तिथि और उपस्थिति से उपस्थिति अनिवार्य है
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,डालें हाँ या नहीं के रूप में ' subcontracted है '
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,डालें हाँ या नहीं के रूप में ' subcontracted है '
 DocType: Item,Default Purchase Unit of Measure,माप की डिफ़ॉल्ट खरीद इकाई
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,अंतिम संचार दिनांक
 DocType: Clinical Procedure Item,Clinical Procedure Item,नैदानिक प्रक्रिया आइटम
@@ -5360,7 +5425,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,एक्सेस टोकन या Shopify यूआरएल गायब है
 DocType: Location,Latitude,अक्षांश
 DocType: Work Order,Scrap Warehouse,स्क्रैप गोदाम
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","पंक्ति संख्या {0} पर आवश्यक वेयरहाउस, कृपया कंपनी के लिए आइटम {1} के लिए डिफ़ॉल्ट गोदाम सेट करें {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","पंक्ति संख्या {0} पर आवश्यक वेयरहाउस, कृपया कंपनी के लिए आइटम {1} के लिए डिफ़ॉल्ट गोदाम सेट करें {2}"
 DocType: Work Order,Check if material transfer entry is not required,जांच करें कि भौतिक हस्तांतरण प्रविष्टि की आवश्यकता नहीं है
 DocType: Program Enrollment Tool,Get Students From,से छात्रों जाओ
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,वेबसाइट पर आइटम प्रकाशित करें
@@ -5375,6 +5440,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,नया बैच मात्रा
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,परिधान और सहायक उपकरण
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,भारित स्कोर फ़ंक्शन को हल नहीं किया जा सका। सुनिश्चित करें कि सूत्र मान्य है।
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,समय पर प्राप्त ऑर्डर आइटम खरीदें नहीं
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,आदेश की संख्या
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML बैनर / कि उत्पाद सूची के शीर्ष पर दिखाई देगा.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,शिपिंग राशि की गणना करने के लिए शर्तों को निर्दिष्ट
@@ -5383,9 +5449,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,पथ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,यह बच्चे नोड्स के रूप में खाता बही के लिए लागत केंद्र बदला नहीं जा सकता
 DocType: Production Plan,Total Planned Qty,कुल नियोजित मात्रा
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,उद्घाटन मूल्य
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,उद्घाटन मूल्य
 DocType: Salary Component,Formula,सूत्र
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,सीरियल #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,सीरियल #
 DocType: Lab Test Template,Lab Test Template,लैब टेस्ट टेम्पलेट
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,विक्रय खाता
 DocType: Purchase Invoice Item,Total Weight,कुल वजन
@@ -5403,7 +5469,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,सामग्री अनुरोध करें
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},खुले आइटम {0}
 DocType: Asset Finance Book,Written Down Value,लिखित नीचे मूल्य
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,कृपया मानव संसाधन&gt; एचआर सेटिंग्स में कर्मचारी नामकरण प्रणाली सेट करें
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,बिक्री चालान {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए
 DocType: Clinical Procedure,Age,आयु
 DocType: Sales Invoice Timesheet,Billing Amount,बिलिंग राशि
@@ -5412,11 +5477,11 @@
 DocType: Company,Default Employee Advance Account,डिफ़ॉल्ट कर्मचारी अग्रिम खाता
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),खोज आइटम (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,एसीसी-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,मौजूदा लेन - देन के साथ खाता हटाया नहीं जा सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,मौजूदा लेन - देन के साथ खाता हटाया नहीं जा सकता
 DocType: Vehicle,Last Carbon Check,अंतिम कार्बन चेक
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,विधि व्यय
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,कृपया पंक्ति पर मात्रा का चयन करें
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,खोलने की बिक्री और खरीद चालान करें
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,खोलने की बिक्री और खरीद चालान करें
 DocType: Purchase Invoice,Posting Time,बार पोस्टिंग
 DocType: Timesheet,% Amount Billed,% बिल की राशि
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,टेलीफोन व्यय
@@ -5431,14 +5496,14 @@
 DocType: Maintenance Visit,Breakdown,भंग
 DocType: Travel Itinerary,Vegetarian,शाकाहारी
 DocType: Patient Encounter,Encounter Date,मुठभेड़ की तारीख
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,खाता: {0} मुद्रा के साथ: {1} चयनित नहीं किया जा सकता
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,खाता: {0} मुद्रा के साथ: {1} चयनित नहीं किया जा सकता
 DocType: Bank Statement Transaction Settings Item,Bank Data,बैंक डेटा
 DocType: Purchase Receipt Item,Sample Quantity,नमूना मात्रा
 DocType: Bank Guarantee,Name of Beneficiary,लाभार्थी का नाम
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","नवीनतम मूल्यांकन दर / मूल्य सूची दर / कच्ची सामग्रियों की अंतिम खरीदारी दर के आधार पर, स्वचालित रूप से समय-समय पर बीओएम लागत को शेड्यूलर के माध्यम से अपडेट करें।"
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,चेक तिथि
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: माता पिता के खाते {1} कंपनी से संबंधित नहीं है: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: माता पिता के खाते {1} कंपनी से संबंधित नहीं है: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,सफलतापूर्वक इस कंपनी से संबंधित सभी लेन-देन को नष्ट कर दिया!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,आज की तारीख में
 DocType: Additional Salary,HR,मानव संसाधन
@@ -5446,7 +5511,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,बाहर रोगी एसएमएस अलर्ट
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,परिवीक्षा
 DocType: Program Enrollment Tool,New Academic Year,नए शैक्षणिक वर्ष
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,वापसी / क्रेडिट नोट
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,वापसी / क्रेडिट नोट
 DocType: Stock Settings,Auto insert Price List rate if missing,ऑटो डालने मूल्य सूची दर लापता यदि
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,कुल भुगतान की गई राशि
 DocType: GST Settings,B2C Limit,बी 2 सी सीमा
@@ -5464,10 +5529,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,बच्चे नोड्स केवल &#39;समूह&#39; प्रकार नोड्स के तहत बनाया जा सकता है
 DocType: Attendance Request,Half Day Date,आधा दिन की तारीख
 DocType: Academic Year,Academic Year Name,शैक्षिक वर्ष का नाम
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} को {1} से लेनदेन करने की अनुमति नहीं है। कृपया कंपनी को बदलें।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} को {1} से लेनदेन करने की अनुमति नहीं है। कृपया कंपनी को बदलें।
 DocType: Sales Partner,Contact Desc,संपर्क जानकारी
 DocType: Email Digest,Send regular summary reports via Email.,ईमेल के माध्यम से नियमित रूप से सारांश रिपोर्ट भेजें।
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},में व्यय दावा प्रकार डिफ़ॉल्ट खाता सेट करें {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},में व्यय दावा प्रकार डिफ़ॉल्ट खाता सेट करें {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,उपलब्ध पत्तियां
 DocType: Assessment Result,Student Name,छात्र का नाम
 DocType: Hub Tracked Item,Item Manager,आइटम प्रबंधक
@@ -5492,9 +5557,10 @@
 DocType: Subscription,Trial Period End Date,परीक्षण अवधि समाप्ति तिथि
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} सीमा से अधिक के बाद से Authroized नहीं
 DocType: Serial No,Asset Status,संपत्ति की स्थिति
+DocType: Delivery Note,Over Dimensional Cargo (ODC),आयामी कार्गो (ओडीसी) से अधिक
 DocType: Restaurant Order Entry,Restaurant Table,रेस्टोरेंट टेबल
 DocType: Hotel Room,Hotel Manager,होटल के प्रबंधक
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,शॉपिंग कार्ट के लिए सेट कर नियम
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,शॉपिंग कार्ट के लिए सेट कर नियम
 DocType: Purchase Invoice,Taxes and Charges Added,कर और शुल्क जोड़ा
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,मूल्यह्रास पंक्ति {0}: अगली मूल्यह्रास तिथि उपलब्ध उपयोग के लिए पहले नहीं हो सकती है
 ,Sales Funnel,बिक्री कीप
@@ -5510,10 +5576,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,सभी ग्राहक समूहों
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,संचित मासिक
 DocType: Attendance Request,On Duty,काम पर
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} अनिवार्य है. हो सकता है कि विनिमय दर रिकॉर्ड {2} को {1} के लिए नहीं बनाई गई है.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} अनिवार्य है. हो सकता है कि विनिमय दर रिकॉर्ड {2} को {1} के लिए नहीं बनाई गई है.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},स्टाफिंग योजना {0} पदनाम के लिए पहले से मौजूद है {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,टैक्स खाका अनिवार्य है।
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,खाते {0}: माता पिता के खाते {1} मौजूद नहीं है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,खाते {0}: माता पिता के खाते {1} मौजूद नहीं है
 DocType: POS Closing Voucher,Period Start Date,अवधि प्रारंभ तिथि
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),मूल्य सूची दर (कंपनी मुद्रा)
 DocType: Products Settings,Products Settings,उत्पाद सेटिंग
@@ -5533,7 +5599,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,यह क्रिया भविष्य की बिलिंग को रोक देगी। क्या आप वाकई इस सदस्यता को रद्द करना चाहते हैं?
 DocType: Serial No,Distinct unit of an Item,एक आइटम की अलग इकाई
 DocType: Supplier Scorecard Criteria,Criteria Name,मापदंड का नाम
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,कृपया कंपनी सेट करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,कृपया कंपनी सेट करें
 DocType: Procedure Prescription,Procedure Created,प्रक्रिया बनाई गई
 DocType: Pricing Rule,Buying,क्रय
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,रोग और उर्वरक
@@ -5550,28 +5616,29 @@
 DocType: Employee Onboarding,Job Offer,नौकरी का प्रस्ताव
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,संस्थान संक्षिप्त
 ,Item-wise Price List Rate,मद वार मूल्य सूची दर
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,प्रदायक कोटेशन
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,प्रदायक कोटेशन
 DocType: Quotation,In Words will be visible once you save the Quotation.,शब्दों में दिखाई हो सकता है एक बार आप उद्धरण बचाने के लिए होगा.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},मात्रा ({0}) पंक्ति {1} में अंश नहीं हो सकता
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},मात्रा ({0}) पंक्ति {1} में अंश नहीं हो सकता
 DocType: Contract,Unsigned,अहस्ताक्षरित
 DocType: Selling Settings,Each Transaction,प्रत्येक लेनदेन
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},बारकोड {0} पहले से ही मद में इस्तेमाल {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},बारकोड {0} पहले से ही मद में इस्तेमाल {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,शिपिंग लागत को जोड़ने के लिए नियम.
 DocType: Hotel Room,Extra Bed Capacity,अतिरिक्त बिस्तर क्षमता
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,आरंभिक स्टॉक
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ग्राहक की आवश्यकता है
 DocType: Lab Test,Result Date,परिणाम दिनांक
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,पीडीसी / एलसी तिथि
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,पीडीसी / एलसी तिथि
 DocType: Purchase Order,To Receive,प्राप्त करने के लिए
 DocType: Leave Period,Holiday List for Optional Leave,वैकल्पिक छुट्टी के लिए अवकाश सूची
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,संपत्ति मालिक
 DocType: Purchase Invoice,Reason For Putting On Hold,पकड़ने के लिए कारण
 DocType: Employee,Personal Email,व्यक्तिगत ईमेल
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,कुल विचरण
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,कुल विचरण
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","यदि सक्रिय है, प्रणाली स्वतः सूची के लिए लेखांकन प्रविष्टियों के बाद होगा."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,दलाली
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,कर्मचारी {0} के लिए उपस्थिति पहले से ही इस दिन के लिए चिह्नित किया गया है
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,कर्मचारी {0} के लिए उपस्थिति पहले से ही इस दिन के लिए चिह्नित किया गया है
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","मिनट में 
  'टाइम प्रवेश' के माध्यम से अद्यतन"
@@ -5579,14 +5646,14 @@
 DocType: Amazon MWS Settings,Synch Orders,सिंच ऑर्डर
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,उत्पादन के लिए आदेश जारी किया.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,वित्तीय वर्ष का चयन करें ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,पीओएस प्रोफ़ाइल पीओएस एंट्री बनाने के लिए आवश्यक
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,पीओएस प्रोफ़ाइल पीओएस एंट्री बनाने के लिए आवश्यक
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",वफादारी अंक का उल्लेख संग्रहित कारक के आधार पर किए गए व्यय (बिक्री चालान के माध्यम से) से किया जाएगा।
 DocType: Program Enrollment Tool,Enroll Students,छात्रों को भर्ती
 DocType: Company,HRA Settings,एचआरए सेटिंग्स
 DocType: Employee Transfer,Transfer Date,हस्तांतरण की तारीख
 DocType: Lab Test,Approved Date,स्वीकृत दिनांक
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,मानक बेच
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","यूओएम, आइटम समूह, विवरण और घंटे की संख्या जैसे आइटम फ़ील्ड कॉन्फ़िगर करें।"
 DocType: Certification Application,Certification Status,प्रमाणन की स्थिति
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,बाजार
@@ -5606,6 +5673,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,मिलान चालान
 DocType: Work Order,Required Items,आवश्यक आइटम
 DocType: Stock Ledger Entry,Stock Value Difference,स्टॉक मूल्य अंतर
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,आइटम पंक्ति {0}: {1} {2} उपरोक्त &#39;{1}&#39; तालिका में मौजूद नहीं है
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,मानव संसाधन
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,भुगतान सुलह भुगतान
 DocType: Disease,Treatment Task,उपचार कार्य
@@ -5623,7 +5691,8 @@
 DocType: Account,Debit,नामे
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,पत्तियां 0.5 के गुणकों में आवंटित किया जाना चाहिए
 DocType: Work Order,Operation Cost,संचालन लागत
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,बकाया राशि
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,निर्णय निर्माताओं की पहचान
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,बकाया राशि
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,सेट आइटम इस बिक्री व्यक्ति के लिए समूह - वार लक्ष्य.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],रुक स्टॉक से अधिक उम्र [ दिन]
 DocType: Payment Request,Payment Ordered,भुगतान आदेश दिया गया
@@ -5635,13 +5704,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,निम्नलिखित उपयोगकर्ता ब्लॉक दिनों के लिए छोड़ एप्लीकेशन को स्वीकृत करने की अनुमति दें.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,जीवन चक्र
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,बीओएम बनाओ
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},आइटम {0} के लिए बिक्री दर इसके {1} से कम है। बेचना दर कम से कम {2} होना चाहिए
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},आइटम {0} के लिए बिक्री दर इसके {1} से कम है। बेचना दर कम से कम {2} होना चाहिए
 DocType: Subscription,Taxes,कर
 DocType: Purchase Invoice,capital goods,पूंजीगत वस्तुएं
 DocType: Purchase Invoice Item,Weight Per Unit,वजन प्रति यूनिट
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,भुगतान किया है और वितरित नहीं
-DocType: Project,Default Cost Center,डिफ़ॉल्ट लागत केंद्र
-DocType: Delivery Note,Transporter Doc No,ट्रांसपोर्टर डॉक्टर संख्या
+DocType: QuickBooks Migrator,Default Cost Center,डिफ़ॉल्ट लागत केंद्र
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,शेयर लेनदेन
 DocType: Budget,Budget Accounts,बजट लेखा
 DocType: Employee,Internal Work History,आंतरिक कार्य इतिहास
@@ -5674,7 +5742,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},हेल्थकेयर प्रैक्टिशनर {0} पर उपलब्ध नहीं है
 DocType: Stock Entry Detail,Additional Cost,अतिरिक्त लागत
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","वाउचर के आधार पर फ़िल्टर नहीं कर सकते नहीं, वाउचर के आधार पर समूहीकृत अगर"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,प्रदायक कोटेशन बनाओ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,प्रदायक कोटेशन बनाओ
 DocType: Quality Inspection,Incoming,आवक
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,विक्रय और खरीद के लिए डिफ़ॉल्ट कर टेम्पलेट बनाए गए हैं
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,मूल्यांकन परिणाम रिकॉर्ड {0} पहले से मौजूद है।
@@ -5690,7 +5758,7 @@
 DocType: Batch,Batch ID,बैच आईडी
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},नोट : {0}
 ,Delivery Note Trends,डिलिवरी नोट रुझान
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,इस सप्ताह की सारांश
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,इस सप्ताह की सारांश
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,शेयर मात्रा में
 ,Daily Work Summary Replies,दैनिक कार्य सारांश जवाब
 DocType: Delivery Trip,Calculate Estimated Arrival Times,अनुमानित आगमन टाइम्स की गणना करें
@@ -5700,7 +5768,7 @@
 DocType: Bank Account,Party,पार्टी
 DocType: Healthcare Settings,Patient Name,रोगी का नाम
 DocType: Variant Field,Variant Field,विविध फ़ील्ड
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,लक्ष्य स्थान
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,लक्ष्य स्थान
 DocType: Sales Order,Delivery Date,वितरण की तारीख
 DocType: Opportunity,Opportunity Date,अवसर तिथि
 DocType: Employee,Health Insurance Provider,स्वास्थ्य बीमा प्रदाता
@@ -5719,7 +5787,7 @@
 DocType: Employee,History In Company,कंपनी में इतिहास
 DocType: Customer,Customer Primary Address,ग्राहक प्राथमिक पता
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,समाचारपत्रिकाएँ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,संदर्भ संख्या।
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,संदर्भ संख्या।
 DocType: Drug Prescription,Description/Strength,विवरण / शक्ति
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,नया भुगतान / जर्नल प्रविष्टि बनाएँ
 DocType: Certification Application,Certification Application,प्रमाणन आवेदन
@@ -5730,10 +5798,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,एक ही आइटम कई बार दर्ज किया गया है
 DocType: Department,Leave Block List,ब्लॉक सूची छोड़ दो
 DocType: Purchase Invoice,Tax ID,टैक्स आईडी
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,आइटम {0} सीरियल नग स्तंभ के लिए सेटअप रिक्त होना चाहिए नहीं है
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,आइटम {0} सीरियल नग स्तंभ के लिए सेटअप रिक्त होना चाहिए नहीं है
 DocType: Accounts Settings,Accounts Settings,लेखा सेटिंग्स
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,मंजूर
 DocType: Loyalty Program,Customer Territory,ग्राहक क्षेत्र
+DocType: Email Digest,Sales Orders to Deliver,बिक्री आदेश देने के लिए आदेश
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","नए खाते की संख्या, यह एक उपसर्ग के रूप में खाते के नाम में शामिल किया जाएगा"
 DocType: Maintenance Team Member,Team Member,टीम के सदस्य
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,प्रस्तुत करने के लिए कोई भी परिणाम नहीं है
@@ -5743,7 +5812,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","कुल {0} सभी मदों के लिए शून्य है, तो आप &#39;के आधार पर शुल्क वितरित&#39; परिवर्तन होना चाहिए हो सकता है"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,आज तक तिथि से कम नहीं हो सकता है
 DocType: Opportunity,To Discuss,चर्चा करने के लिए
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,यह इस सब्सक्राइबर के खिलाफ लेनदेन पर आधारित है। विवरण के लिए नीचे समयरेखा देखें
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} की इकाइयों {1} {2} इस सौदे को पूरा करने के लिए की जरूरत है।
 DocType: Loan Type,Rate of Interest (%) Yearly,ब्याज दर (%) वार्षिक
 DocType: Support Settings,Forum URL,फोरम यूआरएल
@@ -5758,7 +5826,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,और अधिक जानें
 DocType: Cheque Print Template,Distance from top edge,ऊपरी किनारे से दूरी
 DocType: POS Closing Voucher Invoices,Quantity of Items,वस्तुओं की मात्रा
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,मूल्य सूची {0} अक्षम है या मौजूद नहीं है
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,मूल्य सूची {0} अक्षम है या मौजूद नहीं है
 DocType: Purchase Invoice,Return,वापसी
 DocType: Pricing Rule,Disable,असमर्थ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,भुगतान की विधि भुगतान करने के लिए आवश्यक है
@@ -5766,18 +5834,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","संपत्ति, सीरियल नंबर, बैचों आदि जैसे अधिक विकल्पों के लिए पूर्ण पृष्ठ में संपादित करें।"
 DocType: Leave Type,Maximum Continuous Days Applicable,अधिकतम निरंतर दिन लागू
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} बैच में नामांकित नहीं है {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","एसेट {0}, खत्म कर दिया नहीं जा सकता क्योंकि यह पहले से ही है {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","एसेट {0}, खत्म कर दिया नहीं जा सकता क्योंकि यह पहले से ही है {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,चेक आवश्यक है
 DocType: Task,Total Expense Claim (via Expense Claim),(व्यय दावा) के माध्यम से कुल खर्च का दावा
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,मार्क अनुपस्थित
 DocType: Job Applicant Source,Job Applicant Source,नौकरी आवेदक स्रोत
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,आईजीएसटी राशि
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,आईजीएसटी राशि
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,सेटअप कंपनी में विफल
 DocType: Asset Repair,Asset Repair,संपत्ति मरम्मत
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},पंक्ति {0}: बीओएम # की मुद्रा {1} चयनित मुद्रा के बराबर होना चाहिए {2}
 DocType: Journal Entry Account,Exchange Rate,विनिमय दर
 DocType: Patient,Additional information regarding the patient,रोगी के बारे में अतिरिक्त जानकारी
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,बिक्री आदेश {0} प्रस्तुत नहीं किया गया है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,बिक्री आदेश {0} प्रस्तुत नहीं किया गया है
 DocType: Homepage,Tag Line,टैग लाइन
 DocType: Fee Component,Fee Component,शुल्क घटक
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,बेड़े प्रबंधन
@@ -5792,7 +5860,7 @@
 DocType: Healthcare Practitioner,Mobile,मोबाइल
 ,Sales Person-wise Transaction Summary,बिक्री व्यक्ति के लिहाज गतिविधि सारांश
 DocType: Training Event,Contact Number,संपर्क संख्या
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,वेयरहाउस {0} मौजूद नहीं है
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,वेयरहाउस {0} मौजूद नहीं है
 DocType: Cashier Closing,Custody,हिरासत
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,कर्मचारी कर छूट सबूत सबमिशन विस्तार
 DocType: Monthly Distribution,Monthly Distribution Percentages,मासिक वितरण प्रतिशत
@@ -5807,7 +5875,7 @@
 DocType: Payment Entry,Paid Amount,राशि भुगतान
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,बिक्री चक्र का पता लगाएं
 DocType: Assessment Plan,Supervisor,पर्यवेक्षक
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,प्रतिधारण स्टॉक प्रविष्टि
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,प्रतिधारण स्टॉक प्रविष्टि
 ,Available Stock for Packing Items,आइटम पैकिंग के लिए उपलब्ध स्टॉक
 DocType: Item Variant,Item Variant,आइटम संस्करण
 ,Work Order Stock Report,कार्य आदेश शेयर रिपोर्ट
@@ -5816,9 +5884,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,पर्यवेक्षक के रूप में
 DocType: Leave Policy Detail,Leave Policy Detail,नीति विवरण छोड़ दें
 DocType: BOM Scrap Item,BOM Scrap Item,बीओएम स्क्रैप मद
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,प्रस्तुत किए गए आदेशों हटाया नहीं जा सकता
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","खाते की शेष राशि पहले से ही डेबिट में है, कृपया आप शेष राशि को क्रेडिट के रूप में ही रखें"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,गुणवत्ता प्रबंधन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,प्रस्तुत किए गए आदेशों हटाया नहीं जा सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","खाते की शेष राशि पहले से ही डेबिट में है, कृपया आप शेष राशि को क्रेडिट के रूप में ही रखें"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,गुणवत्ता प्रबंधन
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,मद {0} अक्षम किया गया है
 DocType: Project,Total Billable Amount (via Timesheets),कुल बिल योग्य राशि (टाइम्सशीट्स के माध्यम से)
 DocType: Agriculture Task,Previous Business Day,पिछला व्यापार दिवस
@@ -5841,14 +5909,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,लागत केन्द्रों
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,सदस्यता पुनरारंभ करें
 DocType: Linked Plant Analysis,Linked Plant Analysis,लिंक्ड संयंत्र विश्लेषण
-DocType: Delivery Note,Transporter ID,ट्रांसपोर्टर आईडी
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ट्रांसपोर्टर आईडी
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,मूल्य प्रस्ताव
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,दर जिस पर आपूर्तिकर्ता मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है
-DocType: Sales Invoice Item,Service End Date,सेवा समाप्ति दिनांक
+DocType: Purchase Invoice Item,Service End Date,सेवा समाप्ति दिनांक
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},पंक्ति # {0}: पंक्ति के साथ स्थिति संघर्षों {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,शून्य मूल्यांकन दर को अनुमति दें
 DocType: Bank Guarantee,Receiving,प्राप्त करना
 DocType: Training Event Employee,Invited,आमंत्रित
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,सेटअप गेटवे खातों।
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,सेटअप गेटवे खातों।
 DocType: Employee,Employment Type,रोजगार के प्रकार
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,स्थायी संपत्तियाँ
 DocType: Payment Entry,Set Exchange Gain / Loss,सेट मुद्रा लाभ / हानि
@@ -5864,7 +5933,7 @@
 DocType: Tax Rule,Sales Tax Template,सेल्स टैक्स खाका
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,लाभ दावा के खिलाफ भुगतान करें
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,अद्यतन लागत केंद्र संख्या
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें
 DocType: Employee,Encashment Date,नकदीकरण तिथि
 DocType: Training Event,Internet,इंटरनेट
 DocType: Special Test Template,Special Test Template,विशेष टेस्ट टेम्प्लेट
@@ -5872,12 +5941,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},डिफ़ॉल्ट गतिविधि लागत गतिविधि प्रकार के लिए मौजूद है - {0}
 DocType: Work Order,Planned Operating Cost,नियोजित परिचालन लागत
 DocType: Academic Term,Term Start Date,टर्म प्रारंभ तिथि
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,सभी शेयर लेनदेन की सूची
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,सभी शेयर लेनदेन की सूची
+DocType: Supplier,Is Transporter,ट्रांसपोर्टर है
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,यदि भुगतान चिह्नित किया गया है तो Shopify से बिक्री चालान आयात करें
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,ऑप गणना
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,दोनों परीक्षण अवधि प्रारंभ तिथि और परीक्षण अवधि समाप्ति तिथि निर्धारित की जानी चाहिए
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,सामान्य दर
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,भुगतान शेड्यूल में कुल भुगतान राशि ग्रैंड / गोल की कुल राशि के बराबर होनी चाहिए
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,भुगतान शेड्यूल में कुल भुगतान राशि ग्रैंड / गोल की कुल राशि के बराबर होनी चाहिए
 DocType: Subscription Plan Detail,Plan,योजना
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,जनरल लेजर के अनुसार बैंक बैलेंस
 DocType: Job Applicant,Applicant Name,आवेदक के नाम
@@ -5905,7 +5975,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,स्रोत वेयरहाउस पर उपलब्ध मात्रा
 apps/erpnext/erpnext/config/support.py +22,Warranty,गारंटी
 DocType: Purchase Invoice,Debit Note Issued,डेबिट नोट जारी
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,लागत केंद्र के आधार पर फ़िल्टर केवल तभी लागू होता है जब बजट के खिलाफ बजट केंद्र के रूप में चुना जाता है
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,लागत केंद्र के आधार पर फ़िल्टर केवल तभी लागू होता है जब बजट के खिलाफ बजट केंद्र के रूप में चुना जाता है
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","आइटम कोड, सीरियल नंबर, बैच संख्या या बारकोड द्वारा खोजें"
 DocType: Work Order,Warehouses,गोदामों
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} संपत्ति हस्तांतरित नहीं किया जा सकता
@@ -5916,9 +5986,9 @@
 DocType: Workstation,per hour,प्रति घंटा
 DocType: Blanket Order,Purchasing,क्रय
 DocType: Announcement,Announcement,घोषणा
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,ग्राहक एलपीओ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,ग्राहक एलपीओ
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","बैच आधारित छात्र समूह के लिए, छात्र बैच को कार्यक्रम नामांकन से प्रत्येक छात्र के लिए मान्य किया जाएगा।"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,शेयर खाता प्रविष्टि इस गोदाम के लिए मौजूद वेयरहाउस हटाया नहीं जा सकता .
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,शेयर खाता प्रविष्टि इस गोदाम के लिए मौजूद वेयरहाउस हटाया नहीं जा सकता .
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,वितरण
 DocType: Journal Entry Account,Loan,ऋण
 DocType: Expense Claim Advance,Expense Claim Advance,व्यय का दावा अग्रिम
@@ -5927,7 +5997,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,परियोजना प्रबंधक
 ,Quoted Item Comparison,उद्धरित मद तुलना
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} और {1} के बीच स्कोरिंग में ओवरलैप
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,प्रेषण
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,प्रेषण
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,अधिकतम छूट मद के लिए अनुमति दी: {0} {1}% है
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,शुद्ध परिसंपत्ति मूल्य के रूप में
 DocType: Crop,Produce,उत्पादित करें
@@ -5937,20 +6007,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,निर्माण के लिए सामग्री की खपत
 DocType: Item Alternative,Alternative Item Code,वैकल्पिक आइटम कोड
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,निर्धारित ऋण सीमा से अधिक लेनदेन है कि प्रस्तुत करने की अनुमति दी है कि भूमिका.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,निर्माण करने के लिए आइटम का चयन करें
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,निर्माण करने के लिए आइटम का चयन करें
 DocType: Delivery Stop,Delivery Stop,डिलिवरी स्टॉप
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है"
 DocType: Item,Material Issue,महत्त्वपूर्ण विषय
 DocType: Employee Education,Qualification,योग्यता
 DocType: Item Price,Item Price,मद मूल्य
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,साबुन और डिटर्जेंट
 DocType: BOM,Show Items,शो आइटम
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,समय समय पर से बड़ा नहीं हो सकता है।
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,क्या आप सभी ग्राहकों को ईमेल द्वारा सूचित करना चाहते हैं?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,क्या आप सभी ग्राहकों को ईमेल द्वारा सूचित करना चाहते हैं?
 DocType: Subscription Plan,Billing Interval,बिलिंग अंतराल
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,मोशन पिक्चर और वीडियो
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,आदेशित
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,वास्तविक प्रारंभ तिथि और वास्तविक समाप्ति तिथि अनिवार्य है
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक समूह&gt; क्षेत्र
 DocType: Salary Detail,Component,अंग
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,पंक्ति {0}: {1} 0 से अधिक होना चाहिए
 DocType: Assessment Criteria,Assessment Criteria Group,मूल्यांकन मापदंड समूह
@@ -5981,11 +6052,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,जमा करने से पहले बैंक या उधार संस्था का नाम दर्ज करें।
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} को प्रस्तुत करना होगा
 DocType: POS Profile,Item Groups,मद समूह
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,आज {0} का जन्मदिन है!
 DocType: Sales Order Item,For Production,उत्पादन के लिए
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,खाता मुद्रा में शेष राशि
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,कृपया चार्ट्स अकाउंट्स में अस्थायी ओपनिंग अकाउंट जोड़ें
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,कृपया चार्ट्स अकाउंट्स में अस्थायी ओपनिंग अकाउंट जोड़ें
 DocType: Customer,Customer Primary Contact,ग्राहक प्राथमिक संपर्क
 DocType: Project Task,View Task,देखें टास्क
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / लीड%
@@ -5998,11 +6068,11 @@
 DocType: Sales Invoice,Get Advances Received,अग्रिम प्राप्त
 DocType: Email Digest,Add/Remove Recipients,प्राप्तकर्ता जोड़ें / निकालें
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","डिफ़ॉल्ट रूप में इस वित्तीय वर्ष में सेट करने के लिए , 'मूलभूत रूप में सेट करें ' पर क्लिक करें"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,टीडीएस की कटौती की राशि
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,टीडीएस की कटौती की राशि
 DocType: Production Plan,Include Subcontracted Items,उप-कॉन्ट्रैक्टेड आइटम शामिल करें
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,जुडें
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,कमी मात्रा
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,जुडें
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,कमी मात्रा
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है
 DocType: Loan,Repay from Salary,वेतन से बदला
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},के खिलाफ भुगतान का अनुरोध {0} {1} राशि के लिए {2}
 DocType: Additional Salary,Salary Slip,वेतनपर्ची
@@ -6018,7 +6088,7 @@
 DocType: Patient,Dormant,निष्क्रिय
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,दावा न किए गए कर्मचारी लाभ के लिए कटौती कर
 DocType: Salary Slip,Total Interest Amount,कुल ब्याज राशि
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता
 DocType: BOM,Manage cost of operations,संचालन की लागत का प्रबंधन
 DocType: Accounts Settings,Stale Days,स्टेल डेज़
 DocType: Travel Itinerary,Arrival Datetime,आगमन डेटाटाइम
@@ -6030,7 +6100,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,आकलन के परिणाम विस्तार
 DocType: Employee Education,Employee Education,कर्मचारी शिक्षा
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,डुप्लिकेट आइटम समूह मद समूह तालिका में पाया
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,यह आइटम विवरण लाने की जरूरत है।
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,यह आइटम विवरण लाने की जरूरत है।
 DocType: Fertilizer,Fertilizer Name,उर्वरक का नाम
 DocType: Salary Slip,Net Pay,शुद्ध वेतन
 DocType: Cash Flow Mapping Accounts,Account,खाता
@@ -6041,14 +6111,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,लाभ दावा के खिलाफ अलग भुगतान प्रविष्टि बनाएँ
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),एक बुखार की उपस्थिति (अस्थायी&gt; 38.5 डिग्री सेल्सियस / 101.3 डिग्री या निरंतर तापमान&gt; 38 डिग्री सेल्सियस / 100.4 डिग्री फेरनहाइट)
 DocType: Customer,Sales Team Details,बिक्री टीम विवरण
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,स्थायी रूप से हटाना चाहते हैं?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,स्थायी रूप से हटाना चाहते हैं?
 DocType: Expense Claim,Total Claimed Amount,कुल दावा किया राशि
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,बेचने के लिए संभावित अवसरों.
 DocType: Shareholder,Folio no.,फ़ोलियो नो
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},अमान्य {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,बीमारी छुट्टी
 DocType: Email Digest,Email Digest,ईमेल डाइजेस्ट
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,नहीं हैं
 DocType: Delivery Note,Billing Address Name,बिलिंग पता नाम
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,विभाग के स्टोर
 ,Item Delivery Date,आइटम वितरण तिथि
@@ -6064,16 +6133,16 @@
 DocType: Account,Chargeable,प्रभार्य
 DocType: Company,Change Abbreviation,बदले संक्षिप्त
 DocType: Contract,Fulfilment Details,पूर्ति विवरण
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},वेतन {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},वेतन {0} {1}
 DocType: Employee Onboarding,Activities,क्रियाएँ
 DocType: Expense Claim Detail,Expense Date,व्यय तिथि
 DocType: Item,No of Months,महीने का नहीं
 DocType: Item,Max Discount (%),अधिकतम डिस्काउंट (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,क्रेडिट दिन एक ऋणात्मक संख्या नहीं हो सकते
-DocType: Sales Invoice Item,Service Stop Date,सेवा रोक तिथि
+DocType: Purchase Invoice Item,Service Stop Date,सेवा रोक तिथि
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,अंतिम आदेश राशि
 DocType: Cash Flow Mapper,e.g Adjustments for:,उदाहरण के लिए समायोजन:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} बैच के आधार पर नमूना रखें, आइटम का नमूना बनाए रखने के लिए कृपया बैच नंबर देखें"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} बैच के आधार पर नमूना रखें, आइटम का नमूना बनाए रखने के लिए कृपया बैच नंबर देखें"
 DocType: Task,Is Milestone,क्या मील का पत्थर है
 DocType: Certification Application,Yet to appear,अभी तक प्रकट होने के लिए
 DocType: Delivery Stop,Email Sent To,इलेक्ट्रॉनिक पत्राचार भेजा गया
@@ -6081,16 +6150,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,बैलेंस शीट खाते की प्रविष्टि में लागत केंद्र की अनुमति दें
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,मौजूदा खाते के साथ विलय करें
 DocType: Budget,Warn,चेतावनी देना
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,इस कार्य आदेश के लिए सभी आइटम पहले ही स्थानांतरित कर दिए गए हैं।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,इस कार्य आदेश के लिए सभी आइटम पहले ही स्थानांतरित कर दिए गए हैं।
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","किसी भी अन्य टिप्पणी, अभिलेखों में जाना चाहिए कि उल्लेखनीय प्रयास।"
 DocType: Asset Maintenance,Manufacturing User,विनिर्माण प्रयोक्ता
 DocType: Purchase Invoice,Raw Materials Supplied,कच्चे माल की आपूर्ति
 DocType: Subscription Plan,Payment Plan,भुगतान योजना
 DocType: Shopping Cart Settings,Enable purchase of items via the website,वेबसाइट के माध्यम से वस्तुओं की खरीद सक्षम करें
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},मूल्य सूची {0} की मुद्रा {1} या {2} होनी चाहिए
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,सदस्यता प्रबंधन
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,सदस्यता प्रबंधन
 DocType: Appraisal,Appraisal Template,मूल्यांकन टेम्पलेट
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,कोड कोड करने के लिए
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,कोड कोड करने के लिए
 DocType: Soil Texture,Ternary Plot,टर्नरी प्लॉट
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,शेड्यूलर के माध्यम से निर्धारित दैनिक सिंक्रनाइज़ेशन दिनचर्या को सक्षम करने के लिए इसे जांचें
 DocType: Item Group,Item Classification,आइटम वर्गीकरण
@@ -6100,6 +6169,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,चालान रोगी पंजीकरण
 DocType: Crop,Period,अवधि
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,सामान्य खाता
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,वित्तीय वर्ष के लिए
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,देखें बिक्रीसूत्र
 DocType: Program Enrollment Tool,New Program,नए कार्यक्रम
 DocType: Item Attribute Value,Attribute Value,मान बताइए
@@ -6108,11 +6178,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise पुनःक्रमित स्तर की सिफारिश की
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,ग्रेड {1} के कर्मचारी {0} में कोई डिफ़ॉल्ट छुट्टी नीति नहीं है
 DocType: Salary Detail,Salary Detail,वेतन विस्तार
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,पहला {0} का चयन करें
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,पहला {0} का चयन करें
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,जोड़ा गया {0} उपयोगकर्ता
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","मल्टी-स्तरीय कार्यक्रम के मामले में, ग्राहक अपने खर्च के अनुसार संबंधित स्तर को स्वचालित रूप से सौंपा जाएगा"
 DocType: Appointment Type,Physician,चिकित्सक
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,आइटम के बैच {0} {1} समाप्त हो गया है।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,आइटम के बैच {0} {1} समाप्त हो गया है।
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,परामर्श
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,अच्छा समाप्त
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","आइटम मूल्य मूल्य सूची, प्रदायक / ग्राहक, मुद्रा, आइटम, यूओएम, मात्रा और तिथियों के आधार पर कई बार प्रकट होता है।"
@@ -6121,22 +6191,21 @@
 DocType: Certification Application,Name of Applicant,आवेदक का नाम
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,विनिर्माण के लिए समय पत्रक।
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,आधा
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,स्टॉक लेनदेन के बाद वेरिएंट गुणों को बदल नहीं सकते हैं। ऐसा करने के लिए आपको एक नया आइटम बनाना होगा।
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,स्टॉक लेनदेन के बाद वेरिएंट गुणों को बदल नहीं सकते हैं। ऐसा करने के लिए आपको एक नया आइटम बनाना होगा।
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA आदेश
 DocType: Healthcare Practitioner,Charges,प्रभार
 DocType: Production Plan,Get Items For Work Order,कार्य आदेश के लिए आइटम प्राप्त करें
 DocType: Salary Detail,Default Amount,चूक की राशि
 DocType: Lab Test Template,Descriptive,वर्णनात्मक
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,सिस्टम में नहीं मिला वेयरहाउस
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,इस महीने की सारांश
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,इस महीने की सारांश
 DocType: Quality Inspection Reading,Quality Inspection Reading,गुणवत्ता निरीक्षण पढ़ना
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,` से अधिक पुराने स्टॉक `% d दिनों से कम होना चाहिए .
 DocType: Tax Rule,Purchase Tax Template,टैक्स टेम्पलेट खरीद
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,एक बिक्री लक्ष्य निर्धारित करें जिसे आप अपनी कंपनी के लिए प्राप्त करना चाहते हैं
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,स्वास्थ्य देखभाल सेवाएँ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,स्वास्थ्य देखभाल सेवाएँ
 ,Project wise Stock Tracking,परियोजना वार शेयर ट्रैकिंग
 DocType: GST HSN Code,Regional,क्षेत्रीय
-DocType: Delivery Note,Transport Mode,परिवहन साधन
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,प्रयोगशाला
 DocType: UOM Category,UOM Category,यूओएम श्रेणी
 DocType: Clinical Procedure Item,Actual Qty (at source/target),वास्तविक मात्रा (स्रोत / लक्ष्य पर)
@@ -6159,17 +6228,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,वेबसाइट बनाने में विफल
 DocType: Soil Analysis,Mg/K,मिलीग्राम / कश्मीर
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM रूपांतरण विस्तार
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,प्रतिधारण स्टॉक प्रविष्टि पहले से निर्मित या नमूना मात्रा नहीं प्रदान की गई
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,प्रतिधारण स्टॉक प्रविष्टि पहले से निर्मित या नमूना मात्रा नहीं प्रदान की गई
 DocType: Program,Program Abbreviation,कार्यक्रम संक्षिप्त
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,उत्पादन का आदेश एक आइटम टेम्पलेट के खिलाफ उठाया नहीं जा सकता
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,प्रभार प्रत्येक आइटम के खिलाफ खरीद रसीद में नवीनीकृत कर रहे हैं
 DocType: Warranty Claim,Resolved By,द्वारा हल किया
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,अनुसूची निर्वहन
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,चेक्स और जमाओं को गलत तरीके से मंजूरी दे दी है
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,खाते {0}: तुम माता पिता के खाते के रूप में खुद को आवंटन नहीं कर सकते
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,खाते {0}: तुम माता पिता के खाते के रूप में खुद को आवंटन नहीं कर सकते
 DocType: Purchase Invoice Item,Price List Rate,मूल्य सूची दर
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,ग्राहक उद्धरण बनाएं
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,सर्विस स्टॉप डेट सेवा समाप्ति तिथि के बाद नहीं हो सकता है
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,सर्विस स्टॉप डेट सेवा समाप्ति तिथि के बाद नहीं हो सकता है
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",स्टॉक में दिखाएँ &quot;&quot; या &quot;नहीं&quot; स्टॉक में इस गोदाम में उपलब्ध स्टॉक के आधार पर.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),सामग्री के बिल (बीओएम)
 DocType: Item,Average time taken by the supplier to deliver,सप्लायर द्वारा लिया गया औसत समय देने के लिए
@@ -6181,11 +6250,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,घंटे
 DocType: Project,Expected Start Date,उम्मीद प्रारंभ दिनांक
 DocType: Purchase Invoice,04-Correction in Invoice,04-इनवॉइस में सुधार
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,काम ऑर्डर पहले से ही BOM के साथ सभी आइटम के लिए बनाया गया है
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,काम ऑर्डर पहले से ही BOM के साथ सभी आइटम के लिए बनाया गया है
 DocType: Payment Request,Party Details,पार्टी विवरण
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,विविध विवरण रिपोर्ट
 DocType: Setup Progress Action,Setup Progress Action,सेटअप प्रगति कार्रवाई
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,ख़रीदना मूल्य सूची
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,ख़रीदना मूल्य सूची
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,आरोप है कि आइटम के लिए लागू नहीं है अगर आइटम निकालें
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,सदस्यता रद्द
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,कृपया रखरखाव की स्थिति का चयन करें या समापन तिथि निकालें
@@ -6203,7 +6272,7 @@
 DocType: Asset,Disposal Date,निपटान की तिथि
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ईमेल दी घंटे में कंपनी के सभी सक्रिय कर्मचारियों के लिए भेजा जाएगा, अगर वे छुट्टी की जरूरत नहीं है। प्रतिक्रियाओं का सारांश आधी रात को भेजा जाएगा।"
 DocType: Employee Leave Approver,Employee Leave Approver,कर्मचारी छुट्टी अनुमोदक
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ति {0}: एक पुनःक्रमित प्रविष्टि पहले से ही इस गोदाम के लिए मौजूद है {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ति {0}: एक पुनःक्रमित प्रविष्टि पहले से ही इस गोदाम के लिए मौजूद है {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","खो के रूप में उद्धरण बना दिया गया है , क्योंकि घोषणा नहीं कर सकते हैं ."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,सीडब्ल्यूआईपी खाता
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,प्रशिक्षण प्रतिक्रिया
@@ -6215,7 +6284,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,तिथि करने के लिए तिथि से पहले नहीं हो सकता
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc doctype
 DocType: Cash Flow Mapper,Section Footer,धारा फुटर
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ संपादित कीमतों में जोड़ें
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ संपादित कीमतों में जोड़ें
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,प्रमोशन तिथि से पहले कर्मचारी पदोन्नति जमा नहीं की जा सकती है
 DocType: Batch,Parent Batch,अभिभावक बैच
 DocType: Cheque Print Template,Cheque Print Template,चैक प्रिंट खाका
@@ -6225,6 +6294,7 @@
 DocType: Clinical Procedure Template,Sample Collection,नमूना संग्रह
 ,Requested Items To Be Ordered,आदेश दिया जा करने के लिए अनुरोध आइटम
 DocType: Price List,Price List Name,मूल्य सूची का नाम
+DocType: Delivery Stop,Dispatch Information,प्रेषण जानकारी
 DocType: Blanket Order,Manufacturing,विनिर्माण
 ,Ordered Items To Be Delivered,हिसाब से दिया जा आइटम
 DocType: Account,Income,आय
@@ -6243,17 +6313,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} में जरूरत {2} पर {3} {4} {5} इस सौदे को पूरा करने के लिए की इकाइयों।
 DocType: Fee Schedule,Student Category,छात्र श्रेणी
 DocType: Announcement,Student,छात्र
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,प्रक्रिया शुरू करने के लिए स्टॉक मात्रा वेयरहाउस में उपलब्ध नहीं है। क्या आप स्टॉक ट्रांसफर रिकॉर्ड करना चाहते हैं
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,प्रक्रिया शुरू करने के लिए स्टॉक मात्रा वेयरहाउस में उपलब्ध नहीं है। क्या आप स्टॉक ट्रांसफर रिकॉर्ड करना चाहते हैं
 DocType: Shipping Rule,Shipping Rule Type,शिपिंग नियम प्रकार
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,कमरे में जाओ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","कंपनी, भुगतान खाता, तिथि और तारीख से अनिवार्य है"
 DocType: Company,Budget Detail,बजट विस्तार
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,भेजने से पहले संदेश प्रविष्ट करें
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,आपूर्तिकर्ता के लिए डुप्लिकेट
-DocType: Email Digest,Pending Quotations,कोटेशन लंबित
-DocType: Delivery Note,Distance (KM),दूरी (केएम)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,प्रदायक&gt; प्रदायक समूह
 DocType: Asset,Custodian,संरक्षक
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,प्वाइंट-ऑफ-सेल प्रोफ़ाइल
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,प्वाइंट-ऑफ-सेल प्रोफ़ाइल
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 और 100 के बीच का मान होना चाहिए
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,असुरक्षित ऋण
 DocType: Cost Center,Cost Center Name,लागत केन्द्र का नाम
@@ -6284,10 +6353,10 @@
 DocType: Lead,Converted,परिवर्तित
 DocType: Item,Has Serial No,नहीं सीरियल गया है
 DocType: Employee,Date of Issue,जारी करने की तारीख
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ख़रीद सेटिंग के मुताबिक यदि खरीद रिसीप्ट की आवश्यकता है == &#39;हां&#39;, तो खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहली खरीदी रसीद बनाने की ज़रूरत है {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ख़रीद सेटिंग के मुताबिक यदि खरीद रिसीप्ट की आवश्यकता है == &#39;हां&#39;, तो खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहली खरीदी रसीद बनाने की ज़रूरत है {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},पंक्ति # {0}: आइटम के लिए सेट प्रदायक {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,पंक्ति {0}: घंटे मूल्य शून्य से अधिक होना चाहिए।
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,मद {1} से जुड़ी वेबसाइट छवि {0} पाया नहीं जा सकता
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,मद {1} से जुड़ी वेबसाइट छवि {0} पाया नहीं जा सकता
 DocType: Issue,Content Type,सामग्री प्रकार
 DocType: Asset,Assets,संपत्ति
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,कंप्यूटर
@@ -6298,7 +6367,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} मौजूद नहीं है
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,अन्य मुद्रा के साथ खातों अनुमति देने के लिए बहु मुद्रा विकल्प की जाँच करें
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,आइटम: {0} सिस्टम में मौजूद नहीं है
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,आप स्थिर मूल्य निर्धारित करने के लिए अधिकृत नहीं हैं
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,आप स्थिर मूल्य निर्धारित करने के लिए अधिकृत नहीं हैं
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled प्रविष्टियां प्राप्त करें
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},कर्मचारी {0} {1} पर छोड़ दिया गया है
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,जर्नल एंट्री के लिए कोई भुगतान नहीं किया गया
@@ -6316,13 +6385,14 @@
 ,Average Commission Rate,औसत कमीशन दर
 DocType: Share Balance,No of Shares,शेयरों की संख्या
 DocType: Taxable Salary Slab,To Amount,राशि के लिए
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,गैर स्टॉक आइटम के लिए क्रमांक 'हाँ' नहीं हो सकता
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,गैर स्टॉक आइटम के लिए क्रमांक 'हाँ' नहीं हो सकता
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,स्थिति का चयन करें
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,उपस्थिति भविष्य तारीखों के लिए चिह्नित नहीं किया जा सकता
 DocType: Support Search Source,Post Description Key,पोस्ट विवरण कुंजी
 DocType: Pricing Rule,Pricing Rule Help,मूल्य निर्धारण नियम मदद
 DocType: School House,House Name,घरेलु नाम
 DocType: Fee Schedule,Total Amount per Student,प्रति छात्र कुल राशि
+DocType: Opportunity,Sales Stage,बिक्री चरण
 DocType: Purchase Taxes and Charges,Account Head,लेखाशीर्ष
 DocType: Company,HRA Component,एचआरए घटक
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,विद्युत
@@ -6330,15 +6400,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),कुल मूल्य का अंतर (आउट - में)
 DocType: Grant Application,Requested Amount,अनुरोध राशि
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,पंक्ति {0}: विनिमय दर अनिवार्य है
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},यूजर आईडी कर्मचारी के लिए सेट नहीं {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},यूजर आईडी कर्मचारी के लिए सेट नहीं {0}
 DocType: Vehicle,Vehicle Value,वाहन मूल्य
 DocType: Crop Cycle,Detected Diseases,पता चला रोग
 DocType: Stock Entry,Default Source Warehouse,डिफ़ॉल्ट स्रोत वेअरहाउस
 DocType: Item,Customer Code,ग्राहक कोड
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},के लिए जन्मदिन अनुस्मारक {0}
 DocType: Asset Maintenance Task,Last Completion Date,अंतिम समापन तिथि
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,दिनों से पिछले आदेश
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,खाते में डेबिट एक बैलेंस शीट खाता होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,खाते में डेबिट एक बैलेंस शीट खाता होना चाहिए
 DocType: Asset,Naming Series,श्रृंखला का नामकरण
 DocType: Vital Signs,Coated,लेपित
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,पंक्ति {0}: उपयोगी जीवन के बाद अपेक्षित मूल्य सकल खरीद राशि से कम होना चाहिए
@@ -6356,15 +6425,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया जाना चाहिए
 DocType: Notification Control,Sales Invoice Message,बिक्री चालान संदेश
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,खाते {0} समापन प्रकार दायित्व / इक्विटी का होना चाहिए
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},कर्मचारी के वेतन पर्ची {0} पहले से ही समय पत्रक के लिए बनाई गई {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},कर्मचारी के वेतन पर्ची {0} पहले से ही समय पत्रक के लिए बनाई गई {1}
 DocType: Vehicle Log,Odometer,ओडोमीटर
 DocType: Production Plan Item,Ordered Qty,मात्रा का आदेश दिया
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,मद {0} अक्षम हो जाता है
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,मद {0} अक्षम हो जाता है
 DocType: Stock Settings,Stock Frozen Upto,स्टॉक तक जमे हुए
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,बीओएम किसी भी शेयर आइटम शामिल नहीं है
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,बीओएम किसी भी शेयर आइटम शामिल नहीं है
 DocType: Chapter,Chapter Head,अध्याय हेड
 DocType: Payment Term,Month(s) after the end of the invoice month,चालान महीने के अंत के बाद महीनों (महीनों)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,वेतन संरचना में लाभ राशि देने के लिए वेतन संरचना में लचीला लाभ घटक होना चाहिए
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,वेतन संरचना में लाभ राशि देने के लिए वेतन संरचना में लचीला लाभ घटक होना चाहिए
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,परियोजना / कार्य कार्य.
 DocType: Vital Signs,Very Coated,बहुत लेपित
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),केवल कर प्रभाव (दावा नहीं कर सकता लेकिन कर योग्य आय का हिस्सा)
@@ -6382,7 +6451,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग घंटे
 DocType: Project,Total Sales Amount (via Sales Order),कुल बिक्री राशि (बिक्री आदेश के माध्यम से)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} नहीं मिला डिफ़ॉल्ट बीओएम
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,पंक्ति # {0}: पुनःक्रमित मात्रा सेट करें
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,पंक्ति # {0}: पुनःक्रमित मात्रा सेट करें
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,उन्हें यहां जोड़ने के लिए आइटम टैप करें
 DocType: Fees,Program Enrollment,कार्यक्रम नामांकन
 DocType: Share Transfer,To Folio No,फ़ोलियो नं
@@ -6423,9 +6492,9 @@
 DocType: SG Creation Tool Course,Max Strength,मैक्स शक्ति
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,प्रीसेट स्थापित करना
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-एफएसएच-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ग्राहक के लिए कोई डिलिवरी नोट चयनित नहीं है {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ग्राहक के लिए कोई डिलिवरी नोट चयनित नहीं है {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,कर्मचारी {0} में अधिकतम लाभ राशि नहीं है
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,डिलीवरी तिथि के आधार पर आइटम चुनें
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,डिलीवरी तिथि के आधार पर आइटम चुनें
 DocType: Grant Application,Has any past Grant Record,किसी भी पिछले अनुदान रिकॉर्ड है
 ,Sales Analytics,बिक्री विश्लेषिकी
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},उपलब्ध {0}
@@ -6433,12 +6502,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,विनिर्माण सेटिंग्स
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ईमेल स्थापना
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 मोबाइल नं
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,कंपनी मास्टर में डिफ़ॉल्ट मुद्रा दर्ज करें
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,कंपनी मास्टर में डिफ़ॉल्ट मुद्रा दर्ज करें
 DocType: Stock Entry Detail,Stock Entry Detail,शेयर एंट्री विस्तार
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,दैनिक अनुस्मारक
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,दैनिक अनुस्मारक
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,सभी खुले टिकट देखें
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,हेल्थकेयर सर्विस यूनिट ट्री
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,उत्पाद
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,उत्पाद
 DocType: Products Settings,Home Page is Products,होम पेज उत्पाद है
 ,Asset Depreciation Ledger,संपत्ति मूल्यह्रास खाता बही
 DocType: Salary Structure,Leave Encashment Amount Per Day,प्रति दिन नकद राशि छोड़ दें
@@ -6448,8 +6517,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,कच्चे माल की लागत की आपूर्ति
 DocType: Selling Settings,Settings for Selling Module,मॉड्यूल बेचना के लिए सेटिंग
 DocType: Hotel Room Reservation,Hotel Room Reservation,होटल रूम आरक्षण
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,ग्राहक सेवा
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,ग्राहक सेवा
 DocType: BOM,Thumbnail,थंबनेल
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ईमेल आईडी के साथ कोई संपर्क नहीं मिला।
 DocType: Item Customer Detail,Item Customer Detail,आइटम ग्राहक विस्तार
 DocType: Notification Control,Prompt for Email on Submission of,प्रस्तुत करने पर ईमेल के लिए संकेत
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},कर्मचारी की अधिकतम लाभ राशि {0} से अधिक है {1}
@@ -6459,13 +6529,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,आइटम {0} भंडार वस्तु होना चाहिए
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,प्रगति गोदाम में डिफ़ॉल्ट वर्क
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} ओवरलैप के लिए अनुसूची, क्या आप ओवरलैप किए गए स्लॉट को छोड़ने के बाद आगे बढ़ना चाहते हैं?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,लेखांकन लेनदेन के लिए डिफ़ॉल्ट सेटिंग्स .
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,लेखांकन लेनदेन के लिए डिफ़ॉल्ट सेटिंग्स .
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,अनुदान पत्तियां
 DocType: Restaurant,Default Tax Template,डिफ़ॉल्ट कर टेम्पलेट
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} छात्रों को नामांकित किया गया है
 DocType: Fees,Student Details,छात्र विवरण
 DocType: Purchase Invoice Item,Stock Qty,स्टॉक मात्रा
 DocType: Contract,Requires Fulfilment,पूर्ति की आवश्यकता है
+DocType: QuickBooks Migrator,Default Shipping Account,डिफ़ॉल्ट शिपिंग खाता
 DocType: Loan,Repayment Period in Months,महीने में चुकाने की अवधि
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,त्रुटि: नहीं एक वैध पहचान?
 DocType: Naming Series,Update Series Number,अद्यतन सीरीज नंबर
@@ -6479,11 +6550,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,अधिकतम राशि
 DocType: Journal Entry,Total Amount Currency,कुल राशि मुद्रा
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,खोज उप असेंबलियों
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},रो नहीं पर आवश्यक मद कोड {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},रो नहीं पर आवश्यक मद कोड {0}
 DocType: GST Account,SGST Account,एसजीएसटी खाता
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,आइटम पर जाएं
 DocType: Sales Partner,Partner Type,साथी के प्रकार
-DocType: Purchase Taxes and Charges,Actual,वास्तविक
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,वास्तविक
 DocType: Restaurant Menu,Restaurant Manager,रेस्टोरेंट मैनेजर
 DocType: Authorization Rule,Customerwise Discount,Customerwise डिस्काउंट
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,कार्यों के लिए समय पत्रक।
@@ -6504,7 +6575,7 @@
 DocType: Employee,Cheque,चैक
 DocType: Training Event,Employee Emails,कर्मचारी ईमेल
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,सीरीज नवीनीकृत
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,रिपोर्ट प्रकार अनिवार्य है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,रिपोर्ट प्रकार अनिवार्य है
 DocType: Item,Serial Number Series,सीरियल नंबर सीरीज
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},गोदाम स्टॉक मद के लिए अनिवार्य है {0} पंक्ति में {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,खुदरा और थोक
@@ -6534,7 +6605,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,बिक्री आदेश में बिल की गई राशि अपडेट करें
 DocType: BOM,Materials,सामग्री
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","अगर जाँच नहीं किया गया है, इस सूची के लिए प्रत्येक विभाग है जहां इसे लागू किया गया है के लिए जोड़ा जा होगा."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,पोस्ट दिनांक और पोस्टिंग समय अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,पोस्ट दिनांक और पोस्टिंग समय अनिवार्य है
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,लेनदेन खरीदने के लिए टैक्स टेम्पलेट .
 ,Item Prices,आइटम के मूल्य
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,एक बार जब आप खरीद आदेश सहेजें शब्दों में दिखाई जाएगी।
@@ -6550,12 +6621,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),एसेट डिस्पैमिशन एंट्री के लिए सीरीज़ (जर्नल एंट्री)
 DocType: Membership,Member Since,से सदस्ये
 DocType: Purchase Invoice,Advance Payments,अग्रिम भुगतान
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,कृपया हेल्थकेयर सेवा का चयन करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,कृपया हेल्थकेयर सेवा का चयन करें
 DocType: Purchase Taxes and Charges,On Net Total,नेट कुल
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} विशेषता के लिए मान की सीमा के भीतर होना चाहिए {1} {2} की वेतन वृद्धि में {3} मद के लिए {4}
 DocType: Restaurant Reservation,Waitlisted,प्रतीक्षा सूची
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,छूट श्रेणी
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,मुद्रा कुछ अन्य मुद्रा का उपयोग प्रविष्टियों करने के बाद बदला नहीं जा सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,मुद्रा कुछ अन्य मुद्रा का उपयोग प्रविष्टियों करने के बाद बदला नहीं जा सकता
 DocType: Shipping Rule,Fixed,स्थिर
 DocType: Vehicle Service,Clutch Plate,क्लच प्लेट
 DocType: Company,Round Off Account,खाता बंद दौर
@@ -6564,7 +6635,7 @@
 DocType: Subscription Plan,Based on price list,मूल्य सूची के आधार पर
 DocType: Customer Group,Parent Customer Group,माता - पिता ग्राहक समूह
 DocType: Vehicle Service,Change,परिवर्तन
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,अंशदान
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,अंशदान
 DocType: Purchase Invoice,Contact Email,संपर्क ईमेल
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,शुल्क निर्माण लंबित
 DocType: Appraisal Goal,Score Earned,स्कोर अर्जित
@@ -6591,23 +6662,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्य / देय खाता
 DocType: Delivery Note Item,Against Sales Order Item,बिक्री आदेश आइटम के खिलाफ
 DocType: Company,Company Logo,कंपनी का लोगो
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},विशेषता के लिए विशेषता मान निर्दिष्ट करें {0}
-DocType: Item Default,Default Warehouse,डिफ़ॉल्ट गोदाम
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},विशेषता के लिए विशेषता मान निर्दिष्ट करें {0}
+DocType: QuickBooks Migrator,Default Warehouse,डिफ़ॉल्ट गोदाम
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},बजट समूह खाते के खिलाफ नहीं सौंपा जा सकता {0}
 DocType: Shopping Cart Settings,Show Price,मूल्य दिखाएं
 DocType: Healthcare Settings,Patient Registration,रोगी पंजीकरण
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,माता - पिता लागत केंद्र दर्ज करें
 DocType: Delivery Note,Print Without Amount,राशि के बिना प्रिंट
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,मूल्यह्रास दिनांक
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,मूल्यह्रास दिनांक
 ,Work Orders in Progress,प्रगति में कार्य आदेश
 DocType: Issue,Support Team,टीम का समर्थन
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),समाप्ति (दिनों में)
 DocType: Appraisal,Total Score (Out of 5),कुल स्कोर (5 से बाहर)
 DocType: Student Attendance Tool,Batch,बैच
 DocType: Support Search Source,Query Route String,प्रश्न मार्ग स्ट्रिंग
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,अंतिम खरीद के अनुसार अद्यतन दर
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,अंतिम खरीद के अनुसार अद्यतन दर
 DocType: Donor,Donor Type,दाता प्रकार
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,ऑटो दोहराना दस्तावेज़ अद्यतन
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,ऑटो दोहराना दस्तावेज़ अद्यतन
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,संतुलन
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,कृपया कंपनी का चयन करें
 DocType: Job Card,Job Card,जॉब कार्ड
@@ -6621,7 +6692,7 @@
 DocType: Assessment Result,Total Score,कुल स्कोर
 DocType: Crop Cycle,ISO 8601 standard,आईएसओ 8601 मानक
 DocType: Journal Entry,Debit Note,डेबिट नोट
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,आप केवल इस क्रम में अधिकतम {0} अंक रिडीम कर सकते हैं।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,आप केवल इस क्रम में अधिकतम {0} अंक रिडीम कर सकते हैं।
 DocType: Expense Claim,HR-EXP-.YYYY.-,मानव संसाधन-ऍक्स्प-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,कृपया API उपभोक्ता रहस्य दर्ज करें
 DocType: Stock Entry,As per Stock UOM,स्टॉक UOM के अनुसार
@@ -6634,10 +6705,11 @@
 DocType: Journal Entry,Total Debit,कुल डेबिट
 DocType: Travel Request Costing,Sponsored Amount,प्रायोजित राशि
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,डिफ़ॉल्ट तैयार माल गोदाम
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,कृपया रोगी का चयन करें
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,कृपया रोगी का चयन करें
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,बिक्री व्यक्ति
 DocType: Hotel Room Package,Amenities,आराम
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,बजट और लागत केंद्र
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited फंड खाता
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,बजट और लागत केंद्र
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,भुगतान के कई डिफ़ॉल्ट मोड की अनुमति नहीं है
 DocType: Sales Invoice,Loyalty Points Redemption,वफादारी अंक मोचन
 ,Appointment Analytics,नियुक्ति विश्लेषिकी
@@ -6651,6 +6723,7 @@
 DocType: Batch,Manufacturing Date,निर्माण की तारीख
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,शुल्क निर्माण विफल
 DocType: Opening Invoice Creation Tool,Create Missing Party,लापता पार्टी बनाएँ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,कुल बजट
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,अगर आप प्रति वर्ष छात्र समूह बनाते हैं तो रिक्त छोड़ दें
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","जाँच की, तो कुल नहीं. कार्य दिवस की छुट्टियों में शामिल होगा, और यह प्रति दिन वेतन का मूल्य कम हो जाएगा"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","वर्तमान कुंजी का उपयोग करने वाले ऐप्स तक पहुंचने में सक्षम नहीं होंगे, क्या आप निश्चित हैं?"
@@ -6666,20 +6739,19 @@
 DocType: Opportunity Item,Basic Rate,मूल दर
 DocType: GL Entry,Credit Amount,राशि क्रेडिट करें
 DocType: Cheque Print Template,Signatory Position,हस्ताक्षरकर्ता स्थान
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,खोया के रूप में सेट करें
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,खोया के रूप में सेट करें
 DocType: Timesheet,Total Billable Hours,कुल बिल घंटे
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,इस सदस्यता द्वारा उत्पन्न चालानों का भुगतान करने वाले दिनों की संख्या
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,कर्मचारी लाभ आवेदन विवरण
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,भुगतान रसीद नोट
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,यह इस ग्राहक के खिलाफ लेन-देन पर आधारित है। जानकारी के लिए नीचे समय देखें
-DocType: Delivery Note,ODC,ओडीसी
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},पंक्ति {0}: आवंटित राशि {1} से कम होना या भुगतान एंट्री राशि के बराबर होती है चाहिए {2}
 DocType: Program Enrollment Tool,New Academic Term,नई शैक्षणिक अवधि
 ,Course wise Assessment Report,कोर्स वार आकलन रिपोर्ट
 DocType: Purchase Invoice,Availed ITC State/UT Tax,लाभ प्राप्त आईटीसी राज्य / यूटी टैक्स
 DocType: Tax Rule,Tax Rule,टैक्स नियम
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,बिक्री चक्र के दौरान एक ही दर बनाए रखें
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,बाज़ार पर पंजीकरण करने के लिए कृपया दूसरे उपयोगकर्ता के रूप में लॉगिन करें
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,बाज़ार पर पंजीकरण करने के लिए कृपया दूसरे उपयोगकर्ता के रूप में लॉगिन करें
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,कार्य केंद्र के कार्य के घंटे के बाहर समय लॉग्स की योजना बनाएँ।
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,कतार में ग्राहकों
 DocType: Driver,Issuing Date,जारी करने की तारीख
@@ -6688,11 +6760,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,आगे की प्रक्रिया के लिए यह कार्य आदेश सबमिट करें।
 ,Items To Be Requested,अनुरोध किया जा करने के लिए आइटम
 DocType: Company,Company Info,कंपनी की जानकारी
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,का चयन करें या नए ग्राहक जोड़ने
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,का चयन करें या नए ग्राहक जोड़ने
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,लागत केंद्र एक व्यय का दावा बुक करने के लिए आवश्यक है
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),फंड के अनुप्रयोग ( संपत्ति)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,यह इस कर्मचारी की उपस्थिति पर आधारित है
-DocType: Assessment Result,Summary,सारांश
 DocType: Payment Request,Payment Request Type,भुगतान अनुरोध प्रकार
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,मार्क उपस्थिति
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,डेबिट अकाउंट
@@ -6700,7 +6771,7 @@
 DocType: Additional Salary,Employee Name,कर्मचारी का नाम
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,रेस्तरां आदेश प्रविष्टि आइटम
 DocType: Purchase Invoice,Rounded Total (Company Currency),गोल कुल (कंपनी मुद्रा)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"खाते का प्रकार चयन किया जाता है, क्योंकि समूह को गुप्त नहीं कर सकते।"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"खाते का प्रकार चयन किया जाता है, क्योंकि समूह को गुप्त नहीं कर सकते।"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} संशोधित किया गया है . फ़िर से दूबारा करें.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,निम्नलिखित दिन पर छुट्टी अनुप्रयोग बनाने से उपयोगकर्ताओं को बंद करो.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","यदि वफादारी अंक के लिए असीमित समाप्ति, समाप्ति अवधि खाली या 0 रखें।"
@@ -6721,11 +6792,12 @@
 DocType: Asset,Out of Order,खराब
 DocType: Purchase Receipt Item,Accepted Quantity,स्वीकार किए जाते हैं मात्रा
 DocType: Projects Settings,Ignore Workstation Time Overlap,वर्कस्टेशन समय ओवरलैप को अनदेखा करें
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},एक डिफ़ॉल्ट कर्मचारी के लिए छुट्टी सूची सेट करें {0} {1} या कंपनी
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},एक डिफ़ॉल्ट कर्मचारी के लिए छुट्टी सूची सेट करें {0} {1} या कंपनी
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} करता नहीं मौजूद है
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,बैच नंबर का चयन करें
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,जीएसटीआईएन के लिए
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,जीएसटीआईएन के लिए
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,बिलों ग्राहकों के लिए उठाया.
+DocType: Healthcare Settings,Invoice Appointments Automatically,स्वचालित रूप से चालान नियुक्तियां
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,परियोजना ईद
 DocType: Salary Component,Variable Based On Taxable Salary,कर योग्य वेतन पर परिवर्तनीय परिवर्तनीय
 DocType: Company,Basic Component,मूल घटक
@@ -6738,10 +6810,10 @@
 DocType: Stock Entry,Source Warehouse Address,स्रोत वेयरहाउस पता
 DocType: GL Entry,Voucher Type,वाउचर प्रकार
 DocType: Amazon MWS Settings,Max Retry Limit,मैक्स रीट्री सीमा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं
 DocType: Student Applicant,Approved,अनुमोदित
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,कीमत
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} को राहत मिली कर्मचारी 'वाम ' के रूप में स्थापित किया जाना चाहिए
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} को राहत मिली कर्मचारी 'वाम ' के रूप में स्थापित किया जाना चाहिए
 DocType: Marketplace Settings,Last Sync On,अंतिम सिंक ऑन
 DocType: Guardian,Guardian,अभिभावक
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,इसमें शामिल और उससे ऊपर के सभी संचार नए मुद्दे में स्थानांतरित किए जाएंगे
@@ -6764,14 +6836,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,मैदान पर पाए गए रोगों की सूची जब यह चुना जाता है तो यह बीमारी से निपटने के लिए स्वचालित रूप से कार्यों की एक सूची जोड़ देगा
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,यह एक रूट हेल्थकेयर सेवा इकाई है और इसे संपादित नहीं किया जा सकता है।
 DocType: Asset Repair,Repair Status,स्थिति की मरम्मत
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,बिक्री भागीदार जोड़ें
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,लेखा पत्रिका प्रविष्टियों.
 DocType: Travel Request,Travel Request,यात्रा अनुरोध
 DocType: Delivery Note Item,Available Qty at From Warehouse,गोदाम से पर उपलब्ध मात्रा
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,पहले कर्मचारी रिकॉर्ड का चयन करें।
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,उपस्थिति {0} के लिए सबमिट नहीं की गई है क्योंकि यह एक छुट्टी है।
 DocType: POS Profile,Account for Change Amount,राशि परिवर्तन के लिए खाता
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks से कनेक्ट हो रहा है
 DocType: Exchange Rate Revaluation,Total Gain/Loss,कुल लाभ / हानि
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,इंटर कंपनी चालान के लिए अवैध कंपनी।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,इंटर कंपनी चालान के लिए अवैध कंपनी।
 DocType: Purchase Invoice,input service,इनपुट सेवा
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},पंक्ति {0}: पार्टी / खाते के साथ मैच नहीं करता है {1} / {2} में {3} {4}
 DocType: Employee Promotion,Employee Promotion,कर्मचारी संवर्धन
@@ -6780,12 +6854,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,विषय क्रमांक:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,व्यय खाते में प्रवेश करें
 DocType: Account,Stock,स्टॉक
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खरीद आदेश में से एक, चालान की खरीद या जर्नल प्रविष्टि होना चाहिए"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खरीद आदेश में से एक, चालान की खरीद या जर्नल प्रविष्टि होना चाहिए"
 DocType: Employee,Current Address,वर्तमान पता
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","स्पष्ट रूप से जब तक निर्दिष्ट मद तो विवरण, छवि, मूल्य निर्धारण, करों टेम्पलेट से निर्धारित किया जाएगा आदि एक और आइटम का एक प्रकार है, तो"
 DocType: Serial No,Purchase / Manufacture Details,खरीद / निर्माण विवरण
 DocType: Assessment Group,Assessment Group,आकलन समूह
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,बैच इन्वेंटरी
+DocType: Supplier,GST Transporter ID,जीएसटी ट्रांसपोर्टर आईडी
 DocType: Procedure Prescription,Procedure Name,प्रक्रिया का नाम
 DocType: Employee,Contract End Date,अनुबंध समाप्ति तिथि
 DocType: Amazon MWS Settings,Seller ID,विक्रेता आईडी
@@ -6805,12 +6880,12 @@
 DocType: Company,Date of Incorporation,निगमन की तारीख
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,कुल कर
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,अंतिम खरीद मूल्य
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,मात्रा के लिए (मात्रा निर्मित) अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,मात्रा के लिए (मात्रा निर्मित) अनिवार्य है
 DocType: Stock Entry,Default Target Warehouse,डिफ़ॉल्ट लक्ष्य वेअरहाउस
 DocType: Purchase Invoice,Net Total (Company Currency),नेट कुल (कंपनी मुद्रा)
 DocType: Delivery Note,Air,वायु
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,वर्ष के अंत दिनांक साल से प्रारंभ तिथि पहले नहीं हो सकता है। तारीखों को ठीक करें और फिर कोशिश करें।
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} वैकल्पिक छुट्टी सूची में नहीं है
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} वैकल्पिक छुट्टी सूची में नहीं है
 DocType: Notification Control,Purchase Receipt Message,खरीद रसीद संदेश
 DocType: Amazon MWS Settings,JP,जेपी
 DocType: BOM,Scrap Items,स्क्रैप वस्तुओं
@@ -6832,23 +6907,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,पूर्ति
 DocType: Purchase Taxes and Charges,On Previous Row Amount,पिछली पंक्ति राशि पर
 DocType: Item,Has Expiry Date,समाप्ति तिथि है
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,स्थानांतरण एसेट
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,स्थानांतरण एसेट
 DocType: POS Profile,POS Profile,पीओएस प्रोफ़ाइल
 DocType: Training Event,Event Name,कार्यक्रम नाम
 DocType: Healthcare Practitioner,Phone (Office),फ़ोन (कार्यालय)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","जमा नहीं कर सकता, कर्मचारी उपस्थिति चिह्नित करने के लिए छोड़ दिया"
 DocType: Inpatient Record,Admission,दाखिला
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},प्रवेश के लिए {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","सेटिंग बजट, लक्ष्य आदि के लिए मौसम"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","सेटिंग बजट, लक्ष्य आदि के लिए मौसम"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,चर का नाम
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} आइटम एक टेम्पलेट है, इसके वेरिएंट में से एक का चयन करें"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,कृपया मानव संसाधन&gt; एचआर सेटिंग्स में कर्मचारी नामकरण प्रणाली सेट करें
+DocType: Purchase Invoice Item,Deferred Expense,स्थगित व्यय
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},तिथि से {0} कर्मचारी की शामिल होने से पहले नहीं हो सकता दिनांक {1}
 DocType: Asset,Asset Category,परिसंपत्ति वर्ग है
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,शुद्ध भुगतान नकारात्मक नहीं हो सकता
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,शुद्ध भुगतान नकारात्मक नहीं हो सकता
 DocType: Purchase Order,Advance Paid,अग्रिम भुगतान
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,बिक्री आदेश के लिए अधिक उत्पादन प्रतिशत
 DocType: Item,Item Tax,आइटम टैक्स
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,प्रदायक के लिए सामग्री
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,प्रदायक के लिए सामग्री
 DocType: Soil Texture,Loamy Sand,बलुई रेत
 DocType: Production Plan,Material Request Planning,सामग्री अनुरोध योजना
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,आबकारी चालान
@@ -6870,11 +6947,11 @@
 DocType: Scheduling Tool,Scheduling Tool,शेड्यूलिंग उपकरण
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,क्रेडिट कार्ड
 DocType: BOM,Item to be manufactured or repacked,आइटम निर्मित किया जा या repacked
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},स्थिति में सिंटेक्स त्रुटि: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},स्थिति में सिंटेक्स त्रुटि: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,मेजर / वैकल्पिक विषय
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,खरीद सेटिंग में प्रदायक समूह सेट करें।
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,खरीद सेटिंग में प्रदायक समूह सेट करें।
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",कुल लचीला लाभ घटक राशि {0} अधिकतम लाभों से कम नहीं होनी चाहिए {1}
 DocType: Sales Invoice Item,Drop Ship,ड्रॉप जहाज
 DocType: Driver,Suspended,बर्खास्त कर दिया
@@ -6894,7 +6971,7 @@
 DocType: Customer,Commission Rate,आयोग दर
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,सफलतापूर्वक भुगतान प्रविष्टियां बनाई गईं
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1} के लिए {1} स्कोरकार्ड बनाया:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,संस्करण बनाओ
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,संस्करण बनाओ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","भुगतान प्रकार, प्राप्त की एक होना चाहिए वेतन और आंतरिक स्थानांतरण"
 DocType: Travel Itinerary,Preferred Area for Lodging,लॉजिंग के लिए पसंदीदा क्षेत्र
 apps/erpnext/erpnext/config/selling.py +184,Analytics,एनालिटिक्स
@@ -6905,7 +6982,7 @@
 DocType: Work Order,Actual Operating Cost,वास्तविक ऑपरेटिंग कॉस्ट
 DocType: Payment Entry,Cheque/Reference No,चैक / संदर्भ नहीं
 DocType: Soil Texture,Clay Loam,मिट्टी दोमट
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,रूट संपादित नहीं किया जा सकता है .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,रूट संपादित नहीं किया जा सकता है .
 DocType: Item,Units of Measure,मापन की इकाई
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,मेट्रो सिटी में किराए पर लिया
 DocType: Supplier,Default Tax Withholding Config,डिफ़ॉल्ट कर रोकथाम विन्यास
@@ -6923,21 +7000,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,भुगतान पूरा होने के बाद चयनित पृष्ठ के लिए उपयोगकर्ता अनुप्रेषित।
 DocType: Company,Existing Company,मौजूदा कंपनी
 DocType: Healthcare Settings,Result Emailed,परिणाम ईमेल ईमेल
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",कर श्रेणी को &quot;कुल&quot; में बदल दिया गया है क्योंकि सभी आइटम गैर-स्टॉक आइटम हैं
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",कर श्रेणी को &quot;कुल&quot; में बदल दिया गया है क्योंकि सभी आइटम गैर-स्टॉक आइटम हैं
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,आज तक तारीख से बराबर या कम नहीं हो सकता है
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,बदलने के लिए कुछ नहीं
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,एक csv फ़ाइल का चयन करें
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,एक csv फ़ाइल का चयन करें
 DocType: Holiday List,Total Holidays,कुल छुट्टियां
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,प्रेषण के लिए गुम ईमेल टेम्पलेट। कृपया डिलिवरी सेटिंग्स में एक सेट करें।
 DocType: Student Leave Application,Mark as Present,उपहार के रूप में मार्क
 DocType: Supplier Scorecard,Indicator Color,सूचक रंग
 DocType: Purchase Order,To Receive and Bill,प्राप्त करें और बिल के लिए
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,पंक्ति # {0}: तिथि के अनुसार रेक्डीड लेनदेन तिथि से पहले नहीं हो सकता
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,पंक्ति # {0}: तिथि के अनुसार रेक्डीड लेनदेन तिथि से पहले नहीं हो सकता
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,विशेष रुप से प्रदर्शित प्रोडक्टस
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,सीरियल नंबर का चयन करें
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,सीरियल नंबर का चयन करें
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,डिज़ाइनर
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,नियमों और शर्तों टेम्पलेट
 DocType: Serial No,Delivery Details,वितरण विवरण
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},लागत केंद्र पंक्ति में आवश्यक है {0} कर तालिका में प्रकार के लिए {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},लागत केंद्र पंक्ति में आवश्यक है {0} कर तालिका में प्रकार के लिए {1}
 DocType: Program,Program Code,प्रोग्राम कोड
 DocType: Terms and Conditions,Terms and Conditions Help,नियम और शर्तें मदद
 ,Item-wise Purchase Register,आइटम के लिहाज से खरीद पंजीकृत करें
@@ -6950,15 +7028,16 @@
 DocType: Contract,Contract Terms,अनुबंध की शर्तें
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,$ मुद्राओं की बगल आदि की तरह किसी भी प्रतीक नहीं दिखा.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},घटक की अधिकतम लाभ राशि {0} से अधिक है {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(आधा दिन)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(आधा दिन)
 DocType: Payment Term,Credit Days,क्रेडिट दिन
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,कृपया लैब टेस्ट प्राप्त करने के लिए रोगी का चयन करें
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,छात्र बैच बनाने
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,निर्माण के लिए स्थानांतरण की अनुमति दें
 DocType: Leave Type,Is Carry Forward,क्या आगे ले जाना
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,बीओएम से आइटम प्राप्त
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,बीओएम से आइटम प्राप्त
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,लीड समय दिन
 DocType: Cash Flow Mapping,Is Income Tax Expense,आयकर व्यय है
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,आपका ऑर्डर डिलीवरी के लिए बाहर है!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},पंक्ति # {0}: पोस्ट दिनांक खरीद की तारीख के रूप में ही होना चाहिए {1} संपत्ति का {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,यह जाँच लें कि छात्र संस्थान के छात्रावास में रह रहा है।
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,उपरोक्त तालिका में विक्रय आदेश दर्ज करें
@@ -6966,10 +7045,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,दूसरे के लिए एक गोदाम से एक संपत्ति स्थानांतरण
 DocType: Vehicle,Petrol,पेट्रोल
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),शेष लाभ (वार्षिक)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,सामग्री के बिल
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,सामग्री के बिल
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},पंक्ति {0}: पार्टी के प्रकार और पार्टी प्राप्य / देय खाते के लिए आवश्यक है {1}
 DocType: Employee,Leave Policy,नीति छोड़ो
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,आइटम अपडेट करें
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,आइटम अपडेट करें
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,रेफरी की तिथि
 DocType: Employee,Reason for Leaving,छोड़ने के लिए कारण
 DocType: BOM Operation,Operating Cost(Company Currency),परिचालन लागत (कंपनी मुद्रा)
@@ -6980,7 +7059,7 @@
 DocType: Department,Expense Approvers,खर्च Approvers
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},पंक्ति {0}: {1} डेबिट प्रविष्टि के साथ नहीं जोड़ा जा सकता है
 DocType: Journal Entry,Subscription Section,सदस्यता अनुभाग
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,खाते {0} मौजूद नहीं है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,खाते {0} मौजूद नहीं है
 DocType: Training Event,Training Program,प्रशिक्षण कार्यक्रम
 DocType: Account,Cash,नकद
 DocType: Employee,Short biography for website and other publications.,वेबसाइट और अन्य प्रकाशनों के लिए लघु जीवनी.
diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv
index e187357..053fab5 100644
--- a/erpnext/translations/hr.csv
+++ b/erpnext/translations/hr.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Korisnički Stavke
 DocType: Project,Costing and Billing,Obračun troškova i naplate
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Valuta unaprijed računa mora biti jednaka valuti tvrtke {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Račun {0}: nadređeni račun {1} ne može biti glavna knjiga
+DocType: QuickBooks Migrator,Token Endpoint,Endpoint Tokena
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Račun {0}: nadređeni račun {1} ne može biti glavna knjiga
 DocType: Item,Publish Item to hub.erpnext.com,Objavi stavka to hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nije moguće pronaći aktivno razdoblje odmora
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nije moguće pronaći aktivno razdoblje odmora
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,procjena
 DocType: Item,Default Unit of Measure,Zadana mjerna jedinica
 DocType: SMS Center,All Sales Partner Contact,Kontakti prodajnog partnera
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Kliknite Unesi za dodavanje
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Nedostaje vrijednost za zaporku, API ključ ili Shopify URL"
 DocType: Employee,Rented,Iznajmljeno
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Svi računi
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Svi računi
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Ne mogu prenijeti zaposlenika s statusom lijevo
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zaustavljen Proizvodnja Red ne može biti otkazana, odčepiti najprije otkazati"
 DocType: Vehicle Service,Mileage,Kilometraža
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Da li zaista želite odbaciti ovu imovinu?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Da li zaista želite odbaciti ovu imovinu?
 DocType: Drug Prescription,Update Schedule,Ažuriraj raspored
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Odabir Primarna Dobavljač
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Prikaži zaposlenika
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Novi tečaj
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta je potrebna za cjenik {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuta je potrebna za cjenik {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bit će izračunata u transakciji.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Kupac Kontakt
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,To se temelji na transakcijama protiv tog dobavljača. Pogledajte vremensku crtu ispod za detalje
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Postotak prekomjerne proizvodnje za radni nalog
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-lakih gospodarskih-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Pravni
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Pravni
+DocType: Delivery Note,Transport Receipt Date,Datum prijema prijevoza
 DocType: Shopify Settings,Sales Order Series,Serija prodajnih naloga
 DocType: Vital Signs,Tongue,Jezik
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA izuzeće
 DocType: Sales Invoice,Customer Name,Naziv klijenta
 DocType: Vehicle,Natural Gas,Prirodni gas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankovni račun ne može biti imenovan kao {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankovni račun ne može biti imenovan kao {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA prema Strukturi plaća
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Šefovi (ili skupine) od kojih računovodstvenih unosa su i sredstva su održavani.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Izvanredna za {0} ne može biti manji od nule ( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Servisni datum zaustavljanja ne može biti prije datuma početka usluge
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Servisni datum zaustavljanja ne može biti prije datuma početka usluge
 DocType: Manufacturing Settings,Default 10 mins,Default 10 min
 DocType: Leave Type,Leave Type Name,Naziv vrste odsustva
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Prikaži otvorena
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Prikaži otvorena
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Serija je uspješno ažurirana
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Provjeri
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} u retku {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} u retku {1}
 DocType: Asset Finance Book,Depreciation Start Date,Početni datum amortizacije
 DocType: Pricing Rule,Apply On,Nanesite na
 DocType: Item Price,Multiple Item prices.,Višestruke cijene proizvoda.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Postavke za podršku
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Očekivani datum završetka ne može biti manji od očekivanog početka Datum
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS postavke
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Red # {0}: Ocijenite mora biti ista kao {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Red # {0}: Ocijenite mora biti ista kao {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Hrpa Stavka isteka Status
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Nacrt
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primarni podaci za kontakt
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Otvorena pitanja
 DocType: Production Plan Item,Production Plan Item,Proizvodnja plan artikla
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1}
 DocType: Lab Test Groups,Add new line,Dodajte novu liniju
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Health Care
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kašnjenje u plaćanju (dani)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Dani odgode
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,usluga Rashodi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} već se odnosi na prodajnu fakturu: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} već se odnosi na prodajnu fakturu: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura
 DocType: Purchase Invoice Item,Item Weight Details,Detalji o težini stavke
 DocType: Asset Maintenance Log,Periodicity,Periodičnost
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskalna godina {0} je potrebno
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dobavljač&gt; Grupa dobavljača
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Najmanja udaljenost između redova biljaka za optimalni rast
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Obrana
 DocType: Salary Component,Abbr,Kratica
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,FHP-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Popis praznika
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Knjigovođa
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Cjenik prodaje
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Cjenik prodaje
 DocType: Patient,Tobacco Current Use,Duhanska struja
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Stopa prodaje
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Stopa prodaje
 DocType: Cost Center,Stock User,Stock Korisnik
 DocType: Soil Analysis,(Ca+Mg)/K,(+ Ca Mg) / K
+DocType: Delivery Stop,Contact Information,Kontakt informacije
 DocType: Company,Phone No,Telefonski broj
 DocType: Delivery Trip,Initial Email Notification Sent,Poslana obavijest o početnoj e-pošti
 DocType: Bank Statement Settings,Statement Header Mapping,Mapping Header Izjave
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Datum početka pretplate
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Ako se ne postavite na Patient da biste rezervirali tarife za sastanke, koristite račune s nepodmirenim potraživanjima."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Pričvrstite .csv datoteku s dva stupca, jedan za stari naziv i jedan za novim nazivom"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Od adrese 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Šifra stavke&gt; Skupina stavke&gt; Brand
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Od adrese 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} nije u nijednoj fiskalnoj godini.
 DocType: Packed Item,Parent Detail docname,Nadređeni detalj docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenca: {0}, šifra stavke: {1} i klijent: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} nije prisutno u matičnoj tvrtki
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} nije prisutno u matičnoj tvrtki
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Datum završetka probnog razdoblja Ne može biti prije datuma početka probnog razdoblja
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,Kategorija zadržavanja poreza
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Oglašavanje
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ista tvrtka je ušao više od jednom
 DocType: Patient,Married,Oženjen
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nije dopušteno {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nije dopušteno {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Nabavite stavke iz
 DocType: Price List,Price Not UOM Dependant,Cijena nije ovisna o UOM-u
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Primijenite iznos zadržavanja poreza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Ukupan iznos je odobren
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Ukupan iznos je odobren
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Proizvod {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nema navedenih stavki
 DocType: Asset Repair,Error Description,Opis pogreške
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Koristite prilagođeni format novčanog toka
 DocType: SMS Center,All Sales Person,Svi prodavači
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mjesečna distribucija ** pomaže vam rasporediti proračun / Target preko mjeseca, ako imate sezonalnost u Vašem poslovanju."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nije pronađen stavke
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Struktura plaća Nedostaje
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nije pronađen stavke
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Struktura plaća Nedostaje
 DocType: Lead,Person Name,Osoba ime
 DocType: Sales Invoice Item,Sales Invoice Item,Prodajni proizvodi
 DocType: Account,Credit,Kredit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,dionica izvješća
 DocType: Warehouse,Warehouse Detail,Detalji o skladištu
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Datum Pojam završetka ne može biti kasnije od godine datum završetka školske godine u kojoj je pojam vezan (Akademska godina {}). Ispravite datume i pokušajte ponovno.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""je nepokretna imovina"" se ne može odznačiti, jer postoji zapis o imovini nad navedenom stavkom"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""je nepokretna imovina"" se ne može odznačiti, jer postoji zapis o imovini nad navedenom stavkom"
 DocType: Delivery Trip,Departure Time,Vrijeme polaska
 DocType: Vehicle Service,Brake Oil,ulje za kočnice
 DocType: Tax Rule,Tax Type,Porezna Tip
 ,Completed Work Orders,Dovršeni radni nalozi
 DocType: Support Settings,Forum Posts,Forum postova
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Iznos oporezivanja
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Iznos oporezivanja
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Niste ovlašteni dodavati ili ažurirati unose prije {0}
 DocType: Leave Policy,Leave Policy Details,Ostavite pojedinosti o pravilima
 DocType: BOM,Item Image (if not slideshow),Slika proizvoda (ako nije slide prikaz)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Broj sati / 60) * Stvarno trajanje operacije
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Redak # {0}: Referentni tip dokumenta mora biti jedan od zahtjeva za trošak ili unos dnevnika
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Odaberi BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Redak # {0}: Referentni tip dokumenta mora biti jedan od zahtjeva za trošak ili unos dnevnika
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Odaberi BOM
 DocType: SMS Log,SMS Log,SMS Prijava
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Troškovi isporučenih stavki
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Odmor na {0} nije između Od Datum i do sada
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Predlošci stanja dobavljača.
 DocType: Lead,Interested,Zainteresiran
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Otvaranje
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Od {0} do {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Od {0} do {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Postavljanje poreza nije uspjelo
 DocType: Item,Copy From Item Group,Primjerak iz točke Group
-DocType: Delivery Trip,Delivery Notification,Obavijest o isporuci
 DocType: Journal Entry,Opening Entry,Otvaranje - ulaz
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun platiti samo
 DocType: Loan,Repay Over Number of Periods,Vrati Preko broj razdoblja
 DocType: Stock Entry,Additional Costs,Dodatni troškovi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Račun s postojećom transakcijom ne može se pretvoriti u grupu.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Račun s postojećom transakcijom ne može se pretvoriti u grupu.
 DocType: Lead,Product Enquiry,Upit
 DocType: Education Settings,Validate Batch for Students in Student Group,Validirati seriju za studente u grupi studenata
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Ne dopusta rekord pronađeno za zaposlenika {0} od {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Unesite tvrtka prva
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Odaberite tvrtka prvi
 DocType: Employee Education,Under Graduate,Preddiplomski
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Postavite zadani predložak za Obavijest o statusu ostavite u HR postavkama.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Postavite zadani predložak za Obavijest o statusu ostavite u HR postavkama.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target Na
 DocType: BOM,Total Cost,Ukupan trošak
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Izjava o računu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmaceutske
 DocType: Purchase Invoice Item,Is Fixed Asset,Je nepokretne imovine
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Dostupno Količina Jedinična je {0}, potrebno je {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Dostupno Količina Jedinična je {0}, potrebno je {1}"
 DocType: Expense Claim Detail,Claim Amount,Iznos štete
 DocType: Patient,HLC-PAT-.YYYY.-,FHP-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Radni nalog je bio {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Predložak inspekcije kvalitete
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Želite li ažurirati dolazak? <br> Prisutni: {0} \ <br> Odsutni: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0}
 DocType: Item,Supply Raw Materials for Purchase,Nabava sirovine za kupnju
 DocType: Agriculture Analysis Criteria,Fertilizer,gnojivo
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Ne može se osigurati isporuka prema serijskoj broju kao što je \ Stavka {0} dodana sa i bez osiguranja isporuke od strane \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,potreban je najmanje jedan način plaćanja za POS računa.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,potreban je najmanje jedan način plaćanja za POS računa.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Stavka transakcijske fakture bankovne izjave
 DocType: Products Settings,Show Products as a List,Prikaži proizvode kao popis
 DocType: Salary Detail,Tax on flexible benefit,Porez na fleksibilnu korist
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Detalji o zahtjevu za materijal
 DocType: Selling Settings,Default Quotation Validity Days,Zadani rokovi valjanosti ponude
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"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"
 DocType: SMS Center,SMS Center,SMS centar
 DocType: Payroll Entry,Validate Attendance,Potvrđivanje prisutnosti
 DocType: Sales Invoice,Change Amount,Promjena Iznos
 DocType: Party Tax Withholding Config,Certificate Received,Primljena potvrda
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Postavite vrijednost fakture za B2C. B2CL i B2CS izračunate na temelju ove vrijednosti fakture.
 DocType: BOM Update Tool,New BOM,Novi BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Propisani postupci
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Propisani postupci
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Prikaži samo POS
 DocType: Supplier Group,Supplier Group Name,Naziv grupe dobavljača
 DocType: Driver,Driving License Categories,Kategorije voznih dozvola
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Razdoblja obračuna plaća
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Provjerite zaposlenik
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Radiodifuzija
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Način postavljanja POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Način postavljanja POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Onemogućuje izradu vremenskih zapisnika o radnim nalozima. Operacije neće biti praćene radnim nalogom
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,izvršenje
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Pojedinosti o operacijama koje se provode.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Popust na cjenik (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Predložak stavke
 DocType: Job Offer,Select Terms and Conditions,Odaberite Uvjeti
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Iz vrijednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Iz vrijednost
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Postavka bankovne izjave
 DocType: Woocommerce Settings,Woocommerce Settings,Postavke Woocommerce
 DocType: Production Plan,Sales Orders,Narudžbe kupca
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link
 DocType: SG Creation Tool Course,SG Creation Tool Course,Tečaj SG alat za izradu
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plaćanja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,nedovoljna Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,nedovoljna Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogući planiranje kapaciteta i vremena za praćenje
 DocType: Email Digest,New Sales Orders,Nove narudžbenice
 DocType: Bank Account,Bank Account,Žiro račun
 DocType: Travel Itinerary,Check-out Date,Datum isteka
 DocType: Leave Type,Allow Negative Balance,Dopustite negativan saldo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Ne možete izbrisati vrstu projekta &#39;Vanjski&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Odaberite Alternativnu stavku
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Odaberite Alternativnu stavku
 DocType: Employee,Create User,Izradi korisnika
 DocType: Selling Settings,Default Territory,Zadani teritorij
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televizija
 DocType: Work Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Odaberite kupca ili dobavljača.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Advance iznos ne može biti veći od {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Advance iznos ne može biti veći od {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vremenski utor je preskočen, utor {0} do {1} preklapa vanjski otvor {2} na {3}"
 DocType: Naming Series,Series List for this Transaction,Serija Popis za ovu transakciju
 DocType: Company,Enable Perpetual Inventory,Omogući trajnu zalihu
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Protiv prodaje dostavnice točke
 DocType: Agriculture Analysis Criteria,Linked Doctype,Povezani Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Neto novčani tijek iz financijskih
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage puna, nije štedjelo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage puna, nije štedjelo"
 DocType: Lead,Address & Contact,Adresa i kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neiskorištenih lišće iz prethodnih dodjela
 DocType: Sales Partner,Partner website,website partnera
@@ -446,10 +446,10 @@
 ,Open Work Orders,Otvorite radne narudžbe
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Naplaćuje se naknada za savjetovanje o pacijentu
 DocType: Payment Term,Credit Months,Mjeseci kredita
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Neto plaća ne može biti manja od 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Neto plaća ne može biti manja od 0
 DocType: Contract,Fulfilled,ispunjena
 DocType: Inpatient Record,Discharge Scheduled,Zakazano je iskrcavanje
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u
 DocType: POS Closing Voucher,Cashier,Blagajnik
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Ostavlja godišnje
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Red {0}: Provjerite 'Je li Advance ""protiv nalog {1} Ako je to unaprijed ulaz."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Postavite učenike u Studentske grupe
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Završi posao
 DocType: Item Website Specification,Item Website Specification,Specifikacija web stranice proizvoda
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Neodobreno odsustvo
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Proizvod {0} je dosegao svoj rok trajanja na {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Neodobreno odsustvo
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Proizvod {0} je dosegao svoj rok trajanja na {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bankovni tekstova
 DocType: Customer,Is Internal Customer,Interni je kupac
 DocType: Crop,Annual,godišnji
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ako je uključeno automatsko uključivanje, klijenti će se automatski povezati s predmetnim programom lojalnosti (u pripremi)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock pomirenje točka
 DocType: Stock Entry,Sales Invoice No,Prodajni račun br
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Vrsta napajanja
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Vrsta napajanja
 DocType: Material Request Item,Min Order Qty,Min naručena kol
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Tečaj Student Grupa alat za izradu
 DocType: Lead,Do Not Contact,Ne kontaktirati
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Objavi na Hub
 DocType: Student Admission,Student Admission,Studentski Ulaz
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Proizvod {0} je otkazan
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Proizvod {0} je otkazan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Row amortizacije {0}: Datum početka amortizacije unesen je kao protekli datum
 DocType: Contract Template,Fulfilment Terms and Conditions,Uvjeti ispunjavanja uvjeta
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Zahtjev za robom
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Zahtjev za robom
 DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum
 ,GSTR-2,GSTR 2
 DocType: Item,Purchase Details,Detalji nabave
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u &quot;sirovina nabavlja se &#39;stol narudžbenice {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u &quot;sirovina nabavlja se &#39;stol narudžbenice {1}
 DocType: Salary Slip,Total Principal Amount,Ukupni iznos glavnice
 DocType: Student Guardian,Relation,Odnos
 DocType: Student Guardian,Mother,Majka
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,dostava županija
 DocType: Currency Exchange,For Selling,Za prodaju
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Naučiti
+DocType: Purchase Invoice Item,Enable Deferred Expense,Omogući odgođeno plaćanje
 DocType: Asset,Next Depreciation Date,Sljedeći datum Amortizacija
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivnost Cijena po zaposlenom
 DocType: Accounts Settings,Settings for Accounts,Postavke za račune
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun br postoji u fakturi {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun br postoji u fakturi {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Uredi raspodjelu prodavača.
 DocType: Job Applicant,Cover Letter,Pismo
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Izvanredna Čekovi i depoziti za brisanje
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Vanjski Povijest Posao
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Kružni Referentna Greška
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Kartica studentskog izvješća
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Iz PIN koda
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Iz PIN koda
 DocType: Appointment Type,Is Inpatient,Je li bolestan
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Ime Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Riječima (izvoz) će biti vidljivo nakon što spremite otpremnicu.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Više valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip fakture
 DocType: Employee Benefit Claim,Expense Proof,Provedba troškova
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Otpremnica
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Spremanje {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Otpremnica
 DocType: Patient Encounter,Encounter Impression,Susret susreta
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavljanje Porezi
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Troškovi prodane imovinom
 DocType: Volunteer,Morning,Jutro
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Ulazak Plaćanje je izmijenjen nakon što ga je izvukao. Ponovno izvucite ga.
 DocType: Program Enrollment Tool,New Student Batch,Nova studentska serija
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} dva puta ušao u točki poreza
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Sažetak za ovaj tjedan i tijeku aktivnosti
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} dva puta ušao u točki poreza
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Sažetak za ovaj tjedan i tijeku aktivnosti
 DocType: Student Applicant,Admitted,priznao
 DocType: Workstation,Rent Cost,Rent cost
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Iznos nakon amortizacije
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Iznos nakon amortizacije
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Nadolazeći Kalendar događanja
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Varijante Značajke
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Molimo odaberite mjesec i godinu
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Tu može biti samo 1 račun po društvo u {0} {1}
 DocType: Support Search Source,Response Result Key Path,Rezultat odgovora Ključni put
 DocType: Journal Entry,Inter Company Journal Entry,Unos dnevnika Inter tvrtke
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Za veličinu {0} ne bi trebalo biti veće od količine radne narudžbe {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Pogledajte prilog
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Za veličinu {0} ne bi trebalo biti veće od količine radne narudžbe {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Pogledajte prilog
 DocType: Purchase Order,% Received,% Zaprimljeno
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Stvaranje grupe učenika
 DocType: Volunteer,Weekends,Vikendi
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Ukupno izvanredno
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije.
 DocType: Dosage Strength,Strength,snaga
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Stvaranje novog kupca
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Stvaranje novog kupca
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Istječe
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ako više Cijene pravila i dalje prevladavaju, korisnici su zamoljeni da postavite prioritet ručno riješiti sukob."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Izrada narudžbenice
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,potrošni cost
 DocType: Purchase Receipt,Vehicle Date,Datum vozila
 DocType: Student Log,Medical,Liječnički
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Razlog gubitka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Odaberite Lijek
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Razlog gubitka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Odaberite Lijek
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Olovo Vlasnik ne može biti ista kao i olova
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Dodijeljeni iznos ne može veći od nekorigirani iznosa
 DocType: Announcement,Receiver,Prijamnik
 DocType: Location,Area UOM,Područje UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Radna stanica je zatvorena na sljedeće datume po Holiday Popis: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Mogućnosti
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Mogućnosti
 DocType: Lab Test Template,Single,Singl
 DocType: Compensatory Leave Request,Work From Date,Rad s datumom
 DocType: Salary Slip,Total Loan Repayment,Ukupno otplate kredita
+DocType: Project User,View attachments,Pogledajte privitke
 DocType: Account,Cost of Goods Sold,Troškovi prodane robe
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Unesite troška
 DocType: Drug Prescription,Dosage,Doziranje
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Količina i stopa
 DocType: Delivery Note,% Installed,% Instalirano
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratoriji i sl, gdje predavanja može biti na rasporedu."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Valute trgovačkih društava obje tvrtke trebale bi se podudarati s transakcijama tvrtke Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Valute trgovačkih društava obje tvrtke trebale bi se podudarati s transakcijama tvrtke Inter.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Unesite ime tvrtke prvi
 DocType: Travel Itinerary,Non-Vegetarian,Ne-vegetarijanska
 DocType: Purchase Invoice,Supplier Name,Dobavljač Ime
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Privremeno na čekanju
 DocType: Account,Is Group,Je grupe
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditna bilješka {0} izrađena je automatski
-DocType: Email Digest,Pending Purchase Orders,U tijeku narudžbenice
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatski Postavljanje Serijski broj na temelju FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Provjerite Dobavljač Račun broj Jedinstvenost
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primarni podaci o adresi
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Prilagodite uvodni tekst koji ide kao dio tog e-maila. Svaka transakcija ima zaseban uvodni tekst.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Redak {0}: Potrebna je operacija prema stavci sirovine {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Postavite zadani dugovni račun za tvrtku {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transakcija nije dopuštena protiv zaustavljene radne narudžbe {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transakcija nije dopuštena protiv zaustavljene radne narudžbe {0}
 DocType: Setup Progress Action,Min Doc Count,Min doktor grofa
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne postavke za sve proizvodne procese.
 DocType: Accounts Settings,Accounts Frozen Upto,Računi Frozen Upto
 DocType: SMS Log,Sent On,Poslan Na
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Osobina {0} izabrani više puta u Svojstva tablice
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Osobina {0} izabrani više puta u Svojstva tablice
 DocType: HR Settings,Employee record is created using selected field. ,Zaposlenika rekord je stvorio pomoću odabranog polja.
 DocType: Sales Order,Not Applicable,Nije primjenjivo
 DocType: Amazon MWS Settings,UK,Velika Britanija
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Zaposlenik {0} već je podnio zahtjev za {1} na {2}:
 DocType: Inpatient Record,AB Positive,AB Pozitivan
 DocType: Job Opening,Description of a Job Opening,Opis je otvaranju novih radnih mjesta
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Čekanju aktivnosti za danas
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Čekanju aktivnosti za danas
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Plaća Komponenta za timesheet temelju plaće.
+DocType: Driver,Applicable for external driver,Primjenjivo za vanjske upravljačke programe
 DocType: Sales Order Item,Used for Production Plan,Koristi se za plan proizvodnje
 DocType: Loan,Total Payment,ukupno plaćanja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Nije moguće otkazati transakciju za dovršenu radnu nalog.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Nije moguće otkazati transakciju za dovršenu radnu nalog.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Vrijeme između operacije (u minutama)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO već stvoren za sve stavke prodajnog naloga
 DocType: Healthcare Service Unit,Occupied,okupiran
 DocType: Clinical Procedure,Consumables,Potrošni
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} je otkazana pa se radnja ne može dovršiti
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} je otkazana pa se radnja ne može dovršiti
 DocType: Customer,Buyer of Goods and Services.,Kupac robe i usluga.
 DocType: Journal Entry,Accounts Payable,Naplativi računi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Iznos {0} postavljen u ovom zahtjevu za plaćanje razlikuje se od izračunatog iznosa svih planova plaćanja: {1}. Provjerite je li to ispravno prije slanja dokumenta.
 DocType: Patient,Allergies,Alergije
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Odabrane Sastavnice nisu za istu stavku
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Odabrane Sastavnice nisu za istu stavku
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Promijeni šifru stavke
 DocType: Supplier Scorecard Standing,Notify Other,Obavijesti ostalo
 DocType: Vital Signs,Blood Pressure (systolic),Krvni tlak (sistolički)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Dosta Dijelovi za izgradnju
 DocType: POS Profile User,POS Profile User,Korisnik POS profila
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Redak {0}: potreban je početni datum amortizacije
-DocType: Sales Invoice Item,Service Start Date,Datum početka usluge
+DocType: Purchase Invoice Item,Service Start Date,Datum početka usluge
 DocType: Subscription Invoice,Subscription Invoice,Pretplatnička faktura
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Izravni dohodak
 DocType: Patient Appointment,Date TIme,Datum vrijeme
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Laboratorijska rutina
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,kozmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Molimo odaberite Datum završetka za Dovršeni dnevnik održavanja imovine
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke"
 DocType: Supplier,Block Supplier,Blokirajte dobavljača
 DocType: Shipping Rule,Net Weight,Neto težina
 DocType: Job Opening,Planned number of Positions,Planirani broj pozicija
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Predložak za mapiranje novčanog toka
 DocType: Travel Request,Costing Details,Pojedinosti o cijeni
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Prikaži povratne unose
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serijski nema stavke ne može biti dio
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serijski nema stavke ne može biti dio
 DocType: Journal Entry,Difference (Dr - Cr),Razlika ( dr. - Cr )
 DocType: Bank Guarantee,Providing,pružanje
 DocType: Account,Profit and Loss,Račun dobiti i gubitka
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nije dopušteno, konfigurirajte predložak laboratorija za testiranje prema potrebi"
 DocType: Patient,Risk Factors,Faktori rizika
 DocType: Patient,Occupational Hazards and Environmental Factors,Radna opasnost i čimbenici okoliša
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Dionice već stvorene za radni nalog
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Dionice već stvorene za radni nalog
 DocType: Vital Signs,Respiratory rate,Brzina dišnog sustava
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Upravljanje podugovaranje
 DocType: Vital Signs,Body Temperature,Temperatura tijela
 DocType: Project,Project will be accessible on the website to these users,Projekt će biti dostupan na web-stranici ovih korisnika
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Ne mogu otkazati {0} {1} jer serijski broj {2} ne pripada skladištu {3}
 DocType: Detected Disease,Disease,Bolest
+DocType: Company,Default Deferred Expense Account,Zadani odgođeni raćun rashoda
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definiraj vrstu projekta.
 DocType: Supplier Scorecard,Weighting Function,Funkcija vaganja
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Savjetodavna naknada
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Proizvedene stavke
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Podudaranje transakcije s fakturama
 DocType: Sales Order Item,Gross Profit,Bruto dobit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Deblokiraj fakturu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Deblokiraj fakturu
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Prirast ne može biti 0
 DocType: Company,Delete Company Transactions,Brisanje transakcije tvrtke
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referentni broj i reference Datum obvezna je za banke transakcije
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Ignorirati
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} nije aktivan
 DocType: Woocommerce Settings,Freight and Forwarding Account,Račun za otpremu i prosljeđivanje
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Provjera postavljanje dimenzije za ispis
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Provjera postavljanje dimenzije za ispis
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Stvorite plaće za sklizanje
 DocType: Vital Signs,Bloated,Otečen
 DocType: Salary Slip,Salary Slip Timesheet,Plaća proklizavanja timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka
 DocType: Item Price,Valid From,vrijedi od
 DocType: Sales Invoice,Total Commission,Ukupno komisija
 DocType: Tax Withholding Account,Tax Withholding Account,Račun za zadržavanje poreza
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Sve ocjene bodova dobavljača.
 DocType: Buying Settings,Purchase Receipt Required,Primka je obvezna
 DocType: Delivery Note,Rail,željeznički
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Ciljno skladište u retku {0} mora biti isto kao i radni nalog
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje stopa je obavezno ako Otvaranje Stock ušao
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Ciljno skladište u retku {0} mora biti isto kao i radni nalog
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje stopa je obavezno ako Otvaranje Stock ušao
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nisu pronađeni zapisi u tablici računa
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Odaberite Društvo i Zabava Tip prvi
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Već ste postavili zadani položaj u poziciji {0} za korisnika {1}, zadovoljavajući zadane postavke"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Financijska / obračunska godina.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Financijska / obračunska godina.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Akumulirani Vrijednosti
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Skupina kupaca postavit će se na odabranu skupinu prilikom sinkronizacije kupaca s Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,Id potencijalnog kupca
 DocType: C-Form Invoice Detail,Grand Total,Ukupno za platiti
 DocType: Assessment Plan,Course,naravno
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kod sekcije
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kod sekcije
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Poludnevni datum treba biti između datuma i do datuma
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,stavka Košarica
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Osobni biografija
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID čl
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Isporučuje se: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Isporučuje se: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Povezano s QuickBooksom
 DocType: Bank Statement Transaction Entry,Payable Account,Obveze prema dobavljačima
 DocType: Payment Entry,Type of Payment,Vrsta plaćanja
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Poludnevni datum je obavezan
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Datum dostave računa
 DocType: Production Plan,Production Plan,Plan proizvodnje
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otvaranje alata za izradu računa
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Povrat robe
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Povrat robe
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Napomena: Ukupno dodijeljeni lišće {0} ne bi trebala biti manja od već odobrenih lišća {1} za razdoblje
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Postavite količinu u transakcijama na temelju serijskog unosa
 ,Total Stock Summary,Ukupni zbroj dionica
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Kupac ili predmeta
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza kupaca.
 DocType: Quotation,Quotation To,Ponuda za
-DocType: Lead,Middle Income,Srednji Prihodi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Srednji Prihodi
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Otvaranje ( Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Zadana mjerna jedinica za točke {0} se ne može mijenjati izravno, jer ste već napravili neke transakcije (e) s drugim UOM. Morat ćete stvoriti novu stavku za korištenje drugačiji Default UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Zadana mjerna jedinica za točke {0} se ne može mijenjati izravno, jer ste već napravili neke transakcije (e) s drugim UOM. Morat ćete stvoriti novu stavku za korištenje drugačiji Default UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativan
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Postavite tvrtku
 DocType: Share Balance,Share Balance,Dionički saldo
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Odaberite Račun za plaćanje kako bi Bank Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Zadana serija za imenovanje faktura
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Stvaranje zaposlenika evidencije za upravljanje lišće, trošak tvrdnje i obračun plaća"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Došlo je do pogreške tijekom postupka ažuriranja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Došlo je do pogreške tijekom postupka ažuriranja
 DocType: Restaurant Reservation,Restaurant Reservation,Rezervacija restorana
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Pisanje prijedlog
 DocType: Payment Entry Deduction,Payment Entry Deduction,Plaćanje Ulaz Odbitak
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Završavati
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Obavijesti korisnike putem e-pošte
 DocType: Item,Batch Number Series,Serije brojeva serije
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Još jedna prodaja Osoba {0} postoji s istim ID zaposlenika
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Još jedna prodaja Osoba {0} postoji s istim ID zaposlenika
 DocType: Employee Advance,Claimed Amount,Zahtjev za iznos potraživanja
+DocType: QuickBooks Migrator,Authorization Settings,Postavke autorizacije
 DocType: Travel Itinerary,Departure Datetime,Datum odlaska
 DocType: Customer,CUST-.YYYY.-,Prilagodi-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Trošak zahtjeva za putovanje
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Dobavljač nazivanje
 DocType: Activity Type,Default Costing Rate,Zadana Obračun troškova stopa
 DocType: Maintenance Schedule,Maintenance Schedule,Raspored održavanja
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Cjenovna pravila filtriraju se na temelju kupca, grupe kupaca, regije, dobavljača, proizvođača, kampanje, prodajnog partnera i sl."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Cjenovna pravila filtriraju se na temelju kupca, grupe kupaca, regije, dobavljača, proizvođača, kampanje, prodajnog partnera i sl."
 DocType: Employee Promotion,Employee Promotion Details,Pojedinosti o promociji zaposlenika
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Neto promjena u inventar
 DocType: Employee,Passport Number,Broj putovnice
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Odnos s Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Upravitelj
 DocType: Payment Entry,Payment From / To,Plaćanje Od / Do
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Od fiskalne godine
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novi kreditni limit je manja od trenutne preostali iznos za kupca. Kreditni limit mora biti atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Postavite račun u skladištu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Postavite račun u skladištu {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Temelji se na' i 'Grupiranje po' ne mogu biti isti
 DocType: Sales Person,Sales Person Targets,Prodajni plan prodavača
 DocType: Work Order Operation,In minutes,U minuta
 DocType: Issue,Resolution Date,Rezolucija Datum
 DocType: Lab Test Template,Compound,Spoj
+DocType: Opportunity,Probability (%),Vjerojatnost (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Obavijest o otpremi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Odaberite Svojstva
 DocType: Student Batch Name,Batch Name,Batch Name
 DocType: Fee Validity,Max number of visit,Maksimalni broj posjeta
 ,Hotel Room Occupancy,Soba za boravak hotela
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet stvorio:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Upisati
 DocType: GST Settings,GST Settings,Postavke GST-a
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuta bi trebala biti ista kao i Cjenik Valuta: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Ukupna kamata
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Porezi i pristojbe zavisnog troška
 DocType: Work Order Operation,Actual Start Time,Stvarni Vrijeme početka
+DocType: Purchase Invoice Item,Deferred Expense Account,Odgođeni raćun rashoda
 DocType: BOM Operation,Operation Time,Operacija vrijeme
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Završi
 DocType: Salary Structure Assignment,Base,Baza
 DocType: Timesheet,Total Billed Hours,Ukupno Naplaćene sati
 DocType: Travel Itinerary,Travel To,Putovati u
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nije
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Napišite paušalni iznos
 DocType: Leave Block List Allow,Allow User,Dopusti korisnika
 DocType: Journal Entry,Bill No,Bill Ne
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Vrijeme list
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Jedinice za pranje sirovine na temelju
 DocType: Sales Invoice,Port Code,Portski kod
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Rezervni skladište
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Rezervni skladište
 DocType: Lead,Lead is an Organization,Olovo je organizacija
-DocType: Guardian Interest,Interest,Interes
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pretprodaja
 DocType: Instructor Log,Other Details,Ostali detalji
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Računi
 DocType: Vehicle,Odometer Value (Last),Odometar vrijednost (zadnja)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Predlošci kriterija dobavljača bodova.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Iskoristite bodove lojalnosti
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Ulazak Plaćanje je već stvorio
 DocType: Request for Quotation,Get Suppliers,Nabavite dobavljače
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Obrezivanje razmaka UOM
 DocType: Loyalty Program,Single Tier Program,Program jednog stupnja
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Odaberite samo ako imate postavke dokumenata Cash Flow Mapper
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Od adrese 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Od adrese 1
 DocType: Email Digest,Next email will be sent on:,Sljedeći email će biti poslan na:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Slijedeća stavka {items} {verb} označena kao {message} stavku. \ Možete ih omogućiti kao {message} stavku iz svog stavke Item
 DocType: Supplier Scorecard,Per Week,Tjedno
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Stavka ima varijante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Stavka ima varijante.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Ukupno učenika
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Stavka {0} nije pronađena
 DocType: Bin,Stock Value,Stock vrijednost
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Tvrtka {0} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Tvrtka {0} ne postoji
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ima valjanost do {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Količina potrošena po jedinici mjere
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Credit Card Stupanje
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Društvo i računi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,u vrijednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,u vrijednost
 DocType: Asset Settings,Depreciation Options,Opcije amortizacije
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Moraju se tražiti lokacija ili zaposlenik
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Nevažeće vrijeme knjiženja
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,namjena
 DocType: Purchase Order,Supply Raw Materials,Supply sirovine
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Dugotrajna imovina
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} nije skladišni proizvod
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} nije skladišni proizvod
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Podijelite svoje povratne informacije s obukom klikom na &quot;Povratne informacije o treningu&quot;, a zatim &quot;Novo&quot;"
 DocType: Mode of Payment Account,Default Account,Zadani račun
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Najprije odaberite Pohrana skladišta za uzorke u zalihama
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Najprije odaberite Pohrana skladišta za uzorke u zalihama
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Odaberite višestruki tip programa za više pravila za naplatu.
 DocType: Payment Entry,Received Amount (Company Currency),Primljeni Iznos (Društvo valuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Potencijalni kupac mora biti postavljen ako je prilika iz njega izrađena
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Plaćanje je otkazano. Više pojedinosti potražite u svojem računu za GoCardless
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Pošalji s privitkom
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Odaberite tjednik off dan
 DocType: Inpatient Record,O Negative,Negativan
 DocType: Work Order Operation,Planned End Time,Planirani End Time
 ,Sales Person Target Variance Item Group-Wise,Pregled prometa po prodavaču i grupi proizvoda
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Račun s postojećom transakcijom ne može se pretvoriti u glavnu knjigu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Račun s postojećom transakcijom ne može se pretvoriti u glavnu knjigu
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Pojedinosti o vrstama kontakata
 DocType: Delivery Note,Customer's Purchase Order No,Kupca Narudžbenica br
 DocType: Clinical Procedure,Consume Stock,Potrošnja
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Pijesak
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,energija
 DocType: Opportunity,Opportunity From,Prilika od
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Redak {0}: {1} Serijski brojevi potrebni za stavku {2}. Naveli ste {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Redak {0}: {1} Serijski brojevi potrebni za stavku {2}. Naveli ste {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Odaberite tablicu
 DocType: BOM,Website Specifications,Web Specifikacije
 DocType: Special Test Items,Particulars,Pojedinosti
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Od {0} od tipa {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više Pravila Cijena postoji sa istim kriterijima, molimo rješavanje sukoba dodjeljivanjem prioriteta. Pravila Cijena: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više Pravila Cijena postoji sa istim kriterijima, molimo rješavanje sukoba dodjeljivanjem prioriteta. Pravila Cijena: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Račun revalorizacije tečaja
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može deaktivirati ili otkazati BOM kao što je povezano s drugim sastavnicama
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može deaktivirati ili otkazati BOM kao što je povezano s drugim sastavnicama
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Odaberite unos za tvrtku i datum knjiženja
 DocType: Asset,Maintenance,Održavanje
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Dobiti od Patient Encounter
 DocType: Subscriber,Subscriber,Pretplatnik
 DocType: Item Attribute Value,Item Attribute Value,Stavka Vrijednost atributa
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Ažurirajte status projekta
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Ažurirajte status projekta
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Mjenjač mora biti primjenjiv za kupnju ili prodaju.
 DocType: Item,Maximum sample quantity that can be retained,Maksimalna količina uzorka koja se može zadržati
 DocType: Project Update,How is the Project Progressing Right Now?,Kako je projekt u tijeku sada?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Red {0} # Stavka {1} ne može se prenijeti više od {2} od narudžbenice {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Red {0} # Stavka {1} ne može se prenijeti više od {2} od narudžbenice {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne kampanje.
 DocType: Project Task,Make Timesheet,Provjerite timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1240,36 +1248,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Alat za generiranje izvještaja studenata
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Raspored sati za zdravstvenu skrb
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc ime
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc ime
 DocType: Expense Claim Detail,Expense Claim Type,Rashodi Vrsta polaganja
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Zadane postavke za Košarica
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Dodaj vremenske brojeve
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Imovine otpisan putem Temeljnica {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Postavite račun u skladištu {0} ili zadani račun oglasnog prostora u tvrtki {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Imovine otpisan putem Temeljnica {0}
 DocType: Loan,Interest Income Account,Prihod od kamata računa
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maksimalne koristi bi trebale biti veće od nule kako bi se oslobodile prednosti
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maksimalne koristi bi trebale biti veće od nule kako bi se oslobodile prednosti
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Pregledajte pozivnicu poslanu
 DocType: Shift Assignment,Shift Assignment,Dodjela smjene
 DocType: Employee Transfer Property,Employee Transfer Property,Vlasništvo prijenosa zaposlenika
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Iz vremena treba biti manje od vremena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotehnologija
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Stavka {0} (serijski broj: {1}) ne može se potrošiti jer je rezervirano za ispunjavanje prodajnog naloga {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Troškovi održavanja ureda
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Ići
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ažurirajte cijenu od Shopify do ERPNext Cjenik
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Postavljanje račun e-pošte
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Unesite predmeta prvi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analiza potreba
 DocType: Asset Repair,Downtime,Prekid rada
 DocType: Account,Liability,Odgovornost
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Kažnjeni Iznos ne može biti veći od Zahtjeva Iznos u nizu {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Kažnjeni Iznos ne može biti veći od Zahtjeva Iznos u nizu {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademski naziv:
 DocType: Salary Component,Do not include in total,Ne uključujte ukupno
 DocType: Company,Default Cost of Goods Sold Account,Zadana vrijednost prodane robe računa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Uzorak {0} ne može biti veći od primljene količine {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Popis Cijena ne bira
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Uzorak {0} ne može biti veći od primljene količine {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Popis Cijena ne bira
 DocType: Employee,Family Background,Obitelj Pozadina
 DocType: Request for Quotation Supplier,Send Email,Pošaljite e-poštu
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0}
 DocType: Item,Max Sample Quantity,Maksimalna količina uzorka
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nemate dopuštenje
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolni popis ispunjavanja ugovora
@@ -1300,15 +1310,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Troškovno mjesto {2} ne pripada Društvu {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Prenesite glavu slova (Držite ga prijateljskim webom kao 900 piksela za 100 px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Račun {2} ne može biti grupa
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Stavka retka {idx}: {DOCTYPE} {DOCNAME} ne postoji u gore &#39;{DOCTYPE}&#39; stol
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} već je završen ili otkazan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} već je završen ili otkazan
+DocType: QuickBooks Migrator,QuickBooks Migrator,Migrator za QuickBooks
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nema zadataka
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Prodajna faktura {0} izrađena je kao plaćena
 DocType: Item Variant Settings,Copy Fields to Variant,Kopiranje polja u inačicu
 DocType: Asset,Opening Accumulated Depreciation,Otvaranje Akumulirana amortizacija
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Rezultat mora biti manja od ili jednaka 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program za upis alat
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-obrazac zapisi
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-obrazac zapisi
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Dionice već postoje
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kupaca i dobavljača
 DocType: Email Digest,Email Digest Settings,E-pošta postavke
@@ -1321,12 +1331,12 @@
 DocType: Production Plan,Select Items,Odaberite proizvode
 DocType: Share Transfer,To Shareholder,Dioničarima
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} u odnosu na račun {1} s datumom {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Iz države
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Iz države
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Institucija za postavljanje
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Dodjeljivanje lišća ...
 DocType: Program Enrollment,Vehicle/Bus Number,Broj vozila / autobusa
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Raspored predmeta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Morate odbiti porez za neopozivu dokaz o oslobođenju poreza i neplaćene naknade \ Primanja zaposlenika u zadnjem razdoblju plaće za plaće
 DocType: Request for Quotation Supplier,Quote Status,Status citata
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1352,13 +1362,13 @@
 DocType: Sales Invoice,Payment Due Date,Plaćanje Due Date
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",Ponovno odaberite ako je odabrana adresa uređena nakon spremanja
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Stavka Varijanta {0} već postoji s istim atributima
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Stavka Varijanta {0} već postoji s istim atributima
 DocType: Item,Hub Publishing Details,Pojedinosti objavljivanja središta
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Otvaranje &#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Otvaranje &#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Otvoreni učiniti
 DocType: Issue,Via Customer Portal,Putem portala kupca
 DocType: Notification Control,Delivery Note Message,Otpremnica - poruka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Iznos SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Iznos SGST
 DocType: Lab Test Template,Result Format,Format rezultata
 DocType: Expense Claim,Expenses,troškovi
 DocType: Item Variant Attribute,Item Variant Attribute,Stavka Varijanta Osobina
@@ -1366,14 +1376,12 @@
 DocType: Payroll Entry,Bimonthly,časopis koji izlazi svaka dva mjeseca
 DocType: Vehicle Service,Brake Pad,Pad kočnice
 DocType: Fertilizer,Fertilizer Contents,Sadržaj gnojiva
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Istraživanje i razvoj
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Istraživanje i razvoj
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Iznositi Billa
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Datum početka i datum završetka preklapaju se s poslovnom karticom <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registracija Brodu
 DocType: Timesheet,Total Billed Amount,Ukupno naplaćeni iznos
 DocType: Item Reorder,Re-Order Qty,Re-order Kom
 DocType: Leave Block List Date,Leave Block List Date,Datum popisa neodobrenih odsustava
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Postavite instruktor imenovanja sustava u obrazovanju&gt; Postavke obrazovanja
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Sirovina ne može biti isti kao i glavna stavka
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Ukupno odgovarajuće naknade u potvrdi o kupnji stavke stolu mora biti ista kao i Total poreza i naknada
 DocType: Sales Team,Incentives,Poticaji
@@ -1387,7 +1395,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Prodajno mjesto
 DocType: Fee Schedule,Fee Creation Status,Status kreiranja naknade
 DocType: Vehicle Log,Odometer Reading,Stanje kilometraže
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"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 """
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"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 """
 DocType: Account,Balance must be,Bilanca mora biti
 DocType: Notification Control,Expense Claim Rejected Message,Rashodi Zahtjev odbijen poruku
 ,Available Qty,Dostupno Količina
@@ -1399,7 +1407,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Uvijek sinkronizirajte svoje proizvode s Amazon MWS prije usklađivanja pojedinosti o narudžbama
 DocType: Delivery Trip,Delivery Stops,Dostava prestaje
 DocType: Salary Slip,Working Days,Radnih dana
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Nije moguće promijeniti datum zaustavljanja usluge za stavku u retku {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Nije moguće promijeniti datum zaustavljanja usluge za stavku u retku {0}
 DocType: Serial No,Incoming Rate,Dolazni Stopa
 DocType: Packing Slip,Gross Weight,Bruto težina
 DocType: Leave Type,Encashment Threshold Days,Dani danih naplata
@@ -1418,31 +1426,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimalna sjedala
 DocType: Item Attribute,Item Attribute Values,Stavka vrijednosti atributa
 DocType: Examination Result,Examination Result,Rezultat ispita
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Primka
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Primka
 ,Received Items To Be Billed,Primljeni Proizvodi se naplaćuje
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Majstor valute .
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Majstor valute .
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referentni DOCTYPE mora biti jedan od {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtar Ukupno Zero Količina
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Nije moguće pronaći termin u narednih {0} dana za rad {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan materijal za pod-sklopova
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodaja Partneri i Županija
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} mora biti aktivna
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} mora biti aktivna
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Nema dostupnih stavki za prijenos
 DocType: Employee Boarding Activity,Activity Name,Naziv aktivnosti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Promijenite datum objavljivanja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Količina gotovog proizvoda <b>{0}</b> i za količinu <b>{1}</b> ne može se razlikovati
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Promijenite datum objavljivanja
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Količina gotovog proizvoda <b>{0}</b> i za količinu <b>{1}</b> ne može se razlikovati
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Zatvaranje (otvaranje + ukupno)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Šifra stavke&gt; Skupina stavke&gt; Brand
+DocType: Delivery Settings,Dispatch Notification Attachment,Privitak obavijesti o otpremi
 DocType: Payroll Entry,Number Of Employees,Broj zaposlenih
 DocType: Journal Entry,Depreciation Entry,Amortizacija Ulaz
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Molimo odaberite vrstu dokumenta prvi
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Molimo odaberite vrstu dokumenta prvi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod
 DocType: Pricing Rule,Rate or Discount,Stopa ili Popust
 DocType: Vital Signs,One Sided,Jednostrano
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Potrebna Kol
 DocType: Marketplace Settings,Custom Data,Prilagođeni podaci
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Skladišta s postojećim transakcije ne može pretvoriti u knjigu.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serijski broj je obavezan za stavku {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Skladišta s postojećim transakcije ne može pretvoriti u knjigu.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serijski broj je obavezan za stavku {0}
 DocType: Bank Reconciliation,Total Amount,Ukupan iznos
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Datum i datum leže u različitoj fiskalnoj godini
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacijent {0} nema fakturu kupca
@@ -1453,9 +1463,9 @@
 DocType: Soil Texture,Clay Composition (%),Sastava glina (%)
 DocType: Item Group,Item Group Defaults,Defaults grupe stavke
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Spremite prije dodjele zadatka.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Vrijednost bilance
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Vrijednost bilance
 DocType: Lab Test,Lab Technician,Laboratorijski tehničar
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Prodajni cjenik
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Prodajni cjenik
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ako je označeno, izradit će se kupac, mapiran pacijentu. Pacijentne fakture će biti stvorene protiv ovog klijenta. Također možete odabrati postojeći Korisnik tijekom izrade pacijenta."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Kupac nije upisan u bilo koji program lojalnosti
@@ -1469,13 +1479,13 @@
 DocType: Support Search Source,Search Term Param Name,Param Naziv pojma za pretraživanje
 DocType: Item Barcode,Item Barcode,Barkod proizvoda
 DocType: Woocommerce Settings,Endpoints,Krajnje točke
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Stavka Varijante {0} ažurirani
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Stavka Varijante {0} ažurirani
 DocType: Quality Inspection Reading,Reading 6,Čitanje 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izvanredan fakture
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izvanredan fakture
 DocType: Share Transfer,From Folio No,Iz folije br
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ulazni račun - predujam
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Red {0}: Kredit unos ne može biti povezan s {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Odredite proračun za financijsku godinu.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Odredite proračun za financijsku godinu.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext račun
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} blokiran je tako da se ova transakcija ne može nastaviti
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Akcija ako je gomilanje mjesečnog proračuna premašeno na MR
@@ -1491,19 +1501,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Ulazni račun
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Dopustite višestruku potrošnju materijala prema radnom nalogu
 DocType: GL Entry,Voucher Detail No,Bon Detalj Ne
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Novi prodajni Račun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Novi prodajni Račun
 DocType: Stock Entry,Total Outgoing Value,Ukupna odlazna vrijednost
 DocType: Healthcare Practitioner,Appointments,imenovanja
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Otvaranje i zatvaranje Datum datum mora biti unutar iste fiskalne godine
 DocType: Lead,Request for Information,Zahtjev za informacije
 ,LeaderBoard,leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Ocijenite s marginom (valuta tvrtke)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sinkronizacija Offline Računi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sinkronizacija Offline Računi
 DocType: Payment Request,Paid,Plaćen
 DocType: Program Fee,Program Fee,Naknada program
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Zamijenite određeni BOM u svim ostalim BOM-ovima gdje se upotrebljava. Zamijenit će staru BOM vezu, ažurirati trošak i obnoviti tablicu &quot;BOM Explosion Item&quot; po novom BOM-u. Također ažurira najnoviju cijenu u svim BOM-ovima."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Izrađeni su sljedeći radni nalozi:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Izrađeni su sljedeći radni nalozi:
 DocType: Salary Slip,Total in words,Ukupno je u riječima
 DocType: Inpatient Record,Discharged,Ispražnjen
 DocType: Material Request Item,Lead Time Date,Potencijalni kupac - datum
@@ -1514,16 +1524,16 @@
 DocType: Support Settings,Get Started Sections,Započnite s radom
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-OLOVO-.YYYY.-
 DocType: Loan,Sanctioned,kažnjeni
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,Obavezno polje. Moguće je da za njega nije upisan tečaj.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Iznos ukupnog iznosa doprinosa: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
 DocType: Payroll Entry,Salary Slips Submitted,Plaćene zamke poslane
 DocType: Crop Cycle,Crop Cycle,Ciklus usjeva
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za &#39;proizvod Bundle&#39; predmeta, skladište, rednim i hrpa Ne smatrat će se iz &quot;Popis pakiranja &#39;stol. Ako Skladište i serije ne su isti za sve pakiranje predmeta za bilo &#39;proizvod Bundle&#39; točke, te vrijednosti može se unijeti u glavnoj točki stol, vrijednosti će se kopirati u &#39;pakiranje popis&#39; stol."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za &#39;proizvod Bundle&#39; predmeta, skladište, rednim i hrpa Ne smatrat će se iz &quot;Popis pakiranja &#39;stol. Ako Skladište i serije ne su isti za sve pakiranje predmeta za bilo &#39;proizvod Bundle&#39; točke, te vrijednosti može se unijeti u glavnoj točki stol, vrijednosti će se kopirati u &#39;pakiranje popis&#39; stol."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Od mjesta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay ne može biti negativan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Od mjesta
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay ne može biti negativan
 DocType: Student Admission,Publish on website,Objavi na web stranici
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Datum Dobavljač Račun ne može biti veća od datum knjiženja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Datum Dobavljač Račun ne može biti veća od datum knjiženja
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Datum otkazivanja
 DocType: Purchase Invoice Item,Purchase Order Item,Stavka narudžbenice
@@ -1532,7 +1542,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Studentski Gledatelja alat
 DocType: Restaurant Menu,Price List (Auto created),Cjenik (automatski izrađen)
 DocType: Cheque Print Template,Date Settings,Datum Postavke
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varijacija
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varijacija
 DocType: Employee Promotion,Employee Promotion Detail,Detaljan opis promocije zaposlenika
 ,Company Name,Ime tvrtke
 DocType: SMS Center,Total Message(s),Ukupno poruka ( i)
@@ -1561,7 +1571,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ne šaljite podsjetnik za rođendan zaposlenika
 DocType: Expense Claim,Total Advance Amount,Ukupni iznos predujma
 DocType: Delivery Stop,Estimated Arrival,Očekivani dolazak
-DocType: Delivery Stop,Notified by Email,Obavijesti putem e-pošte
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Pogledajte sve članke
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Šetnja u
 DocType: Item,Inspection Criteria,Inspekcijski Kriteriji
@@ -1571,22 +1580,21 @@
 DocType: Timesheet Detail,Bill,Račun
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Bijela
 DocType: SMS Center,All Lead (Open),Svi potencijalni kupci (aktualni)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Kol nisu dostupni za {4} u skladištu {1} na objavljivanje vrijeme upisa ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Kol nisu dostupni za {4} u skladištu {1} na objavljivanje vrijeme upisa ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Na popisu potvrdnih okvira možete odabrati najviše jednu opciju.
 DocType: Purchase Invoice,Get Advances Paid,Kreiraj avansno plaćanje
 DocType: Item,Automatically Create New Batch,Automatski kreira novu seriju
 DocType: Supplier,Represents Company,Predstavlja tvrtku
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Napravi
 DocType: Student Admission,Admission Start Date,Prijem Datum početka
 DocType: Journal Entry,Total Amount in Words,Ukupan iznos riječima
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Novi zaposlenik
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Došlo je do pogreške . Jedan vjerojatan razlog bi mogao biti da niste spremili obrazac. Molimo kontaktirajte support@erpnext.com ako se problem ne riješi .
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Moja košarica
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0}
 DocType: Lead,Next Contact Date,Sljedeći datum kontakta
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otvaranje Kol
 DocType: Healthcare Settings,Appointment Reminder,Podsjetnik za sastanak
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Unesite račun za promjene visine
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Unesite račun za promjene visine
 DocType: Program Enrollment Tool Student,Student Batch Name,Studentski Batch Name
 DocType: Holiday List,Holiday List Name,Ime popisa praznika
 DocType: Repayment Schedule,Balance Loan Amount,Stanje Iznos kredita
@@ -1596,13 +1604,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Burzovnih opcija
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nijedna stavka nije dodana u košaricu
 DocType: Journal Entry Account,Expense Claim,Rashodi polaganja
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Da li stvarno želite vratiti ovaj otpisan imovine?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Da li stvarno želite vratiti ovaj otpisan imovine?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Količina za {0}
 DocType: Leave Application,Leave Application,Zahtjev za odsustvom
 DocType: Patient,Patient Relation,Pacijentna veza
 DocType: Item,Hub Category to Publish,Kategorija hub za objavljivanje
 DocType: Leave Block List,Leave Block List Dates,Datumi popisa neodobrenih odsustava
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Prodajni nalog {0} ima rezervaciju za stavku {1}, možete dostaviti rezervirano {1} samo od {0}. Serijski broj {2} ne može biti isporučen"
 DocType: Sales Invoice,Billing Address GSTIN,Adresa za naplatu GSTIN
@@ -1620,16 +1628,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite a {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Uklonjene stvari bez promjena u količini ili vrijednosti.
 DocType: Delivery Note,Delivery To,Dostava za
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Izrada inačice je u redu čekanja.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Sažetak rada za {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Izrada inačice je u redu čekanja.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Sažetak rada za {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prvo odobrenje za odsustvo na popisu će biti postavljeno kao zadani odobrenja za otpust.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Osobina stol je obavezno
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Osobina stol je obavezno
 DocType: Production Plan,Get Sales Orders,Kreiraj narudžbe
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ne može biti negativna
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Povežite se s QuickBooksom
 DocType: Training Event,Self-Study,Samostalno istraživanje
 DocType: POS Closing Voucher,Period End Date,Datum završetka razdoblja
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Sastavi tla ne dodaju do 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Popust
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Redak {0}: {1} potreban je za izradu faktura otvaranja {2}
 DocType: Membership,Membership,Članstvo
 DocType: Asset,Total Number of Depreciations,Ukupan broj deprecijaciju
 DocType: Sales Invoice Item,Rate With Margin,Ocijenite s marginom
@@ -1640,7 +1650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Navedite valjanu Row ID za redom {0} u tablici {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Nije moguće pronaći varijablu:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Odaberite polje za uređivanje iz numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Ne može biti fiksna stavka imovine jer je Lozinka stanja stvorena.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Ne može biti fiksna stavka imovine jer je Lozinka stanja stvorena.
 DocType: Subscription Plan,Fixed rate,Fiksna stopa
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Priznati
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Idi na radnu površinu i početi koristiti ERPNext
@@ -1674,7 +1684,7 @@
 DocType: Tax Rule,Shipping State,Državna dostava
 ,Projected Quantity as Source,Planirana količina kao izvor
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Stavka mora biti dodana pomoću 'se predmeti od kupnje primitaka' gumb
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Putovanje isporuke
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Putovanje isporuke
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Vrsta prijenosa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Prodajni troškovi
@@ -1687,8 +1697,9 @@
 DocType: Item Default,Default Selling Cost Center,Zadani trošak prodaje
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,disk
 DocType: Buying Settings,Material Transferred for Subcontract,Prijenos materijala za podugovaranje
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poštanski broj
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Prodaja Naručite {0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Narudžbenice su stavke dospjele
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Poštanski broj
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Prodaja Naručite {0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Odaberite račun za dohodak od kamata u zajam {0}
 DocType: Opportunity,Contact Info,Kontakt Informacije
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Izrada Stock unose
@@ -1701,12 +1712,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Račun se ne može izvršiti za nulti sat naplate
 DocType: Company,Date of Commencement,Datum početka
 DocType: Sales Person,Select company name first.,Prvo odaberite naziv tvrtke.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail poslan na {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail poslan na {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ponude dobivene od dobavljača.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Zamijenite BOM i ažurirajte najnoviju cijenu u svim BOM-ovima
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Za {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ovo je grupa dobavljača i ne može se uređivati.
-DocType: Delivery Trip,Driver Name,Naziv upravljačkog programa
+DocType: Delivery Note,Driver Name,Naziv upravljačkog programa
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Prosječna starost
 DocType: Education Settings,Attendance Freeze Date,Datum zamrzavanja pohađanja
 DocType: Payment Request,Inward,Unutra
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,Matično društvo
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotel Sobe tipa {0} nisu dostupne na {1}
 DocType: Healthcare Practitioner,Default Currency,Zadana valuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maksimalni popust za stavku {0} je {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maksimalni popust za stavku {0} je {1}%
 DocType: Asset Movement,From Employee,Od zaposlenika
 DocType: Driver,Cellphone Number,broj mobitela
 DocType: Project,Monitor Progress,Monitor napredak
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Količina mora biti manji ili jednak {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Maksimalni iznos koji ispunjava uvjete za komponentu {0} prelazi {1}
 DocType: Department Approver,Department Approver,Odjel za odobrenje
+DocType: QuickBooks Migrator,Application Settings,Postavke aplikacije
 DocType: SMS Center,Total Characters,Ukupno Likovi
 DocType: Employee Advance,Claimed,tvrdio
 DocType: Crop,Row Spacing,Spremanje redaka
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Odaberite BOM u BOM polje za točku {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Odaberite BOM u BOM polje za točku {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Nema odabrane stavke za odabranu stavku
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-obrazac detalj računa
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pomirenje Plaćanje fakture
 DocType: Clinical Procedure,Procedure Template,Predložak za postupak
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Doprinos%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Prema postavkama kupnje ako je potrebna narudžbenica == &#39;DA&#39;, a zatim za izradu računa za kupnju, korisnik mora najprije stvoriti narudžbenicu za stavku {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Doprinos%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Prema postavkama kupnje ako je potrebna narudžbenica == &#39;DA&#39;, a zatim za izradu računa za kupnju, korisnik mora najprije stvoriti narudžbenicu za stavku {0}"
 ,HSN-wise-summary of outward supplies,HSN-mudar sažetak vanjske opskrbe
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Tvrtka registracijski brojevi za svoju referencu. Porezni brojevi itd.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Izjaviti
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Izjaviti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributer
 DocType: Asset Finance Book,Asset Finance Book,Financijska knjiga o imovini
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Košarica Dostava Rule
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,Naručeni proizvodi za naplatu
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od Raspon mora biti manji od u rasponu
 DocType: Global Defaults,Global Defaults,Globalne zadane postavke
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projekt Suradnja Poziv
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projekt Suradnja Poziv
 DocType: Salary Slip,Deductions,Odbici
 DocType: Setup Progress Action,Action Name,Naziv akcije
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Početak godine
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,Konzultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Sastanak sudionika učitelja roditelja
 DocType: Salary Slip,Earnings,Zarada
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Gotovi Stavka {0} mora biti upisana za tip Proizvodnja upis
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Gotovi Stavka {0} mora biti upisana za tip Proizvodnja upis
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Otvori računovodstveno stanje
 ,GST Sales Register,GST registar prodaje
 DocType: Sales Invoice Advance,Sales Invoice Advance,Predujam prodajnog računa
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Ništa za zatražiti
+DocType: Stock Settings,Default Return Warehouse,Zadana skladišta povrata
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Odaberite svoje domene
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Dobavljač trgovine
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Stavke fakture za plaćanje
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Polja će biti kopirana samo u trenutku stvaranja.
 DocType: Setup Progress Action,Domains,Domene
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',Stvarni datum početka ne može biti veći od stvarnog datuma završetka
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Uprava
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Uprava
 DocType: Cheque Print Template,Payer Settings,Postavke Payer
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Nisu pronađeni materijalni zahtjevi na čekanju za povezivanje za određene stavke.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Najprije odaberite tvrtku
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To će biti dodan u šifra varijante. Na primjer, ako je vaš naziv je ""SM"", a točka kod ""T-shirt"", stavka kod varijante će biti ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto plaća (riječima) će biti vidljiva nakon što spremite klizne plaće.
 DocType: Delivery Note,Is Return,Je li povratak
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Oprez
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Dan početka je veći od završnog dana u zadatku &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Povratak / debitna Napomena
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Povratak / debitna Napomena
 DocType: Price List Country,Price List Country,Država cjenika
 DocType: Item,UOMs,J. MJ.
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} valjani serijski nos za Stavka {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Dati informacije.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Dobavljač baza podataka.
 DocType: Contract Template,Contract Terms and Conditions,Uvjeti i odredbe ugovora
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Ne možete ponovo pokrenuti pretplatu koja nije otkazana.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Ne možete ponovo pokrenuti pretplatu koja nije otkazana.
 DocType: Account,Balance Sheet,Završni račun
 DocType: Leave Type,Is Earned Leave,Je zaradio odlazak
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Troška za stavku s šifra '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Troška za stavku s šifra '
 DocType: Fee Validity,Valid Till,Vrijedi do
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Sastanak učitelja svih roditelja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plaćanja nije konfiguriran. Provjerite, da li je račun postavljen na način rada platnu ili na POS profilu."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plaćanja nije konfiguriran. Provjerite, da li je račun postavljen na način rada platnu ili na POS profilu."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti predmet ne može se upisati više puta.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daljnje računi mogu biti u skupinama, ali unose se može podnijeti protiv nesrpskog Groups"
 DocType: Lead,Lead,Potencijalni kupac
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS autentni token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Ulazak {0} stvorio
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Nemate dovoljno bodova lojalnosti za otkup
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Red # {0}: Odbijen Kom se ne može upisati u kupnju povratak
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Postavite pridruženi račun u kategoriju zadržavanja poreza {0} tvrtke {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Red # {0}: Odbijen Kom se ne može upisati u kupnju povratak
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Promjena grupe kupaca za odabranog kupca nije dopuštena.
 ,Purchase Order Items To Be Billed,Stavke narudžbenice za naplatu
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Ažuriranje procijenjenih vremena dolaska.
 DocType: Program Enrollment Tool,Enrollment Details,Pojedinosti o upisu
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Nije moguće postaviti više zadanih postavki za tvrtku.
 DocType: Purchase Invoice Item,Net Rate,Neto stopa
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Odaberite klijenta
 DocType: Leave Policy,Leave Allocations,Ostavite dodjele
@@ -1850,7 +1866,7 @@
 DocType: Loan Application,Repayment Info,Informacije otplate
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Ulazi' ne može biti prazno
 DocType: Maintenance Team Member,Maintenance Role,Uloga za održavanje
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Dupli red {0} sa istim {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Dupli red {0} sa istim {1}
 DocType: Marketplace Settings,Disable Marketplace,Onemogući tržište
 ,Trial Balance,Pretresno bilanca
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Postavke pretplate
 DocType: Purchase Invoice,Update Auto Repeat Reference,Ažuriraj referencu za automatsko ponavljanje
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Izborni popis za odmor nije postavljen za dopust razdoblja {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Izborni popis za odmor nije postavljen za dopust razdoblja {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,istraživanje
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Adresa 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Adresa 2
 DocType: Maintenance Visit Purpose,Work Done,Rad Done
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Navedite barem jedan atribut u tablici Svojstva
 DocType: Announcement,All Students,Svi studenti
@@ -1873,16 +1889,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Usklađene transakcije
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Najstarije
 DocType: Crop Cycle,Linked Location,Povezana lokacija
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Stavka Grupa postoji s istim imenom , molimo promijenite ime stavku ili preimenovati stavku grupe"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"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"
 DocType: Crop Cycle,Less than a year,Manje od godinu dana
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studentski Mobile Ne
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Ostatak svijeta
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Ostatak svijeta
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Stavka {0} ne može imati Hrpa
 DocType: Crop,Yield UOM,Prinos UOM
 ,Budget Variance Report,Proračun varijance Prijavi
 DocType: Salary Slip,Gross Pay,Bruto plaća
 DocType: Item,Is Item from Hub,Je li stavka iz huba
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Preuzmite stavke iz zdravstvenih usluga
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Preuzmite stavke iz zdravstvenih usluga
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Red {0}: Tip aktivnost je obavezna.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Plaćeni Dividende
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Računovodstvo knjiga
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Način plaćanja
 DocType: Purchase Invoice,Supplied Items,Isporučeni pribor
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Postavite aktivni izbornik za restoran {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Stopa komisije%
 DocType: Work Order,Qty To Manufacture,Količina za proizvodnju
 DocType: Email Digest,New Income,Novi Prihod
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Održavaj istu stopu tijekom cijelog ciklusa kupnje
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Procjena stopa potrebna za stavke u retku {0}
 DocType: Supplier Scorecard,Scorecard Actions,Akcije tablice rezultata
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Primjer: Masters u Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Dobavljač {0} nije pronađen {1}
 DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija
 DocType: GL Entry,Against Voucher,Protiv Voucheru
 DocType: Item Default,Default Buying Cost Center,Zadani trošak kupnje
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Da biste dobili najbolje iz ERPNext, preporučamo da odvojite malo vremena i gledati te pomoći videa."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Za dobavljača zadano (neobavezno)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,za
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Za dobavljača zadano (neobavezno)
 DocType: Supplier Quotation Item,Lead Time in days,Olovo Vrijeme u danima
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Obveze Sažetak
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Niste ovlašteni za uređivanje zamrznutog računa {0}
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Upozorenje za novi zahtjev za ponudu
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Narudžbenice vam pomoći planirati i pratiti na Vašoj kupnji
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Ispitivanje laboratorijskih ispitivanja
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Ukupna količina Pitanje / Prijenos {0} u materijalnim Zahtjevu {1} \ ne može biti veća od tražene količine {2} za točki {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Mali
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ako Shopify ne sadrži naručitelja u narudžbi, sustav će tijekom sinkronizacije narudžbi uzeti u obzir zadani klijent za narudžbu"
@@ -1937,6 +1954,7 @@
 DocType: Project,% Completed,% Kompletirano
 ,Invoiced Amount (Exculsive Tax),Dostavljeni iznos ( Exculsive poreza )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Stavka 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Endpoint autorizacije
 DocType: Travel Request,International,međunarodna
 DocType: Training Event,Training Event,Događaj za obuku
 DocType: Item,Auto re-order,Automatski reorganiziraj
@@ -1945,24 +1963,24 @@
 DocType: Contract,Contract,ugovor
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorijsko ispitivanje Datetime
 DocType: Email Digest,Add Quote,Dodaj ponudu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Neizravni troškovi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Red {0}: Količina je obvezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Red {0}: Količina je obvezno
 DocType: Agriculture Analysis Criteria,Agriculture,Poljoprivreda
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Izradi prodajni nalog
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Računovodstveni unos za imovinu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokirajte fakturu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Računovodstveni unos za imovinu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokirajte fakturu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Količina za izradu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Popravak troškova
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Vaši proizvodi ili usluge
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Prijava nije uspjela
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Izrađen je element {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Izrađen je element {0}
 DocType: Special Test Items,Special Test Items,Posebne ispitne stavke
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Morate biti korisnik s ulogama upravitelja sustava i upravitelja stavki da biste se registrirali na tržištu.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Način plaćanja
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Prema vašoj dodijeljenoj Strukturi plaća ne možete podnijeti zahtjev za naknadu
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Web slika bi trebala biti javna datoteke ili URL web stranice
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Web slika bi trebala biti javna datoteke ili URL web stranice
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati .
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Sjediniti
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,Kontakt informacije skladišta
 DocType: Payment Entry,Write Off Difference Amount,Otpis razlika visine
 DocType: Volunteer,Volunteer Name,Ime volontera
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Radnik email nije pronađen, stoga ne e-mail poslan"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Nađeno je redaka s datumima duplikata u drugim redcima: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Radnik email nije pronađen, stoga ne e-mail poslan"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Struktura plaće nije dodijeljena za zaposlenika {0} na određeni datum {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Pravilo isporuke nije primjenjivo za zemlju {0}
 DocType: Item,Foreign Trade Details,Vanjskotrgovinska Detalji
@@ -1979,16 +1998,16 @@
 DocType: Email Digest,Annual Income,Godišnji prihod
 DocType: Serial No,Serial No Details,Serijski nema podataka
 DocType: Purchase Invoice Item,Item Tax Rate,Porezna stopa proizvoda
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Od imena stranke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Od imena stranke
 DocType: Student Group Student,Group Roll Number,Broj grupe grupa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, samo kreditne računi se mogu povezati protiv drugog ulaska debitnom"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Stavka {0} mora bitisklopljen ugovor artikla
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitalni oprema
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cijene Pravilo prvo se bira na temelju 'Nanesite na' terenu, koji može biti točka, točka Grupa ili Brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Najprije postavite šifru stavke
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc tip
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc tip
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100
 DocType: Subscription Plan,Billing Interval Count,Brojač intervala naplate
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Imenovanja i susreta pacijenata
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Nedostaje vrijednost
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Stvaranje format ispisa
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Kreirana naknada
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Niste pronašli bilo koju stavku pod nazivom {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filtri stavki
 DocType: Supplier Scorecard Criteria,Criteria Formula,Formula kriterija
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Ukupno odlazni
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"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 """
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Za stavku {0}, količina mora biti pozitivan broj"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Napomena : Ovaj troškovni centar je grupa. Nije moguće napraviti računovodstvene unose od grupe.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Doplativi dopusti za dane naplate nisu u važećem odmoru
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dijete skladište postoji za ovaj skladište. Ne možete izbrisati ovaj skladište.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dijete skladište postoji za ovaj skladište. Ne možete izbrisati ovaj skladište.
 DocType: Item,Website Item Groups,Grupe proizvoda web stranice
 DocType: Purchase Invoice,Total (Company Currency),Ukupno (Društvo valuta)
 DocType: Daily Work Summary Group,Reminder,Podsjetnik
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Pristupačna vrijednost
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Pristupačna vrijednost
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serijski broj {0} ušao više puta
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Temeljnica
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Od GSTIN-a
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Od GSTIN-a
 DocType: Expense Claim Advance,Unclaimed amount,Neotkriveni iznos
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} stavke u tijeku
 DocType: Workstation,Workstation Name,Ime Workstation
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS Točka Grupa
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-pošta:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternativna stavka ne smije biti jednaka kodu stavke
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} ne pripada Točki {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} ne pripada Točki {1}
 DocType: Sales Partner,Target Distribution,Ciljana Distribucija
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalizacija privremene procjene
 DocType: Salary Slip,Bank Account No.,Žiro račun broj
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Mogu se koristiti varijable tablice s rezultatima, kao i: {total_score} (ukupni rezultat iz tog razdoblja), {period_number} (broj razdoblja do današnjeg dana)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Suzi sve
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Suzi sve
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Izradi narudžbenicu
 DocType: Quality Inspection Reading,Reading 8,Čitanje 8
 DocType: Inpatient Record,Discharge Note,Napomena za pražnjenje
@@ -2050,7 +2070,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege dopust
 DocType: Purchase Invoice,Supplier Invoice Date,Dobavljač Datum fakture
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ova se vrijednost koristi za pro rata temporis izračun
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Morate omogućiti košaricu
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Morate omogućiti košaricu
 DocType: Payment Entry,Writeoff,Otpisati
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Imenujte prefiks serije
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Preklapanje uvjeti nalaze između :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Protiv Temeljnica {0} već usklađuje se neki drugi bon
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Ukupna vrijednost narudžbe
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,hrana
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,hrana
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Starenje Raspon 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalji o voucheru za zatvaranje POS-a
 DocType: Shopify Log,Shopify Log,Zapisnik trgovine
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Postavite Serija za imenovanje {0} putem postavke&gt; Postavke&gt; Serija za imenovanje
 DocType: Inpatient Occupancy,Check In,Prijava
 DocType: Maintenance Schedule Item,No of Visits,Broj pregleda
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Raspored održavanja {0} postoji protiv {1}
@@ -2109,6 +2128,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimalna korist (iznos)
 DocType: Purchase Invoice,Contact Person,Kontakt osoba
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',Očekivani datum početka ne može biti veći od očekivanog datuma završetka
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nema podataka za ovo razdoblje
 DocType: Course Scheduling Tool,Course End Date,Naravno Datum završetka
 DocType: Holiday List,Holidays,Praznici
 DocType: Sales Order Item,Planned Quantity,Planirana količina
@@ -2120,7 +2140,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Neto promjena u dugotrajne imovine
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Ostavite prazno ako se odnosi na sve oznake
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Maksimalno: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime
 DocType: Shopify Settings,For Company,Za tvrtke
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,Uvjeti sadržaj
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Došlo je do pogrešaka prilikom izrade tečaja Raspored
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Prvi Odrednik odobrenja u popisu će biti postavljen kao zadani odobrenje troškova.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,ne može biti veće od 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,ne može biti veće od 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Morate biti korisnik koji nije administrator s ulogama upravitelja sustava i upravitelja stavki da biste se registrirali na tržištu.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Proizvod {0} nije skladišni proizvod
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Proizvod {0} nije skladišni proizvod
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Neplanski
 DocType: Employee,Owned,U vlasništvu
@@ -2163,7 +2183,7 @@
 DocType: HR Settings,Employee Settings,Postavke zaposlenih
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Učitavanje sustava plaćanja
 ,Batch-Wise Balance History,Batch-Wise povijest bilance
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Redak # {0}: Nije moguće postaviti stopu ako je iznos veći od naplaćenog iznosa za stavku {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Redak # {0}: Nije moguće postaviti stopu ako je iznos veći od naplaćenog iznosa za stavku {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Postavke ispisa ažurirana u odgovarajućem formatu za ispis
 DocType: Package Code,Package Code,kod paketa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,šegrt
@@ -2172,7 +2192,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Porezna detalj Tablica preuzeta iz točke majstora kao string i pohranjeni u tom području.
  Koristi se za poreze i troškove"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Zaposlenik se ne može prijaviti na sebe.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Zaposlenik se ne može prijaviti na sebe.
 DocType: Leave Type,Max Leaves Allowed,Maksimalno dopušteno lišće
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut , unosi dopušteno ograničene korisnike ."
 DocType: Email Digest,Bank Balance,Bankovni saldo
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Unosi bankovnih transakcija
 DocType: Quality Inspection,Readings,Očitanja
 DocType: Stock Entry,Total Additional Costs,Ukupno Dodatni troškovi
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Broj interakcija
 DocType: BOM,Scrap Material Cost(Company Currency),Škarta Cijena (Društvo valuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,pod skupštine
 DocType: Asset,Asset Name,Naziv imovinom
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,Za vrijednost
 DocType: Loyalty Program,Loyalty Program Type,Vrsta programa vjernosti
 DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Plaćanje u redu {0} vjerojatno je duplikat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Poljoprivreda (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Odreskom
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Odreskom
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Najam ureda
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Postavke SMS pristupnika
 DocType: Disease,Common Name,Uobičajeno ime
@@ -2240,20 +2261,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-mail Plaća proklizavanja zaposlenog
 DocType: Cost Center,Parent Cost Center,Nadređeni troškovni centar
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Odaberite Mogući Dobavljač
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Odaberite Mogući Dobavljač
 DocType: Sales Invoice,Source,Izvor
 DocType: Customer,"Select, to make the customer searchable with these fields","Odaberite, kako bi korisnik mogao pretraživati s tim poljima"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Uvoz isporuke o isporuci iz trgovine na pošiljci
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Prikaži zatvorene
 DocType: Leave Type,Is Leave Without Pay,Je Ostavite bez plaće
-DocType: Lab Test,HLC-LT-.YYYY.-,FHP-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obvezna za nepokretnu stavke imovine
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obvezna za nepokretnu stavke imovine
 DocType: Fee Validity,Fee Validity,Valjanost naknade
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nisu pronađeni zapisi u tablici plaćanja
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},To {0} sukobi s {1} od {2} {3}
 DocType: Student Attendance Tool,Students HTML,Studenti HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Obrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 DocType: POS Profile,Apply Discount,Primijeni popust
 DocType: GST HSN Code,GST HSN Code,GST HSN kod
 DocType: Employee External Work History,Total Experience,Ukupno Iskustvo
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,Raspored
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS Profil je potreban za korištenje Point-of-Sale
 DocType: Cashier Closing,Net Amount,Neto Iznos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije poslano tako da se radnja ne može dovršiti
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije poslano tako da se radnja ne može dovršiti
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM detalji - broj
 DocType: Landed Cost Voucher,Additional Charges,Dodatni troškovi
 DocType: Support Search Source,Result Route Field,Polje rute rezultata
@@ -2305,11 +2323,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Otvori računa
 DocType: Contract,Contract Details,Pojedinosti ugovora
 DocType: Employee,Leave Details,Ostavite pojedinosti
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Molimo postavite korisnički ID polje u zapisu zaposlenika za postavljanje uloga zaposlenika
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Molimo postavite korisnički ID polje u zapisu zaposlenika za postavljanje uloga zaposlenika
 DocType: UOM,UOM Name,UOM Ime
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Adresa 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Adresa 1
 DocType: GST HSN Code,HSN Code,HSN kod
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Doprinos iznos
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Doprinos iznos
 DocType: Inpatient Record,Patient Encounter,Pacijentni susret
 DocType: Purchase Invoice,Shipping Address,Dostava Adresa
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ovaj alat pomaže vam da ažurirate ili popraviti količinu i vrijednost zaliha u sustavu. To se obično koristi za sinkronizaciju vrijednosti sustava i što se zapravo postoji u svojim skladištima.
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,Način putovanja
 DocType: Sales Invoice Item,Brand Name,Naziv brenda
 DocType: Purchase Receipt,Transporter Details,Transporter Detalji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Default skladište je potreban za odabranu stavku
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Default skladište je potreban za odabranu stavku
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,kutija
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Mogući Dobavljač
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Mogući Dobavljač
 DocType: Budget,Monthly Distribution,Mjesečna distribucija
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Zdravstvo (beta)
@@ -2349,6 +2367,7 @@
 ,Lead Name,Ime potencijalnog kupca
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Ležišta
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Otvaranje kataloški bilanca
 DocType: Asset Category Account,Capital Work In Progress Account,Račun za kapitalni rad u tijeku
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Podešavanje vrijednosti imovine
@@ -2357,7 +2376,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Odsustvo uspješno dodijeljeno za {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Nema proizvoda za pakiranje
 DocType: Shipping Rule Condition,From Value,Od Vrijednost
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Proizvedena količina je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Proizvedena količina je obvezna
 DocType: Loan,Repayment Method,Način otplate
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ako je označeno, početna stranica će biti zadana točka Grupa za web stranicu"
 DocType: Quality Inspection Reading,Reading 4,Čitanje 4
@@ -2382,7 +2401,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Upućivanje zaposlenika
 DocType: Student Group,Set 0 for no limit,Postavite 0 bez granica
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dan (e) na koje se prijavljuje za odmor su praznici. Ne morate se prijaviti za dopust.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Redak {idx}: {field} potreban je za izradu faktura otvaranja {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Primarna adresa i kontakt detalja
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Ponovno slanje plaćanja Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Novi zadatak
@@ -2392,22 +2410,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Odaberite barem jednu domenu.
 DocType: Dependent Task,Dependent Task,Ovisno zadatak
 DocType: Shopify Settings,Shopify Tax Account,Kupnja poreznog računa
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Odsustvo tipa {0} ne može biti duže od {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Odsustvo tipa {0} ne može biti duže od {1}
 DocType: Delivery Trip,Optimize Route,Optimizirajte rutu
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pokušajte planirati poslovanje za X dana unaprijed.
 DocType: HR Settings,Stop Birthday Reminders,Zaustavi Rođendan Podsjetnici
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Molimo postavite zadanog Platne naplativo račun u Društvu {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Preuzmite financijsku raspad poreznih i administrativnih podataka Amazon
 DocType: SMS Center,Receiver List,Prijemnik Popis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Traži Stavka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Traži Stavka
 DocType: Payment Schedule,Payment Amount,Iznos za plaćanje
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Poludnevni datum bi trebao biti između rada od datuma i datuma završetka radnog vremena
 DocType: Healthcare Settings,Healthcare Service Items,Zdravstvene usluge
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Konzumira Iznos
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Neto promjena u gotovini
 DocType: Assessment Plan,Grading Scale,ljestvici
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,već završena
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock u ruci
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2430,25 +2448,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Unesite Woocommerce URL poslužitelja
 DocType: Purchase Order Item,Supplier Part Number,Dobavljač Broj dijela
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1
 DocType: Share Balance,To No,Za br
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Sve obvezne zadaće za stvaranje zaposlenika još nisu učinjene.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} otkazan ili zaustavljen
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} otkazan ili zaustavljen
 DocType: Accounts Settings,Credit Controller,Kreditne kontroler
 DocType: Loan,Applicant Type,Vrsta podnositelja zahtjeva
 DocType: Purchase Invoice,03-Deficiency in services,03 - Nedostatak usluga
 DocType: Healthcare Settings,Default Medical Code Standard,Zadani standard medicinskog koda
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Primka {0} nije potvrđena
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Primka {0} nije potvrđena
 DocType: Company,Default Payable Account,Zadana Plaća račun
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Postavke za online košarici, kao što su utovar pravila, cjenika i sl"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Naplaćeno
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Rezervirano Kol
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Rezervirano Kol
 DocType: Party Account,Party Account,Račun stranke
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Odaberite Tvrtka i Oznaka
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Ljudski resursi
-DocType: Lead,Upper Income,Gornja Prihodi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Gornja Prihodi
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Odbiti
 DocType: Journal Entry Account,Debit in Company Currency,Zaduženja tvrtke valuti
 DocType: BOM Item,BOM Item,BOM proizvod
@@ -2465,7 +2483,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Otvoreni poslovi za oznaku {0} već su otvoreni ili zapošljavanje završeno prema planu osoblja {1}
 DocType: Vital Signs,Constipated,konstipovan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Protiv dobavljača Račun {0} datira {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Protiv dobavljača Račun {0} datira {1}
 DocType: Customer,Default Price List,Zadani cjenik
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Unos imovine Pokret {0} stvorio
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nijedna stavka nije pronađena.
@@ -2481,16 +2499,17 @@
 DocType: Journal Entry,Entry Type,Ulaz Tip
 ,Customer Credit Balance,Kupac saldo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Neto promjena u obveze prema dobavljačima
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditna je ograničenja prekinuta za kupca {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Postavite Serija za imenovanje {0} putem postavke&gt; Postavke&gt; Serija za imenovanje
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditna je ograničenja prekinuta za kupca {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kupac je potrebno za ' Customerwise Popust '
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Update banka datum plaćanja s časopisima.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Cijena
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Cijena
 DocType: Quotation,Term Details,Oročeni Detalji
 DocType: Employee Incentive,Employee Incentive,Poticaj zaposlenika
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ne može se prijaviti više od {0} studenata za ovaj grupe studenata.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Ukupno (Bez poreza)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Olovni broj
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Dostupno
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Dostupno
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planiranje kapaciteta za (dani)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,nabavka
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Nitko od stavki ima bilo kakve promjene u količini ili vrijednosti.
@@ -2514,7 +2533,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Ostavi i posjećenost
 DocType: Asset,Comprehensive Insurance,Sveobuhvatno osiguranje
 DocType: Maintenance Visit,Partially Completed,Djelomično završeni
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Ocjena lojalnosti: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Ocjena lojalnosti: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Dodaj vodi
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Umjerena osjetljivost
 DocType: Leave Type,Include holidays within leaves as leaves,Uključi odmor u lišće što lišće
 DocType: Loyalty Program,Redemption,otkup
@@ -2548,7 +2568,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Troškovi marketinga
 ,Item Shortage Report,Nedostatak izvješća za proizvod
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Nije moguće stvoriti standardne kriterije. Preimenujte kriterije
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spomenuto, \n Molimo spomenuti ""težinu UOM"" previše"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spomenuto, \n Molimo spomenuti ""težinu UOM"" previše"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Zahtjev za robom korišten za izradu ovog ulaza robe
 DocType: Hub User,Hub Password,Zaporka huba
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Odvojena grupa za tečajeve za svaku seriju
@@ -2562,15 +2582,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Trajanje sastanka (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Provjerite knjiženje za svaki burzi pokreta
 DocType: Leave Allocation,Total Leaves Allocated,Ukupno Lišće Dodijeljeni
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Unesite valjani financijske godine datum početka i kraja
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Unesite valjani financijske godine datum početka i kraja
 DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu
 DocType: Upload Attendance,Get Template,Kreiraj predložak
+,Sales Person Commission Summary,Sažetak Povjerenstva za prodaju
 DocType: Additional Salary Component,Additional Salary Component,Dodatna komponenta plaća
 DocType: Material Request,Transferred,prebačen
 DocType: Vehicle,Doors,vrata
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext dovršeno!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext dovršeno!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Prikupiti naknadu za registraciju pacijenata
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nije moguće promijeniti atribute nakon transakcije zaliha. Napravite novu stavku i prenesite dionicu novoj stavci
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nije moguće promijeniti atribute nakon transakcije zaliha. Napravite novu stavku i prenesite dionicu novoj stavci
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Porezna prekid
 DocType: Employee,Joining Details,Pridruživanje pojedinosti
@@ -2598,14 +2619,15 @@
 DocType: Lead,Next Contact By,Sljedeći kontakt od
 DocType: Compensatory Leave Request,Compensatory Leave Request,Zahtjev za kompenzacijski dopust
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Količina potrebna za proizvod {0} u redku {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima proizvod {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima proizvod {1}
 DocType: Blanket Order,Order Type,Vrsta narudžbe
 ,Item-wise Sales Register,Stavka-mudri prodaja registar
 DocType: Asset,Gross Purchase Amount,Bruto Iznos narudžbe
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Početna salda
 DocType: Asset,Depreciation Method,Metoda amortizacije
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je li ovo pristojba uključena u osnovne stope?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Ukupno Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Ukupno Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analiza percepcije
 DocType: Soil Texture,Sand Composition (%),Sastav pijeska (%)
 DocType: Job Applicant,Applicant for a Job,Podnositelj zahtjeva za posao
 DocType: Production Plan Material Request,Production Plan Material Request,Izrada plana materijala Zahtjev
@@ -2620,23 +2642,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Ocjena ocjenjivanja (od 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Ne
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Glavni
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Sljedeća stavka {0} nije označena kao {1} stavka. Možete ih omogućiti kao {1} stavku iz svog master stavke
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Varijanta
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Za stavku {0}, količina mora biti negativni broj"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije
 DocType: Employee Attendance Tool,Employees HTML,Zaposlenici HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Zadana BOM ({0}) mora biti aktivan za tu stavku ili njegov predložak
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Zadana BOM ({0}) mora biti aktivan za tu stavku ili njegov predložak
 DocType: Employee,Leave Encashed?,Odsustvo naplaćeno?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Prilika Od polje je obavezno
 DocType: Email Digest,Annual Expenses,Godišnji troškovi
 DocType: Item,Variants,Varijante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Napravi narudžbu kupnje
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Napravi narudžbu kupnje
 DocType: SMS Center,Send To,Pošalji
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Dodijeljeni iznos
 DocType: Sales Team,Contribution to Net Total,Doprinos neto Ukupno
 DocType: Sales Invoice Item,Customer's Item Code,Kupca Stavka Šifra
 DocType: Stock Reconciliation,Stock Reconciliation,Kataloški pomirenje
 DocType: Territory,Territory Name,Naziv teritorija
+DocType: Email Digest,Purchase Orders to Receive,Narudžbenice za primanje
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,U pretplati možete imati samo planove s istim ciklusom naplate
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Prijenos podataka
@@ -2653,9 +2677,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Dupli serijski broj unešen za proizvod {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Prati vodio izvorom olova.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Uvjet za Pravilo isporuke
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Molim uđite
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Molim uđite
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Zapisnik održavanja
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Molimo postavite filter na temelju stavka ili skladište
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Molimo postavite filter na temelju stavka ili skladište
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina tog paketa. (Automatski izračunava kao zbroj neto težini predmeta)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Napravite unos dnevnika internih tvrtki
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Iznos popusta ne može biti veći od 100%
@@ -2664,15 +2688,15 @@
 DocType: Sales Order,To Deliver and Bill,Za isporuku i Bill
 DocType: Student Group,Instructors,Instruktori
 DocType: GL Entry,Credit Amount in Account Currency,Kreditna Iznos u valuti računa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} mora biti podnesen
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Upravljanje dijeljenjem
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} mora biti podnesen
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Upravljanje dijeljenjem
 DocType: Authorization Control,Authorization Control,Kontrola autorizacije
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Red # {0}: Odbijen Skladište je obvezna protiv odbijena točka {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Uplata
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Red # {0}: Odbijen Skladište je obvezna protiv odbijena točka {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Uplata
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Skladište {0} nije povezano s bilo kojim računom, navedite račun u skladištu ili postavite zadani račun zaliha u tvrtki {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Upravljanje narudžbe
 DocType: Work Order Operation,Actual Time and Cost,Stvarnog vremena i troškova
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Zahtjev za robom od maksimalnih {0} može biti napravljen za proizvod {1} od narudžbe kupca {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Zahtjev za robom od maksimalnih {0} može biti napravljen za proizvod {1} od narudžbe kupca {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Razmak bjelančevina
 DocType: Course,Course Abbreviation,naziv predmeta
@@ -2684,6 +2708,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Ukupno radno vrijeme ne smije biti veći od max radnog vremena {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,na
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Hrpa proizvoda u vrijeme prodaje.
+DocType: Delivery Settings,Dispatch Settings,Postavke za slanje
 DocType: Material Request Plan Item,Actual Qty,Stvarna kol
 DocType: Sales Invoice Item,References,Reference
 DocType: Quality Inspection Reading,Reading 10,Čitanje 10
@@ -2693,11 +2718,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Unijeli ste dupli proizvod. Ispravite i pokušajte ponovno.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,pomoćnik
 DocType: Asset Movement,Asset Movement,imovina pokret
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Mora se poslati radni nalog {0}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Novi Košarica
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Mora se poslati radni nalog {0}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Novi Košarica
 DocType: Taxable Salary Slab,From Amount,Iz Iznos
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Proizvod {0} nije serijalizirani proizvod
 DocType: Leave Type,Encashment,naplate
+DocType: Delivery Settings,Delivery Settings,Postavke isporuke
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Dohvatite podatke
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maksimalni dopust dopušten u dopuštenoj vrsti {0} je {1}
 DocType: SMS Center,Create Receiver List,Stvaranje Receiver popis
 DocType: Vehicle,Wheels,kotači
@@ -2713,7 +2740,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Valuta naplate mora biti jednaka valutnoj valuti ili valuti stranke računa tvrtke
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Ukazuje da je paket je dio ove isporuke (samo nacrti)
 DocType: Soil Texture,Loam,Ilovača
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Redak {0}: Datum dospijeća ne može biti prije objavljivanja datuma
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Redak {0}: Datum dospijeća ne može biti prije objavljivanja datuma
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Napravi ulazno plaćanje
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Količina za proizvod {0} mora biti manja od {1}
 ,Sales Invoice Trends,Trendovi prodajnih računa
@@ -2721,12 +2748,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,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 '"
 DocType: Sales Order Item,Delivery Warehouse,Isporuka Skladište
 DocType: Leave Type,Earned Leave Frequency,Učestalost dobivenih odmora
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Drvo centara financijski trošak.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Sub Type
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Drvo centara financijski trošak.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Sub Type
 DocType: Serial No,Delivery Document No,Dokument isporuke br
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Osigurajte dostavu na temelju proizvedenog serijskog br
 DocType: Vital Signs,Furry,Krznen
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Molimo postavite &quot;dobici / gubici računa na sredstva Odlaganje &#39;u Društvu {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Molimo postavite &quot;dobici / gubici računa na sredstva Odlaganje &#39;u Društvu {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Se predmeti od kupnje primitke
 DocType: Serial No,Creation Date,Datum stvaranja
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Ciljana lokacija potrebna je za element {0}
@@ -2740,10 +2767,11 @@
 DocType: Item,Has Variants,Je Varijante
 DocType: Employee Benefit Claim,Claim Benefit For,Zatražite korist od
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Ažurirajte odgovor
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Već ste odabrali stavke iz {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Već ste odabrali stavke iz {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Naziv mjesečne distribucije
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ID serije obvezan je
 DocType: Sales Person,Parent Sales Person,Nadređeni prodavač
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Nijedna stavka koju treba primiti nije kasna
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Prodavatelj i kupac ne mogu biti isti
 DocType: Project,Collect Progress,Prikupiti napredak
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2759,7 +2787,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Money
 DocType: Budget,Budget,Budžet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Postavi Otvori
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fiksni Asset Stavka mora biti ne-stock točka a.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fiksni Asset Stavka mora biti ne-stock točka a.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Proračun se ne može dodijeliti protiv {0}, kao što je nije prihod ili rashod račun"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maksimalni iznos izuzeća za {0} je {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Ostvareno
@@ -2777,9 +2805,9 @@
 ,Amount to Deliver,Iznos za isporuku
 DocType: Asset,Insurance Start Date,Datum početka osiguranja
 DocType: Salary Component,Flexible Benefits,Fleksibilne prednosti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Ista stavka je unesena više puta. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Ista stavka je unesena više puta. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Datum Pojam početka ne može biti ranije od godine Datum početka akademske godine u kojoj je pojam vezan (Akademska godina {}). Ispravite datume i pokušajte ponovno.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Bilo je grešaka .
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Bilo je grešaka .
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Zaposlenik {0} već je podnio zahtjev za {1} između {2} i {3}:
 DocType: Guardian,Guardian Interests,Guardian Interesi
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Ažuriranje naziva / broja računa
@@ -2819,9 +2847,9 @@
 ,Item-wise Purchase History,Povjest nabave po stavkama
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,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}"
 DocType: Account,Frozen,Zaleđeni
-DocType: Delivery Note,Vehicle Type,tip vozila
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,tip vozila
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Baza Iznos (Društvo valuta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Sirovine
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Sirovine
 DocType: Payment Reconciliation Payment,Reference Row,Referentni Row
 DocType: Installation Note,Installation Time,Vrijeme instalacije
 DocType: Sales Invoice,Accounting Details,Računovodstvo Detalji
@@ -2830,12 +2858,13 @@
 DocType: Inpatient Record,O Positive,O pozitivno
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investicije
 DocType: Issue,Resolution Details,Rezolucija o Brodu
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,vrsta transakcije
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,vrsta transakcije
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriterij prihvaćanja
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Unesite materijala zahtjeva u gornjoj tablici
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Nije dostupna otplata za unos dnevnika
 DocType: Hub Tracked Item,Image List,Popis slika
 DocType: Item Attribute,Attribute Name,Ime atributa
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generiranje fakture na početku razdoblja
 DocType: BOM,Show In Website,Pokaži na web stranici
 DocType: Loan Application,Total Payable Amount,Ukupno obveze prema dobavljačima iznos
 DocType: Task,Expected Time (in hours),Očekivani vrijeme (u satima)
@@ -2872,7 +2901,7 @@
 DocType: Employee,Resignation Letter Date,Ostavka Pismo Datum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Pravilnik o određivanju cijena dodatno se filtrira na temelju količine.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Nije postavljeno
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Postavite datum pridruživanja za zaposlenika {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Postavite datum pridruživanja za zaposlenika {0}
 DocType: Inpatient Record,Discharge,Pražnjenje
 DocType: Task,Total Billing Amount (via Time Sheet),Ukupan iznos za naplatu (preko vremenska tablica)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite kupaca prihoda
@@ -2882,13 +2911,13 @@
 DocType: Chapter,Chapter,Poglavlje
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Par
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Zadani račun automatski će se ažurirati u POS fakturu kada je ovaj način odabran.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Odaberite BOM i Kol za proizvodnju
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Odaberite BOM i Kol za proizvodnju
 DocType: Asset,Depreciation Schedule,Amortizacija Raspored
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresa prodavača i kontakti
 DocType: Bank Reconciliation Detail,Against Account,Protiv računa
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Poludnevni Datum treba biti između od datuma i datuma
 DocType: Maintenance Schedule Detail,Actual Date,Stvarni datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Postavite Zadani centar troškova u tvrtki {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Postavite Zadani centar troškova u tvrtki {0}.
 DocType: Item,Has Batch No,Je Hrpa Ne
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Godišnji naplatu: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Detalj Shopify Webhook
@@ -2900,7 +2929,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Vrsta Shift
 DocType: Student,Personal Details,Osobni podaci
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo postavite &quot;imovinom Centar Amortizacija troškova &#39;u Društvu {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo postavite &quot;imovinom Centar Amortizacija troškova &#39;u Društvu {0}
 ,Maintenance Schedules,Održavanja rasporeda
 DocType: Task,Actual End Date (via Time Sheet),Stvarni Datum završetka (putem vremenska tablica)
 DocType: Soil Texture,Soil Type,Vrsta tla
@@ -2908,10 +2937,10 @@
 ,Quotation Trends,Trend ponuda
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Stavka proizvoda se ne spominje u master artiklu za artikal {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandat za GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Zaduženja računa mora biti Potraživanja račun
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Zaduženja računa mora biti Potraživanja račun
 DocType: Shipping Rule,Shipping Amount,Dostava Iznos
 DocType: Supplier Scorecard Period,Period Score,Ocjena razdoblja
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Dodaj korisnike
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Dodaj korisnike
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Iznos na čekanju
 DocType: Lab Test Template,Special,poseban
 DocType: Loyalty Program,Conversion Factor,Konverzijski faktor
@@ -2928,7 +2957,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Dodaj pismo zaglavlja
 DocType: Program Enrollment,Self-Driving Vehicle,Vozila samostojećih
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Stalna ocjena dobavljača
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Redak {0}: broj materijala koji nije pronađen za stavku {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Redak {0}: broj materijala koji nije pronađen za stavku {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Ukupno dodijeljeni lišće {0} ne može biti manja od već odobrenih lišća {1} za razdoblje
 DocType: Contract Fulfilment Checklist,Requirement,Zahtjev
 DocType: Journal Entry,Accounts Receivable,Potraživanja
@@ -2944,16 +2973,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR postavke
 DocType: Salary Slip,net pay info,Neto info plaća
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Iznos CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Iznos CESS
 DocType: Woocommerce Settings,Enable Sync,Omogući sinkronizaciju
 DocType: Tax Withholding Rate,Single Transaction Threshold,Prag pojedinačne transakcije
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ova je vrijednost ažurirana u zadanom cjeniku prodajnih cijena.
 DocType: Email Digest,New Expenses,Novi troškovi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC iznos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC iznos
 DocType: Shareholder,Shareholder,dioničar
 DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Iznos
 DocType: Cash Flow Mapper,Position,Položaj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Preuzmite stavke iz recepata
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Preuzmite stavke iz recepata
 DocType: Patient,Patient Details,Detalji pacijenta
 DocType: Inpatient Record,B Positive,B Pozitivan
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2965,8 +2994,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupa ne-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,sportovi
 DocType: Loan Type,Loan Name,Naziv kredita
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Ukupno Stvarni
-DocType: Lab Test UOM,Test UOM,Ispitaj UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Ukupno Stvarni
 DocType: Student Siblings,Student Siblings,Studentski Braća i sestre
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detalji o planu pretplate
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,jedinica
@@ -2993,7 +3021,6 @@
 DocType: Workstation,Wages per hour,Satnice
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ravnoteža u batch {0} postat negativna {1} za točku {2} na skladištu {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Sljedeći materijal Zahtjevi su automatski podigli na temelju stavke razini ponovno narudžbi
-DocType: Email Digest,Pending Sales Orders,U tijeku su nalozi za prodaju
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeći. Valuta računa mora biti {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Od datuma {0} ne može biti nakon datuma olakšavanja zaposlenika {1}
 DocType: Supplier,Is Internal Supplier,Je li unutarnji dobavljač
@@ -3002,13 +3029,14 @@
 DocType: Healthcare Settings,Remind Before,Podsjetite prije
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od prodajnog naloga, prodaja fakture ili Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od prodajnog naloga, prodaja fakture ili Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 lojalnost bodova = kolika bazna valuta?
 DocType: Salary Component,Deduction,Odbitak
 DocType: Item,Retain Sample,Zadrži uzorak
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i vremena je obavezno.
 DocType: Stock Reconciliation Item,Amount Difference,iznos razlika
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Cijena dodana za {0} u cjeniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Cijena dodana za {0} u cjeniku {1}
+DocType: Delivery Stop,Order Information,Informacije o narudžbi
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Unesite ID zaposlenika ove prodaje osobi
 DocType: Territory,Classification of Customers by region,Klasifikacija korisnika po regiji
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,U proizvodnji
@@ -3019,8 +3047,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Izračunato banka Izjava stanje
 DocType: Normal Test Template,Normal Test Template,Predložak za normalan test
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,onemogućen korisnika
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Ponuda
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Nije moguće postaviti primljeni RFQ na nijedan citat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Ponuda
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Nije moguće postaviti primljeni RFQ na nijedan citat
 DocType: Salary Slip,Total Deduction,Ukupno Odbitak
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Odaberite račun za ispis u valuti računa
 ,Production Analytics,Proizvodnja Analytics
@@ -3033,14 +3061,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Postavljanje tablice dobavljača
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Naziv plana procjene
 DocType: Work Order Operation,Work Order Operation,Radni nalog
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL potvrda o vezanosti {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL potvrda o vezanosti {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Potencijalni kupci će vam pomoći u posao, dodati sve svoje kontakte, a više kao svoje potencijalne klijente"
 DocType: Work Order Operation,Actual Operation Time,Stvarni Operacija vrijeme
 DocType: Authorization Rule,Applicable To (User),Odnosi se na (Upute)
 DocType: Purchase Taxes and Charges,Deduct,Odbiti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Opis Posla
 DocType: Student Applicant,Applied,primijenjen
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Ponovno otvorena
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Ponovno otvorena
 DocType: Sales Invoice Item,Qty as per Stock UOM,Količina po skladišnom UOM-u
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Ime Guardian2
 DocType: Attendance,Attendance Request,Zahtjev za sudjelovanjem
@@ -3058,7 +3086,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijski Ne {0} je pod jamstvom upto {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dopuštena vrijednost
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Korisnik {0} već postoji
-apps/erpnext/erpnext/hooks.py +114,Shipments,Pošiljke
+apps/erpnext/erpnext/hooks.py +115,Shipments,Pošiljke
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Ukupno Dodijeljeni iznos (Društvo valuta)
 DocType: Purchase Order Item,To be delivered to customer,Da biste se dostaviti kupcu
 DocType: BOM,Scrap Material Cost,Otpaci materijalni troškovi
@@ -3066,11 +3094,12 @@
 DocType: Grant Application,Email Notification Sent,Poslana obavijest e-pošte
 DocType: Purchase Invoice,In Words (Company Currency),Riječima (valuta tvrtke)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Tvrtka je racionalna za račun tvrtke
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Šifra stavke, skladište, količina potrebna su u retku"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Šifra stavke, skladište, količina potrebna su u retku"
 DocType: Bank Guarantee,Supplier,Dobavljač
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Dobiti Iz
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ovo je korijenski odjel i ne može se uređivati.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Prikaži pojedinosti o plaćanju
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Trajanje u danima
 DocType: C-Form,Quarter,Četvrtina
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Razni troškovi
 DocType: Global Defaults,Default Company,Zadana tvrtka
@@ -3078,7 +3107,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,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
 DocType: Bank,Bank Name,Naziv banke
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Iznad
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Ostavite prazno polje za narudžbenice za sve dobavljače
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Ostavite prazno polje za narudžbenice za sve dobavljače
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Naknada za naplatu bolničkog posjeta
 DocType: Vital Signs,Fluid,tekućina
 DocType: Leave Application,Total Leave Days,Ukupno Ostavite Dani
@@ -3087,7 +3116,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Postavke varijacije stavke
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Odaberite tvrtku ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Ostavite prazno ako se odnosi na sve odjele
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} je obavezno za točku {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} je obavezno za točku {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Stavka {0}: {1} qty proizvedena,"
 DocType: Payroll Entry,Fortnightly,četrnaestodnevni
 DocType: Currency Exchange,From Currency,Od novca
@@ -3136,7 +3165,7 @@
 DocType: Account,Fixed Asset,Dugotrajna imovina
 DocType: Amazon MWS Settings,After Date,Nakon datuma
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serijaliziranom Inventar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Nevažeći {0} za fakturu tvrtke Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Nevažeći {0} za fakturu tvrtke Inter.
 ,Department Analytics,Analytics odjela
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Email nije pronađen u zadanom kontaktu
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generirajte tajnu
@@ -3154,6 +3183,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Uz plaćanje poreza
 DocType: Expense Claim Detail,Expense Claim Detail,Rashodi Zahtjev Detalj
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Postavite instruktor imenovanja sustava u obrazovanju&gt; Postavke obrazovanja
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE ZA DOBAVLJAČ
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Novi saldo u osnovnoj valuti
 DocType: Location,Is Container,Je li kontejner
@@ -3161,13 +3191,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Molimo odaberite ispravnu račun
 DocType: Salary Structure Assignment,Salary Structure Assignment,Dodjela strukture plaća
 DocType: Purchase Invoice Item,Weight UOM,Težina UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Popis dostupnih dioničara s folijskim brojevima
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Popis dostupnih dioničara s folijskim brojevima
 DocType: Salary Structure Employee,Salary Structure Employee,Struktura plaća zaposlenika
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Prikaži svojstva varijacije
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Prikaži svojstva varijacije
 DocType: Student,Blood Group,Krvna grupa
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Račun za gateway plaćanja u planu {0} se razlikuje od računa za pristupnik plaćanja u ovom zahtjevu za plaćanje
 DocType: Course,Course Name,Naziv predmeta
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nema podataka o zadržavanju poreza za aktualnu fiskalnu godinu.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nema podataka o zadržavanju poreza za aktualnu fiskalnu godinu.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Korisnici koji može odobriti dopust aplikacije neke specifične zaposlenika
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Uredska oprema
 DocType: Purchase Invoice Item,Qty,Kol
@@ -3175,6 +3205,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Bodovanje postavki
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Omogući istu stavku više puta
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Podignite Materijal Zahtjev kad dionica dosegne ponovno poredak razinu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Puno radno vrijeme
 DocType: Payroll Entry,Employees,zaposlenici
@@ -3186,11 +3217,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Potvrda uplate
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Cijene neće biti prikazana ako Cjenik nije postavljena
 DocType: Stock Entry,Total Incoming Value,Ukupno Dolazni vrijednost
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Zaduženja je potrebno
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Zaduženja je potrebno
 DocType: Clinical Procedure,Inpatient Record,Popis bolesnika
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomoći pratiti vrijeme, troškove i naplatu za aktivnostima obavljaju unutar vašeg tima"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Kupovni cjenik
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Datum transakcije
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Kupovni cjenik
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Datum transakcije
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Predlošci varijabli s rezultatima dobavljača.
 DocType: Job Offer Term,Offer Term,Ponuda Pojam
 DocType: Asset,Quality Manager,Upravitelj kvalitete
@@ -3211,18 +3242,18 @@
 DocType: Cashier Closing,To Time,Za vrijeme
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) za {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Odobravanje ulogu (iznad ovlaštenog vrijednosti)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredit računa mora biti naplativo račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredit računa mora biti naplativo račun
 DocType: Loan,Total Amount Paid,Plaćeni ukupni iznos
 DocType: Asset,Insurance End Date,Završni datum osiguranja
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Molimo odaberite Studentski ulaz koji je obvezan za plaćenog studenta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Popis proračuna
 DocType: Work Order Operation,Completed Qty,Završen Kol
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, samo debitne računi se mogu povezati protiv druge kreditne stupanja"
 DocType: Manufacturing Settings,Allow Overtime,Dopusti Prekovremeni
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serializiranu stavku {0} ne može se ažurirati pomoću usklađivanja zaliha, molimo koristite Stock Entry"
 DocType: Training Event Employee,Training Event Employee,Trening utrka zaposlenika
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimalni uzorci - {0} mogu se zadržati za šaržu {1} i stavku {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimalni uzorci - {0} mogu se zadržati za šaržu {1} i stavku {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Dodaj vrijeme
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijski brojevi potrebni za Artikl {1}. Ti su dali {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutno Vrednovanje Ocijenite
@@ -3253,11 +3284,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijski broj {0} nije pronađen
 DocType: Fee Schedule Program,Fee Schedule Program,Program rasporeda naknada
 DocType: Fee Schedule Program,Student Batch,Student serije
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Obrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Provjerite Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Vrsta jedinice za pružanje zdravstvene zaštite
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Pozvani ste za suradnju na projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Pozvani ste za suradnju na projektu: {0}
 DocType: Supplier Group,Parent Supplier Group,Grupa dobavljača roditelja
+DocType: Email Digest,Purchase Orders to Bill,Nalozi za kupnju
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Akumulirane vrijednosti u grupi tvrtke
 DocType: Leave Block List Date,Block Date,Datum bloka
 DocType: Crop,Crop,Usjev
@@ -3269,6 +3303,7 @@
 DocType: Sales Order,Not Delivered,Ne isporučeno
 ,Bank Clearance Summary,Razmak banka Sažetak
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Stvaranje i upravljanje automatskih mailova na dnevnoj, tjednoj i mjesečnoj bazi."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,To se temelji na transakcijama protiv ove prodajne osobe. Pojedinosti potražite u nastavku
 DocType: Appraisal Goal,Appraisal Goal,Procjena gol
 DocType: Stock Reconciliation Item,Current Amount,Trenutni iznos
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Građevine
@@ -3295,7 +3330,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Software
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Sljedeća Kontakt Datum ne može biti u prošlosti
 DocType: Company,For Reference Only.,Za samo kao referenca.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Odaberite šifra serije
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Odaberite šifra serije
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Pogrešna {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referenca Inv
@@ -3313,16 +3348,16 @@
 DocType: Normal Test Items,Require Result Value,Zahtijevati vrijednost rezultata
 DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice
 DocType: Tax Withholding Rate,Tax Withholding Rate,Stopa zadržavanja poreza
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Sastavnice
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,prodavaonice
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Sastavnice
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,prodavaonice
 DocType: Project Type,Projects Manager,Projekti Manager
 DocType: Serial No,Delivery Time,Vrijeme isporuke
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Starenje temelju On
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Imenovanje je otkazano
 DocType: Item,End of Life,Kraj života
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,putovanje
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,putovanje
 DocType: Student Report Generation Tool,Include All Assessment Group,Uključi sve grupe za procjenu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Ne aktivni ili zadani Struktura plaća pronađeno za zaposlenika {0} za navedene datume
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Ne aktivni ili zadani Struktura plaća pronađeno za zaposlenika {0} za navedene datume
 DocType: Leave Block List,Allow Users,Omogućiti korisnicima
 DocType: Purchase Order,Customer Mobile No,Kupac mobilne Ne
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pojedinosti o predlošku mapiranja novčanog toka
@@ -3331,15 +3366,16 @@
 DocType: Rename Tool,Rename Tool,Preimenovanje
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Update cost
 DocType: Item Reorder,Item Reorder,Ponovna narudžba proizvoda
+DocType: Delivery Note,Mode of Transport,Način prijevoza
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Prikaži Plaća proklizavanja
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Prijenos materijala
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Prijenos materijala
 DocType: Fees,Send Payment Request,Pošalji zahtjev za plaćanje
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Navedite operacija, operativni troškovi i dati jedinstven radom najkasnije do svojih operacija ."
 DocType: Travel Request,Any other details,Sve ostale pojedinosti
 DocType: Water Analysis,Origin,Podrijetlo
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ovaj dokument je preko granice po {0} {1} za stavku {4}. Jeste li što drugo {3} protiv iste {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Molimo postavite ponavljajući nakon spremanja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Iznos računa Odaberi promjene
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Molimo postavite ponavljajući nakon spremanja
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Iznos računa Odaberi promjene
 DocType: Purchase Invoice,Price List Currency,Valuta cjenika
 DocType: Naming Series,User must always select,Korisničko uvijek mora odabrati
 DocType: Stock Settings,Allow Negative Stock,Dopustite negativnu zalihu
@@ -3360,9 +3396,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sljedivost
 DocType: Asset Maintenance Log,Actions performed,Radnje izvršene
 DocType: Cash Flow Mapper,Section Leader,Voditelj odsjeka
+DocType: Delivery Note,Transport Receipt No,Prijevoz br
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Izvor sredstava ( pasiva)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Izvor i ciljna lokacija ne mogu biti isti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redku {0} ({1}) mora biti ista kao proizvedena količina {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redku {0} ({1}) mora biti ista kao proizvedena količina {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Zaposlenik
 DocType: Bank Guarantee,Fixed Deposit Number,Fiksni broj pologa
 DocType: Asset Repair,Failure Date,Datum neuspjeha
@@ -3376,16 +3413,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Odbici plaćanja ili gubitak
 DocType: Soil Analysis,Soil Analysis Criterias,Kriteriji analize tla
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Jeste li sigurni da želite otkazati ovaj termin?
+DocType: BOM Item,Item operation,Radnja stavke
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Jeste li sigurni da želite otkazati ovaj termin?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotelski paket cijene za sobu
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Prodaja cjevovoda
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Prodaja cjevovoda
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Molimo postavite zadani račun plaće komponente {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Potrebna On
 DocType: Rename Tool,File to Rename,Datoteka za Preimenovanje
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Odaberite BOM za točku u nizu {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Dohvati ažuriranja pretplate
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Račun {0} ne odgovara tvrtki {1} u načinu računa: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Određena BOM {0} ne postoji za točku {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Određena BOM {0} ne postoji za točku {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Tečaj:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Stavka održavanja {0} mora biti otkazana prije poništenja ove narudžbe kupca
@@ -3394,7 +3432,7 @@
 DocType: Notification Control,Expense Claim Approved,Rashodi Zahtjev odobren
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Postavi unaprijed i dodijeliti (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nema stvorenih radnih naloga
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Plaća proklizavanja zaposlenika {0} već stvorena za ovo razdoblje
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Plaća proklizavanja zaposlenika {0} već stvorena za ovo razdoblje
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutski
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Količinu napuštanja možete poslati samo za valjani iznos naplate
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Troškovi kupljene predmete
@@ -3402,7 +3440,8 @@
 DocType: Selling Settings,Sales Order Required,Prodajnog naloga Obvezno
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Postanite prodavač
 DocType: Purchase Invoice,Credit To,Kreditne Da
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktivne ponude / kupce
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktivne ponude / kupce
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Ostavite prazno da biste koristili standardni format isporuke Napomena
 DocType: Employee Education,Post Graduate,Post diplomski
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalji rasporeda održavanja
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Upozorenje za nove narudžbenice
@@ -3416,14 +3455,14 @@
 DocType: Support Search Source,Post Title Key,Ključ postaje naslova
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Za Job Card
 DocType: Warranty Claim,Raised By,Povišena Do
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,propisi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,propisi
 DocType: Payment Gateway Account,Payment Account,Račun za plaćanje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Navedite Tvrtka postupiti
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Navedite Tvrtka postupiti
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Neto promjena u potraživanja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,kompenzacijski Off
 DocType: Job Offer,Accepted,Prihvaćeno
 DocType: POS Closing Voucher,Sales Invoices Summary,Sažetak prodajnih računa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Za ime partije
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Za ime partije
 DocType: Grant Application,Organization,Organizacija
 DocType: BOM Update Tool,BOM Update Tool,Alat za ažuriranje BOM-a
 DocType: SG Creation Tool Course,Student Group Name,Naziv grupe studenata
@@ -3432,7 +3471,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Molimo provjerite da li stvarno želite izbrisati sve transakcije za ovu tvrtku. Vaši matični podaci će ostati kao što je to. Ova radnja se ne može poništiti.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Rezultati pretraživanja
 DocType: Room,Room Number,Broj sobe
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Pogrešna referentni {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Pogrešna referentni {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći od planirane količine ({2}) u proizvodnom nalogu {3}
 DocType: Shipping Rule,Shipping Rule Label,Dostava Pravilo Label
 DocType: Journal Entry Account,Payroll Entry,Ulazak plaće
@@ -3440,8 +3479,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Napravite predložak poreza
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum za korisnike
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Sirovine ne može biti prazno.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Redak # {0} (Tablica plaćanja): iznos mora biti negativan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Ne može se ažurirati zaliha, fakture sadrži drop shipping stavke."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Redak # {0} (Tablica plaćanja): iznos mora biti negativan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Ne može se ažurirati zaliha, fakture sadrži drop shipping stavke."
 DocType: Contract,Fulfilment Status,Status ispunjenja
 DocType: Lab Test Sample,Lab Test Sample,Uzorak laboratorija
 DocType: Item Variant Settings,Allow Rename Attribute Value,Dopusti Preimenuj Vrijednost atributa
@@ -3483,11 +3522,11 @@
 DocType: BOM,Show Operations,Pokaži operacije
 ,Minutes to First Response for Opportunity,Zapisnik na prvi odgovor za priliku
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Ukupno Odsutni
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Proizvod ili skladište za redak {0} ne odgovara Zahtjevu za materijalom
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Proizvod ili skladište za redak {0} ne odgovara Zahtjevu za materijalom
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Jedinica mjere
 DocType: Fiscal Year,Year End Date,Završni datum godine
 DocType: Task Depends On,Task Depends On,Zadatak ovisi o
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Prilika
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Prilika
 DocType: Operation,Default Workstation,Zadana Workstation
 DocType: Notification Control,Expense Claim Approved Message,Rashodi Zahtjev Odobren poruku
 DocType: Payment Entry,Deductions or Loss,Odbitaka ili gubitak
@@ -3525,20 +3564,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Odobravanje korisnik ne može biti isto kao korisnikapravilo odnosi se na
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Osnovna stopa (po burzi UOM)
 DocType: SMS Log,No of Requested SMS,Nema traženih SMS-a
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Ostavite bez plaće ne odgovara odobrenog odsustva primjene zapisa
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Ostavite bez plaće ne odgovara odobrenog odsustva primjene zapisa
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Sljedeći koraci
 DocType: Travel Request,Domestic,domaći
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Molimo dostaviti navedene stavke po najboljim mogućim cijenama
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Molimo dostaviti navedene stavke po najboljim mogućim cijenama
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Prijenos zaposlenika ne može se poslati prije datuma prijenosa
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Napravi račun
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Preostali saldo
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Preostali saldo
 DocType: Selling Settings,Auto close Opportunity after 15 days,Automatski zatvori Priliku nakon 15 dana
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Narudžbenice za zabavu nisu dozvoljene za {0} zbog položaja ocjene bodova {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Barcode {0} nije važeći kôd {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Barcode {0} nije važeći kôd {1}
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Godina završetka
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Kvota / olovo%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Ugovor Datum završetka mora biti veći od dana ulaska u
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Ugovor Datum završetka mora biti veći od dana ulaska u
 DocType: Driver,Driver,Vozač
 DocType: Vital Signs,Nutrition Values,Nutricionističke vrijednosti
 DocType: Lab Test Template,Is billable,Je naplativo
@@ -3549,7 +3588,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Ovo je primjer web stranica automatski generira iz ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Starenje Raspon 1
 DocType: Shopify Settings,Enable Shopify,Omogući Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Ukupni iznos predujma ne može biti veći od ukupnog iznosa potraživanja
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Ukupni iznos predujma ne može biti veći od ukupnog iznosa potraživanja
 DocType: Purchase Taxes and Charges Template,"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
@@ -3596,12 +3635,12 @@
 DocType: Employee Separation,Employee Separation,Razdvajanje zaposlenika
 DocType: BOM Item,Original Item,Izvorna stavka
 DocType: Purchase Receipt Item,Recd Quantity,RecD Količina
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Datum dokumenta
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Datum dokumenta
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Naknada zapisa nastalih - {0}
 DocType: Asset Category Account,Asset Category Account,Imovina Kategorija račun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Red # {0} (Tablica plaćanja): iznos mora biti pozitivan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Red # {0} (Tablica plaćanja): iznos mora biti pozitivan
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Odaberite Vrijednosti atributa
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Odaberite Vrijednosti atributa
 DocType: Purchase Invoice,Reason For Issuing document,Razlog za izdavanje dokumenta
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Međuskladišnica {0} nije potvrđena
 DocType: Payment Reconciliation,Bank / Cash Account,Banka / Cash račun
@@ -3610,8 +3649,10 @@
 DocType: Asset,Manual,Priručnik
 DocType: Salary Component Account,Salary Component Account,Račun plaća Komponenta
 DocType: Global Defaults,Hide Currency Symbol,Sakrij simbol valute
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Mogućnosti prodaje po izvoru
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informacije o donatorima.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Postavite serijske brojeve za prisustvovanje putem Setup&gt; Serija numeriranja
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice"
 DocType: Job Applicant,Source Name,source Name
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Uobičajeni krvni tlak odrasle osobe u odrasloj dobi iznosi približno 120 mmHg sistolički i dijastolički od 80 mmHg, skraćeno &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Postavite rok trajanja predmeta u danima, da biste postavili istek u skladu s proizvodnjom_date plus self life"
@@ -3641,7 +3682,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Količina mora biti manja od količine {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka
 DocType: Salary Component,Max Benefit Amount (Yearly),Iznos maksimalne isplate (godišnje)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS stopa%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS stopa%
 DocType: Crop,Planting Area,Područje sadnje
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Ukupno (Kol)
 DocType: Installation Note Item,Installed Qty,Instalirana kol
@@ -3663,8 +3704,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Odustani od obavijesti o odobrenju
 DocType: Buying Settings,Default Buying Price List,Zadani kupovni cjenik
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Plaća proklizavanja temelju timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Stopa kupnje
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Redak {0}: unesite mjesto stavke stavke {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Stopa kupnje
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Redak {0}: unesite mjesto stavke stavke {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,O tvrtki
 DocType: Notification Control,Sales Order Message,Poruka narudžbe kupca
@@ -3729,10 +3770,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Za redak {0}: unesite planirani iznos
 DocType: Account,Income Account,Račun prihoda
 DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Isporuka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Isporuka
 DocType: Volunteer,Weekdays,Radnim danom
 DocType: Stock Reconciliation Item,Current Qty,Trenutno Kom
 DocType: Restaurant Menu,Restaurant Menu,Izbornik restorana
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Dodajte dobavljače
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Odjeljak za pomoć
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Prethodna
@@ -3744,19 +3786,20 @@
 												fullfill Sales Order {2}",Nije moguće prikazati serijski broj {0} stavke {1} jer je rezervirano za \ fullfill prodajni nalog {2}
 DocType: Item Reorder,Material Request Type,Tip zahtjeva za robom
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Slanje e-pošte za evaluaciju potpore
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage puna, nije štedjelo"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM pretvorbe faktor je obavezno
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage puna, nije štedjelo"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM pretvorbe faktor je obavezno
 DocType: Employee Benefit Claim,Claim Date,Datum zahtjeva
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kapacitet sobe
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Već postoji zapis za stavku {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref.
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Izgubit ćete evidenciju prethodno generiranih faktura. Jeste li sigurni da želite ponovno pokrenuti ovu pretplatu?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Naknada za registraciju
 DocType: Loyalty Program Collection,Loyalty Program Collection,Zbirka programa lojalnosti
 DocType: Stock Entry Detail,Subcontracted Item,Podugovarana stavka
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} ne pripada skupini {1}
 DocType: Budget,Cost Center,Troška
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,bon #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,bon #
 DocType: Notification Control,Purchase Order Message,Poruka narudžbenice
 DocType: Tax Rule,Shipping Country,Dostava Država
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Sakrij Porezni Kupca od prodajnih transakcija
@@ -3775,23 +3818,22 @@
 DocType: Subscription,Cancel At End Of Period,Odustani na kraju razdoblja
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Već je dodano svojstvo
 DocType: Item Supplier,Item Supplier,Dobavljač proizvoda
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nema odabranih stavki za prijenos
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Sve adrese.
 DocType: Company,Stock Settings,Postavke skladišta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je moguće samo ako sljedeća svojstva su isti u obje evidencije. Je Grupa, korijen Vrsta, Društvo"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je moguće samo ako sljedeća svojstva su isti u obje evidencije. Je Grupa, korijen Vrsta, Društvo"
 DocType: Vehicle,Electric,električni
 DocType: Task,% Progress,% Napredak
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Dobit / gubitak od imovine Odlaganje
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",U sljedećoj tablici odabrat će se samo kandidatkinja za studente s statusom &quot;Odobreno&quot;.
 DocType: Tax Withholding Category,Rates,Cijene
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Broj računa za račun {0} nije dostupan. <br> Pravilno postavite svoj računni prikaz.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Broj računa za račun {0} nije dostupan. <br> Pravilno postavite svoj računni prikaz.
 DocType: Task,Depends on Tasks,Ovisi o poslovima
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Uredi hijerarhiju grupe kupaca.
 DocType: Normal Test Items,Result Value,Vrijednost rezultata
 DocType: Hotel Room,Hotels,Hoteli
-DocType: Delivery Note,Transporter Date,Datum transportera
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novi naziv troškovnog centra
 DocType: Leave Control Panel,Leave Control Panel,Upravljačka ploča odsustava
 DocType: Project,Task Completion,Zadatak Završetak
@@ -3838,11 +3880,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Sve grupe za procjenu
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Novo ime skladišta
 DocType: Shopify Settings,App Type,Vrsta aplikacije
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Ukupno {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Ukupno {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Teritorij
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Molimo spomenuti nema posjeta potrebnih
 DocType: Stock Settings,Default Valuation Method,Zadana metoda vrednovanja
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Pristojba
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Prikaži kumulativni iznos
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Ažuriranje je u tijeku. Može potrajati neko vrijeme.
 DocType: Production Plan Item,Produced Qty,Proizvedena količina
 DocType: Vehicle Log,Fuel Qty,Gorivo Kol
@@ -3850,7 +3893,7 @@
 DocType: Work Order Operation,Planned Start Time,Planirani početak vremena
 DocType: Course,Assessment,procjena
 DocType: Payment Entry Reference,Allocated,Dodijeljeni
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
 DocType: Student Applicant,Application Status,Status aplikacije
 DocType: Additional Salary,Salary Component Type,Vrsta komponente plaće
 DocType: Sensitivity Test Items,Sensitivity Test Items,Ispitne stavke osjetljivosti
@@ -3861,10 +3904,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Ukupni iznos
 DocType: Sales Partner,Targets,Ciljevi
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Molimo registrirajte SIREN broj u informativnu datoteku tvrtke
+DocType: Email Digest,Sales Orders to Bill,Narudžbe za prodaju Bill
 DocType: Price List,Price List Master,Cjenik Master
 DocType: GST Account,CESS Account,CESS račun
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Sve prodajnih transakcija može biti označene protiv više osoba ** prodaje **, tako da možete postaviti i pratiti ciljeve."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Veza na zahtjev materijala
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Veza na zahtjev materijala
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Aktivnost na forumu
 ,S.O. No.,N.K.br.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Stavka o postavkama transakcije bankovne izjave
@@ -3879,7 +3923,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Ovo je glavna grupa kupaca i ne može se mijenjati.
 DocType: Student,AB-,AB
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Ako je akumulirani mjesečni proračun premašen na PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Mjesto
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Mjesto
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revalorizacija tečaja
 DocType: POS Profile,Ignore Pricing Rule,Ignorirajte Cijene pravilo
 DocType: Employee Education,Graduate,Diplomski
@@ -3927,6 +3971,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Postavite zadani klijent u Postavkama restorana
 ,Salary Register,Plaća Registracija
 DocType: Warehouse,Parent Warehouse,Roditelj Skladište
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Grafikon
 DocType: Subscription,Net Total,Osnovica
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Zadani BOM nije pronađen za stavku {0} i projekt {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definirati različite vrste kredita
@@ -3959,24 +4004,26 @@
 DocType: Membership,Membership Status,Status članstva
 DocType: Travel Itinerary,Lodging Required,Obavezan smještaj
 ,Requested,Tražena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Nema primjedbi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Nema primjedbi
 DocType: Asset,In Maintenance,U Održavanju
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Kliknite ovaj gumb da biste povukli podatke o prodajnom nalogu tvrtke Amazon MWS.
 DocType: Vital Signs,Abdomen,Trbuh
 DocType: Purchase Invoice,Overdue,Prezadužen
 DocType: Account,Stock Received But Not Billed,Stock primljeni Ali ne Naplaćeno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Korijen računa mora biti grupa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Korijen računa mora biti grupa
 DocType: Drug Prescription,Drug Prescription,Lijek na recept
 DocType: Loan,Repaid/Closed,Otplaćuje / Zatvoreno
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Ukupni predviđeni Kol
 DocType: Monthly Distribution,Distribution Name,Naziv distribucije
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Uključi UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopa procjene nije pronađena za stavku {0}, koja je potrebna za knjiženje unosa za {1} {2}. Ako se stavka izvršava kao stavka stope nulte vrijednosti u {1}, navedite to u tablici {1} stavke. U suprotnom, izradite transakciju dolazne burze za stavku ili navedite stopu vrednovanja u zapisu Stavka, a zatim pokušajte poslati / poništiti ovaj unos"
 DocType: Course,Course Code,kod predmeta
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inspekcija kvalitete potrebna za proizvod {0}
 DocType: Location,Parent Location,Mjesto roditelja
 DocType: POS Settings,Use POS in Offline Mode,Koristite POS u izvanmrežnom načinu rada
 DocType: Supplier Scorecard,Supplier Variables,Variable dobavljača
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} je obavezan. Možda se za {1} do {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Stopa po kojoj se valuta klijenta se pretvaraju u tvrtke bazne valute
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Neto stopa (Društvo valuta)
 DocType: Salary Detail,Condition and Formula Help,Stanje i Formula Pomoć
@@ -3985,19 +4032,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Prodajni račun
 DocType: Journal Entry Account,Party Balance,Bilanca stranke
 DocType: Cash Flow Mapper,Section Subtotal,Podskupina odjeljka
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Odaberite Primijeni popusta na
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Odaberite Primijeni popusta na
 DocType: Stock Settings,Sample Retention Warehouse,Skladište za uzorkovanje uzoraka
 DocType: Company,Default Receivable Account,Zadana Potraživanja račun
 DocType: Purchase Invoice,Deemed Export,Pretraženo izvoz
 DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za izradu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Postotak popusta se može neovisno primijeniti prema jednom ili za više cjenika.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Knjiženje na skladištu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Knjiženje na skladištu
 DocType: Lab Test,LabTest Approver,LabTest odobrenje
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Već ste ocijenili kriterije procjene {}.
 DocType: Vehicle Service,Engine Oil,Motorno ulje
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Kreirani radni nalozi: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Kreirani radni nalozi: {0}
 DocType: Sales Invoice,Sales Team1,Prodaja Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Proizvod {0} ne postoji
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Proizvod {0} ne postoji
 DocType: Sales Invoice,Customer Address,Kupac Adresa
 DocType: Loan,Loan Details,zajam Detalji
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Postavljanje post-tvrtki nije uspjelo
@@ -4018,34 +4065,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Prikaži ovaj slideshow na vrhu stranice
 DocType: BOM,Item UOM,Mjerna jedinica proizvoda
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Porezna Iznos Nakon Popust Iznos (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
 DocType: Cheque Print Template,Primary Settings,Primarne postavke
 DocType: Attendance Request,Work From Home,Rad od kuće
 DocType: Purchase Invoice,Select Supplier Address,Odaberite Dobavljač adresa
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Dodavanje zaposlenika
 DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Dodatni Mali
 DocType: Company,Standard Template,standardni predložak
 DocType: Training Event,Theory,Teorija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal Tražena količina manja nego minimalna narudžba kol
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal Tražena količina manja nego minimalna narudžba kol
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Račun {0} je zamrznut
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna cjelina / Podružnica s odvojenim kontnim planom pripada Organizaciji.
 DocType: Payment Request,Mute Email,Mute e
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Hrana , piće i duhan"
 DocType: Account,Account Number,Broj računa
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Može napraviti samo plaćanje protiv Nenaplaćena {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Može napraviti samo plaćanje protiv Nenaplaćena {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Automatsko dodjeljivanje prednosti (FIFO)
 DocType: Volunteer,Volunteer,dobrovoljac
 DocType: Buying Settings,Subcontract,Podugovor
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Unesite {0} prvi
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Nema odgovora od
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Nema odgovora od
 DocType: Work Order Operation,Actual End Time,Stvarni End Time
 DocType: Item,Manufacturer Part Number,Proizvođačev broj dijela
 DocType: Taxable Salary Slab,Taxable Salary Slab,Oporeziva plaća
 DocType: Work Order Operation,Estimated Time and Cost,Procijenjeno vrijeme i trošak
 DocType: Bin,Bin,Kanta
 DocType: Crop,Crop Name,Naziv usjeva
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Samo korisnici s ulogom {0} mogu se registrirati na Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Samo korisnici s ulogom {0} mogu se registrirati na Marketplace
 DocType: SMS Log,No of Sent SMS,Broj poslanih SMS-a
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Imenovanja i susreti
@@ -4074,7 +4122,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Promijeni kod
 DocType: Purchase Invoice Item,Valuation Rate,Stopa vrednovanja
 DocType: Vehicle,Diesel,Dizel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Valuta cjenika nije odabrana
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Valuta cjenika nije odabrana
 DocType: Purchase Invoice,Availed ITC Cess,Availed ITC Cess
 ,Student Monthly Attendance Sheet,Studentski mjesečna posjećenost list
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Pravilo o isporuci primjenjuje se samo za prodaju
@@ -4090,7 +4138,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Uredi prodajne partnere.
 DocType: Quality Inspection,Inspection Type,Inspekcija Tip
 DocType: Fee Validity,Visited yet,Još posjetio
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Skladišta s postojećim transakcije se ne može pretvoriti u skupinu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Skladišta s postojećim transakcije se ne može pretvoriti u skupinu.
 DocType: Assessment Result Tool,Result HTML,rezultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Koliko često se projekt i tvrtka trebaju ažurirati na temelju prodajnih transakcija.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,istječe
@@ -4098,7 +4146,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Odaberite {0}
 DocType: C-Form,C-Form No,C-obrazac br
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Udaljenost
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Udaljenost
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Navedite svoje proizvode ili usluge koje kupujete ili prodaju.
 DocType: Water Analysis,Storage Temperature,Temperatura skladištenja
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4114,19 +4162,19 @@
 DocType: Shopify Settings,Delivery Note Series,Serija s isporukom
 DocType: Purchase Order Item,Returned Qty,Vraćeno Kom
 DocType: Student,Exit,Izlaz
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Korijen Tip je obvezno
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Korijen Tip je obvezno
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Instalacija preseta nije uspjela
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM pretvorba u satima
 DocType: Contract,Signee Details,Signee Detalji
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} trenutačno ima stajalište dobavljača rezultata {1}, a zahtjevi za odobrenje dobavljaču trebaju biti izdani s oprezom."
 DocType: Certified Consultant,Non Profit Manager,Neprofitni menadžer
 DocType: BOM,Total Cost(Company Currency),Ukupna cijena (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serijski Ne {0} stvorio
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serijski Ne {0} stvorio
 DocType: Homepage,Company Description for website homepage,Opis tvrtke za web stranici
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za praktičnost kupaca, te kodovi mogu se koristiti u tiskanim formata kao što su fakture i otpremnice"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Naziv suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nije moguće dohvatiti podatke za {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Časopis za otvaranje
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Časopis za otvaranje
 DocType: Contract,Fulfilment Terms,Uvjeti ispunjenja
 DocType: Sales Invoice,Time Sheet List,Vrijeme Lista list
 DocType: Employee,You can enter any date manually,Možete ručno unijeti bilo koji datum
@@ -4161,7 +4209,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Vaša organizacija
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Preskakanje dodjele odmora za sljedeće zaposlenike, kao što Dokumenti raspodjele odmora već postoje protiv njih. {0}"
 DocType: Fee Component,Fees Category,naknade Kategorija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Unesite olakšavanja datum .
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Unesite olakšavanja datum .
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Pojedinosti sponzora (ime, mjesto)"
 DocType: Supplier Scorecard,Notify Employee,Obavijesti zaposlenika
@@ -4174,9 +4222,9 @@
 DocType: Company,Chart Of Accounts Template,Kontni predložak
 DocType: Attendance,Attendance Date,Gledatelja Datum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Ažuriranje zaliha mora biti omogućeno za fakturu kupnje {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Artikl Cijena ažuriran za {0} u Cjeniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Artikl Cijena ažuriran za {0} u Cjeniku {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plaća raspada temelju zarađivati i odbitka.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Račun sa podređenim čvorom ne može se pretvoriti u glavnu knjigu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Račun sa podređenim čvorom ne može se pretvoriti u glavnu knjigu
 DocType: Purchase Invoice Item,Accepted Warehouse,Prihvaćeno skladište
 DocType: Bank Reconciliation Detail,Posting Date,Datum objave
 DocType: Item,Valuation Method,Metoda vrednovanja
@@ -4213,6 +4261,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Odaberite grupu
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Putovanja i troškovi potraživanja
 DocType: Sales Invoice,Redemption Cost Center,Otvoreni troškovni centar
+DocType: QuickBooks Migrator,Scope,djelokrug
 DocType: Assessment Group,Assessment Group Name,Naziv grupe procjena
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Materijal prenose Proizvodnja
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Dodaj u pojedinosti
@@ -4220,6 +4269,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Zadnji datum sinkronizacije
 DocType: Landed Cost Item,Receipt Document Type,Potvrda Document Type
 DocType: Daily Work Summary Settings,Select Companies,odaberite tvrtke
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Prijedlog / Citat
 DocType: Antibiotic,Healthcare,Zdravstvo
 DocType: Target Detail,Target Detail,Ciljana Detalj
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Jedna varijanta
@@ -4229,6 +4279,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Zatvaranje razdoblja Stupanje
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Odaberite odjel ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Troška s postojećim transakcija ne može se prevesti u skupini
+DocType: QuickBooks Migrator,Authorization URL,URL za autorizaciju
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Iznos {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortizacija
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Broj dionica i brojeva udjela nedosljedni su
@@ -4250,13 +4301,14 @@
 DocType: Support Search Source,Source DocType,Izvor DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Otvorite novu kartu
 DocType: Training Event,Trainer Email,trener Email
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Zahtjevi za robom {0} kreirani
 DocType: Restaurant Reservation,No of People,Ne od ljudi
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Predložak izraza ili ugovora.
 DocType: Bank Account,Address and Contact,Kontakt
 DocType: Vital Signs,Hyper,Hiper
 DocType: Cheque Print Template,Is Account Payable,Je li račun naplativo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock ne može se ažurirati na potvrdi o kupnji {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock ne može se ažurirati na potvrdi o kupnji {0}
 DocType: Support Settings,Auto close Issue after 7 days,Automatski zatvori Pitanje nakon 7 dana
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ostavite se ne može dodijeliti prije {0}, kao dopust ravnoteža je već ručne proslijeđena u buduće dodjele dopusta rekord {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: S obzirom / Referentni datum prelazi dopuštene kupca kreditne dana od {0} dana (s)
@@ -4274,7 +4326,7 @@
 ,Qty to Deliver,Količina za otpremu
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon će sinkronizirati podatke ažurirane nakon tog datuma
 ,Stock Analytics,Analitika skladišta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Rad se ne može ostati prazno
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Rad se ne može ostati prazno
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab test (e)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Protiv dokumenta Detalj No
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Brisanje nije dopušteno za zemlju {0}
@@ -4282,13 +4334,12 @@
 DocType: Quality Inspection,Outgoing,Odlazni
 DocType: Material Request,Requested For,Traženi Za
 DocType: Quotation Item,Against Doctype,Protiv DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
 DocType: Asset,Calculate Depreciation,Izračunajte amortizaciju
 DocType: Delivery Note,Track this Delivery Note against any Project,Prati ovu napomenu isporuke protiv bilo Projekta
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Neto novac od investicijskih
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kupac&gt; Grupa kupaca&gt; Teritorij
 DocType: Work Order,Work-in-Progress Warehouse,Rad u tijeku Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Imovina {0} mora biti predana
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Imovina {0} mora biti predana
 DocType: Fee Schedule Program,Total Students,Ukupno studenata
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Gledatelja Zapis {0} ne postoji protiv Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Reference # {0} od {1}
@@ -4307,7 +4358,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Ne može se stvoriti bonus zadržavanja za lijeve zaposlenike
 DocType: Lead,Market Segment,Tržišni segment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Voditelj poljoprivrede
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog negativnog preostali iznos {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog negativnog preostali iznos {0}
 DocType: Supplier Scorecard Period,Variables,Varijable
 DocType: Employee Internal Work History,Employee Internal Work History,Zaposlenikova interna radna povijest
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Zatvaranje (DR)
@@ -4331,22 +4382,24 @@
 DocType: Amazon MWS Settings,Synch Products,Proizvodi za sinkronizaciju
 DocType: Loyalty Point Entry,Loyalty Program,Program odanosti
 DocType: Student Guardian,Father,Otac
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Podržite ulaznice
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Ažuriraj zalihe' ne može se provesti na prodaju osnovnog sredstva
 DocType: Bank Reconciliation,Bank Reconciliation,Banka pomirenje
 DocType: Attendance,On Leave,Na odlasku
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Nabavite ažuriranja
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada Društvu {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Odaberite barem jednu vrijednost iz svakog od atributa.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Odaberite barem jednu vrijednost iz svakog od atributa.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Zahtjev za robom {0} je otkazan ili zaustavljen
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Država slanja
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Država slanja
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Ostavite upravljanje
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupe
 DocType: Purchase Invoice,Hold Invoice,Držite fakturu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Odaberite zaposlenika
 DocType: Sales Order,Fully Delivered,Potpuno Isporučeno
-DocType: Lead,Lower Income,Niža primanja
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Niža primanja
 DocType: Restaurant Order Entry,Current Order,Trenutačna narudžba
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Broj serijskih brojeva i količine mora biti isti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0}
 DocType: Account,Asset Received But Not Billed,Imovina primljena ali nije naplaćena
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika računa mora biti tipa imovine / obveza račun, jer to kataloški Pomirenje je otvaranje Stupanje"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni Iznos ne može biti veća od iznos kredita {0}
@@ -4355,7 +4408,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Od datuma' mora biti poslije 'Do datuma'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Nisu pronađeni planovi za osoblje za ovu oznaku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Šifra {0} stavke {1} onemogućena je.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Šifra {0} stavke {1} onemogućena je.
 DocType: Leave Policy Detail,Annual Allocation,Godišnja raspodjela sredstava
 DocType: Travel Request,Address of Organizer,Adresa Organizatora
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Odaberite liječnika medicine ...
@@ -4364,12 +4417,12 @@
 DocType: Asset,Fully Depreciated,potpuno amortizirana
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stanje skladišta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Korisnik {0} ne pripada projicirati {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Korisnik {0} ne pripada projicirati {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Označena Gledatelja HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citati su prijedlozi, ponude koje ste poslali na svoje klijente"
 DocType: Sales Invoice,Customer's Purchase Order,Kupca narudžbenice
 DocType: Clinical Procedure,Patient,Pacijent
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Zaobilaženje kreditne provjere na prodajnom nalogu
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Zaobilaženje kreditne provjere na prodajnom nalogu
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Djelatnost onboarding aktivnosti
 DocType: Location,Check if it is a hydroponic unit,Provjerite je li to hidroponična jedinica
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serijski broj i serije
@@ -4379,7 +4432,7 @@
 DocType: Supplier Scorecard Period,Calculations,izračuni
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,"Vrijednost, ili Kol"
 DocType: Payment Terms Template,Payment Terms,Uvjeti plaćanja
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions narudžbe se ne može podići za:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions narudžbe se ne može podići za:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minuta
 DocType: Purchase Invoice,Purchase Taxes and Charges,Nabavni porezi i terećenja
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4387,17 +4440,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Idite na Dobavljače
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Porez na bon za zatvaranje POS-a
 ,Qty to Receive,Količina za primanje
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datumi početka i završetka nisu u važećem razdoblju obračuna plaća, ne može se izračunati {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datumi početka i završetka nisu u važećem razdoblju obračuna plaća, ne može se izračunati {0}."
 DocType: Leave Block List,Leave Block List Allowed,Odobreni popis neodobrenih odsustava
 DocType: Grading Scale Interval,Grading Scale Interval,Ocjenjivanje ljestvice
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Rashodi Zahtjev za vozila Prijavite {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cjeniku s marginom
 DocType: Healthcare Service Unit Type,Rate / UOM,Ocijenite / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Svi Skladišta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Ne postoji {0} pronađen za transakcije tvrtke Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Ne postoji {0} pronađen za transakcije tvrtke Inter.
 DocType: Travel Itinerary,Rented Car,Najam automobila
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,O vašoj tvrtki
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredit na računu mora biti bilanca račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredit na računu mora biti bilanca račun
 DocType: Donor,Donor,donator
 DocType: Global Defaults,Disable In Words,Onemogućavanje riječima
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Kod proizvoda je obvezan jer artikli nisu automatski numerirani
@@ -4409,14 +4462,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bank Prekoračenje računa
 DocType: Patient,Patient ID,ID pacijenta
 DocType: Practitioner Schedule,Schedule Name,Raspored imena
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Prodaja plinovoda po pozornici
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Provjerite plaće slip
 DocType: Currency Exchange,For Buying,Za kupnju
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Dodaj sve dobavljače
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Dodaj sve dobavljače
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Red # {0}: dodijeljeni iznos ne može biti veći od nepodmirenog iznosa.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Pretraživanje BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,osigurani krediti
 DocType: Purchase Invoice,Edit Posting Date and Time,Uredi datum knjiženja i vrijeme
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Molimo postavite Amortizacija se odnose računi u imovini Kategorija {0} ili Društvo {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Molimo postavite Amortizacija se odnose računi u imovini Kategorija {0} ili Društvo {1}
 DocType: Lab Test Groups,Normal Range,Normalan raspon
 DocType: Academic Term,Academic Year,Akademska godina
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Dostupna prodaja
@@ -4445,26 +4499,26 @@
 DocType: Patient Appointment,Patient Appointment,Imenovanje pacijenata
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Odobravanje ulogu ne mogu biti isti kao i ulogepravilo odnosi se na
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjaviti s ovog Pošalji Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Nabavite dobavljače po
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Nabavite dobavljače po
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nije pronađen za stavku {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Idite na Tečajeve
 DocType: Accounts Settings,Show Inclusive Tax In Print,Pokaži porez na inkluziju u tisku
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankovni račun, od datuma i do datuma su obavezni"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Poslana poruka
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Račun s djetetom čvorovi se ne može postaviti kao knjiga
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Račun s djetetom čvorovi se ne može postaviti kao knjiga
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Stopa po kojoj Cjenik valute se pretvaraju u kupca osnovne valute
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto iznos (Društvo valuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Ukupni iznos predujma ne može biti veći od ukupnog sankcioniranog iznosa
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Ukupni iznos predujma ne može biti veći od ukupnog sankcioniranog iznosa
 DocType: Salary Slip,Hour Rate,Cijena sata
 DocType: Stock Settings,Item Naming By,Proizvod imenovan po
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Drugi period Zatvaranje Stupanje {0} je postignut nakon {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materijal Preneseni za Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Račun {0} ne postoji
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Odaberite program lojalnosti
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Odaberite program lojalnosti
 DocType: Project,Project Type,Vrsta projekta
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Dijete Zadatak postoji za ovu Zadatak. Ne možete izbrisati ovu Zadatak.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Ili meta Količina ili ciljani iznos je obavezna .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Ili meta Količina ili ciljani iznos je obavezna .
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Troškovi raznih aktivnosti
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Postavljanje Događaji na {0}, budući da je zaposlenik u prilogu niže prodaje osoba nema ID korisnika {1}"
 DocType: Timesheet,Billing Details,Detalji o naplati
@@ -4521,13 +4575,13 @@
 DocType: Inpatient Record,A Negative,Negativan
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ništa više za pokazati.
 DocType: Lead,From Customer,Od kupca
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Pozivi
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Pozivi
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Proizvod
 DocType: Employee Tax Exemption Declaration,Declarations,izjave
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,serije
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Napravite raspored naknada
 DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
 DocType: Account,Expenses Included In Asset Valuation,Troškovi uključeni u procjenu vrijednosti imovine
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normalni referentni raspon za odraslu osobu je 16-20 udaha / min (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tarifni broj
@@ -4540,6 +4594,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Prvo spasi pacijenta
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Sudjelovanje je uspješno označen.
 DocType: Program Enrollment,Public Transport,Javni prijevoz
+DocType: Delivery Note,GST Vehicle Type,GST tip vozila
 DocType: Soil Texture,Silt Composition (%),Sastav kompilacije (%)
 DocType: Journal Entry,Remark,Primjedba
 DocType: Healthcare Settings,Avoid Confirmation,Izbjegnite potvrdu
@@ -4548,11 +4603,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Lišće i odmor
 DocType: Education Settings,Current Academic Term,Trenutni akademski naziv
 DocType: Sales Order,Not Billed,Nije naplaćeno
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istoj tvrtki
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istoj tvrtki
 DocType: Employee Grade,Default Leave Policy,Zadana pravila o napuštanju
 DocType: Shopify Settings,Shop URL,URL trgovine
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Još uvijek nema dodanih kontakata.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Postavite serijske brojeve za prisustvovanje putem Setup&gt; Serija numeriranja
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Iznos naloga zavisnog troška
 ,Item Balance (Simple),Stavka salda (jednostavna)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Mjenice podigao dobavljače.
@@ -4577,7 +4631,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Ponuda serija
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"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"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriteriji analize tla
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Molimo izaberite kupca
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Molimo izaberite kupca
 DocType: C-Form,I,ja
 DocType: Company,Asset Depreciation Cost Center,Imovina Centar Amortizacija troškova
 DocType: Production Plan Sales Order,Sales Order Date,Datum narudžbe (kupca)
@@ -4590,8 +4644,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Trenutno nema raspoloživih količina u bilo kojem skladištu
 ,Payment Period Based On Invoice Date,Razdoblje za naplatu po Datum fakture
 DocType: Sample Collection,No. of print,Broj ispisa
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Podsjetnik za rođendan
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervacija hotela Soba
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Nedostaje Valuta za {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Nedostaje Valuta za {0}
 DocType: Employee Health Insurance,Health Insurance Name,Naziv zdravstvenog osiguranja
 DocType: Assessment Plan,Examiner,Ispitivač
 DocType: Student,Siblings,Braća i sestre
@@ -4608,19 +4663,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novi kupci
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruto dobit%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Imenovanje {0} i prodajna faktura {1} otkazani su
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Mogućnosti izvora olova
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Promjena POS profila
 DocType: Bank Reconciliation Detail,Clearance Date,Razmak Datum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Asset već postoji protiv stavke {0}, ne možete mijenjati, nema serijske vrijednosti"
+DocType: Delivery Settings,Dispatch Notification Template,Predložak obavijesti o otpremi
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Asset već postoji protiv stavke {0}, ne možete mijenjati, nema serijske vrijednosti"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Izvješće o procjeni
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Dobiti zaposlenike
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruto Iznos narudžbe je obavezno
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Naziv tvrtke nije isti
 DocType: Lead,Address Desc,Adresa silazno
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Stranka je obvezna
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Pronađene su retke s duplikatima datuma dospijeća u drugim redcima: {list}
 DocType: Topic,Topic Name,tema Naziv
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Postavite zadani predložak za Obavijest o odobrenju za ostavljanje u HR postavkama.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Postavite zadani predložak za Obavijest o odobrenju za ostavljanje u HR postavkama.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Odaberite zaposlenika kako biste dobili zaposlenika unaprijed.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Odaberite valjani datum
@@ -4654,6 +4710,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Kupca ili dobavljača Detalji
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Trenutna vrijednost aktive
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID tvrtke QuickBooks
 DocType: Travel Request,Travel Funding,Financiranje putovanja
 DocType: Loan Application,Required by Date,Potrebna po datumu
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Veza na sve lokacije u kojima raste usjeva
@@ -4667,9 +4724,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Dostupno Batch Količina u iz skladišta
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Bruto plaća - Ukupni odbitak - otplate kredita
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Plaća proklizavanja ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Višestruke inačice
 DocType: Sales Invoice,Against Income Account,Protiv računu dohotka
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Isporučeno
@@ -4698,7 +4755,7 @@
 DocType: POS Profile,Update Stock,Ažuriraj zalihe
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Različite mjerne jedinice proizvoda će dovesti do ukupne pogrešne neto težine. Budite sigurni da je neto težina svakog proizvoda u istoj mjernoj jedinici.
 DocType: Certification Application,Payment Details,Pojedinosti o plaćanju
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM stopa
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM stopa
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Zaustavljen radni nalog ne može se otkazati, prvo ga otkazati"
 DocType: Asset,Journal Entry for Scrap,Temeljnica za otpad
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Molimo povucite stavke iz Dostavnica
@@ -4721,11 +4778,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Ukupno kažnjeni Iznos
 ,Purchase Analytics,Analitika nabave
 DocType: Sales Invoice Item,Delivery Note Item,Otpremnica proizvoda
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Nedostaje trenutačna faktura {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Nedostaje trenutačna faktura {0}
 DocType: Asset Maintenance Log,Task,Zadatak
 DocType: Purchase Taxes and Charges,Reference Row #,Reference Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Batch broj je obvezna za točku {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,To jekorijen prodavač i ne može se mijenjati .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,To jekorijen prodavač i ne može se mijenjati .
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ako je odabrana, navedena ili izračunana vrijednost u ovoj komponenti neće pridonijeti zaradi ili odbitcima. Međutim, vrijednost se može upućivati na druge komponente koje se mogu dodati ili odbiti."
 DocType: Asset Settings,Number of Days in Fiscal Year,Broj dana u fiskalnoj godini
 ,Stock Ledger,Glavna knjiga
@@ -4733,7 +4790,7 @@
 DocType: Company,Exchange Gain / Loss Account,Razmjena Dobit / gubitka
 DocType: Amazon MWS Settings,MWS Credentials,MWS vjerodajnice
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Zaposlenika i posjećenost
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Svrha mora biti jedna od {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Svrha mora biti jedna od {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Ispunite obrazac i spremite ga
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Stvarni kvota na zalihi
@@ -4748,7 +4805,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standardni prodajni tečaj
 DocType: Account,Rate at which this tax is applied,Stopa po kojoj je taj porez se primjenjuje
 DocType: Cash Flow Mapper,Section Name,Naziv odjeljka
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Poredaj Kom
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Poredaj Kom
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Amortizacija reda {0}: očekivana vrijednost nakon korisnog vijeka trajanja mora biti veća ili jednaka {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Trenutni radnih mjesta
 DocType: Company,Stock Adjustment Account,Stock Adjustment račun
@@ -4758,8 +4815,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ID korisnika sustava. Ako je postavljen, postat će zadani za sve HR oblike."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Unesite pojedinosti amortizacije
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: od {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Napusti program {0} već postoji protiv učenika {1}
 DocType: Task,depends_on,ovisi o
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,U redu čekanja za ažuriranje najnovije cijene u svim Bill of Materials. Može potrajati nekoliko minuta.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,U redu čekanja za ažuriranje najnovije cijene u svim Bill of Materials. Može potrajati nekoliko minuta.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Naziv novog računa. Napomena: Molimo vas da ne stvaraju račune za kupce i dobavljače
 DocType: POS Profile,Display Items In Stock,Prikaz stavki na zalihi
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Država mudar zadana adresa predlošci
@@ -4789,16 +4847,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Mjesta za {0} ne dodaju se u raspored
 DocType: Product Bundle,List items that form the package.,Popis stavki koje čine paket.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nije dopušteno. Onemogućite predložak testa
+DocType: Delivery Note,Distance (in km),Udaljenost (u km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Postotak izdvajanja mora biti 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Odaberite datum knjiženja prije odabira stranku
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Odaberite datum knjiženja prije odabira stranku
 DocType: Program Enrollment,School House,Škola Kuća
 DocType: Serial No,Out of AMC,Od AMC
+DocType: Opportunity,Opportunity Amount,Iznos prilika
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broj deprecijaciju rezervirano ne može biti veća od Ukupan broj deprecijaciju
 DocType: Purchase Order,Order Confirmation Date,Datum potvrde narudžbe
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Provjerite održavanja Posjetite
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Datum početka i datum završetka preklapaju se s poslovnom karticom <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Detalji prijenosa zaposlenika
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte korisniku koji imaju Sales Manager Master {0} ulogu
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte korisniku koji imaju Sales Manager Master {0} ulogu
 DocType: Company,Default Cash Account,Zadani novčani račun
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor .
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To se temelji na prisustvo ovog Student
@@ -4806,9 +4867,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Dodaj još stavki ili otvoriti puni oblik
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Idite na korisnike
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za točku {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Unesi NA za neregistrirano
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program za upis naknada
@@ -4825,7 +4886,7 @@
 DocType: Fee Schedule,Fee Schedule,Naknada Raspored
 DocType: Company,Create Chart Of Accounts Based On,Izrada kontnog plana na temelju
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Nije ga moguće pretvoriti u ne-grupu. Dječji zadaci postoje.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Datum rođenja ne može biti veća nego danas.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Datum rođenja ne može biti veća nego danas.
 ,Stock Ageing,Starost skladišta
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Djelomično sponzoriran, zahtijeva djelomično financiranje"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} postoje protiv studenta podnositelja prijave {1}
@@ -4872,11 +4933,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Prije pomirenja
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade uvrštenja (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ
 DocType: Sales Order,Partly Billed,Djelomično naplaćeno
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Stavka {0} mora biti Fixed Asset predmeta
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Napravite inačice
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Napravite inačice
 DocType: Item,Default BOM,Zadani BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Ukupni iznos naplaćenog računa (putem faktura prodaje)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debitni iznos bilješke
@@ -4905,13 +4966,13 @@
 DocType: Notification Control,Custom Message,Prilagođena poruka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investicijsko bankarstvo
 DocType: Purchase Invoice,input,ulazni
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
 DocType: Loyalty Program,Multiple Tier Program,Multiple Tier program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentska adresa
 DocType: Purchase Invoice,Price List Exchange Rate,Tečaj cjenika
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Sve grupe dobavljača
 DocType: Employee Boarding Activity,Required for Employee Creation,Obavezno za stvaranje zaposlenika
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Broj računa {0} već se koristi u računu {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Broj računa {0} već se koristi u računu {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,Naziv POS profila
 DocType: Hotel Room Reservation,Booked,rezerviran
@@ -4927,18 +4988,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Reference Ne obvezno ako ušao referentnog datuma
 DocType: Bank Reconciliation Detail,Payment Document,Dokument plaćanja
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Pogreška u procjeni formule kriterija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datum pristupa mora biti veći od datuma rođenja
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datum pristupa mora biti veći od datuma rođenja
 DocType: Subscription,Plans,Planovi
 DocType: Salary Slip,Salary Structure,Plaća Struktura
 DocType: Account,Bank,Banka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Aviokompanija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Materijal Izazova
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Materijal Izazova
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Spojite Shopify s ERPNextom
 DocType: Material Request Item,For Warehouse,Za galeriju
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Bilješke o isporuci {0} ažurirane
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Bilješke o isporuci {0} ažurirane
 DocType: Employee,Offer Date,Datum ponude
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citati
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Vi ste u izvanmrežnom načinu rada. Nećete biti u mogućnosti da ponovno učitati dok imate mrežu.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Citati
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Vi ste u izvanmrežnom načinu rada. Nećete biti u mogućnosti da ponovno učitati dok imate mrežu.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Nema studentskih grupa stvorena.
 DocType: Purchase Invoice Item,Serial No,Serijski br
@@ -4950,24 +5011,26 @@
 DocType: Sales Invoice,Customer PO Details,Detalji o kupcima
 DocType: Stock Entry,Including items for sub assemblies,Uključujući predmeta za sub sklopova
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Privremeni račun otvaranja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Unesite vrijednost moraju biti pozitivne
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Unesite vrijednost moraju biti pozitivne
 DocType: Asset,Finance Books,Financijske knjige
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Kategorija deklaracije poreza na zaposlenike
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Sve teritorije
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Postavite pravila o dopustu za zaposlenika {0} u zapisniku zaposlenika / razreda
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Nevažeća narudžba pokrivača za odabrane kupce i stavku
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Nevažeća narudžba pokrivača za odabrane kupce i stavku
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Dodaj više zadataka
 DocType: Purchase Invoice,Items,Proizvodi
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Datum završetka ne može biti prije datuma početka.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student je već upisan.
 DocType: Fiscal Year,Year Name,Naziv godine
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca .
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca .
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Sljedeće stavke {0} nisu označene kao {1} stavka. Možete ih omogućiti kao {1} stavku iz svog master stavke
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Proizvod bala predmeta
 DocType: Sales Partner,Sales Partner Name,Naziv prodajnog partnera
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Zahtjev za dostavljanje ponuda
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Zahtjev za dostavljanje ponuda
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalna Iznos dostavnice
 DocType: Normal Test Items,Normal Test Items,Normalno ispitne stavke
+DocType: QuickBooks Migrator,Company Settings,Tvrtka Postavke
 DocType: Additional Salary,Overwrite Salary Structure Amount,Prebriši iznos strukture plaće
 DocType: Student Language,Student Language,Student jezika
 apps/erpnext/erpnext/config/selling.py +23,Customers,Kupci
@@ -4979,21 +5042,23 @@
 DocType: Issue,Opening Time,Radno vrijeme
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Od i Do datuma zahtijevanih
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Zadana mjerna jedinica za Variant &#39;{0}&#39; mora biti isti kao u predložak &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Zadana mjerna jedinica za Variant &#39;{0}&#39; mora biti isti kao u predložak &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Izračun temeljen na
 DocType: Contract,Unfulfilled,neispunjen
 DocType: Delivery Note Item,From Warehouse,Iz skladišta
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Nema zaposlenika za navedene kriterije
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Nema Stavke sa Bill materijala za proizvodnju
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Nema Stavke sa Bill materijala za proizvodnju
 DocType: Shopify Settings,Default Customer,Zadani kupac
+DocType: Sales Stage,Stage Name,Naziv stadija
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-wrn-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Naziv Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Nemojte potvrditi je li sastanak izrađen za isti dan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Brod u državu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Brod u državu
 DocType: Program Enrollment Course,Program Enrollment Course,Tečaj za upis na program
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Korisnik {0} već je dodijeljen zdravstvenoj praksi {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Učinite unos uzorka za zadržavanje uzorka
 DocType: Purchase Taxes and Charges,Valuation and Total,Vrednovanje i Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Pregovaranje / pregled
 DocType: Leave Encashment,Encashment Amount,Iznos ulaganja
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,bodovima
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Istekle serije
@@ -5003,7 +5068,7 @@
 DocType: Staffing Plan Detail,Current Openings,Trenutni otvori
 DocType: Notification Control,Customize the Notification,Prilagodi obavijest
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Novčani tijek iz redovnog poslovanja
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Iznos CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Iznos CGST
 DocType: Purchase Invoice,Shipping Rule,Dostava Pravilo
 DocType: Patient Relation,Spouse,Suprug
 DocType: Lab Test Groups,Add Test,Dodajte test
@@ -5017,14 +5082,14 @@
 DocType: Payroll Entry,Payroll Frequency,Plaće Frequency
 DocType: Lab Test Template,Sensitivity,Osjetljivost
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Sinkronizacija je privremeno onemogućena zbog prekoračenja maksimalnih pokušaja
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,sirovine
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,sirovine
 DocType: Leave Application,Follow via Email,Slijedite putem e-maila
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Biljke i strojevi
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Iznos poreza Nakon iznosa popusta
 DocType: Patient,Inpatient Status,Status pacijenata
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dnevni Postavke rad Sažetak
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Odabrani cjenik trebao bi biti provjeren na poljima kupnje i prodaje.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Unesite Reqd po datumu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Odabrani cjenik trebao bi biti provjeren na poljima kupnje i prodaje.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Unesite Reqd po datumu
 DocType: Payment Entry,Internal Transfer,Interni premještaj
 DocType: Asset Maintenance,Maintenance Tasks,Zadatci održavanja
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ili meta Količina ili ciljani iznos je obvezna
@@ -5045,7 +5110,7 @@
 DocType: Mode of Payment,General,Opći
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posljednja komunikacija
 ,TDS Payable Monthly,TDS se plaća mjesečno
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,U redu čekanja za zamjenu BOM-a. Može potrajati nekoliko minuta.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,U redu čekanja za zamjenu BOM-a. Može potrajati nekoliko minuta.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match Plaćanja s faktura
@@ -5058,7 +5123,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Dodaj u košaricu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Grupa Do
 DocType: Guardian,Interests,interesi
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Omogućiti / onemogućiti valute .
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Omogućiti / onemogućiti valute .
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nije bilo moguće poslati nagradu za plaće
 DocType: Exchange Rate Revaluation,Get Entries,Dobijte unose
 DocType: Production Plan,Get Material Request,Dobiti materijala zahtjev
@@ -5080,15 +5145,16 @@
 DocType: Lead,Lead Type,Tip potencijalnog kupca
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Niste ovlašteni za odobravanje lišće o skupnom Datumi
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Svi ovi proizvodi su već fakturirani
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Postavite novi datum izdavanja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Postavite novi datum izdavanja
 DocType: Company,Monthly Sales Target,Mjesečni cilj prodaje
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Može biti odobren od strane {0}
 DocType: Hotel Room,Hotel Room Type,Vrsta sobe hotela
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Dobavljač&gt; Vrsta dobavljača
 DocType: Leave Allocation,Leave Period,Ostavite razdoblje
 DocType: Item,Default Material Request Type,Zadana Materijal Vrsta zahtjeva
 DocType: Supplier Scorecard,Evaluation Period,Razdoblje procjene
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,nepoznat
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Radni nalog nije izrađen
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Radni nalog nije izrađen
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Iznos {0} već zatraži za komponentu {1}, \ postavite iznos koji je jednak ili veći od {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Dostava Koje uvjete
@@ -5121,15 +5187,15 @@
 DocType: Batch,Source Document Name,Izvorni naziv dokumenta
 DocType: Production Plan,Get Raw Materials For Production,Dobiti sirovine za proizvodnju
 DocType: Job Opening,Job Title,Titula
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} označava da {1} neće ponuditi ponudu, ali su citirane sve stavke \. Ažuriranje statusa licitacije."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimalni uzorci - {0} već su zadržani za šaržu {1} i stavku {2} u seriji {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimalni uzorci - {0} već su zadržani za šaržu {1} i stavku {2} u seriji {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Ažurirajte automatski trošak BOM-a
 DocType: Lab Test,Test Name,Naziv testiranja
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Potrošnja za kliničku proceduru
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Stvaranje korisnika
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Pretplate
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Pretplate
 DocType: Supplier Scorecard,Per Month,Na mjesec
 DocType: Education Settings,Make Academic Term Mandatory,Učini akademski pojam obvezan
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0.
@@ -5139,7 +5205,7 @@
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Postotak koju smiju primiti ili isporučiti više od naručene količine. Na primjer: Ako ste naručili 100 jedinica. i tvoj ispravak je 10% onda se smiju primati 110 jedinica.
 DocType: Loyalty Program,Customer Group,Grupa kupaca
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Novo ID serije (izborno)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0}
 DocType: BOM,Website Description,Opis web stranice
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Neto promjena u kapitalu
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Otkažite fakturi {0} prvi
@@ -5154,7 +5220,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Ne postoji ništa za uređivanje .
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Prikaz obrasca
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Potrošač troškova obvezan u zahtjevu za trošak
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Sažetak za ovaj mjesec i tijeku aktivnosti
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Sažetak za ovaj mjesec i tijeku aktivnosti
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Unesite neispunjeni račun dobiti i gubitka u tvrtki {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Dodajte korisnike u svoju organizaciju, osim sebe."
 DocType: Customer Group,Customer Group Name,Naziv grupe kupaca
@@ -5164,14 +5230,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Nije stvoren materijalni zahtjev
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od maksimalnog iznosa zajma {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licenca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Molimo uklonite ovu fakturu {0} od C-obrasca {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Molimo uklonite ovu fakturu {0} od C-obrasca {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Molimo odaberite prenositi ako želite uključiti prethodnoj fiskalnoj godini je ravnoteža ostavlja na ovoj fiskalnoj godini
 DocType: GL Entry,Against Voucher Type,Protiv voucher vrsti
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Dodano je vrijeme
 DocType: Item,Attributes,Značajke
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Omogući predložak
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Unesite otpis račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Unesite otpis račun
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Zadnje narudžbe Datum
 DocType: Salary Component,Is Payable,Isplati se
 DocType: Inpatient Record,B Negative,Negativan
@@ -5182,7 +5248,7 @@
 DocType: Hotel Room,Hotel Room,Hotelska soba
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Račun {0} ne pripada društvu {1}
 DocType: Leave Type,Rounding,Zaokruživanje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u retku {0} ne podudaraju se s dostavom
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u retku {0} ne podudaraju se s dostavom
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Nepodmireni iznos (procijenjeni)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Zatim se Pravila o cijenama filtriraju prema kupcu, grupi kupaca, teritoriju, dobavljaču, grupi dobavljača, kampanji, prodajnom partneru itd."
 DocType: Student,Guardian Details,Guardian Detalji
@@ -5191,10 +5257,10 @@
 DocType: Vehicle,Chassis No,šasija Ne
 DocType: Payment Request,Initiated,Pokrenut
 DocType: Production Plan Item,Planned Start Date,Planirani datum početka
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Odaberite BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Odaberite BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Availed ITC integrirani porez
 DocType: Purchase Order Item,Blanket Order Rate,Brzina narudžbe
-apps/erpnext/erpnext/hooks.py +156,Certification,potvrda
+apps/erpnext/erpnext/hooks.py +157,Certification,potvrda
 DocType: Bank Guarantee,Clauses and Conditions,Klauzule i uvjeti
 DocType: Serial No,Creation Document Type,Tip stvaranje dokumenata
 DocType: Project Task,View Timesheet,Pregledajte Timesheet
@@ -5219,6 +5285,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Roditelj Stavka {0} ne smije biti kataloški predmeta
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Popis web stranica
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Svi proizvodi i usluge.
+DocType: Email Digest,Open Quotations,Otvori citate
 DocType: Expense Claim,More Details,Više pojedinosti
 DocType: Supplier Quotation,Supplier Address,Dobavljač Adresa
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Proračun za račun {1} od {2} {3} je {4}. To će biti veći od {5}
@@ -5233,12 +5300,11 @@
 DocType: Training Event,Exam,Ispit
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Pogreška na tržištu
 DocType: Complaint,Complaint,prigovor
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0}
 DocType: Leave Allocation,Unused leaves,Neiskorišteni lišće
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Učinite uplatu
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Svi odjeli
 DocType: Healthcare Service Unit,Vacant,prazan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Dobavljač&gt; Vrsta dobavljača
 DocType: Patient,Alcohol Past Use,Prethodna upotreba alkohola
 DocType: Fertilizer Content,Fertilizer Content,Sadržaj gnojiva
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5246,7 +5312,7 @@
 DocType: Tax Rule,Billing State,Državna naplate
 DocType: Share Transfer,Transfer,Prijenos
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Radni nalog {0} mora biti otkazan prije otkazivanja ovog prodajnog naloga
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova )
 DocType: Authorization Rule,Applicable To (Employee),Odnosi se na (Radnik)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Datum dospijeća je obavezno
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Pomak za Osobina {0} ne može biti 0
@@ -5262,7 +5328,7 @@
 DocType: Disease,Treatment Period,Razdoblje liječenja
 DocType: Travel Itinerary,Travel Itinerary,Itinerar putovanja
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Rezultat je već poslan
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervirano skladište obvezno je za stavku {0} u sirovinama koje ste dobili
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervirano skladište obvezno je za stavku {0} u sirovinama koje ste dobili
 ,Inactive Customers,Neaktivni korisnici
 DocType: Student Admission Program,Maximum Age,Maksimalna dob
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Pričekajte 3 dana prije ponovnog slanja podsjetnika.
@@ -5271,7 +5337,6 @@
 DocType: Stock Entry,Delivery Note No,Otpremnica br
 DocType: Cheque Print Template,Message to show,Poruka za prikaz
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Maloprodaja
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Automatski upravljajte računom za imenovanje
 DocType: Student Attendance,Absent,Odsutan
 DocType: Staffing Plan,Staffing Plan Detail,Detalj planova osoblja
 DocType: Employee Promotion,Promotion Date,Datum promocije
@@ -5293,7 +5358,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Napravite Olovo
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Ispis i konfekcija
 DocType: Stock Settings,Show Barcode Field,Prikaži Barkod Polje
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Pošalji Supplier e-pošte
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Pošalji Supplier e-pošte
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća se već obrađuju za razdoblje od {0} i {1}, dopusta zahtjev ne može biti između ovom razdoblju."
 DocType: Fiscal Year,Auto Created,Auto Created
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Pošaljite ovo kako biste stvorili zapisnik zaposlenika
@@ -5302,7 +5367,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Račun {0} više ne postoji
 DocType: Guardian Interest,Guardian Interest,Guardian kamata
 DocType: Volunteer,Availability,dostupnost
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Postavljanje zadanih vrijednosti za POS fakture
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Postavljanje zadanih vrijednosti za POS fakture
 apps/erpnext/erpnext/config/hr.py +248,Training,Trening
 DocType: Project,Time to send,Vrijeme je za slanje
 DocType: Timesheet,Employee Detail,Detalj zaposlenika
@@ -5325,7 +5390,7 @@
 DocType: Training Event Employee,Optional,neobavezan
 DocType: Salary Slip,Earning & Deduction,Zarada &amp; Odbitak
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Stvorene su varijante {0}.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Stvorene su varijante {0}.
 DocType: Amazon MWS Settings,Region,Regija
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Izborni . Ova postavka će se koristiti za filtriranje u raznim transakcijama .
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negativna stopa vrijednovanja nije dopuštena
@@ -5344,7 +5409,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Troškovi otpisan imovinom
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Mjesto troška je ovezno za stavku {2}
 DocType: Vehicle,Policy No,politika Nema
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Se predmeti s Bundle proizvoda
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Se predmeti s Bundle proizvoda
 DocType: Asset,Straight Line,Ravna crta
 DocType: Project User,Project User,Korisnik projekta
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Split
@@ -5352,7 +5417,7 @@
 DocType: GL Entry,Is Advance,Je Predujam
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Životni ciklus zaposlenika
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Gledanost od datuma do datuma je obvezna
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne
 DocType: Item,Default Purchase Unit of Measure,Zadana jedinicna mjera kupnje
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Posljednji datum komunikacije
 DocType: Clinical Procedure Item,Clinical Procedure Item,Postupak kliničke procedure
@@ -5361,7 +5426,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Nedostaje pristupni token ili Shopify URL
 DocType: Location,Latitude,širina
 DocType: Work Order,Scrap Warehouse,otpaci Skladište
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Skladište je potrebno za redak br. {0}, postavite zadano skladište za stavku {1} za tvrtku {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Skladište je potrebno za redak br. {0}, postavite zadano skladište za stavku {1} za tvrtku {2}"
 DocType: Work Order,Check if material transfer entry is not required,Provjerite nije li unos prijenosa materijala potreban
 DocType: Program Enrollment Tool,Get Students From,Dobiti studenti iz
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Objavi stavke na web stranici
@@ -5376,6 +5441,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nova količina serije
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Odjeća i modni dodaci
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Nije moguće riješiti funkciju ponderirane ocjene. Provjerite je li formula valjana.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Stavke za kupnju nisu dobivene na vrijeme
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Broj narudžbe
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / baner koji će se prikazivati na vrhu liste proizvoda.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Navedite uvjete za izračunavanje iznosa dostave
@@ -5384,9 +5450,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Staza
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,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"
 DocType: Production Plan,Total Planned Qty,Ukupni planirani broj
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Otvaranje vrijednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Otvaranje vrijednost
 DocType: Salary Component,Formula,Formula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serijski #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serijski #
 DocType: Lab Test Template,Lab Test Template,Predložak testa laboratorija
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Račun prodaje
 DocType: Purchase Invoice Item,Total Weight,Totalna tezina
@@ -5404,7 +5470,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Provjerite materijala zahtjev
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvoreno Stavka {0}
 DocType: Asset Finance Book,Written Down Value,Pisana vrijednost
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Postavite Sustav imenovanja zaposlenika u ljudskim resursima&gt; HR postavke
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodaja Račun {0} mora biti otkazana prije poništenja ovu prodajnog naloga
 DocType: Clinical Procedure,Age,Doba
 DocType: Sales Invoice Timesheet,Billing Amount,Naplata Iznos
@@ -5413,11 +5478,11 @@
 DocType: Company,Default Employee Advance Account,Zadani račun predujam zaposlenika
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Pretraživanje (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Račun s postojećom transakcijom ne može se izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Račun s postojećom transakcijom ne može se izbrisati
 DocType: Vehicle,Last Carbon Check,Posljednja Carbon Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Pravni troškovi
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Molimo odaberite količinu na red
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Izradite otvaranje računa za prodaju i kupnju
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Izradite otvaranje računa za prodaju i kupnju
 DocType: Purchase Invoice,Posting Time,Vrijeme knjiženja
 DocType: Timesheet,% Amount Billed,% Naplaćeni iznos
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefonski troškovi
@@ -5432,14 +5497,14 @@
 DocType: Maintenance Visit,Breakdown,Slom
 DocType: Travel Itinerary,Vegetarian,Vegetarijanac
 DocType: Patient Encounter,Encounter Date,Datum susreta
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutom: {1} ne može se odabrati
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutom: {1} ne može se odabrati
 DocType: Bank Statement Transaction Settings Item,Bank Data,Podaci o bankama
 DocType: Purchase Receipt Item,Sample Quantity,Količina uzorka
 DocType: Bank Guarantee,Name of Beneficiary,Naziv Korisnika
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Ažuriranje BOM-a automatski se naplaćuje putem Planera, temeljeno na najnovijoj stopi vrednovanja / stopi cjenika / zadnje stope kupnje sirovina."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Ček Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: nadređeni račun {1} ne pripada tvrtki: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: nadređeni račun {1} ne pripada tvrtki: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Uspješno izbrisati sve transakcije vezane uz ovu tvrtku!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Kao i na datum
 DocType: Additional Salary,HR,HR
@@ -5447,7 +5512,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Out Patient SMS obavijesti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Probni rad
 DocType: Program Enrollment Tool,New Academic Year,Nova akademska godina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Povrat / odobrenje kupcu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Povrat / odobrenje kupcu
 DocType: Stock Settings,Auto insert Price List rate if missing,"Ako ne postoji, automatski ubaciti cjenik"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Ukupno uplaćeni iznos
 DocType: GST Settings,B2C Limit,B2C ograničenje
@@ -5465,10 +5530,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Dijete čvorovi mogu biti samo stvorio pod tipa čvorišta &#39;Grupa&#39;
 DocType: Attendance Request,Half Day Date,Poludnevni Datum
 DocType: Academic Year,Academic Year Name,Naziv akademske godine
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} nije dopušteno izvršiti transakciju s {1}. Promijenite tvrtku.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} nije dopušteno izvršiti transakciju s {1}. Promijenite tvrtku.
 DocType: Sales Partner,Contact Desc,Kontakt ukratko
 DocType: Email Digest,Send regular summary reports via Email.,Pošalji redovite sažetak izvješća putem e-maila.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Molimo postavite zadanog računa o troškovima za tužbu tipa {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Molimo postavite zadanog računa o troškovima za tužbu tipa {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Dostupni lišće
 DocType: Assessment Result,Student Name,Ime studenta
 DocType: Hub Tracked Item,Item Manager,Stavka Manager
@@ -5493,9 +5558,10 @@
 DocType: Subscription,Trial Period End Date,Datum završetka probnog razdoblja
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Niste ovlašteni od {0} prijeđenog limita
 DocType: Serial No,Asset Status,Status aktive
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Preko dimenzionalnog tereta (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Tablica restorana
 DocType: Hotel Room,Hotel Manager,Voditelj hotela
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Postavite Porezni Pravilo za košaricu
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Postavite Porezni Pravilo za košaricu
 DocType: Purchase Invoice,Taxes and Charges Added,Porezi i naknade Dodano
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Row amortizacije {0}: Sljedeći datum amortizacije ne može biti prije datuma raspoloživog korištenja
 ,Sales Funnel,prodaja dimnjak
@@ -5511,10 +5577,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Sve grupe kupaca
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,ukupna mjesečna
 DocType: Attendance Request,On Duty,Na dužnosti
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda Mjenjačnica zapis nije stvoren za {1} na {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda Mjenjačnica zapis nije stvoren za {1} na {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Plan osoblja {0} već postoji za oznaku {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Porez Predložak je obavezno.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Račun {0}: nadređeni račun {1} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Račun {0}: nadređeni račun {1} ne postoji
 DocType: POS Closing Voucher,Period Start Date,Datum početka razdoblja
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Stopa cjenika (valuta tvrtke)
 DocType: Products Settings,Products Settings,proizvodi Postavke
@@ -5534,7 +5600,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Ta će radnja zaustaviti buduće naplate. Jeste li sigurni da želite otkazati ovu pretplatu?
 DocType: Serial No,Distinct unit of an Item,Razlikuje jedinica stavku
 DocType: Supplier Scorecard Criteria,Criteria Name,Naziv kriterija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Postavite tvrtku
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Postavite tvrtku
 DocType: Procedure Prescription,Procedure Created,Postupak izrađen
 DocType: Pricing Rule,Buying,Nabava
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Bolesti i gnojiva
@@ -5551,28 +5617,29 @@
 DocType: Employee Onboarding,Job Offer,Ponuda za posao
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institut naziv
 ,Item-wise Price List Rate,Item-wise cjenik
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Dobavljač Ponuda
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Dobavljač Ponuda
 DocType: Quotation,In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u retku {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u retku {1}
 DocType: Contract,Unsigned,Nepotpisan
 DocType: Selling Settings,Each Transaction,Svaka transakcija
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barkod {0} se već koristi u proizvodu {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barkod {0} se već koristi u proizvodu {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodavanje troškova prijevoza.
 DocType: Hotel Room,Extra Bed Capacity,Dodatni krevetni kapacitet
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Otvaranje Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je dužan
 DocType: Lab Test,Result Date,Rezultat datuma
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Datum PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Datum PDC / LC
 DocType: Purchase Order,To Receive,Primiti
 DocType: Leave Period,Holiday List for Optional Leave,Popis za odmor za izborni dopust
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Vlasnik imovine
 DocType: Purchase Invoice,Reason For Putting On Hold,Razlog za stavljanje na čekanje
 DocType: Employee,Personal Email,Osobni email
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Ukupne varijance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Ukupne varijance
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Posredništvo
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Gledatelja za zaposlenika {0} već označena za ovaj dan
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Gledatelja za zaposlenika {0} već označena za ovaj dan
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","U nekoliko minuta 
  Ažurirano putem 'Time Log'"
@@ -5580,14 +5647,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Sinkronizacijske narudžbe
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Narudžbe objavljen za proizvodnju.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Odaberite fiskalnu godinu ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profil potrebna da bi POS unos
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profil potrebna da bi POS unos
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Bodovne bodove izračunat će se iz potrošnje (putem Prodajnog računa), na temelju faktora prikupljanja."
 DocType: Program Enrollment Tool,Enroll Students,upisati studenti
 DocType: Company,HRA Settings,Postavke HRA
 DocType: Employee Transfer,Transfer Date,Datum prijenosa
 DocType: Lab Test,Approved Date,Odobreni datum
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna prodaja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurirajte polja stavke kao što su UOM, grupa stavki, opis i broj sati."
 DocType: Certification Application,Certification Status,Status certifikacije
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,tržište
@@ -5607,6 +5674,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Usklađivanje faktura
 DocType: Work Order,Required Items,potrebne stavke
 DocType: Stock Ledger Entry,Stock Value Difference,Stock Vrijednost razlika
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Stavka retka {0}: {1} {2} ne postoji u gornjoj tablici &quot;{1}&quot;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Ljudski Resursi
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pomirenje Plaćanje Plaćanje
 DocType: Disease,Treatment Task,Zadatak liječenja
@@ -5624,7 +5692,8 @@
 DocType: Account,Debit,Zaduženje
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Odsustva moraju biti dodijeljena kao višekratnici od 0,5"
 DocType: Work Order,Operation Cost,Operacija troškova
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Izvanredna Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identificiranje donositelja odluka
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Izvanredna Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set cilja predmet Grupa-mudar za ovaj prodavač.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Dionice stariji od [ dana ]
 DocType: Payment Request,Payment Ordered,Plaćanje je naručeno
@@ -5636,13 +5705,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Dopusti sljedeći korisnici odobriti ostavite aplikacije za blok dana.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Životni ciklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Napravite BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Stopa prodaje za stavku {0} niža je od njegove {1}. Stopa prodaje trebao bi biti najmanje {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Stopa prodaje za stavku {0} niža je od njegove {1}. Stopa prodaje trebao bi biti najmanje {2}
 DocType: Subscription,Taxes,Porezi
 DocType: Purchase Invoice,capital goods,kapitalna dobra
 DocType: Purchase Invoice Item,Weight Per Unit,Težina po jedinici
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Plaćeni i nije isporučena
-DocType: Project,Default Cost Center,Zadana troškovnih centara
-DocType: Delivery Note,Transporter Doc No,Prijevoznik br
+DocType: QuickBooks Migrator,Default Cost Center,Zadana troškovnih centara
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock transakcije
 DocType: Budget,Budget Accounts,Proračun računa
 DocType: Employee,Internal Work History,Unutarnja Povijest Posao
@@ -5675,7 +5743,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Zdravstvena praksa nije dostupna na {0}
 DocType: Stock Entry Detail,Additional Cost,Dodatni trošak
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Napravi ponudu dobavljaču
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Napravi ponudu dobavljaču
 DocType: Quality Inspection,Incoming,Dolazni
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Osnovni su predlošci poreza za prodaju i kupnju.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Zapis ocjena rezultata {0} već postoji.
@@ -5691,7 +5759,7 @@
 DocType: Batch,Batch ID,ID serije
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Napomena: {0}
 ,Delivery Note Trends,Trend otpremnica
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Ovaj tjedan Sažetak
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Ovaj tjedan Sažetak
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Na skladištu Kol
 ,Daily Work Summary Replies,Odgovori dnevnog rada
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunajte procijenjene vrijeme dolaska
@@ -5701,7 +5769,7 @@
 DocType: Bank Account,Party,Stranka
 DocType: Healthcare Settings,Patient Name,Ime pacijenta
 DocType: Variant Field,Variant Field,Polje varijante
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Ciljana lokacija
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Ciljana lokacija
 DocType: Sales Order,Delivery Date,Datum isporuke
 DocType: Opportunity,Opportunity Date,Datum prilike
 DocType: Employee,Health Insurance Provider,Davatelj zdravstvenog osiguranja
@@ -5720,7 +5788,7 @@
 DocType: Employee,History In Company,Povijest tvrtke
 DocType: Customer,Customer Primary Address,Primarna adresa korisnika
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletteri
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referentni broj
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referentni broj
 DocType: Drug Prescription,Description/Strength,Opis / Snaga
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Izradi novu uplatu / unos dnevnika
 DocType: Certification Application,Certification Application,Potvrda prijave
@@ -5731,10 +5799,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Isti predmet je ušao više puta
 DocType: Department,Leave Block List,Popis neodobrenih odsustva
 DocType: Purchase Invoice,Tax ID,OIB
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan
 DocType: Accounts Settings,Accounts Settings,Postavke računa
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Odobriti
 DocType: Loyalty Program,Customer Territory,Teritorij korisnika
+DocType: Email Digest,Sales Orders to Deliver,Prodajni nalozi za isporuku
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Broj novog računa, bit će uključen u naziv računa kao prefiks"
 DocType: Maintenance Team Member,Team Member,Član tima
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Nema rezultata za slanje
@@ -5744,7 +5813,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Ukupno {0} za sve stavke nula, možda biste trebali promijeniti &#39;Podijeliti optužbi na temelju&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Do danas ne može biti manji od datuma
 DocType: Opportunity,To Discuss,Za Raspravljajte
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,To se temelji na transakcijama protiv ovog Pretplatnika. Pojedinosti potražite u nastavku
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} jedinica {1} potrebna u {2} za dovršetak ovu transakciju.
 DocType: Loan Type,Rate of Interest (%) Yearly,Kamatna stopa (%) godišnje
 DocType: Support Settings,Forum URL,URL foruma
@@ -5759,7 +5827,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Uči više
 DocType: Cheque Print Template,Distance from top edge,Udaljenost od gornjeg ruba
 DocType: POS Closing Voucher Invoices,Quantity of Items,Količina stavki
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Cjenik {0} je onemogućen ili ne postoji
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Cjenik {0} je onemogućen ili ne postoji
 DocType: Purchase Invoice,Return,Povratak
 DocType: Pricing Rule,Disable,Ugasiti
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Način plaćanja potrebno je izvršiti uplatu
@@ -5767,18 +5835,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Uređivanje u cijeloj stranici za više opcija kao što su imovina, serijski brojevi, serije itd."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksimalni neprekidni dani primjenjivi
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nije upisana u skupinu {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Imovina {0} ne može biti otpisan, kao što je već {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Imovina {0} ne može biti otpisan, kao što je već {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Potrebna je provjera
 DocType: Task,Total Expense Claim (via Expense Claim),Ukupni rashodi Zatraži (preko Rashodi Zahtjeva)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsutni
 DocType: Job Applicant Source,Job Applicant Source,Izvor kandidata za posao
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Iznos IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Iznos IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Postavljanje tvrtke nije uspjelo
 DocType: Asset Repair,Asset Repair,Popravak imovine
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnice # {1} bi trebao biti jednak odabranoj valuti {2}
 DocType: Journal Entry Account,Exchange Rate,Tečaj
 DocType: Patient,Additional information regarding the patient,Dodatne informacije o pacijentu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen
 DocType: Homepage,Tag Line,Tag linija
 DocType: Fee Component,Fee Component,Naknada Komponenta
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Mornarički menađer
@@ -5793,7 +5861,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobilni
 ,Sales Person-wise Transaction Summary,Pregled prometa po prodavaču
 DocType: Training Event,Contact Number,Kontakt broj
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Skladište {0} ne postoji
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Skladište {0} ne postoji
 DocType: Cashier Closing,Custody,starateljstvo
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Pojedinosti o podnošenju dokaza o izuzeću poreza za zaposlenike
 DocType: Monthly Distribution,Monthly Distribution Percentages,Mjesečni postotci distribucije
@@ -5808,7 +5876,7 @@
 DocType: Payment Entry,Paid Amount,Plaćeni iznos
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Istražite prodajni ciklus
 DocType: Assessment Plan,Supervisor,Nadzornik
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Zadržavanje dionice
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Zadržavanje dionice
 ,Available Stock for Packing Items,Raspoloživo stanje za pakirane proizvode
 DocType: Item Variant,Item Variant,Stavka Variant
 ,Work Order Stock Report,Izvješće o stanju na radnom mjestu
@@ -5817,9 +5885,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Kao supervizor
 DocType: Leave Policy Detail,Leave Policy Detail,Ostavite detalje o politici
 DocType: BOM Scrap Item,BOM Scrap Item,BOM otpaci predmeta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Upravljanje kvalitetom
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Upravljanje kvalitetom
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Stavka {0} je onemogućen
 DocType: Project,Total Billable Amount (via Timesheets),Ukupan iznos koji se naplaćuje (putem vremenskih brojeva)
 DocType: Agriculture Task,Previous Business Day,Prethodni radni dan
@@ -5842,14 +5910,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Troška
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Ponovo pokreni pretplatu
 DocType: Linked Plant Analysis,Linked Plant Analysis,Povezana analiza biljaka
-DocType: Delivery Note,Transporter ID,ID transportera
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID transportera
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Vrijednost propozicija
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Stopa po kojoj supplier valuta se pretvaraju u tvrtke bazne valute
-DocType: Sales Invoice Item,Service End Date,Datum završetka usluge
+DocType: Purchase Invoice Item,Service End Date,Datum završetka usluge
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Red # {0}: vremenu sukobi s redom {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dopusti stopu nulte procjene
 DocType: Bank Guarantee,Receiving,Primanje
 DocType: Training Event Employee,Invited,pozvan
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Postava Gateway račune.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Postava Gateway račune.
 DocType: Employee,Employment Type,Zapošljavanje Tip
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Dugotrajne imovine
 DocType: Payment Entry,Set Exchange Gain / Loss,Postavite Exchange dobici / gubici
@@ -5865,7 +5934,7 @@
 DocType: Tax Rule,Sales Tax Template,Porez Predložak
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Zahtjev za naknadu štete
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Ažurirajte broj mjesta troška
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Odaberite stavke za spremanje račun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Odaberite stavke za spremanje račun
 DocType: Employee,Encashment Date,Encashment Datum
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Posebni predložak testa
@@ -5873,12 +5942,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Zadana aktivnost Troškovi postoji Vrsta djelatnosti - {0}
 DocType: Work Order,Planned Operating Cost,Planirani operativni trošak
 DocType: Academic Term,Term Start Date,Pojam Datum početka
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Popis svih transakcija dionica
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Popis svih transakcija dionica
+DocType: Supplier,Is Transporter,Je transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Uvozite prodajnu fakturu od tvrtke Shopify ako je Plaćanje označeno
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Count Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Moraju biti postavljeni datum početka datuma probnog razdoblja i datum završetka probnog razdoblja
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Prosječna stopa
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupni iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupni iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Banka Izjava stanje po glavnom knjigom
 DocType: Job Applicant,Applicant Name,Podnositelj zahtjeva Ime
@@ -5906,7 +5976,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Dostupni broj u Izvornoj skladištu
 apps/erpnext/erpnext/config/support.py +22,Warranty,garancija
 DocType: Purchase Invoice,Debit Note Issued,Terećenju Izdano
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtar na temelju Centra za naplatu primjenjuje se samo ako je Budget Control odabran kao Centar za trošak
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtar na temelju Centra za naplatu primjenjuje se samo ako je Budget Control odabran kao Centar za trošak
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Pretraživanje po kodu stavke, serijskog broja, šarže ili crtičnog koda"
 DocType: Work Order,Warehouses,Skladišta
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} imovina se ne može se prenijeti
@@ -5917,9 +5987,9 @@
 DocType: Workstation,per hour,na sat
 DocType: Blanket Order,Purchasing,Nabava
 DocType: Announcement,Announcement,Obavijest
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Korisnički LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Korisnički LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Za grupu studenata temeljenih na bazi, studentska će se serijska cjelina validirati za svakog studenta iz prijave za program."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Skladište se ne može izbrisati dok postoje upisi u glavnu knjigu za ovo skladište.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Skladište se ne može izbrisati dok postoje upisi u glavnu knjigu za ovo skladište.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribucija
 DocType: Journal Entry Account,Loan,Zajam
 DocType: Expense Claim Advance,Expense Claim Advance,Predujam za troškove
@@ -5928,7 +5998,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Voditelj projekta
 ,Quoted Item Comparison,Citirano predmeta za usporedbu
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Preklapanje u bodovanju između {0} i {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Otpremanje
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Otpremanje
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maksimalni dopušteni popust za proizvod: {0} je {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Neto imovina kao i na
 DocType: Crop,Produce,proizvoditi
@@ -5938,20 +6008,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Potrošnja materijala za proizvodnju
 DocType: Item Alternative,Alternative Item Code,Kôd alternativne stavke
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Uloga koja je dopušteno podnijeti transakcije koje premašuju kreditnih ograničenja postavljena.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Odaberite stavke za proizvodnju
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Odaberite stavke za proizvodnju
 DocType: Delivery Stop,Delivery Stop,Dostava zaustavljanja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master Data sinkronizacije, to bi moglo potrajati neko vrijeme"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master Data sinkronizacije, to bi moglo potrajati neko vrijeme"
 DocType: Item,Material Issue,Materijal Issue
 DocType: Employee Education,Qualification,Kvalifikacija
 DocType: Item Price,Item Price,Cijena proizvoda
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sapun i deterdžent
 DocType: BOM,Show Items,Prikaži stavke
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,S vremena ne može biti veća od na vrijeme.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Želite li obavijestiti sve korisnike putem e-pošte?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Želite li obavijestiti sve korisnike putem e-pošte?
 DocType: Subscription Plan,Billing Interval,Interval naplate
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Pokretna slika & video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Naručeno
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Stvarni datum početka i stvarni datum završetka obvezni su
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kupac&gt; Grupa kupaca&gt; Teritorij
 DocType: Salary Detail,Component,sastavni dio
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Redak {0}: {1} mora biti veći od 0
 DocType: Assessment Criteria,Assessment Criteria Group,Kriteriji za ocjenu Grupa
@@ -5982,11 +6053,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Unesite naziv banke ili institucije posudbe prije slanja.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} mora biti poslano
 DocType: POS Profile,Item Groups,stavka Grupe
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Danas je {0} 'rođendan!
 DocType: Sales Order Item,For Production,Za proizvodnju
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Saldo u valuti računa
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Dodajte Privremeni račun otvaranja u računskom planu
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Dodajte Privremeni račun otvaranja u računskom planu
 DocType: Customer,Customer Primary Contact,Primarni kontakt korisnika
 DocType: Project Task,View Task,Pregled zadataka
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -5999,11 +6069,11 @@
 DocType: Sales Invoice,Get Advances Received,Kreiraj avansno primanje
 DocType: Email Digest,Add/Remove Recipients,Dodaj / ukloni primatelja
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Za postavljanje ove fiskalne godine kao zadano , kliknite na "" Set as Default '"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Iznos TDS Deducted
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Iznos TDS Deducted
 DocType: Production Plan,Include Subcontracted Items,Uključi podugovarane predmete
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Pridružiti
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Nedostatak Kom
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Pridružiti
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Nedostatak Kom
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima
 DocType: Loan,Repay from Salary,Vrati iz plaće
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Zahtjev za isplatu od {0} {1} za iznos {2}
 DocType: Additional Salary,Salary Slip,Plaća proklizavanja
@@ -6019,7 +6089,7 @@
 DocType: Patient,Dormant,latentan
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odbitak poreza za neplaćene naknade zaposlenicima
 DocType: Salary Slip,Total Interest Amount,Ukupni iznos kamate
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Skladišta s djetetom čvorovi se ne može pretvoriti u glavnoj knjizi
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Skladišta s djetetom čvorovi se ne može pretvoriti u glavnoj knjizi
 DocType: BOM,Manage cost of operations,Uredi troškove poslovanja
 DocType: Accounts Settings,Stale Days,Dani tišine
 DocType: Travel Itinerary,Arrival Datetime,Datum dolaska
@@ -6031,7 +6101,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Procjena Detalj Rezultat
 DocType: Employee Education,Employee Education,Obrazovanje zaposlenika
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Dvostruki stavke skupina nalaze se u tablici stavke grupe
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,To je potrebno kako bi dohvatili Stavka Pojedinosti.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,To je potrebno kako bi dohvatili Stavka Pojedinosti.
 DocType: Fertilizer,Fertilizer Name,Ime gnojiva
 DocType: Salary Slip,Net Pay,Neto plaća
 DocType: Cash Flow Mapping Accounts,Account,Račun
@@ -6042,14 +6112,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Stvaranje odvojene isplate od potraživanja od koristi
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Prisutnost povišene temperature (temperatura&gt; 38.5 ° C / 101.3 ° F ili trajanje temperature&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Detalji prodnog tima
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Brisanje trajno?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Brisanje trajno?
 DocType: Expense Claim,Total Claimed Amount,Ukupno Zatražio Iznos
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencijalne prilike za prodaju.
 DocType: Shareholder,Folio no.,Folio br.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Pogrešna {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,bolovanje
 DocType: Email Digest,Email Digest,E-pošta
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,nisu
 DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Robne kuće
 ,Item Delivery Date,Datum isporuke stavke
@@ -6065,16 +6134,16 @@
 DocType: Account,Chargeable,Naplativ
 DocType: Company,Change Abbreviation,Promijeni naziv
 DocType: Contract,Fulfilment Details,Pojedinosti ispunjenja
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Plaćajte {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Plaćajte {0} {1}
 DocType: Employee Onboarding,Activities,djelatnost
 DocType: Expense Claim Detail,Expense Date,Rashodi Datum
 DocType: Item,No of Months,Broj mjeseci
 DocType: Item,Max Discount (%),Maksimalni popust (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Dani kredita ne može biti negativan broj
-DocType: Sales Invoice Item,Service Stop Date,Datum zaustavljanja usluge
+DocType: Purchase Invoice Item,Service Stop Date,Datum zaustavljanja usluge
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Iznos zadnje narudžbe
 DocType: Cash Flow Mapper,e.g Adjustments for:,npr. prilagodbe za:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} zadržati uzorak temelji se na seriji, molimo Vas da provjerite je li šifra br. Zadržati uzorak stavke"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} zadržati uzorak temelji se na seriji, molimo Vas da provjerite je li šifra br. Zadržati uzorak stavke"
 DocType: Task,Is Milestone,Je li Milestone
 DocType: Certification Application,Yet to appear,Ipak se pojavi
 DocType: Delivery Stop,Email Sent To,Mail poslan
@@ -6082,16 +6151,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Dozvoli centar za trošak unosom bilance stanja računa
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Spajanje s postojećim računom
 DocType: Budget,Warn,Upozoriti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Sve su stavke već prenesene za ovu radnu narudžbu.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Sve su stavke već prenesene za ovu radnu narudžbu.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Sve ostale primjedbe, značajan napor da bi trebao ići u evidenciji."
 DocType: Asset Maintenance,Manufacturing User,Proizvodni korisnik
 DocType: Purchase Invoice,Raw Materials Supplied,Sirovine nabavlja
 DocType: Subscription Plan,Payment Plan,Plan plaćanja
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Omogući kupnju stavki putem web stranice
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valuta cjenika {0} mora biti {1} ili {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Upravljanje pretplatama
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Upravljanje pretplatama
 DocType: Appraisal,Appraisal Template,Procjena Predložak
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Za kodiranje koda
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Za kodiranje koda
 DocType: Soil Texture,Ternary Plot,Ternarna ploča
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Označite ovu opciju kako biste omogućili planiranu rutinu Dnevne sinkronizacije putem rasporeda
 DocType: Item Group,Item Classification,Klasifikacija predmeta
@@ -6101,6 +6170,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Registracija pacijenta računa
 DocType: Crop,Period,Razdoblje
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Glavna knjiga
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Fiskalnoj godini
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Pogledaj vodi
 DocType: Program Enrollment Tool,New Program,Novi program
 DocType: Item Attribute Value,Attribute Value,Vrijednost atributa
@@ -6109,11 +6179,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise - preporučena razina ponovne narudžbe
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Zaposlenik {0} razreda {1} nema zadanu politiku odlaska
 DocType: Salary Detail,Salary Detail,Plaća Detalj
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Odaberite {0} Prvi
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Odaberite {0} Prvi
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Dodano je {0} korisnika
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","U slučaju višerazinskog programa, Kupci će biti automatski dodijeljeni odgovarajućem stupcu po njihovu potrošenom"
 DocType: Appointment Type,Physician,Liječnik
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Hrpa {0} od {1} Stavka je istekla.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Hrpa {0} od {1} Stavka je istekla.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,konzultacije
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Izvrsno dobro
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Stavka Cijena pojavljuje se više puta na temelju Cjenika, Dobavljača / Kupca, Valute, Stavke, UOM, Qta i datuma."
@@ -6122,22 +6192,21 @@
 DocType: Certification Application,Name of Applicant,Naziv podnositelja zahtjeva
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Vrijeme list za proizvodnju.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,suma stavke
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Nije moguće mijenjati svojstva varijanti nakon transakcije zaliha. Morat ćete napraviti novu stavku da to učinite.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Nije moguće mijenjati svojstva varijanti nakon transakcije zaliha. Morat ćete napraviti novu stavku da to učinite.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA mandat
 DocType: Healthcare Practitioner,Charges,Naknade
 DocType: Production Plan,Get Items For Work Order,Preuzmite stavke za radni nalog
 DocType: Salary Detail,Default Amount,Zadani iznos
 DocType: Lab Test Template,Descriptive,Opisni
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Skladište nije pronađeno u sustavu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Ovomjesečnom Sažetak
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Ovomjesečnom Sažetak
 DocType: Quality Inspection Reading,Quality Inspection Reading,Inspekcija kvalitete - čitanje
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,` Zamrzni Zalihe starije od ` bi trebao biti manji od % d dana .
 DocType: Tax Rule,Purchase Tax Template,Predložak poreza pri nabavi
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Postavite cilj prodaje koji biste željeli postići svojoj tvrtki.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Zdravstvene usluge
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Zdravstvene usluge
 ,Project wise Stock Tracking,Projekt mudar Stock Praćenje
 DocType: GST HSN Code,Regional,Regionalni
-DocType: Delivery Note,Transport Mode,Način prijevoza
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorija
 DocType: UOM Category,UOM Category,Kategorija UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Stvarni Kol (na izvoru / ciljne)
@@ -6160,17 +6229,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Izrada web mjesta nije uspjela
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM pretvorbe Detalj
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Dionice za zadržavanje koji su već stvoreni ili Uzorak Količina nije predviđen
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Dionice za zadržavanje koji su već stvoreni ili Uzorak Količina nije predviđen
 DocType: Program,Program Abbreviation,naziv programa
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Proizvodnja Red ne može biti podignuta protiv predložak točka
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Optužbe su ažurirani u KUPNJE protiv svake stavke
 DocType: Warranty Claim,Resolved By,Riješen Do
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Raspored otpuštanja
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čekovi i depozita pogrešno izbrisani
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Račun {0}: Ne možeš ga dodijeliti kao nadređeni račun
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Račun {0}: Ne možeš ga dodijeliti kao nadređeni račun
 DocType: Purchase Invoice Item,Price List Rate,Stopa cjenika
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Stvaranje kupaca citati
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Zaustavni datum usluge ne može biti nakon datuma završetka usluge
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Zaustavni datum usluge ne može biti nakon datuma završetka usluge
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Pokaži ""raspoloživo"" ili ""nije raspoloživo"" na temelju trentnog stanja na skladištu."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Sastavnice (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Prosječno vrijeme potrebno od strane dobavljača za isporuku
@@ -6182,11 +6251,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Sati
 DocType: Project,Expected Start Date,Očekivani datum početka
 DocType: Purchase Invoice,04-Correction in Invoice,04-Ispravak u fakturi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Radni nalog već stvoren za sve stavke s BOM-om
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Radni nalog već stvoren za sve stavke s BOM-om
 DocType: Payment Request,Party Details,Detalji stranke
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Izvješće o pojedinostima o varijacijama
 DocType: Setup Progress Action,Setup Progress Action,Postavljanje napretka
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Cjenik kupnje
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Cjenik kupnje
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Uklanjanje stavke ako troškovi se ne odnosi na tu stavku
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Odustani od pretplate
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Odaberite Status održavanja kao Dovršen ili uklonite Datum dovršetka
@@ -6204,7 +6273,7 @@
 DocType: Asset,Disposal Date,Datum Odlaganje
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mail će biti poslan svim aktivnim zaposlenicima Društva u određeni sat, ako oni nemaju odmora. Sažetak odgovora će biti poslan u ponoć."
 DocType: Employee Leave Approver,Employee Leave Approver,Zaposlenik dopust Odobritelj
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Red {0}: Ulazak redoslijeda već postoji za to skladište {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Red {0}: Ulazak redoslijeda već postoji za to skladište {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Ne može se proglasiti izgubljenim, jer je ponuda napravljena."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP račun
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Povratne informacije trening
@@ -6216,7 +6285,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danas ne može biti prije od datuma
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Podnožje podatka
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Dodaj / Uredi cijene
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Dodaj / Uredi cijene
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Promocija zaposlenika ne može se poslati prije datuma promocije
 DocType: Batch,Parent Batch,Roditeljska šarža
 DocType: Cheque Print Template,Cheque Print Template,Ček Predložak Ispis
@@ -6226,6 +6295,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Prikupljanje uzoraka
 ,Requested Items To Be Ordered,Traženi Proizvodi se mogu naručiti
 DocType: Price List,Price List Name,Naziv cjenika
+DocType: Delivery Stop,Dispatch Information,Podaci o otpremi
 DocType: Blanket Order,Manufacturing,Proizvodnja
 ,Ordered Items To Be Delivered,Naručeni proizvodi za dostavu
 DocType: Account,Income,Prihod
@@ -6244,17 +6314,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jedinica {1} potrebna u {2} na {3} {4} od {5} za dovršetak ovu transakciju.
 DocType: Fee Schedule,Student Category,Studentski Kategorija
 DocType: Announcement,Student,Student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Količina za početak postupka nije dostupna u skladištu. Želite li snimiti prijenos dionica?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Količina za početak postupka nije dostupna u skladištu. Želite li snimiti prijenos dionica?
 DocType: Shipping Rule,Shipping Rule Type,Pravilo vrste isporuke
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Idite na sobe
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Tvrtka, račun za plaćanje, od datuma i do datuma je obavezan"
 DocType: Company,Budget Detail,Detalji proračuna
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Unesite poruku prije slanja
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ZA DOBAVLJAČ
-DocType: Email Digest,Pending Quotations,U tijeku Citati
-DocType: Delivery Note,Distance (KM),Udaljenost (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dobavljač&gt; Grupa dobavljača
 DocType: Asset,Custodian,staratelj
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-prodaju Profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-prodaju Profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} mora biti vrijednost između 0 i 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Plaćanje {0} od {1} do {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,unsecured krediti
@@ -6286,10 +6355,10 @@
 DocType: Lead,Converted,Pretvoreno
 DocType: Item,Has Serial No,Ima serijski br
 DocType: Employee,Date of Issue,Datum izdavanja
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kao i po postavkama kupnje ako je zahtjev za kupnju potreban == &#39;YES&#39;, a zatim za izradu fakture za kupnju, korisnik mora najprije stvoriti potvrdu o kupnji za stavku {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kao i po postavkama kupnje ako je zahtjev za kupnju potreban == &#39;YES&#39;, a zatim za izradu fakture za kupnju, korisnik mora najprije stvoriti potvrdu o kupnji za stavku {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Red # {0}: Postavite dobavljač za stavke {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Red {0}: Sati vrijednost mora biti veća od nule.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Web stranica slike {0} prilogu točki {1} Ne mogu naći
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Web stranica slike {0} prilogu točki {1} Ne mogu naći
 DocType: Issue,Content Type,Vrsta sadržaja
 DocType: Asset,Assets,Imovina
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,računalo
@@ -6300,7 +6369,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} ne postoji
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Molimo provjerite više valuta mogućnost dopustiti račune s druge valute
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Stavka: {0} ne postoji u sustavu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje zamrznute vrijednosti
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje zamrznute vrijednosti
 DocType: Payment Reconciliation,Get Unreconciled Entries,Kreiraj neusklađene ulaze
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Zaposlenik {0} je na dopustu na {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nije odabrana otplata za unos dnevnika
@@ -6318,13 +6387,14 @@
 ,Average Commission Rate,Prosječna provizija
 DocType: Share Balance,No of Shares,Broj dionica
 DocType: Taxable Salary Slab,To Amount,Iznos
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Ima serijski broj' ne može biti 'Da' za neskladišne proizvode
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Ima serijski broj' ne može biti 'Da' za neskladišne proizvode
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Odaberite Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Gledatelji ne može biti označena za budući datum
 DocType: Support Search Source,Post Description Key,Ključ za opis post
 DocType: Pricing Rule,Pricing Rule Help,Pravila cijena - pomoć
 DocType: School House,House Name,Ime kuća
 DocType: Fee Schedule,Total Amount per Student,Ukupni iznos po studentu
+DocType: Opportunity,Sales Stage,Prodajna pozornica
 DocType: Purchase Taxes and Charges,Account Head,Zaglavlje računa
 DocType: Company,HRA Component,HRA komponenta
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Električna
@@ -6332,15 +6402,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Ukupna vrijednost razlika (Out - In)
 DocType: Grant Application,Requested Amount,Zahtijevani iznos
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Red {0}: tečaj je obavezno
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Korisnik ID nije postavljen za zaposlenika {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Korisnik ID nije postavljen za zaposlenika {0}
 DocType: Vehicle,Vehicle Value,Vrijednost vozila
 DocType: Crop Cycle,Detected Diseases,Otkrivene bolesti
 DocType: Stock Entry,Default Source Warehouse,Zadano izvorno skladište
 DocType: Item,Customer Code,Kupac Šifra
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Rođendan Podsjetnik za {0}
 DocType: Asset Maintenance Task,Last Completion Date,Datum posljednjeg dovršetka
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dana od posljednje narudžbe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Zaduženja računa mora biti bilanca račun
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Zaduženja računa mora biti bilanca račun
 DocType: Asset,Naming Series,Imenovanje serije
 DocType: Vital Signs,Coated,premazan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Redak {0}: očekivana vrijednost nakon korisnog životnog vijeka mora biti manja od bruto narudžbenice
@@ -6358,15 +6427,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Otpremnica {0} ne smije biti potvrđena
 DocType: Notification Control,Sales Invoice Message,Poruka prodajnog  računa
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Zatvaranje računa {0} mora biti tipa odgovornosti / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Plaća proklizavanja zaposlenika {0} već stvoren za vremensko listu {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Plaća proklizavanja zaposlenika {0} već stvoren za vremensko listu {1}
 DocType: Vehicle Log,Odometer,mjerač za pređeni put
 DocType: Production Plan Item,Ordered Qty,Naručena kol
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Stavka {0} je onemogućen
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Stavka {0} je onemogućen
 DocType: Stock Settings,Stock Frozen Upto,Kataloški Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM ne sadrži bilo koji zaliha stavku
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM ne sadrži bilo koji zaliha stavku
 DocType: Chapter,Chapter Head,Glava poglavlja
 DocType: Payment Term,Month(s) after the end of the invoice month,Mjesec (i) nakon završetka mjeseca fakture
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura plaće bi trebala imati fleksibilnu komponentu koristi za raspodjelu iznosa naknada
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura plaće bi trebala imati fleksibilnu komponentu koristi za raspodjelu iznosa naknada
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projekt aktivnost / zadatak.
 DocType: Vital Signs,Very Coated,Vrlo obložena
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Samo porezni utjecaj (ne može se potraživati samo dio oporezivog dohotka)
@@ -6384,7 +6453,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Radno vrijeme naplate
 DocType: Project,Total Sales Amount (via Sales Order),Ukupni iznos prodaje (putem prodajnog naloga)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Zadana BOM za {0} nije pronađena
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Red # {0}: Molimo postavite naručivanja količinu
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Red # {0}: Molimo postavite naručivanja količinu
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Dodirnite stavke da biste ih dodali ovdje
 DocType: Fees,Program Enrollment,Program za upis
 DocType: Share Transfer,To Folio No,Folio br
@@ -6425,9 +6494,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max snaga
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instaliranje unaprijed postavljenih postavki
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Nijedna isporuka nije odabrana za kupca {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Nijedna isporuka nije odabrana za kupca {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Zaposlenik {0} nema maksimalnu naknadu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Odaberite stavke na temelju datuma isporuke
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Odaberite stavke na temelju datuma isporuke
 DocType: Grant Application,Has any past Grant Record,Ima li nekih prethodnih Grant Record
 ,Sales Analytics,Prodajna analitika
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Dostupno {0}
@@ -6435,12 +6504,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Postavke proizvodnje
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Postavljanje e-poštu
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Ne
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Unesite zadanu valutu u tvrtki Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Unesite zadanu valutu u tvrtki Master
 DocType: Stock Entry Detail,Stock Entry Detail,Detalji međuskladišnice
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Dnevne Podsjetnici
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Dnevne Podsjetnici
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Pogledajte sve otvorene ulaznice
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Tree zdravstvene usluge
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Proizvod
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Proizvod
 DocType: Products Settings,Home Page is Products,Početna stranica su proizvodi
 ,Asset Depreciation Ledger,Imovine Amortizacija knjiga
 DocType: Salary Structure,Leave Encashment Amount Per Day,Naplaćivanje iznosa naplate po danu
@@ -6450,8 +6519,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Sirovine Isporuka Troškovi
 DocType: Selling Settings,Settings for Selling Module,Postavke za prodaju modula
 DocType: Hotel Room Reservation,Hotel Room Reservation,Rezervacija hotela
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Služba za korisnike
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Služba za korisnike
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nije pronađen nijedan kontakt s ID-ovima e-pošte.
 DocType: Item Customer Detail,Item Customer Detail,Proizvod - detalji kupca
 DocType: Notification Control,Prompt for Email on Submission of,Pitaj za e-poštu na podnošenje
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maksimalna naknada zaposlenika {0} premašuje {1}
@@ -6461,13 +6531,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Proizvod {0} mora biti skladišni
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Zadana rad u tijeku Skladište
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Rasporedi za {0} preklapanja, želite li nastaviti nakon preskakanja preklapanih utora?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Zadane postavke za računovodstvene poslove.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Zadane postavke za računovodstvene poslove.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Odustani od ostavljanja
 DocType: Restaurant,Default Tax Template,Zadani predložak poreza
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Učenici su upisani
 DocType: Fees,Student Details,Pojedinosti studenata
 DocType: Purchase Invoice Item,Stock Qty,Kataloški broj
 DocType: Contract,Requires Fulfilment,Zahtijeva ispunjenje
+DocType: QuickBooks Migrator,Default Shipping Account,Zadani račun za otpreme
 DocType: Loan,Repayment Period in Months,Rok otplate u mjesecima
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Pogreška: Nije valjana id?
 DocType: Naming Series,Update Series Number,Update serije Broj
@@ -6481,11 +6552,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksimalni iznos
 DocType: Journal Entry,Total Amount Currency,Ukupno Valuta Iznos
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Traži Sub skupštine
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Kod proizvoda je potreban u redu broj {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Kod proizvoda je potreban u redu broj {0}
 DocType: GST Account,SGST Account,SGST račun
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Idite na stavke
 DocType: Sales Partner,Partner Type,Tip partnera
-DocType: Purchase Taxes and Charges,Actual,Stvaran
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Stvaran
 DocType: Restaurant Menu,Restaurant Manager,Voditelj restorana
 DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet za zadatke.
@@ -6506,7 +6577,7 @@
 DocType: Employee,Cheque,Ček
 DocType: Training Event,Employee Emails,E-pošte zaposlenika
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Serija ažurirana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Vrsta izvješća je obvezno
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Vrsta izvješća je obvezno
 DocType: Item,Serial Number Series,Serijski broj serije
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Skladište je obvezno za skladišne proizvode {0} u redu {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Trgovina na veliko i
@@ -6536,7 +6607,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Ažurirajte količinu naplaćenu u prodajnom nalogu
 DocType: BOM,Materials,Materijali
 DocType: Leave Block List,"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."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Porezna Predložak za kupnju transakcije .
 ,Item Prices,Cijene proizvoda
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,U riječi će biti vidljiv nakon što spremite narudžbenice.
@@ -6552,12 +6623,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serija za unos amortizacije imovine (unos dnevnika)
 DocType: Membership,Member Since,Član od
 DocType: Purchase Invoice,Advance Payments,Avansima
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Odaberite zdravstvenu službu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Odaberite zdravstvenu službu
 DocType: Purchase Taxes and Charges,On Net Total,VPC
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vrijednost za atribut {0} mora biti unutar raspona od {1} {2} u koracima od {3} za točku {4}
 DocType: Restaurant Reservation,Waitlisted,na listi čekanja
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorija izuzeća
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuta se ne može mijenjati nakon što unose pomoću neke druge valute
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuta se ne može mijenjati nakon što unose pomoću neke druge valute
 DocType: Shipping Rule,Fixed,fiksni
 DocType: Vehicle Service,Clutch Plate,držač za tanjur
 DocType: Company,Round Off Account,Zaokružiti račun
@@ -6566,7 +6637,7 @@
 DocType: Subscription Plan,Based on price list,Na temelju cjenika
 DocType: Customer Group,Parent Customer Group,Nadređena grupa kupaca
 DocType: Vehicle Service,Change,Promjena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Pretplata
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Pretplata
 DocType: Purchase Invoice,Contact Email,Kontakt email
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Kreiranje pristojbe na čekanju
 DocType: Appraisal Goal,Score Earned,Ocjena Zarađeni
@@ -6593,23 +6664,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Potraživanja / Plaća račun
 DocType: Delivery Note Item,Against Sales Order Item,Protiv prodaje reda točkom
 DocType: Company,Company Logo,Logo tvrtke
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Navedite značajke vrijednost za atribut {0}
-DocType: Item Default,Default Warehouse,Glavno skladište
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Navedite značajke vrijednost za atribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Glavno skladište
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Proračun se ne može dodijeliti protiv grupe nalog {0}
 DocType: Shopping Cart Settings,Show Price,Pokaži cijenu
 DocType: Healthcare Settings,Patient Registration,Registracija pacijenata
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Unesite roditelj troška
 DocType: Delivery Note,Print Without Amount,Ispis Bez visini
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Amortizacija Datum
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Amortizacija Datum
 ,Work Orders in Progress,Radni nalozi u tijeku
 DocType: Issue,Support Team,Tim za podršku
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Rok (u danima)
 DocType: Appraisal,Total Score (Out of 5),Ukupna ocjena (od 5)
 DocType: Student Attendance Tool,Batch,Serija
 DocType: Support Search Source,Query Route String,Upit Stringa rute
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Stopa ažuriranja po zadnjoj kupnji
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Stopa ažuriranja po zadnjoj kupnji
 DocType: Donor,Donor Type,Vrsta donatora
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Ažurira se automatski ponavljanje dokumenta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Ažurira se automatski ponavljanje dokumenta
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Ravnoteža
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Odaberite tvrtku
 DocType: Job Card,Job Card,Radna mjesta za posao
@@ -6623,7 +6694,7 @@
 DocType: Assessment Result,Total Score,Ukupni rezultat
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standard
 DocType: Journal Entry,Debit Note,Rashodi - napomena
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,U tom redoslijedu možete iskoristiti najviše {0} bodova.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,U tom redoslijedu možete iskoristiti najviše {0} bodova.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Unesite API Consumer Secret
 DocType: Stock Entry,As per Stock UOM,Kao po burzi UOM
@@ -6636,10 +6707,11 @@
 DocType: Journal Entry,Total Debit,Ukupno zaduženje
 DocType: Travel Request Costing,Sponsored Amount,Sponzorirani iznos
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Zadane gotovih proizvoda Skladište
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Odaberite Pacijent
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Odaberite Pacijent
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Prodajna osoba
 DocType: Hotel Room Package,Amenities,Sadržaji
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Proračun i Centar Cijena
+DocType: QuickBooks Migrator,Undeposited Funds Account,Neraspoređeni račun sredstava
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Proračun i Centar Cijena
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Višestruki zadani način plaćanja nije dopušten
 DocType: Sales Invoice,Loyalty Points Redemption,Otkup lojalnih bodova
 ,Appointment Analytics,Imenovanje Google Analytics
@@ -6653,6 +6725,7 @@
 DocType: Batch,Manufacturing Date,Datum proizvodnje
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Izrada pristojbe nije uspjela
 DocType: Opening Invoice Creation Tool,Create Missing Party,Stvorite stranu koja nedostaje
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Ukupni proračun
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Ostavite prazno ako grupe studenata godišnje unesete
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ako je označeno, Ukupan broj. radnih dana će uključiti odmor, a to će smanjiti vrijednost plaća po danu"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Aplikacije pomoću trenutnog ključa neće moći pristupiti, jeste li sigurni?"
@@ -6668,20 +6741,19 @@
 DocType: Opportunity Item,Basic Rate,Osnovna stopa
 DocType: GL Entry,Credit Amount,Kreditni iznos
 DocType: Cheque Print Template,Signatory Position,potpisnik pozicija
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Postavi kao Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Postavi kao Lost
 DocType: Timesheet,Total Billable Hours,Ukupno naplatnih sati
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Broj dana za koje pretplatnik mora platiti račune koje je generirala ova pretplata
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detalji o primanju zaposlenika
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Plaćanje Potvrda Napomena
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,To se temelji na transakcijama protiv tog kupca. Pogledajte vremensku crtu ispod za detalje
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Red {0}: Dodijeljeni iznos {1} mora biti manja ili jednaka količini unosa Plaćanje {2}
 DocType: Program Enrollment Tool,New Academic Term,Novi akademski naziv
 ,Course wise Assessment Report,Izvješće o procjeni studija
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Availed ITC State / UT porez
 DocType: Tax Rule,Tax Rule,Porezni Pravilo
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Održavaj istu stopu tijekom cijelog prodajnog ciklusa
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Prijavite se kao drugi korisnik da biste se registrirali na tržištu
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Prijavite se kao drugi korisnik da biste se registrirali na tržištu
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planirajte vrijeme za rezanje izvan radne stanice radnog vremena.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kupci u redu
 DocType: Driver,Issuing Date,Datum izdavanja
@@ -6690,11 +6762,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Pošaljite ovaj radni nalog za daljnju obradu.
 ,Items To Be Requested,Potraživani proizvodi
 DocType: Company,Company Info,Podaci o tvrtki
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Odaberite ili dodajte novi kupac
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Odaberite ili dodajte novi kupac
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Troška potrebno je rezervirati trošak zahtjev
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Primjena sredstava ( aktiva )
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To se temelji na prisustvo tog zaposlenog
-DocType: Assessment Result,Summary,Sažetak
 DocType: Payment Request,Payment Request Type,Vrsta zahtjeva za plaćanje
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Označite prisustvo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Duguje račun
@@ -6702,7 +6773,7 @@
 DocType: Additional Salary,Employee Name,Ime zaposlenika
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Stavka unosa narudžbe restorana
 DocType: Purchase Invoice,Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Ne može se tajno u grupu jer je izabrana vrsta računa.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Ne može se tajno u grupu jer je izabrana vrsta računa.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen. Osvježi stranicu.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Prestani korisnike od izrade ostaviti aplikacija na sljedećim danima.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ako je neograničeno isteklo za Points lojalnost, zadržite trajanje isteka prazno ili 0."
@@ -6723,11 +6794,12 @@
 DocType: Asset,Out of Order,Izvanredno
 DocType: Purchase Receipt Item,Accepted Quantity,Prihvaćena količina
 DocType: Projects Settings,Ignore Workstation Time Overlap,Zanemari vrijeme preklapanja radne stanice
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Postavite zadani popis za odmor za zaposlenika {0} ili poduzeću {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Postavite zadani popis za odmor za zaposlenika {0} ili poduzeću {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} Ne radi postoji
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Odaberite Batch Numbers
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Za GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Za GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Mjenice podignuta na kupce.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Automatsko postavljanje računa
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id projekta
 DocType: Salary Component,Variable Based On Taxable Salary,Varijabla na temelju oporezive plaće
 DocType: Company,Basic Component,Osnovna komponenta
@@ -6740,10 +6812,10 @@
 DocType: Stock Entry,Source Warehouse Address,Izvorna skladišna adresa
 DocType: GL Entry,Voucher Type,Bon Tip
 DocType: Amazon MWS Settings,Max Retry Limit,Maksimalni pokušaj ponovnog pokušaja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Cjenik nije pronađen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cjenik nije pronađen
 DocType: Student Applicant,Approved,Odobren
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Cijena
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo '
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo '
 DocType: Marketplace Settings,Last Sync On,Posljednja sinkronizacija uključena
 DocType: Guardian,Guardian,Čuvar
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Sve komunikacije uključujući i iznad toga bit će premještene u novi Izdanje
@@ -6766,14 +6838,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Popis bolesti otkrivenih na terenu. Kada je odabrana automatski će dodati popis zadataka za rješavanje ove bolesti
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Ovo je jedinica za zdravstvenu zaštitu root i ne može se uređivati.
 DocType: Asset Repair,Repair Status,Status popravka
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Dodajte partnere za prodaju
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Knjigovodstvene temeljnice
 DocType: Travel Request,Travel Request,Zahtjev za putovanje
 DocType: Delivery Note Item,Available Qty at From Warehouse,Dostupno Količina u iz skladišta
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Odaberite zaposlenika rekord prvi.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Sudjelovanje nije poslano za {0} kao što je blagdan.
 DocType: POS Profile,Account for Change Amount,Račun za promjene visine
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Povezivanje s QuickBooksom
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Ukupni dobitak / gubitak
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Neispravna tvrtka za fakturu interne tvrtke.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Neispravna tvrtka za fakturu interne tvrtke.
 DocType: Purchase Invoice,input service,ulazna usluga
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Red {0}: stranka / računa ne odgovara {1} / {2} u {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promocija zaposlenika
@@ -6782,12 +6856,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Šifra predmeta:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Unesite trošak računa
 DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od narudžbenice, fakture kupovine ili Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od narudžbenice, fakture kupovine ili Journal Entry"
 DocType: Employee,Current Address,Trenutna adresa
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ako predmet je varijanta drugom stavku zatim opis, slika, cijena, porezi itd će biti postavljena od predloška, osim ako je izričito navedeno"
 DocType: Serial No,Purchase / Manufacture Details,Detalji nabave/proizvodnje
 DocType: Assessment Group,Assessment Group,Grupa procjena
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Hrpa Inventar
+DocType: Supplier,GST Transporter ID,ID GST transportera
 DocType: Procedure Prescription,Procedure Name,Naziv postupka
 DocType: Employee,Contract End Date,Ugovor Datum završetka
 DocType: Amazon MWS Settings,Seller ID,ID prodavatelja
@@ -6807,12 +6882,12 @@
 DocType: Company,Date of Incorporation,Datum ugradnje
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Ukupno porez
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Zadnja kupovna cijena
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Kol) je obavezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Kol) je obavezno
 DocType: Stock Entry,Default Target Warehouse,Centralno skladište
 DocType: Purchase Invoice,Net Total (Company Currency),Ukupno neto (valuta tvrtke)
 DocType: Delivery Note,Air,Zrak
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Godina Datum završetka ne može biti ranije od datuma Godina Start. Ispravite datume i pokušajte ponovno.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nije u popisu slobodnih opcija
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nije u popisu slobodnih opcija
 DocType: Notification Control,Purchase Receipt Message,Poruka primke
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,otpad Predmeti
@@ -6834,23 +6909,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Ispunjenje
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prethodnu Row visini
 DocType: Item,Has Expiry Date,Ima datum isteka
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Prijenos imovine
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Prijenos imovine
 DocType: POS Profile,POS Profile,POS profil
 DocType: Training Event,Event Name,Naziv događaja
 DocType: Healthcare Practitioner,Phone (Office),Telefon (ured)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nije moguće poslati, zaposlenici ostaju označeni za pohađanje pohađanja"
 DocType: Inpatient Record,Admission,ulaz
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Upisi za {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezonska za postavljanje proračuna, ciljevi itd"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezonska za postavljanje proračuna, ciljevi itd"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variable Name
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Postavite Sustav imenovanja zaposlenika u ljudskim resursima&gt; HR postavke
+DocType: Purchase Invoice Item,Deferred Expense,Odgođeni trošak
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Od datuma {0} ne može biti prije nego što se zaposlenik pridružio datumu {1}
 DocType: Asset,Asset Category,Kategorija Imovine
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Neto plaća ne može biti negativna
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Neto plaća ne može biti negativna
 DocType: Purchase Order,Advance Paid,Unaprijed plaćeni
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Postotak prekomjerne proizvodnje za prodajni nalog
 DocType: Item,Item Tax,Porez proizvoda
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materijal za dobavljača
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materijal za dobavljača
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Planiranje zahtjeva za materijal
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Trošarine Račun
@@ -6872,11 +6949,11 @@
 DocType: Scheduling Tool,Scheduling Tool,alat za raspoređivanje
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,kreditna kartica
 DocType: BOM,Item to be manufactured or repacked,Proizvod će biti proizveden ili prepakiran
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Pogreška sintakse u stanju: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Pogreška sintakse u stanju: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Glavni / Izborni predmeti
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Postavite grupu dobavljača u Postavke kupnje.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Postavite grupu dobavljača u Postavke kupnje.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Ukupna svota fleksibilne komponente koristi {0} ne bi trebala biti manja od maksimalnih pogodnosti {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,suspendirana
@@ -6896,7 +6973,7 @@
 DocType: Customer,Commission Rate,Komisija Stopa
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Uspješno stvorene stavke plaćanja
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Izrađeno {0} bodovne kartice za {1} između:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Napravite varijanta
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Napravite varijanta
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Vrsta plaćanja mora biti jedan od primati, platiti i unutarnje prijenos"
 DocType: Travel Itinerary,Preferred Area for Lodging,Povoljno područje za smještaj
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analitika
@@ -6907,7 +6984,7 @@
 DocType: Work Order,Actual Operating Cost,Stvarni operativni trošak
 DocType: Payment Entry,Cheque/Reference No,Ček / Referentni broj
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Korijen ne može se mijenjati .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Korijen ne može se mijenjati .
 DocType: Item,Units of Measure,Mjerne jedinice
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Iznajmljeno u Metro Cityu
 DocType: Supplier,Default Tax Withholding Config,Zadana potvrda zadržavanja poreza
@@ -6925,21 +7002,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Nakon završetka plaćanja preusmjeriti korisnika na odabranu stranicu.
 DocType: Company,Existing Company,postojeće tvrtke
 DocType: Healthcare Settings,Result Emailed,Rezultat je poslana e-poštom
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Kategorija poreza promijenjena je u &quot;Ukupno&quot; jer su sve stavke nedopuštene stavke
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Kategorija poreza promijenjena je u &quot;Ukupno&quot; jer su sve stavke nedopuštene stavke
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Do danas ne može biti jednak ili manji od datuma
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Ništa se ne mijenja
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Odaberite CSV datoteku
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Odaberite CSV datoteku
 DocType: Holiday List,Total Holidays,Ukupno praznici
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Nedostaje predložak e-pošte za slanje. Postavite jedan u Postavke isporuke.
 DocType: Student Leave Application,Mark as Present,Označi kao sadašnja
 DocType: Supplier Scorecard,Indicator Color,Boja indikatora
 DocType: Purchase Order,To Receive and Bill,Za primanje i Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Redak # {0}: Reqd by Date ne može biti prije datuma transakcije
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Redak # {0}: Reqd by Date ne može biti prije datuma transakcije
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Istaknuti Proizvodi
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Odaberite serijski broj br
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Odaberite serijski broj br
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Imenovatelj
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Uvjeti i odredbe - šprance
 DocType: Serial No,Delivery Details,Detalji isporuke
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,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}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,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}
 DocType: Program,Program Code,programski kod
 DocType: Terms and Conditions,Terms and Conditions Help,Uvjeti za pomoć
 ,Item-wise Purchase Register,Popis nabave po stavkama
@@ -6952,15 +7030,16 @@
 DocType: Contract,Contract Terms,Uvjeti ugovora
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ne pokazati nikakav simbol kao $ iza valute.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maksimalna naknada komponente {0} prelazi {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Pola dana)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Pola dana)
 DocType: Payment Term,Credit Days,Kreditne Dani
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Odaberite Pacijent da biste dobili laboratorijske testove
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Provjerite Student Hrpa
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Dopusti prijenos za proizvodnju
 DocType: Leave Type,Is Carry Forward,Je Carry Naprijed
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM)
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Potencijalni kupac - ukupno dana
 DocType: Cash Flow Mapping,Is Income Tax Expense,Je li trošak poreza na dohodak
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Vaša je narudžba izvan isporuke!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Red # {0}: datum knjiženja moraju biti isti kao i datum kupnje {1} od {2} imovine
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Provjerite je li student boravio u Hostelu Instituta.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Unesite prodajni nalozi u gornjoj tablici
@@ -6968,10 +7047,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Prijenos imovine s jednog skladišta na drugo
 DocType: Vehicle,Petrol,Benzin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Preostale pogodnosti (godišnje)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill of Materials
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill of Materials
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Red {0}: Stranka Tip i stranka je potrebno za potraživanja / obveze prema dobavljačima račun {1}
 DocType: Employee,Leave Policy,Napusti pravila
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Ažuriraj stavke
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Ažuriraj stavke
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Datum
 DocType: Employee,Reason for Leaving,Razlog za odlazak
 DocType: BOM Operation,Operating Cost(Company Currency),Operativni trošak (Društvo valuta)
@@ -6982,7 +7061,7 @@
 DocType: Department,Expense Approvers,Provizori troškova
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Red {0}: debitne unos ne može biti povezan s {1}
 DocType: Journal Entry,Subscription Section,Odjeljak za pretplatu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Račun {0} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Račun {0} ne postoji
 DocType: Training Event,Training Program,Program treninga
 DocType: Account,Cash,Gotovina
 DocType: Employee,Short biography for website and other publications.,Kratka biografija za web stranice i drugih publikacija.
diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv
index ba644f7..581d85e 100644
--- a/erpnext/translations/hu.csv
+++ b/erpnext/translations/hu.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Vevői tételek
 DocType: Project,Costing and Billing,Költség- és számlázás
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Az előlegszámla pénznemének meg kell egyeznie a vállalati valuta {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,A {0} számla: Szülő számla {1} nem lehet  főkönyvi számla
+DocType: QuickBooks Migrator,Token Endpoint,Token végpont
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,A {0} számla: Szülő számla {1} nem lehet  főkönyvi számla
 DocType: Item,Publish Item to hub.erpnext.com,Közzé tétel itt: hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nem található aktív távolléti időszak
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nem található aktív távolléti időszak
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Értékelés
 DocType: Item,Default Unit of Measure,Alapértelmezett mértékegység
 DocType: SMS Center,All Sales Partner Contact,Összes értékesítő partner kapcsolata
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Kattintson az Enterre a hozzáadáshoz
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Hiányzó értékek a jelszó, az API-kulcs vagy a Shopify URL-hez"
 DocType: Employee,Rented,Bérelt
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Minden fiók
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Minden fiók
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Nem lehet átirányítani a távolléten lévő alkalmazottat
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Leállított gyártás rendelés nem törölhető, először tegye folyamatba a törléshez"
 DocType: Vehicle Service,Mileage,Távolság
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Tényleg szeretné kiselejtezni ezt a Vagyontárgyat?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Tényleg szeretné kiselejtezni ezt a Vagyontárgyat?
 DocType: Drug Prescription,Update Schedule,Frissítse az ütemtervet
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Alapértelmezett beszállító kiválasztása
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Munkavállaló megjelenítése
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Új árfolyam
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Árfolyam szükséges ehhez az  árlistához: {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Árfolyam szükséges ehhez az  árlistához: {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* A tranzakcióban lesz kiszámolva.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Vevő ügyfélkapcsolat
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Ennek alapja a beszállító ügyleteki. Lásd alábbi idővonalat a részletekért
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Túltermelés százaléka a munkarendelésre
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-kishaszonjármű-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Jogi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Jogi
+DocType: Delivery Note,Transport Receipt Date,Szállítás átvételi dátuma
 DocType: Shopify Settings,Sales Order Series,Vevői rendelési sorrend
 DocType: Vital Signs,Tongue,Nyelv
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA mentesség
 DocType: Sales Invoice,Customer Name,Vevő neve
 DocType: Vehicle,Natural Gas,Földgáz
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},A bankszámlát nem nevezhetjük mint {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},A bankszámlát nem nevezhetjük mint {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA a bérezési struktúra szerint
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vezetők (vagy csoportok), amely ellen könyvelési tételek készültek és egyenelegeit tartják karban."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),"Fennálló, kintlévő összeg erre: {0} nem lehet kevesebb, mint nulla ({1})"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,A szolgáltatás leállítása nem lehet a szolgáltatás kezdési dátuma előtt
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,A szolgáltatás leállítása nem lehet a szolgáltatás kezdési dátuma előtt
 DocType: Manufacturing Settings,Default 10 mins,Alapértelmezett 10 perc
 DocType: Leave Type,Leave Type Name,Távollét típus neve
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mutassa nyitva
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Mutassa nyitva
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Sorozat sikeresen frissítve
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Kijelentkezés
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} a {1} sorban
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} a {1} sorban
 DocType: Asset Finance Book,Depreciation Start Date,Értékcsökkenés kezdete
 DocType: Pricing Rule,Apply On,Alkalmazza ezen
 DocType: Item Price,Multiple Item prices.,Több tétel ár.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Támogatás beállítások
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,"Várható befejezés dátuma nem lehet előbb, mint várható kezdési időpontja"
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS beállítások
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Sor # {0}: Árnak eggyeznie kell {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Sor # {0}: Árnak eggyeznie kell {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Kötegelt tétel Lejárat állapota
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank tervezet
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Elsődleges kapcsolattartási adatok
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,"Problémák, Ügyek megnyitása"
 DocType: Production Plan Item,Production Plan Item,Gyártási terv tétele
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Felhasználó {0} már hozzá van rendelve ehhez az Alkalmazotthoz {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Felhasználó {0} már hozzá van rendelve ehhez az Alkalmazotthoz {1}
 DocType: Lab Test Groups,Add new line,Új sor hozzáadása
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Egészségügyi ellátás
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Fizetési késedelem (napok)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Labor rendelvények
 ,Delay Days,Késedelem napokban
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Szolgáltatás költsége
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Sorozat szám: {0} már hivatkozott ezen az Értékesítési számlán: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Sorozat szám: {0} már hivatkozott ezen az Értékesítési számlán: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Számla
 DocType: Purchase Invoice Item,Item Weight Details,Tétel súly részletei
 DocType: Asset Maintenance Log,Periodicity,Időszakosság
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Pénzügyi év {0} szükséges
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Szállító&gt; szállító csoport
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimális távolság a növények sorai között az optimális növekedés érdekében
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Védelem
 DocType: Salary Component,Abbr,Röv.
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Szabadnapok listája
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Könyvelő
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Értékesítési ár-lista
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Értékesítési ár-lista
 DocType: Patient,Tobacco Current Use,Dohányzás jelenlegi felhasználása
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Értékesítési ár
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Értékesítési ár
 DocType: Cost Center,Stock User,Készlet Felhasználó
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg)/K
+DocType: Delivery Stop,Contact Information,Elérhetőség
 DocType: Company,Phone No,Telefonszám
 DocType: Delivery Trip,Initial Email Notification Sent,Kezdeti e-mail értesítés elküldve
 DocType: Bank Statement Settings,Statement Header Mapping,Nyilvántartó fejléc feltérképezése
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Előfizetés kezdő dátuma
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Az alapértelmezett követelések, amelyeket akkor kell használni, ha nem a betegen van beállítva a találkozó költségeinek könyvelése."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Mellékeljen .csv fájlt két oszloppal, egyik a régi névvel, a másik az új névvel"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Kiindulási cím 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Tételkód&gt; Tételcsoport&gt; Márka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Kiindulási cím 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} egyik aktív pénzügyi évben sem.
 DocType: Packed Item,Parent Detail docname,Fő  docname részletek
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referencia: {0}, pont kód: {1} és az ügyfél: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} nincs jelen ebben az anyavállalatban
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} nincs jelen ebben az anyavállalatban
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,A próbaidőszak befejezési dátuma nem lehet a próbaidőszak kezdete előtti
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Adó-visszatartási kategória
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklám
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ugyanez a vállalat szerepel többször
 DocType: Patient,Married,Házas
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nem engedélyezett erre {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nem engedélyezett erre {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Tételeket kér le innen
 DocType: Price List,Price Not UOM Dependant,Ár nem Mértékegység függő
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Adja meg az adóvisszatérítés összegét
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Készlet nem frissíthető ezzel a szállítólevéllel {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Összesen jóváírt összeg
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Készlet nem frissíthető ezzel a szállítólevéllel {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Összesen jóváírt összeg
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Gyártmány {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nincsenek listázott tételek
 DocType: Asset Repair,Error Description,Hiba leírás
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Használja az egyéni pénzforgalom formátumot
 DocType: SMS Center,All Sales Person,Összes értékesítő
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"* Havi Felbontás** segít felbontani a Költségvetést / Célt a hónapok között, ha vállalkozásod szezonális."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nem talált tételeket
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Bérrendszer Hiányzó
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nem talált tételeket
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Bérrendszer Hiányzó
 DocType: Lead,Person Name,Személy neve
 DocType: Sales Invoice Item,Sales Invoice Item,Kimenő értékesítési számla tételei
 DocType: Account,Credit,Tőlünk követelés
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Készlet jelentések
 DocType: Warehouse,Warehouse Detail,Raktár részletek
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"A feltétel végső dátuma nem lehet későbbi, mint a tanév év végi időpontja, amelyhez a kifejezés kapcsolódik (Tanév {}). Kérjük javítsa ki a dátumot, és próbálja újra."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ez álló-eszköz"" nem lehet kijelöletlen, mert Tárgyi eszköz rekord bejegyzés létezik ellen tételként"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ez álló-eszköz"" nem lehet kijelöletlen, mert Tárgyi eszköz rekord bejegyzés létezik ellen tételként"
 DocType: Delivery Trip,Departure Time,Indulás ideje
 DocType: Vehicle Service,Brake Oil,Fékolaj
 DocType: Tax Rule,Tax Type,Adónem
 ,Completed Work Orders,Elvégzett munka rendelések
 DocType: Support Settings,Forum Posts,Fórum hozzászólások
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Adóalap
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Adóalap
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Nincs engedélye bejegyzés hozzáadására és frissítésére előbb mint: {0}
 DocType: Leave Policy,Leave Policy Details,Távollét szabályok részletei
 DocType: BOM,Item Image (if not slideshow),Tétel Kép (ha nem slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Óra érték / 60) * aktuális üzemidő
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,#{0} sor: A referencia dokumentum típusának a Költség igény vagy Jóváírás bejegyzések egyikének kell lennie
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Válasszon Anyagj
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,#{0} sor: A referencia dokumentum típusának a Költség igény vagy Jóváírás bejegyzések egyikének kell lennie
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Válasszon Anyagj
 DocType: SMS Log,SMS Log,SMS napló
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Költségét a szállított tételeken
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Ez az ünnep: {0} nincs az induló és a végső dátum közt
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Beszállító állományainak sablonjai.
 DocType: Lead,Interested,Érdekelt
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Megnyitott
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Feladó {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Feladó {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Sikertelen az adók beállítása
 DocType: Item,Copy From Item Group,Másolás tétel csoportból
-DocType: Delivery Trip,Delivery Notification,Kézbesítési értesítés
 DocType: Journal Entry,Opening Entry,Kezdő könyvelési tétel
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Számla csak fizetésre
 DocType: Loan,Repay Over Number of Periods,Törleszteni megadott számú időszakon belül
 DocType: Stock Entry,Additional Costs,További költségek
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Meglévő tranzakcióval rendelkező számla nem konvertálható csoporttá.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Meglévő tranzakcióval rendelkező számla nem konvertálható csoporttá.
 DocType: Lead,Product Enquiry,Gyártmány igénylés
 DocType: Education Settings,Validate Batch for Students in Student Group,Érvényesítse a köteget a Diák csoportban lévő diák számára
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nem talál távollét bejegyzést erre a munkavállalóra {0} erre {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Kérjük, adja meg először céget"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Kérjük, válasszon Vállalkozást először"
 DocType: Employee Education,Under Graduate,Diplomázás alatt
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"Kérjük, állítsa be az alapértelmezett sablont a kilépési állapot értesítéshez a HR beállításoknál."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"Kérjük, állítsa be az alapértelmezett sablont a kilépési állapot értesítéshez a HR beállításoknál."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Cél ezen
 DocType: BOM,Total Cost,Összköltség
 DocType: Soil Analysis,Ca/K,Ca/K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Főkönyvi számla kivonata
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Gyógyszeriparok
 DocType: Purchase Invoice Item,Is Fixed Asset,Ez álló-eszköz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Elérhető mennyiség: {0}, ennyi az igény: {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Elérhető mennyiség: {0}, ennyi az igény: {1}"
 DocType: Expense Claim Detail,Claim Amount,Garanciális igény összege
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},A munka megrendelés: {0}
@@ -279,7 +279,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +56,Duplicate customer group found in the cutomer group table,Ismétlődő vevői csoport található a Vevő csoport táblázatában
 DocType: Location,Location Name,Helyszín neve
 DocType: Naming Series,Prefix,Előtag
-apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html +7,Event Location,Esemény helye
+apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html +7,Event Location,Esemény helyszíne
 DocType: Asset Settings,Asset Settings,Vagyonieszköz beállítások
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +71,Consumable,Fogyóeszközök
 DocType: Student,B-,B-
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Minőségi ellenőrzés sablonja
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Szeretné frissíteni részvétel? <br> Jelen: {0} \ <br> Hiányzik: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Elfogadott + Elutasított Mennyiségnek meg kell egyeznie a {0} tétel beérkezett mennyiségével
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Elfogadott + Elutasított Mennyiségnek meg kell egyeznie a {0} tétel beérkezett mennyiségével
 DocType: Item,Supply Raw Materials for Purchase,Nyersanyagok beszállítása beszerzéshez
 DocType: Agriculture Analysis Criteria,Fertilizer,Trágya
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Nem lehet biztosítani a szállítást szériaszámként, mivel a \ item {0} van hozzáadva és anélkül,"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Legalább egy fizetési mód szükséges POS számlára.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Legalább egy fizetési mód szükséges POS számlára.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Banki kivonat Tranzakciós számla tétel
 DocType: Products Settings,Show Products as a List,Megmutatása a tételeket listában
 DocType: Salary Detail,Tax on flexible benefit,Adó a rugalmas haszonon
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Anyag igény részletei
 DocType: Selling Settings,Default Quotation Validity Days,Alapértelmezett árajánlat érvényességi napok
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","A tétel adójának beillesztéséhez ebbe a sorba: {0}, az ebben a sorban {1} lévő adókat is muszály hozzávenni"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","A tétel adójának beillesztéséhez ebbe a sorba: {0}, az ebben a sorban {1} lévő adókat is muszály hozzávenni"
 DocType: SMS Center,SMS Center,SMS Központ
 DocType: Payroll Entry,Validate Attendance,Érvényesítse a részvételt
 DocType: Sales Invoice,Change Amount,Váltópénz összeg
 DocType: Party Tax Withholding Config,Certificate Received,Tanúsítvány beérkezett
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Számlaérték beállítása B2C-hez. B2CL és B2CS ennek a számlának az étékei alapján számítva.
 DocType: BOM Update Tool,New BOM,Új Anyagjegyzék
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Előírt eljárások
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Előírt eljárások
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Csak POS megjelenítése
 DocType: Supplier Group,Supplier Group Name,A beszállító csoport neve
 DocType: Driver,Driving License Categories,Vezetői engedély kategóriái
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Bérszámfejtés időszakai
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Alkalmazot létrehozás
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Műsorszolgáltatás
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS értékesítési kassza beállítási módja  (online / offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS értékesítési kassza beállítási módja  (online / offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Letiltja a naplófájlok létrehozását a munka megrendelésekhez. A műveleteket nem lehet nyomon követni a munkatervben
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Végrehajtás
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Részletek az elvégzett műveletekethez.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Kedvezmény az Árlista ár értékén (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Tétel sablon
 DocType: Job Offer,Select Terms and Conditions,Válasszon Feltételeket
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Értéken kívül
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Értéken kívül
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Banki kivonat beállítás tételei
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce beállítások
 DocType: Production Plan,Sales Orders,Vevői rendelés
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Az ajánlatkérés elérhető a következő linkre kattintással
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG eszköz létrehozó kurzus
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Fizetés leírása
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Elégtelen készlet
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Elégtelen készlet
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapacitás-tervezés és Idő követés letiltása
 DocType: Email Digest,New Sales Orders,Új vevői rendelés
 DocType: Bank Account,Bank Account,Bankszámla
 DocType: Travel Itinerary,Check-out Date,Kijelentkezés dátuma
 DocType: Leave Type,Allow Negative Balance,Negatív egyenleg engedélyezése
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',"A ""Külső"" projekttípust nem törölheti"
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Válasszon alternatív elemet
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Válasszon alternatív elemet
 DocType: Employee,Create User,Felhasználó létrehozása
 DocType: Selling Settings,Default Territory,Alapértelmezett terület
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televízió
 DocType: Work Order Operation,Updated via 'Time Log',Frissítve 'Idő napló' által
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Válassza ki a vevőt vagy a beszállítót.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},"Előleg összege nem lehet nagyobb, mint {0} {1}"
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},"Előleg összege nem lehet nagyobb, mint {0} {1}"
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Az időrés átugrásra került, a {0} - {1} rés átfedi a {2} - {3}"
 DocType: Naming Series,Series List for this Transaction,Sorozat List ehhez a tranzakcióhoz
 DocType: Company,Enable Perpetual Inventory,Engedélyezze a folyamatos készletet
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Ellen Értékesítési tétel számlák
 DocType: Agriculture Analysis Criteria,Linked Doctype,Kapcsolt Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Nettó pénzeszközök a pénzügyről
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Helyi-tároló megtelt, nem menti"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Helyi-tároló megtelt, nem menti"
 DocType: Lead,Address & Contact,Cím & Kapcsolattartó
 DocType: Leave Allocation,Add unused leaves from previous allocations,Adja hozzá a fel nem használt távoléteket a korábbi elhelyezkedésből
 DocType: Sales Partner,Partner website,Partner weboldal
@@ -446,10 +446,10 @@
 ,Open Work Orders,Munka rendelések nyitása
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Felelős tétel
 DocType: Payment Term,Credit Months,Hitelkeret hónapokban
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,"Nettó fizetés nem lehet kevesebb, mint 0"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,"Nettó fizetés nem lehet kevesebb, mint 0"
 DocType: Contract,Fulfilled,Teljesített
 DocType: Inpatient Record,Discharge Scheduled,Tervezett felmentés
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,"Tehermentesítés dátumának nagyobbnak kell lennie, mint Csatlakozás dátuma"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,"Tehermentesítés dátumának nagyobbnak kell lennie, mint Csatlakozás dátuma"
 DocType: POS Closing Voucher,Cashier,Pénztáros
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Távollétek évente
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Sor {0}: Kérjük ellenőrizze, hogy 'ez előleg' a  {1} számlához, tényleg egy előleg bejegyzés."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Kérjük, állíts be a Diákokat a Hallgatói csoportok alatt"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Teljes munka
 DocType: Item Website Specification,Item Website Specification,Tétel weboldal adatai
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Távollét blokkolt
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},"Tétel: {0}, elérte az élettartama végét {1}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Távollét blokkolt
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},"Tétel: {0}, elérte az élettartama végét {1}"
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank bejegyzések
 DocType: Customer,Is Internal Customer,Ő belső vevő
 DocType: Crop,Annual,Éves
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ha az Automatikus opció be van jelölve, akkor az ügyfelek automatikusan kapcsolódnak az érintett hűségprogramhoz (mentéskor)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Készlet egyeztetés tétele
 DocType: Stock Entry,Sales Invoice No,Kimenő értékesítési számla száma
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Táptípus
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Táptípus
 DocType: Material Request Item,Min Order Qty,Min. rendelési menny.
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Diák csoport létrehozása Szerszám pálya
 DocType: Lead,Do Not Contact,Ne lépj kapcsolatba
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Közzéteszi a Hubon
 DocType: Student Admission,Student Admission,Tanuló Felvételi
 ,Terretory,Terület
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} tétel törölve
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} tétel törölve
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Értékcsökkenési sor {0}: Értékcsökkenés Kezdés dátuma egy korábbi dátumként szerepel
 DocType: Contract Template,Fulfilment Terms and Conditions,Teljesítési általános feltételek
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Anyagigénylés
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Anyagigénylés
 DocType: Bank Reconciliation,Update Clearance Date,Végső dátum frissítése
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Beszerzés adatai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Tétel {0} nem található a 'Szállított alapanyagok' táblázatban ebben a Beszerzési  Megrendelésben {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Tétel {0} nem található a 'Szállított alapanyagok' táblázatban ebben a Beszerzési  Megrendelésben {1}
 DocType: Salary Slip,Total Principal Amount,Teljes tőkeösszeg
 DocType: Student Guardian,Relation,Kapcsolat
 DocType: Student Guardian,Mother,Anya
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Szállítás megyéje
 DocType: Currency Exchange,For Selling,Az eladásra
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Tanulás
+DocType: Purchase Invoice Item,Enable Deferred Expense,Engedélyezze a halasztott költségeket
 DocType: Asset,Next Depreciation Date,Következő Értékcsökkenés dátuma
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Alkalmazottankénti Tevékenység költség
 DocType: Accounts Settings,Settings for Accounts,Fiókok beállítása
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Beszállítói számla nem létezik ebben a beszállítói számlán: {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Beszállítói számla nem létezik ebben a beszállítói számlán: {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Kezelje az értékesítő szeméályek fáját.
 DocType: Job Applicant,Cover Letter,Kísérő levél
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"Fennálló, kinntlévő negatív csekkek és a Betétek kiegyenlítésre"
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Külső munka története
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Körkörös hivatkozás hiba
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Tanulói jelentés kártya
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Pin kódból
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Pin kódból
 DocType: Appointment Type,Is Inpatient,Ő fekvőbeteg
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Helyettesítő1 neve
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Szavakkal (Export) lesz látható, miután menttette a szállítólevelet."
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Több pénznem
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Számla típusa
 DocType: Employee Benefit Claim,Expense Proof,Expense Proof
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Szállítólevél
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},A {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Szállítólevél
 DocType: Patient Encounter,Encounter Impression,Benyomás a tálálkozóról
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Adók beállítása
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Eladott vagyontárgyak költsége
 DocType: Volunteer,Morning,Reggel
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Fizetés megadása módosításra került, miután lehívta. Kérjük, hívja le újra."
 DocType: Program Enrollment Tool,New Student Batch,Új diák csoport
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} kétszer bevitt a tétel adójába
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Összefoglaló erre a hétre és a folyamatban lévő tevékenységekre
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} kétszer bevitt a tétel adójába
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Összefoglaló erre a hétre és a folyamatban lévő tevékenységekre
 DocType: Student Applicant,Admitted,Belépést nyer
 DocType: Workstation,Rent Cost,Bérleti díj
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Összeg az értékcsökkenési leírás után
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Összeg az értékcsökkenési leírás után
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Közelgő naptári események
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant attribútumok
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Kérjük, válasszon hónapot és évet"
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Nem lehet csak 1 fiók vállalatonként ebben {0} {1}
 DocType: Support Search Source,Response Result Key Path,Válasz Eredmény Kulcs elérési út
 DocType: Journal Entry,Inter Company Journal Entry,Inter vállalkozási főkönyvi napló bejegyzés
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},"A (z) {0} mennyiség nem lehet nagyobb, mint a munka rendelés mennyiség {1}"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Kérjük, nézze meg a mellékletet"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},"A (z) {0} mennyiség nem lehet nagyobb, mint a munka rendelés mennyiség {1}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Kérjük, nézze meg a mellékletet"
 DocType: Purchase Order,% Received,% fogadva
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Készítsen Diákcsoportokat
 DocType: Volunteer,Weekends,Hétvégék
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Teljes fennálló kintlévő
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Megváltoztatni a kezdő / aktuális sorszámot egy meglévő sorozatban.
 DocType: Dosage Strength,Strength,Dózis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Hozzon létre egy új Vevőt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Hozzon létre egy új Vevőt
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Megszűnés ekkor
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ha több árképzési szabály továbbra is fennáll, a felhasználók fel lesznek kérve, hogy a kézi prioritás beállítással orvosolják a konfliktusokat."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Beszerzési megrendelés létrehozása
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Fogyóeszköz költség
 DocType: Purchase Receipt,Vehicle Date,Jármű dátuma
 DocType: Student Log,Medical,Orvosi
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Veszteség indoka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,"Kérem, válassza a Drug"
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Veszteség indoka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,"Kérem, válassza a Drug"
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,"Érdeklődés tulajdonosa nem lehet ugyanaz, mint az érdeklődés"
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,"Elkülönített összeg nem lehet nagyobb, mint a kiigazítás nélküli összege"
 DocType: Announcement,Receiver,Fogadó
 DocType: Location,Area UOM,Terület ME
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Munkaállomás zárva a következő időpontokban a Nyaralási lista szerint: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Lehetőségek
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Lehetőségek
 DocType: Lab Test Template,Single,Egyedülálló
 DocType: Compensatory Leave Request,Work From Date,Munka kező dátuma
 DocType: Salary Slip,Total Loan Repayment,Összesen hitel visszafizetése
+DocType: Project User,View attachments,Mellékletek megtekintése
 DocType: Account,Cost of Goods Sold,Az eladott áruk beszerzési költsége
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,"Kérjük, adja meg a Költséghelyet"
 DocType: Drug Prescription,Dosage,Adagolás
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Mennyiség és árérték
 DocType: Delivery Note,% Installed,% telepítve
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Tantermek / Laboratoriumok stb, ahol előadások vehetők igénybe."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Mindkét vállalat vállalati pénznemének meg kell egyeznie az Inter vállalkozás tranzakciók esetében.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Mindkét vállalat vállalati pénznemének meg kell egyeznie az Inter vállalkozás tranzakciók esetében.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Kérjük adja meg a cégnevet elsőként
 DocType: Travel Itinerary,Non-Vegetarian,Nem vegetáriánus
 DocType: Purchase Invoice,Supplier Name,Beszállító neve
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Ideiglenesen tartásba
 DocType: Account,Is Group,Ez Csoport
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,A (z) {0} jóváírási jegyzet automatikusan létrehozásra került
-DocType: Email Digest,Pending Purchase Orders,Függő Beszerzési megrendelések
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatikusan beállítja a Sorozat számot a FIFO alapján /ElőszörBeElöszörKi/
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Ellenőrizze a Beszállítói Számlák számait Egyediségre
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Elsődleges cím adatok
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Az email részét képező bevezető bemutatkozó szöveg testreszabása. Minden egyes tranzakció külön bevezető szöveggel rendelkezik.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},{0} sor: a nyersanyagelem {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},"Kérjük, állítsa be az alapértelmezett fizetendő számla a cég {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Tranzakció nem engedélyezett a megállított munka megrendeléshez: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Tranzakció nem engedélyezett a megállított munka megrendeléshez: {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc számláló
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globális beállítások minden egyes gyártási folyamatra.
 DocType: Accounts Settings,Accounts Frozen Upto,A számlák be vannak fagyasztva eddig
 DocType: SMS Log,Sent On,Elküldve ekkor
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,{0} jellemzők többször kiválasztásra kerültek a jellemzők táblázatban
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,{0} jellemzők többször kiválasztásra kerültek a jellemzők táblázatban
 DocType: HR Settings,Employee record is created using selected field. ,Alkalmazott rekord jön létre a kiválasztott mezővel.
 DocType: Sales Order,Not Applicable,Nem értelmezhető
 DocType: Amazon MWS Settings,UK,UK
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,A (z) {0} alkalmazott már {1} {2} -ra bejelentkezett:
 DocType: Inpatient Record,AB Positive,AB Pozitív
 DocType: Job Opening,Description of a Job Opening,Leírás egy Állásajánlathoz
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Függő tevékenységek mára
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Függő tevékenységek mára
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Bér összetevők a munkaidő jelenléti ív alapú bérhez.
+DocType: Driver,Applicable for external driver,Külső meghajtóhoz alkalmazható
 DocType: Sales Order Item,Used for Production Plan,Termelési tervhez használja
 DocType: Loan,Total Payment,Teljes fizetés
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Nem sikerült megszüntetni a befejezett munka rendelés tranzakcióját.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Nem sikerült megszüntetni a befejezett munka rendelés tranzakcióját.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Műveletek közti idő (percben)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,A PO már létrehozott minden vevői rendelési tételhez
 DocType: Healthcare Service Unit,Occupied,Foglalt
 DocType: Clinical Procedure,Consumables,Fogyóeszközök
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} törlődik, így a művelet nem lehet végrehajtható"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} törlődik, így a művelet nem lehet végrehajtható"
 DocType: Customer,Buyer of Goods and Services.,Vevő az árukra és szolgáltatásokra.
 DocType: Journal Entry,Accounts Payable,Beszállítóknak fizetendő számlák
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"A kifizetési kérelemben beállított {0} összeg eltér az összes fizetési terv számított összegétől: {1}. A dokumentum benyújtása előtt győződjön meg arról, hogy ez helyes-e."
 DocType: Patient,Allergies,Allergiák
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,A kiválasztott darabjegyzékeket nem ugyanarra a tételre
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,A kiválasztott darabjegyzékeket nem ugyanarra a tételre
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Tétel kód változtatás
 DocType: Supplier Scorecard Standing,Notify Other,Értesíts mást
 DocType: Vital Signs,Blood Pressure (systolic),Vérnyomás (szisztolés)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Elég alkatrészek a megépítéshez
 DocType: POS Profile User,POS Profile User,POS profil felhasználója
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,{0} sor: Értékcsökkenés kezdő dátuma szükséges
-DocType: Sales Invoice Item,Service Start Date,Szolgáltatás kezdési dátuma
+DocType: Purchase Invoice Item,Service Start Date,Szolgáltatás kezdési dátuma
 DocType: Subscription Invoice,Subscription Invoice,Előfizetési számla
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Közvetlen jövedelem
 DocType: Patient Appointment,Date TIme,Dátum Idő
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Labor rutin
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kozmetikum
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,"Kérem, válassza ki a befejezés dátumát a Befejezett Vagyontárgy gazdálkodási naplóhoz"
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Egyesítéshez, a következő tulajdonságoknak meg kell egyeznie mindkét tételnél"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Egyesítéshez, a következő tulajdonságoknak meg kell egyeznie mindkét tételnél"
 DocType: Supplier,Block Supplier,Beszállító blokkolása
 DocType: Shipping Rule,Net Weight,Nettó súly
 DocType: Job Opening,Planned number of Positions,Tervezett pozíciók száma
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Pénzforgalom térképezés sablon
 DocType: Travel Request,Costing Details,Költség adatok
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Visszatérési bejegyzések megjelenítése
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Széria sz. tétel nem lehet egy törtrész
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Széria sz. tétel nem lehet egy törtrész
 DocType: Journal Entry,Difference (Dr - Cr),Különbség (Dr - Cr)
 DocType: Bank Guarantee,Providing,Ellát
 DocType: Account,Profit and Loss,Eredménykimutatás
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nem engedélyezett, szükség szerint konfigurálja a laboratóriumi tesztsablont"
 DocType: Patient,Risk Factors,Kockázati tényezők
 DocType: Patient,Occupational Hazards and Environmental Factors,Foglalkozási veszélyek és környezeti tényezők
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Munka megrendelésre már létrehozott készletbejegyzések
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Munka megrendelésre már létrehozott készletbejegyzések
 DocType: Vital Signs,Respiratory rate,Légzésszám
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Alvállalkozói munkák kezelése
 DocType: Vital Signs,Body Temperature,Testhőmérséklet
 DocType: Project,Project will be accessible on the website to these users,"Project téma elérhető lesz a honlapon, ezeknek a felhasználóknak"
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Nem lehet lemondani {0} {1}, mert a {2} sorozatszám nem tartozik ebbe a raktárba {3}"
 DocType: Detected Disease,Disease,Kórokozók
+DocType: Company,Default Deferred Expense Account,Alapértelmezett halasztott költség számla
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Határozza meg a Projekt téma típusát.
 DocType: Supplier Scorecard,Weighting Function,Súlyozási funkció
 DocType: Healthcare Practitioner,OP Consulting Charge,OP tanácsadói díj
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Gyártott termékek
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,A számlák tranzakcióinak egyeztetése
 DocType: Sales Order Item,Gross Profit,Bruttó nyereség
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Számla feloldása
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Számla feloldása
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Lépésköz nem lehet 0
 DocType: Company,Delete Company Transactions,Vállalati tranzakciók törlése
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Hivatkozási szám és Referencia dátum kötelező a Banki tranzakcióhoz
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Mellőz
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} nem aktív
 DocType: Woocommerce Settings,Freight and Forwarding Account,Szállítás és szállítmányozás számla
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Csekk méretek telepítése a nyomtatáshoz
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Csekk méretek telepítése a nyomtatáshoz
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Fizetési bérpapír létrehozás
 DocType: Vital Signs,Bloated,Dúzzadt
 DocType: Salary Slip,Salary Slip Timesheet,Bérpapirok munkaidő jelenléti ívei
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Beszállító raktár kötelező  az alvállalkozók vásárlási nyugtájához
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Beszállító raktár kötelező  az alvállalkozók vásárlási nyugtájához
 DocType: Item Price,Valid From,Érvényes innentől:
 DocType: Sales Invoice,Total Commission,Teljes Jutalék
 DocType: Tax Withholding Account,Tax Withholding Account,Adó visszatartási számla
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Összes Beszállító eredménymutatói.
 DocType: Buying Settings,Purchase Receipt Required,Beszerzési megrendelés nyugta kötelező
 DocType: Delivery Note,Rail,Sín
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,A {0} sorban lévő célraktárnak meg kell egyeznie a Munka Rendelésével
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Készletérték ár kötelező, ha nyitási készletet felvitt"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,A {0} sorban lévő célraktárnak meg kell egyeznie a Munka Rendelésével
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Készletérték ár kötelező, ha nyitási készletet felvitt"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nem talált bejegyzést a számlatáblázat
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Kérjük, válasszon Vállalkozást és Ügyfél típust először"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Már beállította a {0} pozícióprofilban a {1} felhasználó számára az alapértelmezett értéket,  kérem tiltsa le az alapértelmezettet"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Pénzügyi / számviteli év.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Pénzügyi / számviteli év.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Halmozott értékek
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Sajnáljuk, Széria sz. nem lehet összevonni,"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Az Ügyfélcsoport beállít egy kiválasztott csoportot, miközben szinkronizálja az ügyfeleket a Shopify szolgáltatásból"
@@ -895,7 +900,7 @@
 ,Lead Id,Érdeklődés ID
 DocType: C-Form Invoice Detail,Grand Total,Mindösszesen
 DocType: Assessment Plan,Course,Tanfolyam
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Szekció kód
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Szekció kód
 DocType: Timesheet,Payslip,Bérelszámolás
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Félnapos dátumának a kezdési és a befejező dátum köztinek kell lennie
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Tétel kosár
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Személyes Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Tagság azonosítója
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Szállított: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Szállított: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Csatlakoztatva a QuickBookshez
 DocType: Bank Statement Transaction Entry,Payable Account,Beszállítói követelések fizetendő számla
 DocType: Payment Entry,Type of Payment,Fizetés típusa
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,A félnapos dátuma kötelező
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Szállítás számlázásának dátuma
 DocType: Production Plan,Production Plan,Termelési terv
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Számlát létrehozó eszköz megnyitása
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Értékesítés visszaküldése
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Értékesítés visszaküldése
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Megjegyzés: Az összes kijelölt távollét: {0} nem lehet kevesebb, mint a már jóváhagyott távollétek: {1} erre az időszakra"
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Mennyiség megadása a sorozatszámos bemeneten alapuló tranzakciókhoz
 ,Total Stock Summary,Készlet Összefoglaló
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Vevő vagy tétel
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Vevői adatbázis.
 DocType: Quotation,Quotation To,Árajánlat az ő részére
-DocType: Lead,Middle Income,Közepes jövedelmű
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Közepes jövedelmű
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Nyitó (Követ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Alapértelmezett mértékegységét a {0} tételnek nem lehet megváltoztatni közvetlenül, mert már végzett néhány tranzakció(t) másik mértékegységgel. Szükséges lesz egy új tétel létrehozására, hogy egy másik alapértelmezett mértékegységet használhasson."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Alapértelmezett mértékegységét a {0} tételnek nem lehet megváltoztatni közvetlenül, mert már végzett néhány tranzakció(t) másik mértékegységgel. Szükséges lesz egy új tétel létrehozására, hogy egy másik alapértelmezett mértékegységet használhasson."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Elkülönített összeg nem lehet negatív
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,"Kérjük, állítsa be a Vállalkozást"
 DocType: Share Balance,Share Balance,Egyenleg megosztása
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Válasszon Fizetési számlát, banki tétel bejegyzéshez"
 DocType: Hotel Settings,Default Invoice Naming Series,Alapértelmezett számlaelnevezési sorozatok
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Készítsen Munkavállaló nyilvántartásokat a távollétek, költségtérítési igények és a bér kezeléséhez"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Hiba történt a frissítési folyamat során
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Hiba történt a frissítési folyamat során
 DocType: Restaurant Reservation,Restaurant Reservation,Éttermi foglalás
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Pályázatírás
 DocType: Payment Entry Deduction,Payment Entry Deduction,Fizetés megadásának levonása
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Becsomagol
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Vevők értesítse e-mailen keresztül
 DocType: Item,Batch Number Series,Köteg sorszámozása
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Egy másik Értékesítő személy {0} létezik a  azonos alkalmazotti azonosító Id-vel
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Egy másik Értékesítő személy {0} létezik a  azonos alkalmazotti azonosító Id-vel
 DocType: Employee Advance,Claimed Amount,Igényelt összeg
+DocType: QuickBooks Migrator,Authorization Settings,Engedélyezési beállítások
 DocType: Travel Itinerary,Departure Datetime,Indulási dátumidő
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Utazási kérelemköltség
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Beszállító elnevezve által
 DocType: Activity Type,Default Costing Rate,Alapértelmezett költség ár
 DocType: Maintenance Schedule,Maintenance Schedule,Karbantartási ütemterv
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Árképzési szabályok szűrésre kerülnek a Vevő, Vevő csoport, Terület, Beszállító,Beszállító típus, kampány, értékesítési partner stb. alapján."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Árképzési szabályok szűrésre kerülnek a Vevő, Vevő csoport, Terület, Beszállító,Beszállító típus, kampány, értékesítési partner stb. alapján."
 DocType: Employee Promotion,Employee Promotion Details,Munkavállalói promóciós adatok
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Nettó készletváltozás
 DocType: Employee,Passport Number,Útlevél száma
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Összefüggés Helyettesítő2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Menedzser
 DocType: Payment Entry,Payment From / To,Fizetési Honnan / Hova
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,A költségvetési évtől
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},"Új hitelkeret kevesebb, mint a jelenlegi fennálló összeget a vevő számára. Hitelkeretnek minimum ennyinek kell lennie {0}"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},"Kérjük, állítson be fiókot erre a Raktárra: {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},"Kérjük, állítson be fiókot erre a Raktárra: {0}"
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,Az 'Ez alapján' 'és a 'Csoport szerint' nem lehet azonos
 DocType: Sales Person,Sales Person Targets,Értékesítői személy célok
 DocType: Work Order Operation,In minutes,Percekben
 DocType: Issue,Resolution Date,Megoldás dátuma
 DocType: Lab Test Template,Compound,Összetett
+DocType: Opportunity,Probability (%),Valószínűség (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Feladási értesítés
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Válassza a tulajdonságot
 DocType: Student Batch Name,Batch Name,Köteg neve
 DocType: Fee Validity,Max number of visit,Látogatások max.  száma
 ,Hotel Room Occupancy,Szállodai szoba kihasználtság
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Munkaidő jelenléti ív nyilvántartás létrehozva:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Kérjük, állítsda be az alapértelmezett Készpénz vagy bankszámlát a  Fizetési módban {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Kérjük, állítsda be az alapértelmezett Készpénz vagy bankszámlát a  Fizetési módban {0}"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Beiratkozás
 DocType: GST Settings,GST Settings,GST Beállítások
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},A pénznemnek meg kell egyeznie ennek az Árjegyzéknek a pénznemével: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Összes fizetendő kamat
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Beszerzési költség adók és illetékek
 DocType: Work Order Operation,Actual Start Time,Tényleges kezdési idő
+DocType: Purchase Invoice Item,Deferred Expense Account,Halasztott költség számla
 DocType: BOM Operation,Operation Time,Működési idő
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Befejez
 DocType: Salary Structure Assignment,Base,Alapértelmezett
 DocType: Timesheet,Total Billed Hours,Összes számlázott Órák
 DocType: Travel Itinerary,Travel To,Ide utazni
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nem
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Leírt összeg
 DocType: Leave Block List Allow,Allow User,Felhasználó engedélyezése
 DocType: Journal Entry,Bill No,Számlaszám
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Jelenléti ív
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Visszatartandó nyersanyagok ez alapján
 DocType: Sales Invoice,Port Code,Kikötői kód
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Raktár a lefoglalásokhoz
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Raktár a lefoglalásokhoz
 DocType: Lead,Lead is an Organization,Az érdeklődő egy szervezet
-DocType: Guardian Interest,Interest,Érdek
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Értékesítés előtt
 DocType: Instructor Log,Other Details,Egyéb részletek
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Beszállító
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Főkönyvi számlák
 DocType: Vehicle,Odometer Value (Last),Kilométer-számláló érték (utolsó)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,A beszállító eredménymutató-kritériumainak sablonjai.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Hűségpontok visszaváltása
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Fizetés megadása már létrehozott
 DocType: Request for Quotation,Get Suppliers,Szerezd meg a beszállítókat
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Termés távolság ME
 DocType: Loyalty Program,Single Tier Program,Egyszintű program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Csak akkor válassza ki, ha beállította a Pénzforgalom térképező dokumentumokat"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Kiindulási cím 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Kiindulási cím 1
 DocType: Email Digest,Next email will be sent on:,A következő emailt ekkor küldjük:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",A (z) {item} {verb} tétel {item} elemét követve \ Beállíthatja őket mint {message} tételt a tétel mesterként
 DocType: Supplier Scorecard,Per Week,Hetente
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Tételnek változatok.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Tételnek változatok.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Teljes hallgató
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Tétel {0} nem található
 DocType: Bin,Stock Value,Készlet értéke
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Vállalkozás {0} nem létezik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Vállalkozás {0} nem létezik
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},A(z) {0} díjszabás érvényessége eddig: {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Fa Típus
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Darabonként felhasznált mennyiség
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Könyvelési tétel fájlok [FEC]
 DocType: Journal Entry,Credit Card Entry,Hitelkártya bejegyzés
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Vállakozás és fiókok
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Az Értékben
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Az Értékben
 DocType: Asset Settings,Depreciation Options,Értékcsökkenési lehetőségek
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Bármelyik helyszínt vagy alkalmazottat meg kell követelni
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Érvénytelen kiküldési idő
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Kiosztás
 DocType: Purchase Order,Supply Raw Materials,Nyersanyagok beszállítása
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Jelenlegi vagyontárgyi eszközök
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} nem Készletezhető tétel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} nem Készletezhető tétel
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Kérjük, ossza meg visszajelzését a képzéshez az ""Oktatás visszajelzése"", majd az ""Új"" kattintva"
 DocType: Mode of Payment Account,Default Account,Alapértelmezett számla
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,"Kérem, először válassza a Mintavétel megörzési raktárat a  Készlet beállításaiban"
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,"Kérem, először válassza a Mintavétel megörzési raktárat a  Készlet beállításaiban"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,"Kérjük, válassza ki a többszintű program típusát egynél több gyűjtési szabályhoz."
 DocType: Payment Entry,Received Amount (Company Currency),Beérkezett összeg (Vállalkozás pénzneme)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Érdeklődést kell beállítani, ha a Lehetőséget az Érdeklődésből hozta létre"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Fizetés törölve. További részletekért tekintse meg GoCardless fiókját
 DocType: Contract,N/A,N/A
+DocType: Delivery Settings,Send with Attachment,Küldés csatolmánnyal
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Kérjük, válassza ki a heti munkaszüneti napokat"
 DocType: Inpatient Record,O Negative,O Negatív
 DocType: Work Order Operation,Planned End Time,Tervezett befejezési idő
 ,Sales Person Target Variance Item Group-Wise,Értékesítői Cél Variance tétel Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Meglévő tranzakcióval rendelkező számla nem konvertálható főkönyvi számlává.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Meglévő tranzakcióval rendelkező számla nem konvertálható főkönyvi számlává.
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Tagság típus részletek
 DocType: Delivery Note,Customer's Purchase Order No,Vevői beszerzési megrendelésnek száma
 DocType: Clinical Procedure,Consume Stock,Készlet használata
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Homok
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energia
 DocType: Opportunity,Opportunity From,Lehetőség tőle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} sor: {1} A {2} tételhez szükséges sorozatszámok. Ön ezt adta meg {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} sor: {1} A {2} tételhez szükséges sorozatszámok. Ön ezt adta meg {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,"Kérem, válasszon egy táblát"
 DocType: BOM,Website Specifications,Weboldal részletek
 DocType: Special Test Items,Particulars,Adatok
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Feladó {0} a {1} típusból
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor kötelező
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor kötelező
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Több Ár szabályzat létezik azonos kritériumokkal, kérjük megoldani konfliktust az elsőbbségek kiadásával. Ár Szabályok: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Több Ár szabályzat létezik azonos kritériumokkal, kérjük megoldani konfliktust az elsőbbségek kiadásával. Ár Szabályok: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Árfolyam-átértékelési számla
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nem lehet kikapcsolni vagy törölni az Anyagjegyzéket mivel kapcsolódik más Darabjegyzékekhez
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nem lehet kikapcsolni vagy törölni az Anyagjegyzéket mivel kapcsolódik más Darabjegyzékekhez
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,A bejegyzések beírásához válassza a Cég és a rögzítés dátuma lehetőséget
 DocType: Asset,Maintenance,Karbantartás
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Beteg találkozóból beszerzett
 DocType: Subscriber,Subscriber,Előfizető
 DocType: Item Attribute Value,Item Attribute Value,Tétel Jellemző értéke
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,"Kérjük, frissítse a projekt téma állapotát"
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,"Kérjük, frissítse a projekt téma állapotát"
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Pénznem árfolyamnak kell lennie a Beszerzésekre vagy a Vásárói rendelésekre.
 DocType: Item,Maximum sample quantity that can be retained,Maximum tárolható mintamennyiség
 DocType: Project Update,How is the Project Progressing Right Now?,Hogyan halad most a projekt?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} sor # {1} tétel nem ruházható át több mint {2} vásárlási megrendelésre {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} sor # {1} tétel nem ruházható át több mint {2} vásárlási megrendelésre {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Értékesítési kampányok.
 DocType: Project Task,Make Timesheet,Munkaidő jelenléti ív létrehozás
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,37 @@
 DocType: Lab Test,Lab Test,Labor Teszt
 DocType: Student Report Generation Tool,Student Report Generation Tool,Tanulói jelentéskészítő eszköz
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Egészségügyi idő foglalás ütemező
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc név
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc név
 DocType: Expense Claim Detail,Expense Claim Type,Költség igény típusa
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Alapértelmezett beállítások a Kosárhoz
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Adja hozzá az időszakaszokat
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Vagyonieszköz kiselejtezett a {0} Naplókönyvelés keresztül
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Vagyonieszköz kiselejtezett a {0} Naplókönyvelés keresztül
 DocType: Loan,Interest Income Account,Kamatbevétel főkönyvi számla
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maximális haszonnak nullánál nagyobbnak kell lennie a haszon elosztásához
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maximális haszonnak nullánál nagyobbnak kell lennie a haszon elosztásához
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Elküldött  meghívó megtekintése
 DocType: Shift Assignment,Shift Assignment,Turnus hozzárendelés
 DocType: Employee Transfer Property,Employee Transfer Property,Munkavállalói átruházási tulajdon
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,"Időről időre kevesebb legyen, mint az idő"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnológia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","A (z) {0} (Serial No: {1}) tétel nem használható fel, mivel a teljes értékesítési rendelés {2} tartja fenn."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Irodai karbantartási költségek
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Menjen
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Frissítse az árat a Shopify-tól az ERPNext árlistájához
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,E-mail fiók beállítása
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Kérjük, adja meg először a tételt"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Szükséges elemzések
 DocType: Asset Repair,Downtime,Állásidő
 DocType: Account,Liability,Kötelezettség
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Szentesített összeg nem lehet nagyobb, mint az igény összege ebben a sorban {0}."
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Szentesített összeg nem lehet nagyobb, mint az igény összege ebben a sorban {0}."
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akadémiai szemeszter:
 DocType: Salary Component,Do not include in total,Ne szerepeljen a végösszegben
 DocType: Company,Default Cost of Goods Sold Account,Alapértelmezett önköltség fiók
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},"A minta {0} mennyisége nem lehet több, mint a kapott  {1} mennyiség"
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Árlista nincs kiválasztva
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},"A minta {0} mennyisége nem lehet több, mint a kapott  {1} mennyiség"
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Árlista nincs kiválasztva
 DocType: Employee,Family Background,Családi háttér
 DocType: Request for Quotation Supplier,Send Email,E-mail küldése
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Figyelmeztetés: Érvénytelen csatolmány {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Figyelmeztetés: Érvénytelen csatolmány {0}
 DocType: Item,Max Sample Quantity,Max minta mennyisége
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nincs jogosultság
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Szerződéses teljesítésének ellenőrzőlistája
@@ -1281,15 +1290,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Költséghely {2} nem tartozik ehhez a vállalkozáshoz {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Töltsd fel levél fejlécét (tartsd webhez megfelelően 900px-ról 100px-ig)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: fiók {2} nem lehet csoport
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Tétel sor {idx}: {doctype} {docname} nem létezik a fenti '{doctype}' táblában
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Jelenléti ív {0} már befejezett vagy törölt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Jelenléti ív {0} már befejezett vagy törölt
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nincsenek feladatok
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,A {0} értékesítési számlaszám kifizetett
 DocType: Item Variant Settings,Copy Fields to Variant,Másolási mezők a változathoz
 DocType: Asset,Opening Accumulated Depreciation,Nyitó halmozott ÉCS
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Pontszám legyen kisebb vagy egyenlő mint 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Beiratkozási eszköz
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form bejegyzések
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form bejegyzések
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,A részvények már léteznek
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Vevő és Beszállító
 DocType: Email Digest,Email Digest Settings,Email összefoglaló beállításai
@@ -1302,12 +1311,12 @@
 DocType: Production Plan,Select Items,Válassza ki a tételeket
 DocType: Share Transfer,To Shareholder,A részvényesnek
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} a  {2} dátumú  {1} Ellenszámla
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Államból
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Államból
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Intézmény beállítás
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Távollétek kiosztása...
 DocType: Program Enrollment,Vehicle/Bus Number,Jármű/Busz száma
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Tanfolyam menetrend
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",A meg nem fizetett adómentességi igazolást és a nem igényelt \ dolgozói juttatásokat a bérfizetési időszak legutolsó fizetési bontásban kell levonni
 DocType: Request for Quotation Supplier,Quote Status,Árajánlat állapota
 DocType: GoCardless Settings,Webhooks Secret,Webes hívatkozáso titkosítása
@@ -1333,13 +1342,13 @@
 DocType: Sales Invoice,Payment Due Date,Fizetési határidő
 DocType: Drug Prescription,Interval UOM,Intervallum mértékegysége
 DocType: Customer,"Reselect, if the chosen address is edited after save","Újra válassza ki, ha a kiválasztott cím szerkesztésre került a mentés után"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Tétel variáció {0} már létezik azonos Jellemzővel
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Tétel variáció {0} már létezik azonos Jellemzővel
 DocType: Item,Hub Publishing Details,Hub közzétételének részletei
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',"""Nyitás"""
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',"""Nyitás"""
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Teendő megnyitása
 DocType: Issue,Via Customer Portal,Ügyfélportálon keresztül
 DocType: Notification Control,Delivery Note Message,Szállítólevél szövege
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST összeg
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST összeg
 DocType: Lab Test Template,Result Format,Eredmény formátum
 DocType: Expense Claim,Expenses,Kiadások
 DocType: Item Variant Attribute,Item Variant Attribute,Tétel változat Jellemzője
@@ -1347,14 +1356,12 @@
 DocType: Payroll Entry,Bimonthly,Kéthavonta
 DocType: Vehicle Service,Brake Pad,Fékbetét
 DocType: Fertilizer,Fertilizer Contents,Műtrágya összetétele
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Kutatás és fejlesztés
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Kutatás és fejlesztés
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Számlázandó összeget
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","A kezdő dátum és a befejező dátum átfedésben van a munkakártyával <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Regisztrációs adatok
 DocType: Timesheet,Total Billed Amount,Összesen kiszámlázott összeg
 DocType: Item Reorder,Re-Order Qty,Újra-rendelési szint  mennyiség
 DocType: Leave Block List Date,Leave Block List Date,Távollét blokk lista dátuma
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Kérjük, állítsd be az oktatónevezési rendszert az oktatásban&gt; Oktatási beállítások"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,"ANYAGJ # {0}: A nyersanyag nem lehet ugyanaz, mint a fő elem"
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Összesen alkalmazandó díjak a vásárlási nyugta tételek táblázatban egyeznie kell az Összes adókkal és illetékekkel
 DocType: Sales Team,Incentives,Ösztönzők
@@ -1368,7 +1375,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Értékesítés-hely-kassza
 DocType: Fee Schedule,Fee Creation Status,Díj létrehozási állapot
 DocType: Vehicle Log,Odometer Reading,Kilométer-számláló állását
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Számlaegyenleg már tőlünk követel, akkor nem szabad beállítani ""Ennek egyenlege""-t,  ""Nekünk tartozik""-ra"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Számlaegyenleg már tőlünk követel, akkor nem szabad beállítani ""Ennek egyenlege""-t,  ""Nekünk tartozik""-ra"
 DocType: Account,Balance must be,Mérlegnek kell lenni
 DocType: Notification Control,Expense Claim Rejected Message,Elutasított Költség igény indoklása
 ,Available Qty,Elérhető Menny.
@@ -1380,7 +1387,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,"Mindig szinkronizálja termékeit az Amazon MWS-ről, mielőtt a megrendelések részleteit szinkronizálná"
 DocType: Delivery Trip,Delivery Stops,A szállítás leáll
 DocType: Salary Slip,Working Days,Munkanap
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Nem lehet megváltoztatni a szolgáltatás leállításának időpontját a {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Nem lehet megváltoztatni a szolgáltatás leállításának időpontját a {0}
 DocType: Serial No,Incoming Rate,Bejövő árérték
 DocType: Packing Slip,Gross Weight,Bruttó súly
 DocType: Leave Type,Encashment Threshold Days,Encashment küszöbnapok
@@ -1399,31 +1406,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimum ülések száma
 DocType: Item Attribute,Item Attribute Values,Tétel Jellemző értékekben
 DocType: Examination Result,Examination Result,Vizsgálati eredmény
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Beszerzési megrendelés nyugta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Beszerzési megrendelés nyugta
 ,Received Items To Be Billed,Számlázandó Beérkezett tételek
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Pénznem árfolyam törzsadat arányszám.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Pénznem árfolyam törzsadat arányszám.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referencia Doctype közül kell {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Összesen nulla menny szűrő
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Nem található a Időkeret a következő {0} napokra erre a műveletre: {1}
 DocType: Work Order,Plan material for sub-assemblies,Terv anyag a részegységekre
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Vevő partnerek és Területek
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,ANYGJZ: {0} aktívnak kell lennie
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,ANYGJZ: {0} aktívnak kell lennie
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Nem áll rendelkezésre tétel az átadásra
 DocType: Employee Boarding Activity,Activity Name,Tevékenység elnevezése
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Közzététel dátuma
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,A késztermék mennyisége <b>{0}</b> és mennyisége <b>{1}</b> nem különbözhet
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Közzététel dátuma
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,A késztermék mennyisége <b>{0}</b> és mennyisége <b>{1}</b> nem különbözhet
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Záró (nyitó + összes)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Tételkód&gt; Tételcsoport&gt; Márka
+DocType: Delivery Settings,Dispatch Notification Attachment,Feladási értesítés melléklet
 DocType: Payroll Entry,Number Of Employees,Alkalmazottak száma
 DocType: Journal Entry,Depreciation Entry,ÉCS bejegyzés
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Kérjük, válassza ki a dokumentum típusát először"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Kérjük, válassza ki a dokumentum típusát először"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,"Törölje az anyag szemlét: {0}, mielőtt törölné ezt a karbantartási látogatást"
 DocType: Pricing Rule,Rate or Discount,Árérték vagy kedvezmény
 DocType: Vital Signs,One Sided,Egy oldalas
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Széria sz {0} nem tartozik ehhez a tételhez {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Kötelező Mennyiség
 DocType: Marketplace Settings,Custom Data,Egyéni adatok
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Raktárak meglévő ügyletekkel nem konvertálható főkönyvi tétellé.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Sorszám kötelező a {0} tételhez
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Raktárak meglévő ügyletekkel nem konvertálható főkönyvi tétellé.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Sorszám kötelező a {0} tételhez
 DocType: Bank Reconciliation,Total Amount,Összesen
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,A dátumtól és a naptól eltérő pénzügyi évre vonatkoznak
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,A (z) {0} betegnek nincs ügyfélre utaló számlája
@@ -1434,9 +1443,9 @@
 DocType: Soil Texture,Clay Composition (%),Agyag összetétel (%)
 DocType: Item Group,Item Group Defaults,Tétel csoport alapértelmezettei
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,"Kérjük, mentsen a feladat hozzárendelése előtt."
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Mérleg Érték
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Mérleg Érték
 DocType: Lab Test,Lab Technician,Laboratóriumi technikus
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Értékesítési árlista
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Értékesítési árlista
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ha be van jelölve, létrejön egy ügyfél, amely a Betegre van leképezve. Beteg számlákat hoz létre erre az Ügyfélre. Kiválaszthatja a meglévő ügyfelet is, amikor létrehozza a betegeket."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Az Ügyfél nem vesz részt semmilyen Hűségprogramban
@@ -1450,13 +1459,13 @@
 DocType: Support Search Source,Search Term Param Name,Paraméter név kifejezés keresése
 DocType: Item Barcode,Item Barcode,Elem vonalkódja
 DocType: Woocommerce Settings,Endpoints,Végpontok
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Tétel változatok {0} frissített
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Tétel változatok {0} frissített
 DocType: Quality Inspection Reading,Reading 6,Olvasás 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Nem lehet a {0} {1} {2} bármely negatív fennmaradó számla nélkül
-DocType: Share Transfer,From Folio No,Folio sz
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Nem lehet a {0} {1} {2} bármely negatív fennmaradó számla nélkül
+DocType: Share Transfer,From Folio No,A Folio számtól
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Beszállítói előleg számla
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},{0} sor: jóváírást bejegyzés nem kapcsolódik ehhez {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Adjuk költségvetést a pénzügyi évhez.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Adjuk költségvetést a pénzügyi évhez.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext Account
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} blokkolva van, így ez a tranzakció nem folytatható"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Cselekvés, ha a halmozott havi költségkeret meghaladta az MR értéket"
@@ -1472,19 +1481,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Beszállítói számla
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Többszörös anyagfelhasználás engedélyezése egy munkadarabhoz
 DocType: GL Entry,Voucher Detail No,Utalvány Részletei Sz.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Új értékesítési számla
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Új értékesítési számla
 DocType: Stock Entry,Total Outgoing Value,Összes kimenő Érték
 DocType: Healthcare Practitioner,Appointments,Vizit időpontok
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Nyitás dátumának és zárás dátumának  ugyanazon üzleti évben kell legyenek
 DocType: Lead,Request for Information,Információkérés
 ,LeaderBoard,Ranglista
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Árlépésenkénti ár érték (vállalati pénznemben)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Offline számlák szinkronizálása
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Offline számlák szinkronizálása
 DocType: Payment Request,Paid,Fizetett
 DocType: Program Fee,Program Fee,Program díja
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Cserélje ki az adott ANYAGJ-et az összes többi olyan ANYAGJ-ben, ahol használják. Ez kicseréli a régi ANYAGJ linket, frissíti a költségeket és regenerálja a ""ANYAGJ robbantott tételt"" táblázatot az új ANYAGJ szerint. Az összes ANYAGJ-ben is frissíti a legújabb árat."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,A következő munka megrendelések jöttek létre:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,A következő munka megrendelések jöttek létre:
 DocType: Salary Slip,Total in words,Összesen szavakkal
 DocType: Inpatient Record,Discharged,Felmentve
 DocType: Material Request Item,Lead Time Date,Érdeklődés idő dátuma
@@ -1495,16 +1504,16 @@
 DocType: Support Settings,Get Started Sections,Get Started részek
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,Szankcionált
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,kötelező. Talán nincs létrehozva Pénzváltó rekord ehhez
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Sor # {0}: Kérjük adjon meg Szériaszámot erre a Tételre: {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Összes hozzájárulási összeg: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Sor # {0}: Kérjük adjon meg Szériaszámot erre a Tételre: {1}
 DocType: Payroll Entry,Salary Slips Submitted,Fizetéscsúcsok benyújtása
 DocType: Crop Cycle,Crop Cycle,Termés ciklusa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Termék köteg' tételeknek, raktárnak, Széria számnak és Köteg számnak fogják tekinteni a 'Csomagolási lista' táblázatból. Ha a Raktár és a Köteg szám egyezik az összes 'Tétel csomag' tételre, ezek az értékek bekerülnek a fő tétel táblába, értékek átmásolásra kerülnek a 'Csomagolási lista' táblázatba."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Termék köteg' tételeknek, raktárnak, Széria számnak és Köteg számnak fogják tekinteni a 'Csomagolási lista' táblázatból. Ha a Raktár és a Köteg szám egyezik az összes 'Tétel csomag' tételre, ezek az értékek bekerülnek a fő tétel táblába, értékek átmásolásra kerülnek a 'Csomagolási lista' táblázatba."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Helyből
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net fizetendő nem lehet negatív
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Helyből
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net fizetendő nem lehet negatív
 DocType: Student Admission,Publish on website,Közzéteszi honlapján
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,"Beszállítói Számla dátuma nem lehet nagyobb, mint Beküldés dátuma"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,"Beszállítói Számla dátuma nem lehet nagyobb, mint Beküldés dátuma"
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Visszavonás dátuma
 DocType: Purchase Invoice Item,Purchase Order Item,Beszerzési megrendelés tétel
@@ -1513,7 +1522,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Tanuló nyilvántartó eszköz
 DocType: Restaurant Menu,Price List (Auto created),Árlista (automatikusan  létrehozva)
 DocType: Cheque Print Template,Date Settings,Dátum beállítások
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variancia
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variancia
 DocType: Employee Promotion,Employee Promotion Detail,Munkavállalói promóciós részletek
 ,Company Name,Válallkozás neve
 DocType: SMS Center,Total Message(s),Összes üzenet(ek)
@@ -1542,7 +1551,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ne küldjön alkalmazotti születésnap emlékeztetőt
 DocType: Expense Claim,Total Advance Amount,Összes előleg összege
 DocType: Delivery Stop,Estimated Arrival,Várható érkezés
-DocType: Delivery Stop,Notified by Email,E-mailben értesítve
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Összes cikk megtekintése
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Utcáról
 DocType: Item,Inspection Criteria,Vizsgálati szempontok
@@ -1552,22 +1560,21 @@
 DocType: Timesheet Detail,Bill,Számla
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Fehér
 DocType: SMS Center,All Lead (Open),Összes Érdeklődés (Nyitott)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Sor {0}: Mennyiség nem áll rendelkezésre {4} raktárban {1} a kiküldetés idején a bejegyzést ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Sor {0}: Mennyiség nem áll rendelkezésre {4} raktárban {1} a kiküldetés idején a bejegyzést ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Legfeljebb egy lehetőséget jelölhet ki a jelölőnégyzetek listájából.
 DocType: Purchase Invoice,Get Advances Paid,Kifizetett előlegek átmásolása
 DocType: Item,Automatically Create New Batch,Automatikus Új köteg létrehozás
 DocType: Supplier,Represents Company,Vállalkozást képvisel
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Létrehoz
 DocType: Student Admission,Admission Start Date,Felvételi kezdési dátum
 DocType: Journal Entry,Total Amount in Words,Teljes összeg kiírva
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Új munkavállaló
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Hiba történt. Az egyik valószínű oka az lehet, hogy nem mentette az űrlapot. Kérjük, forduljon support@erpnext.com ha a probléma továbbra is fennáll."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Kosaram
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Megrendelni típusa ezek közül kell legyen: {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Megrendelni típusa ezek közül kell legyen: {0}
 DocType: Lead,Next Contact Date,Következő megbeszélés dátuma
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Nyitó Mennyiség
 DocType: Healthcare Settings,Appointment Reminder,Vizit időpont emlékeztető
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Kérjük, adja meg a Számlát a váltópénz összeghez"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Kérjük, adja meg a Számlát a váltópénz összeghez"
 DocType: Program Enrollment Tool Student,Student Batch Name,Tanuló kötegnév
 DocType: Holiday List,Holiday List Name,Szabadnapok listájának neve
 DocType: Repayment Schedule,Balance Loan Amount,Hitel összeg mérlege
@@ -1577,13 +1584,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Készlet lehetőségek
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,A kosárba nem kerültek hozzá elemek
 DocType: Journal Entry Account,Expense Claim,Költség igény
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Tényleg szeretné visszaállítani ezt a kiselejtezett Vagyontárgyat?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Tényleg szeretné visszaállítani ezt a kiselejtezett Vagyontárgyat?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Mennyiség ehhez: {0}
 DocType: Leave Application,Leave Application,Távollét alkalmazás
 DocType: Patient,Patient Relation,Beteg kapcsolata
 DocType: Item,Hub Category to Publish,Közzétételi  Hub kategória
 DocType: Leave Block List,Leave Block List Dates,Távollét blokk lista dátumok
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","A {0} rendelési sorrend fenntartja az {1} elemet, csak {0} fenntartással {1}. A {2} sorozatszám nem szállítható"
 DocType: Sales Invoice,Billing Address GSTIN,Számlázási cím GSTIN
@@ -1601,16 +1608,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Kérjük adjon meg egy {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Az eltávolított elemek változása nélkül mennyiséget vagy értéket.
 DocType: Delivery Note,Delivery To,Szállítás címzett
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,A változat létrehozása sorba állítva.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Munkaösszegzés ehhez: {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,A változat létrehozása sorba állítva.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Munkaösszegzés ehhez: {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,A listában az első Távollét engedélyező lesz az alapértelmezett Távollét engedélyező.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Jellemzők tábla kötelező
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Jellemzők tábla kötelező
 DocType: Production Plan,Get Sales Orders,Vevő rendelések lekérése
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} nem lehet negatív
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Csatlakozzon a QuickBookshez
 DocType: Training Event,Self-Study,Önálló tanulás
 DocType: POS Closing Voucher,Period End Date,Időszak vége
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Talajösszetételek ne egészítsék ki  100-ig
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Kedvezmény
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,{0} sor: {1} szükséges a nyitó {2} számlák létrehozásához
 DocType: Membership,Membership,Tagsága
 DocType: Asset,Total Number of Depreciations,Összes amortizációk száma
 DocType: Sales Invoice Item,Rate With Margin,Árérték árlépéses árkülöbözettel
@@ -1621,7 +1630,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},"Kérjük adjon meg egy érvényes Sor ID azonosítót ehhez a sorhoz {0}, ebben a  táblázatban {1}"
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Nem sikerült megtalálni a változót:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Kérjük, válasszon ki egy mezőt a számjegyből történő szerkesztéshez"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Nem lehet álló eszköz tétel, mivel a készletlista létrehozásra kerül."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Nem lehet álló eszköz tétel, mivel a készletlista létrehozásra kerül."
 DocType: Subscription Plan,Fixed rate,Rögzített dátum
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Elismer
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Ugrás az asztalra és kezdje el használni az ERPNext rendszert
@@ -1655,7 +1664,7 @@
 DocType: Tax Rule,Shipping State,Szállítási állam
 ,Projected Quantity as Source,"Tervezett mennyiségét , mint forrás"
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Tételt kell hozzá adni a 'Tételek beszerzése a Beszerzési bevételezések' gomb használatával
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Szállítási út
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Szállítási út
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Átviteli típus
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Értékesítési költségek
@@ -1668,8 +1677,9 @@
 DocType: Item Default,Default Selling Cost Center,Alapértelmezett Értékesítési költséghely
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Kedv
 DocType: Buying Settings,Material Transferred for Subcontract,Alvállalkozásra átadott anyag
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Irányítószám
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Vevői rendelés {0} az ez {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Beszerzési rendelések tételei lejártak
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Irányítószám
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Vevői rendelés {0} az ez {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Válassza ki a kamatjövedelem számlát a hitelben: {0}
 DocType: Opportunity,Contact Info,Kapcsolattartó infó
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Készlet bejegyzés létrehozás
@@ -1682,12 +1692,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Számlázás nem végezhető el nulla számlázási órára
 DocType: Company,Date of Commencement,Megkezdés időpontja
 DocType: Sales Person,Select company name first.,Válassza ki a vállakozás nevét először.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email elküldve neki: {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email elküldve neki: {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Beszállítóktól kapott árajánlatok.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,"Helyezze vissza a ANYAGJ-et, és frissítse a legújabb árat minden ANYAGJ-ben"
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Címzett {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,"Ez egy forrás beszállító csoport, és nem szerkeszthető."
-DocType: Delivery Trip,Driver Name,Sofőr neve
+DocType: Delivery Note,Driver Name,Sofőr neve
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Átlagéletkor
 DocType: Education Settings,Attendance Freeze Date,Jelenlét zárolás dátuma
 DocType: Payment Request,Inward,Befelé
@@ -1698,7 +1708,7 @@
 DocType: Company,Parent Company,Fő vállalkozás
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},{0} típusú szállodai szobák nem állnak rendelkezésre ekkor: {1}
 DocType: Healthcare Practitioner,Default Currency,Alapértelmezett pénznem
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,A {0} tétel maximális kedvezménye {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,A {0} tétel maximális kedvezménye {1}%
 DocType: Asset Movement,From Employee,Alkalmazottól
 DocType: Driver,Cellphone Number,Mobiltelefon szám
 DocType: Project,Monitor Progress,Folyamatok nyomonkövetése
@@ -1714,19 +1724,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Mennyiségnek kisebb vagy egyenlő legyen mint {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},A (z) {0} összetevőre jogosult maximális mennyiség meghaladja: {1}
 DocType: Department Approver,Department Approver,Részleg-jóváhagyó
+DocType: QuickBooks Migrator,Application Settings,Alkalmazás beállítások
 DocType: SMS Center,Total Characters,Összes karakterek
 DocType: Employee Advance,Claimed,Igényelt
 DocType: Crop,Row Spacing,Sor elosztás
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Kérjük, válasszon ANYGJZ az ANYGJZ mezőben erre a tételre {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Kérjük, válasszon ANYGJZ az ANYGJZ mezőben erre a tételre {0}"
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,A kijelölt tételhez nincs tételváltozat
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Számla részlete
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fizetés főkönyvi egyeztető Számla
 DocType: Clinical Procedure,Procedure Template,Eljárás sablon
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Hozzájárulás%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","A vevői beállítások szerint ha Megrendelés szükséges == 'IGEN', akkor vásárlást igazoló számla létrehozására, a felhasználónak először létre kell hoznia Vevői megrendelést erre a tételre: {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Hozzájárulás%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","A vevői beállítások szerint ha Megrendelés szükséges == 'IGEN', akkor vásárlást igazoló számla létrehozására, a felhasználónak először létre kell hoznia Vevői megrendelést erre a tételre: {0}"
 ,HSN-wise-summary of outward supplies,HSN-féle összefoglaló a külső felszerelésekről
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,A Válallkozás regisztrációs számai. Pl.: adószám; stb.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Állítani
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Állítani
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Forgalmazó
 DocType: Asset Finance Book,Asset Finance Book,Vagyontárgyfinanszírozási könyv
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Bevásárló kosár Szállítási szabály
@@ -1735,7 +1746,7 @@
 ,Ordered Items To Be Billed,Számlázandó Rendelt mennyiség
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Tartományból távolságnak kisebbnek kell lennie mint a Tartományba
 DocType: Global Defaults,Global Defaults,Általános beállítások
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Project téma Együttműködés Meghívó
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Project téma Együttműködés Meghívó
 DocType: Salary Slip,Deductions,Levonások
 DocType: Setup Progress Action,Action Name,Cselekvés neve
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Kezdő év
@@ -1749,11 +1760,12 @@
 DocType: Lead,Consultant,Szaktanácsadó
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Szülők és tanárok találkozóján részvétel
 DocType: Salary Slip,Earnings,Jövedelmek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Elkészült tétel: {0} be kell írni a gyártási típus bejegyzéshez
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Elkészült tétel: {0} be kell írni a gyártási típus bejegyzéshez
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Nyitó Könyvelési egyenleg
 ,GST Sales Register,GST értékesítés  regisztráció
 DocType: Sales Invoice Advance,Sales Invoice Advance,Kimenő értékesítési számla előleg
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nincs mit igényelni
+DocType: Stock Settings,Default Return Warehouse,Alapértelmezett visszaszállítási raktár
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Válassza ki a domainjeit
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify beszállító
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Fizetési számlák tételei
@@ -1762,15 +1774,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,A mezők csak a létrehozás idején lesznek átmásolva.
 DocType: Setup Progress Action,Domains,Domének
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"'Tényleges kezdési dátum' nem lehet nagyobb, mint a 'Tényleges záró dátum'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Vezetés
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Vezetés
 DocType: Cheque Print Template,Payer Settings,Fizetői beállítások
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Nincsenek függőben lévő anyag kérelmek, amelyek az adott tételekhez kapcsolódnak."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Először válassza ki a vállalkozást
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ez lesz hozzáfűzve a termék egy varióciájához. Például, ha a rövidítés ""SM"", és a tételkód ""T-shirt"", a tétel kód variánsa ez lesz ""SM feliratú póló"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettó fizetés (szavakkal) lesz látható, ha mentette a Bérpapírt."
 DocType: Delivery Note,Is Return,Ez visszáru
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Vigyázat
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',"A kezdő nap nagyobb, mint a végső nap a: {0} feladatnál"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Vissza / terhelési értesítés
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Vissza / terhelési értesítés
 DocType: Price List Country,Price List Country,Árlista Országa
 DocType: Item,UOMs,Mértékegységek
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},"{0} érvényes sorozatszámok, a(z) {1} tételhez"
@@ -1783,13 +1796,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Támogatás információi.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Beszállító adatbázisa.
 DocType: Contract Template,Contract Terms and Conditions,Szerződési feltételek
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Nem indíthatja el az Előfizetést, amelyet nem zárt le."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Nem indíthatja el az Előfizetést, amelyet nem zárt le."
 DocType: Account,Balance Sheet,Mérleg
 DocType: Leave Type,Is Earned Leave,Ez elnyert távollét
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Költséghely tételhez ezzel a tétel kóddal '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Költséghely tételhez ezzel a tétel kóddal '
 DocType: Fee Validity,Valid Till,Eddig érvényes
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Összes Szülő a szülői értekezleten
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Fizetési mód nincs beállítva. Kérjük, ellenőrizze, hogy a fiók be lett állítva a fizetési módon, vagy POS profilon."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Fizetési mód nincs beállítva. Kérjük, ellenőrizze, hogy a fiók be lett állítva a fizetési módon, vagy POS profilon."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Ugyanazt a tételt nem lehet beírni többször.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","További számlákat a Csoportok alatt hozhat létre, de bejegyzéseket lehet tenni a csoporttal nem rendelkezőkre is"
 DocType: Lead,Lead,Érdeklődés
@@ -1798,11 +1811,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS hitelesítő token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Készlet bejegyzés: {0} létrehozva
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Nincs elegendő hűségpontjaid megváltáshoz
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Sor # {0}: Elutasítva Menny nem lehet beírni Vásárlási Return
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Állítsa be a társított fiókot a {0} adóhátralék-kategóriába a  {1} vállalathoz
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Sor # {0}: Elutasítva Menny nem lehet beírni Vásárlási Return
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Az Ügyfélcsoport megváltoztatása a kiválasztott Ügyfél számára nem engedélyezett.
 ,Purchase Order Items To Be Billed,Számlázandó Beszerzési rendelés tételei
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Becsült érkezési idők frissítése.
 DocType: Program Enrollment Tool,Enrollment Details,Beiratkozások részletei
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Nem állíthat be több elem-alapértelmezést egy vállalat számára.
 DocType: Purchase Invoice Item,Net Rate,Nettó árérték
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,"Kérjük, válasszon ki egy vevőt"
 DocType: Leave Policy,Leave Allocations,Hagyja elosztásait
@@ -1831,7 +1846,7 @@
 DocType: Loan Application,Repayment Info,Törlesztési Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Bejegyzések"" nem lehet üres"
 DocType: Maintenance Team Member,Maintenance Role,Karbantartási szerep
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},{0} ismétlődő sor azonos ezzel: {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},{0} ismétlődő sor azonos ezzel: {1}
 DocType: Marketplace Settings,Disable Marketplace,A Marketplace letiltása
 ,Trial Balance,Főkönyvi kivonat egyenleg
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Pénzügyi év {0} nem található
@@ -1842,9 +1857,9 @@
 DocType: Student,O-,ALK-
 DocType: Subscription Settings,Subscription Settings,Előfizetés beállításai
 DocType: Purchase Invoice,Update Auto Repeat Reference,Az Automatikus ismétlés hivatkozás frissítése
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Az opcionális ünnepi lista nincs beállítva a {0} távolléti periódusra
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Az opcionális ünnepi lista nincs beállítva a {0} távolléti periódusra
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Kutatás
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Címzés 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Címzés 2
 DocType: Maintenance Visit Purpose,Work Done,Kész a munka
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Kérjük adjon meg legalább egy Jellemzőt a Jellemzők táblázatban
 DocType: Announcement,All Students,Összes diák
@@ -1854,16 +1869,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Összeegyeztetett tranzakciók
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Legkorábbi
 DocType: Crop Cycle,Linked Location,Társított helyszín
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Egy tétel csoport létezik azonos névvel, kérjük, változtassa meg az tétel nevét, vagy nevezze át a tétel-csoportot"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Egy tétel csoport létezik azonos névvel, kérjük, változtassa meg az tétel nevét, vagy nevezze át a tétel-csoportot"
 DocType: Crop Cycle,Less than a year,"Kevesebb, mint egy év"
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Tanuló Mobil sz.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,A világ többi része
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,A világ többi része
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,A tétel {0} nem lehet Köteg
 DocType: Crop,Yield UOM,Hozam ME
 ,Budget Variance Report,Költségvetés variáció jelentés
 DocType: Salary Slip,Gross Pay,Bruttó bér
 DocType: Item,Is Item from Hub,Ez a tétel a Hub-ból
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Szerezd meg az egészségügyi szolgáltatásokból származó elemeket
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Szerezd meg az egészségügyi szolgáltatásokból származó elemeket
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Sor {0}: tevékenység típusa kötelező.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Fizetett osztalék
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Számviteli Főkönyvi kivonat
@@ -1878,6 +1893,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Fizetés módja
 DocType: Purchase Invoice,Supplied Items,Beszáliíott tételek
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Állítson be egy aktív menüt ehhez az étteremhez: {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Jutalék mértéke %
 DocType: Work Order,Qty To Manufacture,Menny. gyártáshoz
 DocType: Email Digest,New Income,Új jövedelem
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Ugyanazt az árat tartani az egész beszerzési ciklusban
@@ -1892,12 +1908,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Készletérték ár szükséges a tételhez ebben a sorban: {0}
 DocType: Supplier Scorecard,Scorecard Actions,Mutatószám műveletek
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Példa: Számítógépes ismeretek törzsadat
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Beszállító {0} nem található itt: {1}
 DocType: Purchase Invoice,Rejected Warehouse,Elutasított raktár
 DocType: GL Entry,Against Voucher,Ellen bizonylat
 DocType: Item Default,Default Buying Cost Center,Alapértelmezett Vásárlási Költséghely
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Ahhoz, hogy a legjobbat hozza ki ERPNext rendszerből, azt ajánljuk, hogy számjon időt ezekre a segítő videókra."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Az alapértelmezett beszállító számára (opcionális)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,részére
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Az alapértelmezett beszállító számára (opcionális)
 DocType: Supplier Quotation Item,Lead Time in days,Érdeklődés ideje napokban
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,A beszállítók felé fizetendő kötelezettségeink összefoglalása
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Nem engedélyezett szerkeszteni befagyasztott számlát {0}
@@ -1906,7 +1922,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Figyelmeztetés az új Ajánlatkéréshez
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Beszerzési megrendelések segítenek megtervezni és követni a beszerzéseket
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Laboratóriumi teszt rendelvények
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}","A teljes Probléma / Átvitt mennyiség {0} ebben az Anyaga igénylésben: {1} \ nem lehet nagyobb, mint az igényelt mennyiség: {2} erre a tételre: {3}"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Kicsi
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ha a Shopify nem tartalmaz vevőt a Megrendelésben, akkor a Rendelések szinkronizálásakor, a rendszer az alapértelmezett vevőt fogja használni a megrendeléshez"
@@ -1918,6 +1934,7 @@
 DocType: Project,% Completed,% kész
 ,Invoiced Amount (Exculsive Tax),Számlázott összeg (Adó nélkül)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,2. tétel
+DocType: QuickBooks Migrator,Authorization Endpoint,Engedélyezési végpont
 DocType: Travel Request,International,Nemzetközi
 DocType: Training Event,Training Event,Képzési Esemény
 DocType: Item,Auto re-order,Auto újra-rendelés
@@ -1926,24 +1943,24 @@
 DocType: Contract,Contract,Szerződés
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratóriumi tesztelés dátuma
 DocType: Email Digest,Add Quote,Idézet hozzáadása
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},ME átváltási tényező szükséges erre a mértékegységre: {0} ebben a tételben: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},ME átváltási tényező szükséges erre a mértékegységre: {0} ebben a tételben: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Közvetett költségek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Sor {0}: Menny. kötelező
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Sor {0}: Menny. kötelező
 DocType: Agriculture Analysis Criteria,Agriculture,Mezőgazdaság
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Vevői megrendelés  létrehozása
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,"Vagyontárgy eszköz számviteli, könyvelési tétele"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Zárolt számla
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,"Vagyontárgy eszköz számviteli, könyvelési tétele"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Zárolt számla
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Gyártandó mennyiség
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Törzsadatok szinkronizálása
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Törzsadatok szinkronizálása
 DocType: Asset Repair,Repair Cost,Javítási költség
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,A termékei vagy szolgáltatásai
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Sikertelen bejelentkezés
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,A  {0}  vagyontárgy létrehozva
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,A  {0}  vagyontárgy létrehozva
 DocType: Special Test Items,Special Test Items,Különleges vizsgálati tételek
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Ahhoz, hogy regisztráljon a Marketplace-re, be kell jelentkeznie a System Manager és a Item Manager szerepekkel."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Fizetési mód
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Mivel az Önhöz kiosztott fizetési struktúrára nem alkalmazható különjuttatás
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Weboldal kép legyen nyilvános fájl vagy weboldal URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Weboldal kép legyen nyilvános fájl vagy weboldal URL
 DocType: Purchase Invoice Item,BOM,ANYGJZ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,"Ez egy forrás tétel-csoport, és nem lehet szerkeszteni."
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Összevon
@@ -1952,7 +1969,8 @@
 DocType: Warehouse,Warehouse Contact Info,Raktári kapcsolattartó
 DocType: Payment Entry,Write Off Difference Amount,Leíró Eltérés összeg
 DocType: Volunteer,Volunteer Name,Önkéntes neve
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Alkalmazott email nem található, ezért nem küldte email"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Más sorokban duplikált határidőket tartalmazó sorokat talált: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Alkalmazott email nem található, ezért nem küldte email"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Nincs fizetési struktúra a(z) {0} munkatársakhoz a megadott időponton {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},A szállítási szabály nem vonatkozik erre ozországra:  {0}
 DocType: Item,Foreign Trade Details,Külkereskedelem Részletei
@@ -1960,16 +1978,16 @@
 DocType: Email Digest,Annual Income,Éves jövedelem
 DocType: Serial No,Serial No Details,Széria sz. adatai
 DocType: Purchase Invoice Item,Item Tax Rate,A tétel adójának mértéke
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Kapcsolat nevéből
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Kapcsolat nevéből
 DocType: Student Group Student,Group Roll Number,Csoport regisztrációs száma
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0} -hoz, csak jóváírási számlákat lehet kapcsolni a másik ellen terheléshez"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,A {0} Szállítólevelet nem nyújtották be
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,A {0} Szállítólevelet nem nyújtották be
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Tétel {0} kell egy Alvállalkozásban Elem
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Alap Felszereltség
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Árképzési szabályt először 'Alkalmazza ezen' mező alapján kiválasztott, ami lehet tétel, pont-csoport vagy a márka."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,"Kérjük, először állítsa be a tételkódot"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Az értékesítési csoport teljes lefoglalt százaléka  100 kell legyen
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Az értékesítési csoport teljes lefoglalt százaléka  100 kell legyen
 DocType: Subscription Plan,Billing Interval Count,Számlázási időtartam számláló
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Vizitek és a beteg látogatások
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Érték hiányzik
@@ -1983,6 +2001,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Nyomtatási formátum létrehozása
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Díj létrehozva
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},"Nem találtunk semmilyen tétel, amit így neveznek: {0}"
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Tételek szűrése
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kritériumok képlet
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Összes kimenő
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Csak egy Szállítási szabály feltétel lehet 0 vagy üres értékkel az ""értékeléshez"""
@@ -1991,14 +2010,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Egy {0} tétel esetén a mennyiségnek pozitív számnak kell lennie
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Megjegyzés: Ez a költséghely egy csoport. Nem tud könyvelési tételeket csoportokkal szemben létrehozni.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Korengedményes szabadságnapok nem az érvényes ünnepnapokon
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Al raktár létezik ebben a raktárban. Nem lehet törölni a raktárban.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Al raktár létezik ebben a raktárban. Nem lehet törölni a raktárban.
 DocType: Item,Website Item Groups,Weboldal tétel Csoportok
 DocType: Purchase Invoice,Total (Company Currency),Összesen (a cég pénznemében)
 DocType: Daily Work Summary Group,Reminder,Emlékeztető
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Elérhető érték
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Elérhető érték
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Széria sz. {0} többször bevitt
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Könyvelési tétel
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN - ból
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN - ból
 DocType: Expense Claim Advance,Unclaimed amount,Nem követelt összeg
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} tétel(ek) folyamatban
 DocType: Workstation,Workstation Name,Munkaállomás neve
@@ -2006,7 +2025,7 @@
 DocType: POS Item Group,POS Item Group,POS tétel csoport
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Összefoglaló email:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,"Az alternatív elem nem lehet ugyanaz, mint az elem kódja"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},ANYGJZ {0} nem tartozik ehhez az elemhez: {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},ANYGJZ {0} nem tartozik ehhez az elemhez: {1}
 DocType: Sales Partner,Target Distribution,Cél felosztás
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Ideiglenes értékelés véglegesítése
 DocType: Salary Slip,Bank Account No.,Bankszámla sz.
@@ -2015,7 +2034,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","A Mutatószám változók használhatók, valamint: {total_score} (az adott időszakból származó teljes pontszám), {period_number} (a mai napok száma)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Mindet összecsuk
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Mindet összecsuk
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Hozzon létre beszerzési rendelést
 DocType: Quality Inspection Reading,Reading 8,Olvasás 8
 DocType: Inpatient Record,Discharge Note,Felmentési megjegyzés
@@ -2031,7 +2050,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Kiváltságos távollét
 DocType: Purchase Invoice,Supplier Invoice Date,Beszállítói számla dátuma
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ezt az értéket arányos halogatás számításhoz használjuk
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Engedélyeznie kell a bevásárló kosárat
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Engedélyeznie kell a bevásárló kosárat
 DocType: Payment Entry,Writeoff,Írd le
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Elnevezési sorozatok előtagja
@@ -2046,11 +2065,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Átfedő feltételek találhatók ezek között:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Ellen Naplókönyvelés {0} már hozzáigazított egy pár bizonylat értékével
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Összes megrendelési értéke
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Élelmiszer
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Élelmiszer
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Öregedés tartomány 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS záró utalvány részletei
 DocType: Shopify Log,Shopify Log,Shopify napló
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Állítsa be a Naming sorozat {0} beállítását a Beállítás&gt; Beállítások&gt; Nevezési sorozatok segítségével
 DocType: Inpatient Occupancy,Check In,Bejelentkezés
 DocType: Maintenance Schedule Item,No of Visits,Látogatások száma
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Karbantartási ütemterv {0} létezik erre {1}
@@ -2090,6 +2108,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maximális előnyök (összeg)
 DocType: Purchase Invoice,Contact Person,Kapcsolattartó személy
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Várható kezdés időpontja"" nem lehet nagyobb, mint a ""Várható befejezés időpontja"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nincs adat erre az időszakra
 DocType: Course Scheduling Tool,Course End Date,Tanfolyam befejező dátum
 DocType: Holiday List,Holidays,Szabadnapok
 DocType: Sales Order Item,Planned Quantity,Tervezett mennyiség
@@ -2101,7 +2120,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Nettó álló-eszköz változás
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Igényelt menny
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Hagyja üresen, ha figyelembe veszi valamennyi titulushoz"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az 'Aktuális' típusú terhelést nem lehet a Tétel árához hozzáadni
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az 'Aktuális' típusú terhelést nem lehet a Tétel árához hozzáadni
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dátumtól
 DocType: Shopify Settings,For Company,A Vállakozásnak
@@ -2114,9 +2133,9 @@
 DocType: Material Request,Terms and Conditions Content,Általános szerződési feltételek tartalma
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Hiba történt a kurzus ütemezése során
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,A listában szereplő első költség jóváhagyó az alapértelmezett költség jóváhagyó.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,"nem lehet nagyobb, mint 100"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,"nem lehet nagyobb, mint 100"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,A Rendszergazda és a Tételkezelő szerepköröként a Rendszergazdaon kívül más felhasználónak kell lennie.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Tétel: {0} -  Nem készletezhető tétel
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Tétel: {0} -  Nem készletezhető tétel
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Nem tervezett
 DocType: Employee,Owned,Tulajdon
@@ -2144,7 +2163,7 @@
 DocType: HR Settings,Employee Settings,Alkalmazott beállítások
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Fizetési rendszer betöltés
 ,Batch-Wise Balance History,Köteg-Szakaszos mérleg előzmények
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"A(z) {0} sor: nem lehet beállítani az árat, ha az összeg nagyobb, mint a(z) {1} tétel számlázott összege."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"A(z) {0} sor: nem lehet beállítani az árat, ha az összeg nagyobb, mint a(z) {1} tétel számlázott összege."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Nyomtatási beállítások frissítve a mindenkori nyomtatási formátumban
 DocType: Package Code,Package Code,Csomag kód
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Gyakornok
@@ -2152,7 +2171,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negatív mennyiség nem megengedett
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Adó részletek táblázatot betölti a törzsadat tételtből szóláncként, és ebben a mezőben tárolja. Adókhoz és illetékekhez használja"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Alkalmazott nem jelent magának.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Alkalmazott nem jelent magának.
 DocType: Leave Type,Max Leaves Allowed,Maximális megengedett távollétek
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ha a számla zárolásra került, a bejegyzések engedélyezettek korlátozott felhasználóknak."
 DocType: Email Digest,Bank Balance,Bank mérleg
@@ -2178,6 +2197,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Banki tranzakciós bejegyzések
 DocType: Quality Inspection,Readings,Olvasások
 DocType: Stock Entry,Total Additional Costs,Összes További költségek
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Az interakciók száma
 DocType: BOM,Scrap Material Cost(Company Currency),Hulladék anyagköltség (Vállaklozás pénzneme)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Részegységek
 DocType: Asset,Asset Name,Vagyontárgy neve
@@ -2185,10 +2205,10 @@
 DocType: Shipping Rule Condition,To Value,Értékeléshez
 DocType: Loyalty Program,Loyalty Program Type,Hűségprogram típus
 DocType: Asset Movement,Stock Manager,Készlet menedzser
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Forrás raktára kötelező ebben a sorban {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Forrás raktára kötelező ebben a sorban {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,A(z) {0} sorban szereplő fizetési feltétel valószínűleg másodpéldány.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Mezőgazdaság (béta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Csomagjegy
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Csomagjegy
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Iroda bérlés
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,SMS átjáró telepítése
 DocType: Disease,Common Name,Gyakori név
@@ -2220,20 +2240,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-mail Bérpapír nyomtatvány az alkalmazottnak
 DocType: Cost Center,Parent Cost Center,Fő költséghely
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Válasszon lehetséges beszállítót
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Válasszon lehetséges beszállítót
 DocType: Sales Invoice,Source,Forrás
 DocType: Customer,"Select, to make the customer searchable with these fields","Válassza a lehetőséget, hogy a vevőt kereshesse ezekkel a mezőkkel"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Import szállítólevél a Shopify-tól a szállítmányhoz
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mutassa zárva
 DocType: Leave Type,Is Leave Without Pay,Ez fizetés nélküli szabadság
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Vagyontárgy Kategória kötelező befektetett eszközök tételeire
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Vagyontárgy Kategória kötelező befektetett eszközök tételeire
 DocType: Fee Validity,Fee Validity,Díj érvényessége
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nem talált bejegyzést a fizetési táblázatban
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ez {0} ütközik ezzel {1} ehhez {2} {3}
 DocType: Student Attendance Tool,Students HTML,Tanulók HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Kérjük, törölje a Munkavállalót <a href=""#Form/Employee/{0}"">{0}</a> \ törölni ezt a dokumentumot"
 DocType: POS Profile,Apply Discount,Kedvezmény alkalmazása
 DocType: GST HSN Code,GST HSN Code,GST HSN kód
 DocType: Employee External Work History,Total Experience,Összes Tapasztalat
@@ -2256,7 +2273,7 @@
 DocType: Maintenance Schedule,Schedules,Ütemezések
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS-profil szükséges a Értékesítési kassza  használatához
 DocType: Cashier Closing,Net Amount,Nettó Összege
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nem nyújtották be, így a művelet nem végrehajtható"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nem nyújtották be, így a művelet nem végrehajtható"
 DocType: Purchase Order Item Supplied,BOM Detail No,Anyagjegyzék részlet száma
 DocType: Landed Cost Voucher,Additional Charges,további díjak
 DocType: Support Search Source,Result Route Field,Eredmény útvonal mező
@@ -2285,11 +2302,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Számlák megnyitása
 DocType: Contract,Contract Details,Szerződés részletei
 DocType: Employee,Leave Details,Hagyja a részleteket
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Kérjük, állítsa be a Felhasználói azonosító ID mezőt az alkalmazotti bejegyzésen az Alkalmazott beosztásának beállításához"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Kérjük, állítsa be a Felhasználói azonosító ID mezőt az alkalmazotti bejegyzésen az Alkalmazott beosztásának beállításához"
 DocType: UOM,UOM Name,Mértékegység neve
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Címzés 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Címzés 1
 DocType: GST HSN Code,HSN Code,HSN kód
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Támogatás mértéke
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Támogatás mértéke
 DocType: Inpatient Record,Patient Encounter,Beteg találkozó
 DocType: Purchase Invoice,Shipping Address,Szállítási cím
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ez az eszköz segít frissíteni vagy kijavítani a mennyiséget és a raktári tétel értékelést a rendszerben. Ez tipikusan a rendszer szinkronizációjához használja és mi létezik  valóban a raktárakban.
@@ -2305,10 +2322,10 @@
 DocType: Patient,Tobacco Past Use,Dohányzás múltbeli felhasználása
 DocType: Travel Itinerary,Mode of Travel,Utazás módja
 DocType: Sales Invoice Item,Brand Name,Márkanév
-DocType: Purchase Receipt,Transporter Details,Fuvarozó Részletek
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Alapértelmezett raktár szükséges a kiválasztott elemhez
+DocType: Purchase Receipt,Transporter Details,Szállítmányozó  részletei
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Alapértelmezett raktár szükséges a kiválasztott elemhez
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Doboz
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Lehetséges Beszállító
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Lehetséges Beszállító
 DocType: Budget,Monthly Distribution,Havi Felbontás
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Fogadófél lista üres. Kérjük, hozzon létre Fogadófél listát"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Egészségügy (béta)
@@ -2329,6 +2346,7 @@
 ,Lead Name,Célpont neve
 ,POS,Értékesítési hely kassza (POS)
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Kiállít
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Nyitó készlet egyenleg
 DocType: Asset Category Account,Capital Work In Progress Account,Fővállalkozói munka folyamatban lévő számlája
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Vagyontárgy érték-beállítás
@@ -2337,7 +2355,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Távollét foglalása sikeres erre {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Nincsenek tételek csomagoláshoz
 DocType: Shipping Rule Condition,From Value,Értéktől
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Gyártási mennyiség kötelező
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Gyártási mennyiség kötelező
 DocType: Loan,Repayment Method,Törlesztési mód
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ha be van jelölve, a Kezdőlap lesz az alapértelmezett tétel csoport a honlapján"
 DocType: Quality Inspection Reading,Reading 4,Olvasás 4
@@ -2362,7 +2380,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Alkalmazott ajánlója
 DocType: Student Group,Set 0 for no limit,Állítsa 0 = nincs korlátozás
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"A nap (ok), amelyre benyújtotta a távollétét azok ünnepnapok. Nem kell igényelni a távollétet."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,{idx} sor: {field} szükséges a nyitó {invoice_type} számlák létrehozásához
 DocType: Customer,Primary Address and Contact Detail,Elsődleges cím és kapcsolatfelvétel
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Küldje el újra a Fizetési E-mailt
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Új feladat
@@ -2372,8 +2389,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,"Kérjük, válasszon legalább egy domaint."
 DocType: Dependent Task,Dependent Task,Függő feladat
 DocType: Shopify Settings,Shopify Tax Account,Shopify vásárlási adószámla
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Konverziós tényező alapértelmezett mértékegység legyen 1 ebben a sorban: {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},"Távollét típusa {0}, nem lehet hosszabb, mint {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Konverziós tényező alapértelmezett mértékegység legyen 1 ebben a sorban: {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},"Távollét típusa {0}, nem lehet hosszabb, mint {1}"
 DocType: Delivery Trip,Optimize Route,Optimalizálja az útvonalat
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Próbáljon tervezni tevékenységet  X nappal előre.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2383,14 +2400,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Kérjük, állítsa be alapértelmezett Bérszámfejtés fizetendő számlát a cégben: {0}"
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Szerezd meg az adók és díjak adatait az Amazon részéről
 DocType: SMS Center,Receiver List,Fogadófél lista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Tétel keresése
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Tétel keresése
 DocType: Payment Schedule,Payment Amount,Kifizetés összege
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Félnapos dátumának a munka kezdési és a befejező dátum köztinek kell lennie
 DocType: Healthcare Settings,Healthcare Service Items,Egészségügyi szolgáltatási tételek
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Elfogyasztott mennyiség
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Nettó készpénz változás
 DocType: Assessment Plan,Grading Scale,Osztályozás időszak
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mértékegység {0} amit egynél többször adott meg a konverziós tényező táblázatban
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mértékegység {0} amit egynél többször adott meg a konverziós tényező táblázatban
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Már elkészült
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Raktárról
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2413,25 +2430,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Szériaszám: {0} és mennyiség: {1} nem lehet törtrész
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,"Kérjük, adja meg a Woocommerce kiszolgáló URL-jét"
 DocType: Purchase Order Item,Supplier Part Number,Beszállítói alkatrész szám
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Váltási arány nem lehet 0 vagy 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Váltási arány nem lehet 0 vagy 1
 DocType: Share Balance,To No,Nem
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,A munkavállalók létrehozásár az összes kötelezõ feladat még nem lett elvégezve.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} törlik vagy megállt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} törlik vagy megállt
 DocType: Accounts Settings,Credit Controller,Követelés felügyelője
 DocType: Loan,Applicant Type,Pályázó típusa
 DocType: Purchase Invoice,03-Deficiency in services,03-Szolgáltatások hiányosságai
 DocType: Healthcare Settings,Default Medical Code Standard,Alapértelmezett orvosi kódex szabvány
 DocType: Purchase Invoice Item,HSN/SAC,HSN/SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Beszerzési megrendelés nyugta {0} nem nyújtják be
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Beszerzési megrendelés nyugta {0} nem nyújtják be
 DocType: Company,Default Payable Account,Alapértelmezett kifizetendő számla
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Beállítások az Online bevásárlókosárhoz, mint a szállítás szabályai, árlisták stb"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% számlázott
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Lefoglalt mennyiség
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Lefoglalt mennyiség
 DocType: Party Account,Party Account,Ügyfél számlája
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,"Kérjük, válassza a Vállalkozást és a Titulus lehetőséget"
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Emberi erőforrások HR
-DocType: Lead,Upper Income,Magasabb jövedelem
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Magasabb jövedelem
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Elutasít
 DocType: Journal Entry Account,Debit in Company Currency,Tartozik a vállalat pénznemében
 DocType: BOM Item,BOM Item,Anyagjegyzék tétel
@@ -2448,7 +2465,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Munkahely üresedés a {0} titulus kijelöléshez már megnyitott \ vagy felvétel befejezve a  {1} személyzeti terv szerint
 DocType: Vital Signs,Constipated,Székrekedéses
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Beszállító Ellenszámla {0} dátuma {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Beszállító Ellenszámla {0} dátuma {1}
 DocType: Customer,Default Price List,Alapértelmezett árlista
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Vagyontárgy mozgás bejegyzés {0} létrehozva
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nem található tétel.
@@ -2464,16 +2481,17 @@
 DocType: Journal Entry,Entry Type,Bejegyzés típusa
 ,Customer Credit Balance,Vevőkövetelés egyenleg
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Nettó Beszállítói követelések változása
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),A hitelkeretet átlépte ez az ügyfél {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Állítsa be a Naming sorozat {0} beállítását a Beállítás&gt; Beállítások&gt; Nevezési sorozatok segítségével
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),A hitelkeretet átlépte ez az ügyfél {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Vevő szükséges ehhez: 'Vevőszerinti kedvezmény'
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Frissítse a bank fizetési időpontokat a jelentésekkel.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Árazás
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Árazás
 DocType: Quotation,Term Details,ÁSZF részletek
 DocType: Employee Incentive,Employee Incentive,Munkavállalói ösztönzés
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,"Nem lehet regisztrálni, több mint {0} diákot erre a diákcsoportra."
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Összesen (adó nélkül/nettó)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Érdeklődés számláló
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Raktáron lévő
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Raktáron lévő
 DocType: Manufacturing Settings,Capacity Planning For (Days),Kapacitás tervezés enyi időre (napok)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Beszerzés
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,"Egyik tételnek sem változott mennyisége, illetve értéke."
@@ -2497,7 +2515,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Távollét és jelenlét
 DocType: Asset,Comprehensive Insurance,Átfogó biztosítás
 DocType: Maintenance Visit,Partially Completed,Részben befejezett
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Hűségpont: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Hűségpont: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Lehetőségek hozzáadása
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Mérsékelt érzékenység
 DocType: Leave Type,Include holidays within leaves as leaves,Tartalmazzák a távolléteken belül az ünnepnapokat mint távolléteket
 DocType: Loyalty Program,Redemption,Megváltás
@@ -2531,7 +2550,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Marketing költségek
 ,Item Shortage Report,Tétel Hiány jelentés
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,"Nem hozhatók létre szabványos kritériumok. Kérjük, nevezze át a kritériumokat"
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Súlyt említik, \ nKérlek említsd meg a ""Súly mértékegység"" is"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Súlyt említik, \ nKérlek említsd meg a ""Súly mértékegység"" is"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Anyag igénylést használják ennek a Készlet bejegyzésnek a létrehozásához
 DocType: Hub User,Hub Password,Hub jelszó
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Külön tanfolyam mindegyik köteg csoportja alapján
@@ -2545,15 +2564,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),A vizit időpont időtartama (perc)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Hozzon létre számviteli könyvelést minden Készletmozgásra
 DocType: Leave Allocation,Total Leaves Allocated,Összes lekötött távollétek
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Kérjük, adjon meg egy érvényes költségvetési év kezdeti és befejezési időpontjait"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Kérjük, adjon meg egy érvényes költségvetési év kezdeti és befejezési időpontjait"
 DocType: Employee,Date Of Retirement,Nyugdíjazás dátuma
 DocType: Upload Attendance,Get Template,Sablonok lekérdezése
+,Sales Person Commission Summary,Értékesítő jutalék összefoglalása
 DocType: Additional Salary Component,Additional Salary Component,Kiegészítő juttatáskomponens
 DocType: Material Request,Transferred,Átvitt
 DocType: Vehicle,Doors,Ajtók
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext telepítése befejeződött!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext telepítése befejeződött!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Beteg regisztrációjához gyújtött díjak
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,"Az attribútumok nem módosíthatók a készletesítés után. Készítsen egy új tételt, és hozzon át készletet az új tételre"
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,"Az attribútumok nem módosíthatók a készletesítés után. Készítsen egy új tételt, és hozzon át készletet az új tételre"
 DocType: Course Assessment Criteria,Weightage,Súlyozás
 DocType: Purchase Invoice,Tax Breakup,Adó megszakítás
 DocType: Employee,Joining Details,Csatlakozás részletei
@@ -2582,14 +2602,15 @@
 DocType: Lead,Next Contact By,Következő kapcsolat evvel
 DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenzációs távolléti kérelem
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},"Szükséges mennyiség ebből a tételből {0}, ebben a sorban {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"{0} Raktárat nem lehet törölni, mint a {1} tételre létezik mennyiség"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"{0} Raktárat nem lehet törölni, mint a {1} tételre létezik mennyiség"
 DocType: Blanket Order,Order Type,Rendelés típusa
 ,Item-wise Sales Register,Tételenkénti Értékesítés Regisztráció
 DocType: Asset,Gross Purchase Amount,Bruttó Vásárlás összege
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Nyitó egyenlegek
 DocType: Asset,Depreciation Method,Értékcsökkentési módszer
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ez az adó az Alap árban benne van?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Összes célpont
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Összes célpont
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Percepcióelemzés
 DocType: Soil Texture,Sand Composition (%),Homok  összetétele (%)
 DocType: Job Applicant,Applicant for a Job,Pályázó erre a munkahelyre
 DocType: Production Plan Material Request,Production Plan Material Request,Termelési terv Anyag igénylés
@@ -2604,23 +2625,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Értékelés jelölés (10-ből)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Helyettesítő2 Mobil szám
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Legfontosabb
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,A(z) {0} tétel nem szerepel {1} elemként. Engedélyezheti őket {1} tételként a tétel mesterként
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Változat
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",A(z) {0} tétel esetében a mennyiségnek negatív számnak kell lennie
 DocType: Naming Series,Set prefix for numbering series on your transactions,Sorozat számozás előtag beállítása a  tranzakciókhoz
 DocType: Employee Attendance Tool,Employees HTML,Alkalmazottak HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,"Alapértelmezett anyagjegyzék BOM ({0}) aktívnak kell lennie ehhez a termékhez, vagy a sablonjához"
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,"Alapértelmezett anyagjegyzék BOM ({0}) aktívnak kell lennie ehhez a termékhez, vagy a sablonjához"
 DocType: Employee,Leave Encashed?,Távollét beváltása?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Lehetőség tőle mező kitöltése kötelező
 DocType: Email Digest,Annual Expenses,Éves költségek
 DocType: Item,Variants,Változatok
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Beszerzési rendelés létrehozás
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Beszerzési rendelés létrehozás
 DocType: SMS Center,Send To,Küldés Címzettnek
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Nincs elég távollét egyenlege ehhez a távollét típushoz {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Nincs elég távollét egyenlege ehhez a távollét típushoz {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Lekötött összeg
 DocType: Sales Team,Contribution to Net Total,Hozzájárulás a netto összeghez
 DocType: Sales Invoice Item,Customer's Item Code,Vevői tétel cikkszáma
 DocType: Stock Reconciliation,Stock Reconciliation,Készlet egyeztetés
 DocType: Territory,Territory Name,Terület neve
+DocType: Email Digest,Purchase Orders to Receive,Beszerzési rendelések meyleket még fogadjuk
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,"Munkavégzés raktárra van szükség, beküldés előtt"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,"Csak olyan előfizetési számlázási ciklusokat vehet igénybe, egyenlő számlázási ciklusa van"
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Leképezett adatok
@@ -2637,9 +2660,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Ismétlődő sorozatszám lett beírva ehhez a tételhez: {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Érdeklődések nyomon követése az érdeklődés forrásból.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Egy Szállítási szabály feltételei
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Kérlek lépj be
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Kérlek lépj be
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Karbantartás napló
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Kérjük, adja meg a szűrési feltételt a tétel vagy  Raktár alapján"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Kérjük, adja meg a szűrési feltételt a tétel vagy  Raktár alapján"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),A nettó súlya ennek a csomagnak. (Automatikusan kiszámítja a tételek nettó súlyainak összegéből)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Legyen az Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Engedmény összege nem lehet több mint 100%
@@ -2648,15 +2671,15 @@
 DocType: Sales Order,To Deliver and Bill,Szállítani és számlázni
 DocType: Student Group,Instructors,Oktatók
 DocType: GL Entry,Credit Amount in Account Currency,Követelés összege a számla pénznemében
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,ANYGJZ {0} be kell nyújtani
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Management megosztása
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,ANYGJZ {0} be kell nyújtani
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Management megosztása
 DocType: Authorization Control,Authorization Control,Hitelesítés vezérlés
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Sor # {0}: Elutasított Raktár kötelező az elutasított elemhez: {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Fizetés
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Sor # {0}: Elutasított Raktár kötelező az elutasított elemhez: {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Fizetés
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Raktár {0} nem kapcsolódik semmilyen számlához, kérem tüntesse fel a számlát a raktár rekordban vagy az alapértelmezett leltár számláját állítsa be a vállalkozásnak: {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Megrendelései kezelése
 DocType: Work Order Operation,Actual Time and Cost,Tényleges idő és költség
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Anyag igénylés legfeljebb {0} tehető erre a tételre {1} erre a Vevői rendelésre {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Anyag igénylés legfeljebb {0} tehető erre a tételre {1} erre a Vevői rendelésre {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Termés távolsága
 DocType: Course,Course Abbreviation,Tanfolyam rövidítés
@@ -2668,6 +2691,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},"Teljes munkaidő nem lehet nagyobb, mint a max munkaidő {0}"
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Tovább
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Csomag tételek az eladás idején.
+DocType: Delivery Settings,Dispatch Settings,Feladási beállítások
 DocType: Material Request Plan Item,Actual Qty,Aktuális menny.
 DocType: Sales Invoice Item,References,Referenciák
 DocType: Quality Inspection Reading,Reading 10,Olvasás 10
@@ -2677,11 +2701,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Ismétlődő tételeket adott meg. Kérjük orvosolja, és próbálja újra."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Társult
 DocType: Asset Movement,Asset Movement,Vagyontárgy mozgás
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,A {0} munka megrendelést be kell nyújtani
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,új Kosár
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,A {0} munka megrendelést be kell nyújtani
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,új Kosár
 DocType: Taxable Salary Slab,From Amount,Összegből
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Tétel: {0} nem sorbarendezett tétel
 DocType: Leave Type,Encashment,beváltása
+DocType: Delivery Settings,Delivery Settings,Szállítási beállítások
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Adatok lekérése
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},A {0} távolétre megengedett maximális távollétek száma {1}
 DocType: SMS Center,Create Receiver List,Címzettlista létrehozása
 DocType: Vehicle,Wheels,Kerekek
@@ -2697,7 +2723,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,A számlázási pénznemnek meg kell egyeznie az alapértelmezett vállalkozás pénzneméval vagy a másik fél pénznemével
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Azt jelzi, hogy a csomag egy része ennek a szállításnak (Csak tervezet)"
 DocType: Soil Texture,Loam,Termőtalaj
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,{0} sor: Az esedékesség dátuma nem lehet a dátum közzététele előtti
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,{0} sor: Az esedékesség dátuma nem lehet a dátum közzététele előtti
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Befizetés rögzítés létrehozás
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},"Mennyiségnek erre a tételre {0} kisebbnek kell lennie, mint {1}"
 ,Sales Invoice Trends,Kimenő értékesítési számlák alakulása
@@ -2705,12 +2731,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Csak akkor hivatkozhat sorra, ha a terhelés  típus ""Előző sor összege"" vagy ""Előző sor Összesen"""
 DocType: Sales Order Item,Delivery Warehouse,Szállítási raktár
 DocType: Leave Type,Earned Leave Frequency,Megszerzett szabadságolás gyakoriság
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Pénzügyi költséghely fája.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Altípus
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Pénzügyi költséghely fája.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Altípus
 DocType: Serial No,Delivery Document No,Szállítási Dokumentum Sz.
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Biztosítsa a szállítást a gyártott sorozatszám alapján
 DocType: Vital Signs,Furry,Szőrös
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Kérjük, állítsa be a 'Nyereség / veszteség számlát a Vagyontárgy eltávolításához', ehhez a Vállalathoz: {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Kérjük, állítsa be a 'Nyereség / veszteség számlát a Vagyontárgy eltávolításához', ehhez a Vállalathoz: {0}"
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Tételek beszerzése a Beszerzési bevételezésekkel
 DocType: Serial No,Creation Date,Létrehozás dátuma
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},A célhely szükséges a vagyoni eszközhöz {0}
@@ -2724,10 +2750,11 @@
 DocType: Item,Has Variants,Rrendelkezik változatokkal
 DocType: Employee Benefit Claim,Claim Benefit For,A kártérítési igény
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Frissítse a válaszadást
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Már választott ki elemeket innen {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Már választott ki elemeket innen {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Havi Felbontás neve
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Kötegazonosító kötelező
 DocType: Sales Person,Parent Sales Person,Fő Értékesítő
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,A beérkező tárgyak nem esedékesek
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Eladó és a vevő nem lehet ugyanaz
 DocType: Project,Collect Progress,Folyamatok összegyűjtése
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2743,7 +2770,7 @@
 DocType: Bank Guarantee,Margin Money,Árkülönbözeti pénz
 DocType: Budget,Budget,Költségkeret
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Állítsa be a nyitást
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,"Befektetett álló-eszközöknek, nem készletezhető elemeknek kell lennie."
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,"Befektetett álló-eszközöknek, nem készletezhető elemeknek kell lennie."
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Költségvetést nem lehet ehhez rendelni: {0}, mivel ez nem egy bevétel vagy kiadás főkönyvi számla"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},A (z) {0} maximális mentességének összege: {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Elért
@@ -2761,9 +2788,9 @@
 ,Amount to Deliver,Szállítandó összeg
 DocType: Asset,Insurance Start Date,Biztosítás kezdő dátuma
 DocType: Salary Component,Flexible Benefits,Rugalmas haszon
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Ugyanaz a tétel többször szerepel. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Ugyanaz a tétel többször szerepel. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"A kifejezés kezdő dátuma nem lehet korábbi, mint az előző évben kezdő tanév dátuma, amelyhez a kifejezés kapcsolódik (Tanév {}). Kérjük javítsa ki a dátumot, és próbálja újra."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Hibák voltak.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Hibák voltak.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,A (z) {0} alkalmazott már {2} és {3} között kérte a következőket {1}:
 DocType: Guardian,Guardian Interests,Helyettesítő kamat
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Számla név / szám frissítés
@@ -2802,9 +2829,9 @@
 ,Item-wise Purchase History,Tételenkénti Beszerzési előzmények
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Kérjük, kattintson a 'Ütemterv létrehozás', hogy hozzáfűzze a Széria számot ehhez a tételhez: {0}"
 DocType: Account,Frozen,Zárolt
-DocType: Delivery Note,Vehicle Type,Jármű típus
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Jármű típus
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Alapösszeg (Vállalat pénzneme)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Nyersanyagok
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Nyersanyagok
 DocType: Payment Reconciliation Payment,Reference Row,Referencia sor
 DocType: Installation Note,Installation Time,Telepítési idő
 DocType: Sales Invoice,Accounting Details,Számviteli Részletek
@@ -2813,12 +2840,13 @@
 DocType: Inpatient Record,O Positive,O Pozitív
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Befektetések
 DocType: Issue,Resolution Details,Megoldás részletei
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Tranzakció Típusa
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tranzakció Típusa
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Elfogadási kritérium
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Kérjük, adja meg az anyag igényeket a fenti táblázatban"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Nincs visszafizetés  a naplóbejegyzéshez
 DocType: Hub Tracked Item,Image List,Képlista
 DocType: Item Attribute,Attribute Name,Tulajdonság neve
+DocType: Subscription,Generate Invoice At Beginning Of Period,Számla generálása az időszak kezdetén
 DocType: BOM,Show In Website,Jelenjen meg a weboldalon
 DocType: Loan Application,Total Payable Amount,Összesen fizetendő összeg
 DocType: Task,Expected Time (in hours),Várható idő (óra)
@@ -2854,7 +2882,7 @@
 DocType: Employee,Resignation Letter Date,Lemondását levélben dátuma
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Árazási szabályok tovább szűrhetők a mennyiség alapján.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Nincs beállítva
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},"Kérjük, állítsd be a Csatlakozás dátumát ehhez a munkavállalóhoz {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},"Kérjük, állítsd be a Csatlakozás dátumát ehhez a munkavállalóhoz {0}"
 DocType: Inpatient Record,Discharge,Felmentés
 DocType: Task,Total Billing Amount (via Time Sheet),Összesen számlázási összeg ((Idő nyilvántartó szerint)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Törzsvásárlói árbevétele
@@ -2864,13 +2892,13 @@
 DocType: Chapter,Chapter,Fejezet
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pár
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Az alapértelmezett fiók automatikusan frissül a POS kassza számlán, ha ezt az üzemmódot választja."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Válasszon Anyagj és Mennyiséget a Termeléshez
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Válasszon Anyagj és Mennyiséget a Termeléshez
 DocType: Asset,Depreciation Schedule,Értékcsökkentési leírás ütemezése
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Vevő Partner címek és Kapcsolatok
 DocType: Bank Reconciliation Detail,Against Account,Ellen számla
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Félnapos dátumának a kezdési és a végső dátum köztinek kell lennie
 DocType: Maintenance Schedule Detail,Actual Date,Jelenlegi dátum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Állítsa be az Alapértelmezett költségkeretet {0} vállalatnál.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Állítsa be az Alapértelmezett költségkeretet {0} vállalatnál.
 DocType: Item,Has Batch No,Kötegszámmal rendelkezik
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Éves számlázás: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook részletek
@@ -2882,7 +2910,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Turnus Típus
 DocType: Student,Personal Details,Személyes adatai
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},"Kérjük, állítsa be a 'Vagyontárgy értékcsökkenés költséghely' adatait, ehhez a Vállalkozáshoz: {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},"Kérjük, állítsa be a 'Vagyontárgy értékcsökkenés költséghely' adatait, ehhez a Vállalkozáshoz: {0}"
 ,Maintenance Schedules,Karbantartási ütemezések
 DocType: Task,Actual End Date (via Time Sheet),Tényleges befejezés dátuma (Idő nyilvántartó szerint)
 DocType: Soil Texture,Soil Type,Talaj típus
@@ -2890,10 +2918,10 @@
 ,Quotation Trends,Árajánlatok alakulása
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Tétel Csoport nem említett a tétel törzsadatban erre a tételre: {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless megbízás
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Tartozás megterhelés számlának bevételi számlának kell lennie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Tartozás megterhelés számlának bevételi számlának kell lennie
 DocType: Shipping Rule,Shipping Amount,Szállítandó mennyiség
 DocType: Supplier Scorecard Period,Period Score,Időszak pontszáma
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Vevők hozzáadása
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Vevők hozzáadása
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Függőben lévő összeg
 DocType: Lab Test Template,Special,Különleges
 DocType: Loyalty Program,Conversion Factor,Konverziós tényező
@@ -2910,7 +2938,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Fejléc hozzáadás
 DocType: Program Enrollment,Self-Driving Vehicle,Önvezető jármű
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Beszállító mutatószámláló állása
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Sor {0}: Anyagjegyzéket nem találtunk a Tételre {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Sor {0}: Anyagjegyzéket nem találtunk a Tételre {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Összes lefoglalt távolét {0} nem lehet kevesebb, mint a már jóváhagyott távollétek {1} az időszakra"
 DocType: Contract Fulfilment Checklist,Requirement,Követelmény
 DocType: Journal Entry,Accounts Receivable,Bevételi számlák
@@ -2926,16 +2954,16 @@
 DocType: Projects Settings,Timesheets,"Munkaidő jelenléti ív, nyilvántartók"
 DocType: HR Settings,HR Settings,Munkaügyi beállítások
 DocType: Salary Slip,net pay info,nettó fizetés információ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS összeg
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS összeg
 DocType: Woocommerce Settings,Enable Sync,Szinkronizálás engedélyezése
 DocType: Tax Withholding Rate,Single Transaction Threshold,Egységes tranzakciós küszöb
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ez az érték frissítésre kerül az alapértelmezett értékesítési árlistában.
 DocType: Email Digest,New Expenses,Új költségek
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC összeg
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC összeg
 DocType: Shareholder,Shareholder,Rész birtokos
 DocType: Purchase Invoice,Additional Discount Amount,További kedvezmény összege
 DocType: Cash Flow Mapper,Position,Pozíció
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Szerezd meg az elemeket az előírásokból
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Szerezd meg az elemeket az előírásokból
 DocType: Patient,Patient Details,A beteg adatai
 DocType: Inpatient Record,B Positive,B Pozitív
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2947,8 +2975,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Csoport Csoporton kívülire
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sportok
 DocType: Loan Type,Loan Name,Hitel neve
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Összes Aktuális
-DocType: Lab Test UOM,Test UOM,Teszt ME
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Összes Aktuális
 DocType: Student Siblings,Student Siblings,Tanuló Testvérek
 DocType: Subscription Plan Detail,Subscription Plan Detail,Előfizetési terv részletei
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Egység
@@ -2975,7 +3002,6 @@
 DocType: Workstation,Wages per hour,Bérek óránként
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Készlet egyenleg ebben a kötegben: {0} negatívvá válik {1} erre a tételre: {2} ebben a raktárunkban: {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Következő Anyag igénylések merültek fel  automatikusan a Tétel újra-rendelés szinje alpján
-DocType: Email Digest,Pending Sales Orders,Függő Vevői rendelések
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},A {0} számla érvénytelen. A számla pénzneme legyen {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},A(z) {0} dátumtól kezdve nem lehet a munkavállaló mentesítési dátuma  {1} utáni
 DocType: Supplier,Is Internal Supplier,Ő belső beszállító
@@ -2984,13 +3010,14 @@
 DocType: Healthcare Settings,Remind Before,Emlékeztessen azelőtt
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ME átváltási arányra is szükség van ebben a sorban {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Sor # {0}: Dokumentum típus hivatkozásnak Vevői rendelésnek, Értékesítési számlának, vagy Naplókönyvelésnek kell lennie"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Sor # {0}: Dokumentum típus hivatkozásnak Vevői rendelésnek, Értékesítési számlának, vagy Naplókönyvelésnek kell lennie"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Hűségpontok = Mennyi alap pénznem?
 DocType: Salary Component,Deduction,Levonás
 DocType: Item,Retain Sample,Minta megőrzés
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,{0} sor: Időtől és időre kötelező.
 DocType: Stock Reconciliation Item,Amount Difference,Összeg különbség
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Tétel Ár hozzáadott {0} árjegyzékben {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Tétel Ár hozzáadott {0} árjegyzékben {1}
+DocType: Delivery Stop,Order Information,Rendelési információ
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Kérjük, adja meg Alkalmazotti azonosító ID, ehhez az értékesítőhöz"
 DocType: Territory,Classification of Customers by region,Vevői csoportosítás régiónként
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Termelésben
@@ -3001,8 +3028,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Számított Bankkivonat egyenleg
 DocType: Normal Test Template,Normal Test Template,Normál teszt sablon
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,letiltott felhasználó
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Árajánlat
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,"Nem állítható be beérkezettnek az Árajánlatkérés , nincs Árajánlat"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Árajánlat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,"Nem állítható be beérkezettnek az Árajánlatkérés , nincs Árajánlat"
 DocType: Salary Slip,Total Deduction,Összesen levonva
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Válasszon ki egy számla fiókot a számla pénznemére történő nyomtatáshoz
 ,Production Analytics,Termelési  elemzések
@@ -3015,14 +3042,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Beszállító mutatószám beállítása
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Értékelési terv elnevezése
 DocType: Work Order Operation,Work Order Operation,Munkamegrendelés művelet
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Figyelmeztetés: Érvénytelen SSL tanúsítvány a  {0} mellékleteten
-apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Vezetékek segít abban, hogy az üzleti, add a kapcsolatokat, és több mint a vezet"
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Figyelmeztetés: Érvénytelen SSL tanúsítvány a  {0} mellékleteten
+apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Érdeklődések segítenek az üzletben, hozáadja a kapcsolatokat, és több érdeklődőhöz vezet"
 DocType: Work Order Operation,Actual Operation Time,Aktuális üzemidő
 DocType: Authorization Rule,Applicable To (User),Alkalmazandó (Felhasználó)
 DocType: Purchase Taxes and Charges,Deduct,Levonási
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Állás leírása
 DocType: Student Applicant,Applied,Alkalmazott
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Nyissa meg újra
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Nyissa meg újra
 DocType: Sales Invoice Item,Qty as per Stock UOM,Mennyiség a Készlet mértékegysége alapján
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Helyettesítő2 neve
 DocType: Attendance,Attendance Request,Részvételi kérelem
@@ -3040,7 +3067,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Széria sz. {0} még garanciális eddig {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimális megengedhető érték
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,A(z) {0} felhasználó már létezik
-apps/erpnext/erpnext/hooks.py +114,Shipments,Szállítások
+apps/erpnext/erpnext/hooks.py +115,Shipments,Szállítások
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Lefoglalt teljes összeg (Válalakozás pénznemében)
 DocType: Purchase Order Item,To be delivered to customer,Vevőhöz kell szállítani
 DocType: BOM,Scrap Material Cost,Hulladék anyagköltség
@@ -3048,11 +3075,12 @@
 DocType: Grant Application,Email Notification Sent,E-mail értesítés kiküldve
 DocType: Purchase Invoice,In Words (Company Currency),Szavakkal (a cég valutanemében)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,A társaság a vállalat számláján keresztül vezet
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Tétel kód, raktár, mennyiség szükséges a sorban"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Tétel kód, raktár, mennyiség szükséges a sorban"
 DocType: Bank Guarantee,Supplier,Beszállító
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Lekér innen
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,"Ez egy gyökérosztály, és nem szerkeszthető."
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Fizetési adatok megjelenítése
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Időtartam napokban
 DocType: C-Form,Quarter,Negyed
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Egyéb ráfordítások
 DocType: Global Defaults,Default Company,Alapértelmezett cég
@@ -3060,7 +3088,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Költség vagy Különbség számla kötelező tétel erre: {0} , kifejtett hatása van a teljes raktári állomány értékére"
 DocType: Bank,Bank Name,Bank neve
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Felett
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Hagyja üresen a mezőt, hogy minden beszállító számára megrendelést tegyen"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Hagyja üresen a mezőt, hogy minden beszállító számára megrendelést tegyen"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Bentlakásos látogatás díja
 DocType: Vital Signs,Fluid,Folyadék
 DocType: Leave Application,Total Leave Days,Összes távollét napok
@@ -3069,7 +3097,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Tétel változat beállításai
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Válasszon vállalkozást...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Hagyja üresen, ha figyelembe veszi az összes szervezeti egységen"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} kötelező a(z) {1} tételnek
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} kötelező a(z) {1} tételnek
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","{0} tétel: {1} tétel legyártva,"
 DocType: Payroll Entry,Fortnightly,Kéthetenkénti
 DocType: Currency Exchange,From Currency,Pénznemből
@@ -3118,7 +3146,7 @@
 DocType: Account,Fixed Asset,Álló-eszköz
 DocType: Amazon MWS Settings,After Date,Dátum után
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Széria számozott készlet
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Érvénytelen {0} az Inter vállalkozás számlájára.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Érvénytelen {0} az Inter vállalkozás számlájára.
 ,Department Analytics,Részleg elemzés
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-mail nem található az alapértelmezett  kapcsolatban
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generáljon titkot
@@ -3136,6 +3164,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Vezérigazgató(CEO)
 DocType: Purchase Invoice,With Payment of Tax,Adófizetéssel
 DocType: Expense Claim Detail,Expense Claim Detail,Költség igény részlete
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Kérjük, állítsd be az oktatónevezési rendszert az oktatásban&gt; Oktatási beállítások"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,HÁRMASÁVAL BESZÁLLÍTÓNAK
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Új egyenleg az alapértelmezett pénznemében
 DocType: Location,Is Container,Ez konténer
@@ -3143,13 +3172,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Kérjük, válassza ki a megfelelő fiókot"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Fizetési struktúra kiosztás
 DocType: Purchase Invoice Item,Weight UOM,Súly mértékegysége
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Az elérhető fóliaszámú részvényes tulajdonosok listája
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Az elérhető fóliaszámú részvényes tulajdonosok listája
 DocType: Salary Structure Employee,Salary Structure Employee,Alkalmazotti Bérrendszer
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Változat tulajdonságaniak megjelenítése
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Változat tulajdonságaniak megjelenítése
 DocType: Student,Blood Group,Vércsoport
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,A {0} tervezett fizetési átjáró-fiók eltér a fizetési átjáró fiókjában ebben a fizetési kérelemben
 DocType: Course,Course Name,Tantárgy neve
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nincsenek adóvisszatartási adatok az aktuális pénzügyi évre vonatkozóan.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nincsenek adóvisszatartási adatok az aktuális pénzügyi évre vonatkozóan.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"A felhasználók, akik engedélyezhetik egy bizonyos Alkalmazott távollét kérelmét"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Irodai berendezések
 DocType: Purchase Invoice Item,Qty,Menny.
@@ -3157,6 +3186,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Pontszám beállítások
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Tartozás ({0})
+DocType: BOM,Allow Same Item Multiple Times,Ugyanaz a tétel egyszerre több alkalommal engedélyezése
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Keletkezzen Anyag igény, ha a raktárállomány eléri az újrarendelés szintjét"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Teljes munkaidőben
 DocType: Payroll Entry,Employees,Alkalmazottak
@@ -3168,11 +3198,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Fizetés visszaigazolása
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Az árak nem jelennek meg, ha Árlista nincs megadva"
 DocType: Stock Entry,Total Incoming Value,Beérkező össz Érték
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Tartozás megterhelése szükséges
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Tartozás megterhelése szükséges
 DocType: Clinical Procedure,Inpatient Record,Betegkönyv
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Munkaidő jelenléti ív segít nyomon követni az idő, költség és számlázási tevékenységeit a csoportjának."
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Beszerzési árlista
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,A tranzakció dátuma
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Beszerzési árlista
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,A tranzakció dátuma
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,A beszállító eredménymutató-változóinak sablonjai.
 DocType: Job Offer Term,Offer Term,Ajánlat feltételei
 DocType: Asset,Quality Manager,Minőségbiztosítási vezető
@@ -3193,18 +3223,18 @@
 DocType: Cashier Closing,To Time,Ideig
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) ehhez: {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Jóváhagyó beosztása (a fenti engedélyezett érték)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Követelés főkönyvi számlának Fizetendő számlának kell lennie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Követelés főkönyvi számlának Fizetendő számlának kell lennie
 DocType: Loan,Total Amount Paid,Összes fizetett összeg
 DocType: Asset,Insurance End Date,Biztosítás befejezésének dátuma
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Kérem, válassza ki a hallgatói felvételt, amely kötelező a befizetett hallgatói jelentkező számára"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},ANYGJZ rekurzív: {0} nem lehet a szülő vagy a gyermeke ennek: {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},ANYGJZ rekurzív: {0} nem lehet a szülő vagy a gyermeke ennek: {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Költségvetési lista
 DocType: Work Order Operation,Completed Qty,Befejezett Mennyiség
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0} -hoz, csak terhelés számlákat lehet kapcsolni a másik ellen jóváíráshoz"
 DocType: Manufacturing Settings,Allow Overtime,Túlóra engedélyezése
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Sorszámozott tétel {0} nem lehet frissíteni a Készlet egyesztetéssel, kérem használja a Készlet bejegyzést"
 DocType: Training Event Employee,Training Event Employee,Képzési munkavállalói esemény
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximum minták - {0} megtartható az {1} köteghez és a {2} tételhez.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximum minták - {0} megtartható az {1} köteghez és a {2} tételhez.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Adjon hozzá időszakaszt
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} sorozatszám szükséges ehhez a Tételhez: {1}. Ezt adta meg: {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuális Készletérték ár
@@ -3235,11 +3265,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Széria sz. {0} nem található
 DocType: Fee Schedule Program,Fee Schedule Program,Díj időzítő program
 DocType: Fee Schedule Program,Student Batch,Tanuló köteg
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Kérjük, törölje a Munkavállalót <a href=""#Form/Employee/{0}"">{0}</a> \ törölni ezt a dokumentumot"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Tanuló létrehozás
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min osztályzat
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Egészségügyi szolgáltatási egység típus
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Ön meghívást kapott ennek a projeknek a közreműködéséhez: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Ön meghívást kapott ennek a projeknek a közreműködéséhez: {0}
 DocType: Supplier Group,Parent Supplier Group,Fő beszállítói csoport
+DocType: Email Digest,Purchase Orders to Bill,Számlázandó beszerzési rendelések
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Csoport vállalat összesített értékei
 DocType: Leave Block List Date,Block Date,Zárolás dátuma
 DocType: Crop,Crop,Termés
@@ -3251,6 +3284,7 @@
 DocType: Sales Order,Not Delivered,Nem szállított
 ,Bank Clearance Summary,Bank Végső összesítő
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Létrehoz és kezeli a napi, heti és havi e-mail összefoglalókat."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Ez a tranzakciókat az Értékesítővel szemben valósítja meg. Lásd az alábbi idővonalat a részletekért
 DocType: Appraisal Goal,Appraisal Goal,Teljesítmény értékelés célja
 DocType: Stock Reconciliation Item,Current Amount,Jelenlegi összege
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Készítések
@@ -3277,7 +3311,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Szoftverek
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Következő megbeszélés dátuma nem lehet a múltban
 DocType: Company,For Reference Only.,Csak tájékoztató jellegűek.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Válasszon köteg sz.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Válasszon köteg sz.
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Érvénytelen {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Szla. referencia
@@ -3295,16 +3329,16 @@
 DocType: Normal Test Items,Require Result Value,Eredmény értékeire van szükség
 DocType: Item,Show a slideshow at the top of the page,Mutass egy diavetítést  a lap tetején
 DocType: Tax Withholding Rate,Tax Withholding Rate,Adó visszatartási díj
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Anyagjegyzékek
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Üzletek
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Anyagjegyzékek
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Üzletek
 DocType: Project Type,Projects Manager,Projekt menedzser
 DocType: Serial No,Delivery Time,Szállítási idő
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Öregedés ezen alapszik
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,A vizit törölve
 DocType: Item,End of Life,Felhasználhatósági idő
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Utazási
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Utazási
 DocType: Student Report Generation Tool,Include All Assessment Group,Az összes értékelési csoport bevonása
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,"Nem talált aktív vagy alapértelmezett bérrendszert erre az Alkalmazottra: {0}, a megadott dátumra"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,"Nem talált aktív vagy alapértelmezett bérrendszert erre az Alkalmazottra: {0}, a megadott dátumra"
 DocType: Leave Block List,Allow Users,Felhasználók engedélyezése
 DocType: Purchase Order,Customer Mobile No,Vevő mobil tel. szám
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pénzforgalom térképezés sablon részletei
@@ -3313,15 +3347,16 @@
 DocType: Rename Tool,Rename Tool,Átnevezési eszköz
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Költségek újraszámolása
 DocType: Item Reorder,Item Reorder,Tétel újrarendelés
+DocType: Delivery Note,Mode of Transport,A szállítási mód
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Bérkarton megjelenítése
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Anyag Átvitel
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Anyag Átvitel
 DocType: Fees,Send Payment Request,Fizetési kérelem küldése
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Adja meg a műveletet, a működési költségeket, és adjon meg egy egyedi műveletet a műveletekhez."
 DocType: Travel Request,Any other details,"Egyéb, más részletek"
 DocType: Water Analysis,Origin,Származás
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ez a dokumentum túlcsordult ennyivel {0} {1} erre a tételre {4}. Létrehoz egy másik {3}  ugyanazon {2} helyett?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,"Kérjük, állítsa be az ismétlődést a mentés után"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Válasszon váltópénz összeg számlát
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,"Kérjük, állítsa be az ismétlődést a mentés után"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Válasszon váltópénz összeg számlát
 DocType: Purchase Invoice,Price List Currency,Árlista pénzneme
 DocType: Naming Series,User must always select,Felhasználónak mindig választani kell
 DocType: Stock Settings,Allow Negative Stock,Negatív készlet engedélyezése
@@ -3342,9 +3377,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,A nyomon követhetőség
 DocType: Asset Maintenance Log,Actions performed,Végrehajtott  műveletek
 DocType: Cash Flow Mapper,Section Leader,Szekció vezető
+DocType: Delivery Note,Transport Receipt No,Szállítási átvételi száma
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Pénzeszközök forrását (kötelezettségek)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,A forrás és a célhely nem lehet azonos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Mennyiségnek ebben a sorban {0} ({1}) meg kell egyeznie a gyártott mennyiséggel {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Mennyiségnek ebben a sorban {0} ({1}) meg kell egyeznie a gyártott mennyiséggel {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Alkalmazott
 DocType: Bank Guarantee,Fixed Deposit Number,Fix betétszám
 DocType: Asset Repair,Failure Date,Hibás dátum
@@ -3358,16 +3394,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Fizetési levonások vagy veszteségek
 DocType: Soil Analysis,Soil Analysis Criterias,Talajelemzési kritériumok
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Az általános szerződési feltételek az értékesítéshez vagy beszerzéshez.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Biztosan törölni szeretné ezt a  találkozót?
+DocType: BOM Item,Item operation,Elem működtetése
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Biztosan törölni szeretné ezt a  találkozót?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Szállodai szoba árazási csomag
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Értékesítési folyamat
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Értékesítési folyamat
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},"Kérjük, állítsa be az alapértelmezett számla foókot a fizetés komponenshez {0}"
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Szükség
 DocType: Rename Tool,File to Rename,Átnevezendő fájl
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Kérjük, válassza ki ANYGJZ erre a tételre ebben a sorban {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Előfizetési frissítések lekérése
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Számla {0} nem egyezik ezzel a vállalkozással {1} ebben a módban: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Meghatározott ANYAGJEGYZ {0} nem létezik erre a tételre {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Meghatározott ANYAGJEGYZ {0} nem létezik erre a tételre {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Tanfolyam:
 DocType: Soil Texture,Sandy Loam,Homokos termőföld
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Ezt a karbantartási ütemtervet:  {0}, törölni kell mielőtt lemondaná ezt a Vevői rendelést"
@@ -3376,7 +3413,7 @@
 DocType: Notification Control,Expense Claim Approved,Költség igény jóváhagyva
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Az előlegek és a hozzárendelések (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nincs létrehozva munka megrendelés
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Bérpapír az Alkalmazotthoz: {0} már létezik erre az időszakra
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Bérpapír az Alkalmazotthoz: {0} már létezik erre az időszakra
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Gyógyszeripari
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Csak egy távollét beváltást lehet benyújtani az érvényes készpénzre váltáshoz
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Bszerzett tételek költsége
@@ -3384,7 +3421,8 @@
 DocType: Selling Settings,Sales Order Required,Vevői rendelés szükséges
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Legyél eladó
 DocType: Purchase Invoice,Credit To,Követelés ide
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktív Érdeklődések / Vevők
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktív Érdeklődések / Vevők
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Hagyja üresen a szabványos kézbesítési szállítólevél formátum használatát
 DocType: Employee Education,Post Graduate,Diplomázás után
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Karbantartási ütemterv részletei
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Figyelmeztetés az új Vevői megrendelésekre
@@ -3398,14 +3436,14 @@
 DocType: Support Search Source,Post Title Key,Utasítás cím kulcs
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,A munka kártyára
 DocType: Warranty Claim,Raised By,Felvetette
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,előírások
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,előírások
 DocType: Payment Gateway Account,Payment Account,Fizetési számla
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Kérjük, adja meg a vállalkozást a folytatáshoz"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Kérjük, adja meg a vállalkozást a folytatáshoz"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Nettó Vevői számla tartozások változása
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompenzációs Ki
 DocType: Job Offer,Accepted,Elfogadva
 DocType: POS Closing Voucher,Sales Invoices Summary,Kimenő értékesítési számlák összefoglalása
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,A párt nevéhez
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,A párt nevéhez
 DocType: Grant Application,Organization,Szervezet
 DocType: BOM Update Tool,BOM Update Tool,ANYAGJ frissítő eszköz
 DocType: SG Creation Tool Course,Student Group Name,Diák csoport neve
@@ -3414,7 +3452,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Kérjük, győződjön meg róla, hogy valóban törölni szeretné az összes tranzakció ennél a vállalatnál. Az Ön törzsadati megmaradnak. Ez a művelet nem vonható vissza."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Keresési eredmények
 DocType: Room,Room Number,Szoba szám
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Érvénytelen hivatkozás {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Érvénytelen hivatkozás {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nem lehet nagyobb, mint a ({2}) tervezett mennyiség a {3} gyártási rendelésben"
 DocType: Shipping Rule,Shipping Rule Label,Szállítási szabály címkéi
 DocType: Journal Entry Account,Payroll Entry,Bérszámfejtési bejegyzés
@@ -3422,8 +3460,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Adózási sablon létrehozás
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Felhasználói fórum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Nyersanyagok nem lehet üres.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,# {0} (Fizetési táblázat) sor: Az összegnek negatívnak kell lennie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nem sikerült frissíteni a készletet, számla tartalmaz közvetlen szállítási elemet."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,# {0} (Fizetési táblázat) sor: Az összegnek negatívnak kell lennie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nem sikerült frissíteni a készletet, számla tartalmaz közvetlen szállítási elemet."
 DocType: Contract,Fulfilment Status,Teljesítés állapota
 DocType: Lab Test Sample,Lab Test Sample,Labor teszt minta
 DocType: Item Variant Settings,Allow Rename Attribute Value,Engedélyezze az attribútum érték átnevezését
@@ -3460,16 +3498,16 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +16,Bonus Payment Date cannot be a past date,A bónusz fizetési dátuma nem történhet a múltban
 DocType: Travel Request,Copy of Invitation/Announcement,Meghívó / hirdetmény másolata
 DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Gyakorló szolgáltatási egység menetrendje
-DocType: Delivery Note,Transporter Name,Fuvarozó neve
+DocType: Delivery Note,Transporter Name,Szállítmányozó neve
 DocType: Authorization Rule,Authorized Value,Hitelesített érték
 DocType: BOM,Show Operations,Műveletek megjelenítése
 ,Minutes to First Response for Opportunity,Lehetőségre adott válaszhoz eltelt percek
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Összes Hiány
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Tétel vagy raktár sorban {0} nem egyezik Anyag igényléssel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Tétel vagy raktár sorban {0} nem egyezik Anyag igényléssel
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Mértékegység
 DocType: Fiscal Year,Year End Date,Év végi dátum
 DocType: Task Depends On,Task Depends On,A feladat ettől függ:
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Lehetőség
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Lehetőség
 DocType: Operation,Default Workstation,Alapértelmezett Munkaállomás
 DocType: Notification Control,Expense Claim Approved Message,Költség jóváhagyott igény indoklása
 DocType: Payment Entry,Deductions or Loss,Levonások vagy veszteségek
@@ -3507,20 +3545,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,"Jóváhagyó felhasználót nem lehet ugyanaz, mint a felhasználó a szabály alkalmazandó"
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Alapár (a Készlet mértékegysége szerint)
 DocType: SMS Log,No of Requested SMS,Igényelt SMS száma
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Fizetés nélküli távollét nem egyezik meg a jóváhagyott távolléti igény bejegyzésekkel
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Fizetés nélküli távollét nem egyezik meg a jóváhagyott távolléti igény bejegyzésekkel
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Következő lépések
 DocType: Travel Request,Domestic,Belföldi
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Kérjük szállítsa be a tételeket a lehető legjobb árakon
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Kérjük szállítsa be a tételeket a lehető legjobb árakon
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Az alkalmazotti átutalást nem lehet benyújtani az átutalás dátuma előtt
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Számla készítése
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Visszamaradt egyenlege
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Visszamaradt egyenlege
 DocType: Selling Settings,Auto close Opportunity after 15 days,Automatikus lezárása az ügyeknek 15 nap után
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,"Vásárlási rendelések nem engedélyezettek erre: {0}, mivel az eredménymutatók értéke: {1}."
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,{0}vonalkód nem érvényes {1} kód
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,{0}vonalkód nem érvényes {1} kód
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Befejező év
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Áraj / Lehet %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,"Szerződés befejezés dátuma nem lehet nagyobb, mint a Csatlakozás dátuma"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,"Szerződés befejezés dátuma nem lehet nagyobb, mint a Csatlakozás dátuma"
 DocType: Driver,Driver,Sofőr
 DocType: Vital Signs,Nutrition Values,Táplálkozási értékek
 DocType: Lab Test Template,Is billable,Ez számlázható
@@ -3531,7 +3569,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,"Ez egy példa honlap, amit automatikusan generált az ERPNext"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Öregedés tartomány 1
 DocType: Shopify Settings,Enable Shopify,Engedélyezze a Shopify alkalmazást
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,A teljes előleg összege nem haladhatja meg a teljes igényelt összegét
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,A teljes előleg összege nem haladhatja meg a teljes igényelt összegét
 DocType: Purchase Taxes and Charges Template,"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
@@ -3558,12 +3596,12 @@
 DocType: Employee Separation,Employee Separation,Munkavállalói elválasztás
 DocType: BOM Item,Original Item,Eredeti tétel
 DocType: Purchase Receipt Item,Recd Quantity,Szüks Mennyiség
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc dátum
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc dátum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Díj rekordok létrehozva - {0}
 DocType: Asset Category Account,Asset Category Account,Vagyontárgy kategória főkönyvi számla
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,# {0} (Fizetési táblázat) sor: Az összegnek pozitívnak kell lennie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,# {0} (Fizetési táblázat) sor: Az összegnek pozitívnak kell lennie
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},"Nem lehet több mint ennyit {0} gyártani a tételből, mint amennyi a Vevői rendelési mennyiség {1}"
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Válassza ki a jellemzők értékeit
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Válassza ki a jellemzők értékeit
 DocType: Purchase Invoice,Reason For Issuing document,Dokumentum kiadásának oka
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,"Készlet bejegyzés: {0} nem nyújtják be,"
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / Készpénz számla
@@ -3572,8 +3610,10 @@
 DocType: Asset,Manual,Kézikönyv
 DocType: Salary Component Account,Salary Component Account,Bér összetevők számlája
 DocType: Global Defaults,Hide Currency Symbol,Pénznem szimbólumának elrejtése
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Értékesítési lehetőségek forrás szerint
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Adományozói  információk.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","pl. bank, készpénz, hitelkártya"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Kérjük, állítsa be a számozási sorozatot a részvételhez a Beállítás&gt; Számozási sorozatok segítségével"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","pl. bank, készpénz, hitelkártya"
 DocType: Job Applicant,Source Name,Forrá név
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normális pihenő vérnyomás egy felnőttnél körülbelül 120 Hgmm szisztolés és 80 Hgmm diasztolés, rövidítve ""120/80 Hgmm"""
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Állítsa be a tételek eltarthatósági napjainak számát, a lejárati idő meghatározásához a gyártási dátum plusz az eltarthatóság alapján"
@@ -3603,7 +3643,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},"A mennyiségnek kisebbnek kell lennie, mint {0}"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: kezdő dátumot kell lennie a befejezés dátuma
 DocType: Salary Component,Max Benefit Amount (Yearly),Maximális juttatás összege (évente)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS-arány%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS-arány%
 DocType: Crop,Planting Area,Ültetési terület
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Összesen(db)
 DocType: Installation Note Item,Installed Qty,Telepített Mennyiség
@@ -3625,8 +3665,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Távollét jóváhagyási értesítés
 DocType: Buying Settings,Default Buying Price List,Alapértelmezett Vásárlási árjegyzék
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Bérpapirok a munkaidő jelenléti ív alapján
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Beszerzési  árérték
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},{0} sor: Adja meg a vagyontárgy eszközelem helyét {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Beszerzési  árérték
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},{0} sor: Adja meg a vagyontárgy eszközelem helyét {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,A cégről
 DocType: Notification Control,Sales Order Message,Vevői rendelés üzenet
@@ -3691,10 +3731,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,A(z) {0} sorhoz: Írja be a tervezett mennyiséget
 DocType: Account,Income Account,Jövedelem számla
 DocType: Payment Request,Amount in customer's currency,Összeg ügyfél valutájában
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Szállítás
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Szállítás
 DocType: Volunteer,Weekdays,Hétköznapok
 DocType: Stock Reconciliation Item,Current Qty,Jelenlegi mennyiség
 DocType: Restaurant Menu,Restaurant Menu,Éttermi menü
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Szállítók hozzáadása
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Súgó szakasz
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Előző
@@ -3706,19 +3747,20 @@
 												fullfill Sales Order {2}","Az {1} tétel {0} sorozatszáma nem adható meg, mivel a \ fullfill értékesítési rendelés {2}"
 DocType: Item Reorder,Material Request Type,Anyagigénylés típusa
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Küldjön támogatás áttekintő e-mailt
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","HelyiRaktár tele van, nem mentettem"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Sor {0}: UOM átváltási arányra is kötelező
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","HelyiRaktár tele van, nem mentettem"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Sor {0}: UOM átváltási arányra is kötelező
 DocType: Employee Benefit Claim,Claim Date,Követelés dátuma
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Szoba kapacitás
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Már létezik rekord a(z) {0} tételre
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Hiv.
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Elveszti a korábban generált számlák nyilvántartását. Biztosan újra szeretné kezdeni ezt az előfizetést?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Regisztrációs díj
 DocType: Loyalty Program Collection,Loyalty Program Collection,Hűségprogram-gyűjtemény
 DocType: Stock Entry Detail,Subcontracted Item,Alvállalkozói tétel
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},A {0} diák nem tartozik a (z) {1} csoporthoz
 DocType: Budget,Cost Center,Költséghely
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Utalvány #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Utalvány #
 DocType: Notification Control,Purchase Order Message,Beszerzési megrendelés üzenet
 DocType: Tax Rule,Shipping Country,Szállítás Országa
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ügyfél adóazonosító elrejtése az Értékesítési tranzakciókból
@@ -3737,23 +3779,22 @@
 DocType: Subscription,Cancel At End Of Period,Törlés a periódus végén
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Már hozzáadott tulajdonság
 DocType: Item Supplier,Item Supplier,Tétel Beszállító
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Kérjük, adja meg a tételkódot a köteg szám megadásához"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Kérjük, válasszon értéket {0} ehhez az árajánlathoz {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Kérjük, adja meg a tételkódot a köteg szám megadásához"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Kérjük, válasszon értéket {0} ehhez az árajánlathoz {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nincs átcsoportosításra váró tétel
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Összes cím.
 DocType: Company,Stock Settings,Készlet beállítások
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Összevonása csak akkor lehetséges, ha a következő tulajdonságok azonosak mindkét bejegyzések. Van Group, Root típusa, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Összevonása csak akkor lehetséges, ha a következő tulajdonságok azonosak mindkét bejegyzések. Van Group, Root típusa, Company"
 DocType: Vehicle,Electric,Elektromos
 DocType: Task,% Progress,% Haladás
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Nyereség / veszteség Vagyontárgy eltávolításán
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Az alábbi táblázatban csak a &quot;Jóváhagyott&quot; állapotú hallgatói pályázó kerül kiválasztásra.
 DocType: Tax Withholding Category,Rates,Az árak
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"A (z) {0} fiókhoz tartozó fiókszám nem érhető el. <br> Kérjük, helyesen állítsa be a számlatörténetét."
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"A (z) {0} fiókhoz tartozó fiókszám nem érhető el. <br> Kérjük, helyesen állítsa be a számlatörténetét."
 DocType: Task,Depends on Tasks,Függ a Feladatoktól
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Vevői csoport fa. kezelése.
 DocType: Normal Test Items,Result Value,Eredményérték
 DocType: Hotel Room,Hotels,Szállodák
-DocType: Delivery Note,Transporter Date,A szállítás dátuma
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Új költséghely neve
 DocType: Leave Control Panel,Leave Control Panel,Távollét vezérlőpult
 DocType: Project,Task Completion,Feladat befejezése
@@ -3800,11 +3841,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Az Értékelési Groups
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Új raktár neve
 DocType: Shopify Settings,App Type,Alk típusa
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Összesen {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Összesen {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Terület
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Kérjük említse meg a szükséges résztvevők számát
 DocType: Stock Settings,Default Valuation Method,Alapértelmezett készletérték számítási mód
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Részvételi díj
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Összesített összeg megjelenítése
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Frissítés folyamatban. Ez eltarthat egy ideig.
 DocType: Production Plan Item,Produced Qty,Termelt mennyiség
 DocType: Vehicle Log,Fuel Qty,Üzemanyag menny.
@@ -3812,7 +3854,7 @@
 DocType: Work Order Operation,Planned Start Time,Tervezett kezdési idő
 DocType: Course,Assessment,Értékelés
 DocType: Payment Entry Reference,Allocated,Lekötött
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Záró mérleg és nyereség vagy veszteség könyvelés.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Záró mérleg és nyereség vagy veszteség könyvelés.
 DocType: Student Applicant,Application Status,Jelentkezés állapota
 DocType: Additional Salary,Salary Component Type,Fizetési összetevő típusa
 DocType: Sensitivity Test Items,Sensitivity Test Items,Érzékenységi vizsgálati tételek
@@ -3823,10 +3865,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Teljes fennálló kintlévő összeg
 DocType: Sales Partner,Targets,Célok
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,"Kérjük, regisztrálja a SIREN számot a céginformációs fájlban"
+DocType: Email Digest,Sales Orders to Bill,Számlázandó értékesítési megrendelések
 DocType: Price List,Price List Master,Árlista törzsadat
 DocType: GST Account,CESS Account,CESS számla
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Minden értékesítési tranzakció címkézhető több ** Értékesítő személy** felé, így beállíthat és követhet célokat."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Anyag igényhez társít
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Anyag igényhez társít
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Fórum aktivitás
 ,S.O. No.,VR sz.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Banki kivonat Tranzakció beállítások tétel
@@ -3841,7 +3884,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,"Ez egy forrás vevőkör csoport, és nem lehet szerkeszteni."
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Cselekvés, ha a halmozott havi költségkeret meghaladta a PO-t"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,A hely
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,A hely
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Árfolyam-átértékelés
 DocType: POS Profile,Ignore Pricing Rule,Árképzési szabály figyelmen kívül hagyása
 DocType: Employee Education,Graduate,Diplomás
@@ -3877,6 +3920,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Állítsa be az alapértelmezett fogyasztót az étterem beállításai között
 ,Salary Register,Bér regisztráció
 DocType: Warehouse,Parent Warehouse,Fő Raktár
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Diagram
 DocType: Subscription,Net Total,Nettó összesen
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Az alapértelmezett anyagjegyz BOM nem található erre a tételre: {0} és Projektre: {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Határozza meg a különböző hiteltípusokat
@@ -3909,24 +3953,26 @@
 DocType: Membership,Membership Status,Tagsági állapota
 DocType: Travel Itinerary,Lodging Required,Szállás szükséges
 ,Requested,Igényelt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Nincs megjegyzés
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Nincs megjegyzés
 DocType: Asset,In Maintenance,Karbantartás alatt
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Kattintson erre a gombra a Sales Order adatait az Amazon MWS-ből.
 DocType: Vital Signs,Abdomen,Has
 DocType: Purchase Invoice,Overdue,Lejárt
 DocType: Account,Stock Received But Not Billed,"Raktárra érkezett, de nem számlázták"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root Figyelembe kell lennie egy csoportja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root Figyelembe kell lennie egy csoportja
 DocType: Drug Prescription,Drug Prescription,Gyógyszerkönyv
 DocType: Loan,Repaid/Closed,Visszafizetett/Lezárt
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Teljes kivetített db
 DocType: Monthly Distribution,Distribution Name,Felbontás neve
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Ide tartozik az ANYJ
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","A {0} tételhez nem található készletérték ár, amely a {1} {2} számviteli bejegyzések elvégzéséhez szükséges. Ha a nulla készletérték árral szerepel a tétel  az {1} -ben, kérjük, említse meg az {1} tétel táblázatában. Ellenkező esetben kérjük, hozzon létre egy bejövő állományi tranzakciót a tételre vagy a készletérték árra a Tétel rekordban, majd próbálja meg elküldeni / törölni ezt a bejegyzést"
 DocType: Course,Course Code,Tantárgy kódja
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Minőség-ellenőrzés szükséges erre a tételre {0}
 DocType: Location,Parent Location,Fő helyszín
 DocType: POS Settings,Use POS in Offline Mode,POS kassza funkció használata Offline módban
 DocType: Supplier Scorecard,Supplier Variables,Beszállítói változók
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} kötelező. Talán a pénz váltó rekordot nem hoztuk létre {1} -&gt; {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Arány, amelyen az Ügyfél pénznemét átalakítja a vállalakozás alapértelmezett pénznemére"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Nettó árérték (Vállalkozás pénznemében)
 DocType: Salary Detail,Condition and Formula Help,Feltétel és Űrlap Súgó
@@ -3935,19 +3981,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Értékesítési számla
 DocType: Journal Entry Account,Party Balance,Ügyfél egyenlege
 DocType: Cash Flow Mapper,Section Subtotal,Szekció rész összeg
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Kérjük, válassza az Alkalmazzon kedvezményt ezen"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Kérjük, válassza az Alkalmazzon kedvezményt ezen"
 DocType: Stock Settings,Sample Retention Warehouse,Mintavételi megörzési raktár
 DocType: Company,Default Receivable Account,Alapértelmezett Bevételi számla
 DocType: Purchase Invoice,Deemed Export,Megfontolt export
 DocType: Stock Entry,Material Transfer for Manufacture,Anyag átvitel gyártásához
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Kedvezmény százalékot lehet alkalmazni vagy árlistában vagy az összes árlistában.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Könyvelési tétel a Készlethez
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Könyvelési tétel a Készlethez
 DocType: Lab Test,LabTest Approver,LaborTeszt jóváhagyó
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Már értékelte ezekkel az értékelési kritériumokkal: {}.
 DocType: Vehicle Service,Engine Oil,Motorolaj
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Létrehozott munka rendelések : {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Létrehozott munka rendelések : {0}
 DocType: Sales Invoice,Sales Team1,Értékesítő csoport1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,"Tétel: {0}, nem létezik"
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,"Tétel: {0}, nem létezik"
 DocType: Sales Invoice,Customer Address,Vevő címe
 DocType: Loan,Loan Details,Hitel részletei
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Nem sikerült felállítani a vállalati szerelvényeket
@@ -3968,34 +4014,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Jelenítse meg ezt a diavetatést a lap tetején
 DocType: BOM,Item UOM,Tétel mennyiségi egysége
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Adó összege a kedvezmény összege után (Vállalkozás pénzneme)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Cél raktár kötelező ebben a sorban {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Cél raktár kötelező ebben a sorban {0}
 DocType: Cheque Print Template,Primary Settings,Elsődleges beállítások
 DocType: Attendance Request,Work From Home,Otthonról dolgozni
 DocType: Purchase Invoice,Select Supplier Address,Válasszon Beszállító címet
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Alkalmazottak hozzáadása
 DocType: Purchase Invoice Item,Quality Inspection,Minőségvizsgálat
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra kicsi
 DocType: Company,Standard Template,Alapértelmezett sablon
 DocType: Training Event,Theory,Elmélet
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,"Figyelmeztetés: Anyag Igénylés mennyisége kevesebb, mint Minimális rendelhető menny"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,"Figyelmeztetés: Anyag Igénylés mennyisége kevesebb, mint Minimális rendelhető menny"
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,A {0} számla zárolt
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Jogi alany / leányvállalat a Szervezethez tartozó külön számlatükörrel
 DocType: Payment Request,Mute Email,E-mail elnémítás
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Élelmiszerek, italok és dohány"
 DocType: Account,Account Number,Számla száma
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Fizetni a csak még ki nem szálázott ellenében tud: {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,"Jutalék árértéke nem lehet nagyobb, mint a 100"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Fizetni a csak még ki nem szálázott ellenében tud: {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,"Jutalék mértéke nem lehet nagyobb, mint 100"
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Automatikusan felosztott előlegek (FIFO)
 DocType: Volunteer,Volunteer,Önkéntes
 DocType: Buying Settings,Subcontract,Alvállalkozói
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Kérjük, adja be: {0} először"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Nincs innen válasz
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Nincs innen válasz
 DocType: Work Order Operation,Actual End Time,Tényleges befejezési időpont
 DocType: Item,Manufacturer Part Number,Gyártó cikkszáma
 DocType: Taxable Salary Slab,Taxable Salary Slab,Adóköteles bérszakasz
 DocType: Work Order Operation,Estimated Time and Cost,Becsült idő és költség
 DocType: Bin,Bin,Láda
 DocType: Crop,Crop Name,Termés neve
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Csak a {0} szerepkörű felhasználók regisztrálhatnak a Marketplace-en
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Csak a {0} szerepkörű felhasználók regisztrálhatnak a Marketplace-en
 DocType: SMS Log,No of Sent SMS,Elküldött SMS száma
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Találkozók és találkozások
@@ -4024,7 +4071,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Kód módosítása
 DocType: Purchase Invoice Item,Valuation Rate,Készletérték ár
 DocType: Vehicle,Diesel,Dízel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Árlista pénzneme nincs kiválasztva
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Árlista pénzneme nincs kiválasztva
 DocType: Purchase Invoice,Availed ITC Cess,Hasznosított ITC Cess
 ,Student Monthly Attendance Sheet,Tanuló havi jelenléti ív
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Csak az értékesítésre vonatkozó szállítási szabály
@@ -4040,7 +4087,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Kezelje a forgalmazókkal.
 DocType: Quality Inspection,Inspection Type,Vizsgálat típusa
 DocType: Fee Validity,Visited yet,Még látogatott
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Raktárak meglévő ügylettekkel nem konvertálhatóak csoporttá.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Raktárak meglévő ügylettekkel nem konvertálhatóak csoporttá.
 DocType: Assessment Result Tool,Result HTML,Eredmény HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Milyen gyakran kell frissíteni a projektet és a vállalatot az értékesítési tranzakciók alapján.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Lejárat dátuma
@@ -4048,7 +4095,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Kérjük, válassza ki a {0}"
 DocType: C-Form,C-Form No,C-Form No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Távolság
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Távolság
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Sorolja fel a vásárolt vagy eladott termékeit vagy szolgáltatásait.
 DocType: Water Analysis,Storage Temperature,Tárolási hőmérséklet
 DocType: Sales Order,SAL-ORD-.YYYY.-,ÉRT-Chicago-.YYYY.-
@@ -4064,19 +4111,19 @@
 DocType: Shopify Settings,Delivery Note Series,Szállítólevél elnevezési sorozat
 DocType: Purchase Order Item,Returned Qty,Visszatért db
 DocType: Student,Exit,Kilépés
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type kötelező
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type kötelező
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Sikertelen a beállítások telepítése
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM konverzió órákban
 DocType: Contract,Signee Details,Aláíró részletei
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","A(z) {0} jelenleg egy {1} Szállítói eredménymutatón áll, ezért az árajánlatot ennek a szállaítóank  óvatossan kell kiadni."
 DocType: Certified Consultant,Non Profit Manager,Nonprofit alapítvány vezető
 DocType: BOM,Total Cost(Company Currency),Összköltség (Vállalkozás pénzneme)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,{0} széria sz. létrehozva
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,{0} széria sz. létrehozva
 DocType: Homepage,Company Description for website homepage,Vállalkozás leírása az internetes honlapon
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","A vevők kényelméért, ezek a kódok használhatók a nyomtatási formátumokhoz, mint számlákon és a szállítóleveleken"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Beszállító neve
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nem sikerült lekérni információkat ehhez: {0} .
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Nyitó könyvelési tétel megnyitása
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Nyitó könyvelési tétel megnyitása
 DocType: Contract,Fulfilment Terms,Teljesítési feltételek
 DocType: Sales Invoice,Time Sheet List,Idő nyilvántartó lista
 DocType: Employee,You can enter any date manually,Manuálisan megadhat bármilyen dátumot
@@ -4111,7 +4158,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,A szervezete
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Átugorja a következő alkalmazottakra vonatkozó juttatások felosztását, mivel a Hitelkeret-nyilvántartás már létezik rájuk. {0}"
 DocType: Fee Component,Fees Category,Díjak Kategóriája
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Kérjük, adjon meg a mentesítési dátumot."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Kérjük, adjon meg a mentesítési dátumot."
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Összeg
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Szponzor adatai (név, hely)"
 DocType: Supplier Scorecard,Notify Employee,Értesítse az alkalmazottakat
@@ -4124,9 +4171,9 @@
 DocType: Company,Chart Of Accounts Template,Számlatükör sablonok
 DocType: Attendance,Attendance Date,Részvétel dátuma
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Készlet frissítést engedélyeznie kell a {0} beszerzési számlához
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Tétel ára frissítve: {0} Árlista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Tétel ára frissítve: {0} Árlista {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Fizetés megszakítás a kereset és levonás alapján.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Al csomópontokkal rendelkező számlát nem lehet átalakítani főkönyvi számlává
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Al csomópontokkal rendelkező számlát nem lehet átalakítani főkönyvi számlává
 DocType: Purchase Invoice Item,Accepted Warehouse,Elfogadott raktárkészlet
 DocType: Bank Reconciliation Detail,Posting Date,Rögzítés dátuma
 DocType: Item,Valuation Method,Készletérték számítása
@@ -4158,11 +4205,12 @@
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +51,Reserved for sub contracting,Lefoglalt alvállalkozóknak
 DocType: Payment Reconciliation Invoice,Invoice Number,Számla száma
 DocType: Shopping Cart Settings,Orders,Rendelések
-DocType: Travel Request,Event Details,esemény részletei
+DocType: Travel Request,Event Details,Esemény részletei
 DocType: Department,Leave Approver,Távollét jóváhagyó
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,"Kérjük, válasszon egy köteget"
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Utazási és költségigénylés
 DocType: Sales Invoice,Redemption Cost Center,Visszaváltási költségközpont
+DocType: QuickBooks Migrator,Scope,terület
 DocType: Assessment Group,Assessment Group Name,Értékelési csoport neve
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Anyag átadott gyártáshoz
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Hozzáadás a részletekhez
@@ -4170,6 +4218,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Utolsó szinkronizáció dátuma
 DocType: Landed Cost Item,Receipt Document Type,Nyugta Document Type
 DocType: Daily Work Summary Settings,Select Companies,Vállalozások kiválasztása
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Javaslat/Ár ajánlat
 DocType: Antibiotic,Healthcare,Egészségügy
 DocType: Target Detail,Target Detail,Cél részletei
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Egy változat
@@ -4179,6 +4228,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Nevezési határidő Időszaka
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Válasszon osztályt...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Költséghelyet meglévő tranzakciókkal nem lehet átalakítani csoporttá
+DocType: QuickBooks Migrator,Authorization URL,Engedélyezési URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Összeg: {0} {1} {2} {3}
 DocType: Account,Depreciation,Értékcsökkentés
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,A részvények száma és a részvények számozása nem konzisztens
@@ -4200,13 +4250,14 @@
 DocType: Support Search Source,Source DocType,Forrás DocType dokumentum
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Nyisson meg egy új jegyet
 DocType: Training Event,Trainer Email,Képző Email
+DocType: Driver,Transporter,Szállítmányozó
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,{0} anyagigénylés létrejött
 DocType: Restaurant Reservation,No of People,Emberek  száma
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Sablon a feltételekre vagy szerződésre.
 DocType: Bank Account,Address and Contact,Cím és kapcsolattartó
 DocType: Vital Signs,Hyper,Hiper
 DocType: Cheque Print Template,Is Account Payable,Ez beszállítók részére kifizetendő számla
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Készlet nem frissíthető ezzel a vásárlási nyugtával {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Készlet nem frissíthető ezzel a vásárlási nyugtával {0}
 DocType: Support Settings,Auto close Issue after 7 days,Automatikus lezárása az ügyeknek 7 nap után
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Távollétet nem lehet kiosztani előbb mint {0}, mivel a távollét egyenleg már továbbított ehhez a jövőbeni távollét kiosztás rekordhoz {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Megjegyzés: Esedékesség / Referencia dátum túllépése engedélyezett az ügyfél hitelezésre {0} nap(ok)al
@@ -4224,7 +4275,7 @@
 ,Qty to Deliver,Leszállítandó mannyiség
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Az Amazon a dátum után frissített adatokat szinkronizálni fogja
 ,Stock Analytics,Készlet analítika
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Műveletek nem maradhatnak üresen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Műveletek nem maradhatnak üresen
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab teszt (ek)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Ellen Dokument Részlet sz.
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Törlés a (z) {0} országban nincs engedélyezve
@@ -4232,13 +4283,12 @@
 DocType: Quality Inspection,Outgoing,Kimenő
 DocType: Material Request,Requested For,Igény erre
 DocType: Quotation Item,Against Doctype,Ellen Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} törlik vagy zárva
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} törlik vagy zárva
 DocType: Asset,Calculate Depreciation,Számítson értékcsökkenést
 DocType: Delivery Note,Track this Delivery Note against any Project,Kövesse nyomon ezt a szállítólevelet bármely Projekt témával
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Származó nettó készpénz a Befektetésekből
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Ügyfél&gt; Ügyfélcsoport&gt; Terület
 DocType: Work Order,Work-in-Progress Warehouse,Munkavégzés raktára
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Vagyontárgy {0} be kell nyújtani
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Vagyontárgy {0} be kell nyújtani
 DocType: Fee Schedule Program,Total Students,Összes diák
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Részvételi rekord {0} létezik erre a Tanulóra {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Hivatkozás # {0} dátuma {1}
@@ -4257,7 +4307,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Nem lehet létrehozni visszatartási bónuszt a felmondott munkavállalók számára
 DocType: Lead,Market Segment,Piaci rész
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Mezőgazdasági igazgató
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},"Fizetett összeg nem lehet nagyobb, mint a teljes negatív kinntlévő összeg {0}"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},"Fizetett összeg nem lehet nagyobb, mint a teljes negatív kinntlévő összeg {0}"
 DocType: Supplier Scorecard Period,Variables,Változók
 DocType: Employee Internal Work History,Employee Internal Work History,Alkalmazott cégen belüli mozgása
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Záró (ÉCS)
@@ -4281,22 +4331,24 @@
 DocType: Amazon MWS Settings,Synch Products,Szinkronizáló termékek
 DocType: Loyalty Point Entry,Loyalty Program,Hűségprogram
 DocType: Student Guardian,Father,Apa
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Támogatói jegyek
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Készlet frisítés' nem ellenőrizhető tárgyi eszköz értékesítésre
 DocType: Bank Reconciliation,Bank Reconciliation,Bank egyeztetés
 DocType: Attendance,On Leave,Távolléten
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Változások lekérdezése
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: fiók {2} nem tartozik ehhez a vállalkozáshoz {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Válasszon ki legalább egy értéket az egyes jellemzőkből.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Válasszon ki legalább egy értéket az egyes jellemzőkből.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,"A(z) {0} anyagigénylés törölve, vagy leállítva"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Küldő állam
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Feladási állam
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Távollét kezelő
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Csoportok
 DocType: Purchase Invoice,Hold Invoice,Számla megtartása
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,"Kérjük, válassza ki a Munkavállalót"
 DocType: Sales Order,Fully Delivered,Teljesen leszállítva
-DocType: Lead,Lower Income,Alacsonyabb jövedelmű
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Alacsonyabb jövedelmű
 DocType: Restaurant Order Entry,Current Order,Jelenlegi Megrendelés
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,A sorszám és a mennyiség száma azonosnak kell lennie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Forrás és cél raktár nem lehet azonos erre a sorra: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Forrás és cél raktár nem lehet azonos erre a sorra: {0}
 DocType: Account,Asset Received But Not Billed,"Befogadott vagyontárgy, de nincs számlázva"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Különbség számlának Vagyontárgy/Kötelezettség típusú számlának kell lennie, mivel ez a Készlet egyeztetés egy Nyitó könyvelési tétel"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},"Folyósított összeg nem lehet nagyobb, a kölcsön összegénél {0}"
@@ -4305,7 +4357,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Beszerzési megrendelés száma szükséges ehhez az elemhez {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"a ""Dátumtól"" értéknek későbbinek kell lennie a ""Dátumig"" értéknél"
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Nincsenek személyi tervek erre a titulusra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Az {1} tétel {0} tétele le van tiltva.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Az {1} tétel {0} tétele le van tiltva.
 DocType: Leave Policy Detail,Annual Allocation,Éves kiosztás
 DocType: Travel Request,Address of Organizer,Szervező címe
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Válassza ki az Egészségügyi szakembert ...
@@ -4314,12 +4366,12 @@
 DocType: Asset,Fully Depreciated,Teljesen amortizálódott
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Készlet kivetített Mennyiség
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Vevő {0} nem tartozik ehhez a projekthez {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Vevő {0} nem tartozik ehhez a projekthez {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Jelzett Nézőszám HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Árajánlatok mind javaslatok, a vásárlói részére kiküldött ajánlatok"
 DocType: Sales Invoice,Customer's Purchase Order,Vevői  Beszerzési megrendelés
 DocType: Clinical Procedure,Patient,Beteg
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Hitelellenőrzés áthidalás a vevői rendelésnél
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Hitelellenőrzés áthidalás a vevői rendelésnél
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Munkavállalói Onboarding tevékenység
 DocType: Location,Check if it is a hydroponic unit,"Ellenőrizze,  hogy ez egy hidroponikus egység"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Széria sz. és Köteg
@@ -4329,7 +4381,7 @@
 DocType: Supplier Scorecard Period,Calculations,Számítások
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Érték vagy menny
 DocType: Payment Terms Template,Payment Terms,Fizetési feltételek
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Gyártási rendeléseket nem lehet megemelni erre:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Gyártási rendeléseket nem lehet megemelni erre:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Perc
 DocType: Purchase Invoice,Purchase Taxes and Charges,Beszerzési megrendelés Adók és díjak
 DocType: Chapter,Meetup Embed HTML,Találkozó HTML beágyazása
@@ -4337,17 +4389,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Menjen a Beszállítókhoz
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS záró utalvány adók
 ,Qty to Receive,Mennyiség a fogadáshoz
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","A kezdés és a befejezés dátuma nem érvényes a bérszámfejtési időszakban, nem tudja kiszámítani a {0} értéket."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","A kezdés és a befejezés dátuma nem érvényes a bérszámfejtési időszakban, nem tudja kiszámítani a {0} értéket."
 DocType: Leave Block List,Leave Block List Allowed,Távollét blokk lista engedélyezett
 DocType: Grading Scale Interval,Grading Scale Interval,Osztályozás időszak periódusa
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Költség igény jármű napló {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,"Kedvezmény (%) a árjegyék árain, árkülönbözettel"
 DocType: Healthcare Service Unit Type,Rate / UOM,Ár / ME
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Összes Raktár
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,{0} találha az Inter Company Tranzakciók esetében.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,{0} találha az Inter Company Tranzakciók esetében.
 DocType: Travel Itinerary,Rented Car,Bérelt autó
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,A Társaságról
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Követelés főkönyvi számlának Mérlegszámlának kell lennie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Követelés főkönyvi számlának Mérlegszámlának kell lennie
 DocType: Donor,Donor,Adományozó
 DocType: Global Defaults,Disable In Words,Szavakkal mező elrejtése
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Tétel kód megadása kötelező, mert Tétel nincs automatikusan számozva"
@@ -4359,14 +4411,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Folyószámlahitel főkönyvi számla
 DocType: Patient,Patient ID,Betegazonosító
 DocType: Practitioner Schedule,Schedule Name,Ütemezési név
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Értékesítési folyamat szakaszonként
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Bérpapír létrehozás
 DocType: Currency Exchange,For Buying,A vásárláshoz
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Összes beszállító hozzáadása
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Összes beszállító hozzáadása
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"# {0} sor: elkülönített összeg nem lehet nagyobb, mint fennálló összeg."
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Keressen anyagjegyzéket
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Záloghitel
 DocType: Purchase Invoice,Edit Posting Date and Time,Rögzítési dátum és idő szerkesztése
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Kérjük, állítsa be Értékcsökkenéssel kapcsolatos számlákat ebben a Vagyoni-eszköz  kategóriában {0} vagy vállalkozásban {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Kérjük, állítsa be Értékcsökkenéssel kapcsolatos számlákat ebben a Vagyoni-eszköz  kategóriában {0} vagy vállalkozásban {1}"
 DocType: Lab Test Groups,Normal Range,Normál tartomány
 DocType: Academic Term,Academic Year,Akadémiai tanév
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Elérhető értékesítés
@@ -4395,26 +4448,26 @@
 DocType: Patient Appointment,Patient Appointment,A betegek vizit látogatása
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Jóváhagyó beosztás nem lehet ugyanaz, mint a beosztás melyre a szabály alkalmazandó"
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Leiratkozni erről az üsszefoglaló e-mail -ről
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Szerezd meg beszállítóit
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Szerezd meg beszállítóit
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nem található az {1} tételhez
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Menjen a Tanfolyamokra
 DocType: Accounts Settings,Show Inclusive Tax In Print,Adóval együtt megjelenítése a nyomtatáson
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankszámla, a dátumtól és dátumig kötelező"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Üzenet elküldve
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Al csomópontokkal rendelkező számlát nem lehet beállítani főkönyvi számlává
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Al csomópontokkal rendelkező számlát nem lehet beállítani főkönyvi számlává
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Arány, amelyen az Árlista pénznemét átalakítja az Ügyfél alapértelmezett pénznemére"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettó összeg (Társaság pénznemében)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,"A teljes előleg összege nem lehet nagyobb, mint a teljes szankcionált összege"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,"A teljes előleg összege nem lehet nagyobb, mint a teljes szankcionált összege"
 DocType: Salary Slip,Hour Rate,Óra árértéke
 DocType: Stock Settings,Item Naming By,Tétel elnevezés típusa
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Egy újabb Időszak záró bejegyzés {0} létre lett hozva ez után: {1}
 DocType: Work Order,Material Transferred for Manufacturing,Anyag átrakva gyártáshoz
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,A {0} számla nem létezik
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Válassza ki a Hűségprogramot
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Válassza ki a Hűségprogramot
 DocType: Project,Project Type,Projekt téma típusa
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Al feladat létezik erre a feladatra. Ezt a feladatot nem törölheti.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Vagy előirányzott Menny. vagy előirányzott összeg kötelező
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Vagy előirányzott Menny. vagy előirányzott összeg kötelező
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Különböző tevékenységek költsége
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Beállítás Események {0}, mivel az Alkalmazott hozzácsatolt a lenti értékesítőkhöz, akiknek  nincsenek felhasználói azonosítói: {1}"
 DocType: Timesheet,Billing Details,Számlázási adatok
@@ -4471,13 +4524,13 @@
 DocType: Inpatient Record,A Negative,Egy negatív
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nincs mást mutatnak.
 DocType: Lead,From Customer,Vevőtől
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Hívások
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Hívások
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Egy termék
 DocType: Employee Tax Exemption Declaration,Declarations,Nyilatkozatok
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,"Sarzsok, kötegek"
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Díj ütemezés létrehozása
 DocType: Purchase Order Item Supplied,Stock UOM,Készlet mértékegysége
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Beszerzési megrendelés {0} nem nyújtják be
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Beszerzési megrendelés {0} nem nyújtják be
 DocType: Account,Expenses Included In Asset Valuation,Eszközkészlet értékelésben szereplő költségek
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),A normál referencia tartomány egy felnőtt számára 16-20 légvétel/perc (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Vámtarifaszám
@@ -4490,6 +4543,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,"Kérjük, először mentse el a pácienst"
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Részvétel jelölése sikeres.
 DocType: Program Enrollment,Public Transport,Tömegközlekedés
+DocType: Delivery Note,GST Vehicle Type,GST jármű típus
 DocType: Soil Texture,Silt Composition (%),Iszap összetétel (%)
 DocType: Journal Entry,Remark,Megjegyzés
 DocType: Healthcare Settings,Avoid Confirmation,Kerülje a megerősítést
@@ -4498,11 +4552,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Távollétek és ünnepek
 DocType: Education Settings,Current Academic Term,Aktuális Akadémiai szemeszter
 DocType: Sales Order,Not Billed,Nem számlázott
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Mindkét Raktárnak ugyanahhoz a céghez kell tartoznia
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Mindkét Raktárnak ugyanahhoz a céghez kell tartoznia
 DocType: Employee Grade,Default Leave Policy,Alapértelmezett távolléti irányelv
 DocType: Shopify Settings,Shop URL,Üzlet URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nincs még kapcsolat hozzáadva.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Kérjük, állítsa be a számozási sorozatot a részvételhez a Beállítás&gt; Számozási sorozatok segítségével"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Beszerzési költség utalvány összege
 ,Item Balance (Simple),Tétel egyenleg (egyszerű)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Beszállítók által benyújtott számlák
@@ -4527,7 +4580,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Árajánlat szériák
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Egy tétel létezik azonos névvel ({0}), kérjük, változtassa meg a tétel csoport nevét, vagy nevezze át a tételt"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Talajelemzési kritérium
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,"Kérjük, válasszon vevőt"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,"Kérjük, válasszon vevőt"
 DocType: C-Form,I,Én
 DocType: Company,Asset Depreciation Cost Center,Vagyontárgy Értékcsökkenés Költséghely
 DocType: Production Plan Sales Order,Sales Order Date,Vevői rendelés dátuma
@@ -4540,8 +4593,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Jelenleg nincs raktárkészlet egyik raktárban sem
 ,Payment Period Based On Invoice Date,Fizetési határidő számla dátuma alapján
 DocType: Sample Collection,No. of print,Nyomtatás száma
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Születésnap emlékeztető
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Szállodai szobafoglalási tétel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hiányzó pénznem árfolyamok ehhez: {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Hiányzó pénznem árfolyamok ehhez: {0}
 DocType: Employee Health Insurance,Health Insurance Name,Egészségbiztosítás neve
 DocType: Assessment Plan,Examiner,Vizsgáztató
 DocType: Student,Siblings,Testvérek
@@ -4558,19 +4612,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Új Vevők
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruttó nyereség %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,A {0} kinevezés és az értékesítési számla {1} törölve
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Lehetőségek vezető forráson keresztül
 DocType: Appraisal Goal,Weightage (%),Súlyozás (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS profil megváltoztatása
 DocType: Bank Reconciliation Detail,Clearance Date,Végső dátum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Az eszköz már létezik a {0} tétel ellenében, nem változtathatja meg a soros értéket"
+DocType: Delivery Settings,Dispatch Notification Template,Feladási értesítési sablon
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Az eszköz már létezik a {0} tétel ellenében, nem változtathatja meg a soros értéket"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Értékelő jelentés
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Alkalmazottak toborzása
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruttó vásárlási összeg kötelező
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,A vállalkozás neve nem azonos
 DocType: Lead,Address Desc,Cím leírása
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Ügyfél kötelező
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Más sorokban duplikált határidőket tartalmazó sorok találhatóak: {list}
 DocType: Topic,Topic Name,Téma neve
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Kérjük, állítsa be az alapértelmezett sablont a jóváhagyási értesítéshez a HR beállításoknál."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Kérjük, állítsa be az alapértelmezett sablont a jóváhagyási értesítéshez a HR beállításoknál."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Legalább az Értékesítést vagy Beszerzést választani kell
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Válassza ki a munkavállalót, hogy megkapja a munkavállaló előleget."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,"Kérjük, válasszon egy érvényes dátumot"
@@ -4604,6 +4659,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Vevő vagy Beszállító részletei
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Aktuális vagyontárgy eszközérték
+DocType: QuickBooks Migrator,Quickbooks Company ID,QuickBooks cégazonosító ID
 DocType: Travel Request,Travel Funding,Utazás finanszírozás
 DocType: Loan Application,Required by Date,Kötelező dátumonként
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Egy kapcsolati pont az összes termő területre, ahol a termés nővekszik"
@@ -4617,9 +4673,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Elérhető Kötegelt Mennyiség a Behozatali Raktárból
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Bruttó bér - Összes levonás - Hitel visszafizetése
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Jelenlegi anyagjegyzék és az ÚJ anyagjegyzés nem lehet ugyanaz
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Jelenlegi anyagjegyzék és az ÚJ anyagjegyzés nem lehet ugyanaz
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Bérpapír ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,"Nyugdíjazás dátumának nagyobbnak kell lennie, mint Csatlakozás dátuma"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,"Nyugdíjazás dátumának nagyobbnak kell lennie, mint Csatlakozás dátuma"
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Több változat
 DocType: Sales Invoice,Against Income Account,Elleni jövedelem számla
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% szállítva
@@ -4630,7 +4686,7 @@
 DocType: Daily Work Summary Group User,Daily Work Summary Group User,Napi munka összefoglalási csoport felhasználói
 DocType: Territory,Territory Targets,Területi célok
 DocType: Soil Analysis,Ca/Mg,Ca/Mg
-DocType: Delivery Note,Transporter Info,Fuvarozó adatai
+DocType: Delivery Note,Transporter Info,Szállítmányozó adatai
 apps/erpnext/erpnext/accounts/utils.py +526,Please set default {0} in Company {1},"Kérjük, állítsa be alapértelmezettnek {0} ebben a vállalkozásban {1}"
 DocType: Cheque Print Template,Starting position from top edge,Kiinduló helyzet a felső széltől
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +33,Same supplier has been entered multiple times,Ugyanaz a szállító már többször megjelenik
@@ -4648,7 +4704,7 @@
 DocType: POS Profile,Update Stock,Készlet frissítése
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Különböző mértékegység a tételekhez, helytelen (Összes) Nettó súly értékhez vezet. Győződjön meg arról, hogy az egyes tételek nettó tömege ugyanabban a mértékegységben van."
 DocType: Certification Application,Payment Details,Fizetés részletei
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Anyagjegyzék Díjszabási ár
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Anyagjegyzék Díjszabási ár
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","A Megszakított Munka Rendelést nem lehet törölni,  először folytassa a megszüntetéshez"
 DocType: Asset,Journal Entry for Scrap,Naplóbejegyzés selejtezéshez
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Kérjük, vegye kia a tételeket a szállítólevélből"
@@ -4671,11 +4727,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Összesen Jóváhagyott összeg
 ,Purchase Analytics,Beszerzés analitika
 DocType: Sales Invoice Item,Delivery Note Item,Szállítólevél tétel
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,A {0} aktuális számla hiányzik
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,A {0} aktuális számla hiányzik
 DocType: Asset Maintenance Log,Task,Feladat
 DocType: Purchase Taxes and Charges,Reference Row #,Referencia sor #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Köteg szám kötelező erre a tételre: {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,"Ez egy forrás értékesítő személy, és nem lehet szerkeszteni."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,"Ez egy forrás értékesítő személy, és nem lehet szerkeszteni."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ha kiválasztja, a megadott vagy számított érték ebben az összetevőben nem fog hozzájárulni a jövedelemhez vagy levonáshoz. Azonban, erre az értékre lehet hivatkozni más összetevőkkel, melyeket hozzá lehet adni vagy levonni."
 DocType: Asset Settings,Number of Days in Fiscal Year,Napok száma a pénzügyi évben
 ,Stock Ledger,Készlet könyvelés
@@ -4683,7 +4739,7 @@
 DocType: Company,Exchange Gain / Loss Account,Árfolyamnyereség / veszteség számla
 DocType: Amazon MWS Settings,MWS Credentials,MWS hitelesítő adatok
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Alkalmazott és nyilvántartás
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Ezen célok közül kell választani: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Ezen célok közül kell választani: {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,"Töltse ki az űrlapot, és mentse el"
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Közösségi Fórum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Tényleges Mennyiség a raktáron
@@ -4698,7 +4754,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Alapértelmezett értékesítési ár
 DocType: Account,Rate at which this tax is applied,"Arány, amelyen ezt az adót alkalmazzák"
 DocType: Cash Flow Mapper,Section Name,Szekció neve
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Újra rendelendő mennyiség
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Újra rendelendő mennyiség
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Értékcsökkenési sor {0}: A hasznos élettartam utáni értéknek nagyobbnak vagy egyenlőnek kell lennie mint {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Jelenlegi munkalehetőségek
 DocType: Company,Stock Adjustment Account,Készlet igazítás számla
@@ -4708,8 +4764,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Rendszer felhasználói (belépés) ID. Ha be van állítva, ez lesz az alapértelmezés minden HR űrlaphoz."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Írja le az értékcsökkenés részleteit
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Feladó {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},A (z) {0} távollét igény már létezik a {1} diákkal szemben
 DocType: Task,depends_on,attól függ
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Sorbaállítva a legfrissebb ár frissítéséhez minden anyagjegyzékben. Néhány percig eltarthat.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Sorbaállítva a legfrissebb ár frissítéséhez minden anyagjegyzékben. Néhány percig eltarthat.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Új fiók  neve. Megjegyzés: Kérjük, ne hozzon létre Vevő és Beszállítói fiókokat."
 DocType: POS Profile,Display Items In Stock,Megjelenített elemek raktáron
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Országonként eltérő címlista sablonok
@@ -4739,16 +4796,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,A (z) {0} -es bővítőhelyek nem szerepelnek az ütem-tervben
 DocType: Product Bundle,List items that form the package.,A csomagot alkotó elemek listája.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nem engedélyezett. Tiltsa le a tesztsablont
+DocType: Delivery Note,Distance (in km),Távolság (km-ben)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Százalékos megoszlás egyenlőnek kell lennie a 100%-al
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Kérjük, válasszon könyvelési dátumot az Ügyfél kiválasztása előtt"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Kérjük, válasszon könyvelési dátumot az Ügyfél kiválasztása előtt"
 DocType: Program Enrollment,School House,Iskola épület
 DocType: Serial No,Out of AMC,ÉKSz időn túl
+DocType: Opportunity,Opportunity Amount,Lehetőség összege
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Lekönyvelt amortizációk száma nem lehet nagyobb, mint az összes amortizációk száma"
 DocType: Purchase Order,Order Confirmation Date,Megrendelés visszaigazolás  dátuma
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Karbantartási látogatás készítés
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","A kezdő dátum és a befejező dátum átfedésben van a munkakártyával <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Munkavállalói adatátvitel
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Kérjük, lépjen kapcsolatba a felhasználóval, akinek van Értékesítési törzsadat kezelő {0} beosztása"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Kérjük, lépjen kapcsolatba a felhasználóval, akinek van Értékesítési törzsadat kezelő {0} beosztása"
 DocType: Company,Default Cash Account,Alapértelmezett készpénzforgalmi számla
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Vállalkozás (nem vevő vagy beszállító) törzsadat.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ez a Tanuló jelenlétén alapszik
@@ -4756,9 +4816,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,További tételek hozzáadása vagy nyisson új űrlapot
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"A {0} Szállítóleveleket törölni kell, mielőtt lemondásra kerül a Vevői rendelés"
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Menjen a felhasználókhoz
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,"Fizetett összeg + Leírható összeg nem lehet nagyobb, mint a Teljes összeg"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,"Fizetett összeg + Leírható összeg nem lehet nagyobb, mint a Teljes összeg"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nem érvényes Köteg szám ehhez a tételhez {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Megjegyzés: Nincs elég távollét egyenlege erre a távollét típusra {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Megjegyzés: Nincs elég távollét egyenlege erre a távollét típusra {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Érvénytelen GSTIN vagy írja be NA a nem regisztrálthoz
 DocType: Training Event,Seminar,Szeminárium
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Beiratkozási díj
@@ -4775,7 +4835,7 @@
 DocType: Fee Schedule,Fee Schedule,Díj időzítése
 DocType: Company,Create Chart Of Accounts Based On,Készítsen számlatükröt ez alapján
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Nem konvertálható nem csoportba. Al feladatok léteznek.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Születési idő nem lehet nagyobb a mai napnál.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Születési idő nem lehet nagyobb a mai napnál.
 ,Stock Ageing,Készlet öregedés
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Részben szponzorált, részleges finanszírozást igényel"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Tanuló {0} létezik erre a hallgatói kérelmezésre {1}
@@ -4822,11 +4882,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Főkönyvi egyeztetés előtt
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Címzett {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Adók és költségek hozzáadva (a vállalkozás pénznemében)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Tétel adó sor: {0} , melynek vagy adó vagy bevétel vagy kiadás vagy megterhelhető főkönyvi típusú számlának kell lennie."
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Tétel adó sor: {0} , melynek vagy adó vagy bevétel vagy kiadás vagy megterhelhető főkönyvi típusú számlának kell lennie."
 DocType: Sales Order,Partly Billed,Részben számlázott
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,"Tétel: {0}, álló-eszköz tételnek kell lennie"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Változatok létrehozása
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Változatok létrehozása
 DocType: Item,Default BOM,Alapértelmezett anyagjegyzék BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Összesen számlázott összeg (értékesítési számlák alapján)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Terhelési értesítő összege
@@ -4855,13 +4915,13 @@
 DocType: Notification Control,Custom Message,Egyedi üzenet
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Befektetési bank
 DocType: Purchase Invoice,input,bemenet
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Készpénz vagy bankszámla kötelező a fizetés bejegyzéshez
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Készpénz vagy bankszámla kötelező a fizetés bejegyzéshez
 DocType: Loyalty Program,Multiple Tier Program,Többszintű program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Tanul címe
 DocType: Purchase Invoice,Price List Exchange Rate,Árlista váltási árfolyama
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Összes beszállítói csoport
 DocType: Employee Boarding Activity,Required for Employee Creation,Munkavállalók létrehozásához szükséges
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},A(z) {1} fiókban már használta a {0} számla számot
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},A(z) {1} fiókban már használta a {0} számla számot
 DocType: GoCardless Mandate,Mandate,Megbízás
 DocType: POS Profile,POS Profile Name,POS profil elnevezése
 DocType: Hotel Room Reservation,Booked,Könyvelt
@@ -4877,18 +4937,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Hivatkozási szám kötelező, amennyiben megadta Referencia dátumot"
 DocType: Bank Reconciliation Detail,Payment Document,Fizetési dokumentum
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Hiba a kritérium-formula kiértékelésében
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,A csatlakozás dátumának nagyobbnak kell lennie a születési dátumnál
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,A csatlakozás dátumának nagyobbnak kell lennie a születési dátumnál
 DocType: Subscription,Plans,Tervek
 DocType: Salary Slip,Salary Structure,Bérrendszer
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Légitársaság
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Problémás Anyag
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Problémás Anyag
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Csatlakoztassa a Shopify-t az ERPNext segítségével
 DocType: Material Request Item,For Warehouse,Ebbe a raktárba
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,A kézbesítési megjegyzések {0} frissítve
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,A kézbesítési szállítólevél megjegyzések {0} frissítve
 DocType: Employee,Offer Date,Ajánlat dátuma
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Árajánlatok
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Ön offline módban van. Ön nem lesz képes, frissíteni amíg nincs hálózata."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Árajánlatok
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Ön offline módban van. Ön nem lesz képes, frissíteni amíg nincs hálózata."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Támogatás
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Diákcsoportokat nem hozott létre.
 DocType: Purchase Invoice Item,Serial No,Széria sz.
@@ -4900,24 +4960,26 @@
 DocType: Sales Invoice,Customer PO Details,Vevő VEVMEGR részletei
 DocType: Stock Entry,Including items for sub assemblies,Tartalmazza a részegységek tételeit
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Ideiglenes nyitó számla
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Beírt értéknek pozitívnak kell lennie
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Beírt értéknek pozitívnak kell lennie
 DocType: Asset,Finance Books,Pénzügyi könyvek
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Munkavállalói adómentesség nyilatkozat kategóriája
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Összes Terület
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,A (z) {0} alkalmazottra vonatkozóan állítsa be a távoléti házirendet az Alkalmazott / osztály rekordban
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Érvénytelen üres rendelés a kiválasztott vevőhöz és tételhez
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Érvénytelen üres rendelés a kiválasztott vevőhöz és tételhez
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Több feladat hozzáadása
 DocType: Purchase Invoice,Items,Tételek
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,A befejezés dátuma nem lehet a kezdő dátum előtt.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Tanuló már részt.
 DocType: Fiscal Year,Year Name,Év Neve
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,"Jelenleg több a szabadság, mint a  munkanap ebben a hónapban."
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,"Jelenleg több a szabadság, mint a  munkanap ebben a hónapban."
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,A (z) {0} tételek nem szerepelnek {1} elemként. Engedélyezheti őket {1} tételként a tétel mesterként
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Gyártmány tétel csomag
 DocType: Sales Partner,Sales Partner Name,Vevő partner neve
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Árajánlatkérés
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Árajánlatkérés
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maximális Számla összege
 DocType: Normal Test Items,Normal Test Items,Normál vizsgálati tételek
+DocType: QuickBooks Migrator,Company Settings,Cég beállítások
 DocType: Additional Salary,Overwrite Salary Structure Amount,Fizetési struktúra összegének felülírása
 DocType: Student Language,Student Language,Diák anyanyelve
 apps/erpnext/erpnext/config/selling.py +23,Customers,Vevők
@@ -4929,21 +4991,23 @@
 DocType: Issue,Opening Time,Kezdési idő
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Ettől és eddig időpontok megadása
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Értékpapírok & árutőzsdék
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Alapértelmezett mértékegysége a '{0}' variánsnak meg kell egyeznie a '{1}' sablonban lévővel.
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Alapértelmezett mértékegysége a '{0}' variánsnak meg kell egyeznie a '{1}' sablonban lévővel.
 DocType: Shipping Rule,Calculate Based On,Számítás ezen alapul
 DocType: Contract,Unfulfilled,Beteljesítetlen
 DocType: Delivery Note Item,From Warehouse,Raktárról
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Az említett kritériumok alapján nincsenek alkalmazottak
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Nincs elem az Anyagjegyzéken a Gyártáshoz
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Nincs elem az Anyagjegyzéken a Gyártáshoz
 DocType: Shopify Settings,Default Customer,Alapértelmezett vevő
+DocType: Sales Stage,Stage Name,Szakasz név
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Felügyelő neve
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Ne erősítse meg, hogy ugyanazon a napra már van találkozója"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Hajóállam
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Hajóállam
 DocType: Program Enrollment Course,Program Enrollment Course,Program Jelentkezés kurzus
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},A(z) {0} felhasználó már hozzá van rendelve az egészségügyi dolgozóhoz {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Készítsen mintavétel visszatartás készlet bejegyzést
 DocType: Purchase Taxes and Charges,Valuation and Total,Készletérték és Teljes érték
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Tárgyalás/felülvizsgálat
 DocType: Leave Encashment,Encashment Amount,Encashment összeg
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Mutatószámok-
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Lejárt kötegelt tételek
@@ -4953,7 +5017,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuális megnyitások
 DocType: Notification Control,Customize the Notification,Értesítés testreszabása
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Pénzforgalom a működtetésből
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST összeg
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST összeg
 DocType: Purchase Invoice,Shipping Rule,Szállítási szabály
 DocType: Patient Relation,Spouse,Házastárs
 DocType: Lab Test Groups,Add Test,Teszt hozzáadása
@@ -4967,14 +5031,14 @@
 DocType: Payroll Entry,Payroll Frequency,Bérszámfejtés gyakoriság
 DocType: Lab Test Template,Sensitivity,Érzékenység
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"A szinkronizálást ideiglenesen letiltották, mert a maximális ismétlődést túllépték"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Nyersanyag
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Nyersanyag
 DocType: Leave Application,Follow via Email,Kövesse e-mailben
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Géppark és gépek
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Adó összege a kedvezmény összege után
 DocType: Patient,Inpatient Status,Fekvőbeteg állapot
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Napi munka összefoglalási beállítások
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,A kiválasztott árlistának bejelölt vételi és eladási mezőkkel kell rendelkeznie.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,"Kérjük, adja meg az igénylés dátumát"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,A kiválasztott árlistának bejelölt vételi és eladási mezőkkel kell rendelkeznie.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,"Kérjük, adja meg az igénylés dátumát"
 DocType: Payment Entry,Internal Transfer,belső Transfer
 DocType: Asset Maintenance,Maintenance Tasks,Karbantartási feladatok
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Vagy előirányzott Menny. vagy előirányzott összeg kötelező
@@ -4995,7 +5059,7 @@
 DocType: Mode of Payment,General,Általános
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Utolsó kommunikáció
 ,TDS Payable Monthly,TDS fizethető havonta
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Queue a BOM cseréjéhez. Néhány percig tarthat.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Queue a BOM cseréjéhez. Néhány percig tarthat.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nem vonható le, ha a kategória a 'Készletérték' vagy 'Készletérték és Teljes érték'"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Széria számok szükségesek a sorbarendezett  tételhez: {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Kifizetések és számlák főkönyvi egyeztetése
@@ -5008,7 +5072,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Adja a kosárhoz
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Csoportosítva
 DocType: Guardian,Interests,Érdekek
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Pénznemek engedélyezése / tiltása
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Pénznemek engedélyezése / tiltása
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nem lehetett benyújtani néhány fizetési bérpapírt
 DocType: Exchange Rate Revaluation,Get Entries,Kapjon bejegyzéseket
 DocType: Production Plan,Get Material Request,Anyag igénylés lekérése
@@ -5030,15 +5094,16 @@
 DocType: Lead,Lead Type,Érdeklődés típusa
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Nincs engedélye jóváhagyni az távolléteket a blokkolt dátumokon
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Mindezen tételek már kiszámlázottak
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Új megjelenítési dátum beállítása
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Új megjelenítési dátum beállítása
 DocType: Company,Monthly Sales Target,Havi eladási cél
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Jóváhagyhatja: {0}
 DocType: Hotel Room,Hotel Room Type,Szállodai szoba típus
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Szállító&gt; Szállító típusa
 DocType: Leave Allocation,Leave Period,Távollét időszaka
 DocType: Item,Default Material Request Type,Alapértelmezett anyagigény típus
 DocType: Supplier Scorecard,Evaluation Period,Értékelési időszak
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Ismeretlen
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Munkamegrendelést nem hoztuk létre
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Munkamegrendelést nem hoztuk létre
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","A (z) {1} összetevőhöz már igényelt {0} összeget, \ állítsa be az összeget nagyobb vagy egyenlőre mint  {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Szállítás szabály feltételei
@@ -5064,22 +5129,22 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +153,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","Köteg Tételt: {0} nem lehet frissíteni a Készlet főkönyvi egyeztetés alkalmazásával, inkább a Készlet bejegyzést használja"
 DocType: Quality Inspection,Report Date,Jelentés dátuma
 DocType: Student,Middle Name,Középső név
-DocType: BOM,Routing,Routing
+DocType: BOM,Routing,Útvonal
 DocType: Serial No,Asset Details,Vagyontárgy adatok
 DocType: Bank Statement Transaction Payment Item,Invoices,Számlák
 DocType: Water Analysis,Type of Sample,Minta típus
 DocType: Batch,Source Document Name,Forrás dokumentum neve
 DocType: Production Plan,Get Raw Materials For Production,Nyersanyagok beszerzése a termeléshez
 DocType: Job Opening,Job Title,Állás megnevezése
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} azt jelzi, hogy a {1} nem ad meg árajnlatot, de az összes tétel \ már kiajánlott. Az Árajánlatkérés státuszának frissítése."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximum minták - {0} már tároltak a {1} köteghez és {2} tételhez a  {3} kötegben.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximum minták - {0} már tároltak a {1} köteghez és {2} tételhez a  {3} kötegben.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Automatikusan frissítse az ANYAGJ költségét
 DocType: Lab Test,Test Name,Tesztnév
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinikai eljárási fogyóeszköz
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Felhasználók létrehozása
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gramm
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Előfizetői
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Előfizetői
 DocType: Supplier Scorecard,Per Month,Havonta
 DocType: Education Settings,Make Academic Term Mandatory,A tudományos kifejezés kötelezővé tétele
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,"Gyártáshoz a mennyiségnek nagyobbnak kell lennie, mint 0."
@@ -5088,9 +5153,9 @@
 DocType: Stock Entry,Update Rate and Availability,Frissítse az árat és az elérhetőséget
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Százalék amennyivel többet kaphat és adhat a megrendelt mennyiségnél. Például: Ha Ön által megrendelt 100 egység, és az engedmény 10%, akkor kaphat 110 egységet."
 DocType: Loyalty Program,Customer Group,Vevő csoport
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"# {0} sor: A (z) {1} művelet nem fejeződött be a (z) {2} késztermékek készítéséhez a # {3} munka megrendelésben. Kérjük, frissítse az üzemi állapotot az Időnaplók segítségével"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"# {0} sor: A (z) {1} művelet nem fejeződött be a (z) {2} késztermékek készítéséhez a # {3} munka megrendelésben. Kérjük, frissítse az üzemi állapotot az Időnaplók segítségével"
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Új Kötegazonosító (opcionális)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Költség számla kötelező elem ehhez {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Költség számla kötelező elem ehhez {0}
 DocType: BOM,Website Description,Weboldal leírása
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Nettó változás a saját tőkében
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,"Kérjük, vonja vissza a(z) {0} Beszállítói számlát először"
@@ -5105,7 +5170,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Nincs semmi szerkesztenivaló.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Űrlap nézet
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Költségvetési jóváhagyó kötelezõ a költségigénylésben
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,"Összefoglaló erre a hónapra, és folyamatban lévő tevékenységek"
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,"Összefoglaló erre a hónapra, és folyamatban lévő tevékenységek"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Kérjük, állítsa be a nem realizált árfolyamnyereség / veszteség számlát a (z) {0} vállalkozáshoz"
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Felhasználók hozzáadása a szervezetéhez, kivéve saját magát."
 DocType: Customer Group,Customer Group Name,Vevő csoport neve
@@ -5115,14 +5180,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Nincs létrehozva anyag igény kérés
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Hitel összege nem haladhatja meg a maximális kölcsön összegét {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licenc
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Töröld a számlát: {0} a C-űrlapból: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Töröld a számlát: {0} a C-űrlapból: {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Kérjük, válassza ki az átvitelt, ha Ön is szeretné az előző pénzügyi év mérlege ágait erre a költségvetési évre áthozni"
 DocType: GL Entry,Against Voucher Type,Ellen-bizonylat típusa
 DocType: Healthcare Practitioner,Phone (R),Telefon (Otthoni)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Hozzáadott időszakaszok
 DocType: Item,Attributes,Jellemzők
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Sablon engedélyezése
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Kérjük, adja meg a Leíráshoz használt számlát"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Kérjük, adja meg a Leíráshoz használt számlát"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Utolsó rendelési dátum
 DocType: Salary Component,Is Payable,Ez fizetendő
 DocType: Inpatient Record,B Negative,B Negatív
@@ -5133,7 +5198,7 @@
 DocType: Hotel Room,Hotel Room,Szállodai szoba
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},A {0}számlához nem tartozik a {1} vállalat
 DocType: Leave Type,Rounding,Kerekítés
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Sorozatszámok ebben a sorban {0} nem egyezik a szállítólevéllel
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Sorozatszámok ebben a sorban {0} nem egyezik a szállítólevéllel
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Adagolt összeg (Pro-besorolású)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Ezután az árazási szabályokat az Vevő, az Vevő csoport, a Terület, a Beszállító, a Beszállítócsoport, a Kampány, az Értékesítési Partner stb. alapján kiszűrik."
 DocType: Student,Guardian Details,Helyettesítő részletei
@@ -5142,10 +5207,10 @@
 DocType: Vehicle,Chassis No,Alvázszám
 DocType: Payment Request,Initiated,Kezdeményezett
 DocType: Production Plan Item,Planned Start Date,Tervezett kezdési dátum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,"Kérjük, válasszon ki egy ANYAGJ-et"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,"Kérjük, válasszon ki egy ANYAGJ-et"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Az ITC integrált adót vette igénybe
 DocType: Purchase Order Item,Blanket Order Rate,Keretszerződési ár
-apps/erpnext/erpnext/hooks.py +156,Certification,Tanúsítvány
+apps/erpnext/erpnext/hooks.py +157,Certification,Tanúsítvány
 DocType: Bank Guarantee,Clauses and Conditions,Kondíciók és feltételek
 DocType: Serial No,Creation Document Type,Létrehozott Dokumentum típus
 DocType: Project Task,View Timesheet,Munkaidő nyilvántartó jelenléti ív megtekintése
@@ -5170,6 +5235,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Fő tétel {0} nem lehet Készletezett tétel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Weboldal listázás
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Összes termékek vagy szolgáltatások.
+DocType: Email Digest,Open Quotations,Idézetek megnyitása
 DocType: Expense Claim,More Details,Részletek
 DocType: Supplier Quotation,Supplier Address,Beszállító címe
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},"{0} költségvetés ehhez a főkönyvi számlához {1}, ez ellen {2} {3} ami {4}. Ez meg fogja haladni ennyivel {5}"
@@ -5184,12 +5250,11 @@
 DocType: Training Event,Exam,Vizsga
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Piaci hiba
 DocType: Complaint,Complaint,Panasz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Raktár szükséges a {0} tételhez
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Raktár szükséges a {0} tételhez
 DocType: Leave Allocation,Unused leaves,A fel nem használt távollétek
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Visszafizetési bejegyzés létrehozás
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Összes részleg
 DocType: Healthcare Service Unit,Vacant,Üres
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Szállító&gt; Szállító típusa
 DocType: Patient,Alcohol Past Use,Korábbi alkoholfogyasztás
 DocType: Fertilizer Content,Fertilizer Content,Műtrágya tartalma
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Kr
@@ -5197,7 +5262,7 @@
 DocType: Tax Rule,Billing State,Számlázási Állam
 DocType: Share Transfer,Transfer,Átutalás
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,A  {0} munka rendelést meg kell szüntetni a vevői rendelés visszavonása előtt
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Hozzon létre robbant anyagjegyzéket BOM (beleértve a részegységeket)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Hozzon létre robbant anyagjegyzéket ANYJ (beleértve a részegységeket)
 DocType: Authorization Rule,Applicable To (Employee),Alkalmazandó (Alkalmazott)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Határidő dátum kötelező
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Növekmény erre a Jellemzőre {0} nem lehet 0
@@ -5213,7 +5278,7 @@
 DocType: Disease,Treatment Period,Kezelés időszaka
 DocType: Travel Itinerary,Travel Itinerary,Útvonalterv
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Eredmény már benyújtva
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,A raktár a lefoglalásokhoz kötelező a {0} tételhez a biztosított alapanyagokhoz
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,A raktár a lefoglalásokhoz kötelező a {0} tételhez a biztosított alapanyagokhoz
 ,Inactive Customers,Inaktív vevők
 DocType: Student Admission Program,Maximum Age,Maximum életkor
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,"Kérjük, várjon 3 nappal az emlékeztető újraküldése előtt."
@@ -5222,7 +5287,6 @@
 DocType: Stock Entry,Delivery Note No,Szállítólevél száma
 DocType: Cheque Print Template,Message to show,Üzenet mutatni
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Kiskereskedelem
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Automatikusan kezelheti a kinevezési számlát
 DocType: Student Attendance,Absent,Távollévő
 DocType: Staffing Plan,Staffing Plan Detail,Személyzeti terv részletei
 DocType: Employee Promotion,Promotion Date,Promóció dátuma
@@ -5244,7 +5308,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Érdeklődés készítés
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Nyomtatás és papíráruk
 DocType: Stock Settings,Show Barcode Field,Vonalkód mező mutatása
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Beszállítói e-mailek küldése
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Beszállítói e-mailek küldése
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Fizetés már feldolgozott a {0} és {1} közti időszakra, Távollét alkalmazásának időszaka nem eshet ezek közözti időszakok közé."
 DocType: Fiscal Year,Auto Created,Automatikusan létrehozott
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Küldje el ezt a Munkavállalói rekord létrehozásához
@@ -5253,7 +5317,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,A(z) {0} számla már nem létezik
 DocType: Guardian Interest,Guardian Interest,Helyettesítő kamat
 DocType: Volunteer,Availability,Elérhetőség
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS értékesítési kassza számlák alapértelmezett értékeinek beállítása
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS értékesítési kassza számlák alapértelmezett értékeinek beállítása
 apps/erpnext/erpnext/config/hr.py +248,Training,Képzés
 DocType: Project,Time to send,Idő az elküldéshez
 DocType: Timesheet,Employee Detail,Alkalmazott részlet
@@ -5276,7 +5340,7 @@
 DocType: Training Event Employee,Optional,Választható
 DocType: Salary Slip,Earning & Deduction,Jövedelem és levonás
 DocType: Agriculture Analysis Criteria,Water Analysis,Vízelemzés
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} változatokat hoztak létre.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} változatokat hoztak létre.
 DocType: Amazon MWS Settings,Region,Régió
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Választható. Ezt a beállítást kell használni, a különböző tranzakciók szűréséhez."
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negatív készletérték ár nem megengedett
@@ -5295,7 +5359,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Selejtezett vagyoni-eszközök költsége
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Költséghely kötelező ehhez a tételhez {2}
 DocType: Vehicle,Policy No,Irányelv sz.:
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Elemek beszerzése a termék csomagokból
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Elemek beszerzése a termék csomagokból
 DocType: Asset,Straight Line,Egyenes
 DocType: Project User,Project User,Projekt téma felhasználó
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Osztott
@@ -5303,7 +5367,7 @@
 DocType: GL Entry,Is Advance,Ez előleg
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Munkavállalói életciklus
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Részvételi kezdő dátum és részvétel befejező dátuma kötelező
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Kérjük, írja be a 'Alvállalkozói',  Igen vagy Nem"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Kérjük, írja be a 'Alvállalkozói',  Igen vagy Nem"
 DocType: Item,Default Purchase Unit of Measure,Alapértelmezett beszerzési mértékegység
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Utolsó kommunikáció dátuma
 DocType: Clinical Procedure Item,Clinical Procedure Item,Klinikai eljárás tétele
@@ -5312,7 +5376,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Hozzáférési token vagy a Shopify URL hiányzik
 DocType: Location,Latitude,Szélességi kör
 DocType: Work Order,Scrap Warehouse,Hulladék raktár
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","A (z) {0} sorban a raktárban kérjük, állítsa be az {1} tétel alapértelmezett raktárát a vállalat számára {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","A (z) {0} sorban a raktárban kérjük, állítsa be az {1} tétel alapértelmezett raktárát a vállalat számára {2}"
 DocType: Work Order,Check if material transfer entry is not required,"Ellenőrizze, hogy az anyag átadás bejegyzés nem szükséges"
 DocType: Program Enrollment Tool,Get Students From,Diák űrlapok lekérése
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Közzéteszi a tételt a weboldalon
@@ -5327,6 +5391,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Új köteg menny.
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Megjelenés és kiegészítők
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Nem sikerült megoldani a súlyozott pontszám feladatot. Győződjön meg arról, hogy a képlet érvényes."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Beszerzési rendelés tételei nem érkeztek meg időben
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Számú rendelés
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Szalagcím a tételek listájának tetején fog megjelenni.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Adja meg a feltételeket a szállítási költség kiszámításához
@@ -5335,9 +5400,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Útvonal
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Nem lehet átalakítani költséghelyet főkönyvi számlán hiszen vannak al csomópontjai
 DocType: Production Plan,Total Planned Qty,Teljes tervezett mennyiség
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Nyitó érték
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Nyitó érték
 DocType: Salary Component,Formula,Képlet
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Szériasz #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Szériasz #
 DocType: Lab Test Template,Lab Test Template,Labor teszt sablon
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Értékesítési számla
 DocType: Purchase Invoice Item,Total Weight,Össz súly
@@ -5355,7 +5420,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Anyag igénylés létrehozás
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Tétel {0} megnyitása
 DocType: Asset Finance Book,Written Down Value,Leírt érték
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Kérjük, állítsa be az alkalmazottak elnevezési rendszerét az emberi erőforrás&gt; HR beállításoknál"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A {0} kimenő vevői rendelési számlát vissza kell vonni a vevői rendelés lemondása elött
 DocType: Clinical Procedure,Age,Életkor
 DocType: Sales Invoice Timesheet,Billing Amount,Számlaérték
@@ -5364,11 +5428,11 @@
 DocType: Company,Default Employee Advance Account,Alapértelmezett alkalmazotti előlegszámla
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Keresési tétel (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Meglévő tranzakcióval rendelkező számla nem törölhető.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Meglévő tranzakcióval rendelkező számla nem törölhető.
 DocType: Vehicle,Last Carbon Check,Utolsó másolat megtekintés
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Jogi költségek
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,"Kérjük, válasszon mennyiséget a soron"
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Nyitó értékesítési és beszerzési számlák készítése
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Nyitó értékesítési és beszerzési számlák készítése
 DocType: Purchase Invoice,Posting Time,Rögzítés ideje
 DocType: Timesheet,% Amount Billed,% mennyiség számlázva
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefon költségek
@@ -5383,14 +5447,14 @@
 DocType: Maintenance Visit,Breakdown,Üzemzavar
 DocType: Travel Itinerary,Vegetarian,Vegetáriánus
 DocType: Patient Encounter,Encounter Date,Találkozó dátuma
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Számla: {0} ebben a pénznemben: {1} nem választható
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Számla: {0} ebben a pénznemben: {1} nem választható
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bank adatok
 DocType: Purchase Receipt Item,Sample Quantity,Minta mennyisége
 DocType: Bank Guarantee,Name of Beneficiary,Kedvezményezett neve
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Az ANYAGJ frissítése automatikusan az ütemezőn keresztül történik, a legfrissebb készletérték ár / árlisták ára /  a nyersanyagok utolsó beszerzési ára alapján."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Csekk dátuma
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},A {0} számla: Szülő számla {1} nem tartozik ehhez a céghez: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},A {0} számla: Szülő számla {1} nem tartozik ehhez a céghez: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Sikeresen törölve valamennyi a vállalattal kapcsolatos ügylet !
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Mivel a dátum
 DocType: Additional Salary,HR,HR
@@ -5398,7 +5462,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Betegen kívüli SMS figyelmeztetések
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Próbaidő
 DocType: Program Enrollment Tool,New Academic Year,Új Tanév
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Vissza / Követelés értesítő
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Vissza / Követelés értesítő
 DocType: Stock Settings,Auto insert Price List rate if missing,"Auto Árlista érték beillesztés, ha hiányzik"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Teljes fizetett összeg
 DocType: GST Settings,B2C Limit,B2C határérték
@@ -5416,10 +5480,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Al csomópontok csak 'csoport' típusú csomópontok alatt hozhatók létre
 DocType: Attendance Request,Half Day Date,Félnapos dátuma
 DocType: Academic Year,Academic Year Name,Akadémiai neve
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,"{0} nem engedélyezett a {1} művelettel. Kérjük, változtassa meg a Vállalatot."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,"{0} nem engedélyezett a {1} művelettel. Kérjük, változtassa meg a Vállalatot."
 DocType: Sales Partner,Contact Desc,Kapcsolattartó leírása
 DocType: Email Digest,Send regular summary reports via Email.,Küldje el a rendszeres összefoglaló jelentéseket e-mailben.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Kérjük, állítsa be az alapértelmezett főkönyvi számlát a Költség Követelés típusban: {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Kérjük, állítsa be az alapértelmezett főkönyvi számlát a Költség Követelés típusban: {0}"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Lehetséges távollétek
 DocType: Assessment Result,Student Name,Tanuló neve
 DocType: Hub Tracked Item,Item Manager,Tétel kezelő
@@ -5444,9 +5508,10 @@
 DocType: Subscription,Trial Period End Date,Próba időszak befejezési dátuma
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Nem engedélyezett hiszen {0} meghaladja határértékek
 DocType: Serial No,Asset Status,Vagyontárgy állapota
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Túlméretes szállítmány (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Éttermi asztal
 DocType: Hotel Room,Hotel Manager,Hotel igazgató
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Adózási szabály megadása a bevásárlókosárhoz
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Adózási szabály megadása a bevásárlókosárhoz
 DocType: Purchase Invoice,Taxes and Charges Added,Adók és költségek hozzáadva
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Értékcsökkenési sor {0}: A következő értékcsökkenési időpont nem lehet a rendelkezésre álló felhasználási dátuma előtt
 ,Sales Funnel,Értékesítési csatorna
@@ -5462,10 +5527,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Összes vevői csoport
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Halmozott Havi
 DocType: Attendance Request,On Duty,Szolgálatban
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} kötelező. Talán a Pénzváltó rekord nincs létrehozva ettől {1} eddig {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} kötelező. Talán a Pénzváltó rekord nincs létrehozva  {1} -&gt; {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Személyzeti terv {0} már létezik a  {1} titulusra
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Adó Sablon kötelező.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,A {0} számla: Szülő számla {1} nem létezik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,A {0} számla: Szülő számla {1} nem létezik
 DocType: POS Closing Voucher,Period Start Date,Időtartam kezdetének dátuma
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Árlista árértékek (Vállalat pénznemében)
 DocType: Products Settings,Products Settings,Termék beállítások
@@ -5485,7 +5550,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Ez a művelet leállítja a jövőbeni számlázást. Biztosan törölni szeretné ezt az előfizetést?
 DocType: Serial No,Distinct unit of an Item,Különálló egység egy tételhez
 DocType: Supplier Scorecard Criteria,Criteria Name,Kritérium neve
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,"Kérjük, állítsa be a Vállalkozást"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,"Kérjük, állítsa be a Vállalkozást"
 DocType: Procedure Prescription,Procedure Created,Eljárás létrehozva
 DocType: Pricing Rule,Buying,Beszerzés
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Kórokozók és trágyák
@@ -5502,42 +5567,43 @@
 DocType: Employee Onboarding,Job Offer,Állás ajánlat
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Intézmény rövidítése
 ,Item-wise Price List Rate,Tételenkénti Árlista árjegyzéke
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Beszállítói ajánlat
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Beszállítói ajánlat
 DocType: Quotation,In Words will be visible once you save the Quotation.,"A szavakkal mező lesz látható, miután mentette az Árajánlatot."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Mennyiség ({0}) nem lehet egy töredék ebben a sorban {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Mennyiség ({0}) nem lehet egy töredék ebben a sorban {1}
 DocType: Contract,Unsigned,Aláíratlan
 DocType: Selling Settings,Each Transaction,Minden tranzakció
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},A vonalkód {0} már használt a {1} Tételnél
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},A vonalkód {0} már használt a {1} Tételnél
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Szabályok hozzátéve szállítási költségeket.
 DocType: Hotel Room,Extra Bed Capacity,Extra ágy kihasználás
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Variáció
 DocType: Item,Opening Stock,Nyitó állomány
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Vevő szükséges
 DocType: Lab Test,Result Date,Eredmény dátuma
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC dátum
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC dátum
 DocType: Purchase Order,To Receive,Beérkeztetés
 DocType: Leave Period,Holiday List for Optional Leave,Távolléti lista az opcionális távollétekhez
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,felhasznalo@pelda.com
 DocType: Asset,Asset Owner,Vagyontárgy tulajdonos
 DocType: Purchase Invoice,Reason For Putting On Hold,Visszatartás oka
 DocType: Employee,Personal Email,Személyes emailcím
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Összes variáció
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Összes variáció
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ha engedélyezve van, a rendszer automatikusan kiküldi a könyvelési tételeket a leltárhoz."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Ügynöki jutalék
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Jelenléte az alkalmazottnak {0} már jelölt erre a napra
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Jelenléte az alkalmazottnak {0} már jelölt erre a napra
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",percben Frissítve az 'Idő napló'-n keresztül
 DocType: Customer,From Lead,Érdeklődésből
 DocType: Amazon MWS Settings,Synch Orders,Szinkronrend
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Megrendelések gyártásra bocsátva.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Válasszon pénzügyi évet ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS profil szükséges a POS bevitelhez
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS profil szükséges a POS bevitelhez
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",A hűségpontokat az elköltött összegből (az értékesítési számlán keresztül) kell kiszámítani az említett begyűjtési tényező alapján.
 DocType: Program Enrollment Tool,Enroll Students,Diákok felvétele
 DocType: Company,HRA Settings,HRA beállítások
 DocType: Employee Transfer,Transfer Date,Utalás dátuma
 DocType: Lab Test,Approved Date,Jóváhagyás dátuma
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Alapértelmezett értékesítési
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Legalább egy Raktár kötelező
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Legalább egy Raktár kötelező
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurálja a tételmezőket, például a UOM, a tételcsoport, a leírás és az óraórák számát."
 DocType: Certification Application,Certification Status,Tanúsítási státusza
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Piactér
@@ -5557,6 +5623,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Megfelelő számlák
 DocType: Work Order,Required Items,Kötelező elemek
 DocType: Stock Ledger Entry,Stock Value Difference,Készlet értékkülönbözet
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,A(z) {0} sor: {1} {2} sorszáma nem létezik a fenti {1} táblázatban
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Emberi Erőforrás HR
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Fizetés főkönyvi egyeztetés Fizetés
 DocType: Disease,Treatment Task,Kezelési feladat
@@ -5574,7 +5641,8 @@
 DocType: Account,Debit,Tartozás
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Távolléteket foglalni kell a 0,5 többszöröseként"
 DocType: Work Order,Operation Cost,Üzemeltetési költségek
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Fennálló kinntlévő negatív össz
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Döntéshozók azonosítása
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Fennálló kinntlévő negatív össz
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Csoportonkénti Cél tétel beállítás ehhez az Értékesítő személyhez.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Ennél régebbi készletek zárolása [Napok]
 DocType: Payment Request,Payment Ordered,Fizetés rendelt
@@ -5586,13 +5654,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Engedélyezze a következő felhasználók Távollét alkalmazás jóváhagyását a blokkolt napokra.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Életciklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Make BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"Eladási ár ehhez a tételhez {0} alacsonyabb, mint a {1}. Eladási árnak legalább ennyienk kell lennie {2}"
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"Eladási ár ehhez a tételhez {0} alacsonyabb, mint a {1}. Eladási árnak legalább ennyienk kell lennie {2}"
 DocType: Subscription,Taxes,Adók
 DocType: Purchase Invoice,capital goods,tőkejavak
 DocType: Purchase Invoice Item,Weight Per Unit,Egységenkénti súly
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Fizetett és nincs leszállítva
-DocType: Project,Default Cost Center,Alapértelmezett költséghely
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Alapértelmezett költséghely
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Készlet tranzakciók
 DocType: Budget,Budget Accounts,Költségvetési számlák
 DocType: Employee,Internal Work History,Belső munka története
@@ -5625,7 +5692,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Egészségügyi szakember nem elérhető ekkor {0}
 DocType: Stock Entry Detail,Additional Cost,Járulékos költség
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Nem tudja szűrni utalvány szám alapján, ha utalványonként csoportosított"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Beszállítói ajánlat létrehozás
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Beszállítói ajánlat létrehozás
 DocType: Quality Inspection,Incoming,Bejövő
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Az értékesítés és a vásárlás alapértelmezett adómintáit létre hozták.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Értékelés eredménye rekord {0} már létezik.
@@ -5641,7 +5708,7 @@
 DocType: Batch,Batch ID,Köteg ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Megjegyzés: {0}
 ,Delivery Note Trends,Szállítólevelek alakulása
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Összefoglaló erről a hétről
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Összefoglaló erről a hétről
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Készleten mennyiség
 ,Daily Work Summary Replies,Napi munka összefoglaló válaszok
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Számítsa ki a becsült érkezési időket
@@ -5651,7 +5718,7 @@
 DocType: Bank Account,Party,Ügyfél
 DocType: Healthcare Settings,Patient Name,Beteg neve
 DocType: Variant Field,Variant Field,Változat mező
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Cél helyszíne
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Cél helyszíne
 DocType: Sales Order,Delivery Date,Szállítás dátuma
 DocType: Opportunity,Opportunity Date,Lehetőség dátuma
 DocType: Employee,Health Insurance Provider,Egészségbiztosítás szolgáltatója
@@ -5670,7 +5737,7 @@
 DocType: Employee,History In Company,Előzmények a cégnél
 DocType: Customer,Customer Primary Address,Vevő elsődleges címe
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Hírlevelek
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Hivatkozási szám.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Hivatkozási szám.
 DocType: Drug Prescription,Description/Strength,Leírás / Állomány
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Új fizetés / naplóbejegyzés létrehozása
 DocType: Certification Application,Certification Application,Tanúsítási kérelem
@@ -5681,10 +5748,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Ugyanazt a tételt már többször rögzítették
 DocType: Department,Leave Block List,Távollét blokk lista
 DocType: Purchase Invoice,Tax ID,Adóazonosító ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,"Tétel: {0}, nincs telepítve Széria sz. Oszlopot hagyja üressen"
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,"Tétel: {0}, nincs telepítve Széria sz. Oszlopot hagyja üressen"
 DocType: Accounts Settings,Accounts Settings,Könyvelés beállításai
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Jóváhagy
 DocType: Loyalty Program,Customer Territory,Ügyfélterület
+DocType: Email Digest,Sales Orders to Deliver,Szállítandó értékesítési megrendelések
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Az új számla száma, a számla nevében előtagként fog szerepelni"
 DocType: Maintenance Team Member,Team Member,Csoport tag
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Nem érkezik eredmény
@@ -5694,7 +5762,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Összesen {0} az összes tételre nulla, lehet, hogy meg kell változtatnia  'Forgalmazói díjak ez alapján'"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,"Mai napig nem lehet kevesebb, mint a dátumtól"
 DocType: Opportunity,To Discuss,Megvitatni
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Ez az Előfizetővel szembeni tranzakciókra épül. Lásd az alábbi idővonalat a részletekért
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} darab ebből: {1} szükséges ebben: {2} a tranzakció befejezéséhez.
 DocType: Loan Type,Rate of Interest (%) Yearly,Kamatláb (%) Éves
 DocType: Support Settings,Forum URL,Fórum URL-je
@@ -5709,7 +5776,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Tudj meg többet
 DocType: Cheque Print Template,Distance from top edge,Távolság felső széle
 DocType: POS Closing Voucher Invoices,Quantity of Items,Tételek mennyisége
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Árlista {0} letiltott vagy nem létezik
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Árlista {0} letiltott vagy nem létezik
 DocType: Purchase Invoice,Return,Visszatérés
 DocType: Pricing Rule,Disable,Tiltva
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Fizetési módra van szükség a fizetéshez
@@ -5717,18 +5784,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Szerkesztés teljes oldalon a további lehetőségekhez, például Vagyontárgyi-eszközökhöz, sorozatokhoz, kötegekhez stb."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maximális egymás utáni napok alkalmazhatók
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nem vontunk be ebbe a kötegbe {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Vagyontárgy {0} nem selejtezhető, mivel már {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Vagyontárgy {0} nem selejtezhető, mivel már {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Csekkek szükségesek
 DocType: Task,Total Expense Claim (via Expense Claim),Teljes Költség Követelés (költségtérítési igényekkel)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Hiányzónak jelöl
 DocType: Job Applicant Source,Job Applicant Source,Álláskereső eredete
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST összeg
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST összeg
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Sikertelen a vállalkozás telepítése
 DocType: Asset Repair,Asset Repair,Vagyontárgy javítás
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Sor {0}: Anyagjegyzés BOM pénzneme #{1}  egyeznie kell a kiválasztott pénznemhez {2}
 DocType: Journal Entry Account,Exchange Rate,Átváltási arány
 DocType: Patient,Additional information regarding the patient,További információk a beteggel kapcsolatban
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Vevői rendelés {0} nem nyújtják be
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Vevői rendelés {0} nem nyújtják be
 DocType: Homepage,Tag Line,Jelmondat sor
 DocType: Fee Component,Fee Component,Díj komponens
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Flotta kezelés
@@ -5743,7 +5810,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobil
 ,Sales Person-wise Transaction Summary,Értékesítő személy oldali Tranzakciós összefoglaló
 DocType: Training Event,Contact Number,Kapcsolattartó száma
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,{0} raktár nem létezik
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,{0} raktár nem létezik
 DocType: Cashier Closing,Custody,Őrizet
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Munkavállalói adókedvezmény bizonyíték benyújtásának részlete
 DocType: Monthly Distribution,Monthly Distribution Percentages,Havi Felbontás százalékai
@@ -5758,7 +5825,7 @@
 DocType: Payment Entry,Paid Amount,Fizetett összeg
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Értékesítési ütem felfedezése
 DocType: Assessment Plan,Supervisor,Felügyelő
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Megőrzési készlet bejegyzés
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Megőrzési készlet bejegyzés
 ,Available Stock for Packing Items,Elérhető készlet a tételek csomagolásához
 DocType: Item Variant,Item Variant,Tétel variáns
 ,Work Order Stock Report,Munkamegrendelés raktári jelentés
@@ -5767,9 +5834,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Mint felügyelő
 DocType: Leave Policy Detail,Leave Policy Detail,Távollét szabály részletei
 DocType: BOM Scrap Item,BOM Scrap Item,Anyagjegyzék Fémhulladék tétel
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Benyújtott megbízásokat nem törölheti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Számlaegyenleg már Nekünk tartozik, akkor nem szabad beállítani ""Ennek egyenlege"", mint ""Tőlünk követel"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Minőségbiztosítás
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Benyújtott megbízásokat nem törölheti
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Számlaegyenleg már Nekünk tartozik, akkor nem szabad beállítani ""Ennek egyenlege"", mint ""Tőlünk követel"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Minőségbiztosítás
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,"Tétel {0} ,le lett tiltva"
 DocType: Project,Total Billable Amount (via Timesheets),Összesen számlázható összeg (Jelenléti ív alapján)
 DocType: Agriculture Task,Previous Business Day,Előző munkanap
@@ -5792,14 +5859,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Költséghelyek
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Előfizetést újraindítása
 DocType: Linked Plant Analysis,Linked Plant Analysis,Kapcsolodó növényelemzés
-DocType: Delivery Note,Transporter ID,Transzporter azonosító
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Szállítmányozó azonosítója
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Érték ajánlat
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Arány, amelyen a Beszállító pénznemét átalakítja a vállalakozás alapértelmezett pénznemére"
-DocType: Sales Invoice Item,Service End Date,Szolgáltatás befejezésének dátuma
+DocType: Purchase Invoice Item,Service End Date,Szolgáltatás befejezésének dátuma
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: Timings konfliktusok sora {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Engedélyezi a nulla készletérték árat
 DocType: Bank Guarantee,Receiving,Beérkeztetés
 DocType: Training Event Employee,Invited,Meghívott
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Fizetési átjáró számlák telepítése.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Fizetési átjáró számlák telepítése.
 DocType: Employee,Employment Type,Alkalmazott típusa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Befektetett álló-eszközök
 DocType: Payment Entry,Set Exchange Gain / Loss,Árfolyamnyereség / veszteség beállítása
@@ -5815,7 +5883,7 @@
 DocType: Tax Rule,Sales Tax Template,Értékesítési adó sablon
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Fizetés az ellátásért
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Költségkeret-szám frissítése
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Válassza ki a tételeket a számla mentéséhez
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Válassza ki a tételeket a számla mentéséhez
 DocType: Employee,Encashment Date,Beváltás dátuma
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Speciális teszt sablon
@@ -5823,12 +5891,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Alapértelmezett Tevékenység Költség létezik a tevékenység típusra - {0}
 DocType: Work Order,Planned Operating Cost,Tervezett üzemeltetési költség
 DocType: Academic Term,Term Start Date,Feltétel kezdési dátum
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Az összes megosztott tranzakciók listája
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Az összes megosztott tranzakciók listája
+DocType: Supplier,Is Transporter,Egy szállítmányozó
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Értékesítési számla importálása a Shopify-tól, ha a Fizetés bejelölt"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Lehet. számláló
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Mindkét; a próbaidőszak kezdési időpontját és a próbaidőszak végső dátumát meg kell adni
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Átlagérték
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,A kifizetési ütemezés teljes összegének meg kell egyeznie a Teljes / kerekített összeggel
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,A kifizetési ütemezés teljes összegének meg kell egyeznie a Teljes / kerekített összeggel
 DocType: Subscription Plan Detail,Plan,Terv
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bankkivonat mérleg a főkönyvi kivonat szerint
 DocType: Job Applicant,Applicant Name,Pályázó neve
@@ -5856,7 +5925,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Elérhető Mennyiség a Forrás raktárban
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garancia/szavatosság
 DocType: Purchase Invoice,Debit Note Issued,Terhelési értesítés kiadva
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"A költségkeret alapján történő szűrés csak akkor alkalmazható, ha költségkeretként van kiválasztva a Költségkeret"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"A költségkeret alapján történő szűrés csak akkor alkalmazható, ha költségkeretként van kiválasztva a Költségkeret"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Keresés az elemek kódja, sorozatszáma, köteg száma vagy vonalkód szerint"
 DocType: Work Order,Warehouses,Raktárak
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} vagyontárgy eszköz nem vihető át
@@ -5867,9 +5936,9 @@
 DocType: Workstation,per hour,óránként
 DocType: Blanket Order,Purchasing,Beszerzés
 DocType: Announcement,Announcement,Közlemény
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Vevő LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Vevő LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Köteg alapú Tanuló csoport, a Tanuló köteg érvényesítésre kerül minden hallgató a program regisztrációból."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Raktárat nem lehet törölni mivel a készletek főkönyvi bejegyzése létezik erre a raktárra.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Raktárat nem lehet törölni mivel a készletek főkönyvi bejegyzése létezik erre a raktárra.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Képviselet
 DocType: Journal Entry Account,Loan,Hitel
 DocType: Expense Claim Advance,Expense Claim Advance,Költség igény előleg
@@ -5878,7 +5947,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projekt téma menedzser
 ,Quoted Item Comparison,Ajánlott tétel összehasonlítás
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Átfedés a {0} és {1} pontszámok között
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Feladás
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Feladás
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,A(z) {0} tételre max. {1}% engedmény adható
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Vagyontárgyi-eszközérték ezen
 DocType: Crop,Produce,Gyárt
@@ -5888,20 +5957,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Anyag szükséglet az előállításhoz
 DocType: Item Alternative,Alternative Item Code,Alternatív tétel kód
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Beosztást, amely lehetővé tette, hogy nyújtson be tranzakciókat, amelyek meghaladják a követelés határértékeket."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Tételek kiválasztása gyártáshoz
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Tételek kiválasztása gyártáshoz
 DocType: Delivery Stop,Delivery Stop,Szállítás leállítás
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Törzsadatok szinkronizálása, ez eltart egy ideig"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Törzsadatok szinkronizálása, ez eltart egy ideig"
 DocType: Item,Material Issue,Anyag probléma
 DocType: Employee Education,Qualification,Képesítés
 DocType: Item Price,Item Price,Tétel ár
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Szappan & Mosószer
 DocType: BOM,Show Items,Tételek megjelenítése
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,"Idő-től nem lehet nagyobb, mint idő-ig."
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Szeretné értesíteni az összes ügyfelet e-mailben?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Szeretné értesíteni az összes ügyfelet e-mailben?
 DocType: Subscription Plan,Billing Interval,Számlázási időtartam
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Mozgókép és videó
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Megrendelt
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,A tényleges kezdő dátum és a tényleges befejezés dátuma kötelező
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Ügyfél&gt; Ügyfélcsoport&gt; Terület
 DocType: Salary Detail,Component,Összetevő
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,"A {0} sor {1} értékének nagyobbnak kell lennie, mint 0"
 DocType: Assessment Criteria,Assessment Criteria Group,Értékelési kritériumok Group
@@ -5932,11 +6002,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Adja meg a bank vagy hitelintézet nevét az elküldés előtt.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} be kell nyújtani
 DocType: POS Profile,Item Groups,Tétel Csoportok
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Ma van {0} születésnapja!
 DocType: Sales Order Item,For Production,Termeléshez
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Mérleg a számla pénznemében
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Adjon ideiglenes megnyitó számlát a számlatükörhöz
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Adjon ideiglenes megnyitó számlát a számlatükörhöz
 DocType: Customer,Customer Primary Contact,Vevő elsődleges kapcsolattartója
 DocType: Project Task,View Task,Feladatok megtekintése
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,LEHET / Érdeklődés %
@@ -5949,11 +6018,11 @@
 DocType: Sales Invoice,Get Advances Received,Befogadott előlegek átmásolása
 DocType: Email Digest,Add/Remove Recipients,Címzettek Hozzáadása/Eltávolítása
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Beállítani ezt a költségvetési évet alapértelmezettként, kattintson erre: 'Beállítás alapértelmezettként'"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,A TDS csökkentett összege
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,A TDS csökkentett összege
 DocType: Production Plan,Include Subcontracted Items,Alvállalkozói tételek beillesztése
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Csatlakozik
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Hiány Mennyisége
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Csatlakozik
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Hiány Mennyisége
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel
 DocType: Loan,Repay from Salary,Bérből törleszteni
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Fizetési igény ehhez {0} {1} ezzel az összeggel {2}
 DocType: Additional Salary,Salary Slip,Bérpapír
@@ -5969,7 +6038,7 @@
 DocType: Patient,Dormant,Alvó
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Levonja az adót a nem igényelt munkavállalói juttatásokért
 DocType: Salary Slip,Total Interest Amount,Összes kamatösszeg
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Raktárak gyermek csomópontokkal nem lehet átalakítani főkönyvi tétellé
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Raktárak gyermek csomópontokkal nem lehet átalakítani főkönyvi tétellé
 DocType: BOM,Manage cost of operations,Kezelje a működési költségeket
 DocType: Accounts Settings,Stale Days,Átmeneti napok
 DocType: Travel Itinerary,Arrival Datetime,Érkezési dátumidő
@@ -5981,7 +6050,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Értékelési eredmény részletei
 DocType: Employee Education,Employee Education,Alkalmazott képzése
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Ismétlődő elem csoport található a csoport táblázatában
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"Erre azért van szükség, hogy behozza a Termék részleteket."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"Erre azért van szükség, hogy behozza a Termék részleteket."
 DocType: Fertilizer,Fertilizer Name,Műtrágya neve
 DocType: Salary Slip,Net Pay,Nettó fizetés
 DocType: Cash Flow Mapping Accounts,Account,Számla
@@ -5992,14 +6061,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Hozzon létre külön fizetési bejegyzést a járadék igényléssel szemben
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Láz előfordulása (hőm.&gt; 38,5 ° C / 101,3 ° F vagy fenntartott hőmérséklet&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Értékesítő csoport részletei
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Véglegesen törli?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Véglegesen törli?
 DocType: Expense Claim,Total Claimed Amount,Összes Garanciális összeg
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciális értékesítési lehetőségek.
 DocType: Shareholder,Folio no.,Folio sz.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Érvénytelen {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Betegszabadság
 DocType: Email Digest,Email Digest,Összefoglaló email
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,ők nem
 DocType: Delivery Note,Billing Address Name,Számlázási cím neve
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Részleg boltok
 ,Item Delivery Date,Tétel szállítási dátuma
@@ -6015,16 +6083,16 @@
 DocType: Account,Chargeable,Felszámítható
 DocType: Company,Change Abbreviation,Rövidítés megváltoztatása
 DocType: Contract,Fulfilment Details,Teljesítés részletei
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Fizetés: {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Fizetés: {0} {1}
 DocType: Employee Onboarding,Activities,Tevékenységek
 DocType: Expense Claim Detail,Expense Date,Költség igénylés dátuma
 DocType: Item,No of Months,Hónapok száma
 DocType: Item,Max Discount (%),Max. engedmény (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,A hitelezési napok nem lehetnek negatív számok
-DocType: Sales Invoice Item,Service Stop Date,A szolgáltatás leállítása
+DocType: Purchase Invoice Item,Service Stop Date,A szolgáltatás leállítása
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Utolsó megrendelés összege
 DocType: Cash Flow Mapper,e.g Adjustments for:,pl. kiigazítások erre:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","A {0} minta megőrzés alapja a köteg, kérjük, ellenőrizze a Rendelkezésre álló köteg számot az elem mintájának megőrzéséhez"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","A {0} minta megőrzés alapja a köteg, kérjük, ellenőrizze a Rendelkezésre álló köteg számot az elem mintájának megőrzéséhez"
 DocType: Task,Is Milestone,Ez mérföldkő
 DocType: Certification Application,Yet to appear,Mégis megjelenik
 DocType: Delivery Stop,Email Sent To,E-mail címzetje
@@ -6032,16 +6100,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Költségközpont engedélyezése a mérleg számláján
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Öszevon létező számlával
 DocType: Budget,Warn,Figyelmeztet
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Az összes tétel már átkerült ehhez a Munka Rendeléshez.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Az összes tétel már átkerült ehhez a Munka Rendeléshez.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bármely egyéb megjegyzések, említésre méltó erőfeszítés, aminek a nyilvántartásba kell kerülnie."
 DocType: Asset Maintenance,Manufacturing User,Gyártás Felhasználó
 DocType: Purchase Invoice,Raw Materials Supplied,Alapanyagok leszállítottak
 DocType: Subscription Plan,Payment Plan,Fizetési ütemterv
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Engedélyezze az elemek vásárlását a weboldalon keresztül
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Az árlista pénzneme {0} legyen {1} vagy {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Előfizetéskezelés
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Előfizetéskezelés
 DocType: Appraisal,Appraisal Template,Teljesítmény értékelő sablon
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Pin-kódra
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Pin-kódra
 DocType: Soil Texture,Ternary Plot,Három komponensű telek
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Ezt ellenőrizheti, ha engedélyezi az ütemezett napi szinkronizálási rutint az ütemezőn keresztül"
 DocType: Item Group,Item Classification,Tétel osztályozás
@@ -6051,6 +6119,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Betegbeteg számla regisztráció
 DocType: Crop,Period,Időszak
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Főkönyvi számla
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,A pénzügyi évre
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Érdeklődések megtekintése
 DocType: Program Enrollment Tool,New Program,Új program
 DocType: Item Attribute Value,Attribute Value,Jellemzők értéke
@@ -6059,11 +6128,11 @@
 ,Itemwise Recommended Reorder Level,Tételenkénti Ajánlott újrarendelési szint
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Az {1} besorolási fokozat {0} alkalmazottjának nincs alapértelmezett szabadságpolitikája
 DocType: Salary Detail,Salary Detail,Bér részletei
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Kérjük, válassza ki a {0} először"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Kérjük, válassza ki a {0} először"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Hozzáadott {0} felhasználók
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Többszintű program esetében az ügyfeleket automatikusan az adott kategóriába sorolják, az általuk elköltöttek szerint"
 DocType: Appointment Type,Physician,Orvos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Köteg {0} ebből a tételből: {1} lejárt.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Köteg {0} ebből a tételből: {1} lejárt.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konzultációk
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Létrehozott áru
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","A tétel ára többször is megjelenik az Árlista, a Szállító / Ügyfél, a Valuta, a Tétel, a UOM, a Mennyiség és a Napok alapján."
@@ -6072,22 +6141,21 @@
 DocType: Certification Application,Name of Applicant,Jelentkező neve
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Idő nyilvántartó a gyártáshoz.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Részösszeg
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,A variánsok tulajdonságai nem módosíthatók a készletesítés után. Ehhez új tételt kell készíteni.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,A variánsok tulajdonságai nem módosíthatók a készletesítés után. Ehhez új tételt kell készíteni.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA utalási megbízás
 DocType: Healthcare Practitioner,Charges,Díjak
 DocType: Production Plan,Get Items For Work Order,Szerezd meg a tételeket a munka megrendeléshez
 DocType: Salary Detail,Default Amount,Alapértelmezett Összeg
 DocType: Lab Test Template,Descriptive,Leíró
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Raktár nem található a rendszerben
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Összefoglaló erről a hónapról
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Összefoglaló erről a hónapról
 DocType: Quality Inspection Reading,Quality Inspection Reading,Minőség-ellenőrzés olvasás
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,"`Zárolja azon készleteket, amelyek régebbiek, mint` kisebbnek kell lennie,  %d napnál."
 DocType: Tax Rule,Purchase Tax Template,Beszerzési megrendelés Forgalmi adót sablon
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Olyan értékesítési célt állítson be, amelyet vállalni szeretne."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Egészségügyi szolgáltatások
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Egészségügyi szolgáltatások
 ,Project wise Stock Tracking,Projekt téma szerinti raktárkészlet követése
 DocType: GST HSN Code,Regional,Regionális
-DocType: Delivery Note,Transport Mode,Szállítási mód
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratórium
 DocType: UOM Category,UOM Category,ME kategória
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Tényleges Mennyiség (forrásnál / célnál)
@@ -6110,17 +6178,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Sikertelen webhely létrehozás
 DocType: Soil Analysis,Mg/K,Mg/K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Mértékegység konvertálásának részlete
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Már létrehozott a megőrzési készletbejegyzés vagy a minta mennyisége nincs megadva
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Már létrehozott a megőrzési készletbejegyzés vagy a minta mennyisége nincs megadva
 DocType: Program,Program Abbreviation,Program rövidítése
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Gyártási rendelést nem lehet emelni a tétel terméksablonnal szemben
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Díjak frissülnek a vásárláskor kapott nyugtán a tételek szerint
 DocType: Warranty Claim,Resolved By,Megoldotta
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Felmentés tervezés
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Csekkek és betétek helytelenül elszámoltak
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,A {0} számla: Nem rendelheti saját szülő számlájának
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,A {0} számla: Nem rendelheti saját szülő számlájának
 DocType: Purchase Invoice Item,Price List Rate,Árlista árértékek
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Árajánlatok létrehozása vevők részére
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,A szolgáltatás leállítása nem lehet a szolgáltatás befejezési dátuma után
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,A szolgáltatás leállítása nem lehet a szolgáltatás befejezési dátuma után
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mutasd a ""Készleten"", vagy ""Nincs készleten"" , az ebben a raktárban álló állomány alapján."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Anyagjegyzék (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Átlagos idő foglalás a beszállító általi szállításhoz
@@ -6132,11 +6200,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Órák
 DocType: Project,Expected Start Date,Várható indulás dátuma
 DocType: Purchase Invoice,04-Correction in Invoice,04- Korrekció a számlán
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,"Munka rendelést már létrehozota az összes  olyan tételhez, amelyet az ANYAGJ tartalmazza"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,"Munka rendelést már létrehozota az összes  olyan tételhez, amelyet az ANYAGJ tartalmazza"
 DocType: Payment Request,Party Details,Párt Részletek
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Jelentés a változat részleteiről
 DocType: Setup Progress Action,Setup Progress Action,Telepítés előrehaladása művelet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Beszerzési árlista
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Beszerzési árlista
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Vegye ki az elemet, ha terheket nem adott elemre alkalmazandó"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Feliratkozás visszavonása
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,"Kérjük, válassza a Karbantartási állapotot befejezettként vagy távolítsa el a befejezés dátumát"
@@ -6154,7 +6222,7 @@
 DocType: Asset,Disposal Date,Eltávolítás időpontja
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mailt fog küldeni a vállalkozás összes aktív alkalmazottja részére az adott órában, ha nincsenek szabadságon. A válaszok összefoglalását éjfélkor küldi."
 DocType: Employee Leave Approver,Employee Leave Approver,Alkalmazott Távollét Jóváhagyó
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Sor {0}: Egy Újrarendelés bejegyzés már létezik erre a raktárban {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Sor {0}: Egy Újrarendelés bejegyzés már létezik erre a raktárban {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Nem jelentheti elveszettnek, mert kiment az Árajánlat."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP fiók
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Képzési Visszajelzés
@@ -6166,7 +6234,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,"A végső nap nem lehet, a kezdő dátum előtti"
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Szekció lábléc
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Árak Hozzáadása / Szerkesztése
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Árak Hozzáadása / Szerkesztése
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,A munkavállalói promóció nem nyújtható be a promóciós dátum előtt
 DocType: Batch,Parent Batch,Fő Köteg
 DocType: Cheque Print Template,Cheque Print Template,Csekk nyomtatás Sablon
@@ -6176,6 +6244,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Mintagyűjtés
 ,Requested Items To Be Ordered,A kért lapok kell megrendelni
 DocType: Price List,Price List Name,Árlista neve
+DocType: Delivery Stop,Dispatch Information,Feladási információk
 DocType: Blanket Order,Manufacturing,Gyártás
 ,Ordered Items To Be Delivered,Rendelt mennyiség szállításra
 DocType: Account,Income,Jövedelem
@@ -6194,17 +6263,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,"{0} darab ebből: {1} szükséges ebben: {2}, erre: {3} {4} ehhez: {5} ; a tranzakció befejezéséhez."
 DocType: Fee Schedule,Student Category,Tanuló kategória
 DocType: Announcement,Student,Diák
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,A raktárban nem áll rendelkezésre készletmennyiség az indítási eljáráshoz. Szeretne készíteni egy készlet mozgást?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,A raktárban nem áll rendelkezésre készletmennyiség az indítási eljáráshoz. Szeretne készíteni egy készlet mozgást?
 DocType: Shipping Rule,Shipping Rule Type,Szállítási szabály típus
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Menjen a szobákba
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Vállalkozás, Fizetési számla, dátumtól és dátumig kötelező"
 DocType: Company,Budget Detail,Költségvetés Részletei
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Kérjük, elküldés előtt adja meg az üzenetet"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ISMÉTLŐDŐ BESZÁLLÍTÓRA
-DocType: Email Digest,Pending Quotations,Függő árajánlatok
-DocType: Delivery Note,Distance (KM),Távolság (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Szállító&gt; szállító csoport
 DocType: Asset,Custodian,Gondnok
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Értékesítési hely profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Értékesítési hely profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,A {0} érték 0 és 100 közé esik
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{0} kifizetése {1} -ről {2}-re
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Fedezetlen hitelek
@@ -6236,10 +6304,10 @@
 DocType: Lead,Converted,Átalakított
 DocType: Item,Has Serial No,Rrendelkezik sorozatszámmal
 DocType: Employee,Date of Issue,Probléma dátuma
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","A vevői beállítások szerint ha Vásárlás átvételét igazoló nyugta szükséges == 'IGEN', akkor a vásárlást igazoló számla létrehozására, a felhasználónak először létre kell hoznia vásárlási nyugtát erre a tételre: {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","A vevői beállítások szerint ha Vásárlás átvételét igazoló nyugta szükséges == 'IGEN', akkor a vásárlást igazoló számla létrehozására, a felhasználónak először létre kell hoznia vásárlási nyugtát erre a tételre: {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Sor # {0}: Nem beszállító erre a tételre {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,"{0} sor: Óra értéknek nagyobbnak kell lennie, mint nulla."
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,"Weboldal kép: {0} ami csatolva lett a {1}  tételhez, nem található"
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,"Weboldal kép: {0} ami csatolva lett a {1}  tételhez, nem található"
 DocType: Issue,Content Type,Tartalom típusa
 DocType: Asset,Assets,Vagyontárgy eszközök
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Számítógép
@@ -6250,7 +6318,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} nem létezik
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Kérjük, ellenőrizze a Több pénznem opciót, a  más pénznemű számlák engedélyezéséhez"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Tétel: {0} nem létezik a rendszerben
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Nincs engedélye a zárolt értékek beállítására
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Nincs engedélye a zárolt értékek beállítására
 DocType: Payment Reconciliation,Get Unreconciled Entries,Nem egyeztetett bejegyzések lekérdezése
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Alkalmazott {0} távolléten van ekkor {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nincs kiválasztva visszafizetés a naplóbejegyzéshez
@@ -6268,13 +6336,14 @@
 ,Average Commission Rate,Átlagos jutalék mértéke
 DocType: Share Balance,No of Shares,Részvények száma
 DocType: Taxable Salary Slab,To Amount,Összeghez
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Van sorozatszáma"" nem lehet ""igen"" a nem-készletezett tételnél"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Van sorozatszáma"" nem lehet ""igen"" a nem-készletezett tételnél"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Válasszon állapotot
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Részvételt nem lehet megjelölni jövőbeni dátumhoz
 DocType: Support Search Source,Post Description Key,Feljegyzés leíró kulcs
 DocType: Pricing Rule,Pricing Rule Help,Árképzési szabály Súgó
 DocType: School House,House Name,Ház név
 DocType: Fee Schedule,Total Amount per Student,Diákonkénti teljes összeg
+DocType: Opportunity,Sales Stage,Értékesítés szakasza
 DocType: Purchase Taxes and Charges,Account Head,Számla fejléc
 DocType: Company,HRA Component,HRA komponens
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektromos
@@ -6282,15 +6351,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Összesen értékkülönbözet (Ki - Be)
 DocType: Grant Application,Requested Amount,Igényelt összeg
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,{0} sor: átváltási árfolyam kötelező
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Felhasználói azonosítót nem állított be az Alkalmazotthoz: {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Felhasználói azonosítót nem állított be az Alkalmazotthoz: {0}
 DocType: Vehicle,Vehicle Value,Gépjármű Érték
 DocType: Crop Cycle,Detected Diseases,Észlelt kórokozók
 DocType: Stock Entry,Default Source Warehouse,Alapértelmezett forrás raktár
 DocType: Item,Customer Code,Vevő kódja
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Születésnapi emlékeztető {0}
 DocType: Asset Maintenance Task,Last Completion Date,Utolsó befejezés dátuma
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Utolsó rendeléstől eltel napok
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Tartozás főkönyvi számlának Mérlegszámlának kell lennie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Tartozás főkönyvi számlának Mérlegszámlának kell lennie
 DocType: Asset,Naming Series,Sorszámozási csoportok
 DocType: Vital Signs,Coated,Bevont
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,"{0} sor: Várható értéknek a Hasznos Életút után kevesebbnek kell lennie, mint a bruttó beszerzési összeg"
@@ -6308,15 +6376,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,A {0} Szállítólevelet nem kell benyújtani
 DocType: Notification Control,Sales Invoice Message,Kimenő értékesítési számlák üzenete
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,"Záró számla {0}, kötelezettség/saját tőke típusú legyen"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},A bérpapír az Alkalmazotthoz: {0} már létrehozott erre a jelenléti ívre: {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},A bérpapír az Alkalmazotthoz: {0} már létrehozott erre a jelenléti ívre: {1}
 DocType: Vehicle Log,Odometer,Kilométer-számláló
 DocType: Production Plan Item,Ordered Qty,Rendelt menny.
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Tétel {0} letiltva
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Tétel {0} letiltva
 DocType: Stock Settings,Stock Frozen Upto,Készlet zárolása eddig
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,ANYGJZ nem tartalmaz semmilyen készlet tételt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,ANYGJZ nem tartalmaz semmilyen készlet tételt
 DocType: Chapter,Chapter Head,Fejezet fejléc
 DocType: Payment Term,Month(s) after the end of the invoice month,Hónap(ok) a számlázási hónap végét követően
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"A fizetési struktúrának rugalmas haszon eleme (i) kell hogy legyen, hogy eloszthassa az ellátási összeget"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"A fizetési struktúrának rugalmas haszon eleme (i) kell hogy legyen, hogy eloszthassa az ellátási összeget"
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projekt téma feladatok / tevékenységek.
 DocType: Vital Signs,Very Coated,Nagyon  bevont
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Csak az adóhatás (nem lehet igényelni de az adóköteles jövedelem része)
@@ -6334,7 +6402,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Számlázási Óra(k)
 DocType: Project,Total Sales Amount (via Sales Order),Értékesítési összérték (értékesítési rendelés szerint)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Alapértelmezett anyagjegyzék BOM {0} nem található
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,"Sor # {0}: Kérjük, állítsa újrarendezésből mennyiség"
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,"Sor # {0}: Kérjük, állítsa újrarendezésből mennyiség"
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Érintse a tételeket, ahhoz,  hogy ide tegye"
 DocType: Fees,Program Enrollment,Program Beiratkozási
 DocType: Share Transfer,To Folio No,Folio No
@@ -6374,9 +6442,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max állomány
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Telepítés beállításai
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Nincs kézbesítési értesítés ehhez az Ügyfélhez {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Nincs kézbesítési értesítés ehhez az Ügyfélhez {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,A (z) {0} alkalmazottnak nincs maximális juttatási összege
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Válasszon elemeket a szállítási dátum alapján
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Válasszon elemeket a szállítási dátum alapján
 DocType: Grant Application,Has any past Grant Record,Van bármilyen korábbi Támogatási rekord
 ,Sales Analytics,Értékesítési elemzés
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Elérhető {0}
@@ -6384,12 +6452,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Gyártás Beállítások
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,E-mail beállítása
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Helyettesítő1 Mobil szám
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Kérjük, adja meg az alapértelmezett pénznemet a Vállalkozás törzsadatban"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Kérjük, adja meg az alapértelmezett pénznemet a Vállalkozás törzsadatban"
 DocType: Stock Entry Detail,Stock Entry Detail,Készlet bejegyzés részletei
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Napi emlékeztetők
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Napi emlékeztetők
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Az összes el nem adott jegy megtekintése
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Egészségügyi szolgáltatási egység fa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Termék
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Termék
 DocType: Products Settings,Home Page is Products,Kezdőlap a Termékek
 ,Asset Depreciation Ledger,Vagyontárgy Értékcsökkenés Főkönyvi kivonat
 DocType: Salary Structure,Leave Encashment Amount Per Day,Távollét napi beváltási mennyiség
@@ -6399,8 +6467,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Szállított alapanyagok költsége
 DocType: Selling Settings,Settings for Selling Module,Beállítások az Értékesítés modulhoz
 DocType: Hotel Room Reservation,Hotel Room Reservation,Szállodai szoba foglalás
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Ügyfélszolgálat
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Ügyfélszolgálat
 DocType: BOM,Thumbnail,Miniatűr
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nincs kapcsolat az e-mail azonosítóval.
 DocType: Item Customer Detail,Item Customer Detail,Tétel vevőjének részletei
 DocType: Notification Control,Prompt for Email on Submission of,Felszólító az emailre ehhez a benyújtáshoz
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},A (z) {0} alkalmazott maximális haszna meghaladja {1}
@@ -6410,13 +6479,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Tétel: {0} -  Készlet tételnek kell lennie
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Alapértelmezett Folyamatban lévő munka raktára
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","A (z) {0} ütemezések átfedik egymást, szeretné folytatni az átfedő rések kihagyása után?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Alapértelmezett beállítások a számviteli tranzakciókhoz.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Alapértelmezett beállítások a számviteli tranzakciókhoz.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Távollétek támogatása
 DocType: Restaurant,Default Tax Template,Alapértelmezett adó sablon
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} A hallgatók beiratkoztak
 DocType: Fees,Student Details,Diák részletei
 DocType: Purchase Invoice Item,Stock Qty,Készlet menny.
 DocType: Contract,Requires Fulfilment,Szükséges teljesíteni
+DocType: QuickBooks Migrator,Default Shipping Account,Alapértelmezett szállítási számla
 DocType: Loan,Repayment Period in Months,Törlesztési időszak hónapokban
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Hiba: Érvénytelen id azonosító?
 DocType: Naming Series,Update Series Number,Széria szám frissítése
@@ -6430,11 +6500,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maximális összeg
 DocType: Journal Entry,Total Amount Currency,Teljes összeg pénznemben
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Részegységek keresése
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Tételkód szükség ebbe a sorba {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Tételkód szükség ebbe a sorba {0}
 DocType: GST Account,SGST Account,SGST számla fiók
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Menjen a tételekhez
 DocType: Sales Partner,Partner Type,Partner típusa
-DocType: Purchase Taxes and Charges,Actual,Tényleges
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Tényleges
 DocType: Restaurant Menu,Restaurant Manager,Éttermi vezető
 DocType: Authorization Rule,Customerwise Discount,Vevőszerinti kedvezmény
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Jelenléti ív a feladatokra.
@@ -6455,7 +6525,7 @@
 DocType: Employee,Cheque,Csekk
 DocType: Training Event,Employee Emails,Munkavállalói e-mailek
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Sorozat Frissítve
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Report Type kötelező
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Report Type kötelező
 DocType: Item,Serial Number Series,Széria sz. sorozat
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Raktár kötelező az {1} sorban lévő {0} tételhez
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Kis- és nagykereskedelem
@@ -6485,7 +6555,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Kiszámlázott összeg frissítése a Vevői rendelésen
 DocType: BOM,Materials,Anyagok
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ha nincs bejelölve, akkor a listát meg kell adni minden egyes részleghez, ahol alkalmazni kell."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Postára adás dátuma és a kiküldetés ideje kötelező
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Postára adás dátuma és a kiküldetés ideje kötelező
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Adó sablon a beszerzési tranzakciókra.
 ,Item Prices,Tétel árak
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"A szavakkal mező lesz látható, miután mentette a Beszerzési megrendelést."
@@ -6496,17 +6566,17 @@
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +186,The shareholder does not belong to this company,A részvényes nem tartozik ehhez a vállalkozáshoz
 DocType: Dosage Form,Dosage Form,Adagolási dózisforma
 apps/erpnext/erpnext/config/selling.py +67,Price List master.,Árlista törzsadat.
-DocType: Task,Review Date,Vélemény dátuma
+DocType: Task,Review Date,Megtekintés dátuma
 DocType: BOM,Allow Alternative Item,Alternatív tétel engedélyezése
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Vagyontárgy értékcsökkenési tételsorozat (Naplóbejegyzés)
 DocType: Membership,Member Since,Tag ekkortól
 DocType: Purchase Invoice,Advance Payments,Előleg kifizetések
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,"Kérjük, válassza az Egészségügyi szolgáltatás lehetőséget"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,"Kérjük, válassza az Egészségügyi szolgáltatás lehetőséget"
 DocType: Purchase Taxes and Charges,On Net Total,Nettó összeshez
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},"Érték erre a Jellemzőre: {0} ezen a tartományon belül kell lennie: {1} - {2} azzel az emelkedéssel: {3} ,erre a tételre:{4}"
 DocType: Restaurant Reservation,Waitlisted,Várólistás
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Mentesség kategóriája
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,"Pénznemen nem lehet változtatni, miután bejegyzéseket tett  más pénznem segítségével"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,"Pénznemen nem lehet változtatni, miután bejegyzéseket tett  más pénznem segítségével"
 DocType: Shipping Rule,Fixed,Rögzített
 DocType: Vehicle Service,Clutch Plate,Tengelykapcsoló lemez
 DocType: Company,Round Off Account,Gyüjtő számla
@@ -6515,7 +6585,7 @@
 DocType: Subscription Plan,Based on price list,Árlista alapján
 DocType: Customer Group,Parent Customer Group,Fő Vevő csoport
 DocType: Vehicle Service,Change,Változás
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Előfizetés
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Előfizetés
 DocType: Purchase Invoice,Contact Email,Kapcsolattartó e-mailcíme
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Díj létrehozása függőben van
 DocType: Appraisal Goal,Score Earned,Pontszám Szerzett
@@ -6542,23 +6612,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Bevételek / Fizetendő számla
 DocType: Delivery Note Item,Against Sales Order Item,Vevői rendelési tétel ellen
 DocType: Company,Company Logo,Vállalati logó
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Kérjük, adja meg a Jellemző értékét erre a Jellemzőre: {0}"
-DocType: Item Default,Default Warehouse,Alapértelmezett raktár
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Kérjük, adja meg a Jellemző értékét erre a Jellemzőre: {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Alapértelmezett raktár
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Költségvetést nem lehet hozzárendelni ehhez a Csoport számlához {0}
 DocType: Shopping Cart Settings,Show Price,Árak megjelenítése
 DocType: Healthcare Settings,Patient Registration,Beteg regisztráció
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Kérjük, adjon meg szülő költséghelyet"
 DocType: Delivery Note,Print Without Amount,Nyomtatás érték nélkül
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Értékcsökkentés dátuma
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Értékcsökkentés dátuma
 ,Work Orders in Progress,Folyamatban lévő munka megrendelések
 DocType: Issue,Support Team,Támogató csoport
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Érvényességi idő (napokban)
 DocType: Appraisal,Total Score (Out of 5),Összes pontszám (5–ből)
 DocType: Student Attendance Tool,Batch,Köteg
 DocType: Support Search Source,Query Route String,Lekérdezés útvonal lánc
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Utolsó beszerzés alapján az ár frissítése
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Utolsó beszerzés alapján az ár frissítése
 DocType: Donor,Donor Type,Adományozó típusa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Az automatikus ismétlődő dokumentum frissítve
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Az automatikus ismétlődő dokumentum frissítve
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Mérleg
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,"Kérjük, válassza ki a Vállalkozást"
 DocType: Job Card,Job Card,Job kártya
@@ -6572,7 +6642,7 @@
 DocType: Assessment Result,Total Score,Összesített pontszám
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 szabvány szerint
 DocType: Journal Entry,Debit Note,Tartozás értesítő
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Ebben a sorrendben csak max {0} pontot vehetsz ki.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Ebben a sorrendben csak max {0} pontot vehetsz ki.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,"Kérjük, adja meg az API fogyasztói titkosítót"
 DocType: Stock Entry,As per Stock UOM,Készlet mértékegysége szerint
@@ -6585,10 +6655,11 @@
 DocType: Journal Entry,Total Debit,Tartozás összesen
 DocType: Travel Request Costing,Sponsored Amount,Szponzorált összeg
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Alapértelmezett készáru raktár
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,"Kérem, válassza a Beteg"
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,"Kérem, válassza a Beteg"
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Értékesítő
 DocType: Hotel Room Package,Amenities,Felszerelések
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Költségvetés és költséghely
+DocType: QuickBooks Migrator,Undeposited Funds Account,Nem támogatott alapok számlája
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Költségvetés és költséghely
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Több alapértelmezett fizetési mód nem engedélyezett
 DocType: Sales Invoice,Loyalty Points Redemption,Hűségpontok visszaváltása
 ,Appointment Analytics,Vizit időpontok elemzései
@@ -6602,6 +6673,7 @@
 DocType: Batch,Manufacturing Date,Gyártás időpontja
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Díj létrehozása sikertelen
 DocType: Opening Invoice Creation Tool,Create Missing Party,Hiányzó fél létrehozása
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Teljes költségvetés
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Hagyja üresen, ha diák csoportokat évente hozza létre"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ha be van jelölve, a munkanapok száma tartalmazni fogja az ünnepeket, és ez csökkenti a napi bér összegét"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Az aktuális kulcsot használó alkalmazások nem fognak hozzáférni, biztos ebben?"
@@ -6617,20 +6689,19 @@
 DocType: Opportunity Item,Basic Rate,Alapár
 DocType: GL Entry,Credit Amount,Követelés összege
 DocType: Cheque Print Template,Signatory Position,Az aláíró pozíció
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Elveszetté állít
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Elveszetté állít
 DocType: Timesheet,Total Billable Hours,Összesen számlázható órák
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Ehhez az előfizetéshez létrehozott számlán az előfizetők által fizetendő napok száma
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Munkavállalói juttatási alkalmazás részletei
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Fizetési átvételi Megjegyzés
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ennek alapja az ezzel a Vevővel történt tranzakciók. Lásd alábbi idővonalat a részletekért
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},"Sor {0}: Lekötött összeg {1} kisebbnek kell lennie, vagy egyenlő fizetés Entry összeg {2}"
 DocType: Program Enrollment Tool,New Academic Term,Új akadémiai ciklus
 ,Course wise Assessment Report,Tanfolyamonkéni értékelő jelentés
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Az ITC állami / UT adót vette igénybe
 DocType: Tax Rule,Tax Rule,Adójogszabály
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Ugyanazt az árat tartani az egész értékesítési ciklusban
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Kérjük, jelentkezzen be másik felhasználónévvel a Marketplace-en való regisztráláshoz"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Kérjük, jelentkezzen be másik felhasználónévvel a Marketplace-en való regisztráláshoz"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Tervezési idő naplók a Munkaállomés  munkaidején kívül.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Vevők sorban
 DocType: Driver,Issuing Date,Kibocsátási dátum
@@ -6639,11 +6710,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Küldje el ezt a munka megrendelést további feldolgozás céljából.
 ,Items To Be Requested,Tételek kell kérni
 DocType: Company,Company Info,Vállakozás adatai
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Válasszon ki vagy adjon hozzá új vevőt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Válasszon ki vagy adjon hozzá új vevőt
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Költséghely szükséges költségtérítési igény könyveléséhez
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Vagyon tárgyak alkalmazás (tárgyi eszközök)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ez az Alkalmazott jelenlétén alapszik
-DocType: Assessment Result,Summary,Összefoglalás
 DocType: Payment Request,Payment Request Type,Fizetési kérelem típusa
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Megjelölés a részvételre
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Tartozás Számla
@@ -6651,7 +6721,7 @@
 DocType: Additional Salary,Employee Name,Alkalmazott neve
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Éttermi rendelési bejegyzés tétele
 DocType: Purchase Invoice,Rounded Total (Company Currency),Kerekített összeg (a cég pénznemében)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Nem lehet csoporttá alakítani, mert a számla típus ki van választva."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Nem lehet csoporttá alakítani, mert a számla típus ki van választva."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0} {1} módosításra került. Kérjük, frissítse."
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,"Tiltsa a felhasználóknak, hogy eltávozást igényelhessenek a következő napokra."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ha a Loyalty Pontok korlátlan lejárati ideje lejárt, akkor tartsa az Expiry Duration (lejárati időtartam) üresen vagy 0 értéken."
@@ -6672,11 +6742,12 @@
 DocType: Asset,Out of Order,Üzemen kívül
 DocType: Purchase Receipt Item,Accepted Quantity,Elfogadott mennyiség
 DocType: Projects Settings,Ignore Workstation Time Overlap,Munkaállomás időátfedésének figyelmen kívül hagyása
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Kérjük, állítsa be az alapértelmezett Ünnepet erre az Alkalmazottra: {0} vagy Vállalkozásra: {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Kérjük, állítsa be az alapértelmezett Ünnepet erre az Alkalmazottra: {0} vagy Vállalkozásra: {1}"
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} nem létezik
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Válasszon köteg számokat
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,A GSTIN-hez
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,A GSTIN-hez
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Vevők számlái
+DocType: Healthcare Settings,Invoice Appointments Automatically,Számlázási automatikus naptár
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt téma azonosító
 DocType: Salary Component,Variable Based On Taxable Salary,Adóköteles fizetésen alapuló változó
 DocType: Company,Basic Component,Alapkomponens
@@ -6689,10 +6760,10 @@
 DocType: Stock Entry,Source Warehouse Address,Forrás raktárkészlet címe
 DocType: GL Entry,Voucher Type,Bizonylat típusa
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,"Árlista nem található, vagy letiltva"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,"Árlista nem található, vagy letiltva"
 DocType: Student Applicant,Approved,Jóváhagyott
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Árazás
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Elengedett alkalmazott: {0} , be kell állítani mint 'Távol'"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Elengedett alkalmazott: {0} , be kell állítani mint 'Távol'"
 DocType: Marketplace Settings,Last Sync On,Utolsó szinkronizálás ekkor
 DocType: Guardian,Guardian,"Gyám, helyettesítő"
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Minden kommunikációt, beleértve a fentieket is, át kell helyezni az új garanciális ügybe"
@@ -6715,14 +6786,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,A területen észlelt kórokozók listája. Kiválasztáskor automatikusan felveszi a kórokozók kezelésére szolgáló feladatok listáját
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,"Ez egy forrás egészségügyi szolgáltatási egység, és nem szerkeszthető."
 DocType: Asset Repair,Repair Status,Javítási állapota
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Értékesítési partnerek hozzáadása
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Könyvelési naplóbejegyzések.
 DocType: Travel Request,Travel Request,Utazási kérelem
 DocType: Delivery Note Item,Available Qty at From Warehouse,Elérhető Mennyiség a behozatali raktárban
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Kérjük, válassza ki először az Alkalmazotti bejegyzést."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Részvételt nem jelölte {0} , mert szabadságon volt."
 DocType: POS Profile,Account for Change Amount,Átváltási összeg számlája
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Csatlakozás QuickBookshez
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Teljes nyereség/veszteség
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Érvénytelen vállalkozás az Inter vállalkozás számlájára.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Érvénytelen vállalkozás az Inter vállalkozás számlájára.
 DocType: Purchase Invoice,input service,bemeneti szolgáltatás
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Sor {0}: Ügyfél / fiók nem egyezik {1} / {2} a {3} {4}
 DocType: Employee Promotion,Employee Promotion,Alkalmazotti promóció
@@ -6731,12 +6804,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Tanfolyam kód:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Kérjük, adja meg a Költség számlát"
 DocType: Account,Stock,Készlet
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Sor # {0}: Referencia Dokumentum típus legyen Beszerzési megrendelés, Beszerzési számla vagy Naplókönyvelés"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Sor # {0}: Referencia Dokumentum típus legyen Beszerzési megrendelés, Beszerzési számla vagy Naplókönyvelés"
 DocType: Employee,Current Address,Jelenlegi cím
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ha a tétel egy másik tétel egy változata akkor a leírás, kép, árképzés, adók stb. a sablonból lesz kiállítva, hacsak nincs külön meghatározva"
 DocType: Serial No,Purchase / Manufacture Details,Beszerzés / gyártás Részletek
 DocType: Assessment Group,Assessment Group,Értékelés csoport
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Köteg  készlet
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Eljárás elnevezése
 DocType: Employee,Contract End Date,Szerződés lejárta
 DocType: Amazon MWS Settings,Seller ID,Az eladó azonosítója
@@ -6756,12 +6830,12 @@
 DocType: Company,Date of Incorporation,Bejegyzés kelte
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Összes adó
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Utolsó vétel ár
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Mennyiséghez (gyártott db) kötelező
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Mennyiséghez (gyártott db) kötelező
 DocType: Stock Entry,Default Target Warehouse,Alapértelmezett cél raktár
 DocType: Purchase Invoice,Net Total (Company Currency),Nettó összesen (vállalkozás pénznemében)
 DocType: Delivery Note,Air,Levegő
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Az év vége dátum nem lehet korábbi, mint az Év kezdete. Kérjük javítsa ki a dátumot, és próbálja újra."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nem szerepel az Lehetséges Ünnepi Listában
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nem szerepel az Lehetséges Ünnepi Listában
 DocType: Notification Control,Purchase Receipt Message,Beszerzési megrendelés nyugta üzenet
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Hulladék tételek
@@ -6783,23 +6857,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Teljesülés
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Előző sor összegén
 DocType: Item,Has Expiry Date,Érvényességi idővel rendelkezik
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Vagyontárgy átvitel
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Vagyontárgy átvitel
 DocType: POS Profile,POS Profile,POS profil
 DocType: Training Event,Event Name,Esemény neve
 DocType: Healthcare Practitioner,Phone (Office),Telefon (iroda)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nem lehet elküldeni, a munkatársak figyelmen kívül hagyják a részvételt"
 DocType: Inpatient Record,Admission,Belépés
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Felvételi: {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések tervezéséhez, célok stb"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések tervezéséhez, célok stb"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Változó név
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Tétel:  {0}, egy sablon, kérjük, válasszon variánst"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Kérjük, állítsa be az alkalmazottak elnevezési rendszerét az emberi erőforrás&gt; HR beállításoknál"
+DocType: Purchase Invoice Item,Deferred Expense,Halasztott költség
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},A (z) {0} dátumtól kezdve nem lehet a munkavállaló munkábalépési dátuma {1} előtti
 DocType: Asset,Asset Category,Vagyontárgy kategória
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Nettó fizetés nem lehet negatív
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Nettó fizetés nem lehet negatív
 DocType: Purchase Order,Advance Paid,A kifizetett előleg
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Túltermelés százaléka az értékesítési vevői rendelésre
 DocType: Item,Item Tax,Tétel adójának típusa
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Anyag beszállítóhoz
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Anyag beszállítóhoz
 DocType: Soil Texture,Loamy Sand,Agyagos homok
 DocType: Production Plan,Material Request Planning,Anyagigénylés tervezés
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Jövedéki számla
@@ -6821,11 +6897,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Ütemező eszköz
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Hitelkártya
 DocType: BOM,Item to be manufactured or repacked,A tétel gyártott vagy újracsomagolt
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Szintaktikai hiba ebben az állapotban: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Szintaktikai hiba ebben az állapotban: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Fő / választható témák
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,"Kérjük, állítsa be a beszállítói csoportot a beszerzés beállításokból."
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,"Kérjük, állítsa be a beszállítói csoportot a beszerzés beállításokból."
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}","A rugalmas juttatási összetevő összegének {0} kevesebbnek kell lennie, mint a maximális haszon {1}"
 DocType: Sales Invoice Item,Drop Ship,Drop Ship /Vevőtől eladóhoz/
 DocType: Driver,Suspended,Felfüggesztett
@@ -6845,7 +6921,7 @@
 DocType: Customer,Commission Rate,Jutalék árértéke
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Sikeresen létrehozott fizetési bejegyzések
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Létrehozta a (z) {0} eredménymutatókat {1} között:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Változat létrehozás
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Változat létrehozás
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Fizetés mód legyen Kapott, Fizetett és Belső Transzfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Kedvezményes szálláslehetőség területe
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Elemzés
@@ -6856,7 +6932,7 @@
 DocType: Work Order,Actual Operating Cost,Tényleges működési költség
 DocType: Payment Entry,Cheque/Reference No,Csekk/Hivatkozási szám
 DocType: Soil Texture,Clay Loam,Agyagos termőtalaj
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root nem lehet szerkeszteni.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root nem lehet szerkeszteni.
 DocType: Item,Units of Measure,Mértékegységek
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Bérelt Metro Cityben
 DocType: Supplier,Default Tax Withholding Config,Alapértelmezett adó visszatartási beállítás
@@ -6874,21 +6950,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,A fizetés befejezése után a felhasználót átirányítja a kiválasztott oldalra.
 DocType: Company,Existing Company,Meglévő vállalkozás
 DocType: Healthcare Settings,Result Emailed,Eredmény elküldve
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Adó kategóriák erre változott: ""Összes"", mert az összes tételek nem raktáron lévő tételek"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Adó kategóriák erre változott: ""Összes"", mert az összes tételek nem raktáron lévő tételek"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,"Mai napig nem lehet egyenlő vagy kevesebb, mint a dátumtól"
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nincs mit változtatni
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Kérjük, válasszon egy csv fájlt"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,"Kérjük, válasszon egy csv fájlt"
 DocType: Holiday List,Total Holidays,Ünnepek összesen
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,"Hiányzó e-mail sablon a feladáshoz.  Kérjük, állítson be egyet a Szállítási beállításokban."
 DocType: Student Leave Application,Mark as Present,Jelenlévővé jelölés
 DocType: Supplier Scorecard,Indicator Color,Jelölés színe
 DocType: Purchase Order,To Receive and Bill,Beérkeztetés és Számlázás
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,# {0} sor: A dátum nem lehet a tranzakció dátuma előtt
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,# {0} sor: A dátum nem lehet a tranzakció dátuma előtt
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Kiemelt termékek
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Válassza ki a sorozatszámot
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Válassza ki a sorozatszámot
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Tervező
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Általános szerződési feltételek sablon
 DocType: Serial No,Delivery Details,Szállítási adatok
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Költséghely szükséges ebben a sorban {0} az adók táblázatának ezen típusához {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Költséghely szükséges ebben a sorban {0} az adók táblázatának ezen típusához {1}
 DocType: Program,Program Code,Programkód
 DocType: Terms and Conditions,Terms and Conditions Help,Általános szerződési feltételek  Súgó
 ,Item-wise Purchase Register,Tételenkénti Beszerzés Regisztráció
@@ -6901,15 +6978,16 @@
 DocType: Contract,Contract Terms,Szerződéses feltételek
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Nem jelezzen szimbólumokat, mint $ stb. a pénznemek mellett."
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},A (z) {0} komponens maximális haszna meghaladja {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Fél Nap)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Fél Nap)
 DocType: Payment Term,Credit Days,Hitelezés napokban
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Kérem, válassza a Patient-ot, hogy megkapja a Lab Test-et"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Tanuló köteg létrehozás
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Gyártáshoz áthozatal engedélyezése
 DocType: Leave Type,Is Carry Forward,Ez átvitt
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Elemek lekérése Anyagjegyzékből
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Elemek lekérése Anyagjegyzékből
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Érdeklődés ideje napokban
 DocType: Cash Flow Mapping,Is Income Tax Expense,Ez jövedelemadó költség
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,A rendelése kiszállításra került!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Sor # {0}: Beküldés dátuma meg kell egyeznie a vásárlás dátumát {1} eszköz {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Jelölje be ezt, ha a diák lakóhelye az intézet diákszállása."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Kérjük, adja meg a vevői rendeléseket, a fenti táblázatban"
@@ -6917,10 +6995,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Egy vagyontárgy átvitele az egyik raktárból a másikba
 DocType: Vehicle,Petrol,Benzin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),A fennmaradó előnyök (évente)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Anyagjegyzék
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Anyagjegyzék
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Sor {0}: Ügyfél típusa szükséges a Bevételi / Fizetendő számlákhoz:  {1}
 DocType: Employee,Leave Policy,Távollét szabály
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Tételek frissítése
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Tételek frissítése
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Hiv. dátuma
 DocType: Employee,Reason for Leaving,Kilépés indoka
 DocType: BOM Operation,Operating Cost(Company Currency),Üzemeltetési költség (Vállaklozás pénzneme)
@@ -6931,7 +7009,7 @@
 DocType: Department,Expense Approvers,Költségvetési jóváhagyók
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: terheléssel nem kapcsolódik a {1}
 DocType: Journal Entry,Subscription Section,Előfizetési szakasz
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,A {0} számla nem létezik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,A {0} számla nem létezik
 DocType: Training Event,Training Program,Képzési program
 DocType: Account,Cash,Készpénz
 DocType: Employee,Short biography for website and other publications.,Rövid életrajz a honlaphoz és egyéb kiadványokhoz.
diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv
index 2ae2e22..b67fc88 100644
--- a/erpnext/translations/id.csv
+++ b/erpnext/translations/id.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Produk Pelanggan
 DocType: Project,Costing and Billing,Biaya dan Penagihan
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Mata uang akun muka harus sama dengan mata uang perusahaan {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Akun {0}: akun Induk {1} tidak dapat berupa buku besar
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Akun {0}: akun Induk {1} tidak dapat berupa buku besar
 DocType: Item,Publish Item to hub.erpnext.com,Publikasikan Item untuk hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Tidak dapat menemukan Periode Keluar aktif
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Tidak dapat menemukan Periode Keluar aktif
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Evaluasi
 DocType: Item,Default Unit of Measure,Standar Satuan Ukur
 DocType: SMS Center,All Sales Partner Contact,Semua Kontak Mitra Penjualan
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klik Enter To Add
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Nilai yang hilang untuk Kata Sandi, Kunci API, atau URL Shopify"
 DocType: Employee,Rented,Sewaan
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Semua Akun
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Semua Akun
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Tidak dapat mentransfer Karyawan dengan status Kiri
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Berhenti Order Produksi tidak dapat dibatalkan, unstop terlebih dahulu untuk membatalkan"
 DocType: Vehicle Service,Mileage,Jarak tempuh
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Apakah Anda benar-benar ingin membatalkan aset ini?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Apakah Anda benar-benar ingin membatalkan aset ini?
 DocType: Drug Prescription,Update Schedule,Perbarui Jadwal
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Pilih Default Pemasok
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Tampilkan Karyawan
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nilai Tukar Baru
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Mata Uang diperlukan untuk Daftar Harga {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Mata Uang diperlukan untuk Daftar Harga {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Akan dihitung dalam transaksi.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Kontak Pelanggan
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Hal ini didasarkan pada transaksi terhadap Pemasok ini. Lihat timeline di bawah untuk rincian
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Overproduction Persentase Untuk Pesanan Pekerjaan
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Hukum
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Hukum
+DocType: Delivery Note,Transport Receipt Date,Tanggal Penerimaan Transport
 DocType: Shopify Settings,Sales Order Series,Seri Pesanan Penjualan
 DocType: Vital Signs,Tongue,Lidah
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Pembebasan HRA
 DocType: Sales Invoice,Customer Name,Nama Pelanggan
 DocType: Vehicle,Natural Gas,Gas alam
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Rekening bank tidak dapat namakan sebagai {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Rekening bank tidak dapat namakan sebagai {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA sesuai Struktur Gaji
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kepala (atau kelompok) terhadap yang Entri Akuntansi dibuat dan saldo dipertahankan.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Posisi untuk {0} tidak bisa kurang dari nol ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Tanggal Penghentian Layanan tidak boleh sebelum Tanggal Mulai Layanan
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Tanggal Penghentian Layanan tidak boleh sebelum Tanggal Mulai Layanan
 DocType: Manufacturing Settings,Default 10 mins,Standar 10 menit
 DocType: Leave Type,Leave Type Name,Nama Tipe Cuti
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Tampilkan terbuka
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Tampilkan terbuka
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Nomor Seri Berhasil Diperbarui
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Periksa
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} secara berurutan {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} secara berurutan {1}
 DocType: Asset Finance Book,Depreciation Start Date,Tanggal Mulai Depresiasi
 DocType: Pricing Rule,Apply On,Terapkan Pada
 DocType: Item Price,Multiple Item prices.,Multiple Item harga.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Pengaturan dukungan
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Diharapkan Tanggal Berakhir tidak bisa kurang dari yang diharapkan Tanggal Mulai
 DocType: Amazon MWS Settings,Amazon MWS Settings,Pengaturan MWS Amazon
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Tingkat harus sama dengan {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Tingkat harus sama dengan {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Status Kadaluarsa Persediaan Batch
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Draft
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Rincian Kontak Utama
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,terbuka Isu
 DocType: Production Plan Item,Production Plan Item,Rencana Produksi Stok Barang
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Pengguna {0} sudah ditugaskan untuk Karyawan {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Pengguna {0} sudah ditugaskan untuk Karyawan {1}
 DocType: Lab Test Groups,Add new line,Tambahkan baris baru
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Kesehatan
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Keterlambatan pembayaran (Hari)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Resep Lab
 ,Delay Days,Tunda hari
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Beban layanan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Nomor Seri: {0} sudah dirujuk dalam Faktur Penjualan: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Nomor Seri: {0} sudah dirujuk dalam Faktur Penjualan: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktur
 DocType: Purchase Invoice Item,Item Weight Details,Rincian Berat Item
 DocType: Asset Maintenance Log,Periodicity,Periode
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Tahun fiskal {0} diperlukan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Pemasok&gt; Grup Pemasok
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Jarak minimum antara deretan tanaman untuk pertumbuhan optimum
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Pertahanan
 DocType: Salary Component,Abbr,Singkatan
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Daftar Hari Libur
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Akuntan
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Daftar Harga Jual
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Daftar Harga Jual
 DocType: Patient,Tobacco Current Use,Penggunaan Saat Ini Tembakau
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Tingkat penjualan
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Tingkat penjualan
 DocType: Cost Center,Stock User,Pengguna Persediaan
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca+Mg)/K
+DocType: Delivery Stop,Contact Information,Kontak informasi
 DocType: Company,Phone No,No Telepon yang
 DocType: Delivery Trip,Initial Email Notification Sent,Pemberitahuan email awal terkirim
 DocType: Bank Statement Settings,Statement Header Mapping,Pemetaan Header Pernyataan
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Tanggal Mulai Berlangganan
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Rekening piutang standar yang akan digunakan jika tidak ditetapkan pada Pasien untuk memesan biaya Penunjukan.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Melampirkan file .csv dengan dua kolom, satu untuk nama lama dan satu untuk nama baru"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Dari Alamat 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kode Barang&gt; Kelompok Barang&gt; Merek
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Dari Alamat 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} tidak dalam Tahun Anggaran aktif.
 DocType: Packed Item,Parent Detail docname,Induk Detil docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referensi: {0}, Kode Item: {1} dan Pelanggan: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} tidak ada di perusahaan induk
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} tidak ada di perusahaan induk
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Tanggal Akhir Periode Uji Coba Tidak boleh sebelum Tanggal Mulai Periode Uji Coba
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Kategori Pemotongan Pajak
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Iklan
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Perusahaan yang sama dimasukkan lebih dari sekali
 DocType: Patient,Married,Menikah
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Tidak diizinkan untuk {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Tidak diizinkan untuk {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Mendapatkan Stok Barang-Stok Barang dari
 DocType: Price List,Price Not UOM Dependant,Harga UOM Tidak Tergantung
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Terapkan Pajak Pemotongan Amount
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Persediaan tidak dapat diperbarui terhadap Nota Pengiriman {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Jumlah Total Dikreditkan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Persediaan tidak dapat diperbarui terhadap Nota Pengiriman {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Jumlah Total Dikreditkan
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produk {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Tidak ada item yang terdaftar
 DocType: Asset Repair,Error Description,Deskripsi kesalahan
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Gunakan Format Arus Kas Khusus
 DocType: SMS Center,All Sales Person,Semua Salesmen
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Distribusi Bulanan ** membantu Anda mendistribusikan Anggaran / Target di antara bulan-bulan jika bisnis Anda memiliki musim.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Tidak item yang ditemukan
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Struktur Gaji Hilang
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Tidak item yang ditemukan
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Struktur Gaji Hilang
 DocType: Lead,Person Name,Nama orang
 DocType: Sales Invoice Item,Sales Invoice Item,Faktur Penjualan Stok Barang
 DocType: Account,Credit,Kredit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Laporan Persediaan
 DocType: Warehouse,Warehouse Detail,Detail Gudang
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Jangka Tanggal Akhir tidak bisa lebih lambat dari Akhir Tahun Tanggal Tahun Akademik yang istilah terkait (Tahun Akademik {}). Perbaiki tanggal dan coba lagi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Aset Tetap"" tidak dapat tidak dicentang, karena ada data Asset terhadap barang"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Aset Tetap"" tidak dapat tidak dicentang, karena ada data Asset terhadap barang"
 DocType: Delivery Trip,Departure Time,Waktu keberangkatan
 DocType: Vehicle Service,Brake Oil,Minyak Rem
 DocType: Tax Rule,Tax Type,Jenis pajak
 ,Completed Work Orders,Perintah Kerja Selesai
 DocType: Support Settings,Forum Posts,Kiriman Forum
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Jumlah Kena Pajak
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Jumlah Kena Pajak
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Anda tidak diizinkan menambah atau memperbarui entri sebelum {0}
 DocType: Leave Policy,Leave Policy Details,Tinggalkan Detail Kebijakan
 DocType: BOM,Item Image (if not slideshow),Gambar Stok Barang (jika tidak slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif per Jam / 60) * Masa Beroperasi Sebenarnya
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Baris # {0}: Jenis Dokumen Referensi harus menjadi salah satu Klaim Biaya atau Entri Jurnal
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Pilih BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Baris # {0}: Jenis Dokumen Referensi harus menjadi salah satu Klaim Biaya atau Entri Jurnal
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Pilih BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Biaya Produk Terkirim
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Liburan di {0} bukan antara Dari Tanggal dan To Date
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Template dari klasemen pemasok.
 DocType: Lead,Interested,Tertarik
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Pembukaan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Dari {0} ke {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Dari {0} ke {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Gagal menyetorkan pajak
 DocType: Item,Copy From Item Group,Salin Dari Grup Stok Barang
-DocType: Delivery Trip,Delivery Notification,Pemberitahuan pengiriman
 DocType: Journal Entry,Opening Entry,Entri Pembukaan
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Akun Pembayaran Saja
 DocType: Loan,Repay Over Number of Periods,Membayar Lebih dari Jumlah Periode
 DocType: Stock Entry,Additional Costs,Biaya-biaya tambahan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup.
 DocType: Lead,Product Enquiry,Produk Enquiry
 DocType: Education Settings,Validate Batch for Students in Student Group,Validasi Batch untuk Siswa di Kelompok Pelajar
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Tidak ada cuti record yang ditemukan untuk karyawan {0} untuk {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Silahkan masukkan perusahaan terlebih dahulu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Silakan pilih Perusahaan terlebih dahulu
 DocType: Employee Education,Under Graduate,Sarjana
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Silakan mengatur template default untuk Pemberitahuan Status Cuti di Pengaturan HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Silakan mengatur template default untuk Pemberitahuan Status Cuti di Pengaturan HR.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Sasaran On
 DocType: BOM,Total Cost,Total Biaya
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Laporan Rekening
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmasi
 DocType: Purchase Invoice Item,Is Fixed Asset,Apakah Aset Tetap
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Tersedia qty adalah {0}, Anda perlu {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Tersedia qty adalah {0}, Anda perlu {1}"
 DocType: Expense Claim Detail,Claim Amount,Nilai Klaim
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Perintah Kerja telah {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Template Inspeksi Kualitas
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Apakah Anda ingin memperbarui kehadiran? <br> Hadir: {0} \ <br> Absen: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Jumlah Diterima + Ditolak harus sama dengan jumlah yang diterima untuk Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Jumlah Diterima + Ditolak harus sama dengan jumlah yang diterima untuk Item {0}
 DocType: Item,Supply Raw Materials for Purchase,Bahan pasokan baku untuk Pembelian
 DocType: Agriculture Analysis Criteria,Fertilizer,Pupuk
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Tidak dapat memastikan pengiriman oleh Serial No sebagai \ Item {0} ditambahkan dengan dan tanpa Pastikan Pengiriman oleh \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Setidaknya satu cara pembayaran diperlukan untuk POS faktur.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Setidaknya satu cara pembayaran diperlukan untuk POS faktur.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Item Faktur Transaksi Pernyataan Bank
 DocType: Products Settings,Show Products as a List,Tampilkan Produk sebagai sebuah Daftar
 DocType: Salary Detail,Tax on flexible benefit,Pajak atas manfaat fleksibel
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Qty Diff
 DocType: Production Plan,Material Request Detail,Detail Permintaan Material
 DocType: Selling Settings,Default Quotation Validity Days,Hari Validasi Kutipan Default
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk mencakup pajak berturut-turut {0} di tingkat Stok Barang, pajak dalam baris {1} juga harus disertakan"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk mencakup pajak berturut-turut {0} di tingkat Stok Barang, pajak dalam baris {1} juga harus disertakan"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Validasi Hadir
 DocType: Sales Invoice,Change Amount,perubahan Jumlah
 DocType: Party Tax Withholding Config,Certificate Received,Sertifikat Diterima
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Tetapkan Nilai Faktur untuk B2C. B2CL dan B2CS dihitung berdasarkan nilai faktur ini.
 DocType: BOM Update Tool,New BOM,BOM Baru
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Prosedur yang Ditetapkan
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Prosedur yang Ditetapkan
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Hanya tampilkan POS
 DocType: Supplier Group,Supplier Group Name,Nama Grup Pemasok
 DocType: Driver,Driving License Categories,Kategori Lisensi Mengemudi
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Periode Penggajian
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,membuat Karyawan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Penyiaran
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Modus setup POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Modus setup POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Menonaktifkan pembuatan log waktu terhadap Perintah Kerja. Operasi tidak akan dilacak terhadap Perintah Kerja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Eksekusi
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Rincian operasi yang dilakukan.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Diskon Harga Daftar Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Item Template
 DocType: Job Offer,Select Terms and Conditions,Pilih Syarat dan Ketentuan
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,out Nilai
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,out Nilai
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Item Pengaturan Pernyataan Bank
 DocType: Woocommerce Settings,Woocommerce Settings,Pengaturan Woocommerce
 DocType: Production Plan,Sales Orders,Order Penjualan
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Permintaan untuk kutipan dapat diakses dengan mengklik link berikut
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Penciptaan Alat Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Deskripsi pembayaran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Persediaan tidak cukup
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Persediaan tidak cukup
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Nonaktifkan Perencanaan Kapasitas dan Waktu Pelacakan
 DocType: Email Digest,New Sales Orders,Penjualan New Orders
 DocType: Bank Account,Bank Account,Rekening Bank
 DocType: Travel Itinerary,Check-out Date,Tanggal keluar
 DocType: Leave Type,Allow Negative Balance,Izinkan Saldo Negatif
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Anda tidak bisa menghapus Jenis Proyek 'External'
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Pilih Item Alternatif
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Pilih Item Alternatif
 DocType: Employee,Create User,Buat pengguna
 DocType: Selling Settings,Default Territory,Wilayah Standar
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televisi
 DocType: Work Order Operation,Updated via 'Time Log',Diperbarui melalui 'Log Waktu'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Pilih pelanggan atau pemasok.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Jumlah muka tidak dapat lebih besar dari {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Jumlah muka tidak dapat lebih besar dari {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slot waktu dilewati, slot {0} ke {1} tumpang tindih slot yang ada {2} ke {3}"
 DocType: Naming Series,Series List for this Transaction,Daftar Series Transaksi ini
 DocType: Company,Enable Perpetual Inventory,Aktifkan Inventaris Abadi
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Terhadap Barang di Faktur Penjualan
 DocType: Agriculture Analysis Criteria,Linked Doctype,Linked Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Kas Bersih dari Pendanaan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyimpan"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyimpan"
 DocType: Lead,Address & Contact,Alamat & Kontak
 DocType: Leave Allocation,Add unused leaves from previous allocations,Tambahkan 'cuti tak terpakai' dari alokasi sebelumnya
 DocType: Sales Partner,Partner website,situs mitra
@@ -446,10 +446,10 @@
 ,Open Work Orders,Buka Perintah Kerja
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Item Biaya Konsultasi Pasien
 DocType: Payment Term,Credit Months,Bulan kredit
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Pay bersih yang belum bisa kurang dari 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Pay bersih yang belum bisa kurang dari 0
 DocType: Contract,Fulfilled,Terpenuhi
 DocType: Inpatient Record,Discharge Scheduled,Discharge Dijadwalkan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Menghilangkan Tanggal harus lebih besar dari Tanggal Bergabung
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Menghilangkan Tanggal harus lebih besar dari Tanggal Bergabung
 DocType: POS Closing Voucher,Cashier,Kasir
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,cuti per Tahun
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Baris {0}: Silakan periksa 'Apakah Muka' terhadap Rekening {1} jika ini adalah sebuah entri muka.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Tolong atur Siswa di Kelompok Siswa
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Selesaikan Pekerjaan
 DocType: Item Website Specification,Item Website Specification,Item Situs Spesifikasi
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Cuti Diblokir
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Cuti Diblokir
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Entri Bank
 DocType: Customer,Is Internal Customer,Apakah Pelanggan Internal
 DocType: Crop,Annual,Tahunan
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Jika Auto Opt In dicentang, maka pelanggan akan secara otomatis terhubung dengan Program Loyalitas yang bersangkutan (saat disimpan)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Barang Rekonsiliasi Persediaan
 DocType: Stock Entry,Sales Invoice No,Nomor Faktur Penjualan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Jenis Suplai
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Jenis Suplai
 DocType: Material Request Item,Min Order Qty,Min Order Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursus Grup Pelajar Penciptaan Alat
 DocType: Lead,Do Not Contact,Jangan Hubungi
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Publikasikan di Hub
 DocType: Student Admission,Student Admission,Mahasiswa Pendaftaran
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Item {0} dibatalkan
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Item {0} dibatalkan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Baris Depresiasi {0}: Tanggal Mulai Penyusutan dimasukkan sebagai tanggal terakhir
 DocType: Contract Template,Fulfilment Terms and Conditions,Syarat dan Ketentuan Pemenuhan
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Permintaan Material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Permintaan Material
 DocType: Bank Reconciliation,Update Clearance Date,Perbarui Tanggal Kliring
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Rincian pembelian
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} tidak ditemukan dalam &#39;Bahan Baku Disediakan&#39; tabel dalam Purchase Order {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} tidak ditemukan dalam &#39;Bahan Baku Disediakan&#39; tabel dalam Purchase Order {1}
 DocType: Salary Slip,Total Principal Amount,Jumlah Pokok Jumlah
 DocType: Student Guardian,Relation,Hubungan
 DocType: Student Guardian,Mother,Ibu
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Pengiriman County
 DocType: Currency Exchange,For Selling,Untuk Jual
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Belajar
+DocType: Purchase Invoice Item,Enable Deferred Expense,Aktifkan Beban Ditangguhkan
 DocType: Asset,Next Depreciation Date,Berikutnya Penyusutan Tanggal
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Biaya Aktivitas Per Karyawan
 DocType: Accounts Settings,Settings for Accounts,Pengaturan Akun
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Pemasok Faktur ada ada di Purchase Invoice {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Pemasok Faktur ada ada di Purchase Invoice {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Pengelolaan Tingkat Salesman
 DocType: Job Applicant,Cover Letter,Sampul surat
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Penghapusan Cek dan Deposito yang Jatuh Tempo
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Pengalaman Kerja Diluar
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Referensi Kesalahan melingkar
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Kartu Laporan Siswa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Dari Kode Pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Dari Kode Pin
 DocType: Appointment Type,Is Inpatient,Apakah rawat inap
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nama Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Dalam Kata-kata (Ekspor) akan terlihat sekali Anda menyimpan Delivery Note.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Multi Mata Uang
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipe Faktur
 DocType: Employee Benefit Claim,Expense Proof,Bukti Biaya
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Nota Pengiriman
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Hemat {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Nota Pengiriman
 DocType: Patient Encounter,Encounter Impression,Tayangan Pertemuan
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Persiapan Pajak
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Biaya Asset Terjual
 DocType: Volunteer,Morning,Pagi
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Entri pembayaran telah dimodifikasi setelah Anda menariknya. Silakan menariknya lagi.
 DocType: Program Enrollment Tool,New Student Batch,Batch Siswa Baru
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} dimasukan dua kali dalam Pajak Barang
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Ringkasan untuk minggu ini dan kegiatan yang tertunda
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} dimasukan dua kali dalam Pajak Barang
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Ringkasan untuk minggu ini dan kegiatan yang tertunda
 DocType: Student Applicant,Admitted,Diterima
 DocType: Workstation,Rent Cost,Biaya Sewa
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Jumlah Setelah Penyusutan
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Jumlah Setelah Penyusutan
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Mendatang Kalender Acara
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Atribut varian
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Silakan pilih bulan dan tahun
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Hanya ada 1 Akun per Perusahaan di {0} {1}
 DocType: Support Search Source,Response Result Key Path,Jalur Kunci Hasil Tanggapan
 DocType: Journal Entry,Inter Company Journal Entry,Entri Jurnal Perusahaan Inter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Untuk kuantitas {0} seharusnya tidak lebih besar dari kuantitas pesanan kerja {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Silakan lihat lampiran
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Untuk kuantitas {0} seharusnya tidak lebih besar dari kuantitas pesanan kerja {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Silakan lihat lampiran
 DocType: Purchase Order,% Received,% Diterima
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Buat Grup Mahasiswa
 DocType: Volunteer,Weekends,Akhir pekan
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Total Posisi
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mengubah mulai / nomor urut saat ini dari seri yang ada.
 DocType: Dosage Strength,Strength,Kekuatan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Buat Pelanggan baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Buat Pelanggan baru
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Kedaluwarsa pada
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jika beberapa Aturan Harga terus menang, pengguna akan diminta untuk mengatur Prioritas manual untuk menyelesaikan konflik."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Buat Purchase Order
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Biaya Consumable
 DocType: Purchase Receipt,Vehicle Date,Tanggal Kendaraan
 DocType: Student Log,Medical,Medis
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Alasan Kehilangan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Silakan pilih Obat
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Alasan Kehilangan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Silakan pilih Obat
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Pemilik Prospek tidak bisa sama dengan Prospek
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,jumlah yang dialokasikan tidak bisa lebih besar dari jumlah yang disesuaikan
 DocType: Announcement,Receiver,Penerima
 DocType: Location,Area UOM,Area UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation ditutup pada tanggal berikut sesuai Hari Libur Daftar: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Peluang
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Peluang
 DocType: Lab Test Template,Single,Tunggal
 DocType: Compensatory Leave Request,Work From Date,Bekerja Dari Tanggal
 DocType: Salary Slip,Total Loan Repayment,Total Pembayaran Pinjaman
+DocType: Project User,View attachments,Lihat lampiran
 DocType: Account,Cost of Goods Sold,Harga Pokok Penjualan
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Harap Masukan Jenis Biaya Pusat
 DocType: Drug Prescription,Dosage,Dosis
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Kuantitas dan Harga
 DocType: Delivery Note,% Installed,% Terpasang
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Ruang kelas / Laboratorium dll di mana kuliah dapat dijadwalkan.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Mata uang perusahaan dari kedua perusahaan harus sesuai untuk Transaksi Perusahaan Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Mata uang perusahaan dari kedua perusahaan harus sesuai untuk Transaksi Perusahaan Inter.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Silahkan masukkan nama perusahaan terlebih dahulu
 DocType: Travel Itinerary,Non-Vegetarian,Bukan vegetarian
 DocType: Purchase Invoice,Supplier Name,Nama Supplier
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Sementara di Tahan
 DocType: Account,Is Group,Apakah Group?
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Nota Kredit {0} telah dibuat secara otomatis
-DocType: Email Digest,Pending Purchase Orders,Pending Pembelian Pesanan
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Nomor Seri Otomatis berdasarkan FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Periksa keunikan nomor Faktur Supplier
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Rincian Alamat Utama
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Sesuaikan teks pengantar yang menjadi bagian dari surel itu. Setiap transaksi memiliki teks pengantar yang terpisah.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Baris {0}: Operasi diperlukan terhadap item bahan baku {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Harap atur akun hutang default untuk perusahaan {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transaksi tidak diizinkan melawan Stop Work Order {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transaksi tidak diizinkan melawan Stop Work Order {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Pengaturan global untuk semua proses manufaktur.
 DocType: Accounts Settings,Accounts Frozen Upto,Akun dibekukan sampai dengan
 DocType: SMS Log,Sent On,Dikirim Pada
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atribut {0} karena beberapa kali dalam Atribut Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atribut {0} karena beberapa kali dalam Atribut Tabel
 DocType: HR Settings,Employee record is created using selected field. ,
 DocType: Sales Order,Not Applicable,Tidak Berlaku
 DocType: Amazon MWS Settings,UK,UK
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Pegawai {0} telah mengajukan permohonan untuk {1} pada {2}:
 DocType: Inpatient Record,AB Positive,AB Positif
 DocType: Job Opening,Description of a Job Opening,Deskripsi dari Lowongan Pekerjaan
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Kegiatan tertunda untuk hari ini
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Kegiatan tertunda untuk hari ini
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Komponen gaji untuk gaji berdasarkan absen.
+DocType: Driver,Applicable for external driver,Berlaku untuk driver eksternal
 DocType: Sales Order Item,Used for Production Plan,Digunakan untuk Rencana Produksi
 DocType: Loan,Total Payment,Total pembayaran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Tidak dapat membatalkan transaksi untuk Perintah Kerja Selesai.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Tidak dapat membatalkan transaksi untuk Perintah Kerja Selesai.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Waktu diantara Operasi (di menit)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO sudah dibuat untuk semua item pesanan penjualan
 DocType: Healthcare Service Unit,Occupied,Sibuk
 DocType: Clinical Procedure,Consumables,Bahan habis pakai
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} dibatalkan sehingga tindakan tidak dapat diselesaikan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} dibatalkan sehingga tindakan tidak dapat diselesaikan
 DocType: Customer,Buyer of Goods and Services.,Pembeli Stok Barang dan Jasa.
 DocType: Journal Entry,Accounts Payable,Hutang
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Jumlah {0} yang ditetapkan dalam permintaan pembayaran ini berbeda dari jumlah yang dihitung dari semua paket pembayaran: {1}. Pastikan ini benar sebelum mengirimkan dokumen.
 DocType: Patient,Allergies,Alergi
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,BOMs yang dipilih tidak untuk item yang sama
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,BOMs yang dipilih tidak untuk item yang sama
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Ubah Kode Barang
 DocType: Supplier Scorecard Standing,Notify Other,Beritahu Lainnya
 DocType: Vital Signs,Blood Pressure (systolic),Tekanan Darah (sistolik)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Bagian yang cukup untuk Membangun
 DocType: POS Profile User,POS Profile User,Profil Pengguna POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Baris {0}: Tanggal Mulai Penyusutan diperlukan
-DocType: Sales Invoice Item,Service Start Date,Tanggal Mulai Layanan
+DocType: Purchase Invoice Item,Service Start Date,Tanggal Mulai Layanan
 DocType: Subscription Invoice,Subscription Invoice,Berlangganan Faktur
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Pendapatan Langsung
 DocType: Patient Appointment,Date TIme,Tanggal Waktu
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Rutin
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetik
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Silakan pilih Tanggal Penyelesaian untuk Pemeriksaan Pemeliharaan Aset Selesai
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut harus sama untuk kedua item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut harus sama untuk kedua item"
 DocType: Supplier,Block Supplier,Blokir Pemasok
 DocType: Shipping Rule,Net Weight,Berat Bersih
 DocType: Job Opening,Planned number of Positions,Jumlah Posisi yang direncanakan
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Template Pemetaan Arus Kas
 DocType: Travel Request,Costing Details,Detail Biaya
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Tampilkan Entri Kembali
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial Item tidak dapat pecahan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial Item tidak dapat pecahan
 DocType: Journal Entry,Difference (Dr - Cr),Perbedaan (Dr - Cr)
 DocType: Bank Guarantee,Providing,Menyediakan
 DocType: Account,Profit and Loss,Laba Rugi
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Tidak diizinkan, konfigurasikan Lab Test Template sesuai kebutuhan"
 DocType: Patient,Risk Factors,Faktor risiko
 DocType: Patient,Occupational Hazards and Environmental Factors,Bahaya Kerja dan Faktor Lingkungan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Entri Saham sudah dibuat untuk Perintah Kerja
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Entri Saham sudah dibuat untuk Perintah Kerja
 DocType: Vital Signs,Respiratory rate,Tingkat pernapasan
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Pengaturan Subkontrak
 DocType: Vital Signs,Body Temperature,Suhu tubuh
 DocType: Project,Project will be accessible on the website to these users,Proyek akan dapat diakses di website pengguna ini
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Tidak dapat membatalkan {0} {1} karena Serial No {2} bukan milik gudang {3}
 DocType: Detected Disease,Disease,Penyakit
+DocType: Company,Default Deferred Expense Account,Akun Beban Ditangguhkan Default
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Tentukan jenis proyek.
 DocType: Supplier Scorecard,Weighting Function,Fungsi pembobotan
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Item yang Diproduksi
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Cocokkan Transaksi ke Faktur
 DocType: Sales Order Item,Gross Profit,Laba Kotor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Bebaskan Blokir Faktur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Bebaskan Blokir Faktur
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Kenaikan tidak bisa 0
 DocType: Company,Delete Company Transactions,Hapus Transaksi Perusahaan
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referensi ada dan Tanggal referensi wajib untuk transaksi Bank
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Diabaikan
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} tidak aktif
 DocType: Woocommerce Settings,Freight and Forwarding Account,Akun Freight dan Forwarding
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,dimensi penyiapan cek untuk pencetakan
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,dimensi penyiapan cek untuk pencetakan
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Buat Slip Gaji
 DocType: Vital Signs,Bloated,Bengkak
 DocType: Salary Slip,Salary Slip Timesheet,Daftar Absen Slip Gaji
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Gudang wajib untuk Pembelian Penerimaan sub-kontrak
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Gudang wajib untuk Pembelian Penerimaan sub-kontrak
 DocType: Item Price,Valid From,Valid Dari
 DocType: Sales Invoice,Total Commission,Jumlah Nilai Komisi
 DocType: Tax Withholding Account,Tax Withholding Account,Akun Pemotongan Pajak
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Semua kartu pemilih Pemasok.
 DocType: Buying Settings,Purchase Receipt Required,Diperlukan Nota Penerimaan
 DocType: Delivery Note,Rail,Rel
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Gudang target di baris {0} harus sama dengan Pesanan Kerja
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Tingkat Valuasi adalah wajib jika menggunakan Persediaan Pembukaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Gudang target di baris {0} harus sama dengan Pesanan Kerja
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Tingkat Valuasi adalah wajib jika menggunakan Persediaan Pembukaan
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Tidak ada catatan yang ditemukan dalam tabel Faktur
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Silakan pilih Perusahaan dan Partai Jenis terlebih dahulu
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Sudah menetapkan default pada profil pos {0} untuk pengguna {1}, dengan baik dinonaktifkan secara default"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Keuangan / akuntansi Tahun Berjalan
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Keuangan / akuntansi Tahun Berjalan
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nilai akumulasi
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Maaf, Nomor Seri tidak dapat digabungkan"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Grup Pelanggan akan diatur ke grup yang dipilih saat menyinkronkan pelanggan dari Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,Id Prospek
 DocType: C-Form Invoice Detail,Grand Total,Nilai Jumlah Total
 DocType: Assessment Plan,Course,kuliah
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kode Bagian
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kode Bagian
 DocType: Timesheet,Payslip,payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Tanggal setengah hari harus di antara dari tanggal dan tanggal
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Item Cart
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Bio Pribadi
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID Keanggotaan
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Terkirim: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Terkirim: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Terhubung ke QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Akun Hutang
 DocType: Payment Entry,Type of Payment,Jenis Pembayaran
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Setengah Hari Tanggal adalah wajib
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Tanggal Tagihan Pengiriman
 DocType: Production Plan,Production Plan,Rencana produksi
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Membuka Invoice Creation Tool
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Retur Penjualan
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Retur Penjualan
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Catatan: Jumlah cuti dialokasikan {0} tidak boleh kurang dari cuti yang telah disetujui {1} untuk masa yang sama
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Tentukan Qty dalam Transaksi berdasarkan Serial No Input
 ,Total Stock Summary,Ringkasan Persediaan Total
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Pelanggan atau Produk
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Database Pelanggan.
 DocType: Quotation,Quotation To,Penawaran Kepada
-DocType: Lead,Middle Income,Penghasilan Menengah
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Penghasilan Menengah
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Pembukaan (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standar Satuan Ukur untuk Item {0} tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru menggunakan default UOM berbeda.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standar Satuan Ukur untuk Item {0} tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru menggunakan default UOM berbeda.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Jumlah yang dialokasikan tidak dijinkan negatif
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Harap atur Perusahaan
 DocType: Share Balance,Share Balance,Saldo Saham
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Pilih Account Pembayaran untuk membuat Bank Masuk
 DocType: Hotel Settings,Default Invoice Naming Series,Seri Penamaan Faktur Default
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Buat catatan Karyawan untuk mengelola cuti, klaim pengeluaran dan gaji"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Kesalahan terjadi selama proses pembaruan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Kesalahan terjadi selama proses pembaruan
 DocType: Restaurant Reservation,Restaurant Reservation,Reservasi Restoran
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Penulisan Proposal
 DocType: Payment Entry Deduction,Payment Entry Deduction,Pembayaran Masuk Pengurangan
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Membungkus
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Beritahu Pelanggan via Email
 DocType: Item,Batch Number Series,Batch Number Series
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Sales Person lain {0} ada dengan id Karyawan yang sama
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Sales Person lain {0} ada dengan id Karyawan yang sama
 DocType: Employee Advance,Claimed Amount,Jumlah klaim
+DocType: QuickBooks Migrator,Authorization Settings,Pengaturan Otorisasi
 DocType: Travel Itinerary,Departure Datetime,Berangkat Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Biaya Permintaan Perjalanan
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Penamaan Supplier Berdasarkan
 DocType: Activity Type,Default Costing Rate,Standar Tingkat Biaya
 DocType: Maintenance Schedule,Maintenance Schedule,Jadwal Pemeliharaan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Kemudian Aturan Harga disaring berdasarkan Pelanggan, Kelompok Pelanggan, Wilayah, Pemasok, Jenis Pemasok, Kampanye, Mitra Penjualan, dll."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Kemudian Aturan Harga disaring berdasarkan Pelanggan, Kelompok Pelanggan, Wilayah, Pemasok, Jenis Pemasok, Kampanye, Mitra Penjualan, dll."
 DocType: Employee Promotion,Employee Promotion Details,Detail Promosi Karyawan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Perubahan Nilai bersih dalam Persediaan
 DocType: Employee,Passport Number,Nomor Paspor
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Hubungan dengan Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manajer
 DocType: Payment Entry,Payment From / To,Pembayaran Dari / Untuk
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Dari Tahun Fiskal
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},batas kredit baru kurang dari jumlah yang luar biasa saat ini bagi pelanggan. batas kredit harus minimal {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Harap setel akun di Gudang {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Harap setel akun di Gudang {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Berdasarkan' dan 'Kelompokkan Menurut' tidak boleh sama
 DocType: Sales Person,Sales Person Targets,Target Sales Person
 DocType: Work Order Operation,In minutes,Dalam menit
 DocType: Issue,Resolution Date,Tanggal Resolusi
 DocType: Lab Test Template,Compound,Senyawa
+DocType: Opportunity,Probability (%),Probabilitas (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Pemberitahuan Pengiriman
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Pilih Properti
 DocType: Student Batch Name,Batch Name,Nama Kumpulan
 DocType: Fee Validity,Max number of visit,Jumlah kunjungan maksimal
 ,Hotel Room Occupancy,Kamar Hotel Okupansi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Absen dibuat:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Silakan set Cash standar atau rekening Bank Mode Pembayaran {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Silakan set Cash standar atau rekening Bank Mode Pembayaran {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Mendaftar
 DocType: GST Settings,GST Settings,Pengaturan GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Mata uang harus sama dengan Mata Uang Daftar Harga: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Total Utang Bunga
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Biaya Pajak dan Landing Cost
 DocType: Work Order Operation,Actual Start Time,Waktu Mulai Aktual
+DocType: Purchase Invoice Item,Deferred Expense Account,Akun Beban Ditangguhkan
 DocType: BOM Operation,Operation Time,Waktu Operasi
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Selesai
 DocType: Salary Structure Assignment,Base,Dasar
 DocType: Timesheet,Total Billed Hours,Total Jam Ditagih
 DocType: Travel Itinerary,Travel To,Perjalanan Ke
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,tidak
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Jumlah Nilai Write Off
 DocType: Leave Block List Allow,Allow User,Izinkan Pengguna
 DocType: Journal Entry,Bill No,Nomor Tagihan
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Lembar waktu
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Bahan Baku Berbasis Pada
 DocType: Sales Invoice,Port Code,Kode port
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Gudang Cadangan
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Gudang Cadangan
 DocType: Lead,Lead is an Organization,Lead adalah sebuah Organisasi
-DocType: Guardian Interest,Interest,Bunga
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pra penjualan
 DocType: Instructor Log,Other Details,Detail lainnya
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Akun / Rekening
 DocType: Vehicle,Odometer Value (Last),Odometer Nilai (terakhir)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Template dari kriteria scorecard pemasok.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Tukar Poin Loyalitas
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Entri pembayaran sudah dibuat
 DocType: Request for Quotation,Get Suppliers,Dapatkan Pemasok
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Tanaman Jarak UOM
 DocType: Loyalty Program,Single Tier Program,Program Tier Tunggal
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Pilih saja apakah Anda sudah menyiapkan dokumen Flow Flow Mapper
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Dari Alamat 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Dari Alamat 1
 DocType: Email Digest,Next email will be sent on:,Email berikutnya akan dikirim pada:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Item berikut {items} {verb} ditandai sebagai {message} item. \ Anda dapat mengaktifkannya sebagai {message} item dari master Itemnya
 DocType: Supplier Scorecard,Per Week,Per minggu
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Item memiliki varian.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Item memiliki varian.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Jumlah Siswa
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} tidak ditemukan
 DocType: Bin,Stock Value,Nilai Persediaan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Perusahaan {0} tidak ada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Perusahaan {0} tidak ada
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} memiliki validitas biaya sampai {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Jenis Tingkat Tree
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Kuantitas Dikonsumsi Per Unit
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Entri Kartu Kredit
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Perusahaan dan Account
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Nilai
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Nilai
 DocType: Asset Settings,Depreciation Options,Opsi Penyusutan
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Baik lokasi atau karyawan harus diwajibkan
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Waktu posting tidak valid
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Alokasi
 DocType: Purchase Order,Supply Raw Materials,Pasokan Bahan Baku
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Aset Lancar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} bukan Barang persediaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} bukan Barang persediaan
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Silakan bagikan umpan balik Anda ke pelatihan dengan mengklik &#39;Feedback Training&#39; dan kemudian &#39;New&#39;
 DocType: Mode of Payment Account,Default Account,Akun Standar
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Silahkan pilih Sampel Retention Warehouse di Stock Settings terlebih dahulu
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Silahkan pilih Sampel Retention Warehouse di Stock Settings terlebih dahulu
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Silakan pilih tipe Program Multi Tier untuk lebih dari satu aturan koleksi.
 DocType: Payment Entry,Received Amount (Company Currency),Menerima Jumlah (Perusahaan Mata Uang)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Prospek harus diatur apabila Peluang berasal dari Prospek
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Pembayaran Dibatalkan. Silakan periksa Akun GoCardless Anda untuk lebih jelasnya
 DocType: Contract,N/A,T / A
+DocType: Delivery Settings,Send with Attachment,Kirim dengan Lampiran
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Silakan pilih dari hari mingguan
 DocType: Inpatient Record,O Negative,O negatif
 DocType: Work Order Operation,Planned End Time,Rencana Waktu Berakhir
 ,Sales Person Target Variance Item Group-Wise,Sales Person Sasaran Variance Stok Barang Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Akun dengan transaksi yang ada tidak dapat dikonversi ke buku besar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Akun dengan transaksi yang ada tidak dapat dikonversi ke buku besar
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Rincian Jenis Memebership
 DocType: Delivery Note,Customer's Purchase Order No,Nomor Order Pembelian Pelanggan
 DocType: Clinical Procedure,Consume Stock,Konsumsi Saham
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Pasir
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energi
 DocType: Opportunity,Opportunity From,Peluang Dari
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Baris {0}: {1} Nomor seri diperlukan untuk Item {2}. Anda telah memberikan {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Baris {0}: {1} Nomor seri diperlukan untuk Item {2}. Anda telah memberikan {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Silahkan pilih sebuah tabel
 DocType: BOM,Website Specifications,Website Spesifikasi
 DocType: Special Test Items,Particulars,Particulars
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Dari {0} tipe {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor Konversi adalah wajib
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor Konversi adalah wajib
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Beberapa Aturan Harga ada dengan kriteria yang sama, silahkan menyelesaikan konflik dengan menetapkan prioritas. Harga Aturan: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Beberapa Aturan Harga ada dengan kriteria yang sama, silahkan menyelesaikan konflik dengan menetapkan prioritas. Harga Aturan: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Akun Revaluasi Nilai Tukar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak bisa menonaktifkan atau membatalkan BOM seperti yang terkait dengan BOMs lainnya
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak bisa menonaktifkan atau membatalkan BOM seperti yang terkait dengan BOMs lainnya
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Silakan pilih Perusahaan dan Tanggal Posting untuk mendapatkan entri
 DocType: Asset,Maintenance,Pemeliharaan
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Dapatkan dari Patient Encounter
 DocType: Subscriber,Subscriber,Subscriber
 DocType: Item Attribute Value,Item Attribute Value,Nilai Item Atribut
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Harap Perbarui Status Proyek Anda
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Harap Perbarui Status Proyek Anda
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Pertukaran Mata Uang harus berlaku untuk Membeli atau untuk Penjualan.
 DocType: Item,Maximum sample quantity that can be retained,Jumlah sampel maksimal yang bisa dipertahankan
 DocType: Project Update,How is the Project Progressing Right Now?,Bagaimana Kemajuan Proyek Sekarang?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Baris {0} # Item {1} tidak dapat ditransfer lebih dari {2} terhadap Pesanan Pembelian {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Baris {0} # Item {1} tidak dapat ditransfer lebih dari {2} terhadap Pesanan Pembelian {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kampanye penjualan.
 DocType: Project Task,Make Timesheet,membuat Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,Uji Lab
 DocType: Student Report Generation Tool,Student Report Generation Tool,Alat Pembangkitan Laporan Siswa
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Slot Waktu Jadwal Perawatan Kesehatan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Nama
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Nama
 DocType: Expense Claim Detail,Expense Claim Type,Tipe Beban Klaim
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Pengaturan default untuk Belanja
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Tambahkan Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Aset membatalkan via Journal Entri {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Setel Akun di Gudang {0} atau Akun Inventaris Default di Perusahaan {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Aset membatalkan via Journal Entri {0}
 DocType: Loan,Interest Income Account,Akun Pendapatan Bunga
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Manfaat maksimal harus lebih besar dari nol untuk mendapatkan manfaat
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Manfaat maksimal harus lebih besar dari nol untuk mendapatkan manfaat
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Tinjau Undangan Dikirim
 DocType: Shift Assignment,Shift Assignment,Pergeseran Tugas
 DocType: Employee Transfer Property,Employee Transfer Property,Properti Transfer Karyawan
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Dari Waktu Harus Kurang Dari Ke Waktu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Bioteknologi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Item {0} (Serial No: {1}) tidak dapat dikonsumsi seperti reserverd \ untuk memenuhi Sales Order {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Beban Pemeliharaan Kantor
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Pergi ke
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Perbarui Harga dari Shopify Ke Daftar Harga ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Mengatur Akun Email
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Entrikan Stok Barang terlebih dahulu
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Butuh analisa
 DocType: Asset Repair,Downtime,Downtime
 DocType: Account,Liability,Kewajiban
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksi Jumlah tidak dapat lebih besar dari Klaim Jumlah dalam Row {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksi Jumlah tidak dapat lebih besar dari Klaim Jumlah dalam Row {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Istilah Akademik:
 DocType: Salary Component,Do not include in total,Jangan termasuk secara total
 DocType: Company,Default Cost of Goods Sold Account,Standar Harga Pokok Penjualan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Kuantitas sampel {0} tidak boleh lebih dari jumlah yang diterima {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Daftar Harga tidak dipilih
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Kuantitas sampel {0} tidak boleh lebih dari jumlah yang diterima {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Daftar Harga tidak dipilih
 DocType: Employee,Family Background,Latar Belakang Keluarga
 DocType: Request for Quotation Supplier,Send Email,Kirim Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Peringatan: Lampiran tidak valid {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Peringatan: Lampiran tidak valid {0}
 DocType: Item,Max Sample Quantity,Jumlah Kuantitas Maks
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Tidak ada Izin
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Daftar Periksa Pemenuhan Kontrak
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Pusat Biaya {2} bukan milik Perusahaan {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Upload kepala surat Anda (Jaga agar web semudah 900px dengan 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akun {2} tidak boleh Kelompok
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {idx}: {doctype} {DOCNAME} tidak ada di atas &#39;{doctype}&#39; table
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Absen {0} sudah selesai atau dibatalkan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Absen {0} sudah selesai atau dibatalkan
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Tidak ada tugas
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Faktur Penjualan {0} dibuat sebagai berbayar
 DocType: Item Variant Settings,Copy Fields to Variant,Copy Fields ke Variant
 DocType: Asset,Opening Accumulated Depreciation,Membuka Penyusutan Akumulasi
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Skor harus kurang dari atau sama dengan 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Pendaftaran Alat
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form catatan
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form catatan
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Sahamnya sudah ada
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Pelanggan dan Pemasok
 DocType: Email Digest,Email Digest Settings,Pengaturan Surel Ringkasan
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,Pilih Produk
 DocType: Share Transfer,To Shareholder,Kepada Pemegang Saham
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} terhadap Tagihan {1} tanggal {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Dari Negara
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Dari Negara
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Lembaga Penyiapan
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Mengalokasikan daun ...
 DocType: Program Enrollment,Vehicle/Bus Number,Kendaraan / Nomor Bus
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Jadwal Kuliah
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Anda harus Mengurangi Pajak untuk Bukti Pembebasan Pajak Tidak Terkirim dan Manfaat Karyawan Tidak Diklaim \ pada Slip Gaji Terakhir Periode Penggajian
 DocType: Request for Quotation Supplier,Quote Status,Status Penawaran
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,Tanggal Jatuh Tempo Pembayaran
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Pilih ulang, jika alamat yang dipilih diedit setelah simpan"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Item Varian {0} sudah ada dengan atribut yang sama
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Item Varian {0} sudah ada dengan atribut yang sama
 DocType: Item,Hub Publishing Details,Rincian Hub Publishing
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Awal'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Awal'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Terbuka yang Harus Dilakukan
 DocType: Issue,Via Customer Portal,Melalui Portal Pelanggan
 DocType: Notification Control,Delivery Note Message,Pesan Nota Pengiriman
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Jumlah SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Jumlah SGST
 DocType: Lab Test Template,Result Format,Format Hasil
 DocType: Expense Claim,Expenses,Biaya / Beban
 DocType: Item Variant Attribute,Item Variant Attribute,Item Varian Atribut
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,Dua bulan sekali
 DocType: Vehicle Service,Brake Pad,Bantalan Rem
 DocType: Fertilizer,Fertilizer Contents,Isi pupuk
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Penelitian & Pengembangan
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Penelitian & Pengembangan
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Nilai Tertagih
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Tanggal mulai dan tanggal akhir tumpang tindih dengan kartu kerja <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Detail Pendaftaran
 DocType: Timesheet,Total Billed Amount,Jumlah Total Ditagih
 DocType: Item Reorder,Re-Order Qty,Re-order Qty
 DocType: Leave Block List Date,Leave Block List Date,Tanggal Block List Cuti
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Silakan siapkan Sistem Penamaan Pengajar di Pendidikan&gt; Pengaturan Pendidikan
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM #{0}: Bahan baku tidak boleh sama dengan Barang utamanya
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total Biaya Berlaku di Purchase meja Jenis Penerimaan harus sama dengan jumlah Pajak dan Biaya
 DocType: Sales Team,Incentives,Insentif
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,POS
 DocType: Fee Schedule,Fee Creation Status,Status Penciptaan Biaya
 DocType: Vehicle Log,Odometer Reading,Pembacaan odometer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo rekening telah berada di Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo rekening telah berada di Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'"
 DocType: Account,Balance must be,Saldo harus
 DocType: Notification Control,Expense Claim Rejected Message,Beban Klaim Ditolak Pesan
 ,Available Qty,Qty Tersedia
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Selalu selaraskan produk Anda dari Amazon MWS sebelum menyinkronkan detail Pesanan
 DocType: Delivery Trip,Delivery Stops,Pengiriman Berhenti
 DocType: Salary Slip,Working Days,Hari Kerja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Tidak dapat mengubah Tanggal Berhenti Layanan untuk item di baris {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Tidak dapat mengubah Tanggal Berhenti Layanan untuk item di baris {0}
 DocType: Serial No,Incoming Rate,Harga Penerimaan
 DocType: Packing Slip,Gross Weight,Berat Kotor
 DocType: Leave Type,Encashment Threshold Days,Hari Ambang Penyandian
@@ -1399,31 +1407,33 @@
 DocType: Restaurant Table,Minimum Seating,Tempat Duduk Minimal
 DocType: Item Attribute,Item Attribute Values,Item Nilai Atribut
 DocType: Examination Result,Examination Result,Hasil pemeriksaan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Nota Penerimaan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Nota Penerimaan
 ,Received Items To Be Billed,Produk Diterima Akan Ditagih
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Master Nilai Mata Uang
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Master Nilai Mata Uang
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referensi DOCTYPE harus menjadi salah satu {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter Total Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat menemukan waktu Slot di {0} hari berikutnya untuk Operasi {1}
 DocType: Work Order,Plan material for sub-assemblies,Planning Material untuk Barang Rakitan
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Mitra Penjualan dan Wilayah
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} harus aktif
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} harus aktif
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Tidak ada item yang tersedia untuk transfer
 DocType: Employee Boarding Activity,Activity Name,Nama Kegiatan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Ubah Tanggal Rilis
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Jumlah produk jadi <b>{0}</b> dan Untuk Kuantitas <b>{1}</b> tidak dapat berbeda
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Ubah Tanggal Rilis
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Jumlah produk jadi <b>{0}</b> dan Untuk Kuantitas <b>{1}</b> tidak dapat berbeda
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Penutupan (Pembukaan + Total)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kode Barang&gt; Kelompok Barang&gt; Merek
+DocType: Delivery Settings,Dispatch Notification Attachment,Lampiran Pemberitahuan Pemberitahuan
 DocType: Payroll Entry,Number Of Employees,Jumlah Karyawan
 DocType: Journal Entry,Depreciation Entry,penyusutan Masuk
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Silakan pilih jenis dokumen terlebih dahulu
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Silakan pilih jenis dokumen terlebih dahulu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Kunjungan Material {0} sebelum membatalkan ini Maintenance Visit
 DocType: Pricing Rule,Rate or Discount,Tarif atau Diskon
 DocType: Vital Signs,One Sided,Satu Sisi
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial ada {0} bukan milik Stok Barang {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Qty Diperlukan
 DocType: Marketplace Settings,Custom Data,Data Khusus
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke buku besar.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serial no wajib untuk item {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke buku besar.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serial no wajib untuk item {0}
 DocType: Bank Reconciliation,Total Amount,Nilai Total
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Dari Tanggal dan Tanggal Berada di Tahun Fiskal yang berbeda
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pasien {0} tidak memiliki faktur pelanggan untuk faktur
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),Komposisi Tanah Liar (%)
 DocType: Item Group,Item Group Defaults,Default Item Group
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Harap simpan sebelum menugaskan tugas.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Nilai Saldo
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Nilai Saldo
 DocType: Lab Test,Lab Technician,Teknisi laboratorium
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Daftar Harga Jual
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Daftar Harga Jual
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Jika dicek, pelanggan akan dibuat, dipetakan ke Patient. Faktur pasien akan dibuat terhadap Nasabah ini. Anda juga bisa memilih Customer yang ada saat membuat Patient."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Pelanggan tidak terdaftar dalam Program Loyalitas apa pun
@@ -1450,13 +1460,13 @@
 DocType: Support Search Source,Search Term Param Name,Nama Param Istilah Pencarian
 DocType: Item Barcode,Item Barcode,Item Barcode
 DocType: Woocommerce Settings,Endpoints,Titik akhir
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Varian Barang {0} diperbarui
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Varian Barang {0} diperbarui
 DocType: Quality Inspection Reading,Reading 6,Membaca 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak bisa {0} {1} {2} tanpa faktur yang beredar negatif
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak bisa {0} {1} {2} tanpa faktur yang beredar negatif
 DocType: Share Transfer,From Folio No,Dari Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Uang Muka Faktur Pembelian
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Baris {0}: entry Kredit tidak dapat dihubungkan dengan {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Tentukan anggaran untuk tahun keuangan.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Tentukan anggaran untuk tahun keuangan.
 DocType: Shopify Tax Account,ERPNext Account,Akun ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} diblokir sehingga transaksi ini tidak dapat dilanjutkan
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Tindakan jika Akumulasi Anggaran Bulanan Melebihi MR
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Faktur Pembelian
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Perbolehkan beberapa Konsumsi Material terhadap Perintah Kerja
 DocType: GL Entry,Voucher Detail No,Nomor Detail Voucher
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Baru Faktur Penjualan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Baru Faktur Penjualan
 DocType: Stock Entry,Total Outgoing Value,Nilai Total Keluaran
 DocType: Healthcare Practitioner,Appointments,Janji
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Tanggal dan Closing Date membuka harus berada dalam Tahun Anggaran yang sama
 DocType: Lead,Request for Information,Request for Information
 ,LeaderBoard,LeaderBoard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tingkat Dengan Margin (Mata Uang Perusahaan)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sinkronisasi Offline Faktur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sinkronisasi Offline Faktur
 DocType: Payment Request,Paid,Dibayar
 DocType: Program Fee,Program Fee,Biaya Program
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Ganti BOM tertentu di semua BOM lain yang menggunakannya. Hal ini akan mengganti link BOM lama, memperbarui biaya dan membuat ulang tabel ""Rincian Barang BOM"" sesuai BOM baru. Juga memperbarui harga terbaru di semua BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Perintah Kerja berikut dibuat:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Perintah Kerja berikut dibuat:
 DocType: Salary Slip,Total in words,Jumlah kata
 DocType: Inpatient Record,Discharged,Boleh pulang
 DocType: Material Request Item,Lead Time Date,Tanggal Masa Tenggang
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,Mulai Bagian
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sanksi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,wajib diisi. Mungkin Kurs Mata Uang belum dibuat untuk
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Silakan tentukan Serial ada untuk Item {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Jumlah Kontribusi Total: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Silakan tentukan Serial ada untuk Item {1}
 DocType: Payroll Entry,Salary Slips Submitted,Slip Gaji Diserahkan
 DocType: Crop Cycle,Crop Cycle,Siklus Tanaman
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk barang-barang 'Bundel Produk', Gudang, Nomor Serial dan Nomor Batch akan diperhitungkan dari tabel 'Packing List'. Bila Gudang dan Nomor Batch sama untuk semua barang-barang kemasan dari segala barang 'Bundel Produk', maka nilai tersebut dapat dimasukkan dalam tabel Barang utama, nilai tersebut akan disalin ke tabel 'Packing List'."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk barang-barang 'Bundel Produk', Gudang, Nomor Serial dan Nomor Batch akan diperhitungkan dari tabel 'Packing List'. Bila Gudang dan Nomor Batch sama untuk semua barang-barang kemasan dari segala barang 'Bundel Produk', maka nilai tersebut dapat dimasukkan dalam tabel Barang utama, nilai tersebut akan disalin ke tabel 'Packing List'."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Dari Tempat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay tidak bisa negatif
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Dari Tempat
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay tidak bisa negatif
 DocType: Student Admission,Publish on website,Mempublikasikan di website
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Pemasok Faktur Tanggal tidak dapat lebih besar dari Posting Tanggal
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Pemasok Faktur Tanggal tidak dapat lebih besar dari Posting Tanggal
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Tanggal Pembatalan
 DocType: Purchase Invoice Item,Purchase Order Item,Stok Barang Order Pembelian
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Alat Kehadiran Siswa
 DocType: Restaurant Menu,Price List (Auto created),Daftar Harga (Auto dibuat)
 DocType: Cheque Print Template,Date Settings,Pengaturan Tanggal
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variance
 DocType: Employee Promotion,Employee Promotion Detail,Detail Promosi Karyawan
 ,Company Name,Nama Perusahaan
 DocType: SMS Center,Total Message(s),Total Pesan (s)
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Jangan Kirim Pengingat Ulang Tahun
 DocType: Expense Claim,Total Advance Amount,Jumlah Uang Muka Total
 DocType: Delivery Stop,Estimated Arrival,perkiraan kedatangan
-DocType: Delivery Stop,Notified by Email,Diberitahukan melalui email
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Lihat Semua Artikel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,Kriteria Inspeksi
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,Tagihan
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Putih
 DocType: SMS Center,All Lead (Open),Semua Prospek (Terbuka)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} di gudang {1} pada postingan kali entri ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} di gudang {1} pada postingan kali entri ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Anda hanya bisa memilih maksimal satu pilihan dari daftar kotak centang.
 DocType: Purchase Invoice,Get Advances Paid,Dapatkan Uang Muka Dibayar
 DocType: Item,Automatically Create New Batch,Buat Batch Baru secara otomatis
 DocType: Supplier,Represents Company,Mewakili Perusahaan
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Membuat
 DocType: Student Admission,Admission Start Date,Pendaftaran Mulai Tanggal
 DocType: Journal Entry,Total Amount in Words,Jumlah Total dalam Kata
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Karyawan baru
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Ada kesalahan. Salah satu alasan yang mungkin bisa jadi Anda belum menyimpan formulir. Silahkan hubungi support@erpnext.com jika masalah terus berlanjut.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Cart saya
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Order Type harus menjadi salah satu {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Order Type harus menjadi salah satu {0}
 DocType: Lead,Next Contact Date,Tanggal Komunikasi Selanjutnya
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty Pembukaan
 DocType: Healthcare Settings,Appointment Reminder,Pengingat Penunjukan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Silahkan masukkan account untuk Perubahan Jumlah
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Silahkan masukkan account untuk Perubahan Jumlah
 DocType: Program Enrollment Tool Student,Student Batch Name,Mahasiswa Nama Batch
 DocType: Holiday List,Holiday List Name,Daftar Nama Hari Libur
 DocType: Repayment Schedule,Balance Loan Amount,Saldo Jumlah Pinjaman
@@ -1577,13 +1585,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Opsi Persediaan
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Tidak ada Item yang ditambahkan ke keranjang
 DocType: Journal Entry Account,Expense Claim,Biaya Klaim
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Apakah Anda benar-benar ingin mengembalikan aset dibuang ini?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Apakah Anda benar-benar ingin mengembalikan aset dibuang ini?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Kuantitas untuk {0}
 DocType: Leave Application,Leave Application,Aplikasi Cuti
 DocType: Patient,Patient Relation,Hubungan Pasien
 DocType: Item,Hub Category to Publish,Kategori Hub untuk Publikasikan
 DocType: Leave Block List,Leave Block List Dates,Tanggal Blok List Cuti
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Sales Order {0} memiliki reservasi untuk item {1}, Anda hanya dapat memberikan reserved {1} terhadap {0}. Serial No {2} tidak dapat dikirimkan"
 DocType: Sales Invoice,Billing Address GSTIN,Alamat Penagihan GSTIN
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Tentukan {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Item dihapus dengan tidak ada perubahan dalam jumlah atau nilai.
 DocType: Delivery Note,Delivery To,Pengiriman Untuk
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Pembuatan varian telah antri.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Ringkasan Kerja untuk {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Pembuatan varian telah antri.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Ringkasan Kerja untuk {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,The Leave Approver pertama dalam daftar akan ditetapkan sebagai Default Leave Approver.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Tabel atribut wajib
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Tabel atribut wajib
 DocType: Production Plan,Get Sales Orders,Dapatkan Order Penjualan
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} tidak dapat negatif
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Hubungkan ke Quickbooks
 DocType: Training Event,Self-Study,Belajar sendiri
 DocType: POS Closing Voucher,Period End Date,Tanggal Akhir Masa
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Komposisi tanah tidak bertambah hingga 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Diskon
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Baris {0}: {1} diperlukan untuk membuat Pembukaan {2} Faktur
 DocType: Membership,Membership,Keanggotaan
 DocType: Asset,Total Number of Depreciations,Total Jumlah Penyusutan
 DocType: Sales Invoice Item,Rate With Margin,Tingkat Dengan Margin
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Tentukan Row ID berlaku untuk baris {0} dalam tabel {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Tidak dapat menemukan variabel:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Harap pilih bidang yang akan diedit dari numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Tidak dapat menjadi item aset tetap karena Stock Ledger dibuat.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Tidak dapat menjadi item aset tetap karena Stock Ledger dibuat.
 DocType: Subscription Plan,Fixed rate,Suku bunga tetap
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Mengakui
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Pergi ke Desktop dan mulai menggunakan ERPNext
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,Negara Pengirim
 ,Projected Quantity as Source,Proyeksi Jumlah sebagai Sumber
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Item harus ditambahkan dengan menggunakan 'Dapatkan Produk dari Pembelian Penerimaan' tombol
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Perjalanan pengiriman
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Perjalanan pengiriman
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Jenis transfer
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Beban Penjualan
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,Standar Pusat Biaya Jual
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Cakram
 DocType: Buying Settings,Material Transferred for Subcontract,Material Ditransfer untuk Subkontrak
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Kode Pos
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Sales Order {0} adalah {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Item Pesanan Pembelian terlambat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Kode Pos
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Sales Order {0} adalah {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Pilih akun pendapatan bunga dalam pinjaman {0}
 DocType: Opportunity,Contact Info,Informasi Kontak
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Membuat Entri Persediaan
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Faktur tidak dapat dilakukan selama nol jam penagihan
 DocType: Company,Date of Commencement,Tanggal dimulainya
 DocType: Sales Person,Select company name first.,Pilih nama perusahaan terlebih dahulu.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email dikirim ke {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email dikirim ke {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Penawaran Diterima dari Supplier
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Ganti BOM dan perbarui harga terbaru di semua BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Untuk {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ini adalah grup pemasok akar dan tidak dapat diedit.
-DocType: Delivery Trip,Driver Name,Nama pengemudi
+DocType: Delivery Note,Driver Name,Nama pengemudi
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Rata-rata Usia
 DocType: Education Settings,Attendance Freeze Date,Tanggal Pembekuan Kehadiran
 DocType: Payment Request,Inward,Batin
@@ -1698,7 +1709,7 @@
 DocType: Company,Parent Company,Perusahaan utama
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Kamar Hotel tipe {0} tidak tersedia pada {1}
 DocType: Healthcare Practitioner,Default Currency,Standar Mata Uang
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Diskon maksimum untuk Item {0} adalah {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Diskon maksimum untuk Item {0} adalah {1}%
 DocType: Asset Movement,From Employee,Dari Karyawan
 DocType: Driver,Cellphone Number,Nomor ponsel
 DocType: Project,Monitor Progress,Pantau Kemajuan
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Kuantitas harus kurang dari atau sama dengan {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Jumlah maksimum yang memenuhi syarat untuk komponen {0} melebihi {1}
 DocType: Department Approver,Department Approver,Persetujuan Departemen
+DocType: QuickBooks Migrator,Application Settings,Pengaturan aplikasi
 DocType: SMS Center,Total Characters,Jumlah Karakter
 DocType: Employee Advance,Claimed,Diklaim
 DocType: Crop,Row Spacing,Row Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Silakan pilih BOM BOM di lapangan untuk Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Silakan pilih BOM BOM di lapangan untuk Item {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Tidak ada varian item untuk item yang dipilih
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktur Detil
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Rekonsiliasi Faktur Pembayaran
 DocType: Clinical Procedure,Procedure Template,Template Prosedur
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Kontribusi%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sesuai dengan Setelan Pembelian jika Pesanan Pembelian Diperlukan == &#39;YA&#39;, maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Order terlebih dahulu untuk item {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Kontribusi%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sesuai dengan Setelan Pembelian jika Pesanan Pembelian Diperlukan == &#39;YA&#39;, maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Order terlebih dahulu untuk item {0}"
 ,HSN-wise-summary of outward supplies,HSN-bijaksana-ringkasan persediaan luar
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Nomor registrasi perusahaan untuk referensi Anda. Nomor pajak dll
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Untuk menyatakan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Untuk menyatakan
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributor
 DocType: Asset Finance Book,Asset Finance Book,Buku Aset Keuangan
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Aturan Pengiriman Belanja Shoping Cart
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,Item Pesanan Tertagih
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Dari Rentang harus kurang dari Untuk Rentang
 DocType: Global Defaults,Global Defaults,Standar Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Proyek Kolaborasi Undangan
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Proyek Kolaborasi Undangan
 DocType: Salary Slip,Deductions,Pengurangan
 DocType: Setup Progress Action,Action Name,Nama Aksi
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Mulai Tahun
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,Konsultan
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Pertemuan Orangtua Guru Kehadiran
 DocType: Salary Slip,Earnings,Pendapatan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Selesai Stok Barang {0} harus dimasukkan untuk jenis Produksi entri
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Selesai Stok Barang {0} harus dimasukkan untuk jenis Produksi entri
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Saldo Pembukaan Akuntansi
 ,GST Sales Register,Daftar Penjualan GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Uang Muka Faktur Penjualan
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Tidak ada Permintaan
+DocType: Stock Settings,Default Return Warehouse,Gudang Pengembalian Default
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Pilih Bidang Usaha Anda
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Pemasok Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Item Faktur Pembayaran
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Fields akan disalin hanya pada saat penciptaan.
 DocType: Setup Progress Action,Domains,Domain
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Tanggal Mulai Sebenarnya' tidak bisa lebih besar dari 'Tanggal Selesai Sebenarnya'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Manajemen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Manajemen
 DocType: Cheque Print Template,Payer Settings,Pengaturan Wajib
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Tidak ada Permintaan Material yang tertunda ditemukan untuk menautkan untuk item yang diberikan.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Pilih perusahaan terlebih dahulu
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ini akan ditambahkan ke Item Code dari varian. Sebagai contoh, jika Anda adalah singkatan ""SM"", dan kode Stok Barang adalah ""T-SHIRT"", kode item varian akan ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay Bersih (dalam kata-kata) akan terlihat setelah Anda menyimpan Slip Gaji.
 DocType: Delivery Note,Is Return,Retur Barang
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Peringatan
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Hari mulai lebih besar dari hari akhir tugas &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Nota Retur / Debit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Nota Retur / Debit
 DocType: Price List Country,Price List Country,Negara Daftar Harga
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} nomor seri berlaku untuk Item {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Berikan informasi.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Database Supplier.
 DocType: Contract Template,Contract Terms and Conditions,Syarat dan Ketentuan Kontrak
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Anda tidak dapat memulai ulang Langganan yang tidak dibatalkan.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Anda tidak dapat memulai ulang Langganan yang tidak dibatalkan.
 DocType: Account,Balance Sheet,Neraca
 DocType: Leave Type,Is Earned Leave,Adalah Perolehan Cuti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Biaya Center For Stok Barang dengan Item Code '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Biaya Center For Stok Barang dengan Item Code '
 DocType: Fee Validity,Valid Till,Berlaku sampai
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Pertemuan Guru Orang Tua Total
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modus pembayaran tidak dikonfigurasi. Silakan periksa, apakah akun telah ditetapkan pada Cara Pembayaran atau POS Profil."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modus pembayaran tidak dikonfigurasi. Silakan periksa, apakah akun telah ditetapkan pada Cara Pembayaran atau POS Profil."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,item yang sama tidak dapat dimasukkan beberapa kali.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Account lebih lanjut dapat dibuat di bawah Grup, tapi entri dapat dilakukan terhadap non-Grup"
 DocType: Lead,Lead,Prospek
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Entri Persediaan {0} dibuat
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Anda tidak memiliki Poin Loyalitas yang cukup untuk ditukarkan
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Baris # {0}: Jumlah yang ditolak tidak dapat dimasukkan dalam Retur Pembelian
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Harap tetapkan akun terkait dalam Kategori Pemotongan Pajak {0} terhadap Perusahaan {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Baris # {0}: Jumlah yang ditolak tidak dapat dimasukkan dalam Retur Pembelian
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Mengubah Grup Pelanggan untuk Pelanggan yang dipilih tidak diizinkan.
 ,Purchase Order Items To Be Billed,Purchase Order Items Akan Ditagih
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Memperbarui perkiraan waktu kedatangan.
 DocType: Program Enrollment Tool,Enrollment Details,Rincian pendaftaran
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Tidak dapat menetapkan beberapa Default Item untuk sebuah perusahaan.
 DocType: Purchase Invoice Item,Net Rate,Nilai Bersih / Net
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Silahkan pilih pelanggan
 DocType: Leave Policy,Leave Allocations,Tinggalkan Alokasi
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,Info pembayaran
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Entries' tidak boleh kosong
 DocType: Maintenance Team Member,Maintenance Role,Peran Pemeliharaan
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Baris duplikat {0} dengan sama {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Baris duplikat {0} dengan sama {1}
 DocType: Marketplace Settings,Disable Marketplace,Nonaktifkan Marketplace
 ,Trial Balance,Trial Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Tahun fiskal {0} tidak ditemukan
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,HAI-
 DocType: Subscription Settings,Subscription Settings,Pengaturan Langganan
 DocType: Purchase Invoice,Update Auto Repeat Reference,Perbarui Referensi Ulangan Otomatis
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Daftar Holiday Opsional tidak ditetapkan untuk periode cuti {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Daftar Holiday Opsional tidak ditetapkan untuk periode cuti {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Penelitian
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Untuk Alamat 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Untuk Alamat 2
 DocType: Maintenance Visit Purpose,Work Done,Pekerjaan Selesai
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Silakan tentukan setidaknya satu atribut dalam tabel Atribut
 DocType: Announcement,All Students,Semua murid
@@ -1854,16 +1870,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Rekonsiliasi Transaksi
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Paling Awal
 DocType: Crop Cycle,Linked Location,Lokasi Terhubung
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Item Grup ada dengan nama yang sama, ubah nama item atau mengubah nama kelompok Stok Barang"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Item Grup ada dengan nama yang sama, ubah nama item atau mengubah nama kelompok Stok Barang"
 DocType: Crop Cycle,Less than a year,Kurang dari setahun
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Mahasiswa Nomor Ponsel
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Rest of The World
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Rest of The World
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} tidak dapat memiliki Batch
 DocType: Crop,Yield UOM,Hasil UOM
 ,Budget Variance Report,Laporan Perbedaan Anggaran
 DocType: Salary Slip,Gross Pay,Nilai Gross Bayar
 DocType: Item,Is Item from Hub,Adalah Item dari Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Dapatkan Item dari Layanan Kesehatan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Dapatkan Item dari Layanan Kesehatan
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Kegiatan adalah wajib.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividen Dibagi
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Buku Besar Akuntansi
@@ -1878,6 +1894,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Mode Pembayaran
 DocType: Purchase Invoice,Supplied Items,Produk Disupply
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Harap atur menu aktif untuk Restoran {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,% Komisi Rate
 DocType: Work Order,Qty To Manufacture,Kuantitas untuk diproduksi
 DocType: Email Digest,New Income,Penghasilan baru
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Pertahankan tarif yang sama sepanjang siklus pembelian
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Penilaian Tingkat diperlukan untuk Item berturut-turut {0}
 DocType: Supplier Scorecard,Scorecard Actions,Tindakan Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Contoh: Magister Ilmu Komputer
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Pemasok {0} tidak ditemukan di {1}
 DocType: Purchase Invoice,Rejected Warehouse,Gudang Reject
 DocType: GL Entry,Against Voucher,Terhadap Voucher
 DocType: Item Default,Default Buying Cost Center,Standar Biaya Pusat Pembelian
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Untuk mendapatkan yang terbaik dari ERPNext, kami menyarankan Anda mengambil beberapa waktu dan menonton video ini membantu."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Untuk Pemasok Default (opsional)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,untuk
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Untuk Pemasok Default (opsional)
 DocType: Supplier Quotation Item,Lead Time in days,Masa Tenggang dalam hari
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Ringkasan Buku Besar Hutang
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Tidak berwenang untuk mengedit Akun frozen {0}
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Peringatkan untuk Permintaan Kuotasi baru
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,pesanan pembelian membantu Anda merencanakan dan menindaklanjuti pembelian Anda
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Resep Uji Lab
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Total Issue / transfer kuantitas {0} Material Permintaan {1} \ tidak dapat lebih besar dari yang diminta kuantitas {2} untuk Item {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Kecil
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Jika Shopify tidak berisi pelanggan di Order, maka ketika menyinkronkan Pesanan, sistem akan mempertimbangkan pelanggan default untuk pesanan"
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,Selesai %
 ,Invoiced Amount (Exculsive Tax),Faktur Jumlah (Pajak exculsive)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Item 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Endpoint Otorisasi
 DocType: Travel Request,International,Internasional
 DocType: Training Event,Training Event,pelatihan Kegiatan
 DocType: Item,Auto re-order,Auto re-order
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,Kontrak
 DocType: Plant Analysis,Laboratory Testing Datetime,Uji Laboratorium Datetime
 DocType: Email Digest,Add Quote,Tambahkan Kutipan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Biaya tidak langsung
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib
 DocType: Agriculture Analysis Criteria,Agriculture,Pertanian
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Buat Sales Order
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Pembukuan Akuntansi untuk Aset
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokir Faktur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Pembukuan Akuntansi untuk Aset
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokir Faktur
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Kuantitas untuk Membuat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Biaya perbaikan
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Produk atau Jasa Anda
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Gagal untuk masuk
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Aset {0} dibuat
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Aset {0} dibuat
 DocType: Special Test Items,Special Test Items,Item Uji Khusus
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Anda harus menjadi pengguna dengan peran Manajer Sistem dan Manajer Item untuk mendaftar di Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Mode Pembayaran
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"Sesuai dengan Struktur Gaji yang ditugaskan, Anda tidak dapat mengajukan permohonan untuk tunjangan"
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Website Image harus file umum atau URL situs
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Website Image harus file umum atau URL situs
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Ini adalah kelompok Stok Barang akar dan tidak dapat diedit.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Menggabungkan
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,Info Kontak Gudang
 DocType: Payment Entry,Write Off Difference Amount,Menulis Off Perbedaan Jumlah
 DocType: Volunteer,Volunteer Name,Nama Relawan
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: email Karyawan tidak ditemukan, maka email tidak dikirim"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Baris dengan tanggal jatuh tempo ganda di baris lain ditemukan: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: email Karyawan tidak ditemukan, maka email tidak dikirim"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Tidak ada Struktur Gaji yang ditugaskan untuk Karyawan {0} pada tanggal tertentu {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Aturan pengiriman tidak berlaku untuk negara {0}
 DocType: Item,Foreign Trade Details,Rincian Perdagangan Luar Negeri
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,Pendapatan tahunan
 DocType: Serial No,Serial No Details,Nomor Detail Serial
 DocType: Purchase Invoice Item,Item Tax Rate,Tarif Pajak Stok Barang
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Dari Nama Pesta
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Dari Nama Pesta
 DocType: Student Group Student,Group Roll Number,Nomor roll grup
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Untuk {0}, hanya rekening kredit dapat dihubungkan dengan entri debit lain"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Nota pengiriman {0} tidak Terkirim
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Nota pengiriman {0} tidak Terkirim
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Item {0} harus Item Sub-kontrak
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Perlengkapan Modal
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rule harga terlebih dahulu dipilih berdasarkan 'Terapkan On' lapangan, yang dapat Stok Barang, Stok Barang Grup atau Merek."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Harap set Kode Item terlebih dahulu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Persentase total yang dialokasikan untuk tim penjualan harus 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Persentase total yang dialokasikan untuk tim penjualan harus 100
 DocType: Subscription Plan,Billing Interval Count,Jumlah Interval Penagihan
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Janji dan Pertemuan Pasien
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Nilai hilang
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Buat Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Biaya Dibuat
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Tidak menemukan item yang disebut {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filter Item
 DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Kriteria
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Total Outgoing
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"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"""
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Untuk item {0}, kuantitas harus berupa bilangan positif"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,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.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Hari permintaan cuti kompensasi tidak dalam hari libur yang sah
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,gudang anak ada untuk gudang ini. Anda tidak dapat menghapus gudang ini.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,gudang anak ada untuk gudang ini. Anda tidak dapat menghapus gudang ini.
 DocType: Item,Website Item Groups,Situs Grup Stok Barang
 DocType: Purchase Invoice,Total (Company Currency),Total (Perusahaan Mata Uang)
 DocType: Daily Work Summary Group,Reminder,Peringatan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Nilai yang Dapat Diakses
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Nilai yang Dapat Diakses
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serial number {0} masuk lebih dari sekali
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Jurnal Entri
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Dari GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Dari GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Jumlah yang tidak diklaim
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} item berlangsung
 DocType: Workstation,Workstation Name,Nama Workstation
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,POS Barang Grup
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Surel Ringkasan:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Barang alternatif tidak boleh sama dengan kode barang
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} bukan milik Barang {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} bukan milik Barang {1}
 DocType: Sales Partner,Target Distribution,Target Distribusi
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalisasi penilaian sementara
 DocType: Salary Slip,Bank Account No.,No Rekening Bank
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Variabel Scorecard dapat digunakan, dan juga: {total_score} (skor total dari periode tersebut), {period_number} (jumlah periode sampai sekarang)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Perkecil Semua
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Perkecil Semua
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Buat Pesanan Pembelian
 DocType: Quality Inspection Reading,Reading 8,Membaca 8
 DocType: Inpatient Record,Discharge Note,Catatan Discharge
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Cuti
 DocType: Purchase Invoice,Supplier Invoice Date,Tanggal Faktur Supplier
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Nilai ini digunakan untuk perhitungan temporer pro-rata
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Anda harus mengaktifkan Keranjang Belanja
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Anda harus mengaktifkan Keranjang Belanja
 DocType: Payment Entry,Writeoff,writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Awalan Seri Penamaan
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Kondisi Tumpang Tindih ditemukan antara:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Atas Catatan Jurnal {0} sudah dilakukan penyesuaian terhadap beberapa dokumen lain.
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Nilai Total Order
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Makanan
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Makanan
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Rentang Umur 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detail Voucher Penutupan POS
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Silakan tetapkan Seri Penamaan untuk {0} melalui Pengaturan&gt; Pengaturan&gt; Seri Penamaan
 DocType: Inpatient Occupancy,Check In,Mendaftar
 DocType: Maintenance Schedule Item,No of Visits,Tidak ada Kunjungan
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Jadwal Pemeliharaan {0} ada terhadap {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Manfaat Maks (Jumlah)
 DocType: Purchase Invoice,Contact Person,Contact Person
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Jadwal Tanggal Mulai' tidak dapat lebih besar dari 'Jadwal Tanggal Selesai'"
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Tidak ada data untuk periode ini
 DocType: Course Scheduling Tool,Course End Date,Tentu saja Tanggal Akhir
 DocType: Holiday List,Holidays,Hari Libur
 DocType: Sales Order Item,Planned Quantity,Direncanakan Kuantitas
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Perubahan bersih dalam Aset Tetap
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Biarkan kosong jika dipertimbangkan untuk semua sebutan
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dari Datetime
 DocType: Shopify Settings,For Company,Untuk Perusahaan
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,Syarat dan Ketentuan Konten
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Ada kesalahan dalam membuat Jadwal Kursus
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Expense Approver pertama dalam daftar akan ditetapkan sebagai Approver Approver default.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,tidak dapat lebih besar dari 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,tidak dapat lebih besar dari 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Anda harus menjadi pengguna selain Administrator dengan Manajer Sistem dan peran Pengelola Item untuk mendaftar di Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Barang {0} bukan merupakan Barang persediaan
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Barang {0} bukan merupakan Barang persediaan
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Tidak Terjadwal
 DocType: Employee,Owned,Dimiliki
@@ -2144,7 +2164,7 @@
 DocType: HR Settings,Employee Settings,Pengaturan Karyawan
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Memuat Sistem Pembayaran
 ,Batch-Wise Balance History,Rekap Saldo menurut Kumpulan
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Baris # {0}: Tidak dapat menetapkan Nilai jika jumlahnya lebih besar dari jumlah yang ditagih untuk Item {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Baris # {0}: Tidak dapat menetapkan Nilai jika jumlahnya lebih besar dari jumlah yang ditagih untuk Item {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Pengaturan cetak diperbarui dalam format cetak terkait
 DocType: Package Code,Package Code,Kode paket
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Magang
@@ -2153,7 +2173,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Rinci tabel pajak diambil dari master Stok Barang sebagai string dan disimpan dalam bidang ini.
  Digunakan untuk Pajak dan Biaya"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Karyawan tidak bisa melaporkan kepada dirinya sendiri.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Karyawan tidak bisa melaporkan kepada dirinya sendiri.
 DocType: Leave Type,Max Leaves Allowed,Max Leaves Diizinkan
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jika account beku, entri yang diizinkan untuk pengguna terbatas."
 DocType: Email Digest,Bank Balance,Saldo bank
@@ -2179,6 +2199,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Entri Transaksi Bank
 DocType: Quality Inspection,Readings,Bacaan
 DocType: Stock Entry,Total Additional Costs,Total Biaya Tambahan
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Tidak ada Interaksi
 DocType: BOM,Scrap Material Cost(Company Currency),Scrap Material Cost (Perusahaan Mata Uang)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub Assemblies
 DocType: Asset,Asset Name,Aset Nama
@@ -2186,10 +2207,10 @@
 DocType: Shipping Rule Condition,To Value,Untuk Dinilai
 DocType: Loyalty Program,Loyalty Program Type,Jenis Program Loyalitas
 DocType: Asset Movement,Stock Manager,Pengelola Persediaan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk baris {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk baris {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Syarat Pembayaran di baris {0} mungkin merupakan duplikat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Pertanian (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Slip Packing
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Slip Packing
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Sewa Kantor
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Pengaturan gerbang Pengaturan SMS
 DocType: Disease,Common Name,Nama yang umum
@@ -2221,20 +2242,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Slip Gaji ke Karyawan
 DocType: Cost Center,Parent Cost Center,Parent Biaya Pusat
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Pilih Kemungkinan Pemasok
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Pilih Kemungkinan Pemasok
 DocType: Sales Invoice,Source,Sumber
 DocType: Customer,"Select, to make the customer searchable with these fields","Pilih, untuk membuat pelanggan dapat ditelusuri dengan bidang ini"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Catatan Pengiriman Impor dari Shopify on Shipment
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Tampilkan ditutup
 DocType: Leave Type,Is Leave Without Pay,Apakah Cuti Tanpa Bayar
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Aset Kategori adalah wajib untuk item aset tetap
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Aset Kategori adalah wajib untuk item aset tetap
 DocType: Fee Validity,Fee Validity,Validitas biaya
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Tidak ada catatan yang ditemukan dalam tabel Pembayaran
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ini {0} konflik dengan {1} untuk {2} {3}
 DocType: Student Attendance Tool,Students HTML,siswa HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Harap hapus Employee <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini"
 DocType: POS Profile,Apply Discount,Terapkan Diskon
 DocType: GST HSN Code,GST HSN Code,Kode HSN GST
 DocType: Employee External Work History,Total Experience,Jumlah Pengalaman
@@ -2257,7 +2275,7 @@
 DocType: Maintenance Schedule,Schedules,Jadwal
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profil POS diharuskan menggunakan Point of Sale
 DocType: Cashier Closing,Net Amount,Nilai Bersih
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikirim sehingga tindakan tidak dapat diselesaikan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikirim sehingga tindakan tidak dapat diselesaikan
 DocType: Purchase Order Item Supplied,BOM Detail No,No. Rincian BOM
 DocType: Landed Cost Voucher,Additional Charges,Biaya-biaya tambahan
 DocType: Support Search Source,Result Route Field,Bidang Rute Hasil
@@ -2286,11 +2304,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Membuka Faktur
 DocType: Contract,Contract Details,Detail Kontrak
 DocType: Employee,Leave Details,Tinggalkan Detail
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Silakan set ID lapangan Pengguna dalam catatan Karyawan untuk mengatur Peran Karyawan
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Silakan set ID lapangan Pengguna dalam catatan Karyawan untuk mengatur Peran Karyawan
 DocType: UOM,UOM Name,Nama UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Untuk Alamat 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Untuk Alamat 1
 DocType: GST HSN Code,HSN Code,Kode HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Jumlah kontribusi
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Jumlah kontribusi
 DocType: Inpatient Record,Patient Encounter,Pertemuan Pasien
 DocType: Purchase Invoice,Shipping Address,Alamat Pengiriman
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Alat ini membantu Anda memperbarui atau memperbaiki kuantitas dan valuasi persediaan di sistem. Biasanya digunakan untuk menyelaraskan sistem dengan aktual barang yang ada di gudang.
@@ -2307,9 +2325,9 @@
 DocType: Travel Itinerary,Mode of Travel,Mode Perjalanan
 DocType: Sales Invoice Item,Brand Name,Nama Merek
 DocType: Purchase Receipt,Transporter Details,Detail transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,gudang standar diperlukan untuk item yang dipilih
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,gudang standar diperlukan untuk item yang dipilih
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Kotak
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,mungkin Pemasok
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,mungkin Pemasok
 DocType: Budget,Monthly Distribution,Distribusi bulanan
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver List kosong. Silakan membuat Receiver List
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Kesehatan (beta)
@@ -2330,6 +2348,7 @@
 ,Lead Name,Nama Prospek
 ,POS,POS
 DocType: C-Form,III,AKU AKU AKU
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Pencarian
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Saldo Persediaan Pembukaan
 DocType: Asset Category Account,Capital Work In Progress Account,Modal Bekerja di Akun Kemajuan
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Penyesuaian Nilai Aset
@@ -2338,7 +2357,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},cuti Dialokasikan Berhasil untuk {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Tidak ada item untuk dikemas
 DocType: Shipping Rule Condition,From Value,Dari Nilai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Qty Manufaktur  wajib diisi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Qty Manufaktur  wajib diisi
 DocType: Loan,Repayment Method,Metode pembayaran
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jika diperiksa, Home page akan menjadi default Barang Group untuk website"
 DocType: Quality Inspection Reading,Reading 4,Membaca 4
@@ -2363,7 +2382,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Rujukan karyawan
 DocType: Student Group,Set 0 for no limit,Set 0 untuk tidak ada batas
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Hari (s) yang Anda lamar cuti adalah hari libur. Anda tidak perlu mengajukan cuti.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Baris {idx}: {field} diperlukan untuk membuat Pembukaan {invoice_type} Faktur
 DocType: Customer,Primary Address and Contact Detail,Alamat Utama dan Detail Kontak
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Kirim ulang Email Pembayaran
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,tugas baru
@@ -2373,8 +2391,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Pilih setidaknya satu domain.
 DocType: Dependent Task,Dependent Task,Tugas Dependent
 DocType: Shopify Settings,Shopify Tax Account,Akun Pajak Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Cuti jenis {0} tidak boleh lebih dari {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Cuti jenis {0} tidak boleh lebih dari {1}
 DocType: Delivery Trip,Optimize Route,Optimalkan Rute
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Coba operasi untuk hari X perencanaan di muka.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2383,14 +2401,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Silahkan mengatur default Payroll Hutang Akun di Perusahaan {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Dapatkan perpisahan keuangan dari Pajak dan biaya data oleh Amazon
 DocType: SMS Center,Receiver List,Daftar Penerima
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Cari Barang
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Cari Barang
 DocType: Payment Schedule,Payment Amount,Jumlah pembayaran
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Setengah Hari Tanggal harus di antara Work From Date dan Work End Date
 DocType: Healthcare Settings,Healthcare Service Items,Item Layanan Perawatan Kesehatan
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Dikonsumsi Jumlah
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Perubahan bersih dalam kas
 DocType: Assessment Plan,Grading Scale,Skala penilaian
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Satuan Ukur {0} telah dimasukkan lebih dari sekali dalam Faktor Konversi Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Satuan Ukur {0} telah dimasukkan lebih dari sekali dalam Faktor Konversi Tabel
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Sudah lengkap
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Persediaan Di Tangan
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2413,25 +2431,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial ada {0} kuantitas {1} tak bisa menjadi pecahan
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Silakan masukkan URL Woocommerce Server
 DocType: Purchase Order Item,Supplier Part Number,Supplier Part Number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Tingkat konversi tidak bisa 0 atau 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Tingkat konversi tidak bisa 0 atau 1
 DocType: Share Balance,To No,Ke no
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Semua Tugas wajib untuk penciptaan karyawan belum selesai.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan
 DocType: Accounts Settings,Credit Controller,Kredit Kontroller
 DocType: Loan,Applicant Type,Jenis Pemohon
 DocType: Purchase Invoice,03-Deficiency in services,03-Kekurangan layanan
 DocType: Healthcare Settings,Default Medical Code Standard,Standar Kode Standar Medis
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Nota Penerimaan {0} tidak Terkirim
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Nota Penerimaan {0} tidak Terkirim
 DocType: Company,Default Payable Account,Standar Akun Hutang
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Pengaturan untuk keranjang belanja online seperti aturan pengiriman, daftar harga dll"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Ditagih
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserved Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserved Qty
 DocType: Party Account,Party Account,Akun Party
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Silakan pilih Perusahaan dan Penunjukan
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Sumber Daya Manusia
-DocType: Lead,Upper Income,Penghasilan Atas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Penghasilan Atas
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Menolak
 DocType: Journal Entry Account,Debit in Company Currency,Debit di Mata Uang Perusahaan
 DocType: BOM Item,BOM Item,Komponen BOM
@@ -2448,7 +2466,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Lowongan Kerja untuk penunjukan {0} sudah terbuka \ atau perekrutan selesai sesuai Rencana Kepegawaian {1}
 DocType: Vital Signs,Constipated,Sembelit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Terhadap Faktur Supplier {0} di tanggal {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Terhadap Faktur Supplier {0} di tanggal {1}
 DocType: Customer,Default Price List,Standar List Harga
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Gerakan aset catatan {0} dibuat
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Tidak ada item yang ditemukan.
@@ -2464,16 +2482,17 @@
 DocType: Journal Entry,Entry Type,Entri Type
 ,Customer Credit Balance,Saldo Kredit Pelanggan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Perubahan bersih Hutang
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Batas kredit telah disilangkan untuk pelanggan {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Silakan tetapkan Seri Penamaan untuk {0} melalui Pengaturan&gt; Pengaturan&gt; Seri Penamaan
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Batas kredit telah disilangkan untuk pelanggan {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Pelanggan diperlukan untuk 'Diskon Pelanggan'
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Perbarui tanggal pembayaran bank dengan jurnal.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,harga
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,harga
 DocType: Quotation,Term Details,Rincian Term
 DocType: Employee Incentive,Employee Incentive,Insentif Karyawan
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,tidak bisa mendaftar lebih dari {0} siswa untuk kelompok siswa ini.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Total (Tanpa Pajak)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Jumlah Prospek
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stok Tersedia
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stok Tersedia
 DocType: Manufacturing Settings,Capacity Planning For (Days),Perencanaan Kapasitas Untuk (Hari)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Pembelian
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Tak satu pun dari item memiliki perubahan kuantitas atau nilai.
@@ -2497,7 +2516,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Tinggalkan dan Kehadiran
 DocType: Asset,Comprehensive Insurance,Asuransi Komprehensif
 DocType: Maintenance Visit,Partially Completed,Selesai Sebagian
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Poin Loyalitas: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Poin Loyalitas: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Tambahkan Prospek
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensitivitas sedang
 DocType: Leave Type,Include holidays within leaves as leaves,Sertakan libur dalam cuti cuti
 DocType: Loyalty Program,Redemption,Penebusan
@@ -2531,7 +2551,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Beban Pemasaran
 ,Item Shortage Report,Laporan Kekurangan Barang / Item
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Tidak dapat membuat kriteria standar. Mohon ganti nama kriteria
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \n Sebutkan ""Berat UOM"" terlalu"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \n Sebutkan ""Berat UOM"" terlalu"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Permintaan Material yang digunakan untuk membuat Entri Persediaan ini
 DocType: Hub User,Hub Password,Kata Sandi Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Kelompok terpisah berdasarkan Kelompok untuk setiap Batch
@@ -2545,15 +2565,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Durasi Penunjukan (menit)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Membuat Entri Akuntansi Untuk Setiap Perpindahan Persediaan
 DocType: Leave Allocation,Total Leaves Allocated,Jumlah cuti Dialokasikan
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Entrikan Tahun Mulai berlaku Keuangan dan Tanggal Akhir
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Entrikan Tahun Mulai berlaku Keuangan dan Tanggal Akhir
 DocType: Employee,Date Of Retirement,Tanggal Pensiun
 DocType: Upload Attendance,Get Template,Dapatkan Template
+,Sales Person Commission Summary,Ringkasan Komisi Personel Penjualan
 DocType: Additional Salary Component,Additional Salary Component,Komponen Gaji Tambahan
 DocType: Material Request,Transferred,Ditransfer
 DocType: Vehicle,Doors,pintu
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Pengaturan Selesai!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Pengaturan Selesai!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Kumpulkan Biaya untuk Registrasi Pasien
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Tidak dapat mengubah Atribut setelah transaksi saham. Buat Item baru dan transfer saham ke Item baru
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Tidak dapat mengubah Atribut setelah transaksi saham. Buat Item baru dan transfer saham ke Item baru
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Rincian pajak
 DocType: Employee,Joining Details,Bergabung dengan Detail
@@ -2581,14 +2602,15 @@
 DocType: Lead,Next Contact By,Kontak Selanjutnya Oleh
 DocType: Compensatory Leave Request,Compensatory Leave Request,Permintaan Tinggalkan Kompensasi
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Kuantitas yang dibutuhkan untuk Item {0} di baris {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak dapat dihapus karena ada kuantitas untuk Item {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak dapat dihapus karena ada kuantitas untuk Item {1}
 DocType: Blanket Order,Order Type,Tipe Order
 ,Item-wise Sales Register,Item-wise Daftar Penjualan
 DocType: Asset,Gross Purchase Amount,Jumlah Pembelian Gross
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Saldo awal
 DocType: Asset,Depreciation Method,Metode penyusutan
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Apakah Pajak ini termasuk dalam Basic Rate?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Total Jumlah Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Total Jumlah Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analisis Persepsi
 DocType: Soil Texture,Sand Composition (%),Komposisi Pasir (%)
 DocType: Job Applicant,Applicant for a Job,Pemohon untuk Lowongan Kerja
 DocType: Production Plan Material Request,Production Plan Material Request,Produksi Permintaan Rencana Material
@@ -2603,23 +2625,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Tanda Penilaian (Dari 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Ponsel Tidak
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Utama
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Item berikut {0} tidak ditandai sebagai {1} item. Anda dapat mengaktifkannya sebagai {1} item dari master Barangnya
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Varian
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Untuk item {0}, kuantitas harus berupa angka negatif"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Mengatur awalan untuk penomoran seri pada transaksi Anda
 DocType: Employee Attendance Tool,Employees HTML,Karyawan HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Standar BOM ({0}) harus aktif untuk item ini atau template-nya
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Standar BOM ({0}) harus aktif untuk item ini atau template-nya
 DocType: Employee,Leave Encashed?,Cuti dicairkan?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Peluang Dari Bidang Usaha Wajib Diisi
 DocType: Email Digest,Annual Expenses,Beban Tahunan
 DocType: Item,Variants,Varian
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Buat Order Pembelian
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Buat Order Pembelian
 DocType: SMS Center,Send To,Kirim Ke
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Tidak ada saldo cuti cukup bagi Leave Type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Tidak ada saldo cuti cukup bagi Leave Type {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Jumlah yang dialokasikan
 DocType: Sales Team,Contribution to Net Total,Kontribusi terhadap Net Jumlah
 DocType: Sales Invoice Item,Customer's Item Code,Kode Barang Pelanggan
 DocType: Stock Reconciliation,Stock Reconciliation,Rekonsiliasi Persediaan
 DocType: Territory,Territory Name,Nama Wilayah
+DocType: Email Digest,Purchase Orders to Receive,Pesanan Pembelian untuk Menerima
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Kerja-in-Progress Gudang diperlukan sebelum Submit
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Anda hanya dapat memiliki Paket dengan siklus penagihan yang sama dalam Langganan
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Data yang Dipetakan
@@ -2636,9 +2660,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Gandakan Serial ada dimasukkan untuk Item {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Lacak Memimpin oleh Sumber Utama.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Sebuah kondisi untuk Aturan Pengiriman
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,masukkan
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,masukkan
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Log Pemeliharaan
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Silahkan mengatur filter berdasarkan Barang atau Gudang
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Silahkan mengatur filter berdasarkan Barang atau Gudang
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih package ini. (Dihitung secara otomatis sebagai jumlah berat bersih item)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Buat Entri Jurnal Perusahaan Inter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Jumlah diskon tidak boleh lebih dari 100%
@@ -2647,15 +2671,15 @@
 DocType: Sales Order,To Deliver and Bill,Untuk Dikirim dan Ditagih
 DocType: Student Group,Instructors,instruktur
 DocType: GL Entry,Credit Amount in Account Currency,Jumlah kredit di Akun Mata Uang
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} harus dikirimkan
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Manajemen saham
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} harus dikirimkan
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Manajemen saham
 DocType: Authorization Control,Authorization Control,Pengendali Otorisasi
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ditolak Gudang adalah wajib terhadap ditolak Stok Barang {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Pembayaran
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ditolak Gudang adalah wajib terhadap ditolak Stok Barang {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Pembayaran
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Gudang {0} tidak ditautkan ke akun apa pun, sebutkan akun di catatan gudang atau tetapkan akun persediaan baku di perusahaan {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Mengelola pesanan Anda
 DocType: Work Order Operation,Actual Time and Cost,Waktu dan Biaya Aktual
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,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}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,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}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Jarak tanam
 DocType: Course,Course Abbreviation,Singkatan saja
@@ -2667,6 +2691,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Jumlah jam kerja tidak boleh lebih besar dari max jam kerja {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Nyala
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundel item pada saat penjualan.
+DocType: Delivery Settings,Dispatch Settings,Pengaturan Pengiriman
 DocType: Material Request Plan Item,Actual Qty,Jumlah Aktual
 DocType: Sales Invoice Item,References,Referensi
 DocType: Quality Inspection Reading,Reading 10,Membaca 10
@@ -2676,11 +2701,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Anda telah memasukan item duplikat. Harap perbaiki dan coba lagi.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Rekan
 DocType: Asset Movement,Asset Movement,Gerakan aset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Perintah Kerja {0} harus diserahkan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Cart baru
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Perintah Kerja {0} harus diserahkan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Cart baru
 DocType: Taxable Salary Slab,From Amount,Dari Jumlah
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} bukan merupakan Stok Barang serial
 DocType: Leave Type,Encashment,Encashment
+DocType: Delivery Settings,Delivery Settings,Pengaturan Pengiriman
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Ambil Data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Cuti maksimum yang diizinkan dalam jenis cuti {0} adalah {1}
 DocType: SMS Center,Create Receiver List,Buat Daftar Penerima
 DocType: Vehicle,Wheels,roda
@@ -2696,7 +2723,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Mata uang penagihan harus sama dengan mata uang perusahaan atau mata uang akun tertagih
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Menunjukkan bahwa paket tersebut merupakan bagian dari pengiriman ini (Hanya Draft)
 DocType: Soil Texture,Loam,Lempung
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Baris {0}: Tanggal Jatuh Tempo tidak boleh sebelum tanggal posting
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Baris {0}: Tanggal Jatuh Tempo tidak boleh sebelum tanggal posting
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Buat Entri Pembayaran
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Kuantitas untuk Item {0} harus kurang dari {1}
 ,Sales Invoice Trends,Trend Faktur Penjualan
@@ -2704,12 +2731,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,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'
 DocType: Sales Order Item,Delivery Warehouse,Gudang Pengiriman
 DocType: Leave Type,Earned Leave Frequency,Perolehan Frekuensi Cuti
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Pohon Pusat Biaya keuangan.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Sub Type
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Pohon Pusat Biaya keuangan.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Sub Type
 DocType: Serial No,Delivery Document No,Nomor Dokumen Pengiriman
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Pastikan Pengiriman Berdasarkan Nomor Seri yang Diproduksi No
 DocType: Vital Signs,Furry,Berbulu
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Silahkan mengatur &#39;Gain / Loss Account pada Asset Disposal&#39; di Perusahaan {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Silahkan mengatur &#39;Gain / Loss Account pada Asset Disposal&#39; di Perusahaan {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dapatkan Produk Dari Pembelian Penerimaan
 DocType: Serial No,Creation Date,Tanggal Pembuatan
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Lokasi Target diperlukan untuk aset {0}
@@ -2723,10 +2750,11 @@
 DocType: Item,Has Variants,Memiliki Varian
 DocType: Employee Benefit Claim,Claim Benefit For,Manfaat Klaim Untuk
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Perbarui Tanggapan
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Anda sudah memilih item dari {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Anda sudah memilih item dari {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nama Distribusi Bulanan
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID adalah wajib
 DocType: Sales Person,Parent Sales Person,Induk Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Tidak ada barang yang akan diterima sudah lewat
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Penjual dan pembeli tidak bisa sama
 DocType: Project,Collect Progress,Kumpulkan Kemajuan
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2742,7 +2770,7 @@
 DocType: Bank Guarantee,Margin Money,Uang Marjin
 DocType: Budget,Budget,Anggaran belanja
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Setel Buka
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fixed Asset Item harus barang non-persediaan.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fixed Asset Item harus barang non-persediaan.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Anggaran tidak dapat ditugaskan terhadap {0}, karena itu bukan Penghasilan atau Beban akun"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Jumlah pembebasan maksimum untuk {0} adalah {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Tercapai
@@ -2760,9 +2788,9 @@
 ,Amount to Deliver,Jumlah untuk Dikirim
 DocType: Asset,Insurance Start Date,Tanggal Mulai Asuransi
 DocType: Salary Component,Flexible Benefits,Manfaat Fleksibel
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Item yang sama telah beberapa kali dimasukkan. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Item yang sama telah beberapa kali dimasukkan. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Jangka Tanggal Mulai tidak dapat lebih awal dari Tahun Tanggal Mulai Tahun Akademik yang istilah terkait (Tahun Akademik {}). Perbaiki tanggal dan coba lagi.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Ada kesalahan.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Ada kesalahan.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Karyawan {0} telah mengajukan permohonan untuk {1} antara {2} dan {3}:
 DocType: Guardian,Guardian Interests,wali Minat
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Perbarui Nama / Nomor Akun
@@ -2802,9 +2830,9 @@
 ,Item-wise Purchase History,Laporan Riwayat Pembelian berdasarkan Stok Barang/Item
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,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}
 DocType: Account,Frozen,Beku
-DocType: Delivery Note,Vehicle Type,Tipe Kendaraan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Tipe Kendaraan
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Dasar Penilaian (Mata Uang Perusahaan)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Bahan baku
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Bahan baku
 DocType: Payment Reconciliation Payment,Reference Row,referensi Row
 DocType: Installation Note,Installation Time,Waktu Installasi
 DocType: Sales Invoice,Accounting Details,Rincian Akuntansi
@@ -2813,12 +2841,13 @@
 DocType: Inpatient Record,O Positive,O Positif
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investasi
 DocType: Issue,Resolution Details,Detail Resolusi
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,tipe transaksi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,tipe transaksi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteria Penerimaan
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Cukup masukkan Permintaan Bahan dalam tabel di atas
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Tidak ada pembayaran yang tersedia untuk Entri Jurnal
 DocType: Hub Tracked Item,Image List,Daftar Gambar
 DocType: Item Attribute,Attribute Name,Nama Atribut
+DocType: Subscription,Generate Invoice At Beginning Of Period,Hasilkan Faktur Pada Awal Periode
 DocType: BOM,Show In Website,Tampilkan Di Website
 DocType: Loan Application,Total Payable Amount,Jumlah Total Hutang
 DocType: Task,Expected Time (in hours),Waktu yang diharapkan (dalam jam)
@@ -2855,7 +2884,7 @@
 DocType: Employee,Resignation Letter Date,Tanggal Surat Pengunduran Diri
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Aturan harga selanjutnya disaring berdasarkan kuantitas.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Tidak Diatur
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Harap atur tanggal bergabung untuk karyawan {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Harap atur tanggal bergabung untuk karyawan {0}
 DocType: Inpatient Record,Discharge,Melepaskan
 DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Total Penagihan (via Waktu Lembar)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Pendapatan Pelanggan Rutin
@@ -2865,13 +2894,13 @@
 DocType: Chapter,Chapter,Bab
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pasangan
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Akun default akan diperbarui secara otomatis di Faktur POS saat mode ini dipilih.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Pilih BOM dan Qty untuk Produksi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Pilih BOM dan Qty untuk Produksi
 DocType: Asset,Depreciation Schedule,Jadwal penyusutan
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Alamat Mitra Penjualan Dan Kontak
 DocType: Bank Reconciliation Detail,Against Account,Terhadap Akun
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Tanggal Setengah Hari harus di antara Tanggal Mulai dan Tanggal Akhir
 DocType: Maintenance Schedule Detail,Actual Date,Tanggal Aktual
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Harap atur Default Cost Center di {0} perusahaan.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Harap atur Default Cost Center di {0} perusahaan.
 DocType: Item,Has Batch No,Bernomor Batch
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Tagihan Tahunan: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Detail Shopify Webhook
@@ -2883,7 +2912,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Tipe Shift
 DocType: Student,Personal Details,Data Pribadi
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Silahkan mengatur &#39;Biaya Penyusutan Asset Center di Perusahaan {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Silahkan mengatur &#39;Biaya Penyusutan Asset Center di Perusahaan {0}
 ,Maintenance Schedules,Jadwal pemeliharaan
 DocType: Task,Actual End Date (via Time Sheet),Tanggal Akhir Aktual (dari Lembar Waktu)
 DocType: Soil Texture,Soil Type,Jenis tanah
@@ -2891,10 +2920,10 @@
 ,Quotation Trends,Trend Penawaran
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Item Grup tidak disebutkan dalam master Stok Barang untuk item {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandat GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debit Untuk akun harus rekening Piutang
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debit Untuk akun harus rekening Piutang
 DocType: Shipping Rule,Shipping Amount,Jumlah Pengiriman
 DocType: Supplier Scorecard Period,Period Score,Skor Periode
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Tambahkan Pelanggan
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Tambahkan Pelanggan
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Jumlah Pending
 DocType: Lab Test Template,Special,Khusus
 DocType: Loyalty Program,Conversion Factor,Faktor konversi
@@ -2911,7 +2940,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Tambahkan kop surat
 DocType: Program Enrollment,Self-Driving Vehicle,Kendaraan Mengemudi Sendiri
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Berdiri
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Material tidak ditemukan Item {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Material tidak ditemukan Item {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Jumlah cuti dialokasikan {0} tidak bisa kurang dari cuti yang telah disetujui {1} untuk periode
 DocType: Contract Fulfilment Checklist,Requirement,Kebutuhan
 DocType: Journal Entry,Accounts Receivable,Piutang
@@ -2927,16 +2956,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,Pengaturan Sumber Daya Manusia
 DocType: Salary Slip,net pay info,net Info pay
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Jumlah CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Jumlah CESS
 DocType: Woocommerce Settings,Enable Sync,Aktifkan Sinkronisasi
 DocType: Tax Withholding Rate,Single Transaction Threshold,Ambang Transaksi Tunggal
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Nilai ini diperbarui dalam Daftar Harga Penjualan Standar.
 DocType: Email Digest,New Expenses,Beban baru
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Jumlah PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Jumlah PDC / LC
 DocType: Shareholder,Shareholder,Pemegang saham
 DocType: Purchase Invoice,Additional Discount Amount,Jumlah Potongan Tambahan
 DocType: Cash Flow Mapper,Position,Posisi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Dapatkan Item dari Resep
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Dapatkan Item dari Resep
 DocType: Patient,Patient Details,Rincian pasien
 DocType: Inpatient Record,B Positive,B Positif
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2948,8 +2977,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Kelompok Non-kelompok
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Olahraga
 DocType: Loan Type,Loan Name,pinjaman Nama
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Total Aktual
-DocType: Lab Test UOM,Test UOM,Uji UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Total Aktual
 DocType: Student Siblings,Student Siblings,Saudara mahasiswa
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detail Paket Langganan
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Satuan
@@ -2976,7 +3004,6 @@
 DocType: Workstation,Wages per hour,Upah per jam
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Saldo Persediaan di Batch {0} akan menjadi negatif {1} untuk Barang {2} di Gudang {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Berikut Permintaan Bahan telah dibesarkan secara otomatis berdasarkan tingkat re-order Item
-DocType: Email Digest,Pending Sales Orders,Pending Order Penjualan
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Akun {0} tidak berlaku. Mata Uang Akun harus {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Dari Tanggal {0} tidak boleh setelah Tanggal Pelepasan karyawan {1}
 DocType: Supplier,Is Internal Supplier,Apakah Pemasok Internal
@@ -2985,13 +3012,14 @@
 DocType: Healthcare Settings,Remind Before,Ingatkan sebelumnya
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Konversi diperlukan berturut-turut {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Sales Order, Faktur Penjualan atau Journal Entri"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Sales Order, Faktur Penjualan atau Journal Entri"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Poin Loyalitas = Berapa mata uang dasar?
 DocType: Salary Component,Deduction,Deduksi
 DocType: Item,Retain Sample,Simpan sampel
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Waktu dan To Waktu adalah wajib.
 DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbedaan
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Item Harga ditambahkan untuk {0} di Daftar Harga {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Item Harga ditambahkan untuk {0} di Daftar Harga {1}
+DocType: Delivery Stop,Order Information,informasi pemesanan
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Cukup masukkan Id Karyawan Sales Person ini
 DocType: Territory,Classification of Customers by region,Klasifikasi Pelanggan menurut wilayah
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Dalam produksi
@@ -3002,8 +3030,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Dihitung keseimbangan Laporan Bank
 DocType: Normal Test Template,Normal Test Template,Template Uji Normal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Pengguna Non-aktif
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Penawaran
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Tidak dapat mengatur RFQ yang diterima ke No Quote
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Penawaran
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Tidak dapat mengatur RFQ yang diterima ke No Quote
 DocType: Salary Slip,Total Deduction,Jumlah Deduksi
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Pilih akun yang akan dicetak dalam mata uang akun
 ,Production Analytics,Analytics produksi
@@ -3016,14 +3044,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Penyiapan Scorecard Pemasok
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Nama Rencana Penilaian
 DocType: Work Order Operation,Work Order Operation,Operasi Orde Kerja
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Peringatan: Sertifikat SSL tidak valid pada lampiran {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Peringatan: Sertifikat SSL tidak valid pada lampiran {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Prospek membantu Anda mendapatkan bisnis, tambahkan semua kontak Anda sebagai prospek Anda"
 DocType: Work Order Operation,Actual Operation Time,Waktu Operasi Aktual
 DocType: Authorization Rule,Applicable To (User),Berlaku Untuk (User)
 DocType: Purchase Taxes and Charges,Deduct,Pengurangan
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Deskripsi Bidang Kerja
 DocType: Student Applicant,Applied,Telah Diterapkan
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-terbuka
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-terbuka
 DocType: Sales Invoice Item,Qty as per Stock UOM,Kuantitas sesuai UOM Persediaan
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nama Guardian2
 DocType: Attendance,Attendance Request,Permintaan Kehadiran
@@ -3041,7 +3069,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial ada {0} masih dalam garansi upto {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Nilai Diijinkan Minimal
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Pengguna {0} sudah ada
-apps/erpnext/erpnext/hooks.py +114,Shipments,Pengiriman
+apps/erpnext/erpnext/hooks.py +115,Shipments,Pengiriman
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Total Dialokasikan Jumlah (Perusahaan Mata Uang)
 DocType: Purchase Order Item,To be delivered to customer,Akan dikirimkan ke pelanggan
 DocType: BOM,Scrap Material Cost,Scrap Material Biaya
@@ -3049,11 +3077,12 @@
 DocType: Grant Application,Email Notification Sent,Notifikasi Email Terkirim
 DocType: Purchase Invoice,In Words (Company Currency),Dalam Kata-kata (Perusahaan Mata Uang)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Perusahaan adalah manadatory untuk akun perusahaan
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Kode Barang, gudang, jumlah diminta pada baris"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Kode Barang, gudang, jumlah diminta pada baris"
 DocType: Bank Guarantee,Supplier,Supplier
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Dapatkan Dari
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ini adalah bagian root dan tidak dapat diedit.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Tampilkan Rincian Pembayaran
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Durasi dalam Hari
 DocType: C-Form,Quarter,Seperempat
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Beban lain-lain
 DocType: Global Defaults,Default Company,Standar Perusahaan
@@ -3061,7 +3090,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Akun Beban atau Selisih adalah wajib untuk Barang {0} karena berdampak pada keseluruhan nilai persediaan
 DocType: Bank,Bank Name,Nama Bank
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Di Atas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Biarkan bidang kosong untuk membuat pesanan pembelian untuk semua pemasok
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Biarkan bidang kosong untuk membuat pesanan pembelian untuk semua pemasok
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Barang Kiriman Kunjungan Rawat Inap
 DocType: Vital Signs,Fluid,Cairan
 DocType: Leave Application,Total Leave Days,Jumlah Cuti Hari
@@ -3070,7 +3099,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Pengaturan Variasi Item
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Pilih Perusahaan ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Biarkan kosong jika dianggap untuk semua departemen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Item {0}: {1} qty diproduksi,"
 DocType: Payroll Entry,Fortnightly,sekali dua minggu
 DocType: Currency Exchange,From Currency,Dari mata uang
@@ -3119,7 +3148,7 @@
 DocType: Account,Fixed Asset,Asset Tetap
 DocType: Amazon MWS Settings,After Date,Setelah Tanggal
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Persediaan memiliki serial
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Tidak valid {0} untuk Faktur Perusahaan Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Tidak valid {0} untuk Faktur Perusahaan Inter.
 ,Department Analytics,Analisis Departemen
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Email tidak ditemukan dalam kontak default
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Hasilkan Rahasia
@@ -3137,6 +3166,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Dengan pembayaran pajak
 DocType: Expense Claim Detail,Expense Claim Detail,Detail Klaim Biaya
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Silakan siapkan Sistem Penamaan Pengajar di Pendidikan&gt; Pengaturan Pendidikan
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE UNTUK PEMASOK
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Saldo Baru Dalam Mata Uang Dasar
 DocType: Location,Is Container,Adalah kontainer
@@ -3144,13 +3174,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Silakan pilih akun yang benar
 DocType: Salary Structure Assignment,Salary Structure Assignment,Penetapan Struktur Gaji
 DocType: Purchase Invoice Item,Weight UOM,Berat UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Daftar Pemegang Saham yang tersedia dengan nomor folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Daftar Pemegang Saham yang tersedia dengan nomor folio
 DocType: Salary Structure Employee,Salary Structure Employee,Struktur Gaji Karyawan
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Tampilkan Variant Attributes
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Tampilkan Variant Attributes
 DocType: Student,Blood Group,Golongan Darah
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Akun gateway pembayaran dalam rencana {0} berbeda dari akun gateway pembayaran dalam permintaan pembayaran ini
 DocType: Course,Course Name,Nama kursus
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Tidak ada data Pemotongan Pajak yang ditemukan untuk Tahun Fiskal saat ini.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Tidak ada data Pemotongan Pajak yang ditemukan untuk Tahun Fiskal saat ini.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Pengguna yang dapat menyetujui aplikasi cuti karyawan tertentu yang
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Peralatan Kantor
 DocType: Purchase Invoice Item,Qty,Kuantitas
@@ -3158,6 +3188,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Setup Scoring
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronik
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Bolehkan Item yang Sama Beberapa Kali
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Munculkan Permintaan Material ketika persediaan mencapai tingkat pesan ulang
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Full-time
 DocType: Payroll Entry,Employees,Para karyawan
@@ -3169,11 +3200,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Konfirmasi pembayaran
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Harga tidak akan ditampilkan jika Harga Daftar tidak diatur
 DocType: Stock Entry,Total Incoming Value,Total nilai masuk
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debit Untuk diperlukan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debit Untuk diperlukan
 DocType: Clinical Procedure,Inpatient Record,Rekam Rawat Inap
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets membantu melacak waktu, biaya dan penagihan untuk kegiatan yang dilakukan oleh tim Anda"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Pembelian Daftar Harga
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Tanggal Transaksi
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Pembelian Daftar Harga
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Tanggal Transaksi
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Template dari variabel scorecard pemasok.
 DocType: Job Offer Term,Offer Term,Penawaran Term
 DocType: Asset,Quality Manager,Manajer Mutu
@@ -3194,18 +3225,18 @@
 DocType: Cashier Closing,To Time,Untuk Waktu
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) untuk {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Menyetujui Peran (di atas nilai yang berwenang)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredit Untuk akun harus rekening Hutang
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredit Untuk akun harus rekening Hutang
 DocType: Loan,Total Amount Paid,Jumlah Total yang Dibayar
 DocType: Asset,Insurance End Date,Tanggal Akhir Asuransi
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Silakan pilih Student Admission yang wajib diisi pemohon uang pelajar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} tidak bisa menjadi induk atau cabang dari {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} tidak bisa menjadi induk atau cabang dari {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Daftar anggaran
 DocType: Work Order Operation,Completed Qty,Qty Selesai
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Untuk {0}, hanya rekening debit dapat dihubungkan dengan entri kredit lain"
 DocType: Manufacturing Settings,Allow Overtime,Izinkan Lembur
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serial Barang {0} tidak dapat diperbarui menggunakan Rekonsiliasi Persediaan, gunakan Entri Persediaan"
 DocType: Training Event Employee,Training Event Employee,Acara Pelatihan Karyawan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Sampel Maksimum - {0} dapat disimpan untuk Batch {1} dan Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Sampel Maksimum - {0} dapat disimpan untuk Batch {1} dan Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Tambahkan Slot Waktu
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Nomer Seri diperlukan untuk Item {1}. Anda menyediakan {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Nilai Tingkat Penilaian Saat ini
@@ -3236,11 +3267,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} tidak ditemukan
 DocType: Fee Schedule Program,Fee Schedule Program,Program Jadwal Biaya
 DocType: Fee Schedule Program,Student Batch,Mahasiswa Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Harap hapus Employee <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,membuat Siswa
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Jenis Unit Layanan Kesehatan
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Anda telah diundang untuk berkolaborasi pada proyek: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Anda telah diundang untuk berkolaborasi pada proyek: {0}
 DocType: Supplier Group,Parent Supplier Group,Grup Pemasok Induk
+DocType: Email Digest,Purchase Orders to Bill,Beli Pesanan ke Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Nilai Akumulasi dalam Perusahaan Grup
 DocType: Leave Block List Date,Block Date,Blok Tanggal
 DocType: Crop,Crop,Tanaman
@@ -3252,6 +3286,7 @@
 DocType: Sales Order,Not Delivered,Tidak Terkirim
 ,Bank Clearance Summary,Ringkasan Kliring Bank
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Buat dan kelola surel ringkasan harian, mingguan dan bulanan."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Ini didasarkan pada transaksi terhadap Penjual ini. Lihat garis waktu di bawah ini untuk detailnya
 DocType: Appraisal Goal,Appraisal Goal,Penilaian Pencapaian
 DocType: Stock Reconciliation Item,Current Amount,Jumlah saat ini
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Bangunan
@@ -3278,7 +3313,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,software
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Berikutnya Hubungi Tanggal tidak dapat di masa lalu
 DocType: Company,For Reference Only.,Untuk referensi saja.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Pilih Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Pilih Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Valid {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referensi Inv
@@ -3296,16 +3331,16 @@
 DocType: Normal Test Items,Require Result Value,Mengharuskan Nilai Hasil
 DocType: Item,Show a slideshow at the top of the page,Tampilkan slideshow di bagian atas halaman
 DocType: Tax Withholding Rate,Tax Withholding Rate,Tingkat Pemotongan Pajak
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOMS
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Toko
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOMS
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Toko
 DocType: Project Type,Projects Manager,Manajer Proyek
 DocType: Serial No,Delivery Time,Waktu Pengiriman
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Umur Berdasarkan
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Penunjukan dibatalkan
 DocType: Item,End of Life,Akhir Riwayat
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Perjalanan
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Perjalanan
 DocType: Student Report Generation Tool,Include All Assessment Group,Termasuk Semua Kelompok Penilaian
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Tidak ada yang aktif atau gaji standar Struktur ditemukan untuk karyawan {0} untuk tanggal tertentu
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Tidak ada yang aktif atau gaji standar Struktur ditemukan untuk karyawan {0} untuk tanggal tertentu
 DocType: Leave Block List,Allow Users,Izinkan Pengguna
 DocType: Purchase Order,Customer Mobile No,Nomor Seluler Pelanggan
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detail Rincian Pemetaan Arus Kas
@@ -3314,15 +3349,16 @@
 DocType: Rename Tool,Rename Tool,Alat Perubahan Nama
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Perbarui Biaya
 DocType: Item Reorder,Item Reorder,Item Reorder
+DocType: Delivery Note,Mode of Transport,Mode Transportasi
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Slip acara Gaji
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer Material/Stok Barang
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer Material/Stok Barang
 DocType: Fees,Send Payment Request,Kirim Permintaan Pembayaran
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Tentukan operasi, biaya operasi dan memberikan Operation unik ada pada operasi Anda."
 DocType: Travel Request,Any other details,Detail lainnya
 DocType: Water Analysis,Origin,Asal
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dokumen ini adalah lebih dari batas oleh {0} {1} untuk item {4}. Apakah Anda membuat yang lain {3} terhadap yang sama {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Silahkan mengatur berulang setelah menyimpan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Pilih akun berubah jumlah
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Silahkan mengatur berulang setelah menyimpan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Pilih akun berubah jumlah
 DocType: Purchase Invoice,Price List Currency,Daftar Harga Mata uang
 DocType: Naming Series,User must always select,Pengguna harus selalu pilih
 DocType: Stock Settings,Allow Negative Stock,Izinkan persediaan negatif
@@ -3343,9 +3379,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Lacak
 DocType: Asset Maintenance Log,Actions performed,Tindakan dilakukan
 DocType: Cash Flow Mapper,Section Leader,Pemimpin Seksi
+DocType: Delivery Note,Transport Receipt No,Tanda Terima Transportasi No
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Sumber Dana (Kewajiban)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Lokasi Sumber dan Target tidak boleh sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kuantitas di baris {0} ({1}) harus sama dengan jumlah yang diproduksi {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kuantitas di baris {0} ({1}) harus sama dengan jumlah yang diproduksi {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Karyawan
 DocType: Bank Guarantee,Fixed Deposit Number,Fixed Deposit Number
 DocType: Asset Repair,Failure Date,Tanggal Kegagalan
@@ -3359,16 +3396,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Pengurangan pembayaran atau Rugi
 DocType: Soil Analysis,Soil Analysis Criterias,Kriteria Analisis Tanah
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Ketentuan kontrak standar untuk Penjualan atau Pembelian.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Yakin ingin membatalkan janji temu ini?
+DocType: BOM Item,Item operation,Operasi barang
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Yakin ingin membatalkan janji temu ini?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Paket Harga Kamar Hotel
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline penjualan
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Pipeline penjualan
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Silakan set account default di Komponen Gaji {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Diperlukan pada
 DocType: Rename Tool,File to Rename,Nama File untuk Diganti
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Silakan pilih BOM untuk Item di Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Ambil Pembaruan Berlangganan
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Akun {0} tidak sesuai Perusahaan {1} dalam Mode Akun: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Ditentukan BOM {0} tidak ada untuk Item {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Ditentukan BOM {0} tidak ada untuk Item {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kursus:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadwal pemeliharaan {0} harus dibatalkan sebelum membatalkan Sales Order ini
@@ -3377,7 +3415,7 @@
 DocType: Notification Control,Expense Claim Approved,Klaim Biaya Disetujui
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Tetapkan Uang Muka dan Alokasikan (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Tidak ada Perintah Kerja yang dibuat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Slip Gaji karyawan {0} sudah dibuat untuk periode ini
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Slip Gaji karyawan {0} sudah dibuat untuk periode ini
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmasi
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Anda hanya dapat mengirim Tinggalkan Cadangan untuk jumlah pencairan yang valid
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Biaya Produk Dibeli
@@ -3385,7 +3423,8 @@
 DocType: Selling Settings,Sales Order Required,Nota Penjualan Diperlukan
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Menjadi Penjual
 DocType: Purchase Invoice,Credit To,Kredit Untuk
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Prospek / Pelanggan Aktif
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Prospek / Pelanggan Aktif
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Biarkan kosong untuk menggunakan format Catatan Pengiriman standar
 DocType: Employee Education,Post Graduate,Pasca Sarjana
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Jadwal pemeliharaan Detil
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Peringatkan untuk Pesanan Pembelian baru
@@ -3399,14 +3438,14 @@
 DocType: Support Search Source,Post Title Key,Posting Kunci Judul
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Untuk Kartu Pekerjaan
 DocType: Warranty Claim,Raised By,Diangkat Oleh
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Prescription
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Prescription
 DocType: Payment Gateway Account,Payment Account,Akun Pembayaran
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Silahkan tentukan Perusahaan untuk melanjutkan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Silahkan tentukan Perusahaan untuk melanjutkan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Perubahan bersih Piutang
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompensasi Off
 DocType: Job Offer,Accepted,Diterima
 DocType: POS Closing Voucher,Sales Invoices Summary,Ringkasan Penjualan Faktur
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Ke Nama Pihak
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Ke Nama Pihak
 DocType: Grant Application,Organization,Organisasi
 DocType: BOM Update Tool,BOM Update Tool,Alat Pembaruan BOM
 DocType: SG Creation Tool Course,Student Group Name,Nama Kelompok Mahasiswa
@@ -3415,7 +3454,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Pastikan Anda benar-benar ingin menghapus semua transaksi untuk perusahaan ini. Data master Anda akan tetap seperti itu. Tindakan ini tidak bisa dibatalkan.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Hasil Pencarian
 DocType: Room,Room Number,Nomor kamar
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Referensi yang tidak valid {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Referensi yang tidak valid {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak dapat lebih besar dari jumlah yang direncanakan ({2}) di Perintah Produksi {3}
 DocType: Shipping Rule,Shipping Rule Label,Peraturan Pengiriman Label
 DocType: Journal Entry Account,Payroll Entry,Entri Penggajian
@@ -3423,8 +3462,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Buat Template Pajak
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum pengguna
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Bahan baku tidak boleh kosong.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Baris # {0} (Tabel Pembayaran): Jumlah harus negatif
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Tidak bisa memperbarui persediaan, faktur berisi barang titipan."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Baris # {0} (Tabel Pembayaran): Jumlah harus negatif
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Tidak bisa memperbarui persediaan, faktur berisi barang titipan."
 DocType: Contract,Fulfilment Status,Status Pemenuhan
 DocType: Lab Test Sample,Lab Test Sample,Sampel Uji Lab
 DocType: Item Variant Settings,Allow Rename Attribute Value,Izinkan Ganti Nama Nilai Atribut
@@ -3466,11 +3505,11 @@
 DocType: BOM,Show Operations,Tampilkan Operasi
 ,Minutes to First Response for Opportunity,Menit ke Response Pertama untuk Peluang
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Jumlah Absen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Item atau Gudang untuk baris {0} Material tidak cocok Permintaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Item atau Gudang untuk baris {0} Material tidak cocok Permintaan
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Satuan Ukur
 DocType: Fiscal Year,Year End Date,Tanggal Akhir Tahun
 DocType: Task Depends On,Task Depends On,Tugas Tergantung Pada
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Peluang
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Peluang
 DocType: Operation,Default Workstation,Standar Workstation
 DocType: Notification Control,Expense Claim Approved Message,Beban Klaim Disetujui Pesan
 DocType: Payment Entry,Deductions or Loss,Pemotongan atau Rugi
@@ -3508,20 +3547,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Menyetujui Pengguna tidak bisa sama dengan pengguna aturan yang Berlaku Untuk
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Tarif Dasar (sesuai UOM Persediaan)
 DocType: SMS Log,No of Requested SMS,Tidak ada dari Diminta SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Tinggalkan Tanpa Bayar tidak sesuai dengan catatan Cuti Aplikasi disetujui
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Tinggalkan Tanpa Bayar tidak sesuai dengan catatan Cuti Aplikasi disetujui
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Langkah selanjutnya
 DocType: Travel Request,Domestic,Lokal
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Silakan memasok barang-barang tertentu dengan tarif terbaik
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Silakan memasok barang-barang tertentu dengan tarif terbaik
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Transfer karyawan tidak dapat diserahkan sebelum Tanggal Transfer
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Membuat Invoice
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Saldo yang tersisa
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Saldo yang tersisa
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Peluang dekat setelah 15 hari
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Pesanan Pembelian tidak diizinkan untuk {0} karena kartu skor berdiri {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Kode batang {0} bukan kode {1} yang valid
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Kode batang {0} bukan kode {1} yang valid
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,akhir Tahun
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Penawaran/Prospek %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Kontrak Tanggal Akhir harus lebih besar dari Tanggal Bergabung
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Kontrak Tanggal Akhir harus lebih besar dari Tanggal Bergabung
 DocType: Driver,Driver,Sopir
 DocType: Vital Signs,Nutrition Values,Nilai gizi
 DocType: Lab Test Template,Is billable,Apakah bisa ditagih
@@ -3532,7 +3571,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Ini adalah situs contoh auto-dihasilkan dari ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Rentang Umur 1
 DocType: Shopify Settings,Enable Shopify,Aktifkan Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Jumlah uang muka total tidak boleh lebih besar dari jumlah total yang diklaim
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Jumlah uang muka total tidak boleh lebih besar dari jumlah total yang diklaim
 DocType: Purchase Taxes and Charges Template,"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
@@ -3579,12 +3618,12 @@
 DocType: Employee Separation,Employee Separation,Pemisahan Karyawan
 DocType: BOM Item,Original Item,Barang Asli
 DocType: Purchase Receipt Item,Recd Quantity,Qty Diterima
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Tanggal Dokumen
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Tanggal Dokumen
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Biaya Rekaman Dibuat - {0}
 DocType: Asset Category Account,Asset Category Account,Aset Kategori Akun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Baris # {0} (Tabel Pembayaran): Jumlah harus positif
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Baris # {0} (Tabel Pembayaran): Jumlah harus positif
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Tidak dapat menghasilkan lebih Stok Barang {0} daripada kuantitas Sales Order {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Pilih Nilai Atribut
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Pilih Nilai Atribut
 DocType: Purchase Invoice,Reason For Issuing document,Alasan untuk menerbitkan dokumen
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Entri Persediaan {0} tidak terkirim
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / Rekening Kas
@@ -3593,8 +3632,10 @@
 DocType: Asset,Manual,panduan
 DocType: Salary Component Account,Salary Component Account,Akun Komponen Gaji
 DocType: Global Defaults,Hide Currency Symbol,Sembunyikan Mata Uang
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Peluang Penjualan menurut Sumber
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informasi donor
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","misalnya Bank, Kas, Kartu Kredit"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Silakan mengatur seri penomoran untuk Kehadiran melalui Pengaturan&gt; Seri Penomoran
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","misalnya Bank, Kas, Kartu Kredit"
 DocType: Job Applicant,Source Name,sumber Nama
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tekanan darah istirahat normal pada orang dewasa sekitar 120 mmHg sistolik, dan diastolik 80 mmHg, disingkat &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Setel umur simpan barang dalam hitungan hari, untuk menetapkan kadaluwarsa berdasarkan manufacturing_date plus self life"
@@ -3624,7 +3665,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Untuk Kuantitas harus kurang dari kuantitas {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Tanggal awal harus sebelum Tanggal Akhir
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimal Jumlah Manfaat (Tahunan)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Nilai TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Nilai TDS%
 DocType: Crop,Planting Area,Luas Tanam
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qty)
 DocType: Installation Note Item,Installed Qty,Terpasang Qty
@@ -3646,8 +3687,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Tinggalkan Pemberitahuan Persetujuan
 DocType: Buying Settings,Default Buying Price List,Standar Membeli Daftar Harga
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip Gaji Berdasarkan Daftar Absen
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Tingkat pembelian
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Baris {0}: Masukkan lokasi untuk item aset {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Tingkat pembelian
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Baris {0}: Masukkan lokasi untuk item aset {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Tentang perusahaan
 DocType: Notification Control,Sales Order Message,Pesan Nota Penjualan
@@ -3712,10 +3753,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Untuk baris {0}: Masuki rencana qty
 DocType: Account,Income Account,Akun Penghasilan
 DocType: Payment Request,Amount in customer's currency,Jumlah dalam mata uang pelanggan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Pengiriman
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Pengiriman
 DocType: Volunteer,Weekdays,Hari kerja
 DocType: Stock Reconciliation Item,Current Qty,Jumlah saat ini
 DocType: Restaurant Menu,Restaurant Menu,Menu Restoran
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Tambahkan Pemasok
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Bagian Bantuan
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Sebelumnya
@@ -3727,19 +3769,20 @@
 												fullfill Sales Order {2}",Tidak dapat mengirim Serial No {0} item {1} seperti yang dicadangkan untuk \ mengisi Pesanan Penjualan {2}
 DocType: Item Reorder,Material Request Type,Permintaan Jenis Bahan
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Kirim Email Peninjauan Donasi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Faktor Konversi adalah wajib
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Faktor Konversi adalah wajib
 DocType: Employee Benefit Claim,Claim Date,Tanggal Klaim
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kapasitas Kamar
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Sudah ada catatan untuk item {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Anda akan kehilangan rekaman faktur yang dibuat sebelumnya. Anda yakin ingin memulai ulang langganan ini?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Biaya pendaftaran
 DocType: Loyalty Program Collection,Loyalty Program Collection,Koleksi Program Loyalitas
 DocType: Stock Entry Detail,Subcontracted Item,Item Subkontrak
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Siswa {0} bukan milik grup {1}
 DocType: Budget,Cost Center,Biaya Pusat
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Pesan Purchase Order
 DocType: Tax Rule,Shipping Country,Pengiriman Negara
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Menyembunyikan Id Pajak Nasabah Transaksi Penjualan
@@ -3758,23 +3801,22 @@
 DocType: Subscription,Cancel At End Of Period,Batalkan Pada Akhir Periode
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Properti sudah ditambahkan
 DocType: Item Supplier,Item Supplier,Item Supplier
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Entrikan Item Code untuk mendapatkan bets tidak
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Silakan pilih nilai untuk {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Entrikan Item Code untuk mendapatkan bets tidak
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Silakan pilih nilai untuk {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Tidak ada item yang dipilih untuk transfer
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Semua Alamat
 DocType: Company,Stock Settings,Pengaturan Persediaan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Penggabungan ini hanya mungkin jika sifat berikut yang sama di kedua catatan. Apakah Group, Akar Jenis, Perusahaan"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Penggabungan ini hanya mungkin jika sifat berikut yang sama di kedua catatan. Apakah Group, Akar Jenis, Perusahaan"
 DocType: Vehicle,Electric,listrik
 DocType: Task,% Progress,% Selesai
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Laba / Rugi Asset Disposal
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Hanya Pelamar Pelajar dengan status &quot;Disetujui&quot; yang akan dipilih dalam tabel di bawah ini.
 DocType: Tax Withholding Category,Rates,Tarif
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Nomor akun untuk akun {0} tidak tersedia. <br> Harap atur bagan akun Anda dengan benar.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Nomor akun untuk akun {0} tidak tersedia. <br> Harap atur bagan akun Anda dengan benar.
 DocType: Task,Depends on Tasks,Tergantung pada Tugas
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Kelola Pohon Kelompok Pelanggan.
 DocType: Normal Test Items,Result Value,Nilai hasil
 DocType: Hotel Room,Hotels,Hotel
-DocType: Delivery Note,Transporter Date,Tanggal Pengangkutan
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Baru Nama Biaya Pusat
 DocType: Leave Control Panel,Leave Control Panel,Cuti Control Panel
 DocType: Project,Task Completion,tugas Penyelesaian
@@ -3821,11 +3863,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Semua Grup Assessment
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Gudang baru Nama
 DocType: Shopify Settings,App Type,Jenis Aplikasi
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Wilayah
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Harap menyebutkan tidak ada kunjungan yang diperlukan
 DocType: Stock Settings,Default Valuation Method,Metode Perhitungan Standar
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Biaya
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Tampilkan Jumlah Kumulatif
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Perbaruan sedang berlangsung. Mungkin perlu beberapa saat.
 DocType: Production Plan Item,Produced Qty,Diproduksi Qty
 DocType: Vehicle Log,Fuel Qty,BBM Qty
@@ -3833,7 +3876,7 @@
 DocType: Work Order Operation,Planned Start Time,Rencana Start Time
 DocType: Course,Assessment,Penilaian
 DocType: Payment Entry Reference,Allocated,Dialokasikan
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Tutup Neraca dan Perhitungan Laba Rugi atau buku.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Tutup Neraca dan Perhitungan Laba Rugi atau buku.
 DocType: Student Applicant,Application Status,Status aplikasi
 DocType: Additional Salary,Salary Component Type,Tipe Komponen Gaji
 DocType: Sensitivity Test Items,Sensitivity Test Items,Item Uji Sensitivitas
@@ -3844,10 +3887,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Jumlah Total Outstanding
 DocType: Sales Partner,Targets,Target
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Silakan daftar nomor SIREN di file informasi perusahaan
+DocType: Email Digest,Sales Orders to Bill,Pesanan Penjualan ke Bill
 DocType: Price List,Price List Master,Daftar Harga Guru
 DocType: GST Account,CESS Account,Akun CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Semua Transaksi Penjualan dapat ditandai terhadap beberapa ** Orang Penjualan ** sehingga Anda dapat mengatur dan memonitor target.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Tautan ke Permintaan Material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Tautan ke Permintaan Material
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Kegiatan Forum
 ,S.O. No.,SO No
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Item Pengaturan Transaksi Pernyataan Bank
@@ -3862,7 +3906,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Ini adalah kelompok pelanggan paling dasar dan tidak dapat diedit.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Tindakan jika Akumulasi Anggaran Bulanan Melebihi pada PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Meletakkan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Meletakkan
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revaluasi Nilai Tukar
 DocType: POS Profile,Ignore Pricing Rule,Abaikan Aturan Harga
 DocType: Employee Education,Graduate,Lulusan
@@ -3898,6 +3942,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Harap tetapkan pelanggan default di Pengaturan Restoran
 ,Salary Register,Register Gaji
 DocType: Warehouse,Parent Warehouse,Gudang tua
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Grafik
 DocType: Subscription,Net Total,Jumlah Bersih
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Default BOM tidak ditemukan untuk Item {0} dan Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Mendefinisikan berbagai jenis pinjaman
@@ -3930,24 +3975,26 @@
 DocType: Membership,Membership Status,Status Keanggotaan
 DocType: Travel Itinerary,Lodging Required,Penginapan Diperlukan
 ,Requested,Diminta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Tidak ada Keterangan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Tidak ada Keterangan
 DocType: Asset,In Maintenance,Dalam perawatan
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik tombol ini untuk mengambil data Sales Order Anda dari Amazon MWS.
 DocType: Vital Signs,Abdomen,Abdomen
 DocType: Purchase Invoice,Overdue,Terlambat
 DocType: Account,Stock Received But Not Billed,Persediaan Diterima Tapi Tidak Ditagih
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Akar Rekening harus kelompok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Akar Rekening harus kelompok
 DocType: Drug Prescription,Drug Prescription,Resep obat
 DocType: Loan,Repaid/Closed,Dilunasi / Ditutup
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Total Proyeksi Jumlah
 DocType: Monthly Distribution,Distribution Name,Nama Distribusi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Termasuk UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Angka penilaian tidak ditemukan untuk Item {0}, yang diperlukan untuk melakukan entri akuntansi untuk {1} {2}. Jika item tersebut bertransaksi sebagai item angka penilaian nol di {1}, mohon sebutkan di tabel Item {1}. Jika tidak, buat transaksi saham masuk untuk item tersebut atau beri nilai valuasi dalam catatan Item, lalu coba kirimkan / batalkan entri ini."
 DocType: Course,Course Code,Kode Course
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inspeksi Mutu diperlukan untuk Item {0}
 DocType: Location,Parent Location,Lokasi Orangtua
 DocType: POS Settings,Use POS in Offline Mode,Gunakan POS dalam Mode Offline
 DocType: Supplier Scorecard,Supplier Variables,Variabel pemasok
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} wajib. Mungkin catatan pertukaran mata uang tidak dibuat untuk {1} ke {2}
 DocType: Quotation,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
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Tingkat Net (Perusahaan Mata Uang)
 DocType: Salary Detail,Condition and Formula Help,Kondisi dan Formula Bantuan
@@ -3956,19 +4003,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Faktur Penjualan
 DocType: Journal Entry Account,Party Balance,Saldo Partai
 DocType: Cash Flow Mapper,Section Subtotal,Bagian Subtotal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Silakan pilih Terapkan Diskon Pada
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Silakan pilih Terapkan Diskon Pada
 DocType: Stock Settings,Sample Retention Warehouse,Contoh Retensi Gudang
 DocType: Company,Default Receivable Account,Standar Piutang Rekening
 DocType: Purchase Invoice,Deemed Export,Dianggap ekspor
 DocType: Stock Entry,Material Transfer for Manufacture,Alih Material untuk Produksi
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Persentase Diskon dapat diterapkan baik terhadap Daftar Harga atau untuk semua List Price.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Entri Akuntansi untuk Persediaan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Entri Akuntansi untuk Persediaan
 DocType: Lab Test,LabTest Approver,Pendekatan LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Anda telah memberikan penilaian terhadap kriteria penilaian {}.
 DocType: Vehicle Service,Engine Oil,Oli mesin
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Pesanan Pekerjaan Dibuat: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Pesanan Pekerjaan Dibuat: {0}
 DocType: Sales Invoice,Sales Team1,Penjualan team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Item {0} tidak ada
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Item {0} tidak ada
 DocType: Sales Invoice,Customer Address,Alamat Pelanggan
 DocType: Loan,Loan Details,Detail pinjaman
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Gagal menyiapkan perlengkapan pasca perusahaan
@@ -3989,34 +4036,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Tampilkan slide ini di bagian atas halaman
 DocType: BOM,Item UOM,Stok Barang UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Jumlah pajak Setelah Diskon Jumlah (Perusahaan Mata Uang)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target gudang adalah wajib untuk baris {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target gudang adalah wajib untuk baris {0}
 DocType: Cheque Print Template,Primary Settings,Pengaturan utama
 DocType: Attendance Request,Work From Home,Bekerja dari rumah
 DocType: Purchase Invoice,Select Supplier Address,Pilih Pemasok Alamat
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Tambahkan Karyawan
 DocType: Purchase Invoice Item,Quality Inspection,Inspeksi Mutu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Ekstra Kecil
 DocType: Company,Standard Template,Template standar
 DocType: Training Event,Theory,Teori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Peringatan: Material Diminta Qty kurang dari Minimum Order Qty
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Peringatan: Material Diminta Qty kurang dari Minimum Order Qty
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Akun {0} dibekukan
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Badan Hukum / Anak dengan Bagan terpisah Account milik Organisasi.
 DocType: Payment Request,Mute Email,Diamkan Surel
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Makanan, Minuman dan Tembakau"
 DocType: Account,Account Number,Nomor Akun
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Hanya dapat melakukan pembayaran terhadap yang belum ditagihkan {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Tingkat komisi tidak dapat lebih besar dari 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Hanya dapat melakukan pembayaran terhadap yang belum ditagihkan {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Tingkat komisi tidak dapat lebih besar dari 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Alokasikan Uang Muka Secara Otomatis (FIFO)
 DocType: Volunteer,Volunteer,Relawan
 DocType: Buying Settings,Subcontract,Kontrak tambahan
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Entrikan {0} terlebih dahulu
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Tidak ada balasan dari
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Tidak ada balasan dari
 DocType: Work Order Operation,Actual End Time,Waktu Akhir Aktual
 DocType: Item,Manufacturer Part Number,Produsen Part Number
 DocType: Taxable Salary Slab,Taxable Salary Slab,Saldo Gaji Kena Pajak
 DocType: Work Order Operation,Estimated Time and Cost,Perkiraan Waktu dan Biaya
 DocType: Bin,Bin,Tong Sampah
 DocType: Crop,Crop Name,Nama tanaman
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Hanya pengguna dengan {0} yang dapat mendaftar di Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Hanya pengguna dengan {0} yang dapat mendaftar di Marketplace
 DocType: SMS Log,No of Sent SMS,Tidak ada dari Sent SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Janji dan Pertemuan
@@ -4045,7 +4093,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Ubah Kode
 DocType: Purchase Invoice Item,Valuation Rate,Tingkat Penilaian
 DocType: Vehicle,Diesel,disel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Daftar Harga Mata uang tidak dipilih
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Daftar Harga Mata uang tidak dipilih
 DocType: Purchase Invoice,Availed ITC Cess,Dilengkapi ITC Cess
 ,Student Monthly Attendance Sheet,Mahasiswa Lembar Kehadiran Bulanan
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Aturan pengiriman hanya berlaku untuk penjualan
@@ -4061,7 +4109,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Kelola Partner Penjualan
 DocType: Quality Inspection,Inspection Type,Tipe Inspeksi
 DocType: Fee Validity,Visited yet,Dikunjungi belum
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke grup.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke grup.
 DocType: Assessment Result Tool,Result HTML,hasil HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Seberapa sering proyek dan perusahaan harus diperbarui berdasarkan Transaksi Penjualan.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Kadaluarsa pada
@@ -4069,7 +4117,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Silahkan pilih {0}
 DocType: C-Form,C-Form No,C-Form ada
 DocType: BOM,Exploded_items,Pembesaran Item
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Jarak
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Jarak
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Cantumkan produk atau layanan yang Anda beli atau jual.
 DocType: Water Analysis,Storage Temperature,Suhu Penyimpanan
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4085,19 +4133,19 @@
 DocType: Shopify Settings,Delivery Note Series,Seri Catatan Pengiriman
 DocType: Purchase Order Item,Returned Qty,Qty Retur
 DocType: Student,Exit,Keluar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Tipe Dasar adalah wajib
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Tipe Dasar adalah wajib
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Gagal memasang prasetel
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Konversi UOM dalam Jam
 DocType: Contract,Signee Details,Detail Signee
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} saat ini memiliki {1} posisi Supplier Scorecard, dan RFQs ke pemasok ini harus dikeluarkan dengan hati-hati."
 DocType: Certified Consultant,Non Profit Manager,Manajer Non Profit
 DocType: BOM,Total Cost(Company Currency),Total Biaya (Perusahaan Mata Uang)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial ada {0} dibuat
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial ada {0} dibuat
 DocType: Homepage,Company Description for website homepage,Deskripsi Perusahaan untuk homepage website
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Untuk kenyamanan pelanggan, kode ini dapat digunakan dalam format cetak seperti Faktur dan Nota Pengiriman"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nama suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Tidak dapat mengambil informasi untuk {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Membuka Entri Jurnal
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Membuka Entri Jurnal
 DocType: Contract,Fulfilment Terms,Syarat Pemenuhan
 DocType: Sales Invoice,Time Sheet List,Waktu Daftar Lembar
 DocType: Employee,You can enter any date manually,Anda dapat memasukkan tanggal apapun secara manual
@@ -4132,7 +4180,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Organisasi Anda
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Lolos Keluar Alokasi untuk karyawan berikut, karena catatan Keluaran sudah ada untuk mereka. {0}"
 DocType: Fee Component,Fees Category,biaya Kategori
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Silahkan masukkan menghilangkan date.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Silahkan masukkan menghilangkan date.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Rincian Sponsor (Nama, Lokasi)"
 DocType: Supplier Scorecard,Notify Employee,Beritahu Karyawan
@@ -4145,9 +4193,9 @@
 DocType: Company,Chart Of Accounts Template,Grafik Of Account Template
 DocType: Attendance,Attendance Date,Tanggal Kehadiran
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Perbarui stok harus diaktifkan untuk faktur pembelian {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Harga Barang diperbarui untuk {0} di Daftar Harga {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Harga Barang diperbarui untuk {0} di Daftar Harga {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Gaji perpisahan berdasarkan Produktif dan Pengurangan.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Akun dengan node anak tidak dapat dikonversi ke buku besar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Akun dengan node anak tidak dapat dikonversi ke buku besar
 DocType: Purchase Invoice Item,Accepted Warehouse,Gudang Barang Diterima
 DocType: Bank Reconciliation Detail,Posting Date,Tanggal Posting
 DocType: Item,Valuation Method,Metode Perhitungan
@@ -4184,6 +4232,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Silakan pilih satu batch
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Klaim Perjalanan dan Biaya
 DocType: Sales Invoice,Redemption Cost Center,Pusat Biaya Penebusan
+DocType: QuickBooks Migrator,Scope,Cakupan
 DocType: Assessment Group,Assessment Group Name,Nama penilaian Grup
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Bahan Ditransfer untuk Produksi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Tambahkan ke Detail
@@ -4191,6 +4240,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Last Sync Datetime
 DocType: Landed Cost Item,Receipt Document Type,Dokumen penerimaan Type
 DocType: Daily Work Summary Settings,Select Companies,Pilih perusahaan
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Penawaran / Penawaran Harga
 DocType: Antibiotic,Healthcare,Kesehatan
 DocType: Target Detail,Target Detail,Sasaran Detil
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Varian tunggal
@@ -4200,6 +4250,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Periode Penutupan Entri
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Pilih Departemen ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke grup
+DocType: QuickBooks Migrator,Authorization URL,URL otorisasi
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Jumlah {0} {1} {2} {3}
 DocType: Account,Depreciation,Penyusutan
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Jumlah saham dan jumlah saham tidak konsisten
@@ -4221,13 +4272,14 @@
 DocType: Support Search Source,Source DocType,Sumber DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Buka tiket baru
 DocType: Training Event,Trainer Email,Email Pelatih
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Permintaan Material {0} dibuat
 DocType: Restaurant Reservation,No of People,Tidak ada orang
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Template istilah atau kontrak.
 DocType: Bank Account,Address and Contact,Alamat dan Kontak
 DocType: Vital Signs,Hyper,Hiper
 DocType: Cheque Print Template,Is Account Payable,Apakah Account Payable
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Persediaan tidak dapat diperbarui terhadap Nota Pembelian {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Persediaan tidak dapat diperbarui terhadap Nota Pembelian {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto Issue dekat setelah 7 hari
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Cuti tidak dapat dialokasikan sebelum {0}, saldo cuti sudah pernah membawa-diteruskan dalam catatan alokasi cuti masa depan {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Catatan: Tanggal Jatuh Tempo / Referensi melebihi {0} hari dari yang diperbolehkan untuk kredit pelanggan
@@ -4245,7 +4297,7 @@
 ,Qty to Deliver,Kuantitas Pengiriman
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon akan menyinkronkan data yang diperbarui setelah tanggal ini
 ,Stock Analytics,Analisis Persediaan
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operasi tidak dapat dibiarkan kosong
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operasi tidak dapat dibiarkan kosong
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Uji Lab
 DocType: Maintenance Visit Purpose,Against Document Detail No,Terhadap Detail Dokumen No.
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Penghapusan tidak diizinkan untuk negara {0}
@@ -4253,13 +4305,12 @@
 DocType: Quality Inspection,Outgoing,Keluaran
 DocType: Material Request,Requested For,Diminta Untuk
 DocType: Quotation Item,Against Doctype,Terhadap Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} dibatalkan atau ditutup
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} dibatalkan atau ditutup
 DocType: Asset,Calculate Depreciation,Hitung Depresiasi
 DocType: Delivery Note,Track this Delivery Note against any Project,Lacak Pengiriman ini Catatan terhadap Proyek manapun
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Kas Bersih dari Investasi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Grup Pelanggan&gt; Wilayah
 DocType: Work Order,Work-in-Progress Warehouse,Gudang Work In Progress
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Aset {0} harus diserahkan
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Aset {0} harus diserahkan
 DocType: Fee Schedule Program,Total Students,Jumlah Siswa
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Kehadiran Rekam {0} ada terhadap Mahasiswa {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referensi # {0} tanggal {1}
@@ -4278,7 +4329,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Tidak dapat membuat Bonus Retensi untuk Karyawan yang ditinggalkan
 DocType: Lead,Market Segment,Segmen Pasar
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Manajer Pertanian
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Dibayar Jumlah tidak dapat lebih besar dari jumlah total outstanding negatif {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Dibayar Jumlah tidak dapat lebih besar dari jumlah total outstanding negatif {0}
 DocType: Supplier Scorecard Period,Variables,Variabel
 DocType: Employee Internal Work History,Employee Internal Work History,Riwayat Kerja Karyawan Internal
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Penutup (Dr)
@@ -4302,22 +4353,24 @@
 DocType: Amazon MWS Settings,Synch Products,Produk Sinkronisasi
 DocType: Loyalty Point Entry,Loyalty Program,Program loyalitas
 DocType: Student Guardian,Father,Ayah
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Tiket Dukungan
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Pembaruan Persediaan’ tidak dapat ditandai untuk penjualan aset tetap
 DocType: Bank Reconciliation,Bank Reconciliation,Rekonsiliasi Bank
 DocType: Attendance,On Leave,Sedang cuti
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dapatkan Perbaruan
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akun {2} bukan milik Perusahaan {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Pilih setidaknya satu nilai dari masing-masing atribut.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Pilih setidaknya satu nilai dari masing-masing atribut.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Permintaan Material {0} dibatalkan atau dihentikan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Negara pengiriman
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Negara pengiriman
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Manajemen Cuti
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grup
 DocType: Purchase Invoice,Hold Invoice,Tahan Faktur
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Silahkan pilih Karyawan
 DocType: Sales Order,Fully Delivered,Sepenuhnya Terkirim
-DocType: Lead,Lower Income,Penghasilan rendah
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Penghasilan rendah
 DocType: Restaurant Order Entry,Current Order,Pesanan saat ini
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Jumlah nomor seri dan kuantitas harus sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Sumber dan target gudang tidak bisa sama untuk baris {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Sumber dan target gudang tidak bisa sama untuk baris {0}
 DocType: Account,Asset Received But Not Billed,Aset Diterima Tapi Tidak Ditagih
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Akun Perbedaan harus jenis rekening Aset / Kewajiban, karena Rekonsiliasi Persediaan adalah Entri Pembukaan"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Dicairkan Jumlah tidak dapat lebih besar dari Jumlah Pinjaman {0}
@@ -4326,7 +4379,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Nomor Purchase Order yang diperlukan untuk Item {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Tanggal Mulai' harus sebelum 'Tanggal Akhir'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Tidak ada Rencana Kepegawaian yang ditemukan untuk Penunjukan ini
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} dari Item {1} dinonaktifkan.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} dari Item {1} dinonaktifkan.
 DocType: Leave Policy Detail,Annual Allocation,Alokasi Tahunan
 DocType: Travel Request,Address of Organizer,Alamat Organizer
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Pilih Praktisi Perawatan Kesehatan ...
@@ -4335,12 +4388,12 @@
 DocType: Asset,Fully Depreciated,sepenuhnya disusutkan
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Proyeksi Jumlah Persediaan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Pelanggan {0} tidak termasuk proyek {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Pelanggan {0} tidak termasuk proyek {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Kehadiran ditandai HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Penawaran adalah proposal, tawaran yang anda kirim kepada pelanggan"
 DocType: Sales Invoice,Customer's Purchase Order,Order Pembelian Pelanggan
-DocType: Clinical Procedure,Patient,Sabar
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Cek kredit bypass di Sales Order
+DocType: Clinical Procedure,Patient,Pasien
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Cek kredit bypass di Sales Order
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktivitas Onboarding Karyawan
 DocType: Location,Check if it is a hydroponic unit,Periksa apakah itu unit hidroponik
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial dan Batch
@@ -4350,7 +4403,7 @@
 DocType: Supplier Scorecard Period,Calculations,Perhitungan
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Nilai atau Qty
 DocType: Payment Terms Template,Payment Terms,Syarat pembayaran
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Produksi Pesanan tidak dapat diangkat untuk:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Produksi Pesanan tidak dapat diangkat untuk:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Menit
 DocType: Purchase Invoice,Purchase Taxes and Charges,Pajak Pembelian dan Biaya
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4358,17 +4411,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Pergi ke Pemasok
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Pajak Voucher Penutupan POS
 ,Qty to Receive,Kuantitas untuk diterima
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tanggal mulai dan akhir tidak dalam Periode Penggajian yang valid, tidak dapat menghitung {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tanggal mulai dan akhir tidak dalam Periode Penggajian yang valid, tidak dapat menghitung {0}."
 DocType: Leave Block List,Leave Block List Allowed,Cuti Block List Diizinkan
 DocType: Grading Scale Interval,Grading Scale Interval,Grading Scale Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Beban Klaim untuk Kendaraan Log {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) pada Price List Rate dengan Margin
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Semua Gudang
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Tidak ada {0} ditemukan untuk Transaksi Perusahaan Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Tidak ada {0} ditemukan untuk Transaksi Perusahaan Inter.
 DocType: Travel Itinerary,Rented Car,Mobil sewaan
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Tentang Perusahaan Anda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredit Untuk akun harus rekening Neraca
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredit Untuk akun harus rekening Neraca
 DocType: Donor,Donor,Donatur
 DocType: Global Defaults,Disable In Words,Nonaktifkan Dalam Kata-kata
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Item Code adalah wajib karena Item tidak secara otomatis nomor
@@ -4380,14 +4433,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Akun Overdraft Bank
 DocType: Patient,Patient ID,ID pasien
 DocType: Practitioner Schedule,Schedule Name,Nama Jadwal
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pipeline Penjualan berdasarkan Stage
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Membuat Slip Gaji
 DocType: Currency Exchange,For Buying,Untuk Membeli
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Tambahkan Semua Pemasok
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Tambahkan Semua Pemasok
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Baris # {0}: Alokasi Jumlah tidak boleh lebih besar dari jumlah yang terutang.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Telusuri BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Pinjaman Aman
 DocType: Purchase Invoice,Edit Posting Date and Time,Mengedit Posting Tanggal dan Waktu
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Silahkan mengatur Penyusutan Akun terkait Aset Kategori {0} atau Perusahaan {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Silahkan mengatur Penyusutan Akun terkait Aset Kategori {0} atau Perusahaan {1}
 DocType: Lab Test Groups,Normal Range,Jarak normal
 DocType: Academic Term,Academic Year,Tahun akademik
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Jual Beli
@@ -4416,26 +4470,26 @@
 DocType: Patient Appointment,Patient Appointment,Penunjukan Pasien
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Menyetujui Peran tidak bisa sama dengan peran aturan yang Berlaku Untuk
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Berhenti berlangganan dari Email Ringkasan ini
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Dapatkan Pemasok Dengan
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Dapatkan Pemasok Dengan
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} tidak ditemukan untuk Barang {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Pergi ke kursus
 DocType: Accounts Settings,Show Inclusive Tax In Print,Menunjukkan Pajak Inklusif Dalam Cetak
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Rekening Bank, Dari Tanggal dan Tanggal Wajib"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Pesan Terkirim
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Akun dengan sub-akun tidak dapat digunakan sebagai akun buku besar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Akun dengan sub-akun tidak dapat digunakan sebagai akun buku besar
 DocType: C-Form,II,II
 DocType: Sales Invoice,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
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Jumlah Bersih (Perusahaan Mata Uang)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Jumlah uang muka tidak boleh lebih besar dari jumlah sanksi
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Jumlah uang muka tidak boleh lebih besar dari jumlah sanksi
 DocType: Salary Slip,Hour Rate,Nilai per Jam
 DocType: Stock Settings,Item Naming By,Item Penamaan Dengan
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Lain Periode Pendaftaran penutupan {0} telah dibuat setelah {1}
 DocType: Work Order,Material Transferred for Manufacturing,Bahan Ditransfer untuk Manufaktur
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Akun {0} tidak ada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Pilih Program Loyalitas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Pilih Program Loyalitas
 DocType: Project,Project Type,Jenis proyek
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Tugas Anak ada untuk Tugas ini. Anda tidak dapat menghapus tugas ini.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Entah Target qty atau jumlah target adalah wajib.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Entah Target qty atau jumlah target adalah wajib.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Biaya berbagai kegiatan
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Mengatur Acara untuk {0}, karena karyawan yang melekat di bawah Penjualan Orang tidak memiliki User ID {1}"
 DocType: Timesheet,Billing Details,Detail penagihan
@@ -4492,13 +4546,13 @@
 DocType: Inpatient Record,A Negative,Negatif
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Tidak lebih untuk ditampilkan.
 DocType: Lead,From Customer,Dari Pelanggan
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Panggilan
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Panggilan
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Produk
 DocType: Employee Tax Exemption Declaration,Declarations,Deklarasi
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Batches
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Jadikan Jadwal Biaya
 DocType: Purchase Order Item Supplied,Stock UOM,UOM Persediaan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Order Pembelian {0} tidak terkirim
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Order Pembelian {0} tidak terkirim
 DocType: Account,Expenses Included In Asset Valuation,Beban Yang Termasuk Dalam Penilaian Aset
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Rentang referensi normal untuk orang dewasa adalah 16-20 napas / menit (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tarif Nomor
@@ -4511,6 +4565,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Tolong simpan pasien dulu
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Kehadiran telah ditandai berhasil.
 DocType: Program Enrollment,Public Transport,Transportasi umum
+DocType: Delivery Note,GST Vehicle Type,Jenis Kendaraan GST
 DocType: Soil Texture,Silt Composition (%),Komposisi Silt (%)
 DocType: Journal Entry,Remark,Komentar
 DocType: Healthcare Settings,Avoid Confirmation,Hindari Konfirmasi
@@ -4519,11 +4574,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Cuti dan Liburan
 DocType: Education Settings,Current Academic Term,Istilah Akademik Saat Ini
 DocType: Sales Order,Not Billed,Tidak Ditagih
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Kedua Gudang harus merupakan gudang dari Perusahaan yang sama
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Kedua Gudang harus merupakan gudang dari Perusahaan yang sama
 DocType: Employee Grade,Default Leave Policy,Kebijakan Cuti Default
 DocType: Shopify Settings,Shop URL,URL Toko
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Tidak ada kontak belum ditambahkan.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Silakan mengatur seri penomoran untuk Kehadiran melalui Pengaturan&gt; Seri Penomoran
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Jumlah Nilai Voucher Landing Cost
 ,Item Balance (Simple),Item Balance (Sederhana)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Tagihan diajukan oleh Pemasok.
@@ -4548,7 +4602,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Seri Penawaran
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Sebuah item yang ada dengan nama yang sama ({0}), silakan mengubah nama kelompok Stok Barang atau mengubah nama item"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriteria Analisis Tanah
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Silakan pilih pelanggan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Silakan pilih pelanggan
 DocType: C-Form,I,saya
 DocType: Company,Asset Depreciation Cost Center,Asset Pusat Penyusutan Biaya
 DocType: Production Plan Sales Order,Sales Order Date,Tanggal Nota Penjualan
@@ -4561,8 +4615,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Saat ini tidak ada persediaan di gudang manapun
 ,Payment Period Based On Invoice Date,Masa Pembayaran Berdasarkan Faktur Tanggal
 DocType: Sample Collection,No. of print,Jumlah cetak
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Pengingat Ulang Tahun
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Item Pemesanan Kamar Hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hilang Kurs mata uang Tarif untuk {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Hilang Kurs mata uang Tarif untuk {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nama Asuransi Kesehatan
 DocType: Assessment Plan,Examiner,Pemeriksa
 DocType: Student,Siblings,saudara
@@ -4579,19 +4634,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Pelanggan baru
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Laba Kotor%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Penunjukan {0} dan Sales Invoice {1} dibatalkan
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Peluang oleh sumber utama
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Ubah Profil POS
 DocType: Bank Reconciliation Detail,Clearance Date,Izin Tanggal
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aset sudah ada terhadap item {0}, Anda tidak dapat mengubah tidak memiliki nilai serial"
+DocType: Delivery Settings,Dispatch Notification Template,Template Pemberitahuan Pengiriman
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aset sudah ada terhadap item {0}, Anda tidak dapat mengubah tidak memiliki nilai serial"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Laporan Penilaian
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Dapatkan Karyawan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Jumlah Pembelian kotor adalah wajib
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Nama perusahaan tidak sama
 DocType: Lead,Address Desc,Deskripsi Alamat
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Partai adalah wajib
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Baris dengan tanggal jatuh tempo duplikat pada baris lainnya ditemukan: {list}
 DocType: Topic,Topic Name,topik Nama
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Silakan mengatur template default untuk Meninggalkan Pemberitahuan Persetujuan di Pengaturan HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Silakan mengatur template default untuk Meninggalkan Pemberitahuan Persetujuan di Pengaturan HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,"Setidaknya salah satu, Jual atau Beli harus dipilih"
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Pilih karyawan untuk mendapatkan uang muka karyawan.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Silakan pilih tanggal yang valid
@@ -4625,6 +4681,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Rincian Pelanggan atau Pemasok
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Nilai Aktiva Lancar
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID Perusahaan Quickbooks
 DocType: Travel Request,Travel Funding,Pendanaan Perjalanan
 DocType: Loan Application,Required by Date,Dibutuhkan oleh Tanggal
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Tautan ke semua Lokasi tempat Crop tumbuh
@@ -4638,9 +4695,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Tersedia Batch Qty di Gudang Dari
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pay Gross - Jumlah Pengurangan - Pelunasan Pinjaman
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM Lancar dan New BOM tidak bisa sama
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM Lancar dan New BOM tidak bisa sama
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Slip Gaji ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Tanggal Of Pensiun harus lebih besar dari Tanggal Bergabung
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Tanggal Of Pensiun harus lebih besar dari Tanggal Bergabung
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Beberapa varian
 DocType: Sales Invoice,Against Income Account,Terhadap Akun Pendapatan
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Terkirim
@@ -4669,7 +4726,7 @@
 DocType: POS Profile,Update Stock,Perbarui Persediaan
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM berbeda akan menyebabkan kesalahan Berat Bersih (Total). Pastikan Berat Bersih untuk setiap barang memakai UOM yang sama.
 DocType: Certification Application,Payment Details,Rincian Pembayaran
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Tingkat BOM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Tingkat BOM
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Pesanan Kerja yang Berhenti tidak dapat dibatalkan, Hapus terlebih dahulu untuk membatalkan"
 DocType: Asset,Journal Entry for Scrap,Jurnal masuk untuk Scrap
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Silakan tarik item dari Pengiriman Note
@@ -4692,11 +4749,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Jumlah Total Disahkan
 ,Purchase Analytics,Pembelian Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Pengiriman Stok Barang Note
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Faktur saat ini {0} tidak ada
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Faktur saat ini {0} tidak ada
 DocType: Asset Maintenance Log,Task,Tugas
 DocType: Purchase Taxes and Charges,Reference Row #,Referensi Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Nomor kumpulan adalah wajib untuk Barang {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Ini adalah orang penjualan akar dan tidak dapat diedit.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Ini adalah orang penjualan akar dan tidak dapat diedit.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jika dipilih, nilai yang ditentukan atau dihitung dalam komponen ini tidak akan berkontribusi pada pendapatan atau deduksi. Namun, nilai itu bisa direferensikan oleh komponen lain yang bisa ditambah atau dikurangkan."
 DocType: Asset Settings,Number of Days in Fiscal Year,Jumlah Hari di Tahun Anggaran
 ,Stock Ledger,Buku Persediaan
@@ -4704,7 +4761,7 @@
 DocType: Company,Exchange Gain / Loss Account,Efek Gain / Loss Akun
 DocType: Amazon MWS Settings,MWS Credentials,Kredensial MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Karyawan dan Kehadiran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Tujuan harus menjadi salah satu {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Tujuan harus menjadi salah satu {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Isi formulir dan menyimpannya
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum Komunitas
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Jumlah persediaan aktual
@@ -4719,7 +4776,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard Jual Tingkat
 DocType: Account,Rate at which this tax is applied,Tingkat di mana pajak ini diterapkan
 DocType: Cash Flow Mapper,Section Name,nama bagian
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Susun ulang Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Susun ulang Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Baris Penyusutan {0}: Nilai yang diharapkan setelah masa manfaat harus lebih besar dari atau sama dengan {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Job Openings saat
 DocType: Company,Stock Adjustment Account,Penyesuaian Akun Persediaan
@@ -4729,8 +4786,9 @@
 DocType: Employee,"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."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Masukkan detail depresiasi
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Dari {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Tinggalkan aplikasi {0} sudah ada terhadap siswa {1}
 DocType: Task,depends_on,tergantung pada
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,"Diantrikan untuk memperbaharui harga terakhir di ""Bill of Material"". Akan memakan waktu beberapa menit."
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,"Diantrikan untuk memperbaharui harga terakhir di ""Bill of Material"". Akan memakan waktu beberapa menit."
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nama Akun baru. Catatan: Jangan membuat akun untuk Pelanggan dan Pemasok
 DocType: POS Profile,Display Items In Stock,Item Tampilan Dalam Stok
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Negara bijaksana Alamat bawaan Template
@@ -4760,16 +4818,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slot untuk {0} tidak ditambahkan ke jadwal
 DocType: Product Bundle,List items that form the package.,Daftar item yang membentuk paket.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Tidak diperbolehkan. Nonaktifkan Template Uji
+DocType: Delivery Note,Distance (in km),Jarak (dalam km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Persentase Alokasi harus sama dengan 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Silakan pilih Posting Tanggal sebelum memilih Partai
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Silakan pilih Posting Tanggal sebelum memilih Partai
 DocType: Program Enrollment,School House,Asrama Sekolah
 DocType: Serial No,Out of AMC,Dari AMC
+DocType: Opportunity,Opportunity Amount,Jumlah Peluang
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Jumlah Penyusutan Memesan tidak dapat lebih besar dari total jumlah Penyusutan
 DocType: Purchase Order,Order Confirmation Date,Tanggal Konfirmasi Pesanan
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Membuat Maintenance Visit
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Tanggal mulai dan tanggal akhir tumpang tindih dengan kartu kerja <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Detail Transfer Karyawan
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Silahkan hubungi untuk pengguna yang memiliki penjualan Guru Manajer {0} peran
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Silahkan hubungi untuk pengguna yang memiliki penjualan Guru Manajer {0} peran
 DocType: Company,Default Cash Account,Standar Rekening Kas
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Perusahaan (bukan Pelanggan atau Pemasok) Utama.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Hal ini didasarkan pada kehadiran mahasiswa ini
@@ -4777,9 +4838,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Menambahkan item atau buka formulir selengkapnya
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Catatan pengiriman {0} harus dibatalkan sebelum membatalkan Sales Order ini
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Buka Pengguna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Jumlah yang dibayarkan + Write Off Jumlah tidak bisa lebih besar dari Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Jumlah yang dibayarkan + Write Off Jumlah tidak bisa lebih besar dari Grand Total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} tidak Nomor Batch berlaku untuk Stok Barang {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Catatan: Tidak ada saldo cuti cukup bagi Leave Type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Catatan: Tidak ada saldo cuti cukup bagi Leave Type {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak valid atau Enter NA untuk tidak terdaftar
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Pendaftaran Biaya
@@ -4796,7 +4857,7 @@
 DocType: Fee Schedule,Fee Schedule,Jadwal biaya
 DocType: Company,Create Chart Of Accounts Based On,Buat Bagan Of Account Berbasis Pada
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Tidak dapat mengubahnya menjadi non-grup. Tugas Anak ada.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Tanggal Lahir tidak dapat lebih besar dari saat ini.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Tanggal Lahir tidak dapat lebih besar dari saat ini.
 ,Stock Ageing,Usia Persediaan
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Sebagian Disponsori, Memerlukan Pendanaan Sebagian"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Mahasiswa {0} ada terhadap pemohon mahasiswa {1}
@@ -4843,11 +4904,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Sebelum rekonsiliasi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Untuk {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Pajak dan Biaya Ditambahkan (Perusahaan Mata Uang)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Pajak Row {0} harus memiliki akun Pajak jenis atau Penghasilan atau Beban atau Dibebankan
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Pajak Row {0} harus memiliki akun Pajak jenis atau Penghasilan atau Beban atau Dibebankan
 DocType: Sales Order,Partly Billed,Sebagian Ditagih
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Item {0} harus menjadi Asset barang Tetap
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Buatlah Varian
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Buatlah Varian
 DocType: Item,Default BOM,BOM Standar
 DocType: Project,Total Billed Amount (via Sales Invoices),Total Jumlah Bills (via Faktur Penjualan)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Jumlah Catatan Debet
@@ -4876,13 +4937,13 @@
 DocType: Notification Control,Custom Message,Custom Pesan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Perbankan Investasi
 DocType: Purchase Invoice,input,memasukkan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Kas atau Rekening Bank wajib untuk membuat entri pembayaran
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Kas atau Rekening Bank wajib untuk membuat entri pembayaran
 DocType: Loyalty Program,Multiple Tier Program,Program Multi Tier
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat siswa
 DocType: Purchase Invoice,Price List Exchange Rate,Daftar Harga Tukar
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Semua Grup Pemasok
 DocType: Employee Boarding Activity,Required for Employee Creation,Diperlukan untuk Penciptaan Karyawan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Nomor Akun {0} sudah digunakan di akun {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Nomor Akun {0} sudah digunakan di akun {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,Nama Profil POS
 DocType: Hotel Room Reservation,Booked,Memesan
@@ -4898,18 +4959,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Referensi ada adalah wajib jika Anda memasukkan Referensi Tanggal
 DocType: Bank Reconciliation Detail,Payment Document,Dokumen pembayaran
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Kesalahan dalam mengevaluasi rumus kriteria
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Tanggal Bergabung harus lebih besar dari Tanggal Lahir
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Tanggal Bergabung harus lebih besar dari Tanggal Lahir
 DocType: Subscription,Plans,Rencana
 DocType: Salary Slip,Salary Structure,Struktur Gaji
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Maskapai Penerbangan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Isu Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Isu Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Hubungkan Shopify dengan ERPNext
 DocType: Material Request Item,For Warehouse,Untuk Gudang
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Catatan Pengiriman {0} diperbarui
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Catatan Pengiriman {0} diperbarui
 DocType: Employee,Offer Date,Penawaran Tanggal
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Penawaran
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Anda berada dalam mode offline. Anda tidak akan dapat memuat sampai Anda memiliki jaringan.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Penawaran
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Anda berada dalam mode offline. Anda tidak akan dapat memuat sampai Anda memiliki jaringan.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Hibah
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Tidak Grup Pelajar dibuat.
 DocType: Purchase Invoice Item,Serial No,Serial ada
@@ -4921,24 +4982,26 @@
 DocType: Sales Invoice,Customer PO Details,Rincian PO Pelanggan
 DocType: Stock Entry,Including items for sub assemblies,Termasuk item untuk sub rakitan
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Rekening Pembukaan Sementara
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Masukkan nilai harus positif
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Masukkan nilai harus positif
 DocType: Asset,Finance Books,Buku Keuangan
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Deklarasi Pembebasan Pajak Pengusaha Kategori
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Semua Wilayah
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Silakan tetapkan kebijakan cuti untuk karyawan {0} dalam catatan Karyawan / Kelas
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Pesanan Selimut Tidak Valid untuk Pelanggan dan Item yang dipilih
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Pesanan Selimut Tidak Valid untuk Pelanggan dan Item yang dipilih
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Tambahkan Beberapa Tugas
 DocType: Purchase Invoice,Items,Items
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Tanggal Akhir tidak boleh sebelum Tanggal Mulai.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Mahasiswa sudah terdaftar.
 DocType: Fiscal Year,Year Name,Nama Tahun
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Ada lebih dari hari kerja libur bulan ini.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Ada lebih dari hari kerja libur bulan ini.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Item berikut {0} tidak ditandai sebagai {1} item. Anda dapat mengaktifkannya sebagai {1} item dari master Barangnya
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Barang Bundel Produk
 DocType: Sales Partner,Sales Partner Name,Penjualan Mitra Nama
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Permintaan Kutipan
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Permintaan Kutipan
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum Faktur Jumlah
 DocType: Normal Test Items,Normal Test Items,Item Uji Normal
+DocType: QuickBooks Migrator,Company Settings,Pengaturan Perusahaan
 DocType: Additional Salary,Overwrite Salary Structure Amount,Timpa Jumlah Struktur Gaji
 DocType: Student Language,Student Language,Bahasa siswa
 apps/erpnext/erpnext/config/selling.py +23,Customers,Pelanggan
@@ -4950,21 +5013,23 @@
 DocType: Issue,Opening Time,Membuka Waktu
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Dari dan Untuk tanggal yang Anda inginkan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Efek & Bursa Komoditi
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standar Satuan Ukur untuk Variant &#39;{0}&#39; harus sama seperti di Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standar Satuan Ukur untuk Variant &#39;{0}&#39; harus sama seperti di Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Hitung Berbasis On
 DocType: Contract,Unfulfilled,Tidak terpenuhi
 DocType: Delivery Note Item,From Warehouse,Dari Gudang
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Tidak ada karyawan untuk kriteria tersebut
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Tidak ada Item dengan Bill of Material untuk Industri
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Tidak ada Item dengan Bill of Material untuk Industri
 DocType: Shopify Settings,Default Customer,Pelanggan default
+DocType: Sales Stage,Stage Name,Nama panggung
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Nama pengawas
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Jangan mengkonfirmasi jika janji dibuat untuk hari yang sama
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Kirim Ke Negara
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Kirim Ke Negara
 DocType: Program Enrollment Course,Program Enrollment Course,Kursus Pendaftaran Program
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Pengguna {0} sudah ditugaskan untuk Praktisi Perawatan Kesehatan {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Buat entri stok retensi sampel
 DocType: Purchase Taxes and Charges,Valuation and Total,Penilaian dan Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negosiasi / Peninjauan
 DocType: Leave Encashment,Encashment Amount,Jumlah Pemblokiran
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecard
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Batch yang kadaluarsa
@@ -4974,7 +5039,7 @@
 DocType: Staffing Plan Detail,Current Openings,Bukaan Saat Ini
 DocType: Notification Control,Customize the Notification,Sesuaikan Pemberitahuan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Arus Kas dari Operasi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Jumlah CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Jumlah CGST
 DocType: Purchase Invoice,Shipping Rule,Aturan Pengiriman
 DocType: Patient Relation,Spouse,Pasangan
 DocType: Lab Test Groups,Add Test,Tambahkan Test
@@ -4988,14 +5053,14 @@
 DocType: Payroll Entry,Payroll Frequency,Payroll Frekuensi
 DocType: Lab Test Template,Sensitivity,Kepekaan
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Sinkronisasi telah dinonaktifkan sementara karena percobaan ulang maksimum telah terlampaui
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Bahan Baku
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Bahan Baku
 DocType: Leave Application,Follow via Email,Ikuti via Email
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Tanaman dan Mesin
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Jumlah pajak Setelah Diskon Jumlah
 DocType: Patient,Inpatient Status,Status Rawat Inap
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Pengaturan Kerja Ringkasan Harian
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Daftar Harga yang Dipilih harus memiliki bidang penjualan dan pembelian yang dicentang.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Masukkan Reqd menurut Tanggal
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Daftar Harga yang Dipilih harus memiliki bidang penjualan dan pembelian yang dicentang.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Masukkan Reqd menurut Tanggal
 DocType: Payment Entry,Internal Transfer,internal transfer
 DocType: Asset Maintenance,Maintenance Tasks,Tugas pemeliharaan
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Entah sasaran qty atau jumlah target adalah wajib
@@ -5016,7 +5081,7 @@
 DocType: Mode of Payment,General,Umum
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi terakhir
 ,TDS Payable Monthly,TDS Hutang Bulanan
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Antri untuk mengganti BOM. Mungkin perlu beberapa menit.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Antri untuk mengganti BOM. Mungkin perlu beberapa menit.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak bisa mengurangi ketika kategori adalah untuk 'Penilaian' atau 'Penilaian dan Total'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Nomor Seri Diperlukan untuk Barang Bernomor Seri {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Pembayaran pertandingan dengan Faktur
@@ -5029,7 +5094,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Tambahkan ke Keranjang Belanja
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Kelompok Dengan
 DocType: Guardian,Interests,minat
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Mengaktifkan / menonaktifkan mata uang.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Mengaktifkan / menonaktifkan mata uang.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Tidak dapat mengirim beberapa Slip Gaji
 DocType: Exchange Rate Revaluation,Get Entries,Dapatkan Entri
 DocType: Production Plan,Get Material Request,Dapatkan Material Permintaan
@@ -5051,15 +5116,16 @@
 DocType: Lead,Lead Type,Jenis Prospek
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Anda tidak berwenang untuk menyetujui cuti di Blok Tanggal
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Semua Stok Barang-Stok Barang tersebut telah ditagih
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Setel Tanggal Rilis Baru
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Setel Tanggal Rilis Baru
 DocType: Company,Monthly Sales Target,Target Penjualan Bulanan
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Dapat disetujui oleh {0}
 DocType: Hotel Room,Hotel Room Type,Tipe kamar hotel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Pemasok&gt; Jenis Pemasok
 DocType: Leave Allocation,Leave Period,Tinggalkan Periode
 DocType: Item,Default Material Request Type,Default Bahan Jenis Permintaan
 DocType: Supplier Scorecard,Evaluation Period,Periode Evaluasi
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,tidak diketahui
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Perintah Kerja tidak dibuat
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Perintah Kerja tidak dibuat
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Sejumlah {0} sudah diklaim untuk komponen {1}, \ menetapkan jumlah yang sama atau lebih besar dari {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Aturan Pengiriman Kondisi
@@ -5092,15 +5158,15 @@
 DocType: Batch,Source Document Name,Nama dokumen sumber
 DocType: Production Plan,Get Raw Materials For Production,Dapatkan Bahan Baku untuk Produksi
 DocType: Job Opening,Job Title,Jabatan
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} menunjukkan bahwa {1} tidak akan memberikan kutipan, namun semua item \ telah dikutip. Memperbarui status kutipan RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampel Maksimum - {0} telah disimpan untuk Batch {1} dan Item {2} di Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampel Maksimum - {0} telah disimpan untuk Batch {1} dan Item {2} di Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Perbarui Biaya BOM secara otomatis
 DocType: Lab Test,Test Name,Nama uji
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Prosedur Klinis Barang Konsumsi
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Buat Pengguna
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Langganan
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Langganan
 DocType: Supplier Scorecard,Per Month,Per bulan
 DocType: Education Settings,Make Academic Term Mandatory,Jadikan Istilah Akademis Wajib
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Kuantitas untuk Produksi harus lebih besar dari 0.
@@ -5109,9 +5175,9 @@
 DocType: Stock Entry,Update Rate and Availability,Perbarui Hitungan dan Ketersediaan
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Persentase Anda diijinkan untuk menerima atau memberikan lebih terhadap kuantitas memerintahkan. Misalnya: Jika Anda telah memesan 100 unit. dan Tunjangan Anda adalah 10% maka Anda diperbolehkan untuk menerima 110 unit.
 DocType: Loyalty Program,Customer Group,Kelompok Pelanggan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Baris # {0}: Operasi {1} tidak selesai untuk {2} qty barang jadi di Perintah Kerja # {3}. Harap perbarui status operasi melalui Log Waktu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Baris # {0}: Operasi {1} tidak selesai untuk {2} qty barang jadi di Perintah Kerja # {3}. Harap perbarui status operasi melalui Log Waktu
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ID Batch Baru (Opsional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Rekening pengeluaran adalah wajib untuk item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Rekening pengeluaran adalah wajib untuk item {0}
 DocType: BOM,Website Description,Website Description
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Perubahan Bersih Ekuitas
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Batalkan Purchase Invoice {0} pertama
@@ -5126,7 +5192,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Tidak ada yang mengedit.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Tampilan formulir
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Approver Mandatory In Expense Claim
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Ringkasan untuk bulan ini dan kegiatan yang tertunda
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Ringkasan untuk bulan ini dan kegiatan yang tertunda
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Harap tetapkan Akun Gain / Loss Exchange yang Belum Direalisasi di Perusahaan {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Tambahkan pengguna ke organisasi Anda, selain dirimu sendiri."
 DocType: Customer Group,Customer Group Name,Nama Kelompok Pelanggan
@@ -5136,14 +5202,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Tidak ada permintaan material yang dibuat
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak dapat melebihi Jumlah pinjaman maksimum {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lisensi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Hapus Invoice ini {0} dari C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Hapus Invoice ini {0} dari C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Silakan pilih Carry Teruskan jika Anda juga ingin menyertakan keseimbangan fiskal tahun sebelumnya cuti tahun fiskal ini
 DocType: GL Entry,Against Voucher Type,Terhadap Tipe Voucher
 DocType: Healthcare Practitioner,Phone (R),Telepon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Slot waktu ditambahkan
 DocType: Item,Attributes,Atribut
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Aktifkan Template
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Cukup masukkan Write Off Akun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Cukup masukkan Write Off Akun
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Order terakhir Tanggal
 DocType: Salary Component,Is Payable,Adalah Hutang
 DocType: Inpatient Record,B Negative,B Negatif
@@ -5154,7 +5220,7 @@
 DocType: Hotel Room,Hotel Room,Ruang hotel
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Akun {0} bukan milik perusahaan {1}
 DocType: Leave Type,Rounding,Pembulatan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Nomor Seri di baris {0} tidak cocok dengan Catatan Pengiriman
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Nomor Seri di baris {0} tidak cocok dengan Catatan Pengiriman
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Jumlah Dispensing (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Kemudian Aturan Penetapan Harga disaring berdasarkan Pelanggan, Grup Pelanggan, Wilayah, Pemasok, Grup Pemasok, Kampanye, Mitra Penjualan, dll."
 DocType: Student,Guardian Details,Detail wali
@@ -5163,10 +5229,10 @@
 DocType: Vehicle,Chassis No,Nomor Rangka
 DocType: Payment Request,Initiated,Diprakarsai
 DocType: Production Plan Item,Planned Start Date,Direncanakan Tanggal Mulai
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Silahkan pilih BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Silahkan pilih BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Mengakses Pajak Terpadu ITC
 DocType: Purchase Order Item,Blanket Order Rate,Tingkat Pesanan Selimut
-apps/erpnext/erpnext/hooks.py +156,Certification,Sertifikasi
+apps/erpnext/erpnext/hooks.py +157,Certification,Sertifikasi
 DocType: Bank Guarantee,Clauses and Conditions,Klausul dan Ketentuan
 DocType: Serial No,Creation Document Type,Pembuatan Dokumen Type
 DocType: Project Task,View Timesheet,Lihat Timesheet
@@ -5191,6 +5257,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Induk Barang {0} tidak boleh merupakan Barang Persediaan
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Daftar Situs Web
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Semua Produk atau Jasa.
+DocType: Email Digest,Open Quotations,Buka Kutipan
 DocType: Expense Claim,More Details,Detail Lebih
 DocType: Supplier Quotation,Supplier Address,Supplier Alamat
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Anggaran untuk Akun {1} terhadap {2} {3} adalah {4}. Ini akan berlebih sebanyak {5}
@@ -5205,12 +5272,11 @@
 DocType: Training Event,Exam,Ujian
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Kesalahan Pasar
 DocType: Complaint,Complaint,Keluhan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Gudang diperlukan untuk Barang Persediaan{0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Gudang diperlukan untuk Barang Persediaan{0}
 DocType: Leave Allocation,Unused leaves,cuti terpakai
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Buat Entri Pembayaran
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Semua Departemen
 DocType: Healthcare Service Unit,Vacant,Kosong
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Pemasok&gt; Jenis Pemasok
 DocType: Patient,Alcohol Past Use,Penggunaan Alkohol yang sebelumnya
 DocType: Fertilizer Content,Fertilizer Content,Isi pupuk
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5218,7 +5284,7 @@
 DocType: Tax Rule,Billing State,Negara penagihan
 DocType: Share Transfer,Transfer,Transfer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Perintah Kerja {0} harus dibatalkan sebelum membatalkan Sales Order ini
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch meledak BOM (termasuk sub-rakitan)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch meledak BOM (termasuk sub-rakitan)
 DocType: Authorization Rule,Applicable To (Employee),Berlaku Untuk (Karyawan)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Due Date adalah wajib
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Kenaikan untuk Atribut {0} tidak dapat 0
@@ -5234,7 +5300,7 @@
 DocType: Disease,Treatment Period,Periode Pengobatan
 DocType: Travel Itinerary,Travel Itinerary,Rencana perjalanan
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Hasil sudah dikirim
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reserved Warehouse adalah wajib untuk Item {0} dalam Bahan Baku yang disediakan
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reserved Warehouse adalah wajib untuk Item {0} dalam Bahan Baku yang disediakan
 ,Inactive Customers,Pelanggan tidak aktif
 DocType: Student Admission Program,Maximum Age,Usia Maksimum
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Tunggu 3 hari sebelum mengirim ulang pengingat.
@@ -5243,7 +5309,6 @@
 DocType: Stock Entry,Delivery Note No,Pengiriman Note No
 DocType: Cheque Print Template,Message to show,Pesan untuk menunjukkan
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Eceran
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Kelola Penunjukan Faktur Secara Otomatis
 DocType: Student Attendance,Absent,Absen
 DocType: Staffing Plan,Staffing Plan Detail,Detail Rencana Penetapan Staf
 DocType: Employee Promotion,Promotion Date,Tanggal Promosi
@@ -5265,7 +5330,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Membuat Prospek
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Cetak dan Alat Tulis
 DocType: Stock Settings,Show Barcode Field,Tampilkan Barcode Lapangan
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Kirim Email Pemasok
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Kirim Email Pemasok
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk periode antara {0} dan {1}, Tinggalkan periode aplikasi tidak dapat antara rentang tanggal ini."
 DocType: Fiscal Year,Auto Created,Dibuat Otomatis
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Kirimkan ini untuk membuat catatan Karyawan
@@ -5274,7 +5339,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktur {0} tidak ada lagi
 DocType: Guardian Interest,Guardian Interest,wali Tujuan
 DocType: Volunteer,Availability,Tersedianya
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Tetapkan nilai default untuk Faktur POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Tetapkan nilai default untuk Faktur POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Latihan
 DocType: Project,Time to send,Saatnya mengirim
 DocType: Timesheet,Employee Detail,Detil karyawan
@@ -5297,7 +5362,7 @@
 DocType: Training Event Employee,Optional,Pilihan
 DocType: Salary Slip,Earning & Deduction,Earning & Pengurangan
 DocType: Agriculture Analysis Criteria,Water Analysis,Analisis air
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} varian dibuat.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} varian dibuat.
 DocType: Amazon MWS Settings,Region,Wilayah
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opsional. Pengaturan ini akan digunakan untuk menyaring dalam berbagai transaksi.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Tingkat Penilaian negatif tidak diperbolehkan
@@ -5316,7 +5381,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Biaya Asset dibatalkan
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},"{0} {1}: ""Pusat Biaya"" adalah wajib untuk Item {2}"
 DocType: Vehicle,Policy No,Kebijakan Tidak ada
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Dapatkan Barang-barang dari Bundel Produk
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Dapatkan Barang-barang dari Bundel Produk
 DocType: Asset,Straight Line,Garis lurus
 DocType: Project User,Project User,proyek Pengguna
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Membagi
@@ -5324,7 +5389,7 @@
 DocType: GL Entry,Is Advance,Apakah Muka
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Siklus Hidup Karyawan
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tanggal dan Kehadiran Sampai Tanggal adalah wajib
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Entrikan 'Apakah subkontrak' sebagai Ya atau Tidak
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Entrikan 'Apakah subkontrak' sebagai Ya atau Tidak
 DocType: Item,Default Purchase Unit of Measure,Unit Pembelian Default
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Tanggal Komunikasi Terakhir
 DocType: Clinical Procedure Item,Clinical Procedure Item,Item Prosedur Klinis
@@ -5333,7 +5398,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Akses token atau URL Shopify hilang
 DocType: Location,Latitude,Lintang
 DocType: Work Order,Scrap Warehouse,Gudang memo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Gudang yang diperlukan di Baris Tidak {0}, setel gudang default untuk item {1} untuk perusahaan {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Gudang yang diperlukan di Baris Tidak {0}, setel gudang default untuk item {1} untuk perusahaan {2}"
 DocType: Work Order,Check if material transfer entry is not required,Periksa apakah entri pemindahan material tidak diperlukan
 DocType: Program Enrollment Tool,Get Students From,Dapatkan Siswa Dari
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Publikasikan Produk di Website
@@ -5348,6 +5413,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Baru Batch Qty
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Pakaian & Aksesoris
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Tidak dapat memecahkan fungsi skor tertimbang. Pastikan rumusnya benar.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Item Pesanan Pembelian tidak diterima tepat waktu
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Jumlah Order
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner yang akan muncul di bagian atas daftar produk.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Tentukan kondisi untuk menghitung jumlah pengiriman
@@ -5356,9 +5422,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Jalan
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Tidak dapat mengkonversi Pusat Biaya untuk buku karena memiliki node anak
 DocType: Production Plan,Total Planned Qty,Total Rencana Qty
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Nilai pembukaan
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Nilai pembukaan
 DocType: Salary Component,Formula,Rumus
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Akun penjualan
 DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan
@@ -5376,7 +5442,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Membuat Material Permintaan
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Terbuka Barang {0}
 DocType: Asset Finance Book,Written Down Value,Nilai Tertulis
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Silakan mengatur Sistem Penamaan Karyawan di Sumber Daya Manusia&gt; Pengaturan SDM
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktur Penjualan {0} harus dibatalkan sebelum membatalkan Sales Order ini
 DocType: Clinical Procedure,Age,Usia
 DocType: Sales Invoice Timesheet,Billing Amount,Jumlah Penagihan
@@ -5385,11 +5450,11 @@
 DocType: Company,Default Employee Advance Account,Akun uang muka karyawan
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Search Item (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Akun dengan transaksi yang ada tidak dapat dihapus
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Akun dengan transaksi yang ada tidak dapat dihapus
 DocType: Vehicle,Last Carbon Check,Terakhir Carbon Periksa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Beban Legal
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Silakan pilih kuantitas pada baris
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Lakukan Pembukaan Faktur Penjualan dan Pembelian
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Lakukan Pembukaan Faktur Penjualan dan Pembelian
 DocType: Purchase Invoice,Posting Time,Posting Waktu
 DocType: Timesheet,% Amount Billed,% Jumlah Ditagih
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Beban Telepon
@@ -5404,14 +5469,14 @@
 DocType: Maintenance Visit,Breakdown,Rincian
 DocType: Travel Itinerary,Vegetarian,Vegetarian
 DocType: Patient Encounter,Encounter Date,Tanggal Pertemuan
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Account: {0} dengan mata uang: {1} tidak dapat dipilih
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Account: {0} dengan mata uang: {1} tidak dapat dipilih
 DocType: Bank Statement Transaction Settings Item,Bank Data,Data Bank
 DocType: Purchase Receipt Item,Sample Quantity,Jumlah sampel
 DocType: Bank Guarantee,Name of Beneficiary,Nama Penerima Manfaat
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Perbarui biaya BOM secara otomatis melalui Penjadwalan, berdasarkan hitungan penilaian / daftar harga / hitungan pembelian bahan baku terakhir."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Cek Tanggal
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Akun {0}: akun Induk {1} bukan milik perusahaan: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Akun {0}: akun Induk {1} bukan milik perusahaan: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Berhasil dihapus semua transaksi yang terkait dengan perusahaan ini!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Seperti pada Tanggal
 DocType: Additional Salary,HR,HR
@@ -5419,7 +5484,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,SMS Pemberitahuan Pasien Luar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Percobaan
 DocType: Program Enrollment Tool,New Academic Year,Baru Tahun Akademik
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Nota Retur / Kredit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Nota Retur / Kredit
 DocType: Stock Settings,Auto insert Price List rate if missing,Insert auto tingkat Daftar Harga jika hilang
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Jumlah Total Dibayar
 DocType: GST Settings,B2C Limit,Batas B2C
@@ -5437,10 +5502,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,node anak hanya dapat dibuat di bawah &#39;Grup&#39; Jenis node
 DocType: Attendance Request,Half Day Date,Tanggal Setengah Hari
 DocType: Academic Year,Academic Year Name,Nama Tahun Akademis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} tidak diizinkan bertransaksi dengan {1}. Harap ubah Perusahaan.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} tidak diizinkan bertransaksi dengan {1}. Harap ubah Perusahaan.
 DocType: Sales Partner,Contact Desc,Contact Info
 DocType: Email Digest,Send regular summary reports via Email.,Mengirim laporan ringkasan berkala melalui Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Silakan set account default di Beban Klaim Jenis {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Silakan set account default di Beban Klaim Jenis {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Cuti Yang Tersedia
 DocType: Assessment Result,Student Name,Nama siswa
 DocType: Hub Tracked Item,Item Manager,Item Manajer
@@ -5465,9 +5530,10 @@
 DocType: Subscription,Trial Period End Date,Tanggal Akhir Periode Uji Coba
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Tidak Authroized sejak {0} melebihi batas
 DocType: Serial No,Asset Status,Status Aset
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Over Dimensional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Meja restoran
 DocType: Hotel Room,Hotel Manager,Manajer hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set Peraturan Pajak untuk keranjang belanja
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Set Peraturan Pajak untuk keranjang belanja
 DocType: Purchase Invoice,Taxes and Charges Added,Pajak dan Biaya Ditambahkan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Depreciation Row {0}: Next Depreciation Date tidak boleh sebelum Tersedia-untuk-digunakan Tanggal
 ,Sales Funnel,Penjualan Saluran
@@ -5483,10 +5549,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Semua Kelompok Pelanggan
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,akumulasi Bulanan
 DocType: Attendance Request,On Duty,Sedang bertugas
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin data Kurs Mata Uang tidak dibuat untuk {1} sampai {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin data Kurs Mata Uang tidak dibuat untuk {1} sampai {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Rencana Kepegawaian {0} sudah ada untuk penunjukan {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Template pajak adalah wajib.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Akun {0}: akun Induk {1} tidak ada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Akun {0}: akun Induk {1} tidak ada
 DocType: POS Closing Voucher,Period Start Date,Tanggal Mulai Periode
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Daftar Harga Rate (Perusahaan Mata Uang)
 DocType: Products Settings,Products Settings,Pengaturan produk
@@ -5506,7 +5572,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Tindakan ini akan menghentikan penagihan di masa mendatang. Anda yakin ingin membatalkan langganan ini?
 DocType: Serial No,Distinct unit of an Item,Unit berbeda Item
 DocType: Supplier Scorecard Criteria,Criteria Name,Nama kriteria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Harap set Perusahaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Harap set Perusahaan
 DocType: Procedure Prescription,Procedure Created,Prosedur Dibuat
 DocType: Pricing Rule,Buying,Pembelian
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Penyakit &amp; Pupuk
@@ -5523,42 +5589,43 @@
 DocType: Employee Onboarding,Job Offer,Tawaran pekerjaan
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Singkatan Institute
 ,Item-wise Price List Rate,Stok Barang-bijaksana Daftar Harga Tingkat
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Supplier Quotation
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Supplier Quotation
 DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Kata-kata akan terlihat sekali Anda menyimpan Quotation tersebut.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Kuantitas ({0}) tidak boleh menjadi pecahan dalam baris {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Kuantitas ({0}) tidak boleh menjadi pecahan dalam baris {1}
 DocType: Contract,Unsigned,Tidak bertanda tangan
 DocType: Selling Settings,Each Transaction,Setiap Transaksi
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} sudah digunakan dalam Produk {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} sudah digunakan dalam Produk {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Aturan untuk menambahkan biaya pengiriman.
 DocType: Hotel Room,Extra Bed Capacity,Kapasitas Tempat Tidur Tambahan
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Persediaan pembukaan
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Pelanggan diwajibkan
 DocType: Lab Test,Result Date,Tanggal hasil
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Tanggal PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Tanggal PDC / LC
 DocType: Purchase Order,To Receive,Menerima
 DocType: Leave Period,Holiday List for Optional Leave,Daftar Liburan untuk Cuti Opsional
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Pemilik aset
 DocType: Purchase Invoice,Reason For Putting On Hold,Alasan untuk Puting On Hold
 DocType: Employee,Personal Email,Email Pribadi
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Total Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Total Variance
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan posting entri akuntansi untuk persediaan otomatis."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Memperantarai
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Kehadiran bagi karyawan {0} sudah ditandai untuk hari ini
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Kehadiran bagi karyawan {0} sudah ditandai untuk hari ini
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",di Menit Diperbarui melalui 'Log Waktu'
 DocType: Customer,From Lead,Dari Prospek
 DocType: Amazon MWS Settings,Synch Orders,Pesanan Sinkr
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Order dirilis untuk produksi.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Pilih Tahun Anggaran ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profil diperlukan untuk membuat POS Entri
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profil diperlukan untuk membuat POS Entri
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Poin Loyalitas akan dihitung dari pengeluaran yang dilakukan (melalui Faktur Penjualan), berdasarkan faktor penagihan yang disebutkan."
 DocType: Program Enrollment Tool,Enroll Students,Daftarkan Siswa
 DocType: Company,HRA Settings,Pengaturan HRA
 DocType: Employee Transfer,Transfer Date,Tanggal Transfer
 DocType: Lab Test,Approved Date,Tanggal yang Disetujui
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Jual
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Setidaknya satu gudang adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Setidaknya satu gudang adalah wajib
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurasikan Item Fields seperti UOM, Item Group, Deskripsi dan No of Hours."
 DocType: Certification Application,Certification Status,Status Sertifikasi
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5578,6 +5645,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Mencocokkan Faktur
 DocType: Work Order,Required Items,Produk yang dibutuhkan
 DocType: Stock Ledger Entry,Stock Value Difference,Perbedaan Nilai Persediaan
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Baris Item {0}: {1} {2} tidak ada di atas tabel &#39;{1}&#39;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Sumber Daya Manusia
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Rekonsiliasi Pembayaran Pembayaran
 DocType: Disease,Treatment Task,Tugas Pengobatan
@@ -5595,7 +5663,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"cuti harus dialokasikan dalam kelipatan 0,5"
 DocType: Work Order,Operation Cost,Biaya Operasi
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Posisi Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Mengidentifikasi Pengambil Keputusan
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Posisi Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Target Set Stok Barang Group-bijaksana untuk Sales Person ini.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Bekukan Persediaan Lebih Lama Dari [Hari]
 DocType: Payment Request,Payment Ordered,Pembayaran Dipesan
@@ -5607,13 +5676,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Izinkan pengguna ini untuk menyetujui aplikasi izin cuti untuk hari yang terpilih(blocked).
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Lingkaran kehidupan
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Buat BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tingkat penjualan untuk item {0} lebih rendah dari {1} nya. Tingkat penjualan harus atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tingkat penjualan untuk item {0} lebih rendah dari {1} nya. Tingkat penjualan harus atleast {2}
 DocType: Subscription,Taxes,PPN
 DocType: Purchase Invoice,capital goods,barang modal
 DocType: Purchase Invoice Item,Weight Per Unit,Berat Per Unit
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Dibayar dan Tidak Terkirim
-DocType: Project,Default Cost Center,Standar Biaya Pusat
-DocType: Delivery Note,Transporter Doc No,Transporter Dok No
+DocType: QuickBooks Migrator,Default Cost Center,Standar Biaya Pusat
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transaksi Persediaan
 DocType: Budget,Budget Accounts,Akun anggaran
 DocType: Employee,Internal Work History,Sejarah Kerja internal
@@ -5646,7 +5714,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Praktisi Perawatan Kesehatan tidak tersedia di {0}
 DocType: Stock Entry Detail,Additional Cost,Biaya tambahan
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Tidak dapat memfilter berdasarkan No. Voucher, jika dikelompokkan berdasarkan Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Membuat Pemasok Quotation
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Membuat Pemasok Quotation
 DocType: Quality Inspection,Incoming,Incoming
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Template pajak default untuk penjualan dan pembelian telah dibuat.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Catatan Hasil Penilaian {0} sudah ada.
@@ -5662,7 +5730,7 @@
 DocType: Batch,Batch ID,Batch ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Catatan: {0}
 ,Delivery Note Trends,Tren pengiriman Note
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Ringkasan minggu ini
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Ringkasan minggu ini
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Jumlah tersedia
 ,Daily Work Summary Replies,Ringkasan Ringkasan Pekerjaan Harian
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Hitung Perkiraan Waktu Kedatangan
@@ -5672,7 +5740,7 @@
 DocType: Bank Account,Party,Pihak
 DocType: Healthcare Settings,Patient Name,Nama pasien
 DocType: Variant Field,Variant Field,Bidang Varian
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Lokasi Target
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Lokasi Target
 DocType: Sales Order,Delivery Date,Tanggal Pengiriman
 DocType: Opportunity,Opportunity Date,Peluang Tanggal
 DocType: Employee,Health Insurance Provider,Penyedia Asuransi Kesehatan
@@ -5691,7 +5759,7 @@
 DocType: Employee,History In Company,Sejarah Dalam Perusahaan
 DocType: Customer,Customer Primary Address,Alamat utama pelanggan
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Surat edaran
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Nomor referensi.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Nomor referensi.
 DocType: Drug Prescription,Description/Strength,Deskripsi / Kekuatan
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Buat Pembayaran Baru / Entri Jurnal
 DocType: Certification Application,Certification Application,Aplikasi Sertifikasi
@@ -5702,10 +5770,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali
 DocType: Department,Leave Block List,Cuti Block List
 DocType: Purchase Invoice,Tax ID,Id pajak
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Stok Barang {0} tidak diatur untuk Nomor Seri. Kolom harus kosong
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Stok Barang {0} tidak diatur untuk Nomor Seri. Kolom harus kosong
 DocType: Accounts Settings,Accounts Settings,Pengaturan Akun
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Menyetujui
 DocType: Loyalty Program,Customer Territory,Wilayah Pelanggan
+DocType: Email Digest,Sales Orders to Deliver,Pesanan Penjualan untuk Mengirim
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Jumlah Akun baru, akan disertakan dalam nama akun sebagai awalan"
 DocType: Maintenance Team Member,Team Member,Anggota tim
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Tidak ada hasil untuk disampaikan
@@ -5715,7 +5784,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total {0} untuk semua item adalah nol, mungkin Anda harus mengubah &#39;Distribusikan Biaya Berdasarkan&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Hingga saat ini tidak boleh kurang dari dari tanggal
 DocType: Opportunity,To Discuss,Untuk Diskusikan
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Ini didasarkan pada transaksi terhadap Pelanggan ini. Lihat garis waktu di bawah ini untuk detailnya
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} unit {1} dibutuhkan dalam {2} untuk menyelesaikan transaksi ini.
 DocType: Loan Type,Rate of Interest (%) Yearly,Tingkat bunga (%) Tahunan
 DocType: Support Settings,Forum URL,URL Forum
@@ -5730,7 +5798,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Belajarlah lagi
 DocType: Cheque Print Template,Distance from top edge,Jarak dari tepi atas
 DocType: POS Closing Voucher Invoices,Quantity of Items,Kuantitas Item
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Daftar Harga {0} dinonaktifkan atau tidak ada
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Daftar Harga {0} dinonaktifkan atau tidak ada
 DocType: Purchase Invoice,Return,Retur
 DocType: Pricing Rule,Disable,Nonaktifkan
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Cara pembayaran yang diperlukan untuk melakukan pembayaran
@@ -5738,18 +5806,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Edit di halaman penuh untuk lebih banyak pilihan seperti aset, serial nos, batch dll."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksimum Berlanjut Hari Berlaku
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} tidak terdaftar dalam Batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Aset {0} tidak dapat dihapus, karena sudah {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Aset {0} tidak dapat dihapus, karena sudah {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Cek Diperlukan
 DocType: Task,Total Expense Claim (via Expense Claim),Jumlah Klaim Beban (via Beban Klaim)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absen
 DocType: Job Applicant Source,Job Applicant Source,Sumber Pemohon Pekerjaan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Jumlah IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Jumlah IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Gagal menata perusahaan
 DocType: Asset Repair,Asset Repair,Perbaikan Aset
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Mata dari BOM # {1} harus sama dengan mata uang yang dipilih {2}
 DocType: Journal Entry Account,Exchange Rate,Nilai Tukar
 DocType: Patient,Additional information regarding the patient,Informasi tambahan mengenai pasien
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Order Penjualan {0} tidak Terkirim
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Order Penjualan {0} tidak Terkirim
 DocType: Homepage,Tag Line,klimaks
 DocType: Fee Component,Fee Component,biaya Komponen
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Manajemen armada
@@ -5764,7 +5832,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobile
 ,Sales Person-wise Transaction Summary,Sales Person-bijaksana Rangkuman Transaksi
 DocType: Training Event,Contact Number,Nomor kontak
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Gudang {0} tidak ada
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Gudang {0} tidak ada
 DocType: Cashier Closing,Custody,Tahanan
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Pemberitahuan Pembebasan Pajak Karyawan Bukti Pengajuan
 DocType: Monthly Distribution,Monthly Distribution Percentages,Persentase Distribusi bulanan
@@ -5779,7 +5847,7 @@
 DocType: Payment Entry,Paid Amount,Dibayar Jumlah
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Jelajahi Siklus Penjualan
 DocType: Assessment Plan,Supervisor,Pengawas
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Entri saham retensi
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Entri saham retensi
 ,Available Stock for Packing Items,Tersedia untuk Barang Paket
 DocType: Item Variant,Item Variant,Item Variant
 ,Work Order Stock Report,Laporan Stock Pesanan Kerja
@@ -5788,9 +5856,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Sebagai pengawas
 DocType: Leave Policy Detail,Leave Policy Detail,Tinggalkan Detail Kebijakan
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Barang
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,perintah yang disampaikan tidak dapat dihapus
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo rekening sudah berada di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Manajemen Mutu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,perintah yang disampaikan tidak dapat dihapus
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo rekening sudah berada di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Manajemen Mutu
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Item {0} telah dinonaktifkan
 DocType: Project,Total Billable Amount (via Timesheets),Total Jumlah yang Dapat Ditagih (via Timesheets)
 DocType: Agriculture Task,Previous Business Day,Hari Bisnis Sebelumnya
@@ -5813,14 +5881,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Pusat biaya
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Mulai Ulang Langganan
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analisis Tanaman Tertanam
-DocType: Delivery Note,Transporter ID,ID Transporter
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID Transporter
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Proposisi Nilai
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tingkat di mana mata uang Supplier dikonversi ke mata uang dasar perusahaan
-DocType: Sales Invoice Item,Service End Date,Tanggal Akhir Layanan
+DocType: Purchase Invoice Item,Service End Date,Tanggal Akhir Layanan
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: konflik Timing dengan baris {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Biarkan Zero Valuation Rate
 DocType: Bank Guarantee,Receiving,Menerima
 DocType: Training Event Employee,Invited,diundang
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Rekening Gateway setup.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Rekening Gateway setup.
 DocType: Employee,Employment Type,Jenis Pekerjaan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Aktiva Tetap
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Efek Gain / Loss
@@ -5836,7 +5905,7 @@
 DocType: Tax Rule,Sales Tax Template,Template Pajak Penjualan
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Membayar Terhadap Klaim Manfaat
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Perbarui Nomor Pusat Biaya
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Pilih item untuk menyimpan faktur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Pilih item untuk menyimpan faktur
 DocType: Employee,Encashment Date,Pencairan Tanggal
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Template Uji Khusus
@@ -5844,12 +5913,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Standar Kegiatan Biaya ada untuk Jenis Kegiatan - {0}
 DocType: Work Order,Planned Operating Cost,Direncanakan Biaya Operasi
 DocType: Academic Term,Term Start Date,Jangka Mulai Tanggal
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Daftar semua transaksi saham
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Daftar semua transaksi saham
+DocType: Supplier,Is Transporter,Apakah Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Impor Faktur Penjualan dari Shopify jika Pembayaran ditandai
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Tanggal Awal Periode Uji Coba dan Tanggal Akhir Periode Uji Coba harus ditetapkan
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Harga rata-rata
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Pembayaran Total dalam Jadwal Pembayaran harus sama dengan Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Pembayaran Total dalam Jadwal Pembayaran harus sama dengan Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Rencana
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Saldo Laporan Bank sesuai Buku Besar
 DocType: Job Applicant,Applicant Name,Nama Pemohon
@@ -5877,7 +5947,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Tersedia Qty di Gudang Sumber
 apps/erpnext/erpnext/config/support.py +22,Warranty,Jaminan
 DocType: Purchase Invoice,Debit Note Issued,Debit Note Ditempatkan
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter berdasarkan Pusat Biaya hanya berlaku jika Anggaran Terhadap dipilih sebagai Pusat Biaya
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter berdasarkan Pusat Biaya hanya berlaku jika Anggaran Terhadap dipilih sebagai Pusat Biaya
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Cari berdasarkan kode barang, nomor seri, no batch atau barcode"
 DocType: Work Order,Warehouses,Gudang
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} aset tidak dapat ditransfer
@@ -5888,9 +5958,9 @@
 DocType: Workstation,per hour,per jam
 DocType: Blanket Order,Purchasing,pembelian
 DocType: Announcement,Announcement,Pengumuman
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,LPO Pelanggan
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,LPO Pelanggan
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Untuk Kelompok Siswa berbasis Batch, Student Batch akan divalidasi untuk setiap Siswa dari Program Enrollment."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak dapat dihapus karena ada entri buku persediaan untuk gudang ini.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak dapat dihapus karena ada entri buku persediaan untuk gudang ini.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribusi
 DocType: Journal Entry Account,Loan,Pinjaman
 DocType: Expense Claim Advance,Expense Claim Advance,Klaim Biaya Klaim
@@ -5899,7 +5969,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Manager Project
 ,Quoted Item Comparison,Perbandingan Produk/Barang yang ditawarkan
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Tumpang tindih dalam penilaian antara {0} dan {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Pengiriman
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Pengiriman
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Diskon Max diperbolehkan untuk item: {0} {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Nilai Aktiva Bersih seperti pada
 DocType: Crop,Produce,Menghasilkan
@@ -5909,20 +5979,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Konsumsi Bahan untuk Industri
 DocType: Item Alternative,Alternative Item Code,Kode Barang Alternatif
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Peran yang diperbolehkan untuk mengirimkan transaksi yang melebihi batas kredit yang ditetapkan.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Pilih Produk untuk Industri
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Pilih Produk untuk Industri
 DocType: Delivery Stop,Delivery Stop,Berhenti pengiriman
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Data master sinkronisasi, itu mungkin memakan waktu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Data master sinkronisasi, itu mungkin memakan waktu"
 DocType: Item,Material Issue,Keluar Barang
 DocType: Employee Education,Qualification,Kualifikasi
 DocType: Item Price,Item Price,Item Price
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sabun & Deterjen
 DocType: BOM,Show Items,Tampilkan Produk
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Dari waktu tidak dapat lebih besar dari Untuk Waktu.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Apakah Anda ingin memberi tahu semua pelanggan melalui email?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Apakah Anda ingin memberi tahu semua pelanggan melalui email?
 DocType: Subscription Plan,Billing Interval,Interval Penagihan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Ordered
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Tanggal mulai aktual dan tanggal akhir yang sebenarnya adalah wajib
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Grup Pelanggan&gt; Wilayah
 DocType: Salary Detail,Component,Komponen
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Baris {0}: {1} harus lebih besar dari 0
 DocType: Assessment Criteria,Assessment Criteria Group,Kriteria penilaian Grup
@@ -5953,11 +6024,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Masukkan nama bank atau lembaga peminjaman sebelum mengajukan.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} harus diserahkan
 DocType: POS Profile,Item Groups,Grup Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Hari ini adalah {0} 's birthday!
 DocType: Sales Order Item,For Production,Untuk Produksi
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Saldo dalam Mata Uang Akun
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Harap tambahkan akun Pembukaan Sementara di Bagan Akun
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Harap tambahkan akun Pembukaan Sementara di Bagan Akun
 DocType: Customer,Customer Primary Contact,Kontak utama pelanggan
 DocType: Project Task,View Task,Lihat Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Peluang/Prospek %
@@ -5970,11 +6040,11 @@
 DocType: Sales Invoice,Get Advances Received,Dapatkan Uang Muka Diterima
 DocType: Email Digest,Add/Remove Recipients,Tambah / Hapus Penerima
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Untuk mengatur Tahun Anggaran ini sebagai Default, klik 'Set as Default'"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Jumlah TDS Dikurangkan
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Jumlah TDS Dikurangkan
 DocType: Production Plan,Include Subcontracted Items,Sertakan Subkontrak Items
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Bergabung
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Kekurangan Jumlah
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Bergabung
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Kekurangan Jumlah
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama
 DocType: Loan,Repay from Salary,Membayar dari Gaji
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Meminta pembayaran terhadap {0} {1} untuk jumlah {2}
 DocType: Additional Salary,Salary Slip,Slip Gaji
@@ -5990,7 +6060,7 @@
 DocType: Patient,Dormant,Terbengkalai
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Pengurangan Pajak Untuk Manfaat Karyawan Tidak Diklaim
 DocType: Salary Slip,Total Interest Amount,Jumlah Bunga Total
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Gudang dengan node anak tidak dapat dikonversi ke buku besar
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Gudang dengan node anak tidak dapat dikonversi ke buku besar
 DocType: BOM,Manage cost of operations,Kelola biaya operasional
 DocType: Accounts Settings,Stale Days,Hari basi
 DocType: Travel Itinerary,Arrival Datetime,Tanggal Kedatangan
@@ -6002,7 +6072,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Penilaian Detil Hasil
 DocType: Employee Education,Employee Education,Pendidikan Karyawan
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Kelompok barang duplikat yang ditemukan dalam tabel grup item
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Hal ini diperlukan untuk mengambil Item detail.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Hal ini diperlukan untuk mengambil Item detail.
 DocType: Fertilizer,Fertilizer Name,Nama pupuk
 DocType: Salary Slip,Net Pay,Nilai Bersih Terbayar
 DocType: Cash Flow Mapping Accounts,Account,Akun
@@ -6013,14 +6083,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Buat Entri Pembayaran Terpisah Terhadap Klaim Manfaat
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Adanya demam (suhu&gt; 38,5 ° C / 101,3 ° F atau suhu bertahan&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Rincian Tim Penjualan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Hapus secara permanen?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Hapus secara permanen?
 DocType: Expense Claim,Total Claimed Amount,Jumlah Total Diklaim
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potensi peluang untuk menjadi penjualan.
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Valid {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Cuti Sakit
 DocType: Email Digest,Email Digest,Ringkasan Surel
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,tidak
 DocType: Delivery Note,Billing Address Name,Nama Alamat Penagihan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Departmen Store
 ,Item Delivery Date,Tanggal Pengiriman Barang
@@ -6036,16 +6105,16 @@
 DocType: Account,Chargeable,Dapat Dibebankan
 DocType: Company,Change Abbreviation,Ubah Singkatan
 DocType: Contract,Fulfilment Details,Rincian Pemenuhan
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Bayar {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Bayar {0} {1}
 DocType: Employee Onboarding,Activities,Kegiatan
 DocType: Expense Claim Detail,Expense Date,Beban Tanggal
 DocType: Item,No of Months,Tidak Ada Bulan
 DocType: Item,Max Discount (%),Max Diskon (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Hari Kredit tidak bisa menjadi angka negatif
-DocType: Sales Invoice Item,Service Stop Date,Tanggal Berhenti Layanan
+DocType: Purchase Invoice Item,Service Stop Date,Tanggal Berhenti Layanan
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Jumlah Order terakhir
 DocType: Cash Flow Mapper,e.g Adjustments for:,misalnya Penyesuaian untuk:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Sampel disimpan berdasarkan batch, tandai Nomor Batch untuk menyimpan sampel barang"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Sampel disimpan berdasarkan batch, tandai Nomor Batch untuk menyimpan sampel barang"
 DocType: Task,Is Milestone,Adalah tonggak
 DocType: Certification Application,Yet to appear,Belum muncul
 DocType: Delivery Stop,Email Sent To,Surel Dikirim Ke
@@ -6053,16 +6122,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Izinkan Pusat Biaya Masuk Rekening Neraca
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Bergabung dengan Akun yang Ada
 DocType: Budget,Warn,Peringatan: Cuti aplikasi berisi tanggal blok berikut
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Semua item telah ditransfer untuk Perintah Kerja ini.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Semua item telah ditransfer untuk Perintah Kerja ini.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Setiap komentar lain, upaya penting yang harus pergi dalam catatan."
 DocType: Asset Maintenance,Manufacturing User,Manufaktur Pengguna
 DocType: Purchase Invoice,Raw Materials Supplied,Bahan Baku Disupply
 DocType: Subscription Plan,Payment Plan,Rencana pembayaran
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Aktifkan pembelian barang melalui situs web
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Mata uang dari daftar harga {0} harus {1} atau {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Manajemen Langganan
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Manajemen Langganan
 DocType: Appraisal,Appraisal Template,Template Penilaian
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Untuk Kode Pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Untuk Kode Pin
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Periksa ini untuk mengaktifkan rutin sinkronisasi harian yang dijadwalkan melalui penjadwal
 DocType: Item Group,Item Classification,Klasifikasi Stok Barang
@@ -6072,6 +6141,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Pendaftaran Faktur Pasien
 DocType: Crop,Period,periode
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,General Ledger
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Untuk Tahun Fiskal
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Lihat Prospek
 DocType: Program Enrollment Tool,New Program,Program baru
 DocType: Item Attribute Value,Attribute Value,Nilai Atribut
@@ -6080,11 +6150,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Rekomendasi Reorder Tingkat
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Karyawan {0} kelas {1} tidak memiliki kebijakan cuti default
 DocType: Salary Detail,Salary Detail,Detil gaji
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Silahkan pilih {0} terlebih dahulu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Silahkan pilih {0} terlebih dahulu
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Menambahkan {0} pengguna
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Dalam kasus program multi-tier, Pelanggan akan ditugaskan secara otomatis ke tingkat yang bersangkutan sesuai yang mereka habiskan"
 DocType: Appointment Type,Physician,Dokter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Kumpulan {0} Barang {1} telah berakhir.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Kumpulan {0} Barang {1} telah berakhir.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konsultasi
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Selesai Baik
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Harga Barang muncul beberapa kali berdasarkan Daftar Harga, Pemasok / Pelanggan, Mata Uang, Item, UOM, Qty dan Tanggal."
@@ -6093,22 +6163,21 @@
 DocType: Certification Application,Name of Applicant,Nama Pemohon
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Waktu Lembar untuk manufaktur.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Tidak dapat mengubah properti Varian setelah transaksi saham. Anda harus membuat Item baru untuk melakukan ini.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Tidak dapat mengubah properti Varian setelah transaksi saham. Anda harus membuat Item baru untuk melakukan ini.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA Mandate
 DocType: Healthcare Practitioner,Charges,Biaya
 DocType: Production Plan,Get Items For Work Order,Dapatkan Item Untuk Perintah Kerja
 DocType: Salary Detail,Default Amount,Jumlah Standar
 DocType: Lab Test Template,Descriptive,Deskriptif
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Gudang tidak ditemukan dalam sistem
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Ringkasan ini Bulan ini
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Ringkasan ini Bulan ini
 DocType: Quality Inspection Reading,Quality Inspection Reading,Nilai Inspeksi Mutu
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,'Bekukan Persediaan Lebih Lama Dari' harus lebih kecil dari %d hari.
 DocType: Tax Rule,Purchase Tax Template,Pembelian Template Pajak
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Tetapkan sasaran penjualan yang ingin Anda capai untuk perusahaan Anda.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Layanan Kesehatan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Layanan Kesehatan
 ,Project wise Stock Tracking,Pelacakan Persediaan menurut Proyek
 DocType: GST HSN Code,Regional,Daerah
-DocType: Delivery Note,Transport Mode,Moda transportasi
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorium
 DocType: UOM Category,UOM Category,Kategori UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Jumlah Aktual (di sumber/target)
@@ -6131,17 +6200,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Gagal membuat situs web
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Detil UOM Konversi
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Entry Stok Retensi sudah dibuat atau Jumlah Sampel tidak disediakan
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Entry Stok Retensi sudah dibuat atau Jumlah Sampel tidak disediakan
 DocType: Program,Program Abbreviation,Singkatan Program
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Order produksi tidak dapat diajukan terhadap Template Stok Barang
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Ongkos dalam Nota Pembelian diperbarui terhadap setiap barang
 DocType: Warranty Claim,Resolved By,Terselesaikan Dengan
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Jadwal Pengiriman
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cek dan Deposit tidak benar dibersihkan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Akun {0}: Anda tidak dapat menetapkanya sebagai Akun Induk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Akun {0}: Anda tidak dapat menetapkanya sebagai Akun Induk
 DocType: Purchase Invoice Item,Price List Rate,Daftar Harga Tingkat
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Buat kutipan pelanggan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Tanggal Penghentian Layanan tidak boleh setelah Tanggal Berakhir Layanan
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Tanggal Penghentian Layanan tidak boleh setelah Tanggal Berakhir Layanan
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Tampilkan ""Tersedia"" atau ""Tidak Tersedia"" berdasarkan persediaan di gudang ini."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Material (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Rata-rata waktu yang dibutuhkan oleh Supplier untuk memberikan
@@ -6153,11 +6222,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Jam
 DocType: Project,Expected Start Date,Diharapkan Tanggal Mulai
 DocType: Purchase Invoice,04-Correction in Invoice,04-Koreksi dalam Faktur
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Work Order sudah dibuat untuk semua item dengan BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Work Order sudah dibuat untuk semua item dengan BOM
 DocType: Payment Request,Party Details,Detail Partai
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Laporan Detail Variant
 DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Daftar harga beli
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Daftar harga beli
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Hapus item jika biaya ini tidak berlaku untuk item
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Batalkan Langganan
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Harap pilih Status Pemeliharaan sebagai Selesai atau hapus Tanggal Penyelesaian
@@ -6175,7 +6244,7 @@
 DocType: Asset,Disposal Date,pembuangan Tanggal
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email akan dikirim ke semua Karyawan Aktif perusahaan pada jam tertentu, jika mereka tidak memiliki liburan. Ringkasan tanggapan akan dikirim pada tengah malam."
 DocType: Employee Leave Approver,Employee Leave Approver,Approver Cuti Karyawan
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Entri perekam sudah ada untuk gudang ini {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Entri perekam sudah ada untuk gudang ini {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Tidak dapat mendeklarasikan sebagai hilang, karena Quotation telah dibuat."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Akun CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,pelatihan Masukan
@@ -6187,7 +6256,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Sampai saat ini tidak dapat sebelumnya dari tanggal
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Bagian footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Tambah / Edit Harga
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Tambah / Edit Harga
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Promosi Karyawan tidak dapat diserahkan sebelum Tanggal Promosi
 DocType: Batch,Parent Batch,Induk induk
 DocType: Cheque Print Template,Cheque Print Template,Template Print Cek
@@ -6197,6 +6266,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Koleksi Sampel
 ,Requested Items To Be Ordered,Produk Diminta Akan Memerintahkan
 DocType: Price List,Price List Name,Daftar Harga Nama
+DocType: Delivery Stop,Dispatch Information,Informasi Pengiriman
 DocType: Blanket Order,Manufacturing,Manufaktur
 ,Ordered Items To Be Delivered,Ordered Items Akan Terkirim
 DocType: Account,Income,Penghasilan
@@ -6215,17 +6285,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unit {1} dibutuhkan dalam {2} pada {3} {4} untuk {5} untuk menyelesaikan transaksi ini.
 DocType: Fee Schedule,Student Category,Mahasiswa Kategori
 DocType: Announcement,Student,Mahasiswa
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Kuantitas stok untuk memulai prosedur tidak tersedia di gudang. Apakah Anda ingin merekam Transfer Saham
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Kuantitas stok untuk memulai prosedur tidak tersedia di gudang. Apakah Anda ingin merekam Transfer Saham
 DocType: Shipping Rule,Shipping Rule Type,Jenis aturan pengiriman
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Pergi ke kamar
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Perusahaan, Akun Pembayaran, Dari Tanggal dan Sampai Tanggal adalah wajib"
 DocType: Company,Budget Detail,Rincian Anggaran
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Entrikan pesan sebelum mengirimnya
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE UNTUK PEMASOK
-DocType: Email Digest,Pending Quotations,tertunda Kutipan
-DocType: Delivery Note,Distance (KM),Jarak (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Pemasok&gt; Grup Pemasok
 DocType: Asset,Custodian,Pemelihara
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Profil Point of Sale
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Profil Point of Sale
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} harus bernilai antara 0 dan 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Pembayaran {0} dari {1} ke {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Pinjaman tanpa Jaminan
@@ -6257,10 +6326,10 @@
 DocType: Lead,Converted,Dikonversi
 DocType: Item,Has Serial No,Bernomor Seri
 DocType: Employee,Date of Issue,Tanggal Issue
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sesuai dengan Setelan Pembelian jika Diperlukan Pembelian Diperlukan == &#39;YA&#39;, maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Receipt terlebih dahulu untuk item {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sesuai dengan Setelan Pembelian jika Diperlukan Pembelian Diperlukan == &#39;YA&#39;, maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Receipt terlebih dahulu untuk item {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier untuk item {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: nilai Jam harus lebih besar dari nol.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Website Image {0} melekat Butir {1} tidak dapat ditemukan
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Website Image {0} melekat Butir {1} tidak dapat ditemukan
 DocType: Issue,Content Type,Tipe Konten
 DocType: Asset,Assets,Aktiva
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Komputer
@@ -6271,7 +6340,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} tidak ada
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Silakan periksa opsi Mata multi untuk memungkinkan account dengan mata uang lainnya
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} tidak ada dalam sistem
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Anda tidak diizinkan menetapkan nilai yg sedang dibekukan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Anda tidak diizinkan menetapkan nilai yg sedang dibekukan
 DocType: Payment Reconciliation,Get Unreconciled Entries,Dapatkan Entries Unreconciled
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Karyawan {0} sedang Meninggalkan pada {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Tidak ada pembayaran yang dipilih untuk Entri Jurnal
@@ -6289,13 +6358,14 @@
 ,Average Commission Rate,Rata-rata Komisi Tingkat
 DocType: Share Balance,No of Shares,Tidak ada saham
 DocType: Taxable Salary Slab,To Amount,Untuk Jumlah
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Bernomor Seri' tidak dapat ‘Ya’ untuk barang non-persediaan
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Bernomor Seri' tidak dapat ‘Ya’ untuk barang non-persediaan
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Pilih Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Kehadiran tidak dapat ditandai untuk tanggal masa depan
 DocType: Support Search Source,Post Description Key,Kunci Deskripsi Posting
 DocType: Pricing Rule,Pricing Rule Help,Aturan Harga Bantuan
 DocType: School House,House Name,Nama rumah
 DocType: Fee Schedule,Total Amount per Student,Jumlah Total per Siswa
+DocType: Opportunity,Sales Stage,Panggung Penjualan
 DocType: Purchase Taxes and Charges,Account Head,Akun Kepala
 DocType: Company,HRA Component,Komponen HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Listrik
@@ -6303,15 +6373,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Total Nilai Selisih (Out - Dalam)
 DocType: Grant Application,Requested Amount,Jumlah yang diminta
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Kurs adalah wajib
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},User ID tidak ditetapkan untuk Karyawan {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},User ID tidak ditetapkan untuk Karyawan {0}
 DocType: Vehicle,Vehicle Value,Nilai kendaraan
 DocType: Crop Cycle,Detected Diseases,Penyakit Terdeteksi
 DocType: Stock Entry,Default Source Warehouse,Standar Gudang Sumber
 DocType: Item,Customer Code,Kode Pelanggan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Birthday Reminder untuk {0}
 DocType: Asset Maintenance Task,Last Completion Date,Tanggal penyelesaian terakhir
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Jumlah Hari Semenjak Order Terakhir
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debit Untuk akun harus rekening Neraca
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debit Untuk akun harus rekening Neraca
 DocType: Asset,Naming Series,Series Penamaan
 DocType: Vital Signs,Coated,Dilapisi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Baris {0}: Nilai yang Diharapkan Setelah Berguna Hidup harus kurang dari Jumlah Pembelian Kotor
@@ -6329,15 +6398,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Pengiriman Note {0} tidak boleh Terkirim
 DocType: Notification Control,Sales Invoice Message,Pesan Faktur Penjualan
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Penutupan Rekening {0} harus dari jenis Kewajiban / Ekuitas
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Slip Gaji karyawan {0} sudah dibuat untuk daftar absen {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Slip Gaji karyawan {0} sudah dibuat untuk daftar absen {1}
 DocType: Vehicle Log,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,Qty Terorder
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Item {0} dinonaktifkan
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Item {0} dinonaktifkan
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM tidak berisi barang persediaan apapun
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM tidak berisi barang persediaan apapun
 DocType: Chapter,Chapter Head,Kepala Bab
 DocType: Payment Term,Month(s) after the end of the invoice month,Bulan setelah akhir bulan faktur
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktur Gaji harus memiliki komponen manfaat fleksibel (s) untuk memberikan jumlah manfaat
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktur Gaji harus memiliki komponen manfaat fleksibel (s) untuk memberikan jumlah manfaat
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Kegiatan proyek / tugas.
 DocType: Vital Signs,Very Coated,Sangat Dilapisi
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Hanya Dampak Pajak (Tidak Dapat Menglaim Tetapi Bagian dari Penghasilan Kena Pajak)
@@ -6355,7 +6424,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Jam penagihan
 DocType: Project,Total Sales Amount (via Sales Order),Total Jumlah Penjualan (via Sales Order)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM default untuk {0} tidak ditemukan
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Silakan mengatur kuantitas menyusun ulang
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Silakan mengatur kuantitas menyusun ulang
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Ketuk item untuk menambahkannya di sini
 DocType: Fees,Program Enrollment,Program Pendaftaran
 DocType: Share Transfer,To Folio No,Untuk Folio No
@@ -6396,9 +6465,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Kekuatan
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Menginstal preset
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Tidak ada Catatan Pengiriman yang dipilih untuk Pelanggan {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Tidak ada Catatan Pengiriman yang dipilih untuk Pelanggan {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Karyawan {0} tidak memiliki jumlah manfaat maksimal
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Pilih Item berdasarkan Tanggal Pengiriman
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Pilih Item berdasarkan Tanggal Pengiriman
 DocType: Grant Application,Has any past Grant Record,Memiliki Record Grant masa lalu
 ,Sales Analytics,Analitika Penjualan
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Tersedia {0}
@@ -6406,12 +6475,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Pengaturan manufaktur
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Mengatur Email
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Ponsel Tidak
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Entrikan mata uang default di Perusahaan Guru
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Entrikan mata uang default di Perusahaan Guru
 DocType: Stock Entry Detail,Stock Entry Detail,Rincian Entri Persediaan
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Pengingat Harian
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Pengingat Harian
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Lihat semua tiket terbuka
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Unit Layanan Kesehatan Pohon
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produk
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produk
 DocType: Products Settings,Home Page is Products,Home Page adalah Produk
 ,Asset Depreciation Ledger,Aset Penyusutan Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Tinggalkan Jumlah Pemblokiran Per Hari
@@ -6421,8 +6490,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Biaya Bahan Baku Disediakan
 DocType: Selling Settings,Settings for Selling Module,Pengaturan untuk Jual Modul
 DocType: Hotel Room Reservation,Hotel Room Reservation,Reservasi Kamar Hotel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Layanan Pelanggan
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Layanan Pelanggan
 DocType: BOM,Thumbnail,Kuku ibu jari
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Tidak ada kontak dengan ID email yang ditemukan.
 DocType: Item Customer Detail,Item Customer Detail,Rincian Barang Pelanggan
 DocType: Notification Control,Prompt for Email on Submission of,Minta Email untuk Pengiriman
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Jumlah tunjangan maksimum karyawan {0} melebihi {1}
@@ -6432,13 +6502,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Barang {0} harus barang persediaan
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standar Gudang Work In Progress
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Jadwal untuk {0} tumpang tindih, apakah Anda ingin melanjutkan setelah melewati slot yang tumpang tindih?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Pengaturan default untuk transaksi akuntansi.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Pengaturan default untuk transaksi akuntansi.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Template Pajak Default
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Siswa telah terdaftar
 DocType: Fees,Student Details,Rincian siswa
 DocType: Purchase Invoice Item,Stock Qty,Jumlah Persediaan
 DocType: Contract,Requires Fulfilment,Membutuhkan Pemenuhan
+DocType: QuickBooks Migrator,Default Shipping Account,Akun Pengiriman Default
 DocType: Loan,Repayment Period in Months,Periode pembayaran di Bulan
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Kesalahan: Tidak id valid?
 DocType: Naming Series,Update Series Number,Perbarui Nomor Seri
@@ -6452,11 +6523,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Jumlah Maks
 DocType: Journal Entry,Total Amount Currency,Jumlah Total Mata Uang
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Cari Barang Sub Assembly
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Item Code dibutuhkan pada Row ada {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Item Code dibutuhkan pada Row ada {0}
 DocType: GST Account,SGST Account,Akun SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Pergi ke item
 DocType: Sales Partner,Partner Type,Tipe Mitra/Partner
-DocType: Purchase Taxes and Charges,Actual,Aktual
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Aktual
 DocType: Restaurant Menu,Restaurant Manager,Manajer restoran
 DocType: Authorization Rule,Customerwise Discount,Diskon Pelanggan
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Absen untuk tugas-tugas.
@@ -6477,7 +6548,7 @@
 DocType: Employee,Cheque,Cek
 DocType: Training Event,Employee Emails,Email Karyawan
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Nomor Seri Diperbarui
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Jenis Laporan adalah wajib
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Jenis Laporan adalah wajib
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Gudang adalah wajib untuk persediaan Barang {0} pada baris {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retail & Grosir
@@ -6507,7 +6578,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Perbarui Jumlah yang Ditagih di Sales Order
 DocType: BOM,Materials,Material/Barang
 DocType: Leave Block List,"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."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Tanggal posting dan posting waktu adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Tanggal posting dan posting waktu adalah wajib
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Template pajak untuk membeli transaksi.
 ,Item Prices,Harga Barang/Item
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Purchase Order.
@@ -6523,12 +6594,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Seri untuk Entry Depreciation Aset (Entri Jurnal)
 DocType: Membership,Member Since,Anggota Sejak
 DocType: Purchase Invoice,Advance Payments,Uang Muka Pembayaran(Down Payment / Advance)
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Silakan pilih Layanan Kesehatan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Silakan pilih Layanan Kesehatan
 DocType: Purchase Taxes and Charges,On Net Total,Pada Jumlah Net Bersih
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Nilai untuk Atribut {0} harus berada dalam kisaran {1} ke {2} dalam penambahan {3} untuk Item {4}
 DocType: Restaurant Reservation,Waitlisted,Daftar tunggu
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategori Pembebasan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Mata uang tidak dapat diubah setelah melakukan entri menggunakan beberapa mata uang lainnya
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Mata uang tidak dapat diubah setelah melakukan entri menggunakan beberapa mata uang lainnya
 DocType: Shipping Rule,Fixed,Tetap
 DocType: Vehicle Service,Clutch Plate,clutch Plat
 DocType: Company,Round Off Account,Akun Pembulatan
@@ -6537,7 +6608,7 @@
 DocType: Subscription Plan,Based on price list,Berdasarkan daftar harga
 DocType: Customer Group,Parent Customer Group,Induk Kelompok Pelanggan
 DocType: Vehicle Service,Change,Perubahan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Berlangganan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Berlangganan
 DocType: Purchase Invoice,Contact Email,Email Kontak
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Penciptaan Biaya Tertunda
 DocType: Appraisal Goal,Score Earned,Skor Earned
@@ -6564,23 +6635,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Piutang / Account Payable
 DocType: Delivery Note Item,Against Sales Order Item,Terhadap Barang di Order Penjualan
 DocType: Company,Company Logo,Logo perusahaan
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Silakan tentukan Atribut Nilai untuk atribut {0}
-DocType: Item Default,Default Warehouse,Standar Gudang
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Silakan tentukan Atribut Nilai untuk atribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Standar Gudang
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Anggaran tidak dapat diberikan terhadap Account Group {0}
 DocType: Shopping Cart Settings,Show Price,Tampilkan Harga
 DocType: Healthcare Settings,Patient Registration,Pendaftaran Pasien
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Entrikan pusat biaya orang tua
 DocType: Delivery Note,Print Without Amount,Cetak Tanpa Jumlah
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,penyusutan Tanggal
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,penyusutan Tanggal
 ,Work Orders in Progress,Perintah Kerja Sedang Berlangsung
 DocType: Issue,Support Team,Tim Support
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Kadaluwarsa (Dalam Days)
 DocType: Appraisal,Total Score (Out of 5),Skor Total (Out of 5)
 DocType: Student Attendance Tool,Batch,Kumpulan
 DocType: Support Search Source,Query Route String,String Rute Kueri
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Perbarui tarif sesuai pembelian terakhir
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Perbarui tarif sesuai pembelian terakhir
 DocType: Donor,Donor Type,Jenis Donor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Pembaruan dokumen otomatis diperbarui
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Pembaruan dokumen otomatis diperbarui
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Keseimbangan
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Silahkan pilih Perusahaan
 DocType: Job Card,Job Card,Kartu Kerja
@@ -6594,7 +6665,7 @@
 DocType: Assessment Result,Total Score,Skor total
 DocType: Crop Cycle,ISO 8601 standard,Standar ISO 8601
 DocType: Journal Entry,Debit Note,Debit Note
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Anda hanya dapat menukarkan poin maksimum {0} dalam pesanan ini.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Anda hanya dapat menukarkan poin maksimum {0} dalam pesanan ini.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Silakan masukkan Rahasia Konsumen API
 DocType: Stock Entry,As per Stock UOM,Sesuai UOM Persediaan
@@ -6607,10 +6678,11 @@
 DocType: Journal Entry,Total Debit,Jumlah Debit
 DocType: Travel Request Costing,Sponsored Amount,Jumlah Sponsor
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Gudang bawaan Selesai Stok Barang
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Silakan pilih Pasien
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Silakan pilih Pasien
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Sales Person
 DocType: Hotel Room Package,Amenities,Fasilitas
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Anggaran dan Pusat Biaya
+DocType: QuickBooks Migrator,Undeposited Funds Account,Rekening Dana yang Belum Ditentukan
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Anggaran dan Pusat Biaya
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Beberapa modus pembayaran default tidak diperbolehkan
 DocType: Sales Invoice,Loyalty Points Redemption,Penebusan Poin Loyalitas
 ,Appointment Analytics,Penunjukan Analytics
@@ -6624,6 +6696,7 @@
 DocType: Batch,Manufacturing Date,Tanggal pembuatan
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Penciptaan Biaya Gagal
 DocType: Opening Invoice Creation Tool,Create Missing Party,Buat Partai Hilang
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Total Anggaran
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Biarkan kosong jika Anda membuat kelompok siswa per tahun
 DocType: HR Settings,"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"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Aplikasi yang menggunakan kunci saat ini tidak dapat diakses, apakah Anda yakin?"
@@ -6639,20 +6712,19 @@
 DocType: Opportunity Item,Basic Rate,Tarif Dasar
 DocType: GL Entry,Credit Amount,Jumlah kredit
 DocType: Cheque Print Template,Signatory Position,Posisi penandatangan
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Set as Hilang/Kalah
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Set as Hilang/Kalah
 DocType: Timesheet,Total Billable Hours,Total Jam Ditagih
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Jumlah hari di mana pelanggan harus membayar faktur yang dihasilkan oleh langganan ini
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detail Aplikasi Tunjangan Pegawai
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Pembayaran Penerimaan Catatan
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Hal ini didasarkan pada transaksi terhadap pelanggan ini. Lihat timeline di bawah untuk rincian
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Dialokasikan jumlah {1} harus kurang dari atau sama dengan jumlah entri Pembayaran {2}
 DocType: Program Enrollment Tool,New Academic Term,Istilah Akademik Baru
 ,Course wise Assessment Report,Laporan Penilaian yang tepat
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Mengakses ITC State / Pajak UT
 DocType: Tax Rule,Tax Rule,Aturan pajak
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Pertahankan Tarif Sama Sepanjang Siklus Penjualan
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Harap masuk sebagai pengguna lain untuk mendaftar di Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Harap masuk sebagai pengguna lain untuk mendaftar di Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Rencana waktu log luar Jam Kerja Workstation.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Pelanggan di Antrian
 DocType: Driver,Issuing Date,Tanggal penerbitan
@@ -6661,11 +6733,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Kirimkan Pesanan Kerja ini untuk diproses lebih lanjut.
 ,Items To Be Requested,Items Akan Diminta
 DocType: Company,Company Info,Info Perusahaan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Pilih atau menambahkan pelanggan baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Pilih atau menambahkan pelanggan baru
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,pusat biaya diperlukan untuk memesan klaim biaya
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Penerapan Dana (Aset)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Hal ini didasarkan pada kehadiran Karyawan ini
-DocType: Assessment Result,Summary,Ringkasan
 DocType: Payment Request,Payment Request Type,Jenis Permintaan Pembayaran
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Kehadiran
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Akun Debit
@@ -6673,7 +6744,7 @@
 DocType: Additional Salary,Employee Name,Nama Karyawan
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Item Item Pemesanan Restoran
 DocType: Purchase Invoice,Rounded Total (Company Currency),Rounded Jumlah (Perusahaan Mata Uang)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Tidak dapat mengkonversi ke Grup karena Tipe Akun dipilih.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Tidak dapat mengkonversi ke Grup karena Tipe Akun dipilih.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} telah diubah. Silahkan refresh.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Menghentikan pengguna dari membuat Aplikasi Leave pada hari-hari berikutnya.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Jika kadaluwarsa tak terbatas untuk Poin Loyalitas, biarkan Durasi Kedaluwarsa kosong atau 0."
@@ -6694,11 +6765,12 @@
 DocType: Asset,Out of Order,Habis
 DocType: Purchase Receipt Item,Accepted Quantity,Qty Diterima
 DocType: Projects Settings,Ignore Workstation Time Overlap,Abaikan Waktu Workstation Tumpang Tindih
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Silahkan mengatur default Liburan Daftar Karyawan {0} atau Perusahaan {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Silahkan mengatur default Liburan Daftar Karyawan {0} atau Perusahaan {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} tidak ada
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Pilih Batch Numbers
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Ke GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Ke GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Tagihan diajukan ke Pelanggan.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Penunjukan Faktur Secara Otomatis
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Proyek Id
 DocType: Salary Component,Variable Based On Taxable Salary,Variabel Berdasarkan Gaji Kena Pajak
 DocType: Company,Basic Component,Komponen Dasar
@@ -6711,10 +6783,10 @@
 DocType: Stock Entry,Source Warehouse Address,Sumber Alamat Gudang
 DocType: GL Entry,Voucher Type,Voucher Type
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan
 DocType: Student Applicant,Approved,Disetujui
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Harga
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri'
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri'
 DocType: Marketplace Settings,Last Sync On,Sinkron Terakhir Aktif
 DocType: Guardian,Guardian,Wali
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Semua komunikasi termasuk dan di atas ini akan dipindahkan ke Isu baru
@@ -6737,14 +6809,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Daftar penyakit yang terdeteksi di lapangan. Bila dipilih maka secara otomatis akan menambahkan daftar tugas untuk mengatasi penyakit tersebut
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Ini adalah unit layanan perawatan akar dan tidak dapat diedit.
 DocType: Asset Repair,Repair Status,Status perbaikan
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Tambahkan Mitra Penjualan
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Pencatatan Jurnal akuntansi.
 DocType: Travel Request,Travel Request,Permintaan perjalanan
 DocType: Delivery Note Item,Available Qty at From Warehouse,Jumlah yang tersedia di Gudang Dari
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Silakan pilih Rekam Karyawan terlebih dahulu.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Kehadiran tidak dikirim untuk {0} karena ini adalah hari libur.
 DocType: POS Profile,Account for Change Amount,Akun untuk Perubahan Jumlah
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Menghubungkan ke QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Total Keuntungan / Kerugian
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Perusahaan Tidak Sah untuk Faktur Perusahaan Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Perusahaan Tidak Sah untuk Faktur Perusahaan Inter.
 DocType: Purchase Invoice,input service,masukan layanan
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partai / Rekening tidak sesuai dengan {1} / {2} di {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promosi Karyawan
@@ -6753,12 +6827,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kode Kursus:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Masukan Entrikan Beban Akun
 DocType: Account,Stock,Persediaan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Purchase Order, Faktur Pembelian atau Journal Entri"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Purchase Order, Faktur Pembelian atau Journal Entri"
 DocType: Employee,Current Address,Alamat saat ini
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jika item adalah varian dari item lain maka deskripsi, gambar, harga, pajak dll akan ditetapkan dari template kecuali secara eksplisit ditentukan"
 DocType: Serial No,Purchase / Manufacture Details,Detail Pembelian / Produksi
 DocType: Assessment Group,Assessment Group,Grup penilaian
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Batch Persediaan
+DocType: Supplier,GST Transporter ID,ID Transporter GST
 DocType: Procedure Prescription,Procedure Name,Nama Prosedur
 DocType: Employee,Contract End Date,Tanggal Kontrak End
 DocType: Amazon MWS Settings,Seller ID,ID Penjual
@@ -6778,12 +6853,12 @@
 DocType: Company,Date of Incorporation,Tanggal Pendirian
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Pajak
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Harga Pembelian Terakhir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Untuk Quantity (Diproduksi Qty) adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Untuk Quantity (Diproduksi Qty) adalah wajib
 DocType: Stock Entry,Default Target Warehouse,Standar Sasaran Gudang
 DocType: Purchase Invoice,Net Total (Company Currency),Jumlah Bersih (Perusahaan Mata Uang)
 DocType: Delivery Note,Air,Udara
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Akhir Tahun Tanggal tidak dapat lebih awal dari Tahun Tanggal Mulai. Perbaiki tanggal dan coba lagi.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} tidak ada dalam Daftar Holiday Opsional
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} tidak ada dalam Daftar Holiday Opsional
 DocType: Notification Control,Purchase Receipt Message,Pesan Nota Penerimaan
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,scrap Produk
@@ -6805,23 +6880,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Pemenuhan
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Pada Sebelumnya Row Jumlah
 DocType: Item,Has Expiry Date,Memiliki Tanggal Kedaluwarsa
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,pengalihan Aset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,pengalihan Aset
 DocType: POS Profile,POS Profile,POS Profil
 DocType: Training Event,Event Name,Nama acara
 DocType: Healthcare Practitioner,Phone (Office),Telepon (Kantor)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Tidak Dapat Menyerahkan, Karyawan yang tersisa untuk menandai kehadiran"
 DocType: Inpatient Record,Admission,Penerimaan
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Penerimaan untuk {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target dll"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target dll"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nama variabel
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Item {0} adalah template, silahkan pilih salah satu variannya"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Silakan mengatur Sistem Penamaan Karyawan di Sumber Daya Manusia&gt; Pengaturan SDM
+DocType: Purchase Invoice Item,Deferred Expense,Beban Ditangguhkan
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Dari Tanggal {0} tidak boleh sebelum karyawan bergabung Tanggal {1}
 DocType: Asset,Asset Category,Aset Kategori
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Gaji bersih yang belum dapat negatif
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Gaji bersih yang belum dapat negatif
 DocType: Purchase Order,Advance Paid,Pembayaran Dimuka
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproduction Persentase Untuk Order Penjualan
 DocType: Item,Item Tax,Pajak Stok Barang
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Bahan untuk Supplier
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Bahan untuk Supplier
 DocType: Soil Texture,Loamy Sand,Pasir Loamy
 DocType: Production Plan,Material Request Planning,Perencanaan Permintaan Material
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Cukai Faktur
@@ -6843,11 +6920,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Alat penjadwalan
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kartu Kredit
 DocType: BOM,Item to be manufactured or repacked,Item yang akan diproduksi atau dikemas ulang
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Kesalahan sintaks dalam kondisi: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Kesalahan sintaks dalam kondisi: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Mayor / Opsional Subjek
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Harap Setel Grup Pemasok di Setelan Beli.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Harap Setel Grup Pemasok di Setelan Beli.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Jumlah komponen manfaat fleksibel total {0} tidak boleh kurang dari manfaat maksimal {1}
 DocType: Sales Invoice Item,Drop Ship,Pengiriman Drop Ship
 DocType: Driver,Suspended,Tergantung
@@ -6867,7 +6944,7 @@
 DocType: Customer,Commission Rate,Tingkat Komisi
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Berhasil membuat entri pembayaran
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Menciptakan {0} scorecard untuk {1} antara:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Buat Varian
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Buat Varian
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Jenis Pembayaran harus menjadi salah satu Menerima, Pay dan Internal Transfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Area Pilihan untuk Penginapan
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6878,7 +6955,7 @@
 DocType: Work Order,Actual Operating Cost,Biaya Operasi Aktual
 DocType: Payment Entry,Cheque/Reference No,Cek / Referensi Tidak ada
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root tidak dapat diedit.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root tidak dapat diedit.
 DocType: Item,Units of Measure,Satuan ukur
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Disewa di Metro City
 DocType: Supplier,Default Tax Withholding Config,Default Pemotongan Pajak Pajak
@@ -6896,21 +6973,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Setelah selesai pembayaran mengarahkan pengguna ke halaman yang dipilih.
 DocType: Company,Existing Company,Perusahaan yang ada
 DocType: Healthcare Settings,Result Emailed,Hasil Diemailkan
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Kategori Pajak telah diubah menjadi ""Total"" karena semua barang adalah barang non-persediaan"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Kategori Pajak telah diubah menjadi ""Total"" karena semua barang adalah barang non-persediaan"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Hingga saat ini tidak bisa sama atau kurang dari dari tanggal
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Tidak ada yang berubah
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Silakan pilih file csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Silakan pilih file csv
 DocType: Holiday List,Total Holidays,Total Hari Libur
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Template email tidak ada untuk dikirim. Silakan set satu di Pengaturan Pengiriman.
 DocType: Student Leave Application,Mark as Present,Tandai sebagai Hadir
 DocType: Supplier Scorecard,Indicator Color,Indikator Warna
 DocType: Purchase Order,To Receive and Bill,Untuk Diterima dan Ditagih
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Baris # {0}: Reqd by Date tidak boleh sebelum Tanggal Transaksi
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Baris # {0}: Reqd by Date tidak boleh sebelum Tanggal Transaksi
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produk Pilihan
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Pilih Serial No
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Pilih Serial No
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Perancang
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Syarat dan Ketentuan Template
 DocType: Serial No,Delivery Details,Detail Pengiriman
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,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}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,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}
 DocType: Program,Program Code,Kode Program
 DocType: Terms and Conditions,Terms and Conditions Help,Syarat dan Ketentuan Bantuan
 ,Item-wise Purchase Register,Stok Barang-bijaksana Pembelian Register
@@ -6923,15 +7001,16 @@
 DocType: Contract,Contract Terms,Ketentuan Kontrak
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Jangan menunjukkan simbol seperti $ etc sebelah mata uang.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Jumlah manfaat maksimum komponen {0} melebihi {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Setengah Hari)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Setengah Hari)
 DocType: Payment Term,Credit Days,Hari Kredit
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Silakan pilih Pasien untuk mendapatkan Tes Laboratorium
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Membuat Batch Mahasiswa
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Perbolehkan Transfer untuk Manufaktur
 DocType: Leave Type,Is Carry Forward,Apakah Carry Teruskan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Dapatkan item dari BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Dapatkan item dari BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Hari Masa Tenggang
 DocType: Cash Flow Mapping,Is Income Tax Expense,Merupakan Beban Pajak Penghasilan
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Pesanan Anda keluar untuk pengiriman!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Tanggal harus sama dengan tanggal pembelian {1} aset {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Periksa ini jika Siswa berada di Institute&#39;s Hostel.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Cukup masukkan Penjualan Pesanan dalam tabel di atas
@@ -6939,10 +7018,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Mentransfer aset dari satu gudang ke yang lain
 DocType: Vehicle,Petrol,Bensin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Manfaat Tersisa (Tahunan)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill of Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill of Material
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partai Jenis dan Partai diperlukan untuk Piutang / Hutang akun {1}
 DocType: Employee,Leave Policy,Tinggalkan Kebijakan
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Perbarui Item
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Perbarui Item
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Tanggal
 DocType: Employee,Reason for Leaving,Alasan Meninggalkan
 DocType: BOM Operation,Operating Cost(Company Currency),Biaya operasi (Perusahaan Mata Uang)
@@ -6953,7 +7032,7 @@
 DocType: Department,Expense Approvers,Aplaus Beban
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Baris {0}: Debit masuk tidak dapat dihubungkan dengan {1}
 DocType: Journal Entry,Subscription Section,Bagian Langganan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Akun {0} tidak ada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Akun {0} tidak ada
 DocType: Training Event,Training Program,Program pelatihan
 DocType: Account,Cash,Kas
 DocType: Employee,Short biography for website and other publications.,Biografi singkat untuk website dan publikasi lainnya.
diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv
index e70c07e..07f9438 100644
--- a/erpnext/translations/is.csv
+++ b/erpnext/translations/is.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Atriði viðskiptavina
 DocType: Project,Costing and Billing,Kosta og innheimtu
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Forgangsreikningur gjaldmiðill ætti að vera sá sami og gjaldmiðill fyrirtækisins {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Reikningur {0}: Foreldri reikningur {1} getur ekki verið höfuðbók
+DocType: QuickBooks Migrator,Token Endpoint,Tollpunktur endapunktar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Reikningur {0}: Foreldri reikningur {1} getur ekki verið höfuðbók
 DocType: Item,Publish Item to hub.erpnext.com,Birta Item til hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Get ekki fundið virka skiladag
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Get ekki fundið virka skiladag
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,mat
 DocType: Item,Default Unit of Measure,Default Mælieiningin
 DocType: SMS Center,All Sales Partner Contact,Allt Sales Partner samband við
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Smelltu á Enter til að bæta við
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Vantar gildi fyrir lykilorð, API lykil eða Shopify vefslóð"
 DocType: Employee,Rented,leigt
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Allar reikningar
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Allar reikningar
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Ekki er hægt að flytja starfsmann með stöðu Vinstri
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Hætt framleiðslu Order er ekki hægt að hætt, Unstop það fyrst til að fá ensku"
 DocType: Vehicle Service,Mileage,mílufjöldi
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Viltu virkilega að skrappa þessa eign?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Viltu virkilega að skrappa þessa eign?
 DocType: Drug Prescription,Update Schedule,Uppfæra áætlun
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Veldu Default Birgir
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Sýna starfsmaður
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nýtt gengi
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Gjaldmiðill er nauðsynlegt til verðlisti {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Gjaldmiðill er nauðsynlegt til verðlisti {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Verður að reikna í viðskiptunum.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,viðskiptavinur samband við
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Þetta er byggt á viðskiptum móti þessum Birgir. Sjá tímalínu hér fyrir nánari upplýsingar
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Yfirvinnsla hlutfall fyrir vinnu Order
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Legal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Legal
+DocType: Delivery Note,Transport Receipt Date,Flutningsdagsetning
 DocType: Shopify Settings,Sales Order Series,Sölu Order Series
 DocType: Vital Signs,Tongue,Tunga
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA undanþágu
 DocType: Sales Invoice,Customer Name,Nafn viðskiptavinar
 DocType: Vehicle,Natural Gas,Náttúru gas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},bankareikningur getur ekki verið nefnt sem {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},bankareikningur getur ekki verið nefnt sem {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA samkvæmt launasamsetningu
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Höfuð (eða hópar) gegn sem bókhaldsfærslum eru gerðar og jafnvægi er viðhaldið.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Framúrskarandi fyrir {0} má ekki vera minna en núll ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Þjónustuskilyrði Dagsetning má ekki vera fyrir þjónustudagsetning
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Þjónustuskilyrði Dagsetning má ekki vera fyrir þjónustudagsetning
 DocType: Manufacturing Settings,Default 10 mins,Default 10 mínútur
 DocType: Leave Type,Leave Type Name,Skildu Tegund Nafn
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,sýna opinn
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,sýna opinn
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Series Uppfært Tókst
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Athuga
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} í röð {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} í röð {1}
 DocType: Asset Finance Book,Depreciation Start Date,Afskriftir upphafsdagur
 DocType: Pricing Rule,Apply On,gilda um
 DocType: Item Price,Multiple Item prices.,Margar Item verð.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Stuðningur Stillingar
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Væntanlegur Lokadagur má ekki vera minna en búist Start Date
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Stillingar
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Gefa skal vera það sama og {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Gefa skal vera það sama og {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Hópur Item Fyrning Staða
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Draft
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Aðal upplýsingar um tengilið
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Opið Issues
 DocType: Production Plan Item,Production Plan Item,Framleiðsla Plan Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},User {0} er þegar úthlutað til starfsmanns {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},User {0} er þegar úthlutað til starfsmanns {1}
 DocType: Lab Test Groups,Add new line,Bæta við nýjum línu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Heilbrigðisþjónusta
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Töf á greiðslu (dagar)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Frestur daga
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,þjónusta Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Raðnúmer: {0} er nú þegar vísað í sölureikning: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Raðnúmer: {0} er nú þegar vísað í sölureikning: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,reikningur
 DocType: Purchase Invoice Item,Item Weight Details,Vara þyngd upplýsingar
 DocType: Asset Maintenance Log,Periodicity,tíðni
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Reikningsár {0} er krafist
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Birgir&gt; Birgir Group
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Lágmarksfjarlægðin milli raða plantna fyrir bestu vöxt
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Defense
 DocType: Salary Component,Abbr,skammst
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Holiday List
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,endurskoðandi
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Selja verðskrá
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Selja verðskrá
 DocType: Patient,Tobacco Current Use,Núverandi notkun tóbaks
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Sala hlutfall
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Sala hlutfall
 DocType: Cost Center,Stock User,Stock User
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Tengiliður Upplýsingar
 DocType: Company,Phone No,Sími nei
 DocType: Delivery Trip,Initial Email Notification Sent,Upphafleg póstskilaboð send
 DocType: Bank Statement Settings,Statement Header Mapping,Yfirlit Header Kortlagning
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Upphafsdagsetning
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Sjálfgefnar reikningar sem notaðar eru til notkunar ef ekki er sett í sjúkling til að bóka ráðningargjöld.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Hengja .csv skrá með tveimur dálka, einn fyrir gamla nafn og einn fyrir nýju nafni"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Frá Heimilisfang 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Vörunúmer&gt; Liðurhópur&gt; Vörumerki
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Frá Heimilisfang 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ekki í hvaða virka Fiscal Year.
 DocType: Packed Item,Parent Detail docname,Parent Detail DOCNAME
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Tilvísun: {0}, Liður: {1} og Viðskiptavinur: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} er ekki til staðar í móðurfélaginu
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} er ekki til staðar í móðurfélaginu
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Prófunartímabil Lokadagur getur ekki verið fyrir upphafsdag Prófunartímabils
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,Skatthlutfall Flokkur
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Auglýsingar
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Sama fyrirtæki er slegið oftar en einu sinni
 DocType: Patient,Married,giftur
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ekki leyft {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ekki leyft {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Fá atriði úr
 DocType: Price List,Price Not UOM Dependant,Verð ekki UOM háð
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Sækja um skattframtal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock Ekki er hægt að uppfæra móti afhendingarseðlinum {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Heildarfjárhæð innheimt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock Ekki er hægt að uppfæra móti afhendingarseðlinum {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Heildarfjárhæð innheimt
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Vara {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Engin atriði skráð
 DocType: Asset Repair,Error Description,Villa lýsing
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Notaðu Custom Cash Flow Format
 DocType: SMS Center,All Sales Person,Allt Sales Person
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Mánaðarleg dreifing ** hjálpar þér að dreifa fjárhagsáætlunar / Target yfir mánuði ef þú ert árstíðasveiflu í fyrirtæki þínu.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ekki atriði fundust
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Laun Uppbygging vantar
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ekki atriði fundust
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Laun Uppbygging vantar
 DocType: Lead,Person Name,Sá Name
 DocType: Sales Invoice Item,Sales Invoice Item,Velta Invoice Item
 DocType: Account,Credit,Credit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,lager Skýrslur
 DocType: Warehouse,Warehouse Detail,Warehouse Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Hugtakið Lokadagur getur ekki verið síðar en árslok Dagsetning skólaárið sem hugtakið er tengt (skólaárið {}). Vinsamlega leiðréttu dagsetningar og reyndu aftur.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Er Fast Asset&quot; getur ekki verið valið, eins Asset met hendi á móti hlut"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Er Fast Asset&quot; getur ekki verið valið, eins Asset met hendi á móti hlut"
 DocType: Delivery Trip,Departure Time,Brottfaratími
 DocType: Vehicle Service,Brake Oil,Brake Oil
 DocType: Tax Rule,Tax Type,Tax Type
 ,Completed Work Orders,Lokið vinnutilboð
 DocType: Support Settings,Forum Posts,Forum Posts
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Skattskyld fjárhæð
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Skattskyld fjárhæð
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Þú hefur ekki heimild til að bæta við eða endurnýja færslum áður {0}
 DocType: Leave Policy,Leave Policy Details,Skildu eftir upplýsingum um stefnu
 DocType: BOM,Item Image (if not slideshow),Liður Image (ef ekki myndasýning)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hour Rate / 60) * Raunveruleg Rekstur Time
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Tilvísun Document Type verður að vera einn af kostnaðarkröfu eða dagbókarfærslu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Veldu BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Tilvísun Document Type verður að vera einn af kostnaðarkröfu eða dagbókarfærslu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Veldu BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnaður við afhent Items
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,The frídagur á {0} er ekki á milli Frá Dagsetning og hingað
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Sniðmát af birgðastöðu.
 DocType: Lead,Interested,áhuga
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,opnun
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Frá {0} til {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Frá {0} til {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Forrit:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Mistókst að setja upp skatta
 DocType: Item,Copy From Item Group,Afrita Frá Item Group
-DocType: Delivery Trip,Delivery Notification,Afhending Tilkynning
 DocType: Journal Entry,Opening Entry,opnun Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Reikningur Pay Aðeins
 DocType: Loan,Repay Over Number of Periods,Endurgreiða yfir fjölda tímum
 DocType: Stock Entry,Additional Costs,viðbótarkostnað
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Reikningur með núverandi viðskipti er ekki hægt að breyta í hópinn.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Reikningur með núverandi viðskipti er ekki hægt að breyta í hópinn.
 DocType: Lead,Product Enquiry,vara Fyrirspurnir
 DocType: Education Settings,Validate Batch for Students in Student Group,Staðfestu hópur fyrir nemendur í nemendahópi
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Ekkert leyfi fannst fyrir starfsmann {0} fyrir {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vinsamlegast sláðu fyrirtæki fyrst
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Vinsamlegast veldu Company fyrst
 DocType: Employee Education,Under Graduate,undir Graduate
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Vinsamlegast stilltu sjálfgefið sniðmát fyrir skilatilkynningar um leyfi í HR-stillingum.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Vinsamlegast stilltu sjálfgefið sniðmát fyrir skilatilkynningar um leyfi í HR-stillingum.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On
 DocType: BOM,Total Cost,Heildar kostnaður
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Reikningsyfirlit
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Pharmaceuticals
 DocType: Purchase Invoice Item,Is Fixed Asset,Er fast eign
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Laus Magn er {0}, þú þarft {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Laus Magn er {0}, þú þarft {1}"
 DocType: Expense Claim Detail,Claim Amount,bótafjárhæðir
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Vinna pöntun hefur verið {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Gæðaskoðunar sniðmát
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Viltu uppfæra mætingu? <br> Present: {0} \ <br> Fjarverandi: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Samþykkt + Hafnað Magn verður að vera jöfn Móttekin magn fyrir lið {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Samþykkt + Hafnað Magn verður að vera jöfn Móttekin magn fyrir lið {0}
 DocType: Item,Supply Raw Materials for Purchase,Framboð Raw Materials til kaups
 DocType: Agriculture Analysis Criteria,Fertilizer,Áburður
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Ekki er hægt að tryggja afhendingu með raðnúmeri þar sem \ Item {0} er bætt með og án þess að tryggja afhendingu með \ raðnúmeri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Að minnsta kosti einn háttur af greiðslu er krafist fyrir POS reikningi.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Að minnsta kosti einn háttur af greiðslu er krafist fyrir POS reikningi.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bank Yfirlit Viðskiptareikning Atriði
 DocType: Products Settings,Show Products as a List,Sýna vörur sem lista
 DocType: Salary Detail,Tax on flexible benefit,Skattur á sveigjanlegum ávinningi
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Magn
 DocType: Production Plan,Material Request Detail,Efnisbeiðni Detail
 DocType: Selling Settings,Default Quotation Validity Days,Sjálfgefið útboðsdagur
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Til eru skatt í röð {0} í lið gengi, skatta í raðir {1} skal einnig"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Til eru skatt í röð {0} í lið gengi, skatta í raðir {1} skal einnig"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Staðfesta staðfestingu
 DocType: Sales Invoice,Change Amount,Breyta Upphæð
 DocType: Party Tax Withholding Config,Certificate Received,Vottorð móttekið
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Stilltu reikningsgildi fyrir B2C. B2CL og B2CS reiknuð út frá þessum reikningsvirði.
 DocType: BOM Update Tool,New BOM,ný BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Fyrirframgreindar aðferðir
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Fyrirframgreindar aðferðir
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Sýna aðeins POS
 DocType: Supplier Group,Supplier Group Name,Nafn seljanda
 DocType: Driver,Driving License Categories,Ökuskírteini Flokkar
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Launatímabil
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,gera starfsmanni
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Broadcasting
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Uppsetningarhamur POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Uppsetningarhamur POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Slökkva á stofnun tímaskrár gegn vinnuskilaboðum. Rekstur skal ekki rekja til vinnuskilaboða
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,framkvæmd
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Upplýsingar um starfsemi fram.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Afsláttur á verðlista Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Liður sniðmát
 DocType: Job Offer,Select Terms and Conditions,Valið Skilmálar og skilyrði
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,út Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,út Value
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Staða bankareiknings
 DocType: Woocommerce Settings,Woocommerce Settings,Váskiptastillingar
 DocType: Production Plan,Sales Orders,velta Pantanir
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Beiðni um tilvitnun er hægt að nálgast með því að smella á eftirfarandi tengil
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Greiðsla Lýsing
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,ófullnægjandi Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,ófullnægjandi Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Slökkva Stærð Skipulags- og Time mælingar
 DocType: Email Digest,New Sales Orders,Ný Velta Pantanir
 DocType: Bank Account,Bank Account,Bankareikning
 DocType: Travel Itinerary,Check-out Date,Útskráningardagur
 DocType: Leave Type,Allow Negative Balance,Leyfa neikvæða stöðu
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Þú getur ekki eytt verkefnisgerðinni &#39;ytri&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Veldu Varahlutir
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Veldu Varahlutir
 DocType: Employee,Create User,Búa til notanda
 DocType: Selling Settings,Default Territory,Sjálfgefið Territory
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Sjónvarp
 DocType: Work Order Operation,Updated via 'Time Log',Uppfært með &#39;Time Innskráning &quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Veldu viðskiptavininn eða birgirinn.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Fyrirfram upphæð getur ekki verið meiri en {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Fyrirfram upphæð getur ekki verið meiri en {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tímaspjald sleppt, raufinn {0} til {1} skarast á raufinn {2} í {3}"
 DocType: Naming Series,Series List for this Transaction,Series List fyrir þessa færslu
 DocType: Company,Enable Perpetual Inventory,Virkja ævarandi birgða
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Gegn sölureikningi Item
 DocType: Agriculture Analysis Criteria,Linked Doctype,Tengd Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Handbært fé frá fjármögnun
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage er fullt, ekki spara"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage er fullt, ekki spara"
 DocType: Lead,Address & Contact,Heimilisfang &amp; Hafa samband
 DocType: Leave Allocation,Add unused leaves from previous allocations,Bæta ónotuðum blöð frá fyrri úthlutanir
 DocType: Sales Partner,Partner website,Vefsíða Partner
@@ -446,10 +446,10 @@
 ,Open Work Orders,Opna vinnu pantanir
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Ráðgjöf Charge Item
 DocType: Payment Term,Credit Months,Lánshæfismat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Net Borga má ekki vera minna en 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Net Borga má ekki vera minna en 0
 DocType: Contract,Fulfilled,Uppfyllt
 DocType: Inpatient Record,Discharge Scheduled,Losun áætlað
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Létta Dagsetning verður að vera hærri en Dagsetning Tengja
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Létta Dagsetning verður að vera hærri en Dagsetning Tengja
 DocType: POS Closing Voucher,Cashier,Gjaldkeri
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Leaves á ári
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Vinsamlegast athugaðu &#39;Er Advance&#39; gegn reikninginn {1} ef þetta er fyrirfram færslu.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Vinsamlegast settu upp nemendur undir nemendahópum
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Heill starf
 DocType: Item Website Specification,Item Website Specification,Liður Website Specification
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Skildu Bannaður
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Liður {0} hefur náð enda sitt líf á {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Skildu Bannaður
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Liður {0} hefur náð enda sitt líf á {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank Entries
 DocType: Customer,Is Internal Customer,Er innri viðskiptavinur
 DocType: Crop,Annual,Árleg
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",Ef sjálfvirkur valkostur er valinn verður viðskiptavinurinn sjálfkrafa tengdur við viðkomandi hollustuáætlun (við vistun)
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Sættir Item
 DocType: Stock Entry,Sales Invoice No,Reiknings No.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Framboð Tegund
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Framboð Tegund
 DocType: Material Request Item,Min Order Qty,Min Order Magn
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
 DocType: Lead,Do Not Contact,Ekki samband
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Birta á Hub
 DocType: Student Admission,Student Admission,Student Aðgangseyrir
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Liður {0} er hætt
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Liður {0} er hætt
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Afskriftir Róður {0}: Afskriftir Upphafsdagur er sleginn inn sem fyrri dagsetning
 DocType: Contract Template,Fulfilment Terms and Conditions,Uppfyllingarskilmálar og skilyrði
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,efni Beiðni
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,efni Beiðni
 DocType: Bank Reconciliation,Update Clearance Date,Uppfæra Úthreinsun Dagsetning
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,kaup Upplýsingar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Liður {0} fannst ekki í &#39;hráefnum Meðfylgjandi&#39; borð í Purchase Order {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Liður {0} fannst ekki í &#39;hráefnum Meðfylgjandi&#39; borð í Purchase Order {1}
 DocType: Salary Slip,Total Principal Amount,Samtals höfuðstóll
 DocType: Student Guardian,Relation,relation
 DocType: Student Guardian,Mother,móðir
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Sendingar County
 DocType: Currency Exchange,For Selling,Til sölu
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Frekari
+DocType: Purchase Invoice Item,Enable Deferred Expense,Virkja frestaðan kostnað
 DocType: Asset,Next Depreciation Date,Næsta Afskriftir Dagsetning
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Virkni Kostnaður á hvern starfsmann
 DocType: Accounts Settings,Settings for Accounts,Stillingar fyrir reikninga
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Birgir Invoice Nei er í kaupa Reikningar {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Birgir Invoice Nei er í kaupa Reikningar {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Stjórna velta manneskja Tree.
 DocType: Job Applicant,Cover Letter,Kynningarbréf
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Framúrskarandi Tékkar og Innlán til að hreinsa
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Ytri Vinna Saga
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Hringlaga Tilvísun Villa
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Námsmatsskýrsla
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Frá PIN kóða
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Frá PIN kóða
 DocType: Appointment Type,Is Inpatient,Er sjúklingur
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Name
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Í orðum (Export) verður sýnileg þegar þú hefur vistað Afhending Ath.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,multi Gjaldmiðill
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Reikningar Type
 DocType: Employee Benefit Claim,Expense Proof,Kostnaðarsönnun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Afhendingarseðilinn
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Vistar {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Afhendingarseðilinn
 DocType: Patient Encounter,Encounter Impression,Fundur birtingar
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Setja upp Skattar
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Kostnaðarverð seldrar Eignastýring
 DocType: Volunteer,Morning,Morgunn
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Greiðsla Entry hefur verið breytt eftir að þú draga það. Vinsamlegast rífa það aftur.
 DocType: Program Enrollment Tool,New Student Batch,Námsmaður Námsmaður
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} slá inn tvisvar í lið Tax
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Samantekt fyrir þessa viku og bið starfsemi
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} slá inn tvisvar í lið Tax
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Samantekt fyrir þessa viku og bið starfsemi
 DocType: Student Applicant,Admitted,viðurkenndi
 DocType: Workstation,Rent Cost,Rent Kostnaður
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Upphæð Eftir Afskriftir
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Upphæð Eftir Afskriftir
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Næstu Dagbókaratriði
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant Eiginleikar
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Vinsamlegast veldu mánuði og ár
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Það getur aðeins verið 1 Account á félaginu í {0} {1}
 DocType: Support Search Source,Response Result Key Path,Svörunarleiðir lykillinn
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Fyrir magn {0} ætti ekki að vera grater en vinnumagn magn {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Vinsamlega sjá viðhengi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Fyrir magn {0} ætti ekki að vera grater en vinnumagn magn {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Vinsamlega sjá viðhengi
 DocType: Purchase Order,% Received,% móttekin
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Búa Student Hópar
 DocType: Volunteer,Weekends,Helgar
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Samtals framúrskarandi
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Breyta upphafsdegi / núverandi raðnúmer núverandi röð.
 DocType: Dosage Strength,Strength,Styrkur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Búa til nýja viðskiptavini
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Búa til nýja viðskiptavini
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Rennur út á
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ef margir Verðlagning Reglur halda áfram að sigra, eru notendur beðnir um að setja Forgangur höndunum til að leysa deiluna."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Búa innkaupapantana
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,einnota Kostnaður
 DocType: Purchase Receipt,Vehicle Date,ökutæki Dagsetning
 DocType: Student Log,Medical,Medical
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Ástæðan fyrir að tapa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Vinsamlegast veldu Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Ástæðan fyrir að tapa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Vinsamlegast veldu Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Lead Eigandi getur ekki verið sama og Lead
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Úthlutað magn getur ekki hærri en óleiðréttum upphæð
 DocType: Announcement,Receiver,Receiver
 DocType: Location,Area UOM,Svæði UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Vinnustöð er lokað á eftirfarandi dögum eins og á Holiday List: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,tækifæri
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,tækifæri
 DocType: Lab Test Template,Single,Single
 DocType: Compensatory Leave Request,Work From Date,Vinna frá degi
 DocType: Salary Slip,Total Loan Repayment,Alls Loan Endurgreiðsla
+DocType: Project User,View attachments,Skoða viðhengi
 DocType: Account,Cost of Goods Sold,Kostnaður af seldum vörum
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Vinsamlegast sláðu Kostnaður Center
 DocType: Drug Prescription,Dosage,Skammtar
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Magn og Rate
 DocType: Delivery Note,% Installed,% Uppsett
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Kennslustofur / Laboratories etc þar fyrirlestra geta vera tímaáætlun.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Fyrirtækjafjármunir bæði fyrirtækjanna ættu að passa við viðskipti milli fyrirtækja.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Fyrirtækjafjármunir bæði fyrirtækjanna ættu að passa við viðskipti milli fyrirtækja.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Vinsamlegast sláðu inn nafn fyrirtækis fyrst
 DocType: Travel Itinerary,Non-Vegetarian,Non-Vegetarian
 DocType: Purchase Invoice,Supplier Name,Nafn birgja
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Tímabundið í bið
 DocType: Account,Is Group,er hópur
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Lánshæfiseinkunn {0} hefur verið búið til sjálfkrafa
-DocType: Email Digest,Pending Purchase Orders,Bíður Purchase Pantanir
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Sjálfkrafa Setja Serial Nos miðað FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Athuga Birgir Reikningur númer Sérstöðu
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Aðalupplýsingaupplýsingar
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Sérsníða inngangs texta sem fer eins og a hluti af þeim tölvupósti. Hver viðskipti er sérstakt inngangs texta.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Row {0}: Aðgerð er krafist gegn hráefnishlutanum {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Vinsamlegast settu sjálfgefinn greiðslureikning fyrir fyrirtækið {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Viðskipti ekki leyfð gegn hætt Work Order {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Viðskipti ekki leyfð gegn hætt Work Order {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global stillingar fyrir alla framleiðsluaðferðum.
 DocType: Accounts Settings,Accounts Frozen Upto,Reikninga Frozen uppí
 DocType: SMS Log,Sent On,sendi á
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Eiginleiki {0} valin mörgum sinnum í eigindum töflu
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Eiginleiki {0} valin mörgum sinnum í eigindum töflu
 DocType: HR Settings,Employee record is created using selected field. ,Starfsmaður færsla er búin til með völdu sviði.
 DocType: Sales Order,Not Applicable,Á ekki við
 DocType: Amazon MWS Settings,UK,Bretland
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Starfsmaður {0} hefur þegar sótt um {1} á {2}:
 DocType: Inpatient Record,AB Positive,AB Jákvæð
 DocType: Job Opening,Description of a Job Opening,Lýsing á starf opnun
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Bið starfsemi fyrir dag
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Bið starfsemi fyrir dag
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Laun Component fyrir timesheet byggt launaskrá.
+DocType: Driver,Applicable for external driver,Gildir fyrir utanaðkomandi ökumann
 DocType: Sales Order Item,Used for Production Plan,Notað fyrir framleiðslu áætlun
 DocType: Loan,Total Payment,Samtals greiðsla
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Ekki er hægt að hætta við viðskipti fyrir lokaðan vinnuskilríki.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Ekki er hægt að hætta við viðskipti fyrir lokaðan vinnuskilríki.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Tími milli rekstrar (í mín)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,Póstur er þegar búinn til fyrir allar vörur til sölu
 DocType: Healthcare Service Unit,Occupied,Upptekinn
 DocType: Clinical Procedure,Consumables,Rekstrarvörur
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} er lokað þannig að aðgerðin er ekki hægt að ljúka
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} er lokað þannig að aðgerðin er ekki hægt að ljúka
 DocType: Customer,Buyer of Goods and Services.,Kaupandi vöru og þjónustu.
 DocType: Journal Entry,Accounts Payable,Viðskiptaskuldir
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Upphæðin {0} í þessari greiðslubeiðni er frábrugðin reiknuðu upphæð allra greiðsluáætlana: {1}. Gakktu úr skugga um að þetta sé rétt áður en skjalið er sent.
 DocType: Patient,Allergies,Ofnæmi
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Völdu BOMs eru ekki fyrir sama hlut
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Völdu BOMs eru ekki fyrir sama hlut
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Breyta vöruheiti
 DocType: Supplier Scorecard Standing,Notify Other,Tilkynna Annað
 DocType: Vital Signs,Blood Pressure (systolic),Blóðþrýstingur (slagbilsþrýstingur)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Nóg Varahlutir til að byggja
 DocType: POS Profile User,POS Profile User,POS prófíl notandi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Row {0}: Afskriftir upphafsdagur er krafist
-DocType: Sales Invoice Item,Service Start Date,Upphafsdagur þjónustunnar
+DocType: Purchase Invoice Item,Service Start Date,Upphafsdagur þjónustunnar
 DocType: Subscription Invoice,Subscription Invoice,Áskriftargjald
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,bein Tekjur
 DocType: Patient Appointment,Date TIme,Dagsetning Tími
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,snyrtivörur
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Vinsamlegast veldu Lokadagsetning fyrir lokaðan rekstrarskrá
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Að sameinast, eftirfarandi eiginleika verða að vera það sama fyrir bæði atriði"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Að sameinast, eftirfarandi eiginleika verða að vera það sama fyrir bæði atriði"
 DocType: Supplier,Block Supplier,Block Birgir
 DocType: Shipping Rule,Net Weight,Net Weight
 DocType: Job Opening,Planned number of Positions,Planned Fjöldi Staða
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Sniðmát fyrir sjóðstreymi
 DocType: Travel Request,Costing Details,Kostnaðarupplýsingar
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Sýna afturfærslur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial engin lið getur ekki verið brot
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial engin lið getur ekki verið brot
 DocType: Journal Entry,Difference (Dr - Cr),Munur (Dr - Cr)
 DocType: Bank Guarantee,Providing,Veita
 DocType: Account,Profit and Loss,Hagnaður og tap
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Ekki heimilt, stilla Lab Test Template eftir þörfum"
 DocType: Patient,Risk Factors,Áhættuþættir
 DocType: Patient,Occupational Hazards and Environmental Factors,Starfsáhættu og umhverfisþættir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Verðbréfaskráningar sem þegar eru búnar til fyrir vinnuskilaboð
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Verðbréfaskráningar sem þegar eru búnar til fyrir vinnuskilaboð
 DocType: Vital Signs,Respiratory rate,Öndunarhraði
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Annast undirverktöku
 DocType: Vital Signs,Body Temperature,Líkamshiti
 DocType: Project,Project will be accessible on the website to these users,Verkefnið verður aðgengilegur á vef þessara notenda
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Ekki er hægt að hætta við {0} {1} vegna þess að raðnúmer {2} er ekki til vörunnar {3}
 DocType: Detected Disease,Disease,Sjúkdómur
+DocType: Company,Default Deferred Expense Account,Sjálfgefið frestað kostnaðarreikningur
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Skilgreindu tegund verkefnisins.
 DocType: Supplier Scorecard,Weighting Function,Vigtunarhlutverk
 DocType: Healthcare Practitioner,OP Consulting Charge,OP ráðgjöf gjald
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Framleiddir hlutir
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Samsvörun við reikninga
 DocType: Sales Order Item,Gross Profit,Framlegð
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Aflokkaðu innheimtu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Aflokkaðu innheimtu
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Vöxtur getur ekki verið 0
 DocType: Company,Delete Company Transactions,Eyða Transactions Fyrirtækið
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Tilvísun Nei og Frestdagur er nauðsynlegur fyrir banka viðskiptin
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Hunsa
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} er ekki virkur
 DocType: Woocommerce Settings,Freight and Forwarding Account,Fragt og áframsending reiknings
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Skipulag athuga mál fyrir prentun
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Skipulag athuga mál fyrir prentun
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Búðu til launaákvarðanir
 DocType: Vital Signs,Bloated,Uppblásinn
 DocType: Salary Slip,Salary Slip Timesheet,Laun Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Birgir Warehouse nauðsynlegur fyrir undirverktaka Kvittun
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Birgir Warehouse nauðsynlegur fyrir undirverktaka Kvittun
 DocType: Item Price,Valid From,Gildir frá
 DocType: Sales Invoice,Total Commission,alls Commission
 DocType: Tax Withholding Account,Tax Withholding Account,Skattgreiðslureikningur
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Allir birgir skorar.
 DocType: Buying Settings,Purchase Receipt Required,Kvittun Áskilið
 DocType: Delivery Note,Rail,Járnbraut
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Markmið vörugeymsla í röð {0} verður að vera eins og vinnuskilningur
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Verðmat Rate er nauðsynlegur ef Opnun Stock inn
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Markmið vörugeymsla í röð {0} verður að vera eins og vinnuskilningur
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Verðmat Rate er nauðsynlegur ef Opnun Stock inn
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Engar færslur finnast í Invoice töflunni
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Vinsamlegast veldu Company og Party Gerð fyrst
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Setja sjálfgefið sjálfgefið í pósti prófíl {0} fyrir notanda {1}, vinsamlega slökkt á sjálfgefið"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Financial / bókhald ári.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Financial / bókhald ári.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Uppsafnaður Gildi
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Því miður, Serial Nos ekki hægt sameinuð"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Viðskiptavinahópur mun setja á valda hóp meðan viðskiptavinir frá Shopify eru samstilltar
@@ -895,7 +900,7 @@
 ,Lead Id,Lead Id
 DocType: C-Form Invoice Detail,Grand Total,Grand Total
 DocType: Assessment Plan,Course,námskeið
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kóðinn
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kóðinn
 DocType: Timesheet,Payslip,launaseðli
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Hálft dags dagsetning ætti að vera á milli frá dagsetningu og til dagsetning
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Atriði körfu
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Starfsfólk Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Aðildarupplýsingar
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Afhent: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Afhent: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Tengdur við QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,greiðist Reikningur
 DocType: Payment Entry,Type of Payment,Tegund greiðslu
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Half Day Dagsetning er nauðsynlegur
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Færsla reikningsdagur
 DocType: Production Plan,Production Plan,Framleiðsluáætlun
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Opna reikningsskilatól
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,velta Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,velta Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Ath: Samtals úthlutað leyfi {0} ætti ekki að vera minna en þegar hafa verið samþykktar leyfi {1} fyrir tímabilið
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Setja magn í viðskiptum sem byggjast á raðnúmeri inntak
 ,Total Stock Summary,Samtals yfirlit yfir lager
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Viðskiptavinur eða Item
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Viðskiptavinur gagnasafn.
 DocType: Quotation,Quotation To,Tilvitnun Til
-DocType: Lead,Middle Income,Middle Tekjur
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Middle Tekjur
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Opening (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Mælieiningin fyrir lið {0} Ekki er hægt að breyta beint vegna þess að þú hefur nú þegar gert nokkrar viðskiptin (s) með öðru UOM. Þú þarft að búa til nýjan hlut til að nota aðra Sjálfgefin UOM.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Mælieiningin fyrir lið {0} Ekki er hægt að breyta beint vegna þess að þú hefur nú þegar gert nokkrar viðskiptin (s) með öðru UOM. Þú þarft að búa til nýjan hlut til að nota aðra Sjálfgefin UOM.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Úthlutað magn getur ekki verið neikvæð
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Vinsamlegast settu fyrirtækið
 DocType: Share Balance,Share Balance,Hlutabréfaviðskipti
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Veldu Greiðslureikningur að gera Bank Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Sjálfgefin innheimtuseðill
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Búa Employee skrár til að stjórna lauf, kostnað kröfur og launaskrá"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Villa kom upp við uppfærsluferlið
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Villa kom upp við uppfærsluferlið
 DocType: Restaurant Reservation,Restaurant Reservation,Veitingahús pöntun
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Tillaga Ritun
 DocType: Payment Entry Deduction,Payment Entry Deduction,Greiðsla Entry Frádráttur
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Klára
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Tilkynna viðskiptavinum með tölvupósti
 DocType: Item,Batch Number Series,Batch Number Series
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Annar velta manneskja {0} staðar með sama Starfsmannafélag id
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Annar velta manneskja {0} staðar með sama Starfsmannafélag id
 DocType: Employee Advance,Claimed Amount,Krafist upphæð
+DocType: QuickBooks Migrator,Authorization Settings,Leyfisstillingar
 DocType: Travel Itinerary,Departure Datetime,Brottfaratímabil
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Ferðaskilyrði Kostnaður
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Birgir Nafngift By
 DocType: Activity Type,Default Costing Rate,Sjálfgefið Kosta Rate
 DocType: Maintenance Schedule,Maintenance Schedule,viðhald Dagskrá
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Þá Verðlagning Reglur eru síuð út byggðar á viðskiptavininn, viðskiptavini Group, Territory, Birgir, Birgir Tegund, Campaign, Sales Partner o.fl."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Þá Verðlagning Reglur eru síuð út byggðar á viðskiptavininn, viðskiptavini Group, Territory, Birgir, Birgir Tegund, Campaign, Sales Partner o.fl."
 DocType: Employee Promotion,Employee Promotion Details,Upplýsingar um starfsmannamál
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Net Breyting á Skrá
 DocType: Employee,Passport Number,Vegabréfs númer
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Tengsl Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,framkvæmdastjóri
 DocType: Payment Entry,Payment From / To,Greiðsla Frá / Til
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Frá reikningsárinu
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ný hámarksupphæð er minna en núverandi útistandandi upphæð fyrir viðskiptavininn. Hámarksupphæð þarf að vera atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Vinsamlegast settu inn reikning í vörugeymslu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Vinsamlegast settu inn reikning í vörugeymslu {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Byggt á' og 'hópað eftir' getur ekki verið það sama"
 DocType: Sales Person,Sales Person Targets,Velta Person markmið
 DocType: Work Order Operation,In minutes,í mínútum
 DocType: Issue,Resolution Date,upplausn Dagsetning
 DocType: Lab Test Template,Compound,Efnasamband
+DocType: Opportunity,Probability (%),Líkur (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Sendingarnúmer
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Veldu eign
 DocType: Student Batch Name,Batch Name,hópur Name
 DocType: Fee Validity,Max number of visit,Hámarksfjöldi heimsókna
 ,Hotel Room Occupancy,Hótel herbergi umráð
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet búið:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Vinsamlegast settu sjálfgefinn Cash eða bankareikning í háttur á greiðslu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Vinsamlegast settu sjálfgefinn Cash eða bankareikning í háttur á greiðslu {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,innritast
 DocType: GST Settings,GST Settings,GST Stillingar
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Gjaldmiðill ætti að vera eins og verðskrá Gjaldmiðill: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Samtals vaxtagjöld
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landað Kostnaður Skattar og gjöld
 DocType: Work Order Operation,Actual Start Time,Raunveruleg Start Time
+DocType: Purchase Invoice Item,Deferred Expense Account,Frestað kostnaðarreikning
 DocType: BOM Operation,Operation Time,Operation Time
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Ljúka
 DocType: Salary Structure Assignment,Base,Base
 DocType: Timesheet,Total Billed Hours,Samtals Greidd Hours
 DocType: Travel Itinerary,Travel To,Ferðast til
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,er ekki
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Skrifaðu Off Upphæð
 DocType: Leave Block List Allow,Allow User,að leyfa notanda
 DocType: Journal Entry,Bill No,Bill Nei
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Tímatafla
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Raw Materials miðað við
 DocType: Sales Invoice,Port Code,Höfnarkóði
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reserve Vörugeymsla
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reserve Vörugeymsla
 DocType: Lead,Lead is an Organization,Lead er stofnun
-DocType: Guardian Interest,Interest,vextir
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Forsala
 DocType: Instructor Log,Other Details,aðrar upplýsingar
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Reikningar
 DocType: Vehicle,Odometer Value (Last),Kílómetramæli Value (Last)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Sniðmát af forsendukortum.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,markaðssetning
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,markaðssetning
 DocType: Sales Invoice,Redeem Loyalty Points,Losaðu hollusta stig
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Greiðsla Entry er þegar búið
 DocType: Request for Quotation,Get Suppliers,Fáðu birgja
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Skera breiða UOM
 DocType: Loyalty Program,Single Tier Program,Single Tier Programme
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Veldu aðeins ef þú hefur sett upp Cash Flow Mapper skjöl
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Frá Heimilisfang 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Frá Heimilisfang 1
 DocType: Email Digest,Next email will be sent on:,Næst verður send í tölvupósti á:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Eftirfarandi atriði {atriði} {sögn} merkt sem {skilaboð} atriði. \ Þú getur virkjað þau sem {skilaboð} atriði úr hlutastjóranum
 DocType: Supplier Scorecard,Per Week,Á viku
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Liður hefur afbrigði.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Liður hefur afbrigði.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Samtals nemandi
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Liður {0} fannst ekki
 DocType: Bin,Stock Value,Stock Value
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Fyrirtæki {0} er ekki til
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Fyrirtæki {0} er ekki til
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} hefur gjaldgildi til {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Tegund
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Magn neytt á Unit
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Credit Card Entry
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Fyrirtæki og reikningar
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Virði
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Virði
 DocType: Asset Settings,Depreciation Options,Afskriftir Valkostir
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Annaðhvort þarf að vera staðsetning eða starfsmaður
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Ógildur póstur
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Úthlutun
 DocType: Purchase Order,Supply Raw Materials,Supply Raw Materials
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Veltufjármunir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} er ekki birgðir Item
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} er ekki birgðir Item
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vinsamlegast deildu viðbrögðunum þínum við þjálfunina með því að smella á &#39;Þjálfunarniðurstaða&#39; og síðan &#39;Nýtt&#39;
 DocType: Mode of Payment Account,Default Account,Sjálfgefið Reikningur
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Vinsamlegast veldu sýnishorn varðveisla vörugeymsla í lagerstillingum fyrst
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Vinsamlegast veldu sýnishorn varðveisla vörugeymsla í lagerstillingum fyrst
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Vinsamlegast veldu margfeldi tier program tegund fyrir fleiri en eina safn reglur.
 DocType: Payment Entry,Received Amount (Company Currency),Fékk Magn (Company Gjaldmiðill)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Lead verður að setja ef Tækifæri er gert úr Lead
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Greiðsla hætt. Vinsamlegast athugaðu GoCardless reikninginn þinn til að fá frekari upplýsingar
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Senda með viðhengi
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Vinsamlegast veldu viku burt daginn
 DocType: Inpatient Record,O Negative,O neikvæð
 DocType: Work Order Operation,Planned End Time,Planned Lokatími
 ,Sales Person Target Variance Item Group-Wise,Velta Person Target Dreifni Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Reikningur með núverandi viðskipti er ekki hægt að breyta í höfuðbók
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Reikningur með núverandi viðskipti er ekki hægt að breyta í höfuðbók
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Upplýsingar um upplifunartegund
 DocType: Delivery Note,Customer's Purchase Order No,Purchase Order No viðskiptavinar
 DocType: Clinical Procedure,Consume Stock,Neyta lager
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Sandur
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Orka
 DocType: Opportunity,Opportunity From,tækifæri Frá
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Raðnúmer er nauðsynlegt fyrir lið {2}. Þú hefur veitt {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Raðnúmer er nauðsynlegt fyrir lið {2}. Þú hefur veitt {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Vinsamlegast veldu töflu
 DocType: BOM,Website Specifications,Vefsíða Upplýsingar
 DocType: Special Test Items,Particulars,Upplýsingar
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Frá {0} tegund {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: viðskipta Factor er nauðsynlegur
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: viðskipta Factor er nauðsynlegur
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Margar verð Reglur hendi með sömu forsendum, vinsamlegast leysa deiluna með því að úthluta forgang. Verð Reglur: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Margar verð Reglur hendi með sömu forsendum, vinsamlegast leysa deiluna með því að úthluta forgang. Verð Reglur: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Gengisvísitala endurskoðunar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ekki er hægt að slökkva eða hætta BOM eins og það er tengt við önnur BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ekki er hægt að slökkva eða hætta BOM eins og það er tengt við önnur BOMs
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Vinsamlegast veldu félags og póstsetningu til að fá færslur
 DocType: Asset,Maintenance,viðhald
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Komdu frá sjúklingaþingi
 DocType: Subscriber,Subscriber,Áskrifandi
 DocType: Item Attribute Value,Item Attribute Value,Liður Attribute gildi
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Vinsamlegast uppfærðu verkefnastöðu þína
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Vinsamlegast uppfærðu verkefnastöðu þína
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Gjaldmiðill verður að eiga við um kaup eða sölu.
 DocType: Item,Maximum sample quantity that can be retained,Hámarks sýni magn sem hægt er að halda
 DocType: Project Update,How is the Project Progressing Right Now?,Hvernig er verkefnið að vinna núna?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Liður {1} er ekki hægt að flytja meira en {2} gegn innkaupapöntun {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Liður {1} er ekki hægt að flytja meira en {2} gegn innkaupapöntun {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Velta herferðir.
 DocType: Project Task,Make Timesheet,gera timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Námsmatsskýrsla Generation Tool
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Heilsugæsluáætlunartímabil
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Name
 DocType: Expense Claim Detail,Expense Claim Type,Expense Gerð kröfu
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Sjálfgefnar stillingar fyrir Shopping Cart
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Bæta við tímasetningum
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Eignastýring rifið um dagbókarfærslu {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vinsamlegast settu reikning í vörugeymslu {0} eða Sjálfgefin birgðareikningur í félaginu {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Eignastýring rifið um dagbókarfærslu {0}
 DocType: Loan,Interest Income Account,Vaxtatekjur Reikningur
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Hámarks ávinningur ætti að vera meiri en núll til að skila ávinningi
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Hámarks ávinningur ætti að vera meiri en núll til að skila ávinningi
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Skoðaðu boðin sent
 DocType: Shift Assignment,Shift Assignment,Skiptingarverkefni
 DocType: Employee Transfer Property,Employee Transfer Property,Starfsmaður flytja eignir
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Frá tími ætti að vera minni en tími
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,líftækni
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Liður {0} (Raðnúmer: {1}) er ekki hægt að neyta eins og það er til að fylla út söluskilaboð {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Skrifstofa viðhald kostnaður
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Fara til
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Uppfæra verð frá Shopify til ERPNext Verðskrá
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Setja upp Email Account
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Vinsamlegast sláðu inn Item fyrst
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Þarfir greining
 DocType: Asset Repair,Downtime,Niður í miðbæ
 DocType: Account,Liability,Ábyrgð
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bundnar Upphæð má ekki vera meiri en bótafjárhæðir í Row {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bundnar Upphæð má ekki vera meiri en bótafjárhæðir í Row {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Fræðigrein:
 DocType: Salary Component,Do not include in total,Ekki innifalið alls
 DocType: Company,Default Cost of Goods Sold Account,Default Kostnaðarverð seldra vara reikning
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Sýni magn {0} getur ekki verið meira en móttekin magn {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Verðskrá ekki valið
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Sýni magn {0} getur ekki verið meira en móttekin magn {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Verðskrá ekki valið
 DocType: Employee,Family Background,Family Background
 DocType: Request for Quotation Supplier,Send Email,Senda tölvupóst
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Viðvörun: Ógild Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Viðvörun: Ógild Attachment {0}
 DocType: Item,Max Sample Quantity,Hámarksfjöldi sýnis
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,engin heimild
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Samningur Uppfylling Checklist
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnaður Center {2} ekki tilheyra félaginu {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Hladdu bréfshöfuðinu þínu (Haltu því á vefnum vingjarnlegur og 900px með 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} getur ekki verið Group
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Liður Row {idx}: {DOCTYPE} {DOCNAME} er ekki til í að ofan &#39;{DOCTYPE}&#39; borð
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} er þegar lokið eða hætt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} er þegar lokið eða hætt
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Engin verkefni
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Sölureikningur {0} búinn til sem greiddur
 DocType: Item Variant Settings,Copy Fields to Variant,Afritaðu reiti í afbrigði
 DocType: Asset,Opening Accumulated Depreciation,Opnun uppsöfnuðum afskriftum
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score þarf að vera minna en eða jafnt og 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Innritun Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form færslur
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form færslur
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Hlutin eru þegar til
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Viðskiptavinur og Birgir
 DocType: Email Digest,Email Digest Settings,Sendu Digest Stillingar
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,Valið Atriði
 DocType: Share Transfer,To Shareholder,Til hluthafa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} gegn frumvarpinu {1} dags {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Frá ríki
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Frá ríki
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Uppsetningarstofnun
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Úthluta leyfi ...
 DocType: Program Enrollment,Vehicle/Bus Number,Ökutæki / rútu númer
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,námskeið Stundaskrá
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Þú þarft að draga frá skatt vegna óskráðs skattfrelsis og óumseldar \ Starfsmenn launþega í síðasta launum af launum.
 DocType: Request for Quotation Supplier,Quote Status,Tilvitnun Staða
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,Greiðsla Due Date
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Veldu aftur, ef valið heimilisfang er breytt eftir að vista"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Liður Variant {0} er þegar til staðar með sömu eiginleika
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Liður Variant {0} er þegar til staðar með sömu eiginleika
 DocType: Item,Hub Publishing Details,Hub Publishing Upplýsingar
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Opening&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Opening&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open Til Gera
 DocType: Issue,Via Customer Portal,Via Viðskiptavinur Portal
 DocType: Notification Control,Delivery Note Message,Afhending Note Message
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST upphæð
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST upphæð
 DocType: Lab Test Template,Result Format,Niðurstaða snið
 DocType: Expense Claim,Expenses,útgjöld
 DocType: Item Variant Attribute,Item Variant Attribute,Liður Variant Attribute
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,bimonthly
 DocType: Vehicle Service,Brake Pad,Bremsuklossi
 DocType: Fertilizer,Fertilizer Contents,Innihald áburðar
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Rannsóknir og þróun
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Rannsóknir og þróun
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Upphæð Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Upphafsdagur og lokadagur er skarast við starfskortið <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Skráning Details
 DocType: Timesheet,Total Billed Amount,Alls Billed Upphæð
 DocType: Item Reorder,Re-Order Qty,Re-Order Magn
 DocType: Leave Block List Date,Leave Block List Date,Skildu Block List Dagsetning
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vinsamlegast skipulag kennari Nafnakerfi í menntun&gt; Menntun
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Hráefni geta ekki verið eins og aðal atriði
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Samtals greiðsla í kvittun atriðum borðið verður að vera það sama og Samtals skatta og gjöld
 DocType: Sales Team,Incentives,Incentives
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Sölustaður
 DocType: Fee Schedule,Fee Creation Status,Gjaldeyrisréttindi
 DocType: Vehicle Log,Odometer Reading,kílómetramæli Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Viðskiptajöfnuður þegar í Credit, þú ert ekki leyft að setja &#39;Balance Verður Be&#39; eins og &#39;Debit &quot;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Viðskiptajöfnuður þegar í Credit, þú ert ekki leyft að setja &#39;Balance Verður Be&#39; eins og &#39;Debit &quot;"
 DocType: Account,Balance must be,Jafnvægi verður að vera
 DocType: Notification Control,Expense Claim Rejected Message,Kostnað Krafa Hafnað skilaboð
 ,Available Qty,Laus Magn
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Sýndu alltaf vörur þínar frá Amazon MWS áður en þú pantar pöntunarniðurstöðurnar
 DocType: Delivery Trip,Delivery Stops,Afhending hættir
 DocType: Salary Slip,Working Days,Vinnudagar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Ekki er hægt að breyta þjónustustöðvunardegi fyrir atriði í röð {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Ekki er hægt að breyta þjónustustöðvunardegi fyrir atriði í röð {0}
 DocType: Serial No,Incoming Rate,Komandi Rate
 DocType: Packing Slip,Gross Weight,Heildarþyngd
 DocType: Leave Type,Encashment Threshold Days,Skrímsluskammtardagar
@@ -1399,30 +1407,32 @@
 DocType: Restaurant Table,Minimum Seating,Lágmarksstofa
 DocType: Item Attribute,Item Attribute Values,Liður eigindi gildi
 DocType: Examination Result,Examination Result,skoðun Niðurstaða
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Kvittun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Kvittun
 ,Received Items To Be Billed,Móttekin Items verður innheimt
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Gengi meistara.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Gengi meistara.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Tilvísun DOCTYPE verður að vera einn af {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Sía Samtals núll Magn
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Ekki er hægt að finna tíma rifa á næstu {0} dögum fyrir aðgerð {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan efni fyrir undireiningum
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Velta Partners og Territory
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} verður að vera virkt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} verður að vera virkt
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Engar atriði í boði til að flytja
 DocType: Employee Boarding Activity,Activity Name,Nafn athafnasvæðis
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Breyta útgáfudegi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Breyta útgáfudegi
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Lokun (Opnun + Samtals)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Vörunúmer&gt; Liðurhópur&gt; Vörumerki
+DocType: Delivery Settings,Dispatch Notification Attachment,Viðhengi Tilkynning Tilkynning
 DocType: Payroll Entry,Number Of Employees,Fjöldi starfsmanna
 DocType: Journal Entry,Depreciation Entry,Afskriftir Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Vinsamlegast veldu tegund skjals fyrst
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Vinsamlegast veldu tegund skjals fyrst
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Hætta Efni Heimsóknir {0} áður hætta þessu Viðhald Farðu
 DocType: Pricing Rule,Rate or Discount,Verð eða afsláttur
 DocType: Vital Signs,One Sided,Einhliða
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial Nei {0} ekki tilheyra lið {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Required Magn
 DocType: Marketplace Settings,Custom Data,Sérsniðin gögn
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í höfuðbók.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Raðnúmer er skylt fyrir hlutinn {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í höfuðbók.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Raðnúmer er skylt fyrir hlutinn {0}
 DocType: Bank Reconciliation,Total Amount,Heildarupphæð
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Frá dagsetningu og dagsetningu liggja á mismunandi reikningsári
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Sjúklingur {0} hefur ekki viðskiptavina til að reikna
@@ -1433,9 +1443,9 @@
 DocType: Soil Texture,Clay Composition (%),Leir Samsetning (%)
 DocType: Item Group,Item Group Defaults,Varahópur sjálfgefið
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Vinsamlegast vista áður en verkefni er úthlutað.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Balance Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Balance Value
 DocType: Lab Test,Lab Technician,Lab Tæknimaður
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Velta Verðskrá
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Velta Verðskrá
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ef athugað verður viðskiptavinur búinn til, kortlagður við sjúklinginn. Sjúkratryggingar verða búnar til gegn þessum viðskiptavini. Þú getur einnig valið núverandi viðskiptavin þegar þú býrð til sjúklinga."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Viðskiptavinur er ekki skráður í neina hollustuáætlun
@@ -1449,13 +1459,13 @@
 DocType: Support Search Source,Search Term Param Name,Leita að heiti Param Nafn
 DocType: Item Barcode,Item Barcode,Liður Strikamerki
 DocType: Woocommerce Settings,Endpoints,Endapunktar
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Liður Afbrigði {0} uppfærð
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Liður Afbrigði {0} uppfærð
 DocType: Quality Inspection Reading,Reading 6,lestur 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Get ekki {0} {1} {2} án neikvætt framúrskarandi Reikningar
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Get ekki {0} {1} {2} án neikvætt framúrskarandi Reikningar
 DocType: Share Transfer,From Folio No,Frá Folio nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Kaupa Reikningar Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit færslu er ekki hægt að tengja með {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Skilgreina fjárhagsáætlun fyrir fjárhagsár.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Skilgreina fjárhagsáætlun fyrir fjárhagsár.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext reikningur
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} er læst þannig að þessi viðskipti geta ekki haldið áfram
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Aðgerð ef uppsafnað mánaðarlegt fjárhagsáætlun fór yfir MR
@@ -1471,19 +1481,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,kaup Invoice
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Leyfa mörgum efni neyslu gegn vinnu pöntunar
 DocType: GL Entry,Voucher Detail No,Skírteini Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nýr reikningur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nýr reikningur
 DocType: Stock Entry,Total Outgoing Value,Alls Outgoing Value
 DocType: Healthcare Practitioner,Appointments,Ráðnir
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Opnun Dagsetning og lokadagur ætti að vera innan sama reikningsár
 DocType: Lead,Request for Information,Beiðni um upplýsingar
 ,LeaderBoard,LeaderBoard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Meta með brún (Gjaldmiðill fyrirtækja)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline Reikningar
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline Reikningar
 DocType: Payment Request,Paid,greiddur
 DocType: Program Fee,Program Fee,program Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Skiptu ákveðnu BOM í öllum öðrum BOM þar sem það er notað. Það mun skipta um gamla BOM tengilinn, uppfæra kostnað og endurnýja &quot;BOM Explosion Item&quot; töflunni eins og á nýjum BOM. Það uppfærir einnig nýjustu verð í öllum BOMs."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Eftirfarandi vinnuverkefni voru búnar til:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Eftirfarandi vinnuverkefni voru búnar til:
 DocType: Salary Slip,Total in words,Samtals í orðum
 DocType: Inpatient Record,Discharged,Sleppt
 DocType: Material Request Item,Lead Time Date,Lead Time Dagsetning
@@ -1494,16 +1504,16 @@
 DocType: Support Settings,Get Started Sections,Byrjaðu kafla
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,bundnar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin að
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vinsamlegast tilgreinið Serial Nei fyrir lið {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Samtals Framlagsmagn: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vinsamlegast tilgreinið Serial Nei fyrir lið {1}
 DocType: Payroll Entry,Salary Slips Submitted,Launasamningar lögð fram
 DocType: Crop Cycle,Crop Cycle,Ræktunarhringur
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Fyrir &quot;vara búnt &#39;atriði, Lager, Serial Nei og Batch No verður að teljast úr&#39; Pökkun lista &#39;töflunni. Ef Warehouse og Batch No eru sömu fyrir alla pökkun atriði fyrir hvaða &quot;vara búnt &#39;lið, sem gildin má færa í helstu atriði borðið, gildi verða afrituð á&#39; Pökkun lista &#39;borð."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Fyrir &quot;vara búnt &#39;atriði, Lager, Serial Nei og Batch No verður að teljast úr&#39; Pökkun lista &#39;töflunni. Ef Warehouse og Batch No eru sömu fyrir alla pökkun atriði fyrir hvaða &quot;vara búnt &#39;lið, sem gildin má færa í helstu atriði borðið, gildi verða afrituð á&#39; Pökkun lista &#39;borð."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Frá stað
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Netgjald getur ekki verið neikvætt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Frá stað
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Netgjald getur ekki verið neikvætt
 DocType: Student Admission,Publish on website,Birta á vefsíðu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Birgir Invoice Dagsetning má ekki vera meiri en Staða Dagsetning
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Birgir Invoice Dagsetning má ekki vera meiri en Staða Dagsetning
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Hætta við dagsetningu
 DocType: Purchase Invoice Item,Purchase Order Item,Purchase Order Item
@@ -1512,7 +1522,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Aðsókn Tool
 DocType: Restaurant Menu,Price List (Auto created),Verðskrá (Sjálfvirk stofnaður)
 DocType: Cheque Print Template,Date Settings,Dagsetning Stillingar
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,dreifni
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,dreifni
 DocType: Employee Promotion,Employee Promotion Detail,Upplýsingar um starfsmenn í kynningu
 ,Company Name,nafn fyrirtækis
 DocType: SMS Center,Total Message(s),Total Message (s)
@@ -1541,7 +1551,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ekki senda starfsmaður afmælisáminningar
 DocType: Expense Claim,Total Advance Amount,Samtals framvirði
 DocType: Delivery Stop,Estimated Arrival,Áætlaður komudagur
-DocType: Delivery Stop,Notified by Email,Tilkynnt með tölvupósti
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Sjá allar greinar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Ganga í
 DocType: Item,Inspection Criteria,Skoðun Viðmið
@@ -1551,22 +1560,21 @@
 DocType: Timesheet Detail,Bill,Bill
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,White
 DocType: SMS Center,All Lead (Open),Allt Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Magn er ekki í boði fyrir {4} í vöruhús {1} á að senda sinn færslunnar ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Magn er ekki í boði fyrir {4} í vöruhús {1} á að senda sinn færslunnar ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Þú getur aðeins valið hámark einn valkosta af listanum yfir kassa.
 DocType: Purchase Invoice,Get Advances Paid,Fá Framfarir Greiddur
 DocType: Item,Automatically Create New Batch,Búðu til nýjan hóp sjálfkrafa
 DocType: Supplier,Represents Company,Táknar fyrirtæki
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,gera
 DocType: Student Admission,Admission Start Date,Aðgangseyrir Start Date
 DocType: Journal Entry,Total Amount in Words,Heildarfjárhæð orðum
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Ný starfsmaður
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Það var villa. Ein líkleg ástæða gæti verið að þú hefur ekki vistað mynd. Vinsamlegast hafðu samband support@erpnext.com ef vandamálið er viðvarandi.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Karfan mín
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Order Type verður að vera einn af {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Order Type verður að vera einn af {0}
 DocType: Lead,Next Contact Date,Næsta samband við þann
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,opnun Magn
 DocType: Healthcare Settings,Appointment Reminder,Tilnefning tilnefningar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Vinsamlegast sláðu inn reikning fyrir Change Upphæð
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Vinsamlegast sláðu inn reikning fyrir Change Upphæð
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Hópur Name
 DocType: Holiday List,Holiday List Name,Holiday List Nafn
 DocType: Repayment Schedule,Balance Loan Amount,Balance lánsfjárhæð
@@ -1576,7 +1584,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Kaupréttir
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Engar atriði bætt við í körfu
 DocType: Journal Entry Account,Expense Claim,Expense Krafa
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Viltu virkilega að endurheimta rifið eign?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Viltu virkilega að endurheimta rifið eign?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Magn {0}
 DocType: Leave Application,Leave Application,Leave Umsókn
 DocType: Patient,Patient Relation,Sjúklingar Tengsl
@@ -1597,16 +1605,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Tilgreindu {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Fjarlægðar atriði með engin breyting á magni eða verðmæti.
 DocType: Delivery Note,Delivery To,Afhending Til
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variant sköpun hefur verið í biðstöðu.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Vinna Yfirlit fyrir {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variant sköpun hefur verið í biðstöðu.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Vinna Yfirlit fyrir {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Fyrsta leyfi samþykkis í listanum verður stillt sem sjálfgefið leyfi fyrir leyfi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Eiginleiki borð er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Eiginleiki borð er nauðsynlegur
 DocType: Production Plan,Get Sales Orders,Fá sölu skipunum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} er ekki hægt að neikvæð
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Tengdu við Quickbooks
 DocType: Training Event,Self-Study,Sjálfsnám
 DocType: POS Closing Voucher,Period End Date,Tímabil Lokadagur
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Jarðvegssamsetningar bæta ekki upp að 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,afsláttur
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Row {0}: {1} er nauðsynlegt til að búa til opnun {2} Reikningar
 DocType: Membership,Membership,Aðild
 DocType: Asset,Total Number of Depreciations,Heildarfjöldi Afskriftir
 DocType: Sales Invoice Item,Rate With Margin,Meta með skák
@@ -1617,7 +1627,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Vinsamlegast tilgreindu gilt Row skírteini fyrir röð {0} í töflunni {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Ekki tókst að finna breytu:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Vinsamlegast veldu reit til að breyta úr numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Ekki er hægt að vera fast eignalýsing þar sem birgir er búið til.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Ekki er hægt að vera fast eignalýsing þar sem birgir er búið til.
 DocType: Subscription Plan,Fixed rate,Fast gjald
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Viðurkenna
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Fara á Desktop og byrja að nota ERPNext
@@ -1651,7 +1661,7 @@
 DocType: Tax Rule,Shipping State,Sendingar State
 ,Projected Quantity as Source,Áætlaðar Magn eins Source
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Atriði verður að bæta með því að nota &quot;fá atriði úr greiðslukvittanir &#39;hnappinn
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Afhendingartími
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Afhendingartími
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Flutningsgerð
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,sölukostnaður
@@ -1664,8 +1674,9 @@
 DocType: Item Default,Default Selling Cost Center,Sjálfgefið Selja Kostnaður Center
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Diskur
 DocType: Buying Settings,Material Transferred for Subcontract,Efni flutt fyrir undirverktaka
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Póstnúmer
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Velta Order {0} er {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Innkaupapantanir Atriði tímabært
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Póstnúmer
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Velta Order {0} er {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Veldu vaxtatekjur reikning í láni {0}
 DocType: Opportunity,Contact Info,Contact Info
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Gerð lager færslur
@@ -1678,12 +1689,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Reikningur er ekki hægt að gera í núll reikningstíma
 DocType: Company,Date of Commencement,Dagsetning upphafs
 DocType: Sales Person,Select company name first.,Select nafn fyrirtækis fyrst.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Tölvupóstur sendur til {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Tölvupóstur sendur til {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Tilvitnanir berast frá birgja.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Skiptu um BOM og uppfærðu nýjustu verð í öllum BOMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Til {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Þetta er rót birgir hópur og er ekki hægt að breyta.
-DocType: Delivery Trip,Driver Name,Nafn ökumanns
+DocType: Delivery Note,Driver Name,Nafn ökumanns
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Meðalaldur
 DocType: Education Settings,Attendance Freeze Date,Viðburður Frystingardagur
 DocType: Payment Request,Inward,Innan
@@ -1694,7 +1705,7 @@
 DocType: Company,Parent Company,Móðurfélag
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hótel Herbergi af tegund {0} eru ekki tiltækar á {1}
 DocType: Healthcare Practitioner,Default Currency,sjálfgefið mynt
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Hámarks afsláttur fyrir lið {0} er {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Hámarks afsláttur fyrir lið {0} er {1}%
 DocType: Asset Movement,From Employee,frá starfsmanni
 DocType: Driver,Cellphone Number,gemsa númer
 DocType: Project,Monitor Progress,Skjár framfarir
@@ -1710,19 +1721,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Magn verður að vera minna en eða jafnt og {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Hámarksupphæð sem hæfur er fyrir hluti {0} fer yfir {1}
 DocType: Department Approver,Department Approver,Department Approver
+DocType: QuickBooks Migrator,Application Settings,Umsókn Stillingar
 DocType: SMS Center,Total Characters,Samtals Stafir
 DocType: Employee Advance,Claimed,Krafist
 DocType: Crop,Row Spacing,Row Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Vinsamlegast veldu BOM á BOM sviði í lið {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Vinsamlegast veldu BOM á BOM sviði í lið {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Það er ekkert hlutarafbrigði fyrir valda hlutinn
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Reikningur Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Greiðsla Sættir Invoice
 DocType: Clinical Procedure,Procedure Template,Málsmeðferð máls
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,framlag%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Eins og á kaupstillingum ef kaupin eru krafist == &#39;YES&#39; og síðan til að búa til innheimtufé, þarf notandi að búa til kauppöntun fyrst fyrir atriði {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,framlag%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Eins og á kaupstillingum ef kaupin eru krafist == &#39;YES&#39; og síðan til að búa til innheimtufé, þarf notandi að búa til kauppöntun fyrst fyrir atriði {0}"
 ,HSN-wise-summary of outward supplies,HSN-vitur-samantekt á ytri birgðum
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Fyrirtæki skráningarnúmer til viðmiðunar. Tax tölur o.fl.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Að ríkja
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Að ríkja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,dreifingaraðili
 DocType: Asset Finance Book,Asset Finance Book,Eignarhaldsbók
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Shopping Cart Shipping Rule
@@ -1731,7 +1743,7 @@
 ,Ordered Items To Be Billed,Pantaði Items verður innheimt
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Frá Range þarf að vera minna en við úrval
 DocType: Global Defaults,Global Defaults,Global Vanskil
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Project Samvinna Boð
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Project Samvinna Boð
 DocType: Salary Slip,Deductions,frádráttur
 DocType: Setup Progress Action,Action Name,Aðgerð heiti
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Start Ár
@@ -1745,11 +1757,12 @@
 DocType: Lead,Consultant,Ráðgjafi
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Foreldrar kennarasamkomu
 DocType: Salary Slip,Earnings,Hagnaður
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Lokið Item {0} verður inn fyrir Framleiðsla tegund færslu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Lokið Item {0} verður inn fyrir Framleiðsla tegund færslu
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Opnun Bókhald Balance
 ,GST Sales Register,GST söluskrá
 DocType: Sales Invoice Advance,Sales Invoice Advance,Velta Invoice Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Ekkert til að biðja
+DocType: Stock Settings,Default Return Warehouse,Default Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Veldu lénin þín
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Birgir
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Greiðslumiðlar
@@ -1758,15 +1771,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Fields verður afritað aðeins á upphafinu.
 DocType: Setup Progress Action,Domains,lén
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&quot;Raunbyrjunardagsetning &#39;má ekki vera meiri en&#39; Raunveruleg lokadagur&quot;
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Stjórn
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Stjórn
 DocType: Cheque Print Template,Payer Settings,greiðandi Stillingar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Engar biðröð Efnisbeiðnir fannst að tengjast fyrir tiltekna hluti.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Veldu fyrirtæki fyrst
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Þetta verður bætt við Item Code afbrigði. Til dæmis, ef skammstöfun er &quot;SM&quot;, og hluturinn kóða er &quot;T-bolur&quot;, hluturinn kóðann um afbrigði verður &quot;T-bolur-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Borga (í orðum) verður sýnileg þegar þú hefur vistað Laun Slip.
 DocType: Delivery Note,Is Return,er aftur
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Varúð
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Upphafsdagur er meiri en lokadagur í verkefni &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Return / skuldfærslu Note
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Return / skuldfærslu Note
 DocType: Price List Country,Price List Country,Verðskrá Country
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} gild raðnúmer nos fyrir lið {1}
@@ -1779,13 +1793,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Veita upplýsingar.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Birgir gagnagrunni.
 DocType: Contract Template,Contract Terms and Conditions,Samningsskilmálar og skilyrði
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Þú getur ekki endurræst áskrift sem ekki er lokað.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Þú getur ekki endurræst áskrift sem ekki er lokað.
 DocType: Account,Balance Sheet,Efnahagsreikningur
 DocType: Leave Type,Is Earned Leave,Er unnið skilið
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Kostnaður Center For lið með Item Code &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Kostnaður Center For lið með Item Code &#39;
 DocType: Fee Validity,Valid Till,Gildir til
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Samtals foreldrar kennarasamkoma
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Greiðsla Mode er ekki stillt. Vinsamlegast athugaðu hvort reikningur hefur verið sett á Mode Greiðslur eða POS Profile.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Greiðsla Mode er ekki stillt. Vinsamlegast athugaðu hvort reikningur hefur verið sett á Mode Greiðslur eða POS Profile.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama atriði er ekki hægt inn mörgum sinnum.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Frekari reikninga er hægt að gera undir Hópar, en færslur er hægt að gera á móti non-hópa"
 DocType: Lead,Lead,Lead
@@ -1794,11 +1808,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} búin
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Þú hefur ekki nóg hollusta stig til að innleysa
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Hafnað Magn er ekki hægt að færa í Purchase aftur
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Vinsamlegast stilltu tengda reikning í skattgreiðsluskilmála {0} gegn félagi {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Hafnað Magn er ekki hægt að færa í Purchase aftur
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Breyting viðskiptavinahóps fyrir valda viðskiptavini er ekki leyfilegt.
 ,Purchase Order Items To Be Billed,Purchase Order Items verður innheimt
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Uppfærir áætlaða komutíma.
 DocType: Program Enrollment Tool,Enrollment Details,Upplýsingar um innritun
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Ekki er hægt að stilla mörg atriði sjálfgefna fyrir fyrirtæki.
 DocType: Purchase Invoice Item,Net Rate,Net Rate
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Vinsamlegast veldu viðskiptavin
 DocType: Leave Policy,Leave Allocations,Leyfa úthlutun
@@ -1827,7 +1843,7 @@
 DocType: Loan Application,Repayment Info,endurgreiðsla Upplýsingar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;Færslur&#39; má ekki vera autt
 DocType: Maintenance Team Member,Maintenance Role,Viðhald Hlutverk
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Afrit róður {0} með sama {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Afrit róður {0} með sama {1}
 DocType: Marketplace Settings,Disable Marketplace,Slökktu á markaðnum
 ,Trial Balance,Trial Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Reikningsár {0} fannst ekki
@@ -1838,9 +1854,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Áskriftarstillingar
 DocType: Purchase Invoice,Update Auto Repeat Reference,Uppfæra sjálfvirk endurtekið tilvísun
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Valfrjálst frídagur listi ekki settur í leyfiartíma {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Valfrjálst frídagur listi ekki settur í leyfiartíma {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Rannsókn
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Til að senda 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Til að senda 2
 DocType: Maintenance Visit Purpose,Work Done,vinnu
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Vinsamlegast tilgreindu að minnsta kosti einn eiginleiki í þeim einkennum töflunni
 DocType: Announcement,All Students,Allir nemendur
@@ -1850,16 +1866,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Samræmd viðskipti
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,elstu
 DocType: Crop Cycle,Linked Location,Tengd staðsetning
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","An Item Group til staðar með sama nafni, vinsamlegast breyta hlutinn nafni eða endurnefna atriði hópinn"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","An Item Group til staðar með sama nafni, vinsamlegast breyta hlutinn nafni eða endurnefna atriði hópinn"
 DocType: Crop Cycle,Less than a year,Minna en ár
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Rest Of The World
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Rest Of The World
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The Item {0} getur ekki Hópur
 DocType: Crop,Yield UOM,Afrakstur UOM
 ,Budget Variance Report,Budget Dreifni Report
 DocType: Salary Slip,Gross Pay,Gross Pay
 DocType: Item,Is Item from Hub,Er hlutur frá miðstöð
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Fáðu atriði úr heilbrigðisþjónustu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Fáðu atriði úr heilbrigðisþjónustu
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Row {0}: Activity Type er nauðsynlegur.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,arður Greiddur
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,bókhald Ledger
@@ -1874,6 +1890,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Greiðslumáti
 DocType: Purchase Invoice,Supplied Items,Meðfylgjandi Items
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Vinsamlegast stilltu virkan matseðill fyrir Veitingahús {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Framkvæmdastjórnarhlutfall%
 DocType: Work Order,Qty To Manufacture,Magn To Framleiðsla
 DocType: Email Digest,New Income,ný Tekjur
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Halda sama hlutfall allan kaup hringrás
@@ -1888,12 +1905,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Verðmat Gefa þarf fyrir lið í röð {0}
 DocType: Supplier Scorecard,Scorecard Actions,Stigatafla
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Dæmi: Masters í tölvunarfræði
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Birgir {0} fannst ekki í {1}
 DocType: Purchase Invoice,Rejected Warehouse,hafnað Warehouse
 DocType: GL Entry,Against Voucher,Against Voucher
 DocType: Item Default,Default Buying Cost Center,Sjálfgefið Buying Kostnaður Center
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Til að fá það besta út úr ERPNext, mælum við með að þú að taka nokkurn tíma og horfa á þessi hjálp vídeó."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Fyrir Sjálfgefið Birgir (valfrjálst)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,að
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Fyrir Sjálfgefið Birgir (valfrjálst)
 DocType: Supplier Quotation Item,Lead Time in days,Lead Time í dögum
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Viðskiptaskuldir Yfirlit
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Ekki heimild til að breyta frosinn reikning {0}
@@ -1902,7 +1919,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Varið við nýja beiðni um tilboðsyfirlit
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Kaup pantanir hjálpa þér að skipuleggja og fylgja eftir kaupum þínum
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Prescriptions
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Heildarkostnaður Issue / Transfer magn {0} í efni Beiðni {1} \ má ekki vera meiri en óskað magn {2} fyrir lið {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Lítil
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ef Shopify inniheldur ekki viðskiptavina í pöntunum, þá á meðan syncing Pantanir, kerfið mun íhuga vanræksla viðskiptavina fyrir pöntun"
@@ -1914,6 +1931,7 @@
 DocType: Project,% Completed,% Lokið
 ,Invoiced Amount (Exculsive Tax),Upphæð á reikningi (Exculsive Tax)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Liður 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Endapunktur leyfis
 DocType: Travel Request,International,International
 DocType: Training Event,Training Event,Þjálfun Event
 DocType: Item,Auto re-order,Auto endurraða
@@ -1922,24 +1940,24 @@
 DocType: Contract,Contract,Samningur
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratory Testing Datetime
 DocType: Email Digest,Add Quote,Bæta Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion þáttur sem þarf til UOM: {0} í lið: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion þáttur sem þarf til UOM: {0} í lið: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,óbeinum kostnaði
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Magn er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Magn er nauðsynlegur
 DocType: Agriculture Analysis Criteria,Agriculture,Landbúnaður
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Búðu til sölupöntun
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Reikningsskil fyrir eign
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Loka innheimtu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Reikningsskil fyrir eign
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Loka innheimtu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Magn til að gera
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Viðgerðarkostnaður
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Vörur eða þjónustu
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Mistókst að skrá þig inn
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Eignin {0} búin til
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Eignin {0} búin til
 DocType: Special Test Items,Special Test Items,Sérstakar prófanir
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Þú þarft að vera notandi með kerfisstjóra og hlutverkastjóra hlutverk til að skrá þig á markaðssvæðinu.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Háttur á greiðslu
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Eins og á úthlutað launasamningi þínum er ekki hægt að sækja um bætur
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Vefsíða Image ætti að vera opinber skrá eða vefslóð
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Vefsíða Image ætti að vera opinber skrá eða vefslóð
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Þetta er rót atriði hóp og ekki hægt að breyta.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Sameina
@@ -1948,7 +1966,8 @@
 DocType: Warehouse,Warehouse Contact Info,Warehouse Contact Info
 DocType: Payment Entry,Write Off Difference Amount,Skrifaðu Off Mismunur Upphæð
 DocType: Volunteer,Volunteer Name,Sjálfboðaliðanöfn
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Starfsmaður tölvupósti fannst ekki, þess vegna email ekki sent"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Röð með tvíhliða gjalddaga í öðrum röðum fundust: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Starfsmaður tölvupósti fannst ekki, þess vegna email ekki sent"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Nei Launastyrkur úthlutað fyrir starfsmann {0} á tilteknum degi {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Sendingarregla gildir ekki fyrir land {0}
 DocType: Item,Foreign Trade Details,Foreign Trade Upplýsingar
@@ -1956,16 +1975,16 @@
 DocType: Email Digest,Annual Income,Árleg innkoma
 DocType: Serial No,Serial No Details,Serial Nei Nánar
 DocType: Purchase Invoice Item,Item Tax Rate,Liður Skatthlutfall
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Frá nafn aðila
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Frá nafn aðila
 DocType: Student Group Student,Group Roll Number,Group Roll Number
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Fyrir {0}, aðeins kredit reikninga er hægt að tengja við aðra gjaldfærslu"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Afhending Note {0} er ekki lögð
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Afhending Note {0} er ekki lögð
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Liður {0} verður að vera Sub-dregist Item
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Capital útbúnaður
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Verðlagning Regla er fyrst valið byggist á &#39;Virkja Á&#39; sviði, sem getur verið Item, Item Group eða Brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Vinsamlegast settu vörulistann fyrst
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Tegund
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Samtals úthlutað hlutfall fyrir Söluteymi ætti að vera 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Tegund
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Samtals úthlutað hlutfall fyrir Söluteymi ætti að vera 100
 DocType: Subscription Plan,Billing Interval Count,Greiðslumiðlunartala
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Tilnefningar og þolinmæði
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Gildi vantar
@@ -1979,6 +1998,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Búa prenta sniði
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Gjald búin
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Fékk ekki fundið neitt atriði sem heitir {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Atriði Sía
 DocType: Supplier Scorecard Criteria,Criteria Formula,Viðmiðunarformúla
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,alls Outgoing
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Það getur aðeins verið einn Shipping Rule Ástand með 0 eða autt gildi fyrir &quot;to Value&quot;
@@ -1987,14 +2007,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Fyrir hlut {0} verður magn að vera jákvætt númer
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Ath: Þessi Kostnaður Center er Group. Get ekki gert bókhaldsfærslum gegn hópum.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Dagbætur vegna bótaábyrgðar ekki í gildum frídagum
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnið vöruhús er til fyrir þetta vöruhús. Þú getur ekki eytt þessari vöruhús.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnið vöruhús er til fyrir þetta vöruhús. Þú getur ekki eytt þessari vöruhús.
 DocType: Item,Website Item Groups,Vefsíða Item Hópar
 DocType: Purchase Invoice,Total (Company Currency),Total (Company Gjaldmiðill)
 DocType: Daily Work Summary Group,Reminder,Áminning
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Aðgengilegt gildi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Aðgengilegt gildi
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Raðnúmer {0} inn oftar en einu sinni
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Dagbókarfærsla
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Frá GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Frá GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Óhæfð upphæð
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} atriði í gangi
 DocType: Workstation,Workstation Name,Workstation Name
@@ -2002,7 +2022,7 @@
 DocType: POS Item Group,POS Item Group,POS Item Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Sendu Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Annað atriði má ekki vera eins og hlutkóði
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} ekki tilheyra lið {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} ekki tilheyra lið {1}
 DocType: Sales Partner,Target Distribution,Target Dreifing
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Lokagjöf á Bráðabirgðamati
 DocType: Salary Slip,Bank Account No.,Bankareikningur nr
@@ -2011,7 +2031,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Nota má punktabreytur, svo og: {total_score} (heildarskoran frá því tímabili), {tímabil_númer} (fjöldi tímabila til dagsins í dag)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,fella saman alla
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,fella saman alla
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Búðu til innkaupapöntun
 DocType: Quality Inspection Reading,Reading 8,lestur 8
 DocType: Inpatient Record,Discharge Note,Athugasemd um losun
@@ -2027,7 +2047,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Birgir Dagsetning reiknings
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Þetta gildi er notað til tímabundinnar útreikninga
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Þú þarft að virkja Shopping Cart
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Þú þarft að virkja Shopping Cart
 DocType: Payment Entry,Writeoff,Afskrifa
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Heiti forskeyti fyrir nöfn
@@ -2042,11 +2062,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Skarast skilyrði fundust milli:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Gegn Journal Entry {0} er þegar leiðrétt gagnvart einhverjum öðrum skírteini
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Pöntunin Value
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Matur
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Matur
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Ageing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Loka Voucher Upplýsingar
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vinsamlegast settu Nöfnunarröð fyrir {0} í gegnum Skipulag&gt; Stillingar&gt; Nöfnunarröð
 DocType: Inpatient Occupancy,Check In,Innritun
 DocType: Maintenance Schedule Item,No of Visits,Engin heimsókna
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Viðhaldsáætlun {0} er til staðar gegn {1}
@@ -2086,6 +2105,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Max Hagur (upphæð)
 DocType: Purchase Invoice,Contact Person,Tengiliður
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&quot;Bjóst Start Date &#39;má ekki vera meiri en&#39; Bjóst Lokadagur &#39;
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Engin gögn fyrir þetta tímabil
 DocType: Course Scheduling Tool,Course End Date,Auðvitað Lokadagur
 DocType: Holiday List,Holidays,Holidays
 DocType: Sales Order Item,Planned Quantity,Áætlaðir Magn
@@ -2097,7 +2117,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Net Breyting á fast eign
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Magn
 DocType: Leave Control Panel,Leave blank if considered for all designations,Skildu eftir autt ef það er talið fyrir alla heita
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af gerðinni &#39;Raunveruleg&#39; í röð {0} er ekki að vera með í Item Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af gerðinni &#39;Raunveruleg&#39; í röð {0} er ekki að vera með í Item Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,frá DATETIME
 DocType: Shopify Settings,For Company,Company
@@ -2110,9 +2130,9 @@
 DocType: Material Request,Terms and Conditions Content,Skilmálar og skilyrði Content
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Það voru villur að búa til námskeiði
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Fyrsta kostnaðarákvörðunin á listanum verður stillt sem sjálfgefið kostnaðarákvörðun.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,getur ekki verið meiri en 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,getur ekki verið meiri en 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Þú þarft að vera notandi annar en Stjórnandi með kerfisstjóra og hlutverkastjóra hlutverk til að skrá þig á markaðssvæði.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Liður {0} er ekki birgðir Item
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Liður {0} er ekki birgðir Item
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,unscheduled
 DocType: Employee,Owned,eigu
@@ -2140,7 +2160,7 @@
 DocType: HR Settings,Employee Settings,Employee Stillingar
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Hleðsla greiðslukerfis
 ,Batch-Wise Balance History,Hópur-Wise Balance Saga
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Ekki er hægt að stilla Rate ef upphæðin er hærri en reiknuð upphæð fyrir lið {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Ekki er hægt að stilla Rate ef upphæðin er hærri en reiknuð upphæð fyrir lið {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Prenta uppfærðar í viðkomandi prenta sniði
 DocType: Package Code,Package Code,pakki Code
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,lærlingur
@@ -2148,7 +2168,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Neikvætt Magn er ekki leyfð
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Tax smáatriði borð sóttu meistara lið sem streng og geyma á þessu sviði. Notað fyrir skatta og gjöld
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Starfsmaður getur ekki skýrslu við sjálfan sig.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Starfsmaður getur ekki skýrslu við sjálfan sig.
 DocType: Leave Type,Max Leaves Allowed,Hámark Leaves leyft
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ef reikningur er frosinn, eru færslur leyft að afmörkuðum notendum."
 DocType: Email Digest,Bank Balance,Bank Balance
@@ -2174,6 +2194,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Viðskiptareikningar banka
 DocType: Quality Inspection,Readings,Upplestur
 DocType: Stock Entry,Total Additional Costs,Samtals viðbótarkostnað
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Engar milliverkanir
 DocType: BOM,Scrap Material Cost(Company Currency),Rusl efniskostnaði (Company Gjaldmiðill)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub þing
 DocType: Asset,Asset Name,Asset Name
@@ -2181,10 +2202,10 @@
 DocType: Shipping Rule Condition,To Value,til Value
 DocType: Loyalty Program,Loyalty Program Type,Hollusta Program Tegund
 DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Source vöruhús er nauðsynlegur fyrir röð {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Source vöruhús er nauðsynlegur fyrir röð {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Greiðslutími í röð {0} er hugsanlega afrit.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Landbúnaður (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,pökkun Slip
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,pökkun Slip
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,skrifstofa leigu
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Skipulag SMS Gateway stillingar
 DocType: Disease,Common Name,Algengt nafn
@@ -2216,20 +2237,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Sendu Laun Slip til starfsmanns
 DocType: Cost Center,Parent Cost Center,Parent Kostnaður Center
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Veldu Möguleg Birgir
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Veldu Möguleg Birgir
 DocType: Sales Invoice,Source,Source
 DocType: Customer,"Select, to make the customer searchable with these fields","Veldu, til að gera viðskiptavininum kleift að leita að þessum reitum"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Flytja inn afhendibréf frá Shopify á sendingu
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Sýna lokaðar
 DocType: Leave Type,Is Leave Without Pay,Er Leyfi án launa
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Flokkur er nauðsynlegur fyrir Fast eignalið
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Flokkur er nauðsynlegur fyrir Fast eignalið
 DocType: Fee Validity,Fee Validity,Gjaldgildi
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Engar færslur finnast í Greiðsla töflunni
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Þessi {0} átök með {1} fyrir {2} {3}
 DocType: Student Attendance Tool,Students HTML,nemendur HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Vinsamlegast farðu starfsmanninum <a href=""#Form/Employee/{0}"">{0}</a> \ til að hætta við þetta skjal"
 DocType: POS Profile,Apply Discount,gilda Afsláttur
 DocType: GST HSN Code,GST HSN Code,GST HSN kóða
 DocType: Employee External Work History,Total Experience,Samtals Experience
@@ -2252,7 +2270,7 @@
 DocType: Maintenance Schedule,Schedules,Skrár
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS Profile er nauðsynlegt til að nota Point-of-Sale
 DocType: Cashier Closing,Net Amount,Virði
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} hefur ekki verið send inn þannig að aðgerðin er ekki hægt að ljúka
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} hefur ekki verið send inn þannig að aðgerðin er ekki hægt að ljúka
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No
 DocType: Landed Cost Voucher,Additional Charges,Önnur Gjöld
 DocType: Support Search Source,Result Route Field,Niðurstaða leiðsögn
@@ -2281,11 +2299,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Opnun Reikningar
 DocType: Contract,Contract Details,Samningsupplýsingar
 DocType: Employee,Leave Details,Leyfi Upplýsingar
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Vinsamlegast settu User ID reit í Starfsmannafélag met að setja Starfsmannafélag hlutverki
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Vinsamlegast settu User ID reit í Starfsmannafélag met að setja Starfsmannafélag hlutverki
 DocType: UOM,UOM Name,UOM Name
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Til að senda 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Til að senda 1
 DocType: GST HSN Code,HSN Code,HSN kóða
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,framlag Upphæð
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,framlag Upphæð
 DocType: Inpatient Record,Patient Encounter,Sjúklingur Fundur
 DocType: Purchase Invoice,Shipping Address,Sendingar Address
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Þetta tól hjálpar þér að uppfæra eða festa magn og mat á lager í kerfinu. Það er oftast notuð til að samstilla kerfið gildi og hvað raunverulega er til staðar í vöruhús þínum.
@@ -2302,9 +2320,9 @@
 DocType: Travel Itinerary,Mode of Travel,Ferðalög
 DocType: Sales Invoice Item,Brand Name,Vörumerki
 DocType: Purchase Receipt,Transporter Details,Transporter Upplýsingar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Sjálfgefið vöruhús er nauðsynlegt til valið atriði
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Sjálfgefið vöruhús er nauðsynlegt til valið atriði
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Box
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Möguleg Birgir
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Möguleg Birgir
 DocType: Budget,Monthly Distribution,Mánaðarleg dreifing
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver List er tóm. Vinsamlegast búa Receiver Listi
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Heilbrigðisþjónusta (beta)
@@ -2325,6 +2343,7 @@
 ,Lead Name,Lead Name
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Horfur
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Opnun Stock Balance
 DocType: Asset Category Account,Capital Work In Progress Account,Capital vinna í framfarir reikning
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Breyting eignaverðs
@@ -2333,7 +2352,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Leaves Úthlutað Tókst fyrir {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Engir hlutir í pakka
 DocType: Shipping Rule Condition,From Value,frá Value
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Framleiðsla Magn er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Framleiðsla Magn er nauðsynlegur
 DocType: Loan,Repayment Method,endurgreiðsla Aðferð
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Ef valið þá Heimasíða verður sjálfgefið Item Group fyrir vefsvæðið
 DocType: Quality Inspection Reading,Reading 4,lestur 4
@@ -2358,7 +2377,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Tilvísun starfsmanna
 DocType: Student Group,Set 0 for no limit,Setja 0. engin takmörk
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Daginn (s) sem þú ert að sækja um leyfi eru frí. Þú þarft ekki að sækja um leyfi.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} er nauðsynlegt til að búa til upphaf {invoice_type} reikninga
 DocType: Customer,Primary Address and Contact Detail,Aðal heimilisfang og tengiliðaval
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Endursenda Greiðsla tölvupóst
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,nýtt verkefni
@@ -2368,8 +2386,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Vinsamlegast veldu að minnsta kosti eitt lén.
 DocType: Dependent Task,Dependent Task,Dependent Task
 DocType: Shopify Settings,Shopify Tax Account,Shopify Skattareikningur
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Breytistuðull fyrir sjálfgefið Mælieiningin skal vera 1 í röðinni {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Leyfi af gerð {0} má ekki vera lengri en {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Breytistuðull fyrir sjálfgefið Mælieiningin skal vera 1 í röðinni {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Leyfi af gerð {0} má ekki vera lengri en {1}
 DocType: Delivery Trip,Optimize Route,Bjartsýni leið
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prófaðu að skipuleggja starfsemi fyrir X daga fyrirvara.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2378,14 +2396,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Vinsamlegast settu Default Launaskrá Greiðist reikning í félaginu {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Fá fjárhagslegt brot á skattar og gjöld gagna af Amazon
 DocType: SMS Center,Receiver List,Receiver List
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,leit Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,leit Item
 DocType: Payment Schedule,Payment Amount,Greiðslu upphæð
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Hálft dagur Dagsetning ætti að vera á milli vinnu frá dagsetningu og vinnslutíma
 DocType: Healthcare Settings,Healthcare Service Items,Heilbrigðisþjónustudeildir
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,neytt Upphæð
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Net Breyting á Cash
 DocType: Assessment Plan,Grading Scale,flokkun Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mælieiningin {0} hefur verið slegið oftar en einu sinni í viðskipta Factor töflu
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mælieiningin {0} hefur verið slegið oftar en einu sinni í viðskipta Factor töflu
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,þegar lokið
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Lager í hendi
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2408,25 +2426,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial Nei {0} magn {1} getur ekki verið brot
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Vinsamlegast sláðu inn slóðina á Woocommerce Server
 DocType: Purchase Order Item,Supplier Part Number,Birgir Part Number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Viðskiptahlutfall er ekki hægt að 0 eða 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Viðskiptahlutfall er ekki hægt að 0 eða 1
 DocType: Share Balance,To No,Til nr
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Öll lögboðin verkefni fyrir sköpun starfsmanna hefur ekki enn verið gerðar.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} er aflýst eða henni hætt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} er aflýst eða henni hætt
 DocType: Accounts Settings,Credit Controller,Credit Controller
 DocType: Loan,Applicant Type,Umsækjandi Tegund
 DocType: Purchase Invoice,03-Deficiency in services,03-Skortur á þjónustu
 DocType: Healthcare Settings,Default Medical Code Standard,Sjálfgefin Læknisfræðileg staðal
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Kvittun {0} er ekki lögð
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Kvittun {0} er ekki lögð
 DocType: Company,Default Payable Account,Sjálfgefið Greiðist Reikningur
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Stillingar fyrir online innkaupakörfu ss reglur skipum, verðlista o.fl."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Billed
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,frátekið Magn
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,frátekið Magn
 DocType: Party Account,Party Account,Party Reikningur
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Vinsamlegast veldu fyrirtæki og tilnefningu
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Mannauður
-DocType: Lead,Upper Income,efri Tekjur
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,efri Tekjur
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,hafna
 DocType: Journal Entry Account,Debit in Company Currency,Debet í félaginu Gjaldmiðill
 DocType: BOM Item,BOM Item,BOM Item
@@ -2443,7 +2461,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Atvinnugreinar til tilnefningar {0} þegar opna \ eða leigja lokið samkvæmt starfsáætluninni {1}
 DocType: Vital Signs,Constipated,Hægðatregða
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Gegn Birgir Invoice {0} dagsett {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Gegn Birgir Invoice {0} dagsett {1}
 DocType: Customer,Default Price List,Sjálfgefið Verðskrá
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Eignastýring Hreyfing met {0} búin
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Engar vörur fundust.
@@ -2459,16 +2477,17 @@
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Viðskiptavinur Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Net Breyta í viðskiptaskuldum
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Lánshæfismat hefur verið farið fyrir viðskiptavininn {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vinsamlegast settu Nöfnunarröð fyrir {0} í gegnum Skipulag&gt; Stillingar&gt; Nöfnunarröð
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Lánshæfismat hefur verið farið fyrir viðskiptavininn {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Viðskiptavinur þarf að &#39;Customerwise Afsláttur&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Uppfæra banka greiðslu dagsetningar með tímaritum.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,verðlagning
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,verðlagning
 DocType: Quotation,Term Details,Term Upplýsingar
 DocType: Employee Incentive,Employee Incentive,Starfsmaður hvatningu
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ekki er hægt að innritast meira en {0} nemendum fyrir þessum nemendahópi.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Samtals (án skatta)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Leiða Count
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Tilboð í boði
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Tilboð í boði
 DocType: Manufacturing Settings,Capacity Planning For (Days),Getu áætlanagerð fyrir (dagar)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Öflun
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ekkert af þeim atriðum hafa allar breytingar á magni eða verðmæti.
@@ -2492,7 +2511,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Leyfi og Mæting
 DocType: Asset,Comprehensive Insurance,Alhliða trygging
 DocType: Maintenance Visit,Partially Completed,hluta Lokið
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Hollusta: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Hollusta: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Bæta við leiðum
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Miðlungs næmi
 DocType: Leave Type,Include holidays within leaves as leaves,Fela frí í laufum sem fer
 DocType: Loyalty Program,Redemption,Innlausn
@@ -2526,7 +2546,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,markaðskostnaður
 ,Item Shortage Report,Liður Skortur Report
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Ekki er hægt að búa til staðlaðar forsendur. Vinsamlegast breyttu viðmiðunum
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Þyngd er getið, \ nVinsamlega nefna &quot;Þyngd UOM&quot; of"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Þyngd er getið, \ nVinsamlega nefna &quot;Þyngd UOM&quot; of"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Efni Beiðni notað til að gera þetta lager Entry
 DocType: Hub User,Hub Password,Hub Lykilorð
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Aðskilja námskeið byggt fyrir hverja lotu
@@ -2540,15 +2560,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Skipunartími (mín.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Gera Bókhald færslu fyrir hvert Stock Hreyfing
 DocType: Leave Allocation,Total Leaves Allocated,Samtals Leaves Úthlutað
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Vinsamlegast sláðu inn fjárhagsári upphafs- og lokadagsetningar
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Vinsamlegast sláðu inn fjárhagsári upphafs- og lokadagsetningar
 DocType: Employee,Date Of Retirement,Dagsetning starfsloka
 DocType: Upload Attendance,Get Template,fá sniðmát
+,Sales Person Commission Summary,Söluupplýsingar framkvæmdastjórnarinnar
 DocType: Additional Salary Component,Additional Salary Component,Viðbótarupplýsingar Launakomponent
 DocType: Material Request,Transferred,Flutt
 DocType: Vehicle,Doors,hurðir
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Uppsetningu lokið!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Uppsetningu lokið!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Safna gjöld fyrir skráningu sjúklinga
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Get ekki breytt eiginleiki eftir viðskipti með hlutabréf. Búðu til nýtt hlut og flytja birgðir til nýju hlutarins
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Get ekki breytt eiginleiki eftir viðskipti með hlutabréf. Búðu til nýtt hlut og flytja birgðir til nýju hlutarins
 DocType: Course Assessment Criteria,Weightage,weightage
 DocType: Purchase Invoice,Tax Breakup,Tax Breakup
 DocType: Employee,Joining Details,Tengja upplýsingar
@@ -2576,14 +2597,15 @@
 DocType: Lead,Next Contact By,Næsta Samband með
 DocType: Compensatory Leave Request,Compensatory Leave Request,Bótaábyrgð
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Magn krafist fyrir lið {0} í röð {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} Ekki er hægt að eyða eins magn er fyrir hendi tl {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} Ekki er hægt að eyða eins magn er fyrir hendi tl {1}
 DocType: Blanket Order,Order Type,Order Type
 ,Item-wise Sales Register,Item-vitur Sales Register
 DocType: Asset,Gross Purchase Amount,Gross Kaup Upphæð
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Opna sölur
 DocType: Asset,Depreciation Method,Afskriftir Method
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er þetta Tax innifalinn í grunntaxta?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,alls Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,alls Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Skynjun greining
 DocType: Soil Texture,Sand Composition (%),Sand samsetning (%)
 DocType: Job Applicant,Applicant for a Job,Umsækjandi um starf
 DocType: Production Plan Material Request,Production Plan Material Request,Framleiðslu Plan Efni Beiðni
@@ -2598,23 +2620,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Námsmat (af 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Main
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Eftirfarandi atriði {0} er ekki merkt sem {1} atriði. Þú getur virkjað þau sem {1} atriði úr hlutastjóranum
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Fyrir hlut {0} skal magn vera neikvætt númer
 DocType: Naming Series,Set prefix for numbering series on your transactions,Setja forskeyti fyrir númerakerfi röð á viðskiptum þínum
 DocType: Employee Attendance Tool,Employees HTML,starfsmenn HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Sjálfgefið BOM ({0}) verður að vera virkt fyrir þetta atriði eða sniðmátið sitt
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Sjálfgefið BOM ({0}) verður að vera virkt fyrir þetta atriði eða sniðmátið sitt
 DocType: Employee,Leave Encashed?,Leyfi Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Tækifæri Frá sviði er nauðsynlegur
 DocType: Email Digest,Annual Expenses,Árleg útgjöld
 DocType: Item,Variants,afbrigði
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Gera Purchase Order
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Gera Purchase Order
 DocType: SMS Center,Send To,Senda til
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Það er ekki nóg leyfi jafnvægi um leyfi Tegund {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Það er ekki nóg leyfi jafnvægi um leyfi Tegund {0}
 DocType: Payment Reconciliation Payment,Allocated amount,úthlutað magn
 DocType: Sales Team,Contribution to Net Total,Framlag til Nettó
 DocType: Sales Invoice Item,Customer's Item Code,Liður viðskiptavinar Code
 DocType: Stock Reconciliation,Stock Reconciliation,Stock Sættir
 DocType: Territory,Territory Name,Territory Name
+DocType: Email Digest,Purchase Orders to Receive,Kaup pantanir til að fá
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Work-í-gangi Warehouse er krafist áður Senda
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Þú getur aðeins haft áætlanir með sömu innheimtuferli í áskrift
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data
@@ -2631,9 +2655,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Afrit Serial Nei slegið í lið {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Fylgjast með leiðsögn með leiðsögn.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Skilyrði fyrir Shipping reglu
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,vinsamlegast sláðu
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,vinsamlegast sláðu
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Viðhaldsskrá
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Vinsamlegast settu síuna miðað Item eða Warehouse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Vinsamlegast settu síuna miðað Item eða Warehouse
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettóþyngd þessum pakka. (Reiknaðar sjálfkrafa sem summa nettó þyngd atriði)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Gerðu Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Afsláttarfjárhæð getur ekki verið meiri en 100%
@@ -2642,15 +2666,15 @@
 DocType: Sales Order,To Deliver and Bill,Að skila og Bill
 DocType: Student Group,Instructors,leiðbeinendur
 DocType: GL Entry,Credit Amount in Account Currency,Credit Upphæð í Account Gjaldmiðill
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} Leggja skal fram
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Hlutastýring
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} Leggja skal fram
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Hlutastýring
 DocType: Authorization Control,Authorization Control,Heimildin Control
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Hafnað Warehouse er nauðsynlegur móti hafnað Item {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,greiðsla
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Hafnað Warehouse er nauðsynlegur móti hafnað Item {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,greiðsla
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Vörugeymsla {0} er ekki tengt neinum reikningi, vinsamlegast tilgreinið reikninginn í vörugeymslunni eða settu sjálfgefið birgðareikning í félaginu {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Stjórna pantanir
 DocType: Work Order Operation,Actual Time and Cost,Raunveruleg tíma og kostnað
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Efni Beiðni um hámark {0} má gera ráð fyrir lið {1} gegn Velta Order {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Efni Beiðni um hámark {0} má gera ráð fyrir lið {1} gegn Velta Order {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Crop Spacing
 DocType: Course,Course Abbreviation,Auðvitað Skammstöfun
@@ -2662,6 +2686,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Samtals vinnutími ætti ekki að vera meiri en max vinnutíma {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Á
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Knippi atriði á sölu.
+DocType: Delivery Settings,Dispatch Settings,Sendingarstillingar
 DocType: Material Request Plan Item,Actual Qty,Raunveruleg Magn
 DocType: Sales Invoice Item,References,Tilvísanir
 DocType: Quality Inspection Reading,Reading 10,lestur 10
@@ -2671,11 +2696,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Þú hefur slegið afrit atriði. Vinsamlegast lagfæra og reyndu aftur.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Félagi
 DocType: Asset Movement,Asset Movement,Asset Hreyfing
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Vinnuskilyrði {0} verður að senda inn
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,nýtt körfu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Vinnuskilyrði {0} verður að senda inn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,nýtt körfu
 DocType: Taxable Salary Slab,From Amount,Frá upphæð
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Liður {0} er ekki serialized Item
 DocType: Leave Type,Encashment,Encashment
+DocType: Delivery Settings,Delivery Settings,Afhendingastillingar
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Sækja gögn
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Hámarks leyfi sem leyfður er í tegund ferðarinnar {0} er {1}
 DocType: SMS Center,Create Receiver List,Búa Receiver lista
 DocType: Vehicle,Wheels,hjól
@@ -2691,7 +2718,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Innheimtargjald verður að vera jafnt gjaldmiðli gjaldmiðils eða félagsreiknings gjaldmiðils
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Gefur til kynna að pakki er hluti af þessari fæðingu (Only Draft)
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Row {0}: Gjalddagi má ekki vera fyrir útgáfudegi
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Row {0}: Gjalddagi má ekki vera fyrir útgáfudegi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Greiða færslu
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Magn í lið {0} verður að vera minna en {1}
 ,Sales Invoice Trends,Sölureikningi Trends
@@ -2699,12 +2726,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Getur átt röð ef gjaldið er af gerðinni &#39;On Fyrri Row Upphæð&#39; eða &#39;Fyrri Row Total&#39;
 DocType: Sales Order Item,Delivery Warehouse,Afhending Warehouse
 DocType: Leave Type,Earned Leave Frequency,Aflað Leyfi Frequency
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tré fjárhagslegum stoðsviða.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Undirgerð
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tré fjárhagslegum stoðsviða.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Undirgerð
 DocType: Serial No,Delivery Document No,Afhending Skjal nr
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Tryggja afhendingu á grundvelli framleiddra raðnúmera
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vinsamlegast settu &quot;hagnaður / tap reikning á Asset förgun&quot; í félaginu {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vinsamlegast settu &quot;hagnaður / tap reikning á Asset förgun&quot; í félaginu {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Fá atriði úr Purchase Kvittanir
 DocType: Serial No,Creation Date,Creation Date
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Markmið Staðsetning er krafist fyrir eignina {0}
@@ -2718,10 +2745,11 @@
 DocType: Item,Has Variants,hefur Afbrigði
 DocType: Employee Benefit Claim,Claim Benefit For,Kröfuhagur fyrir
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Uppfæra svar
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Þú hefur nú þegar valið hluti úr {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Þú hefur nú þegar valið hluti úr {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Heiti Monthly Distribution
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Hópur auðkenni er nauðsynlegur
 DocType: Sales Person,Parent Sales Person,Móðurfélag Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Engin atriði sem berast eru tímabært
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Seljandi og kaupandi geta ekki verið þau sömu
 DocType: Project,Collect Progress,Safna framfarir
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2737,7 +2765,7 @@
 DocType: Bank Guarantee,Margin Money,Framlegð peninga
 DocType: Budget,Budget,Budget
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Setja opinn
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fast Asset Item verður a non-birgðir atriði.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fast Asset Item verður a non-birgðir atriði.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Fjárhagsáætlun er ekki hægt að úthlutað gegn {0}, eins og það er ekki tekjur eða gjöld reikning"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Hámarksfrávik fyrir {0} er {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,náð
@@ -2755,9 +2783,9 @@
 ,Amount to Deliver,Nema Bera
 DocType: Asset,Insurance Start Date,Tryggingar upphafsdagur
 DocType: Salary Component,Flexible Benefits,Sveigjanlegan ávinning
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Sama hlutur hefur verið færður inn mörgum sinnum. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Sama hlutur hefur verið færður inn mörgum sinnum. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Hugtakið Start Date getur ekki verið fyrr en árið upphafsdagur skólaárið sem hugtakið er tengt (skólaárið {}). Vinsamlega leiðréttu dagsetningar og reyndu aftur.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Það voru villur.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Það voru villur.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Starfsmaður {0} hefur þegar sótt um {1} á milli {2} og {3}:
 DocType: Guardian,Guardian Interests,Guardian Áhugasvið
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Uppfæra reikningsnafn / númer
@@ -2796,9 +2824,9 @@
 ,Item-wise Purchase History,Item-vitur Purchase History
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Vinsamlegast smelltu á &#39;Búa Stundaskrá&#39; að ná Serial Nei bætt við fyrir lið {0}
 DocType: Account,Frozen,Frozen
-DocType: Delivery Note,Vehicle Type,Gerð ökutækis
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Gerð ökutækis
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Magn (Company Gjaldmiðill)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Hráefni
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Hráefni
 DocType: Payment Reconciliation Payment,Reference Row,Tilvísun Row
 DocType: Installation Note,Installation Time,uppsetning Time
 DocType: Sales Invoice,Accounting Details,Bókhalds Upplýsingar
@@ -2807,12 +2835,13 @@
 DocType: Inpatient Record,O Positive,O Jákvæð
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Fjárfestingar
 DocType: Issue,Resolution Details,upplausn Upplýsingar
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Tegund viðskipta
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tegund viðskipta
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,samþykktarviðmiðanir
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Vinsamlegast sláðu Efni Beiðnir í töflunni hér að ofan
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Engar endurgreiðslur eru tiltækar fyrir Journal Entry
 DocType: Hub Tracked Item,Image List,Myndalisti
 DocType: Item Attribute,Attribute Name,eigindi nafn
+DocType: Subscription,Generate Invoice At Beginning Of Period,Búðu til reikning við upphaf tímabils
 DocType: BOM,Show In Website,Sýna í Vefsíða
 DocType: Loan Application,Total Payable Amount,Alls Greiðist Upphæð
 DocType: Task,Expected Time (in hours),Væntanlegur Time (í klst)
@@ -2849,7 +2878,7 @@
 DocType: Employee,Resignation Letter Date,Störfum Letter Dagsetning
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Verðlagning Reglurnar eru frekar síuð miðað við magn.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,ekki Sett
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Vinsamlegast settu Dagsetning Tengingar fyrir starfsmann {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Vinsamlegast settu Dagsetning Tengingar fyrir starfsmann {0}
 DocType: Inpatient Record,Discharge,Losun
 DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Magn (með Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Endurtaka Tekjur viðskiptavinar
@@ -2859,13 +2888,13 @@
 DocType: Chapter,Chapter,Kafli
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,pair
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Sjálfgefin reikningur verður sjálfkrafa uppfærð í POS Reikningur þegar þessi stilling er valin.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Veldu BOM og Magn fyrir framleiðslu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Veldu BOM og Magn fyrir framleiðslu
 DocType: Asset,Depreciation Schedule,Afskriftir Stundaskrá
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Söluaðilar samstarfsaðilar og tengiliðir
 DocType: Bank Reconciliation Detail,Against Account,Against reikninginn
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Half Day Date ætti að vera á milli Frá Dagsetning og hingað
 DocType: Maintenance Schedule Detail,Actual Date,Raunveruleg Dagsetning
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Vinsamlega stilltu sjálfgefna kostnaðarmiðstöðina í {0} fyrirtæki.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Vinsamlega stilltu sjálfgefna kostnaðarmiðstöðina í {0} fyrirtæki.
 DocType: Item,Has Batch No,Hefur Batch No
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Árleg Billing: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2877,7 +2906,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift Tegund
 DocType: Student,Personal Details,Persónulegar upplýsingar
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Vinsamlegast settu &quot;Asset Afskriftir Kostnaður Center&quot; í félaginu {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Vinsamlegast settu &quot;Asset Afskriftir Kostnaður Center&quot; í félaginu {0}
 ,Maintenance Schedules,viðhald Skrár
 DocType: Task,Actual End Date (via Time Sheet),Raunveruleg End Date (með Time Sheet)
 DocType: Soil Texture,Soil Type,Jarðvegsgerð
@@ -2885,10 +2914,10 @@
 ,Quotation Trends,Tilvitnun Trends
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Item Group ekki getið í master lið fyrir lið {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless umboð
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debit Til reikning verður að vera Krafa reikning
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debit Til reikning verður að vera Krafa reikning
 DocType: Shipping Rule,Shipping Amount,Sendingar Upphæð
 DocType: Supplier Scorecard Period,Period Score,Tímabilsstig
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Bæta við viðskiptavinum
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Bæta við viðskiptavinum
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bíður Upphæð
 DocType: Lab Test Template,Special,Sérstakur
 DocType: Loyalty Program,Conversion Factor,ummyndun Factor
@@ -2905,7 +2934,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Bættu við bréfinu
 DocType: Program Enrollment,Self-Driving Vehicle,Sjálfknúin ökutæki
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Birgir Stuðningskort Standandi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Efnislisti finnst ekki fyrir þar sem efnið {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Efnislisti finnst ekki fyrir þar sem efnið {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Samtals úthlutað leyfi {0} má ekki vera minna en þegar hafa verið samþykktar lauf {1} fyrir tímabilið
 DocType: Contract Fulfilment Checklist,Requirement,Kröfu
 DocType: Journal Entry,Accounts Receivable,Reikningur fáanlegur
@@ -2921,16 +2950,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR Stillingar
 DocType: Salary Slip,net pay info,nettó borga upplýsingar
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS upphæð
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS upphæð
 DocType: Woocommerce Settings,Enable Sync,Virkja samstillingu
 DocType: Tax Withholding Rate,Single Transaction Threshold,Einstaklingsviðmiðunarmörk
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Þetta gildi er uppfært í Sjálfgefin söluverðalista.
 DocType: Email Digest,New Expenses,ný Útgjöld
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC upphæð
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC upphæð
 DocType: Shareholder,Shareholder,Hluthafi
 DocType: Purchase Invoice,Additional Discount Amount,Viðbótarupplýsingar Afsláttur Upphæð
 DocType: Cash Flow Mapper,Position,Staða
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Fáðu hluti úr lyfseðlum
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Fáðu hluti úr lyfseðlum
 DocType: Patient,Patient Details,Sjúklingur Upplýsingar
 DocType: Inpatient Record,B Positive,B Jákvæð
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2942,8 +2971,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Group Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Íþróttir
 DocType: Loan Type,Loan Name,lán Name
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,alls Raunveruleg
-DocType: Lab Test UOM,Test UOM,Prófaðu UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,alls Raunveruleg
 DocType: Student Siblings,Student Siblings,Student Systkini
 DocType: Subscription Plan Detail,Subscription Plan Detail,Áskriftaráætlun smáatriði
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Unit
@@ -2970,7 +2998,6 @@
 DocType: Workstation,Wages per hour,Laun á klukkustund
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock jafnvægi í Batch {0} verður neikvætt {1} fyrir lið {2} í Warehouse {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Eftirfarandi efni beiðnir hafa verið hækkaðir sjálfvirkt miðað aftur röð stigi atriðisins
-DocType: Email Digest,Pending Sales Orders,Bíður sölu skipunum
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Reikningur {0} er ógild. Reikningur Gjaldmiðill verður að vera {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Frá degi {0} er ekki hægt að losa starfsmanninn dagsetningu {1}
 DocType: Supplier,Is Internal Supplier,Er innri birgir
@@ -2979,13 +3006,14 @@
 DocType: Healthcare Settings,Remind Before,Minna á áður
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM viðskipta þáttur er krafist í röð {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Sales Order, Sales Invoice eða Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Sales Order, Sales Invoice eða Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 hollusta stig = hversu mikið grunn gjaldmiðil?
 DocType: Salary Component,Deduction,frádráttur
 DocType: Item,Retain Sample,Halda sýni
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Row {0}: Frá Time og til tími er nauðsynlegur.
 DocType: Stock Reconciliation Item,Amount Difference,upphæð Mismunur
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Atriði Verð bætt fyrir {0} í verðskrá {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Atriði Verð bætt fyrir {0} í verðskrá {1}
+DocType: Delivery Stop,Order Information,Panta Upplýsingar
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vinsamlegast sláðu Starfsmaður Id þessarar velta manneskja
 DocType: Territory,Classification of Customers by region,Flokkun viðskiptavina eftir svæðum
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Í framleiðslu
@@ -2996,8 +3024,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Útreiknuð Bank Yfirlýsing jafnvægi
 DocType: Normal Test Template,Normal Test Template,Venjulegt próf sniðmát
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,fatlaður notandi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Tilvitnun
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Ekki er hægt að stilla móttekið RFQ til neins vitna
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Tilvitnun
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Ekki er hægt að stilla móttekið RFQ til neins vitna
 DocType: Salary Slip,Total Deduction,Samtals Frádráttur
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Veldu reikning til að prenta í reiknings gjaldmiðli
 ,Production Analytics,framleiðslu Analytics
@@ -3010,14 +3038,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Birgir Scorecard Skipulag
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Námsmat
 DocType: Work Order Operation,Work Order Operation,Vinna fyrir aðgerðina
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Viðvörun: Ógild SSL vottorð á viðhengi {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Viðvörun: Ógild SSL vottorð á viðhengi {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leiðir hjálpa þér að fá fyrirtæki, bæta alla tengiliði þína og fleiri sem leiðir þínar"
 DocType: Work Order Operation,Actual Operation Time,Raunveruleg Operation Time
 DocType: Authorization Rule,Applicable To (User),Gildir til (User)
 DocType: Purchase Taxes and Charges,Deduct,draga
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Starfslýsing
 DocType: Student Applicant,Applied,Applied
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-opinn
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-opinn
 DocType: Sales Invoice Item,Qty as per Stock UOM,Magn eins og á lager UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Name
 DocType: Attendance,Attendance Request,Dagsbeiðni
@@ -3035,7 +3063,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Nei {0} er undir ábyrgð uppí {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Lágmarks leyfilegt gildi
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Notandi {0} er þegar til
-apps/erpnext/erpnext/hooks.py +114,Shipments,sendingar
+apps/erpnext/erpnext/hooks.py +115,Shipments,sendingar
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Total úthlutað magn (Company Gjaldmiðill)
 DocType: Purchase Order Item,To be delivered to customer,Til að vera frelsari til viðskiptavina
 DocType: BOM,Scrap Material Cost,Rusl efniskostnaði
@@ -3043,11 +3071,12 @@
 DocType: Grant Application,Email Notification Sent,Email tilkynning send
 DocType: Purchase Invoice,In Words (Company Currency),Í orðum (Company Gjaldmiðill)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Félagið er stjórnarskrá fyrir félagsreikning
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Vörunúmer, vörugeymsla, magn er krafist í röð"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Vörunúmer, vörugeymsla, magn er krafist í röð"
 DocType: Bank Guarantee,Supplier,birgir
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Fáðu Frá
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Þetta er rótdeild og er ekki hægt að breyta.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Sýna greiðsluupplýsingar
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Lengd í dögum
 DocType: C-Form,Quarter,Quarter
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Ýmis Útgjöld
 DocType: Global Defaults,Default Company,Sjálfgefið Company
@@ -3055,7 +3084,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kostnað eða Mismunur reikningur er nauðsynlegur fyrir lið {0} eins og það hefur áhrif á heildina birgðir gildi
 DocType: Bank,Bank Name,Nafn banka
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Leyfa reitinn tóm til að gera kauppantanir fyrir alla birgja
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Leyfa reitinn tóm til að gera kauppantanir fyrir alla birgja
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Göngudeild í sjúkrahúsum
 DocType: Vital Signs,Fluid,Vökvi
 DocType: Leave Application,Total Leave Days,Samtals leyfisdaga
@@ -3064,7 +3093,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Variunarstillingar
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Veldu Company ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Skildu eftir autt ef það er talið að öllum deildum
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} er nauðsynlegur fyrir lið {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} er nauðsynlegur fyrir lið {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Liður {0}: {1} Magn framleitt,"
 DocType: Payroll Entry,Fortnightly,hálfsmánaðarlega
 DocType: Currency Exchange,From Currency,frá Gjaldmiðill
@@ -3113,7 +3142,7 @@
 DocType: Account,Fixed Asset,fast Asset
 DocType: Amazon MWS Settings,After Date,Eftir dagsetningu
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,serialized Inventory
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Ógilt {0} fyrir millifærslufyrirtæki.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Ógilt {0} fyrir millifærslufyrirtæki.
 ,Department Analytics,Department Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Tölvupóstur fannst ekki í vanrækslu sambandi
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Búa til leyndarmál
@@ -3131,6 +3160,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,forstjóri
 DocType: Purchase Invoice,With Payment of Tax,Með greiðslu skatta
 DocType: Expense Claim Detail,Expense Claim Detail,Expense Krafa Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vinsamlegast skipulag kennari Nafnakerfi í menntun&gt; Menntun
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE FOR SUPPLIER
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nýtt jafnvægi í grunnvalmynd
 DocType: Location,Is Container,Er ílát
@@ -3138,13 +3168,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Vinsamlegast veldu réttan reikning
 DocType: Salary Structure Assignment,Salary Structure Assignment,Uppbygging verkefnis
 DocType: Purchase Invoice Item,Weight UOM,þyngd UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Listi yfir tiltæka hluthafa með folíumnúmerum
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Listi yfir tiltæka hluthafa með folíumnúmerum
 DocType: Salary Structure Employee,Salary Structure Employee,Laun Uppbygging Starfsmaður
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Sýna Variant Eiginleikar
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Sýna Variant Eiginleikar
 DocType: Student,Blood Group,Blóðflokkur
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Greiðslugátt reikningsins í áætluninni {0} er frábrugðin greiðslugáttarkonto í þessari greiðslubeiðni
 DocType: Course,Course Name,Auðvitað Name
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Engar skattgreiðslur sem fundust fyrir núverandi reikningsár.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Engar skattgreiðslur sem fundust fyrir núverandi reikningsár.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Notendur sem getur samþykkt yfirgefa forrit tiltekins starfsmanns
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Skrifstofa útbúnaður
 DocType: Purchase Invoice Item,Qty,Magn
@@ -3152,6 +3182,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Skora uppsetning
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Electronics
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Skuldfærslu ({0})
+DocType: BOM,Allow Same Item Multiple Times,Leyfa sama hlut marga sinnum
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Hækka Material Beiðni þegar birgðir nær aftur röð stigi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Fullt
 DocType: Payroll Entry,Employees,starfsmenn
@@ -3163,11 +3194,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Greiðsla staðfestingar
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Verð verður ekki sýnd ef verðskrá er ekki sett
 DocType: Stock Entry,Total Incoming Value,Alls Komandi Value
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Skuldfærslu Til er krafist
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Skuldfærslu Til er krafist
 DocType: Clinical Procedure,Inpatient Record,Sjúkraskrá
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets að halda utan um tíma, kostnað og innheimtu fyrir athafnir gert með lið"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Kaupverðið List
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Dagsetning viðskipta
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Kaupverðið List
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Dagsetning viðskipta
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Sniðmát af birgðatölumörkum.
 DocType: Job Offer Term,Offer Term,Tilboð Term
 DocType: Asset,Quality Manager,gæðastjóri
@@ -3188,18 +3219,18 @@
 DocType: Cashier Closing,To Time,til Time
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) fyrir {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Samþykkir hlutverk (að ofan er leyft gildi)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Inneign á reikninginn verður að vera Greiðist reikning
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Inneign á reikninginn verður að vera Greiðist reikning
 DocType: Loan,Total Amount Paid,Heildarfjárhæð greitt
 DocType: Asset,Insurance End Date,Tryggingar lokadagur
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Vinsamlegast veljið Student Entrance sem er skylt fyrir greiddan nemanda
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM endurkvæmni: {0} er ekki hægt að foreldri eða barn {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM endurkvæmni: {0} er ekki hægt að foreldri eða barn {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Fjárhagsáætlunarlisti
 DocType: Work Order Operation,Completed Qty,lokið Magn
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Fyrir {0}, aðeins debetkort reikninga er hægt að tengja við aðra tekjufærslu"
 DocType: Manufacturing Settings,Allow Overtime,leyfa yfirvinnu
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} er ekki hægt að uppfæra með Stock Sátt, vinsamlegast notaðu Stock Entry"
 DocType: Training Event Employee,Training Event Employee,Þjálfun Event Starfsmaður
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Hámarksýni - {0} er hægt að halda í lotu {1} og lið {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Hámarksýni - {0} er hægt að halda í lotu {1} og lið {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Bæta við tímaslóðum
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial Numbers krafist fyrir lið {1}. Þú hefur veitt {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Núverandi Verðmat Rate
@@ -3230,11 +3261,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial Nei {0} fannst ekki
 DocType: Fee Schedule Program,Fee Schedule Program,Gjaldskrá áætlun
 DocType: Fee Schedule Program,Student Batch,Student Hópur
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Vinsamlegast farðu starfsmanninum <a href=""#Form/Employee/{0}"">{0}</a> \ til að hætta við þetta skjal"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,gera Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Heilbrigðisþjónusta
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Þér hefur verið boðið að vinna að verkefninu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Þér hefur verið boðið að vinna að verkefninu: {0}
 DocType: Supplier Group,Parent Supplier Group,Móðir Birgir Group
+DocType: Email Digest,Purchase Orders to Bill,Kaup pantanir til Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Uppsöfnuð gildi í fyrirtækinu
 DocType: Leave Block List Date,Block Date,Block Dagsetning
 DocType: Crop,Crop,Skera
@@ -3246,6 +3280,7 @@
 DocType: Sales Order,Not Delivered,ekki Skilað
 ,Bank Clearance Summary,Bank Úthreinsun Yfirlit
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Búa til og stjórna daglega, vikulega og mánaðarlega email meltir."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Þetta byggist á viðskiptum gegn þessum söluaðila. Sjá tímalínu fyrir neðan til að fá nánari upplýsingar
 DocType: Appraisal Goal,Appraisal Goal,Úttekt Goal
 DocType: Stock Reconciliation Item,Current Amount,Núverandi Upphæð
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Byggingar
@@ -3272,7 +3307,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,hugbúnaður
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Næsta Hafa Date getur ekki verið í fortíðinni
 DocType: Company,For Reference Only.,Til viðmiðunar aðeins.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Veldu lotu nr
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Veldu lotu nr
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Ógild {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Tilvísun Inv
@@ -3290,16 +3325,16 @@
 DocType: Normal Test Items,Require Result Value,Krefjast niðurstöður gildi
 DocType: Item,Show a slideshow at the top of the page,Sýnið skyggnusýningu efst á síðunni
 DocType: Tax Withholding Rate,Tax Withholding Rate,Skatthlutfall
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,verslanir
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,verslanir
 DocType: Project Type,Projects Manager,Verkefnisstjóri
 DocType: Serial No,Delivery Time,Afhendingartími
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Öldrun Byggt á
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Skipun hætt
 DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ferðalög
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ferðalög
 DocType: Student Report Generation Tool,Include All Assessment Group,Inniheldur alla matshópa
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Engin virk eða vanræksla Laun Uppbygging finna fyrir starfsmann {0} fyrir gefnar dagsetningar
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Engin virk eða vanræksla Laun Uppbygging finna fyrir starfsmann {0} fyrir gefnar dagsetningar
 DocType: Leave Block List,Allow Users,leyfa notendum
 DocType: Purchase Order,Customer Mobile No,Viðskiptavinur Mobile Nei
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Upplýsingar um sjóðstreymi fyrir sjóðstreymi
@@ -3308,15 +3343,16 @@
 DocType: Rename Tool,Rename Tool,endurnefna Tól
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Uppfæra Kostnaður
 DocType: Item Reorder,Item Reorder,Liður Uppröðun
+DocType: Delivery Note,Mode of Transport,Flutningsmáti
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Sýna Laun Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer Efni
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer Efni
 DocType: Fees,Send Payment Request,Senda greiðslubók
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Tilgreina rekstur, rekstrarkostnaði og gefa einstakt notkun eigi að rekstri þínum."
 DocType: Travel Request,Any other details,Allar aðrar upplýsingar
 DocType: Water Analysis,Origin,Uppruni
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Þetta skjal er yfir mörkum með {0} {1} fyrir lið {4}. Ert þú að gera annað {3} gegn sama {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Vinsamlegast settu endurtekin eftir vistun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Veldu breyting upphæð reiknings
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Vinsamlegast settu endurtekin eftir vistun
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Veldu breyting upphæð reiknings
 DocType: Purchase Invoice,Price List Currency,Verðskrá Gjaldmiðill
 DocType: Naming Series,User must always select,Notandi verður alltaf að velja
 DocType: Stock Settings,Allow Negative Stock,Leyfa Neikvæð lager
@@ -3337,9 +3373,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,rekjanleiki
 DocType: Asset Maintenance Log,Actions performed,Aðgerðir gerðar
 DocType: Cash Flow Mapper,Section Leader,Kafli Leader
+DocType: Delivery Note,Transport Receipt No,Flutningsskírteini nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Uppruni Funds (Skuldir)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Uppruni og miða á staðsetningu getur ekki verið sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Magn í röð {0} ({1}) verður að vera það sama og framleiddar magn {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Magn í röð {0} ({1}) verður að vera það sama og framleiddar magn {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Starfsmaður
 DocType: Bank Guarantee,Fixed Deposit Number,Fast innborgunarnúmer
 DocType: Asset Repair,Failure Date,Bilunardagur
@@ -3353,16 +3390,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Greiðsla Frádráttur eða tap
 DocType: Soil Analysis,Soil Analysis Criterias,Jarðgreiningarkröfur
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Stöðluð samningsskilyrði til sölu eða kaup.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Ertu viss um að þú viljir hætta við þessa stefnumót?
+DocType: BOM Item,Item operation,Liður aðgerð
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Ertu viss um að þú viljir hætta við þessa stefnumót?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotel Herbergi Verðlagning Pakki
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,velta Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,velta Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Vinsamlegast settu sjálfgefin reikningur í laun Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Required On
 DocType: Rename Tool,File to Rename,Skrá til Endurnefna
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Vinsamlegast veldu BOM fyrir lið í Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Fáðu áskriftaruppfærslur
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Reikningur {0} passar ekki við fyrirtæki {1} í reikningsaðferð: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Tilgreint BOM {0} er ekki til fyrir lið {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Tilgreint BOM {0} er ekki til fyrir lið {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Námskeið:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Viðhald Dagskrá {0} verður lokað áður en hætta þessu Velta Order
@@ -3371,7 +3409,7 @@
 DocType: Notification Control,Expense Claim Approved,Expense Krafa Samþykkt
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Setja framfarir og úthluta (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Engar vinnuskipanir búin til
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Laun Slip starfsmanns {0} þegar búin á þessu tímabili
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Laun Slip starfsmanns {0} þegar búin á þessu tímabili
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Pharmaceutical
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Þú getur aðeins sent inn skiladæmi fyrir gildan skammtatölu
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnaður vegna aðkeyptrar atriði
@@ -3379,7 +3417,8 @@
 DocType: Selling Settings,Sales Order Required,Velta Order Required
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Gerast seljandi
 DocType: Purchase Invoice,Credit To,Credit Til
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Virkar leiðir / Viðskiptavinir
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Virkar leiðir / Viðskiptavinir
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Skildu eftir autt til að nota staðlaða sendingarskýringarmyndina
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Viðhald Dagskrá Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Varið við nýjar innkaupapantanir
@@ -3393,14 +3432,14 @@
 DocType: Support Search Source,Post Title Key,Post Titill lykill
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Fyrir starfskort
 DocType: Warranty Claim,Raised By,hækkaðir um
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Ávísanir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Ávísanir
 DocType: Payment Gateway Account,Payment Account,greiðsla Reikningur
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Vinsamlegast tilgreinið Company til að halda áfram
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Vinsamlegast tilgreinið Company til að halda áfram
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Net Breyta viðskiptakrafna
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,jöfnunaraðgerðir Off
 DocType: Job Offer,Accepted,Samþykkt
 DocType: POS Closing Voucher,Sales Invoices Summary,Sala reikninga Samantekt
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Til nafn aðila
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Til nafn aðila
 DocType: Grant Application,Organization,Skipulag
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
 DocType: SG Creation Tool Course,Student Group Name,Student Group Name
@@ -3409,7 +3448,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Vinsamlegast vertu viss um að þú viljir virkilega að eyða öllum viðskiptum fyrir þetta fyrirtæki. stofngögn haldast eins og það er. Þessi aðgerð er ekki hægt að afturkalla.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,leitarniðurstöður
 DocType: Room,Room Number,Room Number
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Ógild vísun {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Ógild vísun {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) getur ekki verið meiri en áætlað quanitity ({2}) í framleiðslu Order {3}
 DocType: Shipping Rule,Shipping Rule Label,Sendingar Regla Label
 DocType: Journal Entry Account,Payroll Entry,Launaskrá
@@ -3417,8 +3456,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Gerðu skattmálsgrein
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Hráefni má ekki vera auður.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Greiðsluborð): Magn verður að vera neikvætt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Gat ekki uppfært lager, reikningsnúmer inniheldur falla skipum hlut."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Greiðsluborð): Magn verður að vera neikvætt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Gat ekki uppfært lager, reikningsnúmer inniheldur falla skipum hlut."
 DocType: Contract,Fulfilment Status,Uppfyllingarstaða
 DocType: Lab Test Sample,Lab Test Sample,Lab Test Dæmi
 DocType: Item Variant Settings,Allow Rename Attribute Value,Leyfa Endurnefna Eiginleikar
@@ -3460,11 +3499,11 @@
 DocType: BOM,Show Operations,Sýna Aðgerðir
 ,Minutes to First Response for Opportunity,Mínútur til First Response fyrir Tækifæri
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,alls Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Liður eða Warehouse fyrir röð {0} passar ekki Material Beiðni
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Liður eða Warehouse fyrir röð {0} passar ekki Material Beiðni
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Mælieining
 DocType: Fiscal Year,Year End Date,Ár Lokadagur
 DocType: Task Depends On,Task Depends On,Verkefni veltur á
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,tækifæri
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,tækifæri
 DocType: Operation,Default Workstation,Sjálfgefið Workstation
 DocType: Notification Control,Expense Claim Approved Message,Kostnað Krafa Samþykkt skilaboð
 DocType: Payment Entry,Deductions or Loss,Frádráttur eða tap
@@ -3502,20 +3541,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Samþykkir notandi getur ekki verið sama og notandinn reglan er við að
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (eins og á lager UOM)
 DocType: SMS Log,No of Requested SMS,Ekkert af Beðið um SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Leyfi án launa passar ekki við viðurkenndar Leave Umsókn færslur
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Leyfi án launa passar ekki við viðurkenndar Leave Umsókn færslur
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Næstu skref
 DocType: Travel Request,Domestic,Innlendar
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Gefðu tilgreind atriði í besta mögulega verð
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Gefðu tilgreind atriði í besta mögulega verð
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Ekki er hægt að skila starfsmanni flytja fyrir flutningsdag
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Gerðu innheimtu
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Eftirstöðvar
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Eftirstöðvar
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto nálægt Tækifæri eftir 15 daga
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Innkaupapantanir eru ekki leyfðar fyrir {0} vegna punkta sem standa upp á {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Strikamerki {0} er ekki gilt {1} kóða
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Strikamerki {0} er ekki gilt {1} kóða
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,árslok
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Samningur Lokadagur verður að vera hærri en Dagsetning Tengja
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Samningur Lokadagur verður að vera hærri en Dagsetning Tengja
 DocType: Driver,Driver,Ökumaður
 DocType: Vital Signs,Nutrition Values,Næringargildi
 DocType: Lab Test Template,Is billable,Er gjaldfært
@@ -3526,7 +3565,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Þetta er dæmi website sjálfvirkt mynda frá ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Ageing Range 1
 DocType: Shopify Settings,Enable Shopify,Virkja Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Samtals fyrirfram upphæð getur ekki verið hærri en heildarfjölda krafna
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Samtals fyrirfram upphæð getur ekki verið hærri en heildarfjölda krafna
 DocType: Purchase Taxes and Charges Template,"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
@@ -3553,12 +3592,12 @@
 DocType: Employee Separation,Employee Separation,Aðskilnaður starfsmanna
 DocType: BOM Item,Original Item,Upprunalegt atriði
 DocType: Purchase Receipt Item,Recd Quantity,Recd Magn
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Skjal dagsetning
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Skjal dagsetning
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Búið - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Flokkur Reikningur
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Greiðsluborð): Magn verður að vera jákvætt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Greiðsluborð): Magn verður að vera jákvætt
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Geta ekki framleitt meira ítarefni {0} en Sales Order Magn {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Veldu Eiginleikar
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Veldu Eiginleikar
 DocType: Purchase Invoice,Reason For Issuing document,Ástæða fyrir útgáfu skjals
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Entry {0} er ekki lögð
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / Cash Account
@@ -3567,8 +3606,10 @@
 DocType: Asset,Manual,Manual
 DocType: Salary Component Account,Salary Component Account,Laun Component Reikningur
 DocType: Global Defaults,Hide Currency Symbol,Fela gjaldmiðilinn
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Sölutækifæri eftir uppspretta
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Upplýsingar um gjafa.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","td Bank, Cash, Credit Card"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum skipulag&gt; Numbers Series
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","td Bank, Cash, Credit Card"
 DocType: Job Applicant,Source Name,Source Name
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Venjulegur hvíldarþrýstingur hjá fullorðnum er u.þ.b. 120 mmHg slagbilsþrýstingur og 80 mmHg díastólskur, skammstafað &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Stilla hluti geymsluþol á dögum, til að stilla gildistíma byggt á framleiðslu_date auk sjálfs lífs"
@@ -3598,7 +3639,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Fyrir magn verður að vera minna en magn {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Byrja Bætt verður fyrir lokadagsetningu
 DocType: Salary Component,Max Benefit Amount (Yearly),Hámarksbætur (Árlega)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS hlutfall%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS hlutfall%
 DocType: Crop,Planting Area,Gróðursetningarsvæði
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Alls (Magn)
 DocType: Installation Note Item,Installed Qty,uppsett Magn
@@ -3620,8 +3661,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Skildu eftir samþykki tilkynningu
 DocType: Buying Settings,Default Buying Price List,Sjálfgefið Buying Verðskrá
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Laun Slip Byggt á tímaskráningar
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Kaupgengi
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Row {0}: Sláðu inn staðsetning fyrir eignarhlutinn {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Kaupgengi
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Row {0}: Sláðu inn staðsetning fyrir eignarhlutinn {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Um fyrirtækið
 DocType: Notification Control,Sales Order Message,Velta Order Message
@@ -3686,10 +3727,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Fyrir röð {0}: Sláðu inn skipulagt magn
 DocType: Account,Income Account,tekjur Reikningur
 DocType: Payment Request,Amount in customer's currency,Upphæð í mynt viðskiptavinarins
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Afhending
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Afhending
 DocType: Volunteer,Weekdays,Virka daga
 DocType: Stock Reconciliation Item,Current Qty,Núverandi Magn
 DocType: Restaurant Menu,Restaurant Menu,Veitingahús Valmynd
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Bæta við birgja
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Hjálparsvið
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Fyrri
@@ -3701,19 +3743,20 @@
 												fullfill Sales Order {2}",Ekki er hægt að skila raðnúmeri {0} í lið {1} eins og það er áskilið til \ fullfylltu sölupöntun {2}
 DocType: Item Reorder,Material Request Type,Efni Beiðni Type
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Senda Grant Review Email
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage er fullt, ekki spara"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM viðskipta Factor er nauðsynlegur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage er fullt, ekki spara"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM viðskipta Factor er nauðsynlegur
 DocType: Employee Benefit Claim,Claim Date,Dagsetning krafa
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Herbergi getu
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Nú þegar er skrá fyrir hlutinn {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Þú munt missa skrár af áður búin reikningum. Ertu viss um að þú viljir endurræsa þessa áskrift?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Skráningargjald
 DocType: Loyalty Program Collection,Loyalty Program Collection,Hollusta Program Collection
 DocType: Stock Entry Detail,Subcontracted Item,Undirverktaka
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Nemandi {0} tilheyrir ekki hópi {1}
 DocType: Budget,Cost Center,kostnaður Center
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,skírteini #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,skírteini #
 DocType: Notification Control,Purchase Order Message,Purchase Order skilaboð
 DocType: Tax Rule,Shipping Country,Sendingar Country
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Fela Tax Auðkenni viðskiptavinar frá sölu viðskiptum
@@ -3732,23 +3775,22 @@
 DocType: Subscription,Cancel At End Of Period,Hætta við lok tímabils
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Eign er þegar bætt við
 DocType: Item Supplier,Item Supplier,Liður Birgir
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Vinsamlegast sláðu Item Code til að fá lotu nr
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Vinsamlegast veldu gildi fyrir {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Vinsamlegast sláðu Item Code til að fá lotu nr
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Vinsamlegast veldu gildi fyrir {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Engar atriði valdir til flutnings
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Öllum vistföngum.
 DocType: Company,Stock Settings,lager Stillingar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samruni er aðeins mögulegt ef eftirfarandi eiginleikar eru sömu í báðum skrám. Er Group, Root Tegund, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samruni er aðeins mögulegt ef eftirfarandi eiginleikar eru sömu í báðum skrám. Er Group, Root Tegund, Company"
 DocType: Vehicle,Electric,Electric
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Hagnaður / tap Asset förgun
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Aðeins umsækjandi með staðalinn &quot;Samþykkt&quot; verður valinn í töflunni hér að neðan.
 DocType: Tax Withholding Category,Rates,Verð
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Reikningsnúmer fyrir reikning {0} er ekki tiltækt. <br> Vinsamlegast settu upp reikningsskýrsluna þína rétt.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Reikningsnúmer fyrir reikning {0} er ekki tiltækt. <br> Vinsamlegast settu upp reikningsskýrsluna þína rétt.
 DocType: Task,Depends on Tasks,Fer á Verkefni
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Stjórna Viðskiptavinur Group Tree.
 DocType: Normal Test Items,Result Value,Niðurstaða gildi
 DocType: Hotel Room,Hotels,Hótel
-DocType: Delivery Note,Transporter Date,Flutningsdagur
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nýtt Kostnaður Center Name
 DocType: Leave Control Panel,Leave Control Panel,Skildu Control Panel
 DocType: Project,Task Completion,verkefni Lokið
@@ -3795,11 +3837,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Allir Námsmat Hópar
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nýtt Warehouse Name
 DocType: Shopify Settings,App Type,App Tegund
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Alls {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Alls {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Territory
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vinsamlegast nefna engin heimsókna krafist
 DocType: Stock Settings,Default Valuation Method,Sjálfgefið Verðmatsaðferð
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Gjald
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Sýna uppsöfnuð upphæð
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Uppfærsla í gangi. Það gæti tekið smá stund.
 DocType: Production Plan Item,Produced Qty,Framleitt magn
 DocType: Vehicle Log,Fuel Qty,eldsneyti Magn
@@ -3807,7 +3850,7 @@
 DocType: Work Order Operation,Planned Start Time,Planned Start Time
 DocType: Course,Assessment,mat
 DocType: Payment Entry Reference,Allocated,úthlutað
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Loka Efnahagur og bók hagnaður eða tap.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Loka Efnahagur og bók hagnaður eða tap.
 DocType: Student Applicant,Application Status,Umsókn Status
 DocType: Additional Salary,Salary Component Type,Launaviðskiptategund
 DocType: Sensitivity Test Items,Sensitivity Test Items,Næmi próf atriði
@@ -3818,10 +3861,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Heildarstöðu útistandandi
 DocType: Sales Partner,Targets,markmið
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Vinsamlegast skráðu SIREN númerið í upplýsingaskránni
+DocType: Email Digest,Sales Orders to Bill,Sölupantanir til Bill
 DocType: Price List,Price List Master,Verðskrá Master
 DocType: GST Account,CESS Account,CESS reikning
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Öll sala Viðskipti má tagged móti mörgum ** sölufólk ** þannig að þú getur sett og fylgjast markmið.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Tengill við efnisbeiðni
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Tengill við efnisbeiðni
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forum Activity
 ,S.O. No.,SO nr
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Yfirlit um viðskiptastilling bankans
@@ -3836,7 +3880,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Þetta er rót viðskiptavinur hóp og ekki hægt að breyta.
 DocType: Student,AB-,vinnu í þrjá
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Aðgerð ef uppsafnað mánaðarlegt fjárhagsáætlun fór fram á PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Að setja
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Að setja
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Gengisvísitala
 DocType: POS Profile,Ignore Pricing Rule,Hunsa Verðlagning reglu
 DocType: Employee Education,Graduate,Útskrifast
@@ -3872,6 +3916,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Vinsamlegast stilltu sjálfgefinn viðskiptavin í veitingastaðnum
 ,Salary Register,laun Register
 DocType: Warehouse,Parent Warehouse,Parent Warehouse
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Mynd
 DocType: Subscription,Net Total,Net Total
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Sjálfgefið BOM fannst ekki fyrir lið {0} og verkefni {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Skilgreina ýmsar tegundir lána
@@ -3904,24 +3949,26 @@
 DocType: Membership,Membership Status,Aðildarstaða
 DocType: Travel Itinerary,Lodging Required,Gisting krafist
 ,Requested,Umbeðin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,engar athugasemdir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,engar athugasemdir
 DocType: Asset,In Maintenance,Í viðhald
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Smelltu á þennan hnapp til að draga söluuppboðsgögnin þín frá Amazon MWS.
 DocType: Vital Signs,Abdomen,Kvið
 DocType: Purchase Invoice,Overdue,tímabært
 DocType: Account,Stock Received But Not Billed,Stock mótteknar En ekki skuldfærður
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Rót Reikningur verður að vera hópur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Rót Reikningur verður að vera hópur
 DocType: Drug Prescription,Drug Prescription,Lyfseðilsskyld lyf
 DocType: Loan,Repaid/Closed,Launað / Lokað
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Alls spáð Magn
 DocType: Monthly Distribution,Distribution Name,Dreifing Name
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Innifalið UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Verðmatshlutfall fannst ekki fyrir lið {0}, sem þarf til að gera bókhaldslegar færslur fyrir {1} {2}. Ef hluturinn er í viðskiptum sem núllmatshlutfall í {1} skaltu nefna það í {1} hlutatöflunni. Annars skaltu vinsamlegast stofna viðskipti í viðskiptum fyrir vöruna eða nefna verðmat í hlutaskránni og reyndu síðan að senda inn / aftaka þessa færslu"
 DocType: Course,Course Code,Auðvitað Code
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Quality Inspection krafist fyrir lið {0}
 DocType: Location,Parent Location,Foreldri Location
 DocType: POS Settings,Use POS in Offline Mode,Notaðu POS í ótengdu ham
 DocType: Supplier Scorecard,Supplier Variables,Birgir Variables
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} er skylt. Kannski er gjaldeyrisskýrsla ekki búin til fyrir {1} til {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Gengi sem viðskiptavinurinn er mynt er breytt í grunngj.miðil félagsins
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (Company Gjaldmiðill)
 DocType: Salary Detail,Condition and Formula Help,Ástand og Formula Hjálp
@@ -3930,19 +3977,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Reikningar
 DocType: Journal Entry Account,Party Balance,Party Balance
 DocType: Cash Flow Mapper,Section Subtotal,Hluti undirliða
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Vinsamlegast veldu Virkja afsláttur á
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Vinsamlegast veldu Virkja afsláttur á
 DocType: Stock Settings,Sample Retention Warehouse,Sýnishorn vörugeymsla
 DocType: Company,Default Receivable Account,Sjálfgefið Krafa Reikningur
 DocType: Purchase Invoice,Deemed Export,Álitinn útflutningur
 DocType: Stock Entry,Material Transfer for Manufacture,Efni Transfer fyrir Framleiðsla
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Afsláttur Hlutfall hægt að beita annaðhvort á móti verðskrá eða fyrir alla verðlista.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Bókhalds Færsla fyrir Lager
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Bókhalds Færsla fyrir Lager
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Þú hefur nú þegar metið mat á viðmiðunum {}.
 DocType: Vehicle Service,Engine Oil,Vélarolía
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Vinna Pantanir Búið til: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Vinna Pantanir Búið til: {0}
 DocType: Sales Invoice,Sales Team1,velta TEAM1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Liður {0} er ekki til
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Liður {0} er ekki til
 DocType: Sales Invoice,Customer Address,viðskiptavinur Address
 DocType: Loan,Loan Details,lán Nánar
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Mistókst að skipuleggja póstfyrirtæki
@@ -3963,34 +4010,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Sýna þessa myndasýningu efst á síðunni
 DocType: BOM,Item UOM,Liður UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Skatthlutfall Eftir Afsláttur Upphæð (Company Gjaldmiðill)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target vöruhús er nauðsynlegur fyrir röð {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target vöruhús er nauðsynlegur fyrir röð {0}
 DocType: Cheque Print Template,Primary Settings,Primary Stillingar
 DocType: Attendance Request,Work From Home,Vinna heiman
 DocType: Purchase Invoice,Select Supplier Address,Veldu Birgir Address
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Bæta Starfsmenn
 DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Standard Template
 DocType: Training Event,Theory,Theory
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Viðvörun: Efni Umbeðin Magn er minna en Minimum Order Magn
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Viðvörun: Efni Umbeðin Magn er minna en Minimum Order Magn
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Reikningur {0} er frosinn
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Lögaðili / Dótturfélag með sérstakri Mynd af reikninga tilheyra stofnuninni.
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Matur, drykkir og Tobacco"
 DocType: Account,Account Number,Reikningsnúmer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Getur aðeins gera greiðslu gegn ógreitt {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,hlutfall Framkvæmdastjórnin getur ekki verið meiri en 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Getur aðeins gera greiðslu gegn ógreitt {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,hlutfall Framkvæmdastjórnin getur ekki verið meiri en 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Úthluta sjálfkrafa (FIFO)
 DocType: Volunteer,Volunteer,Sjálfboðaliði
 DocType: Buying Settings,Subcontract,undirverktaka
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Vinsamlegast sláðu inn {0} fyrst
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Engin svör frá
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Engin svör frá
 DocType: Work Order Operation,Actual End Time,Raunveruleg Lokatími
 DocType: Item,Manufacturer Part Number,Framleiðandi Part Number
 DocType: Taxable Salary Slab,Taxable Salary Slab,Skattskyld launakostnaður
 DocType: Work Order Operation,Estimated Time and Cost,Áætlaður tími og kostnaður
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Skera nafn
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Aðeins notendur með {0} hlutverk geta skráð sig á Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Aðeins notendur með {0} hlutverk geta skráð sig á Marketplace
 DocType: SMS Log,No of Sent SMS,Ekkert af Sendir SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Tilnefningar og fundir
@@ -4019,7 +4067,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Breyta kóða
 DocType: Purchase Invoice Item,Valuation Rate,verðmat Rate
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Verðlisti Gjaldmiðill ekki valinn
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Verðlisti Gjaldmiðill ekki valinn
 DocType: Purchase Invoice,Availed ITC Cess,Notaði ITC Cess
 ,Student Monthly Attendance Sheet,Student Monthly Aðsókn Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Sendingarregla gildir aðeins um sölu
@@ -4035,7 +4083,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Stjórna Velta Partners.
 DocType: Quality Inspection,Inspection Type,skoðun Type
 DocType: Fee Validity,Visited yet,Heimsóknir ennþá
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í hópinn.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í hópinn.
 DocType: Assessment Result Tool,Result HTML,niðurstaða HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hversu oft ætti verkefnið og fyrirtækið að uppfæra byggt á söluviðskiptum.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,rennur út
@@ -4043,7 +4091,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Vinsamlegast veldu {0}
 DocType: C-Form,C-Form No,C-Form Nei
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Fjarlægð
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Fjarlægð
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Skráðu vörur þínar eða þjónustu sem þú kaupir eða selur.
 DocType: Water Analysis,Storage Temperature,Geymslu hiti
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4059,19 +4107,19 @@
 DocType: Shopify Settings,Delivery Note Series,Afhendingarspjald Series
 DocType: Purchase Order Item,Returned Qty,Kominn Magn
 DocType: Student,Exit,Hætta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type er nauðsynlegur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type er nauðsynlegur
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Mistókst að setja upp forstillingar
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM viðskipti í klukkustundum
 DocType: Contract,Signee Details,Signee Upplýsingar
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} er nú með {1} Birgir Stuðningskort og RFQs til þessa birgja skal gefa út með varúð.
 DocType: Certified Consultant,Non Profit Manager,Non Profit Manager
 DocType: BOM,Total Cost(Company Currency),Total Cost (Company Gjaldmiðill)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial Nei {0} búin
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial Nei {0} búin
 DocType: Homepage,Company Description for website homepage,Fyrirtæki Lýsing á heimasíðu heimasíðuna
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Fyrir þægindi viðskiptavina, þessi númer er hægt að nota á prenti sniðum eins reikninga og sending minnismiða"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Name
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Gat ekki sótt upplýsingar um {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Opnun dagbókar
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Opnun dagbókar
 DocType: Contract,Fulfilment Terms,Uppfyllingarskilmálar
 DocType: Sales Invoice,Time Sheet List,Tími Sheet List
 DocType: Employee,You can enter any date manually,Þú getur slegið inn hvaða dagsetningu handvirkt
@@ -4106,7 +4154,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Stofnunin þín
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Skipting Leyfi úthlutun fyrir eftirfarandi starfsmenn, þar sem Leyfisúthlutunarskrár eru þegar til á móti þeim. {0}"
 DocType: Fee Component,Fees Category,Gjald Flokkur
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Vinsamlegast sláðu létta dagsetningu.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Vinsamlegast sláðu létta dagsetningu.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Upplýsingar um Sponsor (Nafn, Staðsetning)"
 DocType: Supplier Scorecard,Notify Employee,Tilkynna starfsmann
@@ -4119,9 +4167,9 @@
 DocType: Company,Chart Of Accounts Template,Mynd af reikningum sniðmáti
 DocType: Attendance,Attendance Date,Aðsókn Dagsetning
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Uppfæra hlutabréfa verður að vera virk fyrir kaupreikninginn {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Item Verð uppfærð fyrir {0} í verðskrá {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Item Verð uppfærð fyrir {0} í verðskrá {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Laun Breakup byggt á launin og frádráttur.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Reikningur með hnúta barn er ekki hægt að breyta í höfuðbók
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Reikningur með hnúta barn er ekki hægt að breyta í höfuðbók
 DocType: Purchase Invoice Item,Accepted Warehouse,Samþykkt vöruhús
 DocType: Bank Reconciliation Detail,Posting Date,staða Date
 DocType: Item,Valuation Method,Verðmatsaðferð
@@ -4158,6 +4206,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Vinsamlegast veldu lotu
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Ferðakostnaður og kostnaður
 DocType: Sales Invoice,Redemption Cost Center,Innlausnarkostnaður
+DocType: QuickBooks Migrator,Scope,Umfang
 DocType: Assessment Group,Assessment Group Name,Mat Group Name
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Efni flutt til Framleiðendur
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Bæta við upplýsingum
@@ -4165,6 +4214,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Síðast samstillt datatími
 DocType: Landed Cost Item,Receipt Document Type,Kvittun Document Type
 DocType: Daily Work Summary Settings,Select Companies,Select Stofnanir
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Tillaga / Verðtilboð
 DocType: Antibiotic,Healthcare,Heilbrigðisþjónusta
 DocType: Target Detail,Target Detail,Target Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Einn afbrigði
@@ -4174,6 +4224,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Tímabil Lokar Entry
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Veldu deild ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Kostnaður Center við núverandi viðskipti er ekki hægt að breyta í hópinn
+DocType: QuickBooks Migrator,Authorization URL,Leyfisveitandi URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Upphæð {0} {1} {2} {3}
 DocType: Account,Depreciation,gengislækkun
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Fjöldi hluta og hlutanúmer eru ósamræmi
@@ -4195,13 +4246,14 @@
 DocType: Support Search Source,Source DocType,Heimild DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Opnaðu nýjan miða
 DocType: Training Event,Trainer Email,þjálfari Email
+DocType: Driver,Transporter,Flutningsaðili
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Efni Beiðnir {0} búnar
 DocType: Restaurant Reservation,No of People,Ekkert fólk
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Snið af skilmálum eða samningi.
 DocType: Bank Account,Address and Contact,Heimilisfang og samband við
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Er reikningur Greiðist
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock Ekki er hægt að uppfæra á móti kvittun {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock Ekki er hægt að uppfæra á móti kvittun {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto nálægt Issue eftir 7 daga
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Leyfi ekki hægt að skipta áður en {0}, sem orlof jafnvægi hefur þegar verið fært sendar í framtíðinni leyfi úthlutun met {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Ath: Vegna / Frestdagur umfram leyfð viðskiptavina kredit dagar eftir {0} dag (s)
@@ -4219,7 +4271,7 @@
 ,Qty to Deliver,Magn í Bera
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon mun synkja gögn uppfærð eftir þennan dag
 ,Stock Analytics,lager Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Aðgerðir geta ekki vera autt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Aðgerðir geta ekki vera autt
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab Test (s)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Gegn Document Detail No
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Eyðing er ekki leyfð fyrir land {0}
@@ -4227,13 +4279,12 @@
 DocType: Quality Inspection,Outgoing,Outgoing
 DocType: Material Request,Requested For,Umbeðin Fyrir
 DocType: Quotation Item,Against Doctype,Against DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} er aflýst eða lokaður
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} er aflýst eða lokaður
 DocType: Asset,Calculate Depreciation,Reikna afskriftir
 DocType: Delivery Note,Track this Delivery Note against any Project,Fylgjast með þessari Delivery Ath gegn hvers Project
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Handbært fé frá fjárfesta
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Viðskiptavinur&gt; Viðskiptavinahópur&gt; Territory
 DocType: Work Order,Work-in-Progress Warehouse,Work-í-gangi Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Eignastýring {0} Leggja skal fram
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Eignastýring {0} Leggja skal fram
 DocType: Fee Schedule Program,Total Students,Samtals nemendur
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Aðsókn Record {0} hendi á móti Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Tilvísun # {0} dagsett {1}
@@ -4252,7 +4303,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Get ekki búið til viðhaldsbónus fyrir vinstri starfsmenn
 DocType: Lead,Market Segment,Market Segment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Landbúnaðarstjóri
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Greiddur Upphæð má ekki vera meiri en heildar neikvæð útistandandi {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Greiddur Upphæð má ekki vera meiri en heildar neikvæð útistandandi {0}
 DocType: Supplier Scorecard Period,Variables,Variables
 DocType: Employee Internal Work History,Employee Internal Work History,Starfsmaður Innri Vinna Saga
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Lokun (Dr)
@@ -4276,22 +4327,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Products
 DocType: Loyalty Point Entry,Loyalty Program,Hollusta Program
 DocType: Student Guardian,Father,faðir
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Stuðningur miða
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Uppfæra Stock&#39; Ekki er hægt að athuga fasta sölu eigna
 DocType: Bank Reconciliation,Bank Reconciliation,Bank Sættir
 DocType: Attendance,On Leave,Í leyfi
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,fá uppfærslur
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ekki tilheyra félaginu {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Veldu að minnsta kosti eitt gildi af hverju eiginleiki.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Veldu að minnsta kosti eitt gildi af hverju eiginleiki.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Efni Beiðni {0} er aflýst eða henni hætt
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Sendingarríki
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Sendingarríki
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Skildu Stjórnun
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,hópar
 DocType: Purchase Invoice,Hold Invoice,Haltu innheimtu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Vinsamlegast veldu Starfsmaður
 DocType: Sales Order,Fully Delivered,Alveg Skilað
-DocType: Lead,Lower Income,neðri Tekjur
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,neðri Tekjur
 DocType: Restaurant Order Entry,Current Order,Núverandi röð
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Fjöldi raðnúmera og magns verður að vera það sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Uppspretta og miða vöruhús getur ekki verið það sama fyrir röð {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Uppspretta og miða vöruhús getur ekki verið það sama fyrir röð {0}
 DocType: Account,Asset Received But Not Billed,Eign tekin en ekki reiknuð
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Munurinn Reikningur verður að vera Eigna- / Ábyrgðartegund reikningur, þar sem þetta Stock Sáttargjörð er Opening Entry"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Andvirði lánsins getur ekki verið hærri en Lánsupphæðir {0}
@@ -4300,7 +4353,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Innkaupapöntunarnúmeri þarf fyrir lið {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&quot;Frá Dagsetning &#39;verður að vera eftir&#39; Til Dagsetning &#39;
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Engar áætlanir um starfsmenntun fundust fyrir þessa tilnefningu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Hópur {0} í lið {1} er óvirkur.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Hópur {0} í lið {1} er óvirkur.
 DocType: Leave Policy Detail,Annual Allocation,Árleg úthlutun
 DocType: Travel Request,Address of Organizer,Heimilisfang skipuleggjanda
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Veldu heilbrigðisstarfsmann ...
@@ -4309,12 +4362,12 @@
 DocType: Asset,Fully Depreciated,Alveg afskrifaðar
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stock Áætlaðar Magn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Viðskiptavinur {0} ekki tilheyra verkefninu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Viðskiptavinur {0} ekki tilheyra verkefninu {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Aðsókn HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",Tilvitnanir eru tillögur tilboðum þú sendir til viðskiptavina þinna
 DocType: Sales Invoice,Customer's Purchase Order,Viðskiptavinar Purchase Order
 DocType: Clinical Procedure,Patient,Sjúklingur
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bannað lánshæfiseinkunn á söluskilningi
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bannað lánshæfiseinkunn á söluskilningi
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Starfsmaður um borð
 DocType: Location,Check if it is a hydroponic unit,Athugaðu hvort það sé vatnsheld eining
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial Nei og Batch
@@ -4324,7 +4377,7 @@
 DocType: Supplier Scorecard Period,Calculations,Útreikningar
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Gildi eða Magn
 DocType: Payment Terms Template,Payment Terms,Greiðsluskilmála
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions Pantanir geta ekki hækkað um:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions Pantanir geta ekki hækkað um:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minute
 DocType: Purchase Invoice,Purchase Taxes and Charges,Purchase skatta og gjöld
 DocType: Chapter,Meetup Embed HTML,Meetup Fella HTML inn
@@ -4332,17 +4385,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Fara til birgja
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Lokaskírteini Skattar
 ,Qty to Receive,Magn til Fá
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Upphafs- og lokadagar ekki í gildum launum, geta ekki reiknað út {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Upphafs- og lokadagar ekki í gildum launum, geta ekki reiknað út {0}."
 DocType: Leave Block List,Leave Block List Allowed,Skildu Block List leyfðar
 DocType: Grading Scale Interval,Grading Scale Interval,Flokkun deilingar
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kostnað Krafa um ökutæki Innskráning {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Afsláttur (%) á Verðskrá Verð með Minni
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Allir Vöruhús
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Engin {0} fundust fyrir millifærsluviðskipti.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Engin {0} fundust fyrir millifærsluviðskipti.
 DocType: Travel Itinerary,Rented Car,Leigðu bíl
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Um fyrirtækið þitt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Inneign á reikninginn verður að vera Efnahagur reikning
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Inneign á reikninginn verður að vera Efnahagur reikning
 DocType: Donor,Donor,Gjafa
 DocType: Global Defaults,Disable In Words,Slökkva á í orðum
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Item Code er nauðsynlegur vegna þess að hluturinn er ekki sjálfkrafa taldir
@@ -4354,14 +4407,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bank Heimildarlás Account
 DocType: Patient,Patient ID,Patient ID
 DocType: Practitioner Schedule,Schedule Name,Stundaskrá Nafn
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Sala leiðsla eftir stigi
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Gera Laun Slip
 DocType: Currency Exchange,For Buying,Til kaupa
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Bæta við öllum birgjum
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Bæta við öllum birgjum
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Úthlutað Magn má ekki vera hærra en útistandandi upphæð.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Fletta BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Veðlán
 DocType: Purchase Invoice,Edit Posting Date and Time,Edit Staða Dagsetning og tími
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vinsamlegast settu Fyrningar tengjast Accounts í eignaflokki {0} eða félaginu {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vinsamlegast settu Fyrningar tengjast Accounts í eignaflokki {0} eða félaginu {1}
 DocType: Lab Test Groups,Normal Range,Venjulegt svið
 DocType: Academic Term,Academic Year,skólaárinu
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Laus selja
@@ -4390,26 +4444,26 @@
 DocType: Patient Appointment,Patient Appointment,Sjúklingaráð
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Samþykkir hlutverki getur ekki verið sama og hlutverk reglan er við að
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Segja upp áskrift að þessum tölvupósti Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Fáðu birgja eftir
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Fáðu birgja eftir
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} fannst ekki fyrir lið {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Fara í námskeið
 DocType: Accounts Settings,Show Inclusive Tax In Print,Sýna innifalið skatt í prenti
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankareikningur, Frá Dagsetning og Dagsetning er skylt"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,skilaboð send
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Reikningur með hnúta barn er ekki hægt að setja eins og höfuðbók
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Reikningur með hnúta barn er ekki hægt að setja eins og höfuðbók
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Gengi sem Verðskrá mynt er breytt í grunngj.miðil viðskiptavinarins
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Net Magn (Company Gjaldmiðill)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Heildarfjöldi fyrirframgreiðslna má ekki vera hærri en heildarfjárhæðir
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Heildarfjöldi fyrirframgreiðslna má ekki vera hærri en heildarfjárhæðir
 DocType: Salary Slip,Hour Rate,Hour Rate
 DocType: Stock Settings,Item Naming By,Liður Nöfn By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Annar Tímabil Lokar Entry {0} hefur verið gert eftir {1}
 DocType: Work Order,Material Transferred for Manufacturing,Efni flutt til framleiðslu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Reikningur {0} er ekki til
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Veldu hollusta program
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Veldu hollusta program
 DocType: Project,Project Type,Project Type
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Barnaskipti er til fyrir þetta verkefni. Þú getur ekki eytt þessu verkefni.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Annaðhvort miða Magn eða miða upphæð er nauðsynlegur.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Annaðhvort miða Magn eða miða upphæð er nauðsynlegur.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Kostnaður við ýmiss konar starfsemi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Stilling viðburðir til {0}, þar sem Starfsmannafélag fylgir að neðan sölufólk er ekki með notendanafn {1}"
 DocType: Timesheet,Billing Details,Billing Upplýsingar
@@ -4466,13 +4520,13 @@
 DocType: Inpatient Record,A Negative,Neikvætt
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ekkert meira að sýna.
 DocType: Lead,From Customer,frá viðskiptavinar
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,símtöl
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,símtöl
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,A vara
 DocType: Employee Tax Exemption Declaration,Declarations,Yfirlýsingar
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Hópur
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Gerðu gjaldskrá
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Purchase Order {0} er ekki lögð
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Purchase Order {0} er ekki lögð
 DocType: Account,Expenses Included In Asset Valuation,Útgjöld innifalinn í eignatryggingu
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Venjulegt viðmiðunarmörk fyrir fullorðna er 16-20 andardráttar / mínútur (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,gjaldskrá Number
@@ -4485,6 +4539,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Vinsamlegast vista sjúklinginn fyrst
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Aðsókn hefur verið merkt með góðum árangri.
 DocType: Program Enrollment,Public Transport,Almenningssamgöngur
+DocType: Delivery Note,GST Vehicle Type,GST gerð ökutækis
 DocType: Soil Texture,Silt Composition (%),Silt Samsetning (%)
 DocType: Journal Entry,Remark,athugasemd
 DocType: Healthcare Settings,Avoid Confirmation,Forðastu staðfestingu
@@ -4493,11 +4548,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Blöð og Holiday
 DocType: Education Settings,Current Academic Term,Núverandi námsbraut
 DocType: Sales Order,Not Billed,ekki borgað
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Bæði Warehouse að tilheyra sama Company
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Bæði Warehouse að tilheyra sama Company
 DocType: Employee Grade,Default Leave Policy,Sjálfgefin skiladagur
 DocType: Shopify Settings,Shop URL,Verslunarslóð
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Engir tengiliðir bætt við enn.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum skipulag&gt; Numbers Series
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landað Kostnaður skírteini Magn
 ,Item Balance (Simple),Varajöfnuður (Einföld)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Víxlar hækkaðir um birgja.
@@ -4522,7 +4576,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Tilvitnun Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",Atriði til staðar með sama nafni ({0}) skaltu breyta liður heiti hópsins eða endurnefna hlutinn
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Jarðgreiningarmörk
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Vinsamlegast veldu viðskiptavin
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Vinsamlegast veldu viðskiptavin
 DocType: C-Form,I,ég
 DocType: Company,Asset Depreciation Cost Center,Eignastýring Afskriftir Kostnaður Center
 DocType: Production Plan Sales Order,Sales Order Date,Velta Order Dagsetning
@@ -4535,8 +4589,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Eins og er ekki birgðir í boði á hvaða vöruhúsi
 ,Payment Period Based On Invoice Date,Greiðsla Tímabil Byggt á reikningi Dagsetning
 DocType: Sample Collection,No. of print,Fjöldi prenta
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Afmælisdagur afmæli
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Herbergi pöntunartilboð
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Vantar gjaldeyri Verð fyrir {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Vantar gjaldeyri Verð fyrir {0}
 DocType: Employee Health Insurance,Health Insurance Name,Sjúkratryggingar Nafn
 DocType: Assessment Plan,Examiner,prófdómari
 DocType: Student,Siblings,systkini
@@ -4553,19 +4608,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,ný Viðskiptavinir
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Framlegð%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Skipun {0} og sölureikningur {1} fellur niður
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Tækifæri eftir forystu
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Breyta POS Profile
 DocType: Bank Reconciliation Detail,Clearance Date,úthreinsun Dagsetning
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Eignin er þegar til staðar gegn hlutnum {0}, þú getur ekki breytt raðnúmerinu"
+DocType: Delivery Settings,Dispatch Notification Template,Tilkynningarsniðmát
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Eignin er þegar til staðar gegn hlutnum {0}, þú getur ekki breytt raðnúmerinu"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Matsskýrsla
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Fá starfsmenn
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross Purchase Upphæð er nauðsynlegur
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Nafn fyrirtækis er ekki sama
 DocType: Lead,Address Desc,Heimilisfang karbósýklískan
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party er nauðsynlegur
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Röð með tvíhliða gjalddaga í öðrum röðum fundust: {list}
 DocType: Topic,Topic Name,Topic Name
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Vinsamlegast stilltu sjálfgefið sniðmát fyrir leyfi um leyfi fyrir leyfi í HR-stillingum.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Vinsamlegast stilltu sjálfgefið sniðmát fyrir leyfi um leyfi fyrir leyfi í HR-stillingum.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Atleast einn af selja eða kaupa verður að vera valinn
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Veldu starfsmann til að fá starfsmanninn fyrirfram.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Vinsamlegast veldu gild dagsetningu
@@ -4599,6 +4655,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Viðskiptavina eða Birgir Upplýsingar
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Núverandi eignvirði
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks félagsauðkenni
 DocType: Travel Request,Travel Funding,Ferðasjóður
 DocType: Loan Application,Required by Date,Krafist af Dagsetning
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Tengill til allra staða þar sem skógurinn er að vaxa
@@ -4612,9 +4669,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Laus Hópur Magn á frá vöruhúsi
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Total Frádráttur - Lán Endurgreiðsla
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Núverandi BOM og New BOM getur ekki verið það sama
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Núverandi BOM og New BOM getur ekki verið það sama
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Laun Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Dagsetning starfsloka verður að vera hærri en Dagsetning Tengja
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Dagsetning starfsloka verður að vera hærri en Dagsetning Tengja
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Margfeldi afbrigði
 DocType: Sales Invoice,Against Income Account,Against þáttatekjum
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Skilað
@@ -4643,7 +4700,7 @@
 DocType: POS Profile,Update Stock,Uppfæra Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Mismunandi UOM að atriðum mun leiða til rangrar (alls) nettóþyngd gildi. Gakktu úr skugga um að nettóþyngd hvern hlut er í sama UOM.
 DocType: Certification Application,Payment Details,Greiðsluupplýsingar
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",Stöðvuð vinnuskilyrði er ekki hægt að hætta við. Stöðva það fyrst til að hætta við
 DocType: Asset,Journal Entry for Scrap,Journal Entry fyrir rusl
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Vinsamlegast draga atriði úr afhendingarseðlinum
@@ -4666,11 +4723,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Alls bundnar Upphæð
 ,Purchase Analytics,kaup Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Afhending Note Item
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Núverandi reikningur {0} vantar
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Núverandi reikningur {0} vantar
 DocType: Asset Maintenance Log,Task,verkefni
 DocType: Purchase Taxes and Charges,Reference Row #,Tilvísun Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Lotunúmer er nauðsynlegur fyrir lið {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Þetta er rót velta manneskja og ekki hægt að breyta.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Þetta er rót velta manneskja og ekki hægt að breyta.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ef valið er, mun gildi sem tilgreint eða reiknað er í þessum hluta ekki stuðla að tekjum eða frádráttum. Hins vegar er það gildi sem hægt er að vísa til af öðrum hlutum sem hægt er að bæta við eða draga frá."
 DocType: Asset Settings,Number of Days in Fiscal Year,Fjöldi daga á reikningsárinu
 ,Stock Ledger,Stock Ledger
@@ -4678,7 +4735,7 @@
 DocType: Company,Exchange Gain / Loss Account,Gengishagnaður / Rekstrarreikningur
 DocType: Amazon MWS Settings,MWS Credentials,MWS persónuskilríki
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Starfsmaður og Mæting
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Tilgangurinn verður að vera einn af {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Tilgangurinn verður að vera einn af {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Fylltu út formið og vista hana
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum Community
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Raunverulegur fjöldi á lager
@@ -4693,7 +4750,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard sölugengi
 DocType: Account,Rate at which this tax is applied,Gengi sem þessi skattur er beitt
 DocType: Cash Flow Mapper,Section Name,Section Name
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Uppröðun Magn
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Uppröðun Magn
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Afskriftir Rauða {0}: Vænt gildi eftir nýtingartíma verður að vera meiri en eða jafnt við {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Núverandi Op Atvinna
 DocType: Company,Stock Adjustment Account,Stock jöfnunarreikning
@@ -4703,8 +4760,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (ur) ID. Ef sett, mun það verða sjálfgefið fyrir allar HR eyðublöð."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Færðu inn upplýsingar um afskriftir
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Frá {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Leyfi umsókn {0} er nú þegar á móti nemandanum {1}
 DocType: Task,depends_on,veltur á
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Í biðstöðu fyrir að uppfæra nýjustu verð í öllum efnisskránni. Það getur tekið nokkrar mínútur.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Í biðstöðu fyrir að uppfæra nýjustu verð í öllum efnisskránni. Það getur tekið nokkrar mínútur.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nafn nýja reikninginn. Ath: Vinsamlegast bý ekki reikninga fyrir viðskiptavini og birgja
 DocType: POS Profile,Display Items In Stock,Sýna vörur á lager
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Land vitur sjálfgefið veffang Sniðmát
@@ -4734,16 +4792,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots fyrir {0} eru ekki bætt við áætlunina
 DocType: Product Bundle,List items that form the package.,Listaatriði sem mynda pakka.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Ekki leyfilegt. Vinsamlega slökkva á prófunarsniðinu
+DocType: Delivery Note,Distance (in km),Fjarlægð (í km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Hlutfall Úthlutun skal vera jafnt og 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Vinsamlegast veldu dagsetningu birtingar áður en þú velur Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Vinsamlegast veldu dagsetningu birtingar áður en þú velur Party
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Út af AMC
+DocType: Opportunity,Opportunity Amount,Tækifærsla
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Fjöldi Afskriftir bókað getur ekki verið meiri en heildarfjöldi Afskriftir
 DocType: Purchase Order,Order Confirmation Date,Panta staðfestingardag
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Gera Viðhald Heimsókn
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Upphafsdagur og lokadagur er skarast við starfskortið <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Upplýsingar um starfsmannaskipti
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Vinsamlegast hafðu samband við til notanda sem hefur sala Master Manager {0} hlutverki
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Vinsamlegast hafðu samband við til notanda sem hefur sala Master Manager {0} hlutverki
 DocType: Company,Default Cash Account,Sjálfgefið Cash Reikningur
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (ekki viðskiptamenn eða birgja) skipstjóri.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Þetta er byggt á mætingu þessa Student
@@ -4751,9 +4812,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Bæta við fleiri atriði eða opnu fulla mynd
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Afhending Skýringar {0} verður lokað áður en hætta þessu Velta Order
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Fara til notenda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Greiddur upphæð + afskrifa Upphæð má ekki vera meiri en Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Greiddur upphæð + afskrifa Upphæð má ekki vera meiri en Grand Total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ekki gild Batch Símanúmer fyrir lið {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Athugið: Það er ekki nóg leyfi jafnvægi um leyfi Tegund {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Athugið: Það er ekki nóg leyfi jafnvægi um leyfi Tegund {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Ógild GSTIN eða Sláðu inn NA fyrir óskráð
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program innritunargjöld
@@ -4770,7 +4831,7 @@
 DocType: Fee Schedule,Fee Schedule,gjaldskrá
 DocType: Company,Create Chart Of Accounts Based On,Búa graf af reikningum miðað við
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Ekki er hægt að umbreyta því til annarra hópa. Barnatriði eru til.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Fæðingardagur getur ekki verið meiri en í dag.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Fæðingardagur getur ekki verið meiri en í dag.
 ,Stock Ageing,Stock Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Að hluta til styrkt, krefjast hluta fjármögnunar"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} hendi gegn kæranda nemandi {1}
@@ -4817,11 +4878,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,áður sátta
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skattar og gjöld bætt (Company Gjaldmiðill)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Liður Tax Row {0} verður að hafa hliðsjón af tegund skatta eða tekjur eða gjöld eða Skuldfæranlegar
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Liður Tax Row {0} verður að hafa hliðsjón af tegund skatta eða tekjur eða gjöld eða Skuldfæranlegar
 DocType: Sales Order,Partly Billed,hluta Billed
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Liður {0} verður að vera fast eign Item
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Gerðu afbrigði
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Gerðu afbrigði
 DocType: Item,Default BOM,Sjálfgefið BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Samtals innheimt upphæð (með sölutölum)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Gengisskuldbinding
@@ -4850,13 +4911,13 @@
 DocType: Notification Control,Custom Message,Custom Message
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Fyrirtækjaráðgjöf
 DocType: Purchase Invoice,input,inntak
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Cash eða Bank Account er nauðsynlegur til að gera greiðslu færslu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Cash eða Bank Account er nauðsynlegur til að gera greiðslu færslu
 DocType: Loyalty Program,Multiple Tier Program,Margfeldi flokkaupplýsingar
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Námsmaður Heimilisfang
 DocType: Purchase Invoice,Price List Exchange Rate,Verðskrá Exchange Rate
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Allir Birgir Hópar
 DocType: Employee Boarding Activity,Required for Employee Creation,Nauðsynlegt fyrir starfsmannasköpun
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Reikningsnúmer {0} þegar notað í reikningnum {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Reikningsnúmer {0} þegar notað í reikningnum {1}
 DocType: GoCardless Mandate,Mandate,Umboð
 DocType: POS Profile,POS Profile Name,POS prófíl nafn
 DocType: Hotel Room Reservation,Booked,Bókað
@@ -4872,18 +4933,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Tilvísunarnúmer er nauðsynlegt ef þú færð viðmiðunardagur
 DocType: Bank Reconciliation Detail,Payment Document,greiðsla Document
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Villa við að meta viðmiðunarformúluna
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Dagsetning Tengja verður að vera meiri en Fæðingardagur
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Dagsetning Tengja verður að vera meiri en Fæðingardagur
 DocType: Subscription,Plans,Áætlanir
 DocType: Salary Slip,Salary Structure,laun Uppbygging
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Airline
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Issue Efni
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Issue Efni
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Tengdu Shopify með ERPNext
 DocType: Material Request Item,For Warehouse,fyrir Warehouse
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Sendingarskýringar {0} uppfærðar
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Sendingarskýringar {0} uppfærðar
 DocType: Employee,Offer Date,Tilboð Dagsetning
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tilvitnun
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Þú ert í offline háttur. Þú munt ekki vera fær um að endurhlaða fyrr en þú hefur net.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Tilvitnun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Þú ert í offline háttur. Þú munt ekki vera fær um að endurhlaða fyrr en þú hefur net.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Engar Student Groups búin.
 DocType: Purchase Invoice Item,Serial No,Raðnúmer
@@ -4895,24 +4956,26 @@
 DocType: Sales Invoice,Customer PO Details,Upplýsingar viðskiptavina
 DocType: Stock Entry,Including items for sub assemblies,Þ.mt atriði fyrir undir þingum
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tímabundin opnunareikningur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Sláðu gildi verður að vera jákvæð
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Sláðu gildi verður að vera jákvæð
 DocType: Asset,Finance Books,Fjármálabækur
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Skattflokkun starfsmanna Skattlausn
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Allir Territories
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Vinsamlegast settu leyfi fyrir starfsmanninn {0} í Starfsmanni / Stigaskrá
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ógildur sængurpöntun fyrir valda viðskiptavininn og hlutinn
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ógildur sængurpöntun fyrir valda viðskiptavininn og hlutinn
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Bæta við mörgum verkefnum
 DocType: Purchase Invoice,Items,atriði
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Lokadagur getur ekki verið fyrir upphafsdag.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Nemandi er nú skráður.
 DocType: Fiscal Year,Year Name,ár Name
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Það eru fleiri frídagar en vinnudögum þessum mánuði.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Það eru fleiri frídagar en vinnudögum þessum mánuði.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Eftirfarandi hlutir {0} eru ekki merktar sem {1} atriði. Þú getur virkjað þau sem {1} atriði úr hlutastjóranum
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Vara Knippi Item
 DocType: Sales Partner,Sales Partner Name,Heiti Sales Partner
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Beiðni um tilvitnanir
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Beiðni um tilvitnanir
 DocType: Payment Reconciliation,Maximum Invoice Amount,Hámarks Invoice Amount
 DocType: Normal Test Items,Normal Test Items,Venjuleg prófunaratriði
+DocType: QuickBooks Migrator,Company Settings,Fyrirtæki Stillingar
 DocType: Additional Salary,Overwrite Salary Structure Amount,Yfirskrifa launauppbyggingarfjárhæð
 DocType: Student Language,Student Language,Student Tungumál
 apps/erpnext/erpnext/config/selling.py +23,Customers,viðskiptavinir
@@ -4924,21 +4987,23 @@
 DocType: Issue,Opening Time,opnun Time
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Frá og Til dagsetningar krafist
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Verðbréf &amp; hrávöru ungmennaskipti
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default Mælieiningin fyrir Variant &#39;{0}&#39; verða að vera sama og í sniðmáti &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default Mælieiningin fyrir Variant &#39;{0}&#39; verða að vera sama og í sniðmáti &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Reikna miðað við
 DocType: Contract,Unfulfilled,Ófullnægjandi
 DocType: Delivery Note Item,From Warehouse,frá Warehouse
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Engar starfsmenn fyrir nefndar viðmiðanir
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Engar Verk með Bill of Materials að Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Engar Verk með Bill of Materials að Manufacture
 DocType: Shopify Settings,Default Customer,Sjálfgefið viðskiptavinur
+DocType: Sales Stage,Stage Name,Sviðsnafn
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Umsjón Name
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Ekki staðfestu ef skipun er búin til fyrir sama dag
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Skip til ríkis
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Skip til ríkis
 DocType: Program Enrollment Course,Program Enrollment Course,Forritunarnámskeið
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Notandi {0} er þegar úthlutað heilbrigðisstarfsmanni {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Gerðu sýnishorn varðveislu birgðir
 DocType: Purchase Taxes and Charges,Valuation and Total,Verðmat og Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Samningaviðræður / endurskoðun
 DocType: Leave Encashment,Encashment Amount,Innheimtuhækkun
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Stigatöflur
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Útrunnið lotur
@@ -4948,7 +5013,7 @@
 DocType: Staffing Plan Detail,Current Openings,Núverandi op
 DocType: Notification Control,Customize the Notification,Sérsníða tilkynningu
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Handbært fé frá rekstri
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST upphæð
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST upphæð
 DocType: Purchase Invoice,Shipping Rule,Sendingar Regla
 DocType: Patient Relation,Spouse,Maki
 DocType: Lab Test Groups,Add Test,Bæta við prófun
@@ -4962,14 +5027,14 @@
 DocType: Payroll Entry,Payroll Frequency,launaskrá Tíðni
 DocType: Lab Test Template,Sensitivity,Viðkvæmni
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Samstillingu hefur verið lokað fyrir tímabundið vegna þess að hámarksstraumur hefur verið farið yfir
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Hrátt efni
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Hrátt efni
 DocType: Leave Application,Follow via Email,Fylgdu með tölvupósti
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Plöntur og Machineries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skatthlutfall Eftir Afsláttur Upphæð
 DocType: Patient,Inpatient Status,Staða sjúklings
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglegar Stillingar Vinna Yfirlit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Valin verðskrá ætti að hafa keypt og selt reiti skoðuð.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Vinsamlegast sláðu inn Reqd eftir dagsetningu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Valin verðskrá ætti að hafa keypt og selt reiti skoðuð.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Vinsamlegast sláðu inn Reqd eftir dagsetningu
 DocType: Payment Entry,Internal Transfer,innri Transfer
 DocType: Asset Maintenance,Maintenance Tasks,Viðhaldsverkefni
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Annaðhvort miða Magn eða miða upphæð er nauðsynlegur
@@ -4990,7 +5055,7 @@
 DocType: Mode of Payment,General,almennt
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Síðasta samskipti
 ,TDS Payable Monthly,TDS greiðanleg mánaðarlega
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Í biðstöðu fyrir að skipta um BOM. Það getur tekið nokkrar mínútur.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Í biðstöðu fyrir að skipta um BOM. Það getur tekið nokkrar mínútur.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Get ekki draga þegar flokkur er fyrir &#39;Verðmat&#39; eða &#39;Verðmat og heildar&#39;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos Áskilið fyrir serialized lið {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Passa Greiðslur með Reikningar
@@ -5003,7 +5068,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Bæta í körfu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Group By
 DocType: Guardian,Interests,Áhugasvið
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Virkja / slökkva á gjaldmiðla.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Virkja / slökkva á gjaldmiðla.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Gat ekki sent inn launatölur
 DocType: Exchange Rate Revaluation,Get Entries,Fáðu færslur
 DocType: Production Plan,Get Material Request,Fá Material Beiðni
@@ -5025,15 +5090,16 @@
 DocType: Lead,Lead Type,Lead Tegund
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Þú hefur ekki heimild til að samþykkja lauf á Block Dagsetningar
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Öll þessi atriði hafa þegar verið reikningsfærð
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Stilla nýjan útgáfudag
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Stilla nýjan útgáfudag
 DocType: Company,Monthly Sales Target,Mánaðarlegt sölumarkmið
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Getur verið samþykkt af {0}
 DocType: Hotel Room,Hotel Room Type,Hótel Herbergi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Birgir&gt; Birgir Tegund
 DocType: Leave Allocation,Leave Period,Leyfi
 DocType: Item,Default Material Request Type,Default Efni Beiðni Type
 DocType: Supplier Scorecard,Evaluation Period,Matartímabil
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,óþekkt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Vinna Order ekki búið til
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Vinna Order ekki búið til
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Magn {0} sem þegar er krafist fyrir hluti {1}, \ stilla magnið sem er jafnt eða stærra en {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Shipping regla Skilyrði
@@ -5066,15 +5132,15 @@
 DocType: Batch,Source Document Name,Heimild skjal Nafn
 DocType: Production Plan,Get Raw Materials For Production,Fáðu hráefni til framleiðslu
 DocType: Job Opening,Job Title,Starfsheiti
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0} gefur til kynna að {1} muni ekki gefa til kynna en allir hlutir \ hafa verið vitnar í. Uppfæra RFQ vitna stöðu.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Hámarksýni - {0} hafa þegar verið haldið fyrir lotu {1} og lið {2} í lotu {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Hámarksýni - {0} hafa þegar verið haldið fyrir lotu {1} og lið {2} í lotu {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Uppfæra BOM kostnað sjálfkrafa
 DocType: Lab Test,Test Name,Próf Nafn
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klínísk verklagsvaranotkun
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Búa notendur
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Áskriftir
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Áskriftir
 DocType: Supplier Scorecard,Per Month,Á mánuði
 DocType: Education Settings,Make Academic Term Mandatory,Gerðu fræðilegan tíma skylt
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Magn á Framleiðsla verður að vera hærri en 0.
@@ -5083,9 +5149,9 @@
 DocType: Stock Entry,Update Rate and Availability,Update Rate og Framboð
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Hlutfall sem þú ert leyft að taka á móti eða afhenda fleiri gegn pantað magn. Til dæmis: Ef þú hefur pantað 100 einingar. og barnabætur er 10% þá er leyft að taka á móti 110 einingar.
 DocType: Loyalty Program,Customer Group,viðskiptavinur Group
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Row # {0}: Rekstur {1} er ekki lokið fyrir {2} Magn fullbúinna vara í vinnulið nr. {3}. Vinsamlegast endurnýjaðu rekstrarstöðu með Time Logs
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Row # {0}: Rekstur {1} er ekki lokið fyrir {2} Magn fullbúinna vara í vinnulið nr. {3}. Vinsamlegast endurnýjaðu rekstrarstöðu með Time Logs
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Ný lotunúmer (valfrjálst)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Kostnað reikningur er nauðsynlegur fyrir lið {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Kostnað reikningur er nauðsynlegur fyrir lið {0}
 DocType: BOM,Website Description,Vefsíða Lýsing
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Net breyting á eigin fé
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Vinsamlegast hætta kaupa Reikningar {0} fyrst
@@ -5100,7 +5166,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Það er ekkert að breyta.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Eyðublað
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Kostnaðarsamþykki Skylda á kostnaðarkröfu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Samantekt fyrir þennan mánuð og bið starfsemi
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Samantekt fyrir þennan mánuð og bið starfsemi
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vinsamlegast settu óinnleyst kaupgjald / tap reiknings í félaginu {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Bættu notendum við fyrirtækið þitt, annað en sjálfan þig."
 DocType: Customer Group,Customer Group Name,Viðskiptavinar Group Name
@@ -5110,14 +5176,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Engin efnisbeiðni búin til
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lánið upphæð mega vera Hámarkslán af {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,License
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Vinsamlegast fjarlægðu þennan reikning {0} úr C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Vinsamlegast fjarlægðu þennan reikning {0} úr C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vinsamlegast veldu Yfirfæranlegt ef þú vilt líka að fela jafnvægi fyrra reikningsári er fer að þessu fjárhagsári
 DocType: GL Entry,Against Voucher Type,Against Voucher Tegund
 DocType: Healthcare Practitioner,Phone (R),Sími (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Tími rifa bætt við
 DocType: Item,Attributes,Eigindir
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Virkja sniðmát
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Vinsamlegast sláðu afskrifa reikning
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Vinsamlegast sláðu afskrifa reikning
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Síðasta Röð Dagsetning
 DocType: Salary Component,Is Payable,Er greiðanlegt
 DocType: Inpatient Record,B Negative,B neikvæð
@@ -5128,7 +5194,7 @@
 DocType: Hotel Room,Hotel Room,Hótelherbergi
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Reikningur {0} er ekki tilheyrir fyrirtækinu {1}
 DocType: Leave Type,Rounding,Afrennsli
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Raðnúmer í röð {0} samsvarar ekki við Afhendingartilkynningu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Raðnúmer í röð {0} samsvarar ekki við Afhendingartilkynningu
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Úthlutað magn (Pro-hlutfall)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Síðan eru verðlagsreglur síaðir út á grundvelli viðskiptavinar, viðskiptavinarhóps, landsvæði, birgir, söluhópur, herferð, söluaðili osfrv."
 DocType: Student,Guardian Details,Guardian Upplýsingar
@@ -5137,10 +5203,10 @@
 DocType: Vehicle,Chassis No,undirvagn Ekkert
 DocType: Payment Request,Initiated,hafin
 DocType: Production Plan Item,Planned Start Date,Áætlaðir Start Date
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Vinsamlegast veldu BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Vinsamlegast veldu BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Notaður ITC samlaga skatt
 DocType: Purchase Order Item,Blanket Order Rate,Teppisverð fyrir teppi
-apps/erpnext/erpnext/hooks.py +156,Certification,Vottun
+apps/erpnext/erpnext/hooks.py +157,Certification,Vottun
 DocType: Bank Guarantee,Clauses and Conditions,Skilmálar og skilyrði
 DocType: Serial No,Creation Document Type,Creation Document Type
 DocType: Project Task,View Timesheet,Skoða tímasetningu
@@ -5165,6 +5231,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Item {0} mátt ekki vera Stock Item
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Website Skráning
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Allar vörur eða þjónustu.
+DocType: Email Digest,Open Quotations,Opið Tilvitnanir
 DocType: Expense Claim,More Details,Nánari upplýsingar
 DocType: Supplier Quotation,Supplier Address,birgir Address
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Fjárhagsáætlun fyrir reikning {1} gegn {2} {3} er {4}. Það mun fara yfir um {5}
@@ -5179,12 +5246,11 @@
 DocType: Training Event,Exam,Exam
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marketplace Villa
 DocType: Complaint,Complaint,Kvörtun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Warehouse krafist fyrir hlutabréfum lið {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Warehouse krafist fyrir hlutabréfum lið {0}
 DocType: Leave Allocation,Unused leaves,ónotuð leyfi
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Gerðu endurgreiðslu færslu
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Allar deildir
 DocType: Healthcare Service Unit,Vacant,Laust
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Birgir&gt; Birgir Tegund
 DocType: Patient,Alcohol Past Use,Áfengisnotkun áfengis
 DocType: Fertilizer Content,Fertilizer Content,Áburður innihaldsefni
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,cr
@@ -5192,7 +5258,7 @@
 DocType: Tax Rule,Billing State,Innheimta State
 DocType: Share Transfer,Transfer,Transfer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Vinnuskilyrðin {0} verður að vera aflýst áður en þú hættir þessari sölupöntun
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Ná sprakk BOM (þ.mt undireiningar)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Ná sprakk BOM (þ.mt undireiningar)
 DocType: Authorization Rule,Applicable To (Employee),Gildir til (starfsmaður)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Skiladagur er nauðsynlegur
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Vöxtur fyrir eigind {0} er ekki verið 0
@@ -5208,7 +5274,7 @@
 DocType: Disease,Treatment Period,Meðferðartímabil
 DocType: Travel Itinerary,Travel Itinerary,Ferðaáætlun
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Niðurstaða þegar send
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Frátekið vörugeymsla er skylt að skila vöru {0} í hráefni
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Frátekið vörugeymsla er skylt að skila vöru {0} í hráefni
 ,Inactive Customers,óvirka viðskiptamenn
 DocType: Student Admission Program,Maximum Age,Hámarksaldur
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Vinsamlegast bíðið 3 dögum áður en áminningin er send aftur.
@@ -5217,7 +5283,6 @@
 DocType: Stock Entry,Delivery Note No,Afhending Note Nei
 DocType: Cheque Print Template,Message to show,Skilaboð til að sýna
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Smásala
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Stjórna reikningsfé sjálfkrafa
 DocType: Student Attendance,Absent,Absent
 DocType: Staffing Plan,Staffing Plan Detail,Stúdentaráðsáætlun
 DocType: Employee Promotion,Promotion Date,Kynningardagur
@@ -5239,7 +5304,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,gera Blý
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Prenta og Ritföng
 DocType: Stock Settings,Show Barcode Field,Sýna Strikamerki Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Senda Birgir póst
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Senda Birgir póst
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Laun þegar unnin fyrir tímabilið milli {0} og {1}, Skildu umsókn tímabil getur ekki verið á milli þessu tímabili."
 DocType: Fiscal Year,Auto Created,Sjálfvirkt búið til
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Sendu inn þetta til að búa til starfsmannaskrá
@@ -5248,7 +5313,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Reikningur {0} er ekki lengur til
 DocType: Guardian Interest,Guardian Interest,Guardian Vextir
 DocType: Volunteer,Availability,Framboð
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Uppsetningar sjálfgefin gildi fyrir POS-reikninga
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Uppsetningar sjálfgefin gildi fyrir POS-reikninga
 apps/erpnext/erpnext/config/hr.py +248,Training,Þjálfun
 DocType: Project,Time to send,Tími til að senda
 DocType: Timesheet,Employee Detail,starfsmaður Detail
@@ -5271,7 +5336,7 @@
 DocType: Training Event Employee,Optional,Valfrjálst
 DocType: Salary Slip,Earning & Deduction,Launin &amp; Frádráttur
 DocType: Agriculture Analysis Criteria,Water Analysis,Vatnsgreining
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} afbrigði búin til.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} afbrigði búin til.
 DocType: Amazon MWS Settings,Region,Region
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valfrjálst. Þessi stilling verður notuð til að sía í ýmsum viðskiptum.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Neikvætt Verðmat Rate er ekki leyfð
@@ -5290,7 +5355,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kostnaður við rifið Eignastýring
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnaður Center er nauðsynlegur fyrir lið {2}
 DocType: Vehicle,Policy No,stefna Nei
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Fá atriði úr Vara Knippi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Fá atriði úr Vara Knippi
 DocType: Asset,Straight Line,Bein lína
 DocType: Project User,Project User,Project User
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Skipta
@@ -5298,7 +5363,7 @@
 DocType: GL Entry,Is Advance,er Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Starfsmaður lífeyri
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Aðsókn Frá Dagsetning og Aðsókn hingað til er nauðsynlegur
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Vinsamlegast sláðu inn &quot;Er undirverktöku&quot; eins já eða nei
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Vinsamlegast sláðu inn &quot;Er undirverktöku&quot; eins já eða nei
 DocType: Item,Default Purchase Unit of Measure,Sjálfgefin kaupareining
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Síðasti samskiptadagur
 DocType: Clinical Procedure Item,Clinical Procedure Item,Klínísk verklagsþáttur
@@ -5321,6 +5386,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Ný lotunúmer
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Fatnaður &amp; Aukabúnaður
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Gat ekki leyst veginn skora virka. Gakktu úr skugga um að formúlan sé gild.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Innkaupapöntunartilboð sem ekki eru móttekin á réttum tíma
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Fjöldi Order
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner sem mun sýna á efst á listanum vöru.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Tilgreina skilyrði til að reikna sendingarkostnað upphæð
@@ -5329,9 +5395,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Leið
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Ekki hægt að umbreyta Kostnaður Center til aðalbók eins og það hefur barnið hnúta
 DocType: Production Plan,Total Planned Qty,Samtals áætlað magn
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,opnun Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,opnun Value
 DocType: Salary Component,Formula,Formula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Lab Test Sniðmát
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Sölureikningur
 DocType: Purchase Invoice Item,Total Weight,Heildarþyngd
@@ -5349,7 +5415,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Gera Material Beiðni
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Item {0}
 DocType: Asset Finance Book,Written Down Value,Skrifað niður gildi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vinsamlega settu upp starfsmannamiðlunarkerfi í mannauði&gt; HR-stillingar
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Velta Invoice {0} verður aflýst áður en hætta þessu Velta Order
 DocType: Clinical Procedure,Age,Aldur
 DocType: Sales Invoice Timesheet,Billing Amount,Innheimta Upphæð
@@ -5358,11 +5423,11 @@
 DocType: Company,Default Employee Advance Account,Sjálfstætt starfandi reikningsskil
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Leitaratriði (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Reikningur með núverandi viðskipti getur ekki eytt
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Reikningur með núverandi viðskipti getur ekki eytt
 DocType: Vehicle,Last Carbon Check,Síðasta Carbon Athuga
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,málskostnaðar
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Vinsamlegast veljið magn í röð
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Gerðu opnun sölu- og innkaupakostna
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Gerðu opnun sölu- og innkaupakostna
 DocType: Purchase Invoice,Posting Time,staða Time
 DocType: Timesheet,% Amount Billed,% Magn Billed
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Sími Útgjöld
@@ -5377,14 +5442,14 @@
 DocType: Maintenance Visit,Breakdown,Brotna niður
 DocType: Travel Itinerary,Vegetarian,Grænmetisæta
 DocType: Patient Encounter,Encounter Date,Fundur Dagsetning
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Reikningur: {0} með gjaldeyri: {1} Ekki er hægt að velja
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Reikningur: {0} með gjaldeyri: {1} Ekki er hægt að velja
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankagögn
 DocType: Purchase Receipt Item,Sample Quantity,Dæmi Magn
 DocType: Bank Guarantee,Name of Beneficiary,Nafn bótaþega
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Uppfæra BOM kostnað sjálfkrafa með áætlun, byggt á nýjustu verðlagsgengi / verðskrárgengi / síðasta kaupgengi hráefna."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,ávísun Dagsetning
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Reikningur {0}: Foreldri reikningur {1} ekki tilheyra fyrirtæki: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Reikningur {0}: Foreldri reikningur {1} ekki tilheyra fyrirtæki: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Eytt öll viðskipti sem tengjast þessu fyrirtæki!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Eins á degi
 DocType: Additional Salary,HR,HR
@@ -5392,7 +5457,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Úthlutað þolinmæði fyrir sjúklinga
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,reynslulausn
 DocType: Program Enrollment Tool,New Academic Year,Nýtt skólaár
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Return / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Return / Credit Note
 DocType: Stock Settings,Auto insert Price List rate if missing,Auto innskotið Verðlisti hlutfall ef vantar
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Samtals greitt upphæð
 DocType: GST Settings,B2C Limit,B2C takmörk
@@ -5410,10 +5475,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Barn hnútar geta verið aðeins búin undir &#39;group&#39; tegund hnúta
 DocType: Attendance Request,Half Day Date,Half Day Date
 DocType: Academic Year,Academic Year Name,Skólaárinu Name
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} Ekki leyft að eiga viðskipti við {1}. Vinsamlegast breyttu félaginu.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} Ekki leyft að eiga viðskipti við {1}. Vinsamlegast breyttu félaginu.
 DocType: Sales Partner,Contact Desc,Viltu samband við Ö
 DocType: Email Digest,Send regular summary reports via Email.,Senda reglulegar skýrslur yfirlit með tölvupósti.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Vinsamlegast settu sjálfgefin reikningur í kostnað kröfutegund {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Vinsamlegast settu sjálfgefin reikningur í kostnað kröfutegund {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Lausar blöð
 DocType: Assessment Result,Student Name,Student Name
 DocType: Hub Tracked Item,Item Manager,Item Manager
@@ -5438,9 +5503,10 @@
 DocType: Subscription,Trial Period End Date,Prófunartímabil Lokadagur
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ekki authroized síðan {0} umfram mörk
 DocType: Serial No,Asset Status,Eignastaða
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Yfir víddarflutning (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Veitingahús borðstofa
 DocType: Hotel Room,Hotel Manager,Hótelstjórinn
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Setja Tax Regla fyrir körfunni
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Setja Tax Regla fyrir körfunni
 DocType: Purchase Invoice,Taxes and Charges Added,Skattar og gjöld bætt
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Afskriftir Rauða {0}: Næsta Afskriftir Dagsetning má ekki vera fyrr en hægt er að nota Dagsetning
 ,Sales Funnel,velta trekt
@@ -5456,10 +5522,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Allir hópar viðskiptavina
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Uppsafnaður Monthly
 DocType: Attendance Request,On Duty,Á vakt
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin fyrir {1} til {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin fyrir {1} til {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Stuðningsáætlun {0} er þegar til tilnefningar {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Tax Snið er nauðsynlegur.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Reikningur {0}: Foreldri reikningur {1} er ekki til
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Reikningur {0}: Foreldri reikningur {1} er ekki til
 DocType: POS Closing Voucher,Period Start Date,Tímabil Upphafsdagur
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Verðlisti Rate (Company Gjaldmiðill)
 DocType: Products Settings,Products Settings,Vörur Stillingar
@@ -5479,7 +5545,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Þessi aðgerð mun stöðva framtíð innheimtu. Ertu viss um að þú viljir hætta við þessa áskrift?
 DocType: Serial No,Distinct unit of an Item,Greinilegur eining hlut
 DocType: Supplier Scorecard Criteria,Criteria Name,Viðmiðunarheiti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Vinsamlegast settu fyrirtækið
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Vinsamlegast settu fyrirtækið
 DocType: Procedure Prescription,Procedure Created,Málsmeðferð búin til
 DocType: Pricing Rule,Buying,Kaup
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Sjúkdómar og áburður
@@ -5496,42 +5562,43 @@
 DocType: Employee Onboarding,Job Offer,Atvinnutilboð
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institute Skammstöfun
 ,Item-wise Price List Rate,Item-vitur Verðskrá Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,birgir Tilvitnun
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,birgir Tilvitnun
 DocType: Quotation,In Words will be visible once you save the Quotation.,Í orðum verður sýnileg þegar þú hefur vistað tilvitnun.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Magn ({0}) getur ekki verið brot í röð {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Magn ({0}) getur ekki verið brot í röð {1}
 DocType: Contract,Unsigned,Óskráð
 DocType: Selling Settings,Each Transaction,Hver viðskipti
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Strikamerki {0} nú þegar notuð í lið {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Strikamerki {0} nú þegar notuð í lið {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglur til að bæta sendingarkostnað.
 DocType: Hotel Room,Extra Bed Capacity,Auka rúmgetu
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,opnun Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Viðskiptavinur er krafist
 DocType: Lab Test,Result Date,Niðurstaða Dagsetning
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Dagsetning
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Dagsetning
 DocType: Purchase Order,To Receive,Til að taka á móti
 DocType: Leave Period,Holiday List for Optional Leave,Holiday List fyrir valfrjálst leyfi
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Eigandi eigna
 DocType: Purchase Invoice,Reason For Putting On Hold,Ástæða þess að setja í bið
 DocType: Employee,Personal Email,Starfsfólk Email
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,alls Dreifni
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,alls Dreifni
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ef þetta er virkt, mun kerfið birta bókhald færslur fyrir birgðum sjálfkrafa."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Miðlari
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Mæting fyrir starfsmann {0} er þegar merkt fyrir þennan dag
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Mæting fyrir starfsmann {0} er þegar merkt fyrir þennan dag
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",Fundargerðir Uppfært gegnum &#39;Time Innskráning &quot;
 DocType: Customer,From Lead,frá Lead
 DocType: Amazon MWS Settings,Synch Orders,Synch Pantanir
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pantanir út fyrir framleiðslu.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Veldu fjárhagsársins ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profile þarf að gera POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profile þarf að gera POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Hollusta stig verður reiknað út frá því sem varið er (með sölureikningi), byggt á söfnunartölu sem getið er um."
 DocType: Program Enrollment Tool,Enroll Students,innritast Nemendur
 DocType: Company,HRA Settings,HRA Stillingar
 DocType: Employee Transfer,Transfer Date,Flutnings Dagsetning
 DocType: Lab Test,Approved Date,Samþykkt dagsetning
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast einn vöruhús er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast einn vöruhús er nauðsynlegur
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Stilla hluti reiti eins og UOM, vöruflokkur, lýsing og fjöldi klukkustunda."
 DocType: Certification Application,Certification Status,Vottunarstaða
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5551,6 +5618,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Samsvörunargjöld
 DocType: Work Order,Required Items,Nauðsynleg Items
 DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Mismunur
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Liður Rauða {0}: {1} {2} er ekki til í töflunni hér að framan &quot;{1}&quot;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Mannauðs
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Greiðsla Sættir Greiðsla
 DocType: Disease,Treatment Task,Meðferðarlisti
@@ -5568,7 +5636,8 @@
 DocType: Account,Debit,debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Leaves verður úthlutað margfeldi af 0,5"
 DocType: Work Order,Operation Cost,Operation Kostnaður
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Framúrskarandi Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Þekkja ákvörðunarmenn
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Framúrskarandi Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Setja markmið Item Group-vitur fyrir þetta velta manneskja.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Frysta Stocks eldri en [Days]
 DocType: Payment Request,Payment Ordered,Greiðsla pantað
@@ -5580,13 +5649,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Leyfa eftirfarandi notendum að samþykkja yfirgefa Umsóknir um blokk daga.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Líftíma
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Gerðu BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Salahlutfall fyrir atriði {0} er lægra en {1} þess. Sala ætti að vera að minnsta kosti {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Salahlutfall fyrir atriði {0} er lægra en {1} þess. Sala ætti að vera að minnsta kosti {2}
 DocType: Subscription,Taxes,Skattar
 DocType: Purchase Invoice,capital goods,fjármagnsvörur
 DocType: Purchase Invoice Item,Weight Per Unit,Þyngd á hverja einingu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Greitt og ekki afhent
-DocType: Project,Default Cost Center,Sjálfgefið Kostnaður Center
-DocType: Delivery Note,Transporter Doc No,Flutningsskjal nr
+DocType: QuickBooks Migrator,Default Cost Center,Sjálfgefið Kostnaður Center
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,lager Viðskipti
 DocType: Budget,Budget Accounts,Budget reikningar
 DocType: Employee,Internal Work History,Innri Vinna Saga
@@ -5619,7 +5687,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Heilbrigðisstarfsmaður er ekki í boði á {0}
 DocType: Stock Entry Detail,Additional Cost,aukakostnaðar
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",Getur ekki síað byggð á skírteini nr ef flokkaðar eftir skírteini
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Gera Birgir Tilvitnun
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Gera Birgir Tilvitnun
 DocType: Quality Inspection,Incoming,Komandi
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Sjálfgefin skatta sniðmát fyrir sölu og kaup eru búnar til.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",Dæmi: ABCD. #####. Ef röð er stillt og lota nr er ekki getið í viðskiptum þá verður sjálfkrafa lotunúmer búið til byggt á þessari röð. Ef þú vilt alltaf nefna lotu nr. Fyrir þetta atriði skaltu láta þetta vera autt. Athugaðu: Þessi stilling mun taka forgang yfir forskeyti fyrir nafngiftaröð í lagerstillingum.
@@ -5634,7 +5702,7 @@
 DocType: Batch,Batch ID,hópur ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Ath: {0}
 ,Delivery Note Trends,Afhending Ath Trends
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Samantekt Í þessari viku er
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Samantekt Í þessari viku er
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Á lager Magn
 ,Daily Work Summary Replies,Dagleg vinnusamantekt Svar
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Reikna áætlaðan komutíma
@@ -5644,7 +5712,7 @@
 DocType: Bank Account,Party,Party
 DocType: Healthcare Settings,Patient Name,Nafn sjúklinga
 DocType: Variant Field,Variant Field,Variant Field
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Markmið staðsetningar
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Markmið staðsetningar
 DocType: Sales Order,Delivery Date,Afhendingardagur
 DocType: Opportunity,Opportunity Date,tækifæri Dagsetning
 DocType: Employee,Health Insurance Provider,Sjúkratryggingafélag
@@ -5663,7 +5731,7 @@
 DocType: Employee,History In Company,Saga In Company
 DocType: Customer,Customer Primary Address,Aðalnafn viðskiptavinar
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Fréttabréf
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Tilvísunarnúmer
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Tilvísunarnúmer
 DocType: Drug Prescription,Description/Strength,Lýsing / styrkur
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Búðu til nýjan greiðslubréf / dagbókarfærslu
 DocType: Certification Application,Certification Application,Vottunarforrit
@@ -5674,10 +5742,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Sama atriði hefur verið gert mörgum sinnum
 DocType: Department,Leave Block List,Skildu Block List
 DocType: Purchase Invoice,Tax ID,Tax ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Liður {0} er ekki skipulag fyrir Serial Nos. Column verður auður
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Liður {0} er ekki skipulag fyrir Serial Nos. Column verður auður
 DocType: Accounts Settings,Accounts Settings,reikninga Stillingar
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,samþykkja
 DocType: Loyalty Program,Customer Territory,Viðskiptavinur Territory
+DocType: Email Digest,Sales Orders to Deliver,Sölutilboð til að skila
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Fjöldi nýrra reikninga, það verður innifalið í reikningsnafninu sem forskeyti"
 DocType: Maintenance Team Member,Team Member,Liðsfélagi
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Engar niðurstöður til að senda inn
@@ -5687,7 +5756,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Alls {0} á öllum hlutum er núll, getur verið að þú ættir að breyta &#39;Úthluta Gjöld Byggt á&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Hingað til getur ekki verið minna en frá þeim degi
 DocType: Opportunity,To Discuss,Að ræða
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Þetta byggist á viðskiptum gegn þessum áskrifanda. Sjá tímalínu fyrir neðan til að fá nánari upplýsingar
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} einingar {1} þörf {2} að ljúka þessari færslu.
 DocType: Loan Type,Rate of Interest (%) Yearly,Rate of Interest (%) Árleg
 DocType: Support Settings,Forum URL,Vefslóð spjallsins
@@ -5702,7 +5770,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Læra meira
 DocType: Cheque Print Template,Distance from top edge,Fjarlægð frá efstu brún
 DocType: POS Closing Voucher Invoices,Quantity of Items,Magn af hlutum
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Verðlisti {0} er óvirk eða er ekki til
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Verðlisti {0} er óvirk eða er ekki til
 DocType: Purchase Invoice,Return,Return
 DocType: Pricing Rule,Disable,Slökkva
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Háttur af greiðslu er krafist til að greiða
@@ -5710,18 +5778,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Breyta í fullri síðu fyrir fleiri valkosti eins og eignir, raðnúmer, lotur osfrv."
 DocType: Leave Type,Maximum Continuous Days Applicable,Hámarks samfelldir dagar sem gilda
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ekki skráður í lotuna {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Eignastýring {0} er ekki hægt að rífa, eins og það er nú þegar {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Eignastýring {0} er ekki hægt að rífa, eins og það er nú þegar {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Athuganir krafist
 DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Krafa (með kostnað kröfu)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
 DocType: Job Applicant Source,Job Applicant Source,Atvinnuleitandi Heimild
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST upphæð
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST upphæð
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Mistókst að setja upp fyrirtæki
 DocType: Asset Repair,Asset Repair,Eignastýring
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Gjaldmiðill af BOM # {1} ætti að vera jafn völdu gjaldmiðil {2}
 DocType: Journal Entry Account,Exchange Rate,Exchange Rate
 DocType: Patient,Additional information regarding the patient,Viðbótarupplýsingar um sjúklinginn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Velta Order {0} er ekki lögð
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Velta Order {0} er ekki lögð
 DocType: Homepage,Tag Line,tag Line
 DocType: Fee Component,Fee Component,Fee Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Lo Stjórn
@@ -5736,7 +5804,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobile
 ,Sales Person-wise Transaction Summary,Sala Person-vitur Transaction Samantekt
 DocType: Training Event,Contact Number,Númer tengiliðs
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Warehouse {0} er ekki til
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Warehouse {0} er ekki til
 DocType: Cashier Closing,Custody,Forsjá
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Skattfrjálsar upplýsingar um atvinnurekstur
 DocType: Monthly Distribution,Monthly Distribution Percentages,Mánaðarleg Dreifing Prósentur
@@ -5751,7 +5819,7 @@
 DocType: Payment Entry,Paid Amount,greiddur Upphæð
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Kynntu söluferli
 DocType: Assessment Plan,Supervisor,Umsjón
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Varðveisla birgða
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Varðveisla birgða
 ,Available Stock for Packing Items,Laus Stock fyrir pökkun atriði
 DocType: Item Variant,Item Variant,Liður Variant
 ,Work Order Stock Report,Vinnu Order Stock Report
@@ -5760,9 +5828,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Sem umsjónarmaður
 DocType: Leave Policy Detail,Leave Policy Detail,Skildu eftir stefnu
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Lagðar pantanir ekki hægt að eyða
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Viðskiptajöfnuður þegar í Debit, þú ert ekki leyft að setja &#39;Balance Verður Be&#39; eins og &#39;Credit &quot;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Gæðastjórnun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Lagðar pantanir ekki hægt að eyða
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Viðskiptajöfnuður þegar í Debit, þú ert ekki leyft að setja &#39;Balance Verður Be&#39; eins og &#39;Credit &quot;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Gæðastjórnun
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Liður {0} hefur verið gerð óvirk
 DocType: Project,Total Billable Amount (via Timesheets),Samtals reikningshæft magn (með tímariti)
 DocType: Agriculture Task,Previous Business Day,Fyrri viðskiptadagur
@@ -5785,14 +5853,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,stoðsviða
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Endurræsa áskrift
 DocType: Linked Plant Analysis,Linked Plant Analysis,Tengd planta greining
-DocType: Delivery Note,Transporter ID,Transporter ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Verðmæti framsetning
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Gengi sem birgis mynt er breytt í grunngj.miðil félagsins
-DocType: Sales Invoice Item,Service End Date,Þjónustudagsetning
+DocType: Purchase Invoice Item,Service End Date,Þjónustudagsetning
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: tímasetning átök með röð {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Leyfa núgildandi verðmæti
 DocType: Bank Guarantee,Receiving,Fá
 DocType: Training Event Employee,Invited,boðið
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Skipulag Gateway reikninga.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Skipulag Gateway reikninga.
 DocType: Employee,Employment Type,Atvinna Type
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Fastafjármunir
 DocType: Payment Entry,Set Exchange Gain / Loss,Setja gengishagnaður / tap
@@ -5808,7 +5877,7 @@
 DocType: Tax Rule,Sales Tax Template,Söluskattur Snið
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Borga gegn hagur kröfu
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Uppfæra kostnaðarmiðstöðvarnúmer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Veldu atriði til að bjarga reikning
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Veldu atriði til að bjarga reikning
 DocType: Employee,Encashment Date,Encashment Dagsetning
 DocType: Training Event,Internet,internet
 DocType: Special Test Template,Special Test Template,Sérstök próf sniðmát
@@ -5816,12 +5885,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Sjálfgefið Activity Kostnaður er fyrir hendi Activity Tegund - {0}
 DocType: Work Order,Planned Operating Cost,Áætlaðir rekstrarkostnaður
 DocType: Academic Term,Term Start Date,Term Start Date
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Listi yfir alla hlutafjáreignir
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Listi yfir alla hlutafjáreignir
+DocType: Supplier,Is Transporter,Er flutningsaðili
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Flytja inn sölureikning frá Shopify ef greiðsla er merkt
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Upp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Bæði upphafstímabil og prófunartímabil verður að vera stillt
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Meðaltal
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samtals greiðslugjald í greiðsluáætlun verður að vera jafnt við Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samtals greiðslugjald í greiðsluáætlun verður að vera jafnt við Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Áætlun
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bankayfirlit jafnvægi eins og á General Ledger
 DocType: Job Applicant,Applicant Name,umsækjandi Nafn
@@ -5849,7 +5919,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Laus magn í Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Ábyrgð í
 DocType: Purchase Invoice,Debit Note Issued,Debet Note Útgefið
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Sía byggt á kostnaðarmiðstöðinni er aðeins við hæfi ef fjárhagsáætlun gegn er valið sem kostnaðarmiðstöð
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Sía byggt á kostnaðarmiðstöðinni er aðeins við hæfi ef fjárhagsáætlun gegn er valið sem kostnaðarmiðstöð
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Leitaðu eftir hlutkóða, raðnúmeri, lotunúmeri eða strikamerki"
 DocType: Work Order,Warehouses,Vöruhús
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} eign er ekki hægt að flytja
@@ -5860,9 +5930,9 @@
 DocType: Workstation,per hour,á klukkustund
 DocType: Blanket Order,Purchasing,Innkaupastjóri
 DocType: Announcement,Announcement,Tilkynning
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Viðskiptavinur LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Viðskiptavinur LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Fyrir hópur sem byggist á hópnum, verður námsmatið valið fyrir alla nemendum frá námsbrautinni."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ekki hægt að eyða eins birgðir höfuðbók færsla er til fyrir þetta vöruhús.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ekki hægt að eyða eins birgðir höfuðbók færsla er til fyrir þetta vöruhús.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Dreifing
 DocType: Journal Entry Account,Loan,Lán
 DocType: Expense Claim Advance,Expense Claim Advance,Kostnaðarkröfur Advance
@@ -5871,7 +5941,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Verkefnastjóri
 ,Quoted Item Comparison,Vitnað Item Samanburður
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Skarast í skora á milli {0} og {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Sending
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Sending
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max afsláttur leyfð lið: {0} er {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Innra virði og á
 DocType: Crop,Produce,Framleiða
@@ -5881,20 +5951,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Efni neysla til framleiðslu
 DocType: Item Alternative,Alternative Item Code,Önnur vöruliður
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Hlutverk sem er leyft að leggja viðskiptum sem fara lánamörk sett.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Veldu Hlutir til Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Veldu Hlutir til Manufacture
 DocType: Delivery Stop,Delivery Stop,Afhending Stöðva
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master gögn syncing, gæti það tekið smá tíma"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master gögn syncing, gæti það tekið smá tíma"
 DocType: Item,Material Issue,efni Issue
 DocType: Employee Education,Qualification,HM
 DocType: Item Price,Item Price,Item verð
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sápa &amp; Þvottaefni
 DocType: BOM,Show Items,Sýna Items
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Frá tími getur ekki verið meiri en tíma.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Viltu tilkynna öllum viðskiptavinum með tölvupósti?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Viltu tilkynna öllum viðskiptavinum með tölvupósti?
 DocType: Subscription Plan,Billing Interval,Innheimtuinterval
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Pantaði
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Raunverulegur upphafsdagur og raunverulegur lokadagur er nauðsynlegur
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Viðskiptavinur&gt; Viðskiptavinahópur&gt; Territory
 DocType: Salary Detail,Component,Component
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Rú {0}: {1} verður að vera meiri en 0
 DocType: Assessment Criteria,Assessment Criteria Group,Námsmat Viðmið Group
@@ -5925,11 +5996,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Sláðu inn nafn bankans eða útlánafyrirtækis áður en þú sendir það.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} verður að senda inn
 DocType: POS Profile,Item Groups,Item Hópar
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Í dag er {0} &#39;s afmæli!
 DocType: Sales Order Item,For Production,fyrir framleiðslu
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Jafnvægi í reiknings gjaldmiðli
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Vinsamlegast bættu við tímabundna opnunareikning í reikningsskýringu
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Vinsamlegast bættu við tímabundna opnunareikning í reikningsskýringu
 DocType: Customer,Customer Primary Contact,Tengiliður viðskiptavina
 DocType: Project Task,View Task,view Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Upp / Leið%
@@ -5942,11 +6012,11 @@
 DocType: Sales Invoice,Get Advances Received,Fá Framfarir móttekin
 DocType: Email Digest,Add/Remove Recipients,Bæta við / fjarlægja viðtakendur
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Til að stilla þessa rekstrarárs sem sjálfgefið, smelltu á &#39;Setja sem sjálfgefið&#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Fjárhæð TDS frádráttur
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Fjárhæð TDS frádráttur
 DocType: Production Plan,Include Subcontracted Items,Inniheldur undirverktaka
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Join
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,skortur Magn
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Join
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,skortur Magn
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika
 DocType: Loan,Repay from Salary,Endurgreiða frá Laun
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Biðum greiðslu gegn {0} {1} fyrir upphæð {2}
 DocType: Additional Salary,Salary Slip,laun Slip
@@ -5962,7 +6032,7 @@
 DocType: Patient,Dormant,sofandi
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Dragðu skatt fyrir óinnheimta launþega
 DocType: Salary Slip,Total Interest Amount,Samtals vextir
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Vöruhús með hnúta barn er ekki hægt að breyta í höfuðbók
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Vöruhús með hnúta barn er ekki hægt að breyta í höfuðbók
 DocType: BOM,Manage cost of operations,Stjórna kostnaði við rekstur
 DocType: Accounts Settings,Stale Days,Gamall dagar
 DocType: Travel Itinerary,Arrival Datetime,Komutími
@@ -5974,7 +6044,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Mat Niðurstaða Detail
 DocType: Employee Education,Employee Education,starfsmaður Menntun
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Afrit atriði hópur í lið töflunni
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Það er nauðsynlegt að ná Item upplýsingar.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Það er nauðsynlegt að ná Item upplýsingar.
 DocType: Fertilizer,Fertilizer Name,Áburður Nafn
 DocType: Salary Slip,Net Pay,Net Borga
 DocType: Cash Flow Mapping Accounts,Account,Reikningur
@@ -5985,14 +6055,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Búðu til sérstakt greiðslubréf gegn ávinningi kröfu
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Hiti í kjölfarið (hitastig&gt; 38,5 ° C / viðvarandi hitastig&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Upplýsingar Söluteymi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Eyða varanlega?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Eyða varanlega?
 DocType: Expense Claim,Total Claimed Amount,Alls tilkalli Upphæð
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Hugsanleg tækifæri til að selja.
 DocType: Shareholder,Folio no.,Folio nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Ógild {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Veikindaleyfi
 DocType: Email Digest,Email Digest,Tölvupóstur Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,eru ekki
 DocType: Delivery Note,Billing Address Name,Billing Address Nafn
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Department Stores
 ,Item Delivery Date,Liður afhendingardags
@@ -6008,16 +6077,16 @@
 DocType: Account,Chargeable,ákæru
 DocType: Company,Change Abbreviation,Breyta Skammstöfun
 DocType: Contract,Fulfilment Details,Uppfyllingarupplýsingar
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Borga {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Borga {0} {1}
 DocType: Employee Onboarding,Activities,Starfsemi
 DocType: Expense Claim Detail,Expense Date,Expense Dagsetning
 DocType: Item,No of Months,Fjöldi mánaða
 DocType: Item,Max Discount (%),Max Afsláttur (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Credit Days má ekki vera neikvætt númer
-DocType: Sales Invoice Item,Service Stop Date,Þjónustuskiladagsetning
+DocType: Purchase Invoice Item,Service Stop Date,Þjónustuskiladagsetning
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Síðasta Order Magn
 DocType: Cash Flow Mapper,e.g Adjustments for:,td leiðréttingar fyrir:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Halda sýn er byggð á lotu, vinsamlegast athugaðu Hefur Hópur nr. Til að halda sýnishorn af hlut"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Halda sýn er byggð á lotu, vinsamlegast athugaðu Hefur Hópur nr. Til að halda sýnishorn af hlut"
 DocType: Task,Is Milestone,Er Milestone
 DocType: Certification Application,Yet to appear,Samt að birtast
 DocType: Delivery Stop,Email Sent To,Tölvupóstur sendur til
@@ -6025,16 +6094,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Leyfa kostnaðarmiðstöð við birtingu reikningsreiknings
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Sameina með núverandi reikningi
 DocType: Budget,Warn,Warn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Öll atriði hafa nú þegar verið flutt fyrir þessa vinnuáætlun.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Öll atriði hafa nú þegar verið flutt fyrir þessa vinnuáætlun.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Allar aðrar athugasemdir, athyglisvert áreynsla sem ætti að fara í skrám."
 DocType: Asset Maintenance,Manufacturing User,framleiðsla User
 DocType: Purchase Invoice,Raw Materials Supplied,Raw Materials Staðar
 DocType: Subscription Plan,Payment Plan,Greiðsluáætlun
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Virkja kaup á hlutum á vefsíðunni
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Gjaldmiðill verðlista {0} verður að vera {1} eða {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Áskriftarstefna
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Áskriftarstefna
 DocType: Appraisal,Appraisal Template,Úttekt Snið
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Til að pinna kóða
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Til að pinna kóða
 DocType: Soil Texture,Ternary Plot,Ternary plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Hakaðu við þetta til að virkja daglegt daglegt samstillingarferli með tímasetningu
 DocType: Item Group,Item Classification,Liður Flokkun
@@ -6044,6 +6113,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Innheimtu sjúklingur skráning
 DocType: Crop,Period,tímabil
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,General Ledger
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Til reikningsárs
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Skoða Vísbendingar
 DocType: Program Enrollment Tool,New Program,ný Program
 DocType: Item Attribute Value,Attribute Value,eigindi gildi
@@ -6052,11 +6122,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Mælt Uppröðun Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Starfsmaður {0} í einkunn {1} hefur ekki sjálfgefið eftirlitsstefnu
 DocType: Salary Detail,Salary Detail,laun Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Vinsamlegast veldu {0} fyrst
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Vinsamlegast veldu {0} fyrst
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Bætt við {0} notendum
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Þegar um er að ræða fjölþættaráætlun, verða viðskiptavinir sjálfkrafa tengdir viðkomandi flokka eftir því sem þeir eru í"
 DocType: Appointment Type,Physician,Læknir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Hópur {0} af Liður {1} hefur runnið út.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Hópur {0} af Liður {1} hefur runnið út.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Samráð
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Lokið vel
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Vara Verð birtist mörgum sinnum á grundvelli Verðlisti, Birgir / Viðskiptavinur, Gjaldmiðill, Liður, UOM, Magn og Dagsetningar."
@@ -6065,22 +6135,21 @@
 DocType: Certification Application,Name of Applicant,Nafn umsækjanda
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tími Sheet fyrir framleiðslu.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Samtals
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Ekki er hægt að breyta Variant eignum eftir viðskipti með hlutabréf. Þú verður að búa til nýtt atriði til að gera þetta.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Ekki er hægt að breyta Variant eignum eftir viðskipti með hlutabréf. Þú verður að búa til nýtt atriði til að gera þetta.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA umboð
 DocType: Healthcare Practitioner,Charges,Gjöld
 DocType: Production Plan,Get Items For Work Order,Fáðu atriði fyrir vinnuskilyrði
 DocType: Salary Detail,Default Amount,Sjálfgefið Upphæð
 DocType: Lab Test Template,Descriptive,Lýsandi
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Warehouse fannst ekki í kerfinu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Samantekt þessa mánaðar
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Samantekt þessa mánaðar
 DocType: Quality Inspection Reading,Quality Inspection Reading,Quality Inspection Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Eldri Than` ætti að vera minni en% d daga.
 DocType: Tax Rule,Purchase Tax Template,Kaup Tax sniðmáti
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Settu velta markmið sem þú vilt ná fyrir fyrirtækið þitt.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Heilbrigðisþjónusta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Heilbrigðisþjónusta
 ,Project wise Stock Tracking,Project vitur Stock mælingar
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Flutningsstilling
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Rannsóknarstofa
 DocType: UOM Category,UOM Category,UOM Flokkur
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Raunveruleg Magn (á uppspretta / miða)
@@ -6103,17 +6172,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Mistókst að búa til vefsíðu
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM viðskipta Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Varðveislubréf þegar búið er til eða sýnishorn Magn ekki til staðar
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Varðveislubréf þegar búið er til eða sýnishorn Magn ekki til staðar
 DocType: Program,Program Abbreviation,program Skammstöfun
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Framleiðsla Order er ekki hægt að hækka gegn Item sniðmáti
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Gjöld eru uppfærðar á kvittun við hvert atriði
 DocType: Warranty Claim,Resolved By,leyst með
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Áætlun losun
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Tékkar og Innlán rangt hreinsaðar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Reikningur {0}: Þú getur ekki framselt sig sem foreldri reikning
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Reikningur {0}: Þú getur ekki framselt sig sem foreldri reikning
 DocType: Purchase Invoice Item,Price List Rate,Verðskrá Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Búa viðskiptavina tilvitnanir
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Þjónustuskilyrði Dagsetning getur ekki verið eftir þjónustudagsetning
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Þjónustuskilyrði Dagsetning getur ekki verið eftir þjónustudagsetning
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Sýna &quot;Á lager&quot; eða &quot;ekki til á lager&quot; byggist á lager í boði í þessum vöruhúsi.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Meðaltal tíma tekin af birgi að skila
@@ -6125,11 +6194,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,klukkustundir
 DocType: Project,Expected Start Date,Væntanlegur Start Date
 DocType: Purchase Invoice,04-Correction in Invoice,04-leiðrétting á reikningi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Vinna Order þegar búið til fyrir alla hluti með BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Vinna Order þegar búið til fyrir alla hluti með BOM
 DocType: Payment Request,Party Details,Upplýsingar um aðila
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant Details Report
 DocType: Setup Progress Action,Setup Progress Action,Uppsetning Framfarir
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Kaupverðskrá
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Kaupverðskrá
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Fjarlægja hlut ef gjöld eru ekki við þann lið
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Hætta við áskrift
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Vinsamlegast veldu Viðhaldsstaða sem lokið eða fjarlægðu Lokadagsetning
@@ -6147,7 +6216,7 @@
 DocType: Asset,Disposal Date,förgun Dagsetning
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Póstur verður sendur á öllum virkum Starfsmenn félagsins á tilteknu klukkustund, ef þeir hafa ekki frí. Samantekt á svörum verður sent á miðnætti."
 DocType: Employee Leave Approver,Employee Leave Approver,Starfsmaður Leave samþykkjari
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An Uppröðun færslu þegar til fyrir þessa vöruhús {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An Uppröðun færslu þegar til fyrir þessa vöruhús {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Get ekki lýst því sem glatast, af því Tilvitnun hefur verið gert."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP reikningur
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Þjálfun Feedback
@@ -6159,7 +6228,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Hingað til er ekki hægt að áður frá dagsetningu
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Section Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Bæta við / Breyta Verð
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Bæta við / Breyta Verð
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Ekki er hægt að leggja fram starfsmannakynningu fyrir kynningardag
 DocType: Batch,Parent Batch,Foreldri hópur
 DocType: Cheque Print Template,Cheque Print Template,Ávísun Prenta Snið
@@ -6169,6 +6238,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Sýnishorn
 ,Requested Items To Be Ordered,Umbeðin Items til að panta
 DocType: Price List,Price List Name,Verðskrá Name
+DocType: Delivery Stop,Dispatch Information,Sendingarupplýsingar
 DocType: Blanket Order,Manufacturing,framleiðsla
 ,Ordered Items To Be Delivered,Pantaði Items til afhendingar
 DocType: Account,Income,tekjur
@@ -6187,17 +6257,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} einingar {1} þörf {2} á {3} {4} fyrir {5} að ljúka þessari færslu.
 DocType: Fee Schedule,Student Category,Student Flokkur
 DocType: Announcement,Student,Student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Magn birgða til að hefja málsmeðferð er ekki í boði á vörugeymslunni. Viltu taka upp birgðaflutning
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Magn birgða til að hefja málsmeðferð er ekki í boði á vörugeymslunni. Viltu taka upp birgðaflutning
 DocType: Shipping Rule,Shipping Rule Type,Sendingartegund Tegund
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Fara í herbergi
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Fyrirtæki, greiðslureikningur, frá dagsetningu og dagsetningu er skylt"
 DocType: Company,Budget Detail,Fjárhagsáætlun smáatriði
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vinsamlegast sláðu inn skilaboð áður en þú sendir
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,LYFJA FOR LEIÐBEININGAR
-DocType: Email Digest,Pending Quotations,Bíður Tilvitnun
-DocType: Delivery Note,Distance (KM),Fjarlægð (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Birgir&gt; Birgir Group
 DocType: Asset,Custodian,Vörsluaðili
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-af-sölu Profile
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-af-sölu Profile
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} ætti að vera gildi á milli 0 og 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Greiðsla {0} frá {1} til {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Ótryggð Lán
@@ -6229,10 +6298,10 @@
 DocType: Lead,Converted,converted
 DocType: Item,Has Serial No,Hefur Serial Nei
 DocType: Employee,Date of Issue,Útgáfudagur
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Eins og á kaupstillingarnar, ef kaupheimildin er krafist == &#39;YES&#39;, þá til að búa til innheimtufé, þarf notandi að búa til kaupgreiðsluna fyrst fyrir atriði {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Eins og á kaupstillingarnar, ef kaupheimildin er krafist == &#39;YES&#39;, þá til að búa til innheimtufé, þarf notandi að búa til kaupgreiðsluna fyrst fyrir atriði {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Setja Birgir fyrir lið {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: Hours verður að vera stærri en núll.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Vefsíða Image {0} fylgir tl {1} er ekki hægt að finna
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Vefsíða Image {0} fylgir tl {1} er ekki hægt að finna
 DocType: Issue,Content Type,content Type
 DocType: Asset,Assets,Eignir
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,tölva
@@ -6243,7 +6312,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} er ekki til
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Vinsamlegast athugaðu Multi Currency kost að leyfa reikninga með öðrum gjaldmiðli
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} er ekki til í kerfinu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Þú hefur ekki heimild til að setja Frozen gildi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Þú hefur ekki heimild til að setja Frozen gildi
 DocType: Payment Reconciliation,Get Unreconciled Entries,Fá Unreconciled færslur
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Starfsmaður {0} er á leyfi á {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Engar endurgreiðslur valdar fyrir Journal Entry
@@ -6261,13 +6330,14 @@
 ,Average Commission Rate,Meðal framkvæmdastjórnarinnar Rate
 DocType: Share Balance,No of Shares,Fjöldi hlutabréfa
 DocType: Taxable Salary Slab,To Amount,Að upphæð
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&quot;Hefur Serial Nei &#39;getur ekki verið&#39; Já &#39;fyrir non-lager lið
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&quot;Hefur Serial Nei &#39;getur ekki verið&#39; Já &#39;fyrir non-lager lið
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Veldu stöðu
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Aðsókn er ekki hægt að merkja fyrir framtíð dagsetningar
 DocType: Support Search Source,Post Description Key,Post Lýsing Lykill
 DocType: Pricing Rule,Pricing Rule Help,Verðlagning Regla Hjálp
 DocType: School House,House Name,House Name
 DocType: Fee Schedule,Total Amount per Student,Samtals upphæð á nemanda
+DocType: Opportunity,Sales Stage,Sala stigi
 DocType: Purchase Taxes and Charges,Account Head,Head Reikningur
 DocType: Company,HRA Component,HRA hluti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Electrical
@@ -6275,15 +6345,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Heildarverðmæti Mismunur (Out - In)
 DocType: Grant Application,Requested Amount,Óskað eftir upphæð
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Exchange Rate er nauðsynlegur
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},User ID ekki sett fyrir Starfsmaður {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},User ID ekki sett fyrir Starfsmaður {0}
 DocType: Vehicle,Vehicle Value,ökutæki Value
 DocType: Crop Cycle,Detected Diseases,Uppgötvaðir sjúkdómar
 DocType: Stock Entry,Default Source Warehouse,Sjálfgefið Source Warehouse
 DocType: Item,Customer Code,viðskiptavinur Code
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Afmæli Áminning fyrir {0}
 DocType: Asset Maintenance Task,Last Completion Date,Síðasti lokadagur
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagar frá síðustu Order
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debit Til reikning verður að vera Efnahagur reikning
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debit Til reikning verður að vera Efnahagur reikning
 DocType: Asset,Naming Series,nafngiftir Series
 DocType: Vital Signs,Coated,Húðað
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Vænt verð eftir gagnlegt líf verður að vera lægra en heildsöluverð
@@ -6301,15 +6370,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Afhending Note {0} Ekki má leggja
 DocType: Notification Control,Sales Invoice Message,Velta Invoice Message
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Lokun reikning {0} verður að vera af gerðinni ábyrgðar / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Laun Slip starfsmanns {0} þegar búið fyrir tíma blaði {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Laun Slip starfsmanns {0} þegar búið fyrir tíma blaði {1}
 DocType: Vehicle Log,Odometer,kílómetramæli
 DocType: Production Plan Item,Ordered Qty,Raðaður Magn
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Liður {0} er óvirk
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Liður {0} er óvirk
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen uppí
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM inniheldur ekki lager atriði
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM inniheldur ekki lager atriði
 DocType: Chapter,Chapter Head,Kafli höfuð
 DocType: Payment Term,Month(s) after the end of the invoice month,Mánuður (s) eftir lok reiknings mánaðar
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Launastyrkur ætti að hafa sveigjanlegan ávinningshluta (hluti) til að afgreiða bætur
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Launastyrkur ætti að hafa sveigjanlegan ávinningshluta (hluti) til að afgreiða bætur
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Project virkni / verkefni.
 DocType: Vital Signs,Very Coated,Mjög húðaður
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Aðeins skattáhrif (getur ekki krafist en hluti af skattskyldum tekjum)
@@ -6327,7 +6396,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours
 DocType: Project,Total Sales Amount (via Sales Order),Samtals sölugjald (með sölupöntun)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Sjálfgefið BOM fyrir {0} fannst ekki
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Vinsamlegast settu pöntunarmark magn
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Vinsamlegast settu pöntunarmark magn
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Pikkaðu á atriði til að bæta þeim við hér
 DocType: Fees,Program Enrollment,program Innritun
 DocType: Share Transfer,To Folio No,Til Folio nr
@@ -6367,9 +6436,9 @@
 DocType: SG Creation Tool Course,Max Strength,max Strength
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Uppsetning forstillingar
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Engin afhendingartilkynning valin fyrir viðskiptavini {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Engin afhendingartilkynning valin fyrir viðskiptavini {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Starfsmaður {0} hefur ekki hámarksbætur
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Veldu Atriði byggt á Afhendingardagur
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Veldu Atriði byggt á Afhendingardagur
 DocType: Grant Application,Has any past Grant Record,Hefur einhverjar fyrri styrkleikaskrár
 ,Sales Analytics,velta Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Laus {0}
@@ -6377,12 +6446,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,framleiðsla Stillingar
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Setja upp tölvupóst
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Vinsamlegast sláðu inn sjálfgefið mynt í félaginu Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Vinsamlegast sláðu inn sjálfgefið mynt í félaginu Master
 DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Daglegar áminningar
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Daglegar áminningar
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Sjáðu alla opna miða
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Heilbrigðisþjónustudeild Tree
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Vara
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Vara
 DocType: Products Settings,Home Page is Products,Home Page er vörur
 ,Asset Depreciation Ledger,Asset Afskriftir Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Skildu innheimtuverð á dag
@@ -6392,8 +6461,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Raw Materials Staðar Kostnaður
 DocType: Selling Settings,Settings for Selling Module,Stillingar fyrir Selja Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hótel herbergi fyrirvara
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Þjónustuver
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Þjónustuver
 DocType: BOM,Thumbnail,Smámynd
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Engar tengiliðir við auðkenni tölvupósts fundust.
 DocType: Item Customer Detail,Item Customer Detail,Liður Viðskiptavinur Detail
 DocType: Notification Control,Prompt for Email on Submission of,Hvetja til Email um Framlagning
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Hámarksframlagsþáttur starfsmanns {0} fer yfir {1}
@@ -6403,13 +6473,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Liður {0} verður að vera birgðir Item
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Sjálfgefið Work In Progress Warehouse
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Tímaáætlanir fyrir {0} skarast, viltu halda áfram eftir að skipta yfirliða rifa?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Sjálfgefnar stillingar fyrir bókhald viðskiptum.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Sjálfgefnar stillingar fyrir bókhald viðskiptum.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Sjálfgefið Skattamót
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Nemendur hafa verið skráðir
 DocType: Fees,Student Details,Nánari upplýsingar
 DocType: Purchase Invoice Item,Stock Qty,Fjöldi hluta
 DocType: Contract,Requires Fulfilment,Krefst uppfylla
+DocType: QuickBooks Migrator,Default Shipping Account,Sjálfgefið sendingarkostnaður
 DocType: Loan,Repayment Period in Months,Lánstími í mánuði
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Villa: Ekki gild id?
 DocType: Naming Series,Update Series Number,Uppfæra Series Number
@@ -6423,11 +6494,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Hámarksfjöldi
 DocType: Journal Entry,Total Amount Currency,Heildarfjárhæð Gjaldmiðill
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Leit Sub þing
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Item Code þörf á Row nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Item Code þörf á Row nr {0}
 DocType: GST Account,SGST Account,SGST reikningur
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Fara í Atriði
 DocType: Sales Partner,Partner Type,Gerð Partner
-DocType: Purchase Taxes and Charges,Actual,Raunveruleg
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Raunveruleg
 DocType: Restaurant Menu,Restaurant Manager,Veitingahússtjóri
 DocType: Authorization Rule,Customerwise Discount,Customerwise Afsláttur
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet fyrir verkefni.
@@ -6448,7 +6519,7 @@
 DocType: Employee,Cheque,ávísun
 DocType: Training Event,Employee Emails,Tölvupóstur starfsmanns
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Series Uppfært
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Tegund skýrslu er nauðsynlegur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Tegund skýrslu er nauðsynlegur
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse er nauðsynlegur fyrir hlutabréfum lið {0} í röð {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retail &amp; Heildverslun
@@ -6478,7 +6549,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Uppfærðu innheimta upphæð í sölupöntun
 DocType: BOM,Materials,efni
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",Ef ekki hakað listi verður að vera bætt við hvorri deild þar sem það þarf að vera beitt.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Staða dagsetningu og staða tími er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Staða dagsetningu og staða tími er nauðsynlegur
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Tax sniðmát fyrir að kaupa viðskiptum.
 ,Item Prices,Item Verð
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Í orðum verður sýnileg þegar þú hefur vistað Purchase Order.
@@ -6494,12 +6565,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Röð fyrir eignatekjur afskriftir (Journal Entry)
 DocType: Membership,Member Since,Meðlimur síðan
 DocType: Purchase Invoice,Advance Payments,fyrirframgreiðslur
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Vinsamlegast veldu heilsugæsluþjónustu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Vinsamlegast veldu heilsugæsluþjónustu
 DocType: Purchase Taxes and Charges,On Net Total,Á Nettó
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Gildi fyrir eigind {0} verður að vera innan þeirra marka sem {1} til {2} í þrepum {3} fyrir lið {4}
 DocType: Restaurant Reservation,Waitlisted,Bíddu á lista
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Undanþáguflokkur
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Gjaldmiðill er ekki hægt að breyta eftir að færslur með einhverja aðra mynt
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Gjaldmiðill er ekki hægt að breyta eftir að færslur með einhverja aðra mynt
 DocType: Shipping Rule,Fixed,Fastur
 DocType: Vehicle Service,Clutch Plate,Clutch Plate
 DocType: Company,Round Off Account,Umferð Off reikning
@@ -6508,7 +6579,7 @@
 DocType: Subscription Plan,Based on price list,Byggt á verðskrá
 DocType: Customer Group,Parent Customer Group,Parent Group Viðskiptavinur
 DocType: Vehicle Service,Change,Breyta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Áskrift
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Áskrift
 DocType: Purchase Invoice,Contact Email,Netfang tengiliðar
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Gjöld vegna verðtryggingar
 DocType: Appraisal Goal,Score Earned,skora aflað
@@ -6535,23 +6606,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,/ Viðskiptakröfur Account
 DocType: Delivery Note Item,Against Sales Order Item,Gegn Sales Order Item
 DocType: Company,Company Logo,Fyrirtæki Logo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Vinsamlegast tilgreindu Attribute virði fyrir eigind {0}
-DocType: Item Default,Default Warehouse,Sjálfgefið Warehouse
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Vinsamlegast tilgreindu Attribute virði fyrir eigind {0}
+DocType: QuickBooks Migrator,Default Warehouse,Sjálfgefið Warehouse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Fjárhagsáætlun er ekki hægt að úthlutað gegn Group reikninginn {0}
 DocType: Shopping Cart Settings,Show Price,Sýna verð
 DocType: Healthcare Settings,Patient Registration,Sjúklingur skráning
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Vinsamlegast sláðu foreldri kostnaðarstað
 DocType: Delivery Note,Print Without Amount,Prenta Án Upphæð
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Afskriftir Dagsetning
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Afskriftir Dagsetning
 ,Work Orders in Progress,Vinna Pantanir í gangi
 DocType: Issue,Support Team,Stuðningur Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Fyrning (í dögum)
 DocType: Appraisal,Total Score (Out of 5),Total Score (af 5)
 DocType: Student Attendance Tool,Batch,hópur
 DocType: Support Search Source,Query Route String,Fyrirspurnarleiðsögn
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Uppfærsla hlutfall eftir síðustu kaupum
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Uppfærsla hlutfall eftir síðustu kaupum
 DocType: Donor,Donor Type,Gerð gjafa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Sjálfvirk endurtaka skjal uppfært
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Sjálfvirk endurtaka skjal uppfært
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Balance
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Vinsamlegast veldu félagið
 DocType: Job Card,Job Card,Atvinna kort
@@ -6565,7 +6636,7 @@
 DocType: Assessment Result,Total Score,Total Score
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 staðall
 DocType: Journal Entry,Debit Note,debet Note
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Þú getur aðeins innleysað hámark {0} stig í þessari röð.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Þú getur aðeins innleysað hámark {0} stig í þessari röð.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Vinsamlegast sláðu inn API Consumer Secret
 DocType: Stock Entry,As per Stock UOM,Eins og á lager UOM
@@ -6578,10 +6649,11 @@
 DocType: Journal Entry,Total Debit,alls skuldfærsla
 DocType: Travel Request Costing,Sponsored Amount,Styrkt upphæð
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Sjálfgefin fullunnum Warehouse
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Vinsamlegast veldu Sjúklingur
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Vinsamlegast veldu Sjúklingur
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Sölufulltrúa
 DocType: Hotel Room Package,Amenities,Aðstaða
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Fjárhagsáætlun og kostnaður Center
+DocType: QuickBooks Migrator,Undeposited Funds Account,Óheimilt sjóðsreikningur
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Fjárhagsáætlun og kostnaður Center
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Margfeldi sjálfgefið greiðslumáti er ekki leyfilegt
 DocType: Sales Invoice,Loyalty Points Redemption,Hollusta stig Innlausn
 ,Appointment Analytics,Ráðstefna Analytics
@@ -6595,6 +6667,7 @@
 DocType: Batch,Manufacturing Date,Framleiðslutími
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Fee Creation mistókst
 DocType: Opening Invoice Creation Tool,Create Missing Party,Búðu til vantar aðila
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Heildaráætlun
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Skildu eftir ef þú gerir nemendur hópa á ári
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ef hakað Total nr. vinnudaga mun fela frí, og þetta mun draga úr gildi af launum fyrir dag"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Forrit sem nota núverandi lykil vilja ekki geta nálgast, ertu viss?"
@@ -6610,20 +6683,19 @@
 DocType: Opportunity Item,Basic Rate,Basic Rate
 DocType: GL Entry,Credit Amount,Credit Upphæð
 DocType: Cheque Print Template,Signatory Position,Undirritaður Staða
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Setja sem Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Setja sem Lost
 DocType: Timesheet,Total Billable Hours,Samtals vinnustunda
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Fjöldi daga sem áskrifandi þarf að greiða reikninga sem myndast með þessari áskrift
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Starfsmannatengd umsóknareyðublað
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Greiðslukvittun Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Þetta er byggt á viðskiptum móti þessum viðskiptavinar. Sjá tímalínu hér fyrir nánari upplýsingar
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Reiknaðar upphæð {1} verður að vera minna en eða jafngildir Greiðsla Entry upphæð {2}
 DocType: Program Enrollment Tool,New Academic Term,Nýtt fræðasvið
 ,Course wise Assessment Report,Námsmatsmatsskýrsla
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Notaði ITC ríki / UT skatt
 DocType: Tax Rule,Tax Rule,Tax Regla
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Halda Sama hlutfall á öllu söluferlið
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Vinsamlegast skráðu þig inn sem annar notandi til að skrá þig á markaðssvæði
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Vinsamlegast skráðu þig inn sem annar notandi til að skrá þig á markaðssvæði
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Skipuleggja tíma logs utan Workstation vinnutíma.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Viðskiptavinir í biðröð
 DocType: Driver,Issuing Date,Útgáfudagur
@@ -6632,11 +6704,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Sendu inn þessa vinnu til að fá frekari vinnslu.
 ,Items To Be Requested,Hlutir til að biðja
 DocType: Company,Company Info,Upplýsingar um fyrirtæki
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Veldu eða bæta við nýjum viðskiptavin
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Veldu eða bæta við nýjum viðskiptavin
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Kostnaður sent er nauðsynlegt að bóka kostnað kröfu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Umsókn um Funds (eignum)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Þetta er byggt á mætingu þessa starfsmanns
-DocType: Assessment Result,Summary,Yfirlit
 DocType: Payment Request,Payment Request Type,Greiðslubók Tegund
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Aðsókn
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,skuldfærslureikning
@@ -6644,7 +6715,7 @@
 DocType: Additional Salary,Employee Name,starfsmaður Name
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Veitingahús Order Entry Item
 DocType: Purchase Invoice,Rounded Total (Company Currency),Ávalur Total (Company Gjaldmiðill)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Get ekki leynilegar að samstæðunnar vegna Tegund reiknings er valinn.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Get ekki leynilegar að samstæðunnar vegna Tegund reiknings er valinn.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} hefur verið breytt. Vinsamlegast hressa.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Hættu notendur frá gerð yfirgefa Umsóknir um næstu dögum.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",Ef ótakmarkaður rennur út fyrir hollustustigið skaltu halda gildistíma gildistíma tómt eða 0.
@@ -6665,11 +6736,12 @@
 DocType: Asset,Out of Order,Bilað
 DocType: Purchase Receipt Item,Accepted Quantity,Samþykkt Magn
 DocType: Projects Settings,Ignore Workstation Time Overlap,Hunsa vinnustöðartímann
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Vinsamlegast setja sjálfgefið Holiday lista fyrir Starfsmaður {0} eða fyrirtækis {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Vinsamlegast setja sjálfgefið Holiday lista fyrir Starfsmaður {0} eða fyrirtækis {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} er ekki til
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Veldu hópnúmer
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Til GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Til GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Víxlar vakti til viðskiptavina.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Innheimtuákvæði sjálfkrafa
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Project Id
 DocType: Salary Component,Variable Based On Taxable Salary,Variable Byggt á skattskyldum launum
 DocType: Company,Basic Component,Grunnþáttur
@@ -6682,10 +6754,10 @@
 DocType: Stock Entry,Source Warehouse Address,Heimild Vörugeymsla Heimilisfang
 DocType: GL Entry,Voucher Type,skírteini Type
 DocType: Amazon MWS Settings,Max Retry Limit,Hámarksfjöldi endurheimta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður
 DocType: Student Applicant,Approved,samþykkt
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,verð
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Starfsmaður létta á {0} skal stilla eins &#39;Vinstri&#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Starfsmaður létta á {0} skal stilla eins &#39;Vinstri&#39;
 DocType: Marketplace Settings,Last Sync On,Síðasta samstilling á
 DocType: Guardian,Guardian,Guardian
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Öll samskipti, þ.mt og yfir þetta, skulu flutt í nýju útgáfuna"
@@ -6708,14 +6780,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Listi yfir sjúkdóma sem finnast á þessu sviði. Þegar það er valið mun það bæta sjálfkrafa lista yfir verkefni til að takast á við sjúkdóminn
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Þetta er rót heilbrigðisþjónustudeild og er ekki hægt að breyta.
 DocType: Asset Repair,Repair Status,Viðgerðarstaða
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Bæta við söluaðilum
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Bókhald dagbók færslur.
 DocType: Travel Request,Travel Request,Ferðaskilaboð
 DocType: Delivery Note Item,Available Qty at From Warehouse,Laus Magn á frá vöruhúsi
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Vinsamlegast veldu Starfsmaður Taka fyrst.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Þáttur ekki sendur fyrir {0} eins og það er frídagur.
 DocType: POS Profile,Account for Change Amount,Reikningur fyrir Change Upphæð
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Tengist við QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Heildargreiðsla / tap
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Ógilt félag fyrir millifærslufyrirtæki.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Ógilt félag fyrir millifærslufyrirtæki.
 DocType: Purchase Invoice,input service,inntakstími
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Account passar ekki við {1} / {2} í {3} {4}
 DocType: Employee Promotion,Employee Promotion,Starfsmaður kynningar
@@ -6724,12 +6798,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Námskeiðskóði:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Vinsamlegast sláðu inn kostnað reikning
 DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Purchase Order, Purchase Invoice eða Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Purchase Order, Purchase Invoice eða Journal Entry"
 DocType: Employee,Current Address,Núverandi heimilisfang
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ef hluturinn er afbrigði af annað lið þá lýsingu, mynd, verðlagningu, skatta osfrv sett verður úr sniðmátinu nema skýrt tilgreint"
 DocType: Serial No,Purchase / Manufacture Details,Kaup / Framleiðsla Upplýsingar
 DocType: Assessment Group,Assessment Group,mat Group
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,hópur Inventory
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Málsmeðferð
 DocType: Employee,Contract End Date,Samningur Lokadagur
 DocType: Amazon MWS Settings,Seller ID,Seljandi auðkenni
@@ -6749,12 +6824,12 @@
 DocType: Company,Date of Incorporation,Dagsetning samþættingar
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Tax
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Síðasta kaupverð
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Fyrir Magn (Framleiðandi Magn) er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Fyrir Magn (Framleiðandi Magn) er nauðsynlegur
 DocType: Stock Entry,Default Target Warehouse,Sjálfgefið Target Warehouse
 DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Company Gjaldmiðill)
 DocType: Delivery Note,Air,Loft
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,The Year End Date getur ekki verið fyrr en árið Start Date. Vinsamlega leiðréttu dagsetningar og reyndu aftur.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} er ekki í valfrjálsum frílista
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} er ekki í valfrjálsum frílista
 DocType: Notification Control,Purchase Receipt Message,Kvittun Skilaboð
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Rusl Items
@@ -6776,23 +6851,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Uppfylling
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Á fyrri röð Upphæð
 DocType: Item,Has Expiry Date,Hefur gildistími
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfer Asset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfer Asset
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Event Name
 DocType: Healthcare Practitioner,Phone (Office),Sími (Skrifstofa)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Get ekki sent, Starfsmenn vinstri til að merkja aðsókn"
 DocType: Inpatient Record,Admission,Aðgangseyrir
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Innlagnir fyrir {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Árstíðum til að setja fjárveitingar, markmið o.fl."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Árstíðum til að setja fjárveitingar, markmið o.fl."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Breytilegt nafn
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",Liður {0} er sniðmát skaltu velja einn af afbrigði hennar
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vinsamlega settu upp starfsmannamiðlunarkerfi í mannauði&gt; HR-stillingar
+DocType: Purchase Invoice Item,Deferred Expense,Frestað kostnað
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Frá Dagsetning {0} getur ekki verið áður en starfsmaður er kominn með Dagsetning {1}
 DocType: Asset,Asset Category,Asset Flokkur
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Net borga ekki vera neikvæð
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Net borga ekki vera neikvæð
 DocType: Purchase Order,Advance Paid,Advance Greiddur
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Yfirvinnsla hlutfall fyrir sölu pöntunar
 DocType: Item,Item Tax,Liður Tax
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Efni til Birgir
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Efni til Birgir
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Efni beiðni um skipulagningu
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,vörugjöld Invoice
@@ -6814,11 +6891,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Tímasetningar Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kreditkort
 DocType: BOM,Item to be manufactured or repacked,Liður í að framleiða eða repacked
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Setningafræði í skilningi: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Setningafræði í skilningi: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Major / valgreinum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Vinsamlegast settu birgirhóp í kaupstillingum.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Vinsamlegast settu birgirhóp í kaupstillingum.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Heildarfjöldi breytilegra bótaþátta {0} ætti ekki að vera minna en hámarks ávinningur {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Hengdur
@@ -6838,7 +6915,7 @@
 DocType: Customer,Commission Rate,Framkvæmdastjórnin Rate
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Búið til greiðslufærslur með góðum árangri
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Búið til {0} stigakort fyrir {1} á milli:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,gera Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,gera Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Greiðsla Type verður að vera einn af fáum, Borga og Innri Transfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Valinn svæði fyrir gistingu
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6849,7 +6926,7 @@
 DocType: Work Order,Actual Operating Cost,Raunveruleg rekstrarkostnaður
 DocType: Payment Entry,Cheque/Reference No,Ávísun / tilvísunarnúmer
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root ekki hægt að breyta.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root ekki hægt að breyta.
 DocType: Item,Units of Measure,Mælieiningar
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Leigt í Metro City
 DocType: Supplier,Default Tax Withholding Config,Sjálfgefið skatthlutfall
@@ -6867,21 +6944,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Að lokinni greiðslu áframsenda notandann til valda síðu.
 DocType: Company,Existing Company,núverandi Company
 DocType: Healthcare Settings,Result Emailed,Niðurstaða send
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattflokki hefur verið breytt í &quot;Samtals&quot; vegna þess að öll atriðin eru hlutir sem ekki eru hlutir
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattflokki hefur verið breytt í &quot;Samtals&quot; vegna þess að öll atriðin eru hlutir sem ekki eru hlutir
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Hingað til er ekki hægt að jafna eða minna en frá þeim degi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Ekkert að breyta
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vinsamlegast veldu csv skrá
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Vinsamlegast veldu csv skrá
 DocType: Holiday List,Total Holidays,Samtals hátíðir
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Vantar email sniðmát til sendingar. Vinsamlegast stilltu einn í Afhendingastillingar.
 DocType: Student Leave Application,Mark as Present,Merkja sem Present
 DocType: Supplier Scorecard,Indicator Color,Vísir Litur
 DocType: Purchase Order,To Receive and Bill,Að taka við og Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd eftir dagsetningu má ekki vera fyrir viðskiptadag
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd eftir dagsetningu má ekki vera fyrir viðskiptadag
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Valin Vörur
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Veldu raðnúmer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Veldu raðnúmer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,hönnuður
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Skilmálar og skilyrði Snið
 DocType: Serial No,Delivery Details,Afhending Upplýsingar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Kostnaður Center er krafist í röð {0} skatta borð fyrir tegund {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Kostnaður Center er krafist í röð {0} skatta borð fyrir tegund {1}
 DocType: Program,Program Code,program Code
 DocType: Terms and Conditions,Terms and Conditions Help,Skilmálar og skilyrði Hjálp
 ,Item-wise Purchase Register,Item-vitur Purchase Register
@@ -6894,15 +6972,16 @@
 DocType: Contract,Contract Terms,Samningsskilmálar
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ekki sýna tákn eins og $ etc hliðina gjaldmiðlum.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Hámarks ávinningur magn af þáttur {0} fer yfir {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Hálfur dagur)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Hálfur dagur)
 DocType: Payment Term,Credit Days,Credit Days
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Vinsamlegast veldu Sjúklingur til að fá Lab Tests
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Gera Student Hópur
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Leyfa flutningi til framleiðslu
 DocType: Leave Type,Is Carry Forward,Er bera fram
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Fá atriði úr BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Fá atriði úr BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time Days
 DocType: Cash Flow Mapping,Is Income Tax Expense,Er tekjuskattur kostnaður
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Pöntunin þín er út fyrir afhendingu!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Staða Dagsetning skal vera það sama og kaupdegi {1} eignar {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kannaðu þetta ef nemandi er búsettur í gistihúsinu.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Vinsamlegast sláðu sölu skipunum í töflunni hér að ofan
@@ -6910,10 +6989,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Flytja eign frá einu vöruhúsi til annars
 DocType: Vehicle,Petrol,Bensín
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Eftirstöðvar kostir (árlega)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill of Materials
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill of Materials
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Party Gerð og Party er nauðsynlegt fyrir / viðskiptakröfur reikninginn {1}
 DocType: Employee,Leave Policy,Leyfi stefnu
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Uppfæra atriði
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Uppfæra atriði
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Dagsetning
 DocType: Employee,Reason for Leaving,Ástæða til að fara
 DocType: BOM Operation,Operating Cost(Company Currency),Rekstrarkostnaður (Company Gjaldmiðill)
@@ -6924,7 +7003,7 @@
 DocType: Department,Expense Approvers,Kostnaðarsamþykktir
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: gjaldfærslu ekki hægt að tengja með {1}
 DocType: Journal Entry,Subscription Section,Áskriftarspurning
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Reikningur {0} er ekki til
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Reikningur {0} er ekki til
 DocType: Training Event,Training Program,Þjálfunaráætlun
 DocType: Account,Cash,Cash
 DocType: Employee,Short biography for website and other publications.,Stutt ævisaga um vefsíðu og öðrum ritum.
diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv
index f4898cd..476bcab 100644
--- a/erpnext/translations/it.csv
+++ b/erpnext/translations/it.csv
@@ -1,7 +1,7 @@
 DocType: Accounting Period,Period Name,Nome del periodo
 DocType: Employee,Salary Mode,Modalità di stipendio
 apps/erpnext/erpnext/public/js/hub/marketplace.js +109,Register,Registrare
-DocType: Patient,Divorced,Divorced
+DocType: Patient,Divorced,Divorziato
 DocType: Support Settings,Post Route Key,Post Route Key
 DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Consenti di aggiungere lo stesso articolo più volte in una transazione
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +33,Cancel Material Visit {0} before cancelling this Warranty Claim,Annulla Materiale Visita {0} prima di annullare questa rivendicazione di Garanzia
@@ -12,10 +12,11 @@
 DocType: Item,Customer Items,Articoli clienti
 DocType: Project,Costing and Billing,Costi e Fatturazione
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},La valuta del conto anticipato deve essere uguale alla valuta della società {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Il Conto {0}: conto derivato {1} non può essere un libro mastro
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Il Conto {0}: conto derivato {1} non può essere un libro mastro
 DocType: Item,Publish Item to hub.erpnext.com,Pubblicare Item a hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Impossibile trovare il Periodo di congedo attivo
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Valorizzazione
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Impossibile trovare il Periodo di congedo attivo
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Valutazione
 DocType: Item,Default Unit of Measure,Unità di Misura Predefinita
 DocType: SMS Center,All Sales Partner Contact,Tutte i contatti Partner vendite
 DocType: Department,Leave Approvers,Responsabili ferie
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Fare clic su Invio per aggiungere
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Valore mancante per Password, Chiave API o URL Shopify"
 DocType: Employee,Rented,Affittato
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Tutti gli account
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Tutti gli account
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Impossibile trasferire Employee con lo stato Left
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Produzione Arrestato Ordine non può essere annullato, Unstop è prima di cancellare"
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ordine di Produzione fermato non può essere annullato, Sbloccare prima di cancellare"
 DocType: Vehicle Service,Mileage,Chilometraggio
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Vuoi davvero di accantonare questo bene?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Vuoi davvero di accantonare questo bene?
 DocType: Drug Prescription,Update Schedule,Aggiorna la pianificazione
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Selezionare il Fornitore predefinito
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Mostra dipendente
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nuovo tasso di cambio
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},E' necessario specificare la  valuta per il listino prezzi {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},E' necessario specificare la  valuta per il listino prezzi {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sarà calcolato nella transazione
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Customer Contact
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Questo si basa su operazioni relative a questo fornitore. Vedere cronologia sotto per i dettagli
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Percentuale di sovrapproduzione per ordine di lavoro
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,legale
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,legale
+DocType: Delivery Note,Transport Receipt Date,Data di ricevimento del trasporto
 DocType: Shopify Settings,Sales Order Series,Serie di ordini di vendita
 DocType: Vital Signs,Tongue,Lingua
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,27 +61,27 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Esenzione da HRA
 DocType: Sales Invoice,Customer Name,Nome Cliente
 DocType: Vehicle,Natural Gas,Gas naturale
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Il Conto bancario non si può chiamare {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Il Conto bancario non si può chiamare {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA come da struttura salariale
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Soci (o società) per le quali le scritture contabili sono fatte e i saldi vengono mantenuti.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),In sospeso per {0} non può essere inferiore a zero ( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,La data di arresto del servizio non può essere precedente alla data di inizio del servizio
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,La data di arresto del servizio non può essere precedente alla data di inizio del servizio
 DocType: Manufacturing Settings,Default 10 mins,Predefinito 10 minuti
-DocType: Leave Type,Leave Type Name,Lascia Tipo Nome
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostra aperta
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Serie Aggiornato con successo
+DocType: Leave Type,Leave Type Name,Nome Tipo di Permesso
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Mostra aperta
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Serie aggiornata con successo
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Check-out
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} nella riga {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} nella riga {1}
 DocType: Asset Finance Book,Depreciation Start Date,Data di inizio ammortamento
-DocType: Pricing Rule,Apply On,applicare On
+DocType: Pricing Rule,Apply On,Applica su
 DocType: Item Price,Multiple Item prices.,Prezzi Articolo Multipli
 ,Purchase Order Items To Be Received,Articolo dell'Ordine di Acquisto da ricevere
 DocType: SMS Center,All Supplier Contact,Tutti i Contatti Fornitori
 DocType: Support Settings,Support Settings,Impostazioni di supporto
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Data fine prevista non può essere inferiore a quella prevista data di inizio
 DocType: Amazon MWS Settings,Amazon MWS Settings,Impostazioni Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Riga #{0}: il Rapporto deve essere lo stesso di {1}: {2} ({3} / {4})
-,Batch Item Expiry Status,Batch Item scadenza di stato
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Riga #{0}: il Rapporto deve essere lo stesso di {1}: {2} ({3} / {4})
+,Batch Item Expiry Status,Stato scadenza Articolo Lotto
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Assegno Bancario
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
 DocType: Mode of Payment Account,Mode of Payment Account,Modalità di pagamento Conto
@@ -106,8 +108,8 @@
 apps/erpnext/erpnext/templates/includes/product_page.js +34,In Stock,In Magazzino
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Dettagli del Contatto Principale
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Problemi Aperti
-DocType: Production Plan Item,Production Plan Item,Produzione Piano Voce
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Utente {0} è già assegnato a Employee {1}
+DocType: Production Plan Item,Production Plan Item,Piano di Produzione Articolo
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Utente {0} è già assegnato a Employee {1}
 DocType: Lab Test Groups,Add new line,Aggiungi nuova riga
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Assistenza Sanitaria
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Ritardo nel pagamento (Giorni)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Prescrizione di laboratorio
 ,Delay Days,Giorni di ritardo
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,spese per servizi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Numero di serie: {0} è già indicato nella fattura di vendita: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Numero di serie: {0} è già indicato nella fattura di vendita: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Fattura
 DocType: Purchase Invoice Item,Item Weight Details,Dettagli peso articolo
 DocType: Asset Maintenance Log,Periodicity,Periodicità
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} è richiesto
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Fornitore&gt; Gruppo di fornitori
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,La distanza minima tra le file di piante per una crescita ottimale
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Difesa
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Elenco vacanza
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Ragioniere
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Listino prezzi di vendita
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Listino prezzi di vendita
 DocType: Patient,Tobacco Current Use,Uso corrente di tabacco
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Tasso di vendita
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Tasso di vendita
 DocType: Cost Center,Stock User,Utente Giacenze
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca+Mg)/K
+DocType: Delivery Stop,Contact Information,Informazioni sui contatti
 DocType: Company,Phone No,N. di telefono
 DocType: Delivery Trip,Initial Email Notification Sent,Notifica email iniziale inviata
 DocType: Bank Statement Settings,Statement Header Mapping,Mappatura dell&#39;intestazione dell&#39;istruzione
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Data di inizio dell&#39;iscrizione
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Account di credito predefinito da utilizzare se non impostati in Paziente per prenotare gli addebiti per gli appuntamenti.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Allega file .csv con due colonne, una per il vecchio nome e uno per il nuovo nome"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Dall&#39;indirizzo 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Codice articolo&gt; Gruppo articoli&gt; Marca
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Dall&#39;indirizzo 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} non presente in alcun Anno Fiscale attivo.
-DocType: Packed Item,Parent Detail docname,Parent Dettaglio docname
+DocType: Packed Item,Parent Detail docname,Dettaglio docname padre
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Riferimento: {0}, codice dell&#39;articolo: {1} e cliente: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} non è presente nella società madre
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} non è presente nella società madre
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Data di fine del periodo di prova Non può essere precedente alla Data di inizio del periodo di prova
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Categoria ritenuta fiscale
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Pubblicità
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,La stessa azienda viene inserito più di una volta
 DocType: Patient,Married,Sposato
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Non consentito per {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Non consentito per {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Ottenere elementi dal
 DocType: Price List,Price Not UOM Dependant,Prezzo non dipendente da UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Applicare la ritenuta d&#39;acconto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock non può essere aggiornata contro Consegna Nota {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Importo totale accreditato
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock non può essere aggiornata contro Consegna Nota {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Importo totale accreditato
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Prodotto {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nessun elemento elencato
 DocType: Asset Repair,Error Description,Descrizione dell&#39;errore
@@ -209,29 +210,29 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Usa il formato del flusso di cassa personalizzato
 DocType: SMS Center,All Sales Person,Tutti i Venditori
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Distribuzione mensile ** aiuta a distribuire il Budget / Target nei mesi, nel caso di di business stagionali."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nessun articolo trovato
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Stipendio Struttura mancante
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nessun articolo trovato
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Stipendio Struttura mancante
 DocType: Lead,Person Name,Nome della Persona
 DocType: Sales Invoice Item,Sales Invoice Item,Articolo della Fattura di Vendita
 DocType: Account,Credit,Avere
 DocType: POS Profile,Write Off Cost Center,Centro di costo Svalutazioni
 apps/erpnext/erpnext/public/js/setup_wizard.js +117,"e.g. ""Primary School"" or ""University""","ad esempio, ""Scuola Elementare"" o ""Università"""
-apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Reports Magazzino
+apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Report Magazzino
 DocType: Warehouse,Warehouse Detail,Dettagli Magazzino
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Il Data Terminologia fine non può essere successiva alla data di fine anno dell&#39;anno accademico a cui il termine è legata (Anno Accademico {}). Si prega di correggere le date e riprovare.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""E' un Asset"" non può essere deselezionato, in quanto esiste già un movimento collegato"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""E' un Asset"" non può essere deselezionato, in quanto esiste già un movimento collegato"
 DocType: Delivery Trip,Departure Time,Orario di partenza
 DocType: Vehicle Service,Brake Oil,olio freno
 DocType: Tax Rule,Tax Type,Tipo fiscale
 ,Completed Work Orders,Ordini di lavoro completati
 DocType: Support Settings,Forum Posts,Messaggi del forum
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Imponibile
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Imponibile
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Non sei autorizzato ad aggiungere o aggiornare le voci prima di {0}
 DocType: Leave Policy,Leave Policy Details,Lasciare i dettagli della politica
 DocType: BOM,Item Image (if not slideshow),Immagine Articolo (se non slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tasso Orario / 60) * tempo operazione effettivo
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Riga # {0}: Il tipo di documento di riferimento deve essere uno dei requisiti di spesa o voce del giornale
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Seleziona la Distinta Materiali
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Riga # {0}: Il tipo di documento di riferimento deve essere uno dei requisiti di spesa o voce del giornale
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Seleziona la Distinta Materiali
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costo di oggetti consegnati
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,La vacanza su {0} non è tra da Data e A Data
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Modelli di classifica dei fornitori.
 DocType: Lead,Interested,Interessati
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Apertura
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Da {0} a {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Da {0} a {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programma:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Impossibile impostare le tasse
 DocType: Item,Copy From Item Group,Copia da Gruppo Articoli
-DocType: Delivery Trip,Delivery Notification,Notifica di consegna
 DocType: Journal Entry,Opening Entry,Apertura Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Solo conto pay
 DocType: Loan,Repay Over Number of Periods,Rimborsare corso Numero di periodi
 DocType: Stock Entry,Additional Costs,Costi aggiuntivi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Account con transazioni registrate non può essere convertito a gruppo.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Account con transazioni registrate non può essere convertito a gruppo.
 DocType: Lead,Product Enquiry,Richiesta di informazioni sui prodotti
 DocType: Education Settings,Validate Batch for Students in Student Group,Convalida il gruppo per gli studenti del gruppo studente
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nessun record congedo trovato per dipendente {0} per {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Inserisci prima azienda
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Seleziona prima azienda
 DocType: Employee Education,Under Graduate,Laureando
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Si prega di impostare il modello predefinito per lasciare notifica dello stato nelle impostazioni delle risorse umane.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Si prega di impostare il modello predefinito per lasciare notifica dello stato nelle impostazioni delle risorse umane.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,obiettivo On
 DocType: BOM,Total Cost,Costo totale
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Estratto conto
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmaceutici
 DocType: Purchase Invoice Item,Is Fixed Asset,E' un Bene Strumentale
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Disponibile Quantità è {0}, è necessario {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Disponibile Quantità è {0}, è necessario {1}"
 DocType: Expense Claim Detail,Claim Amount,Importo Reclamo
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},L&#39;ordine di lavoro è stato {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Modello di ispezione di qualità
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Vuoi aggiornare presenze? <br> Presente: {0} \ <br> Assente: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Quantità accettata + rifiutata deve essere uguale alla quantità ricevuta per {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Quantità accettata + rifiutata deve essere uguale alla quantità ricevuta per {0}
 DocType: Item,Supply Raw Materials for Purchase,Fornire Materie Prime per l'Acquisto
 DocType: Agriculture Analysis Criteria,Fertilizer,Fertilizzante
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Impossibile garantire la consegna in base al numero di serie con l&#39;aggiunta di \ item {0} con e senza la consegna garantita da \ numero di serie.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,è richiesta almeno una modalità di pagamento per POS fattura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,è richiesta almeno una modalità di pagamento per POS fattura.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Elemento fattura transazione conto bancario
 DocType: Products Settings,Show Products as a List,Mostra prodotti sotto forma di elenco
 DocType: Salary Detail,Tax on flexible benefit,Tasse su prestazioni flessibili
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Qtà diff
 DocType: Production Plan,Material Request Detail,Dettaglio richiesta materiale
 DocType: Selling Settings,Default Quotation Validity Days,Giorni di validità delle quotazioni predefinite
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per includere fiscale in riga {0} in rate articolo , tasse nelle righe {1} devono essere inclusi"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"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"
 DocType: SMS Center,SMS Center,Centro SMS
 DocType: Payroll Entry,Validate Attendance,Convalida partecipazione
 DocType: Sales Invoice,Change Amount,quantità di modifica
 DocType: Party Tax Withholding Config,Certificate Received,Certificato ricevuto
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Imposta il valore della fattura per B2C. B2CL e B2CS calcolati in base a questo valore di fattura.
 DocType: BOM Update Tool,New BOM,Nuova Distinta Base
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Procedure prescritte
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Procedure prescritte
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Mostra solo POS
 DocType: Supplier Group,Supplier Group Name,Nome del gruppo di fornitori
 DocType: Driver,Driving License Categories,Categorie di patenti di guida
@@ -341,8 +341,8 @@
 DocType: Purpose of Travel,Purpose of Travel,Proposta di viaggio
 DocType: Payroll Period,Payroll Periods,Periodi di retribuzione
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Crea Dipendente
-apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,emittente
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Imposta modalità del POS (Online / Offline)
+apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Emittente
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Imposta modalità del POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Disabilita la creazione di registrazioni temporali contro gli ordini di lavoro. Le operazioni non devono essere tracciate contro l&#39;ordine di lavoro
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,esecuzione
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,I dettagli delle operazioni effettuate.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Sconto su Prezzo di Listino (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Modello di oggetto
 DocType: Job Offer,Select Terms and Conditions,Selezionare i Termini e Condizioni
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Valore out
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Valore out
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Elemento Impostazioni conto bancario
 DocType: Woocommerce Settings,Woocommerce Settings,Impostazioni Woocommerce
 DocType: Production Plan,Sales Orders,Ordini di vendita
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Accedere alla richiesta di offerta cliccando sul seguente link
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Corso strumento di creazione
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrizione del pagamento
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,insufficiente della
-DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Capacity Planning e Disabilita Time Tracking
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,insufficiente della
+DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Disabilita Pianificazione Capacità e tracciamento tempo
 DocType: Email Digest,New Sales Orders,Nuovi Ordini di vendita
 DocType: Bank Account,Bank Account,Conto Bancario
 DocType: Travel Itinerary,Check-out Date,Data di partenza
-DocType: Leave Type,Allow Negative Balance,Consentire Bilancio Negativo
+DocType: Leave Type,Allow Negative Balance,Consenti Bilancio Negativo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Non è possibile eliminare il tipo di progetto &#39;Esterno&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Seleziona elemento alternativo
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Seleziona elemento alternativo
 DocType: Employee,Create User,Creare un utente
 DocType: Selling Settings,Default Territory,Territorio Predefinito
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,televisione
 DocType: Work Order Operation,Updated via 'Time Log',Aggiornato con 'Time Log'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Seleziona il cliente o il fornitore.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},L'importo anticipato non può essere maggiore di {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},L'importo anticipato non può essere maggiore di {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Intervallo di tempo saltato, lo slot da {0} a {1} si sovrappone agli slot esistenti da {2} a {3}"
 DocType: Naming Series,Series List for this Transaction,Lista Serie per questa transazione
 DocType: Company,Enable Perpetual Inventory,Abilita inventario perpetuo
@@ -423,9 +423,9 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,a fronte dell'Articolo della Fattura di Vendita
 DocType: Agriculture Analysis Criteria,Linked Doctype,Docty collegato
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Di cassa netto da finanziamento
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage è piena, non ha salvato"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage è piena, non ha salvato"
 DocType: Lead,Address & Contact,Indirizzo e Contatto
-DocType: Leave Allocation,Add unused leaves from previous allocations,Aggiungere le foglie non utilizzate precedentemente assegnata
+DocType: Leave Allocation,Add unused leaves from previous allocations,Aggiungere ferie non utilizzate da allocazione precedente
 DocType: Sales Partner,Partner website,sito web partner
 DocType: Restaurant Order Entry,Add Item,Aggiungi articolo
 DocType: Party Tax Withholding Config,Party Tax Withholding Config,Fiscale di ritenuta fiscale del partito
@@ -446,10 +446,10 @@
 ,Open Work Orders,Apri ordini di lavoro
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Charge Item di consulenza per il paziente
 DocType: Payment Term,Credit Months,Mesi di credito
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Retribuzione netta non può essere inferiore a 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Retribuzione netta non può essere inferiore a 0
 DocType: Contract,Fulfilled,Soddisfatto
 DocType: Inpatient Record,Discharge Scheduled,Discarico programmato
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Data Alleviare deve essere maggiore di Data di giunzione
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Data Alleviare deve essere maggiore di Data di giunzione
 DocType: POS Closing Voucher,Cashier,Cassiere
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Ferie per Anno
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Riga {0}: Abilita 'è Advance' contro Account {1} se questa è una voce di anticipo.
@@ -460,17 +460,17 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Impostare gli studenti in gruppi di studenti
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Lavoro completo
 DocType: Item Website Specification,Item Website Specification,Specifica da Sito Web dell'articolo
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Lascia Bloccato
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},L'articolo {0} ha raggiunto la fine della sua vita su {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Lascia Bloccato
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},L'articolo {0} ha raggiunto la fine della sua vita su {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Registrazioni bancarie
 DocType: Customer,Is Internal Customer,È cliente interno
-DocType: Crop,Annual,annuale
+DocType: Crop,Annual,Annuale
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Se l&#39;opzione Auto Opt In è selezionata, i clienti saranno automaticamente collegati al Programma fedeltà in questione (salvo)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voce Riconciliazione Giacenza
 DocType: Stock Entry,Sales Invoice No,Fattura di Vendita n.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tipo di fornitura
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tipo di fornitura
 DocType: Material Request Item,Min Order Qty,Qtà Minima Ordine
-DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Corso di Gruppo Student strumento di creazione
+DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Strumento Corso Creazione Gruppo Studente
 DocType: Lead,Do Not Contact,Non Contattaci
 apps/erpnext/erpnext/utilities/user_progress.py +210,People who teach at your organisation,Le persone che insegnano presso la propria organizzazione
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +123,Software Developer,Software Developer
@@ -478,18 +478,18 @@
 DocType: Supplier,Supplier Type,Tipo Fornitore
 DocType: Course Scheduling Tool,Course Start Date,Data inizio corso
 ,Student Batch-Wise Attendance,Student Batch-Wise presenze
-DocType: POS Profile,Allow user to edit Rate,Consenti all&#39;utente di modificare Tasso
+DocType: POS Profile,Allow user to edit Rate,Consenti all'utente di modificare il Tasso
 DocType: Item,Publish in Hub,Pubblicare in Hub
 DocType: Student Admission,Student Admission,L&#39;ammissione degli studenti
 ,Terretory,Territorio
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,L'articolo {0} è annullato
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,L'articolo {0} è annullato
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Riga di ammortamento {0}: data di inizio ammortamento è inserita come data precedente
 DocType: Contract Template,Fulfilment Terms and Conditions,Termini e condizioni di adempimento
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Richiesta materiale
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Richiesta materiale
 DocType: Bank Reconciliation,Update Clearance Date,Aggiornare Liquidazione Data
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,"Acquisto, i dati"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Articolo {0} non trovato tra le 'Materie Prime Fornite' tabella in Ordine di Acquisto {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Articolo {0} non trovato tra le 'Materie Prime Fornite' tabella in Ordine di Acquisto {1}
 DocType: Salary Slip,Total Principal Amount,Importo principale totale
 DocType: Student Guardian,Relation,Relazione
 DocType: Student Guardian,Mother,Madre
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Distretto di  Spedizione
 DocType: Currency Exchange,For Selling,Per la vendita
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Guide
+DocType: Purchase Invoice Item,Enable Deferred Expense,Abilita spese differite
 DocType: Asset,Next Depreciation Date,Data ammortamento successivo
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Costo attività per dipendente
 DocType: Accounts Settings,Settings for Accounts,Impostazioni per gli account
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},La Fattura Fornitore non esiste nella Fattura di Acquisto {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},La Fattura Fornitore non esiste nella Fattura di Acquisto {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gestire venditori ad albero
 DocType: Job Applicant,Cover Letter,Lettera di presentazione
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Gli assegni in circolazione e depositi per cancellare
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Storia del lavoro esterno
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Circular Error Reference
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Student Report Card
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Dal codice pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Dal codice pin
 DocType: Appointment Type,Is Inpatient,È ospedaliero
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nome Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,In Parole (Export) sarà visibile una volta che si salva il DDT.
@@ -567,22 +568,23 @@
 DocType: Journal Entry,Multi Currency,Multi valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo Fattura
 DocType: Employee Benefit Claim,Expense Proof,Prova di spesa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Documento Di Trasporto
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Salvataggio di {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Documento Di Trasporto
 DocType: Patient Encounter,Encounter Impression,Incontro impressione
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Impostazione Tasse
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Costo del bene venduto
 DocType: Volunteer,Morning,Mattina
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Pagamento ingresso è stato modificato dopo l'tirato. Si prega di tirare di nuovo.
 DocType: Program Enrollment Tool,New Student Batch,New Student Batch
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} inserito due volte in tassazione articolo
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Riepilogo per questa settimana e le attività in corso
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} inserito due volte in tassazione articolo
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Riepilogo per questa settimana e le attività in corso
 DocType: Student Applicant,Admitted,Ammesso
 DocType: Workstation,Rent Cost,Affitto Costo
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Importo Dopo ammortamento
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Importo Dopo ammortamento
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Prossimi eventi del calendario
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Attributi Variante
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Si prega di selezionare mese e anno
-DocType: Employee,Company Email,azienda Email
+DocType: Employee,Company Email,Email aziendale
 DocType: GL Entry,Debit Amount in Account Currency,Importo Debito Account Valuta
 DocType: Supplier Scorecard,Scoring Standings,Classificazione del punteggio
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +21,Order Value,Valore dell&#39;ordine
@@ -595,7 +597,7 @@
 DocType: Certification Application,Not Certified,Non certificato
 DocType: Asset Value Adjustment,New Asset Value,Nuovo valore patrimoniale
 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tasso con cui la valuta Cliente viene convertita in valuta di base del cliente
-DocType: Course Scheduling Tool,Course Scheduling Tool,Corso strumento Pianificazione
+DocType: Course Scheduling Tool,Course Scheduling Tool,Strumento Pianificazione Corso
 apps/erpnext/erpnext/controllers/accounts_controller.py +682,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Acquisto fattura non può essere fatta contro un bene esistente {1}
 DocType: Crop Cycle,LInked Analysis,Analisi di LInked
 DocType: POS Closing Voucher,POS Closing Voucher,Voucher di chiusura POS
@@ -615,13 +617,13 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Ci può essere solo 1 account per ogni impresa in {0} {1}
 DocType: Support Search Source,Response Result Key Path,Percorso chiave risultato risposta
 DocType: Journal Entry,Inter Company Journal Entry,Entrata ufficiale della compagnia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},La quantità {0} non deve essere maggiore della quantità dell&#39;ordine di lavoro {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Si prega di vedere allegato
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},La quantità {0} non deve essere maggiore della quantità dell&#39;ordine di lavoro {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Si prega di vedere allegato
 DocType: Purchase Order,% Received,% Ricevuto
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Creazione di gruppi di studenti
 DocType: Volunteer,Weekends,Fine settimana
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Credit Note Amount,Importo della nota di credito
-DocType: Setup Progress Action,Action Document,Documento d&#39;azione
+DocType: Setup Progress Action,Action Document,Azione Documento
 DocType: Chapter Member,Website URL,URL del sito web
 ,Finished Goods,Beni finiti
 DocType: Delivery Note,Instructions,Istruzione
@@ -632,7 +634,7 @@
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +225,Student Name: ,Nome dello studente:
 DocType: POS Closing Voucher Details,Difference,Differenza
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial No {0} non appartiene alla Consegna Nota {1}
-apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +97,"There seems to be an issue with the server's GoCardless configuration. Don't worry, in case of failure, the amount will get refunded to your account.","Sembra esserci un problema con la configurazione GoCardless del server. Non preoccuparti, in caso di errore, l&#39;importo verrà rimborsato sul tuo conto."
+apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +97,"There seems to be an issue with the server's GoCardless configuration. Don't worry, in case of failure, the amount will get refunded to your account.","Sembra esserci un problema con la configurazione del server GoCardless. Non preoccuparti, in caso di errore, l'importo verrà rimborsato sul tuo conto."
 apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
 apps/erpnext/erpnext/public/js/utils/item_selector.js +20,Add Items,Aggiungi articoli
 DocType: Item Quality Inspection Parameter,Item Quality Inspection Parameter,Voce di controllo di qualità dei parametri
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Assolutamente stupendo
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Cambia l'inizio/numero sequenza corrente per una serie esistente
 DocType: Dosage Strength,Strength,Forza
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Creare un nuovo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Creare un nuovo cliente
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,In scadenza
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se più regole dei prezzi continuano a prevalere, gli utenti sono invitati a impostare manualmente la priorità per risolvere il conflitto."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Creare ordini d&#39;acquisto
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Costo consumabili
 DocType: Purchase Receipt,Vehicle Date,Data Veicolo
 DocType: Student Log,Medical,Medico
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Motivo per Perdere
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Si prega di selezionare droga
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Motivo per Perdere
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Si prega di selezionare droga
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Il proprietario del Lead non può essere il Lead stesso
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,importo concesso non può maggiore del valore non aggiustato
 DocType: Announcement,Receiver,Ricevitore
 DocType: Location,Area UOM,Area UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Stazione di lavoro chiusa nei seguenti giorni secondo la lista delle vacanze: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Opportunità
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Opportunità
 DocType: Lab Test Template,Single,Singolo
 DocType: Compensatory Leave Request,Work From Date,Lavoro dalla data
 DocType: Salary Slip,Total Loan Repayment,Totale Rimborso prestito
+DocType: Project User,View attachments,Visualizza allegati
 DocType: Account,Cost of Goods Sold,Costo del venduto
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Inserisci Centro di costo
 DocType: Drug Prescription,Dosage,Dosaggio
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Quantità e Prezzo
 DocType: Delivery Note,% Installed,% Installato
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Aule / Laboratori etc dove le lezioni possono essere programmati.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Le valute delle società di entrambe le società devono corrispondere alle Transazioni della Società Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Le valute delle società di entrambe le società devono corrispondere alle Transazioni della Società Inter.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Inserisci il nome della società prima
 DocType: Travel Itinerary,Non-Vegetarian,Non vegetariano
 DocType: Purchase Invoice,Supplier Name,Nome Fornitore
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Temporaneamente in attesa
 DocType: Account,Is Group,E' un Gruppo
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,La nota di credito {0} è stata creata automaticamente
-DocType: Email Digest,Pending Purchase Orders,In attesa di ordini di acquisto
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Imposta automaticamente seriale Nos sulla base FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Controllare l'unicità del numero fattura fornitore
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Dettagli indirizzo primario
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personalizza testo di introduzione che andrà nell'email. Ogni transazione ha un introduzione distinta.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Riga {0}: l&#39;operazione è necessaria per l&#39;articolo di materie prime {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Imposta il conto pagabile in default per la società {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transazione non consentita contro interrotta Ordine di lavorazione {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transazione non consentita contro interrotta Ordine di lavorazione {0}
 DocType: Setup Progress Action,Min Doc Count,Min di Doc Doc
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Impostazioni globali per tutti i processi produttivi.
 DocType: Accounts Settings,Accounts Frozen Upto,Conti congelati fino al
 DocType: SMS Log,Sent On,Inviata il
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Attributo {0} selezionato più volte in Attributi Tabella
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Attributo {0} selezionato più volte in Attributi Tabella
 DocType: HR Settings,Employee record is created using selected field. ,Record dipendente viene creato utilizzando campo selezionato.
 DocType: Sales Order,Not Applicable,Non Applicabile
 DocType: Amazon MWS Settings,UK,UK
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Il Dipendente {0} ha già fatto domanda per {1} su {2}:
 DocType: Inpatient Record,AB Positive,AB Positivo
 DocType: Job Opening,Description of a Job Opening,Descrizione dell'Offerta di Lavoro
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Attività di attesa per oggi
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Attività di attesa per oggi
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Componente Stipendio per il libro paga base scheda attività.
+DocType: Driver,Applicable for external driver,Applicabile per driver esterno
 DocType: Sales Order Item,Used for Production Plan,Usato per Piano di Produzione
 DocType: Loan,Total Payment,Pagamento totale
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Impossibile annullare la transazione per l&#39;ordine di lavoro completato.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Impossibile annullare la transazione per l&#39;ordine di lavoro completato.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo tra le operazioni (in minuti)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO già creato per tutti gli articoli dell&#39;ordine di vendita
 DocType: Healthcare Service Unit,Occupied,Occupato
 DocType: Clinical Procedure,Consumables,Materiali di consumo
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} è cancellato perciò l'azione non può essere completata
-DocType: Customer,Buyer of Goods and Services.,Buyer di beni e servizi.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} è cancellato perciò l'azione non può essere completata
+DocType: Customer,Buyer of Goods and Services.,Acquisto di beni e servizi.
 DocType: Journal Entry,Accounts Payable,Conti pagabili
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,L&#39;importo di {0} impostato in questa richiesta di pagamento è diverso dall&#39;importo calcolato di tutti i piani di pagamento: {1}. Assicurarsi che questo sia corretto prima di inviare il documento.
-DocType: Patient,Allergies,allergie
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Le distinte materiali selezionati non sono per la stessa voce
+DocType: Patient,Allergies,Allergie
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Le distinte materiali selezionati non sono per la stessa voce
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Cambia codice articolo
 DocType: Supplier Scorecard Standing,Notify Other,Notifica Altro
 DocType: Vital Signs,Blood Pressure (systolic),Pressione sanguigna (sistolica)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Parti abbastanza per costruire
 DocType: POS Profile User,POS Profile User,Profilo utente POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Riga {0}: è richiesta la Data di inizio ammortamento
-DocType: Sales Invoice Item,Service Start Date,Data di inizio del servizio
+DocType: Purchase Invoice Item,Service Start Date,Data di inizio del servizio
 DocType: Subscription Invoice,Subscription Invoice,Fattura di abbonamento
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,reddito diretta
 DocType: Patient Appointment,Date TIme,Appuntamento
@@ -783,7 +786,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +39,Setting up company and taxes,Impostare società e tasse
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +22,Please select Course,Seleziona Corso
 DocType: Codification Table,Codification Table,Tabella di codificazione
-DocType: Timesheet Detail,Hrs,ore
+DocType: Timesheet Detail,Hrs,Ore
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +410,Please select Company,Selezionare prego
 DocType: Stock Entry Detail,Difference Account,account differenza
 DocType: Purchase Invoice,Supplier GSTIN,Fornitore GSTIN
@@ -793,13 +796,13 @@
 DocType: Lab Test Template,Lab Routine,Laboratorio di routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,cosmetici
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Selezionare la data di completamento per il registro di manutenzione delle attività completato
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Per unire , seguenti proprietà devono essere uguali per entrambe le voci"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Per unire , seguenti proprietà devono essere uguali per entrambe le voci"
 DocType: Supplier,Block Supplier,Blocca fornitore
 DocType: Shipping Rule,Net Weight,Peso netto
 DocType: Job Opening,Planned number of Positions,Numero previsto di posizioni
 DocType: Employee,Emergency Phone,Telefono di emergenza
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +82,{0} {1} does not exist.,{0} {1} non esiste.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Acquistare
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Acquista
 ,Serial No Warranty Expiry,Serial No Garanzia di scadenza
 DocType: Sales Invoice,Offline POS Name,Nome POS offline
 apps/erpnext/erpnext/utilities/user_progress.py +180,Student Application,Applicazione per studenti
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Modello di mappatura del flusso di cassa
 DocType: Travel Request,Costing Details,Dettagli di costo
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Mostra voci di ritorno
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial nessun elemento non può essere una frazione
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial nessun elemento non può essere una frazione
 DocType: Journal Entry,Difference (Dr - Cr),Differenza ( Dr - Cr )
 DocType: Bank Guarantee,Providing,fornitura
 DocType: Account,Profit and Loss,Profitti e Perdite
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Non consentito, configurare Lab Test Template come richiesto"
 DocType: Patient,Risk Factors,Fattori di rischio
 DocType: Patient,Occupational Hazards and Environmental Factors,Pericoli professionali e fattori ambientali
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Registrazioni azionarie già create per ordine di lavoro
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Registrazioni azionarie già create per ordine di lavoro
 DocType: Vital Signs,Respiratory rate,Frequenza respiratoria
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Gestione conto lavoro / terzista
 DocType: Vital Signs,Body Temperature,Temperatura corporea
 DocType: Project,Project will be accessible on the website to these users,Progetto sarà accessibile sul sito web per questi utenti
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Impossibile cancellare {0} {1} perché il numero di serie {2} non appartiene al magazzino {3}
 DocType: Detected Disease,Disease,Malattia
+DocType: Company,Default Deferred Expense Account,Conto spese differite di default
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definisci il tipo di progetto.
 DocType: Supplier Scorecard,Weighting Function,Funzione di ponderazione
 DocType: Healthcare Practitioner,OP Consulting Charge,Carica di consulenza OP
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Articoli prodotti
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Abbina la transazione alle fatture
 DocType: Sales Order Item,Gross Profit,Utile lordo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Sblocca fattura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Sblocca fattura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Incremento non può essere 0
 DocType: Company,Delete Company Transactions,Elimina transazioni Azienda
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Di riferimento e di riferimento Data è obbligatoria per la transazione Bank
@@ -855,7 +860,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Cannot delete Serial No {0}, as it is used in stock transactions","Impossibile eliminare N. di serie {0}, come si usa in transazioni di borsa"
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +271,Closing (Cr),Chiusura (Cr)
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +1,Hello,Ciao
-apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +118,Move Item,Sposta elemento
+apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +118,Move Item,Sposta articolo
 DocType: Employee Incentive,Incentive Amount,Quantità incentivante
 DocType: Serial No,Warranty Period (Days),Periodo di garanzia (Giorni)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +76,Total Credit/ Debit Amount should be same as linked Journal Entry,L&#39;importo totale del credito / debito dovrebbe essere uguale a quello del giorno di registrazione collegato
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Ignora
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} non è attivo
 DocType: Woocommerce Settings,Freight and Forwarding Account,Conto di spedizione e spedizione
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Configurazione Dimensioni Assegno per la stampa
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Configurazione Dimensioni Assegno per la stampa
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Crea Salary Slips
 DocType: Vital Signs,Bloated,gonfio
 DocType: Salary Slip,Salary Slip Timesheet,Stipendio slittamento Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magazzino Fornitore obbligatorio per ricevuta d'acquisto del conto lavoro
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magazzino Fornitore obbligatorio per ricevuta d'acquisto del conto lavoro
 DocType: Item Price,Valid From,Valido dal
 DocType: Sales Invoice,Total Commission,Commissione Totale
 DocType: Tax Withholding Account,Tax Withholding Account,Conto ritenuta d&#39;acconto
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Tutti i punteggi dei fornitori.
 DocType: Buying Settings,Purchase Receipt Required,Ricevuta di Acquisto necessaria
 DocType: Delivery Note,Rail,Rotaia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Il magazzino di destinazione nella riga {0} deve essere uguale all&#39;ordine di lavoro
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,La valorizzazione è obbligatoria se si tratta di una disponibilità iniziale di magazzino
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Il magazzino di destinazione nella riga {0} deve essere uguale all&#39;ordine di lavoro
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,La valorizzazione è obbligatoria se si tratta di una disponibilità iniziale di magazzino
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nessun record trovato nella tabella Fattura
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Per favore selezionare prima l'azienda e il tipo di Partner
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Già impostato come predefinito nel profilo pos {0} per l&#39;utente {1}, disabilitato per impostazione predefinita"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Esercizio finanziario / contabile .
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Esercizio finanziario / contabile .
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valori accumulati
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Siamo spiacenti , Serial Nos non può essere fusa"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Gruppo di clienti verrà impostato sul gruppo selezionato durante la sincronizzazione dei clienti da Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,Id del Lead
 DocType: C-Form Invoice Detail,Grand Total,Somma totale
 DocType: Assessment Plan,Course,Corso
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Codice di sezione
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Codice di sezione
 DocType: Timesheet,Payslip,Busta paga
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,La data di mezza giornata dovrebbe essere tra la data e la data
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Prodotto Carrello
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Bio personale
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID di appartenenza
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Consegna: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Consegna: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Connesso a QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Conto pagabile
 DocType: Payment Entry,Type of Payment,Tipo di pagamento
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,La mezza giornata è obbligatoria
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Data fattura di spedizione
 DocType: Production Plan,Production Plan,Piano di produzione
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Strumento di Creazione di Fattura Tardiva
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Ritorno di vendite
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Ritorno di vendite
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Totale foglie assegnati {0} non deve essere inferiore a foglie già approvati {1} per il periodo
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Imposta Qtà in Transazioni basate su Nessun input seriale
 ,Total Stock Summary,Sommario totale delle azioni
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Cliente o Voce
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Database Clienti.
 DocType: Quotation,Quotation To,Preventivo a
-DocType: Lead,Middle Income,Reddito Medio
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Reddito Medio
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Opening ( Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unità di misura predefinita per la voce {0} non può essere modificato direttamente perché si è già fatto qualche operazione (s) con un altro UOM. Sarà necessario creare una nuova voce per utilizzare un diverso UOM predefinito.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unità di misura predefinita per la voce {0} non può essere modificato direttamente perché si è già fatto qualche operazione (s) con un altro UOM. Sarà necessario creare una nuova voce per utilizzare un diverso UOM predefinito.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,L'Importo assegnato non può essere negativo
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Imposti la Società
 DocType: Share Balance,Share Balance,Condividi saldo
@@ -947,16 +953,17 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +150,Reference No & Reference Date is required for {0},N. di riferimento & Reference Data è necessario per {0}
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selezionare Account pagamento per rendere Bank Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Serie di denominazione di fattura predefinita
-apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Creare record dei dipendenti per la gestione foglie, rimborsi spese e del libro paga"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Si è verificato un errore durante il processo di aggiornamento
+apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Crea record dei dipendenti per la gestione ferie, rimborsi spese e del libro paga"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Si è verificato un errore durante il processo di aggiornamento
 DocType: Restaurant Reservation,Restaurant Reservation,Prenotazione Ristorante
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Scrivere proposta
 DocType: Payment Entry Deduction,Payment Entry Deduction,Deduzione di Pagamento
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Avvolgendo
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Invia ai clienti tramite e-mail
-DocType: Item,Batch Number Series,Serie di numeri in serie
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Un&#39;altra Sales Person {0} esiste con lo stesso ID Employee
+DocType: Item,Batch Number Series,Numeri in serie Lotto
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Un&#39;altra Sales Person {0} esiste con lo stesso ID Employee
 DocType: Employee Advance,Claimed Amount,Importo richiesto
+DocType: QuickBooks Migrator,Authorization Settings,Impostazioni di autorizzazione
 DocType: Travel Itinerary,Departure Datetime,Data e ora di partenza
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Costo della richiesta di viaggio
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Creare il Nome Fornitore da
 DocType: Activity Type,Default Costing Rate,Tasso Costing Predefinito
 DocType: Maintenance Schedule,Maintenance Schedule,Programma di manutenzione
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Quindi le Regole dei prezzi vengono filtrate in base a cliente, Gruppo Cliente, Territorio, Fornitore, Tipo Fornitore, Campagna, Partner di vendita ecc"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Quindi le Regole dei prezzi vengono filtrate in base a cliente, Gruppo Cliente, Territorio, Fornitore, Tipo Fornitore, Campagna, Partner di vendita ecc"
 DocType: Employee Promotion,Employee Promotion Details,Dettagli sulla promozione dei dipendenti
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Variazione netta Inventario
 DocType: Employee,Passport Number,Numero di passaporto
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Rapporto con Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manager
 DocType: Payment Entry,Payment From / To,Pagamento da / a
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Dall&#39;anno fiscale
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Il Nuovo limite di credito è inferiore all'attuale importo dovuto dal cliente. Il limite di credito deve essere almeno {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Imposta l&#39;account in Magazzino {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Imposta l&#39;account in Magazzino {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basato Su' e 'Raggruppato Per' non può essere lo stesso
 DocType: Sales Person,Sales Person Targets,Sales Person Obiettivi
 DocType: Work Order Operation,In minutes,In pochi minuti
 DocType: Issue,Resolution Date,Risoluzione Data
 DocType: Lab Test Template,Compound,Composto
+DocType: Opportunity,Probability (%),Probabilità (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Notifica di spedizione
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Seleziona proprietà
-DocType: Student Batch Name,Batch Name,Batch Nome
+DocType: Student Batch Name,Batch Name,Nome Lotto
 DocType: Fee Validity,Max number of visit,Numero massimo di visite
 ,Hotel Room Occupancy,Camera d&#39;albergo Occupazione
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Scheda attività creata:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Si prega di impostare di default Contanti o conto bancario in Modalità di pagamento {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Si prega di impostare di default Contanti o conto bancario in Modalità di pagamento {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Iscriversi
 DocType: GST Settings,GST Settings,Impostazioni GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},La valuta deve essere uguale alla valuta della lista dei prezzi: {0}
@@ -1036,7 +1046,7 @@
 DocType: Tax Rule,Shipping Zipcode,Codice postale di spedizione
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +43,Publishing,editoria
 DocType: Accounts Settings,Report Settings,Segnala Impostazioni
-DocType: Activity Cost,Projects User,Progetti utente
+DocType: Activity Cost,Projects User,Utente Progetti
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Consumato
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +158,{0}: {1} not found in Invoice Details table,{0}: {1} non trovato in tabella Dettagli Fattura
 DocType: Asset,Asset Owner Company,Asset Owner Company
@@ -1055,14 +1065,14 @@
 DocType: Loan,Total Interest Payable,Totale interessi passivi
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Tasse Landed Cost e oneri
 DocType: Work Order Operation,Actual Start Time,Ora di inizio effettiva
+DocType: Purchase Invoice Item,Deferred Expense Account,Conto spese differite
 DocType: BOM Operation,Operation Time,Tempo di funzionamento
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Finire
 DocType: Salary Structure Assignment,Base,Base
 DocType: Timesheet,Total Billed Hours,Totale Ore Fatturate
 DocType: Travel Itinerary,Travel To,Viaggiare a
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,non è
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Importo Svalutazione
-DocType: Leave Block List Allow,Allow User,Consentire Utente
+DocType: Leave Block List Allow,Allow User,Consenti Utente
 DocType: Journal Entry,Bill No,Fattura N.
 DocType: Company,Gain/Loss Account on Asset Disposal,Conto profitti / perdite su Asset in smaltimento
 DocType: Vehicle Log,Service Details,Dettagli del servizio
@@ -1070,16 +1080,15 @@
 DocType: Selling Settings,Delivery Note Required,Documento di Trasporto Richiesto
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +533,Submitting Salary Slips...,Invio di buste salariali ...
 DocType: Bank Guarantee,Bank Guarantee Number,Numero di garanzia bancaria
-DocType: Assessment Criteria,Assessment Criteria,Criteri di valutazione
+DocType: Assessment Criteria,Assessment Criteria,Critero di valutazione
 DocType: BOM Item,Basic Rate (Company Currency),Tasso Base (Valuta Azienda)
-apps/erpnext/erpnext/support/doctype/issue/issue.js +38,Split Issue,Split Problema
+apps/erpnext/erpnext/support/doctype/issue/issue.js +38,Split Issue,Dividi Problema
 DocType: Student Attendance,Student Attendance,La partecipazione degli studenti
 DocType: Sales Invoice Timesheet,Time Sheet,Scheda attività
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Materie prime calcolate in base a
 DocType: Sales Invoice,Port Code,Port Code
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Riserva magazzino
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Riserva magazzino
 DocType: Lead,Lead is an Organization,Lead è un&#39;organizzazione
-DocType: Guardian Interest,Interest,Interesse
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pre vendita
 DocType: Instructor Log,Other Details,Altri dettagli
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Contabilità
 DocType: Vehicle,Odometer Value (Last),Valore del contachilometri (Last)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Modelli di criteri di scorecard fornitori.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Riscatta i punti fedeltà
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Il Pagamento è già stato creato
 DocType: Request for Quotation,Get Suppliers,Ottenere Fornitori
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Crop Spacing UOM
 DocType: Loyalty Program,Single Tier Program,Programma a un livello
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Seleziona solo se hai impostato i documenti del Flow Flow Mapper
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Dall&#39;indirizzo 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Dall&#39;indirizzo 1
 DocType: Email Digest,Next email will be sent on:,La prossima Email verrà inviata il:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Segue l&#39;articolo {items} {verbo} contrassegnato come item {message}. \ Puoi abilitarli come item {message} dal suo master Item
 DocType: Supplier Scorecard,Per Week,A settimana
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Articolo ha varianti.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Articolo ha varianti.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Studente totale
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Articolo {0} non trovato
 DocType: Bin,Stock Value,Valore Giacenza
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Società di {0} non esiste
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Società di {0} non esiste
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ha la validità della tassa fino a {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,albero Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Quantità consumata per unità
@@ -1126,11 +1133,11 @@
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +24,Please select Program,Seleziona Programma
 DocType: Project,Estimated Cost,Costo stimato
 DocType: Request for Quotation,Link to material requests,Collegamento alle richieste di materiale
-apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +7,Aerospace,aerospaziale
+apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +7,Aerospace,Aerospaziale
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Entry Carta di Credito
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Azienda e Contabilità
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,in Valore
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,in Valore
 DocType: Asset Settings,Depreciation Options,Opzioni di ammortamento
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,O posizione o dipendente deve essere richiesto
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Tempo di pubblicazione non valido
@@ -1144,28 +1151,29 @@
 ,Reserved,riservato
 DocType: Driver,License Details,Dettagli della licenza
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +86,The field From Shareholder cannot be blank,Il campo Dall&#39;Azionista non può essere vuoto
-DocType: Leave Allocation,Allocation,assegnazione
+DocType: Leave Allocation,Allocation,Assegnazione
 DocType: Purchase Order,Supply Raw Materials,Fornire Materie Prime
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Attività correnti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} non è un articolo in scorta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} non è un articolo in scorta
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Per favore, condividi i tuoi commenti con la formazione cliccando su &quot;Informazioni sulla formazione&quot; e poi su &quot;Nuovo&quot;"
 DocType: Mode of Payment Account,Default Account,Account Predefinito
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Seleziona prima il magazzino di conservazione dei campioni in Impostazioni stock
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Seleziona prima il magazzino di conservazione dei campioni in Impostazioni stock
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Seleziona il tipo di Programma a più livelli per più di una regola di raccolta.
 DocType: Payment Entry,Received Amount (Company Currency),Importo ricevuto (Società di valuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Il Lead deve essere impostato se l'opportunità è generata da un Lead
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Pagamento annullato. Controlla il tuo account GoCardless per maggiori dettagli
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Invia con allegato
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Seleziona il giorno di riposo settimanale
 DocType: Inpatient Record,O Negative,O negativo
 DocType: Work Order Operation,Planned End Time,Planned End Time
 ,Sales Person Target Variance Item Group-Wise,Sales Person target Varianza articolo Group- Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Account con transazione registrate non può essere convertito in libro mastro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Account con transazione registrate non può essere convertito in libro mastro
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Dettagli tipo di unità
 DocType: Delivery Note,Customer's Purchase Order No,Ordine Acquisto Cliente N.
 DocType: Clinical Procedure,Consume Stock,Consumare
-DocType: Budget,Budget Against,budget contro
-apps/erpnext/erpnext/stock/reorder_item.py +194,Auto Material Requests Generated,Richieste Materiale Auto generata
+DocType: Budget,Budget Against,Bilancio contro
+apps/erpnext/erpnext/stock/reorder_item.py +194,Auto Material Requests Generated,Richieste materiale generata automaticamente
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +7,Lost,perso
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +184,You can not enter current voucher in 'Against Journal Entry' column,Non è possibile inserire il buono nella colonna 'Against Journal Entry'
 DocType: Employee Benefit Application Detail,Max Benefit Amount,Ammontare massimo del beneficio
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Sabbia
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energia
 DocType: Opportunity,Opportunity From,Opportunità da
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Riga {0}: {1} Numeri di serie necessari per l&#39;articolo {2}. Hai fornito {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Riga {0}: {1} Numeri di serie necessari per l&#39;articolo {2}. Hai fornito {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Seleziona una tabella
 DocType: BOM,Website Specifications,Website Specifiche
-DocType: Special Test Items,Particulars,particolari
+DocType: Special Test Items,Particulars,Particolari
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Da {0} di tipo {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Riga {0}: fattore di conversione è obbligatoria
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Riga {0}: fattore di conversione è obbligatoria
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Più regole Prezzo esiste con stessi criteri, si prega di risolvere i conflitti tramite l&#39;assegnazione di priorità. Regole Prezzo: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Più regole Prezzo esiste con stessi criteri, si prega di risolvere i conflitti tramite l&#39;assegnazione di priorità. Regole Prezzo: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Conto di rivalutazione del tasso di cambio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Impossibile disattivare o cancellare la Distinta Base in quanto è collegata con altre
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Impossibile disattivare o cancellare la Distinta Base in quanto è collegata con altre
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Seleziona Società e Data di pubblicazione per ottenere le voci
 DocType: Asset,Maintenance,Manutenzione
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Ottenere dall&#39;incontro paziente
 DocType: Subscriber,Subscriber,abbonato
 DocType: Item Attribute Value,Item Attribute Value,Valore Attributo Articolo
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Si prega di aggiornare lo stato del progetto
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Si prega di aggiornare lo stato del progetto
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Cambio valuta deve essere applicabile per l&#39;acquisto o per la vendita.
 DocType: Item,Maximum sample quantity that can be retained,Quantità massima di campione che può essere conservata
 DocType: Project Update,How is the Project Progressing Right Now?,Come sta andando il progetto in questo momento?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La riga {0} # articolo {1} non può essere trasferita più di {2} contro l&#39;ordine d&#39;acquisto {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La riga {0} # articolo {1} non può essere trasferita più di {2} contro l&#39;ordine d&#39;acquisto {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campagne di vendita .
 DocType: Project Task,Make Timesheet,Crea un Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1238,38 +1246,40 @@
 DocType: Quality Inspection Reading,Reading 7,Lettura 7
 apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +9,Partially Ordered,parzialmente ordinato
 DocType: Lab Test,Lab Test,Test di laboratorio
-DocType: Student Report Generation Tool,Student Report Generation Tool,Strumento di generazione dei rapporti degli studenti
+DocType: Student Report Generation Tool,Student Report Generation Tool,Strumento di Generazione dei Rapporti degli Studenti
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Orario orario sanitario
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Nome Doc
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Nome Doc
 DocType: Expense Claim Detail,Expense Claim Type,Tipo Rimborso Spese
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Impostazioni predefinite per Carrello
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Aggiungi fasce orarie
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset demolito tramite diario {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Imposta Account in Magazzino {0} o Account inventario predefinito in Azienda {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset demolito tramite diario {0}
 DocType: Loan,Interest Income Account,Conto Interessi attivi
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,I benefici massimi dovrebbero essere maggiori di zero per erogare i benefici
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,I benefici massimi dovrebbero essere maggiori di zero per erogare i benefici
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Rivedi l&#39;invito inviato
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,Proprietà del trasferimento dei dipendenti
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Dal tempo dovrebbe essere inferiore al tempo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotecnologia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",L&#39;articolo {0} (numero di serie: {1}) non può essere consumato poiché è prenotato \ per completare l&#39;ordine di vendita {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Spese di manutenzione dell'ufficio
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Vai a
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aggiorna prezzo da Shopify al listino prezzi ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Impostazione di account e-mail
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Inserisci articolo prima
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Necessita di analisi
 DocType: Asset Repair,Downtime,I tempi di inattività
 DocType: Account,Liability,responsabilità
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importo sanzionato non può essere maggiore di rivendicazione Importo in riga {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importo sanzionato non può essere maggiore di rivendicazione Importo in riga {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Termine accademico:
 DocType: Salary Component,Do not include in total,Non includere in totale
 DocType: Company,Default Cost of Goods Sold Account,Costo predefinito di Account merci vendute
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},La quantità di esempio {0} non può essere superiore alla quantità ricevuta {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Listino Prezzi non selezionati
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},La quantità di esempio {0} non può essere superiore alla quantità ricevuta {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Listino Prezzi non selezionati
 DocType: Employee,Family Background,Sfondo Famiglia
 DocType: Request for Quotation Supplier,Send Email,Invia Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Attenzione: L&#39;allegato non valido {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Attenzione: L&#39;allegato non valido {0}
 DocType: Item,Max Sample Quantity,Quantità di campione massima
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nessuna autorizzazione
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Checklist per l&#39;evasione del contratto
@@ -1300,33 +1310,33 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Il Centro di Costo {2} non appartiene all'azienda {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Carica la tua testata (Rendila web friendly come 900px per 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Il conto {2} non può essere un gruppo
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Articolo Row {} IDX: {DOCTYPE} {} docname non esiste nel precedente &#39;{} doctype&#39; tavolo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,La scheda attività {0} è già stata completata o annullata
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,La scheda attività {0} è già stata completata o annullata
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nessuna attività
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Fattura di vendita {0} creata come pagata
 DocType: Item Variant Settings,Copy Fields to Variant,Copia campi in variante
 DocType: Asset,Opening Accumulated Depreciation,Apertura del deprezzamento accumulato
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Il punteggio deve essere minore o uguale a 5
-DocType: Program Enrollment Tool,Program Enrollment Tool,Strumento di iscrizione Programma
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Record C -Form
+DocType: Program Enrollment Tool,Program Enrollment Tool,Strumento di Iscrizione Programma
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Record C -Form
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Le azioni esistono già
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Cliente e Fornitore
 DocType: Email Digest,Email Digest Settings,Impostazioni Email di Sintesi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +412,Thank you for your business!,Grazie per il tuo business!
 apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Supportare le query da parte dei clienti.
 DocType: Employee Property History,Employee Property History,Storia delle proprietà dei dipendenti
-DocType: Setup Progress Action,Action Doctype,Doctype d'Azione
+DocType: Setup Progress Action,Action Doctype,Azione Doctype
 DocType: HR Settings,Retirement Age,Età di pensionamento
 DocType: Bin,Moving Average Rate,Tasso Media Mobile
 DocType: Production Plan,Select Items,Selezionare Elementi
 DocType: Share Transfer,To Shareholder,All&#39;azionista
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} per fattura {1} in data {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Da stato
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Da stato
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Configura istituzione
-apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Allocazione di foglie ...
+apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Allocazione ferie...
 DocType: Program Enrollment,Vehicle/Bus Number,Numero di veicolo / bus
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Orario del corso
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Devi dedurre l&#39;imposta per la prova di esenzione dall&#39;imposta non dovuta e non reclamata \ Vantaggi per i dipendenti nell&#39;ultima busta paga del periodo di stipendio
 DocType: Request for Quotation Supplier,Quote Status,Quote Status
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1352,13 +1362,13 @@
 DocType: Sales Invoice,Payment Due Date,Scadenza
 DocType: Drug Prescription,Interval UOM,Intervallo UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Riseleziona, se l&#39;indirizzo scelto viene modificato dopo il salvataggio"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Prodotto Modello {0} esiste già con gli stessi attributi
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Prodotto Modello {0} esiste già con gli stessi attributi
 DocType: Item,Hub Publishing Details,Dettagli di pubblicazione Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Apertura'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Apertura'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Aperto per fare
 DocType: Issue,Via Customer Portal,Tramite il Portale del cliente
 DocType: Notification Control,Delivery Note Message,Messaggio del Documento di Trasporto
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Importo SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Importo SGST
 DocType: Lab Test Template,Result Format,Formato risultato
 DocType: Expense Claim,Expenses,Spese
 DocType: Item Variant Attribute,Item Variant Attribute,Prodotto Modello attributo
@@ -1366,14 +1376,12 @@
 DocType: Payroll Entry,Bimonthly,ogni due mesi
 DocType: Vehicle Service,Brake Pad,Pastiglie freno
 DocType: Fertilizer,Fertilizer Contents,Contenuto di fertilizzante
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Ricerca & Sviluppo
-apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Importo da Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","La data di inizio e la data di fine si sovrappongono alla scheda del lavoro <a href=""#Form/Job Card/{0}"">{1}</a>"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Ricerca & Sviluppo
+apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Importo da fatturare
 DocType: Company,Registration Details,Dettagli di Registrazione
 DocType: Timesheet,Total Billed Amount,Totale Importo Fatturato
 DocType: Item Reorder,Re-Order Qty,Quantità Ri-ordino
 DocType: Leave Block List Date,Leave Block List Date,Lascia Block List Data
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Installa il Sistema di denominazione degli istruttori in Istruzione&gt; Impostazioni istruzione
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,Distinta Base # {0}: La materia prima non può essere uguale a quella principale
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totale oneri addebitati in Acquisto tabella di carico Gli articoli devono essere uguale Totale imposte e oneri
 DocType: Sales Team,Incentives,Incentivi
@@ -1387,7 +1395,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Punto vendita
 DocType: Fee Schedule,Fee Creation Status,Stato della creazione della tariffa
 DocType: Vehicle Log,Odometer Reading,Lettura del contachilometri
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo a bilancio già nel credito, non è permesso impostare il 'Saldo Futuro' come 'debito'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo a bilancio già nel credito, non è permesso impostare il 'Saldo Futuro' come 'debito'"
 DocType: Account,Balance must be,Il saldo deve essere
 DocType: Notification Control,Expense Claim Rejected Message,Messaggio Rimborso Spese Rifiutato
 ,Available Qty,Disponibile Quantità
@@ -1399,7 +1407,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Sincronizza sempre i tuoi prodotti da Amazon MWS prima di sincronizzare i dettagli degli ordini
 DocType: Delivery Trip,Delivery Stops,Fermate di consegna
 DocType: Salary Slip,Working Days,Giorni lavorativi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Impossibile modificare la data di interruzione del servizio per l&#39;articolo nella riga {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Impossibile modificare la data di interruzione del servizio per l&#39;articolo nella riga {0}
 DocType: Serial No,Incoming Rate,Tasso in ingresso
 DocType: Packing Slip,Gross Weight,Peso lordo
 DocType: Leave Type,Encashment Threshold Days,Giorni di soglia di incassi
@@ -1413,36 +1421,38 @@
 DocType: Project Update,Progress Details,Dettagli del progresso
 DocType: Shopify Log,Request Data,Richiesta dati
 DocType: Employee,Date of Joining,Data Assunzione
-DocType: Naming Series,Update Series,Update
+DocType: Naming Series,Update Series,Aggiorna Serie
 DocType: Supplier Quotation,Is Subcontracted,È in Conto Lavorazione
 DocType: Restaurant Table,Minimum Seating,Minima sede
 DocType: Item Attribute,Item Attribute Values,Valori Attributi Articolo
 DocType: Examination Result,Examination Result,L&#39;esame dei risultati
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Ricevuta di Acquisto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Ricevuta di Acquisto
 ,Received Items To Be Billed,Oggetti ricevuti da fatturare
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Maestro del tasso di cambio di valuta .
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Maestro del tasso di cambio di valuta .
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Riferimento Doctype deve essere uno dei {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Qtà filtro totale zero
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Impossibile trovare tempo di slot nei prossimi {0} giorni per l&#39;operazione {1}
 DocType: Work Order,Plan material for sub-assemblies,Materiale Piano per sub-assemblaggi
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,I partner di vendita e Territorio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Distinta Base {0} deve essere attiva
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Distinta Base {0} deve essere attiva
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Nessun articolo disponibile per il trasferimento
 DocType: Employee Boarding Activity,Activity Name,Nome dell&#39;attività
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Cambia Data di rilascio
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,La quantità di prodotto finito <b>{0}</b> e la quantità di prodotto <b>{1}</b> non possono essere diversi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Cambia Data di rilascio
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,La quantità di prodotto finito <b>{0}</b> e la quantità di prodotto <b>{1}</b> non possono essere diversi
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Chiusura (apertura + totale)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Codice articolo&gt; Gruppo articoli&gt; Marca
+DocType: Delivery Settings,Dispatch Notification Attachment,Allegato notifica di spedizione
 DocType: Payroll Entry,Number Of Employees,Numero di dipendenti
 DocType: Journal Entry,Depreciation Entry,Ammortamenti Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Si prega di selezionare il tipo di documento prima
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Si prega di selezionare il tipo di documento prima
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annulla Visite Materiale {0} prima di annullare questa visita di manutenzione
 DocType: Pricing Rule,Rate or Discount,Tasso o Sconto
 DocType: Vital Signs,One Sided,Unilaterale
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial No {0} non appartiene alla voce {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Quantità richiesta
 DocType: Marketplace Settings,Custom Data,Dati personalizzati
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Magazzini con transazione esistenti non possono essere convertiti in contabilità.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Il numero di serie è obbligatorio per l&#39;articolo {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Magazzini con transazione esistenti non possono essere convertiti in contabilità.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Il numero di serie è obbligatorio per l&#39;articolo {0}
 DocType: Bank Reconciliation,Total Amount,Totale Importo
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Dalla data e dalla data si trovano in diversi anni fiscali
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Il paziente {0} non ha clienti refrence alla fattura
@@ -1453,9 +1463,9 @@
 DocType: Soil Texture,Clay Composition (%),Composizione di argilla (%)
 DocType: Item Group,Item Group Defaults,Valore predefinito gruppo articoli
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Si prega di salvare prima di assegnare attività.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Valore Saldo
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Valore Saldo
 DocType: Lab Test,Lab Technician,Tecnico di laboratorio
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Lista Prezzo di vendita
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Lista Prezzo di vendita
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Se selezionato, verrà creato un cliente, associato a Paziente. Le fatture pazienti verranno create contro questo Cliente. È inoltre possibile selezionare il cliente esistente durante la creazione di paziente."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Il cliente non è iscritto a nessun programma fedeltà
@@ -1469,13 +1479,13 @@
 DocType: Support Search Source,Search Term Param Name,Nome del parametro del termine di ricerca
 DocType: Item Barcode,Item Barcode,Barcode articolo
 DocType: Woocommerce Settings,Endpoints,endpoint
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Voce Varianti {0} aggiornato
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Voce Varianti {0} aggiornato
 DocType: Quality Inspection Reading,Reading 6,Lettura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Impossibile {0} {1} {2} senza alcuna fattura in sospeso negativo
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Impossibile {0} {1} {2} senza alcuna fattura in sospeso negativo
 DocType: Share Transfer,From Folio No,Dal Folio n
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Anticipo Fattura di Acquisto
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Riga {0}: ingresso di credito non può essere collegato con un {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definire bilancio per l&#39;anno finanziario.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definire bilancio per l&#39;anno finanziario.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext Account
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} è bloccato, quindi questa transazione non può continuare"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Azione se Budget mensile accumulato superato su MR
@@ -1491,48 +1501,48 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Fattura di Acquisto
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Consentire il consumo di più materiali rispetto a un ordine di lavoro
 DocType: GL Entry,Voucher Detail No,Voucher Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nuova fattura di vendita
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nuova fattura di vendita
 DocType: Stock Entry,Total Outgoing Value,Totale Valore uscita
-DocType: Healthcare Practitioner,Appointments,appuntamenti
+DocType: Healthcare Practitioner,Appointments,Appuntamenti
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Data e Data di chiusura di apertura dovrebbe essere entro lo stesso anno fiscale
 DocType: Lead,Request for Information,Richiesta di Informazioni
 ,LeaderBoard,Classifica
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate With Margin (Company Currency)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sincronizzazione Fatture Off-line
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sincronizzazione Fatture Off-line
 DocType: Payment Request,Paid,Pagato
 DocType: Program Fee,Program Fee,Costo del programma
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Sostituire una particolare BOM in tutte le altre BOM in cui è utilizzata. Sostituirà il vecchio collegamento BOM, aggiorna i costi e rigenererà la tabella &quot;BOM Explosion Item&quot; come per la nuova BOM. Inoltre aggiorna l&#39;ultimo prezzo in tutte le BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Sono stati creati i seguenti ordini di lavoro:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Sono stati creati i seguenti ordini di lavoro:
 DocType: Salary Slip,Total in words,Totale in parole
 DocType: Inpatient Record,Discharged,licenziato
 DocType: Material Request Item,Lead Time Date,Data di Consegna
-,Employee Advance Summary,Riassunto anticipato dei dipendenti
+,Employee Advance Summary,Riassunto anticipo dipendenti
 DocType: Asset,Available-for-use Date,Data disponibile per l&#39;uso
 DocType: Guardian,Guardian Name,Nome della guardia
 DocType: Cheque Print Template,Has Print Format,Ha formato di stampa
 DocType: Support Settings,Get Started Sections,Inizia sezioni
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sanzionato
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,Obbligatorio. Forse non è stato definito il vambio di valuta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Si prega di specificare Numero d'ordine per la voce {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Importo totale del contributo: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Si prega di specificare Numero d'ordine per la voce {1}
 DocType: Payroll Entry,Salary Slips Submitted,Salary Slips Submitted
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Per &#39;prodotto Bundle&#39;, Warehouse, numero di serie e Batch No sarà considerata dal &#39;Packing List&#39; tavolo. Se Magazzino e Batch No sono gli stessi per tutti gli elementi di imballaggio per un elemento qualsiasi &#39;Product Bundle&#39;, questi valori possono essere inseriti nella tabella principale elemento, i valori verranno copiati a &#39;Packing List&#39; tavolo."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Per &#39;prodotto Bundle&#39;, Warehouse, numero di serie e Batch No sarà considerata dal &#39;Packing List&#39; tavolo. Se Magazzino e Batch No sono gli stessi per tutti gli elementi di imballaggio per un elemento qualsiasi &#39;Product Bundle&#39;, questi valori possono essere inseriti nella tabella principale elemento, i valori verranno copiati a &#39;Packing List&#39; tavolo."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Dal luogo
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay non può essere negativo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Dal luogo
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay non può essere negativo
 DocType: Student Admission,Publish on website,Pubblicare sul sito web
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,La data Fattura Fornitore non può essere superiore della Data Registrazione
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,La data Fattura Fornitore non può essere superiore della Data Registrazione
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Data di cancellazione
 DocType: Purchase Invoice Item,Purchase Order Item,Articolo dell'Ordine di Acquisto
 DocType: Agriculture Task,Agriculture Task,Attività agricola
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +139,Indirect Income,Proventi indiretti
-DocType: Student Attendance Tool,Student Attendance Tool,Strumento Presenze
+DocType: Student Attendance Tool,Student Attendance Tool,Strumento Presenze Studente
 DocType: Restaurant Menu,Price List (Auto created),Listino prezzi (creato automaticamente)
 DocType: Cheque Print Template,Date Settings,Impostazioni della data
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varianza
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varianza
 DocType: Employee Promotion,Employee Promotion Detail,Dettaglio promozione dipendente
 ,Company Name,Nome Azienda
 DocType: SMS Center,Total Message(s),Totale Messaggi
@@ -1550,7 +1560,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +164,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Riga {0}: Pagamento contro vendite / ordine di acquisto deve essere sempre contrassegnato come anticipo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +16,Chemical,chimico
 DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Predefinito conto bancario / Cash sarà aggiornato automaticamente in Stipendio diario quando viene selezionata questa modalità.
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Total leaves allocated is mandatory for Leave Type {0},Le foglie totali assegnate sono obbligatorie per Tipo di uscita {0}
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Total leaves allocated is mandatory for Leave Type {0},Le ferie totali assegnate sono obbligatorie per Tipo di uscita {0}
 DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Società di valuta)
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +86,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riga # {0}: la velocità non può essere superiore alla velocità utilizzata in {1} {2}
 apps/erpnext/erpnext/utilities/user_progress.py +147,Meter,metro
@@ -1561,32 +1571,30 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Non inviare Dipendente Birthday Reminders
 DocType: Expense Claim,Total Advance Amount,Importo anticipato totale
 DocType: Delivery Stop,Estimated Arrival,Arrivo Stimato
-DocType: Delivery Stop,Notified by Email,Notificato via email
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Vedi tutti gli articoli
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,Criteri di ispezione
 apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Trasferiti
 DocType: BOM Website Item,BOM Website Item,Distinta Base dell'Articolo sul Sito Web
 apps/erpnext/erpnext/public/js/setup_wizard.js +52,Upload your letter head and logo. (you can edit them later).,Carica la tua testa lettera e logo. (È possibile modificare in un secondo momento).
-DocType: Timesheet Detail,Bill,Conto
+DocType: Timesheet Detail,Bill,Fattura
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Bianco
 DocType: SMS Center,All Lead (Open),Tutti i Lead (Aperti)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riga {0}: Qtà non disponibile per {4} in magazzino {1} al momento della pubblicazione della voce ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riga {0}: Qtà non disponibile per {4} in magazzino {1} al momento della pubblicazione della voce ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,È possibile selezionare solo un massimo di un&#39;opzione dall&#39;elenco di caselle di controllo.
 DocType: Purchase Invoice,Get Advances Paid,Ottenere anticipo pagamento
 DocType: Item,Automatically Create New Batch,Crea automaticamente un nuovo batch
 DocType: Supplier,Represents Company,Rappresenta la società
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Fare
 DocType: Student Admission,Admission Start Date,Data Inizio Ammissione
 DocType: Journal Entry,Total Amount in Words,Importo Totale in lettere
-apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nuovo impiegato
+apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nuovo Dipendente
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Si è verificato un errore . Una ragione probabile potrebbe essere che non si è salvato il modulo. Si prega di contattare support@erpnext.com se il problema persiste .
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Il mio carrello
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Tipo ordine deve essere uno dei {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Tipo ordine deve essere uno dei {0}
 DocType: Lead,Next Contact Date,Data del contatto successivo
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantità di apertura
-DocType: Healthcare Settings,Appointment Reminder,Appuntamento promemoria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Si prega di inserire account per quantità di modifica
+DocType: Healthcare Settings,Appointment Reminder,Promemoria appuntamento
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Si prega di inserire account per quantità di modifica
 DocType: Program Enrollment Tool Student,Student Batch Name,Studente Batch Nome
 DocType: Holiday List,Holiday List Name,Nome elenco vacanza
 DocType: Repayment Schedule,Balance Loan Amount,Importo del prestito di bilancio
@@ -1596,13 +1604,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Stock Options
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nessun articolo aggiunto al carrello
 DocType: Journal Entry Account,Expense Claim,Rimborso Spese
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Vuoi davvero ripristinare questo bene rottamato?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Vuoi davvero ripristinare questo bene rottamato?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Quantità per {0}
-DocType: Leave Application,Leave Application,Applicazione Permessi
+DocType: Leave Application,Leave Application,Autorizzazione Permessi
 DocType: Patient,Patient Relation,Relazione paziente
 DocType: Item,Hub Category to Publish,Categoria Hub per pubblicare
 DocType: Leave Block List,Leave Block List Dates,Lascia Blocco Elenco date
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","L&#39;ordine di vendita {0} ha la prenotazione per l&#39;articolo {1}, puoi consegnare solo {1} riservato contro {0}. Il numero di serie {2} non può essere consegnato"
 DocType: Sales Invoice,Billing Address GSTIN,Indirizzo di fatturazione GSTIN
@@ -1620,16 +1628,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Si prega di specificare un {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Eliminati elementi senza variazione di quantità o valore.
 DocType: Delivery Note,Delivery To,Consegna a
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,La creazione di varianti è stata accodata.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Riepilogo del lavoro per {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,La creazione di varianti è stata accodata.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Riepilogo del lavoro per {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Il primo Approvatore di approvazione nell&#39;elenco verrà impostato come Approvatore di uscita predefinito.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Tavolo attributo è obbligatorio
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Tavolo attributo è obbligatorio
 DocType: Production Plan,Get Sales Orders,Ottieni Ordini di Vendita
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} non può essere negativo
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Connetti a Quickbooks
 DocType: Training Event,Self-Study,Autodidatta
 DocType: POS Closing Voucher,Period End Date,Data di fine del periodo
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Le composizioni del suolo non si sommano a 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Sconto
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Riga {0}: {1} è richiesta per creare le Fatture di apertura {2}
 DocType: Membership,Membership,membri
 DocType: Asset,Total Number of Depreciations,Numero totale degli ammortamenti
 DocType: Sales Invoice Item,Rate With Margin,Prezzo con margine
@@ -1640,7 +1650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Si prega di specificare un ID Row valido per riga {0} nella tabella {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Impossibile trovare la variabile:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Seleziona un campo da modificare da numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Non può essere un elemento fisso quando viene creato il libro mastro.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Non può essere un elemento fisso quando viene creato il libro mastro.
 DocType: Subscription Plan,Fixed rate,Tasso fisso
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Ammettere
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Vai al desktop e inizia a usare ERPNext
@@ -1674,7 +1684,7 @@
 DocType: Tax Rule,Shipping State,Stato Spedizione
 ,Projected Quantity as Source,Proiezione Quantità come sorgente
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,L'oggetto deve essere aggiunto utilizzando 'ottenere elementi dal Receipts Purchase pulsante
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Viaggio di consegna
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Viaggio di consegna
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Tipo di trasferimento
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Spese di vendita
@@ -1687,8 +1697,9 @@
 DocType: Item Default,Default Selling Cost Center,Centro di costo di vendita di default
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disco
 DocType: Buying Settings,Material Transferred for Subcontract,Materiale trasferito per conto lavoro
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,CAP
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Sales Order {0} è {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Ordini di ordini scaduti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,CAP
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Sales Order {0} è {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Seleziona il conto interessi attivi in prestito {0}
 DocType: Opportunity,Contact Info,Info Contatto
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Creazione scorte
@@ -1701,12 +1712,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,La fattura non può essere effettuata per zero ore di fatturazione
 DocType: Company,Date of Commencement,Data d&#39;inizio
 DocType: Sales Person,Select company name first.,Selezionare il nome della società prima.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail inviata a {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail inviata a {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Preventivi ricevuti dai Fornitori.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Sostituire il BOM e aggiornare il prezzo più recente in tutte le BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Per {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Questo è un gruppo di fornitori root e non può essere modificato.
-DocType: Delivery Trip,Driver Name,Nome del driver
+DocType: Delivery Note,Driver Name,Nome del driver
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Età media
 DocType: Education Settings,Attendance Freeze Date,Data di congelamento della frequenza
 DocType: Payment Request,Inward,interiore
@@ -1717,9 +1728,9 @@
 DocType: Company,Parent Company,Società madre
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Le camere dell&#39;hotel di tipo {0} non sono disponibili in {1}
 DocType: Healthcare Practitioner,Default Currency,Valuta Predefinita
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Lo sconto massimo per l&#39;articolo {0} è {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Lo sconto massimo per l&#39;articolo {0} è {1}%
 DocType: Asset Movement,From Employee,Da Dipendente
-DocType: Driver,Cellphone Number,numero di cellulare
+DocType: Driver,Cellphone Number,Numero di cellulare
 DocType: Project,Monitor Progress,Monitorare i progressi
 apps/erpnext/erpnext/controllers/accounts_controller.py +529,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attenzione : Il sistema non controlla fatturazione eccessiva poiché importo per la voce {0} in {1} è zero
 DocType: Journal Entry,Make Difference Entry,Aggiungi Differenza
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},La quantità deve essere minore o uguale a {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},L&#39;importo massimo ammissibile per il componente {0} supera {1}
 DocType: Department Approver,Department Approver,Approvazione del dipartimento
+DocType: QuickBooks Migrator,Application Settings,Impostazioni dell&#39;applicazione
 DocType: SMS Center,Total Characters,Totale Personaggi
 DocType: Employee Advance,Claimed,Ha sostenuto
 DocType: Crop,Row Spacing,Row Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Seleziona Distinta Base nel campo Distinta Base per la voce {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Seleziona Distinta Base nel campo Distinta Base per la voce {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Non c&#39;è alcuna variante di articolo per l&#39;articolo selezionato
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Detagli Fattura
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pagamento Riconciliazione fattura
 DocType: Clinical Procedure,Procedure Template,Modello di procedura
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Contributo%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Come per le impostazioni di acquisto se l&#39;ordine di acquisto richiede == &#39;YES&#39;, quindi per la creazione di fattura di acquisto, l&#39;utente deve creare l&#39;ordine di acquisto per l&#39;elemento {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Contributo%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Come per le impostazioni di acquisto se l&#39;ordine di acquisto richiede == &#39;YES&#39;, quindi per la creazione di fattura di acquisto, l&#39;utente deve creare l&#39;ordine di acquisto per l&#39;elemento {0}"
 ,HSN-wise-summary of outward supplies,Riassunto saggio di HSN delle forniture in uscita
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Numeri di registrazione dell'azienda per il vostro riferimento. numero Tassa, ecc"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Stato
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Stato
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributore
 DocType: Asset Finance Book,Asset Finance Book,Libro delle finanze del patrimonio
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Tipo di Spedizione del Carrello
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,Articoli ordinati da fatturare
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Da Campo deve essere inferiore al campo
 DocType: Global Defaults,Global Defaults,Predefiniti Globali
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Progetto di collaborazione Invito
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Progetto di collaborazione Invito
 DocType: Salary Slip,Deductions,Deduzioni
 DocType: Setup Progress Action,Action Name,Nome azione
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Inizio Anno
@@ -1763,16 +1775,17 @@
 DocType: Purchase Invoice,Start date of current invoice's period,Data finale del periodo di fatturazione corrente Avviare
 DocType: Salary Slip,Leave Without Pay,Lascia senza stipendio
 DocType: Payment Request,Outward,esterno
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +366,Capacity Planning Error,Capacity Planning Errore
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +366,Capacity Planning Error,Errore Pianificazione Capacità
 ,Trial Balance for Party,Bilancio di verifica per Partner
 DocType: Lead,Consultant,Consulente
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Presenza alla riunione degli insegnanti genitori
 DocType: Salary Slip,Earnings,Rendimenti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Voce Finito {0} deve essere inserito per il tipo di fabbricazione ingresso
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Voce Finito {0} deve essere inserito per il tipo di fabbricazione ingresso
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Apertura bilancio contabile
 ,GST Sales Register,Registro delle vendite GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Fattura di vendita (anticipata)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Niente da chiedere
+DocType: Stock Settings,Default Return Warehouse,Default Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Seleziona i tuoi domini
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify fornitore
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Pagamento delle fatture
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,I campi verranno copiati solo al momento della creazione.
 DocType: Setup Progress Action,Domains,Domini
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Data Inizio effettivo' non può essere maggiore di 'Data di fine effettiva'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Amministrazione
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Amministrazione
 DocType: Cheque Print Template,Payer Settings,Impostazioni Pagatore
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Nessuna richiesta materiale in sospeso trovata per il collegamento per gli elementi specificati.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Seleziona prima la società
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Questo sarà aggiunto al codice articolo della variante. Ad esempio, se la sigla è ""SM"", e il codice articolo è ""T-SHIRT"", il codice articolo della variante sarà ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Paga Netta (in lettere) sarà visibile una volta che si salva la busta paga.
 DocType: Delivery Note,Is Return,È Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Attenzione
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Il giorno iniziale è maggiore del giorno finale nell&#39;&#39;attività &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Reso / Nota di Debito
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Reso / Nota di Debito
 DocType: Price List Country,Price List Country,Listino Prezzi Nazione
 DocType: Item,UOMs,Unità di Misure
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} numeri di serie validi per l'articolo {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Concedere informazioni
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Database dei fornitori.
 DocType: Contract Template,Contract Terms and Conditions,Termini e condizioni del contratto
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Non è possibile riavviare una sottoscrizione che non è stata annullata.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Non è possibile riavviare una sottoscrizione che non è stata annullata.
 DocType: Account,Balance Sheet,Bilancio Patrimoniale
 DocType: Leave Type,Is Earned Leave,È ferie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Centro di costo per articoli con Codice Prodotto '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Centro di costo per articoli con Codice Prodotto '
 DocType: Fee Validity,Valid Till,Valido fino a
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Riunione degli insegnanti di genitori totali
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modalità di pagamento non è configurato. Si prega di verificare, se account è stato impostato sulla modalità di pagamento o su POS profilo."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modalità di pagamento non è configurato. Si prega di verificare, se account è stato impostato sulla modalità di pagamento o su POS profilo."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Lo stesso articolo non può essere inserito più volte.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ulteriori conti possono essere fatti in Gruppi, ma le voci possono essere fatte contro i non-Gruppi"
 DocType: Lead,Lead,Lead
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,Token di autenticazione MWS
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Entrata Scorte di Magazzino {0} creata
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Non hai abbastanza Punti fedeltà da riscattare
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Rifiutato Quantità non è possibile entrare in acquisto di ritorno
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Imposta l&#39;account associato in Categoria ritenuta d&#39;acconto {0} contro l&#39;azienda {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Rifiutato Quantità non è possibile entrare in acquisto di ritorno
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Non è consentito modificare il gruppo di clienti per il cliente selezionato.
 ,Purchase Order Items To Be Billed,Articoli dell'Ordine di Acquisto da fatturare
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Aggiornamento dei tempi di arrivo stimati.
 DocType: Program Enrollment Tool,Enrollment Details,Dettagli iscrizione
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Impossibile impostare più valori predefiniti oggetto per un&#39;azienda.
 DocType: Purchase Invoice Item,Net Rate,Tasso Netto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Seleziona un cliente
 DocType: Leave Policy,Leave Allocations,Lascia allocazioni
@@ -1846,11 +1862,11 @@
 DocType: Purchase Invoice,Group same items,stessi articoli di gruppo
 DocType: Purchase Invoice,Disable Rounded Total,Disabilita Arrotondamento su Totale
 DocType: Marketplace Settings,Sync in Progress,Sincronizzazione in corso
-DocType: Department,Parent Department,Dipartimento Genitori
+DocType: Department,Parent Department,Dipartimento padre
 DocType: Loan Application,Repayment Info,Info rimborso
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'le voci' non possono essere vuote
 DocType: Maintenance Team Member,Maintenance Role,Ruolo di manutenzione
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Fila Duplicate {0} con lo stesso {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Fila Duplicate {0} con lo stesso {1}
 DocType: Marketplace Settings,Disable Marketplace,Disabilita Marketplace
 ,Trial Balance,Bilancio di verifica
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Anno fiscale {0} non trovato
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Impostazioni di abbonamento
 DocType: Purchase Invoice,Update Auto Repeat Reference,Aggiorna riferimento auto ripetuto
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Elenco festività facoltativo non impostato per periodo di ferie {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Elenco festività facoltativo non impostato per periodo di ferie {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,ricerca
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Per Indirizzo 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Per Indirizzo 2
 DocType: Maintenance Visit Purpose,Work Done,Attività svolta
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Specifica almeno un attributo nella tabella Attributi
 DocType: Announcement,All Students,Tutti gli studenti
@@ -1873,16 +1889,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transazioni riconciliate
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,La prima
 DocType: Crop Cycle,Linked Location,Posizione Collegata
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Esiste un gruppo di articoli con lo stesso nome, si prega di cambiare il nome dell'articolo o di rinominare il gruppo di articoli"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Esiste un gruppo di articoli con lo stesso nome, si prega di cambiare il nome dell'articolo o di rinominare il gruppo di articoli"
 DocType: Crop Cycle,Less than a year,Meno di un anno
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,No. studente in mobilità
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Resto del Mondo
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Resto del Mondo
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'articolo {0} non può avere Lotto
 DocType: Crop,Yield UOM,Resa UOM
 ,Budget Variance Report,Report Variazione Budget
 DocType: Salary Slip,Gross Pay,Paga lorda
 DocType: Item,Is Item from Hub,È elemento da Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Ottieni articoli dai servizi sanitari
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Ottieni articoli dai servizi sanitari
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Riga {0}: Tipo Attività è obbligatoria.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividendo liquidato
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Libro Mastro Contabile
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Modalità di pagamento
 DocType: Purchase Invoice,Supplied Items,Elementi in dotazione
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Imposta un menu attivo per il ristorante {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Tasso di commissione %
 DocType: Work Order,Qty To Manufacture,Qtà da Produrre
 DocType: Email Digest,New Income,Nuovo reddito
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Mantenere la stessa tariffa per l'intero ciclo di acquisto
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Tasso di valorizzazione richiesto per la voce sulla riga {0}
 DocType: Supplier Scorecard,Scorecard Actions,Azioni Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Esempio: Master in Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Fornitore {0} non trovato in {1}
 DocType: Purchase Invoice,Rejected Warehouse,Magazzino Rifiutato
 DocType: GL Entry,Against Voucher,Per Tagliando
 DocType: Item Default,Default Buying Cost Center,Comprare Centro di costo predefinito
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Per ottenere il meglio da ERPNext, si consiglia di richiedere un certo tempo e guardare questi video di aiuto."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Per fornitore predefinito (facoltativo)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,a
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Per fornitore predefinito (facoltativo)
 DocType: Supplier Quotation Item,Lead Time in days,Tempo di Consegna in giorni
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Conti pagabili Sommario
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Non autorizzato a modificare account congelati {0}
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Avvisa per la nuova richiesta per le citazioni
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Gli ordini di acquisto ti aiutano a pianificare e monitorare i tuoi acquisti
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Prescrizioni di laboratorio
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",La quantità emissione / trasferimento totale {0} in Materiale Richiesta {1} \ non può essere maggiore di quantità richiesta {2} per la voce {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Piccolo
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Se Shopify non contiene un cliente nell&#39;ordine, durante la sincronizzazione degli ordini, il sistema considererà il cliente predefinito per l&#39;ordine"
@@ -1937,32 +1954,33 @@
 DocType: Project,% Completed,% Completato
 ,Invoiced Amount (Exculsive Tax),Importo fatturato ( Exculsive Tax)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Articolo 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Endpoint di autorizzazione
 DocType: Travel Request,International,Internazionale
-DocType: Training Event,Training Event,evento di formazione
+DocType: Training Event,Training Event,Evento di formazione
 DocType: Item,Auto re-order,Auto riordino
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Totale Raggiunto
 DocType: Employee,Place of Issue,Luogo di emissione
 DocType: Contract,Contract,contratto
 DocType: Plant Analysis,Laboratory Testing Datetime,Test di laboratorio datetime
 DocType: Email Digest,Add Quote,Aggiungi Citazione
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Fattore di conversione Unità di Misura è obbligatorio per Unità di Misura: {0} alla voce: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Fattore di conversione Unità di Misura è obbligatorio per Unità di Misura: {0} alla voce: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,spese indirette
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Riga {0}: Quantità è obbligatorio
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Riga {0}: Quantità è obbligatorio
 DocType: Agriculture Analysis Criteria,Agriculture,Agricoltura
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Crea ordine di vendita
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Accounting Entry for Asset
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blocca Fattura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Accounting Entry for Asset
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blocca Fattura
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Quantità da fare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,costo di riparazione
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,I vostri prodotti o servizi
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Impossibile accedere
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} creato
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} creato
 DocType: Special Test Items,Special Test Items,Articoli speciali di prova
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Devi essere un utente con i ruoli di System Manager e Item Manager da registrare sul Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Modalità di Pagamento
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,In base alla struttura retributiva assegnata non è possibile richiedere prestazioni
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Website Immagine dovrebbe essere un file o URL del sito web pubblico
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Website Immagine dovrebbe essere un file o URL del sito web pubblico
 DocType: Purchase Invoice Item,BOM,Distinta Base
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Questo è un gruppo elemento principale e non può essere modificato .
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Unisci
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,Contatti Magazzino
 DocType: Payment Entry,Write Off Difference Amount,Importo a differenza Svalutazione
 DocType: Volunteer,Volunteer Name,Nome del volontario
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Indirizzo e-mail del dipendente non trovato, e-mail non inviata"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Righe con date di scadenza duplicate in altre righe sono state trovate: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Indirizzo e-mail del dipendente non trovato, e-mail non inviata"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Nessuna struttura retributiva assegnata al Dipendente {0} in data determinata {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Regola di spedizione non applicabile per il paese {0}
 DocType: Item,Foreign Trade Details,Commercio Estero Dettagli
@@ -1979,16 +1998,16 @@
 DocType: Email Digest,Annual Income,Reddito annuo
 DocType: Serial No,Serial No Details,Serial No Dettagli
 DocType: Purchase Invoice Item,Item Tax Rate,Articolo Tax Rate
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Dal nome del partito
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Dal nome del partito
 DocType: Student Group Student,Group Roll Number,Numero di rotolo di gruppo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Per {0}, solo i conti di credito possono essere collegati contro un'altra voce di addebito"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Il Documento di Trasporto {0} non è confermato
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Il Documento di Trasporto {0} non è confermato
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,L'Articolo {0} deve essere di un sub-contratto
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Attrezzature Capital
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regola Prezzi viene prima selezionato in base al 'applicare sul campo', che può essere prodotto, Articolo di gruppo o di marca."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Impostare prima il codice dell&#39;articolo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Tipo Doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Totale percentuale assegnato per il team di vendita dovrebbe essere di 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Tipo Doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Totale percentuale assegnato per il team di vendita dovrebbe essere di 100
 DocType: Subscription Plan,Billing Interval Count,Conteggio intervalli di fatturazione
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Appuntamenti e incontri con il paziente
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Valore mancante
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Creare Formato di stampa
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Fee creata
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Non hai trovato alcun oggetto chiamato {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filtro articoli
 DocType: Supplier Scorecard Criteria,Criteria Formula,Formula
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Uscita totale
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Può esserci una sola Condizione per Tipo di Spedizione con valore 0 o con valore vuoto per ""A Valore"""
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Per un articolo {0}, la quantità deve essere un numero positivo"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota : Questo centro di costo è un gruppo . Non può fare scritture contabili contro i gruppi .
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Giorni di congedo compensativo giorni non festivi validi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Esiste magazzino Bambino per questo magazzino. Non è possibile eliminare questo magazzino.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Esiste magazzino Bambino per questo magazzino. Non è possibile eliminare questo magazzino.
 DocType: Item,Website Item Groups,Sito gruppi di articoli
 DocType: Purchase Invoice,Total (Company Currency),Totale (Valuta Società)
 DocType: Daily Work Summary Group,Reminder,Promemoria
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Valore accessibile
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Valore accessibile
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Numero di serie {0} è entrato più di una volta
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Registrazione Contabile
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Da GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Da GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Importo non reclamato
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} articoli in lavorazione
 DocType: Workstation,Workstation Name,Nome Stazione di lavoro
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS Gruppo Articolo
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email di Sintesi:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,L&#39;articolo alternativo non deve essere uguale al codice articolo
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Distinta Base {0} non appartiene all'Articolo {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Distinta Base {0} non appartiene all'Articolo {1}
 DocType: Sales Partner,Target Distribution,Distribuzione di destinazione
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalizzazione della valutazione provvisoria
 DocType: Salary Slip,Bank Account No.,Conto Bancario N.
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Nella formula possono essere utilizzate le variabili Scorecard definite sotto, oltre a: {total_score} (il punteggio totale di quel periodo), {period_number} (il numero di periodi fino ad oggi)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Comprimi tutto
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Comprimi tutto
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Creare un ordine d&#39;acquisto
 DocType: Quality Inspection Reading,Reading 8,Lettura 8
 DocType: Inpatient Record,Discharge Note,Nota di scarico
@@ -2050,11 +2070,11 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Lascia Privilege
 DocType: Purchase Invoice,Supplier Invoice Date,Data Fattura Fornitore
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Questo valore viene utilizzato per il calcolo del tempo pro-rata
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,È necessario abilitare Carrello
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,È necessario abilitare Carrello
 DocType: Payment Entry,Writeoff,Svalutazione
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Prefisso serie di denominazione
-DocType: Appraisal Template Goal,Appraisal Template Goal,Valutazione Modello Obiettivo
+DocType: Appraisal Template Goal,Appraisal Template Goal,Obiettivi modello valutazione
 DocType: Salary Component,Earning,Rendimento
 DocType: Supplier Scorecard,Scoring Criteria,Criteri di punteggio
 DocType: Purchase Invoice,Party Account Currency,Valuta Conto del Partner
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Condizioni sovrapposti trovati tra :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Contro diario {0} è già regolata contro un altro buono
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Totale valore di ordine
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,cibo
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,cibo
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Gamma invecchiamento 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Chiusura dei dettagli del voucher
 DocType: Shopify Log,Shopify Log,Log di Shopify
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Impostare Serie di denominazione per {0} tramite Impostazione&gt; Impostazioni&gt; Serie di denominazione
 DocType: Inpatient Occupancy,Check In,Registrare
 DocType: Maintenance Schedule Item,No of Visits,Num. di Visite
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Il programma di manutenzione {0} esiste contro {1}
@@ -2093,34 +2112,35 @@
 DocType: Asset,Depreciation Schedules,piani di ammortamento
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +37,"Support for public app is deprecated. Please setup private app, for more details refer user manual","Il supporto per l&#39;app pubblica è deprecato. Si prega di configurare l&#39;app privata, per maggiori dettagli consultare il manuale utente"
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py +202,Following accounts might be selected in GST Settings:,Gli account seguenti potrebbero essere selezionati nelle impostazioni GST:
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +104,Application period cannot be outside leave allocation period,Periodo di applicazione non può essere periodo di assegnazione congedo di fuori
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +104,Application period cannot be outside leave allocation period,La data richiesta è fuori dal periodo di assegnazione
 DocType: Activity Cost,Projects,Progetti
 DocType: Payment Request,Transaction Currency,transazioni valutarie
 apps/erpnext/erpnext/controllers/buying_controller.py +33,From {0} | {1} {2},Da {0} | {1} {2}
 apps/erpnext/erpnext/public/js/hub/marketplace.js +164,Some emails are invalid,Alcune email non sono valide
 DocType: Work Order Operation,Operation Description,Operazione Descrizione
-apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +34,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Impossibile modificare Fiscal Year data di inizio e di fine anno fiscale una volta l'anno fiscale è stato salvato.
+apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +34,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Impossibile modificare data di inizio e di fine anno fiscale una volta che l'anno fiscale è stato salvato.
 DocType: Quotation,Shopping Cart,Carrello spesa
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Media giornaliera in uscita
 DocType: POS Profile,Campaign,Campagna
 DocType: Supplier,Name and Type,Nome e Tipo
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +64,Approval Status must be 'Approved' or 'Rejected',Stato approvazione deve essere ' Approvato ' o ' Rifiutato '
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +64,Approval Status must be 'Approved' or 'Rejected',Stato approvazione deve essere 'Approvato' o 'Rifiutato'
 DocType: Healthcare Practitioner,Contacts and Address,Contatti e indirizzo
 DocType: Salary Structure,Max Benefits (Amount),Benefici massimi (importo)
 DocType: Purchase Invoice,Contact Person,Persona di Riferimento
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Data prevista di inizio' non può essere maggiore di 'Data di fine prevista'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nessun dato per questo periodo
 DocType: Course Scheduling Tool,Course End Date,Corso Data fine
 DocType: Holiday List,Holidays,Vacanze
 DocType: Sales Order Item,Planned Quantity,Quantità Prevista
 DocType: Purchase Invoice Item,Item Tax Amount,Articolo fiscale Ammontare
 DocType: Water Analysis,Water Analysis Criteria,Criteri di analisi dell&#39;acqua
 DocType: Item,Maintain Stock,Movimenta l'articolo in magazzino
-DocType: Employee,Prefered Email,preferito Email
+DocType: Employee,Prefered Email,Email Preferenziale
 DocType: Student Admission,Eligibility and Details,Eligibilità e dettagli
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Variazione netta delle immobilizzazioni
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Lasciare vuoto se considerato per tutte le designazioni
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tipo ' Actual ' in riga {0} non può essere incluso nella voce Tasso
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tipo ' Actual ' in riga {0} non può essere incluso nella voce Tasso
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Da Datetime
 DocType: Shopify Settings,For Company,Per Azienda
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,Termini e condizioni contenuti
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Si sono verificati degli errori durante la creazione del programma del corso
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Il primo approvatore di spesa nell&#39;elenco verrà impostato come Approvatore spese predefinito.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,non può essere superiore a 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,non può essere superiore a 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Devi essere un utente diverso dall&#39;amministratore con i ruoli di System Manager e Item Manager da registrare sul Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,L'articolo {0} non è in Giagenza
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,L'articolo {0} non è in Giagenza
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Non in programma
 DocType: Employee,Owned,Di proprietà
@@ -2145,7 +2165,7 @@
 DocType: Employee,Better Prospects,Prospettive Migliori
 DocType: Travel Itinerary,Gluten Free,Senza glutine
 DocType: Loyalty Program Collection,Minimum Total Spent,Minimo spesa totale
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +222,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Riga # {0}: Il batch {1} ha solo {2} qty. Si prega di selezionare un altro batch che dispone di {3} qty disponibile o si divide la riga in più righe, per consegnare / emettere da più batch"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +222,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Riga # {0}: Il lotto {1} ha solo {2} qta. Si prega di selezionare un altro lotto che dispone di {3} qta oppure dividere la riga in più righe, per consegnare/emettere da più lotti"
 DocType: Loyalty Program,Expiry Duration (in days),Durata di scadenza (in giorni)
 DocType: Inpatient Record,Discharge Date,Data di scarico
 DocType: Subscription Plan,Price Determination,Determinazione del prezzo
@@ -2162,17 +2182,17 @@
 DocType: Support Search Source,Response Options,Opzioni di risposta
 DocType: HR Settings,Employee Settings,Impostazioni dipendente
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Caricamento del sistema di pagamento
-,Batch-Wise Balance History,Cronologia Bilanciamento Lotti-Wise
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Riga # {0}: impossibile impostare Tasso se l&#39;importo è maggiore dell&#39;importo fatturato per l&#39;articolo {1}.
+,Batch-Wise Balance History,Cronologia Saldo Lotti-Wise
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Riga # {0}: impossibile impostare Tasso se l&#39;importo è maggiore dell&#39;importo fatturato per l&#39;articolo {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Le impostazioni di stampa aggiornati nel rispettivo formato di stampa
 DocType: Package Code,Package Code,Codice Confezione
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,apprendista
 DocType: Purchase Invoice,Company GSTIN,Azienda GSTIN
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Quantità negative non è consentito
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Quantità negative non sono consentite
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Dettaglio Tax tavolo prelevato dalla voce principale come una stringa e memorizzati in questo campo.
  Utilizzato per imposte e oneri"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Il dipendente non può riportare a se stesso.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Il dipendente non può riportare a se stesso.
 DocType: Leave Type,Max Leaves Allowed,Numero massimo consentito
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se l'account viene bloccato , le voci sono autorizzati a utenti con restrizioni ."
 DocType: Email Digest,Bank Balance,Saldo bancario
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Transazioni bancarie
 DocType: Quality Inspection,Readings,Letture
 DocType: Stock Entry,Total Additional Costs,Totale Costi aggiuntivi
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,No di interazioni
 DocType: BOM,Scrap Material Cost(Company Currency),Scrap Materiale Costo (Società di valuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,sub Assemblies
 DocType: Asset,Asset Name,Asset Nome
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,Per Valore
 DocType: Loyalty Program,Loyalty Program Type,Tipo di programma fedeltà
 DocType: Asset Movement,Stock Manager,Responsabile di magazzino
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Il Magazzino di provenienza è obbligatorio per il rigo {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Il Magazzino di provenienza è obbligatorio per il rigo {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Il termine di pagamento nella riga {0} è probabilmente un duplicato.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Agricoltura (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Documento di trasporto
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Documento di trasporto
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Affitto Ufficio
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Configura impostazioni gateway SMS
 DocType: Disease,Common Name,Nome comune
@@ -2217,7 +2238,7 @@
 apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Nessun indirizzo ancora aggiunto.
 DocType: Workstation Working Hour,Workstation Working Hour,Ore di lavoro Workstation
 DocType: Vital Signs,Blood Pressure,Pressione sanguigna
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +113,Analyst,analista
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +113,Analyst,Analista
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +20,{0} is not in a valid Payroll Period,{0} non è in un periodo di stipendio valido
 DocType: Employee Benefit Application,Max Benefits (Yearly),Benefici massimi (annuale)
 DocType: Item,Inventory,Inventario
@@ -2239,22 +2260,19 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +29,Services,Servizi
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-mail busta paga per i dipendenti
-DocType: Cost Center,Parent Cost Center,Parent Centro di costo
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Selezionare il Fornitore Possibile
+DocType: Cost Center,Parent Cost Center,Centro di costo padre
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Selezionare il Fornitore Possibile
 DocType: Sales Invoice,Source,Fonte
 DocType: Customer,"Select, to make the customer searchable with these fields","Seleziona, per rendere il cliente ricercabile con questi campi"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importa le note di consegna da Shopify alla spedizione
-apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostra chiusa
+apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostra chiusi
 DocType: Leave Type,Is Leave Without Pay,È lasciare senza stipendio
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset categoria è obbligatoria per voce delle immobilizzazioni
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset categoria è obbligatoria per voce delle immobilizzazioni
 DocType: Fee Validity,Fee Validity,Validità della tariffa
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nessun record trovato nella tabella di Pagamento
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Questo {0} conflitti con {1} per {2} {3}
 DocType: Student Attendance Tool,Students HTML,Gli studenti HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Per favore cancella il Dipendente <a href=""#Form/Employee/{0}"">{0}</a> \ per cancellare questo documento"
-DocType: POS Profile,Apply Discount,applicare Sconto
+DocType: POS Profile,Apply Discount,Applica Sconto
 DocType: GST HSN Code,GST HSN Code,Codice GST HSN
 DocType: Employee External Work History,Total Experience,Esperienza totale
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Progetti Aperti
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,Orari
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Il profilo POS è richiesto per utilizzare Point-of-Sale
 DocType: Cashier Closing,Net Amount,Importo Netto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} non è stato inviato perciò l'azione non può essere completata
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} non è stato inviato perciò l'azione non può essere completata
 DocType: Purchase Order Item Supplied,BOM Detail No,Dettaglio BOM N.
 DocType: Landed Cost Voucher,Additional Charges,Spese aggiuntive
 DocType: Support Search Source,Result Route Field,Risultato Percorso percorso
@@ -2287,7 +2305,7 @@
 ,Support Hour Distribution,Distribuzione dell&#39;orario di assistenza
 DocType: Maintenance Visit,Maintenance Visit,Visita di manutenzione
 DocType: Student,Leaving Certificate Number,Lasciando Numero del certificato
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +100,"Appointment cancelled, Please review and cancel the invoice {0}","Appuntamento annullato, esamina e annulla la fattura {0}"
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +100,"Appointment cancelled, Please review and cancel the invoice {0}","Appuntamento annullato, controlla e annulla la fattura {0}"
 DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Disponibile Quantità Batch in magazzino
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Update Print Format,Aggiornamento Formato di Stampa
 DocType: Bank Account,Is Company Account,È un account aziendale
@@ -2305,14 +2323,14 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Fatture Tardive
 DocType: Contract,Contract Details,Dettagli del contratto
 DocType: Employee,Leave Details,Lasciare i dettagli
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Impostare campo ID utente in un record Employee impostare Ruolo Employee
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Impostare campo ID utente in un record Employee impostare Ruolo Employee
 DocType: UOM,UOM Name,Nome Unità di Misura
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Indirizzo 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Indirizzo 1
 DocType: GST HSN Code,HSN Code,Codice HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Contributo Importo
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Contributo Importo
 DocType: Inpatient Record,Patient Encounter,Incontro paziente
 DocType: Purchase Invoice,Shipping Address,Indirizzo di spedizione
-DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Questo strumento consente di aggiornare o correggere la quantità e la valutazione delle azioni nel sistema. Viene tipicamente utilizzato per sincronizzare i valori di sistema e ciò che esiste realmente in vostri magazzini.
+DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Questo strumento consente di aggiornare o correggere la quantità e valutare il magazzino nel sistema. Viene tipicamente utilizzato per sincronizzare i valori di sistema e ciò che esiste realmente nei vostri magazzini.
 DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,In parole saranno visibili una volta che si salva il DDT.
 apps/erpnext/erpnext/erpnext_integrations/utils.py +22,Unverified Webhook Data,Dati Webhook non verificati
 DocType: Water Analysis,Container,Contenitore
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,Modalità di viaggio
 DocType: Sales Invoice Item,Brand Name,Nome Marchio
 DocType: Purchase Receipt,Transporter Details,Transporter Dettagli
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Deposito di default è richiesto per gli elementi selezionati
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Deposito di default è richiesto per gli elementi selezionati
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Scatola
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Fornitore Possibile
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Fornitore Possibile
 DocType: Budget,Monthly Distribution,Distribuzione Mensile
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lista Receiver è vuoto . Si prega di creare List Ricevitore
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Sanità (beta)
@@ -2349,15 +2367,16 @@
 ,Lead Name,Nome Lead
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,prospezione
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Apertura Saldo delle Scorte
 DocType: Asset Category Account,Capital Work In Progress Account,Conto capitale lavori in corso
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Regolazione del valore del patrimonio
 DocType: Additional Salary,Payroll Date,Data del libro paga
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} deve apparire una sola volta
-apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lascia allocazione con successo per {0}
+apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Permessi allocati con successo per {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Non ci sono elementi per il confezionamento
 DocType: Shipping Rule Condition,From Value,Da Valore
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,La quantità da produrre è obbligatoria
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,La quantità da produrre è obbligatoria
 DocType: Loan,Repayment Method,Metodo di rimborso
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se selezionato, la pagina iniziale sarà il gruppo di default dell&#39;oggetto per il sito web"
 DocType: Quality Inspection Reading,Reading 4,Lettura 4
@@ -2382,7 +2401,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Referral dei dipendenti
 DocType: Student Group,Set 0 for no limit,Impostare 0 per nessun limite
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Le giornate per cui si stanno segnando le ferie sono già di vacanze. Non è necessario chiedere un permesso.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Riga {idx}: {field} è richiesto per creare le fatture di apertura {fattoice_type}
 DocType: Customer,Primary Address and Contact Detail,Indirizzo primario e dettagli di contatto
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Invia di nuovo pagamento Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nuova attività
@@ -2392,9 +2410,9 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Si prega di selezionare almeno un dominio.
 DocType: Dependent Task,Dependent Task,Attività dipendente
 DocType: Shopify Settings,Shopify Tax Account,Conto fiscale Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Fattore di conversione per unità di misura predefinita deve essere 1 in riga {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Lascia di tipo {0} non può essere superiore a {1}
-DocType: Delivery Trip,Optimize Route,Ottimizza rotta
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Fattore di conversione per unità di misura predefinita deve essere 1 in riga {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Lascia di tipo {0} non può essere superiore a {1}
+DocType: Delivery Trip,Optimize Route,Ottimizza percorso
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Provare le operazioni per X giorni in programma in anticipo.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
 				You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} posti vacanti e {1} budget per {2} già pianificati per le società controllate di {3}. \ Puoi solo pianificare fino a {4} posti vacanti e budget {5} come da piano di assunzione del personale {6} per la casa madre {3}.
@@ -2402,14 +2420,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Si prega di impostare di default Payroll conto da pagare in azienda {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Ottieni una rottura finanziaria delle tasse e carica i dati di Amazon
 DocType: SMS Center,Receiver List,Lista Ricevitore
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Cerca Articolo
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Cerca Articolo
 DocType: Payment Schedule,Payment Amount,Pagamento Importo
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,La data di mezza giornata deve essere compresa tra la data di fine lavoro e la data di fine lavoro
 DocType: Healthcare Settings,Healthcare Service Items,Articoli per servizi sanitari
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Quantità consumata
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Variazione netta delle disponibilità
 DocType: Assessment Plan,Grading Scale,Scala di classificazione
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unità di misura {0} è stata inserita più volte nella tabella di conversione
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unità di misura {0} è stata inserita più volte nella tabella di conversione
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Già completato
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock in mano
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2432,27 +2450,27 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} {1} quantità non può essere una frazione
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Inserisci l&#39;URL del server Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Numero di articolo del fornitore
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Il tasso di conversione non può essere 0 o 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Il tasso di conversione non può essere 0 o 1
 DocType: Share Balance,To No,A No
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Tutte le attività obbligatorie per la creazione dei dipendenti non sono ancora state completate.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} viene cancellato o fermato
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} viene cancellato o fermato
 DocType: Accounts Settings,Credit Controller,Controllare Credito
 DocType: Loan,Applicant Type,Tipo di candidato
 DocType: Purchase Invoice,03-Deficiency in services,03-Carenza nei servizi
 DocType: Healthcare Settings,Default Medical Code Standard,Standard di codice medico di default
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,La Ricevuta di Acquisto {0} non è stata presentata
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,La Ricevuta di Acquisto {0} non è stata presentata
 DocType: Company,Default Payable Account,Conto da pagare Predefinito
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Impostazioni carrello della spesa, come Tipi di Spedizione, Listino Prezzi ecc"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Fatturato
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Riservato Quantità
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Riservato Quantità
 DocType: Party Account,Party Account,Account del Partner
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Si prega di selezionare Società e designazione
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Risorse Umane
-DocType: Lead,Upper Income,Reddito superiore
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Reddito superiore
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Rifiutare
-DocType: Journal Entry Account,Debit in Company Currency,Debito in Società Valuta
+DocType: Journal Entry Account,Debit in Company Currency,Addebito nella valuta della società
 DocType: BOM Item,BOM Item,BOM Articolo
 DocType: Appraisal,For Employee,Per Dipendente
 DocType: Vital Signs,Full,Pieno
@@ -2467,7 +2485,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Aperture di lavoro per la designazione {0} già aperte \ o assunzioni completate secondo il piano di personale {1}
 DocType: Vital Signs,Constipated,Stitico
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Al ricevimento della Fattura Fornitore {0} datata {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Al ricevimento della Fattura Fornitore {0} datata {1}
 DocType: Customer,Default Price List,Listino Prezzi Predefinito
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,record di Asset Movimento {0} creato
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nessun articolo trovato.
@@ -2483,17 +2501,18 @@
 DocType: Journal Entry,Entry Type,Tipo voce
 ,Customer Credit Balance,Balance Credit clienti
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Variazione Netta in Contabilità Fornitori
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Il limite di credito è stato superato per il cliente {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Impostare Serie di denominazione per {0} tramite Impostazione&gt; Impostazioni&gt; Serie di denominazione
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Il limite di credito è stato superato per il cliente {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Cliente richiesto per ' Customerwise Discount '
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Aggiorna le date di pagamento bancario con il Giornale.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Prezzi
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Prezzi
 DocType: Quotation,Term Details,Dettagli Termini
 DocType: Employee Incentive,Employee Incentive,Incentivo dei dipendenti
-apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Non possono iscriversi più di {0} studenti per questo gruppo di studenti.
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Non possono iscriversi più di {0} studenti per questo gruppo.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Totale (senza tasse)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Conto di piombo
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Disponibile a magazzino
-DocType: Manufacturing Settings,Capacity Planning For (Days),Capacity Planning per (giorni)
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Disponibile a magazzino
+DocType: Manufacturing Settings,Capacity Planning For (Days),Pianificazione Capacità per (giorni)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Approvvigionamento
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Nessuno articolo ha modifiche in termini di quantità o di valore.
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +22,Mandatory field - Program,Campo obbligatorio - Programma
@@ -2504,7 +2523,7 @@
 DocType: Salary Slip,Loan repayment,Rimborso del prestito
 DocType: Share Transfer,Asset Account,Conto cespiti
 DocType: Purchase Invoice,End date of current invoice's period,Data di fine del periodo di fatturazione corrente
-DocType: Pricing Rule,Applicable For,applicabile per
+DocType: Pricing Rule,Applicable For,Valido per
 DocType: Lab Test,Technician Name,Nome tecnico
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +411,"Cannot ensure delivery by Serial No as \
 					Item {0} is added with and without Ensure Delivery by \
@@ -2516,7 +2535,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Permessi e Presenze
 DocType: Asset,Comprehensive Insurance,Assicurazione completa
 DocType: Maintenance Visit,Partially Completed,Parzialmente completato
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Punto fedeltà: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Punto fedeltà: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Aggiungi lead
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensibilità moderata
 DocType: Leave Type,Include holidays within leaves as leaves,Includere le vacanze entro i fogli come foglie
 DocType: Loyalty Program,Redemption,Redenzione
@@ -2550,29 +2570,30 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Spese di Marketing
 ,Item Shortage Report,Report Carenza Articolo
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Impossibile creare criteri standard. Si prega di rinominare i criteri
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Il peso è menzionato, \n prega di citare ""Peso UOM"" troppo"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Il peso è menzionato, \n prega di citare ""Peso UOM"" troppo"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Richiesta di materiale usata per l'entrata giacenza
 DocType: Hub User,Hub Password,Password dell&#39;hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separare il gruppo di corso per ogni batch
 apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,Unità singola di un articolo.
 DocType: Fee Category,Fee Category,Fee Categoria
 DocType: Agriculture Task,Next Business Day,Il prossimo giorno lavorativo
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +3,Allocated Leaves,Foglie allocate
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +3,Allocated Leaves,Ferie allocate
 DocType: Drug Prescription,Dosage by time interval,Dosaggio per intervallo di tempo
 DocType: Cash Flow Mapper,Section Header,Intestazione di sezione
 ,Student Fee Collection,Student Fee Collection
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Durata dell'appuntamento (minuti)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Crea una voce contabile per ogni movimento di scorta
-DocType: Leave Allocation,Total Leaves Allocated,Totale Foglie allocati
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Si prega di inserire valido Esercizio inizio e di fine
+DocType: Leave Allocation,Total Leaves Allocated,Ferie Totali allocate
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Si prega di inserire valido Esercizio inizio e di fine
 DocType: Employee,Date Of Retirement,Data di pensionamento
 DocType: Upload Attendance,Get Template,Ottieni Modulo
+,Sales Person Commission Summary,Riassunto della Commissione per le vendite
 DocType: Additional Salary Component,Additional Salary Component,Componente aggiuntivo del salario
 DocType: Material Request,Transferred,trasferito
 DocType: Vehicle,Doors,Porte
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Installazione ERPNext completa!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Installazione ERPNext completa!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Raccogliere la tariffa per la registrazione del paziente
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Impossibile modificare gli Attributi dopo il trasferimento di magazzino. Crea un nuovo Articolo e trasferisci le scorte al nuovo Articolo
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Impossibile modificare gli Attributi dopo il trasferimento di magazzino. Crea un nuovo Articolo e trasferisci le scorte al nuovo Articolo
 DocType: Course Assessment Criteria,Weightage,Pesa
 DocType: Purchase Invoice,Tax Breakup,Elenco imposte
 DocType: Employee,Joining Details,Unire i dettagli
@@ -2582,7 +2603,7 @@
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +175,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Esiste un Gruppo Clienti con lo stesso nome, per favore cambiare il nome del Cliente o rinominare il Gruppo Clienti"
 DocType: Location,Area,La zona
 apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nuovo contatto
-DocType: Company,Company Description,descrizione dell&#39;azienda
+DocType: Company,Company Description,Descrizione dell'azienda
 DocType: Territory,Parent Territory,Territorio genitore
 DocType: Purchase Invoice,Place of Supply,Luogo di fornitura
 DocType: Quality Inspection Reading,Reading 2,Lettura 2
@@ -2600,14 +2621,15 @@
 DocType: Lead,Next Contact By,Contatto Successivo Con
 DocType: Compensatory Leave Request,Compensatory Leave Request,Richiesta di congedo compensativo
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Quantità necessaria per la voce {0} in riga {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazzino {0} non può essere cancellato in quanto esiste la quantità per l' articolo {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazzino {0} non può essere cancellato in quanto esiste la quantità per l' articolo {1}
 DocType: Blanket Order,Order Type,Tipo di ordine
 ,Item-wise Sales Register,Vendite articolo-saggio Registrati
 DocType: Asset,Gross Purchase Amount,Importo Acquisto Gross
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Saldi di bilancio
 DocType: Asset,Depreciation Method,Metodo di ammortamento
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,È questa tassa inclusi nel prezzo base?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Obiettivo totale
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Obiettivo totale
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analisi della percezione
 DocType: Soil Texture,Sand Composition (%),Composizione di sabbia (%)
 DocType: Job Applicant,Applicant for a Job,Richiedente per un lavoro
 DocType: Production Plan Material Request,Production Plan Material Request,Piano di produzione Materiale Richiesta
@@ -2616,29 +2638,31 @@
 apps/erpnext/erpnext/accounts/report/financial_statements.html +5,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.
 DocType: Purchase Invoice Item,Batch No,Lotto N.
 DocType: Marketplace Settings,Hub Seller Name,Nome venditore Hub
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +27,Employee Advances,Avanzamenti dei dipendenti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +27,Employee Advances,Anticipi Dipendenti
 DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Consentire più ordini di vendita da un singolo ordine di un cliente
 DocType: Student Group Instructor,Student Group Instructor,Istruttore del gruppo di studenti
-DocType: Grant Application,Assessment  Mark (Out of 10),Segno di valutazione (su 10)
+DocType: Grant Application,Assessment  Mark (Out of 10),Valutazione (su 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,principale
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,L&#39;articolo seguente {0} non è contrassegnato come articolo {1}. Puoi abilitarli come {1} elemento dal suo master Item
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variante
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Per un articolo {0}, la quantità deve essere un numero negativo"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Impostare prefisso per numerazione serie sulle transazioni
 DocType: Employee Attendance Tool,Employees HTML,Dipendenti HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Distinta Base default ({0}) deve essere attivo per questo articolo o il suo modello
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Distinta Base default ({0}) deve essere attivo per questo articolo o il suo modello
 DocType: Employee,Leave Encashed?,Lascia non incassati?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Dal campo è obbligatorio
 DocType: Email Digest,Annual Expenses,Spese annuali
 DocType: Item,Variants,Varianti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Crea ordine d'acquisto
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Crea ordine d'acquisto
 DocType: SMS Center,Send To,Invia a
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Non c'è equilibrio congedo sufficiente per Leave tipo {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Non hai giorni sufficienti per il permesso {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Importo Assegnato
 DocType: Sales Team,Contribution to Net Total,Contributo sul totale netto
 DocType: Sales Invoice Item,Customer's Item Code,Codice elemento Cliente
 DocType: Stock Reconciliation,Stock Reconciliation,Riconciliazione Giacenza
 DocType: Territory,Territory Name,Territorio Nome
+DocType: Email Digest,Purchase Orders to Receive,Ordini d&#39;acquisto da ricevere
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Specificare il magazzino Work- in- Progress prima della Conferma
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Puoi avere solo piani con lo stesso ciclo di fatturazione in un abbonamento
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Dati mappati
@@ -2650,14 +2674,14 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +262,Against Journal Entry {0} does not have any unmatched {1} entry,Contro diario {0} non ha alcun ineguagliata {1} entry
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +113,"Subsidiary companies have already planned for {1} vacancies at a budget of {2}. \
 				Staffing Plan for {0} should allocate more vacancies and budget for {3} than planned for its subsidiary companies",Le società sussidiarie hanno già pianificato {1} posti vacanti con un budget di {2}. \ Il piano di staffing per {0} dovrebbe allocare più posti vacanti e budget per {3} rispetto a quanto pianificato per le sue società controllate
-apps/erpnext/erpnext/config/hr.py +166,Appraisals,Perizie
+apps/erpnext/erpnext/config/hr.py +166,Appraisals,Valutazioni
 apps/erpnext/erpnext/hr/doctype/training_program/training_program_dashboard.py +8,Training Events,Eventi formativi
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Inserito Numero di Serie duplicato per l'articolo {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Monitora lead per lead source.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condizione per un Tipo di Spedizione
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Prego entra
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Prego entra
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Registro di manutenzione
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base al punto o in un magazzino
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base al punto o in un magazzino
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Il peso netto di questo package (calcolato automaticamente come somma dei pesi netti).
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Fai il diario della compagnia Inter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,L&#39;importo dello sconto non può essere superiore al 100%
@@ -2666,15 +2690,15 @@
 DocType: Sales Order,To Deliver and Bill,Da Consegnare e Fatturare
 DocType: Student Group,Instructors,Istruttori
 DocType: GL Entry,Credit Amount in Account Currency,Importo del credito Account Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} deve essere confermata
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Gestione delle azioni
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} deve essere confermata
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Gestione delle azioni
 DocType: Authorization Control,Authorization Control,Controllo Autorizzazioni
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Rifiutato Warehouse è obbligatoria per la voce respinto {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Pagamento
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Rifiutato Warehouse è obbligatoria per la voce respinto {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Pagamento
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Il magazzino {0} non è collegato a nessun account, si prega di citare l&#39;account nel record magazzino o impostare l&#39;account di inventario predefinito nella società {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gestisci i tuoi ordini
 DocType: Work Order Operation,Actual Time and Cost,Tempo reale e costi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Richiesta materiale di massimo {0} può essere fatto per la voce {1} contro ordine di vendita {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Richiesta materiale di massimo {0} può essere fatto per la voce {1} contro ordine di vendita {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Spaziatura
 DocType: Course,Course Abbreviation,Abbreviazione corso
@@ -2686,6 +2710,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},l&#39;orario di lavoro totale non deve essere maggiore di ore di lavoro max {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,On
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Articoli Combinati e tempi di vendita.
+DocType: Delivery Settings,Dispatch Settings,Impostazioni di spedizione
 DocType: Material Request Plan Item,Actual Qty,Q.tà reale
 DocType: Sales Invoice Item,References,Riferimenti
 DocType: Quality Inspection Reading,Reading 10,Lettura 10
@@ -2695,11 +2720,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Hai inserito degli elementi duplicati . Si prega di correggere e riprovare .
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Associate
 DocType: Asset Movement,Asset Movement,Movimento Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,L&#39;ordine di lavoro {0} deve essere inviato
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Nuovo carrello
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,L&#39;ordine di lavoro {0} deve essere inviato
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Nuovo carrello
 DocType: Taxable Salary Slab,From Amount,Dalla quantità
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,L'articolo {0} non è un elemento serializzato
 DocType: Leave Type,Encashment,incasso
+DocType: Delivery Settings,Delivery Settings,Impostazioni di consegna
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Recupera dati
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Permesso massimo permesso nel tipo di permesso {0} è {1}
 DocType: SMS Center,Create Receiver List,Crea Elenco Ricezione
 DocType: Vehicle,Wheels,Ruote
@@ -2715,20 +2742,20 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,La valuta di fatturazione deve essere uguale alla valuta della società predefinita o alla valuta dell&#39;account del partito
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Indica che il pacchetto è una parte di questa consegna (solo Bozza)
 DocType: Soil Texture,Loam,terra grassa
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Riga {0}: la data di scadenza non può essere precedente alla data di pubblicazione
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Riga {0}: la data di scadenza non può essere precedente alla data di pubblicazione
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Effettua Pagamento
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Quantità per la voce {0} deve essere inferiore a {1}
 ,Sales Invoice Trends,Andamento Fatture di vendita
-DocType: Leave Application,Apply / Approve Leaves,Applicare / Approva Leaves
+DocType: Leave Application,Apply / Approve Leaves,Applica / Approva Ferie
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,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 '
 DocType: Sales Order Item,Delivery Warehouse,Magazzino di consegna
 DocType: Leave Type,Earned Leave Frequency,Ferie maturate
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Albero dei centri di costo finanziario.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Sottotipo
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Albero dei centri di costo finanziario.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Sottotipo
 DocType: Serial No,Delivery Document No,Documento Consegna N.
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Garantire la consegna in base al numero di serie prodotto
 DocType: Vital Signs,Furry,Peloso
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Si prega di impostare &#39;Conto / perdita di guadagno su Asset Disposal&#39; in compagnia {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Si prega di impostare &#39;Conto / perdita di guadagno su Asset Disposal&#39; in compagnia {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Ottenere elementi dal Acquisto Receipts
 DocType: Serial No,Creation Date,Data di Creazione
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},La posizione di destinazione è richiesta per la risorsa {0}
@@ -2742,10 +2769,11 @@
 DocType: Item,Has Variants,Ha varianti
 DocType: Employee Benefit Claim,Claim Benefit For,Reclamo Beneficio per
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Aggiorna risposta
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Hai già selezionato elementi da {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Hai già selezionato elementi da {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nome della distribuzione mensile
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,L&#39;ID batch è obbligatorio
 DocType: Sales Person,Parent Sales Person,Parent Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Nessun articolo da ricevere è in ritardo
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Il venditore e l&#39;acquirente non possono essere uguali
 DocType: Project,Collect Progress,Raccogli progressi
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2761,7 +2789,7 @@
 DocType: Bank Guarantee,Margin Money,Margine in denaro
 DocType: Budget,Budget,Budget
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Imposta aperta
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Un Bene Strumentale  deve essere un Bene Non di Magazzino
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Un Bene Strumentale  deve essere un Bene Non di Magazzino
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bilancio non può essere assegnato contro {0}, in quanto non è un conto entrate o uscite"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},L&#39;importo massimo di esenzione per {0} è {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Raggiunto
@@ -2779,9 +2807,9 @@
 ,Amount to Deliver,Importo da consegnare
 DocType: Asset,Insurance Start Date,Data di inizio dell&#39;assicurazione
 DocType: Salary Component,Flexible Benefits,Benefici flessibili
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Lo stesso oggetto è stato inserito più volte. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Lo stesso oggetto è stato inserito più volte. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Il Data Terminologia di inizio non può essere anteriore alla data di inizio anno dell&#39;anno accademico a cui il termine è legata (Anno Accademico {}). Si prega di correggere le date e riprovare.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Ci sono stati degli errori.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Ci sono stati degli errori.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Il Dipendente {0} ha già fatto domanda per {1} tra {2} e {3}:
 DocType: Guardian,Guardian Interests,Custodi Interessi
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Aggiorna nome / numero account
@@ -2821,9 +2849,9 @@
 ,Item-wise Purchase History,Cronologia acquisti per articolo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,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}
 DocType: Account,Frozen,Congelato
-DocType: Delivery Note,Vehicle Type,Tipo Veicolo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Tipo Veicolo
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Importo base (in valuta principale)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Materiali grezzi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Materiali grezzi
 DocType: Payment Reconciliation Payment,Reference Row,Riferimento Row
 DocType: Installation Note,Installation Time,Tempo di installazione
 DocType: Sales Invoice,Accounting Details,Dettagli contabile
@@ -2832,12 +2860,13 @@
 DocType: Inpatient Record,O Positive,O positivo
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investimenti
 DocType: Issue,Resolution Details,Dettagli risoluzione
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Tipo di transazione
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tipo di transazione
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criterio  di accettazione
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Si prega di inserire richieste materiale nella tabella di cui sopra
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Nessun rimborso disponibile per l&#39;inserimento prima nota
 DocType: Hub Tracked Item,Image List,Elenco immagini
 DocType: Item Attribute,Attribute Name,Nome Attributo
+DocType: Subscription,Generate Invoice At Beginning Of Period,Genera fattura all&#39;inizio del periodo
 DocType: BOM,Show In Website,Mostra Nel Sito Web
 DocType: Loan Application,Total Payable Amount,Totale passività
 DocType: Task,Expected Time (in hours),Tempo previsto (in ore)
@@ -2866,7 +2895,7 @@
 DocType: Discussion,Discussion,Discussione
 DocType: Payment Entry,Transaction ID,ID transazione
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Tassa di deduzione per prova di esenzione fiscale non presentata
-DocType: Volunteer,Anytime,in qualsiasi momento
+DocType: Volunteer,Anytime,In qualsiasi momento
 DocType: Bank Account,Bank Account No,Conto bancario N.
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Presentazione della prova di esenzione fiscale dei dipendenti
 DocType: Patient,Surgical History,Storia chirurgica
@@ -2874,7 +2903,7 @@
 DocType: Employee,Resignation Letter Date,Lettera di dimissioni Data
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Regole dei prezzi sono ulteriormente filtrati in base alla quantità.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Non Impostato
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Impostare la data di unione per dipendente {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Imposta la data di assunzione del dipendente {0}
 DocType: Inpatient Record,Discharge,Scarico
 DocType: Task,Total Billing Amount (via Time Sheet),Importo totale di fatturazione (tramite Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ripetere Revenue clienti
@@ -2884,13 +2913,13 @@
 DocType: Chapter,Chapter,Capitolo
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Coppia
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,L&#39;account predefinito verrà automaticamente aggiornato in Fattura POS quando questa modalità è selezionata.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Selezionare Distinta Materiali e Quantità per la  Produzione
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Selezionare Distinta Materiali e Quantità per la  Produzione
 DocType: Asset,Depreciation Schedule,piano di ammortamento
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Indirizzi e Contatti del Partner Vendite
 DocType: Bank Reconciliation Detail,Against Account,Previsione Conto
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,La data di mezza giornata deve essere compresa da Data a Data
 DocType: Maintenance Schedule Detail,Actual Date,Data effettiva
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Impostare il centro di costo predefinito in {0} società.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Impostare il centro di costo predefinito in {0} società.
 DocType: Item,Has Batch No,Ha lotto n.
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Fatturazione annuale: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2902,7 +2931,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,Dettagli personali
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Si prega di impostare &#39;Asset Centro ammortamento dei costi&#39; in compagnia {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Si prega di impostare &#39;Asset Centro ammortamento dei costi&#39; in compagnia {0}
 ,Maintenance Schedules,Programmi di manutenzione
 DocType: Task,Actual End Date (via Time Sheet),Data di fine effettiva (da Time Sheet)
 DocType: Soil Texture,Soil Type,Tipo di terreno
@@ -2910,10 +2939,10 @@
 ,Quotation Trends,Tendenze di preventivo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Gruppo Articoli non menzionato nell'Articolo principale per l'Articolo {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debito Per account deve essere un account di Credito
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debito Per account deve essere un account di Credito
 DocType: Shipping Rule,Shipping Amount,Importo spedizione
 DocType: Supplier Scorecard Period,Period Score,Punteggio periodo
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Aggiungi clienti
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Aggiungi clienti
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,In attesa di Importo
 DocType: Lab Test Template,Special,Speciale
 DocType: Loyalty Program,Conversion Factor,Fattore di Conversione
@@ -2930,8 +2959,8 @@
 DocType: Student Report Generation Tool,Add Letterhead,Aggiungi carta intestata
 DocType: Program Enrollment,Self-Driving Vehicle,Autovettura
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Scorecard fornitore permanente
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Riga {0}: Distinta materiali non trovato per la voce {1}
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totale foglie assegnati {0} non può essere inferiore a foglie già approvati {1} per il periodo
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Riga {0}: Distinta materiali non trovato per la voce {1}
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totale ferie assegnata {0} non possono essere inferiori a ferie già approvate {1} per il periodo
 DocType: Contract Fulfilment Checklist,Requirement,Requisiti
 DocType: Journal Entry,Accounts Receivable,Conti esigibili
 DocType: Travel Itinerary,Meal Preference,preferenza sul cibo
@@ -2940,22 +2969,22 @@
 DocType: Sales Invoice,Company Address Name,Nome dell&#39;azienda nome
 DocType: Work Order,Use Multi-Level BOM,Utilizzare BOM Multi-Level
 DocType: Bank Reconciliation,Include Reconciled Entries,Includi Voci riconciliati
-DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Corso di genitori (lasciare vuoto, se questo non fa parte del corso dei genitori)"
+DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Corso genitori (lasciare vuoto, se questo non fa parte del corso dei genitori)"
 DocType: Leave Control Panel,Leave blank if considered for all employee types,Lasciare vuoto se considerato per tutti i tipi dipendenti
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuire oneri corrispondenti
 DocType: Projects Settings,Timesheets,Schede attività
 DocType: HR Settings,HR Settings,Impostazioni HR
 DocType: Salary Slip,net pay info,Informazioni retribuzione netta
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Importo CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Importo CESS
 DocType: Woocommerce Settings,Enable Sync,Abilita sincronizzazione
 DocType: Tax Withholding Rate,Single Transaction Threshold,Soglia singola transazione
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Questo valore viene aggiornato nell&#39;elenco dei prezzi di vendita predefinito.
 DocType: Email Digest,New Expenses,nuove spese
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Quantità PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Quantità PDC / LC
 DocType: Shareholder,Shareholder,Azionista
 DocType: Purchase Invoice,Additional Discount Amount,Importo Sconto Aggiuntivo
 DocType: Cash Flow Mapper,Position,Posizione
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Ottieni oggetti da Prescrizioni
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Ottieni oggetti da Prescrizioni
 DocType: Patient,Patient Details,Dettagli del paziente
 DocType: Inpatient Record,B Positive,B Positivo
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2967,8 +2996,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Gruppo di Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,sportivo
 DocType: Loan Type,Loan Name,Nome prestito
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Totale Actual
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Totale Actual
 DocType: Student Siblings,Student Siblings,Student Siblings
 DocType: Subscription Plan Detail,Subscription Plan Detail,Dettagli del piano di abbonamento
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Unità
@@ -2995,7 +3023,6 @@
 DocType: Workstation,Wages per hour,Salari all'ora
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Equilibrio Stock in Lotto {0} sarà negativo {1} per la voce {2} a Warehouse {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,A seguito di richieste di materiale sono state sollevate automaticamente in base al livello di riordino della Voce
-DocType: Email Digest,Pending Sales Orders,In attesa di ordini di vendita
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Account {0} non valido. La valuta del conto deve essere {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Dalla data {0} non può essere successiva alla Data di rilascio del dipendente {1}
 DocType: Supplier,Is Internal Supplier,È un fornitore interno
@@ -3004,25 +3031,26 @@
 DocType: Healthcare Settings,Remind Before,Ricorda prima
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Fattore di conversione Unità di Misurà è obbligatoria sulla riga {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno dei ordini di vendita, fattura di vendita o diario"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno dei ordini di vendita, fattura di vendita o diario"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Punti fedeltà = Quanta valuta di base?
 DocType: Salary Component,Deduction,Deduzioni
 DocType: Item,Retain Sample,Conservare il campione
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Riga {0}: From Time To Time ed è obbligatoria.
-DocType: Stock Reconciliation Item,Amount Difference,importo Differenza
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Prezzo Articolo aggiunto per {0} in Listino Prezzi {1}
+DocType: Stock Reconciliation Item,Amount Difference,Differenza importo
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Prezzo Articolo aggiunto per {0} in Listino Prezzi {1}
+DocType: Delivery Stop,Order Information,Informazioni sull&#39;ordine
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Inserisci ID dipendente di questa persona di vendite
 DocType: Territory,Classification of Customers by region,Classificazione dei Clienti per regione
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,In produzione
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +66,Difference Amount must be zero,Differenza L&#39;importo deve essere pari a zero
 DocType: Project,Gross Margin,Margine lordo
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +74,{0} applicable after {1} working days,{0} applicabile dopo {1} giorni lavorativi
-apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +60,Please enter Production Item first,Inserisci Produzione articolo prima
+apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +60,Please enter Production Item first,Inserisci prima articolo Produzione
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Calcolato equilibrio estratto conto
 DocType: Normal Test Template,Normal Test Template,Modello di prova normale
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,utente disabilitato
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Preventivo
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Impossibile impostare una RFQ ricevuta al valore No Quote
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Preventivo
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Impossibile impostare una RFQ ricevuta al valore No Quote
 DocType: Salary Slip,Total Deduction,Deduzione totale
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Seleziona un account per stampare nella valuta dell&#39;account
 ,Production Analytics,Analytics di produzione
@@ -3035,14 +3063,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Impostazione Scorecard Fornitore
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Nome del piano di valutazione
 DocType: Work Order Operation,Work Order Operation,Operazione dell&#39;ordine di lavoro
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Attenzione: certificato SSL non valido sull&#39;attaccamento {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Attenzione: certificato SSL non valido sull&#39;attaccamento {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","I Leads ti aiutano ad incrementare il tuo business, aggiungi tutti i tuoi contatti come tuoi leads"
 DocType: Work Order Operation,Actual Operation Time,Tempo lavoro effettiva
 DocType: Authorization Rule,Applicable To (User),Applicabile a (Utente)
 DocType: Purchase Taxes and Charges,Deduct,Detrarre
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Descrizione Del Lavoro
 DocType: Student Applicant,Applied,Applicato
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Riaprire
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Riaprire
 DocType: Sales Invoice Item,Qty as per Stock UOM,Quantità come da UOM Archivio
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nome Guardian2
 DocType: Attendance,Attendance Request,Richiesta di partecipazione
@@ -3054,13 +3082,13 @@
 ,SO Qty,SO Quantità
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +92,The field To Shareholder cannot be blank,Il campo per l&#39;azionista non può essere vuoto
 DocType: Guardian,Work Address,Indirizzo di lavoro
-DocType: Appraisal,Calculate Total Score,Calcolare il punteggio totale
+DocType: Appraisal,Calculate Total Score,Calcola il punteggio totale
 DocType: Employee,Health Insurance,Assicurazione sanitaria
 DocType: Asset Repair,Manufacturing Manager,Responsabile di produzione
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} è in garanzia fino a {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valore minimo consentito
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,L&#39;&#39;utente {0} esiste già
-apps/erpnext/erpnext/hooks.py +114,Shipments,Spedizioni
+apps/erpnext/erpnext/hooks.py +115,Shipments,Spedizioni
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Totale importo assegnato (Valuta della Società)
 DocType: Purchase Order Item,To be delivered to customer,Da consegnare al cliente
 DocType: BOM,Scrap Material Cost,Costo rottami Materiale
@@ -3068,11 +3096,12 @@
 DocType: Grant Application,Email Notification Sent,Email di notifica inviata
 DocType: Purchase Invoice,In Words (Company Currency),In Parole (Azienda valuta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,La società è mandataria per conto aziendale
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Codice articolo, magazzino, quantità richiesta in fila"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Codice articolo, magazzino, quantità richiesta in fila"
 DocType: Bank Guarantee,Supplier,Fornitore
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Ottieni da
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Questo è un dipartimento root e non può essere modificato.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Mostra i dettagli del pagamento
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Durata in giorni
 DocType: C-Form,Quarter,Trimestrale
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Spese Varie
 DocType: Global Defaults,Default Company,Azienda Predefinita
@@ -3080,7 +3109,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,La spesa o il conto differenziato sono obbligatori per l'articolo {0} in quanto hanno un impatto sul valore complessivo del magazzino
 DocType: Bank,Bank Name,Nome Banca
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Sopra
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Lascia vuoto il campo per effettuare ordini di acquisto per tutti i fornitori
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Lascia vuoto il campo per effettuare ordini di acquisto per tutti i fornitori
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Visita in carica del paziente
 DocType: Vital Signs,Fluid,Fluido
 DocType: Leave Application,Total Leave Days,Totale Lascia Giorni
@@ -3089,7 +3118,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Impostazioni delle varianti dell&#39;elemento
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Seleziona Company ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Lasciare vuoto se considerato per tutti i reparti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} è obbligatorio per la voce {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} è obbligatorio per la voce {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Articolo {0}: {1} qty prodotto,"
 DocType: Payroll Entry,Fortnightly,Quindicinale
 DocType: Currency Exchange,From Currency,Da Valuta
@@ -3138,7 +3167,7 @@
 DocType: Account,Fixed Asset,Asset fisso
 DocType: Amazon MWS Settings,After Date,Dopo la data
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialized Inventario
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,{0} non valido per la fattura aziendale interna.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,{0} non valido per la fattura aziendale interna.
 ,Department Analytics,Analisi dei dati del dipartimento
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Email non trovata nel contatto predefinito
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Genera segreto
@@ -3156,6 +3185,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Amministratore delegato
 DocType: Purchase Invoice,With Payment of Tax,Con pagamento di imposta
 DocType: Expense Claim Detail,Expense Claim Detail,Dettaglio Rimborso Spese
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Installa il Sistema di denominazione degli istruttori in Istruzione&gt; Impostazioni istruzione
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATO PER IL FORNITORE
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nuovo saldo nella valuta di base
 DocType: Location,Is Container,È contenitore
@@ -3163,13 +3193,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Seleziona account corretto
 DocType: Salary Structure Assignment,Salary Structure Assignment,Assegnazione delle retribuzioni
 DocType: Purchase Invoice Item,Weight UOM,Peso UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Elenco di azionisti disponibili con numeri di folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Elenco di azionisti disponibili con numeri di folio
 DocType: Salary Structure Employee,Salary Structure Employee,Stipendio Struttura dei dipendenti
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Mostra attributi Variant
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Mostra attributi Variant
 DocType: Student,Blood Group,Gruppo sanguigno
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,L&#39;account del gateway di pagamento nel piano {0} è diverso dall&#39;account del gateway di pagamento in questa richiesta di pagamento
 DocType: Course,Course Name,Nome del corso
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nessun dato di ritenuta fiscale trovato per l&#39;anno fiscale corrente.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nessun dato di ritenuta fiscale trovato per l&#39;anno fiscale corrente.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Utenti che possono approvare le domande di permesso di un dipendente specifico
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Apparecchiature per ufficio
 DocType: Purchase Invoice Item,Qty,Qtà
@@ -3177,6 +3207,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Impostazione del punteggio
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elettronica
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debito ({0})
+DocType: BOM,Allow Same Item Multiple Times,Consenti allo stesso articolo più volte
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Crea un Richiesta Materiale quando la scorta raggiunge il livello di riordino
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Tempo pieno
 DocType: Payroll Entry,Employees,I dipendenti
@@ -3188,13 +3219,13 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Conferma di pagamento
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,I prezzi non verranno visualizzati se listino non è impostata
 DocType: Stock Entry,Total Incoming Value,Totale Valore Incoming
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debito A è richiesto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debito A è richiesto
 DocType: Clinical Procedure,Inpatient Record,Record ospedaliero
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Schede attività per tenere traccia del tempo, i costi e la fatturazione per attività fatta per tua squadra"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Acquisto Listino Prezzi
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Data della transazione
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Acquisto Listino Prezzi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Data della transazione
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Modelli delle variabili dei scorecard fornitori.
-DocType: Job Offer Term,Offer Term,Termine Offerta
+DocType: Job Offer Term,Offer Term,Termini Offerta
 DocType: Asset,Quality Manager,Responsabile Qualità
 DocType: Job Applicant,Job Opening,Offerte di Lavoro
 DocType: Payment Reconciliation,Payment Reconciliation,Pagamento Riconciliazione
@@ -3213,18 +3244,18 @@
 DocType: Cashier Closing,To Time,Per Tempo
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) per {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Approvazione di ruolo (di sopra del valore autorizzato)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Il conto in Accredita a  deve essere Conto Fornitore
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Il conto in Accredita a  deve essere Conto Fornitore
 DocType: Loan,Total Amount Paid,Importo totale pagato
 DocType: Asset,Insurance End Date,Data di fine dell&#39;assicurazione
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Si prega di scegliere l&#39;ammissione all&#39;allievo che è obbligatoria per il candidato scolastico pagato
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM ricorsivo: {0} non può essere un padre o un figlio di {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM ricorsivo: {0} non può essere un padre o un figlio di {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Elenco dei budget
 DocType: Work Order Operation,Completed Qty,Q.tà Completata
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Per {0}, solo gli account di debito possono essere collegati contro un'altra voce di credito"
 DocType: Manufacturing Settings,Allow Overtime,Consenti Overtime
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","L&#39;elemento serializzato {0} non può essere aggiornato utilizzando la riconciliazione di riserva, utilizzare l&#39;opzione Stock Entry"
 DocType: Training Event Employee,Training Event Employee,Employee Training Event
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Gli esempi massimi - {0} possono essere conservati per Batch {1} e Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Gli esempi massimi - {0} possono essere conservati per Batch {1} e Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Aggiungi slot di tempo
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} numeri di serie necessari per la voce {1}. Lei ha fornito {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Corrente Tasso di Valorizzazione
@@ -3241,7 +3272,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +411,All items have already been invoiced,Tutti gli articoli sono già stati fatturati
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +49,Please specify a valid 'From Case No.',Si prega di specificare una valida &#39;Dalla sentenza n&#39;
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Ulteriori centri di costo possono essere fatte in Gruppi ma le voci possono essere fatte contro i non-Gruppi
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +40,Total allocated leaves are more days than maximum allocation of {0} leave type for employee {1} in the period,Le foglie allocate totali sono più giorni dell&#39;assegnazione massima del tipo di permesso {0} per il dipendente {1} nel periodo
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +40,Total allocated leaves are more days than maximum allocation of {0} leave type for employee {1} in the period,Le ferie allocate totali sono più giorni dell'assegnazione massima del tipo di permesso {0} per il dipendente {1} nel periodo
 apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utenti e Permessi
 DocType: Branch,Branch,Ramo
 DocType: Soil Analysis,Ca/(K+Ca+Mg),Ca / (K + Ca + Mg)
@@ -3255,11 +3286,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} non trovato
 DocType: Fee Schedule Program,Fee Schedule Program,Programma di programmazione delle tasse
 DocType: Fee Schedule Program,Student Batch,Batch Student
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Per favore cancella il Dipendente <a href=""#Form/Employee/{0}"">{0}</a> \ per cancellare questo documento"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Crea Studente
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grado
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipo di unità di assistenza sanitaria
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Sei stato invitato a collaborare al progetto: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Sei stato invitato a collaborare al progetto: {0}
 DocType: Supplier Group,Parent Supplier Group,Gruppo di fornitori principali
+DocType: Email Digest,Purchase Orders to Bill,Ordini d&#39;acquisto a Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Valori accumulati nella società del gruppo
 DocType: Leave Block List Date,Block Date,Data Blocco
 DocType: Crop,Crop,raccolto
@@ -3271,11 +3305,12 @@
 DocType: Sales Order,Not Delivered,Non Consegnati
 ,Bank Clearance Summary,Sintesi Liquidazione Banca
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Creare e gestire giornalieri , settimanali e mensili digerisce email ."
-DocType: Appraisal Goal,Appraisal Goal,Obiettivo di Valutazione
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Questo si basa sulle transazioni con questa persona di vendita. Vedi la cronologia qui sotto per i dettagli
+DocType: Appraisal Goal,Appraisal Goal,Obiettivo di valutazione
 DocType: Stock Reconciliation Item,Current Amount,Importo attuale
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,edifici
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Edifici
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py +24,Tax Declaration of {0} for period {1} already submitted.,Dichiarazione fiscale di {0} per il periodo {1} già inviata.
-apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +76,Leaves has been granted sucessfully,Le foglie sono state concesse con successo
+apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +76,Leaves has been granted sucessfully,Le ferie sono state concesse con successo
 DocType: Fee Schedule,Fee Structure,Fee Struttura
 DocType: Timesheet Detail,Costing Amount,Costing Importo
 DocType: Student Admission Program,Application Fee,Tassa d&#39;iscrizione
@@ -3297,12 +3332,12 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,software
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Successivo Contattaci data non puó essere in passato
 DocType: Company,For Reference Only.,Per riferimento soltanto.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Seleziona il numero di lotto
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Seleziona il numero di lotto
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Non valido {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Riferimento Inv
 DocType: Sales Invoice Advance,Advance Amount,Importo Anticipo
-DocType: Manufacturing Settings,Capacity Planning,Capacity Planning
+DocType: Manufacturing Settings,Capacity Planning,Pianificazione Capacità
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Regolazione arrotondamento (Valuta Società
 DocType: Asset,Policy number,Numero di polizza
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +43,'From Date' is required,"La ""data iniziale"" è richiesta"
@@ -3315,33 +3350,34 @@
 DocType: Normal Test Items,Require Result Value,Richiedi valore di risultato
 DocType: Item,Show a slideshow at the top of the page,Visualizzare una presentazione in cima alla pagina
 DocType: Tax Withholding Rate,Tax Withholding Rate,Tasso di ritenuta d&#39;acconto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Distinte Base
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,negozi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Distinte Base
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,negozi
 DocType: Project Type,Projects Manager,Responsabile Progetti
 DocType: Serial No,Delivery Time,Tempo Consegna
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Invecchiamento Basato Su
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Appuntamento annullato
 DocType: Item,End of Life,Fine Vita
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,viaggi
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,viaggi
 DocType: Student Report Generation Tool,Include All Assessment Group,Includi tutti i gruppi di valutazione
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Nessuna struttura attiva o stipendio predefinito trovato per dipendente {0} per le date indicate
-DocType: Leave Block List,Allow Users,Consentire Utenti
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Nessuna struttura attiva o stipendio predefinito trovato per dipendente {0} per le date indicate
+DocType: Leave Block List,Allow Users,Consenti Utenti
 DocType: Purchase Order,Customer Mobile No,Clienti mobile No
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Dettagli del modello di mappatura del flusso di cassa
 apps/erpnext/erpnext/config/non_profit.py +68,Loan Management,Gestione dei prestiti
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Traccia reddito separata e spesa per verticali di prodotto o divisioni.
-DocType: Rename Tool,Rename Tool,Rename Tool
+DocType: Rename Tool,Rename Tool,Strumento Rinomina
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Aggiorna il Costo
 DocType: Item Reorder,Item Reorder,Articolo riordino
+DocType: Delivery Note,Mode of Transport,Modalità di trasporto
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Visualizza foglio paga
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Material Transfer
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Material Transfer
 DocType: Fees,Send Payment Request,Invia richiesta di pagamento
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specificare le operazioni, costi operativi e dare una gestione unica di no a vostre operazioni."
 DocType: Travel Request,Any other details,Qualsiasi altro dettaglio
 DocType: Water Analysis,Origin,Origine
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Questo documento è oltre il limite da {0} {1} per item {4}. State facendo un altro {3} contro lo stesso {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Si prega di impostare ricorrenti dopo il salvataggio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,conto importo Selezionare cambiamento
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Si prega di impostare ricorrenti dopo il salvataggio
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,conto importo Selezionare cambiamento
 DocType: Purchase Invoice,Price List Currency,Prezzo di listino Valuta
 DocType: Naming Series,User must always select,L&#39;utente deve sempre selezionare
 DocType: Stock Settings,Allow Negative Stock,Permetti Scorte Negative
@@ -3349,7 +3385,7 @@
 DocType: Soil Texture,Clay,Argilla
 DocType: Topic,Topic,Argomento
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +99,Cash Flow from Financing,Flusso di cassa da finanziamento
-DocType: Budget Account,Budget Account,Il budget dell&#39;account
+DocType: Budget Account,Budget Account,Bilancio Contabile
 DocType: Quality Inspection,Verified By,Verificato da
 DocType: Travel Request,Name of Organizer,Nome dell&#39;organizzatore
 apps/erpnext/erpnext/setup/doctype/company/company.py +84,"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 ."
@@ -3362,9 +3398,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,tracciabilità
 DocType: Asset Maintenance Log,Actions performed,Azioni eseguite
 DocType: Cash Flow Mapper,Section Leader,Capo sezione
+DocType: Delivery Note,Transport Receipt No,Ricevuta di trasporto n
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Fonte di Fondi ( Passivo )
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,La posizione di origine e destinazione non può essere la stessa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantità in riga {0} ( {1} ) deve essere uguale quantità prodotta {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantità in riga {0} ( {1} ) deve essere uguale quantità prodotta {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Dipendente
 DocType: Bank Guarantee,Fixed Deposit Number,Numero di deposito fisso
 DocType: Asset Repair,Failure Date,Data di fallimento
@@ -3378,25 +3415,26 @@
 DocType: Payment Entry,Payment Deductions or Loss,"Trattenute, Deduzioni di pagamento o Perdite"
 DocType: Soil Analysis,Soil Analysis Criterias,Criteri di analisi del suolo
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Condizioni contrattuali standard per la vendita o di acquisto.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Sei sicuro di voler annullare questo appuntamento?
+DocType: BOM Item,Item operation,Operazione articolo
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Sei sicuro di voler annullare questo appuntamento?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Pacchetto prezzi camera d&#39;albergo
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,pipeline di vendita
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,pipeline di vendita
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Si prega di impostare account predefinito di stipendio componente {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Richiesto On
 DocType: Rename Tool,File to Rename,File da rinominare
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Seleziona la Distinta Base per l'Articolo nella riga {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Recupera gli aggiornamenti delle iscrizioni
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},L&#39;account {0} non corrisponde con la società {1} in modalità di account: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},BOM specificato {0} non esiste per la voce {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},BOM specificato {0} non esiste per la voce {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Corso:
 DocType: Soil Texture,Sandy Loam,Terreno sabbioso
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programma di manutenzione {0} deve essere cancellato prima di annullare questo ordine di vendita
-DocType: POS Profile,Applicable for Users,Applicabile agli Utenti
+DocType: POS Profile,Applicable for Users,Valido per gli Utenti
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
 DocType: Notification Control,Expense Claim Approved,Rimborso Spese Approvato
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Imposta anticipi e alloca (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nessun ordine di lavoro creato
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Foglio paga del dipendente {0} già creato per questo periodo
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Foglio paga del dipendente {0} già creato per questo periodo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutico
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,È possibile inviare solo escissione per un importo di incasso valido
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costo dei beni acquistati
@@ -3404,7 +3442,8 @@
 DocType: Selling Settings,Sales Order Required,Ordine di Vendita richiesto
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Diventa un venditore
 DocType: Purchase Invoice,Credit To,Credito a
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Leads attivi / Clienti
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Leads attivi / Clienti
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Lascia vuoto per utilizzare il formato di nota di consegna standard
 DocType: Employee Education,Post Graduate,Post Laurea
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Dettaglio programma di manutenzione
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Avvisa per i nuovi ordini di acquisto
@@ -3418,14 +3457,14 @@
 DocType: Support Search Source,Post Title Key,Inserisci la chiave del titolo
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Per Job Card
 DocType: Warranty Claim,Raised By,Sollevata dal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,prescrizioni
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,prescrizioni
 DocType: Payment Gateway Account,Payment Account,Conto di Pagamento
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Si prega di specificare Società di procedere
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Si prega di specificare Società di procedere
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Variazione netta dei crediti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,compensativa Off
 DocType: Job Offer,Accepted,Accettato
 DocType: POS Closing Voucher,Sales Invoices Summary,Riepilogo fatture di vendita
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Per il nome del party
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Per il nome del party
 DocType: Grant Application,Organization,Organizzazione
 DocType: BOM Update Tool,BOM Update Tool,Strumento di aggiornamento Distinta Base
 DocType: SG Creation Tool Course,Student Group Name,Nome gruppo Student
@@ -3434,7 +3473,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Assicurati di voler cancellare tutte le transazioni di questa azienda. I dati anagrafici rimarranno così com&#39;è. Questa azione non può essere annullata.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,risultati di ricerca
 DocType: Room,Room Number,Numero di Camera
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Riferimento non valido {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Riferimento non valido {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) non può essere superiore alla quantità pianificata ({2}) nell'ordine di produzione {3}
 DocType: Shipping Rule,Shipping Rule Label,Etichetta Tipo di Spedizione
 DocType: Journal Entry Account,Payroll Entry,Ingresso del libro paga
@@ -3442,8 +3481,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Crea modello fiscale
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum utente
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Materie prime non può essere vuoto.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Riga # {0} (Tabella pagamenti): l&#39;importo deve essere negativo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Impossibile aggiornare magazzino, la fattura contiene articoli spediti direttamente dal fornitore."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Riga # {0} (Tabella pagamenti): l&#39;importo deve essere negativo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Impossibile aggiornare magazzino, la fattura contiene articoli spediti direttamente dal fornitore."
 DocType: Contract,Fulfilment Status,Stato di adempimento
 DocType: Lab Test Sample,Lab Test Sample,Campione di prova da laboratorio
 DocType: Item Variant Settings,Allow Rename Attribute Value,Consenti Rinomina valore attributo
@@ -3485,11 +3524,11 @@
 DocType: BOM,Show Operations,Mostra Operations
 ,Minutes to First Response for Opportunity,Minuti per First Response per Opportunità
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Totale Assente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Voce o Magazzino per riga {0} non corrisponde Material Request
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Voce o Magazzino per riga {0} non corrisponde Material Request
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Unità di Misura
 DocType: Fiscal Year,Year End Date,Data di fine anno
 DocType: Task Depends On,Task Depends On,L'attività dipende da
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Opportunità
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Opportunità
 DocType: Operation,Default Workstation,Workstation predefinita
 DocType: Notification Control,Expense Claim Approved Message,Messaggio Rimborso Spese Approvato
 DocType: Payment Entry,Deductions or Loss,"Trattenute, Deduzioni o Perdite"
@@ -3512,7 +3551,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost Adjustment,È l&#39;adeguamento dei costi finanziari
 DocType: BOM,Operating Cost (Company Currency),Costi di funzionamento (Società di valuta)
 DocType: Authorization Rule,Applicable To (Role),Applicabile a (Ruolo)
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +10,Pending Leaves,Foglie in sospeso
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +10,Pending Leaves,Ferie in sospeso
 DocType: BOM Update Tool,Replace BOM,Sostituire il BOM
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +113,Code {0} already exist,Il codice {0} esiste già
 DocType: Patient Encounter,Procedures,procedure
@@ -3527,20 +3566,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Approvazione utente non può essere uguale all'utente la regola è applicabile ad
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Valore base (come da UOM)
 DocType: SMS Log,No of Requested SMS,Num. di SMS richiesto
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Lascia senza pagare non corrisponde con i record Leave Application approvati
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Lascia senza pagare non corrisponde con i record Leave Application approvati
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Prossimi passi
 DocType: Travel Request,Domestic,Domestico
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Si prega di fornire gli elementi specificati ai migliori prezzi possibili
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Si prega di fornire gli elementi specificati ai migliori prezzi possibili
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Il trasferimento del dipendente non può essere inoltrato prima della data di trasferimento
 DocType: Certification Application,USD,Dollaro statunitense
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Crea Fattura
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Equilibrio restante
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Equilibrio restante
 DocType: Selling Settings,Auto close Opportunity after 15 days,Chiudi automaticamente Opportunità dopo 15 giorni
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Gli ordini di acquisto non sono consentiti per {0} a causa di una posizione di scorecard di {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Il codice a barre {0} non è un codice {1} valido
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Il codice a barre {0} non è un codice {1} valido
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,fine Anno
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Data fine contratto deve essere maggiore di Data di giunzione
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Data fine contratto deve essere maggiore della data di assunzione
 DocType: Driver,Driver,autista
 DocType: Vital Signs,Nutrition Values,Valori nutrizionali
 DocType: Lab Test Template,Is billable,È fatturabile
@@ -3551,7 +3590,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Questo è un sito di esempio generato automaticamente da ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Gamma invecchiamento 1
 DocType: Shopify Settings,Enable Shopify,Abilita Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,L&#39;importo totale anticipato non può essere superiore all&#39;importo totale richiesto
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,L&#39;importo totale anticipato non può essere superiore all&#39;importo totale richiesto
 DocType: Purchase Taxes and Charges Template,"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
@@ -3598,12 +3637,12 @@
 DocType: Employee Separation,Employee Separation,Separazione dei dipendenti
 DocType: BOM Item,Original Item,Articolo originale
 DocType: Purchase Receipt Item,Recd Quantity,RECD Quantità
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Data
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Data
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Records Fee Creato - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Categoria account
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Riga # {0} (Tabella pagamenti): l&#39;importo deve essere positivo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Riga # {0} (Tabella pagamenti): l&#39;importo deve essere positivo
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Non può produrre più Voce {0} di Sales Order quantità {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Seleziona i valori degli attributi
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Seleziona i valori degli attributi
 DocType: Purchase Invoice,Reason For Issuing document,Motivo per il rilascio del documento
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Movimento di magazzino {0} non confermato
 DocType: Payment Reconciliation,Bank / Cash Account,Conto Banca / Cassa
@@ -3612,8 +3651,10 @@
 DocType: Asset,Manual,Manuale
 DocType: Salary Component Account,Salary Component Account,Conto Stipendio Componente
 DocType: Global Defaults,Hide Currency Symbol,Nascondi Simbolo Valuta
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Opportunità di vendita per fonte
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informazioni sui donatori
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","p. es. Banca, Bonifico, Contanti, Carta di credito"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configurare le serie di numerazione per Presenze tramite Setup&gt; Numerazione serie
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","p. es. Banca, Bonifico, Contanti, Carta di credito"
 DocType: Job Applicant,Source Name,Source Name
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La pressione sanguigna normale in un adulto è di circa 120 mmHg sistolica e 80 mmHg diastolica, abbreviata &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Imposta la data di scadenza dei prodotti in giorni, per impostare la scadenza in base a data di produzione e durata"
@@ -3638,18 +3679,18 @@
 DocType: Opportunity,Customer / Lead Name,Nome Cliente / Lead
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +115,Clearance Date not mentioned,Liquidazione data non menzionato
 DocType: Payroll Period,Taxable Salary Slabs,Lastre di salario tassabili
-apps/erpnext/erpnext/config/manufacturing.py +7,Production,produzione
+apps/erpnext/erpnext/config/manufacturing.py +7,Production,Produzione
 DocType: Guardian,Occupation,Occupazione
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Perché la quantità deve essere inferiore alla quantità {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Riga {0} : Data di inizio deve essere precedente Data di fine
 DocType: Salary Component,Max Benefit Amount (Yearly),Ammontare massimo del beneficio (annuale)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Tasso TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Tasso TDS%
 DocType: Crop,Planting Area,Area di impianto
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Totale (Quantità)
 DocType: Installation Note Item,Installed Qty,Qtà installata
 apps/erpnext/erpnext/utilities/user_progress.py +31,You added ,Hai aggiunto
 DocType: Purchase Taxes and Charges,Parenttype,ParentType
-apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +10,Training Result,Formazione Risultato
+apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +10,Training Result,Risultato Formazione
 DocType: Purchase Invoice,Is Paid,È pagato
 DocType: Salary Structure,Total Earning,Guadagnare totale
 DocType: Purchase Receipt,Time at which materials were received,Ora in cui sono stati ricevuti i materiali
@@ -3665,8 +3706,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Lascia la notifica di approvazione
 DocType: Buying Settings,Default Buying Price List,Predefinito acquisto Prezzo di listino
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Stipendio slip Sulla base di Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Tasso di acquisto
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Riga {0}: inserisci la posizione per la voce di bene {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Tasso di acquisto
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Riga {0}: inserisci la posizione per la voce di bene {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Informazioni sull'azienda
 DocType: Notification Control,Sales Order Message,Sales Order Messaggio
@@ -3700,8 +3741,8 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +55,Receipt document must be submitted,La Ricevuta deve essere presentata
 DocType: Purchase Invoice Item,Received Qty,Quantità ricevuta
 DocType: Stock Entry Detail,Serial No / Batch,Serial n / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +351,Not Paid and Not Delivered,Non pagato ma non ritirato
-DocType: Product Bundle,Parent Item,Parent Item
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +351,Not Paid and Not Delivered,Non pagato e non spedito
+DocType: Product Bundle,Parent Item,Articolo padre
 DocType: Account,Account Type,Tipo di account
 DocType: Shopify Settings,Webhooks Details,Dettagli Webhooks
 apps/erpnext/erpnext/templates/pages/projects.html +58,No time sheets,Non ci sono fogli di presenza
@@ -3731,10 +3772,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Per la riga {0}: inserisci qtà pianificata
 DocType: Account,Income Account,Conto Proventi
 DocType: Payment Request,Amount in customer's currency,Importo nella valuta del cliente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Consegna
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Consegna
 DocType: Volunteer,Weekdays,Nei giorni feriali
 DocType: Stock Reconciliation Item,Current Qty,Quantità corrente
 DocType: Restaurant Menu,Restaurant Menu,Ristorante Menu
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Aggiungi Fornitori
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Sezione Aiuto
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,prev
@@ -3746,19 +3788,20 @@
 												fullfill Sales Order {2}",Impossibile recapitare il numero di serie {0} dell&#39;articolo {1} poiché è riservato a \ fullfill ordine di vendita {2}
 DocType: Item Reorder,Material Request Type,Tipo di richiesta materiale
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Invia e-mail di revisione di Grant
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage è pieno, non ha salvato"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Riga {0}: UOM fattore di conversione è obbligatoria
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage è pieno, non ha salvato"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Riga {0}: UOM fattore di conversione è obbligatoria
 DocType: Employee Benefit Claim,Claim Date,Data del reclamo
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Capacità della camera
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Il record esiste già per l&#39;articolo {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Rif
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Perderai i record delle fatture generate in precedenza. Sei sicuro di voler riavviare questo abbonamento?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Commissione di iscrizione
 DocType: Loyalty Program Collection,Loyalty Program Collection,Collezione di programmi fedeltà
 DocType: Stock Entry Detail,Subcontracted Item,Articolo subappaltato
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Lo studente {0} non appartiene al gruppo {1}
 DocType: Budget,Cost Center,Centro di Costo
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Ordine di acquisto Message
 DocType: Tax Rule,Shipping Country,Spedizione Nazione
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Nascondere P. IVA / Cod. Fiscale dei clienti dai documenti di vendita
@@ -3777,23 +3820,22 @@
 DocType: Subscription,Cancel At End Of Period,Annulla alla fine del periodo
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Proprietà già aggiunta
 DocType: Item Supplier,Item Supplier,Articolo Fornitore
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Si prega di selezionare un valore per {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Si prega di selezionare un valore per {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nessun elemento selezionato per il trasferimento
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tutti gli indirizzi.
 DocType: Company,Stock Settings,Impostazioni Giacenza
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusione è possibile solo se le seguenti proprietà sono le stesse in entrambi i record. E' un Gruppo, Tipo Radice, Azienda"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusione è possibile solo se le seguenti proprietà sono le stesse in entrambi i record. E' un Gruppo, Tipo Radice, Azienda"
 DocType: Vehicle,Electric,Elettrico
 DocType: Task,% Progress,% Avanzamento
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Profitti/Perdite su Asset in smaltimento
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Solo il candidato studente con lo stato &quot;Approvato&quot; sarà selezionato nella tabella sottostante.
 DocType: Tax Withholding Category,Rates,Aliquote
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Il numero di conto per l'account {0} non è disponibile. <br> Si prega di impostare correttamente il piano dei conti.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Il numero di conto per l'account {0} non è disponibile. <br> Si prega di impostare correttamente il piano dei conti.
 DocType: Task,Depends on Tasks,Dipende Compiti
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gestire cliente con raggruppamento ad albero
 DocType: Normal Test Items,Result Value,Valore risultato
 DocType: Hotel Room,Hotels,Alberghi
-DocType: Delivery Note,Transporter Date,Data del trasportatore
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nuovo Nome Centro di costo
 DocType: Leave Control Panel,Leave Control Panel,Lascia il Pannello di controllo
 DocType: Project,Task Completion,Completamento dell'attività
@@ -3819,7 +3861,7 @@
 DocType: Crop,Scientific Name,Nome scientifico
 DocType: Healthcare Service Unit,Service Unit Type,Tipo di unità di servizio
 DocType: Bank Account,Branch Code,Codice della filiale
-apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Leaves,Foglie totali
+apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Leaves,Ferie totali
 DocType: Customer,"Reselect, if the chosen contact is edited after save","Riseleziona, se il contatto scelto viene modificato dopo il salvataggio"
 DocType: Patient Encounter,In print,In stampa
 ,Profit and Loss Statement,Conto Economico
@@ -3839,12 +3881,13 @@
 DocType: Marketplace Settings,Marketplace URL (to hide and update label),URL del Marketplace (per nascondere e aggiornare l&#39;etichetta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Tutti i gruppi di valutazione
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nuovo nome Magazzino
-DocType: Shopify Settings,App Type,Tipo di app
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Totale {0} ({1})
+DocType: Shopify Settings,App Type,App Type
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Totale {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Territorio
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Si prega di citare nessuna delle visite richieste
 DocType: Stock Settings,Default Valuation Method,Metodo di valorizzazione predefinito
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,tassa
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Mostra quantità cumulativa
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Aggiornamento in corso. Potrebbe volerci un po &#39;.
 DocType: Production Plan Item,Produced Qty,Qtà prodotta
 DocType: Vehicle Log,Fuel Qty,Quantità di carburante
@@ -3852,7 +3895,7 @@
 DocType: Work Order Operation,Planned Start Time,Ora di inizio prevista
 DocType: Course,Assessment,Valutazione
 DocType: Payment Entry Reference,Allocated,Assegnati
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita .
 DocType: Student Applicant,Application Status,Stato dell&#39;applicazione
 DocType: Additional Salary,Salary Component Type,Tipo di componente salary
 DocType: Sensitivity Test Items,Sensitivity Test Items,Test di sensibilità
@@ -3863,25 +3906,26 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Totale Importo Dovuto
 DocType: Sales Partner,Targets,Obiettivi
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Si prega di registrare il numero SIREN nel file delle informazioni aziendali
+DocType: Email Digest,Sales Orders to Bill,Ordini di vendita a Bill
 DocType: Price List,Price List Master,Listino Principale
 DocType: GST Account,CESS Account,Account CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Tutte le transazioni di vendita possono essere etichettati contro più persone ** ** di vendita in modo da poter impostare e monitorare gli obiettivi.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Collega a Richiesta di Materiale
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Collega a Richiesta di Materiale
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Attività del forum
 ,S.O. No.,S.O. No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Elemento Impostazioni transazioni conto bancario
 apps/erpnext/erpnext/hr/utils.py +158,To date can not greater than employee's relieving date,Ad oggi non può essere maggiore della data di rilascio del dipendente
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +242,Please create Customer from Lead {0},Si prega di creare il Cliente dal Lead {0}
 apps/erpnext/erpnext/healthcare/page/medical_record/patient_select.html +3,Select Patient,Selezionare Paziente
-DocType: Price List,Applicable for Countries,Applicabile per i paesi
+DocType: Price List,Applicable for Countries,Valido per i paesi
 DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nome del parametro
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +46,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Solo Lasciare applicazioni con lo stato &#39;approvato&#39; e &#39;rifiutato&#39; possono essere presentate
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +46,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Solo le autorizzazioni con lo stato 'Approvato' o 'Rifiutato' possono essere confermate
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +52,Student Group Name is mandatory in row {0},Student Nome gruppo è obbligatoria in riga {0}
 DocType: Homepage,Products to be shown on website homepage,I prodotti che devono figurare home page del sito
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Si tratta di un gruppo di clienti root e non può essere modificato .
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Azione se il budget mensile accumulato è stato superato su PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Piazzare
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Piazzare
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Rivalutazione del tasso di cambio
 DocType: POS Profile,Ignore Pricing Rule,Ignora regola tariffaria
 DocType: Employee Education,Graduate,Laureato
@@ -3914,8 +3958,8 @@
  1. Condizioni di trasporto, se applicabile.
  1. Modi di controversie indirizzamento, indennità, responsabilità, ecc 
  1. Indirizzo e contatti della vostra azienda."
-DocType: Issue,Issue Type,tipo di Problema
-DocType: Attendance,Leave Type,Lascia Tipo
+DocType: Issue,Issue Type,Tipo di Problema
+DocType: Attendance,Leave Type,Tipo di Permesso
 DocType: Purchase Invoice,Supplier Invoice Details,Dettagli Fattura Fornitore
 DocType: Agriculture Task,Ignore holidays,Ignora le vacanze
 apps/erpnext/erpnext/controllers/stock_controller.py +237,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / account Differenza ({0}) deve essere un 'utile o perdita' conto
@@ -3928,7 +3972,8 @@
 DocType: Packing Slip,If more than one package of the same type (for print),Se più di un pacchetto dello stesso tipo (per la stampa)
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Impostare il cliente predefinito in Impostazioni ristorante
 ,Salary Register,stipendio Register
-DocType: Warehouse,Parent Warehouse,Magazzino Parent
+DocType: Warehouse,Parent Warehouse,Magazzino padre
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Grafico
 DocType: Subscription,Net Total,Totale Netto
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},La Distinta Base di default non è stata trovata per l'oggetto {0} e il progetto {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definire i vari tipi di prestito
@@ -3961,24 +4006,26 @@
 DocType: Membership,Membership Status,Stato di appartenenza
 DocType: Travel Itinerary,Lodging Required,Alloggio richiesto
 ,Requested,richiesto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Nessun Commento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Nessun Commento
 DocType: Asset,In Maintenance,In manutenzione
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Fare clic su questo pulsante per estrarre i dati dell&#39;ordine cliente da Amazon MWS.
 DocType: Vital Signs,Abdomen,Addome
 DocType: Purchase Invoice,Overdue,In ritardo
 DocType: Account,Stock Received But Not Billed,Giacenza Ricevuta ma non Fatturata
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Account root deve essere un gruppo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Account root deve essere un gruppo
 DocType: Drug Prescription,Drug Prescription,Prescrizione di farmaci
 DocType: Loan,Repaid/Closed,Rimborsato / Chiuso
 DocType: Amazon MWS Settings,CA,circa
 DocType: Item,Total Projected Qty,Totale intermedio Quantità proiettata
 DocType: Monthly Distribution,Distribution Name,Nome della Distribuzione
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Includi UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Tasso di valutazione non trovato per l&#39;elemento {0}, che è necessario per le voci di contabilità per {1} {2}. Se l&#39;elemento sta trattando come elemento di tasso di valutazione zero nel {1}, si prega di menzionarlo nella tabella {1} Item. Altrimenti, crea un&#39;operazione di transazione in arrivo per la voce di valutazione di voce o di menzione nell&#39;annotazione dell&#39;articolo e prova quindi a inviare / annullare questa voce"
 DocType: Course,Course Code,Codice del corso
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Controllo qualità richiesta per la voce {0}
-DocType: Location,Parent Location,Posizione genitore
+DocType: Location,Parent Location,Posizione padre
 DocType: POS Settings,Use POS in Offline Mode,Utilizza POS in modalità Offline
 DocType: Supplier Scorecard,Supplier Variables,Variabili del fornitore
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} è obbligatorio. Forse il record di cambio valuta non è stato creato per {1} a {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tasso al quale la valuta del cliente viene convertito in valuta di base dell&#39;azienda
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Tasso Netto (Valuta Azienda)
 DocType: Salary Detail,Condition and Formula Help,Condizione e Formula Aiuto
@@ -3987,19 +4034,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Fattura di Vendita
 DocType: Journal Entry Account,Party Balance,Saldo del Partner
 DocType: Cash Flow Mapper,Section Subtotal,Sezione Totale parziale
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Si prega di selezionare Applica sconto su
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Si prega di selezionare Applica sconto su
 DocType: Stock Settings,Sample Retention Warehouse,Magazzino di conservazione dei campioni
 DocType: Company,Default Receivable Account,Account Crediti Predefinito
 DocType: Purchase Invoice,Deemed Export,Deemed Export
 DocType: Stock Entry,Material Transfer for Manufacture,Trasferimento materiali  per Produzione
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Percentuale di sconto può essere applicato sia contro un listino prezzi o per tutti Listino.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Voce contabilità per giacenza
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Voce contabilità per giacenza
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Hai già valutato i criteri di valutazione {}.
 DocType: Vehicle Service,Engine Oil,Olio motore
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Ordini di lavoro creati: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Ordini di lavoro creati: {0}
 DocType: Sales Invoice,Sales Team1,Vendite Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,L'articolo {0} non esiste
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,L'articolo {0} non esiste
 DocType: Sales Invoice,Customer Address,Indirizzo Cliente
 DocType: Loan,Loan Details,prestito Dettagli
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Non è stato possibile impostare i dispositivi aziendali
@@ -4020,34 +4067,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Mostra questo slideshow in cima alla pagina
 DocType: BOM,Item UOM,Articolo UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Valore Tasse Dopo Sconto dell'Importo(Valuta Società)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Il Magazzino di Destinazione per il rigo {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Il Magazzino di Destinazione per il rigo {0}
 DocType: Cheque Print Template,Primary Settings,Impostazioni primarie
 DocType: Attendance Request,Work From Home,Lavoro da casa
 DocType: Purchase Invoice,Select Supplier Address,Selezionare l'indirizzo del Fornitore
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Aggiungere dipendenti
 DocType: Purchase Invoice Item,Quality Inspection,Controllo Qualità
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Template Standard
 DocType: Training Event,Theory,Teoria
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Attenzione : Materiale Qty richiesto è inferiore minima quantità
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Attenzione : Materiale Qty richiesto è inferiore minima quantità
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Il Conto {0} è congelato
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entità Legale / Controllata con un grafico separato di conti appartenenti all'organizzazione.
 DocType: Payment Request,Mute Email,Email muta
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Prodotti alimentari , bevande e tabacco"
 DocType: Account,Account Number,Numero di conto
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Posso solo effettuare il pagamento non ancora fatturate contro {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Tasso Commissione non può essere superiore a 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Posso solo effettuare il pagamento non ancora fatturate contro {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Tasso Commissione non può essere superiore a 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Assegna automaticamente gli anticipi (FIFO)
 DocType: Volunteer,Volunteer,Volontario
 DocType: Buying Settings,Subcontract,Conto lavoro
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Si prega di inserire {0} prima
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Nessuna replica da
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Nessuna replica da
 DocType: Work Order Operation,Actual End Time,Ora di fine effettiva
 DocType: Item,Manufacturer Part Number,Codice articolo Produttore
 DocType: Taxable Salary Slab,Taxable Salary Slab,Salario tassabile
 DocType: Work Order Operation,Estimated Time and Cost,Tempo e Costo Stimato
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Nome del raccolto
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Solo gli utenti con il ruolo {0} possono registrarsi sul Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Solo gli utenti con il ruolo {0} possono registrarsi sul Marketplace
 DocType: SMS Log,No of Sent SMS,Num. di SMS Inviati
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Appuntamenti e incontri
@@ -4058,7 +4106,7 @@
 DocType: Account,Expense Account,Conto uscite
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +49,Software,software
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +178,Colour,Colore
-DocType: Assessment Plan Criteria,Assessment Plan Criteria,Criteri di valutazione del Piano
+DocType: Assessment Plan Criteria,Assessment Plan Criteria,Criteri piano di valutazione
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card_dashboard.py +8,Transactions,Le transazioni
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +123,Expiry date is mandatory for selected item,La data di scadenza è obbligatoria per l&#39;articolo selezionato
 DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Impedire gli ordini di acquisto
@@ -4069,14 +4117,14 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.js +148,Select Customer,Seleziona cliente
 DocType: Student Log,Academic,Accademico
 DocType: Patient,Personal and Social History,Storia personale e sociale
-apps/erpnext/erpnext/education/doctype/guardian/guardian.py +51,User {0} created,L&#39;utente {0} creato
+apps/erpnext/erpnext/education/doctype/guardian/guardian.py +51,User {0} created,Utente {0} creato
 DocType: Fee Schedule,Fee Breakup for each student,Scomposizione per ogni studente
 apps/erpnext/erpnext/controllers/accounts_controller.py +601,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),L'Anticipo totale ({0}) relativo all'ordine {1} non può essere superiore al totale complessivo ({2})
 DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selezionare distribuzione mensile per distribuire in modo non uniforme obiettivi attraverso mesi.
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Cambiare il codice
 DocType: Purchase Invoice Item,Valuation Rate,Tasso di Valorizzazione
 DocType: Vehicle,Diesel,diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Listino Prezzi Valuta non selezionati
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Listino Prezzi Valuta non selezionati
 DocType: Purchase Invoice,Availed ITC Cess,Disponibile ITC Cess
 ,Student Monthly Attendance Sheet,Presenze mensile Scheda
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Regola di spedizione applicabile solo per la vendita
@@ -4092,7 +4140,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gestire punti vendita
 DocType: Quality Inspection,Inspection Type,Tipo di ispezione
 DocType: Fee Validity,Visited yet,Visitato ancora
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Magazzini con transazione esistenti non possono essere convertiti in gruppo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Magazzini con transazione esistenti non possono essere convertiti in gruppo.
 DocType: Assessment Result Tool,Result HTML,risultato HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Con quale frequenza il progetto e la società devono essere aggiornati in base alle transazioni di vendita.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Scade il
@@ -4100,14 +4148,14 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Si prega di selezionare {0}
 DocType: C-Form,C-Form No,C-Form N.
 DocType: BOM,Exploded_items,Articoli_esplosi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Distanza
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Distanza
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Elenca i tuoi prodotti o servizi acquistati o venduti.
 DocType: Water Analysis,Storage Temperature,Temperatura di conservazione
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
 DocType: Employee Attendance Tool,Unmarked Attendance,Partecipazione non contrassegnata
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +256,Creating Payment Entries......,Creazione di voci di pagamento ......
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +125,Researcher,ricercatore
-DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programma Strumento di Iscrizione per studenti
+DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programma Strumento di Iscrizione per Studenti
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.py +16,Start date should be less than end date for task {0},La data di inizio dovrebbe essere inferiore alla data di fine per l&#39;attività {0}
 ,Consolidated Financial Statement,Bilancio consolidato
 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nome o e-mail è obbligatorio
@@ -4116,19 +4164,19 @@
 DocType: Shopify Settings,Delivery Note Series,Serie di note di consegna
 DocType: Purchase Order Item,Returned Qty,Tornati Quantità
 DocType: Student,Exit,Esci
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type è obbligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type è obbligatorio
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Impossibile installare i preset
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversione UOM in ore
 DocType: Contract,Signee Details,Dettagli del firmatario
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} è attualmente in possesso di una valutazione (Scorecard) del fornitore pari a {1}  e le RFQ a questo fornitore dovrebbero essere inviate con cautela.
 DocType: Certified Consultant,Non Profit Manager,Manager non profit
 DocType: BOM,Total Cost(Company Currency),Costo totale (Società di valuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial No {0} creato
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial No {0} creato
 DocType: Homepage,Company Description for website homepage,Descrizione della società per home page del sito
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Per la comodità dei clienti, questi codici possono essere utilizzati in formati di stampa, come fatture e Documenti di Trasporto"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nome suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Impossibile recuperare le informazioni per {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Diario di apertura
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Diario di apertura
 DocType: Contract,Fulfilment Terms,Termini di adempimento
 DocType: Sales Invoice,Time Sheet List,Lista schede attività
 DocType: Employee,You can enter any date manually,È possibile immettere qualsiasi data manualmente
@@ -4144,7 +4192,7 @@
 DocType: Project,Hourly,ogni ora
 apps/erpnext/erpnext/accounts/doctype/account/account.js +88,Non-Group to Group,Non-gruppo a gruppo
 DocType: Employee,ERPNext User,ERPNext Utente
-apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +58,Batch is mandatory in row {0},Il gruppo è obbligatorio nella riga {0}
+apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +58,Batch is mandatory in row {0},Il lotto è obbligatorio nella riga {0}
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Ricevuta di Acquisto Articolo Fornito
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Abilita sincronizzazione programmata
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,To Datetime,Per Data Ora
@@ -4159,12 +4207,12 @@
 DocType: Patient Appointment,Reminded,ricordato
 apps/erpnext/erpnext/public/js/setup_wizard.js +126,View Chart of Accounts,Visualizza il piano dei conti
 DocType: Chapter Member,Chapter Member,Membro del Capitolo
-DocType: Material Request Plan Item,Minimum Order Quantity,Quantità di ordine minimo
+DocType: Material Request Plan Item,Minimum Order Quantity,Quantità ordine minimo
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,La tua organizzazione
-apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ignora Lascia allocazione per i seguenti dipendenti, poiché i record di allocazione di lasciare esistono già contro di loro. {0}"
+apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ignora Permessi allocati per i seguenti dipendenti, poiché i record di permessi allocati esistono già. {0}"
 DocType: Fee Component,Fees Category,tasse Categoria
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Inserisci la data alleviare .
-apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Inserisci la data alleviare .
+apps/erpnext/erpnext/controllers/trends.py +149,Amt,Tot
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Dettagli dello sponsor (nome, posizione)"
 DocType: Supplier Scorecard,Notify Employee,Notifica dipendente
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Inserisci il nome della Campagna se la sorgente di indagine è la campagna
@@ -4176,9 +4224,9 @@
 DocType: Company,Chart Of Accounts Template,Modello del Piano dei Conti
 DocType: Attendance,Attendance Date,Data presenza
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Lo stock di aggiornamento deve essere abilitato per la fattura di acquisto {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Prezzo Articolo aggiornato per {0} nel Listino {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Prezzo Articolo aggiornato per {0} nel Listino {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Stipendio rottura basato sul guadagno e di deduzione.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Account con nodi figlio non può essere convertito in libro mastro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Account con nodi figlio non può essere convertito in libro mastro
 DocType: Purchase Invoice Item,Accepted Warehouse,Magazzino accettazione
 DocType: Bank Reconciliation Detail,Posting Date,Data di Registrazione
 DocType: Item,Valuation Method,Metodo di Valorizzazione
@@ -4193,11 +4241,11 @@
 DocType: Sales Order,In Words will be visible once you save the Sales Order.,In parole saranno visibili una volta che si salva l&#39;ordine di vendita.
 ,Employee Birthday,Compleanno Dipendente
 apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py +14,Please select Completion Date for Completed Repair,Selezionare la data di completamento per la riparazione completata
-DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studente Batch presenze Strumento
+DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Strumento Presenze Studente Massivo
 apps/erpnext/erpnext/controllers/status_updater.py +216,Limit Crossed,limite Crossed
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js +22,Scheduled Upto,Pianificato Upto
 DocType: Woocommerce Settings,Secret,Segreto
-DocType: Company,Date of Establishment,data della fondazione
+DocType: Company,Date of Establishment,Data di fondazione
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +55,Venture Capital,capitale a rischio
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Un termine accademico con questo &#39;Anno Accademico&#39; {0} e &#39;Term Nome&#39; {1} esiste già. Si prega di modificare queste voci e riprovare.
 DocType: UOM,Must be Whole Number,Deve essere un Numero Intero
@@ -4215,13 +4263,15 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Seleziona un batch
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reclami di viaggio e di spesa
 DocType: Sales Invoice,Redemption Cost Center,Centro di costo di rimborso
-DocType: Assessment Group,Assessment Group Name,Nome gruppo di valutazione
+DocType: QuickBooks Migrator,Scope,Scopo
+DocType: Assessment Group,Assessment Group Name,Nome gruppo valutazione
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiale trasferito per Produzione
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Aggiungi ai dettagli
 DocType: Travel Itinerary,Taxi,Taxi
 DocType: Shopify Settings,Last Sync Datetime,Ultima sincronizzazione datetime
 DocType: Landed Cost Item,Receipt Document Type,Ricevuta tipo di documento
 DocType: Daily Work Summary Settings,Select Companies,selezionare le imprese
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Proposta / preventivo prezzi
 DocType: Antibiotic,Healthcare,Assistenza sanitaria
 DocType: Target Detail,Target Detail,Obiettivo Particolare
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Variante singola
@@ -4231,11 +4281,12 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Entrata Periodo di chiusura
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Seleziona Dipartimento ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Centro di costo con le transazioni esistenti non può essere convertito in gruppo
+DocType: QuickBooks Migrator,Authorization URL,URL di autorizzazione
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Importo {0} {1} {2} {3}
 DocType: Account,Depreciation,ammortamento
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Il numero di condivisioni e i numeri di condivisione sono incoerenti
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +50,Supplier(s),Fornitore(i)
-DocType: Employee Attendance Tool,Employee Attendance Tool,Impiegato presenze Strumento
+DocType: Employee Attendance Tool,Employee Attendance Tool,Strumento Presenze Dipendente
 DocType: Guardian Student,Guardian Student,Guardiano Student
 DocType: Supplier,Credit Limit,Limite Credito
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +77,Avg. Selling Price List Rate,Avg. Tasso di listino prezzi di vendita
@@ -4247,18 +4298,19 @@
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +65,"You can claim only an amount of {0}, the rest amount {1} should be in the application \
 				as pro-rata component","Puoi richiedere solo una quantità di {0}, l&#39;importo rimanente {1} dovrebbe essere nell&#39;applicazione \ come componente pro-quota"
 DocType: Amazon MWS Settings,Customer Type,tipo di cliente
-DocType: Compensatory Leave Request,Leave Allocation,Lascia Allocazione
+DocType: Compensatory Leave Request,Leave Allocation,Alloca Permessi
 DocType: Payment Request,Recipient Message And Payment Details,Destinatario del Messaggio e Modalità di Pagamento
 DocType: Support Search Source,Source DocType,Fonte DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Apri un nuovo ticket
 DocType: Training Event,Trainer Email,Trainer-mail
-apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Richieste di materiale {0} creato
+DocType: Driver,Transporter,Trasportatore
+apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Richieste di materiale {0} create
 DocType: Restaurant Reservation,No of People,No di persone
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Template di termini o di contratto.
 DocType: Bank Account,Address and Contact,Indirizzo e contatto
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,E' un Conto Fornitore
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock non può essere aggiornato nei confronti di acquisto ricevuta {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock non può essere aggiornato nei confronti di acquisto ricevuta {0}
 DocType: Support Settings,Auto close Issue after 7 days,Chiudi il Problema automaticamente dopo 7 giorni
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ferie non possono essere assegnati prima {0}, come equilibrio congedo è già stato inoltrato carry-in futuro record di assegnazione congedo {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: La data scadenza / riferimento supera i giorni ammessi per il credito dei clienti da {0} giorno (i)
@@ -4276,7 +4328,7 @@
 ,Qty to Deliver,Qtà di Consegna
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon sincronizzerà i dati aggiornati dopo questa data
 ,Stock Analytics,Analytics Archivio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Le operazioni non possono essere lasciati in bianco
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Le operazioni non possono essere lasciati in bianco
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Test di laboratorio
 DocType: Maintenance Visit Purpose,Against Document Detail No,Per Dettagli Documento N
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},La cancellazione non è consentita per il Paese {0}
@@ -4284,13 +4336,12 @@
 DocType: Quality Inspection,Outgoing,In partenza
 DocType: Material Request,Requested For,richiesto Per
 DocType: Quotation Item,Against Doctype,Per Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} è stato chiuso o eliminato
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} è stato chiuso o eliminato
 DocType: Asset,Calculate Depreciation,Calcola l&#39;Ammortamento
 DocType: Delivery Note,Track this Delivery Note against any Project,Sottoscrivi questa bolla di consegna contro ogni progetto
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Di cassa netto da investimenti
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Gruppo clienti&gt; Territorio
 DocType: Work Order,Work-in-Progress Warehouse,Magazzino Lavori in corso
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} deve essere presentata
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} deve essere presentata
 DocType: Fee Schedule Program,Total Students,Totale studenti
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Record di presenze {0} esiste contro Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Riferimento # {0} datato {1}
@@ -4309,7 +4360,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Impossibile creare il bonus di conservazione per i dipendenti di sinistra
 DocType: Lead,Market Segment,Segmento di Mercato
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Responsabile Agricoltura
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},L'Importo versato non può essere maggiore del totale importo dovuto negativo {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},L'Importo versato non può essere maggiore del totale importo dovuto negativo {0}
 DocType: Supplier Scorecard Period,Variables,variabili
 DocType: Employee Internal Work History,Employee Internal Work History,Storia lavorativa Interna del Dipendente
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Chiusura (Dr)
@@ -4328,27 +4379,29 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Importo Fatturato
 DocType: Share Transfer,(including),(Compreso)
 DocType: Asset,Double Declining Balance,Doppia valori residui
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +187,Closed order cannot be cancelled. Unclose to cancel.,ordine chiuso non può essere cancellato. Unclose per annullare.
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +187,Closed order cannot be cancelled. Unclose to cancel.,Un ordine chiuso non può essere cancellato. Riapri per annullare.
 apps/erpnext/erpnext/config/hr.py +120,Payroll Setup,Impostazione del libro paga
 DocType: Amazon MWS Settings,Synch Products,Sincronizzare i prodotti
 DocType: Loyalty Point Entry,Loyalty Program,Programma fedeltà
 DocType: Student Guardian,Father,Padre
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Supporta i biglietti
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Aggiornamento della&#39; non può essere controllato per vendita asset fissi
 DocType: Bank Reconciliation,Bank Reconciliation,Riconciliazione Banca
 DocType: Attendance,On Leave,In ferie
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Ricevi aggiornamenti
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Il conto {2} non appartiene alla società {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Seleziona almeno un valore da ciascuno degli attributi.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Seleziona almeno un valore da ciascuno degli attributi.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Richiesta materiale {0} è stato annullato o interrotto
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Stato di spedizione
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Stato di spedizione
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Lascia Gestione
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Gruppi
 DocType: Purchase Invoice,Hold Invoice,Mantieni fattura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Si prega di selezionare Dipendente
 DocType: Sales Order,Fully Delivered,Completamente Consegnato
-DocType: Lead,Lower Income,Reddito più basso
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Reddito più basso
 DocType: Restaurant Order Entry,Current Order,Ordine attuale
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Il numero di numeri e quantità seriali deve essere uguale
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Magazzino di origine e di destinazione non possono essere uguali per rigo {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Magazzino di origine e di destinazione non possono essere uguali per rigo {0}
 DocType: Account,Asset Received But Not Billed,Attività ricevuta ma non fatturata
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Account La differenza deve essere un account di tipo attività / passività, dal momento che questo Stock riconciliazione è una voce di apertura"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Importo erogato non può essere superiore a prestito Importo {0}
@@ -4357,31 +4410,31 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Numero ordine di acquisto richiesto per la voce {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',' Dalla Data' deve essere successivo a 'Alla Data'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Nessun piano di personale trovato per questa designazione
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Il batch {0} dell&#39;articolo {1} è disabilitato.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Il lotto {0} dell'articolo {1} è disabilitato.
 DocType: Leave Policy Detail,Annual Allocation,Assegnazione annuale
 DocType: Travel Request,Address of Organizer,Indirizzo dell&#39;organizzatore
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Seleziona Operatore sanitario ...
-DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Applicabile in caso di assunzione da parte del dipendente
+DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Valida in caso di assunzione del dipendente
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +39,Cannot change status as student {0} is linked with student application {1},Impossibile cambiare status di studente {0} è collegata con l&#39;applicazione studente {1}
 DocType: Asset,Fully Depreciated,completamente ammortizzato
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Qtà Prevista Giacenza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Cliente {0} non appartiene a proiettare {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Cliente {0} non appartiene a proiettare {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Marcata presenze HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Le quotazioni sono proposte, offerte che hai inviato ai tuoi clienti"
 DocType: Sales Invoice,Customer's Purchase Order,Ordine di Acquisto del Cliente
 DocType: Clinical Procedure,Patient,Paziente
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bypassare il controllo del credito in ordine cliente
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bypassare il controllo del credito in ordine cliente
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Attività di assunzione dei dipendenti
 DocType: Location,Check if it is a hydroponic unit,Controlla se è un&#39;unità idroponica
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,N. di serie e batch
 DocType: Warranty Claim,From Company,Da Azienda
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Somma dei punteggi di criteri di valutazione deve essere {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +198,Please set Number of Depreciations Booked,Si prega di impostare Numero di ammortamenti Prenotato
-DocType: Supplier Scorecard Period,Calculations,calcoli
+DocType: Supplier Scorecard Period,Calculations,Calcolo
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Valore o Quantità
 DocType: Payment Terms Template,Payment Terms,Termini di pagamento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Produzioni ordini non possono essere sollevati per:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Produzioni ordini non possono essere sollevati per:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minuto
 DocType: Purchase Invoice,Purchase Taxes and Charges,Acquisto Tasse e Costi
 DocType: Chapter,Meetup Embed HTML,Meetup Incorpora HTML
@@ -4389,17 +4442,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Vai a Fornitori
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Tasse di chiusura del POS
 ,Qty to Receive,Qtà da Ricevere
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Le date di inizio e di fine non sono in un periodo di stipendio valido, non è possibile calcolare {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Le date di inizio e di fine non sono in un periodo di stipendio valido, non è possibile calcolare {0}."
 DocType: Leave Block List,Leave Block List Allowed,Lascia Block List ammessi
 DocType: Grading Scale Interval,Grading Scale Interval,Grading Scale Intervallo
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Rimborso spese per veicolo Log {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Sconto (%) sul prezzo di listino con margine
 DocType: Healthcare Service Unit Type,Rate / UOM,Tasso / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tutti i Depositi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nessun {0} trovato per transazioni interaziendali.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nessun {0} trovato per transazioni interaziendali.
 DocType: Travel Itinerary,Rented Car,Auto a noleggio
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Informazioni sulla tua azienda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Credito Per account deve essere un account di Stato Patrimoniale
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Credito Per account deve essere un account di Stato Patrimoniale
 DocType: Donor,Donor,Donatore
 DocType: Global Defaults,Disable In Words,Disattiva in parole
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Codice Articolo è obbligatoria in quanto articolo non è numerato automaticamente
@@ -4411,14 +4464,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Conto di scoperto bancario
 DocType: Patient,Patient ID,ID paziente
 DocType: Practitioner Schedule,Schedule Name,Nome Schedule
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pipeline di vendita per fase
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Crea Busta paga
 DocType: Currency Exchange,For Buying,Per l&#39;acquisto
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Aggiungi tutti i fornitori
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Aggiungi tutti i fornitori
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Riga # {0}: L'Importo assegnato non può essere superiore all'importo dovuto.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Sfoglia Distinta Base
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Prestiti garantiti
 DocType: Purchase Invoice,Edit Posting Date and Time,Modifica data e ora di registrazione
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Si prega di impostare gli account relativi ammortamenti nel settore Asset Categoria {0} o {1} società
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Si prega di impostare gli account relativi ammortamenti nel settore Asset Categoria {0} o {1} società
 DocType: Lab Test Groups,Normal Range,Intervallo normale
 DocType: Academic Term,Academic Year,Anno accademico
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Vendita disponibile
@@ -4447,32 +4501,32 @@
 DocType: Patient Appointment,Patient Appointment,Appuntamento paziente
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Approvazione ruolo non può essere lo stesso ruolo la regola è applicabile ad
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Disiscriviti da questo Email Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Ottenere fornitori di
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Ottenere fornitori di
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} non trovato per l&#39;articolo {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Vai ai corsi
 DocType: Accounts Settings,Show Inclusive Tax In Print,Mostra imposta inclusiva nella stampa
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Conto bancario, dalla data e fino alla data sono obbligatori"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Messaggio Inviato
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Il conto con nodi figli non può essere impostato come libro mastro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Il conto con nodi figli non può essere impostato come libro mastro
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Tasso al quale Listino valuta viene convertita in valuta di base del cliente
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Importo netto (Valuta Azienda)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,L&#39;importo totale anticipato non può essere maggiore dell&#39;importo sanzionato totale
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,L&#39;importo totale anticipato non può essere maggiore dell&#39;importo sanzionato totale
 DocType: Salary Slip,Hour Rate,Rapporto Orario
 DocType: Stock Settings,Item Naming By,Creare il Nome Articolo da
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Un'altra voce periodo di chiusura {0} è stato fatto dopo {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materiale trasferito per produzione
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Il Conto {0} non esiste
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Seleziona il programma fedeltà
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Seleziona il programma fedeltà
 DocType: Project,Project Type,Tipo di progetto
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Non è possibile eliminare questa attività; esiste un'altra Attività dipendente da questa.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Sia qty destinazione o importo obiettivo è obbligatoria .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Sia qty destinazione o importo obiettivo è obbligatoria .
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Costo di varie attività
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Impostazione Eventi a {0}, in quanto il dipendente attaccato al di sotto personale di vendita non dispone di un ID utente {1}"
 DocType: Timesheet,Billing Details,Dettagli di fatturazione
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +163,Source and target warehouse must be different,Magazzino di Origine e di Destinazione devono essere diversi
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +140,Payment Failed. Please check your GoCardless Account for more details,Pagamento fallito. Controlla il tuo account GoCardless per maggiori dettagli
-apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Non è permesso di aggiornare i documenti di magazzino di età superiore a {0}
+apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Non è permesso aggiornare i documenti di magazzino di età superiore a {0}
 DocType: BOM,Inspection Required,Ispezione Obbligatorio
 DocType: Purchase Invoice Item,PR Detail,PR Dettaglio
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +17,Enter the Bank Guarantee Number before submittting.,Inserire il numero di garanzia bancaria prima di inviarlo.
@@ -4523,13 +4577,13 @@
 DocType: Inpatient Record,A Negative,Un Negativo
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Niente di più da mostrare.
 DocType: Lead,From Customer,Da Cliente
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,chiamate
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,chiamate
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Un prodotto
 DocType: Employee Tax Exemption Declaration,Declarations,dichiarazioni
-apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,lotti
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Lotti
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Effettuare la programmazione dei costi
 DocType: Purchase Order Item Supplied,Stock UOM,UdM Giacenza
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,L'ordine di Acquisto {0} non è stato presentato
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,L'ordine di Acquisto {0} non è stato presentato
 DocType: Account,Expenses Included In Asset Valuation,Spese incluse nella valutazione delle attività
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),L&#39;intervallo di riferimento normale per un adulto è 16-20 breaths / min (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Numero tariffario
@@ -4542,6 +4596,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Si prega di salvare prima il paziente
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,La partecipazione è stata segnata con successo.
 DocType: Program Enrollment,Public Transport,Trasporto pubblico
+DocType: Delivery Note,GST Vehicle Type,Tipo di veicolo GST
 DocType: Soil Texture,Silt Composition (%),Composizione di silt (%)
 DocType: Journal Entry,Remark,Osservazione
 DocType: Healthcare Settings,Avoid Confirmation,Evita la conferma
@@ -4550,18 +4605,17 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Ferie e vacanze
 DocType: Education Settings,Current Academic Term,Termine accademico attuale
 DocType: Sales Order,Not Billed,Non Fatturata
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Entrambi i magazzini devono appartenere alla stessa società
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Entrambi i magazzini devono appartenere alla stessa società
 DocType: Employee Grade,Default Leave Policy,Politica di congedo predefinita
 DocType: Shopify Settings,Shop URL,URL del negozio
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nessun contatto ancora aggiunto.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configurare le serie di numerazione per Presenze tramite Setup&gt; Numerazione serie
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Importo
 ,Item Balance (Simple),Saldo oggetto (semplice)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Fatture emesse dai fornitori.
 DocType: POS Profile,Write Off Account,Conto per Svalutazioni
 DocType: Patient Appointment,Get prescribed procedures,Prendi le procedure prescritte
 DocType: Sales Invoice,Redemption Account,Conto di rimborso
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Debit Note Amt,Debito Nota Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Debit Note Amt,Tot nota di debito
 DocType: Purchase Invoice Item,Discount Amount,Importo sconto
 DocType: Purchase Invoice,Return Against Purchase Invoice,Ritorno Contro Acquisto Fattura
 DocType: Item,Warranty Period (in days),Periodo di garanzia (in giorni)
@@ -4579,7 +4633,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Serie Preventivi
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"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"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Criteri di analisi del suolo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Seleziona cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Seleziona cliente
 DocType: C-Form,I,io
 DocType: Company,Asset Depreciation Cost Center,Asset Centro di ammortamento dei costi
 DocType: Production Plan Sales Order,Sales Order Date,Ordine di vendita Data
@@ -4587,13 +4641,14 @@
 DocType: Assessment Plan,Assessment Plan,Piano di valutazione
 DocType: Travel Request,Fully Sponsored,Completamente sponsorizzato
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +28,Reverse Journal Entry,Entrata di giornale inversa
-apps/erpnext/erpnext/healthcare/doctype/patient/patient.py +90,Customer {0} is created.,Il cliente {0} viene creato.
+apps/erpnext/erpnext/healthcare/doctype/patient/patient.py +90,Customer {0} is created.,Cliente {0} creato.
 DocType: Stock Settings,Limit Percent,limite percentuale
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Articolo attualmente non presente in nessun magazzino
 ,Payment Period Based On Invoice Date,Periodo di pagamento basati su Data fattura
 DocType: Sample Collection,No. of print,Numero di stampa
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Promemoria di compleanno
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Reservation Item
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manca valuta Tassi di cambio in {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Manca valuta Tassi di cambio in {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nome dell&#39;assicurazione sanitaria
 DocType: Assessment Plan,Examiner,Esaminatore
 DocType: Student,Siblings,fratelli
@@ -4610,21 +4665,22 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nuovi clienti
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Utile lordo %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Appuntamento {0} e Fattura di vendita {1} annullati
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Opportunità per fonte di piombo
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Cambia profilo POS
 DocType: Bank Reconciliation Detail,Clearance Date,Data Liquidazione
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","L&#39;asset è già esistente rispetto all&#39;articolo {0}, non è possibile modificare il valore serial nessun has"
-apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Rapporto di valutazione
+DocType: Delivery Settings,Dispatch Notification Template,Modello di notifica spedizione
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","L&#39;asset è già esistente rispetto all&#39;articolo {0}, non è possibile modificare il valore serial nessun has"
+apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Rapporto della valutazione
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Ottieni dipendenti
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross Importo acquisto è obbligatoria
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Nome della società non uguale
 DocType: Lead,Address Desc,Desc. indirizzo
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Il Partner è obbligatorio
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Sono state trovate righe con date di scadenza duplicate in altre righe: {lista}
 DocType: Topic,Topic Name,Nome argomento
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Si prega di impostare il modello predefinito per lasciare la notifica di approvazione nelle impostazioni delle risorse umane.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Si prega di impostare il modello predefinito per lasciare la notifica di approvazione nelle impostazioni delle risorse umane.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,", Almeno una delle vendere o acquistare deve essere selezionata"
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Seleziona un dipendente per far avanzare il dipendente.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Seleziona un dipendente per visualizzare gli anticipi.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Si prega di selezionare una data valida
 apps/erpnext/erpnext/public/js/setup_wizard.js +36,Select the nature of your business.,Selezionare la natura della vostra attività.
 DocType: Lab Test Template,"Single for results which require only a single input, result UOM and normal value 
@@ -4646,7 +4702,7 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js +30,Share Ledger,Condividi libro mastro
 apps/erpnext/erpnext/controllers/accounts_controller.py +661,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} non appartiene alla società {2}
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +114,Sales Invoice {0} created,La fattura di vendita {0} è stata creata
-DocType: Employee,Confirmation Date,conferma Data
+DocType: Employee,Confirmation Date,Data di conferma
 DocType: Inpatient Occupancy,Check Out,Check-out
 DocType: C-Form,Total Invoiced Amount,Importo Totale Fatturato
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +51,Min Qty can not be greater than Max Qty,La quantità Min non può essere maggiore della quantità Max
@@ -4656,6 +4712,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Dettagli Cliente o Fornitore
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Valore patrimoniale corrente
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Finanziamento di viaggio
 DocType: Loan Application,Required by Date,Richiesto per data
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Un link a tutte le località in cui Crop sta crescendo
@@ -4669,9 +4726,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Disponibile Quantità batch a partire Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pay Gross - Deduzione totale - Rimborso prestito
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM corrente e New BOM non può essere lo stesso
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM corrente e New BOM non può essere lo stesso
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Stipendio slittamento ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,La Data di pensionamento deve essere successiva alla Data Assunzione
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,La Data di pensionamento deve essere successiva alla Data Assunzione
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Varianti multiple
 DocType: Sales Invoice,Against Income Account,Per Reddito Conto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Consegnato
@@ -4701,7 +4758,7 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Una diversa Unità di Misura degli articoli darà come risultato un Peso Netto (Totale) non corretto.
 Assicurarsi che il peso netto di ogni articolo sia nella stessa Unità di Misura."
 DocType: Certification Application,Payment Details,Dettagli del pagamento
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Tasso
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Tasso
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","L&#39;ordine di lavoro interrotto non può essere annullato, fermalo prima per annullare"
 DocType: Asset,Journal Entry for Scrap,Diario di rottami
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Si prega di tirare oggetti da DDT
@@ -4724,19 +4781,19 @@
 DocType: Expense Claim,Total Sanctioned Amount,Totale importo sanzionato
 ,Purchase Analytics,Analisi dei dati di acquista
 DocType: Sales Invoice Item,Delivery Note Item,Articolo del Documento di Trasporto
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Manca la fattura corrente {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Manca la fattura corrente {0}
 DocType: Asset Maintenance Log,Task,Attività
 DocType: Purchase Taxes and Charges,Reference Row #,Riferimento Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Numero di lotto obbligatoria per la voce {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Si tratta di una persona di vendita di root e non può essere modificato .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Si tratta di una persona di vendita di root e non può essere modificato .
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Se selezionato, il valore specificato o calcolato in questo componente non contribuirà agli utili o alle deduzioni. Tuttavia, il suo valore può essere riferito da altri componenti che possono essere aggiunti o detratti."
 DocType: Asset Settings,Number of Days in Fiscal Year,Numero di giorni nell&#39;anno fiscale
 ,Stock Ledger,Inventario
 apps/erpnext/erpnext/templates/includes/cart/cart_items.html +29,Rate: {0},Prezzo: {0}
 DocType: Company,Exchange Gain / Loss Account,Guadagno Exchange / Conto Economico
 DocType: Amazon MWS Settings,MWS Credentials,Credenziali MWS
-apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Dipendenti e presenze
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Scopo deve essere uno dei {0}
+apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Dipendenti e Presenze
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Scopo deve essere uno dei {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Compila il modulo e salva
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum Community
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Quantità disponibile
@@ -4745,13 +4802,13 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +41,Send SMS,Invia SMS
 DocType: Supplier Scorecard Criteria,Max Score,Punteggio massimo
 DocType: Cheque Print Template,Width of amount in word,Importo in parole
-DocType: Company,Default Letter Head,Predefinito Carta Intestata
+DocType: Company,Default Letter Head,Carta Intestata Predefinita
 DocType: Purchase Order,Get Items from Open Material Requests,Ottenere elementi dal Richieste Aperto Materiale
 DocType: Hotel Room Amenity,Billable,Addebitabile
 DocType: Lab Test Template,Standard Selling Rate,Prezzo di Vendita Standard
 DocType: Account,Rate at which this tax is applied,Tasso a cui viene applicata questa tassa
 DocType: Cash Flow Mapper,Section Name,Nome della sezione
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Riordina Quantità
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Riordina Quantità
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Riga di ammortamento {0}: il valore atteso dopo la vita utile deve essere maggiore o uguale a {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Offerte di lavoro
 DocType: Company,Stock Adjustment Account,Conto di regolazione Archivio
@@ -4761,8 +4818,9 @@
 DocType: Employee,"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."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Inserire i dettagli di ammortamento
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Da {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Lascia l&#39;applicazione {0} già esistente contro lo studente {1}
 DocType: Task,depends_on,dipende da
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In coda per aggiornare il prezzo più recente in tutte le fatture dei materiali. Può richiedere alcuni minuti.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In coda per aggiornare il prezzo più recente in tutte le fatture dei materiali. Può richiedere alcuni minuti.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nome del nuovo conto. Nota: Si prega di non creare account per Clienti e Fornitori
 DocType: POS Profile,Display Items In Stock,Mostra articoli in magazzino
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Modelli Country saggio di default Indirizzo
@@ -4792,16 +4850,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Gli slot per {0} non vengono aggiunti alla pianificazione
 DocType: Product Bundle,List items that form the package.,Voci di elenco che formano il pacchetto.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Non consentito. Si prega di disabilitare il modello di test
+DocType: Delivery Note,Distance (in km),Distanza (in km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentuale di ripartizione dovrebbe essere pari al 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Si prega di selezionare la data di registrazione prima di selezionare il Partner
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Si prega di selezionare la data di registrazione prima di selezionare il Partner
 DocType: Program Enrollment,School House,school House
 DocType: Serial No,Out of AMC,Fuori di AMC
+DocType: Opportunity,Opportunity Amount,Importo opportunità
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numero degli ammortamenti prenotata non può essere maggiore di Numero totale degli ammortamenti
 DocType: Purchase Order,Order Confirmation Date,Data di conferma dell&#39;ordine
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Aggiungi visita manutenzione
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","La data di inizio e la data di fine si sovrappongono alla scheda del lavoro <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Dettagli sul trasferimento dei dipendenti
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Si prega di contattare l'utente che hanno Sales Master Responsabile {0} ruolo
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Si prega di contattare l'utente che hanno Sales Master Responsabile {0} ruolo
 DocType: Company,Default Cash Account,Conto cassa predefinito
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Azienda ( non cliente o fornitore ) master.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Questo si basa sulla presenza di questo Student
@@ -4809,9 +4870,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Aggiungi altri elementi o apri modulo completo
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,I Documenti di Trasporto {0} devono essere cancellati prima di annullare questo Ordine di Vendita
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Vai agli Utenti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Importo pagato + Importo svalutazione non può essere superiore a Totale generale
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Importo pagato + Importo svalutazione non può essere superiore a Totale generale
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} non è un numero di lotto valido per la voce {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Nota : Non c'è equilibrio congedo sufficiente per Leave tipo {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Nota : Non hai giorni sufficienti per il permesso {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN non valido o Invio NA per non registrato
 DocType: Training Event,Seminar,Seminario
 DocType: Program Enrollment Fee,Program Enrollment Fee,Programma Tassa di iscrizione
@@ -4822,19 +4883,19 @@
 DocType: Employee Transfer,New Company,Nuova Azienda
 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +19,Transactions can only be deleted by the creator of the Company,Le transazioni possono essere eliminati solo dal creatore della Società
 apps/erpnext/erpnext/accounts/general_ledger.py +21,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Numero della scrittura in contabilità generale non corretto. Potresti aver selezionato un conto sbagliato nella transazione.
-DocType: Employee,Prefered Contact Email,Preferenziale di contatto e-mail
+DocType: Employee,Prefered Contact Email,Contatto email preferenziale
 DocType: Cheque Print Template,Cheque Width,Larghezza Assegno
 DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,Convalida il prezzo di vendita dell'articolo dal prezzo di acquisto o dal tasso di valutazione
 DocType: Fee Schedule,Fee Schedule,Tariffario
 DocType: Company,Create Chart Of Accounts Based On,Crea il Piano dei Conti in base a
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Non è possibile convertire in non gruppo. Esistono attività dipendenti.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Data di nascita non può essere maggiore rispetto a oggi.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,La data di nascita non può essere maggiore rispetto a oggi.
 ,Stock Ageing,Invecchiamento Archivio
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Parzialmente sponsorizzato, richiede un finanziamento parziale"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Studente {0} esiste contro richiedente studente {1}
 DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Adattamento arrotondamento (Valuta Società)
 apps/erpnext/erpnext/projects/doctype/task/task.js +39,Timesheet,Scheda attività
-apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +243,Batch: ,Batch:
+apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +243,Batch: ,Lotto:
 DocType: Volunteer,Afternoon,Pomeriggio
 DocType: Loyalty Program,Loyalty Program Help,Aiuto per programmi fedeltà
 apps/erpnext/erpnext/controllers/accounts_controller.py +305,{0} '{1}' is disabled,{0} '{1}' è disabilitato
@@ -4870,19 +4931,19 @@
 DocType: Depreciation Schedule,Finance Book Id,Id del libro finanziario
 DocType: Item,Safety Stock,Scorta di sicurezza
 DocType: Healthcare Settings,Healthcare Settings,Impostazioni sanitarie
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +8,Total Allocated Leaves,Foglie totali allocate
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +8,Total Allocated Leaves,Ferie totali allocate
 apps/erpnext/erpnext/projects/doctype/task/task.py +54,Progress % for a task cannot be more than 100.,Avanzamento % per un'attività non può essere superiore a 100.
-DocType: Stock Reconciliation Item,Before reconciliation,Prima di riconciliazione
+DocType: Stock Reconciliation Item,Before reconciliation,Prima di riconciliare
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Per {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Tasse e spese aggiuntive (Azienda valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Voce fiscale Row {0} deve avere un account di tipo fiscale o di reddito o spese o addebitabile
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Voce fiscale Row {0} deve avere un account di tipo fiscale o di reddito o spese o addebitabile
 DocType: Sales Order,Partly Billed,Parzialmente Fatturato
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Voce {0} deve essere un asset Articolo fisso
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Crea varianti
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Crea varianti
 DocType: Item,Default BOM,Distinta Base Predefinita
 DocType: Project,Total Billed Amount (via Sales Invoices),Importo fatturato totale (tramite fatture di vendita)
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debito importo nota
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Importo della nota di debito
 DocType: Project Update,Not Updated,Non aggiornato
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +107,"There are inconsistencies between the rate, no of shares and the amount calculated","Ci sono incongruenze tra il tasso, no delle azioni e l&#39;importo calcolato"
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +39,You are not present all day(s) between compensatory leave request days,Non sei presente tutto il giorno / i tra giorni di ferie di congedi compensativi
@@ -4908,40 +4969,40 @@
 DocType: Notification Control,Custom Message,Messaggio Personalizzato
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investment Banking
 DocType: Purchase Invoice,input,ingresso
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Il conto bancario è obbligatorio per effettuare il Pagamento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Il conto bancario è obbligatorio per effettuare il Pagamento
 DocType: Loyalty Program,Multiple Tier Program,Programma a più livelli
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Indirizzo studente
 DocType: Purchase Invoice,Price List Exchange Rate,Listino Prezzi Tasso di Cambio
-apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Tutti i gruppi di fornitori
+apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Tutti i gruppi fornitori
 DocType: Employee Boarding Activity,Required for Employee Creation,Obbligatorio per la creazione di dipendenti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Numero di conto {0} già utilizzato nell&#39;account {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Numero di conto {0} già utilizzato nell&#39;account {1}
 DocType: GoCardless Mandate,Mandate,Mandato
 DocType: POS Profile,POS Profile Name,Nome del profilo POS
-DocType: Hotel Room Reservation,Booked,prenotato
+DocType: Hotel Room Reservation,Booked,Prenotato
 DocType: Detected Disease,Tasks Created,Attività create
 DocType: Purchase Invoice Item,Rate,Prezzo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +107,Intern,Stagista
-DocType: Delivery Stop,Address Name,indirizzo Nome
+DocType: Delivery Stop,Address Name,Nome indirizzo
 DocType: Stock Entry,From BOM,Da Distinta Base
-DocType: Assessment Code,Assessment Code,Codice Assessment
+DocType: Assessment Code,Assessment Code,Codice valutazione
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +76,Basic,Base
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Operazioni Giacenza prima {0} sono bloccate
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Si prega di cliccare su ' Generate Schedule '
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,N. di riferimento è obbligatoria se hai inserito Reference Data
 DocType: Bank Reconciliation Detail,Payment Document,Documento di Pagamento
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Errore durante la valutazione della formula dei criteri
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Data di adesione deve essere maggiore di Data di nascita
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Data di assunzione deve essere maggiore della data di nascita
 DocType: Subscription,Plans,Piani
 DocType: Salary Slip,Salary Structure,Struttura salariale
 DocType: Account,Bank,Banca
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,linea aerea
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Fornire Materiale
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Problema Materiale
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Connetti Shopify con ERPNext
 DocType: Material Request Item,For Warehouse,Per Magazzino
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Note di consegna {0} aggiornate
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Note di consegna {0} aggiornate
 DocType: Employee,Offer Date,Data dell'offerta
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Preventivi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Sei in modalità non in linea. Si potrà ricaricare quando tornerà disponibile la connessione alla rete.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Preventivi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Sei in modalità non in linea. Si potrà ricaricare quando tornerà disponibile la connessione alla rete.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Concedere
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Non sono stati creati Gruppi Studenti
 DocType: Purchase Invoice Item,Serial No,Serial No
@@ -4953,24 +5014,26 @@
 DocType: Sales Invoice,Customer PO Details,Dettagli ordine cliente
 DocType: Stock Entry,Including items for sub assemblies,Compresi articoli per sub assemblaggi
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Conto di apertura temporaneo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Inserire il valore deve essere positivo
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Inserire il valore deve essere positivo
 DocType: Asset,Finance Books,Libri di finanza
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Categoria Dichiarazione di esenzione fiscale dei dipendenti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,tutti i Territori
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Tutti i Territori
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Si prega di impostare la politica di ferie per i dipendenti {0} nel record Dipendente / Grade
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ordine di copertina non valido per il cliente e l&#39;articolo selezionati
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ordine di copertina non valido per il cliente e l&#39;articolo selezionati
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Aggiungi attività multiple
 DocType: Purchase Invoice,Items,Articoli
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,La data di fine non può essere precedente alla data di inizio.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Studente è già registrato.
 DocType: Fiscal Year,Year Name,Nome Anno
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Ci sono più feste che giorni di lavoro questo mese.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,Rif. PDC / LC
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Ci sono più feste che giorni di lavoro questo mese.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Gli articoli seguenti {0} non sono contrassegnati come articolo {1}. Puoi abilitarli come {1} elemento dal suo master Item
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,Rif. PDC / LC
 DocType: Production Plan Item,Product Bundle Item,Prodotto Bundle Voce
 DocType: Sales Partner,Sales Partner Name,Nome partner vendite
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Richieste di offerta
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Richieste di offerta
 DocType: Payment Reconciliation,Maximum Invoice Amount,Importo Massimo Fattura
 DocType: Normal Test Items,Normal Test Items,Elementi di prova normali
+DocType: QuickBooks Migrator,Company Settings,Impostazioni Azienda
 DocType: Additional Salary,Overwrite Salary Structure Amount,Sovrascrivi importo struttura salariale
 DocType: Student Language,Student Language,Student Lingua
 apps/erpnext/erpnext/config/selling.py +23,Customers,Clienti
@@ -4982,21 +5045,23 @@
 DocType: Issue,Opening Time,Tempo di apertura
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Data Inizio e Fine sono obbligatorie
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Securities & borse merci
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unità di misura predefinita per la variante &#39;{0}&#39; deve essere lo stesso in Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unità di misura predefinita per la variante &#39;{0}&#39; deve essere lo stesso in Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Calcola in base a
 DocType: Contract,Unfulfilled,insoddisfatto
 DocType: Delivery Note Item,From Warehouse,Dal Deposito
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Nessun dipendente per i criteri indicati
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Non ci sono elementi con Bill of Materials per la produzione
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Non ci sono elementi con Bill of Materials per la produzione
 DocType: Shopify Settings,Default Customer,Cliente predefinito
+DocType: Sales Stage,Stage Name,Nome d&#39;arte
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Nome supervisore
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Non confermare se l&#39;appuntamento è stato creato per lo stesso giorno
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Spedire allo stato
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Spedire allo stato
 DocType: Program Enrollment Course,Program Enrollment Course,Corso di iscrizione al programma
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},L&#39;utente {0} è già assegnato a Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Effettua l&#39;ingresso di riserva per la conservazione dei campioni
 DocType: Purchase Taxes and Charges,Valuation and Total,Valorizzazione e Totale
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negoziazione / Recensione
 DocType: Leave Encashment,Encashment Amount,Importo dell&#39;incasso
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Lotti scaduti
@@ -5006,7 +5071,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aperture correnti
 DocType: Notification Control,Customize the Notification,Personalizzare Notifica
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Cash flow operativo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Quantità CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Quantità CGST
 DocType: Purchase Invoice,Shipping Rule,Tipo di Spedizione
 DocType: Patient Relation,Spouse,Sposa
 DocType: Lab Test Groups,Add Test,Aggiungi Test
@@ -5016,18 +5081,18 @@
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,Totale non può essere zero
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Giorni dall'ultimo Ordine' deve essere maggiore o uguale a zero
 DocType: Plant Analysis Criteria,Maximum Permissible Value,Massimo valore consentito
-DocType: Journal Entry Account,Employee Advance,Employee Advance
+DocType: Journal Entry Account,Employee Advance,Anticipo Dipendente
 DocType: Payroll Entry,Payroll Frequency,Payroll Frequenza
 DocType: Lab Test Template,Sensitivity,Sensibilità
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,La sincronizzazione è stata temporaneamente disabilitata perché sono stati superati i tentativi massimi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Materia prima
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Materia prima
 DocType: Leave Application,Follow via Email,Seguire via Email
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Impianti e Macchinari
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Valore Tasse Dopo Sconto dell'Importo
 DocType: Patient,Inpatient Status,Stato di ricovero
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Impostazioni riepilogo giornaliero lavori
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Il listino prezzi selezionato deve contenere i campi di acquisto e vendita.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Si prega di inserire la data di consegna richiesta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Il listino prezzi selezionato deve contenere i campi di acquisto e vendita.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Si prega di inserire la data di consegna richiesta
 DocType: Payment Entry,Internal Transfer,Trasferimento interno
 DocType: Asset Maintenance,Maintenance Tasks,Attività di manutenzione
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Sia qty destinazione o importo obiettivo è obbligatoria
@@ -5048,7 +5113,7 @@
 DocType: Mode of Payment,General,Generale
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicazione
 ,TDS Payable Monthly,TDS mensile pagabile
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,In coda per la sostituzione della BOM. Potrebbero essere necessari alcuni minuti.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,In coda per la sostituzione della BOM. Potrebbero essere necessari alcuni minuti.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Non può dedurre quando categoria è di ' valutazione ' o ' Valutazione e Total '
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos Obbligatorio per la voce Serialized {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Partita pagamenti con fatture
@@ -5061,7 +5126,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Aggiungi al carrello
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Raggruppa per
 DocType: Guardian,Interests,Interessi
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Abilitare / disabilitare valute.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Abilitare / disabilitare valute.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Non potevo inviare alcuni Salary Slips
 DocType: Exchange Rate Revaluation,Get Entries,Ottieni voci
 DocType: Production Plan,Get Material Request,Get Materiale Richiesta
@@ -5081,17 +5146,18 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +867,Please select Qty against item {0},Seleziona Qtà rispetto all&#39;articolo {0}
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +33,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Un nuovo Serial No non può avere un magazzino. Il magazzino deve essere impostato  nell'entrata giacenza o su ricevuta d'acquisto
 DocType: Lead,Lead Type,Tipo Lead
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Non sei autorizzato ad approvare foglie su Date Block
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Tutti questi elementi sono già stati fatturati
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Imposta nuova data di rilascio
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Non sei autorizzato ad approvare ferie su Date Protette
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Tutti questi elementi sono stati già fatturati
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Imposta nuova data di rilascio
 DocType: Company,Monthly Sales Target,Target di vendita mensile
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Può essere approvato da {0}
 DocType: Hotel Room,Hotel Room Type,Tipo di camera d&#39;albergo
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Fornitore&gt; Tipo di fornitore
 DocType: Leave Allocation,Leave Period,Lascia il Periodo
-DocType: Item,Default Material Request Type,Predefinito Materiale Tipo di richiesta
+DocType: Item,Default Material Request Type,Tipo di richiesta Materiale Predefinito
 DocType: Supplier Scorecard,Evaluation Period,Periodo di valutazione
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Sconosciuto
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Ordine di lavoro non creato
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Ordine di lavoro non creato
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Una quantità di {0} già richiesta per il componente {1}, \ impostare l&#39;importo uguale o maggiore di {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Condizioni Tipo di Spedizione
@@ -5114,7 +5180,7 @@
 DocType: Member,NPO-MEM-.YYYY.-,NPO-MEM-.YYYY.-
 DocType: Education Settings,Education Manager,Responsabile della formazione
 DocType: Crop Cycle,The minimum length between each plant in the field for optimum growth,La lunghezza minima tra ogni pianta nel campo per una crescita ottimale
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +153,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","L&#39;elemento bloccato {0} non può essere aggiornato utilizzando Riconciliazione stock, invece utilizzare l&#39;opzione Stock Entry"
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +153,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","Lotto bloccato {0} non può essere aggiornato utilizzando Riconciliazione Magazzino, utilizzare l'opzione Inserimento Magazzino"
 DocType: Quality Inspection,Report Date,Data Report
 DocType: Student,Middle Name,Secondo nome
 DocType: BOM,Routing,Routing
@@ -5124,15 +5190,15 @@
 DocType: Batch,Source Document Name,Nome del documento di origine
 DocType: Production Plan,Get Raw Materials For Production,Ottieni materie prime per la produzione
 DocType: Job Opening,Job Title,Titolo Posizione
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indica che {1} non fornirà una quotazione, ma tutti gli elementi \ sono stati quotati. Aggiornamento dello stato delle quotazione."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Numero massimo di campioni: {0} sono già stati conservati per il batch {1} e l&#39;articolo {2} nel batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Numero massimo di campioni: {0} sono già stati conservati per il batch {1} e l&#39;articolo {2} nel batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Aggiorna automaticamente il costo della BOM
 DocType: Lab Test,Test Name,Nome del test
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Articolo di consumo della procedura clinica
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,creare utenti
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Grammo
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Sottoscrizioni
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Sottoscrizioni
 DocType: Supplier Scorecard,Per Month,Al mese
 DocType: Education Settings,Make Academic Term Mandatory,Rendi obbligatorio il termine accademico
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Quantità di Fabbricazione deve essere maggiore di 0.
@@ -5141,15 +5207,15 @@
 DocType: Stock Entry,Update Rate and Availability,Frequenza di aggiornamento e disponibilità
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Percentuale si è permesso di ricevere o consegnare di più contro la quantità ordinata. Per esempio: Se avete ordinato 100 unità. e il vostro assegno è 10% poi si è permesso di ricevere 110 unità.
 DocType: Loyalty Program,Customer Group,Gruppo Cliente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Riga n. {0}: l&#39;operazione {1} non è completata per {2} quantità di merci finite in ordine di lavoro n. {3}. Si prega di aggiornare lo stato operativo tramite i Registri orari
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Riga n. {0}: l&#39;operazione {1} non è completata per {2} quantità di merci finite in ordine di lavoro n. {3}. Si prega di aggiornare lo stato operativo tramite i Registri orari
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nuovo ID batch (opzionale)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Conto spese è obbligatoria per l'elemento {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Conto spese è obbligatoria per l'elemento {0}
 DocType: BOM,Website Description,Descrizione del sito
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Variazione netta Patrimonio
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Si prega di annullare Acquisto Fattura {0} prima
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +25,Not permitted. Please disable the Service Unit Type,Non consentito. Si prega di disabilitare il tipo di unità di servizio
 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","l' indirizzo e-mail deve essere univoco, esiste già per {0}"
-DocType: Serial No,AMC Expiry Date,AMC Data Scadenza
+DocType: Serial No,AMC Expiry Date,Data Scadenza AMC
 DocType: Asset,Receipt,Ricevuta
 ,Sales Register,Registro Vendite
 DocType: Daily Work Summary Group,Send Emails At,Invia e-mail in
@@ -5158,7 +5224,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Non c'è nulla da modificare.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Vista forma
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Approvazione dell&#39;approvazione obbligatoria nel rimborso spese
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Riepilogo per questo mese e le attività in corso
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Riepilogo per questo mese e le attività in corso
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Imposta l&#39;account di guadagno / perdita di cambio non realizzato nella società {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Aggiungi utenti alla tua organizzazione, diversa da te stesso."
 DocType: Customer Group,Customer Group Name,Nome Gruppo Cliente
@@ -5168,14 +5234,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Nessuna richiesta materiale creata
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Importo del prestito non può superare il massimo importo del prestito {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licenza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Si prega di rimuovere questo Invoice {0} dal C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Si prega di rimuovere questo Invoice {0} dal C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Si prega di selezionare il riporto se anche voi volete includere equilibrio precedente anno fiscale di parte per questo anno fiscale
 DocType: GL Entry,Against Voucher Type,Per tipo Tagliando
 DocType: Healthcare Practitioner,Phone (R),Telefono (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Fascia temporale aggiunta
 DocType: Item,Attributes,Attributi
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Abilita il modello
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Inserisci Conto per Svalutazioni
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Inserisci Conto per Svalutazioni
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Ultima data di ordine
 DocType: Salary Component,Is Payable,È pagabile
 DocType: Inpatient Record,B Negative,B Negativo
@@ -5186,7 +5252,7 @@
 DocType: Hotel Room,Hotel Room,Camera d&#39;albergo
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Il Conto {0} non appartiene alla società {1}
 DocType: Leave Type,Rounding,Arrotondamento
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,I numeri seriali nella riga {0} non corrispondono alla nota di consegna
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,I numeri seriali nella riga {0} non corrispondono alla nota di consegna
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Quantità erogata (proporzionale)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Quindi le regole di determinazione dei prezzi vengono filtrate in base a cliente, gruppo di clienti, territorio, fornitore, gruppo di fornitori, campagna, partner di vendita, ecc."
 DocType: Student,Guardian Details,Guardiano Dettagli
@@ -5195,10 +5261,10 @@
 DocType: Vehicle,Chassis No,Telaio No
 DocType: Payment Request,Initiated,Iniziato
 DocType: Production Plan Item,Planned Start Date,Data di inizio prevista
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Seleziona una Distinta Base
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Seleziona una Distinta Base
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Tassa integrata ITC disponibile
 DocType: Purchase Order Item,Blanket Order Rate,Tariffa ordine coperta
-apps/erpnext/erpnext/hooks.py +156,Certification,Certificazione
+apps/erpnext/erpnext/hooks.py +157,Certification,Certificazione
 DocType: Bank Guarantee,Clauses and Conditions,Clausole e condizioni
 DocType: Serial No,Creation Document Type,Creazione tipo di documento
 DocType: Project Task,View Timesheet,Visualizza scheda attività
@@ -5208,7 +5274,7 @@
 apps/erpnext/erpnext/controllers/trends.py +269,Project-wise data is not available for Quotation,Dati di progetto non sono disponibile per Preventivo
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html +30,End on,Finisci
 DocType: Project,Expected End Date,Data di chiusura prevista
-DocType: Budget Account,Budget Amount,budget Importo
+DocType: Budget Account,Budget Amount,Importo Bilancio
 DocType: Donor,Donor Name,Nome del donatore
 DocType: Journal Entry,Inter Company Journal Entry Reference,Riferimento per la registrazione del giornale Inter Company
 DocType: Appraisal Template,Appraisal Template Title,Valutazione Titolo Modello
@@ -5223,11 +5289,12 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Voce genitore {0} non deve essere un Articolo Articolo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Elenco dei siti web
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tutti i Prodotti o Servizi.
+DocType: Email Digest,Open Quotations,Citazioni aperte
 DocType: Expense Claim,More Details,Maggiori dettagli
 DocType: Supplier Quotation,Supplier Address,Indirizzo Fornitore
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget per l'account {1} contro {2} {3} è {4}. Si supererà di {5}
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,out Quantità
-apps/erpnext/erpnext/buying/doctype/supplier/supplier.py +49,Series is mandatory,Series è obbligatorio
+apps/erpnext/erpnext/buying/doctype/supplier/supplier.py +49,Series is mandatory,La serie è obbligatoria
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +28,Financial Services,Servizi finanziari
 DocType: Student Sibling,Student ID,Student ID
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +214,For Quantity must be greater than zero,Per Quantità deve essere maggiore di zero
@@ -5237,12 +5304,11 @@
 DocType: Training Event,Exam,Esame
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Errore del Marketplace
 DocType: Complaint,Complaint,Denuncia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Magazzino richiesto per l'Articolo in Giacenza {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Magazzino richiesto per l'Articolo in Giacenza {0}
 DocType: Leave Allocation,Unused leaves,Ferie non godute
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Effettua il rimborso
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Tutti i dipartimenti
 DocType: Healthcare Service Unit,Vacant,Vacante
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Fornitore&gt; Tipo di fornitore
 DocType: Patient,Alcohol Past Use,Utilizzo passato di alcool
 DocType: Fertilizer Content,Fertilizer Content,Contenuto di fertilizzanti
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5250,7 +5316,7 @@
 DocType: Tax Rule,Billing State,Stato di fatturazione
 DocType: Share Transfer,Transfer,Trasferimento
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,L&#39;ordine di lavoro {0} deve essere annullato prima di annullare questo ordine cliente
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Recupera BOM esplosa (sotto unità incluse )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Recupera BOM esplosa (sotto unità incluse )
 DocType: Authorization Rule,Applicable To (Employee),Applicabile a (Dipendente)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Data di scadenza è obbligatoria
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Incremento per attributo {0} non può essere 0
@@ -5258,7 +5324,7 @@
 apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py +19,Rooms Booked,Camere prenotate
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +57,Ends On date cannot be before Next Contact Date.,La data di fine non può essere precedente alla data del contatto successivo.
 DocType: Journal Entry,Pay To / Recd From,Paga a / Ricevuto Da
-DocType: Naming Series,Setup Series,Serie Setup
+DocType: Naming Series,Setup Series,Imposta Serie
 DocType: Payment Reconciliation,To Invoice Date,Per Data fattura
 DocType: Bank Account,Contact HTML,Contatto HTML
 DocType: Support Settings,Support Portal,Portale di supporto
@@ -5266,7 +5332,7 @@
 DocType: Disease,Treatment Period,Periodo di trattamento
 DocType: Travel Itinerary,Travel Itinerary,Itinerario di viaggio
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Risultato già inviato
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Il magazzino riservato è obbligatorio per l&#39;articolo {0} in materie prime fornite
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Il magazzino riservato è obbligatorio per l&#39;articolo {0} in materie prime fornite
 ,Inactive Customers,Clienti inattivi
 DocType: Student Admission Program,Maximum Age,Età massima
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Attendi 3 giorni prima di inviare nuovamente il promemoria.
@@ -5275,7 +5341,6 @@
 DocType: Stock Entry,Delivery Note No,Documento di Trasporto N.
 DocType: Cheque Print Template,Message to show,Messaggio da mostrare
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Vendita al dettaglio
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Gestisci automaticamente la fattura degli appuntamenti
 DocType: Student Attendance,Absent,Assente
 DocType: Staffing Plan,Staffing Plan Detail,Dettagli del piano di personale
 DocType: Employee Promotion,Promotion Date,Data di promozione
@@ -5292,21 +5357,21 @@
 DocType: Budget,Action if Annual Budget Exceeded on MR,Azione se il budget annuale è scaduto per MR
 DocType: Payment Entry,Account Paid From,Risorsa di prelievo
 DocType: Purchase Order Item Supplied,Raw Material Item Code,Codice Articolo Materia Prima
-DocType: Task,Parent Task,Attività del genitore
+DocType: Task,Parent Task,Attività madre
 DocType: Journal Entry,Write Off Based On,Svalutazione Basata Su
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Crea un Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Di stampa e di cancelleria
 DocType: Stock Settings,Show Barcode Field,Mostra campo del codice a barre
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Inviare e-mail del fornitore
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Inviare e-mail del fornitore
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Stipendio già elaborato per il periodo compreso tra {0} e {1}, Lascia periodo di applicazione non può essere tra questo intervallo di date."
-DocType: Fiscal Year,Auto Created,Auto creato
+DocType: Fiscal Year,Auto Created,Creato automaticamente
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Invia questo per creare il record Dipendente
 DocType: Item Default,Item Default,Articolo predefinito
 DocType: Chapter Member,Leave Reason,Lascia ragione
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,La fattura {0} non esiste più
 DocType: Guardian Interest,Guardian Interest,Guardiano interesse
 DocType: Volunteer,Availability,Disponibilità
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Imposta i valori predefiniti per le fatture POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Imposta i valori predefiniti per le fatture POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Formazione
 DocType: Project,Time to send,Tempo di inviare
 DocType: Timesheet,Employee Detail,Dettaglio dei dipendenti
@@ -5316,7 +5381,7 @@
 apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Impostazioni per homepage del sito
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +895,{0} is on hold till {1},{0} è in attesa fino a {1}
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +40,RFQs are not allowed for {0} due to a scorecard standing of {1},RFQ non sono consentite per {0} a causa del valutazione {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +9,Used Leaves,Foglie usate
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +9,Used Leaves,Ferie Usate
 DocType: Job Offer,Awaiting Response,In attesa di risposta
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +83,Above,Sopra
@@ -5329,7 +5394,7 @@
 DocType: Training Event Employee,Optional,Opzionale
 DocType: Salary Slip,Earning & Deduction,Rendimento & Detrazione
 DocType: Agriculture Analysis Criteria,Water Analysis,Analisi dell&#39;acqua
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} varianti create.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} varianti create.
 DocType: Amazon MWS Settings,Region,Regione
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Facoltativo. Questa impostazione verrà utilizzato per filtrare in diverse operazioni .
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Non è consentito un tasso di valorizzazione negativo
@@ -5348,15 +5413,15 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Costo di Asset Demolita
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: centro di costo è obbligatorio per la voce {2}
 DocType: Vehicle,Policy No,Politica No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Ottenere elementi dal pacchetto di prodotti
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Ottenere elementi dal pacchetto di prodotti
 DocType: Asset,Straight Line,Retta
-DocType: Project User,Project User,progetto utente
+DocType: Project User,Project User,Utente Progetti
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Diviso
-DocType: Employee Transfer,Re-allocate Leaves,Riassegnare le foglie
+DocType: Employee Transfer,Re-allocate Leaves,Riassegnare le ferie
 DocType: GL Entry,Is Advance,È Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Employee Lifecycle
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Inizio e Fine data della frequenza soo obbligatori
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Si prega di specificare ' è un Conto lavoro ' come Si o No
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Inizio e Fine data della frequenza sono obbligatori
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Si prega di specificare ' è un Conto lavoro ' come Si o No
 DocType: Item,Default Purchase Unit of Measure,Unità di acquisto predefinita di misura
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ultima data di comunicazione
 DocType: Clinical Procedure Item,Clinical Procedure Item,Articolo di procedura clinica
@@ -5365,12 +5430,12 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Token di accesso o URL di Shopify mancante
 DocType: Location,Latitude,Latitudine
 DocType: Work Order,Scrap Warehouse,Scrap Magazzino
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Magazzino richiesto alla riga n. {0}, impostare il magazzino predefinito per l&#39;articolo {1} per la società {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Magazzino richiesto alla riga n. {0}, impostare il magazzino predefinito per l&#39;articolo {1} per la società {2}"
 DocType: Work Order,Check if material transfer entry is not required,Controllare se non è richiesta la voce di trasferimento dei materiali
 DocType: Program Enrollment Tool,Get Students From,Get studenti di
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Pubblica articoli sul Sito Web
 apps/erpnext/erpnext/utilities/activation.py +126,Group your students in batches,Gruppo tuoi studenti in batch
-DocType: Authorization Rule,Authorization Rule,Ruolo Autorizzazione
+DocType: Authorization Rule,Authorization Rule,Regola Autorizzazione
 DocType: POS Profile,Offline POS Section,Sezione POS offline
 DocType: Sales Invoice,Terms and Conditions Details,Termini e condizioni dettagli
 apps/erpnext/erpnext/templates/generators/item.html +118,Specifications,specificazioni
@@ -5380,6 +5445,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nuovo Batch Qty
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Abbigliamento e accessori
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Impossibile risolvere la funzione di punteggio ponderato. Assicurarsi che la formula sia valida.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Ordine d&#39;acquisto Articoli non ricevuti in tempo
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Numero d'Ordine
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner che verrà mostrato nella parte superiore della lista dei prodotti.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Specificare le condizioni per determinare il valore di spedizione
@@ -5388,9 +5454,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Sentiero
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Impossibile convertire centro di costo a registro come ha nodi figlio
 DocType: Production Plan,Total Planned Qty,Qtà totale pianificata
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Valore di apertura
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Valore di apertura
 DocType: Salary Component,Formula,Formula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Modello di prova del laboratorio
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Conto vendita
 DocType: Purchase Invoice Item,Total Weight,Peso totale
@@ -5403,25 +5469,24 @@
 apps/erpnext/erpnext/accounts/general_ledger.py +134,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Dare e Avere non uguale per {0} # {1}. La differenza è {2}.
 DocType: Clinical Procedure Item,Invoice Separately as Consumables,Fattura separatamente come materiale di consumo
 DocType: Budget,Control Action,Azione di controllo
-DocType: Asset Maintenance Task,Assign To Name,Assegna al nome
+DocType: Asset Maintenance Task,Assign To Name,Assegna a nome
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +105,Entertainment Expenses,Spese di rappresentanza
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Crea una Richiesta di Materiali
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Apri elemento {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Apri articolo {0}
 DocType: Asset Finance Book,Written Down Value,Valore Scritto
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configurare il sistema di denominazione dei dipendenti in Risorse umane&gt; Impostazioni HR
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La fattura di vendita {0} deve essere cancellata prima di annullare questo ordine di vendita
 DocType: Clinical Procedure,Age,Età
 DocType: Sales Invoice Timesheet,Billing Amount,Importo della fattura
 DocType: Cash Flow Mapping,Select Maximum Of 1,Seleziona Massimo di 1
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantità non valido specificato per l'elemento {0}. La quantità dovrebbe essere maggiore di 0.
-DocType: Company,Default Employee Advance Account,Account avanzato dei dipendenti predefinito
+DocType: Company,Default Employee Advance Account,Conto predefinito anticipo dipendenti
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Cerca elemento (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Account con transazione registrate non può essere cancellato
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Account con transazione registrate non può essere cancellato
 DocType: Vehicle,Last Carbon Check,Ultima verifica carbon
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Spese legali
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Seleziona la quantità in fila
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Fai aprire le vendite e le fatture di acquisto
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Fai aprire le vendite e le fatture di acquisto
 DocType: Purchase Invoice,Posting Time,Ora di Registrazione
 DocType: Timesheet,% Amount Billed,% Importo Fatturato
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Spese telefoniche
@@ -5436,14 +5501,14 @@
 DocType: Maintenance Visit,Breakdown,Esaurimento
 DocType: Travel Itinerary,Vegetarian,Vegetariano
 DocType: Patient Encounter,Encounter Date,Data dell&#39;incontro
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Account: {0} con valuta: {1} non può essere selezionato
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Account: {0} con valuta: {1} non può essere selezionato
 DocType: Bank Statement Transaction Settings Item,Bank Data,Dati bancari
 DocType: Purchase Receipt Item,Sample Quantity,Quantità del campione
 DocType: Bank Guarantee,Name of Beneficiary,Nome del beneficiario
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","L&#39;aggiornamento dei costi BOM avviene automaticamente via Scheduler, in base all&#39;ultimo tasso di valutazione / prezzo di listino / ultimo tasso di acquisto di materie prime."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Data Assegno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: conto derivato {1} non appartiene alla società: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: conto derivato {1} non appartiene alla società: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,"Tutte le operazioni relative a questa società, sono state cancellate con successo!"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Come in data
 DocType: Additional Salary,HR,HR
@@ -5451,7 +5516,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Avvisi SMS di pazienti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,prova
 DocType: Program Enrollment Tool,New Academic Year,Nuovo anno accademico
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Ritorno / nota di credito
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Ritorno / nota di credito
 DocType: Stock Settings,Auto insert Price List rate if missing,Inserimento automatico tasso Listino se mancante
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Importo totale pagato
 DocType: GST Settings,B2C Limit,Limite B2C
@@ -5469,11 +5534,11 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,I nodi figli possono essere creati solo sotto i nodi di tipo &#39;Gruppo&#39;
 DocType: Attendance Request,Half Day Date,Data di mezza giornata
 DocType: Academic Year,Academic Year Name,Nome Anno Accademico
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} non è consentito effettuare transazioni con {1}. Per favore cambia la compagnia.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} non è consentito effettuare transazioni con {1}. Per favore cambia la compagnia.
 DocType: Sales Partner,Contact Desc,Desc Contatto
-DocType: Email Digest,Send regular summary reports via Email.,Invia relazioni di sintesi periodiche via Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Si prega di impostare account predefinito nel tipo di spesa rivendicazione {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Foglie disponibili
+DocType: Email Digest,Send regular summary reports via Email.,Invia report di sintesi periodici via email.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Si prega di impostare account predefinito nel tipo di spesa rivendicazione {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Ferie disponibili
 DocType: Assessment Result,Student Name,Nome dello studente
 DocType: Hub Tracked Item,Item Manager,Responsabile Articoli
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Payroll Payable,Payroll da pagare
@@ -5487,7 +5552,7 @@
 DocType: Patient Appointment,Referring Practitioner,Referente Practitioner
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Company Abbreviation,Abbreviazione Società
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +51,User {0} does not exist,Utente {0} non esiste
-DocType: Payment Term,Day(s) after invoice date,Giorno (i) dopo la data della fattura
+DocType: Payment Term,Day(s) after invoice date,Giorno(i) dopo la data della fattura
 apps/erpnext/erpnext/setup/doctype/company/company.js +34,Date of Commencement should be greater than Date of Incorporation,La data di inizio dovrebbe essere maggiore della data di costituzione
 DocType: Contract,Signed On,Firmato
 DocType: Bank Account,Party Type,Tipo Partner
@@ -5497,9 +5562,10 @@
 DocType: Subscription,Trial Period End Date,Data di fine periodo di prova
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Non autorizzato poiché {0} supera i limiti
 DocType: Serial No,Asset Status,Stato delle risorse
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Over Dimensional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Ristorante Tavolo
 DocType: Hotel Room,Hotel Manager,Direttore dell'albergo
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set di regole fiscali per carrello della spesa
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Set di regole fiscali per carrello della spesa
 DocType: Purchase Invoice,Taxes and Charges Added,Tasse e spese aggiuntive
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Riga di ammortamento {0}: la successiva Data di ammortamento non può essere precedente alla Data disponibile per l&#39;uso
 ,Sales Funnel,imbuto di vendita
@@ -5515,10 +5581,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Tutti i gruppi di clienti
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Accantonamento Mensile
 DocType: Attendance Request,On Duty,In servizio
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} è obbligatorio. Forse il record di cambio di valuta non è stato creato per {1} {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} è obbligatorio. Forse il record di cambio di valuta non è stato creato per {1} {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Il piano di staff {0} esiste già per la designazione {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Tax modello è obbligatoria.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Account {0}: conto derivato {1} non esistente
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Account {0}: conto derivato {1} non esistente
 DocType: POS Closing Voucher,Period Start Date,Data di inizio del periodo
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prezzo di listino (Valuta Azienda)
 DocType: Products Settings,Products Settings,Impostazioni Prodotti
@@ -5538,7 +5604,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Questa azione interromperà la fatturazione futura. Sei sicuro di voler cancellare questo abbonamento?
 DocType: Serial No,Distinct unit of an Item,Un'unità distinta di un elemento
 DocType: Supplier Scorecard Criteria,Criteria Name,Nome criterio di valutazione
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Imposti la Società
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Imposti la Società
 DocType: Procedure Prescription,Procedure Created,Procedura creata
 DocType: Pricing Rule,Buying,Acquisti
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Malattie e fertilizzanti
@@ -5555,44 +5621,45 @@
 DocType: Employee Onboarding,Job Offer,Offerta di lavoro
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Abbreviazione Institute
 ,Item-wise Price List Rate,Articolo -saggio Listino Tasso
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Preventivo Fornitore
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Preventivo Fornitore
 DocType: Quotation,In Words will be visible once you save the Quotation.,"""In Parole"" sarà visibile una volta che si salva il Preventivo."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},La quantità ({0}) non può essere una frazione nella riga {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},La quantità ({0}) non può essere una frazione nella riga {1}
 DocType: Contract,Unsigned,unsigned
 DocType: Selling Settings,Each Transaction,Ogni transazione
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Codice a barre {0} già utilizzato nel Prodotto {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Codice a barre {0} già utilizzato nel Prodotto {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regole per l'aggiunta di spese di spedizione .
 DocType: Hotel Room,Extra Bed Capacity,Capacità del letto supplementare
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Disponibilità Iniziale
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Il Cliente è tenuto
 DocType: Lab Test,Result Date,Data di risultato
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Data PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Data PDC / LC
 DocType: Purchase Order,To Receive,Ricevere
 DocType: Leave Period,Holiday List for Optional Leave,Lista vacanze per ferie facoltative
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Proprietario del bene
 DocType: Purchase Invoice,Reason For Putting On Hold,Motivo per mettere in attesa
 DocType: Employee,Personal Email,Email personale
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Varianza totale
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Varianza totale
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se abilitato, il sistema pubblicherà le scritture contabili per l&#39;inventario automatico."
-apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,mediazione
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,La presenza per il dipendente {0} è già registrata per questo giorno
+apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Mediazione
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,La presenza per il dipendente {0} è già registrata per questo giorno
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",Aggiornato da pochi minuti tramite 'Time Log'
 DocType: Customer,From Lead,Da Contatto
 DocType: Amazon MWS Settings,Synch Orders,Sincronizzare gli ordini
-apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Gli ordini rilasciati per la produzione.
+apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Ordini rilasciati per la produzione.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Selezionare l'anno fiscale ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profilo tenuto a POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profilo tenuto a POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","I Punti Fedeltà saranno calcolati a partire dal totale speso (tramite la Fattura di vendita), in base al fattore di raccolta menzionato."
 DocType: Program Enrollment Tool,Enroll Students,iscrivere gli studenti
 DocType: Company,HRA Settings,Impostazioni HRA
 DocType: Employee Transfer,Transfer Date,Data di trasferimento
-DocType: Lab Test,Approved Date,Data approvata
+DocType: Lab Test,Approved Date,Data approvazione
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Listino di Vendita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,È obbligatorio almeno un deposito
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,È obbligatorio almeno un deposito
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Configura campi oggetto come UOM, Gruppo articoli, Descrizione e Numero di ore."
-DocType: Certification Application,Certification Status,Stato di certificazione
+DocType: Certification Application,Certification Status,Stato certificazione
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Mercato
 DocType: Travel Itinerary,Travel Advance Required,Avanzamento del viaggio richiesto
 DocType: Subscriber,Subscriber Name,Nome dell&#39;iscritto
@@ -5610,6 +5677,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Fatture corrispondenti
 DocType: Work Order,Required Items,Articoli richiesti
 DocType: Stock Ledger Entry,Stock Value Difference,Differenza Valore Giacenza
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Riga articolo {0}: {1} {2} non esiste nella precedente tabella &#39;{1}&#39;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Risorsa Umana
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pagamento Riconciliazione di pagamento
 DocType: Disease,Treatment Task,Task di trattamento
@@ -5627,7 +5695,8 @@
 DocType: Account,Debit,Dare
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Le ferie devono essere assegnati in multipli di 0,5"
 DocType: Work Order,Operation Cost,Operazione Costo
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Importo Dovuto
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identificare i Decision Maker
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Importo Dovuto
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Fissare obiettivi Item Group-saggio per questo venditore.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelare Stocks Older Than [ giorni]
 DocType: Payment Request,Payment Ordered,Pagamento effettuato
@@ -5639,15 +5708,14 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Consentire i seguenti utenti per approvare le richieste per i giorni di blocco.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Ciclo vitale
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Fai BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Il tasso di vendita per l&#39;elemento {0} è inferiore a quello {1}. Il tasso di vendita dovrebbe essere almeno {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Il tasso di vendita per l&#39;elemento {0} è inferiore a quello {1}. Il tasso di vendita dovrebbe essere almeno {2}
 DocType: Subscription,Taxes,Tasse
 DocType: Purchase Invoice,capital goods,beni strumentali
 DocType: Purchase Invoice Item,Weight Per Unit,Peso per unità
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Pagato e Non Consegnato
-DocType: Project,Default Cost Center,Centro di costo predefinito
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Centro di costo predefinito
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Documenti di magazzino
-DocType: Budget,Budget Accounts,contabilità di bilancio
+DocType: Budget,Budget Accounts,Bilancio Contabile
 DocType: Employee,Internal Work History,Storia di lavoro interni
 DocType: Bank Statement Transaction Entry,New Transactions,Nuove transazioni
 DocType: Depreciation Schedule,Accumulated Depreciation Amount,Importo fondo ammortamento
@@ -5667,21 +5735,21 @@
 DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Quotidiano lavoro riepilogo delle impostazioni azienda
 apps/erpnext/erpnext/stock/utils.py +149,Item {0} ignored since it is not a stock item,Articolo {0} ignorato poiché non è in Giacenza
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Per non applicare l'articolo Pricing in una determinata operazione, tutte le norme sui prezzi applicabili devono essere disabilitati."
-DocType: Payment Term,Day(s) after the end of the invoice month,Giorno / i dopo la fine del mese della fattura
+DocType: Payment Term,Day(s) after the end of the invoice month,Giorno(i) dopo la fine del mese di fatturazione
 DocType: Assessment Group,Parent Assessment Group,Capogruppo di valutazione
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +54,Jobs,Posizioni
 ,Sales Order Trends,Tendenze Sales Order
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,The 'From Package No.' field must neither be empty nor it's value less than 1.,Il &#39;Da n. Pacchetto&#39; il campo non deve essere vuoto o il suo valore è inferiore a 1.
 DocType: Employee,Held On,Tenutasi il
-apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js +36,Production Item,Produzione Voce
+apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js +36,Production Item,Produzione Articolo
 ,Employee Information,Informazioni Dipendente
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Healthcare Practitioner non disponibile su {0}
 DocType: Stock Entry Detail,Additional Cost,Costo aggiuntivo
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Non è possibile filtrare sulla base di Voucher No , se raggruppati per Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Crea un Preventivo Fornitore
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Crea un Preventivo Fornitore
 DocType: Quality Inspection,Incoming,In arrivo
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Vengono creati modelli di imposta predefiniti per vendite e acquisti.
-apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Record Record di risultato {0} esiste già.
+apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Risultato della valutazione {0} già esistente.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Esempio: ABCD. #####. Se la serie è impostata e il numero di lotto non è menzionato nelle transazioni, verrà creato il numero di lotto automatico in base a questa serie. Se vuoi sempre menzionare esplicitamente il numero di lotto per questo articolo, lascia vuoto. Nota: questa impostazione avrà la priorità sul Prefisso serie di denominazione nelle Impostazioni stock."
 DocType: BOM,Materials Required (Exploded),Materiali necessari (dettagli)
 DocType: Contract,Party User,Utente del party
@@ -5694,9 +5762,9 @@
 DocType: Batch,Batch ID,Lotto ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Nota : {0}
 ,Delivery Note Trends,Tendenze Documenti di Trasporto
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Sintesi di questa settimana
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Sintesi di questa settimana
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Qtà in Stock
-,Daily Work Summary Replies,Riepilogo del lavoro giornaliero Risposte
+,Daily Work Summary Replies,Risposte Riepilogo Giornata Lavorativa
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcola i tempi di arrivo stimati
 apps/erpnext/erpnext/accounts/general_ledger.py +113,Account: {0} can only be updated via Stock Transactions,Account: {0} può essere aggiornato solo tramite documenti di magazzino
 DocType: Student Group Creation Tool,Get Courses,Ottieni Corsi
@@ -5704,7 +5772,7 @@
 DocType: Bank Account,Party,Partner
 DocType: Healthcare Settings,Patient Name,Nome paziente
 DocType: Variant Field,Variant Field,Campo di variante
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Posizione di destinazione
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Posizione di destinazione
 DocType: Sales Order,Delivery Date,Data di Consegna
 DocType: Opportunity,Opportunity Date,Data Opportunità
 DocType: Employee,Health Insurance Provider,Fornitore dell'assicurazione sanitaria
@@ -5723,7 +5791,7 @@
 DocType: Employee,History In Company,Storia aziendale
 DocType: Customer,Customer Primary Address,Indirizzo primario del cliente
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Numero di riferimento
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Numero di riferimento
 DocType: Drug Prescription,Description/Strength,Descrizione / Forza
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Crea nuovo pagamento / registrazione prima nota
 DocType: Certification Application,Certification Application,Applicazione di certificazione
@@ -5734,10 +5802,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Lo stesso articolo è stato inserito più volte
 DocType: Department,Leave Block List,Lascia il blocco lista
 DocType: Purchase Invoice,Tax ID,P. IVA / Cod. Fis.
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,L'articolo {0} non ha Numeri di Serie. La colonna deve essere vuota
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,L'articolo {0} non ha Numeri di Serie. La colonna deve essere vuota
 DocType: Accounts Settings,Accounts Settings,Impostazioni Conti
-apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Approvare
+apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Approva
 DocType: Loyalty Program,Customer Territory,Territorio del cliente
+DocType: Email Digest,Sales Orders to Deliver,Ordini di vendita da consegnare
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Numero del nuovo account, sarà incluso nel nome dell&#39;account come prefisso"
 DocType: Maintenance Team Member,Team Member,Membro della squadra
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Nessun risultato da presentare
@@ -5747,7 +5816,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Totale {0} per tutti gli elementi è pari a zero, può essere che si dovrebbe cambiare &#39;distribuire oneri corrispondenti&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Ad oggi non può essere inferiore alla data
 DocType: Opportunity,To Discuss,Da Discutere
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Questo si basa su transazioni contro questo Sottoscrittore. Vedi la cronologia qui sotto per i dettagli
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} unità di {1} necessarie in {2} per completare la transazione.
 DocType: Loan Type,Rate of Interest (%) Yearly,Tasso di interesse (%) Performance
 DocType: Support Settings,Forum URL,URL del forum
@@ -5762,7 +5830,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Per saperne di più
 DocType: Cheque Print Template,Distance from top edge,Distanza dal bordo superiore
 DocType: POS Closing Voucher Invoices,Quantity of Items,Quantità di articoli
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Listino {0} è disattivato o non esiste
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Listino {0} è disattivato o non esiste
 DocType: Purchase Invoice,Return,Ritorno
 DocType: Pricing Rule,Disable,Disattiva
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Modalità di pagamento è richiesto di effettuare un pagamento
@@ -5770,18 +5838,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Modifica in pagina intera per ulteriori opzioni come risorse, numero di serie, lotti ecc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Giorni continui massimi applicabili
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} non è incluso nel lotto {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} non può essere gettata, come è già {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} non può essere gettata, come è già {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Controlli richiesti
 DocType: Task,Total Expense Claim (via Expense Claim),Rimborso spese totale (via Expense Claim)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Contrassegna come Assente
 DocType: Job Applicant Source,Job Applicant Source,Fonte del candidato
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Quantità IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Quantità IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Impossibile impostare la società
 DocType: Asset Repair,Asset Repair,Riparazione delle risorse
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riga {0}: Valuta del BOM # {1} deve essere uguale alla valuta selezionata {2}
 DocType: Journal Entry Account,Exchange Rate,Tasso di cambio:
 DocType: Patient,Additional information regarding the patient,Ulteriori informazioni sul paziente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,L'ordine di vendita {0} non è stato presentato
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,L'ordine di vendita {0} non è stato presentato
 DocType: Homepage,Tag Line,Tag Linea
 DocType: Fee Component,Fee Component,Fee Componente
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Gestione della flotta
@@ -5796,7 +5864,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobile
 ,Sales Person-wise Transaction Summary,Sales Person-saggio Sintesi dell&#39;Operazione
 DocType: Training Event,Contact Number,Numero di contatto
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Magazzino {0} non esiste
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Magazzino {0} non esiste
 DocType: Cashier Closing,Custody,Custodia
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Dettaglio di presentazione della prova di esenzione fiscale dei dipendenti
 DocType: Monthly Distribution,Monthly Distribution Percentages,Percentuali Distribuzione Mensile
@@ -5806,12 +5874,12 @@
 DocType: Project,Customer Details,Dettagli Cliente
 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Controllare se Asset richiede manutenzione preventiva o calibrazione
 apps/erpnext/erpnext/public/js/setup_wizard.js +87,Company Abbreviation cannot have more than 5 characters,L&#39;abbreviazione della compagnia non può contenere più di 5 caratteri
-DocType: Employee,Reports to,Reports a
+DocType: Employee,Reports to,Report a
 ,Unpaid Expense Claim,Richiesta di spesa non retribuita
 DocType: Payment Entry,Paid Amount,Importo pagato
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Esplora Ciclo di vendita
 DocType: Assessment Plan,Supervisor,Supervisore
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retention stock entry
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retention stock entry
 ,Available Stock for Packing Items,Stock Disponibile per Imballaggio Prodotti
 DocType: Item Variant,Item Variant,Elemento Variant
 ,Work Order Stock Report,Rapporto di stock ordine di lavoro
@@ -5820,9 +5888,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Come supervisore
 DocType: Leave Policy Detail,Leave Policy Detail,Lascia il dettaglio della politica
 DocType: BOM Scrap Item,BOM Scrap Item,Articolo Scarto per Distinta Base
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,gli Ordini Confermati non possono essere eliminati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo a bilancio già nel debito, non è permesso impostare il 'Saldo Futuro' come 'credito'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Gestione della qualità
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,gli Ordini Confermati non possono essere eliminati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo a bilancio già nel debito, non è permesso impostare il 'Saldo Futuro' come 'credito'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Gestione della qualità
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,L'articolo {0} è stato disabilitato
 DocType: Project,Total Billable Amount (via Timesheets),Importo totale fatturabile (tramite Timesheets)
 DocType: Agriculture Task,Previous Business Day,Giorno lavorativo precedente
@@ -5845,14 +5913,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Centri di costo
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Riavvia abbonamento
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analisi delle piante collegate
-DocType: Delivery Note,Transporter ID,ID del trasportatore
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID del trasportatore
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Proposta di valore
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tasso al quale la valuta del fornitore viene convertita in valuta di base dell'azienda
-DocType: Sales Invoice Item,Service End Date,Data di fine del servizio
+DocType: Purchase Invoice Item,Service End Date,Data di fine del servizio
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: conflitti Timings con riga {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Consenti il tasso di valorizzazione Zero
 DocType: Bank Guarantee,Receiving,ricevente
 DocType: Training Event Employee,Invited,Invitato
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Conti Gateway Setup.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Conti Gateway Setup.
 DocType: Employee,Employment Type,Tipo Dipendente
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,immobilizzazioni
 DocType: Payment Entry,Set Exchange Gain / Loss,Guadagno impostato Exchange / Perdita
@@ -5868,7 +5937,7 @@
 DocType: Tax Rule,Sales Tax Template,Sales Tax Template
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Pagare contro il reclamo per benefici
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Aggiorna numero centro di costo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Selezionare gli elementi per salvare la fattura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Selezionare gli elementi per salvare la fattura
 DocType: Employee,Encashment Date,Data Incasso
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Modello di prova speciale
@@ -5876,12 +5945,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Esiste di default Attività Costo per il tipo di attività - {0}
 DocType: Work Order,Planned Operating Cost,Planned Cost operativo
 DocType: Academic Term,Term Start Date,Term Data di inizio
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Elenco di tutte le transazioni condivise
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Elenco di tutte le transazioni condivise
+DocType: Supplier,Is Transporter,È trasportatore
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importa la fattura di vendita da Shopify se il pagamento è contrassegnato
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,È necessario impostare la Data di inizio del periodo di prova e la Data di fine del periodo di prova
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Tasso medio
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L&#39;importo totale del pagamento nel programma di pagamento deve essere uguale al totale totale / arrotondato
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L&#39;importo totale del pagamento nel programma di pagamento deve essere uguale al totale totale / arrotondato
 DocType: Subscription Plan Detail,Plan,Piano
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Estratto conto banca come da Contabilità Generale
 DocType: Job Applicant,Applicant Name,Nome del Richiedente
@@ -5909,7 +5979,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Qtà disponibile presso Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garanzia
 DocType: Purchase Invoice,Debit Note Issued,Nota di Debito Emessa
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Il filtro basato su Centro costi è applicabile solo se Budget Contro è selezionato come Centro costi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Il filtro basato su Centro costi è applicabile solo se Budget Contro è selezionato come Centro costi
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Cerca per codice articolo, numero di serie, numero di lotto o codice a barre"
 DocType: Work Order,Warehouses,Magazzini
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} attività non può essere trasferito
@@ -5920,18 +5990,18 @@
 DocType: Workstation,per hour,all'ora
 DocType: Blanket Order,Purchasing,Acquisto
 DocType: Announcement,Announcement,Annuncio
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,LPO cliente
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,LPO cliente
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Per il gruppo studente basato su batch, il gruppo di studenti sarà convalidato per ogni studente dall&#39;iscrizione al programma."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazzino non può essere eliminato siccome esiste articolo ad inventario per questo Magazzino .
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazzino non può essere eliminato siccome esiste articolo ad inventario per questo Magazzino .
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribuzione
 DocType: Journal Entry Account,Loan,Prestito
 DocType: Expense Claim Advance,Expense Claim Advance,Addebito reclamo spese
 DocType: Lab Test,Report Preference,Preferenze di rapporto
 apps/erpnext/erpnext/config/non_profit.py +43,Volunteer information.,Volontariato
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Project Manager
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Responsabile Progetto
 ,Quoted Item Comparison,Articolo Citato Confronto
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Sovrapposizione nel punteggio tra {0} e {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Spedizione
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Spedizione
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Sconto massimo consentito per la voce: {0} {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,valore patrimoniale netto su
 DocType: Crop,Produce,Produrre
@@ -5941,23 +6011,24 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Consumo di materiale per la fabbricazione
 DocType: Item Alternative,Alternative Item Code,Codice articolo alternativo
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Ruolo che è consentito di presentare le transazioni che superano i limiti di credito stabiliti.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Selezionare gli elementi da Fabbricazione
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Selezionare gli elementi da Fabbricazione
 DocType: Delivery Stop,Delivery Stop,Fermata di consegna
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","sincronizzazione dei dati principali, potrebbe richiedere un certo tempo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","sincronizzazione dei dati principali, potrebbe richiedere un certo tempo"
 DocType: Item,Material Issue,Fornitura materiale
 DocType: Employee Education,Qualification,Qualifica
 DocType: Item Price,Item Price,Prezzo Articoli
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Soap & Detergente
 DocType: BOM,Show Items,Mostra elementi
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Da tempo non può essere superiore al tempo.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Vuoi avvisare tutti i clienti via email?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Vuoi avvisare tutti i clienti via email?
 DocType: Subscription Plan,Billing Interval,Intervallo di fatturazione
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Ordinato
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,La data di inizio effettiva e la data di fine effettiva sono obbligatorie
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Gruppo clienti&gt; Territorio
 DocType: Salary Detail,Component,Componente
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Riga {0}: {1} deve essere maggiore di 0
-DocType: Assessment Criteria,Assessment Criteria Group,Criteri di valutazione del Gruppo
+DocType: Assessment Criteria,Assessment Criteria Group,Gruppo criteri di valutazione
 DocType: Healthcare Settings,Patient Name By,Nome del paziente
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +220,Accrual Journal Entry for salaries from {0} to {1},Voce di registrazione accresciuta per gli stipendi da {0} a {1}
 DocType: Sales Invoice Item,Enable Deferred Revenue,Abilita entrate differite
@@ -5968,7 +6039,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +30,Please enter Approving Role or Approving User,Inserisci Approvazione ruolo o Approvazione utente
 DocType: Journal Entry,Write Off Entry,Entry di Svalutazione
 DocType: BOM,Rate Of Materials Based On,Tasso di materiali a base di
-DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se abilitato, il campo Periodo accademico sarà obbligatorio nello strumento di registrazione del programma."
+DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se abilitato, il campo Periodo Accademico sarà obbligatorio nello Strumento di Registrazione del Programma."
 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics supporto
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +103,Uncheck all,Deseleziona tutto
 DocType: POS Profile,Terms and Conditions,Termini e Condizioni
@@ -5985,11 +6056,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Immettere il nome della banca o dell&#39;istituto di credito prima di inviarlo.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} deve essere inviato
 DocType: POS Profile,Item Groups,Gruppi Articoli
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Oggi è {0} 's compleanno!
 DocType: Sales Order Item,For Production,Per la produzione
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Saldo nella valuta dell&#39;account
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Aggiungi un account di apertura temporanea nel piano dei conti
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Aggiungi un account di apertura temporanea nel piano dei conti
 DocType: Customer,Customer Primary Contact,Contatto Principale Cliente
 DocType: Project Task,View Task,Visualizza Attività
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6000,13 +6070,13 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +372,Amount {0} {1} transferred from {2} to {3},Importo {0} {1} trasferito da {2} a {3}
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +200,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} non vi è nessuna programmazione di Operatori Sanitari. Aggiungilo nella sezione principale degli Operatori Sanitari
 DocType: Sales Invoice,Get Advances Received,ottenere anticipo Ricevuto
-DocType: Email Digest,Add/Remove Recipients,Aggiungi/Rimuovi Destinatario
+DocType: Email Digest,Add/Remove Recipients,Aggiungi/Rimuovi Destinatari
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Per impostare questo anno fiscale come predefinito , clicca su ' Imposta come predefinito'"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Quantità di TDS dedotta
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Quantità di TDS dedotta
 DocType: Production Plan,Include Subcontracted Items,Includi elementi in conto lavoro
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Aderire
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Carenza Quantità
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Aderire
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Carenza Quantità
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche
 DocType: Loan,Repay from Salary,Rimborsare da Retribuzione
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Richiesta di Pagamento contro {0} {1} per quantità {2}
 DocType: Additional Salary,Salary Slip,Busta paga
@@ -6022,7 +6092,7 @@
 DocType: Patient,Dormant,inattivo
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Tassa di deduzione per benefici per i dipendenti non rivendicati
 DocType: Salary Slip,Total Interest Amount,Importo totale degli interessi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Magazzini con nodi figli non possono essere convertiti a Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Magazzini con nodi figli non possono essere convertiti a Ledger
 DocType: BOM,Manage cost of operations,Gestire costi operazioni
 DocType: Accounts Settings,Stale Days,Giorni Stalli
 DocType: Travel Itinerary,Arrival Datetime,Data e ora di arrivo
@@ -6031,10 +6101,10 @@
 DocType: Attendance,HR-ATT-.YYYY.-,HR-ATT-.YYYY.-
 apps/erpnext/erpnext/config/setup.py +14,Global Settings,Impostazioni Globali
 DocType: Crop,Row Spacing UOM,UOM di spaziatura righe
-DocType: Assessment Result Detail,Assessment Result Detail,La valutazione dettagliata dei risultati
+DocType: Assessment Result Detail,Assessment Result Detail,Dettaglio risultati valutazione
 DocType: Employee Education,Employee Education,Istruzione Dipendente
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,gruppo di articoli duplicato trovato nella tabella gruppo articoli
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,E &#39;necessario per recuperare Dettagli elemento.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,E &#39;necessario per recuperare Dettagli elemento.
 DocType: Fertilizer,Fertilizer Name,Nome del fertilizzante
 DocType: Salary Slip,Net Pay,Retribuzione Netta
 DocType: Cash Flow Mapping Accounts,Account,Account
@@ -6045,14 +6115,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Creare una voce di pagamento separata contro la richiesta di rimborso
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Presenza di febbre (temp&gt; 38,5 ° C / 101,3 ° F o temp. Durata&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Vendite team Dettagli
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Eliminare in modo permanente?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Eliminare in modo permanente?
 DocType: Expense Claim,Total Claimed Amount,Totale importo richiesto
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenziali opportunità di vendita.
 DocType: Shareholder,Folio no.,Folio n.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Non valido {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Sick Leave
 DocType: Email Digest,Email Digest,Email di Sintesi
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,non sono
 DocType: Delivery Note,Billing Address Name,Destinatario
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Grandi magazzini
 ,Item Delivery Date,Data di Consegna dell'Articolo
@@ -6068,16 +6137,16 @@
 DocType: Account,Chargeable,Addebitabile
 DocType: Company,Change Abbreviation,Change Abbreviazione
 DocType: Contract,Fulfilment Details,Dettagli di adempimento
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Paga {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Paga {0} {1}
 DocType: Employee Onboarding,Activities,Attività
 DocType: Expense Claim Detail,Expense Date,Data Spesa
 DocType: Item,No of Months,No di mesi
 DocType: Item,Max Discount (%),Sconto Max (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,I giorni di credito non possono essere un numero negativo
-DocType: Sales Invoice Item,Service Stop Date,Data di fine del servizio
+DocType: Purchase Invoice Item,Service Stop Date,Data di fine del servizio
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Ultimo ammontare ordine
 DocType: Cash Flow Mapper,e.g Adjustments for:,Ad es. regolazioni per:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Mantieni campione è basato sul lotto, si prega di verificare il numero di lotto per conservare il campione dell&#39;articolo"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Mantieni campione è basato sul lotto, si prega di verificare il numero di lotto per conservare il campione dell&#39;articolo"
 DocType: Task,Is Milestone,È Milestone
 DocType: Certification Application,Yet to appear,Ancora per apparire
 DocType: Delivery Stop,Email Sent To,Email inviata a
@@ -6085,16 +6154,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Consenti centro costi nell&#39;iscrizione dell&#39;account di bilancio
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Unisci con un Conto esistente
 DocType: Budget,Warn,Avvisa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Tutti gli articoli sono già stati trasferiti per questo ordine di lavoro.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Tutti gli articoli sono già stati trasferiti per questo ordine di lavoro.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Eventuali altre osservazioni, sforzo degno di nota che dovrebbe andare nelle registrazioni."
 DocType: Asset Maintenance,Manufacturing User,Utente Produzione
 DocType: Purchase Invoice,Raw Materials Supplied,Materie prime fornite
 DocType: Subscription Plan,Payment Plan,Piano di pagamento
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Abilita l&#39;acquisto di articoli tramite il sito web
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valuta dell&#39;elenco dei prezzi {0} deve essere {1} o {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Gestione delle iscrizioni
-DocType: Appraisal,Appraisal Template,Valutazione Modello
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Codice PIN
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Gestione delle iscrizioni
+DocType: Appraisal,Appraisal Template,Modello valutazione
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Codice PIN
 DocType: Soil Texture,Ternary Plot,Trama Ternaria
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Controlla questo per abilitare una routine di sincronizzazione giornaliera pianificata tramite lo scheduler
 DocType: Item Group,Item Classification,Classificazione Articolo
@@ -6104,6 +6173,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Registrazione pazienti fattura
 DocType: Crop,Period,periodo
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Contabilità Generale
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,All&#39;anno fiscale
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Visualizza i Leads
 DocType: Program Enrollment Tool,New Program,Nuovo programma
 DocType: Item Attribute Value,Attribute Value,Valore Attributo
@@ -6112,11 +6182,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise consigliata riordino Livello
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Il dipendente {0} del grado {1} non ha alcuna politica di congedo predefinita
 DocType: Salary Detail,Salary Detail,stipendio Dettaglio
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Si prega di selezionare {0} prima
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Si prega di selezionare {0} prima
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Aggiunto/i {0} utenti
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Nel caso di un programma multilivello, i clienti verranno assegnati automaticamente al livello interessato come da loro speso"
 DocType: Appointment Type,Physician,Medico
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Il lotto {0} di {1} scaduto.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Il lotto {0} di {1} scaduto.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Consulti
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Finito Bene
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Il prezzo dell&#39;articolo viene visualizzato più volte in base a listino prezzi, fornitore / cliente, valuta, articolo, UOM, Qtà e date."
@@ -6125,22 +6195,21 @@
 DocType: Certification Application,Name of Applicant,Nome del candidato
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Scheda attività per la produzione.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Sub Totale
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Impossibile modificare le proprietà Variant dopo la transazione stock. Dovrai creare un nuovo oggetto per farlo.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Impossibile modificare le proprietà Variant dopo la transazione stock. Dovrai creare un nuovo oggetto per farlo.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandato GoCardless SEPA
 DocType: Healthcare Practitioner,Charges,oneri
 DocType: Production Plan,Get Items For Work Order,Ottieni articoli per ordine di lavoro
 DocType: Salary Detail,Default Amount,Importo Predefinito
 DocType: Lab Test Template,Descriptive,Descrittivo
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Magazzino non trovato nel sistema
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Sommario di questo mese
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Sommario di questo mese
 DocType: Quality Inspection Reading,Quality Inspection Reading,Lettura Controllo Qualità
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Blocca Scorte più vecchie di` dovrebbero essere inferiori %d giorni .
 DocType: Tax Rule,Purchase Tax Template,Acquisto fiscale Template
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Imposta un obiettivo di vendita che desideri conseguire per la tua azienda.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Servizi di assistenza sanitaria
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Servizi di assistenza sanitaria
 ,Project wise Stock Tracking,Progetto saggio Archivio monitoraggio
 DocType: GST HSN Code,Regional,Regionale
-DocType: Delivery Note,Transport Mode,Modalità di trasporto
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorio
 DocType: UOM Category,UOM Category,Categoria UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Q.tà reale (in origine/obiettivo)
@@ -6153,7 +6222,7 @@
 DocType: Email Digest,New Purchase Orders,Nuovi Ordini di acquisto
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +26,Root cannot have a parent cost center,Root non può avere un centro di costo genitore
 apps/erpnext/erpnext/public/js/stock_analytics.js +54,Select Brand...,Seleziona Marchio ...
-apps/erpnext/erpnext/public/js/setup_wizard.js +32,Non Profit (beta),Non profitto (beta)
+apps/erpnext/erpnext/public/js/setup_wizard.js +32,Non Profit (beta),Nonprofit (beta)
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +167,Accumulated Depreciation as on,Fondo ammortamento come su
 DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Categoria di esenzione fiscale dei dipendenti
 DocType: Sales Invoice,C-Form Applicable,C-Form Applicable
@@ -6163,33 +6232,33 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Impossibile creare il sito Web
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Dettaglio di conversione Unità di Misura
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Memorizzazione stock già creata o Quantità campione non fornita
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Memorizzazione stock già creata o Quantità campione non fornita
 DocType: Program,Program Abbreviation,Abbreviazione programma
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Ordine di produzione non può essere sollevata nei confronti di un modello di elemento
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Le tariffe sono aggiornati in acquisto ricevuta contro ogni voce
 DocType: Warranty Claim,Resolved By,Deliberato dall&#39;Assemblea
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Schedule Discharge
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Assegni e depositi cancellati in modo non corretto
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Account {0}: non è possibile assegnare se stesso come conto principale
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Account {0}: non è possibile assegnare se stesso come conto principale
 DocType: Purchase Invoice Item,Price List Rate,Prezzo di Listino
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Creare le citazioni dei clienti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,La data di interruzione del servizio non può essere successiva alla data di fine del servizio
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,La data di interruzione del servizio non può essere successiva alla data di fine del servizio
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Mostra &quot;Disponibile&quot; o &quot;Non disponibile&quot; sulla base di scorte disponibili in questo magazzino.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Distinte materiali (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Tempo medio impiegato dal fornitore di consegnare
 DocType: Travel Itinerary,Check-in Date,Data del check-in
 DocType: Sample Collection,Collected By,Raccolto da
-apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.js +25,Assessment Result,valutazione dei risultati
+apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.js +25,Assessment Result,Risultato valutazione
 DocType: Hotel Room Package,Hotel Room Package,Pacchetto camera d&#39;albergo
 DocType: Employee Transfer,Employee Transfer,Trasferimento dei dipendenti
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ore
 DocType: Project,Expected Start Date,Data di inizio prevista
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correzione nella fattura
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Ordine di lavorazione già creato per tutti gli articoli con BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Ordine di lavorazione già creato per tutti gli articoli con BOM
 DocType: Payment Request,Party Details,Partito Dettagli
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Rapporto dettagli varianti
 DocType: Setup Progress Action,Setup Progress Action,Azione di progettazione di installazione
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Comprare il listino prezzi
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Listino prezzi acquisto
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Rimuovere articolo se le spese non è applicabile a tale elemento
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Annullare l&#39;iscrizione
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Selezionare Stato di manutenzione come completato o rimuovere Data di completamento
@@ -6207,7 +6276,7 @@
 DocType: Asset,Disposal Date,Smaltimento Data
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Messaggi di posta elettronica verranno inviati a tutti i dipendenti attivi della società nell&#39;ora dato, se non hanno le vacanze. Sintesi delle risposte verrà inviata a mezzanotte."
 DocType: Employee Leave Approver,Employee Leave Approver,Responsabile / Approvatore Ferie
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Riga {0}: Una voce di riordino esiste già per questo magazzino {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Riga {0}: Una voce di riordino esiste già per questo magazzino {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",Non può essere dichiarato come perso perché è stato fatto un Preventivo.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Account CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Formazione Commenti
@@ -6219,7 +6288,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,'A Data' deve essere successiva a 'Da Data'
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Sezione piè di pagina
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Aggiungi / Modifica prezzi
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Aggiungi / Modifica prezzi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,La promozione dei dipendenti non può essere presentata prima della data di promozione
 DocType: Batch,Parent Batch,Parte Batch
 DocType: Cheque Print Template,Cheque Print Template,Modello di stampa dell'Assegno
@@ -6229,6 +6298,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Raccolta di campioni
 ,Requested Items To Be Ordered,Elementi richiesti da ordinare
 DocType: Price List,Price List Name,Prezzo di listino Nome
+DocType: Delivery Stop,Dispatch Information,Informazioni sulla spedizione
 DocType: Blanket Order,Manufacturing,Produzione
 ,Ordered Items To Be Delivered,Articoli ordinati da consegnare
 DocType: Account,Income,Proventi
@@ -6242,22 +6312,21 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Anno fiscale {0} non esiste
 DocType: Asset Maintenance Log,Completion Date,Data Completamento
 DocType: Purchase Invoice Item,Amount (Company Currency),Importo (Valuta Azienda)
-DocType: Agriculture Analysis Criteria,Agriculture User,Utente dell&#39;agricoltura
+DocType: Agriculture Analysis Criteria,Agriculture User,Utente Agricoltura
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +38,Valid till date cannot be before transaction date,Valida fino alla data non può essere prima della data della transazione
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unità di {1} necessarie in {2} su {3} {4} di {5} per completare la transazione.
 DocType: Fee Schedule,Student Category,Student Categoria
 DocType: Announcement,Student,Alunno
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantità di scorta per avviare la procedura non è disponibile nel magazzino. Vuoi registrare un trasferimento stock
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantità di scorta per avviare la procedura non è disponibile nel magazzino. Vuoi registrare un trasferimento stock
 DocType: Shipping Rule,Shipping Rule Type,Tipo di regola di spedizione
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Vai alle Camere
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","La società, il conto di pagamento, la data e la data sono obbligatori"
 DocType: Company,Budget Detail,Dettaglio Budget
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Inserisci il messaggio prima di inviarlo
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICARE PER IL FORNITORE
-DocType: Email Digest,Pending Quotations,Preventivi Aperti
-DocType: Delivery Note,Distance (KM),Distanza (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Fornitore&gt; Gruppo di fornitori
 DocType: Asset,Custodian,Custode
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profilo
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profilo
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} dovrebbe essere un valore compreso tra 0 e 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Pagamento di {0} da {1} a {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Prestiti non garantiti
@@ -6276,7 +6345,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +331,You cannot credit and debit same account at the same time,"Non si può di credito e debito stesso conto , allo stesso tempo"
 DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,La frequenza cardiaca degli adulti è compresa tra 50 e 80 battiti al minuto.
 DocType: Naming Series,Help HTML,Aiuto HTML
-DocType: Student Group Creation Tool,Student Group Creation Tool,Student Gruppo strumento di creazione
+DocType: Student Group Creation Tool,Student Group Creation Tool,Strumento Creazione Gruppo Studente
 DocType: Item,Variant Based On,Variante calcolate in base a
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Weightage totale assegnato dovrebbe essere al 100% . E ' {0}
 DocType: Loyalty Point Entry,Loyalty Program Tier,Livello di programma fedeltà
@@ -6289,10 +6358,10 @@
 DocType: Lead,Converted,Convertito
 DocType: Item,Has Serial No,Ha numero di serie
 DocType: Employee,Date of Issue,Data di Pubblicazione
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Come per le Impostazioni di Acquisto se l&#39;acquisto di Reciept Required == &#39;YES&#39;, quindi per la creazione della fattura di acquisto, l&#39;utente deve creare prima la ricevuta di acquisto per l&#39;elemento {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Come per le Impostazioni di Acquisto se l&#39;acquisto di Reciept Required == &#39;YES&#39;, quindi per la creazione della fattura di acquisto, l&#39;utente deve creare prima la ricevuta di acquisto per l&#39;elemento {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Fila # {0}: Impostare Fornitore per Articolo {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Riga {0}: valore Ore deve essere maggiore di zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Website Immagine {0} collegata alla voce {1} non può essere trovato
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Website Immagine {0} collegata alla voce {1} non può essere trovato
 DocType: Issue,Content Type,Tipo Contenuto
 DocType: Asset,Assets,Risorse
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,computer
@@ -6303,7 +6372,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} non esiste
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Si prega di verificare l&#39;opzione multi valuta per consentire agli account con altra valuta
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Voce: {0} non esiste nel sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Non sei autorizzato a impostare il valore bloccato
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Non sei autorizzato a impostare il valore bloccato
 DocType: Payment Reconciliation,Get Unreconciled Entries,Ottieni entrate non riconciliate
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Il dipendente {0} è in attesa su {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nessun rimborso selezionato per Registrazione a giornale
@@ -6321,13 +6390,14 @@
 ,Average Commission Rate,Tasso medio di commissione
 DocType: Share Balance,No of Shares,No di azioni
 DocType: Taxable Salary Slab,To Amount,Ammontare
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Ha un numero di serie' non può essere 'Sì' per gli articoli non in scorta
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Ha un numero di serie' non può essere 'Sì' per gli articoli non in scorta
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Seleziona Stato
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,La presenza non può essere inserita nel futuro
 DocType: Support Search Source,Post Description Key,Posta Descrizione Chiave
 DocType: Pricing Rule,Pricing Rule Help,Regola Prezzi Aiuto
 DocType: School House,House Name,Nome della casa
 DocType: Fee Schedule,Total Amount per Student,Importo totale per studente
+DocType: Opportunity,Sales Stage,Fase di vendita
 DocType: Purchase Taxes and Charges,Account Head,Riferimento del conto
 DocType: Company,HRA Component,Componente HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,elettrico
@@ -6335,21 +6405,20 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Totale Valore Differenza (Out - In)
 DocType: Grant Application,Requested Amount,Importo richiesto
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Riga {0}: Tasso di cambio è obbligatorio
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID utente non impostato per Dipedente {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID utente non impostato per Dipedente {0}
 DocType: Vehicle,Vehicle Value,Valore veicolo
 DocType: Crop Cycle,Detected Diseases,Malattie rilevate
 DocType: Stock Entry,Default Source Warehouse,Magazzino di provenienza predefinito
 DocType: Item,Customer Code,Codice Cliente
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Promemoria Compleanno per {0}
 DocType: Asset Maintenance Task,Last Completion Date,Ultima data di completamento
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Giorni dall'ultimo ordine
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debito Per account deve essere un account di Stato Patrimoniale
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debito Per account deve essere un account di Stato Patrimoniale
 DocType: Asset,Naming Series,Denominazione Serie
 DocType: Vital Signs,Coated,rivestito
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Riga {0}: Valore previsto dopo che la vita utile deve essere inferiore all&#39;importo di acquisto lordo
 DocType: GoCardless Settings,GoCardless Settings,Impostazioni GoCardless
 DocType: Leave Block List,Leave Block List Name,Lascia Block List Nome
-DocType: Certified Consultant,Certification Validity,Validità di certificazione
+DocType: Certified Consultant,Certification Validity,Validità certificazione
 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Assicurazione Data di inizio deve essere inferiore a Assicurazione Data Fine
 DocType: Shopping Cart Settings,Display Settings,Impostazioni Visualizzazione
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock Assets,Attivo Immagini
@@ -6361,15 +6430,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Il Documento di Trasporto {0} non deve essere presentato
 DocType: Notification Control,Sales Invoice Message,Messaggio Fattura di Vendita
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Chiusura account {0} deve essere di tipo Responsabilità / Patrimonio netto
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Salario Slip of dipendente {0} già creato per foglio di tempo {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Salario Slip of dipendente {0} già creato per foglio di tempo {1}
 DocType: Vehicle Log,Odometer,Odometro
 DocType: Production Plan Item,Ordered Qty,Quantità ordinato
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Articolo {0} è disattivato
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Articolo {0} è disattivato
 DocType: Stock Settings,Stock Frozen Upto,Giacenza Bloccate Fino
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,Distinta Base non contiene alcun articolo a magazzino
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,Distinta Base non contiene alcun articolo a magazzino
 DocType: Chapter,Chapter Head,Capo capitolo
 DocType: Payment Term,Month(s) after the end of the invoice month,Mese / i dopo la fine del mese della fattura
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La struttura salariale dovrebbe disporre di componenti di benefit flessibili per erogare l&#39;importo del benefit
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La struttura salariale dovrebbe disporre di componenti di benefit flessibili per erogare l&#39;importo del benefit
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Attività / Attività del progetto.
 DocType: Vital Signs,Very Coated,Molto rivestito
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Solo impatti fiscali (non può rivendicare una parte del reddito imponibile)
@@ -6387,7 +6456,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Ore di fatturazione
 DocType: Project,Total Sales Amount (via Sales Order),Importo totale vendite (tramite ordine cliente)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Distinta Base predefinita per {0} non trovato
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Fila # {0}: Si prega di impostare la quantità di riordino
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Fila # {0}: Si prega di impostare la quantità di riordino
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tocca gli elementi da aggiungere qui
 DocType: Fees,Program Enrollment,programma Iscrizione
 DocType: Share Transfer,To Folio No,Per Folio n
@@ -6427,9 +6496,9 @@
 DocType: SG Creation Tool Course,Max Strength,Forza Max
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Installare i preset
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Nessuna nota di consegna selezionata per il cliente {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Nessuna nota di consegna selezionata per il cliente {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Il dipendente {0} non ha l&#39;importo massimo del beneficio
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Selezionare gli elementi in base alla Data di Consegna
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Selezionare gli elementi in base alla Data di Consegna
 DocType: Grant Application,Has any past Grant Record,Ha un record di sovvenzione passato
 ,Sales Analytics,Analisi dei dati di vendita
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Disponibile {0}
@@ -6437,12 +6506,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Impostazioni di Produzione
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configurazione della posta elettronica
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Inserisci valuta predefinita in Azienda Maestro
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Inserisci valuta predefinita in Azienda Maestro
 DocType: Stock Entry Detail,Stock Entry Detail,Dettaglio del Movimento di Magazzino
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Promemoria quotidiani
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Promemoria quotidiani
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Vedi tutti i biglietti aperti
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Albero delle unità di servizio sanitario
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Prodotto
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Prodotto
 DocType: Products Settings,Home Page is Products,La Home Page è Prodotti
 ,Asset Depreciation Ledger,Libro Mastro Ammortamento Asset
 DocType: Salary Structure,Leave Encashment Amount Per Day,Lasciare l&#39;importo di incassi al giorno
@@ -6452,27 +6521,29 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Costo Fornitura Materie Prime
 DocType: Selling Settings,Settings for Selling Module,Impostazioni per il Modulo Vendite
 DocType: Hotel Room Reservation,Hotel Room Reservation,Prenotazione camera d&#39;albergo
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Servizio clienti
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Servizio clienti
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nessun contatto con ID email trovato.
 DocType: Item Customer Detail,Item Customer Detail,Dettaglio articolo cliente
 DocType: Notification Control,Prompt for Email on Submission of,Richiedi Email su presentazione di
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},L&#39;importo massimo del beneficio del dipendente {0} supera {1}
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +102,Total allocated leaves are more than days in the period,Totale foglie assegnati sono più di giorni nel periodo
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +102,Total allocated leaves are more than days in the period,Totale ferie assegnate sono più giorni nel periodo
 DocType: Linked Soil Analysis,Linked Soil Analysis,Analisi del suolo collegata
 DocType: Pricing Rule,Percentage,Percentuale
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,L'Articolo {0} deve essere in Giacenza
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Deposito di default per Work In Progress
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Schedule per {0} si sovrappone, vuoi procedere dopo aver saltato gli slot sovrapposti?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Impostazioni predefinite per le operazioni contabili.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Impostazioni predefinite per le operazioni contabili.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Lascia le foglie
 DocType: Restaurant,Default Tax Template,Modello fiscale predefinito
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Gli studenti sono stati iscritti
 DocType: Fees,Student Details,Dettagli dello studente
 DocType: Purchase Invoice Item,Stock Qty,Quantità di magazzino
 DocType: Contract,Requires Fulfilment,Richiede l&#39;adempimento
+DocType: QuickBooks Migrator,Default Shipping Account,Account di spedizione predefinito
 DocType: Loan,Repayment Period in Months,Il rimborso Periodo in mese
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Errore: Non è un documento di identità valido?
-DocType: Naming Series,Update Series Number,Aggiornamento Numero di Serie
+DocType: Naming Series,Update Series Number,Aggiorna Numero della Serie
 DocType: Account,Equity,equità
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +79,{0} {1}: 'Profit and Loss' type account {2} not allowed in Opening Entry,{0} {1}: Conto economico {2} non ammesso nelle registrazioni di apertura
 DocType: Job Offer,Printing Details,Dettagli stampa
@@ -6483,11 +6554,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Quantità massima
 DocType: Journal Entry,Total Amount Currency,Importo Totale Valuta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Cerca Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Codice Articolo richiesto alla Riga N. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Codice Articolo richiesto alla Riga N. {0}
 DocType: GST Account,SGST Account,Account SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Vai a Elementi
 DocType: Sales Partner,Partner Type,Tipo di partner
-DocType: Purchase Taxes and Charges,Actual,Attuale
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Attuale
 DocType: Restaurant Menu,Restaurant Manager,Gestore del ristorante
 DocType: Authorization Rule,Customerwise Discount,Sconto Cliente saggio
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Scheda attività
@@ -6507,8 +6578,8 @@
 DocType: Employee,Applicable Holiday List,Lista Vacanze Applicabile
 DocType: Employee,Cheque,Assegno
 DocType: Training Event,Employee Emails,E-mail dei dipendenti
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,serie Aggiornato
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Tipo di Report è obbligatorio
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Serie Aggiornata
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Tipo di Report è obbligatorio
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Magazzino è obbligatorio per l'Articolo in Giacenza {0} alla Riga {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retail & Wholesale
@@ -6519,7 +6590,7 @@
 DocType: Accounting Period,Accounting Period,Periodo contabile
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +113,Clearance Date updated,Liquidazione Data di aggiornamento
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +146,Split Batch,Split Batch
-DocType: Stock Settings,Batch Identification,Identificazione in lotti
+DocType: Stock Settings,Batch Identification,Identificazione lotti
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +132,Successfully Reconciled,Riconciliati correttamente
 DocType: Request for Quotation Supplier,Download PDF,Scarica il pdf
 DocType: Work Order,Planned End Date,Data di fine pianificata
@@ -6538,7 +6609,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Aggiorna importo fatturato in ordine cliente
 DocType: BOM,Materials,Materiali
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se non controllati, la lista dovrà essere aggiunto a ciascun Dipartimento dove deve essere applicato."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Data e ora di registrazione sono obbligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Data e ora di registrazione sono obbligatori
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Modelli fiscali per le transazioni di acquisto.
 ,Item Prices,Prezzi Articolo
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,In parole saranno visibili una volta che si salva di Acquisto.
@@ -6550,25 +6621,25 @@
 DocType: Dosage Form,Dosage Form,Forma di dosaggio
 apps/erpnext/erpnext/config/selling.py +67,Price List master.,Maestro listino prezzi.
 DocType: Task,Review Date,Data di revisione
-DocType: BOM,Allow Alternative Item,Consenti elemento alternativo
+DocType: BOM,Allow Alternative Item,Consenti articolo alternativo
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie per l&#39;ammortamento dell&#39;attivo (registrazione giornaliera)
 DocType: Membership,Member Since,Membro da
 DocType: Purchase Invoice,Advance Payments,Pagamenti anticipati
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Si prega di selezionare il servizio sanitario
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Si prega di selezionare il servizio sanitario
 DocType: Purchase Taxes and Charges,On Net Total,Sul Totale Netto
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valore per l&#39;attributo {0} deve essere all&#39;interno della gamma di {1} a {2} nei incrementi di {3} per la voce {4}
 DocType: Restaurant Reservation,Waitlisted,lista d&#39;attesa
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria di esenzione
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuta non può essere modificata dopo aver fatto le voci utilizzando qualche altra valuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuta non può essere modificata dopo aver fatto le voci utilizzando qualche altra valuta
 DocType: Shipping Rule,Fixed,Fisso
 DocType: Vehicle Service,Clutch Plate,Frizione
 DocType: Company,Round Off Account,Arrotondamento Account
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Administrative Expenses,Spese Amministrative
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +18,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Basato sul listino prezzi
-DocType: Customer Group,Parent Customer Group,Parent Gruppo clienti
+DocType: Customer Group,Parent Customer Group,Gruppo clienti padre
 DocType: Vehicle Service,Change,Cambiamento
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Sottoscrizione
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Sottoscrizione
 DocType: Purchase Invoice,Contact Email,Email Contatto
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Fee Creation In attesa
 DocType: Appraisal Goal,Score Earned,Punteggio Guadagnato
@@ -6584,7 +6655,7 @@
 DocType: Delivery Note Item,Against Sales Invoice,Per Fattura Vendita
 DocType: Purchase Invoice,07-Others,07-Altri
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +158,Please enter serial numbers for serialized item ,Inserisci i numeri di serie per l&#39;articolo serializzato
-DocType: Bin,Reserved Qty for Production,Riservato Quantità per Produzione
+DocType: Bin,Reserved Qty for Production,Quantità Riservata per la Produzione
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lasciate non selezionate se non si desidera considerare il gruppo durante la creazione di gruppi basati sul corso.
 DocType: Asset,Frequency of Depreciation (Months),Frequenza di ammortamento (Mesi)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +542,Credit Account,Conto di credito
@@ -6595,23 +6666,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Contabilità Clienti /Fornitori
 DocType: Delivery Note Item,Against Sales Order Item,Dall'Articolo dell'Ordine di Vendita
 DocType: Company,Company Logo,Logo della compagnia
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Si prega di specificare Attributo Valore per l&#39;attributo {0}
-DocType: Item Default,Default Warehouse,Magazzino Predefinito
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Si prega di specificare Attributo Valore per l&#39;attributo {0}
+DocType: QuickBooks Migrator,Default Warehouse,Magazzino Predefinito
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Bilancio non può essere assegnato contro account gruppo {0}
 DocType: Shopping Cart Settings,Show Price,Mostra prezzo
 DocType: Healthcare Settings,Patient Registration,Registrazione del paziente
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Inserisci il centro di costo genitore
 DocType: Delivery Note,Print Without Amount,Stampare senza Importo
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Ammortamenti Data
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Ammortamenti Data
 ,Work Orders in Progress,Ordini di lavoro in corso
 DocType: Issue,Support Team,Support Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Scadenza (in giorni)
 DocType: Appraisal,Total Score (Out of 5),Punteggio totale (i 5)
 DocType: Student Attendance Tool,Batch,Lotto
 DocType: Support Search Source,Query Route String,Query Route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Aggiorna i prezzi come da ultimo acquisto
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Aggiorna i prezzi come da ultimo acquisto
 DocType: Donor,Donor Type,Tipo di donatore
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Aggiornamento automatico del documento aggiornato
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Aggiornamento automatico del documento aggiornato
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Saldo
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Si prega di selezionare la società
 DocType: Job Card,Job Card,Job Card
@@ -6625,7 +6696,7 @@
 DocType: Assessment Result,Total Score,Punteggio totale
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standard
 DocType: Journal Entry,Debit Note,Nota di Debito
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Puoi solo riscattare massimo {0} punti in questo ordine.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Puoi solo riscattare massimo {0} punti in questo ordine.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Inserisci l&#39;API Consumer Secret
 DocType: Stock Entry,As per Stock UOM,Come per scorte UOM
@@ -6638,10 +6709,11 @@
 DocType: Journal Entry,Total Debit,Debito totale
 DocType: Travel Request Costing,Sponsored Amount,Importo sponsorizzato
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Deposito beni ultimati
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Si prega di selezionare Paziente
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Si prega di selezionare Paziente
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Addetto alle vendite
 DocType: Hotel Room Package,Amenities,Servizi
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Bilancio e Centro di costo
+DocType: QuickBooks Migrator,Undeposited Funds Account,Conto fondi non trasferiti
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Bilancio e Centro di costo
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Non è consentito il modo di pagamento multiplo predefinito
 DocType: Sales Invoice,Loyalty Points Redemption,Punti fedeltà Punti di riscatto
 ,Appointment Analytics,Statistiche Appuntamento
@@ -6655,6 +6727,7 @@
 DocType: Batch,Manufacturing Date,Data di produzione
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Creazione dei diritti non riuscita
 DocType: Opening Invoice Creation Tool,Create Missing Party,Crea una festa mancante
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Budget totale
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lasciare vuoto se fai gruppi di studenti all&#39;anno
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Se selezionato, non totale. di giorni lavorativi includerà vacanze, e questo ridurrà il valore di salario per ogni giorno"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Le app che utilizzano la chiave corrente non saranno in grado di accedere, sei sicuro?"
@@ -6670,33 +6743,31 @@
 DocType: Opportunity Item,Basic Rate,Tasso Base
 DocType: GL Entry,Credit Amount,Ammontare del credito
 DocType: Cheque Print Template,Signatory Position,Posizione firmatario
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Imposta come persa
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Imposta come persa
 DocType: Timesheet,Total Billable Hours,Totale Ore Fatturabili
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Numero di giorni che l&#39;abbonato deve pagare le fatture generate da questa sottoscrizione
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Dettaglio dell&#39;applicazione dei benefici per i dipendenti
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Nota Ricevuta di pagamento
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Questo si basa su operazioni contro questo cliente. Vedere cronologia sotto per i dettagli
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Riga {0}: l'importo assegnato {1} deve essere inferiore o uguale alI'importo del Pagamento {2}
 DocType: Program Enrollment Tool,New Academic Term,Nuovo termine accademico
 ,Course wise Assessment Report,Rapporto di valutazione saggio
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Tassa ITC Stato / UT disponibile
 DocType: Tax Rule,Tax Rule,Regola fiscale
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantenere lo stesso prezzo per tutto il ciclo di vendita
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Effettua il login come un altro utente per registrarsi sul Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Effettua il login come un altro utente per registrarsi sul Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Pianificare i registri di tempo al di fuori dell&#39;orario di lavoro Workstation.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,I clienti in coda
 DocType: Driver,Issuing Date,Data di rilascio
-DocType: Procedure Prescription,Appointment Booked,Appuntamento prenotato
+DocType: Procedure Prescription,Appointment Booked,Appuntamento confermato
 DocType: Student,Nationality,Nazionalità
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Invia questo ordine di lavoro per ulteriori elaborazioni.
 ,Items To Be Requested,Articoli da richiedere
 DocType: Company,Company Info,Info Azienda
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Selezionare o aggiungere nuovo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Selezionare o aggiungere nuovo cliente
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Centro di costo è necessario per prenotare un rimborso spese
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Applicazione dei fondi ( Assets )
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Questo si basa sulla presenza di questo dipendente
-DocType: Assessment Result,Summary,Sommario
 DocType: Payment Request,Payment Request Type,Tipo di richiesta di pagamento
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Segna la presenza
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Conto di addebito
@@ -6704,7 +6775,7 @@
 DocType: Additional Salary,Employee Name,Nome Dipendente
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Ristorante Articolo di ordinazione voce
 DocType: Purchase Invoice,Rounded Total (Company Currency),Totale arrotondato (Azienda valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Non può convertirsi gruppo perché è stato selezionato Tipo di account.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Non può convertirsi gruppo perché è stato selezionato Tipo di account.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} è stato modificato. Aggiornare prego.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impedire agli utenti di effettuare richieste di permesso per i giorni successivi.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Se la scadenza è illimitata per i Punti Fedeltà, mantenere la Durata Scadenza vuota o 0."
@@ -6725,11 +6796,12 @@
 DocType: Asset,Out of Order,Guasto
 DocType: Purchase Receipt Item,Accepted Quantity,Quantità accettata
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignora sovrapposizione tempo workstation
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Si prega di impostare un valore predefinito lista per le vacanze per i dipendenti {0} o {1} società
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Si prega di impostare un valore predefinito lista per le vacanze per i dipendenti {0} o {1} società
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} non esiste
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Selezionare i numeri di batch
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,A GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,A GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Fatture sollevate dai Clienti.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Appuntamenti fattura automaticamente
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Progetto Id
 DocType: Salary Component,Variable Based On Taxable Salary,Variabile basata sullo stipendio tassabile
 DocType: Company,Basic Component,Componente di base
@@ -6742,10 +6814,10 @@
 DocType: Stock Entry,Source Warehouse Address,Indirizzo del magazzino di origine
 DocType: GL Entry,Voucher Type,Voucher Tipo
 DocType: Amazon MWS Settings,Max Retry Limit,Limite massimo tentativi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Listino Prezzi non trovato o disattivato
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Listino Prezzi non trovato o disattivato
 DocType: Student Applicant,Approved,Approvato
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Prezzo
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Dipendente esonerato da {0} deve essere impostato come 'Congedato'
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Dipendente esonerato da {0} deve essere impostato come 'Congedato'
 DocType: Marketplace Settings,Last Sync On,Ultima sincronizzazione attivata
 DocType: Guardian,Guardian,Custode
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Tutte le comunicazioni incluse e superiori a questa saranno trasferite nel nuovo numero
@@ -6753,7 +6825,7 @@
 DocType: Item Alternative,Item Alternative,Opzione alternativa
 DocType: Healthcare Settings,Default income accounts to be used if not set in Healthcare Practitioner to book Appointment charges.,Conti del reddito di default da utilizzare se non stabiliti in Healthcare Practitioner per prenotare le spese di nomina.
 DocType: Opening Invoice Creation Tool,Create missing customer or supplier.,Creare un cliente o un fornitore mancante.
-apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Valutazione {0} creato per Employee {1} nel determinato intervallo di date
+apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Valutazione {0} creata per il Dipendente {1} nel periodo
 DocType: Academic Term,Education,Educazione
 DocType: Payroll Entry,Salary Slips Created,Slittamenti di salario creati
 DocType: Inpatient Record,Expected Discharge,Scarico previsto
@@ -6768,14 +6840,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Elenco delle malattie rilevate sul campo. Quando selezionato, aggiungerà automaticamente un elenco di compiti per affrontare la malattia"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Questa è un&#39;unità di assistenza sanitaria di root e non può essere modificata.
 DocType: Asset Repair,Repair Status,Stato di riparazione
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Aggiungi partner di vendita
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Diario scritture contabili.
 DocType: Travel Request,Travel Request,Richiesta di viaggio
 DocType: Delivery Note Item,Available Qty at From Warehouse,Disponibile Quantità a partire Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Si prega di selezionare i dipendenti Record prima.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Partecipazione non inviata per {0} in quanto è una festività.
 DocType: POS Profile,Account for Change Amount,Conto per quantità di modifica
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Connessione a QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Guadagno / perdita totale
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Società non valida per la fattura interna all&#39;azienda.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Società non valida per la fattura interna all&#39;azienda.
 DocType: Purchase Invoice,input service,servizio di input
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riga {0}: Partner / Account non corrisponde con {1} / {2} {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promozione dei dipendenti
@@ -6784,12 +6858,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Codice del corso:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Inserisci il Conto uscite
 DocType: Account,Stock,Magazzino
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno di Ordine di Acquisto, fatture di acquisto o diario"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno di Ordine di Acquisto, fatture di acquisto o diario"
 DocType: Employee,Current Address,Indirizzo Corrente
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se l'articolo è una variante di un altro elemento poi descrizione, immagini, prezzi, tasse ecc verrà impostata dal modello se non espressamente specificato"
 DocType: Serial No,Purchase / Manufacture Details,Acquisto / Produzione Dettagli
-DocType: Assessment Group,Assessment Group,Gruppo di valutazione
-apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventario Batch
+DocType: Assessment Group,Assessment Group,Gruppo valutazione
+apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventario lotti
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Nome della procedura
 DocType: Employee,Contract End Date,Data fine Contratto
 DocType: Amazon MWS Settings,Seller ID,ID venditore
@@ -6809,12 +6884,12 @@
 DocType: Company,Date of Incorporation,Data di incorporazione
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Totale IVA
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Ultimo prezzo di acquisto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Per quantità (Quantità Prodotte) è obbligatorio
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Per quantità (Quantità Prodotte) è obbligatorio
 DocType: Stock Entry,Default Target Warehouse,Magazzino di Destinazione Predefinito
 DocType: Purchase Invoice,Net Total (Company Currency),Totale Netto (Valuta Azienda)
 DocType: Delivery Note,Air,Aria
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,La Data di fine anno non può essere anteriore alla data di inizio anno. Si prega di correggere le date e riprovare.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} non è presente nell'elenco delle festività opzionali
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} non è presente nell'elenco delle festività opzionali
 DocType: Notification Control,Purchase Receipt Message,Messaggio di Ricevuta di Acquisto
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Scrap Articoli
@@ -6836,25 +6911,27 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Compimento
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Sul valore della riga precedente
 DocType: Item,Has Expiry Date,Ha la data di scadenza
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Trasferimento Asset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Trasferimento Asset
 DocType: POS Profile,POS Profile,POS Profilo
 DocType: Training Event,Event Name,Nome dell&#39;evento
 DocType: Healthcare Practitioner,Phone (Office),Telefono (Ufficio)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Impossibile inviare, dipendenti lasciati per contrassegnare la presenza"
 DocType: Inpatient Record,Admission,Ammissione
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Ammissioni per {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Stagionalità per impostare i budget, obiettivi ecc"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Stagionalità per impostare i budget, obiettivi ecc"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nome variabile
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","L'articolo {0} è un modello, si prega di selezionare una delle sue varianti"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configurare il sistema di denominazione dei dipendenti in Risorse umane&gt; Impostazioni HR
+DocType: Purchase Invoice Item,Deferred Expense,Spese differite
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Dalla data {0} non può essere precedente alla data di iscrizione del dipendente {1}
 DocType: Asset,Asset Category,Asset Categoria
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Retribuzione netta non può essere negativa
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Retribuzione netta non può essere negativa
 DocType: Purchase Order,Advance Paid,Anticipo versato
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentuale di sovrapproduzione per ordine di vendita
 DocType: Item,Item Tax,Tasse dell'Articolo
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiale al Fornitore
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiale al Fornitore
 DocType: Soil Texture,Loamy Sand,Sabbia argillosa
-DocType: Production Plan,Material Request Planning,Pianificazione richiesta materiale
+DocType: Production Plan,Material Request Planning,Pianificazione Richiesta Materiale
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Accise Fattura
 apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Soglia {0}% appare più di una volta
 DocType: Expense Claim,Employees Email Id,Email Dipendenti
@@ -6871,14 +6948,14 @@
 DocType: Asset Maintenance Team,Asset Maintenance Team,Asset Maintenance Team
 apps/erpnext/erpnext/setup/default_success_action.py +13,{0} has been submitted successfully,{0} è stato inviato correttamente
 DocType: Loan,Loan Type,Tipo di prestito
-DocType: Scheduling Tool,Scheduling Tool,Strumento di pianificazione
+DocType: Scheduling Tool,Scheduling Tool,Strumento di Pianificazione
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,carta di credito
 DocType: BOM,Item to be manufactured or repacked,Voce da fabbricati o nuovamente imballati
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Errore di sintassi nella condizione: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Errore di sintassi nella condizione: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Principali / Opzionale Soggetti
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Si prega di impostare il gruppo di fornitori in Impostazioni acquisto.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Si prega di impostare il gruppo di fornitori in Impostazioni acquisto.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",L&#39;importo totale del componente di benefit flessibile {0} non dovrebbe essere inferiore \ rispetto ai massimi benefici {1}
 DocType: Sales Invoice Item,Drop Ship,Consegna diretta
 DocType: Driver,Suspended,Sospeso
@@ -6898,22 +6975,22 @@
 DocType: Customer,Commission Rate,Tasso Commissione
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Voci di pagamento create con successo
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Creato {0} scorecard per {1} tra:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Crea variante
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Crea variante
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipo di pagamento deve essere uno dei Ricevere, Pay e di trasferimento interno"
 DocType: Travel Itinerary,Preferred Area for Lodging,Area preferita per alloggio
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analisi dei dati
-apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +25,Cart is Empty,Carrello è Vuoto
+apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +25,Cart is Empty,Il carrello è vuoto
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +416,"Item {0} has no Serial No. Only serilialized items \
 						can have delivery based on Serial No",L&#39;articolo {0} non ha numero di serie. Solo articoli serilializzati \ può avere consegna in base al numero di serie
 DocType: Vehicle,Model,Modello
 DocType: Work Order,Actual Operating Cost,Costo operativo effettivo
 DocType: Payment Entry,Cheque/Reference No,N. di riferimento
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root non può essere modificato .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root non può essere modificato .
 DocType: Item,Units of Measure,Unità di misura
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Affittato in Metro City
 DocType: Supplier,Default Tax Withholding Config,Imposta di ritenuta d&#39;acconto predefinita
-DocType: Manufacturing Settings,Allow Production on Holidays,Consentire una produzione su Holidays
+DocType: Manufacturing Settings,Allow Production on Holidays,Consenti produzione su Vacanze
 DocType: Sales Invoice,Customer's Purchase Order Date,Data ordine acquisto Cliente
 DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.-
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +173,Capital Stock,Capitale Sociale
@@ -6927,21 +7004,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Dopo il completamento pagamento reindirizzare utente a pagina selezionata.
 DocType: Company,Existing Company,società esistente
 DocType: Healthcare Settings,Result Emailed,Risultato inviato via email
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",La categoria fiscale è stata modificata in &quot;Totale&quot; perché tutti gli articoli sono oggetti non in magazzino
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",La categoria fiscale è stata modificata in &quot;Totale&quot; perché tutti gli articoli sono oggetti non in magazzino
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Ad oggi non può essere uguale o inferiore alla data
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Niente da cambiare
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Seleziona un file csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Seleziona un file csv
 DocType: Holiday List,Total Holidays,Totale delle vacanze
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Modello di email mancante per la spedizione. Si prega di impostarne uno in Impostazioni di consegna.
 DocType: Student Leave Application,Mark as Present,Segna come Presente
 DocType: Supplier Scorecard,Indicator Color,Colore dell&#39;indicatore
 DocType: Purchase Order,To Receive and Bill,Da ricevere e fatturare
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Riga n. {0}: La data di consegna richiesta non può essere precedente alla data della transazione
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Riga n. {0}: La data di consegna richiesta non può essere precedente alla data della transazione
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,prodotti sponsorizzati
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Seleziona numero di serie
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Seleziona numero di serie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Designer
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Termini e condizioni Template
 DocType: Serial No,Delivery Details,Dettagli Consegna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,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}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,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}
 DocType: Program,Program Code,Codice di programma
 DocType: Terms and Conditions,Terms and Conditions Help,Termini e condizioni Aiuto
 ,Item-wise Purchase Register,Articolo-saggio Acquisto Registrati
@@ -6954,15 +7032,16 @@
 DocType: Contract,Contract Terms,Termini del contratto
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Non visualizzare nessun simbolo tipo € dopo le Valute.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},L&#39;importo massimo del vantaggio del componente {0} supera {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Mezza giornata)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Mezza giornata)
 DocType: Payment Term,Credit Days,Giorni Credito
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Selezionare Patient per ottenere i test di laboratorio
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Crea un Insieme di Studenti
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Permetti trasferimento dal produttore
 DocType: Leave Type,Is Carry Forward,È Portare Avanti
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Recupera elementi da Distinta Base
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Recupera elementi da Distinta Base
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Giorni per la Consegna
 DocType: Cash Flow Mapping,Is Income Tax Expense,È l&#39;esenzione dall&#39;imposta sul reddito
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Il tuo ordine è fuori consegna!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Data di registrazione deve essere uguale alla data di acquisto {1} per l'asset {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Controllare questo se lo studente è residente presso l&#39;Ostello dell&#39;Istituto.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Si prega di inserire gli ordini di vendita nella tabella precedente
@@ -6970,10 +7049,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Trasferire un bene da un magazzino all&#39;altro
 DocType: Vehicle,Petrol,Benzina
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Benefici rimanenti (annuale)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Distinte materiali
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Distinte materiali
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Riga {0}: Tipo Partner e Partner sono necessari per conto Crediti / Debiti  {1}
 DocType: Employee,Leave Policy,Lascia politica
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Aggiorna Articoli
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Aggiorna Articoli
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Data Rif
 DocType: Employee,Reason for Leaving,Motivo per Lasciare
 DocType: BOM Operation,Operating Cost(Company Currency),Costi di funzionamento (Società di valuta)
@@ -6984,7 +7063,7 @@
 DocType: Department,Expense Approvers,Approvvigionatori di spese
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Riga {0}: addebito iscrizione non può essere collegato con un {1}
 DocType: Journal Entry,Subscription Section,Sezione di sottoscrizione
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Il Conto {0} non esiste
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Il Conto {0} non esiste
 DocType: Training Event,Training Program,Programma di allenamento
 DocType: Account,Cash,Contante
 DocType: Employee,Short biography for website and other publications.,Breve biografia per il sito web e altre pubblicazioni.
diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv
index 7619e70..afdc806 100644
--- a/erpnext/translations/ja.csv
+++ b/erpnext/translations/ja.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,顧客アイテム
 DocType: Project,Costing and Billing,原価計算と請求
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},事前勘定通貨は、会社通貨{0}と同じである必要があります。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,アカウント{0}:親勘定{1}は元帳にすることができません
+DocType: QuickBooks Migrator,Token Endpoint,トークンエンドポイント
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,アカウント{0}:親勘定{1}は元帳にすることができません
 DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.comにアイテムを発行
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,有効期間を見つけることができません
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,有効期間を見つけることができません
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,評価
 DocType: Item,Default Unit of Measure,デフォルト数量単位
 DocType: SMS Center,All Sales Partner Contact,全ての販売パートナー連絡先
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,入力をクリックして追加
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",パスワード、APIキー、またはShopify URLの値がありません
 DocType: Employee,Rented,賃貸
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,すべてのアカウント
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,すべてのアカウント
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,ステータスが「左」の従業員は譲渡できません
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止中の製造指示をキャンセルすることはできません。キャンセルする前に停止解除してください
 DocType: Vehicle Service,Mileage,マイレージ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,本当にこの資産を廃棄しますか?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,本当にこの資産を廃棄しますか?
 DocType: Drug Prescription,Update Schedule,スケジュールの更新
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,デフォルトサプライヤーを選択
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,従業員を表示
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,新しい為替レート
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},価格表{0}には通貨が必要です
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},価格表{0}には通貨が必要です
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,※取引内で計算されます。
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT- .YYYY.-
 DocType: Purchase Order,Customer Contact,顧客連絡先
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,これは、このサプライヤーに対する取引に基づいています。詳細については、以下のタイムラインを参照してください。
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,作業オーダーの生産過剰率
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,法務
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,法務
+DocType: Delivery Note,Transport Receipt Date,運送受取日
 DocType: Shopify Settings,Sales Order Series,受注シリーズ
 DocType: Vital Signs,Tongue,舌
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA免除
 DocType: Sales Invoice,Customer Name,顧客名
 DocType: Vehicle,Natural Gas,天然ガス
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},銀行口座は {0} のように名前を付けることはできません
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},銀行口座は {0} のように名前を付けることはできません
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,給与構造ごとのHRA
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,会計エントリに対する科目(またはグループ)が作成され、残高が維持されます
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),{0}の残高はゼロより小さくすることはできません({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,サービス停止日はサービス開始日前にすることはできません
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,サービス停止日はサービス開始日前にすることはできません
 DocType: Manufacturing Settings,Default 10 mins,デフォルト 10分
 DocType: Leave Type,Leave Type Name,休暇タイプ名
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,オープンを表示
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,オープンを表示
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,シリーズを正常に更新しました
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,チェックアウト
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},行{1}の{0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},行{1}の{0}
 DocType: Asset Finance Book,Depreciation Start Date,減価償却開始日
 DocType: Pricing Rule,Apply On,適用
 DocType: Item Price,Multiple Item prices.,複数のアイテム価格
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,サポートの設定
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,終了予定日は、予想開始日より前にすることはできません
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWSの設定
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:単価は {1}と同じである必要があります:{2}({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:単価は {1}と同じである必要があります:{2}({3} / {4})
 ,Batch Item Expiry Status,バッチアイテム有効期限ステータス
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,銀行為替手形
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,優先連絡先の詳細
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,課題を開く
 DocType: Production Plan Item,Production Plan Item,生産計画アイテム
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},ユーザー{0}はすでに従業員{1}に割り当てられています
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},ユーザー{0}はすでに従業員{1}に割り当てられています
 DocType: Lab Test Groups,Add new line,新しい行を追加
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,健康管理
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),支払遅延(日数)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,研究室処方
 ,Delay Days,遅延日数
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,サービス費用
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},シリアル番号:{0}は既に販売請求書:{1}で参照されています
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},シリアル番号:{0}は既に販売請求書:{1}で参照されています
 DocType: Bank Statement Transaction Invoice Item,Invoice,請求
 DocType: Purchase Invoice Item,Item Weight Details,アイテムの重量の詳細
 DocType: Asset Maintenance Log,Periodicity,周期性
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,会計年度{0}が必要です
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,サプライヤ&gt;サプライヤグループ
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,最適な成長のための植物の列間の最小距離
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,防御
 DocType: Salary Component,Abbr,略称
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,休日のリスト
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,会計士
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,販売価格リスト
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,販売価格リスト
 DocType: Patient,Tobacco Current Use,たばこの現在の使用
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,販売価格
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,販売価格
 DocType: Cost Center,Stock User,在庫ユーザー
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg)/ K
+DocType: Delivery Stop,Contact Information,連絡先
 DocType: Company,Phone No,電話番号
 DocType: Delivery Trip,Initial Email Notification Sent,送信された最初の電子メール通知
 DocType: Bank Statement Settings,Statement Header Mapping,ステートメントヘッダーマッピング
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,購読開始日
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,定額料金を予約するために患者に設定されていない場合に使用されるデフォルトの受領可能口座。
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",古い名前、新しい名前の計2列となっている.csvファイルを添付してください
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,住所2から
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,商品コード&gt;商品グループ&gt;ブランド
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,住所2から
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1}ではない任意のアクティブ年度インチ
 DocType: Packed Item,Parent Detail docname,親詳細文書名
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",参照:{0}・アイテムコード:{1}・顧客:{2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1}は親会社に存在しません
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1}は親会社に存在しません
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,試用期間終了日試用期間開始日前にすることはできません。
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,税の源泉徴収カテゴリ
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,広告
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,同じ会社が複数回入力されています
 DocType: Patient,Married,結婚してる
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} は許可されていません
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} は許可されていません
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,アイテム取得元
 DocType: Price List,Price Not UOM Dependant,単位に依存しない価格
 DocType: Purchase Invoice,Apply Tax Withholding Amount,源泉徴収税額の適用
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},納品書{0}に対して在庫を更新することはできません
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,合計金額
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},納品書{0}に対して在庫を更新することはできません
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,合計金額
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},製品{0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,リストされたアイテムはありません
 DocType: Asset Repair,Error Description,エラーの説明
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,カスタムキャッシュフローフォーマットの使用
 DocType: SMS Center,All Sales Person,全ての営業担当者
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**毎月分配**は、あなたのビジネスで季節を持っている場合は、数ヶ月を横断予算/ターゲットを配布するのに役立ちます。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,アイテムが見つかりません
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,給与構造の欠落
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,アイテムが見つかりません
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,給与構造の欠落
 DocType: Lead,Person Name,人名
 DocType: Sales Invoice Item,Sales Invoice Item,請求明細
 DocType: Account,Credit,貸方
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,在庫レポート
 DocType: Warehouse,Warehouse Detail,倉庫の詳細
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,期間終了日は、後の項が(アカデミック・イヤー{})リンクされている年度の年度終了日を超えることはできません。日付を訂正して、もう一度お試しください。
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",アイテムに対して資産レコードが存在するため「固定資産」をオフにすることができません
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",アイテムに対して資産レコードが存在するため「固定資産」をオフにすることができません
 DocType: Delivery Trip,Departure Time,出発時間
 DocType: Vehicle Service,Brake Oil,ブレーキオイル
 DocType: Tax Rule,Tax Type,税タイプ
 ,Completed Work Orders,完了した作業オーダー
 DocType: Support Settings,Forum Posts,フォーラム投稿
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,課税額
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,課税額
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},{0}以前のエントリーを追加または更新する権限がありません
 DocType: Leave Policy,Leave Policy Details,ポリシーの詳細を残す
 DocType: BOM,Item Image (if not slideshow),アイテム画像(スライドショーされていない場合)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(時間単価 ÷ 60)× 実際の作業時間
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行番号{0}:参照伝票タイプは経費請求または仕訳入力のいずれかでなければなりません
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM選択
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行番号{0}:参照伝票タイプは経費請求または仕訳入力のいずれかでなければなりません
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM選択
 DocType: SMS Log,SMS Log,SMSログ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,納品済アイテムの費用
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0}上の休日は、日付からと日付までの間ではありません
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,サプライヤー順位のテンプレート。
 DocType: Lead,Interested,関心あり
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,期首
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},{0}から{1}へ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},{0}から{1}へ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,プログラム:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,税金の設定に失敗しました
 DocType: Item,Copy From Item Group,項目グループからコピーする
-DocType: Delivery Trip,Delivery Notification,配達のお知らせ
 DocType: Journal Entry,Opening Entry,エントリーを開く
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,支払専用アカウント
 DocType: Loan,Repay Over Number of Periods,期間数を超える返済
 DocType: Stock Entry,Additional Costs,追加費用
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,既存の取引を持つアカウントをグループに変換することはできません。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,既存の取引を持つアカウントをグループに変換することはできません。
 DocType: Lead,Product Enquiry,製品のお問い合わせ
 DocType: Education Settings,Validate Batch for Students in Student Group,生徒グループ内の生徒のバッチを検証する
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},従業員が見つかりませ休暇レコードはありません{0} {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,最初の「会社」を入力してください
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,会社を選択してください
 DocType: Employee Education,Under Graduate,在学生
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,HR設定でステータス通知を残すためのデフォルトテンプレートを設定してください。
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,HR設定でステータス通知を残すためのデフォルトテンプレートを設定してください。
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,目標
 DocType: BOM,Total Cost,費用合計
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,決算報告
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,医薬品
 DocType: Purchase Invoice Item,Is Fixed Asset,固定資産であります
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",利用可能数量 {0} に対し {1} が要求されています
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",利用可能数量 {0} に対し {1} が要求されています
 DocType: Expense Claim Detail,Claim Amount,請求額
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},作業命令は{0}でした
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,品質検査テンプレート
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",あなたが出席を更新しますか? <br>現在:{0} \ <br>不在:{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},受入数と拒否数の合計はアイテム{0}の受領数と等しくなければなりません
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},受入数と拒否数の合計はアイテム{0}の受領数と等しくなければなりません
 DocType: Item,Supply Raw Materials for Purchase,購入のための原材料供給
 DocType: Agriculture Analysis Criteria,Fertilizer,肥料
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",\ Item {0}が\ Serial番号で配送保証ありとなしで追加されるため、Serial Noによる配送を保証できません
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,支払いの少なくとも1モードはPOS請求書に必要とされます。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,支払いの少なくとも1モードはPOS請求書に必要とされます。
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,銀行報告書トランザクション請求書明細
 DocType: Products Settings,Show Products as a List,製品をリストとして表示
 DocType: Salary Detail,Tax on flexible benefit,柔軟な給付に対する税金
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,相違数
 DocType: Production Plan,Material Request Detail,品目依頼の詳細
 DocType: Selling Settings,Default Quotation Validity Days,デフォルト見積り有効日数
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",アイテム料金の行{0}に税を含めるには、行{1}の税も含まれていなければなりません
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",アイテム料金の行{0}に税を含めるには、行{1}の税も含まれていなければなりません
 DocType: SMS Center,SMS Center,SMSセンター
 DocType: Payroll Entry,Validate Attendance,出席確認
 DocType: Sales Invoice,Change Amount,変化量
 DocType: Party Tax Withholding Config,Certificate Received,受領した証明書
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2Cの請求書値を設定します。この請求書の値に基づいて計算されたB2CLおよびB2CS。
 DocType: BOM Update Tool,New BOM,新しい部品表
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,規定の手続き
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,規定の手続き
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,POSのみ表示
 DocType: Supplier Group,Supplier Group Name,サプライヤグループ名
 DocType: Driver,Driving License Categories,運転免許のカテゴリ
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,給与計算期間
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,従業員作成
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,放送
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS(オンライン/オフライン)の設定モード
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS(オンライン/オフライン)の設定モード
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,作業オーダーに対する時間ログの作成を無効にします。作業命令は作業命令に対して追跡してはならない
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,実行
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,作業遂行の詳細
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),価格表での割引率(%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,アイテムテンプレート
 DocType: Job Offer,Select Terms and Conditions,規約を選択
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,タイムアウト値
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,タイムアウト値
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,銀行明細書設定項目
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerceの設定
 DocType: Production Plan,Sales Orders,受注
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,見積依頼は、以下のリンクをクリックすることによってアクセスすることができます
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG作成ツールコース
 DocType: Bank Statement Transaction Invoice Item,Payment Description,支払明細
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,不十分な証券
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,不十分な証券
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,キャパシティプランニングとタイムトラッキングを無効にします
 DocType: Email Digest,New Sales Orders,新しい注文
 DocType: Bank Account,Bank Account,銀行口座
 DocType: Travel Itinerary,Check-out Date,チェックアウト日
 DocType: Leave Type,Allow Negative Balance,マイナス残高を許可
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',プロジェクトタイプ「外部」を削除することはできません
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,代替アイテムを選択
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,代替アイテムを選択
 DocType: Employee,Create User,ユーザーの作成
 DocType: Selling Settings,Default Territory,デフォルト地域
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,TV
 DocType: Work Order Operation,Updated via 'Time Log',「時間ログ」から更新
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,顧客またはサプライヤーを選択します。
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},前払金は {0} {1} より大きくすることはできません
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},前払金は {0} {1} より大きくすることはできません
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",タイムスロットがスキップされ、スロット{0}から{1}が既存のスロット{2}と{3}
 DocType: Naming Series,Series List for this Transaction,この取引のシリーズ一覧
 DocType: Company,Enable Perpetual Inventory,永久在庫を有効にする
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,対販売伝票アイテム
 DocType: Agriculture Analysis Criteria,Linked Doctype,リンクされたDoctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,財務によるキャッシュ・フロー
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save",localStorageの容量不足のため保存されませんでした
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save",localStorageの容量不足のため保存されませんでした
 DocType: Lead,Address & Contact,住所・連絡先
 DocType: Leave Allocation,Add unused leaves from previous allocations,前回の割当から未使用の休暇を追加
 DocType: Sales Partner,Partner website,パートナーサイト
@@ -446,10 +446,10 @@
 ,Open Work Orders,作業オーダーを開く
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,アウト患者の診察料金項目
 DocType: Payment Term,Credit Months,信用月間
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,ネットペイは0未満にすることはできません
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,ネットペイは0未満にすることはできません
 DocType: Contract,Fulfilled,完成品
 DocType: Inpatient Record,Discharge Scheduled,放電スケジュール
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,退職日は入社日より後でなければなりません
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,退職日は入社日より後でなければなりません
 DocType: POS Closing Voucher,Cashier,レジ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,年次休暇
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:前払エントリである場合、アカウント{1}に対する「前払」をご確認ください
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,生徒グループ下に生徒を設定してください
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,コンプリート・ジョブ
 DocType: Item Website Specification,Item Website Specification,アイテムのWebサイトの仕様
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,休暇
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},アイテム{0}は{1}に耐用年数の終わりに達します
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,休暇
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},アイテム{0}は{1}に耐用年数の終わりに達します
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,銀行エントリー
 DocType: Customer,Is Internal Customer,内部顧客
 DocType: Crop,Annual,年次
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",自動オプトインがチェックされている場合、顧客は自動的に関連するロイヤリティプログラムにリンクされます(保存時)
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,在庫棚卸アイテム
 DocType: Stock Entry,Sales Invoice No,請求番号
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,電源タイプ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,電源タイプ
 DocType: Material Request Item,Min Order Qty,最小注文数量
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,生徒グループ作成ツールコース
 DocType: Lead,Do Not Contact,コンタクト禁止
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,ハブに公開
 DocType: Student Admission,Student Admission,生徒入学
 ,Terretory,地域
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,アイテム{0}をキャンセルしました
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,アイテム{0}をキャンセルしました
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,減価償却行{0}:減価償却開始日は過去の日付として入力されます
 DocType: Contract Template,Fulfilment Terms and Conditions,フルフィルメント利用規約
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,資材要求
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,資材要求
 DocType: Bank Reconciliation,Update Clearance Date,清算日の更新
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,仕入詳細
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},仕入注文 {1} の「原材料供給」テーブルにアイテム {0} が見つかりません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},仕入注文 {1} の「原材料供給」テーブルにアイテム {0} が見つかりません
 DocType: Salary Slip,Total Principal Amount,総プリンシパル金額
 DocType: Student Guardian,Relation,関連
 DocType: Student Guardian,Mother,母
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,配送郡
 DocType: Currency Exchange,For Selling,販売のため
 apps/erpnext/erpnext/config/desktop.py +159,Learn,学ぶ
+DocType: Purchase Invoice Item,Enable Deferred Expense,繰延経費を有効にする
 DocType: Asset,Next Depreciation Date,次の減価償却日
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,従業員一人あたりの活動費用
 DocType: Accounts Settings,Settings for Accounts,アカウント設定
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},サプライヤ請求書なしでは購入請求書に存在する{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},サプライヤ請求書なしでは購入請求書に存在する{0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,セールスパーソンツリーを管理します。
 DocType: Job Applicant,Cover Letter,カバーレター
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,明らかに優れた小切手および預金
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,職歴(他社)
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,循環参照エラー
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,学生レポートカード
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,ピンコードから
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,ピンコードから
 DocType: Appointment Type,Is Inpatient,入院中
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,保護者1 名前
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,納品書を保存すると「表記(エクスポート)」が表示されます。
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,複数通貨
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,請求書タイプ
 DocType: Employee Benefit Claim,Expense Proof,経費の証明
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,納品書
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},{0}を保存しています
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,納品書
 DocType: Patient Encounter,Encounter Impression,出会いの印象
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,税設定
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,販売資産の取得原価
 DocType: Volunteer,Morning,朝
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,支払エントリが変更されています。引用しなおしてください
 DocType: Program Enrollment Tool,New Student Batch,新しい生徒バッチ
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,アイテムの税金に{0}が2回入力されています
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,今週と保留中の活動の概要
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,アイテムの税金に{0}が2回入力されています
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,今週と保留中の活動の概要
 DocType: Student Applicant,Admitted,認められました
 DocType: Workstation,Rent Cost,地代・賃料
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,減価償却後の金額
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,減価償却後の金額
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,今後のカレンダーイベント
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,バリエーション属性
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,月と年を選択してください
@@ -616,8 +618,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},{0} {1} では会社ごとに1アカウントのみとなります
 DocType: Support Search Source,Response Result Key Path,応答結果のキーパス
 DocType: Journal Entry,Inter Company Journal Entry,インターカンパニージャーナルエントリ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},数量{0}が作業オーダー数量{1}よりも大きいべきでない場合
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,添付ファイルを参照してください
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},数量{0}が作業オーダー数量{1}よりも大きいべきでない場合
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,添付ファイルを参照してください
 DocType: Purchase Order,% Received,%受領
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,生徒グループを作成
 DocType: Volunteer,Weekends,週末
@@ -657,7 +659,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,残高の総額
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,既存のシリーズについて、開始/現在の連続番号を変更します。
 DocType: Dosage Strength,Strength,力
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,新しい顧客を作成します。
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,新しい顧客を作成します。
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,有効期限切れ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",複数の価格設定ルールが優先しあった場合、ユーザーは、競合を解決するために、手動で優先度を設定するように求められます。
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,発注書を作成します
@@ -668,17 +670,18 @@
 DocType: Workstation,Consumable Cost,消耗品費
 DocType: Purchase Receipt,Vehicle Date,車両日付
 DocType: Student Log,Medical,検診
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,失敗の原因
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,ドラッグを選択してください
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,失敗の原因
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,ドラッグを選択してください
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,リード所有者は、リードと同じにすることはできません
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,配分される金額未調整の量よりも多くすることはできません
 DocType: Announcement,Receiver,受信機
 DocType: Location,Area UOM,エリアUOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},作業所は、休日リストに従って、次の日に休業します:{0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,機会
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,機会
 DocType: Lab Test Template,Single,シングル
 DocType: Compensatory Leave Request,Work From Date,日付からの作業
 DocType: Salary Slip,Total Loan Repayment,合計ローンの返済
+DocType: Project User,View attachments,添付ファイルを表示する
 DocType: Account,Cost of Goods Sold,売上原価
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,「コストセンター」を入力してください
 DocType: Drug Prescription,Dosage,投薬量
@@ -689,7 +692,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,数量とレート
 DocType: Delivery Note,% Installed,%インストール
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/講演会をスケジュールすることができ研究所など。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,両社の会社通貨は、インターカンパニー取引と一致する必要があります。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,両社の会社通貨は、インターカンパニー取引と一致する必要があります。
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,最初の「会社」名を入力してください
 DocType: Travel Itinerary,Non-Vegetarian,非菜食主義者
 DocType: Purchase Invoice,Supplier Name,サプライヤー名
@@ -699,7 +702,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,一時的に保留中
 DocType: Account,Is Group,グループ
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,クレジットノート{0}が自動的に作成されました
-DocType: Email Digest,Pending Purchase Orders,保留中の注文書
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,先入先出法(FIFO)によりシリアル番号を自動的に設定
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,サプライヤー請求番号が一意であることを確認
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,優先アドレスの詳細
@@ -716,12 +718,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,メールの一部となる入門テキストをカスタマイズします。各取引にははそれぞれ入門テキストがあります
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},行{0}:原材料項目{1}に対して操作が必要です
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},{0}社のデフォルト支払い可能口座を設定してください
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},停止した作業指示書に対してトランザクションを許可していません{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},停止した作業指示書に対してトランザクションを許可していません{0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,全製造プロセスの共通設定
 DocType: Accounts Settings,Accounts Frozen Upto,凍結口座上限
 DocType: SMS Log,Sent On,送信済
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,属性 {0} は属性表内で複数回選択されています
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,属性 {0} は属性表内で複数回選択されています
 DocType: HR Settings,Employee record is created using selected field. ,従業員レコードは選択されたフィールドを使用して作成されます。
 DocType: Sales Order,Not Applicable,特になし
 DocType: Amazon MWS Settings,UK,イギリス
@@ -749,21 +751,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,従業員{0}は既に{2}に対して{1}を申請しています:
 DocType: Inpatient Record,AB Positive,ABポジティブ
 DocType: Job Opening,Description of a Job Opening,求人の説明
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,今日のために保留中の活動
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,今日のために保留中の活動
 DocType: Salary Structure,Salary Component for timesheet based payroll.,給与計算に基づくタイムシートの給与コンポーネント。
+DocType: Driver,Applicable for external driver,外部ドライバに適用
 DocType: Sales Order Item,Used for Production Plan,生産計画に使用
 DocType: Loan,Total Payment,お支払い総額
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,完了した作業オーダーのトランザクションを取り消すことはできません。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,完了した作業オーダーのトランザクションを取り消すことはできません。
 DocType: Manufacturing Settings,Time Between Operations (in mins),操作の間の時間(分単位)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,POはすべての受注伝票に対してすでに登録されています
 DocType: Healthcare Service Unit,Occupied,占有
 DocType: Clinical Procedure,Consumables,消耗品
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1}が取り消されたため、アクションが完了できません
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1}が取り消されたため、アクションが完了できません
 DocType: Customer,Buyer of Goods and Services.,物品・サービスのバイヤー
 DocType: Journal Entry,Accounts Payable,買掛金
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,この支払要求で設定された{0}の金額は、すべての支払計画の計算済金額{1}とは異なります。ドキュメントを提出する前にこれが正しいことを確認してください。
 DocType: Patient,Allergies,アレルギー
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,選択されたBOMはアイテムと同一ではありません
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,選択されたBOMはアイテムと同一ではありません
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,商品コードの変更
 DocType: Supplier Scorecard Standing,Notify Other,他に通知する
 DocType: Vital Signs,Blood Pressure (systolic),血圧(上)
@@ -775,7 +778,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,制作するのに十分なパーツ
 DocType: POS Profile User,POS Profile User,POSプロファイルユーザー
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,行{0}:減価償却開始日が必要です
-DocType: Sales Invoice Item,Service Start Date,サービス開始日
+DocType: Purchase Invoice Item,Service Start Date,サービス開始日
 DocType: Subscription Invoice,Subscription Invoice,購読請求書
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,直接利益
 DocType: Patient Appointment,Date TIme,日時
@@ -794,7 +797,7 @@
 DocType: Lab Test Template,Lab Routine,ラボルーチン
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,化粧品
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,完了した資産管理ログの完了日を選択してください
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",マージするには、両方のアイテムで次の属性が同じである必要があります。
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",マージするには、両方のアイテムで次の属性が同じである必要があります。
 DocType: Supplier,Block Supplier,サプライヤをブロックする
 DocType: Shipping Rule,Net Weight,正味重量
 DocType: Job Opening,Planned number of Positions,計画されたポジション数
@@ -815,19 +818,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,キャッシュフローマッピングテンプレート
 DocType: Travel Request,Costing Details,原価計算の詳細
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,返品の表示
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,シリアル番号の項目は分数にはできません
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,シリアル番号の項目は分数にはできません
 DocType: Journal Entry,Difference (Dr - Cr),差額(借方 - 貸方)
 DocType: Bank Guarantee,Providing,提供
 DocType: Account,Profit and Loss,損益
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",許可されていない、必要に応じてLabテストテンプレートを設定する
 DocType: Patient,Risk Factors,危険因子
 DocType: Patient,Occupational Hazards and Environmental Factors,職業上の危険と環境要因
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,作業オーダー用にすでに登録されている在庫エントリ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,作業オーダー用にすでに登録されている在庫エントリ
 DocType: Vital Signs,Respiratory rate,呼吸数
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,業務委託管理
 DocType: Vital Signs,Body Temperature,体温
 DocType: Project,Project will be accessible on the website to these users,プロジェクトでは、これらのユーザーにウェブサイト上でアクセスできるようになります
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},シリアル番号{2}が倉庫{3}に属していないため、{0} {1}をキャンセルできません
 DocType: Detected Disease,Disease,疾患
+DocType: Company,Default Deferred Expense Account,デフォルト繰延経費勘定
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,プロジェクトタイプを定義します。
 DocType: Supplier Scorecard,Weighting Function,加重関数
 DocType: Healthcare Practitioner,OP Consulting Charge,手術相談料金
@@ -844,7 +849,7 @@
 DocType: Crop,Produced Items,プロダクトアイテム
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,請求書と取引照合
 DocType: Sales Order Item,Gross Profit,粗利益
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,請求書のブロックを解除する
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,請求書のブロックを解除する
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,増分は0にすることはできません
 DocType: Company,Delete Company Transactions,会社の取引を削除
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,銀行取引には参照番号と参照日が必須です
@@ -865,11 +870,11 @@
 DocType: Budget,Ignore,無視
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1}アクティブではありません
 DocType: Woocommerce Settings,Freight and Forwarding Account,貨物とフォワーディング勘定
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,印刷用のセットアップチェック寸法
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,印刷用のセットアップチェック寸法
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,給与明細を作成する
 DocType: Vital Signs,Bloated,肥満
 DocType: Salary Slip,Salary Slip Timesheet,給与明細タイムシート
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,下請け領収書のために必須のサプライヤーの倉庫
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,下請け領収書のために必須のサプライヤーの倉庫
 DocType: Item Price,Valid From,有効(〜から)
 DocType: Sales Invoice,Total Commission,手数料合計
 DocType: Tax Withholding Account,Tax Withholding Account,源泉徴収勘定
@@ -877,12 +882,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,すべてのサプライヤスコアカード。
 DocType: Buying Settings,Purchase Receipt Required,領収書が必要です
 DocType: Delivery Note,Rail,レール
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,行{0}のターゲットウェアハウスは作業オーダーと同じでなければなりません
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,期首在庫が入力された場合は評価レートは必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,行{0}のターゲットウェアハウスは作業オーダーと同じでなければなりません
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,期首在庫が入力された場合は評価レートは必須です
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,請求書テーブルにレコードが見つかりません
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,最初の会社と当事者タイプを選択してください
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",ユーザー {1} のPOSプロファイル {0} はデフォルト設定により無効になっています
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,会計年度
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,会計年度
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累積値
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",シリアル番号をマージすることはできません
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopifyから顧客を同期している間、顧客グループは選択されたグループに設定されます
@@ -896,7 +901,7 @@
 ,Lead Id,リードID
 DocType: C-Form Invoice Detail,Grand Total,総額
 DocType: Assessment Plan,Course,コース
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,セクションコード
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,セクションコード
 DocType: Timesheet,Payslip,給料明細書
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,半日の日付は日付と日付の中間にする必要があります
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,アイテムのカート
@@ -905,7 +910,8 @@
 DocType: Employee,Personal Bio,パーソナルバイオ
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,メンバーシップID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},配送済:{0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},配送済:{0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooksに接続
 DocType: Bank Statement Transaction Entry,Payable Account,買掛金勘定
 DocType: Payment Entry,Type of Payment,支払方法の種類
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,半日の日付は必須です
@@ -917,7 +923,7 @@
 DocType: Sales Invoice,Shipping Bill Date,出荷請求日
 DocType: Production Plan,Production Plan,生産計画
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,インボイス作成ツールを開く
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,販売返品
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,販売返品
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:総割り当てられた葉を{0}の期間のためにすでに承認された葉{1}を下回ってはいけません
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,シリアルナンバーに基づいて取引で数量を設定する
 ,Total Stock Summary,総株式サマリー
@@ -928,9 +934,9 @@
 DocType: Authorization Rule,Customer or Item,顧客またはアイテム
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,顧客データベース
 DocType: Quotation,Quotation To,見積先
-DocType: Lead,Middle Income,中収益
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,中収益
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),開く(貸方)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,すでに別の測定単位でいくつかのトランザクションを行っているので、項目のデフォルトの単位は、{0}を直接変更することはできません。あなたは、異なるデフォルトのUOMを使用する新しいアイテムを作成する必要があります。
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,すでに別の測定単位でいくつかのトランザクションを行っているので、項目のデフォルトの単位は、{0}を直接変更することはできません。あなたは、異なるデフォルトのUOMを使用する新しいアイテムを作成する必要があります。
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,割当額をマイナスにすることはできません
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,会社を設定してください
 DocType: Share Balance,Share Balance,株式残高
@@ -947,15 +953,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,銀行エントリを作るために決済口座を選択
 DocType: Hotel Settings,Default Invoice Naming Series,デフォルトの請求書命名シリーズ
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",休暇・経費請求・給与の管理用に従業員レコードを作成
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,更新処理中にエラーが発生しました
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,更新処理中にエラーが発生しました
 DocType: Restaurant Reservation,Restaurant Reservation,レストラン予約
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,提案の作成
 DocType: Payment Entry Deduction,Payment Entry Deduction,支払エントリ控除
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,仕上げ中
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,メールで顧客に通知する
 DocType: Item,Batch Number Series,バッチ番号シリーズ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,他の営業担当者 {0} が同じ従業員IDとして存在します
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,他の営業担当者 {0} が同じ従業員IDとして存在します
 DocType: Employee Advance,Claimed Amount,請求額
+DocType: QuickBooks Migrator,Authorization Settings,承認設定
 DocType: Travel Itinerary,Departure Datetime,出発日時
 DocType: Customer,CUST-.YYYY.-,CUST -YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,出張依頼の原価計算
@@ -994,26 +1001,29 @@
 DocType: Buying Settings,Supplier Naming By,サプライヤー通称
 DocType: Activity Type,Default Costing Rate,デフォルト原価
 DocType: Maintenance Schedule,Maintenance Schedule,保守スケジュール
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",価格設定ルールは、顧客、顧客グループ、地域、サプライヤー、サプライヤータイプ、キャンペーン、販売パートナーなどに基づいて抽出されます
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",価格設定ルールは、顧客、顧客グループ、地域、サプライヤー、サプライヤータイプ、キャンペーン、販売パートナーなどに基づいて抽出されます
 DocType: Employee Promotion,Employee Promotion Details,従業員推進の詳細
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,在庫の純変更
 DocType: Employee,Passport Number,パスポート番号
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2との関係
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,マネージャー
 DocType: Payment Entry,Payment From / To,/からへの支払い
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,会計年度より
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新たな与信限度は顧客の現在の残高よりも少なくなっています。与信限度は少なくとも {0} である必要があります
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},倉庫{0}にアカウントを設定してください
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},倉庫{0}にアカウントを設定してください
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,「参照元」と「グループ元」は同じにすることはできません
 DocType: Sales Person,Sales Person Targets,営業担当者の目標
 DocType: Work Order Operation,In minutes,分単位
 DocType: Issue,Resolution Date,課題解決日
 DocType: Lab Test Template,Compound,化合物
+DocType: Opportunity,Probability (%),確率(%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,ディスパッチ通知
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,プロパティの選択
 DocType: Student Batch Name,Batch Name,バッチ名
 DocType: Fee Validity,Max number of visit,訪問の最大数
 ,Hotel Room Occupancy,ホテルルーム占有率
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,タイムシートを作成しました:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},支払方法{0}にデフォルトの現金や銀行口座を設定してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},支払方法{0}にデフォルトの現金や銀行口座を設定してください
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,登録します
 DocType: GST Settings,GST Settings,GSTの設定
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},通貨は価格リスト通貨と同じである必要があります通貨:{0}
@@ -1054,12 +1064,12 @@
 DocType: Loan,Total Interest Payable,買掛金利息合計
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,陸揚費用租税公課
 DocType: Work Order Operation,Actual Start Time,実際の開始時間
+DocType: Purchase Invoice Item,Deferred Expense Account,繰延経費勘定
 DocType: BOM Operation,Operation Time,作業時間
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,仕上げ
 DocType: Salary Structure Assignment,Base,ベース
 DocType: Timesheet,Total Billed Hours,請求された総時間
 DocType: Travel Itinerary,Travel To,に旅行する
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ない
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,償却額
 DocType: Leave Block List Allow,Allow User,ユーザを許可
 DocType: Journal Entry,Bill No,請求番号
@@ -1076,9 +1086,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,勤務表
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,原材料のバックフラッシュ基準
 DocType: Sales Invoice,Port Code,ポートコード
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,予備倉庫
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,予備倉庫
 DocType: Lead,Lead is an Organization,リードは組織です
-DocType: Guardian Interest,Interest,関心
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,事前販売
 DocType: Instructor Log,Other Details,その他の詳細
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,サプライヤー
@@ -1088,7 +1097,7 @@
 DocType: Account,Accounts,アカウント
 DocType: Vehicle,Odometer Value (Last),走行距離計値(最終)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,サプライヤスコアカード基準のテンプレート。
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,マーケティング
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,マーケティング
 DocType: Sales Invoice,Redeem Loyalty Points,ロイヤリティポイントの交換
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,支払エントリがすでに作成されています
 DocType: Request for Quotation,Get Suppliers,サプライヤーを取得
@@ -1105,16 +1114,14 @@
 DocType: Crop,Crop Spacing UOM,作物間隔UOM
 DocType: Loyalty Program,Single Tier Program,単一層プログラム
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,キャッシュフローマッパー文書を設定している場合のみ選択してください
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,住所1から
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,住所1から
 DocType: Email Digest,Next email will be sent on:,次のメール送信先:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",アイテム{アイテム} {動詞}アイテム{メッセージ}アイテムとして表示されます。\アイテムマスターから{メッセージ}アイテムとして有効にすることができます
 DocType: Supplier Scorecard,Per Week,週毎
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,アイテムはバリエーションがあります
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,アイテムはバリエーションがあります
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,総生徒数
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,アイテム{0}が見つかりません
 DocType: Bin,Stock Value,在庫価値
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,当社{0}は存在しません。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,当社{0}は存在しません。
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0}は{1}になるまで有効です
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,ツリー型
 DocType: BOM Explosion Item,Qty Consumed Per Unit,単位当たり消費数量
@@ -1129,7 +1136,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,クレジットカードエントリ
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,会社およびアカウント
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,値内
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,値内
 DocType: Asset Settings,Depreciation Options,減価償却オプション
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,場所または従業員のいずれかが必要です
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,転記時間が無効です
@@ -1146,20 +1153,21 @@
 DocType: Leave Allocation,Allocation,割り当て
 DocType: Purchase Order,Supply Raw Materials,原材料供給
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,流動資産
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0}は在庫アイテムではありません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0}は在庫アイテムではありません
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',トレーニングのフィードバックをクリックしてから、あなたのフィードバックをトレーニングにフィードバックしてから、「新規」をクリックしてください。
 DocType: Mode of Payment Account,Default Account,デフォルトアカウント
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,最初にサンプル保管倉庫在庫設定を選択してください
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,最初にサンプル保管倉庫在庫設定を選択してください
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,複数のコレクションルールに複数のティアプログラムタイプを選択してください。
 DocType: Payment Entry,Received Amount (Company Currency),受け取った金額(会社通貨)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,リードから機会を作る場合は、リードが設定されている必要があります
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,支払いがキャンセルされました。詳細はGoCardlessアカウントで確認してください
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,添付ファイル付きで送信
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,週休日を選択してください
 DocType: Inpatient Record,O Negative,Oネガティブ
 DocType: Work Order Operation,Planned End Time,計画終了時間
 ,Sales Person Target Variance Item Group-Wise,(アイテムグループごとの)各営業ターゲット差違
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,既存の取引を持つアカウントは、元帳に変換することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,既存の取引を持つアカウントは、元帳に変換することはできません
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,メンバーシップタイプの詳細
 DocType: Delivery Note,Customer's Purchase Order No,顧客の発注番号
 DocType: Clinical Procedure,Consume Stock,在庫を消費する
@@ -1172,26 +1180,26 @@
 DocType: Soil Texture,Sand,砂
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,エネルギー
 DocType: Opportunity,Opportunity From,機会元
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,行{0}:{1}アイテム{2}に必要なシリアル番号。あなたは{3}を提供しました。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,行{0}:{1}アイテム{2}に必要なシリアル番号。あなたは{3}を提供しました。
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,テーブルを選択してください
 DocType: BOM,Website Specifications,ウェブサイトの仕様
 DocType: Special Test Items,Particulars,詳細
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}:タイプ{1}の{0}から
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,行{0}:換算係数が必須です
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,行{0}:換算係数が必須です
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",複数の価格ルールが同じ基準で存在するため、優先順位を割り当てることによって競合を解決してください。価格ルール:{0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",複数の価格ルールが同じ基準で存在するため、優先順位を割り当てることによって競合を解決してください。価格ルール:{0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,為替レート再評価勘定
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,別の部品表にリンクされているため、無効化や部品表のキャンセルはできません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,別の部品表にリンクされているため、無効化や部品表のキャンセルはできません
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,エントリを取得するには、会社と転記日付を選択してください
 DocType: Asset,Maintenance,保守
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,患者の出会いから得る
 DocType: Subscriber,Subscriber,加入者
 DocType: Item Attribute Value,Item Attribute Value,アイテムの属性値
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,プロジェクトステータスを更新してください
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,プロジェクトステータスを更新してください
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,通貨交換は、購入または販売に適用する必要があります。
 DocType: Item,Maximum sample quantity that can be retained,最大保管可能サンプル数
 DocType: Project Update,How is the Project Progressing Right Now?,プロジェクトはどのように進行中ですか?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},行{0}#品目{1}を購買発注{3}に対して{2}以上転嫁することはできません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},行{0}#品目{1}を購買発注{3}に対して{2}以上転嫁することはできません
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,販売キャンペーン。
 DocType: Project Task,Make Timesheet,タイムシート作成
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1246,36 +1254,37 @@
 DocType: Lab Test,Lab Test,ラボテスト
 DocType: Student Report Generation Tool,Student Report Generation Tool,学生レポート作成ツール
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ヘルスケアスケジュールタイムスロット
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,文書名
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,文書名
 DocType: Expense Claim Detail,Expense Claim Type,経費請求タイプ
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,ショッピングカートのデフォルト設定
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,タイムスロットを追加する
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},仕訳 {0} を経由したスクラップ資産
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},仕訳 {0} を経由したスクラップ資産
 DocType: Loan,Interest Income Account,受取利息のアカウント
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,メリットを分配するには、最大メリットをゼロより大きくする必要があります
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,メリットを分配するには、最大メリットをゼロより大きくする必要があります
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,送信した招待状のレビュー
 DocType: Shift Assignment,Shift Assignment,シフトアサインメント
 DocType: Employee Transfer Property,Employee Transfer Property,従業員移転のプロパティ
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,時間は時間よりも短くする必要があります
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,バイオテクノロジー
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",セールスオーダー{2}を完全に補完するために、アイテム{0}(シリアル番号:{1})を使用することはできません。
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,事務所維持費
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,移動
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ShopifyからERPNext価格リストに更新
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,メールアカウント設定
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,最初のアイテムを入力してください
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,分析が必要
 DocType: Asset Repair,Downtime,ダウンタイム
 DocType: Account,Liability,負債
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,決済額は、行{0}での請求額を超えることはできません。
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,決済額は、行{0}での請求額を超えることはできません。
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,学期:
 DocType: Salary Component,Do not include in total,合計に含めないでください
 DocType: Company,Default Cost of Goods Sold Account,製品販売アカウントのデフォルト費用
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},サンプル数{0}は受信数量{1}を超えることはできません
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,価格表が選択されていません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},サンプル数{0}は受信数量{1}を超えることはできません
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,価格表が選択されていません
 DocType: Employee,Family Background,家族構成
 DocType: Request for Quotation Supplier,Send Email,メールを送信
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},注意:不正な添付ファイル{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},注意:不正な添付ファイル{0}
 DocType: Item,Max Sample Quantity,最大サンプル数
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,権限がありませんん
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,契約履行チェックリスト
@@ -1306,15 +1315,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:原価センタ{2}会社に所属していない{3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),レターヘッドをアップロードしてください(900px x 100pxとしてウェブフレンドリーにしてください)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}:アカウント{2}グループにすることはできません
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,アイテム行{idxの}:{DOCTYPE} {DOCNAME}上に存在しない &#39;{文書型}&#39;テーブル
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,タイムシート{0}はすでに完了またはキャンセルされます
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,タイムシート{0}はすでに完了またはキャンセルされます
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,タスクがありません
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,支払請求として{0}作成された販売伝票
 DocType: Item Variant Settings,Copy Fields to Variant,フィールドをバリエーションにコピー
 DocType: Asset,Opening Accumulated Depreciation,減価償却累計額を開きます
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,スコアは5以下でなければなりません
 DocType: Program Enrollment Tool,Program Enrollment Tool,教育課程登録ツール
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Cフォームの記録
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Cフォームの記録
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,その株式はすでに存在している
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,顧客とサプライヤー
 DocType: Email Digest,Email Digest Settings,メールダイジェスト設定
@@ -1327,12 +1336,12 @@
 DocType: Production Plan,Select Items,アイテム選択
 DocType: Share Transfer,To Shareholder,株主に
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{2}を指定日とする支払{1}に対する{0}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,州から
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,州から
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,設置機関
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,葉の割り当て...
 DocType: Program Enrollment,Vehicle/Bus Number,車両/バス番号
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,コーススケジュール
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",給与計算期間の最後の給与計算で、未提出の免除証明書と未請求の\従業員給付に対して税金を払い込む必要があります
 DocType: Request for Quotation Supplier,Quote Status,見積もりステータス
 DocType: GoCardless Settings,Webhooks Secret,Webhooksの秘密
@@ -1358,13 +1367,13 @@
 DocType: Sales Invoice,Payment Due Date,支払期日
 DocType: Drug Prescription,Interval UOM,インターバル単位
 DocType: Customer,"Reselect, if the chosen address is edited after save",選択したアドレスが保存後に編集された場合は、再選択します。
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,アイテムバリエーション{0}は既に同じ属性で存在しています
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,アイテムバリエーション{0}は既に同じ属性で存在しています
 DocType: Item,Hub Publishing Details,ハブ公開の詳細
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',「オープニング」
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',「オープニング」
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,やることリストを開く
 DocType: Issue,Via Customer Portal,カスタマーポータル経由
 DocType: Notification Control,Delivery Note Message,納品書のメッセージ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST金額
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST金額
 DocType: Lab Test Template,Result Format,結果フォーマット
 DocType: Expense Claim,Expenses,経費
 DocType: Item Variant Attribute,Item Variant Attribute,アイテムバリエーション属性
@@ -1372,13 +1381,12 @@
 DocType: Payroll Entry,Bimonthly,隔月
 DocType: Vehicle Service,Brake Pad,ブレーキパッド
 DocType: Fertilizer,Fertilizer Contents,肥料の内容
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,研究開発
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,研究開発
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,支払額
 DocType: Company,Registration Details,登録の詳細
 DocType: Timesheet,Total Billed Amount,合計請求金額
 DocType: Item Reorder,Re-Order Qty,再オーダー数量
 DocType: Leave Block List Date,Leave Block List Date,休暇リスト日付
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,インストラクターの教育におけるネーミングシステムの設定&gt;教育の設定
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM#{0}:原材料はメインのアイテムと同じにはできません
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,購入レシートItemsテーブル内の合計有料合計税金、料金と同じでなければなりません
 DocType: Sales Team,Incentives,インセンティブ
@@ -1392,7 +1400,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,POS
 DocType: Fee Schedule,Fee Creation Status,料金作成ステータス
 DocType: Vehicle Log,Odometer Reading,走行距離計読み取り
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",口座残高がすで貸方に存在しており、「残高仕訳先」を「借方」に設定することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",口座残高がすで貸方に存在しており、「残高仕訳先」を「借方」に設定することはできません
 DocType: Account,Balance must be,残高仕訳先
 DocType: Notification Control,Expense Claim Rejected Message,経費請求拒否されたメッセージ
 ,Available Qty,利用可能な数量
@@ -1404,7 +1412,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Ordersの詳細を同期させる前に、Amazon MWSから常に製品を同期させる
 DocType: Delivery Trip,Delivery Stops,納品停止
 DocType: Salary Slip,Working Days,勤務日
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},行{0}のアイテムのサービス停止日を変更できません
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},行{0}のアイテムのサービス停止日を変更できません
 DocType: Serial No,Incoming Rate,収入レート
 DocType: Packing Slip,Gross Weight,総重量
 DocType: Leave Type,Encashment Threshold Days,暗号化しきい値日数
@@ -1423,31 +1431,33 @@
 DocType: Restaurant Table,Minimum Seating,最小座席
 DocType: Item Attribute,Item Attribute Values,アイテムの属性値
 DocType: Examination Result,Examination Result,テスト結果
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,領収書
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,領収書
 ,Received Items To Be Billed,支払予定受領アイテム
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,為替レートマスター
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,為替レートマスター
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},参照文書タイプは {0} のいずれかでなければなりません
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,合計ゼロ数をフィルタリングする
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},操作{1}のための時間スロットは次の{0}日間に存在しません
 DocType: Work Order,Plan material for sub-assemblies,部分組立品資材計画
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,販売パートナーと地域
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,部品表{0}はアクティブでなければなりません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,部品表{0}はアクティブでなければなりません
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,転送可能なアイテムがありません
 DocType: Employee Boarding Activity,Activity Name,アクティビティ名
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,リリース日の変更
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,完成品の数量<b>{0}</b>と数量<b>{1}</b>は異なるものではありません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,リリース日の変更
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,完成品の数量<b>{0}</b>と数量<b>{1}</b>は異なるものではありません
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),終了(オープニング+合計)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,商品コード&gt;商品グループ&gt;ブランド
+DocType: Delivery Settings,Dispatch Notification Attachment,ディスパッチ通知アタッチメント
 DocType: Payroll Entry,Number Of Employees,就業者数
 DocType: Journal Entry,Depreciation Entry,減価償却エントリ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,文書タイプを選択してください
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,文書タイプを選択してください
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,この保守訪問をキャンセルする前に資材訪問{0}をキャンセルしなくてはなりません
 DocType: Pricing Rule,Rate or Discount,レートまたは割引
 DocType: Vital Signs,One Sided,片面
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},アイテム {1} に関連付けが無いシリアル番号 {0}
 DocType: Purchase Receipt Item Supplied,Required Qty,必要な数量
 DocType: Marketplace Settings,Custom Data,カスタムデータ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,既存の取引のある倉庫を元帳に変換することはできません。
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},アイテム{0}のシリアル番号は必須です
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,既存の取引のある倉庫を元帳に変換することはできません。
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},アイテム{0}のシリアル番号は必須です
 DocType: Bank Reconciliation,Total Amount,合計
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,日付から日付までが異なる会計年度にある
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,患者{0}は請求書に対するお客様の反省をしていません
@@ -1458,9 +1468,9 @@
 DocType: Soil Texture,Clay Composition (%),粘土組成(%)
 DocType: Item Group,Item Group Defaults,アイテムグループのデフォルト
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,タスクを割り当てる前に保存してください。
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,価格のバランス
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,価格のバランス
 DocType: Lab Test,Lab Technician,検査技師
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,販売価格表
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,販売価格表
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",チェックした場合、顧客が作成され、患者にマッピングされます。該当顧客に対して請求書が作成されます。患者作成中に既存の顧客を選択することもできます。
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,顧客はロイヤリティプログラムに登録されていません
@@ -1474,13 +1484,13 @@
 DocType: Support Search Source,Search Term Param Name,検索語パラメータ名
 DocType: Item Barcode,Item Barcode,アイテムのバーコード
 DocType: Woocommerce Settings,Endpoints,エンドポイント
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,アイテムバリエーション{0}を更新しました
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,アイテムバリエーション{0}を更新しました
 DocType: Quality Inspection Reading,Reading 6,報告要素6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,することができません{0} {1} {2}任意の負の優れたインボイスなし
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,することができません{0} {1} {2}任意の負の優れたインボイスなし
 DocType: Share Transfer,From Folio No,フォリオから
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,仕入請求前払
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},行{0}:貸方エントリは{1}とリンクすることができません
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,会計年度の予算を定義します。
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,会計年度の予算を定義します。
 DocType: Shopify Tax Account,ERPNext Account,ERPNextアカウント
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0}はブロックされているため、このトランザクションは処理できません
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,累計予算がMRを超過した場合のアクション
@@ -1496,19 +1506,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,仕入請求
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,作業指示に対して複数の品目消費を許可する
 DocType: GL Entry,Voucher Detail No,伝票詳細番号
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,新しい請求書
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,新しい請求書
 DocType: Stock Entry,Total Outgoing Value,支出価値合計
 DocType: Healthcare Practitioner,Appointments,予約
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,開始日と終了日は同一会計年度内になければなりません
 DocType: Lead,Request for Information,情報要求
 ,LeaderBoard,リーダーボード
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),利益率(会社通貨)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,オフライン請求書同期
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,オフライン請求書同期
 DocType: Payment Request,Paid,支払済
 DocType: Program Fee,Program Fee,教育課程料金
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",他の全てのBOMに含まれる特定のBOMを置き換えます。古いBOMリンクを置き換え、コストを更新し、新しいBOMごとに「BOM展開アイテム」テーブルを再生成します。また、すべてのBOMで最新の価格が更新されます。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,以下の作業オーダーが作成されました。
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,以下の作業オーダーが作成されました。
 DocType: Salary Slip,Total in words,合計の文字表記
 DocType: Inpatient Record,Discharged,放電した
 DocType: Material Request Item,Lead Time Date,リードタイム日
@@ -1519,16 +1529,16 @@
 DocType: Support Settings,Get Started Sections,開始セクション
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,認可済
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,必須です。為替レコードが作成されない可能性があります
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},行 {0}:アイテム{1}のシリアル番号を指定してください
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},総拠出額:{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},行 {0}:アイテム{1}のシリアル番号を指定してください
 DocType: Payroll Entry,Salary Slips Submitted,提出された給与明細
 DocType: Crop Cycle,Crop Cycle,作物サイクル
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",「製品付属品」アイテム、倉庫、シリアル番号、バッチ番号は、「梱包リスト」テーブルから検討します。倉庫とバッチ番号が任意の「製品付属品」アイテムのすべての梱包アイテムと同じであれば、これらの値はメインのアイテムテーブルに入力することができ、「梱包リスト」テーブルにコピーされます。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",「製品付属品」アイテム、倉庫、シリアル番号、バッチ番号は、「梱包リスト」テーブルから検討します。倉庫とバッチ番号が任意の「製品付属品」アイテムのすべての梱包アイテムと同じであれば、これらの値はメインのアイテムテーブルに入力することができ、「梱包リスト」テーブルにコピーされます。
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,場所から
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,正味支払は否定できない
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,場所から
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,正味支払は否定できない
 DocType: Student Admission,Publish on website,ウェブサイト上で公開
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,サプライヤの請求書の日付は、転記日を超えることはできません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,サプライヤの請求書の日付は、転記日を超えることはできません
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.-
 DocType: Subscription,Cancelation Date,キャンセル日
 DocType: Purchase Invoice Item,Purchase Order Item,発注アイテム
@@ -1537,7 +1547,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,生徒出席ツール
 DocType: Restaurant Menu,Price List (Auto created),価格表(自動作成)
 DocType: Cheque Print Template,Date Settings,日付設定
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,差違
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,差違
 DocType: Employee Promotion,Employee Promotion Detail,従業員推進の詳細
 ,Company Name,(会社名)
 DocType: SMS Center,Total Message(s),全メッセージ
@@ -1566,7 +1576,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,従業員の誕生日リマインダを送信しないでください
 DocType: Expense Claim,Total Advance Amount,合計アドバンス額
 DocType: Delivery Stop,Estimated Arrival,推定到着
-DocType: Delivery Stop,Notified by Email,メールで通知する
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,すべての記事を見る
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,立入
 DocType: Item,Inspection Criteria,検査基準
@@ -1576,12 +1585,11 @@
 DocType: Timesheet Detail,Bill,支払
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,ホワイト
 DocType: SMS Center,All Lead (Open),全リード(オープン)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:({2} {3})エントリの時間を掲示で{1}倉庫内の{4}の数量は利用できません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:({2} {3})エントリの時間を掲示で{1}倉庫内の{4}の数量は利用できません
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,チェックボックスのリストから選択できるオプションは1つのみです。
 DocType: Purchase Invoice,Get Advances Paid,立替金を取得
 DocType: Item,Automatically Create New Batch,新しいバッチを自動的に作成
 DocType: Supplier,Represents Company,会社を表す
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,作成
 DocType: Student Admission,Admission Start Date,入場開始日
 DocType: Journal Entry,Total Amount in Words,合計の文字表記
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,新しい社員
@@ -1589,11 +1597,11 @@
 フォームを保存していないことが原因だと考えられます。
 問題が解決しない場合はsupport@erpnext.comにお問い合わせください。"
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Myカート
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},注文タイプは{0}のいずれかである必要があります
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},注文タイプは{0}のいずれかである必要があります
 DocType: Lead,Next Contact Date,次回連絡日
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,数量を開く
 DocType: Healthcare Settings,Appointment Reminder,予約リマインダ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,変更金額のためにアカウントを入力してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,変更金額のためにアカウントを入力してください
 DocType: Program Enrollment Tool Student,Student Batch Name,生徒バッチ名
 DocType: Holiday List,Holiday List Name,休日リストの名前
 DocType: Repayment Schedule,Balance Loan Amount,残高貸付額
@@ -1603,13 +1611,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,ストックオプション
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,アイテムがカートに追加されていません
 DocType: Journal Entry Account,Expense Claim,経費請求
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,本当にこの廃棄資産を復元しますか?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,本当にこの廃棄資産を復元しますか?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},{0}用数量
 DocType: Leave Application,Leave Application,休暇申請
 DocType: Patient,Patient Relation,患者関係
 DocType: Item,Hub Category to Publish,公開するハブカテゴリ
 DocType: Leave Block List,Leave Block List Dates,休暇リスト日付
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",受注{0}には商品{1}の予約があり、{0}に対しては予約済みの{1}しか配送できません。シリアル番号{2}は配信できません
 DocType: Sales Invoice,Billing Address GSTIN,請求先住所GSTIN
@@ -1627,16 +1635,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},{0}を指定してください
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,数量または値の変化のないアイテムを削除しました。
 DocType: Delivery Note,Delivery To,納品先
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,バリエーション作成がキューに入れられました。
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0}の作業要約
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,バリエーション作成がキューに入れられました。
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0}の作業要約
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,リストの最初の承認承認者は、既定の承認承認者として設定されます。
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,属性表は必須です
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,属性表は必須です
 DocType: Production Plan,Get Sales Orders,注文を取得
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0}はマイナスにできません
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Quickbooksに接続する
 DocType: Training Event,Self-Study,独学
 DocType: POS Closing Voucher,Period End Date,期間終了日
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,土壌組成は100まで加算されない
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,割引
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,行{0}:開始{2}請求書を登録するには{1}が必要です
 DocType: Membership,Membership,会員
 DocType: Asset,Total Number of Depreciations,減価償却の合計数
 DocType: Sales Invoice Item,Rate With Margin,利益率
@@ -1647,7 +1657,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},テーブル{1}内の行{0}の有効な行IDを指定してください
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,変数を見つけることができません:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,編集するフィールドを数字で選択してください
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,ストック元帳が登録されると固定資産項目にすることはできません。
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,ストック元帳が登録されると固定資産項目にすることはできません。
 DocType: Subscription Plan,Fixed rate,固定金利
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,認める
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,デスクトップに移動しERPNextの使用を開始します
@@ -1681,7 +1691,7 @@
 DocType: Tax Rule,Shipping State,出荷状態
 ,Projected Quantity as Source,ソースとして投影数量
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,アイテムは、ボタン「領収書からアイテムの取得」を使用して追加する必要があります
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,配達旅行
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,配達旅行
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,転送タイプ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,販売費
@@ -1694,8 +1704,9 @@
 DocType: Item Default,Default Selling Cost Center,デフォルト販売コストセンター
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ディスク
 DocType: Buying Settings,Material Transferred for Subcontract,外注先に転送される品目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,郵便番号
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},受注{0}は{1}です
+DocType: Email Digest,Purchase Orders Items Overdue,購買発注明細の期限切れ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,郵便番号
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},受注{0}は{1}です
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},ローン{0}の利息収入勘定を選択
 DocType: Opportunity,Contact Info,連絡先情報
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,在庫エントリを作成
@@ -1708,12 +1719,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,請求時間は0時間ではできません
 DocType: Company,Date of Commencement,開始日
 DocType: Sales Person,Select company name first.,はじめに会社名を選択してください
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},{0}に送信されたメール
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},{0}に送信されたメール
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,サプライヤーから受け取った見積。
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOMを交換し、すべてのBOMで最新価格を更新する
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,これはルートサプライヤグループであり、編集することはできません。
-DocType: Delivery Trip,Driver Name,ドライバ名
+DocType: Delivery Note,Driver Name,ドライバ名
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,平均年齢
 DocType: Education Settings,Attendance Freeze Date,出席凍結日
 DocType: Payment Request,Inward,内向き
@@ -1724,7 +1735,7 @@
 DocType: Company,Parent Company,親会社
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},{0}タイプのホテルルームは{1}で利用できません
 DocType: Healthcare Practitioner,Default Currency,デフォルトの通貨
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,アイテム{0}の最大割引額は{1}%です
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,アイテム{0}の最大割引額は{1}%です
 DocType: Asset Movement,From Employee,社員から
 DocType: Driver,Cellphone Number,携帯番号
 DocType: Project,Monitor Progress,モニターの進捗状況
@@ -1740,19 +1751,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},数量は以下でなければなりません{0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},{0}のコンポーネントの対象となる最大金額が{1}を超えています
 DocType: Department Approver,Department Approver,部門承認者
+DocType: QuickBooks Migrator,Application Settings,アプリケーションの設定
 DocType: SMS Center,Total Characters,文字数合計
 DocType: Employee Advance,Claimed,請求された
 DocType: Crop,Row Spacing,行間隔
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},アイテム{0}の部品表フィールドで部品表を選択してください
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},アイテム{0}の部品表フィールドで部品表を選択してください
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,選択したアイテムのアイテムバリアントはありません
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-フォーム請求書の詳細
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,支払照合 請求
 DocType: Clinical Procedure,Procedure Template,プロシージャテンプレート
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,貢献%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",各購買設定で「発注が必要」が有効の場合、請求書を作成するには、先にアイテム {0} の発注を作成する必要があります
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,貢献%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",各購買設定で「発注が必要」が有効の場合、請求書を作成するには、先にアイテム {0} の発注を作成する必要があります
 ,HSN-wise-summary of outward supplies,HSNによる外部供給の要約
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,参照用の会社登録番号(例:税番号など)
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,州へ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,州へ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,販売代理店
 DocType: Asset Finance Book,Asset Finance Book,アセットファイナンスブック
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ショッピングカート出荷ルール
@@ -1761,7 +1773,7 @@
 ,Ordered Items To Be Billed,支払予定注文済アイテム
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,範囲開始は範囲終了よりも小さくなければなりません
 DocType: Global Defaults,Global Defaults,共通デフォルト設定
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,プロジェクトコラボレーション招待
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,プロジェクトコラボレーション招待
 DocType: Salary Slip,Deductions,控除
 DocType: Setup Progress Action,Action Name,アクション名
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,開始年
@@ -1775,11 +1787,12 @@
 DocType: Lead,Consultant,コンサルタント
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,親の教師の出席を待つ
 DocType: Salary Slip,Earnings,収益
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,完成アイテム{0}は製造タイプのエントリで入力する必要があります
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,完成アイテム{0}は製造タイプのエントリで入力する必要があります
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,期首残高
 ,GST Sales Register,GSTセールスレジスタ
 DocType: Sales Invoice Advance,Sales Invoice Advance,前払金
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,要求するものがありません
+DocType: Stock Settings,Default Return Warehouse,デフォルト返品倉庫
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,あなたのドメインを選択してください
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopifyサプライヤ
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,支払請求明細
@@ -1788,15 +1801,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,フィールドは作成時にのみコピーされます。
 DocType: Setup Progress Action,Domains,ドメイン
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',「実際の開始日」は、「実際の終了日」より後にすることはできません
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,マネジメント
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,マネジメント
 DocType: Cheque Print Template,Payer Settings,支払人の設定
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,指定されたアイテムにリンクする保留中のマテリアルリクエストは見つかりませんでした。
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,最初に会社を選択
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",これはバリエーションのアイテムコードに追加されます。あなたの略称が「SM」であり、アイテムコードが「T-SHIRT」である場合は、バリエーションのアイテムコードは、「T-SHIRT-SM」になります
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,給与伝票を保存すると給与が表示されます。
 DocType: Delivery Note,Is Return,返品
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,警告
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',タスク &#39;{0}&#39;の開始日が終了日よりも大きい
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,リターン/デビットノート
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,リターン/デビットノート
 DocType: Price List Country,Price List Country,価格表内の国
 DocType: Item,UOMs,数量単位
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},アイテム {1} の有効なシリアル番号 {0}
@@ -1809,13 +1823,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,助成金情報
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,サプライヤーデータベース
 DocType: Contract Template,Contract Terms and Conditions,契約条件
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,キャンセルされていないサブスクリプションを再起動することはできません。
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,キャンセルされていないサブスクリプションを再起動することはできません。
 DocType: Account,Balance Sheet,貸借対照表
 DocType: Leave Type,Is Earned Leave,獲得されたままになる
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',アイテムコードのあるアイテムのためのコストセンター
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',アイテムコードのあるアイテムのためのコストセンター
 DocType: Fee Validity,Valid Till,有効期限
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,トータルペアレント教師ミーティング
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",支払モードが設定されていません。アカウントが支払モードやPOSプロファイルに設定されているかどうか、確認してください。
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",支払モードが設定されていません。アカウントが支払モードやPOSプロファイルに設定されているかどうか、確認してください。
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同じアイテムを複数回入力することはできません。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",アカウントはさらにグループの下に作成できますが、エントリは非グループに対して作成できます
 DocType: Lead,Lead,リード
@@ -1824,11 +1838,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS認証トークン
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,ストックエントリは、{0}を作成します
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,あなたは交換するのに十分なロイヤリティポイントがありません
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:拒否数量は「購買返品」に入力することはできません
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},税金源泉徴収カテゴリ{0}の関連するアカウントを会社{1}に対して設定してください
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:拒否数量は「購買返品」に入力することはできません
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,選択した顧客の顧客グループの変更は許可されていません。
 ,Purchase Order Items To Be Billed,支払予定発注アイテム
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,到着予定時刻の更新
 DocType: Program Enrollment Tool,Enrollment Details,登録の詳細
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,ある企業に対して複数の項目デフォルトを設定することはできません。
 DocType: Purchase Invoice Item,Net Rate,正味単価
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,顧客を選択してください
 DocType: Leave Policy,Leave Allocations,割り当てを残す
@@ -1857,7 +1873,7 @@
 DocType: Loan Application,Repayment Info,返済情報
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,「エントリ」は空にできません
 DocType: Maintenance Team Member,Maintenance Role,保守役割
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},行{0}は{1}と重複しています
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},行{0}は{1}と重複しています
 DocType: Marketplace Settings,Disable Marketplace,マーケットプレースを無効にする
 ,Trial Balance,試算表
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,年度は、{0}が見つかりません
@@ -1868,9 +1884,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,サブスクリプション設定
 DocType: Purchase Invoice,Update Auto Repeat Reference,自動リピート参照を更新する
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},休暇期間{0}にオプションの休日リストが設定されていません
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},休暇期間{0}にオプションの休日リストが設定されていません
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,リサーチ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,住所2にする
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,住所2にする
 DocType: Maintenance Visit Purpose,Work Done,作業完了
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,属性テーブル内から少なくとも1つの属性を指定してください
 DocType: Announcement,All Students,全生徒
@@ -1880,16 +1896,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,調停された取引
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,最初
 DocType: Crop Cycle,Linked Location,リンクされた場所
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",同名のアイテムグループが存在しますので、アイテム名を変えるか、アイテムグループ名を変更してください
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",同名のアイテムグループが存在しますので、アイテム名を変えるか、アイテムグループ名を変更してください
 DocType: Crop Cycle,Less than a year,1年未満
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,生徒携帯番号
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,その他の地域
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,その他の地域
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,アイテム{0}はバッチを持てません
 DocType: Crop,Yield UOM,収量単位
 ,Budget Variance Report,予算差異レポート
 DocType: Salary Slip,Gross Pay,給与総額
 DocType: Item,Is Item from Hub,ハブからのアイテム
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,医療サービスからアイテムを入手する
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,医療サービスからアイテムを入手する
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,行{0}:活動タイプは必須です。
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,配当金支払額
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,会計元帳
@@ -1904,6 +1920,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,支払いモード
 DocType: Purchase Invoice,Supplied Items,サプライヤー供給アイテム
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},レストラン{0}のアクティブメニューを設定してください
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,手数料率
 DocType: Work Order,Qty To Manufacture,製造数
 DocType: Email Digest,New Income,新しい収入
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,仕入サイクル全体で同じレートを維持
@@ -1918,12 +1935,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},行{0}のアイテムには評価レートが必要です
 DocType: Supplier Scorecard,Scorecard Actions,スコアカードのアクション
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,例:コンピュータサイエンスの修士
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},サプライヤ{0}は{1}に見つかりません
 DocType: Purchase Invoice,Rejected Warehouse,拒否された倉庫
 DocType: GL Entry,Against Voucher,対伝票
 DocType: Item Default,Default Buying Cost Center,デフォルト購入コストセンター
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",ERPNextを最大限に活用するために、少し時間を使ってヘルプ動画を見ることをお勧めします。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),デフォルトサプライヤ(オプション)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,to
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),デフォルトサプライヤ(オプション)
 DocType: Supplier Quotation Item,Lead Time in days,リードタイム日数
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,買掛金の概要
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},凍結されたアカウント{0}を編集する権限がありません
@@ -1932,7 +1949,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,新しい見積依頼を警告する
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,購買発注は、あなたの購入を計画し、フォローアップに役立ちます
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,ラボテストの処方箋
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",資材要求 {1} の総発行/転送量 {0} は アイテム {3} 用の要求数量 {2} を超えることはできません
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,S
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",Shopifyに注文の顧客が含まれていない場合、注文を同期している間、システムは注文のデフォルト顧客を考慮します
@@ -1944,6 +1961,7 @@
 DocType: Project,% Completed,% 完了
 ,Invoiced Amount (Exculsive Tax),請求額(外税)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,アイテム2
+DocType: QuickBooks Migrator,Authorization Endpoint,承認エンドポイント
 DocType: Travel Request,International,国際
 DocType: Training Event,Training Event,研修イベント
 DocType: Item,Auto re-order,自動再注文
@@ -1952,24 +1970,24 @@
 DocType: Contract,Contract,契約書
 DocType: Plant Analysis,Laboratory Testing Datetime,ラボラトリーテスト日時
 DocType: Email Digest,Add Quote,引用を追加
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},アイテム{1}の{0}には数量単位変換係数が必要です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},アイテム{1}の{0}には数量単位変換係数が必要です
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,間接経費
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,行{0}:数量は必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,行{0}:数量は必須です
 DocType: Agriculture Analysis Criteria,Agriculture,農業
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,受注の登録
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,資産の会計処理
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,請求書のブロック
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,資産の会計処理
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,請求書のブロック
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,作成する数量
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,マスタデータ同期
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,マスタデータ同期
 DocType: Asset Repair,Repair Cost,修理コスト
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,あなたの製品またはサービス
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,ログインに失敗しました
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,アセット{0}が作成されました
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,アセット{0}が作成されました
 DocType: Special Test Items,Special Test Items,特別試験項目
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplaceに登録するには、System ManagerおよびItem Managerの役割を持つユーザーである必要があります。
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,支払方法
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,あなたの割り当てられた給与構造に従って、給付を申請することはできません
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,ウェブサイト画像は、公開ファイルまたはウェブサイトのURLを指定する必要があります
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,ウェブサイト画像は、公開ファイルまたはウェブサイトのURLを指定する必要があります
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,これは、ルートアイテムグループであり、編集することはできません。
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,マージ
@@ -1978,7 +1996,8 @@
 DocType: Warehouse,Warehouse Contact Info,倉庫連絡先情報
 DocType: Payment Entry,Write Off Difference Amount,差額を償却
 DocType: Volunteer,Volunteer Name,ボランティア名
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}:従業員のメールが見つからないため、送信されません
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},他の行に期限が重複している行が見つかりました:{0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}:従業員のメールが見つからないため、送信されません
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},指定された日付{1}に従業員{0}に割り当てられた給与構造がありません
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},国{0}に配送規則が適用されない
 DocType: Item,Foreign Trade Details,外国貿易詳細
@@ -1986,16 +2005,16 @@
 DocType: Email Digest,Annual Income,年間収入
 DocType: Serial No,Serial No Details,シリアル番号詳細
 DocType: Purchase Invoice Item,Item Tax Rate,アイテムごとの税率
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,パーティー名から
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,パーティー名から
 DocType: Student Group Student,Group Roll Number,グループ役割番号
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0}には、別の借方エントリに対する貸方勘定のみリンクすることができます
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,納品書{0}は提出されていません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,納品書{0}は提出されていません
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,アイテム{0}は下請けアイテムでなければなりません
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,資本設備
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",価格設定ルールは、「適用」フィールドに基づき、アイテム、アイテムグループ、ブランドとすることができます。
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,最初に商品コードを設定してください
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,文書タイプ
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,営業チームの割当率の合計は100でなければなりません
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,文書タイプ
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,営業チームの割当率の合計は100でなければなりません
 DocType: Subscription Plan,Billing Interval Count,請求間隔のカウント
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,予定と患者の出会い
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,値がありません
@@ -2009,6 +2028,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,印刷形式を作成します。
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,作成された料金
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},{0} というアイテムは見つかりませんでした
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,アイテムフィルター
 DocType: Supplier Scorecard Criteria,Criteria Formula,条件式
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,出費総額
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",「値へ」を0か空にする送料ルール条件しかありません
@@ -2017,14 +2037,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",アイテム{0}の場合、数量は正数でなければなりません
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:このコストセンターはグループです。グループに対する会計エントリーを作成することはできません。
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,有効休暇ではない補償休暇申請日
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,子供の倉庫は、この倉庫のために存在します。あなたはこの倉庫を削除することはできません。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,子供の倉庫は、この倉庫のために存在します。あなたはこの倉庫を削除することはできません。
 DocType: Item,Website Item Groups,ウェブサイトのアイテムグループ
 DocType: Purchase Invoice,Total (Company Currency),計(会社通貨)
 DocType: Daily Work Summary Group,Reminder,リマインダ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,アクセス可能な値
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,アクセス可能な値
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,シリアル番号{0}は複数回入力されています
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,仕訳
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTINから
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTINから
 DocType: Expense Claim Advance,Unclaimed amount,未請求金額
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,進行中の{0}アイテム
 DocType: Workstation,Workstation Name,作業所名
@@ -2032,7 +2052,7 @@
 DocType: POS Item Group,POS Item Group,POSアイテムのグループ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,メールダイジェスト:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,代替品目は品目コードと同じであってはなりません
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},部品表 {0}はアイテム{1}に属していません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},部品表 {0}はアイテム{1}に属していません
 DocType: Sales Partner,Target Distribution,ターゲット区分
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06  - 暫定評価の最終決定
 DocType: Salary Slip,Bank Account No.,銀行口座番号
@@ -2041,7 +2061,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ",スコアカードの変数が次のように使用可能です。 {total_score}(該当期間の合計得点)・{period_number}(現在までの期間)
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,すべて折りたたみます
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,すべて折りたたみます
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,購買発注登録
 DocType: Quality Inspection Reading,Reading 8,報告要素8
 DocType: Inpatient Record,Discharge Note,放電ノート
@@ -2057,7 +2077,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,特別休暇
 DocType: Purchase Invoice,Supplier Invoice Date,サプライヤー請求日
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,この値は比例時間計算に使用されます
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,「ショッピングカート」を有効にしてください
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,「ショッピングカート」を有効にしてください
 DocType: Payment Entry,Writeoff,償却
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,命名シリーズ接頭辞
@@ -2072,11 +2092,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,次の条件が重複しています:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,対仕訳{0}はすでにいくつか他の伝票に対して適応されています
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,注文価値合計
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,食べ物
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,食べ物
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,エイジングレンジ3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POSクローズバウチャーの詳細
 DocType: Shopify Log,Shopify Log,Shopifyログ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,セットアップ&gt;設定&gt;ネーミングシリーズで{0}のネーミングシリーズを設定してください
 DocType: Inpatient Occupancy,Check In,チェックイン
 DocType: Maintenance Schedule Item,No of Visits,訪問なし
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},{1}には保守スケジュール{0}が存在します
@@ -2116,6 +2135,7 @@
 DocType: Salary Structure,Max Benefits (Amount),最大のメリット(金額)
 DocType: Purchase Invoice,Contact Person,担当者
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',「開始予定日」は、「終了予定日」より後にすることはできません
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,この期間のデータはありません
 DocType: Course Scheduling Tool,Course End Date,コース終了日
 DocType: Holiday List,Holidays,休日
 DocType: Sales Order Item,Planned Quantity,計画数
@@ -2127,7 +2147,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,固定資産の純変動
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,必要な数量
 DocType: Leave Control Panel,Leave blank if considered for all designations,全ての肩書を対象にする場合は空白のままにします
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料金タイプ「実費」はアイテムの料金に含めることはできません
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料金タイプ「実費」はアイテムの料金に含めることはできません
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},最大:{0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,開始日時
 DocType: Shopify Settings,For Company,会社用
@@ -2140,9 +2160,9 @@
 DocType: Material Request,Terms and Conditions Content,規約の内容
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,コーススケジュールを作成中にエラーが発生しました
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,リストの最初のExpense Approverが、デフォルトExpense Approverとして設定されます。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100を超えることはできません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100を超えることはできません
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Marketplaceに登録するには、System ManagerおよびItem Managerの役割を持つ管理者以外のユーザーである必要があります。
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,アイテム{0}は在庫アイテムではありません
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,アイテム{0}は在庫アイテムではありません
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,スケジュール解除済
 DocType: Employee,Owned,所有済
@@ -2170,7 +2190,7 @@
 DocType: HR Settings,Employee Settings,従業員の設定
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,支払いシステムの読み込み
 ,Batch-Wise Balance History,バッチごとの残高履歴
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,行番号{0}:金額が明細{1}の請求額よりも大きい場合、レートを設定できません。
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,行番号{0}:金額が明細{1}の請求額よりも大きい場合、レートを設定できません。
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,印刷設定は、それぞれの印刷形式で更新します
 DocType: Package Code,Package Code,パッケージコード
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,見習
@@ -2179,7 +2199,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","文字列としてアイテムマスタから取得され、このフィールドに格納されている税詳細テーブル。
 租税公課のために使用されます"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,従業員は自分自身に報告することはできません。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,従業員は自分自身に報告することはできません。
 DocType: Leave Type,Max Leaves Allowed,許容される最大の葉
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",会計が凍結されている場合、エントリは限られたユーザーに許可されています。
 DocType: Email Digest,Bank Balance,銀行残高
@@ -2205,6 +2225,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,銀行取引エントリ
 DocType: Quality Inspection,Readings,報告要素
 DocType: Stock Entry,Total Additional Costs,追加費用合計
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,インタラクションの数
 DocType: BOM,Scrap Material Cost(Company Currency),スクラップ材料費(会社通貨)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,組立部品
 DocType: Asset,Asset Name,資産名
@@ -2212,10 +2233,10 @@
 DocType: Shipping Rule Condition,To Value,値
 DocType: Loyalty Program,Loyalty Program Type,ロイヤルティプログラムタイプ
 DocType: Asset Movement,Stock Manager,在庫マネージャー
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},行{0}には出庫元が必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},行{0}には出庫元が必須です
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,行{0}の支払い期間は重複している可能性があります。
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),農業(ベータ版)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,梱包伝票
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,梱包伝票
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,事務所賃料
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,SMSゲートウェイの設定
 DocType: Disease,Common Name,一般名
@@ -2247,20 +2268,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,従業員への給与明細メールを送信する
 DocType: Cost Center,Parent Cost Center,親コストセンター
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,可能性のあるサプライヤーを選択
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,可能性のあるサプライヤーを選択
 DocType: Sales Invoice,Source,ソース
 DocType: Customer,"Select, to make the customer searchable with these fields",選択すると、顧客はこれらのフィールドで検索可能になります
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,出荷時にShopifyから配送通知をインポートする
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,クローズ済を表示
 DocType: Leave Type,Is Leave Without Pay,無給休暇
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,資産カテゴリーは、固定資産の項目は必須です
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,資産カテゴリーは、固定資産の項目は必須です
 DocType: Fee Validity,Fee Validity,手数料の妥当性
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,支払テーブルにレコードが見つかりません
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},この{2} {3}の{1}と{0}競合
 DocType: Student Attendance Tool,Students HTML,生徒HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","この文書をキャンセルするには、従業員<a href=""#Form/Employee/{0}"">{0}</a> \を削除してください"
 DocType: POS Profile,Apply Discount,割引を適用します
 DocType: GST HSN Code,GST HSN Code,GST HSNコード
 DocType: Employee External Work History,Total Experience,実績合計
@@ -2283,7 +2301,7 @@
 DocType: Maintenance Schedule,Schedules,スケジュール
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POSプロファイルはPoint-of-Saleを使用する必要があります
 DocType: Cashier Closing,Net Amount,正味金額
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} が送信されていないためアクションが完了できません
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} が送信されていないためアクションが完了できません
 DocType: Purchase Order Item Supplied,BOM Detail No,部品表詳細番号
 DocType: Landed Cost Voucher,Additional Charges,追加料金
 DocType: Support Search Source,Result Route Field,結果ルートフィールド
@@ -2312,11 +2330,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,請求書を開く
 DocType: Contract,Contract Details,契約の詳細
 DocType: Employee,Leave Details,詳細を残す
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,従業員の役割を設定するには、従業員レコードのユーザーIDフィールドを設定してください
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,従業員の役割を設定するには、従業員レコードのユーザーIDフィールドを設定してください
 DocType: UOM,UOM Name,数量単位名
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,アドレス1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,アドレス1
 DocType: GST HSN Code,HSN Code,HSNコード
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,貢献額
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,貢献額
 DocType: Inpatient Record,Patient Encounter,患者の出会い
 DocType: Purchase Invoice,Shipping Address,発送先
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"このツールを使用すると、システム内の在庫の数量と評価額を更新・修正するのに役立ちます。
@@ -2334,9 +2352,9 @@
 DocType: Travel Itinerary,Mode of Travel,旅行のモード
 DocType: Sales Invoice Item,Brand Name,ブランド名
 DocType: Purchase Receipt,Transporter Details,輸送業者詳細
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,デフォルトの倉庫は、選択した項目のために必要とされます
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,デフォルトの倉庫は、選択した項目のために必要とされます
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,箱
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,可能性のあるサプライヤー
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,可能性のあるサプライヤー
 DocType: Budget,Monthly Distribution,月次配分
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,受領者リストが空です。受領者リストを作成してください
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),ヘルスケア(ベータ版)
@@ -2357,6 +2375,7 @@
 ,Lead Name,リード名
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,プロスペクト
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,期首在庫残高
 DocType: Asset Category Account,Capital Work In Progress Account,進捗勘定の資本金
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,資産価値の調整
@@ -2365,7 +2384,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},休暇は{0}に正常に割り当てられました
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,梱包するアイテムはありません
 DocType: Shipping Rule Condition,From Value,値から
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,製造数量は必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,製造数量は必須です
 DocType: Loan,Repayment Method,返済方法
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",チェックした場合、Webサイトの「ホーム」ページはデフォルトのアイテムグループとなります
 DocType: Quality Inspection Reading,Reading 4,報告要素4
@@ -2390,7 +2409,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,従業員の紹介
 DocType: Student Group,Set 0 for no limit,制限なしの場合は0を設定します
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,あなたは休暇を申請された日(複数可)は祝日です。あなたは休暇を申請する必要はありません。
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,行{idx}:開始{invoice_type}請求書を作成するには{field}が必要です
 DocType: Customer,Primary Address and Contact Detail,プライマリアドレスと連絡先の詳細
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,支払メールを再送信
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,新しいタスク
@@ -2400,22 +2418,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,少なくとも1つのドメインを選択してください。
 DocType: Dependent Task,Dependent Task,依存タスク
 DocType: Shopify Settings,Shopify Tax Account,税務署を整備する
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},デフォルト数量単位は、行{0}の1でなければなりません
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},休暇タイプ{0}は、{1}よりも長くすることはできません
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},デフォルト数量単位は、行{0}の1でなければなりません
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},休暇タイプ{0}は、{1}よりも長くすることはできません
 DocType: Delivery Trip,Optimize Route,ルートを最適化する
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,事前にX日の業務を計画してみてください
 DocType: HR Settings,Stop Birthday Reminders,誕生日リマインダを停止
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},当社ではデフォルトの給与支払ってくださいアカウントを設定してください{0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Amazonの税金と料金データの財務分割
 DocType: SMS Center,Receiver List,受領者リスト
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,アイテム検索
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,アイテム検索
 DocType: Payment Schedule,Payment Amount,支払金額
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,半日の日付は、作業日と作業終了日の間にある必要があります
 DocType: Healthcare Settings,Healthcare Service Items,医療サービス項目
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,消費額
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,現金の純変更
 DocType: Assessment Plan,Grading Scale,評価尺度
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,数量{0}が変換係数表に複数回記入されました。
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,数量{0}が変換係数表に複数回記入されました。
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,完了済
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,手持ちの在庫
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2438,25 +2456,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,シリアル番号 {0}は量{1}の割合にすることはできません
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Woocommerce ServerのURLを入力してください
 DocType: Purchase Order Item,Supplier Part Number,サプライヤー部品番号
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,変換率は0か1にすることはできません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,変換率は0か1にすることはできません
 DocType: Share Balance,To No,〜へ
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,すべての従業員の作成のためのタスクはまだ完了していません。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1}はキャンセルまたは停止しています
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1}はキャンセルまたは停止しています
 DocType: Accounts Settings,Credit Controller,与信管理
 DocType: Loan,Applicant Type,出願者タイプ
 DocType: Purchase Invoice,03-Deficiency in services,03  - サービスの不足
 DocType: Healthcare Settings,Default Medical Code Standard,デフォルトの医療コード標準
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,領収書{0}は提出されていません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,領収書{0}は提出されていません
 DocType: Company,Default Payable Account,デフォルト買掛金勘定
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",オンラインショッピングカート設定(出荷ルール・価格表など)
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}%支払済
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,予約数量
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,予約数量
 DocType: Party Account,Party Account,当事者アカウント
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,会社と指定を選択してください
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,人事
-DocType: Lead,Upper Income,高収益
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,高収益
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,拒否
 DocType: Journal Entry Account,Debit in Company Currency,会社通貨での借方
 DocType: BOM Item,BOM Item,部品表アイテム
@@ -2473,7 +2491,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",指定{0}の求人オープンはすでに開かれているか、またはスタッフプラン{1}に従って雇用が完了しました
 DocType: Vital Signs,Constipated,便秘
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},対サプライヤー請求書{0} 日付{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},対サプライヤー請求書{0} 日付{1}
 DocType: Customer,Default Price List,デフォルト価格表
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,資産移動レコード{0}を作成
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,項目は見つかりませんでした。
@@ -2489,16 +2507,17 @@
 DocType: Journal Entry,Entry Type,エントリタイプ
 ,Customer Credit Balance,顧客貸方残高
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,買掛金の純変動
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),顧客{0}({1} / {2})の与信限度を超えています
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,セットアップ&gt;設定&gt;ネーミングシリーズで{0}のネーミングシリーズを設定してください
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),顧客{0}({1} / {2})の与信限度を超えています
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',「顧客ごと割引」には顧客が必要です
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,銀行支払日と履歴を更新
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,価格設定
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,価格設定
 DocType: Quotation,Term Details,用語解説
 DocType: Employee Incentive,Employee Incentive,従業員インセンティブ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,この生徒グループには {0} 以上の生徒を登録することはできません
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),合計(税なし)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,リードカウント
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,在庫有ります
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,在庫有ります
 DocType: Manufacturing Settings,Capacity Planning For (Days),キャパシティプランニング(日数)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,調達
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,数量または値に変化のあるアイテムはありません
@@ -2522,7 +2541,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,休出
 DocType: Asset,Comprehensive Insurance,総合保険
 DocType: Maintenance Visit,Partially Completed,一部完了
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},ロイヤリティポイント:{0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},ロイヤリティポイント:{0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,リードを追加
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,中感度
 DocType: Leave Type,Include holidays within leaves as leaves,休暇内に休日を休暇として含む
 DocType: Loyalty Program,Redemption,償還
@@ -2556,7 +2576,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,マーケティング費用
 ,Item Shortage Report,アイテム不足レポート
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,標準条件を作成できません。条件の名前を変更してください
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量が記載されていますので、あわせて「重量単位」を記載してください
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量が記載されていますので、あわせて「重量単位」を記載してください
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,この在庫エントリを作成するために使用される資材要求
 DocType: Hub User,Hub Password,ハブパスワード
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,バッチごとに個別のコースベースのグループ
@@ -2570,15 +2590,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),予約時間(分)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,各在庫の動きを会計処理のエントリとして作成
 DocType: Leave Allocation,Total Leaves Allocated,休暇割当合計
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,有効な会計年度開始日と終了日を入力してください
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,有効な会計年度開始日と終了日を入力してください
 DocType: Employee,Date Of Retirement,退職日
 DocType: Upload Attendance,Get Template,テンプレートを取得
+,Sales Person Commission Summary,営業担当者の要約
 DocType: Additional Salary Component,Additional Salary Component,追加の給与コンポーネント
 DocType: Material Request,Transferred,転送された
 DocType: Vehicle,Doors,ドア
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNextのセットアップが完了!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNextのセットアップが完了!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,患者登録料を徴収する
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,株式取引後に属性を変更することはできません。新しいアイテムを作成し、新しいアイテムに在庫を転送する
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,株式取引後に属性を変更することはできません。新しいアイテムを作成し、新しいアイテムに在庫を転送する
 DocType: Course Assessment Criteria,Weightage,重み付け
 DocType: Purchase Invoice,Tax Breakup,税金分割
 DocType: Employee,Joining Details,結合の詳細
@@ -2607,14 +2628,15 @@
 DocType: Lead,Next Contact By,次回連絡
 DocType: Compensatory Leave Request,Compensatory Leave Request,補償休暇申請
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},行{1}のアイテム{0}に必要な数量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},アイテム{1}が存在するため倉庫{0}を削除することができません
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},アイテム{1}が存在するため倉庫{0}を削除することができません
 DocType: Blanket Order,Order Type,注文タイプ
 ,Item-wise Sales Register,アイテムごとの販売登録
 DocType: Asset,Gross Purchase Amount,購入総額
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,開店残高
 DocType: Asset,Depreciation Method,減価償却法
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,この税金が基本料金に含まれているか
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,ターゲット合計
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,ターゲット合計
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,知覚分析
 DocType: Soil Texture,Sand Composition (%),砂の組成(%)
 DocType: Job Applicant,Applicant for a Job,求職者
 DocType: Production Plan Material Request,Production Plan Material Request,生産計画資材要求
@@ -2629,23 +2651,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),評価段階(10段階)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,保護者2 携帯番号
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,メイン
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,アイテム{0}の次は{1}アイテムとしてマークされていません。アイテムマスターから{1}アイテムとして有効にすることができます
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,バリエーション
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",アイテム{0}の場合、数量は負数でなければなりません
 DocType: Naming Series,Set prefix for numbering series on your transactions,取引に連番の接頭辞を設定
 DocType: Employee Attendance Tool,Employees HTML,従業員HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,このアイテムまたはテンプレートには、デフォルトの部品表({0})がアクティブでなければなりません
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,このアイテムまたはテンプレートには、デフォルトの部品表({0})がアクティブでなければなりません
 DocType: Employee,Leave Encashed?,現金化された休暇?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,機会元フィールドは必須です
 DocType: Email Digest,Annual Expenses,年間費用
 DocType: Item,Variants,バリエーション
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,発注を作成
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,発注を作成
 DocType: SMS Center,Send To,送信先
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},休暇タイプ{0}のための休暇残が足りません
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},休暇タイプ{0}のための休暇残が足りません
 DocType: Payment Reconciliation Payment,Allocated amount,割当額
 DocType: Sales Team,Contribution to Net Total,合計額への貢献
 DocType: Sales Invoice Item,Customer's Item Code,顧客のアイテムコード
 DocType: Stock Reconciliation,Stock Reconciliation,在庫棚卸
 DocType: Territory,Territory Name,地域名
+DocType: Email Digest,Purchase Orders to Receive,受け取る注文を購入する
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,提出する前に作業中の倉庫が必要です
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,サブスクリプションには同じ請求期間を持つプランしか含めることができません
 DocType: Bank Statement Transaction Settings Item,Mapped Data,マップされたデータ
@@ -2662,9 +2686,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},アイテム{0}に入力されたシリアル番号は重複しています
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,リードソースによるリードの追跡
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,出荷ルールの条件
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,入力してください
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,入力してください
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,保守ログ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づくフィルタを設定してください
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づくフィルタを設定してください
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),この梱包の正味重量。 (自動にアイテムの正味重量の合計が計算されます。)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,会社間仕訳入力を行う
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,割引額は100%を超えることはできません
@@ -2673,15 +2697,15 @@
 DocType: Sales Order,To Deliver and Bill,配送・請求する
 DocType: Student Group,Instructors,講師
 DocType: GL Entry,Credit Amount in Account Currency,アカウント通貨での貸方金額
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,部品表{0}を登録しなければなりません
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,共有管理
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,部品表{0}を登録しなければなりません
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,共有管理
 DocType: Authorization Control,Authorization Control,認証コントロール
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:倉庫拒否は却下されたアイテムに対して必須である{1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,支払
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:倉庫拒否は却下されたアイテムに対して必須である{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,支払
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",倉庫 {0} はどのアカウントにもリンクされていないため、倉庫レコードに記載するか、会社 {1} のデフォルト在庫アカウントを設定してください。
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,発注管理
 DocType: Work Order Operation,Actual Time and Cost,実際の時間とコスト
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},資材要求の最大値{0}は、注{2}に対するアイテム{1}から作られます
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},資材要求の最大値{0}は、注{2}に対するアイテム{1}から作られます
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,切り抜き間隔
 DocType: Course,Course Abbreviation,コースの略
@@ -2693,6 +2717,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},総労働時間は最大労働時間よりも大きくてはいけません{0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,オン
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,販売時に商品をまとめる
+DocType: Delivery Settings,Dispatch Settings,ディスパッチ設定
 DocType: Material Request Plan Item,Actual Qty,実際の数量
 DocType: Sales Invoice Item,References,参照
 DocType: Quality Inspection Reading,Reading 10,報告要素10
@@ -2702,11 +2727,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,同じ商品が重複入力されました。修正してやり直してください
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,同僚
 DocType: Asset Movement,Asset Movement,資産移動
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,作業指示書{0}を提出する必要があります
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,新しいカート
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,作業指示書{0}を提出する必要があります
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,新しいカート
 DocType: Taxable Salary Slab,From Amount,金額から
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,アイテム{0}にはシリアル番号が付与されていません
 DocType: Leave Type,Encashment,エンケッシュメント
+DocType: Delivery Settings,Delivery Settings,配信設定
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,データを取得する
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},休暇タイプ{0}に許可される最大休暇は{1}です。
 DocType: SMS Center,Create Receiver List,受領者リストを作成
 DocType: Vehicle,Wheels,車輪
@@ -2722,7 +2749,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,請求先通貨は、デフォルトの会社の通貨または勘定通貨のいずれかと同じでなければなりません
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),この納品の一部であることを梱包に示します(「下書き」のみ)
 DocType: Soil Texture,Loam,壌土
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,行{0}:期日は転記前にすることはできません
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,行{0}:期日は転記前にすることはできません
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,支払いエントリを作成
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},アイテム{0}の数量は{1}より小さくなければなりません
 ,Sales Invoice Trends,請求の傾向
@@ -2730,12 +2757,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',料金タイプが「前行の額」か「前行の合計」である場合にのみ、行を参照することができます
 DocType: Sales Order Item,Delivery Warehouse,配送倉庫
 DocType: Leave Type,Earned Leave Frequency,獲得残存頻度
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,金融原価センタのツリー。
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,サブタイプ
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,金融原価センタのツリー。
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,サブタイプ
 DocType: Serial No,Delivery Document No,納品文書番号
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,生成されたシリアル番号に基づいた配信の保証
 DocType: Vital Signs,Furry,毛むくじゃら
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},当社では「資産売却益/損失勘定 &#39;を設定してください{0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},当社では「資産売却益/損失勘定 &#39;を設定してください{0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,領収書からアイテムを取得
 DocType: Serial No,Creation Date,作成日
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},アセット{0}のターゲット場所が必要です
@@ -2749,10 +2776,11 @@
 DocType: Item,Has Variants,バリエーションあり
 DocType: Employee Benefit Claim,Claim Benefit For,のための請求の利益
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,レスポンスの更新
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},項目を選択済みです {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},項目を選択済みです {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,月次配分の名前
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,バッチIDは必須です
 DocType: Sales Person,Parent Sales Person,親販売担当者
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,受け取るべき項目が期限切れになっていない
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,売り手と買い手は同じではありません
 DocType: Project,Collect Progress,進行状況を収集する
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN- .YYYY.-
@@ -2768,7 +2796,7 @@
 DocType: Bank Guarantee,Margin Money,マージンマネー
 DocType: Budget,Budget,予算
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,セットオープン
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,固定資産の項目は非在庫項目でなければなりません。
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,固定資産の項目は非在庫項目でなければなりません。
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",収入または支出でない予算は、{0} に対して割り当てることができません
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0}の最大免除額は{1}です
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,達成
@@ -2786,9 +2814,9 @@
 ,Amount to Deliver,配送額
 DocType: Asset,Insurance Start Date,保険開始日
 DocType: Salary Component,Flexible Benefits,フレキシブルなメリット
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},同じ項目が複数回入力されました。 {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},同じ項目が複数回入力されました。 {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,期間開始日は、用語がリンクされている年度の年度開始日より前にすることはできません(アカデミック・イヤー{})。日付を訂正して、もう一度お試しください。
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,エラーが発生しました。
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,エラーが発生しました。
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,従業員{0}は{2}から{3}の間で既に{1}を申請しています:
 DocType: Guardian,Guardian Interests,保護者の関心
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,アカウント名/番号の更新
@@ -2827,9 +2855,9 @@
 ,Item-wise Purchase History,アイテムごとの仕入履歴
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},アイテム{0}に付加されたシリアル番号を取得するためには「生成スケジュール」をクリックしてください
 DocType: Account,Frozen,凍結
-DocType: Delivery Note,Vehicle Type,車種
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,車種
 DocType: Sales Invoice Payment,Base Amount (Company Currency),基準額(会社通貨)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,原材料
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,原材料
 DocType: Payment Reconciliation Payment,Reference Row,参照行
 DocType: Installation Note,Installation Time,設置時間
 DocType: Sales Invoice,Accounting Details,会計詳細
@@ -2838,12 +2866,13 @@
 DocType: Inpatient Record,O Positive,Oポジティブ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,投資
 DocType: Issue,Resolution Details,課題解決詳細
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,取引タイプ
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,取引タイプ
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,合否基準
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,上記の表に資材要求を入力してください
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,仕訳入力に返金はありません
 DocType: Hub Tracked Item,Image List,イメージリスト
 DocType: Item Attribute,Attribute Name,属性名
+DocType: Subscription,Generate Invoice At Beginning Of Period,期間の開始時に請求書を生成する
 DocType: BOM,Show In Website,ウェブサイトで表示
 DocType: Loan Application,Total Payable Amount,総支払金額
 DocType: Task,Expected Time (in hours),予定時間(時)
@@ -2880,7 +2909,7 @@
 DocType: Employee,Resignation Letter Date,辞表提出日
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,価格設定ルールは量に基づいてさらにフィルタリングされます
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,設定されていません
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},従業員{0}の参加日を設定してください
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},従業員{0}の参加日を設定してください
 DocType: Inpatient Record,Discharge,放電
 DocType: Task,Total Billing Amount (via Time Sheet),合計請求金額(勤務表による)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,リピート顧客の収益
@@ -2890,13 +2919,13 @@
 DocType: Chapter,Chapter,章
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,組
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,このモードが選択されると、POS請求書でデフォルトアカウントが自動的に更新されます。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,生産のためのBOMと数量を選択
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,生産のためのBOMと数量を選択
 DocType: Asset,Depreciation Schedule,減価償却スケジュール
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,セールスパートナーのアドレスと連絡先
 DocType: Bank Reconciliation Detail,Against Account,アカウントに対して
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,半日日付は開始日と終了日の間でなければなりません
 DocType: Maintenance Schedule Detail,Actual Date,実際の日付
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,{0}会社のデフォルト原価センタを設定してください。
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,{0}会社のデフォルト原価センタを設定してください。
 DocType: Item,Has Batch No,バッチ番号あり
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},年次請求:{0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhookの詳細
@@ -2908,7 +2937,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,シフトタイプ
 DocType: Student,Personal Details,個人情報詳細
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},会社の「資産減価償却原価センタ &#39;を設定してください{0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},会社の「資産減価償却原価センタ &#39;を設定してください{0}
 ,Maintenance Schedules,保守スケジュール
 DocType: Task,Actual End Date (via Time Sheet),実際の終了日(勤務表による)
 DocType: Soil Texture,Soil Type,土壌タイプ
@@ -2916,10 +2945,10 @@
 ,Quotation Trends,見積傾向
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},アイテム{0}のアイテムマスターにはアイテムグループが記載されていません
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,借方計上は売掛金勘定でなければなりません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,借方計上は売掛金勘定でなければなりません
 DocType: Shipping Rule,Shipping Amount,出荷量
 DocType: Supplier Scorecard Period,Period Score,期間スコア
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,顧客を追加する
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,顧客を追加する
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,保留中の金額
 DocType: Lab Test Template,Special,特別
 DocType: Loyalty Program,Conversion Factor,換算係数
@@ -2936,7 +2965,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,レターヘッド追加
 DocType: Program Enrollment,Self-Driving Vehicle,自動運転車
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,サプライヤスコアカード
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},列{0}:アイテム {1} の部品表が見つかりません
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},列{0}:アイテム {1} の部品表が見つかりません
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,総割り当てられた葉{0}の期間のために既に承認された葉{1}より小さくすることはできません
 DocType: Contract Fulfilment Checklist,Requirement,要件
 DocType: Journal Entry,Accounts Receivable,売掛金
@@ -2952,16 +2981,16 @@
 DocType: Projects Settings,Timesheets,タイムシート
 DocType: HR Settings,HR Settings,人事設定
 DocType: Salary Slip,net pay info,ネット有料情報
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS額
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS額
 DocType: Woocommerce Settings,Enable Sync,同期を有効にする
 DocType: Tax Withholding Rate,Single Transaction Threshold,単一トランザクションのしきい値
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,この値は、デフォルトの販売価格一覧で更新されます。
 DocType: Email Digest,New Expenses,新しい経費
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC額
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC額
 DocType: Shareholder,Shareholder,株主
 DocType: Purchase Invoice,Additional Discount Amount,追加割引額
 DocType: Cash Flow Mapper,Position,ポジション
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,処方箋からアイテムを得る
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,処方箋からアイテムを得る
 DocType: Patient,Patient Details,患者の詳細
 DocType: Inpatient Record,B Positive,Bポジティブ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2973,8 +3002,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,グループから非グループ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,スポーツ
 DocType: Loan Type,Loan Name,ローン名前
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,実費計
-DocType: Lab Test UOM,Test UOM,テスト単位
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,実費計
 DocType: Student Siblings,Student Siblings,学生兄弟
 DocType: Subscription Plan Detail,Subscription Plan Detail,サブスクリプションプランの詳細
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,単位
@@ -3001,7 +3029,6 @@
 DocType: Workstation,Wages per hour,時間あたり賃金
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},倉庫 {3} のアイテム {2} ではバッチ {0} の在庫残高がマイナス {1} になります
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,以下の資材要求は、アイテムの再注文レベルに基づいて自動的に提出されています
-DocType: Email Digest,Pending Sales Orders,保留中の受注
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},アカウント{0}は無効です。アカウントの通貨は{1}でなければなりません
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},従業員の日付{1}を救済した後の日付{0}以降はできません
 DocType: Supplier,Is Internal Supplier,内部サプライヤ
@@ -3010,13 +3037,14 @@
 DocType: Healthcare Settings,Remind Before,前に思い出させる
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},行{0}には数量単位変換係数が必要です
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:参照文書タイプは、受注・納品書・仕訳のいずれかでなければなりません
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:参照文書タイプは、受注・納品書・仕訳のいずれかでなければなりません
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1ロイヤリティポイント=基本通貨はいくらですか?
 DocType: Salary Component,Deduction,控除
 DocType: Item,Retain Sample,保管サンプル
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,行{0}:時間との時間からは必須です。
 DocType: Stock Reconciliation Item,Amount Difference,量差
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},価格表{1}の{0}にアイテム価格を追加しました
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},価格表{1}の{0}にアイテム価格を追加しました
+DocType: Delivery Stop,Order Information,注文情報
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,営業担当者の従業員IDを入力してください
 DocType: Territory,Classification of Customers by region,地域別の顧客の分類
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,生産中
@@ -3027,8 +3055,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,計算された銀行報告書の残高
 DocType: Normal Test Template,Normal Test Template,標準テストテンプレート
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,無効なユーザー
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,見積
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,受信RFQをいいえ引用符に設定できません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,見積
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,受信RFQをいいえ引用符に設定できません
 DocType: Salary Slip,Total Deduction,控除合計
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,口座通貨で印刷する口座を選択してください
 ,Production Analytics,生産分析
@@ -3041,14 +3069,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,サプライヤスコアカードの設定
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,評価計画名
 DocType: Work Order Operation,Work Order Operation,作業指示オペレーション
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},注意:添付ファイル{0}のSSL証明書が無効です
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},注意:添付ファイル{0}のSSL証明書が無効です
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",商機を得るため全ての連絡先などをリードとして追加します。
 DocType: Work Order Operation,Actual Operation Time,実作業時間
 DocType: Authorization Rule,Applicable To (User),(ユーザー)に適用
 DocType: Purchase Taxes and Charges,Deduct,差し引く
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,仕事内容
 DocType: Student Applicant,Applied,適用済
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,再オープン
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,再オープン
 DocType: Sales Invoice Item,Qty as per Stock UOM,在庫単位ごとの数量
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,保護者2 名前
 DocType: Attendance,Attendance Request,出席依頼
@@ -3066,7 +3094,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},シリアル番号{0}は {1}まで保証期間内です
 DocType: Plant Analysis Criteria,Minimum Permissible Value,最小許容値
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,ユーザー{0}は既に存在します
-apps/erpnext/erpnext/hooks.py +114,Shipments,出荷
+apps/erpnext/erpnext/hooks.py +115,Shipments,出荷
 DocType: Payment Entry,Total Allocated Amount (Company Currency),総配分される金額(会社通貨)
 DocType: Purchase Order Item,To be delivered to customer,顧客に配信します
 DocType: BOM,Scrap Material Cost,スクラップ材料費
@@ -3074,11 +3102,12 @@
 DocType: Grant Application,Email Notification Sent,送信済メール通知
 DocType: Purchase Invoice,In Words (Company Currency),文字表記(会社通貨)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,会社は会社のアカウントにmanadatoryです
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",商品コード、倉庫、数量は行に必要です
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",商品コード、倉庫、数量は行に必要です
 DocType: Bank Guarantee,Supplier,サプライヤー
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,取得元
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,これはルート部門であり、編集することはできません。
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,支払詳細を表示
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,期間(日数)
 DocType: C-Form,Quarter,四半期
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,雑費
 DocType: Global Defaults,Default Company,デフォルトの会社
@@ -3086,7 +3115,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,在庫に影響するアイテム{0}には、費用または差損益が必須です
 DocType: Bank,Bank Name,銀行名
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,以上
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,すべての仕入先の購買発注を行うには、項目を空のままにします。
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,すべての仕入先の購買発注を行うには、項目を空のままにします。
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,入院患者の訪問料金項目
 DocType: Vital Signs,Fluid,流体
 DocType: Leave Application,Total Leave Days,総休暇日数
@@ -3095,7 +3124,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,アイテムバリエーション設定
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,会社を選択...
 DocType: Leave Control Panel,Leave blank if considered for all departments,全部門が対象の場合は空白のままにします
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0}はアイテム{1}に必須です
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0}はアイテム{1}に必須です
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",アイテム{0}:{1}個数、
 DocType: Payroll Entry,Fortnightly,2週間ごとの
 DocType: Currency Exchange,From Currency,通貨から
@@ -3144,7 +3173,7 @@
 DocType: Account,Fixed Asset,固定資産
 DocType: Amazon MWS Settings,After Date,後日
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,シリアル番号を付与した目録
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,会社間請求書の{0}が無効です。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,会社間請求書の{0}が無効です。
 ,Department Analytics,部門分析
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,デフォルトの連絡先に電子メールが見つかりません
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,秘密を生成する
@@ -3162,6 +3191,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,最高経営責任者(CEO)
 DocType: Purchase Invoice,With Payment of Tax,税納付あり
 DocType: Expense Claim Detail,Expense Claim Detail,経費請求の詳細
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,インストラクターの教育におけるネーミングシステムの設定&gt;教育の設定
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,サプライヤのためにTRIPLICATE
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,ベース通貨の新規残高
 DocType: Location,Is Container,コンテナ
@@ -3169,13 +3199,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,正しいアカウントを選択してください
 DocType: Salary Structure Assignment,Salary Structure Assignment,給与構造割当
 DocType: Purchase Invoice Item,Weight UOM,重量単位
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,フォリオ番号を持つ利用可能な株主のリスト
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,フォリオ番号を持つ利用可能な株主のリスト
 DocType: Salary Structure Employee,Salary Structure Employee,給与構造の従業員
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,バリエーション属性を表示
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,バリエーション属性を表示
 DocType: Student,Blood Group,血液型
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,プラン{0}の支払ゲートウェイ口座が、この支払依頼の支払ゲートウェイ口座と異なる
 DocType: Course,Course Name,コース名
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,現在の会計年度には源泉徴収税データがありません。
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,現在の会計年度には源泉徴収税データがありません。
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,特定の従業員の休暇申請を承認することができるユーザー
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,OA機器
 DocType: Purchase Invoice Item,Qty,数量
@@ -3183,6 +3213,7 @@
 DocType: Supplier Scorecard,Scoring Setup,スコア設定
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,電子機器
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),デビット({0})
+DocType: BOM,Allow Same Item Multiple Times,同じ項目を複数回許可する
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,在庫が再注文レベルに達したときに原材料要求を挙げる
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,フルタイム
 DocType: Payroll Entry,Employees,従業員
@@ -3194,11 +3225,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,支払確認
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,価格表が設定されていない場合の価格は表示されません
 DocType: Stock Entry,Total Incoming Value,収入価値合計
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,デビットへが必要とされます
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,デビットへが必要とされます
 DocType: Clinical Procedure,Inpatient Record,入院記録
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",タイムシートは、あなたのチームによって行わの活動のための時間・コスト・費用を追跡するのに使用します
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,仕入価格表
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,取引日
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,仕入価格表
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,取引日
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,サプライヤスコアカード変数のテンプレート。
 DocType: Job Offer Term,Offer Term,雇用契約条件
 DocType: Asset,Quality Manager,品質管理者
@@ -3219,18 +3250,18 @@
 DocType: Cashier Closing,To Time,終了時間
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},){0}
 DocType: Authorization Rule,Approving Role (above authorized value),役割を承認(許可値以上)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,「貸方へ」アカウントは買掛金でなければなりません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,「貸方へ」アカウントは買掛金でなければなりません
 DocType: Loan,Total Amount Paid,合計金額
 DocType: Asset,Insurance End Date,保険終了日
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,有料の生徒出願に必須となる生徒の入学を選択してください
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},部品表再帰:{0} {2}の親または子にすることはできません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},部品表再帰:{0} {2}の親または子にすることはできません
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,予算リスト
 DocType: Work Order Operation,Completed Qty,完成した数量
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0}には、別の貸方エントリに対する借方勘定のみリンクすることができます
 DocType: Manufacturing Settings,Allow Overtime,残業を許可
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",在庫棚卸を使用してシリアル番号が付与されたアイテム {0} を更新することはできません。在庫エントリーを使用してください
 DocType: Training Event Employee,Training Event Employee,研修イベント従業員
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,最大サンプル - {0} はバッチ {1} とアイテム {2} に保管可能です。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,最大サンプル - {0} はバッチ {1} とアイテム {2} に保管可能です。
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,タイムスロットを追加する
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,アイテム {1} には {0} 件のシリアル番号が必要です。{2} 件指定されています
 DocType: Stock Reconciliation Item,Current Valuation Rate,現在の評価額
@@ -3261,11 +3292,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,シリアル番号 {0} は見つかりません
 DocType: Fee Schedule Program,Fee Schedule Program,料金表プログラム
 DocType: Fee Schedule Program,Student Batch,生徒バッチ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","この文書をキャンセルするには、従業員<a href=""#Form/Employee/{0}"">{0}</a> \を削除してください"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,生徒を作成
 DocType: Supplier Scorecard Scoring Standing,Min Grade,最小等級
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ヘルスケアサービスユニットのタイプ
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},プロジェクト:{0} の共同作業に招待されました
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},プロジェクト:{0} の共同作業に招待されました
 DocType: Supplier Group,Parent Supplier Group,親サプライヤーグループ
+DocType: Email Digest,Purchase Orders to Bill,請求を注文する
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,グループ会社の累計値
 DocType: Leave Block List Date,Block Date,ブロック日付
 DocType: Crop,Crop,作物
@@ -3277,6 +3311,7 @@
 DocType: Sales Order,Not Delivered,未納品
 ,Bank Clearance Summary,銀行決済の概要
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",日次・週次・月次のメールダイジェストを作成・管理
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,これは、この販売担当者との取引に基づいています。詳細は以下のタイムラインを参照してください
 DocType: Appraisal Goal,Appraisal Goal,査定目標
 DocType: Stock Reconciliation Item,Current Amount,電流量
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,建物
@@ -3303,7 +3338,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,ソフトウェア
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,次の連絡先の日付は、過去にすることはできません
 DocType: Company,For Reference Only.,参考用
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,バッチ番号選択
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,バッチ番号選択
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},無効な{0}:{1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,参照請求書
@@ -3321,16 +3356,16 @@
 DocType: Normal Test Items,Require Result Value,結果値が必要
 DocType: Item,Show a slideshow at the top of the page,ページの上部にスライドショーを表示
 DocType: Tax Withholding Rate,Tax Withholding Rate,税の源泉徴収率
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,部品表
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,店舗
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,部品表
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,店舗
 DocType: Project Type,Projects Manager,プロジェクトマネージャー
 DocType: Serial No,Delivery Time,納品時間
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,エイジング基準
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,キャンセル済予約
 DocType: Item,End of Life,提供終了
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,移動
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,移動
 DocType: Student Report Generation Tool,Include All Assessment Group,すべての評価グループを含める
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,与えられた日付の従業員{0}が見つかりませアクティブまたはデフォルトの給与構造はありません
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,与えられた日付の従業員{0}が見つかりませアクティブまたはデフォルトの給与構造はありません
 DocType: Leave Block List,Allow Users,ユーザーを許可
 DocType: Purchase Order,Customer Mobile No,顧客携帯電話番号
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,キャッシュフローマッピングテンプレートの詳細
@@ -3339,15 +3374,16 @@
 DocType: Rename Tool,Rename Tool,ツール名称変更
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,費用更新
 DocType: Item Reorder,Item Reorder,アイテム再注文
+DocType: Delivery Note,Mode of Transport,輸送モード
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,給与明細を表示
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,資材配送
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,資材配送
 DocType: Fees,Send Payment Request,支払依頼を送る
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",「運用」には「運用コスト」「固有の運用番号」を指定してください。
 DocType: Travel Request,Any other details,その他の詳細
 DocType: Water Analysis,Origin,原点
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,この文書では、アイテム{4}の{0} {1}によって限界を超えています。あなたが作っている同じに対して別の{3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,保存した後、繰り返し設定をしてください
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,変化量のアカウントを選択
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,保存した後、繰り返し設定をしてください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,変化量のアカウントを選択
 DocType: Purchase Invoice,Price List Currency,価格表の通貨
 DocType: Naming Series,User must always select,ユーザーは常に選択する必要があります
 DocType: Stock Settings,Allow Negative Stock,マイナス在庫を許可
@@ -3369,9 +3405,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,トレーサビリティ
 DocType: Asset Maintenance Log,Actions performed,実行されたアクション
 DocType: Cash Flow Mapper,Section Leader,セクションリーダー
+DocType: Delivery Note,Transport Receipt No,輸送領収書番号
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),資金源泉(負債)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,ソースとターゲットの位置は同じではありません
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行の数量{0}({1})で製造量{2}と同じでなければなりません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行の数量{0}({1})で製造量{2}と同じでなければなりません
 DocType: Supplier Scorecard Scoring Standing,Employee,従業員
 DocType: Bank Guarantee,Fixed Deposit Number,固定入金番号
 DocType: Asset Repair,Failure Date,失敗日
@@ -3385,16 +3422,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,支払控除や損失
 DocType: Soil Analysis,Soil Analysis Criterias,土壌分析基準
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,販売・仕入用の標準的な契約条件
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,この予約をキャンセルしてもよろしいですか?
+DocType: BOM Item,Item operation,アイテム操作
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,この予約をキャンセルしてもよろしいですか?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,ホテルルーム価格パッケージ
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,セールスパイプライン
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,セールスパイプライン
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},給与コンポーネントのデフォルトアカウントを設定してください{0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,必要な箇所
 DocType: Rename Tool,File to Rename,名前を変更するファイル
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},行 {0} 内のアイテムの部品表(BOM)を選択してください
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,購読の更新を取得する
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},アカウント {0} はアカウントのモード {2} では会社 {1} と適合しません
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},アイテム{1}には、指定した部品表{0}が存在しません
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},アイテム{1}には、指定した部品表{0}が存在しません
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,コース:
 DocType: Soil Texture,Sandy Loam,砂壌土
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、保守スケジュール{0}をキャンセルしなければなりません
@@ -3403,7 +3441,7 @@
 DocType: Notification Control,Expense Claim Approved,経費請求を承認
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),アドバンスとアロケートを設定する(FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,作業オーダーが作成されていません
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,従業員の給与スリップ{0}はすでにこの期間のために作成します
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,従業員の給与スリップ{0}はすでにこの期間のために作成します
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,医薬品
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,有効な払込金額に限り、払い戻しを提出することができます
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,仕入アイテムの費用
@@ -3411,7 +3449,8 @@
 DocType: Selling Settings,Sales Order Required,受注必須
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,売り手になる
 DocType: Purchase Invoice,Credit To,貸方へ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,アクティブリード/顧客
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,アクティブリード/顧客
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,標準の納品書形式を使用する場合は空白のままにします
 DocType: Employee Education,Post Graduate,卒業後
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,保守スケジュール詳細
 DocType: Supplier Scorecard,Warn for new Purchase Orders,新しい発注を警告する
@@ -3425,14 +3464,14 @@
 DocType: Support Search Source,Post Title Key,投稿タイトルキー
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,ジョブカード用
 DocType: Warranty Claim,Raised By,要求者
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,処方箋
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,処方箋
 DocType: Payment Gateway Account,Payment Account,支払勘定
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,続行する会社を指定してください
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,続行する会社を指定してください
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,売掛金の純変更
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,代償オフ
 DocType: Job Offer,Accepted,承認済
 DocType: POS Closing Voucher,Sales Invoices Summary,セールスインボイスサマリー
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,パーティー名に
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,パーティー名に
 DocType: Grant Application,Organization,組織
 DocType: BOM Update Tool,BOM Update Tool,BOM更新ツール
 DocType: SG Creation Tool Course,Student Group Name,生徒グループ名
@@ -3441,7 +3480,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,本当にこの会社のすべての取引を削除するか確認してください。マスタデータは残ります。このアクションは、元に戻すことはできません。
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,検索結果
 DocType: Room,Room Number,教室番号
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},無効な参照 {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},無効な参照 {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0}({1})は製造指示{3}において計画数量({2})より大きくすることはできません
 DocType: Shipping Rule,Shipping Rule Label,出荷ルールラベル
 DocType: Journal Entry Account,Payroll Entry,給与計算エントリ
@@ -3449,8 +3488,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,税テンプレート作成
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ユーザーフォーラム
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,原材料は空白にできません。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,行番号{0}(支払いテーブル):金額は負数でなければなりません
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.",請求書がドロップシッピングアイテムを含むため、在庫を更新できませんでした。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,行番号{0}(支払いテーブル):金額は負数でなければなりません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.",請求書がドロップシッピングアイテムを含むため、在庫を更新できませんでした。
 DocType: Contract,Fulfilment Status,フルフィルメントステータス
 DocType: Lab Test Sample,Lab Test Sample,ラボテストサンプル
 DocType: Item Variant Settings,Allow Rename Attribute Value,属性値の名前変更を許可する
@@ -3492,11 +3531,11 @@
 DocType: BOM,Show Operations,表示操作
 ,Minutes to First Response for Opportunity,機会への初回レスポンス時間
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,欠席計
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,行{0}のアイテムまたは倉庫が資材要求と一致していません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,行{0}のアイテムまたは倉庫が資材要求と一致していません
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,数量単位
 DocType: Fiscal Year,Year End Date,年終日
 DocType: Task Depends On,Task Depends On,依存するタスク
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,機会
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,機会
 DocType: Operation,Default Workstation,デフォルト作業所
 DocType: Notification Control,Expense Claim Approved Message,経費請求を承認メッセージ
 DocType: Payment Entry,Deductions or Loss,控除または損失
@@ -3534,20 +3573,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,承認ユーザーは、ルール適用対象ユーザーと同じにすることはできません
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),基本単価(在庫数量単位ごと)
 DocType: SMS Log,No of Requested SMS,リクエストされたSMSの数
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,承認された休暇申請の記録と一致しない無給休暇
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,承認された休暇申請の記録と一致しない無給休暇
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,次のステップ
 DocType: Travel Request,Domestic,国内の
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,可能な限り最高のレートで指定した項目を入力してください
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,可能な限り最高のレートで指定した項目を入力してください
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,従業員譲渡は譲渡日前に提出することはできません。
 DocType: Certification Application,USD,米ドル
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,請求書を作成
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,保たれているバランス
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,保たれているバランス
 DocType: Selling Settings,Auto close Opportunity after 15 days,機会を15日後に自動的にクローズ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,スコアカードが{1}のため、購買発注は{0}には許可されません。
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,バーコード{0}は有効な{1}コードではありません
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,バーコード{0}は有効な{1}コードではありません
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,終了年
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,見積もり/リード%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,契約終了日は、入社日よりも大きくなければなりません
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,契約終了日は、入社日よりも大きくなければなりません
 DocType: Driver,Driver,ドライバ
 DocType: Vital Signs,Nutrition Values,栄養価
 DocType: Lab Test Template,Is billable,請求可能
@@ -3558,7 +3597,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,これはERPNextの自動生成ウェブサイトの例です。
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,エイジングレンジ1
 DocType: Shopify Settings,Enable Shopify,Shopifyを有効にする
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,総引き出し額は、請求された金額の合計よりも大きくすることはできません
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,総引き出し額は、請求された金額の合計よりも大きくすることはできません
 DocType: Purchase Taxes and Charges Template,"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
@@ -3612,12 +3651,12 @@
 DocType: Employee Separation,Employee Separation,従業員の分離
 DocType: BOM Item,Original Item,オリジナルアイテム
 DocType: Purchase Receipt Item,Recd Quantity,受領数量
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,ドキュメントの日付
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,ドキュメントの日付
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},作成したフィーレコード -  {0}
 DocType: Asset Category Account,Asset Category Account,資産カテゴリーアカウント
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,行番号{0}(支払いテーブル):金額は正の値でなければなりません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,行番号{0}(支払いテーブル):金額は正の値でなければなりません
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},受注数{1}より多くのアイテム{0}を製造することはできません
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,属性値選択
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,属性値選択
 DocType: Purchase Invoice,Reason For Issuing document,文書を発行する理由
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,在庫エントリ{0}は提出されていません
 DocType: Payment Reconciliation,Bank / Cash Account,銀行/現金勘定
@@ -3626,8 +3665,10 @@
 DocType: Asset,Manual,マニュアル
 DocType: Salary Component Account,Salary Component Account,給与コンポーネントのアカウント
 DocType: Global Defaults,Hide Currency Symbol,通貨記号を非表示にする
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ソース別販売機会
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,寄付者の情報。
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card",例「銀行」「現金払い」「クレジットカード払い」
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,セットアップ&gt;ナンバリングシリーズで出席者用のナンバリングシリーズをセットアップしてください
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card",例「銀行」「現金払い」「クレジットカード払い」
 DocType: Job Applicant,Source Name,ソース名
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",正常な安静時の血圧は成人で上が120mmHg、下が80mmHgであり「120/80mmHg」と略記されます
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",manufacturing_dateとself lifeに基づいて有効期限を設定するためにアイテムの有効期限を日数に設定する
@@ -3657,7 +3698,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},数量は数量{0}未満でなければなりません
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,行{0}:開始日は終了日より前でなければなりません
 DocType: Salary Component,Max Benefit Amount (Yearly),最大利益額(年間)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDSレート%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDSレート%
 DocType: Crop,Planting Area,植栽エリア
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),合計(量)
 DocType: Installation Note Item,Installed Qty,設置済数量
@@ -3679,8 +3720,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,承認通知を残す
 DocType: Buying Settings,Default Buying Price List,デフォルト購入価格表
 DocType: Payroll Entry,Salary Slip Based on Timesheet,タイムシートに基づく給与明細
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,購入率
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},行{0}:資産アイテム{1}の場所を入力してください
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,購入率
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},行{0}:資産アイテム{1}の場所を入力してください
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,会社について
 DocType: Notification Control,Sales Order Message,受注メッセージ
@@ -3745,10 +3786,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,行{0}の場合:計画数量を入力してください
 DocType: Account,Income Account,収益勘定
 DocType: Payment Request,Amount in customer's currency,顧客通貨での金額
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,配送
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,配送
 DocType: Volunteer,Weekdays,平日
 DocType: Stock Reconciliation Item,Current Qty,現在の数量
 DocType: Restaurant Menu,Restaurant Menu,レストランメニュー
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,サプライヤを追加
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,ヘルプセクション
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,前
@@ -3760,19 +3802,20 @@
 												fullfill Sales Order {2}",販売注文{2}を完全に予約するために、商品{1}のシリアル番号{0}を配送できません
 DocType: Item Reorder,Material Request Type,資材要求タイプ
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,助成金レビューメールを送る
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",localStorageの容量不足のため保存されませんでした
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,行{0}:数量単位(UOM)換算係数は必須です
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",localStorageの容量不足のため保存されませんでした
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,行{0}:数量単位(UOM)換算係数は必須です
 DocType: Employee Benefit Claim,Claim Date,請求日
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,教室収容可能数
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},アイテム{0}のレコードがすでに存在します
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,参照
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,以前に生成された請求書のレコードは失われます。この定期購入を再開してもよろしいですか?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,登録料
 DocType: Loyalty Program Collection,Loyalty Program Collection,ロイヤリティプログラムコレクション
 DocType: Stock Entry Detail,Subcontracted Item,外注品
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},学生{0}はグループ{1}に属していません
 DocType: Budget,Cost Center,コストセンター
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,伝票番号
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,伝票番号
 DocType: Notification Control,Purchase Order Message,発注メッセージ
 DocType: Tax Rule,Shipping Country,出荷先の国
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,販売取引内での顧客の税IDを非表示
@@ -3791,23 +3834,22 @@
 DocType: Subscription,Cancel At End Of Period,期間の終了時にキャンセルする
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,プロパティが既に追加されている
 DocType: Item Supplier,Item Supplier,アイテムサプライヤー
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,バッチ番号を取得するためにアイテムコードを入力をしてください
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{0} quotation_to {1} の値を選択してください
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,バッチ番号を取得するためにアイテムコードを入力をしてください
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{0} quotation_to {1} の値を選択してください
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,転送するアイテムが選択されていません
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,全ての住所。
 DocType: Company,Stock Settings,在庫設定
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",両方のレコードで次のプロパティが同じである場合、マージのみ可能です。グループ、ルートタイプ、会社です
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",両方のレコードで次のプロパティが同じである場合、マージのみ可能です。グループ、ルートタイプ、会社です
 DocType: Vehicle,Electric,電気の
 DocType: Task,% Progress,% 進捗
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,資産処分益/損失
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",以下の表では、「承認済み」のステータスを持つ学生申請者のみが選択されます。
 DocType: Tax Withholding Category,Rates,料金
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,アカウント{0}のアカウント番号は利用できません。 <br>あなたの勘定科目表を正しく設定してください。
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,アカウント{0}のアカウント番号は利用できません。 <br>あなたの勘定科目表を正しく設定してください。
 DocType: Task,Depends on Tasks,タスクに依存
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,顧客グループツリーを管理します。
 DocType: Normal Test Items,Result Value,結果値
 DocType: Hotel Room,Hotels,ホテル
-DocType: Delivery Note,Transporter Date,トランスポーター日付
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,新しいコストセンター名
 DocType: Leave Control Panel,Leave Control Panel,[コントロールパネル]を閉じる
 DocType: Project,Task Completion,タスク完了
@@ -3854,11 +3896,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,すべての評価グループ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,新倉庫名
 DocType: Shopify Settings,App Type,アプリの種類
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),合計{0}({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),合計{0}({1})
 DocType: C-Form Invoice Detail,Territory,地域
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,必要な訪問の数を記述してください
 DocType: Stock Settings,Default Valuation Method,デフォルト評価方法
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,費用
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,累積金額を表示する
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,更新中です。しばらくお待ちください。
 DocType: Production Plan Item,Produced Qty,生産数量
 DocType: Vehicle Log,Fuel Qty,燃料数量
@@ -3866,7 +3909,7 @@
 DocType: Work Order Operation,Planned Start Time,計画開始時間
 DocType: Course,Assessment,評価
 DocType: Payment Entry Reference,Allocated,割り当て済み
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,貸借対照表を閉じて損益を記帳
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,貸借対照表を閉じて損益を記帳
 DocType: Student Applicant,Application Status,出願状況
 DocType: Additional Salary,Salary Component Type,給与コンポーネントタイプ
 DocType: Sensitivity Test Items,Sensitivity Test Items,感度試験項目
@@ -3877,10 +3920,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,残高合計
 DocType: Sales Partner,Targets,ターゲット
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,SIREN番号を会社情報ファイルに登録してください
+DocType: Email Digest,Sales Orders to Bill,ビルへの受注
 DocType: Price List,Price List Master,価格表マスター
 DocType: GST Account,CESS Account,CESSアカウント
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,すべての販売取引について、複数の「営業担当者」に対するタグを付けることができるため、これによって目標を設定しチェックすることができます。
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,品目依頼へのリンク
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,品目依頼へのリンク
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,フォーラム活動
 ,S.O. No.,受注番号
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,銀行報告書取引設定項目
@@ -3895,7 +3939,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,ルート(大元の)顧客グループなので編集できません
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,累積月予算がPOを超過した場合のアクション
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,場所へ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,場所へ
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,為替レートの再評価
 DocType: POS Profile,Ignore Pricing Rule,価格設定ルールを無視
 DocType: Employee Education,Graduate,大卒
@@ -3942,6 +3986,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,レストランの設定でデフォルトの顧客を設定してください
 ,Salary Register,給与登録
 DocType: Warehouse,Parent Warehouse,親倉庫
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,チャート
 DocType: Subscription,Net Total,差引計
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},アイテム{0}およびプロジェクト{1}にデフォルトBOMが見つかりません
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,様々なローンのタイプを定義します
@@ -3974,24 +4019,26 @@
 DocType: Membership,Membership Status,会員資格
 DocType: Travel Itinerary,Lodging Required,宿泊が必要
 ,Requested,要求済
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,備考がありません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,備考がありません
 DocType: Asset,In Maintenance,保守中
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWSから受注データを引き出すには、このボタンをクリックします。
 DocType: Vital Signs,Abdomen,腹部
 DocType: Purchase Invoice,Overdue,期限超過
 DocType: Account,Stock Received But Not Billed,記帳前在庫
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,ルートアカウントはグループである必要があります
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,ルートアカウントはグループである必要があります
 DocType: Drug Prescription,Drug Prescription,薬物処方
 DocType: Loan,Repaid/Closed,返済/クローズ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,全投影数量
 DocType: Monthly Distribution,Distribution Name,配布名
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOMを含める
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",{1} {2}の会計処理を行うために必要なアイテム{0}の評価レートが見つかりません。アイテムが{1}のゼロ評価レートアイテムとして取引されている場合は、{1}アイテムテーブルにそのアイテムを記載してください。それ以外の場合は、明細レコードに到着した在庫トランザクションまたは評価レートを登録してから、このエントリの登録/取消を試みてください
 DocType: Course,Course Code,コースコード
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},アイテム{0}に必要な品質検査
 DocType: Location,Parent Location,親の場所
 DocType: POS Settings,Use POS in Offline Mode,オフラインモードでPOSを使用
 DocType: Supplier Scorecard,Supplier Variables,サプライヤ変数
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0}は必須です。たぶん、通貨レコードは{1}から{2}には作成されません
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,顧客の通貨が会社の基本通貨に換算されるレート
 DocType: Purchase Invoice Item,Net Rate (Company Currency),正味単価(会社通貨)
 DocType: Salary Detail,Condition and Formula Help,条件と式のヘルプ
@@ -4000,19 +4047,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,請求書
 DocType: Journal Entry Account,Party Balance,当事者残高
 DocType: Cash Flow Mapper,Section Subtotal,セクション小計
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,「割引を適用」を選択してください
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,「割引を適用」を選択してください
 DocType: Stock Settings,Sample Retention Warehouse,サンプル保持倉庫
 DocType: Company,Default Receivable Account,デフォルト売掛金勘定
 DocType: Purchase Invoice,Deemed Export,みなし輸出
 DocType: Stock Entry,Material Transfer for Manufacture,製造用資材移送
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,割引率は、価格表に対して、またはすべての価格リストのいずれかを適用することができます。
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,在庫の会計エントリー
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,在庫の会計エントリー
 DocType: Lab Test,LabTest Approver,LabTest承認者
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,評価基準{}は評価済です。
 DocType: Vehicle Service,Engine Oil,エンジンオイル
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},作成された作業オーダー:{0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},作成された作業オーダー:{0}
 DocType: Sales Invoice,Sales Team1,販売チーム1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,アイテム{0}は存在しません
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,アイテム{0}は存在しません
 DocType: Sales Invoice,Customer Address,顧客の住所
 DocType: Loan,Loan Details,ローン詳細
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,会社の備品の設置に失敗しました
@@ -4033,34 +4080,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,ページの上部にこのスライドショーを表示
 DocType: BOM,Item UOM,アイテム数量単位
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),割引後税額(会社通貨)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},{0}行にターゲット倉庫が必須です。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},{0}行にターゲット倉庫が必須です。
 DocType: Cheque Print Template,Primary Settings,優先設定
 DocType: Attendance Request,Work From Home,在宅勤務
 DocType: Purchase Invoice,Select Supplier Address,サプライヤー住所を選択
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,従業員追加
 DocType: Purchase Invoice Item,Quality Inspection,品質検査
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,XS
 DocType: Company,Standard Template,標準テンプレート
 DocType: Training Event,Theory,学理
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,警告:資材要求数が最小注文数を下回っています。
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,警告:資材要求数が最小注文数を下回っています。
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,アカウント{0}は凍結されています
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,組織内で別々の勘定科目を持つ法人/子会社
 DocType: Payment Request,Mute Email,メールをミュートする
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco",食品、飲料&タバコ
 DocType: Account,Account Number,口座番号
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},唯一の未請求{0}に対して支払いを行うことができます
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,手数料率は、100を超えることはできません。
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},唯一の未請求{0}に対して支払いを行うことができます
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,手数料率は、100を超えることはできません。
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),アドバンスを自動的に割り当てる(FIFO)
 DocType: Volunteer,Volunteer,ボランティア
 DocType: Buying Settings,Subcontract,下請
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,先に{0}を入力してください
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,返信がありません
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,返信がありません
 DocType: Work Order Operation,Actual End Time,実際の終了時間
 DocType: Item,Manufacturer Part Number,メーカー品番
 DocType: Taxable Salary Slab,Taxable Salary Slab,課税可能な給与スラブ
 DocType: Work Order Operation,Estimated Time and Cost,推定所要時間と費用
 DocType: Bin,Bin,保管場所
 DocType: Crop,Crop Name,トリミングの名前
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,役割が{0}のユーザーのみがMarketplaceに登録できます
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,役割が{0}のユーザーのみがMarketplaceに登録できます
 DocType: SMS Log,No of Sent SMS,送信されたSMSの数
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,予定と出会い
@@ -4089,7 +4137,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,コード変更
 DocType: Purchase Invoice Item,Valuation Rate,評価額
 DocType: Vehicle,Diesel,ディーゼル
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,価格表の通貨が選択されていません
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,価格表の通貨が選択されていません
 DocType: Purchase Invoice,Availed ITC Cess,入手可能なITC Cess
 ,Student Monthly Attendance Sheet,生徒月次出席シート
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,配送ルールは販売にのみ適用されます
@@ -4105,7 +4153,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,セールスパートナーを管理します。
 DocType: Quality Inspection,Inspection Type,検査タイプ
 DocType: Fee Validity,Visited yet,未訪問
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,既存取引のある倉庫をグループに変換することはできません。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,既存取引のある倉庫をグループに変換することはできません。
 DocType: Assessment Result Tool,Result HTML,結果HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,販売取引に基づいてプロジェクトや会社を更新する頻度。
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,有効期限
@@ -4113,7 +4161,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},{0}を選択してください
 DocType: C-Form,C-Form No,C-フォームはありません
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,距離
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,距離
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,購入または販売している商品やサービスをリストします。
 DocType: Water Analysis,Storage Temperature,保管温度
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4129,19 +4177,19 @@
 DocType: Shopify Settings,Delivery Note Series,デリバリーノートシリーズ
 DocType: Purchase Order Item,Returned Qty,返品数量
 DocType: Student,Exit,終了
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,ルートタイプが必須です
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,ルートタイプが必須です
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,プリセットのインストールに失敗しました
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,時間単位のUOM変換
 DocType: Contract,Signee Details,署名者の詳細
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0}には現在、サプライヤースコアカード {1} が指定されており、このサプライヤーへの見積依頼は慎重に行なう必要があります。
 DocType: Certified Consultant,Non Profit Manager,非営利のマネージャー
 DocType: BOM,Total Cost(Company Currency),総コスト(会社通貨)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,シリアル番号 {0}を作成しました
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,シリアル番号 {0}を作成しました
 DocType: Homepage,Company Description for website homepage,ウェブサイトのホームページのための会社説明
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",これらのコードは、顧客の便宜のために、請求書および納品書等の印刷形式で使用することができます
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,サプライヤー名
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0}の情報を取得できませんでした。
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,オープニングエントリージャーナル
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,オープニングエントリージャーナル
 DocType: Contract,Fulfilment Terms,履行条件
 DocType: Sales Invoice,Time Sheet List,勤務表一覧
 DocType: Employee,You can enter any date manually,手動で日付を入力することができます
@@ -4176,7 +4224,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,あなたの組織
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",Leave Allocationレコードがすでに存在しているため、次の従業員の割り当てをスキップします。 {0}
 DocType: Fee Component,Fees Category,料金カテゴリー
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,退職日を入力してください。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,退職日を入力してください。
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,量/額
 DocType: Travel Request,"Details of Sponsor (Name, Location)",スポンサーの詳細(氏名、所在地)
 DocType: Supplier Scorecard,Notify Employee,従業員に通知する
@@ -4189,9 +4237,9 @@
 DocType: Company,Chart Of Accounts Template,アカウントテンプレートのチャート
 DocType: Attendance,Attendance Date,出勤日
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},購買請求書{0}の在庫を更新する必要があります。
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},アイテムの価格は価格表{1}で{0}の更新します
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},アイテムの価格は価格表{1}で{0}の更新します
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,給与の支給と控除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,子ノードを持つ勘定は、元帳に変換することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,子ノードを持つ勘定は、元帳に変換することはできません
 DocType: Purchase Invoice Item,Accepted Warehouse,承認済み倉庫
 DocType: Bank Reconciliation Detail,Posting Date,転記日付
 DocType: Item,Valuation Method,評価方法
@@ -4228,6 +4276,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,バッチを選択してください
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,旅行と経費請求
 DocType: Sales Invoice,Redemption Cost Center,償還原価センタ
+DocType: QuickBooks Migrator,Scope,範囲
 DocType: Assessment Group,Assessment Group Name,評価グループ名
 DocType: Manufacturing Settings,Material Transferred for Manufacture,製造用移送資材
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,詳細に追加
@@ -4235,6 +4284,7 @@
 DocType: Shopify Settings,Last Sync Datetime,最終同期日時
 DocType: Landed Cost Item,Receipt Document Type,領収書のドキュメントの種類
 DocType: Daily Work Summary Settings,Select Companies,会社を選択
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,提案/価格見積もり
 DocType: Antibiotic,Healthcare,ヘルスケア
 DocType: Target Detail,Target Detail,ターゲット詳細
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,単一のバリエーション
@@ -4244,6 +4294,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,決算エントリー
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,部門を選択...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,既存の取引があるコストセンターは、グループに変換することはできません
+DocType: QuickBooks Migrator,Authorization URL,承認URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},量{0} {1} {2} {3}
 DocType: Account,Depreciation,減価償却
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,株式数と株式数が矛盾している
@@ -4265,13 +4316,14 @@
 DocType: Support Search Source,Source DocType,ソースDocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,新しいチケットを開く
 DocType: Training Event,Trainer Email,研修講師メール
+DocType: Driver,Transporter,トランスポーター
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,資材要求 {0} を作成しました
 DocType: Restaurant Reservation,No of People,人数
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,規約・契約用テンプレート
 DocType: Bank Account,Address and Contact,住所・連絡先
 DocType: Vital Signs,Hyper,ハイパー
 DocType: Cheque Print Template,Is Account Payable,アカウントが支払われます
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},株式は購入時の領収書に対して更新することはできません{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},株式は購入時の領収書に対して更新することはできません{0}
 DocType: Support Settings,Auto close Issue after 7 days,課題を7日後に自動的にクローズ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",残休暇が先の日付の休暇割当レコード{1}に割り当てられているため、{0}以前の休暇を割り当てることができません
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注:支払期限/基準日の超過は顧客の信用日数{0}日間許容されます
@@ -4289,7 +4341,7 @@
 ,Qty to Deliver,配送数
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazonは、この日付後に更新されたデータを同期させます
 ,Stock Analytics,在庫分析
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,操作は空白のままにすることはできません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,操作は空白のままにすることはできません
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,ラボテスト
 DocType: Maintenance Visit Purpose,Against Document Detail No,文書詳細番号に対して
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},国{0}の削除は許可されていません
@@ -4297,13 +4349,12 @@
 DocType: Quality Inspection,Outgoing,支出
 DocType: Material Request,Requested For,要求対象
 DocType: Quotation Item,Against Doctype,対文書タイプ
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} はキャンセルまたは終了しています
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} はキャンセルまたは終了しています
 DocType: Asset,Calculate Depreciation,減価償却計算
 DocType: Delivery Note,Track this Delivery Note against any Project,任意のプロジェクトに対してこの納品書を追跡します
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,投資からの純キャッシュ・フロー
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,顧客&gt;顧客グループ&gt;テリトリー
 DocType: Work Order,Work-in-Progress Warehouse,作業中の倉庫
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,資産{0}の提出が必須です
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,資産{0}の提出が必須です
 DocType: Fee Schedule Program,Total Students,総生徒数
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},生徒 {1} には出席レコード {0} が存在します
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},参照#{0} 日付{1}
@@ -4322,7 +4373,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,左の従業員に対して保持ボーナスを作成することはできません
 DocType: Lead,Market Segment,市場区分
 DocType: Agriculture Analysis Criteria,Agriculture Manager,農業管理者
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},有料額は合計マイナスの残高を超えることはできません{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},有料額は合計マイナスの残高を超えることはできません{0}
 DocType: Supplier Scorecard Period,Variables,変数
 DocType: Employee Internal Work History,Employee Internal Work History,従業員の入社後の職歴
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),(借方)を閉じる
@@ -4346,22 +4397,24 @@
 DocType: Amazon MWS Settings,Synch Products,同期製品
 DocType: Loyalty Point Entry,Loyalty Program,ロイヤルティプログラム
 DocType: Student Guardian,Father,お父さん
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,チケットをサポートする
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,「アップデート証券は「固定資産売却をチェックすることはできません
 DocType: Bank Reconciliation,Bank Reconciliation,銀行勘定調整
 DocType: Attendance,On Leave,休暇中
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,アップデートを入手
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}:アカウントは、{2}会社に所属していない{3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,各属性から少なくとも1つの値を選択してください。
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,各属性から少なくとも1つの値を選択してください。
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,資材要求{0}はキャンセルまたは停止されています
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,ディスパッチ状態
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,ディスパッチ状態
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,休暇管理
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,グループ
 DocType: Purchase Invoice,Hold Invoice,請求書保留
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,従業員を選択してください
 DocType: Sales Order,Fully Delivered,全て納品済
-DocType: Lead,Lower Income,低収益
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,低収益
 DocType: Restaurant Order Entry,Current Order,現在の注文
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,シリアル番号と数量は同じでなければなりません
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},出庫元/入庫先を同じ行{0}に入れることはできません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},出庫元/入庫先を同じ行{0}に入れることはできません
 DocType: Account,Asset Received But Not Billed,受け取った資産は請求されません
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",この在庫棚卸が繰越エントリであるため、差異勘定は資産/負債タイプのアカウントである必要があります
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},支出額は、ローン額を超えることはできません{0}
@@ -4370,7 +4423,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},アイテム{0}には発注番号が必要です
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',「終了日」は「開始日」の後にしてください。
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,この指定のための職員配置計画は見つかりません
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,アイテム{1}のバッチ{0}は無効です。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,アイテム{1}のバッチ{0}は無効です。
 DocType: Leave Policy Detail,Annual Allocation,年間配当
 DocType: Travel Request,Address of Organizer,主催者の住所
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,医療従事者を選択...
@@ -4379,12 +4432,12 @@
 DocType: Asset,Fully Depreciated,完全に減価償却
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,予測在庫数
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},顧客{0}はプロジェクト{1}に属していません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},顧客{0}はプロジェクト{1}に属していません
 DocType: Employee Attendance Tool,Marked Attendance HTML,著しい出席HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",見積は顧客に送付した、提案・入札です
 DocType: Sales Invoice,Customer's Purchase Order,顧客の購入注文
 DocType: Clinical Procedure,Patient,患者
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,受注での与信確認のバイパス
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,受注での与信確認のバイパス
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,従業員のオンボーディング活動
 DocType: Location,Check if it is a hydroponic unit,水耕栽培ユニットであるかどうかを確認する
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,シリアル番号とバッチ
@@ -4394,7 +4447,7 @@
 DocType: Supplier Scorecard Period,Calculations,計算
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,値または数量
 DocType: Payment Terms Template,Payment Terms,支払い条件
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,プロダクションの注文がために提起することができません。
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,プロダクションの注文がために提起することができません。
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,分
 DocType: Purchase Invoice,Purchase Taxes and Charges,購入租税公課
 DocType: Chapter,Meetup Embed HTML,Meetup HTMLを埋め込む
@@ -4402,17 +4455,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,サプライヤーに移動
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Taxes
 ,Qty to Receive,受領数
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",有効な給与計算期間内にない開始日と終了日は、{0}を計算できません。
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",有効な給与計算期間内にない開始日と終了日は、{0}を計算できません。
 DocType: Leave Block List,Leave Block List Allowed,許可済休暇リスト
 DocType: Grading Scale Interval,Grading Scale Interval,グレーディングスケールインターバル
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},自動車ログ{0}のための経費請求
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,利益率を用いた価格リストレートの割引(%)
 DocType: Healthcare Service Unit Type,Rate / UOM,レート/ UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,全倉庫
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,会社間取引で{0}は見つかりませんでした。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,会社間取引で{0}は見つかりませんでした。
 DocType: Travel Itinerary,Rented Car,レンタカー
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,あなたの会社について
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,貸方アカウントは貸借対照表アカウントである必要があります
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,貸方アカウントは貸借対照表アカウントである必要があります
 DocType: Donor,Donor,ドナー
 DocType: Global Defaults,Disable In Words,文字表記無効
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,アイテムは自動的に採番されていないため、アイテムコードが必須です
@@ -4424,14 +4477,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,銀行当座貸越口座
 DocType: Patient,Patient ID,患者ID
 DocType: Practitioner Schedule,Schedule Name,スケジュール名
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,ステージ別販売パイプライン
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,給与伝票を作成
 DocType: Currency Exchange,For Buying,買い物
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,すべてのサプライヤーを追加
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,すべてのサプライヤーを追加
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行番号{0}:割り当て金額は未払い金額より大きくすることはできません。
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,部品表(BOM)を表示
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,担保ローン
 DocType: Purchase Invoice,Edit Posting Date and Time,編集転記日付と時刻
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},資産カテゴリー{0}または当社との減価償却に関連するアカウントを設定してください。{1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},資産カテゴリー{0}または当社との減価償却に関連するアカウントを設定してください。{1}
 DocType: Lab Test Groups,Normal Range,正常範囲
 DocType: Academic Term,Academic Year,学年
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,販売可能
@@ -4460,26 +4514,26 @@
 DocType: Patient Appointment,Patient Appointment,患者予約
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,承認役割は、ルール適用対象役割と同じにすることはできません
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,このメールダイジェストから解除
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,サプライヤーを取得
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,サプライヤーを取得
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},アイテム{1}に{0}が見つかりません
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,コースに移動
 DocType: Accounts Settings,Show Inclusive Tax In Print,印刷時に税込で表示
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",銀行口座、開始日と終了日は必須です
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,送信されたメッセージ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,子ノードを持つアカウントは元帳に設定することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,子ノードを持つアカウントは元帳に設定することはできません
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,価格表の通貨が顧客の基本通貨に換算されるレート
 DocType: Purchase Invoice Item,Net Amount (Company Currency),正味金額(会社通貨)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,総引き渡し額は、総額を超えてはならない
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,総引き渡し額は、総額を超えてはならない
 DocType: Salary Slip,Hour Rate,時給
 DocType: Stock Settings,Item Naming By,アイテム命名
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},別の期間の決算仕訳 {0} が {1} の後に作成されています
 DocType: Work Order,Material Transferred for Manufacturing,製造用移設資材
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,アカウント{0}が存在しません
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,ロイヤリティプログラムを選択
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,ロイヤリティプログラムを選択
 DocType: Project,Project Type,プロジェクトタイプ
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,このタスクの子タスクが存在します。このタスクは削除できません。
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ターゲット数量や目標量のどちらかが必須です。
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ターゲット数量や目標量のどちらかが必須です。
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,様々な活動の費用
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",以下の営業担当者に配置された従業員にはユーザーID {1} が無いため、{0}にイベントを設定します
 DocType: Timesheet,Billing Details,支払明細
@@ -4536,13 +4590,13 @@
 DocType: Inpatient Record,A Negative,Aネガティブ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,これ以上表示するものがありません
 DocType: Lead,From Customer,顧客から
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,電話
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,電話
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,製品
 DocType: Employee Tax Exemption Declaration,Declarations,宣言
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,バッチ
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,料金表を作成する
 DocType: Purchase Order Item Supplied,Stock UOM,在庫単位
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,発注{0}は提出されていません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,発注{0}は提出されていません
 DocType: Account,Expenses Included In Asset Valuation,資産評価に含まれる費用
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),大人の標準参照範囲は16-20呼吸/分(RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,関税番号
@@ -4555,6 +4609,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,最初に患者を救ってください
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,出席が正常にマークされています。
 DocType: Program Enrollment,Public Transport,公共交通機関
+DocType: Delivery Note,GST Vehicle Type,GST車両タイプ
 DocType: Soil Texture,Silt Composition (%),シルト組成(%)
 DocType: Journal Entry,Remark,備考
 DocType: Healthcare Settings,Avoid Confirmation,確認を避ける
@@ -4563,11 +4618,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,休暇・休日
 DocType: Education Settings,Current Academic Term,現在の学期
 DocType: Sales Order,Not Billed,未記帳
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,両方の倉庫は同じ会社に属している必要があります
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,両方の倉庫は同じ会社に属している必要があります
 DocType: Employee Grade,Default Leave Policy,デフォルトの離脱ポリシー
 DocType: Shopify Settings,Shop URL,ショップのURL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,連絡先がまだ追加されていません
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,セットアップ&gt;ナンバリングシリーズで出席者用のナンバリングシリーズをセットアップしてください
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,陸揚費用伝票額
 ,Item Balance (Simple),商品残高(簡易)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,サプライヤーからの請求
@@ -4592,7 +4646,7 @@
 DocType: Shopping Cart Settings,Quotation Series,見積シリーズ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",同名のアイテム({0})が存在しますので、アイテムグループ名を変えるか、アイテム名を変更してください
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,土壌分析基準
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,顧客を選択してください
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,顧客を選択してください
 DocType: C-Form,I,I
 DocType: Company,Asset Depreciation Cost Center,資産減価償却コストセンター
 DocType: Production Plan Sales Order,Sales Order Date,受注日
@@ -4605,8 +4659,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,現在どの倉庫にも在庫がありません
 ,Payment Period Based On Invoice Date,請求書の日付に基づく支払期間
 DocType: Sample Collection,No. of print,印刷枚数
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,誕生日のお知らせ
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ホテルルーム予約アイテム
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0}用の為替レートがありません
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},{0}用の為替レートがありません
 DocType: Employee Health Insurance,Health Insurance Name,健康保険の名前
 DocType: Assessment Plan,Examiner,審査官
 DocType: Student,Siblings,同胞種
@@ -4623,19 +4678,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,新規顧客
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,粗利益%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,予定{0}と販売請求書{1}がキャンセルされました
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,リードソースによる機会
 DocType: Appraisal Goal,Weightage (%),重み付け(%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POSプロファイルの変更
 DocType: Bank Reconciliation Detail,Clearance Date,決済日
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",Assetはアイテム{0}に対してすでに存在していますが、シリアル番号を変更することはできません
+DocType: Delivery Settings,Dispatch Notification Template,ディスパッチ通知テンプレート
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",Assetはアイテム{0}に対してすでに存在していますが、シリアル番号を変更することはできません
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,評価レポート
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,従業員を得る
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,購入総額は必須です
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,会社名は同じではありません
 DocType: Lead,Address Desc,住所種別
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,当事者は必須です
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},他の行に期限が重複している行が見つかりました:{list}
 DocType: Topic,Topic Name,トピック名
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,HR設定で承認通知を残すためのデフォルトテンプレートを設定してください。
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,HR設定で承認通知を残すためのデフォルトテンプレートを設定してください。
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,販売または購入のいずれかを選択する必要があります
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,従業員を選択して従業員の進級を取得します。
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,有効な日付を選択してください
@@ -4669,6 +4725,7 @@
 DocType: Stock Entry,Customer or Supplier Details,顧客またはサプライヤー詳細
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,現在の資産価値
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooksの企業ID
 DocType: Travel Request,Travel Funding,旅行資金調達
 DocType: Loan Application,Required by Date,日によって必要とされます
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,作物が成長しているすべての場所へのリンク
@@ -4682,9 +4739,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,倉庫内利用可能バッチ数量
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,グロスペイ - 合計控除 - ローン返済
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,「現在の部品表」と「新しい部品表」は同じにすることはできません
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,「現在の部品表」と「新しい部品表」は同じにすることはできません
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,給与明細ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,退職日は入社日より後でなければなりません
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,退職日は入社日より後でなければなりません
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,複数のバリエーション
 DocType: Sales Invoice,Against Income Account,対損益勘定
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}%配送済
@@ -4713,7 +4770,7 @@
 DocType: POS Profile,Update Stock,在庫更新
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,アイテムごとに数量単位が異なると、(合計)正味重量値が正しくなりません。各アイテムの正味重量が同じ単位になっていることを確認してください。
 DocType: Certification Application,Payment Details,支払詳細
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,部品表通貨レート
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,部品表通貨レート
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",停止した作業指示を取り消すことはできません。取り消すには最初に取り消してください
 DocType: Asset,Journal Entry for Scrap,スクラップ用の仕訳
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,納品書からアイテムを抽出してください
@@ -4736,11 +4793,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,認可額合計
 ,Purchase Analytics,仕入分析
 DocType: Sales Invoice Item,Delivery Note Item,納品書アイテム
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,現在の請求書{0}がありません
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,現在の請求書{0}がありません
 DocType: Asset Maintenance Log,Task,タスク
 DocType: Purchase Taxes and Charges,Reference Row #,参照行#
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},項目{0}にバッチ番号が必須です
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,ルート(大元の)営業担当者なので編集できません
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,ルート(大元の)営業担当者なので編集できません
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",選択した場合、このコンポーネントで指定または計算された値は、収益または控除に影響しません。ただし、他のコンポーネントの増減によって値が参照される可能性があります。
 DocType: Asset Settings,Number of Days in Fiscal Year,会計年度の日数
 ,Stock Ledger,在庫元帳
@@ -4748,7 +4805,7 @@
 DocType: Company,Exchange Gain / Loss Account,取引利益/損失のアカウント
 DocType: Amazon MWS Settings,MWS Credentials,MWS資格
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,従業員および出勤
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},目的は、{0}のいずれかである必要があります
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},目的は、{0}のいずれかである必要があります
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,フォームに入力して保存します
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,コミュニティフォーラム
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,在庫実数
@@ -4763,7 +4820,7 @@
 DocType: Lab Test Template,Standard Selling Rate,標準販売レート
 DocType: Account,Rate at which this tax is applied,この税金が適用されるレート
 DocType: Cash Flow Mapper,Section Name,セクション名
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,再注文数量
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,再注文数量
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},減価償却行{0}:耐用年数後の期待値は{1}以上でなければなりません
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,現在の求人
 DocType: Company,Stock Adjustment Account,在庫調整勘定
@@ -4773,8 +4830,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",システムユーザー(ログイン)IDを指定します。設定すると、すべての人事フォームのデフォルトになります。
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,償却の詳細を入力
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}:{1}から
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},学生{1}に対して既にアプリケーション{0}を残しておきます
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,すべての部品表で最新の価格を更新するために待機します。数分かかることがあります。
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,すべての部品表で最新の価格を更新するために待機します。数分かかることがあります。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新しいアカウント名。注:顧客やサプライヤーのためにアカウントを作成しないでください
 DocType: POS Profile,Display Items In Stock,在庫アイテムの表示
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,国ごとのデフォルトのアドレステンプレート
@@ -4804,16 +4862,18 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0}のスロットはスケジュールに追加されません
 DocType: Product Bundle,List items that form the package.,梱包を形成するリストアイテム
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,許可されていません。テストテンプレートを無効にしてください
+DocType: Delivery Note,Distance (in km),距離(km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,割合の割り当ては100パーセントに等しくなければなりません
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,当事者を選択する前に転記日付を選択してください
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,当事者を選択する前に転記日付を選択してください
 DocType: Program Enrollment,School House,スクールハウス
 DocType: Serial No,Out of AMC,年間保守契約外
+DocType: Opportunity,Opportunity Amount,機会費用
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,予約された減価償却の数は、減価償却費の合計数を超えることはできません
 DocType: Purchase Order,Order Confirmation Date,注文確認日
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,保守訪問作成
 DocType: Employee Transfer,Employee Transfer Details,従業員の移転の詳細
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,販売マスターマネージャー{0}の役割を持っているユーザーに連絡してください
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,販売マスターマネージャー{0}の役割を持っているユーザーに連絡してください
 DocType: Company,Default Cash Account,デフォルトの現金勘定
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,会社(顧客・サプライヤーではない)のマスター
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,これはこの生徒の出席に基づいています
@@ -4821,9 +4881,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,アイテム追加またはフォームを全て開く
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、納品書{0}をキャンセルしなければなりません
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,ユーザーに移動
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,支払額+償却額は総計を超えることはできません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,支払額+償却額は総計を超えることはできません
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}はアイテム{1}に対して有効なバッチ番号ではありません
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},注:休暇タイプ{0}のための休暇残高が足りません
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},注:休暇タイプ{0}のための休暇残高が足りません
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,登録されていないGSTINが無効またはNAを入力してください
 DocType: Training Event,Seminar,セミナー
 DocType: Program Enrollment Fee,Program Enrollment Fee,教育課程登録料
@@ -4840,7 +4900,7 @@
 DocType: Fee Schedule,Fee Schedule,料金表
 DocType: Company,Create Chart Of Accounts Based On,アカウントベースでのグラフを作成
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,それを非グループに変換することはできません。子タスクが存在します。
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,生年月日は今日より後にすることはできません
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,生年月日は今日より後にすることはできません
 ,Stock Ageing,在庫エイジング
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",部分的にスポンサー、部分的な資金を必要とする
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},生徒 {0} は出願 {1} に存在します
@@ -4887,11 +4947,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,照合前
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),租税公課が追加されました。(報告通貨)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,アイテムごとの税の行{0}では、勘定タイプ「税」「収入」「経費」「支払」のいずれかが必要です
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,アイテムごとの税の行{0}では、勘定タイプ「税」「収入」「経費」「支払」のいずれかが必要です
 DocType: Sales Order,Partly Billed,一部支払済
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,アイテムは、{0}固定資産項目でなければなりません
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,バリエーション作成
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,バリエーション作成
 DocType: Item,Default BOM,デフォルト部品表
 DocType: Project,Total Billed Amount (via Sales Invoices),総請求金額(請求書による)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,デビットノート金額
@@ -4920,13 +4980,13 @@
 DocType: Notification Control,Custom Message,カスタムメッセージ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,投資銀行
 DocType: Purchase Invoice,input,入力
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,現金または銀行口座は、支払いのエントリを作成するための必須です
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,現金または銀行口座は、支払いのエントリを作成するための必須です
 DocType: Loyalty Program,Multiple Tier Program,複数の階層プログラム
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,生徒住所
 DocType: Purchase Invoice,Price List Exchange Rate,価格表為替レート
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,すべてのサプライヤグループ
 DocType: Employee Boarding Activity,Required for Employee Creation,従業員の創造に必要なもの
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},アカウント番号{0}は既にアカウント{1}で使用されています
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},アカウント番号{0}は既にアカウント{1}で使用されています
 DocType: GoCardless Mandate,Mandate,委任
 DocType: POS Profile,POS Profile Name,POSプロファイル名
 DocType: Hotel Room Reservation,Booked,予約済み
@@ -4942,18 +5002,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,参照日を入力した場合は参照番号が必須です
 DocType: Bank Reconciliation Detail,Payment Document,支払ドキュメント
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,条件式を評価する際のエラー
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,入社日は誕生日よりも後でなければなりません
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,入社日は誕生日よりも後でなければなりません
 DocType: Subscription,Plans,予定
 DocType: Salary Slip,Salary Structure,給与体系
 DocType: Account,Bank,銀行
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,航空会社
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,資材課題
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,資材課題
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ShopifyをERPNextと接続する
 DocType: Material Request Item,For Warehouse,倉庫用
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,納品書{0}が更新されました
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,納品書{0}が更新されました
 DocType: Employee,Offer Date,雇用契約日
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,見積
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,オフラインモードになっています。ネットワークに接続するまで、リロードすることができません。
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,見積
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,オフラインモードになっています。ネットワークに接続するまで、リロードすることができません。
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,付与
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,生徒グループは作成されていません
 DocType: Purchase Invoice Item,Serial No,シリアル番号
@@ -4965,24 +5025,26 @@
 DocType: Sales Invoice,Customer PO Details,顧客POの詳細
 DocType: Stock Entry,Including items for sub assemblies,組立部品のためのアイテムを含む
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,一時的口座開設
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,入力値は正でなければなりません
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,入力値は正でなければなりません
 DocType: Asset,Finance Books,金融書籍
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,従業員税免除宣言カテゴリ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,全ての領域
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,従業員{0}の休暇ポリシーを従業員/グレードの記録に設定してください
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,選択された顧客および商品のブランケット注文が無効です
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,選択された顧客および商品のブランケット注文が無効です
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,複数のタスクを追加する
 DocType: Purchase Invoice,Items,アイテム
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,終了日を開始日より前にすることはできません。
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,生徒はすでに登録されています。
 DocType: Fiscal Year,Year Name,年の名前
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,休日数が月営業日数を上回っています
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LCリファレンス
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,休日数が月営業日数を上回っています
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,次のアイテム{0}は{1}アイテムとしてマークされていません。アイテムマスターから{1}アイテムとして有効にすることができます
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LCリファレンス
 DocType: Production Plan Item,Product Bundle Item,製品付属品アイテム
 DocType: Sales Partner,Sales Partner Name,販売パートナー名
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,見積依頼
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,見積依頼
 DocType: Payment Reconciliation,Maximum Invoice Amount,最大請求額
 DocType: Normal Test Items,Normal Test Items,通常のテスト項目
+DocType: QuickBooks Migrator,Company Settings,会社の設定
 DocType: Additional Salary,Overwrite Salary Structure Amount,上書き給与構造金額
 DocType: Student Language,Student Language,生徒言語
 apps/erpnext/erpnext/config/selling.py +23,Customers,顧客
@@ -4994,21 +5056,23 @@
 DocType: Issue,Opening Time,「時間」を開く
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,期間日付が必要です
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,証券・商品取引所
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',バリエーションのデフォルト単位 '{0}' はテンプレート '{1}' と同じである必要があります
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',バリエーションのデフォルト単位 '{0}' はテンプレート '{1}' と同じである必要があります
 DocType: Shipping Rule,Calculate Based On,計算基準
 DocType: Contract,Unfulfilled,満たされていない
 DocType: Delivery Note Item,From Warehouse,倉庫から
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,指定された基準の従業員はいません
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,製造する部品表(BOM)を持つアイテムはありません
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,製造する部品表(BOM)を持つアイテムはありません
 DocType: Shopify Settings,Default Customer,デフォルト顧客
+DocType: Sales Stage,Stage Name,芸名
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,スーパーバイザー名
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,予定が同じ日に作成されているかどうかを確認しない
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,船への状態
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,船への状態
 DocType: Program Enrollment Course,Program Enrollment Course,教育課程登録コース
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},ユーザー{0}は既に医療従事者{1}に割り当てられています
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,サンプル保持在庫エントリを作成する
 DocType: Purchase Taxes and Charges,Valuation and Total,評価と総合
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,交渉/レビュー
 DocType: Leave Encashment,Encashment Amount,払込金額
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,スコアカード
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,期限切れのバッチ
@@ -5018,7 +5082,7 @@
 DocType: Staffing Plan Detail,Current Openings,現在の開口部
 DocType: Notification Control,Customize the Notification,通知をカスタマイズ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,営業活動によるキャッシュフロー
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST額
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST額
 DocType: Purchase Invoice,Shipping Rule,出荷ルール
 DocType: Patient Relation,Spouse,配偶者
 DocType: Lab Test Groups,Add Test,テスト追加
@@ -5032,14 +5096,14 @@
 DocType: Payroll Entry,Payroll Frequency,給与頻度
 DocType: Lab Test Template,Sensitivity,感度
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,最大再試行回数を超えたため、同期が一時的に無効になっています
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,原材料
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,原材料
 DocType: Leave Application,Follow via Email,メール経由でフォロー
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,植物および用機械
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,割引後の税額
 DocType: Patient,Inpatient Status,入院患者のステータス
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,日次業務概要設定
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,選択された価格リストには、売買フィールドがチェックされている必要があります。
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Reqd by Dateを入力してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,選択された価格リストには、売買フィールドがチェックされている必要があります。
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Reqd by Dateを入力してください
 DocType: Payment Entry,Internal Transfer,内部転送
 DocType: Asset Maintenance,Maintenance Tasks,保守作業
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ターゲット数量や目標量のどちらかが必須です
@@ -5060,7 +5124,7 @@
 DocType: Mode of Payment,General,一般
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後のコミュニケーション
 ,TDS Payable Monthly,毎月TDS支払可能
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOMを置き換えるために待機します。数分かかることがあります。
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOMを置き換えるために待機します。数分かかることがあります。
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',カテゴリーが「評価」や「評価と合計」である場合は控除することができません
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},アイテム{0}には複数のシリアル番号が必要です
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,請求書と一致支払い
@@ -5073,7 +5137,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,カートに追加
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,グループ化
 DocType: Guardian,Interests,興味
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,通貨の有効/無効を切り替え
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,通貨の有効/無効を切り替え
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,給与明細を提出できませんでした
 DocType: Exchange Rate Revaluation,Get Entries,エントリーを取得する
 DocType: Production Plan,Get Material Request,資材要求取得
@@ -5095,15 +5159,16 @@
 DocType: Lead,Lead Type,リードタイプ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,休暇申請を承認する権限がありません
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,これら全アイテムはすでに請求済みです
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,新しいリリース日を設定する
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,新しいリリース日を設定する
 DocType: Company,Monthly Sales Target,月次販売目標
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0}によって承認することができます
 DocType: Hotel Room,Hotel Room Type,ホテルルームタイプ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,サプライヤ&gt;サプライヤタイプ
 DocType: Leave Allocation,Leave Period,休暇
 DocType: Item,Default Material Request Type,デフォルトの資材要求タイプ
 DocType: Supplier Scorecard,Evaluation Period,評価期間
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,未知の
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,作業オーダーが作成されていない
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,作業オーダーが作成されていない
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",コンポーネント{1}に対して既に請求されている{0}の額、{2}以上の額を設定する、
 DocType: Shipping Rule,Shipping Rule Conditions,出荷ルール条件
@@ -5136,15 +5201,15 @@
 DocType: Batch,Source Document Name,ソースドキュメント名
 DocType: Production Plan,Get Raw Materials For Production,生産のための原材料を入手する
 DocType: Job Opening,Job Title,職業名
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0}は{1}が見積提出されないことを示していますが、全てのアイテムは見積もられています。 見積依頼の状況を更新しています。
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,最大サンプル - {0} はバッチ {1} およびバッチ {3} 内のアイテム {2} として既に保管されています。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,最大サンプル - {0} はバッチ {1} およびバッチ {3} 内のアイテム {2} として既に保管されています。
 DocType: Manufacturing Settings,Update BOM Cost Automatically,BOMコストの自動更新
 DocType: Lab Test,Test Name,テスト名
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,臨床手順消耗品
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,ユーザーの作成
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,グラム
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,定期購読
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,定期購読
 DocType: Supplier Scorecard,Per Month,月毎
 DocType: Education Settings,Make Academic Term Mandatory,アカデミック・タームを必須にする
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,製造数量は0より大きくなければなりません
@@ -5153,9 +5218,9 @@
 DocType: Stock Entry,Update Rate and Availability,単価と残量をアップデート
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,注文数に対して受領または提供が許可されている割合。例:100単位の注文を持っている状態で、割当が10%だった場合、110単位の受領を許可されます。
 DocType: Loyalty Program,Customer Group,顧客グループ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,行番号{0}:{2}の作業注文番号{3}の完成品の数量{1}は完了していません。タイムログを使用して操作ステータスを更新してください
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,行番号{0}:{2}の作業注文番号{3}の完成品の数量{1}は完了していません。タイムログを使用して操作ステータスを更新してください
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),新しいバッチID(任意)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},アイテム{0}には経費科目が必須です
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},アイテム{0}には経費科目が必須です
 DocType: BOM,Website Description,ウェブサイトの説明
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,資本の純変動
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,最初の購入請求書{0}をキャンセルしてください
@@ -5170,7 +5235,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,編集するものがありません
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,フォームビュー
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,経費請求者に必須の経費承認者
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,今月と保留中の活動の概要
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,今月と保留中の活動の概要
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},会社{0}に未実現取引所損益計算書を設定してください
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",自分以外の組織にユーザーを追加します。
 DocType: Customer Group,Customer Group Name,顧客グループ名
@@ -5180,14 +5245,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,重要なリクエストは作成されません
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},融資額は、{0}の最大融資額を超えることはできません。
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,運転免許
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},C-フォーム{1}から請求書{0}を削除してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},C-フォーム{1}から請求書{0}を削除してください
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,過去の会計年度の残高を今年度に含めて残したい場合は「繰り越す」を選択してください
 DocType: GL Entry,Against Voucher Type,対伝票タイプ
 DocType: Healthcare Practitioner,Phone (R),電話(R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,タイムスロットが追加されました
 DocType: Item,Attributes,属性
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,テンプレートを有効にする
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,償却勘定を入力してください
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,償却勘定を入力してください
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最終注文日
 DocType: Salary Component,Is Payable,支払可能である
 DocType: Inpatient Record,B Negative,Bネガティブ
@@ -5198,7 +5263,7 @@
 DocType: Hotel Room,Hotel Room,ホテルの部屋
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},アカウント{0} は会社 {1} に所属していません
 DocType: Leave Type,Rounding,丸め
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,行{0}のシリアル番号が配達メモと一致しません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,行{0}のシリアル番号が配達メモと一致しません
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),ディスペンシング量(Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",次に、顧客、顧客グループ、地域、サプライヤ、サプライヤグループ、キャンペーン、セールスパートナーなどに基づいて料金設定ルールが除外されます。
 DocType: Student,Guardian Details,保護者詳細
@@ -5207,10 +5272,10 @@
 DocType: Vehicle,Chassis No,シャーシ番号
 DocType: Payment Request,Initiated,開始
 DocType: Production Plan Item,Planned Start Date,計画開始日
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,BOMを選択してください
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,BOMを選択してください
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC統合税を徴収
 DocType: Purchase Order Item,Blanket Order Rate,ブランケット注文率
-apps/erpnext/erpnext/hooks.py +156,Certification,認証
+apps/erpnext/erpnext/hooks.py +157,Certification,認証
 DocType: Bank Guarantee,Clauses and Conditions,条項および条項
 DocType: Serial No,Creation Document Type,作成ドキュメントの種類
 DocType: Project Task,View Timesheet,タイムシートを表示
@@ -5235,6 +5300,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,親項目 {0} は在庫アイテムにはできません
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,ウェブサイトのリスト
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,全ての製品またはサービス。
+DocType: Email Digest,Open Quotations,見積りを開く
 DocType: Expense Claim,More Details,詳細
 DocType: Supplier Quotation,Supplier Address,サプライヤー住所
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0}アカウントの予算{1} {2} {3}に対しては{4}です。これは、{5}によって超えてしまいます
@@ -5249,12 +5315,11 @@
 DocType: Training Event,Exam,試験
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,マーケットプレイスエラー
 DocType: Complaint,Complaint,苦情
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},在庫アイテム{0}には倉庫が必要です
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},在庫アイテム{0}には倉庫が必要です
 DocType: Leave Allocation,Unused leaves,未使用の休暇
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,払い戻しの入力をする
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,すべての部署
 DocType: Healthcare Service Unit,Vacant,空き
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,サプライヤ&gt;サプライヤタイプ
 DocType: Patient,Alcohol Past Use,アルコール摂取歴
 DocType: Fertilizer Content,Fertilizer Content,肥料の内容
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,貸方
@@ -5262,7 +5327,7 @@
 DocType: Tax Rule,Billing State,請求状況
 DocType: Share Transfer,Transfer,移転
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に作業指示書{0}をキャンセルする必要があります
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(部分組立品を含む)展開した部品表を取得する
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(部分組立品を含む)展開した部品表を取得する
 DocType: Authorization Rule,Applicable To (Employee),(従業員)に適用
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,期日は必須です
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,属性 {0} の増分は0にすることはできません
@@ -5278,7 +5343,7 @@
 DocType: Disease,Treatment Period,治療期間
 DocType: Travel Itinerary,Travel Itinerary,旅行予定
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,結果は既に提出済み
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,予約された倉庫は、供給される原材料の{0}アイテムに必須です
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,予約された倉庫は、供給される原材料の{0}アイテムに必須です
 ,Inactive Customers,非アクティブ顧客
 DocType: Student Admission Program,Maximum Age,最大年齢
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,リマインダを再送信する前に3日ほどお待ちください。
@@ -5287,7 +5352,6 @@
 DocType: Stock Entry,Delivery Note No,納品書はありません
 DocType: Cheque Print Template,Message to show,表示するメッセージ
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,小売
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,予定請求書を自動的に管理
 DocType: Student Attendance,Absent,欠勤
 DocType: Staffing Plan,Staffing Plan Detail,人員配置計画の詳細
 DocType: Employee Promotion,Promotion Date,プロモーション日
@@ -5309,7 +5373,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,リード作成
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,印刷と文房具
 DocType: Stock Settings,Show Barcode Field,バーコードフィールド表示
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,サプライヤーメールを送信
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,サプライヤーメールを送信
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",給与が{0}から{1}の間で既に処理されているため、休暇申請期間をこの範囲に指定することはできません。
 DocType: Fiscal Year,Auto Created,自動作成
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,これを送信して従業員レコードを作成する
@@ -5318,7 +5382,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,請求書{0}は存在しません
 DocType: Guardian Interest,Guardian Interest,保護者の関心
 DocType: Volunteer,Availability,可用性
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS請求書の初期値の設定
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS請求書の初期値の設定
 apps/erpnext/erpnext/config/hr.py +248,Training,研修
 DocType: Project,Time to send,送信時間
 DocType: Timesheet,Employee Detail,従業員詳細
@@ -5341,7 +5405,7 @@
 DocType: Training Event Employee,Optional,任意
 DocType: Salary Slip,Earning & Deduction,収益と控除
 DocType: Agriculture Analysis Criteria,Water Analysis,水質分析
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0}バリアントが作成されました。
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0}バリアントが作成されました。
 DocType: Amazon MWS Settings,Region,地域
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,(任意)この設定は、様々な取引をフィルタリングするために使用されます。
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,マイナスの評価額は許可されていません
@@ -5360,7 +5424,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,スクラップ資産原価
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:項目{2}には「コストセンター」が必須です
 DocType: Vehicle,Policy No,ポリシー番号
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,付属品からアイテムを取得
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,付属品からアイテムを取得
 DocType: Asset,Straight Line,直線
 DocType: Project User,Project User,プロジェクトユーザー
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,分割
@@ -5368,7 +5432,7 @@
 DocType: GL Entry,Is Advance,前払金
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,従業員のライフサイクル
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,出勤開始日と出勤日は必須です
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,「下請」にはYesかNoを入力してください
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,「下請」にはYesかNoを入力してください
 DocType: Item,Default Purchase Unit of Measure,デフォルトの購入単位
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,最終連絡日
 DocType: Clinical Procedure Item,Clinical Procedure Item,臨床手順項目
@@ -5377,7 +5441,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,アクセストークンまたはShopify URLがありません
 DocType: Location,Latitude,緯度
 DocType: Work Order,Scrap Warehouse,スクラップ倉庫
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",行番号{0}に倉庫が必要です。会社{2}のアイテム{1}のデフォルト倉庫を設定してください。
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",行番号{0}に倉庫が必要です。会社{2}のアイテム{1}のデフォルト倉庫を設定してください。
 DocType: Work Order,Check if material transfer entry is not required,品目転送エントリが不要であるかどうかを確認する
 DocType: Program Enrollment Tool,Get Students From,生徒取得元
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,ウェブサイト上でアイテムを公開
@@ -5392,6 +5456,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,新しいバッチ数
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,服飾
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,加重スコア機能を解決できませんでした。数式が有効であることを確認します。
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,購入注文時間内に受け取られなかった品目
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,注文数
 DocType: Item Group,HTML / Banner that will show on the top of product list.,製品リストの一番上に表示されるHTML/バナー
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,出荷数量を算出する条件を指定
@@ -5400,9 +5465,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,パス
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,子ノードがあるため、コストセンターを元帳に変換することはできません
 DocType: Production Plan,Total Planned Qty,計画総数
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,始値
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,始値
 DocType: Salary Component,Formula,式
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,シリアル番号
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,シリアル番号
 DocType: Lab Test Template,Lab Test Template,ラボテストテンプレート
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,セールスアカウント
 DocType: Purchase Invoice Item,Total Weight,総重量
@@ -5420,7 +5485,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,資材要求を作成
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},アイテム {0} を開く
 DocType: Asset Finance Book,Written Down Value,記載値
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,従業員の命名システムを人事管理&gt; HR設定で設定してください
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、請求書{0}がキャンセルされていなければなりません
 DocType: Clinical Procedure,Age,年齢
 DocType: Sales Invoice Timesheet,Billing Amount,請求額
@@ -5429,11 +5493,11 @@
 DocType: Company,Default Employee Advance Account,デフォルトの従業員アドバンスアカウント
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),アイテムの検索(Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,既存の取引を持つアカウントを削除することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,既存の取引を持つアカウントを削除することはできません
 DocType: Vehicle,Last Carbon Check,最後のカーボンチェック
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,訴訟費用
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,行数量を選択してください
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,請求書作成
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,請求書作成
 DocType: Purchase Invoice,Posting Time,投稿時間
 DocType: Timesheet,% Amount Billed,%請求
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,電話代
@@ -5448,14 +5512,14 @@
 DocType: Maintenance Visit,Breakdown,故障
 DocType: Travel Itinerary,Vegetarian,ベジタリアン
 DocType: Patient Encounter,Encounter Date,出会いの日
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,アカウント:{0} で通貨:{1}を選択することはできません
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,アカウント:{0} で通貨:{1}を選択することはできません
 DocType: Bank Statement Transaction Settings Item,Bank Data,銀行データ
 DocType: Purchase Receipt Item,Sample Quantity,サンプル数量
 DocType: Bank Guarantee,Name of Beneficiary,受益者の氏名
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",最新の評価レート/価格リストレート/原材料の最終購入レートに基づいて、スケジューラを使用してBOM原価を自動的に更新します。
 DocType: Supplier,SUP-.YYYY.-,SUP -YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,小切手日
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},アカウント{0}:親アカウント{1}は会社{2}に属していません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},アカウント{0}:親アカウント{1}は会社{2}に属していません
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,この会社に関連するすべての取引を正常に削除しました!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,基準日
 DocType: Additional Salary,HR,HR
@@ -5463,7 +5527,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,アウト患者のSMSアラート
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,試用
 DocType: Program Enrollment Tool,New Academic Year,新学年
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,リターン/クレジットノート
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,リターン/クレジットノート
 DocType: Stock Settings,Auto insert Price List rate if missing,空の場合価格表の単価を自動挿入
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,支出額合計
 DocType: GST Settings,B2C Limit,B2C制限
@@ -5481,10 +5545,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子ノードは「グループ」タイプのノードの下に作成することができます
 DocType: Attendance Request,Half Day Date,半日日付
 DocType: Academic Year,Academic Year Name,学年名
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0}は{1}との取引が許可されていません。会社を変更してください。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0}は{1}との取引が許可されていません。会社を変更してください。
 DocType: Sales Partner,Contact Desc,連絡先説明
 DocType: Email Digest,Send regular summary reports via Email.,メール経由で定期的な要約レポートを送信
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},経費請求タイプ{0}に、デフォルトのアカウントを設定してください
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},経費請求タイプ{0}に、デフォルトのアカウントを設定してください
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,利用可能な葉
 DocType: Assessment Result,Student Name,生徒名
 DocType: Hub Tracked Item,Item Manager,アイテムマネージャ
@@ -5509,9 +5573,10 @@
 DocType: Subscription,Trial Period End Date,試用期間終了日
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0}の限界を超えているので認証されません
 DocType: Serial No,Asset Status,資産状況
+DocType: Delivery Note,Over Dimensional Cargo (ODC),オーバー・ディメンション・カーゴ(ODC)
 DocType: Restaurant Order Entry,Restaurant Table,レストラン表
 DocType: Hotel Room,Hotel Manager,ホテルマネージャー
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ショッピングカート用の税ルールを設定
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,ショッピングカート用の税ルールを設定
 DocType: Purchase Invoice,Taxes and Charges Added,租税公課が追加されました。
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,減価償却行{0}:次の減価償却日は、使用可能日前にすることはできません
 ,Sales Funnel,セールスファネル
@@ -5527,10 +5592,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,全ての顧客グループ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,月間累計
 DocType: Attendance Request,On Duty,オンデューティー
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}は必須です。おそらく{1}から {2}のための通貨変換レコードが作成されていません
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}は必須です。おそらく{1}から {2}のための通貨変換レコードが作成されていません
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},指定{1}のスタッフ計画{0}はすでに存在しています
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,税テンプレートは必須です
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,アカウント{0}:親アカウント{1}が存在しません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,アカウント{0}:親アカウント{1}が存在しません
 DocType: POS Closing Voucher,Period Start Date,期間開始日
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),価格表単価(会社通貨)
 DocType: Products Settings,Products Settings,製品設定
@@ -5550,7 +5615,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,この操作により、将来請求が停止されます。この定期購入をキャンセルしてもよろしいですか?
 DocType: Serial No,Distinct unit of an Item,アイテムの明確な単位
 DocType: Supplier Scorecard Criteria,Criteria Name,基準名
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,会社を設定してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,会社を設定してください
 DocType: Procedure Prescription,Procedure Created,プロシージャの作成
 DocType: Pricing Rule,Buying,購入
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,病気・肥料
@@ -5567,42 +5632,43 @@
 DocType: Employee Onboarding,Job Offer,求人
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,研究所の略
 ,Item-wise Price List Rate,アイテムごとの価格表単価
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,サプライヤー見積
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,サプライヤー見積
 DocType: Quotation,In Words will be visible once you save the Quotation.,見積を保存すると表示される表記内。
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},数量({0})は行{1}の小数部にはできません
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},数量({0})は行{1}の小数部にはできません
 DocType: Contract,Unsigned,署名なし
 DocType: Selling Settings,Each Transaction,各取引
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},バーコード{0}はアイテム{1}で使用済です
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},バーコード{0}はアイテム{1}で使用済です
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,送料を追加するためのルール
 DocType: Hotel Room,Extra Bed Capacity,エキストラベッド容量
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,バラヤンス
 DocType: Item,Opening Stock,期首在庫
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,顧客が必要です
 DocType: Lab Test,Result Date,結果の日付
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC日付
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC日付
 DocType: Purchase Order,To Receive,受領する
 DocType: Leave Period,Holiday List for Optional Leave,オプション休暇の休日一覧
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,資産所有者
 DocType: Purchase Invoice,Reason For Putting On Hold,ホールドをする理由
 DocType: Employee,Personal Email,個人メールアドレス
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,派生の合計
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,派生の合計
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",有効にすると、システムは自動的に在庫の会計エントリーを投稿します
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,証券仲介
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,従業員の出席は、{0}はすでにこの日のためにマークされています
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,従業員の出席は、{0}はすでにこの日のためにマークされています
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",「時間ログ」からアップデートされた分数
 DocType: Customer,From Lead,リードから
 DocType: Amazon MWS Settings,Synch Orders,オーダーの同期
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,製造の指示
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,年度選択...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POSエントリを作成するためにはPOSプロフィールが必要です
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POSエントリを作成するためにはPOSプロフィールが必要です
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",ロイヤリティポイントは、記載されている回収率に基づいて、(販売請求書によって)完了した使用額から計算されます。
 DocType: Program Enrollment Tool,Enroll Students,生徒を登録
 DocType: Company,HRA Settings,HRAの設定
 DocType: Employee Transfer,Transfer Date,転送日
 DocType: Lab Test,Approved Date,承認日
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,標準販売
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,倉庫は少なくとも1つ必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,倉庫は少なくとも1つ必須です
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.",UOM、アイテムグループ、説明、時間数などのアイテムフィールドを設定します。
 DocType: Certification Application,Certification Status,認定ステータス
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,市場
@@ -5622,6 +5688,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,マッチング請求書
 DocType: Work Order,Required Items,必要なもの
 DocType: Stock Ledger Entry,Stock Value Difference,在庫価値の差違
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,アイテム行{0}:{1} {2}は上記の &#39;{1}&#39;テーブルに存在しません
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,人材
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,支払照合 支払
 DocType: Disease,Treatment Task,治療タスク
@@ -5639,7 +5706,8 @@
 DocType: Account,Debit,借方
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,休暇は0.5の倍数で割り当てられなければなりません
 DocType: Work Order,Operation Cost,作業費用
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,未払額
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,意思決定者の特定
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,未払額
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,この営業担当者にアイテムグループごとの目標を設定する
 DocType: Stock Settings,Freeze Stocks Older Than [Days],[日]より古い在庫を凍結
 DocType: Payment Request,Payment Ordered,お支払いの注文
@@ -5652,13 +5720,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,次のユーザーが休暇期間申請を承認することを許可
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,ライフサイクル
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOMを作る
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},アイテム{0}の販売率が{1}より低いです。販売価格は少なくともat {2}でなければなりません
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},アイテム{0}の販売率が{1}より低いです。販売価格は少なくともat {2}でなければなりません
 DocType: Subscription,Taxes,税
 DocType: Purchase Invoice,capital goods,資本財
 DocType: Purchase Invoice Item,Weight Per Unit,単位重量
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,支払済かつ未配送
-DocType: Project,Default Cost Center,デフォルトコストセンター
-DocType: Delivery Note,Transporter Doc No,トランスポータの文書番号
+DocType: QuickBooks Migrator,Default Cost Center,デフォルトコストセンター
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,在庫取引
 DocType: Budget,Budget Accounts,予算アカウント
 DocType: Employee,Internal Work History,内部作業履歴
@@ -5691,7 +5758,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},ヘルスケアプラクティショナーは{0}にはありません
 DocType: Stock Entry Detail,Additional Cost,追加費用
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",伝票でグループ化されている場合、伝票番号でフィルタリングすることはできません。
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,サプライヤ見積を作成
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,サプライヤ見積を作成
 DocType: Quality Inspection,Incoming,収入
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,販売および購買のデフォルト税テンプレートが登録されます。
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,評価結果レコード{0}は既に存在します。
@@ -5707,7 +5774,7 @@
 DocType: Batch,Batch ID,バッチID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},注:{0}
 ,Delivery Note Trends,納品書の動向
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,今週の概要
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,今週の概要
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,在庫数量内
 ,Daily Work Summary Replies,毎日の作業要約の返信
 DocType: Delivery Trip,Calculate Estimated Arrival Times,予定到着時間計算
@@ -5717,7 +5784,7 @@
 DocType: Bank Account,Party,当事者
 DocType: Healthcare Settings,Patient Name,患者名
 DocType: Variant Field,Variant Field,バリエーションフィールド
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ターゲットの位置
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ターゲットの位置
 DocType: Sales Order,Delivery Date,納期
 DocType: Opportunity,Opportunity Date,機会日付
 DocType: Employee,Health Insurance Provider,健康保険プロバイダー
@@ -5736,7 +5803,7 @@
 DocType: Employee,History In Company,会社での履歴
 DocType: Customer,Customer Primary Address,顧客のプライマリアドレス
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,ニュースレター
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,参照番号
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,参照番号
 DocType: Drug Prescription,Description/Strength,説明/強さ
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,新しい支払/仕訳入力を登録する
 DocType: Certification Application,Certification Application,認定申請書
@@ -5747,10 +5814,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,同じ項目が複数回入力されています
 DocType: Department,Leave Block List,休暇リスト
 DocType: Purchase Invoice,Tax ID,納税者番号
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,アイテム{0}にはシリアル番号が設定されていません。列は空白でなければなりません。
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,アイテム{0}にはシリアル番号が設定されていません。列は空白でなければなりません。
 DocType: Accounts Settings,Accounts Settings,アカウント設定
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,承認
 DocType: Loyalty Program,Customer Territory,カスタマーテリトリー
+DocType: Email Digest,Sales Orders to Deliver,提供する受注
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",新しいアカウント番号は接頭辞としてアカウント名に含まれます
 DocType: Maintenance Team Member,Team Member,チームメンバー
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,提出する結果がありません
@@ -5760,7 +5828,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",合計{0}のすべての項目がゼロになっています。「支払案分基準」を変更する必要があるかもしれません
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,現在までの日付は日付よりも小さくすることはできません
 DocType: Opportunity,To Discuss,連絡事項
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,これはこの加入者との取引に基づいています。詳細は以下のタイムラインを参照してください
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0}は、このトランザクションを完了するために、{2}に必要な{1}の単位。
 DocType: Loan Type,Rate of Interest (%) Yearly,利子率(%)年間
 DocType: Support Settings,Forum URL,フォーラムのURL
@@ -5775,7 +5842,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,もっと詳しく知る
 DocType: Cheque Print Template,Distance from top edge,上端からの距離
 DocType: POS Closing Voucher Invoices,Quantity of Items,アイテムの数量
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,価格表{0}が無効になっているか、存在しません。
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,価格表{0}が無効になっているか、存在しません。
 DocType: Purchase Invoice,Return,返品
 DocType: Pricing Rule,Disable,無効にする
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,支払方法には支払を作成する必要があります
@@ -5783,18 +5850,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.",資産・シリアル番号・バッチなどのオプションを全画面で編集
 DocType: Leave Type,Maximum Continuous Days Applicable,最長連続日数
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0}  -  {1}はバッチ{2}に登録されていません
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",資産{0}は{1}であるため廃棄することはできません
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",資産{0}は{1}であるため廃棄することはできません
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,必要なチェック
 DocType: Task,Total Expense Claim (via Expense Claim),総経費請求(経費請求経由)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,欠席をマーク
 DocType: Job Applicant Source,Job Applicant Source,求人申請元
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST金額
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST金額
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,会社を設定できませんでした
 DocType: Asset Repair,Asset Repair,資産修理
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行 {0}:BOM #{1} の通貨は選択された通貨 {2} と同じでなければなりません
 DocType: Journal Entry Account,Exchange Rate,為替レート
 DocType: Patient,Additional information regarding the patient,患者に関する追加情報
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,受注{0}は提出されていません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,受注{0}は提出されていません
 DocType: Homepage,Tag Line,キャッチフレーズ
 DocType: Fee Component,Fee Component,手数料コンポーネント
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,フリート管理
@@ -5809,7 +5876,7 @@
 DocType: Healthcare Practitioner,Mobile,モバイル
 ,Sales Person-wise Transaction Summary,各営業担当者の取引概要
 DocType: Training Event,Contact Number,連絡先の番号
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,倉庫{0}は存在しません
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,倉庫{0}は存在しません
 DocType: Cashier Closing,Custody,親権
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,従業員免税プルーフの提出詳細
 DocType: Monthly Distribution,Monthly Distribution Percentages,月次配分割合
@@ -5824,7 +5891,7 @@
 DocType: Payment Entry,Paid Amount,支払金額
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,販売サイクルを探る
 DocType: Assessment Plan,Supervisor,スーパーバイザー
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,リテンションストックエントリー
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,リテンションストックエントリー
 ,Available Stock for Packing Items,梱包可能な在庫
 DocType: Item Variant,Item Variant,アイテムバリエーション
 ,Work Order Stock Report,作業命令在庫レポート
@@ -5833,9 +5900,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,スーパーバイザとして
 DocType: Leave Policy Detail,Leave Policy Detail,ポリシーの詳細を残す
 DocType: BOM Scrap Item,BOM Scrap Item,BOMスクラップアイテム
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,提出された注文を削除することはできません
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",口座残高がすでに借方に存在しており、「残高仕訳先」を「貸方」に設定することはできません
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,品質管理
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,提出された注文を削除することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",口座残高がすでに借方に存在しており、「残高仕訳先」を「貸方」に設定することはできません
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,品質管理
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,アイテム{0}は無効になっています
 DocType: Project,Total Billable Amount (via Timesheets),請求可能総額(タイムシートから)
 DocType: Agriculture Task,Previous Business Day,前営業日
@@ -5858,14 +5925,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,コストセンター
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,サブスクリプションを再開する
 DocType: Linked Plant Analysis,Linked Plant Analysis,リンクされたプラント分析
-DocType: Delivery Note,Transporter ID,トランスポーターID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,トランスポーターID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,価値提案
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,サプライヤの通貨が会社の基本通貨に換算されるレート
-DocType: Sales Invoice Item,Service End Date,サービス終了日
+DocType: Purchase Invoice Item,Service End Date,サービス終了日
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},行 {0}:行{1}と時間が衝突しています
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ゼロ評価レートを許可する
 DocType: Bank Guarantee,Receiving,受信
 DocType: Training Event Employee,Invited,招待済
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,ゲートウェイアカウントを設定
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,ゲートウェイアカウントを設定
 DocType: Employee,Employment Type,雇用の種類
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,固定資産
 DocType: Payment Entry,Set Exchange Gain / Loss,取引利益/損失を設定します。
@@ -5881,7 +5949,7 @@
 DocType: Tax Rule,Sales Tax Template,販売税テンプレート
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,福利厚生に対する支払い
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,コストセンター番号を更新する
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,請求書を保存する項目を選択します
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,請求書を保存する項目を選択します
 DocType: Employee,Encashment Date,現金化日
 DocType: Training Event,Internet,インターネット
 DocType: Special Test Template,Special Test Template,特殊テストテンプレート
@@ -5889,12 +5957,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},デフォルトの活動コストが活動タイプ -  {0} に存在します
 DocType: Work Order,Planned Operating Cost,予定営業費用
 DocType: Academic Term,Term Start Date,期初日
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,すべての株式取引のリスト
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,すべての株式取引のリスト
+DocType: Supplier,Is Transporter,トランスポーター
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,支払いがマークされている場合、Shopifyからセールスインボイスをインポートする
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,機会数
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,試用期間開始日と試用期間終了日の両方を設定する必要があります
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,平均レート
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支払スケジュールの総支払額は、総額/丸め合計と等しくなければなりません
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支払スケジュールの総支払額は、総額/丸め合計と等しくなければなりません
 DocType: Subscription Plan Detail,Plan,計画
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,総勘定元帳ごとの銀行取引明細残高
 DocType: Job Applicant,Applicant Name,申請者名
@@ -5922,7 +5991,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,ソースウェアハウスで利用可能な数量
 apps/erpnext/erpnext/config/support.py +22,Warranty,保証
 DocType: Purchase Invoice,Debit Note Issued,デビットノート発行
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,原価センタに基づくフィルタは、予算反対が原価センタとして選択されている場合にのみ適用されます
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,原価センタに基づくフィルタは、予算反対が原価センタとして選択されている場合にのみ適用されます
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",品目コード、シリアル番号、バッチ番号またはバーコードで検索
 DocType: Work Order,Warehouses,倉庫
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0}資産を転送することはできません
@@ -5933,9 +6002,9 @@
 DocType: Workstation,per hour,毎時
 DocType: Blanket Order,Purchasing,購入
 DocType: Announcement,Announcement,告知
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,顧客LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,顧客LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",生徒グループに基づくバッチの場合、その生徒バッチは教育課程登録の全生徒に有効となります。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,在庫元帳にエントリーが存在する倉庫を削除することはできません。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,在庫元帳にエントリーが存在する倉庫を削除することはできません。
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,配布
 DocType: Journal Entry Account,Loan,ローン
 DocType: Expense Claim Advance,Expense Claim Advance,経費請求のアドバンス
@@ -5944,7 +6013,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,プロジェクトマネージャー
 ,Quoted Item Comparison,引用符で囲まれた項目の比較
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0}から{1}までのスコアが重複しています
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,発送
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,発送
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,アイテムの許可最大割引:{0}が{1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,純資産価値などについて
 DocType: Crop,Produce,作物
@@ -5954,20 +6023,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,製造のための材料消費
 DocType: Item Alternative,Alternative Item Code,代替商品コード
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,設定された与信限度額を超えた取引を提出することが許可されている役割
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,製造する項目を選択します
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,製造する項目を選択します
 DocType: Delivery Stop,Delivery Stop,配達停止
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time",マスタデータ同期中です。少し時間がかかる場合があります
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time",マスタデータ同期中です。少し時間がかかる場合があります
 DocType: Item,Material Issue,資材課題
 DocType: Employee Education,Qualification,資格
 DocType: Item Price,Item Price,アイテム価格
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,石鹸&洗剤
 DocType: BOM,Show Items,アイテムを表示
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,開始時間を終了時間よりも大きくすることはできません。
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,すべての顧客に電子メールで通知しますか?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,すべての顧客に電子メールで通知しますか?
 DocType: Subscription Plan,Billing Interval,請求間隔
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,映画&ビデオ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,注文済
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,実際の開始日と実際の終了日は必須です
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,顧客&gt;顧客グループ&gt;テリトリー
 DocType: Salary Detail,Component,成分
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,行{0}:{1}は0より大きくなければなりません
 DocType: Assessment Criteria,Assessment Criteria Group,評価基準グループ
@@ -5998,11 +6068,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,提出する前に銀行または貸出機関の名前を入力してください。
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0}を提出する必要があります
 DocType: POS Profile,Item Groups,アイテムグループ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,今日は {0} の誕生日です!
 DocType: Sales Order Item,For Production,生産用
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,残高通貨
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,勘定コード表に一時的口座を追加してください
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,勘定コード表に一時的口座を追加してください
 DocType: Customer,Customer Primary Contact,顧客一次連絡先
 DocType: Project Task,View Task,タスク表示
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,機会 / リード%
@@ -6015,11 +6084,11 @@
 DocType: Sales Invoice,Get Advances Received,前受金を取得
 DocType: Email Digest,Add/Remove Recipients,受信者の追加/削除
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",この会計年度をデフォルト値に設定するには、「デフォルトに設定」をクリックしてください
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDSの控除額
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDSの控除額
 DocType: Production Plan,Include Subcontracted Items,外注品を含める
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,参加
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,不足数量
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,参加
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,不足数量
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています
 DocType: Loan,Repay from Salary,給与から返済
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},量 {2} 用の {0} {1}に対する支払依頼
 DocType: Additional Salary,Salary Slip,給料明細
@@ -6035,7 +6104,7 @@
 DocType: Patient,Dormant,休眠
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,未請求従業員給付の控除税
 DocType: Salary Slip,Total Interest Amount,総金利
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,子ノードを持つ倉庫を元帳に変換することはできません
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,子ノードを持つ倉庫を元帳に変換することはできません
 DocType: BOM,Manage cost of operations,作業費用を管理
 DocType: Accounts Settings,Stale Days,有効期限
 DocType: Travel Itinerary,Arrival Datetime,到着日時
@@ -6047,7 +6116,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,評価結果詳細
 DocType: Employee Education,Employee Education,従業員教育
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,項目グループテーブルで見つかった重複するアイテム群
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,これは、アイテムの詳細を取得するために必要とされます。
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,これは、アイテムの詳細を取得するために必要とされます。
 DocType: Fertilizer,Fertilizer Name,肥料名
 DocType: Salary Slip,Net Pay,給与総計
 DocType: Cash Flow Mapping Accounts,Account,アカウント
@@ -6058,14 +6127,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,利益請求に対する個別の支払エントリ登録
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),発熱(38.5℃/ 101.3°Fまたは38°C / 100.4°Fの持続温度)の存在
 DocType: Customer,Sales Team Details,営業チームの詳細
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,完全に削除しますか?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,完全に削除しますか?
 DocType: Expense Claim,Total Claimed Amount,請求額合計
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,潜在的販売機会
 DocType: Shareholder,Folio no.,フォリオノー。
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},無効な {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,病欠
 DocType: Email Digest,Email Digest,メールダイジェスト
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,ない
 DocType: Delivery Note,Billing Address Name,請求先住所の名前
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,デパート
 ,Item Delivery Date,納品日
@@ -6081,16 +6149,16 @@
 DocType: Account,Chargeable,請求可能
 DocType: Company,Change Abbreviation,略語を変更
 DocType: Contract,Fulfilment Details,フルフィルメントの詳細
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1}を支払う
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1}を支払う
 DocType: Employee Onboarding,Activities,アクティビティ
 DocType: Expense Claim Detail,Expense Date,経費日付
 DocType: Item,No of Months,今月のいいえ
 DocType: Item,Max Discount (%),最大割引(%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,クレジットデイズには負の数値を使用できません
-DocType: Sales Invoice Item,Service Stop Date,サービス停止日
+DocType: Purchase Invoice Item,Service Stop Date,サービス停止日
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,最新の注文額
 DocType: Cash Flow Mapper,e.g Adjustments for:,例:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} 保管サンプルはバッチに基づくため、アイテムのサンプルを保管するには「バッチ番号あり」をチェックしてください
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} 保管サンプルはバッチに基づくため、アイテムのサンプルを保管するには「バッチ番号あり」をチェックしてください
 DocType: Task,Is Milestone,マイルストーン
 DocType: Certification Application,Yet to appear,まだ登場する
 DocType: Delivery Stop,Email Sent To,メール送信先
@@ -6098,16 +6166,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,貸借対照表勘定入力時に原価センタを許可する
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,既存のアカウントとのマージ
 DocType: Budget,Warn,警告する
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,すべてのアイテムは、この作業オーダーのために既に転送されています。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,すべてのアイテムは、この作業オーダーのために既に転送されています。
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",記録内で注目に値する特記事項
 DocType: Asset Maintenance,Manufacturing User,製造ユーザー
 DocType: Purchase Invoice,Raw Materials Supplied,原材料供給
 DocType: Subscription Plan,Payment Plan,支払計画
 DocType: Shopping Cart Settings,Enable purchase of items via the website,ウェブサイトからアイテムを購入できるようにする
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},価格表{0}の通貨は{1}または{2}でなければなりません
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,サブスクリプション管理
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,サブスクリプション管理
 DocType: Appraisal,Appraisal Template,査定テンプレート
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,コードを固定する
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,コードを固定する
 DocType: Soil Texture,Ternary Plot,三元プロット
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,スケジューラを使用してスケジュールされた毎日の同期ルーチンを有効にするには、
 DocType: Item Group,Item Classification,アイテム分類
@@ -6117,6 +6185,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,請求書患者登録
 DocType: Crop,Period,期間
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,総勘定元帳
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,会計年度
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,リードを表示
 DocType: Program Enrollment Tool,New Program,新しいプログラム
 DocType: Item Attribute Value,Attribute Value,属性値
@@ -6125,11 +6194,11 @@
 ,Itemwise Recommended Reorder Level,アイテムごとに推奨される再注文レベル
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,{1}の従業員{0}にデフォルト休暇ポリシーはありません
 DocType: Salary Detail,Salary Detail,給与詳細
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,{0}を選択してください
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,{0}を選択してください
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0}ユーザーを追加しました
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",マルチティアプログラムの場合、顧客は、消費されるごとに自動的に関係する層に割り当てられます
 DocType: Appointment Type,Physician,医師
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,アイテム {1}のバッチ {0} は期限切れです
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,アイテム {1}のバッチ {0} は期限切れです
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,相談
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,完成品
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",商品価格は、価格表、仕入先/顧客、通貨、商品、UOM、数量および日付に基づいて複数回表示されます。
@@ -6138,22 +6207,21 @@
 DocType: Certification Application,Name of Applicant,応募者の氏名
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,製造のための勤務表。
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小計
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,株式取引後にバリアントプロパティを変更することはできません。これを行うには、新しいアイテムを作成する必要があります。
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,株式取引後にバリアントプロパティを変更することはできません。これを行うには、新しいアイテムを作成する必要があります。
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPAマンデート
 DocType: Healthcare Practitioner,Charges,料金
 DocType: Production Plan,Get Items For Work Order,作業オーダーのアイテムを取得する
 DocType: Salary Detail,Default Amount,デフォルト額
 DocType: Lab Test Template,Descriptive,記述的
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,システムに倉庫がありません。
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,今月の概要
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,今月の概要
 DocType: Quality Inspection Reading,Quality Inspection Reading,品質検査報告要素
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,「〜より古い在庫を凍結する」は %d 日よりも小さくしなくてはなりません
 DocType: Tax Rule,Purchase Tax Template,購入税テンプレート
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,あなたの会社に達成したいセールス目標を設定します。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,ヘルスケアサービス
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,ヘルスケアサービス
 ,Project wise Stock Tracking,プロジェクトごとの在庫追跡
 DocType: GST HSN Code,Regional,地域
-DocType: Delivery Note,Transport Mode,輸送モード
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,研究室
 DocType: UOM Category,UOM Category,UOMカテゴリ
 DocType: Clinical Procedure Item,Actual Qty (at source/target),実際の数量(ソース/ターゲットで)
@@ -6176,17 +6244,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,ウェブサイトの作成に失敗しました
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,単位変換の詳細
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,すでに登録されている在庫在庫またはサンプル数量が提供されていない
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,すでに登録されている在庫在庫またはサンプル数量が提供されていない
 DocType: Program,Program Abbreviation,教育課程略称
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,製造指示はアイテムテンプレートに対して出すことができません
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,料金は、各アイテムに対して、領収書上で更新されます
 DocType: Warranty Claim,Resolved By,課題解決者
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,放電のスケジュール
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,小切手及び預金が不正にクリア
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,アカウント{0}:自身を親アカウントに割当することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,アカウント{0}:自身を親アカウントに割当することはできません
 DocType: Purchase Invoice Item,Price List Rate,価格表単価
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,顧客の引用符を作成します。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,サービス停止日はサービス終了日以降にすることはできません。
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,サービス停止日はサービス終了日以降にすることはできません。
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",この倉庫での利用可能な在庫に基づいて「在庫あり」または「在庫切れ」を表示します
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),部品表(BOM)
 DocType: Item,Average time taken by the supplier to deliver,サプライヤー配送平均時間
@@ -6198,11 +6266,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,時間
 DocType: Project,Expected Start Date,開始予定日
 DocType: Purchase Invoice,04-Correction in Invoice,04  - インボイスの修正
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,BOMを持つすべての明細に対してすでに作成された作業オーダー
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,BOMを持つすべての明細に対してすでに作成された作業オーダー
 DocType: Payment Request,Party Details,当事者詳細
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,バリエーション詳細レポート
 DocType: Setup Progress Action,Setup Progress Action,セットアップ進捗アクション
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,購入価格リスト
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,購入価格リスト
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,料金がそのアイテムに適用できない場合は、アイテムを削除する
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,サブスクリプションをキャンセルする
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,保守ステータスを完了として選択するか、完了日を削除してください
@@ -6220,7 +6288,7 @@
 DocType: Asset,Disposal Date,処分日
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",指定時点での全ての有効な従業員にメールが送信されます(休日が無い場合)。回答の概要は、深夜に送信されます。
 DocType: Employee Leave Approver,Employee Leave Approver,従業員休暇承認者
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:この倉庫{1}には既に再注文エントリが存在しています
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:この倉庫{1}には既に再注文エントリが存在しています
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",見積が作成されているため、失注を宣言できません
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIPアカウント
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,研修フィードバック
@@ -6232,7 +6300,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,終了日を開始日の前にすることはできません
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc文書型
 DocType: Cash Flow Mapper,Section Footer,セクションフッター
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,価格の追加/編集
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,価格の追加/編集
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,プロモーション日前に従業員プロモーションを提出することはできません
 DocType: Batch,Parent Batch,親バッチ
 DocType: Cheque Print Template,Cheque Print Template,小切手印刷テンプレート
@@ -6242,6 +6310,7 @@
 DocType: Clinical Procedure Template,Sample Collection,サンプル収集
 ,Requested Items To Be Ordered,発注予定の要求アイテム
 DocType: Price List,Price List Name,価格表名称
+DocType: Delivery Stop,Dispatch Information,発送情報
 DocType: Blanket Order,Manufacturing,製造
 ,Ordered Items To Be Delivered,納品予定の注文済アイテム
 DocType: Account,Income,収入
@@ -6260,17 +6329,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1}に必要な{2}上で{3} {4} {5}このトランザクションを完了するための単位。
 DocType: Fee Schedule,Student Category,生徒カテゴリー
 DocType: Announcement,Student,生徒
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,手順を開始する在庫数量は倉庫では使用できません。在庫転送を記録しますか?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,手順を開始する在庫数量は倉庫では使用できません。在庫転送を記録しますか?
 DocType: Shipping Rule,Shipping Rule Type,出荷ルールタイプ
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,教室に移動
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory",会社、支払い勘定、日付から日付までは必須です
 DocType: Company,Budget Detail,予算の詳細
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,メッセージを入力してください
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,サプライヤとのデュプリケート
-DocType: Email Digest,Pending Quotations,保留中の名言
-DocType: Delivery Note,Distance (KM),距離(KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,サプライヤ&gt;サプライヤグループ
 DocType: Asset,Custodian,カストディアン
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,POSプロフィール
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,POSプロフィール
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0}は0〜100の値でなければなりません
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1}から{2}への{0}の支払い
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,無担保ローン
@@ -6302,10 +6370,10 @@
 DocType: Lead,Converted,変換済
 DocType: Item,Has Serial No,シリアル番号あり
 DocType: Employee,Date of Issue,発行日
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",各購買設定で「領収書が必要」が有効の場合、請求書を作成するには、先にアイテム {0} の領収書を作成する必要があります
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",各購買設定で「領収書が必要」が有効の場合、請求書を作成するには、先にアイテム {0} の領収書を作成する必要があります
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},行#{0}:アイテム {1} にサプライヤーを設定してください
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,行{0}:時間値がゼロより大きくなければなりません。
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,アイテム{1}に添付されたウェブサイト画像{0}が見つかりません
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,アイテム{1}に添付されたウェブサイト画像{0}が見つかりません
 DocType: Issue,Content Type,コンテンツタイプ
 DocType: Asset,Assets,資産
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,コンピュータ
@@ -6316,7 +6384,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1}が存在しません
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,アカウントで他の通貨の使用を可能にするには「複数通貨」オプションをチェックしてください
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,アイテム:{0}はシステムに存在しません
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,凍結された値を設定する権限がありません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,凍結された値を設定する権限がありません
 DocType: Payment Reconciliation,Get Unreconciled Entries,未照合のエントリーを取得
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},従業員{0}は{1}に出発しています
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,仕訳入力に返済が選択されていない
@@ -6334,13 +6402,14 @@
 ,Average Commission Rate,平均手数料率
 DocType: Share Balance,No of Shares,株式の数
 DocType: Taxable Salary Slab,To Amount,金額に
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,在庫アイテム以外は「シリアル番号あり」を「はい」にすることができません。
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,在庫アイテム以外は「シリアル番号あり」を「はい」にすることができません。
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,ステータスを選択
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,出勤は将来の日付にマークを付けることができません
 DocType: Support Search Source,Post Description Key,投稿の説明キー
 DocType: Pricing Rule,Pricing Rule Help,価格設定ルールヘルプ
 DocType: School House,House Name,建物名
 DocType: Fee Schedule,Total Amount per Student,生徒1人あたりの総額
+DocType: Opportunity,Sales Stage,セールスステージ
 DocType: Purchase Taxes and Charges,Account Head,勘定科目
 DocType: Company,HRA Component,HRAコンポーネント
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,電気
@@ -6348,15 +6417,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),価値差違合計(出 - 入)
 DocType: Grant Application,Requested Amount,要求数
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,行{0}:為替レートは必須です
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},従業員{0}のユーザーIDが未設定です。
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},従業員{0}のユーザーIDが未設定です。
 DocType: Vehicle,Vehicle Value,車両価格
 DocType: Crop Cycle,Detected Diseases,検出された疾患
 DocType: Stock Entry,Default Source Warehouse,デフォルトの出庫元倉庫
 DocType: Item,Customer Code,顧客コード
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},{0}のための誕生日リマインダー
 DocType: Asset Maintenance Task,Last Completion Date,最終完了日
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,最新注文からの日数
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,借方アカウントは貸借対照表アカウントである必要があります
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,借方アカウントは貸借対照表アカウントである必要があります
 DocType: Asset,Naming Series,シリーズ名を付ける
 DocType: Vital Signs,Coated,コーティングされた
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,行{0}:有効期限が過ぎた後の期待値は、購入総額
@@ -6374,15 +6442,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,納品書{0}は提出済にすることはできません
 DocType: Notification Control,Sales Invoice Message,請求書メッセージ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,アカウント{0}を閉じると、型責任/エクイティのものでなければなりません
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},従業員の給与明細 {0} はすで勤務表 {1} 用に作成されています
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},従業員の給与明細 {0} はすで勤務表 {1} 用に作成されています
 DocType: Vehicle Log,Odometer,走行距離計
 DocType: Production Plan Item,Ordered Qty,注文数
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,アイテム{0}は無効です
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,アイテム{0}は無効です
 DocType: Stock Settings,Stock Frozen Upto,在庫凍結
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOMに在庫アイテムが含まれていません
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOMに在庫アイテムが含まれていません
 DocType: Chapter,Chapter Head,チャプターヘッド
 DocType: Payment Term,Month(s) after the end of the invoice month,請求書月の終了後の月
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,給与構造は、給付額を分配するための柔軟な給付構成要素を有するべきである
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,給与構造は、給付額を分配するための柔軟な給付構成要素を有するべきである
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,プロジェクト活動/タスク
 DocType: Vital Signs,Very Coated,非常にコーティングされた
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),税の影響のみ(課税所得の一部を請求することはできません)
@@ -6400,7 +6468,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,請求時間
 DocType: Project,Total Sales Amount (via Sales Order),合計売上金額(受注による)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} のデフォルトのBOMがありません
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,行#{0}:再注文数量を設定してください
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,行#{0}:再注文数量を設定してください
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ここに追加する項目をタップします
 DocType: Fees,Program Enrollment,教育課程登録
 DocType: Share Transfer,To Folio No,フォリオにする
@@ -6442,9 +6510,9 @@
 DocType: SG Creation Tool Course,Max Strength,最大強度
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,プリセットのインストール
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},顧客{}の配達メモが選択されていません
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},顧客{}の配達メモが選択されていません
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,従業員{0}には最大給付額はありません
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,納期に基づいて商品を選択
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,納期に基づいて商品を選択
 DocType: Grant Application,Has any past Grant Record,助成金レコードあり
 ,Sales Analytics,販売分析
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},利用可能な{0}
@@ -6452,12 +6520,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,製造設定
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,メール設定
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,保護者1  携帯番号
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,会社マスターにデフォルトの通貨を入力してください
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,会社マスターにデフォルトの通貨を入力してください
 DocType: Stock Entry Detail,Stock Entry Detail,在庫エントリー詳細
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,日次リマインダー
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,日次リマインダー
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,開いているチケットをすべて見る
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,ヘルスケアサービスユニットツリー
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,製品
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,製品
 DocType: Products Settings,Home Page is Products,ホームページは「製品」です
 ,Asset Depreciation Ledger,資産減価償却元帳
 DocType: Salary Structure,Leave Encashment Amount Per Day,一日あたりの払込金額を残す
@@ -6467,8 +6535,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,原材料供給費用
 DocType: Selling Settings,Settings for Selling Module,販売モジュール設定
 DocType: Hotel Room Reservation,Hotel Room Reservation,ホテルルーム予約
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,顧客サービス
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,顧客サービス
 DocType: BOM,Thumbnail,サムネイル
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,電子メールIDを持つ連絡先は見つかりませんでした。
 DocType: Item Customer Detail,Item Customer Detail,アイテム顧客詳細
 DocType: Notification Control,Prompt for Email on Submission of,提出するメールの指定
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},従業員{0}の最大便益額が{1}を超えています
@@ -6478,13 +6547,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,アイテム{0}は在庫アイテムでなければなりません
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,デフォルト作業中倉庫
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",{0}のスケジュールが重複しています。重複スロットをスキップした後に進めますか?
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,会計処理のデフォルト設定。
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,会計処理のデフォルト設定。
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,グラントの葉
 DocType: Restaurant,Default Tax Template,デフォルト税テンプレート
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0}学生は登録されています
 DocType: Fees,Student Details,生徒詳細
 DocType: Purchase Invoice Item,Stock Qty,在庫数
 DocType: Contract,Requires Fulfilment,フルフィルメントが必要
+DocType: QuickBooks Migrator,Default Shipping Account,デフォルトの配送口座
 DocType: Loan,Repayment Period in Months,ヶ月間における償還期間
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,エラー:有効なIDではない?
 DocType: Naming Series,Update Series Number,シリーズ番号更新
@@ -6498,11 +6568,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,最大金額
 DocType: Journal Entry,Total Amount Currency,総額通貨
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,組立部品を検索
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},行番号{0}にアイテムコードが必要です
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},行番号{0}にアイテムコードが必要です
 DocType: GST Account,SGST Account,SGSTアカウント
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,アイテムに移動
 DocType: Sales Partner,Partner Type,パートナーの種類
-DocType: Purchase Taxes and Charges,Actual,実際
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,実際
 DocType: Restaurant Menu,Restaurant Manager,レストランマネージャー
 DocType: Authorization Rule,Customerwise Discount,顧客ごと割引
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,タスクのためのタイムシート。
@@ -6523,7 +6593,7 @@
 DocType: Employee,Cheque,小切手
 DocType: Training Event,Employee Emails,社員メール
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,シリーズ更新
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,レポートタイプは必須です
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,レポートタイプは必須です
 DocType: Item,Serial Number Series,シリアル番号シリーズ
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},列{1}の在庫アイテム{0}には倉庫が必須です。
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,小売・卸売
@@ -6553,7 +6623,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,受注の請求額の更新
 DocType: BOM,Materials,資材
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",チェックされていない場合、リストを適用先の各カテゴリーに追加しなくてはなりません
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,転記日時は必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,転記日時は必須です
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,購入取引用の税のテンプレート
 ,Item Prices,アイテム価格
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,発注を保存すると表示される表記内。
@@ -6569,12 +6639,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),資産減価償却記入欄シリーズ(仕訳入力)
 DocType: Membership,Member Since,メンバー
 DocType: Purchase Invoice,Advance Payments,前払金
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,ヘルスケアサービスを選択してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,ヘルスケアサービスを選択してください
 DocType: Purchase Taxes and Charges,On Net Total,差引計
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0}アイテム{4} {1} {3}の単位で、{2}の範囲内でなければなりません属性の値
 DocType: Restaurant Reservation,Waitlisted,キャンセル待ち
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,免除カテゴリー
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,他の通貨を使用してエントリーを作成した後には通貨を変更することができません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,他の通貨を使用してエントリーを作成した後には通貨を変更することができません
 DocType: Shipping Rule,Fixed,一定
 DocType: Vehicle Service,Clutch Plate,クラッチプレート
 DocType: Company,Round Off Account,丸め誤差アカウント
@@ -6583,7 +6653,7 @@
 DocType: Subscription Plan,Based on price list,価格表に基づいて
 DocType: Customer Group,Parent Customer Group,親顧客グループ
 DocType: Vehicle Service,Change,変更
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,購読
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,購読
 DocType: Purchase Invoice,Contact Email,連絡先 メール
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,手数料の作成を保留中
 DocType: Appraisal Goal,Score Earned,スコア獲得
@@ -6610,23 +6680,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,売掛金/買掛金
 DocType: Delivery Note Item,Against Sales Order Item,対受注アイテム
 DocType: Company,Company Logo,会社のロゴ
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},属性 {0} の属性値を指定してください
-DocType: Item Default,Default Warehouse,デフォルト倉庫
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},属性 {0} の属性値を指定してください
+DocType: QuickBooks Migrator,Default Warehouse,デフォルト倉庫
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},グループアカウント{0}に対して予算を割り当てることができません
 DocType: Shopping Cart Settings,Show Price,価格を表示
 DocType: Healthcare Settings,Patient Registration,患者登録
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,親コストセンターを入力してください
 DocType: Delivery Note,Print Without Amount,金額なしで印刷
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,減価償却日
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,減価償却日
 ,Work Orders in Progress,作業オーダーの進行中
 DocType: Issue,Support Team,サポートチーム
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),有効期限(日数)
 DocType: Appraisal,Total Score (Out of 5),総得点(5点満点)
 DocType: Student Attendance Tool,Batch,バッチ
 DocType: Support Search Source,Query Route String,クエリルート文字列
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,前回の購入ごとの更新率
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,前回の購入ごとの更新率
 DocType: Donor,Donor Type,ドナータイプ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,自動繰り返し文書が更新されました
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,自動繰り返し文書が更新されました
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,残高
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,会社を選択してください
 DocType: Job Card,Job Card,ジョブカード
@@ -6640,7 +6710,7 @@
 DocType: Assessment Result,Total Score,合計スコア
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601規格
 DocType: Journal Entry,Debit Note,借方票
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,最大{0}ポイントはこの順番でのみ交換することができます。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,最大{0}ポイントはこの順番でのみ交換することができます。
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,APIコンシューマーシークレットを入力してください
 DocType: Stock Entry,As per Stock UOM,在庫の数量単位ごと
@@ -6653,10 +6723,11 @@
 DocType: Journal Entry,Total Debit,借方合計
 DocType: Travel Request Costing,Sponsored Amount,スポンサード
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,デフォルト完成品倉庫
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,患者を選択してください
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,患者を選択してください
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,営業担当
 DocType: Hotel Room Package,Amenities,アメニティ
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,予算とコストセンター
+DocType: QuickBooks Migrator,Undeposited Funds Account,未払い資金口座
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,予算とコストセンター
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,複数のデフォルトの支払い方法は許可されていません
 DocType: Sales Invoice,Loyalty Points Redemption,ロイヤリティポイント償還
 ,Appointment Analytics,予約分析
@@ -6670,6 +6741,7 @@
 DocType: Batch,Manufacturing Date,製造日付
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,手数料の作成に失敗しました
 DocType: Opening Invoice Creation Tool,Create Missing Party,不足しているパーティーを作成する
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,総予算
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,年ごとに生徒グループを作る場合は空欄にしてください
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",チェックした場合、営業日数は全て祝日を含みますが、これにより1日あたりの給与の値は小さくなります
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?",現在の鍵を使用しているアプリケーションはアクセスできません。本当ですか?
@@ -6685,20 +6757,19 @@
 DocType: Opportunity Item,Basic Rate,基本料金
 DocType: GL Entry,Credit Amount,貸方金額
 DocType: Cheque Print Template,Signatory Position,署名者の位置
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,失注として設定
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,失注として設定
 DocType: Timesheet,Total Billable Hours,合計請求可能な時間
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,購読者がこの購読によって生成された請求書を支払う日数
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,従業員給付申請の詳細
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,支払領収書の注意
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,これは、この顧客に対する取引に基づいています。詳細については以下のタイムラインを参照してください
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},行{0}:割り当て量{1}未満であるか、または支払エントリ量に等しくなければならない{2}
 DocType: Program Enrollment Tool,New Academic Term,新しい学期
 ,Course wise Assessment Report,コースワイズアセスメントレポート
 DocType: Purchase Invoice,Availed ITC State/UT Tax,利用可能なITC州/ UT税
 DocType: Tax Rule,Tax Rule,税ルール
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,販売サイクル全体で同じレートを維持
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,マーケットプレイスに登録するには別のユーザーとしてログインしてください
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,マーケットプレイスに登録するには別のユーザーとしてログインしてください
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ワークステーションの労働時間外のタイムログを計画します。
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,キュー内の顧客
 DocType: Driver,Issuing Date,発行日
@@ -6707,11 +6778,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,さらなる作業のためにこの作業命令を提出してください。
 ,Items To Be Requested,要求されるアイテム
 DocType: Company,Company Info,会社情報
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,選択・新規顧客追加
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,選択・新規顧客追加
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,原価センタは、経費請求を予約するために必要とされます
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),資金運用(資産)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,これは、この従業員の出席に基づいています
-DocType: Assessment Result,Summary,概要
 DocType: Payment Request,Payment Request Type,支払い要求タイプ
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,出席者に印を付ける
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,借方アカウント
@@ -6719,7 +6789,7 @@
 DocType: Additional Salary,Employee Name,従業員名
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,レストランオーダーエントリーアイテム
 DocType: Purchase Invoice,Rounded Total (Company Currency),合計(四捨五入)(会社通貨)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,会計タイプが選択されているため、グループに変換することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,会計タイプが選択されているため、グループに変換することはできません
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1}が変更されています。画面を更新してください。
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,以下の日にはユーザーからの休暇申請を受け付けない
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",ロイヤリティポイントの有効期限を無期限にする場合は、有効期限を空または0にしてください。
@@ -6740,11 +6810,12 @@
 DocType: Asset,Out of Order,故障中
 DocType: Purchase Receipt Item,Accepted Quantity,受入数
 DocType: Projects Settings,Ignore Workstation Time Overlap,ワークステーションの時間の重複を無視する
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},従業員のデフォルト休日リストを設定してください{0}または当社{1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},従業員のデフォルト休日リストを設定してください{0}または当社{1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}:{1}は存在しません
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,バッチ番号選択
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTINに
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTINに
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,顧客あて請求
+DocType: Healthcare Settings,Invoice Appointments Automatically,請求書の予定が自動的に決まる
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,プロジェクトID
 DocType: Salary Component,Variable Based On Taxable Salary,課税可能な給与に基づく変数
 DocType: Company,Basic Component,基本コンポーネント
@@ -6757,10 +6828,10 @@
 DocType: Stock Entry,Source Warehouse Address,ソースウェアハウスの住所
 DocType: GL Entry,Voucher Type,伝票タイプ
 DocType: Amazon MWS Settings,Max Retry Limit,最大リトライ回数
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,価格表が見つからないか無効になっています
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,価格表が見つからないか無効になっています
 DocType: Student Applicant,Approved,承認済
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,価格
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0}から取り除かれた従業員は「退職」に設定されなければなりません
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0}から取り除かれた従業員は「退職」に設定されなければなりません
 DocType: Marketplace Settings,Last Sync On,最後の同期オン
 DocType: Guardian,Guardian,保護者
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,これを含むすべてのコミュニケーションは新しい問題に移されます
@@ -6783,14 +6854,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,フィールドで検出された病気のリスト。選択すると、病気に対処するためのタスクのリストが自動的に追加されます
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,これは根本的な医療サービス単位であり、編集することはできません。
 DocType: Asset Repair,Repair Status,修理状況
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,セールスパートナーを追加
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,会計仕訳
 DocType: Travel Request,Travel Request,旅行のリクエスト
 DocType: Delivery Note Item,Available Qty at From Warehouse,倉庫内利用可能数量
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,先に従業員レコードを選択してください
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,休暇であるため{0}に出席していません。
 DocType: POS Profile,Account for Change Amount,変化量のためのアカウント
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooksに接続する
 DocType: Exchange Rate Revaluation,Total Gain/Loss,総損益
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,会社間請求書の会社が無効です。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,会社間請求書の会社が無効です。
 DocType: Purchase Invoice,input service,入力サービス
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:当事者/アカウントが {3} {4} の {1} / {2}と一致しません
 DocType: Employee Promotion,Employee Promotion,従業員の昇進
@@ -6799,12 +6872,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,コースコード:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,経費勘定を入力してください
 DocType: Account,Stock,在庫
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参照文書タイプは、発注・請求書・仕訳のいずれかでなければなりません
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参照文書タイプは、発注・請求書・仕訳のいずれかでなければなりません
 DocType: Employee,Current Address,現住所
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",アイテムが別のアイテムのバリエーションである場合には、明示的に指定しない限り、その後の説明、画像、価格、税金などはテンプレートから設定されます
 DocType: Serial No,Purchase / Manufacture Details,仕入/製造の詳細
 DocType: Assessment Group,Assessment Group,評価グループ
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,バッチ目録
+DocType: Supplier,GST Transporter ID,GSTトランスポーターID
 DocType: Procedure Prescription,Procedure Name,プロシージャ名
 DocType: Employee,Contract End Date,契約終了日
 DocType: Amazon MWS Settings,Seller ID,売り手ID
@@ -6824,12 +6898,12 @@
 DocType: Company,Date of Incorporation,設立の日
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,税合計
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,最終購入価格
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,数量(製造数量)が必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,数量(製造数量)が必須です
 DocType: Stock Entry,Default Target Warehouse,デフォルト入庫先倉庫
 DocType: Purchase Invoice,Net Total (Company Currency),差引計(会社通貨)
 DocType: Delivery Note,Air,空気
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,年終了日は年開始日より前にすることはできません。日付を訂正して、もう一度お試しください。
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0}はオプションの休日リストにはありません
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0}はオプションの休日リストにはありません
 DocType: Notification Control,Purchase Receipt Message,領収書のメッセージ
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,スクラップアイテム
@@ -6851,23 +6925,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,フルフィルメント
 DocType: Purchase Taxes and Charges,On Previous Row Amount,前行の額
 DocType: Item,Has Expiry Date,有効期限あり
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,資産を譲渡
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,資産を譲渡
 DocType: POS Profile,POS Profile,POSプロフィール
 DocType: Training Event,Event Name,イベント名
 DocType: Healthcare Practitioner,Phone (Office),電話(オフィス)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance",送信できません。従業員は出席をマークします
 DocType: Inpatient Record,Admission,入場
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},{0}のための入試
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",予算や目標などを設定する期間
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",予算や目標などを設定する期間
 DocType: Supplier Scorecard Scoring Variable,Variable Name,変数名
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",アイテム{0}はテンプレートです。バリエーションのいずれかを選択してください
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,従業員の命名システムを人事管理&gt; HR設定で設定してください
+DocType: Purchase Invoice Item,Deferred Expense,繰延費用
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},従業員の参加予定日{1}より前の日付{0}は使用できません。
 DocType: Asset,Asset Category,資産カテゴリー
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,給与をマイナスにすることはできません
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,給与をマイナスにすることはできません
 DocType: Purchase Order,Advance Paid,立替金
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,受注の生産過剰率
 DocType: Item,Item Tax,アイテムごとの税
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,サプライヤー用資材
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,サプライヤー用資材
 DocType: Soil Texture,Loamy Sand,壌質砂土
 DocType: Production Plan,Material Request Planning,品目依頼計画
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,消費税の請求書
@@ -6889,11 +6965,11 @@
 DocType: Scheduling Tool,Scheduling Tool,スケジューリングツール
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,クレジットカード
 DocType: BOM,Item to be manufactured or repacked,製造または再梱包するアイテム
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},条件文の構文エラー:{0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},条件文の構文エラー:{0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,大手/オプション科目
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,購入設定でサプライヤグループを設定してください。
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,購入設定でサプライヤグループを設定してください。
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",総フレキシブルメリットコンポーネントの数{0}は、最大メリット{1}より小さくすべきではありません
 DocType: Sales Invoice Item,Drop Ship,ドロップシッピング
 DocType: Driver,Suspended,一時停止中
@@ -6913,7 +6989,7 @@
 DocType: Customer,Commission Rate,手数料率
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,支払いエントリを作成しました
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1}の間に{0}スコアカードが作成されました:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,バリエーション作成
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,バリエーション作成
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",支払タイプは、入金・支払・振替のどれかである必要があります
 DocType: Travel Itinerary,Preferred Area for Lodging,宿泊施設の優先エリア
 apps/erpnext/erpnext/config/selling.py +184,Analytics,分析
@@ -6924,7 +7000,7 @@
 DocType: Work Order,Actual Operating Cost,実際の営業費用
 DocType: Payment Entry,Cheque/Reference No,小切手/リファレンスなし
 DocType: Soil Texture,Clay Loam,埴壌土
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,ルートを編集することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,ルートを編集することはできません
 DocType: Item,Units of Measure,測定の単位
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,メトロシティで賃貸
 DocType: Supplier,Default Tax Withholding Config,デフォルト税控除設定
@@ -6942,21 +7018,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,支払完了後、選択したページにリダイレクトします
 DocType: Company,Existing Company,既存企業
 DocType: Healthcare Settings,Result Emailed,結果が電子メールで送信される
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",すべての商品アイテムが非在庫アイテムであるため、税カテゴリが「合計」に変更されました
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",すべての商品アイテムが非在庫アイテムであるため、税カテゴリが「合計」に変更されました
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,今日までの日付は、日付からの日付と同じかそれより小さいことはできません
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,変更するものはありません
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,csvファイルを選択してください
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,csvファイルを選択してください
 DocType: Holiday List,Total Holidays,総祝日
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,ディスパッチ用の電子メールテンプレートがありません。配信設定で1つを設定してください。
 DocType: Student Leave Application,Mark as Present,出席としてマーク
 DocType: Supplier Scorecard,Indicator Color,インジケータの色
 DocType: Purchase Order,To Receive and Bill,受領・請求する
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,行番号{0}:取引日付より前の日付は必須です
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,行番号{0}:取引日付より前の日付は必須です
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,おすすめ商品
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,シリアル番号を選択
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,シリアル番号を選択
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,デザイナー
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,規約のテンプレート
 DocType: Serial No,Delivery Details,納品詳細
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},タイプ{1}のための税金テーブルの行{0}にコストセンターが必要です
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},タイプ{1}のための税金テーブルの行{0}にコストセンターが必要です
 DocType: Program,Program Code,教育課程コード
 DocType: Terms and Conditions,Terms and Conditions Help,利用規約ヘルプ
 ,Item-wise Purchase Register,アイテムごとの仕入登録
@@ -6969,15 +7046,16 @@
 DocType: Contract,Contract Terms,契約条件
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,次の通貨に$などのような任意のシンボルを表示しません。
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},コンポーネント{0}の最大利益額が{1}を超えています
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(半日)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(半日)
 DocType: Payment Term,Credit Days,信用日数
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,ラボテストを受けるには患者を選択してください
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,生徒バッチ作成
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,製造のための転送を許可する
 DocType: Leave Type,Is Carry Forward,繰越済
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,部品表からアイテムを取得
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,部品表からアイテムを取得
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,リードタイム日数
 DocType: Cash Flow Mapping,Is Income Tax Expense,法人所得税は費用ですか?
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,あなたの注文は配送のためです!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},資産の転記日付購入日と同じでなければなりません{1} {2}:行#{0}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,学生が研究所のホステルに住んでいる場合はこれをチェックしてください。
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,上記の表に受注を入力してください
@@ -6985,10 +7063,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,別の倉庫から資産を移します
 DocType: Vehicle,Petrol,ガソリン
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),残りの恩恵(毎年)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,部品表
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,部品表
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},行{0}:当事者タイプと当事者が売掛金/買掛金勘定 {1} に必要です
 DocType: Employee,Leave Policy,ポリシーを離れる
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,アイテムを更新する
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,アイテムを更新する
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,参照日付
 DocType: Employee,Reason for Leaving,退職理由
 DocType: BOM Operation,Operating Cost(Company Currency),営業費用(会社通貨)
@@ -6999,7 +7077,7 @@
 DocType: Department,Expense Approvers,費用承認者
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},行{0}:借方エントリは{1}とリンクすることができません
 DocType: Journal Entry,Subscription Section,サブスクリプションセクション
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,アカウント{0}は存在しません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,アカウント{0}は存在しません
 DocType: Training Event,Training Program,研修プログラム
 DocType: Account,Cash,現金
 DocType: Employee,Short biography for website and other publications.,ウェブサイトや他の出版物のための略歴
diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv
index a352f0d..fcad8aa 100644
--- a/erpnext/translations/km.csv
+++ b/erpnext/translations/km.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,ធាតុអតិថិជន
 DocType: Project,Costing and Billing,និងវិក័យប័ត្រមានតម្លៃ
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},រូបិយប័ណ្ណគណនីមុនគួរតែដូចគ្នានឹងរូបិយប័ណ្ណរបស់ក្រុមហ៊ុន {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,គណនី {0}: គណនីមាតាបិតា {1} មិនអាចជាសៀវភៅមួយ
+DocType: QuickBooks Migrator,Token Endpoint,ចំនុច Token
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,គណនី {0}: គណនីមាតាបិតា {1} មិនអាចជាសៀវភៅមួយ
 DocType: Item,Publish Item to hub.erpnext.com,បោះពុម្ពផ្សាយធាតុទៅ hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,មិនអាចរកកំនត់ឈប់កំនត់សកម្ម
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,មិនអាចរកកំនត់ឈប់កំនត់សកម្ម
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ការវាយតំលៃ
 DocType: Item,Default Unit of Measure,អង្គភាពលំនាំដើមនៃវិធានការ
 DocType: SMS Center,All Sales Partner Contact,ទាំងអស់ដៃគូទំនាក់ទំនងលក់
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,ចុចបញ្ចូលដើម្បីបន្ថែម
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",បាត់តម្លៃសម្រាប់ពាក្យសម្ងាត់លេខកូដ API ឬលក់ URL
 DocType: Employee,Rented,ជួល
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,គណនីទាំងអស់
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,គណនីទាំងអស់
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,មិនអាចផ្ទេរបុគ្គលិកជាមួយនឹងស្ថានភាពឆ្វេង
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",បញ្ឈប់ការបញ្ជាទិញផលិតផលដែលមិនអាចត្រូវបានលុបចោលឮវាជាលើកដំបូងដើម្បីបោះបង់
 DocType: Vehicle Service,Mileage,mileage
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,តើអ្នកពិតជាចង់លុបចោលទ្រព្យសម្បត្តិនេះ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,តើអ្នកពិតជាចង់លុបចោលទ្រព្យសម្បត្តិនេះ?
 DocType: Drug Prescription,Update Schedule,ធ្វើបច្ចុប្បន្នភាពកាលវិភាគ
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ជ្រើសផ្គត់ផ្គង់លំនាំដើម
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,បង្ហាញនិយោជិក
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,អត្រាប្តូរប្រាក់ថ្មី
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},រូបិយប័ណ្ណត្រូវបានទាមទារសម្រាប់តារាងតម្លៃ {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},រូបិយប័ណ្ណត្រូវបានទាមទារសម្រាប់តារាងតម្លៃ {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* នឹងត្រូវបានគណនាក្នុងប្រតិបត្តិការនេះ។
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT -YYYY.-
 DocType: Purchase Order,Customer Contact,ទំនាក់ទំនងអតិថិជន
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,នេះផ្អែកលើប្រតិបត្តិការប្រឆាំងនឹងការផ្គត់ផ្គង់នេះ។ សូមមើលខាងក្រោមសម្រាប់សេចក្ដីលម្អិតកំណត់ពេលវេលា
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ភាគរយលើសផលិតកម្មសម្រាប់ស្នាដៃការងារ
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-yYYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,ផ្នែកច្បាប់
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,ផ្នែកច្បាប់
+DocType: Delivery Note,Transport Receipt Date,កាលបរិច្ឆេទបង្កាន់ដៃដឹកជញ្ជូន
 DocType: Shopify Settings,Sales Order Series,លំដាប់លក់
 DocType: Vital Signs,Tongue,លៀនអណ្តាត
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA ការលើកលែង
 DocType: Sales Invoice,Customer Name,ឈ្មោះអតិថិជន
 DocType: Vehicle,Natural Gas,ឧស្ម័នធម្មជាតិ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},គណនីធនាគារដែលមិនអាចត្រូវបានដាក់ឈ្មោះថាជា {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},គណនីធនាគារដែលមិនអាចត្រូវបានដាក់ឈ្មោះថាជា {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA តាមតំណាក់កាលប្រាក់ខែ
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ក្បាល (ឬក្រុម) ប្រឆាំងនឹងធាតុគណនេយ្យនិងតុល្យភាពត្រូវបានធ្វើឡើងត្រូវបានរក្សា។
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),ឆ្នើមសម្រាប់ {0} មិនអាចតិចជាងសូន្យ ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,សេវាបញ្ឈប់កាលបរិច្ឆេទមិនអាចនៅមុនកាលបរិច្ឆេទចាប់ផ្តើមសេវា
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,សេវាបញ្ឈប់កាលបរិច្ឆេទមិនអាចនៅមុនកាលបរិច្ឆេទចាប់ផ្តើមសេវា
 DocType: Manufacturing Settings,Default 10 mins,10 នាទីលំនាំដើម
 DocType: Leave Type,Leave Type Name,ទុកឱ្យប្រភេទឈ្មោះ
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,បង្ហាញតែការបើកចំហ
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,បង្ហាញតែការបើកចំហ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,កម្រងឯកសារបន្ទាន់សម័យដោយជោគជ័យ
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,ពិនិត្យមុនពេលចេញ
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} នៅក្នុងជួរដេក {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} នៅក្នុងជួរដេក {1}
 DocType: Asset Finance Book,Depreciation Start Date,ចាប់ផ្តើមកាលបរិច្ឆេទចាប់ផ្តើម
 DocType: Pricing Rule,Apply On,អនុវត្តនៅលើ
 DocType: Item Price,Multiple Item prices.,តម្លៃមុខទំនិញមានច្រើន
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,ការកំណត់ការគាំទ្រ
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,គេរំពឹងថានឹងកាលបរិច្ឆេទបញ្ចប់មិនអាចតិចជាងការរំពឹងទុកការចាប់ផ្តើមកាលបរិច្ឆេទ
 DocType: Amazon MWS Settings,Amazon MWS Settings,ការកំណត់ Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ជួរដេក # {0}: អត្រាការប្រាក់ត្រូវតែមានដូចគ្នា {1} {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ជួរដេក # {0}: អត្រាការប្រាក់ត្រូវតែមានដូចគ្នា {1} {2} ({3} / {4})
 ,Batch Item Expiry Status,ធាតុបាច់ស្ថានភាពផុតកំណត់
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,សេចក្តីព្រាងធនាគារ
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV -YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,ព័ត៌មានលម្អិតទំនាក់ទំនងចម្បង
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ការបើកចំហរបញ្ហា
 DocType: Production Plan Item,Production Plan Item,ផលិតកម្មធាតុផែនការ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},{0} អ្នកប្រើត្រូវបានកំណត់រួចទៅបុគ្គលិក {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},{0} អ្នកប្រើត្រូវបានកំណត់រួចទៅបុគ្គលិក {1}
 DocType: Lab Test Groups,Add new line,បន្ថែមបន្ទាត់ថ្មី
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,ការថែទាំសុខភាព
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ពន្យាពេលក្នុងការទូទាត់ (ថ្ងៃ)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,វេជ្ជបញ្ជាមន្ទីរពេទ្យ
 ,Delay Days,ពន្យារពេល
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ការចំណាយសេវា
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},លេខស៊េរី: {0} ត្រូវបានយោងរួចហើយនៅក្នុងវិក័យប័ត្រលក់: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},លេខស៊េរី: {0} ត្រូវបានយោងរួចហើយនៅក្នុងវិក័យប័ត្រលក់: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,វិក័យប័ត្រ
 DocType: Purchase Invoice Item,Item Weight Details,ព័ត៌មានលម្អិតទម្ងន់
 DocType: Asset Maintenance Log,Periodicity,រយៈពេល
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ឆ្នាំសារពើពន្ធ {0} ត្រូវបានទាមទារ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,អ្នកផ្គត់ផ្គង់&gt; ក្រុមអ្នកផ្គត់ផ្គង់
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ចម្ងាយអប្បបរមារវាងជួរដេកនៃរុក្ខជាតិសម្រាប់ការលូតលាស់ល្អបំផុត
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,ការពារជាតិ
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC -YYYYY.-
 DocType: Daily Work Summary Group,Holiday List,បញ្ជីថ្ងៃឈប់សម្រាក
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,គណនេយ្យករ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,លក់បញ្ជីតំលៃ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,លក់បញ្ជីតំលៃ
 DocType: Patient,Tobacco Current Use,ការប្រើប្រាស់ថ្នាំជក់បច្ចុប្បន្ន
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,អត្រាលក់
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,អត្រាលក់
 DocType: Cost Center,Stock User,អ្នកប្រើប្រាស់ភាគហ៊ុន
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,ព័ត៌មានទំនាក់ទំនង
 DocType: Company,Phone No,គ្មានទូរស័ព្ទ
 DocType: Delivery Trip,Initial Email Notification Sent,ការជូនដំណឹងអ៊ីម៉ែលដំបូងបានផ្ញើ
 DocType: Bank Statement Settings,Statement Header Mapping,ការបរិយាយចំណងជើងបឋមកថា
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,កាលបរិច្ឆេទចាប់ផ្តើមការជាវប្រចាំ
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,គណនីដែលអាចទទួលបានលំនាំដើមត្រូវបានប្រើប្រសិនបើមិនបានកំណត់ក្នុងអ្នកជំងឺដើម្បីកក់ថ្លៃឈ្នួលការតែងតាំង។
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",ភ្ជាប់ឯកសារ .csv ដែលមានជួរឈរពីរសម្រាប់ឈ្មោះចាស់និងមួយសម្រាប់ឈ្មោះថ្មី
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,ពីអាសយដ្ឋាន 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,លេខកូដធាតុ&gt; ក្រុមធាតុ&gt; ម៉ាក
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,ពីអាសយដ្ឋាន 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} មិននៅក្នុងឆ្នាំសារពើពន្ធសកម្មណាមួយឡើយ។
 DocType: Packed Item,Parent Detail docname,ពត៌មានលំអិតរបស់ឪពុកម្តាយ docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ឯកសារយោង: {0}, លេខកូដធាតុ: {1} និងអតិថិជន: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} មិនមានវត្តមាននៅក្នុងក្រុមហ៊ុនមេ
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} មិនមានវត្តមាននៅក្នុងក្រុមហ៊ុនមេ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,កាលបរិច្ឆេទបញ្ចប់នៃសវនាការមិនអាចនៅមុនថ្ងៃជំនុំជម្រះបានទេ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,គីឡូក្រាម
 DocType: Tax Withholding Category,Tax Withholding Category,ប្រភេទពន្ធកាត់ពន្ធ
@@ -189,12 +190,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,ការផ្សព្វផ្សាយពាណិជ្ជកម្ម
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ក្រុមហ៊ុនដូចគ្នាត្រូវបានបញ្ចូលច្រើនជាងម្ដង
 DocType: Patient,Married,រៀបការជាមួយ
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},មិនត្រូវបានអនុញ្ញាតសម្រាប់ {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},មិនត្រូវបានអនុញ្ញាតសម្រាប់ {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,ទទួលបានមុខទំនិញពី
 DocType: Price List,Price Not UOM Dependant,តម្លៃមិនមែន UOM អ្នកអាស្រ័យ
 DocType: Purchase Invoice,Apply Tax Withholding Amount,អនុវត្តចំនួនប្រាក់បំណាច់ពន្ធ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការដឹកជញ្ជូនចំណាំ {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,ចំនួនទឹកប្រាក់សរុបដែលបានផ្ទៀងផ្ទាត់
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការដឹកជញ្ជូនចំណាំ {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,ចំនួនទឹកប្រាក់សរុបដែលបានផ្ទៀងផ្ទាត់
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ផលិតផល {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,គ្មានបញ្ជីមុខទំនិញ
 DocType: Asset Repair,Error Description,កំហុសការពិពណ៌នា
@@ -208,8 +209,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,ប្រើទំរង់លំហូរសាច់ប្រាក់ផ្ទាល់ខ្លួន
 DocType: SMS Center,All Sales Person,ការលក់របស់បុគ្គលទាំងអស់
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** ចែកចាយប្រចាំខែអាចជួយឱ្យអ្នកចែកថវិកា / គោលដៅនៅទូទាំងខែប្រសិនបើអ្នកមានរដូវកាលនៅក្នុងអាជីវកម្មរបស់អ្នក។
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,មុខទំនិញរកមិនឃើញ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,បាត់ប្រាក់ខែរចនាសម្ព័ន្ធ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,មុខទំនិញរកមិនឃើញ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,បាត់ប្រាក់ខែរចនាសម្ព័ន្ធ
 DocType: Lead,Person Name,ឈ្មោះបុគ្គល
 DocType: Sales Invoice Item,Sales Invoice Item,ការលក់វិក័យប័ត្រធាតុ
 DocType: Account,Credit,ឥណទាន
@@ -218,19 +219,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,របាយការណ៍ភាគហ៊ុន
 DocType: Warehouse,Warehouse Detail,ពត៌មានលំអិតឃ្លាំង
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,កាលបរិច្ឆេទបញ្ចប់រយៈពេលមិនអាចមាននៅពេលក្រោយជាងឆ្នាំបញ្ចប់កាលបរិច្ឆេទនៃឆ្នាំសិក្សាដែលរយៈពេលនេះត្រូវបានតភ្ជាប់ (អប់រំឆ្នាំ {}) ។ សូមកែកាលបរិច្ឆេទនិងព្យាយាមម្ដងទៀត។
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",«តើអចលន &quot;មិនអាចត្រូវបានធីកមានទ្រព្យសម្បត្តិដែលជាកំណត់ត្រាប្រឆាំងនឹងធាតុ
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",«តើអចលន &quot;មិនអាចត្រូវបានធីកមានទ្រព្យសម្បត្តិដែលជាកំណត់ត្រាប្រឆាំងនឹងធាតុ
 DocType: Delivery Trip,Departure Time,មោងចាកចេញ
 DocType: Vehicle Service,Brake Oil,ប្រេងហ្វ្រាំង
 DocType: Tax Rule,Tax Type,ប្រភេទពន្ធលើ
 ,Completed Work Orders,បានបញ្ចប់ការបញ្ជាទិញការងារ
 DocType: Support Settings,Forum Posts,ប្រកាសវេទិកា
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវជាប់ពន្ធ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវជាប់ពន្ធ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យបន្ថែមឬធ្វើឱ្យទាន់សម័យធាតុមុន {0}
 DocType: Leave Policy,Leave Policy Details,ចាកចេញពីព័ត៌មានលម្អិតអំពីគោលនយោបាយ
 DocType: BOM,Item Image (if not slideshow),រូបភាពធាតុ (ប្រសិនបើមិនមានការបញ្ចាំងស្លាយ)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(ហួរអត្រា / 60) * ជាក់ស្តែងប្រតិបត្តិការម៉ោង
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ជួរដេក # {0}: ឯកសារយោងត្រូវតែជាផ្នែកមួយនៃពាក្យបណ្តឹងទាមទារឬធាតុចូល
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,ជ្រើស Bom
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ជួរដេក # {0}: ឯកសារយោងត្រូវតែជាផ្នែកមួយនៃពាក្យបណ្តឹងទាមទារឬធាតុចូល
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,ជ្រើស Bom
 DocType: SMS Log,SMS Log,ផ្ញើសារជាអក្សរចូល
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,តម្លៃនៃធាតុដែលបានផ្តល់
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,ថ្ងៃឈប់សម្រាកនៅលើ {0} គឺមិនមានរវាងពីកាលបរិច្ឆេទនិងដើម្បីកាលបរិច្ឆេទ
@@ -239,16 +240,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,គំរូនៃចំណាត់ថ្នាក់ក្រុមហ៊ុនផ្គត់ផ្គង់។
 DocType: Lead,Interested,មានការចាប់អារម្មណ៍
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,ពិធីបើក
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},ពី {0} ទៅ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},ពី {0} ទៅ {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,កម្មវិធី:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,បានបរាជ័យក្នុងការដំឡើងពន្ធ
 DocType: Item,Copy From Item Group,ការចម្លងពីធាតុគ្រុប
-DocType: Delivery Trip,Delivery Notification,ការជូនដំណឹងការដឹកជញ្ជូន
 DocType: Journal Entry,Opening Entry,ការបើកចូល
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,មានតែគណនីប្រាក់
 DocType: Loan,Repay Over Number of Periods,សងចំនួនជាងនៃរយៈពេល
 DocType: Stock Entry,Additional Costs,ការចំណាយបន្ថែមទៀត
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។
 DocType: Lead,Product Enquiry,ផលិតផលសំណួរ
 DocType: Education Settings,Validate Batch for Students in Student Group,ធ្វើឱ្យមានសុពលភាពបាច់សម្រាប់សិស្សនិស្សិតនៅក្នុងពូល
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},គ្មានការកត់ត្រាការឈប់សម្រាកបានរកឃើញសម្រាប់បុគ្គលិក {0} {1} សម្រាប់
@@ -256,7 +256,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,សូមបញ្ចូលក្រុមហ៊ុនដំបូង
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,សូមជ្រើសរើសក្រុមហ៊ុនដំបូង
 DocType: Employee Education,Under Graduate,នៅក្រោមបញ្ចប់ការសិក្សា
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,សូមកំណត់ពុម្ពលំនាំដើមសម្រាប់ចាកចេញពីការជូនដំណឹងស្ថានភាពនៅក្នុងការកំណត់ធនធានមនុស្ស។
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,សូមកំណត់ពុម្ពលំនាំដើមសម្រាប់ចាកចេញពីការជូនដំណឹងស្ថានភាពនៅក្នុងការកំណត់ធនធានមនុស្ស។
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,គោលដៅនៅលើ
 DocType: BOM,Total Cost,ការចំណាយសរុប
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -269,7 +269,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,សេចក្តីថ្លែងការណ៍របស់គណនី
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ឱសថ
 DocType: Purchase Invoice Item,Is Fixed Asset,ជាទ្រព្យថេរ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","qty អាចប្រើបានគឺ {0}, អ្នកត្រូវ {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","qty អាចប្រើបានគឺ {0}, អ្នកត្រូវ {1}"
 DocType: Expense Claim Detail,Claim Amount,ចំនួនពាក្យបណ្តឹង
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},លំដាប់ការងារត្រូវបាន {0}
@@ -302,13 +302,13 @@
 DocType: BOM,Quality Inspection Template,គំរូត្រួតពិនិត្យគុណភាព
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",តើអ្នកចង់ធ្វើឱ្យទាន់សម័យចូលរួម? <br> បច្ចុប្បន្ន: {0} \ <br> អវត្តមាន: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ទទួលយកបានច្រានចោល Qty ត្រូវតែស្មើនឹងទទួលបានបរិមាណសម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ទទួលយកបានច្រានចោល Qty ត្រូវតែស្មើនឹងទទួលបានបរិមាណសម្រាប់ធាតុ {0}
 DocType: Item,Supply Raw Materials for Purchase,ការផ្គត់ផ្គង់សម្ភារៈសម្រាប់ការទិញសាច់ឆៅ
 DocType: Agriculture Analysis Criteria,Fertilizer,ជី
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",មិនអាចធានាថាការដឹកជញ្ជូនតាមលេខស៊េរីជាធាតុ \ {0} ត្រូវបានបន្ថែមនិងគ្មានការធានាការដឹកជញ្ជូនដោយ \ លេខស៊េរី។
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,របៀបយ៉ាងហោចណាស់មួយនៃការទូទាត់ត្រូវបានទាមទារសម្រាប់វិក័យប័ត្រម៉ាស៊ីនឆូតកាត។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,របៀបយ៉ាងហោចណាស់មួយនៃការទូទាត់ត្រូវបានទាមទារសម្រាប់វិក័យប័ត្រម៉ាស៊ីនឆូតកាត។
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,របាយការណ៍គណនីធនាគារ
 DocType: Products Settings,Show Products as a List,បង្ហាញផលិតផលជាបញ្ជី
 DocType: Salary Detail,Tax on flexible benefit,ពន្ធលើអត្ថប្រយោជន៍ដែលអាចបត់បែន
@@ -319,14 +319,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,ខុសលេខ
 DocType: Production Plan,Material Request Detail,សម្ភារៈស្នើសុំពត៌មាន
 DocType: Selling Settings,Default Quotation Validity Days,សុពលភាពតំលៃថ្ងៃខែ
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ដើម្បីរួមបញ្ចូលពន្ធក្នុងជួរ {0} នៅក្នុងអត្រាធាតុពន្ធក្នុងជួរដេក {1} ត្រូវតែត្រូវបានរួមបញ្ចូល
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ដើម្បីរួមបញ្ចូលពន្ធក្នុងជួរ {0} នៅក្នុងអត្រាធាតុពន្ធក្នុងជួរដេក {1} ត្រូវតែត្រូវបានរួមបញ្ចូល
 DocType: SMS Center,SMS Center,ផ្ញើសារជាអក្សរមជ្ឈមណ្ឌល
 DocType: Payroll Entry,Validate Attendance,ធ្វើឱ្យវត្តមានមានសុពលភាព
 DocType: Sales Invoice,Change Amount,ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់
 DocType: Party Tax Withholding Config,Certificate Received,វិញ្ញាបនបត្រដែលបានទទួល
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,កំណត់តម្លៃវិក្កយបត្រសម្រាប់ B2C ។ B2CL និង B2CS ត្រូវបានគណនាដោយផ្អែកលើតម្លៃវិក័យប័ត្រនេះ។
 DocType: BOM Update Tool,New BOM,Bom ដែលថ្មី
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,នីតិវិធីដែលបានកំណត់
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,នីតិវិធីដែលបានកំណត់
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,បង្ហាញតែម៉ាស៊ីនឆូតកាត
 DocType: Supplier Group,Supplier Group Name,ឈ្មោះក្រុមអ្នកផ្គត់ផ្គង់
 DocType: Driver,Driving License Categories,អាជ្ញាប័ណ្ណបើកបរប្រភេទ
@@ -341,7 +341,7 @@
 DocType: Payroll Period,Payroll Periods,រយៈពេលប្រាក់បៀវត្ស
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,ធ្វើឱ្យបុគ្គលិក
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,ការផ្សព្វផ្សាយ
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),របៀបតំឡើង POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),របៀបតំឡើង POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,បិទដំណើរការបង្កើតកំណត់ហេតុពេលវេលាប្រឆាំងនឹងការបញ្ជាទិញការងារ។ ប្រតិបត្តិការនឹងមិនត្រូវបានតាមដានប្រឆាំងនឹងការងារ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,ការប្រតិបត្តិ
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ពត៌មានលំអិតនៃការប្រតិបត្ដិការនេះបានអនុវត្ត។
@@ -375,7 +375,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),ការបញ្ចុះតំលៃលើតំលៃអត្រាបញ្ជី (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,គំរូធាតុ
 DocType: Job Offer,Select Terms and Conditions,ជ្រើសលក្ខខណ្ឌ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,តម្លៃចេញ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,តម្លៃចេញ
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,ធាតុកំណត់របាយការណ៍ធនាគារ
 DocType: Woocommerce Settings,Woocommerce Settings,ការកំណត់ Woocommerce
 DocType: Production Plan,Sales Orders,ការបញ្ជាទិញការលក់
@@ -388,20 +388,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,សំណើរសម្រាប់សម្រង់នេះអាចត្រូវបានចូលដំណើរការដោយចុចលើតំណខាងក្រោម
 DocType: SG Creation Tool Course,SG Creation Tool Course,វគ្គឧបករណ៍បង្កើត SG
 DocType: Bank Statement Transaction Invoice Item,Payment Description,ការពិពណ៌នាការបង់ប្រាក់
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,ហ៊ុនមិនគ្រប់គ្រាន់
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,ហ៊ុនមិនគ្រប់គ្រាន់
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,បិទការធ្វើផែនការតាមដានម៉ោងសមត្ថភាពនិង
 DocType: Email Digest,New Sales Orders,ការបញ្ជាទិញការលក់ការថ្មី
 DocType: Bank Account,Bank Account,គណនីធនាគារ
 DocType: Travel Itinerary,Check-out Date,កាលបរិច្ឆេទចេញ
 DocType: Leave Type,Allow Negative Balance,អនុញ្ញាតឱ្យមានតុល្យភាពអវិជ្ជមាន
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',អ្នកមិនអាចលុបប្រភេទគម្រោង &#39;ខាងក្រៅ&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,ជ្រើសធាតុជំនួស
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,ជ្រើសធាតុជំនួស
 DocType: Employee,Create User,បង្កើតអ្នកប្រើប្រាស់
 DocType: Selling Settings,Default Territory,ដែនដីលំនាំដើម
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,ទូរទស្សន៏
 DocType: Work Order Operation,Updated via 'Time Log',ធ្វើឱ្យទាន់សម័យតាមរយៈ &quot;ពេលវេលាកំណត់ហេតុ &#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ជ្រើសរើសអតិថិជនឬអ្នកផ្គត់ផ្គង់។
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាង {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាង {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",រន្ធដោតបានរំលងរន្ធដោត {0} ដល់ {1} ត្រួតគ្នារន្ធដោត {2} ទៅ {3}
 DocType: Naming Series,Series List for this Transaction,បញ្ជីស៊េរីសម្រាប់ប្រតិបត្តិការនេះ
 DocType: Company,Enable Perpetual Inventory,បើកការសារពើភ័ណ្ឌជាបន្តបន្ទាប់
@@ -422,7 +422,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,ប្រឆាំងនឹងធាតុវិក័យប័ត្រលក់
 DocType: Agriculture Analysis Criteria,Linked Doctype,បានភ្ជាប់រូបសណ្ឋាន
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,សាច់ប្រាក់សុទ្ធពីការផ្តល់ហិរញ្ញប្បទាន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","ផ្ទុកទិន្នន័យមូលដ្ឋានជាការពេញលេញ, មិនបានរក្សាទុក"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","ផ្ទុកទិន្នន័យមូលដ្ឋានជាការពេញលេញ, មិនបានរក្សាទុក"
 DocType: Lead,Address & Contact,អាសយដ្ឋានទំនាក់ទំនង
 DocType: Leave Allocation,Add unused leaves from previous allocations,បន្ថែមស្លឹកដែលមិនបានប្រើពីការបែងចែកពីមុន
 DocType: Sales Partner,Partner website,គេហទំព័រជាដៃគូ
@@ -445,10 +445,10 @@
 ,Open Work Orders,បើកការបញ្ជាទិញការងារ
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out ថ្លៃពិគ្រោះយោបល់អំពីអ្នកជម្ងឺ
 DocType: Payment Term,Credit Months,ខែឥណទាន
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,ប្រាក់ចំណេញសុទ្ធមិនអាចតិចជាង 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,ប្រាក់ចំណេញសុទ្ធមិនអាចតិចជាង 0
 DocType: Contract,Fulfilled,បំពេញ
 DocType: Inpatient Record,Discharge Scheduled,ការឆក់បានកំណត់ពេល
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,បន្ថយកាលបរិច្ឆេទត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,បន្ថយកាលបរិច្ឆេទត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម
 DocType: POS Closing Voucher,Cashier,អ្នកគិតលុយ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,ស្លឹកមួយឆ្នាំ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ជួរដេក {0}: សូមពិនិត្យមើលតើជាមុនប្រឆាំងគណនី {1} ប្រសិនបើនេះជាធាតុជាមុន។
@@ -459,15 +459,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,សូមរៀបចំនិស្សិតក្រោមក្រុមនិស្សិត
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,បំពេញការងារ
 DocType: Item Website Specification,Item Website Specification,បញ្ជាក់ធាតុគេហទំព័រ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,ទុកឱ្យទប់ស្កាត់
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},ធាតុ {0} បានឈានដល់ទីបញ្ចប់នៃជីវិតរបស់ខ្លួននៅលើ {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,ទុកឱ្យទប់ស្កាត់
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},ធាតុ {0} បានឈានដល់ទីបញ្ចប់នៃជីវិតរបស់ខ្លួននៅលើ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,ធាតុធនាគារ
 DocType: Customer,Is Internal Customer,ជាអតិថិជនផ្ទៃក្នុង
 DocType: Crop,Annual,ប្រចាំឆ្នាំ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",បើធីកជម្រើសស្វ័យប្រវត្តិត្រូវបានធីកបន្ទាប់មកអតិថិជននឹងត្រូវបានភ្ជាប់ដោយស្វ័យប្រវត្តិជាមួយកម្មវិធីភាពស្មោះត្រង់ដែលជាប់ពាក់ព័ន្ធ (នៅពេលរក្សាទុក)
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,ធាតុភាគហ៊ុនការផ្សះផ្សា
 DocType: Stock Entry,Sales Invoice No,ការលក់វិក័យប័ត្រគ្មាន
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,ប្រភេទផ្គត់ផ្គង់
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,ប្រភេទផ្គត់ផ្គង់
 DocType: Material Request Item,Min Order Qty,លោក Min លំដាប់ Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ឧបករណ៍វគ្គការបង្កើតក្រុមនិស្សិត
 DocType: Lead,Do Not Contact,កុំទំនាក់ទំនង
@@ -481,14 +481,14 @@
 DocType: Item,Publish in Hub,បោះពុម្ពផ្សាយនៅក្នុងមជ្ឈមណ្ឌល
 DocType: Student Admission,Student Admission,ការចូលរបស់សិស្ស
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,ធាតុ {0} ត្រូវបានលុបចោល
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,ធាតុ {0} ត្រូវបានលុបចោល
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,រំលោះជួរដេក {0}: កាលបរិច្ឆេទចាប់ផ្តើមរំលោះត្រូវបានបញ្ចូលជាកាលបរិច្ឆេទកន្លងមក
 DocType: Contract Template,Fulfilment Terms and Conditions,លក្ខខណ្ឌនៃការបំពេញ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,សម្ភារៈស្នើសុំ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,សម្ភារៈស្នើសុំ
 DocType: Bank Reconciliation,Update Clearance Date,ធ្វើឱ្យទាន់សម័យបោសសំអាតកាលបរិច្ឆេទ
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,ពត៌មានលំអិតទិញ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ធាតុ {0} មិនត្រូវបានរកឃើញនៅក្នុង &#39;វត្ថុធាតុដើមការី &quot;តារាងក្នុងការទិញលំដាប់ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ធាតុ {0} មិនត្រូវបានរកឃើញនៅក្នុង &#39;វត្ថុធាតុដើមការី &quot;តារាងក្នុងការទិញលំដាប់ {1}
 DocType: Salary Slip,Total Principal Amount,ចំនួននាយកសាលាសរុប
 DocType: Student Guardian,Relation,ការទំនាក់ទំនង
 DocType: Student Guardian,Mother,ម្តាយ
@@ -533,10 +533,11 @@
 DocType: Tax Rule,Shipping County,ការដឹកជញ្ជូនខោនធី
 DocType: Currency Exchange,For Selling,សម្រាប់ការលក់
 apps/erpnext/erpnext/config/desktop.py +159,Learn,រៀន
+DocType: Purchase Invoice Item,Enable Deferred Expense,បើកដំណើរការការពន្យារពេល
 DocType: Asset,Next Depreciation Date,រំលស់បន្ទាប់កាលបរិច្ឆេទ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,តម្លៃសកម្មភាពដោយបុគ្គលិក
 DocType: Accounts Settings,Settings for Accounts,ការកំណត់សម្រាប់គណនី
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},ក្រុមហ៊ុនផ្គត់ផ្គង់មានក្នុងវិក័យប័ត្រគ្មានវិក័យប័ត្រទិញ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},ក្រុមហ៊ុនផ្គត់ផ្គង់មានក្នុងវិក័យប័ត្រគ្មានវិក័យប័ត្រទិញ {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,គ្រប់គ្រងការលក់បុគ្គលដើមឈើ។
 DocType: Job Applicant,Cover Letter,លិខិត
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,មូលប្បទានប័ត្រឆ្នើមនិងប្រាក់បញ្ញើដើម្បីជម្រះ
@@ -551,7 +552,7 @@
 DocType: Employee,External Work History,ការងារខាងក្រៅប្រវត្តិ
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,កំហុសក្នុងការយោងសារាចរ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,កាតរបាយការណ៍សិស្ស
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,ពីកូដ PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,ពីកូដ PIN
 DocType: Appointment Type,Is Inpatient,តើអ្នកជំងឺចិត្តអត់ធ្មត់
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ឈ្មោះ Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,នៅក្នុងពាក្យ (នាំចេញ) នឹងមើលឃើញនៅពេលដែលអ្នករក្សាទុកចំណាំដឹកជញ្ជូនផងដែរ។
@@ -566,18 +567,19 @@
 DocType: Journal Entry,Multi Currency,រូបិយប័ណ្ណពហុ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ប្រភេទវិក័យប័ត្រ
 DocType: Employee Benefit Claim,Expense Proof,ភស្តុតាងចំណាយ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,ដឹកជញ្ជូនចំណាំ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},រក្សាទុក {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,ដឹកជញ្ជូនចំណាំ
 DocType: Patient Encounter,Encounter Impression,ទទួលបានចំណាប់អារម្មណ៍
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ការរៀបចំពន្ធ
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,តម្លៃនៃការលក់អចលនទ្រព្យ
 DocType: Volunteer,Morning,ព្រឹក
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,ចូលការទូទាត់ត្រូវបានកែប្រែបន្ទាប់ពីអ្នកបានទាញវា។ សូមទាញវាម្តងទៀត។
 DocType: Program Enrollment Tool,New Student Batch,ជំនាន់សិស្សថ្មី
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} បានចូលពីរដងនៅក្នុងការប្រមូលពន្ធលើធាតុ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,សង្ខេបសម្រាប់សប្តាហ៍នេះនិងសកម្មភាពដែលមិនទាន់សម្រេច
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} បានចូលពីរដងនៅក្នុងការប្រមូលពន្ធលើធាតុ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,សង្ខេបសម្រាប់សប្តាហ៍នេះនិងសកម្មភាពដែលមិនទាន់សម្រេច
 DocType: Student Applicant,Admitted,បានទទួលស្គាល់ថា
 DocType: Workstation,Rent Cost,ការចំណាយជួល
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,ចំនួនទឹកប្រាក់បន្ទាប់ពីការរំលស់
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,ចំនួនទឹកប្រាក់បន្ទាប់ពីការរំលស់
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,ព្រឹត្តិការណ៍ដែលនឹងមកដល់
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,លក្ខណៈវ៉ារ្យ៉ង់
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,សូមជ្រើសខែនិងឆ្នាំ
@@ -614,8 +616,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},មានតែអាចមានគណនីមួយក្រុមហ៊ុន 1 ក្នុង {0} {1}
 DocType: Support Search Source,Response Result Key Path,លទ្ធផលនៃការឆ្លើយតបគន្លឹះសោ
 DocType: Journal Entry,Inter Company Journal Entry,ការចុះបញ្ជីរបស់ក្រុមហ៊ុនអន្តរជាតិ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},សម្រាប់បរិមាណ {0} មិនគួរជាក្រឡាចជាងបរិមាណការងារទេ {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,សូមមើលឯកសារភ្ជាប់
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},សម្រាប់បរិមាណ {0} មិនគួរជាក្រឡាចជាងបរិមាណការងារទេ {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,សូមមើលឯកសារភ្ជាប់
 DocType: Purchase Order,% Received,% បានទទួល
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,បង្កើតក្រុមនិស្សិត
 DocType: Volunteer,Weekends,ចុងសប្តាហ៍
@@ -655,7 +657,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,ចំនួនឆ្នើមសរុប
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ផ្លាស់ប្តូរការចាប់ផ្តើមលេខលំដាប់ / នាពេលបច្ចុប្បន្ននៃស៊េរីដែលមានស្រាប់។
 DocType: Dosage Strength,Strength,កម្លាំង
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,បង្កើតអតិថិជនថ្មី
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,បង្កើតអតិថិជនថ្មី
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,ផុតកំណត់នៅថ្ងៃទី
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","បើសិនជាវិធានការបន្តតម្លៃជាច្រើនដែលមានជ័យជំនះ, អ្នកប្រើត្រូវបានសួរដើម្បីកំណត់អាទិភាពដោយដៃដើម្បីដោះស្រាយជម្លោះ។"
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,បង្កើតបញ្ជាទិញ
@@ -666,17 +668,18 @@
 DocType: Workstation,Consumable Cost,ចំណាយក្នុងការប្រើប្រាស់
 DocType: Purchase Receipt,Vehicle Date,កាលបរិច្ឆេទយានយន្ត
 DocType: Student Log,Medical,ពេទ្យ
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,ហេតុផលសម្រាប់ការសម្រក
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,សូមជ្រើសរើសឱសថ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,ហេតុផលសម្រាប់ការសម្រក
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,សូមជ្រើសរើសឱសថ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,ការនាំមុខម្ចាស់មិនអាចជាដូចគ្នានាំមុខ
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកមិនអាចធំជាងចំនួនសរុបមិនបានកែតម្រូវ
 DocType: Announcement,Receiver,អ្នកទទួល
 DocType: Location,Area UOM,តំបន់ UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ស្ថានីយការងារត្រូវបានបិទនៅលើកាលបរិច្ឆេទដូចខាងក្រោមដូចជាក្នុងបញ្ជីថ្ងៃឈប់សម្រាក: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,ឱកាសការងារ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,ឱកាសការងារ
 DocType: Lab Test Template,Single,នៅលីវ
 DocType: Compensatory Leave Request,Work From Date,ធ្វើការពីកាលបរិច្ឆេទ
 DocType: Salary Slip,Total Loan Repayment,សងប្រាក់កម្ចីសរុប
+DocType: Project User,View attachments,មើលឯកសារភ្ជាប់
 DocType: Account,Cost of Goods Sold,តម្លៃនៃការលក់ទំនិញ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,សូមបញ្ចូលមជ្ឈមណ្ឌលការចំណាយ
 DocType: Drug Prescription,Dosage,កិតើ
@@ -687,7 +690,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,បរិមាណនិងអត្រាការប្រាក់
 DocType: Delivery Note,% Installed,% បានដំឡើង
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,ថ្នាក់រៀន / មន្ទីរពិសោធន៍លដែលជាកន្លែងដែលបង្រៀនអាចត្រូវបានកំណត់។
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,រូបិយប័ណ្ណរបស់ក្រុមហ៊ុនទាំងពីរគួរតែផ្គូផ្គងទៅនឹងប្រតិបត្តិការអន្តរអ៊ិនធឺរណែត។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,រូបិយប័ណ្ណរបស់ក្រុមហ៊ុនទាំងពីរគួរតែផ្គូផ្គងទៅនឹងប្រតិបត្តិការអន្តរអ៊ិនធឺរណែត។
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,សូមបញ្ចូលឈ្មោះរបស់ក្រុមហ៊ុនដំបូង
 DocType: Travel Itinerary,Non-Vegetarian,អ្នកមិនពិសាអាហារ
 DocType: Purchase Invoice,Supplier Name,ឈ្មោះក្រុមហ៊ុនផ្គត់ផ្គង់
@@ -697,7 +700,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,ផ្អាកជាបណ្តោះអាសន្ន
 DocType: Account,Is Group,គឺជាក្រុម
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,ចំណាំឥណទាន {0} ត្រូវបានបង្កើតដោយស្វ័យប្រវត្តិ
-DocType: Email Digest,Pending Purchase Orders,ការរង់ចាំការបញ្ជាទិញទិញ
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,កំណត់សម្គាល់ Nos ដោយស្វ័យប្រវត្តិដោយផ្អែកលើ FIFO &amp; ‧;
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ពិនិត្យហាងទំនិញវិក័យប័ត្រលេខពិសេស
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,ព័ត៌មានលំអិតអាស័យដ្ឋានបឋម
@@ -714,12 +716,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ប្ដូរតាមបំណងអត្ថបទណែនាំដែលទៅជាផ្នែកមួយនៃអ៊ីម៉ែលមួយ។ ប្រតិបត្តិការគ្នាមានអត្ថបទណែនាំមួយដាច់ដោយឡែក។
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},ជួរដេក {0}: ប្រតិបត្តិការត្រូវបានទាមទារប្រឆាំងនឹងវត្ថុធាតុដើម {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},សូមកំណត់លំនាំដើមសម្រាប់គណនីបង់ក្រុមហ៊ុននេះបាន {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},កិច្ចការមិនត្រូវបានអនុញ្ញាតឱ្យប្រឆាំងនឹងការងារលំដាប់ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},កិច្ចការមិនត្រូវបានអនុញ្ញាតឱ្យប្រឆាំងនឹងការងារលំដាប់ {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ការកំណត់សកលសម្រាប់ដំណើរការផលិតទាំងអស់។
 DocType: Accounts Settings,Accounts Frozen Upto,រីករាយជាមួយនឹងទឹកកកគណនី
 DocType: SMS Log,Sent On,ដែលបានផ្ញើនៅថ្ងៃ
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,គុណលក្ខណៈ {0} បានជ្រើសរើសច្រើនដងក្នុងតារាងគុណលក្ខណៈ
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,គុណលក្ខណៈ {0} បានជ្រើសរើសច្រើនដងក្នុងតារាងគុណលក្ខណៈ
 DocType: HR Settings,Employee record is created using selected field. ,កំណត់ត្រាបុគ្គលិកត្រូវបានបង្កើតដោយប្រើវាលដែលបានជ្រើស។
 DocType: Sales Order,Not Applicable,ដែលមិនអាចអនុវត្តបាន
 DocType: Amazon MWS Settings,UK,ចក្រភពអង់គ្លេស
@@ -747,21 +749,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,និយោជិក {0} បានអនុវត្តរួចហើយសម្រាប់ {1} លើ {2}:
 DocType: Inpatient Record,AB Positive,AB មានលក្ខណៈវិជ្ជមាន
 DocType: Job Opening,Description of a Job Opening,ការពិពណ៌នាសង្ខេបនៃការបើកការងារ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,សកម្មភាពដែលមិនទាន់សម្រេចសម្រាប់ថ្ងៃនេះ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,សកម្មភាពដែលមិនទាន់សម្រេចសម្រាប់ថ្ងៃនេះ
 DocType: Salary Structure,Salary Component for timesheet based payroll.,សមាសភាគបញ្ជីបើកប្រាក់ខែដែលមានមូលដ្ឋានលើប្រាក់បៀវត្សសម្រាប់ timesheet ។
+DocType: Driver,Applicable for external driver,អាចអនុវត្តសម្រាប់កម្មវិធីបញ្ជាខាងក្រៅ
 DocType: Sales Order Item,Used for Production Plan,ត្រូវបានប្រើសម្រាប់ផែនការផលិតកម្ម
 DocType: Loan,Total Payment,ការទូទាត់សរុប
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,មិនអាចលុបចោលកិច្ចសម្រួលការសម្រាប់ការងារដែលបានបញ្ចប់។
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,មិនអាចលុបចោលកិច្ចសម្រួលការសម្រាប់ការងារដែលបានបញ្ចប់។
 DocType: Manufacturing Settings,Time Between Operations (in mins),ពេលវេលារវាងការប្រតិបត្តិការ (នៅក្នុងនាទី)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO បានបង្កើតរួចហើយសំរាប់ធាតុបញ្ជាទិញទាំងអស់
 DocType: Healthcare Service Unit,Occupied,កាន់កាប់
 DocType: Clinical Procedure,Consumables,គ្រឿងប្រើប្រាស់
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ត្រូវបានលុបចោលដូច្នេះសកម្មភាពនេះមិនអាចត្រូវបានបញ្ចប់
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} ត្រូវបានលុបចោលដូច្នេះសកម្មភាពនេះមិនអាចត្រូវបានបញ្ចប់
 DocType: Customer,Buyer of Goods and Services.,អ្នកទិញទំនិញនិងសេវាកម្ម។
 DocType: Journal Entry,Accounts Payable,គណនីទូទាត់
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,ចំនួនទឹកប្រាក់នៃ {0} ដែលបានកំណត់នៅក្នុងសំណើបង់ប្រាក់នេះគឺខុសគ្នាពីចំនួនគណនានៃផែនការទូទាត់ទាំងអស់: {1} ។ ត្រូវប្រាកដថានេះជាការត្រឹមត្រូវមុនពេលដាក់ស្នើឯកសារ។
 DocType: Patient,Allergies,អាឡែស៊ី
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,នេះ BOMs បានជ្រើសរើសគឺមិនមែនសម្រាប់ធាតុដូចគ្នា
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,នេះ BOMs បានជ្រើសរើសគឺមិនមែនសម្រាប់ធាតុដូចគ្នា
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,ផ្លាស់ប្ដូរលេខកូតមុខទំនិញ
 DocType: Supplier Scorecard Standing,Notify Other,ជូនដំណឹងផ្សេងទៀត
 DocType: Vital Signs,Blood Pressure (systolic),សម្ពាធឈាម (ស៊ីស្តូលិក)
@@ -773,7 +776,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,ផ្នែកគ្រប់គ្រាន់ដើម្បីកសាង
 DocType: POS Profile User,POS Profile User,អ្នកប្រើប្រាស់បណ្តាញ POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,ជួរដេក {0}: កាលបរិច្ឆេទចាប់ផ្តើមរំលោះត្រូវបានទាមទារ
-DocType: Sales Invoice Item,Service Start Date,កាលបរិច្ឆេទចាប់ផ្តើមសេវាកម្ម
+DocType: Purchase Invoice Item,Service Start Date,កាលបរិច្ឆេទចាប់ផ្តើមសេវាកម្ម
 DocType: Subscription Invoice,Subscription Invoice,វិក្កយបត្រជាវ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,ប្រាក់ចំណូលដោយផ្ទាល់
 DocType: Patient Appointment,Date TIme,ពេលណាត់ជួប
@@ -792,7 +795,7 @@
 DocType: Lab Test Template,Lab Routine,មន្ទីរពិសោធន៍ជាទម្លាប់
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,គ្រឿងសំអាង
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,សូមជ្រើសកាលបរិច្ឆេទបញ្ចប់សម្រាប់កំណត់ហេតុថែរក្សាទ្រព្យសម្បត្តិរួចរាល់
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",រួមបញ្ចូលគ្នានោះមានលក្ខណៈសម្បត្តិដូចខាងក្រោមនេះត្រូវដូចគ្នាសម្រាប់ធាតុទាំងពីរ
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",រួមបញ្ចូលគ្នានោះមានលក្ខណៈសម្បត្តិដូចខាងក្រោមនេះត្រូវដូចគ្នាសម្រាប់ធាតុទាំងពីរ
 DocType: Supplier,Block Supplier,ទប់ស្កាត់ក្រុមហ៊ុនផ្គត់ផ្គង់
 DocType: Shipping Rule,Net Weight,ទំងន់សុទ្ធ
 DocType: Job Opening,Planned number of Positions,ចំនួនអ្នកតំណាងដែលបានគ្រោងទុក
@@ -813,19 +816,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,គំរូផែនទីគំនូសតាងសាច់ប្រាក់
 DocType: Travel Request,Costing Details,ព័ត៌មានលម្អិតការចំណាយ
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,បង្ហាញធាតុត្រឡប់
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,សៀរៀលធាតុគ្មានមិនអាចត្រូវប្រភាគ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,សៀរៀលធាតុគ្មានមិនអាចត្រូវប្រភាគ
 DocType: Journal Entry,Difference (Dr - Cr),ភាពខុសគ្នា (លោកវេជ្ជបណ្ឌិត - Cr)
 DocType: Bank Guarantee,Providing,ការផ្តល់
 DocType: Account,Profit and Loss,ប្រាក់ចំណេញនិងការបាត់បង់
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",មិនត្រូវបានអនុញ្ញាតកំណត់រចនាសម្ព័ន្ធគំរូតេស្តមន្ទីរពិសោធន៍តាមតម្រូវការ
 DocType: Patient,Risk Factors,កត្តាហានិភ័យ
 DocType: Patient,Occupational Hazards and Environmental Factors,គ្រោះថ្នាក់ការងារនិងកត្តាបរិស្ថាន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,ធាតុភាគហ៊ុនដែលបានបង្កើតរួចហើយសម្រាប់លំដាប់ការងារ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,ធាតុភាគហ៊ុនដែលបានបង្កើតរួចហើយសម្រាប់លំដាប់ការងារ
 DocType: Vital Signs,Respiratory rate,អត្រាផ្លូវដង្ហើម
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,ការគ្រប់គ្រងអ្នកម៉ៅការបន្ត
 DocType: Vital Signs,Body Temperature,សីតុណ្ហភាពរាងកាយ
 DocType: Project,Project will be accessible on the website to these users,គម្រោងនឹងត្រូវបានចូលដំណើរការបាននៅលើគេហទំព័រទាំងនេះដល់អ្នកប្រើ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},មិនអាចបោះបង់ចោល {0} {1} ទេពីព្រោះស៊េរីលេខ {2} មិនមែនជារបស់ឃ្លាំង {3}
 DocType: Detected Disease,Disease,ជំងឺ
+DocType: Company,Default Deferred Expense Account,គណនីចំណាយពន្យារលំនាំដើម
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,កំណត់ប្រភេទគម្រោង។
 DocType: Supplier Scorecard,Weighting Function,មុខងារថ្លឹង
 DocType: Healthcare Practitioner,OP Consulting Charge,ភ្នាក់ងារទទួលខុសត្រូវ OP
@@ -842,7 +847,7 @@
 DocType: Crop,Produced Items,ផលិតធាតុ
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ផ្គូផ្គងប្រតិបត្តិការទៅនឹងវិក្កយបត្រ
 DocType: Sales Order Item,Gross Profit,ប្រាក់ចំណេញដុល
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,មិនទប់ស្កាត់វិក្កយបត្រ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,មិនទប់ស្កាត់វិក្កយបត្រ
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ចំនួនបន្ថែមមិនអាចត្រូវបាន 0
 DocType: Company,Delete Company Transactions,លុបប្រតិបត្តិការក្រុមហ៊ុន
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,សេចក្តីយោងកាលបរិច្ឆេទទេនិងយោងចាំបាច់សម្រាប់ប្រតិបត្តិការគឺធនាគារ
@@ -863,11 +868,11 @@
 DocType: Budget,Ignore,មិនអើពើ
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} គឺមិនសកម្ម
 DocType: Woocommerce Settings,Freight and Forwarding Account,គណនីដឹកជញ្ជូននិងបញ្ជូនបន្ត
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,វិមាត្ររៀបចំការពិនិត្យសម្រាប់ការបោះពុម្ព
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,វិមាត្ររៀបចំការពិនិត្យសម្រាប់ការបោះពុម្ព
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,បង្កើតប្រាក់ខែ
 DocType: Vital Signs,Bloated,ហើម
 DocType: Salary Slip,Salary Slip Timesheet,Timesheet ប្រាក់បៀវត្សរ៍ប័ណ្ណ
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់ចាំបាច់សម្រាប់ការទទួលទិញកិច្ចសន្យា
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់ចាំបាច់សម្រាប់ការទទួលទិញកិច្ចសន្យា
 DocType: Item Price,Valid From,មានសុពលភាពពី
 DocType: Sales Invoice,Total Commission,គណៈកម្មាការសរុប
 DocType: Tax Withholding Account,Tax Withholding Account,គណនីបង់ពន្ធ
@@ -875,12 +880,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,កាតពិន្ទុទាំងអស់របស់អ្នកផ្គត់ផ្គង់។
 DocType: Buying Settings,Purchase Receipt Required,បង្កាន់ដៃត្រូវការទិញ
 DocType: Delivery Note,Rail,រថភ្លើង
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,ឃ្លាំងគោលដៅនៅក្នុងជួរដេក {0} ត្រូវតែដូចគ្នានឹងស្នាដៃការងារ
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,អត្រាការវាយតម្លៃជាការចាំបាច់ប្រសិនបើមានការបើកផ្សារហ៊ុនដែលបានបញ្ចូល
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,ឃ្លាំងគោលដៅនៅក្នុងជួរដេក {0} ត្រូវតែដូចគ្នានឹងស្នាដៃការងារ
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,អត្រាការវាយតម្លៃជាការចាំបាច់ប្រសិនបើមានការបើកផ្សារហ៊ុនដែលបានបញ្ចូល
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,បានរកឃើញនៅក្នុងតារាងវិក័យប័ត្រកំណត់ត្រាគ្មាន
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,សូមជ្រើសប្រភេទក្រុមហ៊ុននិងបក្សទីមួយ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",បានកំណត់លំនាំដើមក្នុងទម្រង់ pos {0} សម្រាប់អ្នកប្រើ {1} រួចបិទលំនាំដើមដោយសប្បុរស
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,ហិរញ្ញវត្ថុ / ស្មើឆ្នាំ។
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,ហិរញ្ញវត្ថុ / ស្មើឆ្នាំ។
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,តម្លៃបង្គរ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","សូមអភ័យទោស, សៀរៀល, Nos មិនអាចត្រូវបានបញ្ចូលគ្នា"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ក្រុមអតិថិជននឹងត្រូវបានកំណត់ទៅក្រុមដែលបានជ្រើសរើសខណៈពេលធ្វើសមកាលកម្មអតិថិជនពី Shopify
@@ -894,7 +899,7 @@
 ,Lead Id,ការនាំមុខលេខសម្គាល់
 DocType: C-Form Invoice Detail,Grand Total,តំលៃបូកសរុប
 DocType: Assessment Plan,Course,វគ្គសិក្សាបាន
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,លេខកូដផ្នែក
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,លេខកូដផ្នែក
 DocType: Timesheet,Payslip,បង្កាន់ដៃ
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃគួរតែស្ថិតនៅចន្លោះរវាងកាលបរិច្ឆេទនិងកាលបរិច្ឆេទ
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,រទេះធាតុ
@@ -903,7 +908,8 @@
 DocType: Employee,Personal Bio,ជីវចលផ្ទាល់ខ្លួន
 DocType: C-Form,IV,IV ន
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,លេខសម្គាល់សមាជិក
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},បញ្ជូន: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},បញ្ជូន: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,ភ្ជាប់ទៅ QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,គណនីត្រូវបង់
 DocType: Payment Entry,Type of Payment,ប្រភេទនៃការទូទាត់
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃគឺចាំបាច់
@@ -915,7 +921,7 @@
 DocType: Sales Invoice,Shipping Bill Date,ការដឹកជញ្ជូនថ្ងៃខែ
 DocType: Production Plan,Production Plan,ផែនការផលិតកម្ម
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,បើកឧបករណ៍បង្កើតវិក្កយបត្រ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,ត្រឡប់មកវិញការលក់
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,ត្រឡប់មកវិញការលក់
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ចំណាំ: ស្លឹកដែលបានបម្រុងទុកសរុប {0} មិនគួរត្រូវបានតិចជាងស្លឹកត្រូវបានអនុម័តរួចទៅហើយ {1} សម្រាប់រយៈពេលនេះ
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,កំណត់ Qty នៅក្នុងប្រតិបត្តិការដែលមានមូលដ្ឋានលើលេខស៊េរី
 ,Total Stock Summary,សង្ខេបហ៊ុនសរុប
@@ -928,9 +934,9 @@
 DocType: Authorization Rule,Customer or Item,អតិថិជនឬមុខទំនិញ
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,មូលដ្ឋានទិន្នន័យរបស់អតិថិជន។
 DocType: Quotation,Quotation To,សម្រង់ដើម្បី
-DocType: Lead,Middle Income,ប្រាក់ចំណូលពាក់កណ្តាល
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,ប្រាក់ចំណូលពាក់កណ្តាល
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),ពិធីបើក (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ឯកតាលំនាំដើមសម្រាប់មុខទំនិញ{0} មិនអាចត្រូវបានមិនអាចត្រូវបានកែដោយផ្ទាល់ ព្រោះអ្នកបានធ្វើប្រតិបត្តិការមួយចំនួន (s) ដែលមាន UOM មួយទៀតរួចទៅហើយ។ អ្នកចាំចាប់បង្កើតមុខទំនិញថ្មីមួយដោយការប្រើប្រាស់ UOM លំនាំដើមផ្សេងគ្នា។
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ឯកតាលំនាំដើមសម្រាប់មុខទំនិញ{0} មិនអាចត្រូវបានមិនអាចត្រូវបានកែដោយផ្ទាល់ ព្រោះអ្នកបានធ្វើប្រតិបត្តិការមួយចំនួន (s) ដែលមាន UOM មួយទៀតរួចទៅហើយ។ អ្នកចាំចាប់បង្កើតមុខទំនិញថ្មីមួយដោយការប្រើប្រាស់ UOM លំនាំដើមផ្សេងគ្នា។
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសម្រាប់មិនអាចជាអវិជ្ជមាន
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,សូមកំណត់ក្រុមហ៊ុន
 DocType: Share Balance,Share Balance,ចែករំលែកសមតុល្យ
@@ -947,15 +953,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,ជ្រើសគណនីទូទាត់ដើម្បីធ្វើឱ្យធាតុរបស់ធនាគារ
 DocType: Hotel Settings,Default Invoice Naming Series,កម្រងដាក់ឈ្មោះតាមវិក្កយបត្រលំនាំដើម
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",បង្កើតកំណត់ត្រាបុគ្គលិកដើម្បីគ្រប់គ្រងស្លឹកពាក្យបណ្តឹងការចំណាយនិងបញ្ជីបើកប្រាក់ខែ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,កំហុសមួយបានកើតឡើងកំឡុងពេលធ្វើបច្ចុប្បន្នភាព
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,កំហុសមួយបានកើតឡើងកំឡុងពេលធ្វើបច្ចុប្បន្នភាព
 DocType: Restaurant Reservation,Restaurant Reservation,កក់ភោជនីយដ្ឋាន
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,ការសរសេរសំណើរ
 DocType: Payment Entry Deduction,Payment Entry Deduction,ការដកហូតចូលការទូទាត់
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,រុំឡើង
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ជូនដំណឹងដល់អតិថិជនតាមរយៈអ៊ីម៉ែល
 DocType: Item,Batch Number Series,លេខស៊េរីលេខ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,បុគ្គលលក់មួយផ្សេងទៀត {0} មានដែលមានលេខសម្គាល់និយោជិតដូចគ្នា
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,បុគ្គលលក់មួយផ្សេងទៀត {0} មានដែលមានលេខសម្គាល់និយោជិតដូចគ្នា
 DocType: Employee Advance,Claimed Amount,ចំនួនទឹកប្រាក់ដែលបានទាមទារ
+DocType: QuickBooks Migrator,Authorization Settings,ការកំណត់សិទ្ធិអនុញ្ញាត
 DocType: Travel Itinerary,Departure Datetime,កាលបរិច្ឆេទចេញដំណើរ
 DocType: Customer,CUST-.YYYY.-,CUST -YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,ការចំណាយលើថ្លៃធ្វើដំណើរ
@@ -994,26 +1001,29 @@
 DocType: Buying Settings,Supplier Naming By,ដាក់ឈ្មោះអ្នកផ្គត់ផ្គង់ដោយ
 DocType: Activity Type,Default Costing Rate,អត្រាផ្សារលំនាំដើម
 DocType: Maintenance Schedule,Maintenance Schedule,កាលវិភាគថែទាំ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","បន្ទាប់មក Pricing ក្បួនត្រូវបានត្រងចេញដោយផ្អែកលើអតិថិជន, ក្រុមអតិថិជនដែនដី, ហាងទំនិញ, ប្រភេទហាងទំនិញ, យុទ្ធនាការ, ការលក់ដៃគូល"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","បន្ទាប់មក Pricing ក្បួនត្រូវបានត្រងចេញដោយផ្អែកលើអតិថិជន, ក្រុមអតិថិជនដែនដី, ហាងទំនិញ, ប្រភេទហាងទំនិញ, យុទ្ធនាការ, ការលក់ដៃគូល"
 DocType: Employee Promotion,Employee Promotion Details,ពត៌មានលំអិតបុគ្គលិក
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,ការផ្លាស់ប្តូរសុទ្ធនៅសារពើភ័ណ្ឌ
 DocType: Employee,Passport Number,លេខលិខិតឆ្លងដែន
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ទំនាក់ទំនងជាមួយ Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,កម្មវិធីគ្រប់គ្រង
 DocType: Payment Entry,Payment From / To,ការទូទាត់ពី / ទៅ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,ពីឆ្នាំសារពើពន្ធ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},កំណត់ឥណទានថ្មីនេះគឺមានចំនួនតិចជាងប្រាក់ដែលលេចធ្លោនាពេលបច្ចុប្បន្នសម្រាប់អតិថិជន។ ចំនួនកំណត់ឥណទានមានដើម្បីឱ្យមានយ៉ាងហោចណាស់ {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},សូមកំណត់គណនីនៅក្នុងឃ្លាំង {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},សូមកំណត់គណនីនៅក្នុងឃ្លាំង {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"'ដោយផ្អែកលើ ""និង"" ក្រុមដោយ' មិនអាចដូចគ្នា"
 DocType: Sales Person,Sales Person Targets,ការលក់មនុស្សគោលដៅ
 DocType: Work Order Operation,In minutes,នៅក្នុងនាទី
 DocType: Issue,Resolution Date,ការដោះស្រាយកាលបរិច្ឆេទ
 DocType: Lab Test Template,Compound,បរិវេណ
+DocType: Opportunity,Probability (%),ប្រហែល (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,ការជូនដំណឹងចេញ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,ជ្រើសអចលនទ្រព្យ
 DocType: Student Batch Name,Batch Name,ឈ្មោះបាច់
 DocType: Fee Validity,Max number of visit,ចំនួនអតិបរមានៃដំណើរទស្សនកិច្ច
 ,Hotel Room Occupancy,ការស្នាក់នៅបន្ទប់សណ្ឋាគារ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet បង្កើត:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},សូមកំណត់លំនាំដើមឬគណនីសាច់ប្រាក់របស់ធនាគារក្នុងរបៀបនៃការទូទាត់ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},សូមកំណត់លំនាំដើមឬគណនីសាច់ប្រាក់របស់ធនាគារក្នុងរបៀបនៃការទូទាត់ {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,ចុះឈ្មោះ
 DocType: GST Settings,GST Settings,ការកំណត់ជីអេសធី
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},រូបិយប័ណ្ណគួរតែដូចគ្នានឹងបញ្ជីតម្លៃរូបិយប័ណ្ណ: {0}
@@ -1054,12 +1064,12 @@
 DocType: Loan,Total Interest Payable,ការប្រាក់ត្រូវបង់សរុប
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ពន្ធទូកចោទប្រកាន់ចំនាយ
 DocType: Work Order Operation,Actual Start Time,ជាក់ស្តែងពេលវេលាចាប់ផ្ដើម
+DocType: Purchase Invoice Item,Deferred Expense Account,គណនីចំណាយពន្យារ
 DocType: BOM Operation,Operation Time,ប្រតិបត្ដិការពេលវេលា
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,បញ្ចប់
 DocType: Salary Structure Assignment,Base,មូលដ្ឋាន
 DocType: Timesheet,Total Billed Hours,ម៉ោងធ្វើការបង់ប្រាក់សរុប
 DocType: Travel Itinerary,Travel To,ធ្វើដំណើរទៅកាន់
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,មិនមែន
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,បិទការសរសេរចំនួនទឹកប្រាក់
 DocType: Leave Block List Allow,Allow User,អនុញ្ញាតឱ្យអ្នកប្រើ
 DocType: Journal Entry,Bill No,គ្មានវិក័យប័ត្រ
@@ -1076,9 +1086,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,តារាងពេលវេលា
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush វត្ថុធាតុដើមដែលមានមូលដ្ឋាននៅលើ
 DocType: Sales Invoice,Port Code,លេខកូដផត
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,ឃ្លាំងបំរុង
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,ឃ្លាំងបំរុង
 DocType: Lead,Lead is an Organization,Lead គឺជាអង្គការមួយ
-DocType: Guardian Interest,Interest,ការប្រាក់
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,ការលក់ជាមុន
 DocType: Instructor Log,Other Details,ពត៌មានលំអិតផ្សេងទៀត
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1088,7 +1097,7 @@
 DocType: Account,Accounts,គណនី
 DocType: Vehicle,Odometer Value (Last),តម្លៃ odometer (ចុងក្រោយ)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,គំរូនៃលក្ខណៈវិនិច្ឆ័យពិន្ទុនៃក្រុមហ៊ុនផ្គត់ផ្គង់។
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,ទីផ្សារ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,ទីផ្សារ
 DocType: Sales Invoice,Redeem Loyalty Points,លះបង់ពិន្ទុស្មោះត្រង់
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,ចូលក្នុងការទូទាត់ត្រូវបានបង្កើតឡើងរួចទៅហើយ
 DocType: Request for Quotation,Get Suppliers,ទទួលបានអ្នកផ្គត់ផ្គង់
@@ -1105,16 +1114,14 @@
 DocType: Crop,Crop Spacing UOM,ច្រឹបដំណាំ UOM
 DocType: Loyalty Program,Single Tier Program,កម្មវិធីថ្នាក់ទោល
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ជ្រើសរើសតែអ្នកប្រសិនបើអ្នកបានរៀបចំឯកសារ Cash Flow Mapper
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,ពីអាសយដ្ឋាន 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,ពីអាសយដ្ឋាន 1
 DocType: Email Digest,Next email will be sent on:,អ៊ីម៉ែលបន្ទាប់នឹងត្រូវបានផ្ញើនៅលើ:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",ធាតុបន្ទាប់ {item} {verb} សម្គាល់ជា {message} ។ អ្នកអាចបើកវាជាធាតុ {message} ពីវត្ថុធាតុរបស់វា។
 DocType: Supplier Scorecard,Per Week,ក្នុងមួយសប្តាហ៍
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,ធាតុមានវ៉ារ្យ៉ង់។
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,ធាតុមានវ៉ារ្យ៉ង់។
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,សិស្សសរុប
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ធាតុ {0} មិនបានរកឃើញ
 DocType: Bin,Stock Value,ភាគហ៊ុនតម្លៃ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,ក្រុមហ៊ុន {0} មិនមានទេ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,ក្រុមហ៊ុន {0} មិនមានទេ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} មានសុពលភាពគិតរហូតដល់ {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,ប្រភេទដើមឈើ
 DocType: BOM Explosion Item,Qty Consumed Per Unit,qty ប្រើប្រាស់ក្នុងមួយឯកតា
@@ -1129,7 +1136,7 @@
 ,Fichier des Ecritures Comptables [FEC],ឯកសារស្តីអំពីការសរសេរឯកសាររបស់អ្នកនិពន្ធ [FEC]
 DocType: Journal Entry,Credit Card Entry,ចូលកាតឥណទាន
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,ក្រុមហ៊ុននិងគណនី
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,នៅក្នុងតម្លៃ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,នៅក្នុងតម្លៃ
 DocType: Asset Settings,Depreciation Options,ជម្រើសរំលស់
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,ត្រូវមានទីតាំងឬនិយោជិតណាមួយ
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,ពេលប្រកាសមិនត្រឹមត្រូវ
@@ -1146,20 +1153,21 @@
 DocType: Leave Allocation,Allocation,ការបែងចែក
 DocType: Purchase Order,Supply Raw Materials,ផ្គត់ផ្គង់សំភារៈឆៅ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ទ្រព្យនាពេលបច្ចុប្បន្ន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} មិនមែនជាមុខទំនិញក្នុងស្តុក
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} មិនមែនជាមុខទំនិញក្នុងស្តុក
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',សូមចែករំលែកមតិស្ថាបនារបស់អ្នកទៅហ្វឹកហាត់ដោយចុចលើ &#39;Feedback Feedback Training&#39; និង &#39;New&#39;
 DocType: Mode of Payment Account,Default Account,គណនីលំនាំដើម
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,សូមជ្រើសស្តុកឃ្លាំងគំរូនៅក្នុងការកំណត់ស្តុកជាមុនសិន
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,សូមជ្រើសស្តុកឃ្លាំងគំរូនៅក្នុងការកំណត់ស្តុកជាមុនសិន
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,សូមជ្រើសរើសប្រភេទកម្មវិធីច្រើនជាន់សម្រាប់ច្បាប់ប្រមូលច្រើនជាងមួយ។
 DocType: Payment Entry,Received Amount (Company Currency),ទទួលបានចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,ការនាំមុខត្រូវតែត្រូវបានកំណត់ប្រសិនបើមានឱកាសត្រូវបានធ្វើពីអ្នកដឹកនាំ
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,បានបោះបង់ការបង់ប្រាក់។ សូមពិនិត្យមើលគណនី GoCardless របស់អ្នកសម្រាប់ព័ត៌មានលម្អិត
 DocType: Contract,N/A,មិនមាន
+DocType: Delivery Settings,Send with Attachment,ផ្ញើជាមួយឯកសារភ្ជាប់
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,សូមជ្រើសយកថ្ងៃឈប់សម្រាកប្រចាំសប្តាហ៍
 DocType: Inpatient Record,O Negative,អូអវិជ្ជមាន
 DocType: Work Order Operation,Planned End Time,ពេលវេលាដែលបានគ្រោងបញ្ចប់
 ,Sales Person Target Variance Item Group-Wise,ការលក់បុគ្គលធាតុគោលដៅអថេរ Group និងក្រុមហ៊ុនដែលមានប្រាជ្ញា
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,ពត៌មានលំអិតប្រភេទ Memebership
 DocType: Delivery Note,Customer's Purchase Order No,ការទិញរបស់អតិថិជនលំដាប់គ្មាន
 DocType: Clinical Procedure,Consume Stock,ប្រើប្រាស់ផ្សារហ៊ុន
@@ -1172,26 +1180,26 @@
 DocType: Soil Texture,Sand,ខ្សាច់
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,ថាមពល
 DocType: Opportunity,Opportunity From,ឱកាសការងារពី
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ជួរដេក {0}: {1} លេខរៀងដែលទាមទារសម្រាប់ធាតុ {2} ។ អ្នកបានផ្តល់ {3} ។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ជួរដេក {0}: {1} លេខរៀងដែលទាមទារសម្រាប់ធាតុ {2} ។ អ្នកបានផ្តល់ {3} ។
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,សូមជ្រើសរើសតារាង
 DocType: BOM,Website Specifications,ជាក់លាក់វេបសាយ
 DocType: Special Test Items,Particulars,ពិសេស
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: ពី {0} នៃប្រភេទ {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,ជួរដេក {0}: ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,ជួរដេក {0}: ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","វិធានតម្លៃច្រើនមានលក្ខណៈវិនិច្ឆ័យដូចគ្នា, សូមដោះស្រាយជម្លោះដោយផ្ដល់អាទិភាព។ វិធានតម្លៃ: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","វិធានតម្លៃច្រើនមានលក្ខណៈវិនិច្ឆ័យដូចគ្នា, សូមដោះស្រាយជម្លោះដោយផ្ដល់អាទិភាព។ វិធានតម្លៃ: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,គណនីវាយតំលៃឡើងវិញ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,មិនអាចធ្វើឱ្យឬបោះបង់ Bom ជាវាត្រូវបានផ្សារភ្ជាប់ជាមួយនឹង BOMs ផ្សេងទៀត
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,មិនអាចធ្វើឱ្យឬបោះបង់ Bom ជាវាត្រូវបានផ្សារភ្ជាប់ជាមួយនឹង BOMs ផ្សេងទៀត
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,សូមជ្រើសរើសក្រុមហ៊ុននិងកាលបរិច្ឆេទប្រកាសដើម្បីទទួលបានធាតុ
 DocType: Asset,Maintenance,ការថែរក្សា
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,ទទួលបានពីការជួបប្រទះអ្នកជម្ងឺ
 DocType: Subscriber,Subscriber,អតិថិជន
 DocType: Item Attribute Value,Item Attribute Value,តម្លៃគុណលក្ខណៈធាតុ
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,សូមធ្វើបច្ចុប្បន្នភាពស្ថានភាពគម្រោងរបស់អ្នក
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,សូមធ្វើបច្ចុប្បន្នភាពស្ថានភាពគម្រោងរបស់អ្នក
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,ប្តូររូបិយប័ណ្ណត្រូវមានសម្រាប់ការទិញឬលក់។
 DocType: Item,Maximum sample quantity that can be retained,បរិមាណសំណាកអតិបរិមាដែលអាចរក្សាទុកបាន
 DocType: Project Update,How is the Project Progressing Right Now?,តើគម្រោងកំពុងរីកចម្រើនយ៉ាងដូចម្តេចឥឡូវនេះ?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ជួរដេក {0} ធាតុ # {1} មិនអាចត្រូវបានផ្ទេរច្រើនជាង {2} ទល់នឹងលំដាប់ទិញ {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ជួរដេក {0} ធាតុ # {1} មិនអាចត្រូវបានផ្ទេរច្រើនជាង {2} ទល់នឹងលំដាប់ទិញ {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,យុទ្ធនាការលក់។
 DocType: Project Task,Make Timesheet,ធ្វើឱ្យ Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1220,36 +1228,38 @@
 DocType: Lab Test,Lab Test,តេស្តមន្ទីរពិសោធន៍
 DocType: Student Report Generation Tool,Student Report Generation Tool,ឧបករណ៍បង្កើតរបាយការណ៍របស់សិស្ស
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,កាលវិភាគថែទាំសុខភាពពេលរន្ធ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,ឈ្មោះដុក
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,ឈ្មោះដុក
 DocType: Expense Claim Detail,Expense Claim Type,ការចំណាយប្រភេទពាក្យបណ្តឹង
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,ការកំណត់លំនាំដើមសម្រាប់កន្រ្តកទំនិញ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,បន្ថែមពេលវេលា
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},ទ្រព្យសកម្មបានបោះបង់ចោលការចូលតាមរយៈទិនានុប្បវត្តិ {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},សូមកំណត់គណនីនៅក្នុងឃ្លាំង {0} ឬបញ្ជីសារពើភណ្ឌលំនាំដើមនៅក្នុងក្រុមហ៊ុន {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},ទ្រព្យសកម្មបានបោះបង់ចោលការចូលតាមរយៈទិនានុប្បវត្តិ {0}
 DocType: Loan,Interest Income Account,គណនីប្រាក់ចំណូលការប្រាក់
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,អត្ថប្រយោជន៍អតិបរមាគួរតែខ្ពស់ជាងសូន្យដើម្បីផ្តល់អត្ថប្រយោជន៍
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,អត្ថប្រយោជន៍អតិបរមាគួរតែខ្ពស់ជាងសូន្យដើម្បីផ្តល់អត្ថប្រយោជន៍
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,ពិនិត្យមើលការអញ្ជើញដែលបានផ្ញើ
 DocType: Shift Assignment,Shift Assignment,ការប្ដូរ Shift
 DocType: Employee Transfer Property,Employee Transfer Property,ទ្រព្យសម្បត្តិផ្ទេរបុគ្គលិក
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,ពីពេលវេលាគួរតែតិចជាងពេលវេលា
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,ជីវបច្ចេកវិទ្យា
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",ធាតុ {0} (លេខស៊េរី: {1}) មិនអាចត្រូវបានគេប្រើប្រាស់ដូចជា reserverd \ ពេញលេញលំដាប់លក់ {2} ទេ។
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,ការិយាល័យថែទាំចំណាយ
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,ទៅ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ធ្វើបច្ចុប្បន្នភាពតម្លៃពីបញ្ជីតម្លៃរបស់ក្រុមហ៊ុន Shopify ទៅក្នុងតារាងតម្លៃ ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ការបង្កើតគណនីអ៊ីម៉ែល
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,សូមបញ្ចូលមុខទំនិញមុន
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,ត្រូវការវិភាគ
 DocType: Asset Repair,Downtime,ពេលវេលាឈប់
 DocType: Account,Liability,ការទទួលខុសត្រូវ
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ចំនួនទឹកប្រាក់បានអនុញ្ញាតមិនអាចជាចំនួនទឹកប្រាក់ធំជាងក្នុងជួរដេកណ្តឹងទាមទារសំណង {0} ។
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ចំនួនទឹកប្រាក់បានអនុញ្ញាតមិនអាចជាចំនួនទឹកប្រាក់ធំជាងក្នុងជួរដេកណ្តឹងទាមទារសំណង {0} ។
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,រយៈពេលសិក្សា:
 DocType: Salary Component,Do not include in total,កុំរួមបញ្ចូលសរុប
 DocType: Company,Default Cost of Goods Sold Account,តម្លៃលំនាំដើមនៃគណនីទំនិញលក់
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},បរិមាណគំរូ {0} មិនអាចច្រើនជាងបរិមាណដែលទទួលបាននោះទេ {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,បញ្ជីតម្លៃដែលមិនបានជ្រើស
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},បរិមាណគំរូ {0} មិនអាចច្រើនជាងបរិមាណដែលទទួលបាននោះទេ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,បញ្ជីតម្លៃដែលមិនបានជ្រើស
 DocType: Employee,Family Background,ប្រវត្តិក្រុមគ្រួសារ
 DocType: Request for Quotation Supplier,Send Email,ផ្ញើអ៊ីមែល
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},ព្រមាន &amp; ‧;: ឯកសារភ្ជាប់មិនត្រឹមត្រូវ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},ព្រមាន &amp; ‧;: ឯកសារភ្ជាប់មិនត្រឹមត្រូវ {0}
 DocType: Item,Max Sample Quantity,បរិមាណគំរូអតិបរមា
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,គ្មានសិទ្ធិ
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,បញ្ជីផ្ទៀងផ្ទាត់បំពេញកិច្ចសន្យា
@@ -1280,15 +1290,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: មជ្ឈមណ្ឌលតម្លៃ {2} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),ផ្ទុកឡើងក្បាលសំបុត្ររបស់អ្នក (រក្សាទុកវារួមមានលក្ខណៈងាយស្រួលតាមបណ្ដាញ 900px ដោយ 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: គណនី {2} មិនអាចជាក្រុមមួយ
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ធាតុជួរដេក {idx}: {} {DOCNAME DOCTYPE} មិនមាននៅក្នុងខាងលើ &#39;{DOCTYPE}&#39; តុ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} ត្រូវបានបញ្ចប់រួចទៅហើយឬលុបចោល
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} ត្រូវបានបញ្ចប់រួចទៅហើយឬលុបចោល
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,គ្មានភារកិច្ច
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,វិក័យប័ត្រលក់ {0} បានបង្កើតជាការបង់ប្រាក់
 DocType: Item Variant Settings,Copy Fields to Variant,ចម្លងវាលទៅវ៉ារ្យង់
 DocType: Asset,Opening Accumulated Depreciation,រំលស់បង្គរបើក
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,ពិន្ទុត្រូវតែតិចជាងឬស្មើនឹង 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,ឧបករណ៍ការចុះឈ្មោះកម្មវិធី
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,កំណត់ត្រា C-សំណុំបែបបទ
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,កំណត់ត្រា C-សំណុំបែបបទ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,ភាគហ៊ុនមានរួចហើយ
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,ហាងទំនិញនិងអតិថិជន
 DocType: Email Digest,Email Digest Settings,ការកំណត់សង្ខេបអ៊ីម៉ែល
@@ -1301,12 +1311,12 @@
 DocType: Production Plan,Select Items,ជ្រើសធាតុ
 DocType: Share Transfer,To Shareholder,ជូនចំពោះម្ចាស់ហ៊ុន
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},ប្រឆាំងនឹង {0} {1} របស់លោក Bill ចុះថ្ងៃទី {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,ពីរដ្ឋ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,ពីរដ្ឋ
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,បង្កើតស្ថាប័ន
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,តម្រង់ស្លឹក ...
 DocType: Program Enrollment,Vehicle/Bus Number,រថយន្ត / លេខរថយន្តក្រុង
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,កាលវិភាគការពិតណាស់
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",អ្នកត្រូវដកពន្ធសម្រាប់ភស្តុតាងនៃការលើកលែងពន្ធដែលមិនបានបញ្ចូនហើយនិងអត្ថប្រយោជន៍របស់និយោជិកដែលមិនបានទទួលពីប្រាក់ខែចុងក្រោយនៃរយៈពេលនៃការបើកប្រាក់បៀវត្សរ៍។
 DocType: Request for Quotation Supplier,Quote Status,ស្ថានភាពសម្រង់
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1332,13 +1342,13 @@
 DocType: Sales Invoice,Payment Due Date,ការទូទាត់កាលបរិច្ឆេទ
 DocType: Drug Prescription,Interval UOM,ចន្លោះពេលវេលា UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",ជ្រើសរើសបើអាសយដ្ឋានដែលបានជ្រើសត្រូវបានកែសម្រួលបន្ទាប់ពីរក្សាទុក
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,ធាតុវ៉ារ្យង់ {0} រួចហើយដែលមានគុណលក្ខណៈដូចគ្នា
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,ធាតុវ៉ារ្យង់ {0} រួចហើយដែលមានគុណលក្ខណៈដូចគ្នា
 DocType: Item,Hub Publishing Details,ពត៌មានលម្អិតការបោះពុម្ព
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;ការបើក&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;ការបើក&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ការបើកចំហរដើម្បីធ្វើ
 DocType: Issue,Via Customer Portal,តាមរយៈវិបផតថលអតិថិជន
 DocType: Notification Control,Delivery Note Message,សារដឹកជញ្ជូនចំណាំ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,ទឹកប្រាក់ SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,ទឹកប្រាក់ SGST
 DocType: Lab Test Template,Result Format,ទ្រង់ទ្រាយលទ្ធផល
 DocType: Expense Claim,Expenses,ការចំណាយ
 DocType: Item Variant Attribute,Item Variant Attribute,ធាតុគុណលក្ខណៈវ៉ារ្យង់
@@ -1346,14 +1356,12 @@
 DocType: Payroll Entry,Bimonthly,bimonthly
 DocType: Vehicle Service,Brake Pad,បន្ទះហ្វ្រាំង
 DocType: Fertilizer,Fertilizer Contents,មាតិកាជី
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,ស្រាវជ្រាវនិងអភិវឌ្ឍន៍
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,ស្រាវជ្រាវនិងអភិវឌ្ឍន៍
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ចំនួនទឹកប្រាក់ដែលលោក Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ថ្ងៃខែឆ្នាំនិងកាលបរិច្ឆេទបញ្ចប់ត្រូវបានជាន់គ្នាជាមួយប័ណ្ណការងារ <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,ពត៌មានលំអិតការចុះឈ្មោះ
 DocType: Timesheet,Total Billed Amount,ចំនួនទឹកប្រាក់ដែលបានបង់ប្រាក់សរុប
 DocType: Item Reorder,Re-Order Qty,ដីកាសម្រេច Qty ឡើងវិញ
 DocType: Leave Block List Date,Leave Block List Date,ទុកឱ្យបញ្ជីប្លុកកាលបរិច្ឆេទ
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,សូមបង្កើតប្រព័ន្ធដាក់ឈ្មោះគ្រូបង្រៀននៅក្នុងការអប់រំ&gt; ការកំណត់អប់រំ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,មេកានិច # {0}: វត្ថុដើមមិនអាចដូចគ្នានឹងធាតុមេទេ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ការចោទប្រកាន់អនុវត្តសរុបនៅក្នុងការទិញតារាងការទទួលធាតុត្រូវដូចគ្នាដែលជាពន្ធសរុបនិងការចោទប្រកាន់
 DocType: Sales Team,Incentives,ការលើកទឹកចិត្ត
@@ -1367,7 +1375,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,ចំណុចនៃការលក់
 DocType: Fee Schedule,Fee Creation Status,ស្ថានភាពថ្លៃសេវា
 DocType: Vehicle Log,Odometer Reading,ការអាន odometer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណទាន, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ &quot;ជា&quot; ឥណពន្ធ"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណទាន, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ &quot;ជា&quot; ឥណពន្ធ"
 DocType: Account,Balance must be,មានតុល្យភាពត្រូវតែមាន
 DocType: Notification Control,Expense Claim Rejected Message,សារពាក្យបណ្តឹងលើការចំណាយបានច្រានចោល
 ,Available Qty,ដែលអាចប្រើបាន Qty
@@ -1379,7 +1387,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,តែងតែធ្វើសមកាលកម្មផលិតផលរបស់អ្នកពី Amazon MWS មុនពេលធ្វើសមកាលកម្មសេចក្តីលម្អិតបញ្ជាទិញ
 DocType: Delivery Trip,Delivery Stops,ការដឹកជញ្ជូនឈប់
 DocType: Salary Slip,Working Days,ថ្ងៃធ្វើការ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},មិនអាចប្តូរកាលបរិច្ឆេទបញ្ឈប់សេវាកម្មសម្រាប់ធាតុក្នុងជួរដេក {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},មិនអាចប្តូរកាលបរិច្ឆេទបញ្ឈប់សេវាកម្មសម្រាប់ធាតុក្នុងជួរដេក {0}
 DocType: Serial No,Incoming Rate,អត្រាការមកដល់
 DocType: Packing Slip,Gross Weight,ទំងន់សរុបបាន
 DocType: Leave Type,Encashment Threshold Days,ថ្ងៃឈប់សំរាម
@@ -1398,31 +1406,33 @@
 DocType: Restaurant Table,Minimum Seating,កន្លែងអង្គុយអប្បបរមា
 DocType: Item Attribute,Item Attribute Values,តម្លៃគុណលក្ខណៈធាតុ
 DocType: Examination Result,Examination Result,លទ្ធផលការពិនិត្យសុខភាព
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,បង្កាន់ដៃទិញ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,បង្កាន់ដៃទិញ
 ,Received Items To Be Billed,ទទួលបានធាតុដែលនឹងត្រូវបានផ្សព្វផ្សាយ
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,អត្រាប្តូរប្រាក់រូបិយប័ណ្ណមេ។
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,អត្រាប្តូរប្រាក់រូបិយប័ណ្ណមេ។
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},សេចក្តីយោង DOCTYPE ត្រូវតែជាផ្នែកមួយនៃ {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,តម្រងសរុបសូន្យសរុប
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},មិនអាចរកឃើញរន្ធពេលវេលាក្នុងការ {0} ថ្ងៃទៀតសម្រាប់ប្រតិបត្ដិការ {1}
 DocType: Work Order,Plan material for sub-assemblies,សម្ភារៈផែនការសម្រាប់ការអនុសភា
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,ដៃគូលក់និងដែនដី
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Bom {0} ត្រូវតែសកម្ម
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Bom {0} ត្រូវតែសកម្ម
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,គ្មានមុខទំនិញសម្រាប់ផ្ទេរ
 DocType: Employee Boarding Activity,Activity Name,ឈ្មោះសកម្មភាព
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,ប្ដូរកាលបរិច្ឆេទចេញផ្សាយ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,បានបញ្ចប់បរិមាណផលិតផល <b>{0}</b> និងសម្រាប់បរិមាណ <b>{1}</b> មិនអាចខុសគ្នាទេ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,ប្ដូរកាលបរិច្ឆេទចេញផ្សាយ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,បានបញ្ចប់បរិមាណផលិតផល <b>{0}</b> និងសម្រាប់បរិមាណ <b>{1}</b> មិនអាចខុសគ្នាទេ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),ការបិទ (បើក + សរុប)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,លេខកូដធាតុ&gt; ក្រុមធាតុ&gt; ម៉ាក
+DocType: Delivery Settings,Dispatch Notification Attachment,បញ្ជូនឯកសារភ្ជាប់សេចក្តីជូនដំណឹង
 DocType: Payroll Entry,Number Of Employees,ចំនួនបុគ្គលិក
 DocType: Journal Entry,Depreciation Entry,ចូលរំលស់
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,សូមជ្រើសប្រភេទឯកសារនេះជាលើកដំបូង
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,សូមជ្រើសប្រភេទឯកសារនេះជាលើកដំបូង
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,បោះបង់ការមើលសម្ភារៈ {0} មុនពេលលុបចោលដំណើរទស្សនកិច្ចនេះជួសជុល
 DocType: Pricing Rule,Rate or Discount,អត្រាឬបញ្ចុះតម្លៃ
 DocType: Vital Signs,One Sided,មួយចំហៀង
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},សៀរៀលគ្មាន {0} មិនមែនជារបស់ធាតុ {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,តម្រូវការ Qty
 DocType: Marketplace Settings,Custom Data,ទិន្នន័យផ្ទាល់ខ្លួន
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ។
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},លេខស៊េរីគឺចាំបាច់សម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ។
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},លេខស៊េរីគឺចាំបាច់សម្រាប់ធាតុ {0}
 DocType: Bank Reconciliation,Total Amount,ចំនួនសរុប
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,ពីកាលបរិច្ឆេទនិងកាលបរិច្ឆេទស្ថិតនៅក្នុងឆ្នាំសារពើពន្ធខុសគ្នា
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,អ្នកជំងឺ {0} មិនមានអតិថិជនធ្វើវិក័យប័ត្រ
@@ -1433,9 +1443,9 @@
 DocType: Soil Texture,Clay Composition (%),សមាសធាតុដីឥដ្ឋ (%)
 DocType: Item Group,Item Group Defaults,ទម្រង់ដើមក្រុមមុខទំនិញ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,សូមរក្សាទុកមុននឹងផ្តល់ភារកិច្ច។
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,តម្លៃឱ្យមានតុល្យភាព
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,តម្លៃឱ្យមានតុល្យភាព
 DocType: Lab Test,Lab Technician,អ្នកបច្ចេកទេសខាងមន្ទីរពិសោធន៍
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,តារាងតម្លៃការលក់
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,តារាងតម្លៃការលក់
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","ប្រសិនបើបានគូសធីក, អតិថិជននឹងត្រូវបានបង្កើត, ធ្វើផែនទីទៅអ្នកជំងឺ។ វិក័យប័ត្រអ្នកជំងឺនឹងត្រូវបានបង្កើតឡើងប្រឆាំងនឹងអតិថិជននេះ។ អ្នកក៏អាចជ្រើសរើសអតិថិជនដែលមានស្រាប់នៅពេលបង្កើតអ្នកជម្ងឺ។"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,អតិថិជនមិនត្រូវបានចុះឈ្មោះក្នុងកម្មវិធីភក្ដីភាពណាមួយឡើយ
@@ -1449,13 +1459,13 @@
 DocType: Support Search Source,Search Term Param Name,ឈ្មោះស្វែងរកពាក្យផារ៉ាម
 DocType: Item Barcode,Item Barcode,កូដផលិតផលធាតុ
 DocType: Woocommerce Settings,Endpoints,ចំណុចបញ្ចប់
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,ធាតុវ៉ារ្យ៉ង់ {0} ធ្វើឱ្យទាន់សម័យ
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,ធាតុវ៉ារ្យ៉ង់ {0} ធ្វើឱ្យទាន់សម័យ
 DocType: Quality Inspection Reading,Reading 6,ការអាន 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,មិនអាច {0} {1} {2} ដោយគ្មានវិក័យប័ត្រឆ្នើមអវិជ្ជមាន
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,មិនអាច {0} {1} {2} ដោយគ្មានវិក័យប័ត្រឆ្នើមអវិជ្ជមាន
 DocType: Share Transfer,From Folio No,ពី Folio លេខ
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,ទិញវិក័យប័ត្រជាមុន
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},ជួរដេក {0}: ធាតុឥណទានមិនអាចត្រូវបានផ្សារភ្ជាប់ទៅនឹងការ {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,កំណត់ថវិកាសម្រាប់ឆ្នាំហិរញ្ញវត្ថុ។
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,កំណត់ថវិកាសម្រាប់ឆ្នាំហិរញ្ញវត្ថុ។
 DocType: Shopify Tax Account,ERPNext Account,គណនី ERPUext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} ត្រូវបានទប់ស្កាត់ដូច្នេះប្រតិបត្តិការនេះមិនអាចដំណើរការបានទេ
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,សកម្មភាពប្រសិនបើថវិកាបង្គរប្រចាំខែមិនលើសពី MR
@@ -1471,19 +1481,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,ការទិញវិក័យប័ត្រ
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,អនុញ្ញាតិអោយការប្រើប្រាស់វត្ថុធាតុដើមជាច្រើនប្រឆាំងនឹងស្នាដៃការងារ
 DocType: GL Entry,Voucher Detail No,ពត៌មានលំអិតកាតមានទឹកប្រាក់គ្មាន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,វិក័យប័ត្រលក់ថ្មី
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,វិក័យប័ត្រលក់ថ្មី
 DocType: Stock Entry,Total Outgoing Value,តម្លៃចេញសរុប
 DocType: Healthcare Practitioner,Appointments,ការតែងតាំង
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,បើកកាលបរិច្ឆេទនិងថ្ងៃផុតកំណត់គួរតែត្រូវបាននៅក្នុងឆ្នាំសារពើពន្ធដូចគ្នា
 DocType: Lead,Request for Information,សំណើសុំព័ត៌មាន
 ,LeaderBoard,តារាងពិន្ទុ
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),អត្រាជាមួយនឹងរឹម (រូបិយប័ណ្ណក្រុមហ៊ុន)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ
 DocType: Payment Request,Paid,Paid
 DocType: Program Fee,Program Fee,ថ្លៃសេវាកម្មវិធី
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",ជំនួសវិញ្ញាបនបត្រពិសេសនៅក្នុងបណ្ណសារទាំងអស់ផ្សេងទៀតដែលវាត្រូវបានប្រើ។ វានឹងជំនួសតំណភ្ជាប់ BOM ចាស់ធ្វើឱ្យទាន់សម័យចំណាយនិងបង្កើតឡើងវិញនូវ &quot;តារាងការផ្ទុះគ្រាប់បែក&quot; ក្នុងមួយថ្មី។ វាក៏បានធ្វើឱ្យទាន់សម័យតម្លៃចុងក្រោយនៅក្នុងក្រុមប្រឹក្សាភិបាលទាំងអស់។
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,ការបញ្ជាទិញការងារខាងក្រោមត្រូវបានបង្កើតឡើង:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,ការបញ្ជាទិញការងារខាងក្រោមត្រូវបានបង្កើតឡើង:
 DocType: Salary Slip,Total in words,សរុបនៅក្នុងពាក្យ
 DocType: Inpatient Record,Discharged,បានលះបង់
 DocType: Material Request Item,Lead Time Date,កាលបរិច្ឆេទពេលវេលានាំមុខ
@@ -1494,16 +1504,16 @@
 DocType: Support Settings,Get Started Sections,ចាប់ផ្តើមផ្នែក
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY.-
 DocType: Loan,Sanctioned,អនុញ្ញាត
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណដែលមិនទាន់បានត្រូវបង្កើតឡើង
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},ជួរដេក # {0}: សូមបញ្ជាក់សម្រាប់ធាតុសៀរៀលគ្មាន {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},បរិមាណវិភាគទានសរុប: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},ជួរដេក # {0}: សូមបញ្ជាក់សម្រាប់ធាតុសៀរៀលគ្មាន {1}
 DocType: Payroll Entry,Salary Slips Submitted,តារាងប្រាក់ខែដែលបានដាក់ស្នើ
 DocType: Crop Cycle,Crop Cycle,វដ្តដំណាំ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","សម្រាប់ធាតុ &quot;ផលិតផលកញ្ចប់, ឃ្លាំង, សៀរៀល, គ្មានទេនិងបាច់ &amp; ‧នឹងត្រូវបានចាត់ទុកថាពី&quot; ការវេចខ្ចប់បញ្ជី &quot;តារាង។ បើសិនជាគ្មានឃ្លាំងនិងជំនាន់ដូចគ្នាសម្រាប់ធាតុដែលមានទាំងអស់សម្រាប់វេចខ្ចប់ធាតុណាមួយ &quot;ផលិតផលជាកញ្ចប់&quot; តម្លៃទាំងនោះអាចត្រូវបានបញ្ចូលនៅក្នុងតារាងធាតុដ៏សំខាន់, តម្លៃនឹងត្រូវបានចម្លងទៅ &#39;វេចខ្ចប់បញ្ជី &quot;តារាង។"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","សម្រាប់ធាតុ &quot;ផលិតផលកញ្ចប់, ឃ្លាំង, សៀរៀល, គ្មានទេនិងបាច់ &amp; ‧នឹងត្រូវបានចាត់ទុកថាពី&quot; ការវេចខ្ចប់បញ្ជី &quot;តារាង។ បើសិនជាគ្មានឃ្លាំងនិងជំនាន់ដូចគ្នាសម្រាប់ធាតុដែលមានទាំងអស់សម្រាប់វេចខ្ចប់ធាតុណាមួយ &quot;ផលិតផលជាកញ្ចប់&quot; តម្លៃទាំងនោះអាចត្រូវបានបញ្ចូលនៅក្នុងតារាងធាតុដ៏សំខាន់, តម្លៃនឹងត្រូវបានចម្លងទៅ &#39;វេចខ្ចប់បញ្ជី &quot;តារាង។"
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,ពីទីកន្លែង
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,net pay cannnot ជាអវិជ្ជមាន
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,ពីទីកន្លែង
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,net pay cannnot ជាអវិជ្ជមាន
 DocType: Student Admission,Publish on website,បោះពុម្ពផ្សាយនៅលើគេហទំព័រ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,វិក័យប័ត្រក្រុមហ៊ុនផ្គត់ផ្គង់កាលបរិច្ឆេទមិនអាចច្រើនជាងកាលបរិច្ឆេទប្រកាស
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,វិក័យប័ត្រក្រុមហ៊ុនផ្គត់ផ្គង់កាលបរិច្ឆេទមិនអាចច្រើនជាងកាលបរិច្ឆេទប្រកាស
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.-
 DocType: Subscription,Cancelation Date,កាលបរិច្ឆេទបោះបង់
 DocType: Purchase Invoice Item,Purchase Order Item,មុខទំនិញបញ្ជាទិញ
@@ -1512,7 +1522,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,ឧបករណ៍វត្តមានរបស់សិស្ស
 DocType: Restaurant Menu,Price List (Auto created),បញ្ជីតម្លៃ (បង្កើតដោយស្វ័យប្រវត្តិ)
 DocType: Cheque Print Template,Date Settings,ការកំណត់កាលបរិច្ឆេទ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,អថេរ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,អថេរ
 DocType: Employee Promotion,Employee Promotion Detail,ពត៌មានអំពីការផ្សព្វផ្សាយបុគ្គលិក
 ,Company Name,ឈ្មោះក្រុមហ៊ុន
 DocType: SMS Center,Total Message(s),សារសរុប (s បាន)
@@ -1541,7 +1551,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,កុំផ្ញើបុគ្គលិករំលឹកខួបកំណើត
 DocType: Expense Claim,Total Advance Amount,ចំនួនបុរេប្រទានសរុប
 DocType: Delivery Stop,Estimated Arrival,ការមកដល់ប៉ាន់ស្មាន
-DocType: Delivery Stop,Notified by Email,ជូនដំណឹងតាមអ៊ីមែល
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,មើលអត្ថបទទាំងអស់
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,ដើរក្នុង
 DocType: Item,Inspection Criteria,លក្ខណៈវិនិច្ឆ័យអធិការកិច្ច
@@ -1551,22 +1560,21 @@
 DocType: Timesheet Detail,Bill,វិក័យប័ត្រ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,សេត
 DocType: SMS Center,All Lead (Open),អ្នកដឹកនាំការទាំងអស់ (ការបើកចំហ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ជួរដេក {0}: Qty មិនមានសម្រាប់ {4} នៅក្នុងឃ្លាំង {1} នៅក្នុងប្រកាសពេលនៃធាតុ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ជួរដេក {0}: Qty មិនមានសម្រាប់ {4} នៅក្នុងឃ្លាំង {1} នៅក្នុងប្រកាសពេលនៃធាតុ ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,អ្នកអាចជ្រើសជម្រើសអតិបរមាមួយពីបញ្ជីប្រអប់ធីក។
 DocType: Purchase Invoice,Get Advances Paid,ទទួលបានការវិវត្តបង់ប្រាក់
 DocType: Item,Automatically Create New Batch,បង្កើតដោយស្វ័យប្រវត្តិថ្មីបាច់
 DocType: Supplier,Represents Company,តំណាងក្រុមហ៊ុន
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,ធ្វើឱ្យ
 DocType: Student Admission,Admission Start Date,ការទទួលយកដោយការចាប់ផ្តើមកាលបរិច្ឆេទ
 DocType: Journal Entry,Total Amount in Words,ចំនួនសរុបនៅក្នុងពាក្យ
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,បុគ្គលិកថ្មី
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,មានកំហុស។ ហេតុផលមួយដែលអាចនឹងត្រូវបានប្រហែលជាដែលអ្នកមិនបានរក្សាទុកសំណុំបែបបទ។ សូមទាក់ទង support@erpnext.com ប្រសិនបើបញ្ហានៅតែបន្តកើតមាន។
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,កន្ត្រកទំនិញរបស់ខ្ញុំ
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ប្រភេទការបញ្ជាទិញត្រូវតែជាផ្នែកមួយនៃ {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ប្រភេទការបញ្ជាទិញត្រូវតែជាផ្នែកមួយនៃ {0}
 DocType: Lead,Next Contact Date,ទំនាក់ទំនងបន្ទាប់កាលបរិច្ឆេទ
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,បើក Qty
 DocType: Healthcare Settings,Appointment Reminder,ការរំលឹកការណាត់
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,សូមបញ្ចូលគណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,សូមបញ្ចូលគណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់
 DocType: Program Enrollment Tool Student,Student Batch Name,ឈ្មោះបាច់សិស្ស
 DocType: Holiday List,Holiday List Name,បញ្ជីថ្ងៃឈប់សម្រាកឈ្មោះ
 DocType: Repayment Schedule,Balance Loan Amount,តុល្យភាពប្រាក់កម្ចីចំនួនទឹកប្រាក់
@@ -1576,13 +1584,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,ជម្រើសភាគហ៊ុន
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,មិនមានធាតុបញ្ចូលទៅរទេះ
 DocType: Journal Entry Account,Expense Claim,ពាក្យបណ្តឹងលើការចំណាយ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,តើអ្នកពិតជាចង់ស្តារទ្រព្យសកម្មបោះបង់ចោលនេះ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,តើអ្នកពិតជាចង់ស្តារទ្រព្យសកម្មបោះបង់ចោលនេះ?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},qty សម្រាប់ {0}
 DocType: Leave Application,Leave Application,ការឈប់សម្រាករបស់កម្មវិធី
 DocType: Patient,Patient Relation,ទំនាក់ទំនងរវាងអ្នកជម្ងឺ
 DocType: Item,Hub Category to Publish,ប្រភេទមជ្ឈមណ្ឌលសម្រាប់បោះពុម្ព
 DocType: Leave Block List,Leave Block List Dates,ទុកឱ្យប្លុកថ្ងៃបញ្ជី
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",លំដាប់នៃការបញ្ជាទិញ {0} មានបម្រុងទុកសម្រាប់ធាតុ {1} អ្នកអាចប្រគល់ {1} ទល់នឹង {0} ។ មិនអាចបញ្ជូនស៊េរីលេខ {2}
 DocType: Sales Invoice,Billing Address GSTIN,អាសយដ្ឋានវិក័យប័ត្រ GSTIN
@@ -1600,16 +1608,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},សូមបញ្ជាក់ {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,ធាតុបានយកចេញដោយការផ្លាស់ប្តូរក្នុងបរិមាណឬតម្លៃទេ។
 DocType: Delivery Note,Delivery To,ដឹកជញ្ជូនដើម្បី
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,ការបង្កើតវ៉ារ្យង់ត្រូវបានរៀបជាជួរ។
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},សេចក្តីសង្ខេបការងារសម្រាប់ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,ការបង្កើតវ៉ារ្យង់ត្រូវបានរៀបជាជួរ។
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},សេចក្តីសង្ខេបការងារសម្រាប់ {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ការអនុញ្ញាតអ្នកអនុម័តដំបូងនៅក្នុងបញ្ជីនឹងត្រូវបានកំណត់ជាលំនាំដើមទុកអ្នកអនុម័ត។
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,តារាងគុណលក្ខណៈគឺជាការចាំបាច់
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,តារាងគុណលក្ខណៈគឺជាការចាំបាច់
 DocType: Production Plan,Get Sales Orders,ទទួលបានការបញ្ជាទិញលក់
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} មិនអាចជាអវិជ្ជមាន
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,ភ្ជាប់ទៅ QuickBooks
 DocType: Training Event,Self-Study,ស្វ័យសិក្សា
 DocType: POS Closing Voucher,Period End Date,កាលបរិច្ឆេទបញ្ចប់
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,សមាសធាតុដីមិនបន្ថែមរហូតដល់ 100 ទេ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,បញ្ចុះតំលៃ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,ជួរដេក {0}: {1} ត្រូវបានទាមទារដើម្បីបង្កើតវិក័យប័ត្រ {2} បើក
 DocType: Membership,Membership,សមាជិក
 DocType: Asset,Total Number of Depreciations,ចំនួនសរុបនៃការធ្លាក់ថ្លៃ
 DocType: Sales Invoice Item,Rate With Margin,អត្រាជាមួយនឹងរឹម
@@ -1620,7 +1630,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},សូមបញ្ជាក់លេខសម្គាល់ជួរដេកដែលមានសុពលភាពសម្រាប់ជួរ {0} ក្នុងតារាង {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,មិនអាចស្វែងរកអថេរ:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,សូមជ្រើសវាលដើម្បីកែសម្រួលពីលេខ
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,មិនអាចជាទ្រព្យសម្បត្តិអសកម្ម ពីព្រោះមុខទំនិញនេះមានប្រត្តិបត្រការនៅក្នុង Stock Ledger  រួចហើយ។
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,មិនអាចជាទ្រព្យសម្បត្តិអសកម្ម ពីព្រោះមុខទំនិញនេះមានប្រត្តិបត្រការនៅក្នុង Stock Ledger  រួចហើយ។
 DocType: Subscription Plan,Fixed rate,អត្រាថេរ
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,ទទួលស្គាល់
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ចូរទៅផ្ទៃតុហើយចាប់ផ្តើមដោយការប្រើ ERPNext
@@ -1654,7 +1664,7 @@
 DocType: Tax Rule,Shipping State,រដ្ឋការដឹកជញ្ជូន
 ,Projected Quantity as Source,បរិមាណដែលត្រូវទទួលទានបានព្យាករថាជាប្រភព
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,ធាតុត្រូវបានបន្ថែមដោយប្រើ &quot;ចូរក្រោកធាតុពីការទិញបង្កាន់ដៃ &#39;ប៊ូតុង
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,ដំណើរដឹកជញ្ជូន
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,ដំណើរដឹកជញ្ជូន
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,ប្រភេទផ្ទេរ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,ចំណាយការលក់
@@ -1667,8 +1677,9 @@
 DocType: Item Default,Default Selling Cost Center,ចំណាយលើការលក់លំនាំដើមរបស់មជ្ឈមណ្ឌល
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ថាស
 DocType: Buying Settings,Material Transferred for Subcontract,សម្ភារៈបានផ្ទេរសម្រាប់កិច្ចសន្យាម៉ៅការ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,លេខកូដតំបន់
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},លំដាប់ការលក់ {0} គឺ {1}
+DocType: Email Digest,Purchase Orders Items Overdue,ទិញការបញ្ជាទិញទំនិញហួសកំណត់
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,លេខកូដតំបន់
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},លំដាប់ការលក់ {0} គឺ {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},ជ្រើសរើសគណនីប្រាក់ចំណូលក្នុងការប្រាក់ {0}
 DocType: Opportunity,Contact Info,ពត៌មានទំនាក់ទំនង
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,ការធ្វើឱ្យធាតុហ៊ុន
@@ -1681,12 +1692,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,វិក័យប័ត្រមិនអាចត្រូវបានធ្វើឡើងសម្រាប់ម៉ោងគិតប្រាក់សូន្យ
 DocType: Company,Date of Commencement,កាលបរិច្ឆេទនៃការចាប់ផ្តើម
 DocType: Sales Person,Select company name first.,ជ្រើសឈ្មោះក្រុមហ៊ុនជាលើកដំបូង។
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},បានផ្ញើអ៊ីមែលទៅ {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},បានផ្ញើអ៊ីមែលទៅ {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,សម្រង់ពាក្យដែលទទួលបានពីការផ្គត់ផ្គង់។
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,ដាក់ BOM និងធ្វើបច្ចុប្បន្នភាពតម្លៃចុងក្រោយបំផុតនៅក្នុងគ្រប់ប័ណ្ឌទាំងអស់
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},ដើម្បី {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,នេះជាក្រុមផ្គត់ផ្គង់របស់ root ហើយមិនអាចកែប្រែបានទេ។
-DocType: Delivery Trip,Driver Name,ឈ្មោះកម្មវិធីបញ្ជា
+DocType: Delivery Note,Driver Name,ឈ្មោះកម្មវិធីបញ្ជា
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,អាយុជាមធ្យម
 DocType: Education Settings,Attendance Freeze Date,ការចូលរួមកាលបរិច្ឆេទបង្កក
 DocType: Payment Request,Inward,ចូល
@@ -1697,7 +1708,7 @@
 DocType: Company,Parent Company,ក្រុមហ៊ុនមេ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},ប្រភេទសណ្ឋាគារប្រភេទ {0} មិនមាននៅលើ {1}
 DocType: Healthcare Practitioner,Default Currency,រូបិយប័ណ្ណលំនាំដើម
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,ការបញ្ចុះតម្លៃអតិបរមាសម្រាប់ធាតុ {0} គឺ {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,ការបញ្ចុះតម្លៃអតិបរមាសម្រាប់ធាតុ {0} គឺ {1}%
 DocType: Asset Movement,From Employee,ពីបុគ្គលិក
 DocType: Driver,Cellphone Number,លេខទូរស័ព្ទដៃ
 DocType: Project,Monitor Progress,វឌ្ឍនភាពម៉ូនីទ័រ
@@ -1713,19 +1724,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},បរិមាណដែលត្រូវទទួលទានត្រូវតែតិចជាងឬស្មើទៅនឹង {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},ចំនួនទឹកប្រាក់អតិបរមាមានសិទ្ធិទទួលបានសមាសភាគ {0} លើសពី {1}
 DocType: Department Approver,Department Approver,អ្នកអនុម័តមន្ទីរ
+DocType: QuickBooks Migrator,Application Settings,ការកំណត់កម្មវិធី
 DocType: SMS Center,Total Characters,តួអក្សរសរុប
 DocType: Employee Advance,Claimed,បានទាមទារ
 DocType: Crop,Row Spacing,ជួរដេកគម្លាត
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},សូមជ្រើស Bom នៅក្នុងវាល Bom សម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},សូមជ្រើស Bom នៅក្នុងវាល Bom សម្រាប់ធាតុ {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,មិនមានវ៉ារ្យ៉ង់ធាតុណាមួយសម្រាប់ធាតុដែលបានជ្រើសរើសទេ
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,ពត៌មានវិក័យប័ត្ររបស់ C-សំណុំបែបបទ
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ការទូទាត់វិក័យប័ត្រផ្សះផ្សានិងយុត្តិធម៌
 DocType: Clinical Procedure,Procedure Template,គំរូនីតិវិធី
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,ការចូលរួមចំណែក%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញលំដាប់ទាមទារ == &quot;បាទ&quot; ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវការដើម្បីបង្កើតការបញ្ជាទិញជាលើកដំបូងសម្រាប់ធាតុ {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,ការចូលរួមចំណែក%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញលំដាប់ទាមទារ == &quot;បាទ&quot; ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវការដើម្បីបង្កើតការបញ្ជាទិញជាលើកដំបូងសម្រាប់ធាតុ {0}"
 ,HSN-wise-summary of outward supplies,HSN - សង្ខេបសង្ខេបនៃការផ្គត់ផ្គង់ខាងក្រៅ
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,លេខចុះបញ្ជីក្រុមហ៊ុនសម្រាប់ជាឯកសារយោងរបស់អ្នក។ ចំនួនពន្ធល
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,ដើម្បីបញ្ជាក់
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,ដើម្បីបញ្ជាក់
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,ចែកចាយ
 DocType: Asset Finance Book,Asset Finance Book,សៀវភៅហិរញ្ញវត្ថុ
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ការដើរទិញឥវ៉ាន់វិធានការដឹកជញ្ជូនក្នុងកន្រ្តក
@@ -1734,7 +1746,7 @@
 ,Ordered Items To Be Billed,ធាតុបញ្ជាឱ្យនឹងត្រូវបានផ្សព្វផ្សាយ
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ពីជួរមានដើម្បីឱ្យមានតិចជាងដើម្បីជួរ
 DocType: Global Defaults,Global Defaults,លំនាំដើមជាសកល
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,ការអញ្ជើញសហការគម្រោង
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,ការអញ្ជើញសហការគម្រោង
 DocType: Salary Slip,Deductions,ការកាត់
 DocType: Setup Progress Action,Action Name,ឈ្មោះសកម្មភាព
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,ការចាប់ផ្តើមឆ្នាំ
@@ -1748,11 +1760,12 @@
 DocType: Lead,Consultant,អ្នកប្រឹក្សាយោបល់
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,ការចូលរួមប្រជុំរបស់មាតាបិតានិងគ្រូបង្រៀន
 DocType: Salary Slip,Earnings,ការរកប្រាក់ចំណូល
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,ធាតុបានបញ្ចប់ {0} អាចត្រូវបានបញ្ចូលសម្រាប់ធាតុប្រភេទការផលិត
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,ធាតុបានបញ្ចប់ {0} អាចត្រូវបានបញ្ចូលសម្រាប់ធាតុប្រភេទការផលិត
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,បើកសមតុល្យគណនី
 ,GST Sales Register,ជីអេសធីលក់ចុះឈ្មោះ
 DocType: Sales Invoice Advance,Sales Invoice Advance,ការលក់វិក័យប័ត្រជាមុន
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,គ្មានអ្វីដែលត្រូវស្នើសុំ
+DocType: Stock Settings,Default Return Warehouse,ឃ្លាំងត្រឡប់លំនាំដើម
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,ជ្រើសដែនរបស់អ្នក
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify អ្នកផ្គត់ផ្គង់
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,វិក័យប័ត្មុខទំនិញរទូទាត់
@@ -1761,15 +1774,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,វាលនឹងត្រូវបានចំលងតែនៅពេលនៃការបង្កើតប៉ុណ្ណោះ។
 DocType: Setup Progress Action,Domains,ដែន
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""កាលបរិច្ឆេទចាប់ផ្តើមជាក់ស្តែង"" មិនអាចធំជាងកាលបរិច្ឆេទបញ្ចប់ """
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,ការគ្រប់គ្រង
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,ការគ្រប់គ្រង
 DocType: Cheque Print Template,Payer Settings,ការកំណត់អ្នកចេញការចំណាយ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,គ្មានការស្នើសុំសម្ភារៈដែលកំពុងរង់ចាំរកឃើញដើម្បីភ្ជាប់ធាតុដែលបានផ្តល់ឱ្យ។
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,ជ្រើសរើសក្រុមហ៊ុនមុន
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","នេះនឹងត្រូវបានបន្ថែមទៅក្នុងក្រមធាតុនៃវ៉ារ្យ៉ង់នោះ។ ឧទាហរណ៍ប្រសិនបើអក្សរកាត់របស់អ្នកគឺ &quot;ផលិតកម្ម SM&quot; និងលេខកូដធាតុគឺ &quot;អាវយឺត&quot;, លេខកូដធាតុនៃវ៉ារ្យ៉ង់នេះនឹងត្រូវបាន &quot;អាវយឺត-ផលិតកម្ម SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ប្រាក់ចំណេញសុទ្ធ (និយាយម្យ៉ាង) នឹងមើលឃើញនៅពេលដែលអ្នករក្សាទុកប័ណ្ណប្រាក់បៀវត្ស។
 DocType: Delivery Note,Is Return,តើការវិលត្រឡប់
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,ប្រយ័ត្ន
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',ថ្ងៃចាប់ផ្ដើមធំជាងថ្ងៃចុងនៅក្នុងភារកិច្ច &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,ការវិលត្រឡប់ / ឥណពន្ធចំណាំ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,ការវិលត្រឡប់ / ឥណពន្ធចំណាំ
 DocType: Price List Country,Price List Country,បញ្ជីតម្លៃប្រទេស
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} បាន NOS សម្គាល់ត្រឹមត្រូវសម្រាប់ធាតុ {1}
@@ -1782,13 +1796,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,ផ្តល់ព័ត៌មាន។
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,មូលដ្ឋានទិន្នន័យដែលបានផ្គត់ផ្គង់។
 DocType: Contract Template,Contract Terms and Conditions,លក្ខខណ្ឌកិច្ចសន្យា
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,អ្នកមិនអាចចាប់ផ្តើមឡើងវិញនូវការជាវដែលមិនត្រូវបានលុបចោលទេ។
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,អ្នកមិនអាចចាប់ផ្តើមឡើងវិញនូវការជាវដែលមិនត្រូវបានលុបចោលទេ។
 DocType: Account,Balance Sheet,តារាងតុល្យការ
 DocType: Leave Type,Is Earned Leave,ទទួលបានទុកចោល
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',មជ្ឈមណ្ឌលចំណាយសម្រាប់ធាតុដែលមានលេខកូដធាតុ &quot;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',មជ្ឈមណ្ឌលចំណាយសម្រាប់ធាតុដែលមានលេខកូដធាតុ &quot;
 DocType: Fee Validity,Valid Till,មានសុពលភាពរហូតដល់
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,កិច្ចប្រជុំឪពុកម្ដាយសរុប
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",របៀបក្នុងការទូទាត់ត្រូវបានមិនបានកំណត់រចនាសម្ព័ន្ធ។ សូមពិនិត្យមើលថាតើគណនីត្រូវបានកំណត់នៅលើរបៀបនៃការទូទាត់ឬនៅលើប្រវត្តិរូបម៉ាស៊ីនឆូតកាត។
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",របៀបក្នុងការទូទាត់ត្រូវបានមិនបានកំណត់រចនាសម្ព័ន្ធ។ សូមពិនិត្យមើលថាតើគណនីត្រូវបានកំណត់នៅលើរបៀបនៃការទូទាត់ឬនៅលើប្រវត្តិរូបម៉ាស៊ីនឆូតកាត។
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ធាតុដូចគ្នាមិនអាចត្រូវបានបញ្ចូលច្រើនដង។
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",គណនីដែលមានបន្ថែមទៀតអាចត្រូវបានធ្វើក្រោមការក្រុមនោះទេតែធាតុដែលអាចត្រូវបានធ្វើប្រឆាំងនឹងការដែលមិនមែនជាក្រុម
 DocType: Lead,Lead,ការនាំមុខ
@@ -1797,11 +1811,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,ភាគហ៊ុនចូល {0} បង្កើតឡើង
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,អ្នកមិនមានពិន្ទុភាពស្មោះត្រង់គ្រប់គ្រាន់ដើម្បីលោះទេ
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,ជួរដេក # {0}: បានច្រានចោលមិនអាច Qty បញ្ចូលនៅក្នុងការទិញត្រឡប់មកវិញ
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},សូមកំណត់គណនីដែលជាប់ទាក់ទងនៅក្នុងប្រភេទគណនីពន្ធ {0} ប្រឆាំងនឹងក្រុមហ៊ុន {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,ជួរដេក # {0}: បានច្រានចោលមិនអាច Qty បញ្ចូលនៅក្នុងការទិញត្រឡប់មកវិញ
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,ការផ្លាស់ប្តូរក្រុមអតិថិជនសម្រាប់អតិថិជនដែលបានជ្រើសមិនត្រូវបានអនុញ្ញាត។
 ,Purchase Order Items To Be Billed,មុខទំនិញបញ្ជាទិញត្រូវបានបង់ប្រាក់
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,ធ្វើបច្ចុប្បន្នភាពម៉ោងមកដល់។
 DocType: Program Enrollment Tool,Enrollment Details,សេចក្ដីលម្អិតនៃការចុះឈ្មោះចូលរៀន
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,មិនអាចកំណត់លំនាំដើមធាតុច្រើនសម្រាប់ក្រុមហ៊ុន។
 DocType: Purchase Invoice Item,Net Rate,អត្រាការប្រាក់សុទ្ធ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,សូមជ្រើសរើសអតិថិជន
 DocType: Leave Policy,Leave Allocations,ចាកចេញពីការបែងចែក
@@ -1830,7 +1846,7 @@
 DocType: Loan Application,Repayment Info,ព័តសងប្រាក់
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""ទិន្នន័យ"" មិនអាចទទេ"
 DocType: Maintenance Team Member,Maintenance Role,តួនាទីថែទាំ
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},ជួរស្ទួនជាមួយនឹង {0} {1} ដូចគ្នា
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},ជួរស្ទួនជាមួយនឹង {0} {1} ដូចគ្នា
 DocType: Marketplace Settings,Disable Marketplace,បិទដំណើរការផ្សារ
 ,Trial Balance,អង្គជំនុំតុល្យភាព
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,ឆ្នាំសារពើពន្ធ {0} មិនបានរកឃើញ
@@ -1841,9 +1857,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,ការកំណត់ការជាវប្រចាំ
 DocType: Purchase Invoice,Update Auto Repeat Reference,ធ្វើបច្ចុប្បន្នភាពការធ្វើម្តងទៀតដោយស្វ័យប្រវត្តិ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},បញ្ជីថ្ងៃឈប់សម្រាកដែលមិនកំណត់សម្រាប់រយៈពេលឈប់សម្រាក {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},បញ្ជីថ្ងៃឈប់សម្រាកដែលមិនកំណត់សម្រាប់រយៈពេលឈប់សម្រាក {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,ស្រាវជ្រាវ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,អាស័យដ្ឋានទី២
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,អាស័យដ្ឋានទី២
 DocType: Maintenance Visit Purpose,Work Done,ការងារធ្វើ
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,សូមបញ្ជាក់គុណលក្ខណៈយ៉ាងហោចណាស់មួយនៅក្នុងតារាងលក្ខណៈ
 DocType: Announcement,All Students,និស្សិតទាំងអស់
@@ -1853,16 +1869,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,ប្រតិបត្តិការផ្សះផ្សា
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,ដំបូងបំផុត
 DocType: Crop Cycle,Linked Location,ទីតាំងដែលបានភ្ជាប់
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",ធាតុមួយពូលមានឈ្មោះដូចគ្នាសូមប្ដូរឈ្មោះធាតុឬប្ដូរឈ្មោះធាតុដែលជាក្រុម
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",ធាតុមួយពូលមានឈ្មោះដូចគ្នាសូមប្ដូរឈ្មោះធាតុឬប្ដូរឈ្មោះធាតុដែលជាក្រុម
 DocType: Crop Cycle,Less than a year,តិចជាងមួយឆ្នាំ
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,លេខទូរស័ព្ទចល័តរបស់សិស្ស
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,នៅសល់នៃពិភពលោក
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,នៅសល់នៃពិភពលោក
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ធាតុនេះ {0} មិនអាចមានបាច់
 DocType: Crop,Yield UOM,ទិន្នផល UOM
 ,Budget Variance Report,របាយការណ៍អថេរថវិការ
 DocType: Salary Slip,Gross Pay,បង់សរុបបាន
 DocType: Item,Is Item from Hub,គឺជាធាតុពី Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,ទទួលបានរបស់របរពីសេវាថែទាំសុខភាព
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,ទទួលបានរបស់របរពីសេវាថែទាំសុខភាព
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,ជួរដេក {0}: ប្រភេទសកម្មភាពគឺជាការចាំបាច់។
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,ភាគលាភបង់ប្រាក់
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,គណនេយ្យសៀវភៅធំ
@@ -1877,6 +1893,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,របៀបទូទាត់ប្រាក់
 DocType: Purchase Invoice,Supplied Items,ធាតុដែលបានផ្គត់ផ្គង់
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},សូមកំណត់ម៉ឺនុយសកម្មសម្រាប់ភោជនីយដ្ឋាន {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,អត្រាគណៈកម្មការ%
 DocType: Work Order,Qty To Manufacture,qty ដើម្បីផលិត
 DocType: Email Digest,New Income,ប្រាក់ចំនូលថ្មី
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,រក្សាអត្រាការប្រាក់ដូចគ្នាពេញមួយវដ្តនៃការទិញ
@@ -1891,12 +1908,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},អត្រាការវាយតម្លៃដែលបានទាមទារសម្រាប់ធាតុនៅក្នុងជួរដេក {0}
 DocType: Supplier Scorecard,Scorecard Actions,សកម្មភាពពិន្ទុ
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,ឧទាហរណ៍: ថ្នាក់អនុបណ្ឌិតវិទ្យាសាស្រ្តកុំព្យូទ័រ
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},អ្នកផ្គត់ផ្គង់ {0} មិនត្រូវបានរកឃើញនៅក្នុង {1}
 DocType: Purchase Invoice,Rejected Warehouse,ឃ្លាំងច្រានចោល
 DocType: GL Entry,Against Voucher,ប្រឆាំងនឹងប័ណ្ណ
 DocType: Item Default,Default Buying Cost Center,មជ្ឈមណ្ឌលការចំណាយទិញលំនាំដើម
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",ដើម្បីទទួលបានប្រយោជន៍ច្រើនបំផុតក្នុង ERPNext យើងផ្ដល់អនុសាសន៍ថាអ្នកបានយកពេលវេលាមួយចំនួននិងមើលវីដេអូបានជំនួយទាំងនេះ។
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),សម្រាប់អ្នកផ្គត់ផ្គង់លំនាំដើម (ស្រេចចិត្ត)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ដល់
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),សម្រាប់អ្នកផ្គត់ផ្គង់លំនាំដើម (ស្រេចចិត្ត)
 DocType: Supplier Quotation Item,Lead Time in days,អ្នកដឹកនាំការពេលវេលានៅក្នុងថ្ងៃ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,គណនីចងការប្រាក់សង្ខេប
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},មិនអនុញ្ញាតឱ្យកែគណនីកក {0}
@@ -1905,7 +1922,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,ព្រមានសម្រាប់សំណើថ្មីសម្រាប់សម្រង់
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,ការបញ្ជាទិញជួយអ្នកមានគម្រោងនិងតាមដាននៅលើការទិញរបស់អ្នក
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,វេជ្ជបញ្ជាសាកល្បង
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",បរិមាណបញ្ហា / សេវាផ្ទេរប្រាក់សរុប {0} នៅក្នុងសំណើសម្ភារៈ {1} \ មិនអាចច្រើនជាងបរិមាណដែលបានស្នើរសុំ {2} សម្រាប់ធាតុ {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,ខ្នាតតូច
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",ប្រសិនបើ Shopify មិនមានអតិថិជននៅក្នុងលំដាប់នោះទេពេលកំពុងធ្វើសមកម្មការបញ្ជាទិញប្រព័ន្ធនឹងពិចារណាអតិថិជនលំនាំដើមសម្រាប់ការបញ្ជាទិញ
@@ -1917,6 +1934,7 @@
 DocType: Project,% Completed,% បានបញ្ចប់
 ,Invoiced Amount (Exculsive Tax),ចំនួន invoiced (ពន្ធលើ Exculsive)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ធាតុ 2
+DocType: QuickBooks Migrator,Authorization Endpoint,ចំណុចនៃការអនុញ្ញាត
 DocType: Travel Request,International,អន្តរជាតិ
 DocType: Training Event,Training Event,ព្រឹត្តិការណ៍បណ្តុះបណ្តាល
 DocType: Item,Auto re-order,ការបញ្ជាទិញជាថ្មីម្តងទៀតដោយស្វ័យប្រវត្តិ
@@ -1925,24 +1943,24 @@
 DocType: Contract,Contract,ការចុះកិច្ចសន្យា
 DocType: Plant Analysis,Laboratory Testing Datetime,ការធ្វើតេស្តមន្ទីរពិសោធន៍រយៈពេល
 DocType: Email Digest,Add Quote,បន្ថែមសម្រង់
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},កត្តាគ្របដណ្តប់ UOM បានទាមទារសម្រាប់ការ UOM: {0} នៅក្នុងធាតុ: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},កត្តាគ្របដណ្តប់ UOM បានទាមទារសម្រាប់ការ UOM: {0} នៅក្នុងធាតុ: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,ការចំណាយដោយប្រយោល
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,ជួរដេក {0}: Qty គឺជាការចាំបាច់
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,ជួរដេក {0}: Qty គឺជាការចាំបាច់
 DocType: Agriculture Analysis Criteria,Agriculture,កសិកម្ម
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,បង្កើតលំដាប់លក់
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,ធាតុគណនេយ្យសម្រាប់ទ្រព្យសម្បត្តិ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,ទប់ស្កាត់វិក្កយបត្រ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,ធាតុគណនេយ្យសម្រាប់ទ្រព្យសម្បត្តិ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,ទប់ស្កាត់វិក្កយបត្រ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,បរិមាណដើម្បីបង្កើត
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,ធ្វើសមកាលកម្មទិន្នន័យមេ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,ធ្វើសមកាលកម្មទិន្នន័យមេ
 DocType: Asset Repair,Repair Cost,តម្លៃជួសជុល
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,ផលិតផលឬសេវាកម្មរបស់អ្នក
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,បានបរាជ័យក្នុងការចូល
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,ទ្រព្យសម្បត្តិ {0} បានបង្កើត
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,ទ្រព្យសម្បត្តិ {0} បានបង្កើត
 DocType: Special Test Items,Special Test Items,ធាតុសាកល្បងពិសេស
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,អ្នកត្រូវតែជាអ្នកប្រើដែលមានកម្មវិធីគ្រប់គ្រងប្រព័ន្ធនិងធាតុកម្មវិធីគ្រប់គ្រងធាតុដើម្បីចុះឈ្មោះនៅលើទីផ្សារ។
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,របៀបនៃការទូទាត់
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,តាមរចនាសម្ព័ន្ធប្រាក់ខែដែលបានកំណត់អ្នកមិនអាចស្នើសុំអត្ថប្រយោជន៍បានទេ
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,វេបសាយរូបភាពគួរតែជាឯកសារសាធារណៈឬគេហទំព័ររបស់ URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,វេបសាយរូបភាពគួរតែជាឯកសារសាធារណៈឬគេហទំព័ររបស់ URL
 DocType: Purchase Invoice Item,BOM,Bom
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,នេះគឺជាក្រុមមួយដែលធាតុ root និងមិនអាចត្រូវបានកែសម្រួល។
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,បញ្ចូលចូលគ្នា
@@ -1951,7 +1969,8 @@
 DocType: Warehouse,Warehouse Contact Info,ឃ្លាំងពត៌មានទំនាក់ទំនង
 DocType: Payment Entry,Write Off Difference Amount,សរសេរបិទចំនួនទឹកប្រាក់ផ្សេងគ្នា
 DocType: Volunteer,Volunteer Name,ឈ្មោះស្ម័គ្រចិត្ត
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: រកមិនឃើញអ៊ីម៉ែលបុគ្គលិក, ហេតុនេះមិនបានចាត់អ៊ីមែល"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},ជួរដេកដែលមានកាលបរិច្ឆេទដែលស្ទួនគ្នានៅក្នុងជួរដេកផ្សេងទៀតត្រូវបានរកឃើញ: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: រកមិនឃើញអ៊ីម៉ែលបុគ្គលិក, ហេតុនេះមិនបានចាត់អ៊ីមែល"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},គ្មានរចនាសម្ព័ន្ធប្រាក់ខែត្រូវបានគេកំណត់សម្រាប់និយោជិក {0} នៅថ្ងៃដែលបានផ្តល់ឱ្យ {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},ច្បាប់ដឹកជញ្ជូនមិនអាចអនុវត្តបានសម្រាប់ប្រទេស {0}
 DocType: Item,Foreign Trade Details,សេចក្ដីលម្អិតពាណិជ្ជកម្មបរទេស
@@ -1959,16 +1978,16 @@
 DocType: Email Digest,Annual Income,ប្រាក់ចំណូលប្រចាំឆ្នាំ
 DocType: Serial No,Serial No Details,គ្មានព័ត៌មានលំអិតសៀរៀល
 DocType: Purchase Invoice Item,Item Tax Rate,អត្រាអាករធាតុ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,ពីឈ្មោះគណបក្ស
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,ពីឈ្មោះគណបក្ស
 DocType: Student Group Student,Group Roll Number,លេខវិលគ្រុប
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0} មានតែគណនីឥណទានអាចត្រូវបានតភ្ជាប់ប្រឆាំងនឹងធាតុឥណពន្ធផ្សេងទៀត
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,ការដឹកជញ្ជូនចំណាំ {0} គឺមិនត្រូវបានដាក់ស្នើ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,ការដឹកជញ្ជូនចំណាំ {0} គឺមិនត្រូវបានដាក់ស្នើ
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,ធាតុ {0} ត្រូវតែជាធាតុអនុចុះកិច្ចសន្យា
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,ឧបករណ៍រាជធានី
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",វិធានកំណត់តម្លៃដំបូងត្រូវបានជ្រើសដោយផ្អែកលើ &#39;អនុវត្តនៅលើ&#39; វាលដែលអាចជាធាតុធាតុក្រុមឬម៉ាក។
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,សូមកំណត់កូដធាតុជាមុនសិន
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ប្រភេទឯកសារ
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,ចំនួនភាគរយត្រៀមបម្រុងទុកសរុបសម្រាប់លក់ក្រុមគួរមាន 100 នាក់
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ប្រភេទឯកសារ
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,ចំនួនភាគរយត្រៀមបម្រុងទុកសរុបសម្រាប់លក់ក្រុមគួរមាន 100 នាក់
 DocType: Subscription Plan,Billing Interval Count,រាប់ចន្លោះពេលចេញវិក្កយបត្រ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,ការណាត់ជួបនិងជួបអ្នកជម្ងឺ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,បាត់តម្លៃ
@@ -1982,6 +2001,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,បង្កើតការបោះពុម្ពទ្រង់ទ្រាយ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,តម្លៃត្រូវបានបង្កើត
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},មិនបានរកឃើញធាតុណាមួយហៅថា {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,តម្រងធាតុ
 DocType: Supplier Scorecard Criteria,Criteria Formula,រូបមន្តលក្ខណៈវិនិច្ឆ័យ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,ចេញសរុប
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",មានតែអាចជាលក្ខខណ្ឌមួយដែលមានការដឹកជញ្ជូនវិធាន 0 ឬតម្លៃវានៅទទេសម្រាប់ &quot;ឱ្យតម្លៃ&quot;
@@ -1990,14 +2010,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",ចំពោះធាតុ {0} បរិមាណត្រូវតែជាលេខវិជ្ជមាន
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ចំណាំ: មជ្ឈមណ្ឌលនេះជាការចំណាយក្រុម។ មិនអាចធ្វើឱ្យការបញ្ចូលគណនីប្រឆាំងនឹងក្រុម។
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,ថ្ងៃស្នើសុំការឈប់សម្រាកមិនមានថ្ងៃឈប់សម្រាកត្រឹមត្រូវ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,ឃ្លាំងកុមារមានសម្រាប់ឃ្លាំងនេះ។ អ្នកមិនអាចលុបឃ្លាំងនេះ។
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ឃ្លាំងកុមារមានសម្រាប់ឃ្លាំងនេះ។ អ្នកមិនអាចលុបឃ្លាំងនេះ។
 DocType: Item,Website Item Groups,ក្រុមធាតុវេបសាយ
 DocType: Purchase Invoice,Total (Company Currency),សរុប (ក្រុមហ៊ុនរូបិយវត្ថុ)
 DocType: Daily Work Summary Group,Reminder,ការរំលឹក
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,តម្លៃដែលអាចចូលបាន
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,តម្លៃដែលអាចចូលបាន
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,លេខសម្គាល់ {0} បានចូលច្រើនជាងមួយដង
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,ធាតុទិនានុប្បវត្តិ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,ពី GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,ពី GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,ចំនួនទឹកប្រាក់មិនបានទាមទារ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} ធាតុនៅក្នុងការរីកចំរើន
 DocType: Workstation,Workstation Name,ឈ្មោះស្ថានីយការងារ Stencils
@@ -2005,7 +2025,7 @@
 DocType: POS Item Group,POS Item Group,គ្រុបធាតុម៉ាស៊ីនឆូតកាត
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,សង្ខេបអ៊ីម៉ែល:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,ធាតុជំនួសមិនត្រូវដូចគ្នានឹងលេខកូដធាតុទេ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Bom {0} មិនមែនជារបស់ធាតុ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Bom {0} មិនមែនជារបស់ធាតុ {1}
 DocType: Sales Partner,Target Distribution,ចែកចាយគោលដៅ
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06- ការបញ្ចប់នៃការវាយតម្លៃបណ្តោះអាសន្ន
 DocType: Salary Slip,Bank Account No.,លេខគណនីធនាគារ
@@ -2014,7 +2034,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","អថេរពិន្ទុអាចត្រូវបានប្រើរួមទាំង: {total_score} (ពិន្ទុសរុបពីអំឡុងពេលនោះ), {period_number} (ចំនួនកំឡុងពេលដល់បច្ចុប្បន្ន)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,វេញទាំងអស់
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,វេញទាំងអស់
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,បង្កើតលំដាប់ទិញ
 DocType: Quality Inspection Reading,Reading 8,ការអាន 8
 DocType: Inpatient Record,Discharge Note,កំណត់ហេតុការឆក់
@@ -2030,7 +2050,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,ឯកសិទ្ធិចាកចេញ
 DocType: Purchase Invoice,Supplier Invoice Date,កាលបរិច្ឆេទផ្គត់ផ្គង់វិក័យប័ត្រ
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,តម្លៃនេះត្រូវបានប្រើសម្រាប់ការគណនានៃការបណ្ដោះអាសន្ន
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,អ្នកត្រូវអនុញ្ញាតកន្រ្តកទំនិញ
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,អ្នកត្រូវអនុញ្ញាតកន្រ្តកទំនិញ
 DocType: Payment Entry,Writeoff,សរសេរបិទ
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-yYYYY.-
 DocType: Stock Settings,Naming Series Prefix,ដាក់ឈ្មោះបុព្វបទស៊េរី
@@ -2045,11 +2065,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,លក្ខខណ្ឌត្រួតស៊ីគ្នាបានរកឃើញរវាង:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ប្រឆាំងនឹង Journal Entry {0} ត្រូវបានលៃតម្រូវរួចទៅហើយប្រឆាំងនឹងកាតមានទឹកប្រាក់មួយចំនួនផ្សេងទៀត
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,តម្លៃលំដាប់សរុប
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,អាហារ
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,អាហារ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,ជួរ Ageing 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ពត៌មានលំអិតប័ណ្ណទូទាត់របស់ម៉ាស៊ីនឆូតកាត
 DocType: Shopify Log,Shopify Log,ចុះឈ្មោះទិញទំនិញ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,សូមកំណត់ស៊ុមឈ្មោះសម្រាប់ {0} តាម Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,កត់ឈ្មោះចូល
 DocType: Maintenance Schedule Item,No of Visits,គ្មានការមើល
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},កាលវិភាគថែរក្សា {0} ដែលមានការប្រឆាំងនឹង {1}
@@ -2089,6 +2108,7 @@
 DocType: Salary Structure,Max Benefits (Amount),អត្ថប្រយោជន៍អតិបរមា (បរិមាណ)
 DocType: Purchase Invoice,Contact Person,ទំនាក់ទំនង
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&quot;ការរំពឹងទុកការចាប់ផ្តើមកាលបរិច្ឆេទ&quot; មិនអាចជាធំជាងការរំពឹងទុកកាលបរិច្ឆេទបញ្ចប់ &quot;
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,មិនមានទិន្នន័យសម្រាប់រយៈពេលនេះ
 DocType: Course Scheduling Tool,Course End Date,ការពិតណាស់កាលបរិច្ឆេទបញ្ចប់
 DocType: Holiday List,Holidays,ថ្ងៃឈប់សម្រាក
 DocType: Sales Order Item,Planned Quantity,បរិមាណដែលបានគ្រោងទុក
@@ -2100,7 +2120,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,ការផ្លាស់ប្តូរសុទ្ធនៅលើអចលនទ្រព្យ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Qty Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,ប្រសិនបើអ្នកទុកវាឱ្យទទេសម្រាប់ការរចនាទាំងអស់បានពិចារណាថា
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទុកនៃប្រភេទ &#39;ជាក់ស្តែង &quot;នៅក្នុងជួរដេកដែលបាន {0} មិនអាចត្រូវបានរួមបញ្ចូលនៅក្នុងអត្រាធាតុ
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទុកនៃប្រភេទ &#39;ជាក់ស្តែង &quot;នៅក្នុងជួរដេកដែលបាន {0} មិនអាចត្រូវបានរួមបញ្ចូលនៅក្នុងអត្រាធាតុ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},អតិបរមា: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ចាប់ពី Datetime
 DocType: Shopify Settings,For Company,សម្រាប់ក្រុមហ៊ុន
@@ -2113,9 +2133,9 @@
 DocType: Material Request,Terms and Conditions Content,លក្ខខណ្ឌមាតិកា
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,មានកំហុសក្នុងការបង្កើតកាលវិភាគវគ្គសិក្សា
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,អ្នកអនុម័តចំណាយលើកដំបូងនៅក្នុងបញ្ជីនឹងត្រូវបានកំណត់ជាអ្នកអនុម័តចំណាយ។
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,មិនអាចជាធំជាង 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,មិនអាចជាធំជាង 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,អ្នកត្រូវតែជាអ្នកប្រើក្រៅពីអ្នកគ្រប់គ្រងជាមួយកម្មវិធីគ្រប់គ្រងប្រព័ន្ធនិងតួនាទីកម្មវិធីគ្រប់គ្រងធាតុដើម្បីចុះឈ្មោះនៅលើទីផ្សារ។
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,ធាតុ {0} គឺមិនមានធាតុភាគហ៊ុន
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,ធាតុ {0} គឺមិនមានធាតុភាគហ៊ុន
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC -YYYY.-
 DocType: Maintenance Visit,Unscheduled,គ្មានការគ្រោងទុក
 DocType: Employee,Owned,កម្មសិទ្ធផ្ទាល់ខ្លួន
@@ -2143,7 +2163,7 @@
 DocType: HR Settings,Employee Settings,ការកំណត់បុគ្គលិក
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,កំពុងផ្ទុកប្រព័ន្ធទូទាត់
 ,Batch-Wise Balance History,ប្រាជ្ញាតុល្យភាពបាច់ប្រវត្តិ
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ជួរដេក # {0}: មិនអាចកំណត់អត្រាប្រសិនបើបរិមាណធំជាងបរិមាណវិក្កយបត្រសម្រាប់ធាតុ {1} ។
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ជួរដេក # {0}: មិនអាចកំណត់អត្រាប្រសិនបើបរិមាណធំជាងបរិមាណវិក្កយបត្រសម្រាប់ធាតុ {1} ។
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ការកំណត់បោះពុម្ពទាន់សម័យក្នុងទ្រង់ទ្រាយម៉ាស៊ីនបោះពុម្ពរបស់
 DocType: Package Code,Package Code,កូដកញ្ចប់
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,សិស្ស
@@ -2151,7 +2171,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,បរិមាណដែលត្រូវទទួលទានអវិជ្ជមានមិនត្រូវបានអនុញ្ញាត
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",តារាងពន្ធលើការដែលបានទៅយកពីព័ត៌មានលម្អិតធាតុដែលម្ចាស់ជាខ្សែអក្សរមួយនិងបានរក្សាទុកនៅក្នុងវាលនេះ។ ត្រូវបានប្រើសម្រាប់ការបង់ពន្ធនិងបន្ទុក
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,បុគ្គលិកមិនអាចរាយការណ៍ទៅខ្លួនឯង។
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,បុគ្គលិកមិនអាចរាយការណ៍ទៅខ្លួនឯង។
 DocType: Leave Type,Max Leaves Allowed,បានអនុញ្ញាតឱ្យប្រើអតិបរមា
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",ប្រសិនបើគណនីគឺជាការកកធាតុត្រូវបានអនុញ្ញាតឱ្យអ្នកប្រើប្រាស់ដាក់កម្រិត។
 DocType: Email Digest,Bank Balance,ធនាគារតុល្យភាព
@@ -2177,6 +2197,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,ធាតុធនាគារកិច្ចការ
 DocType: Quality Inspection,Readings,អាន
 DocType: Stock Entry,Total Additional Costs,ការចំណាយបន្ថែមទៀតសរុប
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,លេខនៃអន្តរកម្ម
 DocType: BOM,Scrap Material Cost(Company Currency),សំណល់អេតចាយសម្ភារៈតម្លៃ (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,ផ្ដុំផ្នែកបញ្ចូលគ្នាជាឯកតា
 DocType: Asset,Asset Name,ឈ្មោះទ្រព្យសម្បត្តិ
@@ -2184,10 +2205,10 @@
 DocType: Shipping Rule Condition,To Value,ទៅតម្លៃ
 DocType: Loyalty Program,Loyalty Program Type,ប្រភេទកម្មវិធីភាពស្មោះត្រង់
 DocType: Asset Movement,Stock Manager,ភាគហ៊ុនប្រធានគ្រប់គ្រង
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},ឃ្លាំងប្រភពចាំបាច់សម្រាប់ជួរ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},ឃ្លាំងប្រភពចាំបាច់សម្រាប់ជួរ {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,រយៈពេលបង់ប្រាក់នៅជួរដេក {0} អាចមានស្ទួន។
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),កសិកម្ម (បែតា)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,ការិយាល័យសំរាប់ជួល
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,ការកំណត់ច្រកចេញចូលការរៀបចំសារជាអក្សរ
 DocType: Disease,Common Name,ឈ្មោះទូទៅ
@@ -2219,20 +2240,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,អ៊ីម៉ែលទៅឱ្យបុគ្គលិកគ្រូពេទ្យប្រហែលជាប្រាក់ខែ
 DocType: Cost Center,Parent Cost Center,មជ្ឈមណ្ឌលតម្លៃដែលមាតាឬបិតា
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,ជ្រើសផ្គត់ផ្គង់អាចធ្វើបាន
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,ជ្រើសផ្គត់ផ្គង់អាចធ្វើបាន
 DocType: Sales Invoice,Source,ប្រភព
 DocType: Customer,"Select, to make the customer searchable with these fields","ជ្រើស, ដើម្បីធ្វើឱ្យអតិថិជនអាចស្វែងរកបានជាមួយវាលទាំងនេះ"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,នាំចូលកំណត់សំគាល់ការដឹកជញ្ជូនពី Shopify លើការដឹកជញ្ជូន
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,បង្ហាញបានបិទ
 DocType: Leave Type,Is Leave Without Pay,ត្រូវទុកឱ្យដោយគ្មានការបង់
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-yYYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,ទ្រព្យសម្បត្តិប្រភេទជាការចាំបាច់សម្រាប់ធាតុទ្រព្យសកម្មថេរ
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,ទ្រព្យសម្បត្តិប្រភេទជាការចាំបាច់សម្រាប់ធាតុទ្រព្យសកម្មថេរ
 DocType: Fee Validity,Fee Validity,ថ្លៃសុពលភាព
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,រកឃើញនៅក្នុងតារាងគ្មានប្រាក់បង់ការកត់ត្រា
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},នេះ {0} ជម្លោះជាមួយ {1} សម្រាប់ {2} {3}
 DocType: Student Attendance Tool,Students HTML,សិស្សរបស់ HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","សូមលុបនិយោជិក <a href=""#Form/Employee/{0}"">{0}</a> \ ដើម្បីបោះបង់ឯកសារនេះ"
 DocType: POS Profile,Apply Discount,អនុវត្តការបញ្ចុះតម្លៃ
 DocType: GST HSN Code,GST HSN Code,កូដ HSN ជីអេសធី
 DocType: Employee External Work History,Total Experience,បទពិសោធន៍សរុប
@@ -2255,7 +2273,7 @@
 DocType: Maintenance Schedule,Schedules,កាលវិភាគ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,ព័ត៌មានអំពីម៉ាស៊ីនឆូតកាតត្រូវបានតម្រូវឱ្យប្រើ Point-of-Sale
 DocType: Cashier Closing,Net Amount,ចំនួនទឹកប្រាក់សុទ្ធ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} មិនត្រូវបានដាក់ស្នើដូច្នេះសកម្មភាពនេះមិនអាចត្រូវបានបញ្ចប់
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} មិនត្រូវបានដាក់ស្នើដូច្នេះសកម្មភាពនេះមិនអាចត្រូវបានបញ្ចប់
 DocType: Purchase Order Item Supplied,BOM Detail No,ពត៌មានលំអិត Bom គ្មាន
 DocType: Landed Cost Voucher,Additional Charges,ការចោទប្រកាន់បន្ថែម
 DocType: Support Search Source,Result Route Field,វាលផ្លូវលទ្ធផល
@@ -2284,11 +2302,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,បើកវិក្កយបត្រ
 DocType: Contract,Contract Details,ព័ត៌មានកិច្ចសន្យា
 DocType: Employee,Leave Details,ទុកព័ត៌មានលម្អិត
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,សូមកំណត់លេខសម្គាល់អ្នកប្រើនៅក្នុងវាលកំណត់ត្រានិយោជិតម្នាក់ក្នុងការកំណត់តួនាទីរបស់និយោជិត
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,សូមកំណត់លេខសម្គាល់អ្នកប្រើនៅក្នុងវាលកំណត់ត្រានិយោជិតម្នាក់ក្នុងការកំណត់តួនាទីរបស់និយោជិត
 DocType: UOM,UOM Name,ឈ្មោះ UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,អាស័យដ្ឋានទី១
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,អាស័យដ្ឋានទី១
 DocType: GST HSN Code,HSN Code,កូដ HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,ចំនួនទឹកប្រាក់ចំែណក
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,ចំនួនទឹកប្រាក់ចំែណក
 DocType: Inpatient Record,Patient Encounter,ជួបជាមួយអ្នកជម្ងឺ
 DocType: Purchase Invoice,Shipping Address,ការដឹកជញ្ជូនអាសយដ្ឋាន
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ឧបករណ៍នេះអាចជួយអ្នកក្នុងការធ្វើឱ្យទាន់សម័យឬជួសជុលបរិមាណនិងតម្លៃនៃភាគហ៊ុននៅក្នុងប្រព័ន្ធ។ វាត្រូវបានប្រើដើម្បីធ្វើសមកាលកម្មតម្លៃប្រព័ន្ធនិងអ្វីដែលជាការពិតមាននៅក្នុងឃ្លាំងរបស់អ្នក។
@@ -2305,9 +2323,9 @@
 DocType: Travel Itinerary,Mode of Travel,របៀបធ្វើដំណើរ
 DocType: Sales Invoice Item,Brand Name,ឈ្មោះម៉ាក
 DocType: Purchase Receipt,Transporter Details,សេចក្ដីលម្អិតដឹកជញ្ជូន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,លំនាំដើមឃ្លាំងគឺត្រូវតែមានសម្រាប់មុខទំនិញដែលបានជ្រើសរើស
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,លំនាំដើមឃ្លាំងគឺត្រូវតែមានសម្រាប់មុខទំនិញដែលបានជ្រើសរើស
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,ប្រអប់
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,ហាងទំនិញដែលអាចធ្វើបាន
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,ហាងទំនិញដែលអាចធ្វើបាន
 DocType: Budget,Monthly Distribution,ចែកចាយប្រចាំខែ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,បញ្ជីអ្នកទទួលគឺទទេ។ សូមបង្កើតបញ្ជីអ្នកទទួល
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),សុខភាព (បែតា)
@@ -2328,6 +2346,7 @@
 ,Lead Name,ការនាំមុខឈ្មោះ
 ,POS,ម៉ាស៊ីនឆូតកាត
 DocType: C-Form,III,III បាន
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,ការប្រមើលមើល
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,ការបើកផ្សារហ៊ុនតុល្យភាព
 DocType: Asset Category Account,Capital Work In Progress Account,ដំណើរការដើមទុនកំពុងដំណើរការ
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,ការលៃតម្រូវតម្លៃទ្រព្យសម្បត្តិ
@@ -2336,7 +2355,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ទុកបម្រុងទុកដោយជោគជ័យសម្រាប់ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,គ្មានមុខទំនិញសម្រាប់វេចខ្ចប់
 DocType: Shipping Rule Condition,From Value,ពីតម្លៃ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,បរិមាណដែលត្រូវទទួលទានគឺចាំបាច់កម្មន្តសាល
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,បរិមាណដែលត្រូវទទួលទានគឺចាំបាច់កម្មន្តសាល
 DocType: Loan,Repayment Method,វិធីសាស្រ្តការទូទាត់សង
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",ប្រសិនបើបានធីកទំព័រដើមនេះនឹងត្រូវបានក្រុមធាតុលំនាំដើមសម្រាប់គេហទំព័រនេះ
 DocType: Quality Inspection Reading,Reading 4,ការអានទី 4
@@ -2361,7 +2380,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ការបញ្ជូនបុគ្គលិក
 DocType: Student Group,Set 0 for no limit,កំណត់ 0 សម្រាប់គ្មានដែនកំណត់
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,ថ្ងៃនេះ (s) បាននៅលើដែលអ្នកកំពុងដាក់ពាក្យសុំឈប់សម្រាកគឺជាថ្ងៃឈប់សម្រាក។ អ្នកត្រូវការត្រូវបានអនុវត្តសម្រាប់ការឈប់សម្រាក។
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,ជួរដេក {idx}: {វាល} ត្រូវបានទាមទារដើម្បីបង្កើតវិក័យបត្រ {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,អាសយដ្ឋានបឋមសិក្សានិងព័ត៌មានទំនាក់ទំនង
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,ផ្ញើការទូទាត់អ៊ីម៉ែល
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,ភារកិច្ចថ្មី
@@ -2371,8 +2389,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,សូមជ្រើសរើសយ៉ាងហោចណាស់ដែនមួយ។
 DocType: Dependent Task,Dependent Task,ការងារពឹងផ្អែក
 DocType: Shopify Settings,Shopify Tax Account,ទិញទំនិញគណនី
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},កត្តាប្រែចិត្តជឿសម្រាប់អង្គភាពលំនាំដើមត្រូវតែមានវិធានការក្នុងមួយជួរដេក 1 {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},ការឈប់សម្រាកនៃប្រភេទ {0} មិនអាចមានយូរជាង {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},កត្តាប្រែចិត្តជឿសម្រាប់អង្គភាពលំនាំដើមត្រូវតែមានវិធានការក្នុងមួយជួរដេក 1 {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},ការឈប់សម្រាកនៃប្រភេទ {0} មិនអាចមានយូរជាង {1}
 DocType: Delivery Trip,Optimize Route,បង្កើនប្រសិទ្ធភាពផ្លូវ
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,ការធ្វើផែនការប្រតិបត្ដិការសម្រាប់ការព្យាយាមរបស់ X នៅមុនថ្ងៃ។
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2381,14 +2399,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},សូមកំណត់បើកប្រាក់បៀវត្សគណនីទូទាត់លំនាំដើមក្នុងក្រុមហ៊ុន {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,ទទួលបានការបែងចែកហិរញ្ញវត្ថុនៃពន្ធនិងការគិតថ្លៃទិន្នន័យដោយក្រុមហ៊ុន Amazon
 DocType: SMS Center,Receiver List,បញ្ជីអ្នកទទួល
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,ស្វែងរកធាតុ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,ស្វែងរកធាតុ
 DocType: Payment Schedule,Payment Amount,ចំនួនទឹកប្រាក់ការទូទាត់
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,ថ្ងៃពាក់កណ្តាលថ្ងៃគួរស្ថិតនៅចន្លោះរវាងការងារពីកាលបរិច្ឆេទបញ្ចប់និងកាលបរិច្ឆេទការងារ
 DocType: Healthcare Settings,Healthcare Service Items,សេវាកម្មថែទាំសុខភាព
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,ចំនួនទឹកប្រាក់ដែលគេប្រើប្រាស់
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,ការផ្លាស់ប្តូរសាច់ប្រាក់សុទ្ធ
 DocType: Assessment Plan,Grading Scale,ធ្វើមាត្រដ្ឋានពិន្ទុ
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ឯកតារង្វាស់ {0} ត្រូវបានបញ្ចូលលើសពីមួយដងនៅក្នុងការសន្ទនាកត្តាតារាង
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ឯកតារង្វាស់ {0} ត្រូវបានបញ្ចូលលើសពីមួយដងនៅក្នុងការសន្ទនាកត្តាតារាង
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,បានបញ្ចប់រួចទៅហើយ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,ភាគហ៊ុននៅក្នុងដៃ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2411,25 +2429,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,សៀរៀលគ្មាន {0} {1} បរិមាណមិនអាចធ្វើជាប្រភាគ
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,សូមបញ្ចូលអាសយដ្ឋានម៉ាស៊ីនបម្រើ Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,ក្រុមហ៊ុនផ្គត់ផ្គង់ផ្នែកមួយចំនួន
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,អត្រានៃការប្រែចិត្តជឿមិនអាចជា 0 ឬ 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,អត្រានៃការប្រែចិត្តជឿមិនអាចជា 0 ឬ 1
 DocType: Share Balance,To No,ទេ
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ភារកិច្ចចាំបាច់ទាំងអស់សម្រាប់ការបង្កើតបុគ្គលិកមិនទាន់បានធ្វើនៅឡើយទេ។
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ត្រូវបានលុបចោលឬបញ្ឈប់
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ត្រូវបានលុបចោលឬបញ្ឈប់
 DocType: Accounts Settings,Credit Controller,ឧបករណ៍ត្រួតពិនិត្យឥណទាន
 DocType: Loan,Applicant Type,ប្រភេទបេក្ខជន
 DocType: Purchase Invoice,03-Deficiency in services,03 - កង្វះខាតក្នុងសេវា
 DocType: Healthcare Settings,Default Medical Code Standard,ស្តង់ដារវេជ្ជសាស្ត្រលំនាំដើម
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,ការទិញការទទួល {0} គឺមិនត្រូវបានដាក់ស្នើ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,ការទិញការទទួល {0} គឺមិនត្រូវបានដាក់ស្នើ
 DocType: Company,Default Payable Account,គណនីទូទាត់លំនាំដើម
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",ការកំណត់សម្រាប់រទេះដើរទិញឥវ៉ាន់អនឡាញដូចជាវិធានការដឹកជញ្ជូនបញ្ជីតម្លៃល
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE -YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% បានបង់ប្រាក់
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,រក្សា Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,រក្សា Qty
 DocType: Party Account,Party Account,គណនីគណបក្ស
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,សូមជ្រើសរើសក្រុមហ៊ុននិងការកំណត់
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,ធនធានមនុស្ស
-DocType: Lead,Upper Income,ផ្នែកខាងលើប្រាក់ចំណូល
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,ផ្នែកខាងលើប្រាក់ចំណូល
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,ច្រានចោល
 DocType: Journal Entry Account,Debit in Company Currency,ឥណពន្ធក្នុងក្រុមហ៊ុនរូបិយប័ណ្ណ
 DocType: BOM Item,BOM Item,មុខទំនិញ BOM
@@ -2446,7 +2464,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",ការបើកចំហរការងារសម្រាប់ការកំណត់ {0} បានបើកចំហររួចហើយឬបានបញ្ចប់ការងារក្នុងផែនការបុគ្គលិក {1}
 DocType: Vital Signs,Constipated,មិនទៀងទាត់
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},ប្រឆាំងនឹងការផ្គត់ផ្គង់វិក័យប័ត្រ {0} {1} ចុះកាលបរិច្ឆេទ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},ប្រឆាំងនឹងការផ្គត់ផ្គង់វិក័យប័ត្រ {0} {1} ចុះកាលបរិច្ឆេទ
 DocType: Customer,Default Price List,តារាងតម្លៃលំនាំដើម
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,កំណត់ត្រាចលនាទ្រព្យសកម្ម {0} បង្កើតឡើង
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,មិនមែនមុខទំនិញ
@@ -2462,16 +2480,17 @@
 DocType: Journal Entry,Entry Type,ប្រភេទធាតុ
 ,Customer Credit Balance,សមតុល្យឥណទានអតិថិជន
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,ការផ្លាស់ប្តូរសុទ្ធក្នុងគណនីទូទាត់
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),ការកំណត់ឥណទានត្រូវបានឆ្លងកាត់សម្រាប់អតិថិជន {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,សូមកំណត់ស៊ុមឈ្មោះសម្រាប់ {0} តាម Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),ការកំណត់ឥណទានត្រូវបានឆ្លងកាត់សម្រាប់អតិថិជន {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',អតិថិជនដែលបានទាមទារសម្រាប់ &#39;បញ្ចុះតម្លៃ Customerwise &quot;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,ធ្វើឱ្យទាន់សម័យកាលបរិច្ឆេទទូទាត់ប្រាក់ធនាគារដែលទិនានុប្បវត្តិ។
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,ការកំណត់តម្លៃ
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,ការកំណត់តម្លៃ
 DocType: Quotation,Term Details,ពត៌មានលំអិតរយៈពេល
 DocType: Employee Incentive,Employee Incentive,ប្រាក់លើកទឹកចិត្តបុគ្គលិក
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,មិនអាចចុះឈ្មោះចូលរៀនច្រើនជាង {0} សិស្សសម្រាប់ក្រុមនិស្សិតនេះ។
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),សរុប (ដោយគ្មានពន្ធ)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,អ្នកដឹកនាំការរាប់
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,មានភាគហ៊ុន
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,មានភាគហ៊ុន
 DocType: Manufacturing Settings,Capacity Planning For (Days),ផែនការការកសាងសមត្ថភាពសម្រាប់ (ថ្ងៃ)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,លទ្ធកម្ម
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,គ្មានមុខទំនិញដែលបានផ្លាស់ប្ដូរបរិមាណ និងតម្លៃ
@@ -2495,7 +2514,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,ទុកឱ្យនិងការចូលរួម
 DocType: Asset,Comprehensive Insurance,ការធានារ៉ាប់រងទូលំទូលាយ
 DocType: Maintenance Visit,Partially Completed,បានបញ្ចប់ដោយផ្នែក
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},ចំណុចភក្ដីភាព: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},ចំណុចភក្ដីភាព: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,បន្ថែមមេ
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,ភាពប្រែប្រួលកំរិតមធ្យម
 DocType: Leave Type,Include holidays within leaves as leaves,រួមបញ្ចូលថ្ងៃឈប់សម្រាកនៅក្នុងស្លឹកជាស្លឹក
 DocType: Loyalty Program,Redemption,ការប្រោសលោះ
@@ -2529,7 +2549,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,ចំណាយទីផ្សារ
 ,Item Shortage Report,របាយការណ៍កង្វះធាតុ
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,មិនអាចបង្កើតលក្ខណៈវិនិច្ឆ័យស្តង់ដារបានទេ។ សូមប្តូរឈ្មោះលក្ខណៈវិនិច្ឆ័យ
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",ទំងន់ត្រូវបានបង្ហាញ \ n សូមនិយាយអំពី &quot;ទម្ងន់ UOM&quot; ពេក
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",ទំងន់ត្រូវបានបង្ហាញ \ n សូមនិយាយអំពី &quot;ទម្ងន់ UOM&quot; ពេក
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,សម្ភារៈស្នើសុំប្រើដើម្បីធ្វើឱ្យផ្សារហ៊ុននេះបានចូល
 DocType: Hub User,Hub Password,ពាក្យសម្ងាត់ហាប់
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,ក្រុមដែលមានមូលដ្ឋាននៅជំនាន់ការពិតណាស់ការដាច់ដោយឡែកសម្រាប់គ្រប់
@@ -2543,15 +2563,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),រយៈពេលនៃការតែងតាំង (នាទី)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ធ្វើឱ្យធាតុគណនេយ្យសម្រាប់គ្រប់ចលនាហ៊ុន
 DocType: Leave Allocation,Total Leaves Allocated,ចំនួនសរុបដែលបានបម្រុងទុកស្លឹក
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,សូមបញ្ចូលឆ្នាំដែលមានសុពលភាពហិរញ្ញវត្ថុកាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,សូមបញ្ចូលឆ្នាំដែលមានសុពលភាពហិរញ្ញវត្ថុកាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់
 DocType: Employee,Date Of Retirement,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍
 DocType: Upload Attendance,Get Template,ទទួលបានទំព័រគំរូ
+,Sales Person Commission Summary,ផ្នែកសង្ខេបនៃការលក់របស់បុគ្គល
 DocType: Additional Salary Component,Additional Salary Component,សមាសភាគប្រាក់ខែបន្ថែម
 DocType: Material Request,Transferred,ផ្ទេរ
 DocType: Vehicle,Doors,ទ្វារ
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ការដំឡើង ERPNext ទាំងស្រុង!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ការដំឡើង ERPNext ទាំងស្រុង!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,ប្រមូលកម្រៃសម្រាប់ការចុះឈ្មោះអ្នកជំងឺ
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,មិនអាចផ្លាស់ប្តូរគុណលក្ខណៈបន្ទាប់ពីការធ្វើប្រតិបត្តិការភាគហ៊ុន។ បង្កើតធាតុថ្មីនិងផ្ទេរភាគហ៊ុនទៅធាតុថ្មី
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,មិនអាចផ្លាស់ប្តូរគុណលក្ខណៈបន្ទាប់ពីការធ្វើប្រតិបត្តិការភាគហ៊ុន។ បង្កើតធាតុថ្មីនិងផ្ទេរភាគហ៊ុនទៅធាតុថ្មី
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,បែកគ្នាពន្ធ
 DocType: Employee,Joining Details,ចូលរួមព័ត៌មានលំអិត
@@ -2579,14 +2600,15 @@
 DocType: Lead,Next Contact By,ទំនាក់ទំនងបន្ទាប់ដោយ
 DocType: Compensatory Leave Request,Compensatory Leave Request,សំណើសុំប្រាក់សំណង
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},បរិមាណដែលទាមទារសម្រាប់ធាតុ {0} នៅក្នុងជួរដេក {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},ឃ្លាំង {0} មិនអាចត្រូវបានលុបជាបរិមាណមានសម្រាប់ធាតុ {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ឃ្លាំង {0} មិនអាចត្រូវបានលុបជាបរិមាណមានសម្រាប់ធាតុ {1}
 DocType: Blanket Order,Order Type,ប្រភេទលំដាប់
 ,Item-wise Sales Register,ធាតុប្រាជ្ញាលក់ចុះឈ្មោះ
 DocType: Asset,Gross Purchase Amount,ចំនួនទឹកប្រាក់សរុបការទិញ
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,បើកសមតុល្យ
 DocType: Asset,Depreciation Method,វិធីសាស្រ្តរំលស់
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,តើការប្រមូលពន្ធលើនេះបានរួមបញ្ចូលក្នុងអត្រាជាមូលដ្ឋាន?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,គោលដៅសរុប
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,គោលដៅសរុប
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,ការវិភាគលើការយល់ដឹង
 DocType: Soil Texture,Sand Composition (%),សមាសធាតុខ្សាច់ (%)
 DocType: Job Applicant,Applicant for a Job,កម្មវិធីសម្រាប់ការងារ
 DocType: Production Plan Material Request,Production Plan Material Request,ផលិតកម្មសំណើសម្ភារៈផែនការ
@@ -2601,23 +2623,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),ការវាយតម្លៃសម្គាល់ (ក្នុងចំណោម 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 ទូរស័ព្ទដៃគ្មាន
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,ដើមចម្បង
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,ធាតុបន្ទាប់ {0} មិនត្រូវបានសម្គាល់ជា {1} ធាតុ។ អ្នកអាចបើកពួកវាជាធាតុ {1} ពីវត្ថុធាតុរបស់វា
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,វ៉ារ្យ៉ង់
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","ចំពោះធាតុ {0}, បរិមាណត្រូវតែជាលេខអវិជ្ជមាន"
 DocType: Naming Series,Set prefix for numbering series on your transactions,កំណត់បុព្វបទសម្រាប់លេខស៊េរីលើប្រតិបតិ្តការរបស់អ្នក
 DocType: Employee Attendance Tool,Employees HTML,និយោជិករបស់ HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Bom លំនាំដើម ({0}) ត្រូវតែសកម្មសម្រាប់ធាតុនេះឬពុម្ពរបស់ខ្លួន
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Bom លំនាំដើម ({0}) ត្រូវតែសកម្មសម្រាប់ធាតុនេះឬពុម្ពរបស់ខ្លួន
 DocType: Employee,Leave Encashed?,ទុកឱ្យ Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ឱកាសក្នុងវាលពីគឺចាំបាច់
 DocType: Email Digest,Annual Expenses,ការចំណាយប្រចាំឆ្នាំ
 DocType: Item,Variants,វ៉ារ្យ៉ង់
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,ធ្វើឱ្យការទិញសណ្តាប់ធ្នាប់
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,ធ្វើឱ្យការទិញសណ្តាប់ធ្នាប់
 DocType: SMS Center,Send To,បញ្ជូនទៅ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},មិនមានតុល្យភាពឈប់សម្រាកឱ្យបានគ្រប់គ្រាន់សម្រាប់ទុកឱ្យប្រភេទ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},មិនមានតុល្យភាពឈប់សម្រាកឱ្យបានគ្រប់គ្រាន់សម្រាប់ទុកឱ្យប្រភេទ {0}
 DocType: Payment Reconciliation Payment,Allocated amount,ទឹកប្រាក់ដែលត្រៀមបម្រុងទុក
 DocType: Sales Team,Contribution to Net Total,ការចូលរួមចំណែកក្នុងការសុទ្ធសរុប
 DocType: Sales Invoice Item,Customer's Item Code,លេខកូតមុខទំនិញរបស់អតិថិជន
 DocType: Stock Reconciliation,Stock Reconciliation,ភាគហ៊ុនការផ្សះផ្សា
 DocType: Territory,Territory Name,ឈ្មោះទឹកដី
+DocType: Email Digest,Purchase Orders to Receive,ទិញការបញ្ជាទិញដើម្បីទទួល
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,ការងារក្នុងវឌ្ឍនភាពឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,អ្នកអាចមានផែនការដែលមានវដ្តវិក័យប័ត្រដូចគ្នានៅក្នុងការជាវ
 DocType: Bank Statement Transaction Settings Item,Mapped Data,បានរៀបចំទិន្នន័យ
@@ -2634,9 +2658,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},លេខសៀរៀស្ទួនបានបញ្ចូលក្នុងមុខទំនិញ {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,បទដឹកនាំដោយប្រភពនាំមុខ។
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,លក្ខខណ្ឌមួយសម្រាប់វិធានការដឹកជញ្ជូនមួយ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,សូមបញ្ចូល
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,សូមបញ្ចូល
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,កំណត់ហេតុថែទាំ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ទំងន់សុទ្ធកញ្ចប់នេះ។ (គណនាដោយស្វ័យប្រវត្តិជាផលបូកនៃទម្ងន់សុទ្ធនៃធាតុ)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,ធ្វើឱ្យក្រុមហ៊ុនចុះបញ្ជីក្លឹប Inter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,ចំនួនបញ្ចុះតម្លៃមិនអាចលើសពី 100%
@@ -2645,15 +2669,15 @@
 DocType: Sales Order,To Deliver and Bill,ដើម្បីផ្តល់និង Bill
 DocType: Student Group,Instructors,គ្រូបង្វឹក
 DocType: GL Entry,Credit Amount in Account Currency,ចំនួនឥណទានរូបិយប័ណ្ណគណនី
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Bom {0} ត្រូវតែត្រូវបានដាក់ជូន
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,ការគ្រប់គ្រងចែករំលែក
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Bom {0} ត្រូវតែត្រូវបានដាក់ជូន
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,ការគ្រប់គ្រងចែករំលែក
 DocType: Authorization Control,Authorization Control,ការត្រួតពិនិត្យសេចក្តីអនុញ្ញាត
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ជួរដេក # {0}: ឃ្លាំងគឺជាការចាំបាច់បានច្រានចោលការប្រឆាំងនឹងធាតុច្រានចោល {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,ការទូទាត់
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ជួរដេក # {0}: ឃ្លាំងគឺជាការចាំបាច់បានច្រានចោលការប្រឆាំងនឹងធាតុច្រានចោល {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,ការទូទាត់
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","ឃ្លាំង {0} គឺមិនត្រូវបានភ្ជាប់ទៅគណនីណាមួយ, សូមនិយាយអំពីគណនីនៅក្នុងកំណត់ត្រាឃ្លាំងឬកំណត់គណនីសារពើភ័ណ្ឌលំនាំដើមនៅក្នុងក្រុមហ៊ុន {1} ។"
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,គ្រប់គ្រងការបញ្ជាទិញរបស់អ្នក
 DocType: Work Order Operation,Actual Time and Cost,ពេលវេលាពិតប្រាកដនិងការចំណាយ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ស្នើសុំសម្ភារៈនៃអតិបរមា {0} អាចត្រូវបានធ្វើឡើងសម្រាប់ធាតុ {1} នឹងដីកាសម្រេចលក់ {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ស្នើសុំសម្ភារៈនៃអតិបរមា {0} អាចត្រូវបានធ្វើឡើងសម្រាប់ធាតុ {1} នឹងដីកាសម្រេចលក់ {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,ច្រឹបកាត់
 DocType: Course,Course Abbreviation,អក្សរកាត់ការពិតណាស់
@@ -2665,6 +2689,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},ម៉ោងធ្វើការសរុបមិនគួរត្រូវបានធំជាងម៉ោងធ្វើការអតិបរមា {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,នៅថ្ងៃទី
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,ធាតុបាច់នៅក្នុងពេលនៃការលក់។
+DocType: Delivery Settings,Dispatch Settings,កំណត់ការបញ្ជូន
 DocType: Material Request Plan Item,Actual Qty,ជាក់ស្តែ Qty
 DocType: Sales Invoice Item,References,ឯកសារយោង
 DocType: Quality Inspection Reading,Reading 10,ការអាន 10
@@ -2674,11 +2699,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,អ្នកបានបញ្ចូលធាតុស្ទួន។ សូមកែតម្រូវនិងព្យាយាមម្ដងទៀត។
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,រង
 DocType: Asset Movement,Asset Movement,ចលនាទ្រព្យសម្បត្តិ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,ត្រូវបំពេញកិច្ចការការងារ {0}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,រទេះថ្មី
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,ត្រូវបំពេញកិច្ចការការងារ {0}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,រទេះថ្មី
 DocType: Taxable Salary Slab,From Amount,ពីចំនួន
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ធាតុ {0} គឺមិនមែនជាធាតុសៀរៀល
 DocType: Leave Type,Encashment,ការប៉ះទង្គិច
+DocType: Delivery Settings,Delivery Settings,កំណត់ការដឹកជញ្ជូន
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ទាញយកទិន្នន័យ
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},ការអនុញ្ញាតអតិបរមាដែលបានអនុញ្ញាតនៅក្នុងប្រភេទនៃការចាកចេញ {0} គឺ {1}
 DocType: SMS Center,Create Receiver List,បង្កើតបញ្ជីអ្នកទទួល
 DocType: Vehicle,Wheels,កង់
@@ -2694,7 +2721,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,រូបិយប័ណ្ណវិក័យប័ត្រត្រូវតែស្មើនឹងរូបិយប័ណ្ណឬរូបិយប័ណ្ណគណនីរបស់ភាគីដើម
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),បង្ហាញថាកញ្ចប់នេះគឺជាផ្នែកមួយនៃរឿងនេះការចែកចាយ (មានតែសេចក្តីព្រាង)
 DocType: Soil Texture,Loam,លាយ
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,ជួរដេក {0}: កាលបរិច្ឆេទផុតកំណត់មិនអាចត្រូវបានមុនពេលប្រកាសកាលបរិច្ឆេទ
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,ជួរដេក {0}: កាលបរិច្ឆេទផុតកំណត់មិនអាចត្រូវបានមុនពេលប្រកាសកាលបរិច្ឆេទ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,ធ្វើឱ្យធាតុទូទាត់ប្រាក់
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},បរិមាណដែលត្រូវទទួលទានសម្រាប់ធាតុ {0} ត្រូវតិចជាង {1}
 ,Sales Invoice Trends,ការលក់វិក័យប័ត្រនិន្នាការ
@@ -2702,12 +2729,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',អាចយោងជួរដេកតែប្រសិនបើប្រភេទបន្ទុកគឺ &quot;នៅលើចំនួនទឹកប្រាក់ជួរដេកមុន&quot; ឬ &quot;មុនជួរដេកសរុប
 DocType: Sales Order Item,Delivery Warehouse,ឃ្លាំងដឹកជញ្ជូន
 DocType: Leave Type,Earned Leave Frequency,ទទួលបានពីការចាកចេញពីប្រេកង់
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,មែកធាងនៃមជ្ឈមណ្ឌលការចំណាយហិរញ្ញវត្ថុ។
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,ប្រភេទរង
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,មែកធាងនៃមជ្ឈមណ្ឌលការចំណាយហិរញ្ញវត្ថុ។
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,ប្រភេទរង
 DocType: Serial No,Delivery Document No,ចែកចាយឯកសារមិនមាន
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ធានាឱ្យមានការដឹកជញ្ជូនដោយផ្អែកលើលេខស៊េរីផលិត
 DocType: Vital Signs,Furry,ខោទ្រនាប់
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},សូមកំណត់ &#39;គណនី / ចំណេញនៅលើបោះចោលបាត់បង់ទ្រព្យសកម្ម &quot;ក្នុងក្រុមហ៊ុន {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},សូមកំណត់ &#39;គណនី / ចំណេញនៅលើបោះចោលបាត់បង់ទ្រព្យសកម្ម &quot;ក្នុងក្រុមហ៊ុន {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ទទួលបានធាតុពីបង្កាន់ដៃទិញ
 DocType: Serial No,Creation Date,កាលបរិច្ឆេទបង្កើត
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},ទីតាំងគោលដៅត្រូវបានទាមទារសម្រាប់ទ្រព្យសម្បត្តិ {0}
@@ -2721,10 +2748,11 @@
 DocType: Item,Has Variants,មានវ៉ារ្យ៉ង់
 DocType: Employee Benefit Claim,Claim Benefit For,ទាមទារអត្ថប្រយោជន៍សម្រាប់
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,ធ្វើបច្ចុប្បន្នភាពចម្លើយ
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},អ្នកបានជ្រើសរួចហើយចេញពីធាតុ {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},អ្នកបានជ្រើសរួចហើយចេញពីធាតុ {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,ឈ្មោះរបស់ចែកចាយប្រចាំខែ
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,លេខសម្គាល់បាច់ជាការចាំបាច់
 DocType: Sales Person,Parent Sales Person,ឪពុកម្តាយរបស់បុគ្គលលក់
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,គ្មានធាតុដែលត្រូវបានទទួលហួសកាលកំណត់ទេ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,អ្នកលក់និងអ្នកទិញមិនអាចមានលក្ខណៈដូចគ្នាទេ
 DocType: Project,Collect Progress,ប្រមូលដំណើរការ
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY.-
@@ -2740,7 +2768,7 @@
 DocType: Bank Guarantee,Margin Money,ប្រាក់រៀល
 DocType: Budget,Budget,ថវិការ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,កំណត់បើក
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,ធាតុទ្រព្យសកម្មថេរត្រូវតែជាធាតុដែលមិនមែនជាភាគហ៊ុន។
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,ធាតុទ្រព្យសកម្មថេរត្រូវតែជាធាតុដែលមិនមែនជាភាគហ៊ុន។
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ថវិកាដែលមិនអាចត្រូវបានផ្ដល់ប្រឆាំងនឹង {0}, ដែលជាវាមិនមែនជាគណនីដែលមានប្រាក់ចំណូលឬការចំណាយ"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},ចំនួនលើកលែងអតិបរមាសម្រាប់ {0} គឺ {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,សម្រេចបាន
@@ -2758,9 +2786,9 @@
 ,Amount to Deliver,ចំនួនទឹកប្រាក់ដែលផ្តល់
 DocType: Asset,Insurance Start Date,កាលបរិច្ឆេទចាប់ផ្តើមធានារ៉ាប់រង
 DocType: Salary Component,Flexible Benefits,អត្ថប្រយោជន៍បត់បែន
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង។ {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង។ {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,រយៈពេលកាលបរិច្ឆេទចាប់ផ្ដើមមិនអាចមានមុនជាងឆ្នាំចាប់ផ្ដើមកាលបរិច្ឆេទនៃឆ្នាំសិក្សាដែលរយៈពេលនេះត្រូវបានតភ្ជាប់ (អប់រំឆ្នាំ {}) ។ សូមកែកាលបរិច្ឆេទនិងព្យាយាមម្ដងទៀត។
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,មានកំហុស។
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,មានកំហុស។
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,និយោជិក {0} បានអនុវត្តរួចហើយសម្រាប់ {1} រវាង {2} និង {3}:
 DocType: Guardian,Guardian Interests,ចំណាប់អារម្មណ៍របស់កាសែត The Guardian
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,ធ្វើបច្ចុប្បន្នភាពឈ្មោះគណនី ឬលេខគណនី
@@ -2798,9 +2826,9 @@
 ,Item-wise Purchase History,ប្រវត្តិទិញប្រាជ្ញាធាតុ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},សូមចុចលើ &#39;បង្កើតតារាង &quot;ដើម្បីទៅប្រមូលយកសៀរៀលគ្មានបានបន្ថែមសម្រាប់ធាតុ {0}
 DocType: Account,Frozen,ទឹកកក
-DocType: Delivery Note,Vehicle Type,ប្រភេទរថយន្ត
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,ប្រភេទរថយន្ត
 DocType: Sales Invoice Payment,Base Amount (Company Currency),ចំនួនមូលដ្ឋាន (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,វត្ថុធាតុដើម
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,វត្ថុធាតុដើម
 DocType: Payment Reconciliation Payment,Reference Row,សេចក្តីយោងជួរដេក
 DocType: Installation Note,Installation Time,ពេលដំឡើង
 DocType: Sales Invoice,Accounting Details,សេចក្ដីលម្អិតគណនី
@@ -2809,12 +2837,13 @@
 DocType: Inpatient Record,O Positive,O វិជ្ជមាន
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,ការវិនិយោគ
 DocType: Issue,Resolution Details,ពត៌មានលំអិតការដោះស្រាយ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,ប្រភេទប្រតិបត្តិការ
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,ប្រភេទប្រតិបត្តិការ
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,លក្ខណៈវិនិច្ឆ័យក្នុងការទទួលយក
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,សូមបញ្ចូលសំណើសម្ភារៈនៅក្នុងតារាងខាងលើ
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,គ្មានការទូទាត់សងសម្រាប់ធាតុទិនានុប្បវត្តិទេ
 DocType: Hub Tracked Item,Image List,បញ្ជីរូបភាព
 DocType: Item Attribute,Attribute Name,ឈ្មោះគុណលក្ខណៈ
+DocType: Subscription,Generate Invoice At Beginning Of Period,បង្កើតវិក្កយបត្រនៅពេលចាប់ផ្តើម
 DocType: BOM,Show In Website,បង្ហាញនៅក្នុងវេបសាយ
 DocType: Loan Application,Total Payable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវបង់សរុប
 DocType: Task,Expected Time (in hours),ពេលវេលាដែលគេរំពឹងថា (គិតជាម៉ោង)
@@ -2851,7 +2880,7 @@
 DocType: Employee,Resignation Letter Date,កាលបរិច្ឆេទលិខិតលាលែងពីតំណែង
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,ក្បួនកំណត់តម្លៃត្រូវបានត្រងបន្ថែមទៀតដោយផ្អែកលើបរិមាណ។
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,មិនបានកំណត់
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},សូមកំណត់កាលបរិច្ឆេទនៃការចូលរួមសម្រាប់បុគ្គលិកដែលបាន {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},សូមកំណត់កាលបរិច្ឆេទនៃការចូលរួមសម្រាប់បុគ្គលិកដែលបាន {0}
 DocType: Inpatient Record,Discharge,ការឆក់
 DocType: Task,Total Billing Amount (via Time Sheet),ចំនួនវិក័យប័ត្រសរុប (តាមរយៈសន្លឹកម៉ោង)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ប្រាក់ចំណូលគយបានធ្វើម្តងទៀត
@@ -2861,13 +2890,13 @@
 DocType: Chapter,Chapter,ជំពូក
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,គូ
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,គណនីលំនាំដើមនឹងត្រូវបានអាប់ដេតដោយស្វ័យប្រវត្តិនៅក្នុងវិក្កយបត្រម៉ាស៊ីន POS នៅពេលដែលបានជ្រើសរើសរបៀបនេះ។
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ជ្រើស Bom និង Qty សម្រាប់ផលិតកម្ម
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ជ្រើស Bom និង Qty សម្រាប់ផលិតកម្ម
 DocType: Asset,Depreciation Schedule,កាលវិភាគរំលស់
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,អាសយដ្ឋានដៃគូលក់និងទំនាក់ទំនង
 DocType: Bank Reconciliation Detail,Against Account,ប្រឆាំងនឹងគណនី
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,ថ្ងៃពាក់កណ្តាលកាលបរិច្ឆេទគួរត្រូវបានរវាងពីកាលបរិច្ឆេទនិងដើម្បីកាលបរិច្ឆេទ
 DocType: Maintenance Schedule Detail,Actual Date,ជាក់ស្តែងកាលបរិច្ឆេទ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,សូមកំណត់មជ្ឈមណ្ឌលតម្លៃដើមនៅក្នុងក្រុមហ៊ុន {0} ។
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,សូមកំណត់មជ្ឈមណ្ឌលតម្លៃដើមនៅក្នុងក្រុមហ៊ុន {0} ។
 DocType: Item,Has Batch No,មានបាច់គ្មាន
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},វិក័យប័ត្រប្រចាំឆ្នាំ: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,លក់ពត៌មាន Webhook
@@ -2879,7 +2908,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY.-
 DocType: Shift Assignment,Shift Type,ប្ដូរប្រភេទ
 DocType: Student,Personal Details,ពត៌មានលំអិតផ្ទាល់ខ្លួន
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},សូមកំណត់ &#39;ទ្រព្យសម្បត្តិមជ្ឈមណ្ឌលតម្លៃរំលស់ &quot;នៅក្នុងក្រុមហ៊ុន {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},សូមកំណត់ &#39;ទ្រព្យសម្បត្តិមជ្ឈមណ្ឌលតម្លៃរំលស់ &quot;នៅក្នុងក្រុមហ៊ុន {0}
 ,Maintenance Schedules,កាលវិភាគថែរក្សា
 DocType: Task,Actual End Date (via Time Sheet),បញ្ចប់ពិតប្រាកដកាលបរិច្ឆេទ (តាមរយៈសន្លឹកម៉ោង)
 DocType: Soil Texture,Soil Type,ប្រភេទដី
@@ -2887,10 +2916,10 @@
 ,Quotation Trends,សម្រង់និន្នាការ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},ធាតុគ្រុបមិនបានរៀបរាប់នៅក្នុងមេធាតុសម្រាប់ធាតុ {0}
 DocType: GoCardless Mandate,GoCardless Mandate,អាណត្តិ GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,ឥណពន្ធវីសាទៅគណនីត្រូវតែជាគណនីដែលទទួល
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,ឥណពន្ធវីសាទៅគណនីត្រូវតែជាគណនីដែលទទួល
 DocType: Shipping Rule,Shipping Amount,ចំនួនទឹកប្រាក់ការដឹកជញ្ជូន
 DocType: Supplier Scorecard Period,Period Score,កំឡុងពេលកំណត់
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,បន្ថែមអតិថិជន
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,បន្ថែមអតិថិជន
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ចំនួនទឹកប្រាក់ដែលមិនទាន់សម្រេច
 DocType: Lab Test Template,Special,ពិសេស
 DocType: Loyalty Program,Conversion Factor,ការប្រែចិត្តជឿកត្តា
@@ -2907,7 +2936,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,បញ្ចូលក្បាលអក្សរ
 DocType: Program Enrollment,Self-Driving Vehicle,រថយន្តបើកបរដោយខ្លួនឯង
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,សន្លឹកបៀអ្នកផ្គត់ផ្គង់អចិន្ត្រៃយ៍
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},ជួរដេក {0}: លោក Bill នៃសម្ភារៈមិនបានរកឃើញសម្រាប់ធាតុ {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},ជួរដេក {0}: លោក Bill នៃសម្ភារៈមិនបានរកឃើញសម្រាប់ធាតុ {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ចំនួនសរុបដែលបានបម្រុងទុកស្លឹក {0} មិនអាចតិចជាងស្លឹកត្រូវបានអនុម័តរួចទៅហើយ {1} សម្រាប់រយៈពេលនេះ
 DocType: Contract Fulfilment Checklist,Requirement,តម្រូវការ
 DocType: Journal Entry,Accounts Receivable,គណនីអ្នកទទួល
@@ -2923,16 +2952,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,ការកំណត់ធនធានមនុស្ស
 DocType: Salary Slip,net pay info,info ប្រាក់ខែសុទ្ធ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,បរិមាណ CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,បរិមាណ CESS
 DocType: Woocommerce Settings,Enable Sync,បើកការធ្វើសមកាលកម្ម
 DocType: Tax Withholding Rate,Single Transaction Threshold,កំរិតប្រតិបត្តិការតែមួយ
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,តម្លៃនេះត្រូវបានធ្វើបច្ចុប្បន្នភាពនៅក្នុងបញ្ជីតម្លៃលក់លំនាំដើម។
 DocType: Email Digest,New Expenses,ការចំណាយថ្មី
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,ចំនួន PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,ចំនួន PDC / LC
 DocType: Shareholder,Shareholder,ម្ចាស់ហ៊ុន
 DocType: Purchase Invoice,Additional Discount Amount,ចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃបន្ថែម
 DocType: Cash Flow Mapper,Position,ទីតាំង
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,ទទួលបានវត្ថុពីវេជ្ជបញ្ជា
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,ទទួលបានវត្ថុពីវេជ្ជបញ្ជា
 DocType: Patient,Patient Details,ពត៌មានអ្នកជំងឺ
 DocType: Inpatient Record,B Positive,B វិជ្ជមាន
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2944,8 +2973,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,ជាក្រុមការមិនគ្រុប
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,កីឡា
 DocType: Loan Type,Loan Name,ឈ្មោះសេវាឥណទាន
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,សរុបជាក់ស្តែង
-DocType: Lab Test UOM,Test UOM,សាកល្បង UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,សរុបជាក់ស្តែង
 DocType: Student Siblings,Student Siblings,បងប្អូននិស្សិត
 DocType: Subscription Plan Detail,Subscription Plan Detail,ពត៌មានលំអិតគម្រោង
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,ឯកតា
@@ -2972,7 +3000,6 @@
 DocType: Workstation,Wages per hour,ប្រាក់ឈ្នួលក្នុងមួយម៉ោង
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ភាគហ៊ុននៅក្នុងជំនាន់ទីតុល្យភាព {0} នឹងក្លាយទៅជាអវិជ្ជមាន {1} សម្រាប់ធាតុ {2} នៅឃ្លាំង {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,បន្ទាប់ពីការសម្ភារៈសំណើត្រូវបានលើកឡើងដោយស្វ័យប្រវត្តិដោយផ្អែកលើកម្រិតឡើងវិញដើម្បីធាតុរបស់
-DocType: Email Digest,Pending Sales Orders,ការរង់ចាំការបញ្ជាទិញលក់
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},គណនី {0} មិនត្រឹមត្រូវ។ រូបិយប័ណ្ណគណនីត្រូវតែ {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},ពីកាលបរិច្ឆេទ {0} មិនអាចនៅក្រោយថ្ងៃបំបាត់ប្រាក់របស់និយោជិត {1}
 DocType: Supplier,Is Internal Supplier,គឺជាអ្នកផ្គត់ផ្គង់ផ្ទៃក្នុង
@@ -2981,13 +3008,14 @@
 DocType: Healthcare Settings,Remind Before,រំឭកពីមុន
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},កត្តាប្រែចិត្តជឿ UOM គឺត្រូវបានទាមទារនៅក្នុងជួរដេក {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃដីកាលក់, ការលក់វិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃដីកាលក់, ការលក់វិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ពិន្ទុស្មោះត្រង់: តើរូបិយប័ណ្ណមូលដ្ឋានមានប៉ុន្មាន?
 DocType: Salary Component,Deduction,ការដក
 DocType: Item,Retain Sample,រក្សាទុកគំរូ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,ជួរដេក {0}: ពីពេលវេលានិងទៅពេលវេលាគឺជាការចាំបាច់។
 DocType: Stock Reconciliation Item,Amount Difference,ភាពខុសគ្នាចំនួនទឹកប្រាក់
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},ថ្លៃទំនិញបានបន្ថែមសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},ថ្លៃទំនិញបានបន្ថែមសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1}
+DocType: Delivery Stop,Order Information,ព័ត៌មានលំដាប់
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,សូមបញ្ចូលនិយោជិតលេខសម្គាល់នេះបុគ្គលការលក់
 DocType: Territory,Classification of Customers by region,ចំណាត់ថ្នាក់នៃអតិថិជនដោយតំបន់
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,នៅក្នុងផលិតកម្ម
@@ -2998,8 +3026,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,សេចក្តីថ្លែងការណ៍របស់ធនាគារគណនាតុល្យភាព
 DocType: Normal Test Template,Normal Test Template,គំរូសាកល្បងធម្មតា
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,អ្នកប្រើដែលបានបិទ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,សម្រង់
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,មិនអាចកំណត់ RFQ ដែលបានទទួលដើម្បីគ្មានសម្រង់
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,សម្រង់
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,មិនអាចកំណត់ RFQ ដែលបានទទួលដើម្បីគ្មានសម្រង់
 DocType: Salary Slip,Total Deduction,ការកាត់សរុប
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,ជ្រើសគណនីដើម្បីបោះពុម្ពជារូបិយប័ណ្ណគណនី
 ,Production Analytics,វិភាគផលិតកម្ម
@@ -3012,14 +3040,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ការដំឡើងកញ្ចប់ពិន្ទុនៃក្រុមហ៊ុនផ្គត់ផ្គង់
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,ឈ្មោះផែនការវាយតម្លៃ
 DocType: Work Order Operation,Work Order Operation,ប្រតិបត្តិការការងារ
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},ព្រមាន: វិញ្ញាបនបត្រ SSL មិនត្រឹមត្រូវលើឯកសារភ្ជាប់ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},ព្រមាន: វិញ្ញាបនបត្រ SSL មិនត្រឹមត្រូវលើឯកសារភ្ជាប់ {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",ការនាំមុខជួយឱ្យអ្នកទទួលអាជីវកម្មការបន្ថែមទំនាក់ទំនងរបស់អ្នកទាំងអស់និងច្រើនទៀតតម្រុយរបស់អ្នក
 DocType: Work Order Operation,Actual Operation Time,ប្រតិបត្ដិការពេលវេលាពិតប្រាកដ
 DocType: Authorization Rule,Applicable To (User),ដែលអាចអនុវត្តទៅ (អ្នកប្រើប្រាស់)
 DocType: Purchase Taxes and Charges,Deduct,កាត់
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,ការពិពណ៌នាការងារ
 DocType: Student Applicant,Applied,អនុវត្ត
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,បើកឡើងវិញ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,បើកឡើងវិញ
 DocType: Sales Invoice Item,Qty as per Stock UOM,qty ដូចជាក្នុងមួយហ៊ុន UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ឈ្មោះ Guardian2
 DocType: Attendance,Attendance Request,សំណើចូលរួម
@@ -3037,7 +3065,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},សៀរៀល {0} គ្មានរីករាយជាមួយនឹងស្ថិតនៅក្រោមការធានា {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,តម្លៃអនុញ្ញាតអប្បបរមា
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,អ្នកប្រើ {0} មានរួចហើយ
-apps/erpnext/erpnext/hooks.py +114,Shipments,ការនាំចេញ
+apps/erpnext/erpnext/hooks.py +115,Shipments,ការនាំចេញ
 DocType: Payment Entry,Total Allocated Amount (Company Currency),ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសរុប (ក្រុមហ៊ុនរូបិយវត្ថុ)
 DocType: Purchase Order Item,To be delivered to customer,ត្រូវបានបញ្ជូនទៅកាន់អតិថិជន
 DocType: BOM,Scrap Material Cost,តម្លៃសំណល់អេតចាយសម្ភារៈ
@@ -3045,11 +3073,12 @@
 DocType: Grant Application,Email Notification Sent,ការជូនដំណឹងអ៊ីម៉ែលដែលបានផ្ញើ
 DocType: Purchase Invoice,In Words (Company Currency),នៅក្នុងពាក្យ (ក្រុមហ៊ុនរូបិយវត្ថុ)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,ក្រុមហ៊ុនមានឯកទេសសម្រាប់គណនីក្រុមហ៊ុន
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",លេខកូដសំភារៈបរិមាណត្រូវបានតម្រូវលើជួរដេក
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",លេខកូដសំភារៈបរិមាណត្រូវបានតម្រូវលើជួរដេក
 DocType: Bank Guarantee,Supplier,ក្រុមហ៊ុនផ្គត់ផ្គង់
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,ទទួលបានពី
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,នេះជាផ្នែក root ហើយមិនអាចកែប្រែបានទេ។
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,បង្ហាញព័ត៌មានលម្អិតការទូទាត់
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,រយៈពេលជាថ្ងៃ
 DocType: C-Form,Quarter,ត្រីមាស
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,ការចំណាយនានា
 DocType: Global Defaults,Default Company,ក្រុមហ៊ុនលំនាំដើម
@@ -3057,7 +3086,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ការចំណាយឬគណនីភាពខុសគ្នាគឺជាការចាំបាច់សម្រាប់ធាតុ {0} វាជាការរួមភាគហ៊ុនតម្លៃផលប៉ះពាល់
 DocType: Bank,Bank Name,ឈ្មោះធនាគារ
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-ខាងលើ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,ទុកវាលទទេដើម្បីធ្វើការបញ្ជាទិញសម្រាប់អ្នកផ្គត់ផ្គង់ទាំងអស់
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,ទុកវាលទទេដើម្បីធ្វើការបញ្ជាទិញសម្រាប់អ្នកផ្គត់ផ្គង់ទាំងអស់
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ធាតុចូលមើលអ្នកជំងឺក្នុងមន្ទីរពេទ្យ
 DocType: Vital Signs,Fluid,វត្ថុរាវ
 DocType: Leave Application,Total Leave Days,សរុបថ្ងៃស្លឹក
@@ -3066,7 +3095,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,ធាតុវ៉ារ្យ៉ង់ធាតុ
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,ជ្រើសក្រុមហ៊ុន ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,ប្រសិនបើអ្នកទុកវាឱ្យទទេទាំងអស់ពិចារណាសម្រាប់នាយកដ្ឋាន
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} គឺជាការចាំបាច់សម្រាប់ធាតុ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} គឺជាការចាំបាច់សម្រាប់ធាតុ {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","ធាតុ {0}: {1} qty ផលិត,"
 DocType: Payroll Entry,Fortnightly,ពីរសប្តាហ៍
 DocType: Currency Exchange,From Currency,ចាប់ពីរូបិយប័ណ្ណ
@@ -3115,7 +3144,7 @@
 DocType: Account,Fixed Asset,ទ្រព្យសកម្មថេរ
 DocType: Amazon MWS Settings,After Date,បន្ទាប់ពីកាលបរិច្ឆេទ
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,សារពើភ័ណ្ឌស៊េរី
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,{0} មិនត្រឹមត្រូវសម្រាប់វិក័យប័ត្រក្រុមហ៊ុន Inter ។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,{0} មិនត្រឹមត្រូវសម្រាប់វិក័យប័ត្រក្រុមហ៊ុន Inter ។
 ,Department Analytics,នាយកដ្ឋានវិភាគ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,រកមិនឃើញអ៊ីមែលនៅក្នុងទំនាក់ទំនងលំនាំដើម
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,បង្កើតសម្ងាត់
@@ -3133,6 +3162,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,នាយកប្រតិបត្តិ
 DocType: Purchase Invoice,With Payment of Tax,ជាមួយការទូទាត់ពន្ធ
 DocType: Expense Claim Detail,Expense Claim Detail,ពត៌មានលំអិតពាក្យបណ្តឹងលើការចំណាយ
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,សូមបង្កើតប្រព័ន្ធដាក់ឈ្មោះគ្រូបង្រៀននៅក្នុងការអប់រំ&gt; ការកំណត់អប់រំ
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,ចំនួនបីសម្រាប់ការផ្គត់ផ្គង់
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,សមតុល្យថ្មីនៅក្នុងរូបិយប័ណ្ណមូលដ្ឋាន
 DocType: Location,Is Container,តើកុងតឺន័រ
@@ -3140,13 +3170,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,សូមជ្រើសរើសគណនីដែលត្រឹមត្រូវ
 DocType: Salary Structure Assignment,Salary Structure Assignment,ការកំណត់រចនាសម្ព័ន្ធប្រាក់ខែ
 DocType: Purchase Invoice Item,Weight UOM,ទំងន់ UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,បញ្ជីឈ្មោះម្ចាស់ហ៊ុនដែលមានលេខទូរស័ព្ទ
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,បញ្ជីឈ្មោះម្ចាស់ហ៊ុនដែលមានលេខទូរស័ព្ទ
 DocType: Salary Structure Employee,Salary Structure Employee,និយោជិតបានប្រាក់ខែរចនាសម្ព័ន្ធ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,បង្ហាញគុណលក្ខណៈវ៉ារ្យង់
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,បង្ហាញគុណលក្ខណៈវ៉ារ្យង់
 DocType: Student,Blood Group,ក្រុមឈាម
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,គណនីច្រកទូទាត់នៅក្នុងគម្រោង {0} គឺខុសពីគណនីទូទាត់ប្រាក់នៅក្នុងការបង់ប្រាក់នេះ
 DocType: Course,Course Name,ឈ្មោះវគ្គសិក្សាបាន
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,មិនមានទិន្នន័យប្រមូលពន្ធសម្រាប់ឆ្នាំសារពើពន្ធបច្ចុប្បន្ន។
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,មិនមានទិន្នន័យប្រមូលពន្ធសម្រាប់ឆ្នាំសារពើពន្ធបច្ចុប្បន្ន។
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,អ្នកប្រើដែលអាចអនុម័តកម្មវិធីដែលបានឈប់សម្រាកជាក់លាក់របស់បុគ្គលិក
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,សម្ភារៈការិយាល័យ
 DocType: Purchase Invoice Item,Qty,qty
@@ -3154,6 +3184,7 @@
 DocType: Supplier Scorecard,Scoring Setup,រៀបចំការដាក់ពិន្ទុ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,ឡិចត្រូនិច
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ឥណពន្ធ ({0})
+DocType: BOM,Allow Same Item Multiple Times,អនុញ្ញាតធាតុដូចគ្នាច្រើនដង
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ចូរលើកសំណើសុំនៅពេលដែលភាគហ៊ុនសម្ភារៈឈានដល់កម្រិតបញ្ជាទិញឡើងវិញ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,ពេញម៉ោង
 DocType: Payroll Entry,Employees,និយោជិត
@@ -3165,11 +3196,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,ការបញ្ជាក់ការទូទាត់
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,តម្លៃនេះនឹងមិនត្រូវបានបង្ហាញទេប្រសិនបើបញ្ជីតម្លៃគឺមិនត្រូវបានកំណត់
 DocType: Stock Entry,Total Incoming Value,តម្លៃចូលសរុប
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ឥណពន្ធវីសាដើម្បីត្រូវបានទាមទារ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ឥណពន្ធវីសាដើម្បីត្រូវបានទាមទារ
 DocType: Clinical Procedure,Inpatient Record,កំណត់ត្រាអ្នកជំងឺក្នុងមន្ទីរពេទ្យ
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",Timesheets ជួយរក្សាដាននៃពេលវេលាការចំណាយនិងវិក័យប័ត្រសំរាប់ការសកម្មភាពដែលបានធ្វើដោយក្រុមរបស់អ្នក
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,បញ្ជីតម្លៃទិញ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,កាលបរិច្ឆេទនៃប្រតិបត្តិការ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,បញ្ជីតម្លៃទិញ
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,កាលបរិច្ឆេទនៃប្រតិបត្តិការ
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,គំរូនៃអថេរពិន្ទុនៃក្រុមហ៊ុនផ្គត់ផ្គង់។
 DocType: Job Offer Term,Offer Term,ផ្តល់ជូននូវរយៈពេល
 DocType: Asset,Quality Manager,គ្រប់គ្រងគុណភាព
@@ -3190,18 +3221,18 @@
 DocType: Cashier Closing,To Time,ទៅពេល
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) សម្រាប់ {0}
 DocType: Authorization Rule,Approving Role (above authorized value),ការអនុម័តតួនាទី (ខាងលើតម្លៃដែលបានអនុញ្ញាត)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,ឥណទានទៅគណនីត្រូវតែជាគណនីទូទាត់មួយ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,ឥណទានទៅគណនីត្រូវតែជាគណនីទូទាត់មួយ
 DocType: Loan,Total Amount Paid,ចំនួនទឹកប្រាក់សរុបបង់
 DocType: Asset,Insurance End Date,ថ្ងៃផុតកំណត់ធានារ៉ាប់រង
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,សូមជ្រើសរើសការចូលរៀនរបស់និស្សិតដែលចាំបាច់សម្រាប់អ្នកដាក់ពាក្យសុំដែលបានបង់ថ្លៃសិក្សា
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},ការហៅខ្លួនឯង Bom: {0} មិនអាចជាឪពុកម្តាយឬកូនរបស់ {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},ការហៅខ្លួនឯង Bom: {0} មិនអាចជាឪពុកម្តាយឬកូនរបស់ {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,បញ្ជីថវិកា
 DocType: Work Order Operation,Completed Qty,Qty បានបញ្ចប់
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0} មានតែគណនីឥណពន្ធអាចត្រូវបានតភ្ជាប់ប្រឆាំងនឹងធាតុឥណទានផ្សេងទៀត
 DocType: Manufacturing Settings,Allow Overtime,អនុញ្ញាតឱ្យបន្ថែមម៉ោង
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ធាតុសៀរៀល {0} មិនអាចត្រូវបានធ្វើបច្ចុប្បន្នភាពដោយប្រើប្រាស់ហ៊ុនផ្សះផ្សា, សូមប្រើការចូលហ៊ុន"
 DocType: Training Event Employee,Training Event Employee,បណ្តុះបណ្តាព្រឹត្តិការណ៍បុគ្គលិក
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,គំរូអតិបរមា - {0} អាចត្រូវបានរក្សាទុកសម្រាប់បំណះ {1} និងធាតុ {2} ។
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,គំរូអតិបរមា - {0} អាចត្រូវបានរក្សាទុកសម្រាប់បំណះ {1} និងធាតុ {2} ។
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,បន្ថែមរន្ធពេលវេលា
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} លេខសៀរៀលដែលបានទាមទារសម្រាប់ធាតុ {1} ។ អ្នកបានផ្ដល់ {2} ។
 DocType: Stock Reconciliation Item,Current Valuation Rate,អត្រាវាយតម្លៃនាពេលបច្ចុប្បន្ន
@@ -3232,11 +3263,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,គ្មានសៀរៀល {0} មិនបានរកឃើញ
 DocType: Fee Schedule Program,Fee Schedule Program,កម្មវិធីកាលវិភាគថ្លៃ
 DocType: Fee Schedule Program,Student Batch,បាច់សិស្ស
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","សូមលុបនិយោជិក <a href=""#Form/Employee/{0}"">{0}</a> \ ដើម្បីបោះបង់ឯកសារនេះ"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,ធ្វើឱ្យសិស្ស
 DocType: Supplier Scorecard Scoring Standing,Min Grade,ថ្នាក់ក្រោម
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ប្រភេទសេវាសុខភាព
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},អ្នកបានត្រូវអញ្ជើញដើម្បីសហការគ្នាលើគម្រោងនេះ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},អ្នកបានត្រូវអញ្ជើញដើម្បីសហការគ្នាលើគម្រោងនេះ: {0}
 DocType: Supplier Group,Parent Supplier Group,ក្រុមអ្នកផ្គត់ផ្គង់មេ
+DocType: Email Digest,Purchase Orders to Bill,ទិញការបញ្ជាទិញទៅកាន់វិក័យប័ត្រ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,គុណតម្លៃសន្សំក្នុងក្រុមហ៊ុន
 DocType: Leave Block List Date,Block Date,ប្លុកកាលបរិច្ឆេទ
 DocType: Crop,Crop,ដំណាំ
@@ -3248,6 +3282,7 @@
 DocType: Sales Order,Not Delivered,មិនបានផ្តល់
 ,Bank Clearance Summary,ធនាគារសង្ខេបបោសសំអាត
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",បង្កើតនិងគ្រប់គ្រងការរំលាយអាហារបានអ៊ីម៉ែលជារៀងរាល់ថ្ងៃប្រចាំសប្តាហ៍និងប្រចាំខែ។
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,នេះអាស្រ័យលើប្រតិបត្តិការជាមួយបុគ្គលលក់នេះ។ សូមមើលតារាងពេលវេលាខាងក្រោមសម្រាប់ព័ត៌មានលំអិត
 DocType: Appraisal Goal,Appraisal Goal,គោលដៅវាយតម្លៃ
 DocType: Stock Reconciliation Item,Current Amount,ចំនួនទឹកប្រាក់បច្ចុប្បន្ន
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,អគារ
@@ -3274,7 +3309,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,កម្មវិធី
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,ទំនាក់ទំនងក្រោយកាលបរិច្ឆេទមិនអាចមានក្នុងពេលកន្លងមក
 DocType: Company,For Reference Only.,ឯកសារយោងប៉ុណ្ណោះ។
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,ជ្រើសបាច់គ្មាន
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,ជ្រើសបាច់គ្មាន
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},មិនត្រឹមត្រូវ {0} {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,សេចក្តីយោងឯកសារ Inv
@@ -3292,16 +3327,16 @@
 DocType: Normal Test Items,Require Result Value,ទាមទារតម្លៃលទ្ធផល
 DocType: Item,Show a slideshow at the top of the page,បង្ហាញតែការបញ្ចាំងស្លាយមួយនៅផ្នែកខាងលើនៃទំព័រនេះ
 DocType: Tax Withholding Rate,Tax Withholding Rate,អត្រាប្រាក់បំណាច់ពន្ធ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,ហាងលក់
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,ហាងលក់
 DocType: Project Type,Projects Manager,ការគ្រប់គ្រងគម្រោង
 DocType: Serial No,Delivery Time,ម៉ោងដឹកជញ្ជូន
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Ageing ដោយផ្អែកលើការ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,ការណាត់ជួបត្រូវបានលុបចោល
 DocType: Item,End of Life,ចុងបញ្ចប់នៃជីវិត
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ការធ្វើដំណើរ
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ការធ្វើដំណើរ
 DocType: Student Report Generation Tool,Include All Assessment Group,រួមបញ្ចូលទាំងក្រុមវាយតំលៃទាំងអស់
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,គ្មានប្រាក់ខែរចនាសម្ព័ន្ធសកម្មឬបានរកឃើញសម្រាប់បុគ្គលិកលំនាំដើម {0} សម្រាប់កាលបរិច្ឆេទដែលបានផ្ដល់ឱ្យ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,គ្មានប្រាក់ខែរចនាសម្ព័ន្ធសកម្មឬបានរកឃើញសម្រាប់បុគ្គលិកលំនាំដើម {0} សម្រាប់កាលបរិច្ឆេទដែលបានផ្ដល់ឱ្យ
 DocType: Leave Block List,Allow Users,អនុញ្ញាតឱ្យអ្នកប្រើ
 DocType: Purchase Order,Customer Mobile No,គ្មានគយចល័ត
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ពត៌មានលំអិតគំរូផែនទីលំហូរសាច់ប្រាក់
@@ -3310,15 +3345,16 @@
 DocType: Rename Tool,Rename Tool,ឧបករណ៍ប្តូរឈ្មោះ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,តម្លៃដែលធ្វើឱ្យទាន់សម័យ
 DocType: Item Reorder,Item Reorder,ធាតុរៀបចំ
+DocType: Delivery Note,Mode of Transport,របៀបនៃការដឹកជញ្ជូន
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,គ្រូពេទ្យប្រហែលជាបង្ហាញប្រាក់ខែ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,សម្ភារៈសេវាផ្ទេរប្រាក់
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,សម្ភារៈសេវាផ្ទេរប្រាក់
 DocType: Fees,Send Payment Request,ផ្ញើសំណើទូទាត់
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","បញ្ជាក់ប្រតិបត្តិការ, ការចំណាយប្រតិបត្ដិការនិងផ្ដល់ឱ្យនូវប្រតិបត្ដិការតែមួយគត់នោះទេដើម្បីឱ្យប្រតិបត្តិការរបស់អ្នក។"
 DocType: Travel Request,Any other details,ព័ត៌មានលម្អិតផ្សេងទៀត
 DocType: Water Analysis,Origin,ប្រភពដើម
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ឯកសារនេះលើសកំណត់ដោយ {0} {1} សម្រាប់ធាតុ {4} ។ តើអ្នកបង្កើត {3} ផ្សេងទៀតប្រឆាំងនឹង {2} ដូចគ្នាដែរឬទេ?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,សូមកំណត់កើតឡើងបន្ទាប់ពីរក្សាទុក
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,គណនីចំនួនទឹកប្រាក់ជ្រើសការផ្លាស់ប្តូរ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,សូមកំណត់កើតឡើងបន្ទាប់ពីរក្សាទុក
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,គណនីចំនួនទឹកប្រាក់ជ្រើសការផ្លាស់ប្តូរ
 DocType: Purchase Invoice,Price List Currency,បញ្ជីតម្លៃរូបិយប័ណ្ណ
 DocType: Naming Series,User must always select,អ្នកប្រើដែលត្រូវតែជ្រើសតែងតែ
 DocType: Stock Settings,Allow Negative Stock,អនុញ្ញាតឱ្យមានស្តុកអវិជ្ជមាន
@@ -3339,9 +3375,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability
 DocType: Asset Maintenance Log,Actions performed,សកម្មភាពបានអនុវត្ត
 DocType: Cash Flow Mapper,Section Leader,ប្រធានផ្នែក
+DocType: Delivery Note,Transport Receipt No,បង្កាន់ដៃដឹកជញ្ជូនលេខ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),ប្រភពមូលនិធិ (បំណុល)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,ប្រភពនិងទីកន្លែងគោលដៅមិនអាចដូចគ្នាទេ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},បរិមាណដែលត្រូវទទួលទានក្នុងមួយជួរដេក {0} ({1}) ត្រូវតែមានដូចគ្នាបរិមាណផលិត {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},បរិមាណដែលត្រូវទទួលទានក្នុងមួយជួរដេក {0} ({1}) ត្រូវតែមានដូចគ្នាបរិមាណផលិត {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,បុគ្គលិក
 DocType: Bank Guarantee,Fixed Deposit Number,លេខគណនីបញ្ញើមានកាលកំណត់
 DocType: Asset Repair,Failure Date,កាលបរិច្ឆេទបរាជ័យ
@@ -3355,16 +3392,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,កាត់ការទូទាត់ឬការបាត់បង់
 DocType: Soil Analysis,Soil Analysis Criterias,លក្ខណៈវិនិច្ឆ័យវិភាគដី
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,លក្ខខណ្ឌនៃកិច្ចសន្យាស្តង់ដាមួយសម្រាប់ការលក់ឬទិញ។
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,តើអ្នកប្រាកដថាអ្នកចង់លុបចោលការណាត់ជួបនេះទេ?
+DocType: BOM Item,Item operation,ប្រតិបត្តិការវត្ថុ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,តើអ្នកប្រាកដថាអ្នកចង់លុបចោលការណាត់ជួបនេះទេ?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,កញ្ចប់តម្លៃបន្ទប់សណ្ឋាគារ
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,បំពង់បង្ហូរប្រេងការលក់
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,បំពង់បង្ហូរប្រេងការលក់
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងសមាសភាគប្រាក់ខែ {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,តម្រូវការនៅលើ
 DocType: Rename Tool,File to Rename,ឯកសារដែលត្រូវប្តូរឈ្មោះ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},សូមជ្រើស Bom សម្រាប់ធាតុក្នុងជួរដេក {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,ទទួលយកការធ្វើបច្ចុប្បន្នភាពការជាវប្រចាំ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},គណនី {0} មិនផ្គូផ្គងនឹងក្រុមហ៊ុន {1} នៅក្នុងរបៀបនៃគណនី: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Bom បានបញ្ជាក់ {0} មិនមានសម្រាប់ធាតុ {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Bom បានបញ្ជាក់ {0} មិនមានសម្រាប់ធាតុ {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,វគ្គសិក្សា:
 DocType: Soil Texture,Sandy Loam,ខ្សាច់សុង
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,កាលវិភាគថែរក្សា {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ
@@ -3373,7 +3411,7 @@
 DocType: Notification Control,Expense Claim Approved,ពាក្យបណ្តឹងលើការចំណាយបានអនុម័ត
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),កំណត់បន្តនិងបម្រុងទុក (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,គ្មានការបញ្ជាទិញការងារដែលបានបង្កើត
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចទៅហើយសម្រាប់រយៈពេលនេះ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចទៅហើយសម្រាប់រយៈពេលនេះ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ឱសថ
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,អ្នកគ្រាន់តែអាចដាក់ប្រាក់បញ្ញើការដាក់ប្រាក់ទៅកាន់ចំនួនទឹកប្រាក់នៃការបញ្ចូលទឹកប្រាក់ត្រឹមត្រូវ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,តម្លៃនៃធាតុដែលបានទិញ
@@ -3381,7 +3419,8 @@
 DocType: Selling Settings,Sales Order Required,ការលក់លំដាប់ដែលបានទាមទារ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,ក្លាយជាអ្នកលក់
 DocType: Purchase Invoice,Credit To,ការផ្តល់ឥណទានដល់
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,នាំទៅរកសកម្ម / អតិថិជន
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,នាំទៅរកសកម្ម / អតិថិជន
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,ទុកទទេដើម្បីប្រើទ្រង់ទ្រាយចំណាំស្តង់ដារ
 DocType: Employee Education,Post Graduate,ភ្នំពេញប៉ុស្តិ៍បានបញ្ចប់
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ពត៌មានកាលវិភាគថែទាំ
 DocType: Supplier Scorecard,Warn for new Purchase Orders,ព្រមានសម្រាប់ការបញ្ជាទិញថ្មី
@@ -3395,14 +3434,14 @@
 DocType: Support Search Source,Post Title Key,លេខសម្គាល់ចំណងជើងចំណងជើង
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,សម្រាប់ប័ណ្ណការងារ
 DocType: Warranty Claim,Raised By,បានលើកឡើងដោយ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,វេជ្ជបញ្ជា
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,វេជ្ជបញ្ជា
 DocType: Payment Gateway Account,Payment Account,គណនីទូទាត់ប្រាក់
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,សូមបញ្ជាក់ក្រុមហ៊ុនដើម្បីបន្ត
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,សូមបញ្ជាក់ក្រុមហ៊ុនដើម្បីបន្ត
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,ការផ្លាស់ប្តូរសុទ្ធក្នុងគណនីអ្នកទទួល
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,ទូទាត់បិទ
 DocType: Job Offer,Accepted,បានទទួលយក
 DocType: POS Closing Voucher,Sales Invoices Summary,វិក័យប័ត្រលក់សង្ខេប
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,ទៅឈ្មោះគណបក្ស
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,ទៅឈ្មោះគណបក្ស
 DocType: Grant Application,Organization,អង្គការ
 DocType: BOM Update Tool,BOM Update Tool,ឧបករណ៍ធ្វើបច្ចុប្បន្នភាពមាត្រដ្ឋាន
 DocType: SG Creation Tool Course,Student Group Name,ឈ្មោះក្រុមសិស្ស
@@ -3411,7 +3450,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,សូមប្រាកដថាអ្នកពិតជាចង់លុបប្រតិបតិ្តការទាំងអស់សម្រាប់ក្រុមហ៊ុននេះ។ ទិន្នន័យមេរបស់អ្នកនឹងនៅតែជាវាគឺជា។ សកម្មភាពនេះមិនអាចមិនធ្វើវិញ។
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,លទ្ធផលនៃការស្វែងរក
 DocType: Room,Room Number,លេខបន្ទប់
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},សេចក្ដីយោងមិនត្រឹមត្រូវ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},សេចក្ដីយោងមិនត្រឹមត្រូវ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) មិនអាចច្រើនជាងការគ្រោងទុក quanitity ({2}) នៅក្នុងផលិតកម្មលំដាប់ {3}
 DocType: Shipping Rule,Shipping Rule Label,វិធានការដឹកជញ្ជូនស្លាក
 DocType: Journal Entry Account,Payroll Entry,ការចូលប្រាក់បៀវត្សរ៍
@@ -3419,8 +3458,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,បង្កើតគំរូពន្ធ
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,វេទិកាអ្នកប្រើ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,វត្ថុធាតុដើមដែលមិនអាចត្រូវបានទទេ។
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,ជួរដេក # {0} (តារាងបង់ប្រាក់): ចំនួនទឹកប្រាក់ត្រូវតែអវិជ្ជមាន
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","មិនអាចធ្វើឱ្យទាន់សម័យហ៊ុន, វិក័យប័ត្រមានធាតុដឹកជញ្ជូនទម្លាក់។"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,ជួរដេក # {0} (តារាងបង់ប្រាក់): ចំនួនទឹកប្រាក់ត្រូវតែអវិជ្ជមាន
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","មិនអាចធ្វើឱ្យទាន់សម័យហ៊ុន, វិក័យប័ត្រមានធាតុដឹកជញ្ជូនទម្លាក់។"
 DocType: Contract,Fulfilment Status,ស្ថានភាពបំពេញ
 DocType: Lab Test Sample,Lab Test Sample,គំរូតេស្តមន្ទីរពិសោធន៍
 DocType: Item Variant Settings,Allow Rename Attribute Value,អនុញ្ញាតឱ្យប្តូរឈ្មោះគុណលក្ខណៈគុណលក្ខណៈ
@@ -3462,11 +3501,11 @@
 DocType: BOM,Show Operations,បង្ហាញប្រតិបត្តិការ
 ,Minutes to First Response for Opportunity,នាទីដើម្បីឆ្លើយតបដំបូងសម្រាប់ឱកាសការងារ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,សរុបអវត្តមាន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,ធាតុឬឃ្លាំងសំរាប់ជួរ {0} មិនផ្គូផ្គងសំណើសម្ភារៈ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,ធាតុឬឃ្លាំងសំរាប់ជួរ {0} មិនផ្គូផ្គងសំណើសម្ភារៈ
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,ឯកតារង្វាស់
 DocType: Fiscal Year,Year End Date,ឆ្នាំបញ្ចប់កាលបរិច្ឆេទ
 DocType: Task Depends On,Task Depends On,ភារកិច្ចអាស្រ័យលើ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,ឱកាសការងារ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,ឱកាសការងារ
 DocType: Operation,Default Workstation,ស្ថានីយការងារលំនាំដើម
 DocType: Notification Control,Expense Claim Approved Message,សារពាក្យបណ្តឹងលើការចំណាយបានអនុម័ត
 DocType: Payment Entry,Deductions or Loss,ការកាត់ឬការបាត់បង់
@@ -3504,20 +3543,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,ការអនុម័តរបស់អ្នកប្រើមិនអាចជាដូចគ្នាទៅនឹងអ្នកប្រើច្បាប់នេះត្រូវបានអនុវត្ត
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),តំលៃមូលដ្ឋាន(ក្នុង១ឯកតាស្តុក)
 DocType: SMS Log,No of Requested SMS,គ្មានសារជាអក្សរដែលបានស្នើ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,ទុកឱ្យដោយគ្មានប្រាក់ខែមិនផ្គូផ្គងនឹងកំណត់ត្រាកម្មវិធីចាកចេញអនុម័ត
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,ទុកឱ្យដោយគ្មានប្រាក់ខែមិនផ្គូផ្គងនឹងកំណត់ត្រាកម្មវិធីចាកចេញអនុម័ត
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ជំហានបន្ទាប់
 DocType: Travel Request,Domestic,ក្នុងស្រុក
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,សូមផ្ដល់ធាតុដែលបានបញ្ជាក់នៅក្នុងអត្រាការប្រាក់ល្អបំផុតដែលអាចធ្វើទៅបាន
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,សូមផ្ដល់ធាតុដែលបានបញ្ជាក់នៅក្នុងអត្រាការប្រាក់ល្អបំផុតដែលអាចធ្វើទៅបាន
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,ការផ្ទេរបុគ្គលិកមិនអាចបញ្ជូនបានទេមុនពេលផ្ទេរ
 DocType: Certification Application,USD,ដុល្លារអាមេរិក
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,ធ្វើឱ្យមានការវិក័យប័ត្រ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,សមតុល្យនៅសល់
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,សមតុល្យនៅសល់
 DocType: Selling Settings,Auto close Opportunity after 15 days,ដោយស្វ័យប្រវត្តិបន្ទាប់ពីឱកាសយ៉ាងជិតស្និទ្ធ 15 ថ្ងៃ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,ការបញ្ជាទិញមិនត្រូវបានអនុញ្ញាតសម្រាប់ {0} ដោយសារតែពិន្ទុពិន្ទុនៃ {1} ។
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,លេខកូដ {0} មិនមែនជាកូដ {1} ត្រឹមត្រូវទេ
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,លេខកូដ {0} មិនមែនជាកូដ {1} ត្រឹមត្រូវទេ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,ឆ្នាំបញ្ចប់
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,quot / នាំមុខ%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,កិច្ចសន្យាដែលកាលបរិច្ឆេទបញ្ចប់ត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,កិច្ចសន្យាដែលកាលបរិច្ឆេទបញ្ចប់ត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម
 DocType: Driver,Driver,កម្មវិធីបញ្ជា
 DocType: Vital Signs,Nutrition Values,តម្លៃអាហារូបត្ថម្ភ
 DocType: Lab Test Template,Is billable,គឺអាចចេញវិក្កយបត្របាន
@@ -3528,7 +3567,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,នេះត្រូវបានគេហទំព័រជាឧទាហរណ៍មួយបង្កើតដោយស្វ័យប្រវត្តិពី ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,ជួរ Ageing 1
 DocType: Shopify Settings,Enable Shopify,បើកដំណើរការ Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាងចំនួនសរុបដែលបានទាមទារ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាងចំនួនសរុបដែលបានទាមទារ
 DocType: Purchase Taxes and Charges Template,"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
@@ -3555,12 +3594,12 @@
 DocType: Employee Separation,Employee Separation,ការបំបែកបុគ្គលិក
 DocType: BOM Item,Original Item,ធាតុដើម
 DocType: Purchase Receipt Item,Recd Quantity,បរិមាណដែលត្រូវទទួលទាន Recd
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,កាលបរិច្ឆេទឯកសារ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,កាលបរិច្ឆេទឯកសារ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},កំណត់ត្រាថ្លៃសេវាបានបង្កើត - {0}
 DocType: Asset Category Account,Asset Category Account,គណនីទ្រព្យសកម្មប្រភេទ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,ជួរដេក # {0} (តារាងបង់ប្រាក់): ចំនួនទឹកប្រាក់ត្រូវតែជាវិជ្ជមាន
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,ជួរដេក # {0} (តារាងបង់ប្រាក់): ចំនួនទឹកប្រាក់ត្រូវតែជាវិជ្ជមាន
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},មិនអាចបង្កើតធាតុជាច្រើនទៀត {0} ជាងបរិមាណលំដាប់លក់ {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,ជ្រើសគុណលក្ខណៈគុណលក្ខណៈ
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,ជ្រើសគុណលក្ខណៈគុណលក្ខណៈ
 DocType: Purchase Invoice,Reason For Issuing document,ហេតុផលសម្រាប់ការចេញឯកសារ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,ភាគហ៊ុនចូល {0} គឺមិនត្រូវបានដាក់ស្នើ
 DocType: Payment Reconciliation,Bank / Cash Account,គណនីធនាគារ / សាច់ប្រាក់
@@ -3569,8 +3608,10 @@
 DocType: Asset,Manual,សៀវភៅដៃ
 DocType: Salary Component Account,Salary Component Account,គណនីប្រាក់បៀវត្សសមាសភាគ
 DocType: Global Defaults,Hide Currency Symbol,រូបិយប័ណ្ណនិមិត្តសញ្ញាលាក់
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ឱកាសលក់តាមប្រភព
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,ព័ត៌មានម្ចាស់ជំនួយ។
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ឧធនាគារសាច់ប្រាក់, កាតឥណទាន"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈ Setup&gt; Serial Number
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ឧធនាគារសាច់ប្រាក់, កាតឥណទាន"
 DocType: Job Applicant,Source Name,ឈ្មោះប្រភព
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",ការរក្សាសម្ពាធឈាមធម្មតាក្នុងមនុស្សពេញវ័យគឺប្រហែល 120 មីលីលីត្រស៊ីស្ត្រូកនិង 80 ម។ ម។ ឌីស្យុងអក្សរកាត់ &quot;120/80 មមអេហជី&quot;
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",កំណត់ធាតុធ្នើក្នុងរយៈពេលប៉ុន្មានថ្ងៃដើម្បីកំណត់សុពលភាពផ្អែកលើផលិតកម្មបូកនឹងជីវិតផ្ទាល់ខ្លួន
@@ -3600,7 +3641,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},ចំនួនបរិមាណត្រូវតែតិចជាងបរិមាណ {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ជួរដេក {0}: ចាប់ផ្តើមកាលបរិច្ឆេទត្រូវតែមុនពេលដែលកាលបរិច្ឆេទបញ្ចប់
 DocType: Salary Component,Max Benefit Amount (Yearly),ចំនួនអត្ថប្រយោជន៍អតិបរមា (ប្រចាំឆ្នាំ)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS អត្រា%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS អត្រា%
 DocType: Crop,Planting Area,តំបន់ដាំ
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),សរុប (Qty)
 DocType: Installation Note Item,Installed Qty,ដែលបានដំឡើង Qty
@@ -3622,8 +3663,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,ទុកសេចក្តីជូនដំណឹង
 DocType: Buying Settings,Default Buying Price List,តារាងតម្លៃទិញលំនាំដើម &amp; ‧;
 DocType: Payroll Entry,Salary Slip Based on Timesheet,ប័ណ្ណប្រាក់ខែដោយផ្អែកលើ Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,អត្រាការទិញ
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},ជួរដេក {0}: បញ្ចូលទីតាំងសម្រាប់ធាតុទ្រព្យសម្បត្តិ {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,អត្រាការទិញ
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},ជួរដេក {0}: បញ្ចូលទីតាំងសម្រាប់ធាតុទ្រព្យសម្បត្តិ {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-yYYYY.-
 DocType: Company,About the Company,អំពីក្រុមហ៊ុន
 DocType: Notification Control,Sales Order Message,ការលក់លំដាប់សារ
@@ -3688,10 +3729,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,សម្រាប់ជួរដេក {0}: បញ្ចូល Qty ដែលបានគ្រោងទុក
 DocType: Account,Income Account,គណនីប្រាក់ចំណូល
 DocType: Payment Request,Amount in customer's currency,ចំនួនទឹកប្រាក់របស់អតិថិជនជារូបិយប័ណ្ណ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,ការដឹកជញ្ជូន
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,ការដឹកជញ្ជូន
 DocType: Volunteer,Weekdays,ថ្ងៃធ្វើការ
 DocType: Stock Reconciliation Item,Current Qty,Qty នាពេលបច្ចុប្បន្ន
 DocType: Restaurant Menu,Restaurant Menu,ម៉ឺនុយភោជនីយដ្ឋាន
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,បន្ថែមអ្នកផ្គត់ផ្គង់
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV -YYYY.-
 DocType: Loyalty Program,Help Section,ផ្នែកជំនួយ
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,មុន
@@ -3703,19 +3745,20 @@
 												fullfill Sales Order {2}",មិនអាចផ្តល់នូវស៊េរីលេខ {0} នៃធាតុ {1} បានទេព្រោះវាត្រូវបានរក្សាទុកទៅ \ Full Order Sales Order {2}
 DocType: Item Reorder,Material Request Type,ប្រភេទស្នើសុំសម្ភារៈ
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,សូមផ្ញើអ៊ីម៉ែលពិនិត្យជំនួយ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","ផ្ទុកទិន្នន័យមូលដ្ឋាននេះគឺជាការពេញលេញ, មិនបានរក្សាទុក"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,ជួរដេក {0}: UOM ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","ផ្ទុកទិន្នន័យមូលដ្ឋាននេះគឺជាការពេញលេញ, មិនបានរក្សាទុក"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,ជួរដេក {0}: UOM ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់
 DocType: Employee Benefit Claim,Claim Date,កាលបរិច្ឆេទទាមទារ
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,សមត្ថភាពបន្ទប់
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},មានកំណត់ត្រារួចហើយសម្រាប់ធាតុ {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,យោង
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,អ្នកនឹងបាត់បង់កំណត់ត្រាវិក័យប័ត្រដែលបានបង្កើតកាលពីមុន។ តើអ្នកប្រាកដថាអ្នកចង់ចាប់ផ្តើមការភ្ជាប់នេះឡើងវិញទេ?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,ថ្លៃចុះឈ្មោះ
 DocType: Loyalty Program Collection,Loyalty Program Collection,ការប្រមូលកម្មវិធីប្រកបដោយភាពស្មោះត្រង់
 DocType: Stock Entry Detail,Subcontracted Item,ធាតុបន្តកិច្ចសន្យា
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},សិស្ស {0} មិនមែនជារបស់ក្រុម {1}
 DocType: Budget,Cost Center,មជ្ឈមណ្ឌលការចំណាយ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,# កាតមានទឹកប្រាក់
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,# កាតមានទឹកប្រាក់
 DocType: Notification Control,Purchase Order Message,ទិញសារលំដាប់
 DocType: Tax Rule,Shipping Country,ការដឹកជញ្ជូនក្នុងប្រទេស
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,លាក់លេខសម្គាល់របស់អតិថិជនពន្ធពីការលក់
@@ -3734,23 +3777,22 @@
 DocType: Subscription,Cancel At End Of Period,បោះបង់នៅចុងបញ្ចប់នៃរយៈពេល
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,អចលនទ្រព្យបានបន្ថែមរួចហើយ
 DocType: Item Supplier,Item Supplier,ផ្គត់ផ្គង់ធាតុ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,សូមបញ្ចូលលេខកូដធាតុដើម្បីទទួលបាច់នោះទេ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},សូមជ្រើសតម្លៃសម្រាប់ {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,សូមបញ្ចូលលេខកូដធាតុដើម្បីទទួលបាច់នោះទេ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},សូមជ្រើសតម្លៃសម្រាប់ {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,គ្មានមុខទំនិញដែលបានជ្រើសរើសសម្រាប់ផ្ទេរ
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,អាសយដ្ឋានទាំងអស់។
 DocType: Company,Stock Settings,ការកំណត់តម្លៃភាគហ៊ុន
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","រួមបញ្ចូលគ្នារវាងគឺអាចធ្វើបានតែប៉ុណ្ណោះប្រសិនបើមានលក្ខណៈសម្បត្តិដូចខាងក្រោមគឺដូចគ្នានៅក្នុងកំណត់ត្រាទាំងពីរ។ គឺជាក្រុម, ប្រភេទជា Root ក្រុមហ៊ុន"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","រួមបញ្ចូលគ្នារវាងគឺអាចធ្វើបានតែប៉ុណ្ណោះប្រសិនបើមានលក្ខណៈសម្បត្តិដូចខាងក្រោមគឺដូចគ្នានៅក្នុងកំណត់ត្រាទាំងពីរ។ គឺជាក្រុម, ប្រភេទជា Root ក្រុមហ៊ុន"
 DocType: Vehicle,Electric,អគ្គិសនី
 DocType: Task,% Progress,% ដំណើរការ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,ការកើនឡើង / ខាតបោះចោលទ្រព្យសកម្ម
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",មានតែអ្នកដាក់ពាក្យសុំសិស្សដែលមានស្ថានភាព &quot;បានអនុម័ត&quot; នឹងត្រូវបានជ្រើសរើសនៅក្នុងតារាងខាងក្រោម។
 DocType: Tax Withholding Category,Rates,អត្រា
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,លេខគណនីសម្រាប់គណនី {0} មិនមានទេ។ <br> សូមរៀបចំតារាងគណនីរបស់អ្នកឱ្យបានត្រឹមត្រូវ។
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,លេខគណនីសម្រាប់គណនី {0} មិនមានទេ។ <br> សូមរៀបចំតារាងគណនីរបស់អ្នកឱ្យបានត្រឹមត្រូវ។
 DocType: Task,Depends on Tasks,អាស្រ័យលើភារកិច្ច
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,គ្រប់គ្រងក្រុមផ្ទាល់ខ្លួនដើមឈើ។
 DocType: Normal Test Items,Result Value,តម្លៃលទ្ធផល
 DocType: Hotel Room,Hotels,សណ្ឋាគារ
-DocType: Delivery Note,Transporter Date,កាលបរិច្ឆេទដឹកជញ្ជូន
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,មជ្ឈមណ្ឌលការចំណាយថ្មីរបស់ឈ្មោះ
 DocType: Leave Control Panel,Leave Control Panel,ទុកឱ្យផ្ទាំងបញ្ជា
 DocType: Project,Task Completion,ការបំពេញភារកិច្ច
@@ -3797,11 +3839,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,ក្រុមការវាយតំលៃទាំងអស់
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,ឈ្មោះឃ្លាំងថ្មី
 DocType: Shopify Settings,App Type,ប្រភេទកម្មវិធី
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),សរុប {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),សរុប {0} ({1})
 DocType: C-Form Invoice Detail,Territory,សណ្ធានដី
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,សូមនិយាយពីមិនមាននៃការមើលដែលបានទាមទារ
 DocType: Stock Settings,Default Valuation Method,វិធីសាស្រ្តវាយតម្លៃលំនាំដើម
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ថ្លៃសេវា
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,បង្ហាញចំនួនទឹកប្រាក់កើនឡើង
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,កំពុងធ្វើបច្ចុប្បន្នភាព។ វាអាចចំណាយពេលបន្តិច។
 DocType: Production Plan Item,Produced Qty,ផលិត Qty
 DocType: Vehicle Log,Fuel Qty,ប្រេងឥន្ធនៈ Qty
@@ -3809,7 +3852,7 @@
 DocType: Work Order Operation,Planned Start Time,ពេលវេលាចាប់ផ្ដើមគ្រោងទុក
 DocType: Course,Assessment,ការវាយតំលៃ
 DocType: Payment Entry Reference,Allocated,ត្រៀមបម្រុងទុក
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,តារាងតុល្យការជិតស្និទ្ធនិងសៀវភៅចំណញឬខាត។
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,តារាងតុល្យការជិតស្និទ្ធនិងសៀវភៅចំណញឬខាត។
 DocType: Student Applicant,Application Status,ស្ថានភាពស្នើសុំ
 DocType: Additional Salary,Salary Component Type,ប្រភេទសមាសភាគប្រាក់ខែ
 DocType: Sensitivity Test Items,Sensitivity Test Items,ធាតុសាកល្បងប្រតិកម្ម
@@ -3820,10 +3863,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,ចំនួនសរុប
 DocType: Sales Partner,Targets,គោលដៅ
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,សូមចុះឈ្មោះលេខ SIREN នៅក្នុងឯកសារព័ត៌មានរបស់ក្រុមហ៊ុន
+DocType: Email Digest,Sales Orders to Bill,ការបញ្ជាទិញលក់ទៅឱ្យ Bill
 DocType: Price List,Price List Master,តារាងតម្លៃអនុបណ្ឌិត
 DocType: GST Account,CESS Account,គណនី CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ទាំងអស់តិបត្តិការអាចនឹងត្រូវបានដាក់ស្លាកលក់បានច្រើនជនលក់ប្រឆាំងនឹង ** ** ដូច្នេះអ្នកអាចកំណត់និងត្រួតពិនិត្យគោលដៅ។
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,ភ្ជាប់ទៅសំណើសម្ភារៈ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,ភ្ជាប់ទៅសំណើសម្ភារៈ
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,សកម្មភាពវេទិកា
 ,S.O. No.,សូលេខ
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,ព័ត៌មានអំពីការកំណត់របស់ធនាគារ
@@ -3838,7 +3882,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,នេះគឺជាក្រុមអតិថិជនជា root និងមិនអាចត្រូវបានកែសម្រួល។
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,សកម្មភាពប្រសិនបើថវិកាបង្គរប្រចាំខែត្រូវបានបូកលើសពី PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,ដាក់ទីកន្លែង
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,ដាក់ទីកន្លែង
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ការវាយតំលៃឡើងវិញនៃអត្រាប្តូរប្រាក់
 DocType: POS Profile,Ignore Pricing Rule,មិនអើពើវិធានតម្លៃ
 DocType: Employee Education,Graduate,បានបញ្ចប់ការសិក្សា
@@ -3874,6 +3918,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,សូមកំណត់អតិថិជនលំនាំដើមនៅក្នុងការកំណត់ភោជនីយដ្ឋាន
 ,Salary Register,ប្រាក់បៀវត្សចុះឈ្មោះ
 DocType: Warehouse,Parent Warehouse,ឃ្លាំងមាតាបិតា
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,គំនូសតាង
 DocType: Subscription,Net Total,សរុប
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},រកមិនឃើញលំនាំដើម Bom សម្រាប់ធាតុនិង {0} {1} គម្រោង
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,កំណត់ប្រភេទប្រាក់កម្ចីនានា
@@ -3906,24 +3951,26 @@
 DocType: Membership,Membership Status,ស្ថានភាពសមាជិក
 DocType: Travel Itinerary,Lodging Required,ការស្នាក់នៅដែលត្រូវការ
 ,Requested,បានស្នើរសុំ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,គ្មានសុន្ទរកថា
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,គ្មានសុន្ទរកថា
 DocType: Asset,In Maintenance,ក្នុងការថែទាំ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ចុចប៊ូតុងនេះដើម្បីទាញទិន្នន័យការបញ្ជាទិញរបស់អ្នកពី Amazon MWS ។
 DocType: Vital Signs,Abdomen,បោះបង់
 DocType: Purchase Invoice,Overdue,ហួសកាលកំណត់
 DocType: Account,Stock Received But Not Billed,ភាគហ៊ុនបានទទួលប៉ុន្តែមិនបានផ្សព្វផ្សាយ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,គណនី root ត្រូវតែជាក្រុមមួយ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,គណនី root ត្រូវតែជាក្រុមមួយ
 DocType: Drug Prescription,Drug Prescription,ថ្នាំពេទ្យ
 DocType: Loan,Repaid/Closed,សង / បិទ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,សរុបរបស់គម្រោង Qty
 DocType: Monthly Distribution,Distribution Name,ឈ្មោះចែកចាយ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,រួមបញ្ចូល UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",អត្រាវាយតម្លៃមិនត្រូវបានរកឃើញសម្រាប់ធាតុ {0} ដែលត្រូវបានតម្រូវឱ្យធ្វើធាតុគណនេយ្យសម្រាប់ {1} {2} ។ ប្រសិនបើធាតុត្រូវបានធ្វើជាធាតុអត្រាតម្លៃសូន្យនៅក្នុង {1} សូមនិយាយថានៅក្នុងតារាងធាតុ {1} ។ បើមិនដូច្នោះទេសូមបង្កើតការជួញដូរភាគហ៊ុនមកដល់សម្រាប់ធាតុឬនិយាយពីអត្រាវាយតម្លៃនៅក្នុងកំណត់ត្រាធាតុហើយបន្ទាប់មកព្យាយាមផ្ញើ / បោះបង់ធាតុនេះ។
 DocType: Course,Course Code,ក្រមការពិតណាស់
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},ពិនិត្យគុណភាពបានទាមទារសម្រាប់ធាតុ {0}
 DocType: Location,Parent Location,ទីតាំងមេ
 DocType: POS Settings,Use POS in Offline Mode,ប្រើម៉ាស៊ីនមេនៅក្រៅអ៊ីនធឺណិត
 DocType: Supplier Scorecard,Supplier Variables,អថេរអ្នកផ្គត់ផ្គង់
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} គឺចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណមិនត្រូវបានបង្កើតសម្រាប់ {1} ទៅ {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,អត្រារូបិយប័ណ្ណអតិថិជនដែលត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់ក្រុមហ៊ុន
 DocType: Purchase Invoice Item,Net Rate (Company Currency),អត្រាការប្រាក់សុទ្ធ (ក្រុមហ៊ុនរូបិយវត្ថុ)
 DocType: Salary Detail,Condition and Formula Help,លក្ខខណ្ឌនិងរូបមន្តជំនួយ
@@ -3932,19 +3979,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,វិក័យប័ត្រលក់
 DocType: Journal Entry Account,Party Balance,តុល្យភាពគណបក្ស
 DocType: Cash Flow Mapper,Section Subtotal,ផ្នែករងសរុប
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,សូមជ្រើសរើសអនុវត្តបញ្ចុះតម្លៃនៅលើ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,សូមជ្រើសរើសអនុវត្តបញ្ចុះតម្លៃនៅលើ
 DocType: Stock Settings,Sample Retention Warehouse,ឃ្លាំងស្តុកគំរូ
 DocType: Company,Default Receivable Account,គណនីអ្នកទទួលលំនាំដើម
 DocType: Purchase Invoice,Deemed Export,ចាត់ទុកថានាំចេញ
 DocType: Stock Entry,Material Transfer for Manufacture,ផ្ទេរសម្រាប់ការផលិតសម្ភារៈ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ភាគរយបញ្ចុះតម្លៃអាចត្រូវបានអនុវត្តទាំងការប្រឆាំងនឹងតារាងតម្លៃមួយឬសម្រាប់តារាងតម្លៃទាំងអស់។
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,ប្រត្តិប័ត្រការគណនេយ្យសំរាប់ស្តុក
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,ប្រត្តិប័ត្រការគណនេយ្យសំរាប់ស្តុក
 DocType: Lab Test,LabTest Approver,អ្នកអនុម័ត LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,អ្នកបានវាយតម្លែរួចទៅហើយសម្រាប់លក្ខណៈវិនិច្ឆ័យវាយតម្លៃនេះ {} ។
 DocType: Vehicle Service,Engine Oil,ប្រេងម៉ាស៊ីន
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},កិច្ចការការងារបានបង្កើត: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},កិច្ចការការងារបានបង្កើត: {0}
 DocType: Sales Invoice,Sales Team1,Team1 ការលក់
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,ធាតុ {0} មិនមាន
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,ធាតុ {0} មិនមាន
 DocType: Sales Invoice,Customer Address,អាសយដ្ឋានអតិថិជន
 DocType: Loan,Loan Details,សេចក្ដីលម្អិតប្រាក់កម្ចី
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,បានបរាជ័យក្នុងការរៀបចំការប្រកួតរបស់ក្រុមហ៊ុន
@@ -3965,34 +4012,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,បង្ហាញតែការបញ្ចាំងស្លាយនេះនៅកំពូលនៃទំព័រ
 DocType: BOM,Item UOM,ធាតុ UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ចំនួនប្រាក់ពន្ធបន្ទាប់ពីចំនួនការបញ្ចុះតម្លៃ (ក្រុមហ៊ុនរូបិយវត្ថុ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},ឃ្លាំងគោលដៅគឺជាការចាំបាច់សម្រាប់ជួរ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},ឃ្លាំងគោលដៅគឺជាការចាំបាច់សម្រាប់ជួរ {0}
 DocType: Cheque Print Template,Primary Settings,ការកំណត់បឋមសិក្សា
 DocType: Attendance Request,Work From Home,ធ្វើការពីផ្ទះ
 DocType: Purchase Invoice,Select Supplier Address,ជ្រើសអាសយដ្ឋានផ្គត់ផ្គង់
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,បន្ថែម បុគ្គលិក
 DocType: Purchase Invoice Item,Quality Inspection,ពិនិត្យគុណភាព
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,បន្ថែមទៀតខ្នាតតូច
 DocType: Company,Standard Template,ទំព័រគំរូស្ដង់ដារ
 DocType: Training Event,Theory,ទ្រឹស្តី
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,ព្រមាន: សម្ភារៈដែលបានស្នើ Qty គឺតិចជាងអប្បបរមាលំដាប់ Qty
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,ព្រមាន: សម្ភារៈដែលបានស្នើ Qty គឺតិចជាងអប្បបរមាលំដាប់ Qty
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,គណនី {0} គឺការកក
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ផ្នែកច្បាប់អង្គភាព / តារាងរួមផ្សំជាមួយនឹងគណនីដាច់ដោយឡែកមួយដែលជាកម្មសិទ្ធិរបស់អង្គការនេះ។
 DocType: Payment Request,Mute Email,ស្ងាត់អ៊ីម៉ែល
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","អាហារ, ភេសជ្ជៈនិងថ្នាំជក់"
 DocType: Account,Account Number,លេខគណនី
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},ត្រឹមតែអាចធ្វើឱ្យការទូទាត់ប្រឆាំងនឹង unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,អត្រាការគណៈកម្មាការមិនអាចជាធំជាង 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},ត្រឹមតែអាចធ្វើឱ្យការទូទាត់ប្រឆាំងនឹង unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,អត្រាការគណៈកម្មាការមិនអាចជាធំជាង 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),បម្រុងទុកបុរេប្រទានដោយស្វ័យប្រវត្តិ (FIFO)
 DocType: Volunteer,Volunteer,អ្នកស្ម័គ្រចិត្ត
 DocType: Buying Settings,Subcontract,របបម៉ៅការ
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,សូមបញ្ចូល {0} ដំបូង
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,ការឆ្លើយតបពីគ្មាន
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,ការឆ្លើយតបពីគ្មាន
 DocType: Work Order Operation,Actual End Time,ជាក់ស្តែងពេលវេលាបញ្ចប់
 DocType: Item,Manufacturer Part Number,ក្រុមហ៊ុនផលិតផ្នែកមួយចំនួន
 DocType: Taxable Salary Slab,Taxable Salary Slab,ប្រាក់ខែដែលជាប់ពន្ធ
 DocType: Work Order Operation,Estimated Time and Cost,ការប៉ាន់ប្រមាណនិងការចំណាយពេលវេលា
 DocType: Bin,Bin,bin
 DocType: Crop,Crop Name,ឈ្មោះដំណាំ
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,មានតែអ្នកប្រើដែលមានតួនាទី {0} ប៉ុណ្ណោះអាចចុះឈ្មោះនៅលើ Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,មានតែអ្នកប្រើដែលមានតួនាទី {0} ប៉ុណ្ណោះអាចចុះឈ្មោះនៅលើ Marketplace
 DocType: SMS Log,No of Sent SMS,គ្មានសារដែលបានផ្ញើ
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,ការណាត់ជួបនិងការជួបគ្នា
@@ -4021,7 +4069,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,ប្តូរលេខកូដ
 DocType: Purchase Invoice Item,Valuation Rate,អត្រាការវាយតម្លៃ
 DocType: Vehicle,Diesel,ម៉ាស៊ូត
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,រូបិយប័ណ្ណបញ្ជីតម្លៃមិនបានជ្រើសរើស
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,រូបិយប័ណ្ណបញ្ជីតម្លៃមិនបានជ្រើសរើស
 DocType: Purchase Invoice,Availed ITC Cess,ផ្តល់ជូនដោយ ITC Cess
 ,Student Monthly Attendance Sheet,សិស្សសន្លឹកអវត្តមានប្រចាំខែ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,ច្បាប់នៃការដឹកជញ្ជូនអាចអនុវត្តបានតែសម្រាប់លក់ប៉ុណ្ណោះ
@@ -4037,7 +4085,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,គ្រប់គ្រងការលក់ដៃគូ។
 DocType: Quality Inspection,Inspection Type,ប្រភេទអធិការកិច្ច
 DocType: Fee Validity,Visited yet,បានទៅទស្សនានៅឡើយ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។
 DocType: Assessment Result Tool,Result HTML,លទ្ធផលរបស់ HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,តើគួរធ្វើបច្ចុប្បន្នភាពគម្រោងនិងក្រុមហ៊ុនដោយផ្អែកលើប្រតិបត្ដិការលក់ជាញឹកញាប់។
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ផុតកំណត់នៅថ្ងៃទី
@@ -4045,7 +4093,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},សូមជ្រើស {0}
 DocType: C-Form,C-Form No,ទម្រង់បែបបទគ្មាន C-
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,ចម្ងាយ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,ចម្ងាយ
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,រាយផលិតផលឬសេវាកម្មរបស់អ្នកដែលអ្នកទិញឬលក់។
 DocType: Water Analysis,Storage Temperature,សីតុណ្ហាភាពផ្ទុក
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD -YYYY.-
@@ -4061,19 +4109,19 @@
 DocType: Shopify Settings,Delivery Note Series,កម្រងឯកសារដឹកជញ្ជូន
 DocType: Purchase Order Item,Returned Qty,ត្រឡប់មកវិញ Qty
 DocType: Student,Exit,ការចាកចេញ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,ប្រភេទជា Root គឺជាចាំបាច់
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,ប្រភេទជា Root គឺជាចាំបាច់
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,បានបរាជ័យក្នុងការដំឡើងការកំណត់ជាមុន
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,ការផ្លាស់ប្តូរ UOM នៅក្នុងម៉ោង
 DocType: Contract,Signee Details,ព័ត៌មានលម្អិតអ្នកចុះហត្ថលេខា
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} បច្ចុប្បន្នមានជំហរ {1} ពិន្ទុសម្គាល់អ្នកផ្គត់ផ្គង់ហើយការស្នើសុំ RFQs ចំពោះអ្នកផ្គត់ផ្គង់នេះគួរតែត្រូវបានចេញដោយប្រុងប្រយ័ត្ន។
 DocType: Certified Consultant,Non Profit Manager,កម្មវិធីមិនរកប្រាក់ចំណេញ
 DocType: BOM,Total Cost(Company Currency),តម្លៃសរុប (ក្រុមហ៊ុនរូបិយវត្ថុ)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,សៀរៀលគ្មាន {0} បង្កើតឡើង
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,សៀរៀលគ្មាន {0} បង្កើតឡើង
 DocType: Homepage,Company Description for website homepage,សង្ខេបសម្រាប់គេហទំព័ររបស់ក្រុមហ៊ុនគេហទំព័រ
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ចំពោះភាពងាយស្រួលនៃអតិថិជន, កូដទាំងនេះអាចត្រូវបានប្រើនៅក្នុងទ្រង់ទ្រាយបោះពុម្ពដូចជាការវិកិយប័ត្រនិងដឹកជញ្ជូនចំណាំ"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,ឈ្មោះ Suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,មិនអាចរកបានព័ត៌មានសម្រាប់ {0} ។
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,បើកធាតុទិនានុប្បវត្តិ
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,បើកធាតុទិនានុប្បវត្តិ
 DocType: Contract,Fulfilment Terms,លក្ខខណ្ឌបំពេញ
 DocType: Sales Invoice,Time Sheet List,បញ្ជីសន្លឹកពេលវេលា
 DocType: Employee,You can enter any date manually,អ្នកអាចបញ្ចូលកាលបរិច្ឆេទណាមួយដោយដៃ
@@ -4108,7 +4156,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,អង្គការរបស់អ្នក
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",សូមរំលងការចាត់ចែងឱ្យបុគ្គលិកដូចខាងក្រោមដោយទុកកំណត់ត្រាបែងចែករួចហើយប្រឆាំងនឹងពួកគេ។ {0}
 DocType: Fee Component,Fees Category,ថ្លៃសេវាប្រភេទ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,សូមបញ្ចូលកាលបរិច្ឆេទបន្ថយ។
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,សូមបញ្ចូលកាលបរិច្ឆេទបន្ថយ។
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Travel Request,"Details of Sponsor (Name, Location)","ព័ត៌មានលំអិតអំពីអ្នកឧបត្ថម្ភ (ឈ្មោះ, ទីកន្លែង)"
 DocType: Supplier Scorecard,Notify Employee,ជូនដំណឹងដល់និយោជិក
@@ -4121,9 +4169,9 @@
 DocType: Company,Chart Of Accounts Template,តារាងនៃគណនីទំព័រគំរូ
 DocType: Attendance,Attendance Date,ការចូលរួមកាលបរិច្ឆេទ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},ធ្វើបច្ចុប្បន្នភាពស្តុកត្រូវតែបើកសម្រាប់វិក័យប័ត្រទិញ {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},ថ្លៃទំនិញឱ្យទាន់សម័យសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},ថ្លៃទំនិញឱ្យទាន់សម័យសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ការបែកបាក់គ្នាដោយផ្អែកលើការរកប្រាក់ចំណូលបានប្រាក់ខែនិងការកាត់។
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,គណនីជាមួយថ្នាំងជាកុមារមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,គណនីជាមួយថ្នាំងជាកុមារមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
 DocType: Purchase Invoice Item,Accepted Warehouse,ឃ្លាំងទទួលយក
 DocType: Bank Reconciliation Detail,Posting Date,ការប្រកាសកាលបរិច្ឆេទ
 DocType: Item,Valuation Method,វិធីសាស្រ្តវាយតម្លៃ
@@ -4160,6 +4208,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,សូមជ្រើសបាច់មួយ
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,ពាក្យបណ្តឹងធ្វើដំណើរនិងចំណាយ
 DocType: Sales Invoice,Redemption Cost Center,មជ្ឈមណ្ឌលការចំណាយប្រោសលោះ
+DocType: QuickBooks Migrator,Scope,វិសាលភាព
 DocType: Assessment Group,Assessment Group Name,ឈ្មោះការវាយតម្លៃជាក្រុម
 DocType: Manufacturing Settings,Material Transferred for Manufacture,សម្ភារៈផ្ទេរសម្រាប់ការផលិត
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,បន្ថែមទៅព័ត៌មានលម្អិត
@@ -4167,6 +4216,7 @@
 DocType: Shopify Settings,Last Sync Datetime,ធ្វើសមកាលកម្មពេលវេលាចុងក្រោយ
 DocType: Landed Cost Item,Receipt Document Type,ប្រភេទឯកសារវិក័យប័ត្រ
 DocType: Daily Work Summary Settings,Select Companies,ជ្រើសរើសក្រុមហ៊ុន
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,សំណើសម្រង់តម្លៃ
 DocType: Antibiotic,Healthcare,ការថែទាំសុខភាព
 DocType: Target Detail,Target Detail,ពត៌មានលំអិតគោលដៅ
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,វ៉ារ្យ៉ង់តែមួយ
@@ -4176,6 +4226,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,ចូលរយៈពេលបិទ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,ជ្រើសរើសនាយកដ្ឋាន ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,ជាមួយនឹងការប្រតិបត្តិការនៃមជ្ឈមណ្ឌលការចំណាយដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាក្រុម
+DocType: QuickBooks Migrator,Authorization URL,URL ផ្ទៀងផ្ទាត់
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},ចំនួនទឹកប្រាក់ {0} {1} {2} {3}
 DocType: Account,Depreciation,រំលស់
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,ចំនួនភាគហ៊ុននិងលេខភាគហ៊ុនមិនសមស្រប
@@ -4197,13 +4248,14 @@
 DocType: Support Search Source,Source DocType,ប្រភព DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,បើកសំបុត្រថ្មី
 DocType: Training Event,Trainer Email,គ្រូបង្គោលអ៊ីម៉ែល
+DocType: Driver,Transporter,ដឹកជញ្ជូន
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,សំណើសម្ភារៈ {0} បង្កើតឡើង
 DocType: Restaurant Reservation,No of People,ចំនួនប្រជាជន
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ទំព័រគំរូនៃពាក្យឬកិច្ចសន្យា។
 DocType: Bank Account,Address and Contact,អាស័យដ្ឋាននិងទំនាក់ទំនង
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,តើមានគណនីទូទាត់
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការទទួលទិញ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការទទួលទិញ {0}
 DocType: Support Settings,Auto close Issue after 7 days,ដោយស្វ័យប្រវត្តិបន្ទាប់ពីបញ្ហានៅជិត 7 ថ្ងៃ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ទុកឱ្យមិនអាចត្រូវបានបម្រុងទុកមុន {0}, ដែលជាតុល្យភាពការឈប់សម្រាកបានជាទំនិញ-បានបញ្ជូនបន្តនៅក្នុងកំណត់ត្រាការបែងចែកការឈប់សម្រាកនាពេលអនាគតរួចទៅហើយ {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ចំណាំ: ដោយសារតែ / សេចក្តីយោងកាលបរិច្ឆេទលើសពីអនុញ្ញាតឱ្យថ្ងៃឥណទានរបស់អតិថិជនដោយ {0} ថ្ងៃ (s)
@@ -4221,7 +4273,7 @@
 ,Qty to Deliver,qty ដើម្បីដឹកជញ្ជូន
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ក្រុមហ៊ុន Amazon នឹងធ្វើសមកាលកម្មទិន្នន័យដែលបានធ្វើបច្ចុប្បន្នភាពបន្ទាប់ពីកាលបរិច្ឆេទនេះ
 ,Stock Analytics,ភាគហ៊ុនវិភាគ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ប្រតិបត្តិការមិនអាចត្រូវបានទុកឱ្យនៅទទេ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ប្រតិបត្តិការមិនអាចត្រូវបានទុកឱ្យនៅទទេ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,តេស្តបន្ទប់ពិសោធន៍
 DocType: Maintenance Visit Purpose,Against Document Detail No,ពត៌មានលំអិតរបស់ឯកសារគ្មានការប្រឆាំងនឹងការ
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},ការលុបមិនត្រូវបានអនុញ្ញាតសម្រាប់ប្រទេស {0}
@@ -4229,13 +4281,12 @@
 DocType: Quality Inspection,Outgoing,ចេញ
 DocType: Material Request,Requested For,ស្នើសម្រាប់
 DocType: Quotation Item,Against Doctype,ប្រឆាំងនឹងការ DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ត្រូវបានលុបចោលឬបានបិទ
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ត្រូវបានលុបចោលឬបានបិទ
 DocType: Asset,Calculate Depreciation,គណនារំលស់
 DocType: Delivery Note,Track this Delivery Note against any Project,តាមដានការដឹកជញ្ជូនចំណាំនេះប្រឆាំងនឹងគម្រោងណាមួយឡើយ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,សាច់ប្រាក់សុទ្ធពីការវិនិយោគ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,អតិថិជន&gt; ក្រុមអតិថិជន&gt; ដែនដី
 DocType: Work Order,Work-in-Progress Warehouse,ការងារក្នុងវឌ្ឍនភាពឃ្លាំង
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,ទ្រព្យសកម្ម {0} ត្រូវតែត្រូវបានដាក់ជូន
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,ទ្រព្យសកម្ម {0} ត្រូវតែត្រូវបានដាក់ជូន
 DocType: Fee Schedule Program,Total Students,សិស្សសរុប
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ការចូលរួមកំណត់ត្រា {0} មានប្រឆាំងនឹងនិស្សិត {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},សេចក្តីយោង # {0} {1} ចុះកាលបរិច្ឆេទ
@@ -4255,7 +4306,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,មិនអាចបង្កើតប្រាក់លើកទឹកចិត្តសំរាប់បុគ្គលិកដែលនៅសល់
 DocType: Lead,Market Segment,ចំណែកទីផ្សារ
 DocType: Agriculture Analysis Criteria,Agriculture Manager,អ្នកគ្រប់គ្រងកសិកម្ម
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},ចំនួនទឹកប្រាក់ដែលត្រូវចំណាយប្រាក់មិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់សរុបអវិជ្ជមាន {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},ចំនួនទឹកប្រាក់ដែលត្រូវចំណាយប្រាក់មិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់សរុបអវិជ្ជមាន {0}
 DocType: Supplier Scorecard Period,Variables,អថេរ
 DocType: Employee Internal Work History,Employee Internal Work History,ប្រវត្តិការងាររបស់បុគ្គលិកផ្ទៃក្នុង
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),បិទ (លោកបណ្ឌិត)
@@ -4279,22 +4330,24 @@
 DocType: Amazon MWS Settings,Synch Products,ផលិតផលសមកាល
 DocType: Loyalty Point Entry,Loyalty Program,កម្មវិធីភក្ដីភាព
 DocType: Student Guardian,Father,ព្រះបិតា
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,គាំទ្រសំបុត្រ
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Update ស្តុក 'មិនអាចជ្រើសរើសបានចំពោះទ្រព្យអសកម្ម"
 DocType: Bank Reconciliation,Bank Reconciliation,ធនាគារការផ្សះផ្សា
 DocType: Attendance,On Leave,ឈប់សម្រាក
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ទទួលបានការធ្វើឱ្យទាន់សម័យ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: គណនី {2} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,ជ្រើសរើសតម្លៃយ៉ាងហោចណាស់មួយពីគុណលក្ខណៈនីមួយៗ។
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,ជ្រើសរើសតម្លៃយ៉ាងហោចណាស់មួយពីគុណលក្ខណៈនីមួយៗ។
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,សម្ភារៈសំណើ {0} ត្រូវបានលុបចោលឬបញ្ឈប់
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,បញ្ជូនរដ្ឋ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,បញ្ជូនរដ្ឋ
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,ទុកឱ្យការគ្រប់គ្រង
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,ក្រុមអ្នក
 DocType: Purchase Invoice,Hold Invoice,សង្កត់វិក្កយបត្រ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,សូមជ្រើសរើសបុគ្គលិក
 DocType: Sales Order,Fully Delivered,ផ្តល់ឱ្យបានពេញលេញ
-DocType: Lead,Lower Income,ប្រាក់ចំណូលទាប
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,ប្រាក់ចំណូលទាប
 DocType: Restaurant Order Entry,Current Order,លំដាប់បច្ចុប្បន្ន
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,ចំនួននៃសៀរៀលនិងបរិមាណត្រូវតែដូចគ្នា
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},ប្រភពនិងឃ្លាំងគោលដៅមិនអាចមានដូចគ្នាសម្រាប់ជួរដេក {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},ប្រភពនិងឃ្លាំងគោលដៅមិនអាចមានដូចគ្នាសម្រាប់ជួរដេក {0}
 DocType: Account,Asset Received But Not Billed,ទ្រព្យសកម្មបានទទួលប៉ុន្តែមិនបានទូទាត់
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",គណនីមានភាពខុសគ្នាត្រូវតែជាគណនីប្រភេទទ្រព្យសកម្ម / ការទទួលខុសត្រូវចាប់តាំងពីការផ្សះផ្សានេះគឺផ្សារភាគហ៊ុនការបើកជាមួយធាតុ
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},ចំនួនទឹកប្រាក់ដែលបានចំណាយមិនអាចមានប្រាក់កម្ចីចំនួនធំជាង {0}
@@ -4303,7 +4356,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},ទិញចំនួនលំដាប់ដែលបានទាមទារសម្រាប់ធាតុ {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""ពីកាលបរិច្ឆេទ"" ត្រូវតែនៅបន្ទាប់ ""ដល់កាលបរិច្ឆេទ"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,មិនមានគម្រោងបុគ្គលិកដែលរកឃើញសម្រាប់ការចង្អុលប័ណ្ណនេះទេ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,បំណះ {0} នៃធាតុ {1} ត្រូវបានបិទ។
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,បំណះ {0} នៃធាតុ {1} ត្រូវបានបិទ។
 DocType: Leave Policy Detail,Annual Allocation,ការបែងចែកប្រចាំឆ្នាំ
 DocType: Travel Request,Address of Organizer,អាសយដ្ឋានរបស់អ្នករៀបចំ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,ជ្រើសរើសអ្នកថែទាំសុខភាព ...
@@ -4312,12 +4365,12 @@
 DocType: Asset,Fully Depreciated,ធ្លាក់ថ្លៃយ៉ាងពេញលេញ
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,គម្រោង Qty ផ្សារភាគហ៊ុន
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},អតិថិជន {0} មិនមែនជារបស់គម្រោង {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},អតិថិជន {0} មិនមែនជារបស់គម្រោង {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,វត្តមានដែលបានសម្គាល់ជា HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",ដកស្រង់សំណើដេញថ្លៃដែលអ្នកបានផ្ញើទៅឱ្យអតិថិជនរបស់អ្នក
 DocType: Sales Invoice,Customer's Purchase Order,ទិញលំដាប់របស់អតិថិជន
 DocType: Clinical Procedure,Patient,អ្នកជំងឺ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,ពិនិត្យឥណទានឆ្លងកាត់តាមលំដាប់លក់
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,ពិនិត្យឥណទានឆ្លងកាត់តាមលំដាប់លក់
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,សកម្មភាពលើនាវា
 DocType: Location,Check if it is a hydroponic unit,ពិនិត្យមើលថាតើវាជាអង្គធាតុត្រូពិច
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,សៀរៀលទេនិងបាច់ &amp; ‧;
@@ -4327,7 +4380,7 @@
 DocType: Supplier Scorecard Period,Calculations,ការគណនា
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,តំលៃឬ Qty
 DocType: Payment Terms Template,Payment Terms,ល័ក្ខខ័ណ្ឌទូទាត់
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,ការបញ្ជាទិញផលិតផលនេះមិនអាចត្រូវបានលើកឡើងសម្រាប់:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,ការបញ្ជាទិញផលិតផលនេះមិនអាចត្រូវបានលើកឡើងសម្រាប់:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,នាទី
 DocType: Purchase Invoice,Purchase Taxes and Charges,ទិញពន្ធនិងការចោទប្រកាន់
 DocType: Chapter,Meetup Embed HTML,Meetup បញ្ចូល HTML
@@ -4335,17 +4388,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,ទៅកាន់អ្នកផ្គត់ផ្គង់
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ប័ណ្ណទូទាត់បិទម៉ាស៊ីនឆូតកាត
 ,Qty to Receive,qty ទទួល
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",កាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់មិននៅក្នុងអំឡុងពេលបើកប្រាក់បៀវត្សរ៍ត្រឹមត្រូវមិនអាចគណនា {0} ។
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",កាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់មិននៅក្នុងអំឡុងពេលបើកប្រាក់បៀវត្សរ៍ត្រឹមត្រូវមិនអាចគណនា {0} ។
 DocType: Leave Block List,Leave Block List Allowed,ទុកឱ្យប្លុកដែលបានអនុញ្ញាតក្នុងបញ្ជី
 DocType: Grading Scale Interval,Grading Scale Interval,ធ្វើមាត្រដ្ឋានចន្លោះពេលការដាក់ពិន្ទុ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ពាក្យបណ្តឹងការចំណាយសម្រាប់រថយន្តចូល {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,បញ្ចុះតម្លៃ (%) នៅលើអត្រាតារាងតម្លៃជាមួយរឹម
 DocType: Healthcare Service Unit Type,Rate / UOM,អត្រា / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ឃ្លាំងទាំងអស់
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,ទេ {0} បានរកឃើញសម្រាប់ប្រតិបត្តិការអន្តរក្រុមហ៊ុន។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,ទេ {0} បានរកឃើញសម្រាប់ប្រតិបត្តិការអន្តរក្រុមហ៊ុន។
 DocType: Travel Itinerary,Rented Car,ជួលរថយន្ត
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,អំពីក្រុមហ៊ុនរបស់អ្នក
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,ឥណទានទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,ឥណទានទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
 DocType: Donor,Donor,ម្ចាស់ជំនួយ
 DocType: Global Defaults,Disable In Words,បិទនៅក្នុងពាក្យ
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,ក្រមធាតុគឺជាចាំបាច់ដោយសារតែធាតុបង់លេខដោយស្វ័យប្រវត្តិគឺមិន
@@ -4357,14 +4410,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,ធនាគាររូបារូប
 DocType: Patient,Patient ID,លេខសម្គាល់អ្នកជំងឺ
 DocType: Practitioner Schedule,Schedule Name,ដាក់ឈ្មោះឈ្មោះ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,ការលក់បំពង់បង្ហូរប្រេងតាមដំណាក់កាល
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,ធ្វើឱ្យប្រាក់ខែគ្រូពេទ្យប្រហែលជា
 DocType: Currency Exchange,For Buying,សម្រាប់ការទិញ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,បន្ថែមអ្នកផ្គត់ផ្គង់ទាំងអស់
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,បន្ថែមអ្នកផ្គត់ផ្គង់ទាំងអស់
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ជួរដេក # {0}: ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកមិនអាចច្រើនជាងចំនួនពូកែ។
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,រកមើល Bom
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,ការផ្តល់កម្ចីដែលមានសុវត្ថិភាព
 DocType: Purchase Invoice,Edit Posting Date and Time,កែសម្រួលប្រកាសកាលបរិច្ឆេទនិងពេលវេលា
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},សូមកំណត់ដែលទាក់ទងនឹងការរំលស់ក្នុងគណនីទ្រព្យសកម្មប្រភេទឬ {0} {1} ក្រុមហ៊ុន
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},សូមកំណត់ដែលទាក់ទងនឹងការរំលស់ក្នុងគណនីទ្រព្យសកម្មប្រភេទឬ {0} {1} ក្រុមហ៊ុន
 DocType: Lab Test Groups,Normal Range,ជួរធម្មតា
 DocType: Academic Term,Academic Year,ឆ្នាំសិក្សា
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,លក់ដែលអាចប្រើបាន
@@ -4393,26 +4447,26 @@
 DocType: Patient Appointment,Patient Appointment,ការតែងតាំងអ្នកជំងឺ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,អនុម័តតួនាទីមិនអាចជាដូចគ្នាទៅនឹងតួនាទីរបស់ច្បាប់ត្រូវបានអនុវត្ត
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ជាវពីអ៊ីម៉ែលនេះសង្ខេប
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,ទទួលបានអ្នកផ្គត់ផ្គង់តាម
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,ទទួលបានអ្នកផ្គត់ផ្គង់តាម
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},រកមិនឃើញ {0} សម្រាប់ធាតុ {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,ចូលទៅកាន់វគ្គសិក្សា
 DocType: Accounts Settings,Show Inclusive Tax In Print,បង្ហាញពន្ធបញ្ចូលគ្នាក្នុងការបោះពុម្ព
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",គណនីធនាគារចាប់ពីកាលបរិច្ឆេទនិងកាលបរិច្ឆេទត្រូវមានជាចាំបាច់
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,សារដែលបានផ្ញើ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,គណនីជាមួយថ្នាំងជាកូនក្មេងដែលមិនអាចត្រូវបានកំណត់ជាសៀវភៅ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,គណនីជាមួយថ្នាំងជាកូនក្មេងដែលមិនអាចត្រូវបានកំណត់ជាសៀវភៅ
 DocType: C-Form,II,ទី II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,អត្រាដែលតារាងតំលៃរូបិយប័ណ្ណត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់អតិថិជន
 DocType: Purchase Invoice Item,Net Amount (Company Currency),ចំនួនទឹកប្រាក់សុទ្ធ (ក្រុមហ៊ុនរូបិយវត្ថុ)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,ចំនួនទឹកប្រាក់សរុបជាមុនមិនអាចច្រើនជាងចំនួនសរុបដែលបានអនុញ្ញាត
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,ចំនួនទឹកប្រាក់សរុបជាមុនមិនអាចច្រើនជាងចំនួនសរុបដែលបានអនុញ្ញាត
 DocType: Salary Slip,Hour Rate,ហួរអត្រា
 DocType: Stock Settings,Item Naming By,ធាតុដាក់ឈ្មោះតាម
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},មួយទៀតការចូលបិទរយៈពេល {0} ត្រូវបានធ្វើឡើងបន្ទាប់ពី {1}
 DocType: Work Order,Material Transferred for Manufacturing,សម្ភារៈផ្ទេរសម្រាប់កម្មន្តសាល
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,គណនី {0} មិនមាន
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,ជ្រើសកម្មវិធីភាពស្មោះត្រង់
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,ជ្រើសកម្មវិធីភាពស្មោះត្រង់
 DocType: Project,Project Type,ប្រភេទគម្រោង
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,កិច្ចការកុមារមានសម្រាប់ភារកិច្ចនេះ។ អ្នកមិនអាចលុបភារកិច្ចនេះបានទេ។
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ទាំង qty គោលដៅឬគោលដៅចំនួនទឹកប្រាក់គឺជាចាំបាច់។
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ទាំង qty គោលដៅឬគោលដៅចំនួនទឹកប្រាក់គឺជាចាំបាច់។
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,ការចំណាយនៃសកម្មភាពនានា
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ការកំណត់ព្រឹត្តិការណ៍ដើម្បី {0}, ចាប់តាំងពីបុគ្គលិកដែលបានភ្ជាប់ទៅខាងក្រោមនេះការលក់របស់បុគ្គលមិនមានលេខសម្គាល់អ្នកប្រើ {1}"
 DocType: Timesheet,Billing Details,សេចក្ដីលម្អិតវិក័យប័ត្រ
@@ -4470,13 +4524,13 @@
 DocType: Inpatient Record,A Negative,អវិជ្ជមាន
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,គ្មានអ្វីច្រើនជាងនេះដើម្បីបង្ហាញ។
 DocType: Lead,From Customer,ពីអតិថិជន
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ការហៅទូរស័ព្ទ
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,ការហៅទូរស័ព្ទ
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,ផលិតផល
 DocType: Employee Tax Exemption Declaration,Declarations,សេចក្តីប្រកាស
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,ជំនាន់
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,កំណត់ថ្លៃកម្រៃ
 DocType: Purchase Order Item Supplied,Stock UOM,ភាគហ៊ុន UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,ទិញលំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,ទិញលំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
 DocType: Account,Expenses Included In Asset Valuation,ចំណាយរួមបញ្ចូលក្នុងតម្លៃទ្រព្យសកម្ម
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),កន្លែងយោងធម្មតាសម្រាប់មនុស្សពេញវ័យគឺ 16-20 ដកដង្ហើម / នាទី (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,លេខពន្ធ
@@ -4489,6 +4543,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,សូមសង្គ្រោះអ្នកជំងឺមុន
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,ការចូលរួមត្រូវបានគេបានសម្គាល់ដោយជោគជ័យ។
 DocType: Program Enrollment,Public Transport,ការដឹកជញ្ជូនសាធារណៈ
+DocType: Delivery Note,GST Vehicle Type,ប្រភេទរថយន្ត GST
 DocType: Soil Texture,Silt Composition (%),សមាសភាពអំបិល (%)
 DocType: Journal Entry,Remark,សំគាល់
 DocType: Healthcare Settings,Avoid Confirmation,ជៀសវាងការបញ្ជាក់
@@ -4498,11 +4553,10 @@
 DocType: Education Settings,Current Academic Term,រយៈពេលសិក្សាបច្ចុប្បន្ន
 DocType: Education Settings,Current Academic Term,រយៈពេលសិក្សាបច្ចុប្បន្ន
 DocType: Sales Order,Not Billed,មិនបានផ្សព្វផ្សាយ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,ឃ្លាំងទាំងពីរត្រូវតែជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុនដូចគ្នា
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,ឃ្លាំងទាំងពីរត្រូវតែជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុនដូចគ្នា
 DocType: Employee Grade,Default Leave Policy,ចាកចេញពីគោលការណ៍
 DocType: Shopify Settings,Shop URL,ហាង URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,គ្មានទំនាក់ទំនងបានបន្ថែមនៅឡើយទេ។
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈ Setup&gt; Serial Number
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ចំនួនប័ណ្ណការចំណាយបានចុះចត
 ,Item Balance (Simple),សមតុល្យវត្ថុ (សាមញ្ញ)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,វិក័យប័ត្រដែលបានលើកឡើងដោយអ្នកផ្គត់ផ្គង់។
@@ -4527,7 +4581,7 @@
 DocType: Shopping Cart Settings,Quotation Series,សម្រង់កម្រងឯកសារ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","ធាតុមួយមានឈ្មោះដូចគ្នា ({0}), សូមផ្លាស់ប្តូរឈ្មោះធាតុឬប្ដូរឈ្មោះក្រុមធាតុ"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,លក្ខណៈវិនិច្ឆ័យវិភាគដី
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,សូមជ្រើសអតិថិជន
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,សូមជ្រើសអតិថិជន
 DocType: C-Form,I,ខ្ញុំ
 DocType: Company,Asset Depreciation Cost Center,មជ្ឈមណ្ឌលតម្លៃរំលស់ទ្រព្យសម្បត្តិ
 DocType: Production Plan Sales Order,Sales Order Date,លំដាប់ការលក់កាលបរិច្ឆេទ
@@ -4540,8 +4594,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,បច្ចុប្បន្នពុំមានស្តុកនៅក្នុងឃ្លាំងណាមួយឡើយ
 ,Payment Period Based On Invoice Date,អំឡុងពេលបង់ប្រាក់ដែលមានមូលដ្ឋានលើវិក័យប័ត្រកាលបរិច្ឆេទ
 DocType: Sample Collection,No. of print,ចំនួននៃការបោះពុម្ព
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,រំលឹកខួបកំណើត
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ធាតុបន្ទប់សណ្ឋាគារធាតុ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},បាត់ខ្លួនរូបិយប័ណ្ណប្តូរប្រាក់អត្រាការប្រាក់សម្រាប់ {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},បាត់ខ្លួនរូបិយប័ណ្ណប្តូរប្រាក់អត្រាការប្រាក់សម្រាប់ {0}
 DocType: Employee Health Insurance,Health Insurance Name,ឈ្មោះធានារ៉ាប់រងសុខភាព
 DocType: Assessment Plan,Examiner,ត្រួតពិនិត្យ
 DocType: Student,Siblings,បងប្អូន
@@ -4558,19 +4613,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,អតិថិជនថ្មី
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,ប្រាក់ចំណេញ% សរុបបាន
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,ការស្នើសុំ {0} និងវិក័យប័ត្រលក់ {1} ត្រូវបានលុបចោល
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,ឱកាសដោយប្រភពនាំមុខ
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,ប្តូរប្រវត្តិរូប POS
 DocType: Bank Reconciliation Detail,Clearance Date,កាលបរិច្ឆេទបោសសំអាត
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",មានទ្រព្យសម្បត្តិរួចហើយប្រឆាំងនឹងធាតុ {0} អ្នកមិនអាចផ្លាស់ប្តូរមានស៊េរីគ្មាន
+DocType: Delivery Settings,Dispatch Notification Template,ជូនដំណឹងអំពីការចេញផ្សាយ
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",មានទ្រព្យសម្បត្តិរួចហើយប្រឆាំងនឹងធាតុ {0} អ្នកមិនអាចផ្លាស់ប្តូរមានស៊េរីគ្មាន
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,របាយការណ៍វាយតម្ល្រ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,ទទួលបានបុគ្គលិក
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,ចំនួនទឹកប្រាក់ការទិញសរុបគឺជាការចាំបាច់
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,ឈ្មោះក្រុមហ៊ុនមិនដូចគ្នាទេ
 DocType: Lead,Address Desc,អាសយដ្ឋាន DESC
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,គណបក្សជាការចាំបាច់
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},ជួរដេកដែលមានកាលបរិច្ឆេទដែលស្ទួនគ្នានៅក្នុងជួរដេកផ្សេងទៀតត្រូវបានរកឃើញ: {list}
 DocType: Topic,Topic Name,ប្រធានបទឈ្មោះ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,សូមកំណត់ពុម្ពលំនាំដើមសម្រាប់ទុកសេចក្តីជូនដំណឹងអនុម័តនៅក្នុងការកំណត់ធនធានមនុស្ស។
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,សូមកំណត់ពុម្ពលំនាំដើមសម្រាប់ទុកសេចក្តីជូនដំណឹងអនុម័តនៅក្នុងការកំណត់ធនធានមនុស្ស។
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,យ៉ាងហោចណាស់មួយនៃការលក់ឬទិញត្រូវតែត្រូវបានជ្រើស &amp; ‧;
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,ជ្រើសរើសនិយោជិកដើម្បីទទួលបានបុគ្គលិក។
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,សូមជ្រើសរើសកាលបរិច្ឆេទដែលត្រឹមត្រូវ
@@ -4604,6 +4660,7 @@
 DocType: Stock Entry,Customer or Supplier Details,សេចក្ដីលម្អិតអតិថិជនឬផ្គត់ផ្គង់
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY -YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,តម្លៃទ្រព្យសកម្មបច្ចុប្បន្ន
+DocType: QuickBooks Migrator,Quickbooks Company ID,លេខសម្គាល់ក្រុមហ៊ុន QuickBook
 DocType: Travel Request,Travel Funding,ការធ្វើដំណើរថវិកា
 DocType: Loan Application,Required by Date,ទាមទារដោយកាលបរិច្ឆេទ
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,តំណទៅទីតាំងទាំងអស់ដែលដំណាំកំពុងកើនឡើង
@@ -4617,9 +4674,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Qty បាច់អាចរកបាននៅពីឃ្លាំង
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,ប្រាក់សរុប - ការដកហូតសរុប - សងប្រាក់កម្ចី
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Bom បច្ចុប្បន្ននិងថ្មី Bom មិនអាចជាដូចគ្នា
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Bom បច្ចុប្បន្ននិងថ្មី Bom មិនអាចជាដូចគ្នា
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,លេខសម្គាល់ប័ណ្ណប្រាក់ខែ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍ត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍ត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,វ៉ារ្យ៉ង់ច្រើន
 DocType: Sales Invoice,Against Income Account,ប្រឆាំងនឹងគណនីចំណូល
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% ផ្តល់
@@ -4648,7 +4705,7 @@
 DocType: POS Profile,Update Stock,ធ្វើឱ្យទាន់សម័យហ៊ុន
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ផ្សេងគ្នាសម្រាប់ធាតុនឹងនាំឱ្យមានមិនត្រឹមត្រូវ (សរុប) តម្លៃទម្ងន់សុទ្ធ។ សូមប្រាកដថាទម្ងន់សុទ្ធនៃធាតុគ្នាគឺនៅ UOM ដូចគ្នា។
 DocType: Certification Application,Payment Details,សេចក្ដីលម្អិតការបង់ប្រាក់
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,អត្រា Bom
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,អត្រា Bom
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","បញ្ឈប់ការងារមិនអាចលុបចោលបានទេ, សូមបញ្ឈប់វាសិនមុននឹងលុបចោល"
 DocType: Asset,Journal Entry for Scrap,ទិនានុប្បវត្តិធាតុសម្រាប់សំណល់អេតចាយ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,សូមទាញធាតុពីការដឹកជញ្ជូនចំណាំ
@@ -4671,11 +4728,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,ចំនួនទឹកប្រាក់ដែលបានអនុញ្ញាតសរុប
 ,Purchase Analytics,វិភាគទិញ
 DocType: Sales Invoice Item,Delivery Note Item,កំណត់សម្គាល់មុខទំនិញដឹកជញ្ជូន
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,បាត់វិក័យប័ត្របច្ចុប្បន្ន {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,បាត់វិក័យប័ត្របច្ចុប្បន្ន {0}
 DocType: Asset Maintenance Log,Task,ភារកិច្ច
 DocType: Purchase Taxes and Charges,Reference Row #,សេចក្តីយោងជួរដេក #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},ចំនួនបាច់គឺចាំបាច់សម្រាប់ធាតុ {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,នេះគឺជាការលក់មនុស្សម្នាក់ជា root និងមិនអាចត្រូវបានកែសម្រួល។
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,នេះគឺជាការលក់មនុស្សម្នាក់ជា root និងមិនអាចត្រូវបានកែសម្រួល។
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ប្រសិនបើបានជ្រើសតម្លៃដែលបានបញ្ជាក់ឬគណនាក្នុងសមាសភាគនេះនឹងមិនរួមចំណែកដល់ការរកប្រាក់ចំណូលឬកាត់។ ទោះជាយ៉ាងណា, វាជាតម្លៃមួយអាចត្រូវបានយោងដោយសមាសភាគផ្សេងទៀតដែលអាចត្រូវបានបន្ថែមឬដកចេញ។"
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ប្រសិនបើបានជ្រើសតម្លៃដែលបានបញ្ជាក់ឬគណនាក្នុងសមាសភាគនេះនឹងមិនរួមចំណែកដល់ការរកប្រាក់ចំណូលឬកាត់។ ទោះជាយ៉ាងណា, វាជាតម្លៃមួយអាចត្រូវបានយោងដោយសមាសភាគផ្សេងទៀតដែលអាចត្រូវបានបន្ថែមឬដកចេញ។"
 DocType: Asset Settings,Number of Days in Fiscal Year,ចំនួនថ្ងៃនៅក្នុងឆ្នាំសារពើពន្ធ
@@ -4684,7 +4741,7 @@
 DocType: Company,Exchange Gain / Loss Account,គណនីប្តូរប្រាក់ចំណេញ / បាត់បង់
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,បុគ្គលិកនិងវត្តមាន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},គោលបំណងត្រូវតែជាផ្នែកមួយនៃ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},គោលបំណងត្រូវតែជាផ្នែកមួយនៃ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,បំពេញសំណុំបែបបទនិងរក្សាទុកវា
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,វេទិកាសហគមន៍
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,បរិមាណជាក់ស្តែងនៅក្នុងស្តុក
@@ -4700,7 +4757,7 @@
 DocType: Lab Test Template,Standard Selling Rate,អត្រាស្តង់ដាលក់
 DocType: Account,Rate at which this tax is applied,អត្រាដែលពន្ធនេះត្រូវបានអនុវត្ត
 DocType: Cash Flow Mapper,Section Name,ឈ្មោះផ្នែក
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,រៀបចំ Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,រៀបចំ Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},រំលស់ជួរដេក {0}: តម្លៃដែលរំពឹងទុកបន្ទាប់ពីជីវិតដែលមានប្រយោជន៍ត្រូវតែធំជាងឬស្មើ {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,ការងារបច្ចុប្បន្ន
 DocType: Company,Stock Adjustment Account,គណនីកែតម្រូវភាគហ៊ុន
@@ -4710,8 +4767,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",អ្នកប្រើប្រព័ន្ធ (ចូល) លេខសម្គាល់។ ប្រសិនបើអ្នកបានកំណត់វានឹងក្លាយជាលំនាំដើមសម្រាប់ទម្រង់ធនធានមនុស្សទាំងអស់។
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,បញ្ចូលព័ត៌មានលម្អិតរំលោះ
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: ពី {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},ចាកចេញពីកម្មវិធី {0} មានរួចហើយប្រឆាំងនឹងសិស្ស {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,រង់ចាំសម្រាប់ការធ្វើបច្ចុប្បន្នភាពតម្លៃចុងក្រោយនៅក្នុង Bill of Material ។ វាអាចចំណាយពេលពីរបីនាទី។
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,រង់ចាំសម្រាប់ការធ្វើបច្ចុប្បន្នភាពតម្លៃចុងក្រោយនៅក្នុង Bill of Material ។ វាអាចចំណាយពេលពីរបីនាទី។
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ឈ្មោះនៃគណនីថ្មី។ ចំណាំ: សូមកុំបង្កើតគណនីសម្រាប់អតិថិជននិងអ្នកផ្គត់ផ្គង់
 DocType: POS Profile,Display Items In Stock,បង្ហាញធាតុនៅក្នុងស្តុក
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,ប្រទេសអាស័យដ្ឋានពុម្ពលំនាំដើមរបស់អ្នកមានប្រាជ្ញា
@@ -4741,16 +4799,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,រន្ធសម្រាប់ {0} មិនត្រូវបានបន្ថែមទៅកាលវិភាគទេ
 DocType: Product Bundle,List items that form the package.,ធាតុបញ្ជីដែលបង្កើតជាកញ្ចប់។
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,មិនអនុញ្ញាត។ សូមបិទគំរូសាកល្បង
+DocType: Delivery Note,Distance (in km),ចម្ងាយ (គិតជាគីឡូម៉ែត្រ)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ការបែងចែកគួរតែស្មើជាភាគរយទៅ 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,សូមជ្រើសរើសកាលបរិច្ឆេទមុនការជ្រើសគណបក្ស
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,សូមជ្រើសរើសកាលបរិច្ឆេទមុនការជ្រើសគណបក្ស
 DocType: Program Enrollment,School House,សាលាផ្ទះ
 DocType: Serial No,Out of AMC,ចេញពីមជ្ឈមណ្ឌល AMC
+DocType: Opportunity,Opportunity Amount,ចំនួនឱកាស
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ចំនួននៃការធ្លាក់ចុះបានកក់មិនអាចច្រើនជាងចំនួនសរុបនៃការធ្លាក់ថ្លៃ
 DocType: Purchase Order,Order Confirmation Date,កាលបរិច្ឆេទបញ្ជាក់ការបញ្ជាទិញ
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,ធ្វើឱ្យការថែទាំទស្សនកិច្ច
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ថ្ងៃខែឆ្នាំនិងកាលបរិច្ឆេទបញ្ចប់ត្រូវបានជាន់គ្នាជាមួយប័ណ្ណការងារ <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,ព័ត៌មានលំអិតនៃការផ្ទេរបុគ្គលិក
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,សូមទាក់ទងទៅអ្នកប្រើដែលមានការលក់កម្មវិធីគ្រប់គ្រងអនុបណ្ឌិតតួនាទី {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,សូមទាក់ទងទៅអ្នកប្រើដែលមានការលក់កម្មវិធីគ្រប់គ្រងអនុបណ្ឌិតតួនាទី {0}
 DocType: Company,Default Cash Account,គណនីសាច់ប្រាក់លំនាំដើម
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,ក្រុមហ៊ុន (មិនមានអតិថិជនឬផ្គត់) មេ។
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,នេះត្រូវបានផ្អែកលើការចូលរួមរបស់សិស្សនេះ
@@ -4758,9 +4819,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,បញ្ចូលមុខទំនិញបន្ថែមឬទម្រង់ពេញលេញបើកចំហ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ភក្ដិកំណត់ត្រាកំណត់ការដឹកជញ្ជូន {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,ទៅកាន់អ្នកប្រើប្រាស់
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,ចំនួនទឹកប្រាក់ដែលបង់ + + បិទសរសេរចំនួនទឹកប្រាក់ដែលមិនអាចត្រូវបានធំជាងសម្ពោធសរុប
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,ចំនួនទឹកប្រាក់ដែលបង់ + + បិទសរសេរចំនួនទឹកប្រាក់ដែលមិនអាចត្រូវបានធំជាងសម្ពោធសរុប
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} គឺមិនមែនជាលេខបាច់ត្រឹមត្រូវសម្រាប់ធាតុ {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},ចំណាំ: មិនមានតុល្យភាពឈប់សម្រាកឱ្យបានគ្រប់គ្រាន់សម្រាប់ទុកឱ្យប្រភេទ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},ចំណាំ: មិនមានតុល្យភាពឈប់សម្រាកឱ្យបានគ្រប់គ្រាន់សម្រាប់ទុកឱ្យប្រភេទ {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN មិនត្រឹមត្រូវឬបញ្ចូលរដ្ឋសភាសម្រាប់មិនបានចុះឈ្មោះ
 DocType: Training Event,Seminar,សិក្ខាសាលា
 DocType: Program Enrollment Fee,Program Enrollment Fee,ថ្លៃសេវាកម្មវិធីការចុះឈ្មោះ
@@ -4777,7 +4838,7 @@
 DocType: Fee Schedule,Fee Schedule,តារាងកម្រៃសេវា
 DocType: Company,Create Chart Of Accounts Based On,បង្កើតគំនូសតាងរបស់គណនីមូលដ្ឋាននៅលើ
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,មិនអាចបម្លែងវាទៅជាក្រុម។ កិច្ចការកុមារមាន។
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,ថ្ងៃខែឆ្នាំកំណើតមិនអាចមានចំនួនច្រើនជាងពេលបច្ចុប្បន្ននេះ។
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,ថ្ងៃខែឆ្នាំកំណើតមិនអាចមានចំនួនច្រើនជាងពេលបច្ចុប្បន្ននេះ។
 ,Stock Ageing,ភាគហ៊ុន Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",ឧបត្ថម្ភផ្នែកខ្លះទាមទារឱ្យមានការឧបត្ថម្ភមួយផ្នែក
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},សិស្ស {0} មានការប្រឆាំងនឹងអ្នកសុំសិស្ស {1}
@@ -4824,11 +4885,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,មុនពេលការផ្សះផ្សាជាតិ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ដើម្បី {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ពន្ធនិងការចោទប្រកាន់បន្ថែម (ក្រុមហ៊ុនរូបិយវត្ថុ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ជួរដេកពន្ធធាតុ {0} ត្រូវតែមានគណនីនៃប្រភេទពន្ធឬប្រាក់ចំណូលឬការចំណាយឬបន្ទុក
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ជួរដេកពន្ធធាតុ {0} ត្រូវតែមានគណនីនៃប្រភេទពន្ធឬប្រាក់ចំណូលឬការចំណាយឬបន្ទុក
 DocType: Sales Order,Partly Billed,ផ្សព្វផ្សាយមួយផ្នែក
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,ធាតុ {0} ត្រូវតែជាទ្រព្យសកម្មមួយដែលមានកាលកំណត់ធាតុ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,ធ្វើវ៉ារ្យ៉ង់
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,ធ្វើវ៉ារ្យ៉ង់
 DocType: Item,Default BOM,Bom លំនាំដើម
 DocType: Project,Total Billed Amount (via Sales Invoices),បរិមាណសរុបដែលបានចេញវិក្កយបត្រ (តាមវិក័យប័ត្រលក់)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ចំនួនទឹកប្រាក់ឥណពន្ធចំណាំ
@@ -4857,14 +4918,14 @@
 DocType: Notification Control,Custom Message,សារផ្ទាល់ខ្លួន
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,ធនាគារវិនិយោគ
 DocType: Purchase Invoice,input,បញ្ចូល
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,គណនីសាច់ប្រាក់ឬធនាគារជាការចាំបាច់សម្រាប់ការធ្វើឱ្យធាតុដែលបានទូទាត់ប្រាក់
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,គណនីសាច់ប្រាក់ឬធនាគារជាការចាំបាច់សម្រាប់ការធ្វើឱ្យធាតុដែលបានទូទាត់ប្រាក់
 DocType: Loyalty Program,Multiple Tier Program,កម្មវិធីថ្នាក់ច្រើន
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,អាសយដ្ឋានសិស្ស
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,អាសយដ្ឋានសិស្ស
 DocType: Purchase Invoice,Price List Exchange Rate,តារាងតម្លៃអត្រាប្តូរប្រាក់
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,ក្រុមអ្នកផ្គត់ផ្គង់ទាំងអស់
 DocType: Employee Boarding Activity,Required for Employee Creation,ទាមទារសម្រាប់ការបង្កើតនិយោជិក
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},លេខគណនី {0} ដែលបានប្រើរួចហើយនៅក្នុងគណនី {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},លេខគណនី {0} ដែលបានប្រើរួចហើយនៅក្នុងគណនី {1}
 DocType: GoCardless Mandate,Mandate,អាណត្តិ
 DocType: POS Profile,POS Profile Name,ឈ្មោះទម្រង់ POS
 DocType: Hotel Room Reservation,Booked,កក់
@@ -4880,18 +4941,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,សេចក្តីយោងមិនមានជាការចាំបាច់បំផុតប្រសិនបើអ្នកបានបញ្ចូលសេចក្តីយោងកាលបរិច្ឆេទ
 DocType: Bank Reconciliation Detail,Payment Document,ឯកសារការទូទាត់
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,កំហុសក្នុងការវាយតម្លៃរូបមន្តលក្ខណៈវិនិច្ឆ័យ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,កាលបរិច្ឆេទនៃការចូលរួមត្រូវតែធំជាងថ្ងៃខែឆ្នាំកំណើត
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,កាលបរិច្ឆេទនៃការចូលរួមត្រូវតែធំជាងថ្ងៃខែឆ្នាំកំណើត
 DocType: Subscription,Plans,ផែនការ
 DocType: Salary Slip,Salary Structure,រចនាសម្ព័ន្ធប្រាក់បៀវត្ស
 DocType: Account,Bank,ធនាគារ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,ក្រុមហ៊ុនអាកាសចរណ៍
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,សម្ភារៈបញ្ហា
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,សម្ភារៈបញ្ហា
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ភ្ជាប់ Connectify ជាមួយ ERPNext
 DocType: Material Request Item,For Warehouse,សម្រាប់ឃ្លាំង
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,ចំណាំការដឹកជញ្ជូន {0} បានអាប់ដេត
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,ចំណាំការដឹកជញ្ជូន {0} បានអាប់ដេត
 DocType: Employee,Offer Date,ការផ្តល់ជូនកាលបរិច្ឆេទ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,សម្រង់ពាក្យ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,អ្នកគឺជាអ្នកនៅក្នុងរបៀបក្រៅបណ្ដាញ។ អ្នកនឹងមិនអាចផ្ទុកឡើងវិញរហូតដល់អ្នកមានបណ្តាញ។
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,សម្រង់ពាក្យ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,អ្នកគឺជាអ្នកនៅក្នុងរបៀបក្រៅបណ្ដាញ។ អ្នកនឹងមិនអាចផ្ទុកឡើងវិញរហូតដល់អ្នកមានបណ្តាញ។
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,ជំនួយ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,គ្មានក្រុមនិស្សិតបានបង្កើត។
 DocType: Purchase Invoice Item,Serial No,សៀរៀលគ្មាន
@@ -4903,24 +4964,26 @@
 DocType: Sales Invoice,Customer PO Details,ពត៌មានលម្អិតអតិថិជន
 DocType: Stock Entry,Including items for sub assemblies,អនុដែលរួមមានធាតុសម្រាប់សភា
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,គណនីបើកបណ្តោះអាសន្ន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,បញ្ចូលតម្លៃត្រូវតែវិជ្ជមាន
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,បញ្ចូលតម្លៃត្រូវតែវិជ្ជមាន
 DocType: Asset,Finance Books,សៀវភៅហិរញ្ញវត្ថុ
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,សេចក្តីប្រកាសលើកលែងការលើកលែងពន្ធ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,ទឹកដីទាំងអស់
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,សូមកំណត់គោលនយោបាយទុកសម្រាប់បុគ្គលិក {0} នៅក្នុងកំណត់ត្រានិយោជិក / ថ្នាក់
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,លំដាប់ទទេមិនត្រឹមត្រូវសម្រាប់អតិថិជនដែលបានជ្រើសនិងធាតុ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,លំដាប់ទទេមិនត្រឹមត្រូវសម្រាប់អតិថិជនដែលបានជ្រើសនិងធាតុ
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,បន្ថែមភារកិច្ចច្រើន
 DocType: Purchase Invoice,Items,មុខទំនិញ
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,កាលបរិច្ឆេទបញ្ចប់មិនអាចនៅមុនថ្ងៃចាប់ផ្ដើមឡើយ។
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,និស្សិតត្រូវបានចុះឈ្មោះរួចហើយ។
 DocType: Fiscal Year,Year Name,ឈ្មោះចូលឆ្នាំ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,មានថ្ងៃឈប់សម្រាកច្រើនជាងថ្ងៃធ្វើការខែនេះ។
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,មានថ្ងៃឈប់សម្រាកច្រើនជាងថ្ងៃធ្វើការខែនេះ។
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,ធាតុបន្ទាប់ {0} មិនត្រូវបានសម្គាល់ជា {1} ធាតុទេ។ អ្នកអាចបើកពួកវាជាធាតុ {1} ពីវត្ថុធាតុរបស់វា
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,ផលិតផលធាតុកញ្ចប់
 DocType: Sales Partner,Sales Partner Name,ឈ្មោះដៃគូការលក់
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,សំណើរពីតំលៃ
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,សំណើរពីតំលៃ
 DocType: Payment Reconciliation,Maximum Invoice Amount,ចំនួនវិក័យប័ត្រអតិបរមា
 DocType: Normal Test Items,Normal Test Items,ធាតុសាកល្បងធម្មតា
+DocType: QuickBooks Migrator,Company Settings,ការកំណត់ក្រុមហ៊ុន
 DocType: Additional Salary,Overwrite Salary Structure Amount,សរសេរជាន់លើរចនាសម្ព័ន្ធប្រាក់ខែ
 DocType: Student Language,Student Language,ភាសារបស់សិស្ស
 apps/erpnext/erpnext/config/selling.py +23,Customers,អតិថិជន
@@ -4933,22 +4996,24 @@
 DocType: Issue,Opening Time,ម៉ោងបើក
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,ពីនិងដើម្បីកាលបរិច្ឆេទដែលបានទាមទារ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,ផ្លាស់ប្តូរទំនិញនិងមូលបត្រ
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',អង្គភាពលំនាំដើមនៃវិធានការសម្រាប់វ៉ារ្យង់ &#39;{0} &quot;ត្រូវតែមានដូចគ្នានៅក្នុងទំព័រគំរូ&#39; {1} &#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',អង្គភាពលំនាំដើមនៃវិធានការសម្រាប់វ៉ារ្យង់ &#39;{0} &quot;ត្រូវតែមានដូចគ្នានៅក្នុងទំព័រគំរូ&#39; {1} &#39;
 DocType: Shipping Rule,Calculate Based On,គណនាមូលដ្ឋាននៅលើ
 DocType: Contract,Unfulfilled,មិនបំពេញ
 DocType: Delivery Note Item,From Warehouse,ចាប់ពីឃ្លាំង
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,គ្មាននិយោជិកដែលមានលក្ខណៈវិនិច្ឆ័យដូចបានរៀបរាប់
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,គ្មានធាតុជាមួយលោក Bill នៃសម្ភារៈដើម្បីផលិត
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,គ្មានធាតុជាមួយលោក Bill នៃសម្ភារៈដើម្បីផលិត
 DocType: Shopify Settings,Default Customer,អតិថិជនលំនាំដើម
+DocType: Sales Stage,Stage Name,ឈ្មោះដំណាក់កាល
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-yYYYY.-
 DocType: Assessment Plan,Supervisor Name,ឈ្មោះអ្នកគ្រប់គ្រង
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,កុំបញ្ជាក់ថាតើការណាត់ជួបត្រូវបានបង្កើតសម្រាប់ថ្ងៃតែមួយទេ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,នាវាទៅរដ្ឋ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,នាវាទៅរដ្ឋ
 DocType: Program Enrollment Course,Program Enrollment Course,កម្មវិធីវគ្គបណ្តុះបណ្តាលចុះឈ្មោះ
 DocType: Program Enrollment Course,Program Enrollment Course,កម្មវិធីវគ្គបណ្តុះបណ្តាលចុះឈ្មោះ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},អ្នកប្រើ {0} ត្រូវបានកំណត់រួចទៅហើយចំពោះអ្នកថែទាំសុខភាព {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,ធ្វើឱ្យធាតុរក្សាទុកស្តុកគំរូ
 DocType: Purchase Taxes and Charges,Valuation and Total,ការវាយតម្លៃនិងសរុប
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,ការចរចា / ការត្រួតពិនិត្យ
 DocType: Leave Encashment,Encashment Amount,ចំនួនទឹកប្រាក់ភ្នាល់
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,តារាងពិន្ទុ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,ការស៊ីសងដែលផុតកំណត់
@@ -4958,7 +5023,7 @@
 DocType: Staffing Plan Detail,Current Openings,ការបើកចំហនាពេលបច្ចុប្បន្ន
 DocType: Notification Control,Customize the Notification,ប្ដូរតាមសេចក្តីជូនដំណឹងនេះ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,លំហូរសាច់ប្រាក់ពីការប្រតិបត្ដិការ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,ចំនួន CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,ចំនួន CGST
 DocType: Purchase Invoice,Shipping Rule,វិធានការដឹកជញ្ជូន
 DocType: Patient Relation,Spouse,ប្តីប្រពន្ធ
 DocType: Lab Test Groups,Add Test,បន្ថែមតេស្ត
@@ -4972,14 +5037,14 @@
 DocType: Payroll Entry,Payroll Frequency,ភពញឹកញប់បើកប្រាក់បៀវត្ស
 DocType: Lab Test Template,Sensitivity,ភាពប្រែប្រួល
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,ការធ្វើសមកាលកម្មត្រូវបានបិទជាបណ្ដោះអាសន្នព្រោះការព្យាយាមអតិបរមាបានលើស
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,វត្ថុធាតុដើម
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,វត្ថុធាតុដើម
 DocType: Leave Application,Follow via Email,សូមអនុវត្តតាមរយៈអ៊ីម៉ែល
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,រុក្ខជាតិនិងគ្រឿងម៉ាស៊ីន
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ចំនួនប្រាក់ពន្ធបន្ទាប់ពីចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃ
 DocType: Patient,Inpatient Status,ស្ថានភាពអ្នកជំងឺ
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,ការកំណត់សង្ខេបការងារប្រចាំថ្ងៃ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,បញ្ជីតម្លៃដែលបានជ្រើសរើសគួរតែមានការត្រួតពិនិត្យនិងទិញ។
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,សូមបញ្ចូល Reqd តាមកាលបរិច្ឆេទ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,បញ្ជីតម្លៃដែលបានជ្រើសរើសគួរតែមានការត្រួតពិនិត្យនិងទិញ។
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,សូមបញ្ចូល Reqd តាមកាលបរិច្ឆេទ
 DocType: Payment Entry,Internal Transfer,សេវាផ្ទេរប្រាក់ផ្ទៃក្នុង
 DocType: Asset Maintenance,Maintenance Tasks,ភារកិច្ចថែទាំ
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ទាំង qty គោលដៅឬចំនួនគោលដៅគឺជាចាំបាច់
@@ -5001,7 +5066,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ការទំនាក់ទំនងចុងក្រោយ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ការទំនាក់ទំនងចុងក្រោយ
 ,TDS Payable Monthly,TDS ត្រូវបង់ប្រចាំខែ
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,ដាក់ជួរសម្រាប់ជំនួស BOM ។ វាអាចចំណាយពេលពីរបីនាទី។
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,ដាក់ជួរសម្រាប់ជំនួស BOM ។ វាអាចចំណាយពេលពីរបីនាទី។
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',មិនអាចធ្វើការកាត់កងនៅពេលដែលប្រភេទគឺសម្រាប់ &#39;វាយតម្លៃ&#39; ឬ &#39;វាយតម្លៃនិងសរុប
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Nos ដែលត្រូវការសម្រាប់ធាតុសៀរៀលសៀរៀល {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,វិកិយប័ត្រទូទាត់ប្រកួតជាមួយ
@@ -5014,7 +5079,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,បញ្ចូលទៅក្នុងរទេះ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,ក្រុមតាម
 DocType: Guardian,Interests,ចំណាប់អារម្មណ៍
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,អនុញ្ញាត / មិនអនុញ្ញាតឱ្យរូបិយប័ណ្ណ។
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,អនុញ្ញាត / មិនអនុញ្ញាតឱ្យរូបិយប័ណ្ណ។
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,មិនអាចដាក់ស្នើប្រាក់ខែ
 DocType: Exchange Rate Revaluation,Get Entries,ទទួលបានធាតុ
 DocType: Production Plan,Get Material Request,ទទួលបានសម្ភារៈសំណើ
@@ -5036,15 +5101,16 @@
 DocType: Lead,Lead Type,ការនាំមុខប្រភេទ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យអនុម័តស្លឹកនៅលើកាលបរិច្ឆេទប្លុក
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,មុខទំនិញទាំងអស់នេះត្រូវបានចេញវិក័យប័ត្ររួចហើយ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,កំណត់កាលបរិច្ឆេទចេញផ្សាយថ្មី
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,កំណត់កាលបរិច្ឆេទចេញផ្សាយថ្មី
 DocType: Company,Monthly Sales Target,គោលដៅលក់ប្រចាំខែ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},អាចត្រូវបានអនុម័តដោយ {0}
 DocType: Hotel Room,Hotel Room Type,ប្រភេទបន្ទប់សណ្ឋាគារ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,អ្នកផ្គត់ផ្គង់&gt; ប្រភេទអ្នកផ្គត់ផ្គង់
 DocType: Leave Allocation,Leave Period,ចាកចេញពីកំឡុងពេល
 DocType: Item,Default Material Request Type,លំនាំដើមសម្ភារៈប្រភេទសំណើ
 DocType: Supplier Scorecard,Evaluation Period,រយៈពេលវាយតម្លៃ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,មិនស្គាល់
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,ការងារមិនត្រូវបានបង្កើត
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,ការងារមិនត្រូវបានបង្កើត
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",ចំនួនទឹកប្រាក់នៃ {0} បានទាមទារសម្រាប់សមាសភាគ {1} រួចហើយ \ កំណត់ចំនួនទឹកប្រាក់ដែលស្មើរឺធំជាង {2}
 DocType: Shipping Rule,Shipping Rule Conditions,ការដឹកជញ្ជូនវិធានលក្ខខណ្ឌ
@@ -5079,15 +5145,15 @@
 DocType: Batch,Source Document Name,ឈ្មោះឯកសារប្រភព
 DocType: Production Plan,Get Raw Materials For Production,ទទួលបានវត្ថុធាតុដើមសម្រាប់ផលិតកម្ម
 DocType: Job Opening,Job Title,ចំណងជើងការងារ
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0} បង្ហាញថា {1} នឹងមិនផ្តល់សម្រង់ទេប៉ុន្តែធាតុទាំងអស់ត្រូវបានដកស្រង់។ ធ្វើបច្ចុប្បន្នភាពស្ថានភាពសម្រង់ RFQ ។
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,គំរូអតិបរមា - {0} ត្រូវបានរក្សាទុករួចហើយសម្រាប់បំណះ {1} និងធាតុ {2} នៅក្នុងបាច់ {3} ។
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,គំរូអតិបរមា - {0} ត្រូវបានរក្សាទុករួចហើយសម្រាប់បំណះ {1} និងធាតុ {2} នៅក្នុងបាច់ {3} ។
 DocType: Manufacturing Settings,Update BOM Cost Automatically,ធ្វើបច្ចុប្បន្នភាពថ្លៃចំណាយរបស់ក្រុមហ៊ុនដោយស្វ័យប្រវត្តិ
 DocType: Lab Test,Test Name,ឈ្មោះសាកល្បង
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,នីតិវិធីគ្លីនិចធាតុប្រើប្រាស់
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,បង្កើតអ្នកប្រើ
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ក្រាម
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,ការជាវ
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,ការជាវ
 DocType: Supplier Scorecard,Per Month,ក្នុងមួយខែ
 DocType: Education Settings,Make Academic Term Mandatory,ធ្វើឱ្យមានការសិក្សាជាចាំបាច់
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,បរិមាណដែលត្រូវទទួលទានក្នុងការផលិតត្រូវតែធំជាង 0 ។
@@ -5096,10 +5162,10 @@
 DocType: Stock Entry,Update Rate and Availability,អត្រាធ្វើឱ្យទាន់សម័យនិងអាចរកបាន
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ចំនួនភាគរយដែលអ្នកត្រូវបានអនុញ្ញាតឱ្យទទួលបានច្រើនជាងការប្រឆាំងនឹងឬផ្តល់នូវបរិមាណបញ្ជាឱ្យ។ ឧទាហរណ៍: ប្រសិនបើអ្នកបានបញ្ជាឱ្យបាន 100 គ្រឿង។ និងអនុញ្ញាតឱ្យរបស់អ្នកគឺ 10% បន្ទាប់មកលោកអ្នកត្រូវបានអនុញ្ញាតឱ្យទទួលបាន 110 គ្រឿង។
 DocType: Loyalty Program,Customer Group,ក្រុមផ្ទាល់ខ្លួន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ជួរដេក # {0}: ប្រតិបត្តិការ {1} មិនបានបញ្ចប់សម្រាប់ {2} qty នៃទំនិញដែលបានបញ្ចប់នៅក្នុងលំដាប់ការងារ # {3} ។ សូមធ្វើបច្ចុប្បន្នភាពស្ថានភាពប្រតិបត្តតាមរយះកំណត់ពេល
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ជួរដេក # {0}: ប្រតិបត្តិការ {1} មិនបានបញ្ចប់សម្រាប់ {2} qty នៃទំនិញដែលបានបញ្ចប់នៅក្នុងលំដាប់ការងារ # {3} ។ សូមធ្វើបច្ចុប្បន្នភាពស្ថានភាពប្រតិបត្តតាមរយះកំណត់ពេល
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),លេខសម្គាល់ជំនាន់ថ្មី (ជាជម្រើស)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),លេខសម្គាល់ជំនាន់ថ្មី (ជាជម្រើស)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},គណនីចំណាយជាការចាំបាច់មុខទំនិញ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},គណនីចំណាយជាការចាំបាច់មុខទំនិញ {0}
 DocType: BOM,Website Description,វេបសាយការពិពណ៌នាសង្ខេប
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ការផ្លាស់ប្តូរសុទ្ធនៅសមភាព
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,សូមបោះបង់ការទិញវិក័យប័ត្រ {0} ដំបូង
@@ -5114,7 +5180,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,មិនមានអ្វីដើម្បីកែសម្រួលទេ។
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,ទិដ្ឋភាពទម្រង់
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,អ្នកអនុម័តប្រាក់ចំណាយចាំបាច់ក្នុងការទាមទារសំណង
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,សង្ខេបសម្រាប់ខែនេះនិងសកម្មភាពដែលមិនទាន់សម្រេច
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,សង្ខេបសម្រាប់ខែនេះនិងសកម្មភាពដែលមិនទាន់សម្រេច
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},សូមកំណត់គណនីផ្លាស់ប្តូរ / បាត់បង់ការជួញដូរមិនពិតនៅក្នុងក្រុមហ៊ុន {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",បន្ថែមអ្នកប្រើទៅអង្គការរបស់អ្នកក្រៅពីខ្លួនឯង។
 DocType: Customer Group,Customer Group Name,ឈ្មោះក្រុមអតិថិជន
@@ -5124,14 +5190,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,គ្មានការស្នើសុំសម្ភារៈបានបង្កើត
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ចំនួនទឹកប្រាក់កម្ចីមិនអាចលើសពីចំនួនទឹកប្រាក់កម្ចីអតិបរមានៃ {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,អាជ្ញាប័ណ្ណ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},សូមយកវិក័យប័ត្រនេះ {0} ពី C-សំណុំបែបបទ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},សូមយកវិក័យប័ត្រនេះ {0} ពី C-សំណុំបែបបទ {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,សូមជ្រើសយកការទៅមុខផងដែរប្រសិនបើអ្នកចង់រួមបញ្ចូលតុល្យភាពឆ្នាំមុនសារពើពន្ធរបស់ទុកនឹងឆ្នាំសារពើពន្ធនេះ
 DocType: GL Entry,Against Voucher Type,ប្រឆាំងនឹងប្រភេទប័ណ្ណ
 DocType: Healthcare Practitioner,Phone (R),ទូរស័ព្ទ (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,រន្ធបន្ថែមបានបន្ថែម
 DocType: Item,Attributes,គុណលក្ខណៈ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,បើកពុម្ព
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,សូមបញ្ចូលបិទសរសេរគណនី
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,សូមបញ្ចូលបិទសរសេរគណនី
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,លំដាប់ចុងក្រោយកាលបរិច្ឆេទ
 DocType: Salary Component,Is Payable,គឺត្រូវបង់
 DocType: Inpatient Record,B Negative,ខអវិជ្ជមាន
@@ -5142,7 +5208,7 @@
 DocType: Hotel Room,Hotel Room,បន្ទប់សណ្ឋាគារ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},គណនី {0} មិនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1}
 DocType: Leave Type,Rounding,ជុំទី
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,លេខសៀរៀលនៅក្នុងជួរដេក {0} មិនផ្គូផ្គងនឹងការដឹកជញ្ជូនចំណាំ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,លេខសៀរៀលនៅក្នុងជួរដេក {0} មិនផ្គូផ្គងនឹងការដឹកជញ្ជូនចំណាំ
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),ចំនួនទឹកប្រាក់ដែលត្រូវបានផ្តល់ជូន (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",បន្ទាប់មកច្បាប់តម្លៃត្រូវបានច្រោះចេញដោយផ្អែកលើអតិថិជនក្រុមអតិថិជនដែនដីអ្នកផ្គត់ផ្គងក្រុមអ្នកផ្គត់ផ្គង់យុទ្ធនាការលក់ដៃគូជាដើម។
 DocType: Student,Guardian Details,កាសែត Guardian លំអិត
@@ -5151,10 +5217,10 @@
 DocType: Vehicle,Chassis No,តួគ្មាន
 DocType: Payment Request,Initiated,ផ្តួចផ្តើម
 DocType: Production Plan Item,Planned Start Date,ដែលបានគ្រោងទុកកាលបរិច្ឆេទចាប់ផ្តើម
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,សូមជ្រើសរើសលេខកូដសម្ងាត់
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,សូមជ្រើសរើសលេខកូដសម្ងាត់
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ទទួលបានផលប្រយោជន៍ពន្ធ ITC រួមបញ្ចូល
 DocType: Purchase Order Item,Blanket Order Rate,អត្រាលំដាប់លំដោយ
-apps/erpnext/erpnext/hooks.py +156,Certification,វិញ្ញាបនប័ត្រ
+apps/erpnext/erpnext/hooks.py +157,Certification,វិញ្ញាបនប័ត្រ
 DocType: Bank Guarantee,Clauses and Conditions,លក្ខន្តិកៈនិងលក្ខខណ្ឌ
 DocType: Serial No,Creation Document Type,ការបង្កើតប្រភេទឯកសារ
 DocType: Project Task,View Timesheet,មើលសន្លឹកពេលវេលា
@@ -5179,6 +5245,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,ធាតុមេ {0} មិនត្រូវធាតុហ៊ុនមួយ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,បញ្ជីគេហទំព័រ
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ផលិតផលឬសេវាកម្មទាំងអស់។
+DocType: Email Digest,Open Quotations,បើកការដកស្រង់
 DocType: Expense Claim,More Details,លម្អិតបន្ថែមទៀត
 DocType: Supplier Quotation,Supplier Address,ក្រុមហ៊ុនផ្គត់ផ្គង់អាសយដ្ឋាន
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ថវិកាសម្រាប់គណនី {1} ទល់នឹង {2} {3} គឺ {4} ។ វានឹងលើសពី {5}
@@ -5193,12 +5260,11 @@
 DocType: Training Event,Exam,ការប្រឡង
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,កំហុសទីផ្សារ
 DocType: Complaint,Complaint,បណ្តឹង
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},ឃ្លាំងដែលបានទាមទារសម្រាប់ធាតុភាគហ៊ុន {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},ឃ្លាំងដែលបានទាមទារសម្រាប់ធាតុភាគហ៊ុន {0}
 DocType: Leave Allocation,Unused leaves,ស្លឹកមិនប្រើ
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,ធ្វើឱ្យការទូទាត់សង
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,នាយកដ្ឋានទាំងអស់
 DocType: Healthcare Service Unit,Vacant,ទំនេរ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,អ្នកផ្គត់ផ្គង់&gt; ប្រភេទអ្នកផ្គត់ផ្គង់
 DocType: Patient,Alcohol Past Use,អាល់កុលប្រើអតីតកាល
 DocType: Fertilizer Content,Fertilizer Content,មាតិកាជី
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,CR
@@ -5206,7 +5272,7 @@
 DocType: Tax Rule,Billing State,រដ្ឋវិក័យប័ត្រ
 DocType: Share Transfer,Transfer,សេវាផ្ទេរប្រាក់
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,ត្រូវលុបចោលការបញ្ជាទិញ {0} មុននឹងលុបចោលការបញ្ជាទិញនេះ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),យក Bom ផ្ទុះ (រួមបញ្ចូលទាំងសភាអនុ)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),យក Bom ផ្ទុះ (រួមបញ្ចូលទាំងសភាអនុ)
 DocType: Authorization Rule,Applicable To (Employee),ដែលអាចអនុវត្តទៅ (បុគ្គលិក)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,កាលបរិច្ឆេទដល់កំណត់គឺជាចាំបាច់
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,ចំនួនបន្ថែមសម្រាប់គុណលក្ខណៈ {0} មិនអាចជា 0
@@ -5222,7 +5288,7 @@
 DocType: Disease,Treatment Period,រយៈពេលព្យាបាល
 DocType: Travel Itinerary,Travel Itinerary,ដំណើរកំសាន្ត
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,លទ្ធផលបានដាក់ស្នើរួចហើយ
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ឃ្លាំងបំរុងទុកគឺចាំបាច់សម្រាប់ធាតុ {0} នៅក្នុងវត្ថុធាតុដើមដែលបានផ្គត់ផ្គង់
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ឃ្លាំងបំរុងទុកគឺចាំបាច់សម្រាប់ធាតុ {0} នៅក្នុងវត្ថុធាតុដើមដែលបានផ្គត់ផ្គង់
 ,Inactive Customers,អតិថិជនអសកម្ម
 DocType: Student Admission Program,Maximum Age,អាយុអតិបរមា
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,សូមរង់ចាំ 3 ថ្ងៃមុនពេលផ្ញើការរំលឹកឡើងវិញ។
@@ -5231,7 +5297,6 @@
 DocType: Stock Entry,Delivery Note No,ដឹកជញ្ជូនចំណាំគ្មាន
 DocType: Cheque Print Template,Message to show,សារសម្រាប់បង្ហាញ
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,ការលក់រាយ
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,គ្រប់គ្រងវិក័យប័ត្រណាត់ជួបដោយស្វ័យប្រវត្តិ
 DocType: Student Attendance,Absent,អវត្តមាន
 DocType: Staffing Plan,Staffing Plan Detail,ពត៌មានលំអិតបុគ្គលិក
 DocType: Employee Promotion,Promotion Date,កាលបរិច្ឆេទការផ្សព្វផ្សាយ
@@ -5253,7 +5318,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,ធ្វើឱ្យការនាំមុខ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,បោះពុម្ពនិងការិយាល័យ
 DocType: Stock Settings,Show Barcode Field,បង្ហាញវាលលេខកូដ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,ផ្ញើអ៊ីម៉ែលផ្គត់ផ្គង់
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,ផ្ញើអ៊ីម៉ែលផ្គត់ផ្គង់
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ប្រាក់បៀវត្សដែលបានដំណើរការរួចទៅហើយសម្រាប់សម័យនេះរវាង {0} និង {1}, ទុកឱ្យរយៈពេលកម្មវិធីមិនអាចមានរវាងជួរកាលបរិច្ឆេទនេះ។"
 DocType: Fiscal Year,Auto Created,បង្កើតដោយស្វ័យប្រវត្តិ
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,ដាក់ស្នើនេះដើម្បីបង្កើតកំណត់ត្រានិយោជិក
@@ -5262,7 +5327,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,វិក័យប័ត្រ {0} លែងមាន
 DocType: Guardian Interest,Guardian Interest,កាសែត The Guardian ការប្រាក់
 DocType: Volunteer,Availability,ភាពទំនេរ
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,ដំឡើងតម្លៃលំនាំដើមសម្រាប់វិក្កយបត្រ POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,ដំឡើងតម្លៃលំនាំដើមសម្រាប់វិក្កយបត្រ POS
 apps/erpnext/erpnext/config/hr.py +248,Training,ការបណ្តុះបណ្តាល
 DocType: Project,Time to send,ពេលវេលាដើម្បីផ្ញើ
 DocType: Timesheet,Employee Detail,បុគ្គលិកលំអិត
@@ -5286,7 +5351,7 @@
 DocType: Training Event Employee,Optional,ស្រេចចិត្ត
 DocType: Salary Slip,Earning & Deduction,ការរកប្រាក់ចំណូលនិងការកាត់បនថយ
 DocType: Agriculture Analysis Criteria,Water Analysis,ការវិភាគទឹក
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} បានបង្កើតវ៉ារ្យ៉ង់។
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} បានបង្កើតវ៉ារ្យ៉ង់។
 DocType: Amazon MWS Settings,Region,តំបន់
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ស្រេចចិត្ត។ ការកំណត់នេះនឹងត្រូវបានប្រើដើម្បីត្រងនៅក្នុងប្រតិបត្តិការនានា។
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,អត្រាវាយតម្លៃអវិជ្ជមានមិនត្រូវបានអនុញ្ញាត
@@ -5305,7 +5370,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,តម្លៃនៃទ្រព្យសម្បត្តិបានបោះបង់ចោល
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: មជ្ឈមណ្ឌលចំណាយគឺជាការចាំបាច់សម្រាប់ធាតុ {2}
 DocType: Vehicle,Policy No,គោលនយោបាយគ្មាន
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,ទទួលបានមុខទំនិញពីកញ្ចប់ផលិតផល
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,ទទួលបានមុខទំនិញពីកញ្ចប់ផលិតផល
 DocType: Asset,Straight Line,បន្ទាត់ត្រង់
 DocType: Project User,Project User,អ្នកប្រើប្រាស់គម្រោង
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,ពុះ
@@ -5314,7 +5379,7 @@
 DocType: GL Entry,Is Advance,តើការជាមុន
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,អាយុជីវិតរបស់និយោជិក
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,ការចូលរួមពីកាលបរិច្ឆេទនិងចូលរួមកាលបរិច្ឆេទគឺជាចាំបាច់
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,សូមបញ្ចូល &lt;តើកិច្ចសន្យាបន្ដ &#39;ជាបាទឬទេ
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,សូមបញ្ចូល &lt;តើកិច្ចសន្យាបន្ដ &#39;ជាបាទឬទេ
 DocType: Item,Default Purchase Unit of Measure,ឯកតាការទិញឯកតានៃការវាស់ស្ទង់
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,កាលបរិច្ឆេទចុងក្រោយការទំនាក់ទំនង
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,កាលបរិច្ឆេទចុងក្រោយការទំនាក់ទំនង
@@ -5324,7 +5389,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,ចូលប្រើលេខកូដសំងាត់ឬ URL ដែលបាត់
 DocType: Location,Latitude,រយៈទទឹង
 DocType: Work Order,Scrap Warehouse,ឃ្លាំងអេតចាយ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",ឃ្លាំងដែលតម្រូវឱ្យនៅជួរដេកទេ {0} សូមកំណត់ឃ្លាំងដើមសម្រាប់ធាតុ {1} សម្រាប់ក្រុមហ៊ុន {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",ឃ្លាំងដែលតម្រូវឱ្យនៅជួរដេកទេ {0} សូមកំណត់ឃ្លាំងដើមសម្រាប់ធាតុ {1} សម្រាប់ក្រុមហ៊ុន {2}
 DocType: Work Order,Check if material transfer entry is not required,ពិនិត្យមើលថាតើធាតុផ្ទេរសម្ភារៈមិនត្រូវបានទាមទារ
 DocType: Work Order,Check if material transfer entry is not required,ពិនិត្យមើលថាតើធាតុផ្ទេរសម្ភារៈមិនត្រូវបានទាមទារ
 DocType: Program Enrollment Tool,Get Students From,ទទួលយកសិស្សពី
@@ -5341,6 +5406,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,ជំនាន់ថ្មី Qty
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,សម្លៀកបំពាក់និងគ្រឿងបន្លាស់
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,មិនអាចដោះស្រាយមុខងារពិន្ទុមានទម្ងន់។ ប្រាកដថារូបមន្តគឺត្រឹមត្រូវ។
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,ការបញ្ជាទិញទំនិញដែលមិនទាន់បានទទួល
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ចំនួននៃលំដាប់
 DocType: Item Group,HTML / Banner that will show on the top of product list.,ជា HTML / បដាដែលនឹងបង្ហាញនៅលើកំពូលនៃបញ្ជីផលិតផល។
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,បញ្ជាក់លក្ខខណ្ឌដើម្បីគណនាចំនួនប្រាក់លើការដឹកជញ្ជូន
@@ -5349,9 +5415,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,ផ្លូវ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,មិនអាចបម្លែងទៅក្នុងសៀវភៅរបស់មជ្ឈមណ្ឌលដែលជាការចំនាយវាមានថ្នាំងរបស់កុមារ
 DocType: Production Plan,Total Planned Qty,ចំនួនគ្រោងសរុប
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,តម្លៃពិធីបើក
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,តម្លៃពិធីបើក
 DocType: Salary Component,Formula,រូបមន្ត
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,# សៀរៀល
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,# សៀរៀល
 DocType: Lab Test Template,Lab Test Template,គំរូតេស្តមន្ទីរពិសោធន៍
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,គណនីលក់
 DocType: Purchase Invoice Item,Total Weight,ទំងន់សរុប
@@ -5369,7 +5435,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,ធ្វើឱ្យសម្ភារៈសំណើ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},បើកធាតុ {0}
 DocType: Asset Finance Book,Written Down Value,តម្លៃចុះក្រោមសរសេរ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស&gt; ការកំណត់ធនធានមនុស្ស
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ការលក់វិក័យប័ត្រ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ
 DocType: Clinical Procedure,Age,ដែលមានអាយុ
 DocType: Sales Invoice Timesheet,Billing Amount,ចំនួនវិក័យប័ត្រ
@@ -5378,11 +5443,11 @@
 DocType: Company,Default Employee Advance Account,គណនីបុព្វលាភនិយោជិកលំនាំដើម
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),ធាតុស្វែងរក (បញ្ជា (Ctrl) + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានលុប
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានលុប
 DocType: Vehicle,Last Carbon Check,ពិនិត្យកាបូនចុងក្រោយនេះ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,ការចំណាយផ្នែកច្បាប់
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,សូមជ្រើសរើសបរិមាណនៅលើជួរដេក
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,បើកការលក់និងវិក័យប័ត្រទិញ
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,បើកការលក់និងវិក័យប័ត្រទិញ
 DocType: Purchase Invoice,Posting Time,ម៉ោងប្រកាស
 DocType: Timesheet,% Amount Billed,% ចំនួនលុយបានបង់
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,ការចំណាយតាមទូរស័ព្ទ
@@ -5397,14 +5462,14 @@
 DocType: Maintenance Visit,Breakdown,ការវិភាគ
 DocType: Travel Itinerary,Vegetarian,អ្នកតមសាច់
 DocType: Patient Encounter,Encounter Date,កាលបរិច្ឆេទជួបគ្នា
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,គណនី: {0} ដែលមានរូបិយប័ណ្ណ: {1} មិនអាចត្រូវបានជ្រើស &amp; ‧;
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,គណនី: {0} ដែលមានរូបិយប័ណ្ណ: {1} មិនអាចត្រូវបានជ្រើស &amp; ‧;
 DocType: Bank Statement Transaction Settings Item,Bank Data,ទិន្នន័យធនាគារ
 DocType: Purchase Receipt Item,Sample Quantity,បរិមាណគំរូ
 DocType: Bank Guarantee,Name of Beneficiary,ឈ្មោះអ្នកទទួលផល
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",បន្ទាន់សម័យ BOM ចំណាយដោយស្វ័យប្រវត្តិតាមរយៈកម្មវិធីកំណត់ពេលដោយផ្អែកលើអត្រាតំលៃចុងក្រោយ / អត្រាតំលៃបញ្ជី / អត្រាទិញចុងក្រោយនៃវត្ថុធាតុដើម។
 DocType: Supplier,SUP-.YYYY.-,SUP -YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,កាលបរិច្ឆេទមូលប្បទានប័ត្រ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},គណនី {0}: គណនីមាតាបិតា {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},គណនី {0}: គណនីមាតាបិតា {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,ទទួលបានជោគជ័យក្នុងការតិបត្តិការទាំងអស់ដែលបានលុបដែលទាក់ទងទៅនឹងក្រុមហ៊ុននេះ!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,ដូចជានៅលើកាលបរិច្ឆេទ
 DocType: Additional Salary,HR,ធនធានមនុស្ស
@@ -5412,7 +5477,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,ការជូនដំណឹងជាអក្សរសម្រាប់អ្នកជម្ងឺ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,ការសាកល្បង
 DocType: Program Enrollment Tool,New Academic Year,ឆ្នាំសិក្សាថ្មី
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,ការវិលត្រឡប់ / ឥណទានចំណាំ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,ការវិលត្រឡប់ / ឥណទានចំណាំ
 DocType: Stock Settings,Auto insert Price List rate if missing,បញ្ចូលដោយស្វ័យប្រវត្តិប្រសិនបើអ្នកមានអត្រាតារាងតម្លៃបាត់ខ្លួន
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់សរុប
 DocType: GST Settings,B2C Limit,ដែនកំណត់ B2C
@@ -5430,10 +5495,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ថ្នាំងកុមារអាចត្រូវបានបង្កើតតែនៅក្រោមថ្នាំងប្រភេទ &#39;ក្រុម
 DocType: Attendance Request,Half Day Date,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃ
 DocType: Academic Year,Academic Year Name,ឈ្មោះអប់រំឆ្នាំ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} មិនត្រូវបានអនុញ្ញាតឱ្យធ្វើការជាមួយ {1} ។ សូមផ្លាស់ប្តូរក្រុមហ៊ុន។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} មិនត្រូវបានអនុញ្ញាតឱ្យធ្វើការជាមួយ {1} ។ សូមផ្លាស់ប្តូរក្រុមហ៊ុន។
 DocType: Sales Partner,Contact Desc,ការទំនាក់ទំនង DESC
 DocType: Email Digest,Send regular summary reports via Email.,ផ្ញើរបាយការណ៍សេចក្ដីសង្ខេបជាទៀងទាត់តាមរយៈអ៊ីម៉ែល។
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងប្រភេទពាក្យបណ្តឹងការចំណាយ {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងប្រភេទពាក្យបណ្តឹងការចំណាយ {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,មានស្លឹក
 DocType: Assessment Result,Student Name,ឈ្មោះរបស់និស្សិត
 DocType: Hub Tracked Item,Item Manager,កម្មវិធីគ្រប់គ្រងធាតុ
@@ -5458,9 +5523,10 @@
 DocType: Subscription,Trial Period End Date,កាលបរិច្ឆេទបញ្ចប់សវនាការ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,មិន authroized តាំងពី {0} លើសពីដែនកំណត់
 DocType: Serial No,Asset Status,ស្ថានភាពទ្រព្យសកម្ម
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ទំនិញលើសពីវិមាត្រ (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,តារាងភោជនីយដ្ឋាន
 DocType: Hotel Room,Hotel Manager,ប្រធានសណ្ឋាគារ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,កំណត់ច្បាប់ពន្ធសម្រាប់រទេះដើរទិញឥវ៉ាន់
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,កំណត់ច្បាប់ពន្ធសម្រាប់រទេះដើរទិញឥវ៉ាន់
 DocType: Purchase Invoice,Taxes and Charges Added,ពន្ធនិងការចោទប្រកាន់បន្ថែម
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,រំលស់ជួរដេក {0}: កាលបរិច្ឆេទរំលោះបន្ទាប់មិនអាចនៅមុនកាលបរិច្ឆេទដែលអាចប្រើបាន
 ,Sales Funnel,ការប្រមូលផ្តុំការលក់
@@ -5476,10 +5542,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,ក្រុមអតិថិជនទាំងអស់
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,បង្គរប្រចាំខែ
 DocType: Attendance Request,On Duty,នៅលើកាតព្វកិច្ច
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណមិនត្រូវបានបង្កើតឡើងសម្រាប់ {1} ទៅ {2} ។
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណមិនត្រូវបានបង្កើតឡើងសម្រាប់ {1} ទៅ {2} ។
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},ផែនការបុគ្គលិក {0} មានរួចហើយសម្រាប់ការកំណត់ {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,ទំព័រគំរូពន្ធលើគឺជាចាំបាច់។
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,គណនី {0}: គណនីមាតាបិតា {1} មិនមាន
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,គណនី {0}: គណនីមាតាបិតា {1} មិនមាន
 DocType: POS Closing Voucher,Period Start Date,កាលបរិច្ឆេទចាប់ផ្តើម
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),បញ្ជីតម្លៃដែលអត្រា (ក្រុមហ៊ុនរូបិយវត្ថុ)
 DocType: Products Settings,Products Settings,ការកំណត់ផលិតផល
@@ -5499,7 +5565,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,សកម្មភាពនេះនឹងបញ្ឈប់វិក័យប័ត្រនាពេលអនាគត។ តើអ្នកប្រាកដជាចង់បោះបង់ការជាវនេះមែនទេ?
 DocType: Serial No,Distinct unit of an Item,អង្គភាពផ្សេងគ្នានៃធាតុ
 DocType: Supplier Scorecard Criteria,Criteria Name,ឈ្មោះលក្ខណៈវិនិច្ឆ័យ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,សូមកំណត់ក្រុមហ៊ុន
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,សូមកំណត់ក្រុមហ៊ុន
 DocType: Procedure Prescription,Procedure Created,នីតិវិធីបានបង្កើត
 DocType: Pricing Rule,Buying,ការទិញ
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,ជំងឺ &amp; ជី
@@ -5516,43 +5582,44 @@
 DocType: Employee Onboarding,Job Offer,ផ្តល់ជូនការងារ
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,អក្សរកាត់វិទ្យាស្ថាន
 ,Item-wise Price List Rate,អត្រាតារាងតម្លៃធាតុប្រាជ្ញា
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់
 DocType: Quotation,In Words will be visible once you save the Quotation.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកការសម្រង់នេះ។
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},បរិមាណ ({0}) មិនអាចជាប្រភាគក្នុងមួយជួរដេក {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},បរិមាណ ({0}) មិនអាចជាប្រភាគក្នុងមួយជួរដេក {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},បរិមាណ ({0}) មិនអាចជាប្រភាគក្នុងមួយជួរដេក {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},បរិមាណ ({0}) មិនអាចជាប្រភាគក្នុងមួយជួរដេក {1}
 DocType: Contract,Unsigned,មិនបានចុះហត្ថលេខា
 DocType: Selling Settings,Each Transaction,កិច្ចការនីមួយៗ
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},លេខកូដ {0} ត្រូវបានប្រើរួចហើយនៅក្នុងធាតុ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},លេខកូដ {0} ត្រូវបានប្រើរួចហើយនៅក្នុងធាតុ {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ក្បួនសម្រាប់ការបន្ថែមការចំណាយលើការដឹកជញ្ជូន។
 DocType: Hotel Room,Extra Bed Capacity,សមត្ថភាពគ្រែបន្ថែម
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,ការបើកផ្សារហ៊ុន
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,អតិថិជនគឺត្រូវបានទាមទារ
 DocType: Lab Test,Result Date,កាលបរិច្ឆេទលទ្ធផល
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC កាលបរិច្ឆេទ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC កាលបរិច្ឆេទ
 DocType: Purchase Order,To Receive,ដើម្បីទទួលបាន
 DocType: Leave Period,Holiday List for Optional Leave,បញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់ការចេញជម្រើស
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,ម្ចាស់ទ្រព្យ
 DocType: Purchase Invoice,Reason For Putting On Hold,ហេតុផលសម្រាប់ដាក់នៅរង់ចាំ
 DocType: Employee,Personal Email,អ៊ីម៉ែលផ្ទាល់ខ្លួន
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,អថេរចំនួនសរុប
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,អថេរចំនួនសរុប
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",បើអនុញ្ញាតប្រព័ន្ធនេះនឹងផ្តល់ការបញ្ចូលគណនីសម្រាប់ការដោយស្វ័យប្រវត្តិ។
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,ឈ្មួញកណ្តាល
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ការចូលរួមសម្រាប់បុគ្គលិក {0} ត្រូវបានសម្គាល់រួចហើយសម្រាប់ថ្ងៃនេះ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ការចូលរួមសម្រាប់បុគ្គលិក {0} ត្រូវបានសម្គាល់រួចហើយសម្រាប់ថ្ងៃនេះ
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",បានបន្ទាន់សម័យតាមរយៈការនៅនាទី &quot;ពេលវេលាកំណត់ហេតុ &#39;
 DocType: Customer,From Lead,បានមកពីអ្នកដឹកនាំ
 DocType: Amazon MWS Settings,Synch Orders,ការបញ្ជាទិញ
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ការបញ្ជាទិញដែលបានចេញផ្សាយសម្រាប់ការផលិត។
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,ជ្រើសឆ្នាំសារពើពន្ធ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួនត្រូវបានទាមទារដើម្បីធ្វើឱ្យធាតុរបស់ម៉ាស៊ីនឆូតកាត
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួនត្រូវបានទាមទារដើម្បីធ្វើឱ្យធាតុរបស់ម៉ាស៊ីនឆូតកាត
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",ពិន្ទុស្មោះត្រង់នឹងត្រូវបានគណនាពីការចំណាយដែលបានចំណាយ (តាមរយៈវិក័យប័ត្រលក់) ផ្អែកលើកត្តាប្រមូលដែលបានលើកឡើង។
 DocType: Program Enrollment Tool,Enroll Students,ចុះឈ្មោះសិស្ស
 DocType: Company,HRA Settings,ការកំណត់ HRA
 DocType: Employee Transfer,Transfer Date,កាលបរិច្ឆេទផ្ទេរ
 DocType: Lab Test,Approved Date,កាលបរិច្ឆេទអនុម័ត
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ស្តង់ដាលក់
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,យ៉ាងហោចណាស់មានម្នាក់ឃ្លាំងគឺជាចាំបាច់
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,យ៉ាងហោចណាស់មានម្នាក់ឃ្លាំងគឺជាចាំបាច់
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","កំណត់រចនាសម្ព័ន្ធវាលធាតុដូច UOM, ក្រុមធាតុ, ការពិពណ៌នានិងម៉ោងនៃម៉ោង។"
 DocType: Certification Application,Certification Status,ស្ថានភាពបញ្ជាក់
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,ទីផ្សារ
@@ -5572,6 +5639,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,ផ្គូផ្គងវិក្កយបត្រ
 DocType: Work Order,Required Items,ធាតុដែលបានទាមទារ
 DocType: Stock Ledger Entry,Stock Value Difference,ភាពខុសគ្នាតម្លៃភាគហ៊ុន
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,ជួរដេក {0}: {1} {2} មិនមាននៅខាងលើ &#39;{1}&#39; តារាងទេ
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,ធនធានមនុស្ស
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ការទូទាត់ការផ្សះផ្សាការទូទាត់
 DocType: Disease,Treatment Task,កិច្ចការព្យាបាល
@@ -5589,7 +5657,8 @@
 DocType: Account,Debit,ឥណពន្ធ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"ស្លឹកត្រូវតែត្រូវបានបម្រុងទុកនៅក្នុង 0,5 ច្រើន"
 DocType: Work Order,Operation Cost,ប្រតិបត្ដិការចំណាយ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,ឆ្នើម AMT
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,កំណត់អត្តសញ្ញាណអ្នកបង្កើតការសម្រេចចិត្ត
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,ឆ្នើម AMT
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ធាតុសំណុំក្រុមគោលដៅប្រាជ្ញាសម្រាប់ការនេះការលក់បុគ្គល។
 DocType: Stock Settings,Freeze Stocks Older Than [Days],ភាគហ៊ុនបង្កកចាស់ជាង [ថ្ងៃ]
 DocType: Payment Request,Payment Ordered,ការទូទាត់ត្រូវបានបញ្ជា
@@ -5601,14 +5670,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,អនុញ្ញាតឱ្យអ្នកប្រើដូចខាងក្រោមដើម្បីអនុម័តកម្មវិធីសុំច្បាប់សម្រាកសម្រាប់ថ្ងៃប្លុក។
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,វដ្ដជីវិត
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,បង្កើតលេខកូដសម្ងាត់
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},អត្រាសម្រាប់ធាតុលក់ {0} គឺទាបជាង {1} របស់ខ្លួន។ អត្រាលក់គួរមានយ៉ាងហោចណាស់ {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},អត្រាសម្រាប់ធាតុលក់ {0} គឺទាបជាង {1} របស់ខ្លួន។ អត្រាលក់គួរមានយ៉ាងហោចណាស់ {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},អត្រាសម្រាប់ធាតុលក់ {0} គឺទាបជាង {1} របស់ខ្លួន។ អត្រាលក់គួរមានយ៉ាងហោចណាស់ {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},អត្រាសម្រាប់ធាតុលក់ {0} គឺទាបជាង {1} របស់ខ្លួន។ អត្រាលក់គួរមានយ៉ាងហោចណាស់ {2}
 DocType: Subscription,Taxes,ពន្ធ
 DocType: Purchase Invoice,capital goods,ទំនិញមូលធន
 DocType: Purchase Invoice Item,Weight Per Unit,ទម្ងន់ក្នុងមួយឯកតា
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,បង់និងការមិនផ្តល់
-DocType: Project,Default Cost Center,មជ្ឈមណ្ឌលតម្លៃលំនាំដើម
-DocType: Delivery Note,Transporter Doc No,ដឹកជញ្ជូនឯកសារលេខ
+DocType: QuickBooks Migrator,Default Cost Center,មជ្ឈមណ្ឌលតម្លៃលំនាំដើម
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ប្រតិបត្តិការភាគហ៊ុន
 DocType: Budget,Budget Accounts,គណនីថវិកា
 DocType: Employee,Internal Work History,ប្រវត្តិការងារផ្ទៃក្នុង
@@ -5641,7 +5709,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},អ្នកថែទាំសុខភាពមិនមាននៅលើ {0}
 DocType: Stock Entry Detail,Additional Cost,ការចំណាយបន្ថែមទៀត
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",មិនអាចត្រងដោយផ្អែកលើប័ណ្ណគ្មានប្រសិនបើដាក់ជាក្រុមតាមប័ណ្ណ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,ធ្វើឱ្យសម្រង់ផ្គត់ផ្គង់
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,ធ្វើឱ្យសម្រង់ផ្គត់ផ្គង់
 DocType: Quality Inspection,Incoming,មកដល់
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,គំរូពន្ធលំនាំដើមសម្រាប់ការលក់និងការទិញត្រូវបានបង្កើត។
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,កំណត់ត្រាការវាយតំលៃ {0} មានរួចហើយ។
@@ -5657,7 +5725,7 @@
 DocType: Batch,Batch ID,លេខសម្គាល់បាច់
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},ចំណាំ: {0}
 ,Delivery Note Trends,និន្នាការដឹកជញ្ជូនចំណាំ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,សប្តាហ៍នេះមានសេចក្តីសង្ខេប
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,សប្តាហ៍នេះមានសេចក្តីសង្ខេប
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,នៅក្នុងផ្សារ Qty
 ,Daily Work Summary Replies,ការឆ្លើយតបសង្ខេបការងារប្រចាំថ្ងៃ
 DocType: Delivery Trip,Calculate Estimated Arrival Times,គណនាពេលវេលាមកដល់ប៉ាន់ស្មាន
@@ -5667,7 +5735,7 @@
 DocType: Bank Account,Party,គណបក្ស
 DocType: Healthcare Settings,Patient Name,ឈ្មោះអ្នកជម្ងឺ
 DocType: Variant Field,Variant Field,វាលវ៉ារ្យង់
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ទីតាំងគោលដៅ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ទីតាំងគោលដៅ
 DocType: Sales Order,Delivery Date,ដឹកជញ្ជូនកាលបរិច្ឆេទ
 DocType: Opportunity,Opportunity Date,កាលបរិច្ឆេទឱកាសការងារ
 DocType: Employee,Health Insurance Provider,អ្នកផ្តល់សេវាធានារ៉ាប់រងសុខភាព
@@ -5686,7 +5754,7 @@
 DocType: Employee,History In Company,ប្រវត្តិសាស្រ្តនៅក្នុងក្រុមហ៊ុន
 DocType: Customer,Customer Primary Address,អាស័យដ្ឋានចម្បងអតិថិជន
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,ព្រឹត្តិបត្រ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,សេចក្តីយោងលេខ
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,សេចក្តីយោងលេខ
 DocType: Drug Prescription,Description/Strength,ការពិពណ៌នា / កម្លាំង
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,បង្កើតការទូទាត់ថ្មី / ធាតុទិនានុប្បវត្តិ
 DocType: Certification Application,Certification Application,កម្មវិធីវិញ្ញាបនប័ត្រ
@@ -5697,10 +5765,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង
 DocType: Department,Leave Block List,ទុកឱ្យបញ្ជីប្លុក
 DocType: Purchase Invoice,Tax ID,លេខសម្គាល់ការប្រមូលពន្ធលើ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,ធាតុ {0} មិនត្រូវបានដំឡើងសម្រាប់ការសៀរៀល Nos ។ ជួរឈរត្រូវទទេ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,ធាតុ {0} មិនត្រូវបានដំឡើងសម្រាប់ការសៀរៀល Nos ។ ជួរឈរត្រូវទទេ
 DocType: Accounts Settings,Accounts Settings,ការកំណត់គណនី
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,អនុម័ត
 DocType: Loyalty Program,Customer Territory,ដែនដីអតិថិជន
+DocType: Email Digest,Sales Orders to Deliver,បញ្ជាលក់ដើម្បីផ្តល់
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","ចំនួននៃគណនីថ្មី, វានឹងត្រូវបានរួមបញ្ចូលនៅក្នុងឈ្មោះគណនីជាបុព្វបទមួយ"
 DocType: Maintenance Team Member,Team Member,សមាជិកក្រុម
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,គ្មានលទ្ធផលដើម្បីដាក់ស្នើ
@@ -5710,7 +5779,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","សរុប {0} សម្រាប់ធាតុទាំងអស់គឺសូន្យ, អាចជាអ្នកគួរផ្លាស់ប្តូរ &quot;ចែកបទចោទប្រកាន់ដោយផ្អែកលើ"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,ចំពោះកាលបរិច្ឆេទមិនអាចតិចជាងកាលបរិច្ឆេទទេ
 DocType: Opportunity,To Discuss,ដើម្បីពិភាក្សា
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,នេះអាស្រ័យលើប្រតិបត្តិការជាមួយអតិថិជននេះ។ សូមមើលតារាងពេលវេលាខាងក្រោមសម្រាប់ព័ត៌មានលំអិត
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} គ្រឿង {1} ត្រូវការជាចាំបាច់ក្នុង {2} ដើម្បីបញ្ចប់ការប្រតិបត្តិការនេះ។
 DocType: Loan Type,Rate of Interest (%) Yearly,អត្រានៃការប្រាក់ (%) ប្រចាំឆ្នាំ
 DocType: Support Settings,Forum URL,URL វេទិកា
@@ -5725,7 +5793,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,ស្វែងយល់បន្ថែម
 DocType: Cheque Print Template,Distance from top edge,ចម្ងាយពីគែមកំពូល
 DocType: POS Closing Voucher Invoices,Quantity of Items,បរិមាណធាតុ
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,បញ្ជីតម្លៃ {0} ត្រូវបានបិទឬមិនមាន
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,បញ្ជីតម្លៃ {0} ត្រូវបានបិទឬមិនមាន
 DocType: Purchase Invoice,Return,ត្រឡប់មកវិញ
 DocType: Pricing Rule,Disable,មិនអនុញ្ញាត
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,របៀបនៃការទូទាត់គឺត្រូវបានទាមទារដើម្បីធ្វើឱ្យការទូទាត់
@@ -5733,18 +5801,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","កែសម្រួលនៅក្នុងទំព័រពេញសម្រាប់ជម្រើសច្រើនទៀតដូចជាទ្រព្យសកម្ម, សៀរៀល, បាច់ល។"
 DocType: Leave Type,Maximum Continuous Days Applicable,ថ្ងៃបន្តអតិបរមាអាចអនុវត្តបាន
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} មិនត្រូវបានចុះឈ្មោះក្នុងជំនាន់ទី {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","ទ្រព្យសកម្ម {0} មិនអាចត្រូវបានបោះបង់ចោល, ដូចដែលវាមានរួចទៅ {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","ទ្រព្យសកម្ម {0} មិនអាចត្រូវបានបោះបង់ចោល, ដូចដែលវាមានរួចទៅ {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,ពិនិត្យចាំបាច់
 DocType: Task,Total Expense Claim (via Expense Claim),ពាក្យបណ្តឹងការចំណាយសរុប (តាមរយៈបណ្តឹងទាមទារការចំណាយ)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,លោក Mark អវត្តមាន
 DocType: Job Applicant Source,Job Applicant Source,ប្រភពអ្នកស្វែងរកការងារធ្វើ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,បរិមាណ IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,បរិមាណ IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,បានបរាជ័យក្នុងការបង្កើតក្រុមហ៊ុន
 DocType: Asset Repair,Asset Repair,ជួសជុលទ្រព្យសម្បត្តិ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ជួរដេក {0}: រូបិយប័ណ្ណរបស់ Bom បាន # {1} គួរតែស្មើនឹងរូបិយប័ណ្ណដែលបានជ្រើស {2}
 DocType: Journal Entry Account,Exchange Rate,អត្រាប្តូរប្រាក់
 DocType: Patient,Additional information regarding the patient,ព័ត៌មានបន្ថែមទាក់ទងនឹងអ្នកជំងឺ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,ការលក់លំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,ការលក់លំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
 DocType: Homepage,Tag Line,បន្ទាត់ស្លាក
 DocType: Fee Component,Fee Component,សមាសភាគថ្លៃសេវា
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,គ្រប់គ្រងកងនាវា
@@ -5759,7 +5827,7 @@
 DocType: Healthcare Practitioner,Mobile,ទូរស័ព្ទដៃ
 ,Sales Person-wise Transaction Summary,ការលក់បុគ្គលប្រាជ្ញាសង្ខេបប្រតិបត្តិការ
 DocType: Training Event,Contact Number,លេខទំនាក់ទំនង
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,ឃ្លាំង {0} មិនមាន
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,ឃ្លាំង {0} មិនមាន
 DocType: Cashier Closing,Custody,ឃុំឃាំង
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ការដាក់ពាក្យបញ្ជូលភស្តុតាងនៃការលើកលែងពន្ធលើនិយោជិក
 DocType: Monthly Distribution,Monthly Distribution Percentages,ចំនួនភាគរយចែកចាយប្រចាំខែ
@@ -5774,7 +5842,7 @@
 DocType: Payment Entry,Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,រកមើលវដ្តនៃការលក់
 DocType: Assessment Plan,Supervisor,អ្នកគ្រប់គ្រង
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,រក្សាធាតុចូល
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,រក្សាធាតុចូល
 ,Available Stock for Packing Items,បរិមាណទំនិញក្នុងស្តុកដែលអាចវិចខ្ចប់បាន
 DocType: Item Variant,Item Variant,ធាតុវ៉ារ្យង់
 ,Work Order Stock Report,របាយការណ៍ភាគហ៊ុនបញ្ជាទិញ
@@ -5783,9 +5851,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,ជាប្រធាន
 DocType: Leave Policy Detail,Leave Policy Detail,ទុកព័ត៌មានលំអិតពីគោលនយោបាយ
 DocType: BOM Scrap Item,BOM Scrap Item,ធាតុសំណល់អេតចាយ Bom
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,ការបញ្ជាទិញដែលបានដាក់ស្នើមិនអាចត្រូវបានលុប
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណពន្ធ, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ &quot;ជា&quot; ឥណទាន &quot;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,គ្រប់គ្រងគុណភាព
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,ការបញ្ជាទិញដែលបានដាក់ស្នើមិនអាចត្រូវបានលុប
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណពន្ធ, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ &quot;ជា&quot; ឥណទាន &quot;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,គ្រប់គ្រងគុណភាព
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,ធាតុ {0} ត្រូវបានបិទ
 DocType: Project,Total Billable Amount (via Timesheets),បរិមាណសរុបដែលអាចចេញវិក្កយបត្រ (តាមរយៈកម្រងសន្លឹកកិច្ចការ)
 DocType: Agriculture Task,Previous Business Day,ថ្ងៃពាណិជ្ជកម្មមុន
@@ -5808,15 +5876,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,មជ្ឈមណ្ឌលការចំណាយ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,ចាប់ផ្ដើមការជាវប្រចាំឡើងវិញ
 DocType: Linked Plant Analysis,Linked Plant Analysis,ការវិភាគរុក្ខជាតិដែលទាក់ទង
-DocType: Delivery Note,Transporter ID,លេខសម្គាល់អ្នកដឹកជញ្ជូន
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,លេខសម្គាល់អ្នកដឹកជញ្ជូន
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,សំណើគម្រោង
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,អត្រារូបិយប័ណ្ណក្រុមហ៊ុនផ្គត់ផ្គង់ដែលត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់ក្រុមហ៊ុន
-DocType: Sales Invoice Item,Service End Date,សេវាបញ្ចប់កាលបរិច្ឆេទ
+DocType: Purchase Invoice Item,Service End Date,សេវាបញ្ចប់កាលបរិច្ឆេទ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ជួរដេក # {0}: ជម្លោះពេលវេលាជាមួយនឹងជួរ {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,អនុញ្ញាតឱ្យអត្រាការវាយតម្លៃសូន្យ
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,អនុញ្ញាតឱ្យអត្រាការវាយតម្លៃសូន្យ
 DocType: Bank Guarantee,Receiving,ការទទួល
 DocType: Training Event Employee,Invited,បានអញ្ជើញ
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,រៀបចំគណនីច្រកផ្លូវ។
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,រៀបចំគណនីច្រកផ្លូវ។
 DocType: Employee,Employment Type,ប្រភេទការងារធ្វើ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,ទ្រព្យសកម្មថេរ
 DocType: Payment Entry,Set Exchange Gain / Loss,កំណត់អត្រាប្តូរប្រាក់ចំណេញ / បាត់បង់
@@ -5832,7 +5901,7 @@
 DocType: Tax Rule,Sales Tax Template,ទំព័រគំរូពន្ធលើការលក់
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,បង់ប្រាក់សំណងលើអត្ថប្រយោជន៍
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,ធ្វើបច្ចុប្បន្នភាពលេខមជ្ឈមណ្ឌលចំណាយ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ
 DocType: Employee,Encashment Date,Encashment កាលបរិច្ឆេទ
 DocType: Training Event,Internet,អ៊ីនធើណែ
 DocType: Special Test Template,Special Test Template,គំរូសាកល្បងពិសេស
@@ -5840,13 +5909,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},តម្លៃលំនាំដើមមានសម្រាប់សកម្មភាពប្រភេទសកម្មភាព - {0}
 DocType: Work Order,Planned Operating Cost,ចំណាយប្រតិបត្តិការដែលបានគ្រោងទុក
 DocType: Academic Term,Term Start Date,រយៈពេលចាប់ផ្តើមកាលបរិច្ឆេទ
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,បញ្ជីប្រតិបត្តិការទាំងអស់
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,បញ្ជីប្រតិបត្តិការទាំងអស់
+DocType: Supplier,Is Transporter,គឺដឹកជញ្ជូន
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,នាំចូលវិក័យប័ត្រលក់ពី Shopify ប្រសិនបើការទូទាត់ត្រូវបានសម្គាល់
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,រាប់ចម្បង
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,រាប់ចម្បង
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,ដំណាក់កាលនៃការជំនុំជម្រះនិងកាលបរិច្ឆេទបញ្ចប់នៃការជំនុំជម្រះត្រូវបានកំណត់
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,អត្រាមធ្យម
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ចំនួនទឹកប្រាក់ទូទាត់សរុបក្នុងកាលវិភាគទូទាត់ត្រូវតែស្មើគ្នាសរុប / សរុប
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ចំនួនទឹកប្រាក់ទូទាត់សរុបក្នុងកាលវិភាគទូទាត់ត្រូវតែស្មើគ្នាសរុប / សរុប
 DocType: Subscription Plan Detail,Plan,ផែនការ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,ធនាគារតុល្យភាពសេចក្តីថ្លែងការណ៍ដូចជាក្នុងសៀវភៅធំ
 DocType: Job Applicant,Applicant Name,ឈ្មោះកម្មវិធី
@@ -5874,7 +5944,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,ដែលអាចប្រើបាន Qty នៅឃ្លាំងប្រភព
 apps/erpnext/erpnext/config/support.py +22,Warranty,ការធានា
 DocType: Purchase Invoice,Debit Note Issued,ចេញផ្សាយឥណពន្ធចំណាំ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,តម្រងផ្អែកលើមជ្ឈមណ្ឌលតម្លៃគឺអាចអនុវត្តបានប្រសិនបើ Budget Against ត្រូវបានជ្រើសរើសជាមជ្ឈមណ្ឌលតម្លៃ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,តម្រងផ្អែកលើមជ្ឈមណ្ឌលតម្លៃគឺអាចអនុវត្តបានប្រសិនបើ Budget Against ត្រូវបានជ្រើសរើសជាមជ្ឈមណ្ឌលតម្លៃ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",ស្វែងរកតាមលេខកូដសៀរៀលលេខបាវឬលេខកូដ
 DocType: Work Order,Warehouses,ឃ្លាំង
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} ទ្រព្យសម្បត្តិមិនអាចត្រូវបានផ្ទេរ
@@ -5885,9 +5955,9 @@
 DocType: Workstation,per hour,ក្នុងមួយម៉ោង
 DocType: Blanket Order,Purchasing,ការទិញ
 DocType: Announcement,Announcement,សេចក្តីប្រកាស
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,អតិថិជន LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,អតិថិជន LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",សម្រាប់សិស្សនិស្សិតដែលមានមូលដ្ឋាននៅជំនាន់ទីក្រុមជំនាន់សិស្សនឹងត្រូវបានធ្វើឱ្យមានសុពលភាពការគ្រប់សិស្សពីការសម្រាប់កម្មវិធីចុះឈ្មោះនេះ។
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ឃ្លាំងមិនអាចលុបធាតុដែលបានចុះក្នុងសៀវភៅភាគហ៊ុនមានសម្រាប់ឃ្លាំងនេះ។
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ឃ្លាំងមិនអាចលុបធាតុដែលបានចុះក្នុងសៀវភៅភាគហ៊ុនមានសម្រាប់ឃ្លាំងនេះ។
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,ចែកចាយ
 DocType: Journal Entry Account,Loan,ឥណទាន
 DocType: Expense Claim Advance,Expense Claim Advance,ចំណាយប្រាក់កម្រៃបុរេប្រទាន
@@ -5896,7 +5966,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,ប្រធានគ្រប់គ្រងគម្រោង
 ,Quoted Item Comparison,ធាតុដកស្រង់សម្តីប្រៀបធៀប
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},ការស៊ុតបញ្ចូលគ្នារវាង {0} និង {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,បញ្ជូន
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,បញ្ជូន
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,ការបញ្ចុះតម្លៃអតិបរមាដែលបានអនុញ្ញាតសម្រាប់ធាតុ: {0} គឺ {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,តម្លៃទ្រព្យសម្បត្តិសុទ្ធដូចជានៅលើ
 DocType: Crop,Produce,ផលិត
@@ -5906,20 +5976,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,ការប្រើប្រាស់សម្ភារៈសម្រាប់ផលិត
 DocType: Item Alternative,Alternative Item Code,កូដធាតុជម្មើសជំនួស
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យដាក់ស្នើតិបត្តិការដែលលើសពីដែនកំណត់ឥណទានបានកំណត់។
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត
 DocType: Delivery Stop,Delivery Stop,ការដឹកជញ្ជូនបញ្ឈប់
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ"
 DocType: Item,Material Issue,សម្ភារៈបញ្ហា
 DocType: Employee Education,Qualification,គុណវុឌ្ឍិ
 DocType: Item Price,Item Price,ថ្លៃទំនិញ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,ដុំនិងសាប៊ូម្ស៉ៅ
 DocType: BOM,Show Items,បង្ហាញធាតុ
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,ចាប់ពីពេលដែលមិនអាចត្រូវបានធំជាងទៅពេលមួយ។
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,តើអ្នកចង់ជូនដំណឹងដល់អតិថិជនទាំងអស់តាមរយៈអ៊ីម៉ែលទេ?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,តើអ្នកចង់ជូនដំណឹងដល់អតិថិជនទាំងអស់តាមរយៈអ៊ីម៉ែលទេ?
 DocType: Subscription Plan,Billing Interval,ចន្លោះវិក្កយបត្រ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,វីដេអូចលនារូបភាព &amp;
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,បានបញ្ជាឱ្យ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,កាលបរិច្ឆេទចាប់ផ្តើមពិតប្រាកដនិងកាលបរិច្ឆេទបញ្ចប់ពិតប្រាកដគឺចាំបាច់
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,អតិថិជន&gt; ក្រុមអតិថិជន&gt; ដែនដី
 DocType: Salary Detail,Component,សមាសភាគ
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,ជួរដេក {0}: {1} ត្រូវតែធំជាង 0
 DocType: Assessment Criteria,Assessment Criteria Group,ការវាយតម្លៃលក្ខណៈវិនិច្ឆ័យជាក្រុម
@@ -5950,11 +6021,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,បញ្ចូលឈ្មោះធនាគារឬស្ថាប័នផ្តល់ឥណទានមុនពេលបញ្ជូន។
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} ត្រូវតែបញ្ជូន
 DocType: POS Profile,Item Groups,ក្រុមធាតុ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,ថ្ងៃនេះគឺជា {0} &#39;s បានថ្ងៃខួបកំណើត!
 DocType: Sales Order Item,For Production,ចំពោះផលិតកម្ម
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,សមតុល្យគណនីរូបិយប័ណ្ណ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,សូមបន្ថែមគណនីបើកបណ្តោះអាសន្នក្នុងតារាងគណនី
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,សូមបន្ថែមគណនីបើកបណ្តោះអាសន្នក្នុងតារាងគណនី
 DocType: Customer,Customer Primary Contact,អតិថិជនចម្បងទំនាក់ទំនង
 DocType: Project Task,View Task,មើលការងារ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ចម្បង / នាំមុខ%
@@ -5968,11 +6038,11 @@
 DocType: Sales Invoice,Get Advances Received,ទទួលបុរេប្រទានបានទទួល
 DocType: Email Digest,Add/Remove Recipients,បន្ថែម / យកអ្នកទទួល
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",ដើម្បីកំណត់ឆ្នាំសារពើពន្ធនេះជាលំនាំដើមសូមចុចលើ &quot;កំណត់ជាលំនាំដើម &#39;
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,បរិមាណ TDS ដកចេញ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,បរិមាណ TDS ដកចេញ
 DocType: Production Plan,Include Subcontracted Items,រួមបញ្ចូលធាតុដែលបានបន្តកិច្ចសន្យា
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,ចូលរួមជាមួយ
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,កង្វះខាត Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,ចូលរួមជាមួយ
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,កង្វះខាត Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា
 DocType: Loan,Repay from Salary,សងពីប្រាក់ខែ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},ស្នើសុំការទូទាត់ប្រឆាំងនឹង {0} {1} ចំនួន {2}
 DocType: Additional Salary,Salary Slip,ប្រាក់បៀវត្សគ្រូពេទ្យប្រហែលជា
@@ -5988,7 +6058,7 @@
 DocType: Patient,Dormant,អសកម្ម
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,កាត់បន្ថយពន្ធសម្រាប់អត្ថប្រយោជន៍របស់និយោជិកដែលមិនបានទាមទារ
 DocType: Salary Slip,Total Interest Amount,ចំនួនការប្រាក់សរុប
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,ឃ្លាំងជាមួយថ្នាំងជាកូនមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,ឃ្លាំងជាមួយថ្នាំងជាកូនមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
 DocType: BOM,Manage cost of operations,គ្រប់គ្រងការចំណាយប្រតិបត្តិការ
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,មកដល់កាលបរិច្ឆេទ
@@ -6000,7 +6070,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,ការវាយតំលៃលទ្ធផលលំអិត
 DocType: Employee Education,Employee Education,បុគ្គលិកអប់រំ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,ក្រុមមុខទំនិញស្ទួនត្រូវមាននៅក្នុងតារាងក្រុមមុខទំនិញ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,វាត្រូវបានគេត្រូវការដើម្បីទៅយកលំអិតធាតុ។
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,វាត្រូវបានគេត្រូវការដើម្បីទៅយកលំអិតធាតុ។
 DocType: Fertilizer,Fertilizer Name,ឈ្មោះជី
 DocType: Salary Slip,Net Pay,ប្រាក់ចំណេញសុទ្ធ
 DocType: Cash Flow Mapping Accounts,Account,គណនី
@@ -6011,14 +6081,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,បង្កើតការបង់ប្រាក់ដាច់ដោយឡែកពីការទាមទារសំណង
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"វត្តមាននៃជំងឺគ្រុនក្តៅ (បណ្ដោះអាសន្ន&gt; 38,5 អង្សាសេ / 101,3 អង្សារឬមានបណ្ដោះអាសន្ន&gt; 38 ° C / 100.4 ° F)"
 DocType: Customer,Sales Team Details,ពត៌មានលំអិតការលក់ក្រុមការងារ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,លុបជារៀងរហូត?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,លុបជារៀងរហូត?
 DocType: Expense Claim,Total Claimed Amount,ចំនួនទឹកប្រាក់អះអាងសរុប
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ឱកាសក្នុងការមានសក្តានុពលសម្រាប់ការលក់។
 DocType: Shareholder,Folio no.,Folio no ។
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},មិនត្រឹមត្រូវ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,ស្លឹកឈឺ
 DocType: Email Digest,Email Digest,អ៊ីម៉ែលសង្ខេប
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,មិនមែន
 DocType: Delivery Note,Billing Address Name,វិក័យប័ត្រឈ្មោះអាសយដ្ឋាន
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ហាងលក់នាយកដ្ឋាន
 ,Item Delivery Date,កាលបរិច្ឆេទប្រគល់ទំនិញ
@@ -6034,16 +6103,16 @@
 DocType: Account,Chargeable,បន្ទុក
 DocType: Company,Change Abbreviation,ការផ្លាស់ប្តូរអក្សរកាត់
 DocType: Contract,Fulfilment Details,សេចក្ដីលម្អិតបំពេញ
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},បង់ {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},បង់ {0} {1}
 DocType: Employee Onboarding,Activities,សកម្មភាព
 DocType: Expense Claim Detail,Expense Date,ការចំណាយកាលបរិច្ឆេទ
 DocType: Item,No of Months,ចំនួននៃខែ
 DocType: Item,Max Discount (%),អតិបរមាការបញ្ចុះតម្លៃ (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,ថ្ងៃឥណទានមិនអាចជាលេខអវិជ្ជមានទេ
-DocType: Sales Invoice Item,Service Stop Date,សេវាបញ្ឈប់កាលបរិច្ឆេទ
+DocType: Purchase Invoice Item,Service Stop Date,សេវាបញ្ឈប់កាលបរិច្ឆេទ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,ចំនួនទឹកប្រាក់លំដាប់ចុងក្រោយ
 DocType: Cash Flow Mapper,e.g Adjustments for:,ឧ។ ការលៃតម្រូវសម្រាប់:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} ប៉ាន់គំរូផលិតផលរក្សាទុកគឺផ្អែកលើបាច់ សូមពិនិត្យមើលថាតើមានគូសធីកលើពាក្យមានបាច់ដែរឬទេ ដើម្បីរក្សាគំរូនៃធាតុ
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} ប៉ាន់គំរូផលិតផលរក្សាទុកគឺផ្អែកលើបាច់ សូមពិនិត្យមើលថាតើមានគូសធីកលើពាក្យមានបាច់ដែរឬទេ ដើម្បីរក្សាគំរូនៃធាតុ
 DocType: Task,Is Milestone,តើការវិវឌ្ឍ
 DocType: Certification Application,Yet to appear,មិនទាន់លេចឡើង
 DocType: Delivery Stop,Email Sent To,អ៊ីម៉ែលដែលបានផ្ញើទៅ
@@ -6051,16 +6120,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,អនុញ្ញាតឱ្យមជ្ឈមណ្ឌលចំណាយចូលក្នុងគណនីសន្លឹកតុល្យភាព
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,បញ្ចូលគ្នាជាមួយគណនីដែលមានស្រាប់
 DocType: Budget,Warn,ព្រមាន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,មុខទំនិញអស់ត្រូវបានផ្ទេររួចហើយសម្រាប់ការកម្ម៉ង់នេះ។
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,មុខទំនិញអស់ត្រូវបានផ្ទេររួចហើយសម្រាប់ការកម្ម៉ង់នេះ។
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","ការកត់សម្គាល់ណាមួយផ្សេងទៀត, ការខិតខំប្រឹងប្រែងគួរឱ្យកត់សម្គាល់ដែលគួរតែចូលទៅក្នុងរបាយការណ៍។"
 DocType: Asset Maintenance,Manufacturing User,អ្នកប្រើប្រាស់កម្មន្តសាល
 DocType: Purchase Invoice,Raw Materials Supplied,វត្ថុធាតុដើមដែលសហការី
 DocType: Subscription Plan,Payment Plan,ផែនការទូទាត់
 DocType: Shopping Cart Settings,Enable purchase of items via the website,បើកដំណើរការការទិញធាតុតាមរយៈវេបសាយ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},រូបិយប័ណ្ណនៃបញ្ជីតម្លៃ {0} ត្រូវតែ {1} ឬ {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,ការគ្រប់គ្រងការជាវ
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,ការគ្រប់គ្រងការជាវ
 DocType: Appraisal,Appraisal Template,ការវាយតម្លៃទំព័រគំរូ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,ដើម្បីពិនបញ្ចូលកូដ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,ដើម្បីពិនបញ្ចូលកូដ
 DocType: Soil Texture,Ternary Plot,អាថ៌កំបាំង
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,ធីកវាដើម្បីបើកទម្រង់ការធ្វើសមកាលកម្មប្រចាំថ្ងៃដែលបានកំណត់តាមកម្មវិធីកំណត់ពេល
 DocType: Item Group,Item Classification,ចំណាត់ថ្នាក់ធាតុ
@@ -6070,6 +6139,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ការចុះឈ្មោះអ្នកជំងឺវិក័យប័ត្រ
 DocType: Crop,Period,រយៈពេល
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,ទូទៅសៀវភៅ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,ទៅឆ្នាំសារពើពន្ធ
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,មើលតែងតែនាំឱ្យមាន
 DocType: Program Enrollment Tool,New Program,កម្មវិធីថ្មី
 DocType: Item Attribute Value,Attribute Value,តម្លៃគុណលក្ខណៈ
@@ -6078,11 +6148,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise ផ្ដល់អនុសាសន៍រៀបចំវគ្គ
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,និយោជក {0} នៃថ្នាក់ {1} មិនមានគោលនយោបាយចាកចេញទេ
 DocType: Salary Detail,Salary Detail,លំអិតប្រាក់ខែ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,សូមជ្រើស {0} ដំបូង
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,សូមជ្រើស {0} ដំបូង
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,បានបន្ថែម {0} អ្នកប្រើ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",ក្នុងករណីមានកម្មវិធីពហុលំដាប់អតិថិជននឹងត្រូវបានចាត់តាំងដោយខ្លួនឯងទៅថ្នាក់ដែលពាក់ព័ន្ធដោយចំណាយរបស់ពួកគេ
 DocType: Appointment Type,Physician,គ្រូពេទ្យ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,បាច់នៃ {0} {1} ធាតុបានផុតកំណត់។
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,បាច់នៃ {0} {1} ធាតុបានផុតកំណត់។
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,ការពិគ្រោះយោបល់
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,បានបញ្ចប់ល្អ
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",តំលៃទំនិញបង្ហាញច្រើនដងដោយផ្អែកលើតារាងតម្លៃអ្នកផ្គត់ផ្គង់ / អតិថិជនរូបិយប័ណ្ណធាតុប្រាក់កក់សំនួរនិងកាលបរិច្ឆេទ។
@@ -6091,22 +6161,21 @@
 DocType: Certification Application,Name of Applicant,ឈ្មោះរបស់បេក្ខជន
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ពេលវេលាសម្រាប់ការផលិតសន្លឹក។
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,សរុបរង
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,មិនអាចផ្លាស់ប្តូរលក្ខណសម្បត្តិវ៉ារ្យ៉ង់បន្ទាប់ពីប្រតិបត្តិការភាគហ៊ុន។ អ្នកនឹងត្រូវបង្កើតធាតុថ្មីដើម្បីធ្វើវា។
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,មិនអាចផ្លាស់ប្តូរលក្ខណសម្បត្តិវ៉ារ្យ៉ង់បន្ទាប់ពីប្រតិបត្តិការភាគហ៊ុន។ អ្នកនឹងត្រូវបង្កើតធាតុថ្មីដើម្បីធ្វើវា។
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,អាណត្តិ SEPC របស់ GoCardless
 DocType: Healthcare Practitioner,Charges,ការចោទប្រកាន់
 DocType: Production Plan,Get Items For Work Order,ទទួលបានមុខទំនិញសម្រាប់ការកម្ម៉ង់
 DocType: Salary Detail,Default Amount,ចំនួនលំនាំដើម
 DocType: Lab Test Template,Descriptive,ពិពណ៌នា
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,រកមិនឃើញឃ្លាំងក្នុងប្រព័ន្ធ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,សង្ខេបខែនេះ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,សង្ខេបខែនេះ
 DocType: Quality Inspection Reading,Quality Inspection Reading,កំរោងអានគម្ពីរមានគុណភាពអធិការកិច្ច
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`បង្អាក់ស្តុកដែលចាស់ជាង` មិនអាចតូចាជាង % d នៃចំនួនថ្ងៃ ។
 DocType: Tax Rule,Purchase Tax Template,ទិញពន្ធលើទំព័រគំរូ
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,កំណត់គោលដៅលក់ដែលអ្នកចង់បានសម្រាប់ក្រុមហ៊ុនរបស់អ្នក។
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,សេវាថែទាំសុខភាព
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,សេវាថែទាំសុខភាព
 ,Project wise Stock Tracking,គម្រោងផ្សារហ៊ុនដែលមានប្រាជ្ញាតាមដាន
 DocType: GST HSN Code,Regional,តំបន់
-DocType: Delivery Note,Transport Mode,របៀបដឹកជញ្ជូន
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,មន្ទីរពិសោធន៍
 DocType: UOM Category,UOM Category,ប្រភេទ UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),ជាក់ស្តែ Qty (នៅប្រភព / គោលដៅ)
@@ -6129,17 +6198,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,បានបរាជ័យក្នុងការបង្កើតវេបសាយ
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,ពត៌មាននៃការប្រែចិត្តជឿ UOM
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,ធាតុរក្សាការរក្សាទុកដែលបានបង្កើតរួចហើយឬបរិមាណគំរូមិនត្រូវបានផ្តល់
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,ធាតុរក្សាការរក្សាទុកដែលបានបង្កើតរួចហើយឬបរិមាណគំរូមិនត្រូវបានផ្តល់
 DocType: Program,Program Abbreviation,អក្សរកាត់កម្មវិធី
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,ផលិតកម្មលំដាប់មិនអាចត្រូវបានលើកឡើងប្រឆាំងនឹងការធាតុមួយទំព័រគំរូ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ការចោទប្រកាន់ត្រូវបានធ្វើបច្ចុប្បន្នភាពនៅបង្កាន់ដៃទិញប្រឆាំងនឹងធាតុគ្នា
 DocType: Warranty Claim,Resolved By,បានដោះស្រាយដោយ
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,កំណត់ពេលវេលាការឆក់
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,មូលប្បទានប័ត្រនិងប្រាក់បញ្ញើបានជម្រះមិនត្រឹមត្រូវ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,គណនី {0}: អ្នកមិនអាចកំណត់ដោយខ្លួនវាជាគណនីឪពុកម្តាយ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,គណនី {0}: អ្នកមិនអាចកំណត់ដោយខ្លួនវាជាគណនីឪពុកម្តាយ
 DocType: Purchase Invoice Item,Price List Rate,តម្លៃការវាយតម្លៃបញ្ជី
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,បង្កើតសម្រង់អតិថិជន
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,សេវាឈប់កាលបរិច្ឆេទមិនអាចនៅបន្ទាប់ពីកាលបរិច្ឆេទបញ្ចប់សេវា
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,សេវាឈប់កាលបរិច្ឆេទមិនអាចនៅបន្ទាប់ពីកាលបរិច្ឆេទបញ្ចប់សេវា
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",បង្ហាញតែការ &quot;នៅក្នុងផ្សារហ៊ុន»ឬ«មិនមែននៅក្នុងផ្សារ&quot; ដោយផ្អែកលើតម្លៃភាគហ៊ុនដែលអាចរកបាននៅក្នុងឃ្លាំងនេះ។
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),វិក័យប័ត្រនៃសម្ភារៈ (Bom)
 DocType: Item,Average time taken by the supplier to deliver,ពេលមធ្យមដែលថតដោយអ្នកផ្គត់ផ្គង់ដើម្បីរំដោះ
@@ -6151,11 +6220,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ម៉ោងធ្វើការ
 DocType: Project,Expected Start Date,គេរំពឹងថានឹងចាប់ផ្តើមកាលបរិច្ឆេទ
 DocType: Purchase Invoice,04-Correction in Invoice,04- ការកែតម្រូវក្នុងវិក្កយបត្រ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,ការងារដែលបានបង្កើតរួចហើយសម្រាប់ធាតុទាំងអស់ជាមួយ BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,ការងារដែលបានបង្កើតរួចហើយសម្រាប់ធាតុទាំងអស់ជាមួយ BOM
 DocType: Payment Request,Party Details,ព័ត៌មានអំពីគណបក្ស
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,សេចក្ដីលម្អិតអំពីរបាយការណ៍
 DocType: Setup Progress Action,Setup Progress Action,រៀបចំសកម្មភាពវឌ្ឍនភាព
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,ការទិញបញ្ជីតំលៃ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,ការទិញបញ្ជីតំលៃ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,យកធាតុប្រសិនបើការចោទប្រកាន់គឺអាចអនុវត្តទៅធាតុដែល
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,បោះបង់ការជាវ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,សូមជ្រើសស្ថានភាពតំហែទាំដែលបានបញ្ចប់ឬលុបកាលបរិច្ឆេទបញ្ចប់
@@ -6173,7 +6242,7 @@
 DocType: Asset,Disposal Date,បោះចោលកាលបរិច្ឆេទ
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",អ៊ីមែលនឹងត្រូវបានផ្ញើទៅបុគ្គលិកសកម្មអស់ពីក្រុមហ៊ុននេះនៅម៉ោងដែលបានផ្តល់ឱ្យប្រសិនបើពួកគេមិនមានថ្ងៃឈប់សម្រាក។ សេចក្ដីសង្ខេបនៃការឆ្លើយតបនឹងត្រូវបានផ្ញើនៅកណ្តាលអធ្រាត្រ។
 DocType: Employee Leave Approver,Employee Leave Approver,ទុកឱ្យការអនុម័តបុគ្គលិក
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},ជួរដេក {0}: ធាតុរៀបចំមួយរួចហើយសម្រាប់ឃ្លាំងនេះ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},ជួរដេក {0}: ធាតុរៀបចំមួយរួចហើយសម្រាប់ឃ្លាំងនេះ {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",មិនអាចប្រកាសបាត់បង់នោះទេព្រោះសម្រង់ត្រូវបានធ្វើឡើង។
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,គណនី CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,មតិការបណ្តុះបណ្តាល
@@ -6185,7 +6254,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ដើម្បីកាលបរិច្ឆេទមិនអាចមានមុនពេលចេញពីកាលបរិច្ឆេទ
 DocType: Supplier Quotation Item,Prevdoc DocType,ចង្អុលបង្ហាញ Prevdoc
 DocType: Cash Flow Mapper,Section Footer,ផ្នែកបាតកថា
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,បន្ថែម / កែសម្រួលតម្លៃទំនិញ
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,បន្ថែម / កែសម្រួលតម្លៃទំនិញ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,ការលើកកម្ពស់និយោជិកមិនអាចត្រូវបានដាក់ជូនមុនកាលបរិច្ឆេទផ្សព្វផ្សាយ
 DocType: Batch,Parent Batch,បាច់មាតាបិតា
 DocType: Batch,Parent Batch,បាច់មាតាបិតា
@@ -6196,6 +6265,7 @@
 DocType: Clinical Procedure Template,Sample Collection,ការប្រមូលគំរូ
 ,Requested Items To Be Ordered,ធាតុដែលបានស្នើដើម្បីឱ្យបានលំដាប់
 DocType: Price List,Price List Name,ឈ្មោះតារាងតម្លៃ
+DocType: Delivery Stop,Dispatch Information,បញ្ជូនពត៌មាន
 DocType: Blanket Order,Manufacturing,កម្មន្តសាល
 ,Ordered Items To Be Delivered,ធាតុបញ្ជាឱ្យនឹងត្រូវបានបញ្ជូន
 DocType: Account,Income,ប្រាក់ចំណូល
@@ -6214,17 +6284,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} បំណែងនៃ {1} ដែលត្រូវការក្នុង {2} លើ {3} {4} សម្រាប់ {5} ដើម្បីបញ្ចប់ប្រតិបត្តិការនេះ។
 DocType: Fee Schedule,Student Category,ប្រភេទរបស់សិស្ស
 DocType: Announcement,Student,សិស្ស
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,បរិមាណភាគហ៊ុនដើម្បីចាប់ផ្តើមនីតិវិធីមិនមាននៅក្នុងឃ្លាំង។ តើអ្នកចង់កត់ត្រាការផ្ទេរភាគហ៊ុន
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,បរិមាណភាគហ៊ុនដើម្បីចាប់ផ្តើមនីតិវិធីមិនមាននៅក្នុងឃ្លាំង។ តើអ្នកចង់កត់ត្រាការផ្ទេរភាគហ៊ុន
 DocType: Shipping Rule,Shipping Rule Type,ការដឹកជញ្ជូនប្រភេទច្បាប់
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,ចូលទៅកាន់បន្ទប់
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","ក្រុមហ៊ុន, គណនីបង់ប្រាក់, ពីកាលបរិច្ឆេទនិងកាលបរិច្ឆេទត្រូវចាំបាច់"
 DocType: Company,Budget Detail,ពត៌មានថវិការ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,សូមបញ្ចូលសារមុនពេលផ្ញើ
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE សម្រាប់ផ្គត់ផ្គង់
-DocType: Email Digest,Pending Quotations,ការរង់ចាំសម្រង់សម្តី
-DocType: Delivery Note,Distance (KM),ចម្ងាយ (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,អ្នកផ្គត់ផ្គង់&gt; ក្រុមអ្នកផ្គត់ផ្គង់
 DocType: Asset,Custodian,អ្នកថែរក្សា
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,ចំណុចនៃការលក់ពត៌មានផ្ទាល់ខ្លួន
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,ចំណុចនៃការលក់ពត៌មានផ្ទាល់ខ្លួន
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} គួរតែជាតម្លៃចន្លោះ 0 និង 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},ការទូទាត់ {0} ពី {1} ទៅ {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,ការផ្តល់កម្ចីដោយគ្មានសុវត្ថិភាព
@@ -6256,10 +6325,10 @@
 DocType: Lead,Converted,ប្រែចិត្តជឿ
 DocType: Item,Has Serial No,គ្មានសៀរៀល
 DocType: Employee,Date of Issue,កាលបរិច្ឆេទនៃបញ្ហា
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញ Reciept ទាមទារ == &quot;បាទ&quot; ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវតែបង្កើតការទទួលទិញជាលើកដំបូងសម្រាប់ធាតុ {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញ Reciept ទាមទារ == &quot;បាទ&quot; ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវតែបង្កើតការទទួលទិញជាលើកដំបូងសម្រាប់ធាតុ {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},ជួរដេក # {0}: កំណត់ផ្គត់ផ្គង់សម្រាប់ធាតុ {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,ជួរដេក {0}: តម្លៃប៉ុន្មានម៉ោងត្រូវតែធំជាងសូន្យ។
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,គេហទំព័ររូបភាព {0} បានភ្ជាប់ទៅនឹងធាតុ {1} មិនអាចត្រូវបានរកឃើញ
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,គេហទំព័ររូបភាព {0} បានភ្ជាប់ទៅនឹងធាតុ {1} មិនអាចត្រូវបានរកឃើញ
 DocType: Issue,Content Type,ប្រភេទមាតិការ
 DocType: Asset,Assets,ទ្រព្យសកម្ម
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,កុំព្យូទ័រ
@@ -6270,7 +6339,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} មិនមាន
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,សូមពិនិត្យមើលជម្រើសរូបិយវត្ថុពហុដើម្បីអនុញ្ញាតឱ្យគណនីជារូបិយប័ណ្ណផ្សេងទៀត
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ធាតុ: {0} មិនមាននៅក្នុងប្រព័ន្ធ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់តម្លៃទឹកកក
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់តម្លៃទឹកកក
 DocType: Payment Reconciliation,Get Unreconciled Entries,ទទួលបានធាតុ Unreconciled
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},និយោជិក {0} បានបើកទុកនៅលើ {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,គ្មានការទូទាត់សងដែលត្រូវបានជ្រើសរើសសម្រាប់ធាតុទិនានុប្បវត្តិ
@@ -6288,13 +6357,14 @@
 ,Average Commission Rate,គណៈកម្មការជាមធ្យមអត្រាការ
 DocType: Share Balance,No of Shares,លេខនៃភាគហ៊ុន
 DocType: Taxable Salary Slab,To Amount,ចំនួនទឹកប្រាក់
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'មានលេខសៀរៀល' មិនអាចជ្រើសរើសបានទេ សំរាប់ផលិតផលដែលមិនរាប់ស្តុក
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'មានលេខសៀរៀល' មិនអាចជ្រើសរើសបានទេ សំរាប់ផលិតផលដែលមិនរាប់ស្តុក
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,ជ្រើសស្ថានភាព
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,ការចូលរួមមិនអាចត្រូវបានសម្គាល់សម្រាប់កាលបរិច្ឆេទនាពេលអនាគត
 DocType: Support Search Source,Post Description Key,ប្រកាសការពិពណ៌នាសង្ខេប
 DocType: Pricing Rule,Pricing Rule Help,វិធានកំណត់តម្លៃជំនួយ
 DocType: School House,House Name,ឈ្មោះផ្ទះ
 DocType: Fee Schedule,Total Amount per Student,ចំនួនសរុបក្នុងមួយសិស្ស
+DocType: Opportunity,Sales Stage,ដំណាក់កាលលក់
 DocType: Purchase Taxes and Charges,Account Head,នាយកគណនី
 DocType: Company,HRA Component,សមាសភាគ HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,អគ្គិសនី
@@ -6302,15 +6372,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),ភាពខុសគ្នាតម្លៃសរុប (ចេញ - ក្នុង)
 DocType: Grant Application,Requested Amount,ចំនួនទឹកប្រាក់ដែលបានស្នើ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,ជួរដេក {0}: អត្រាប្តូរប្រាក់គឺជាការចាំបាច់
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},លេខសម្គាល់អ្នកប្រើដែលមិនបានកំណត់សម្រាប់បុគ្គលិក {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},លេខសម្គាល់អ្នកប្រើដែលមិនបានកំណត់សម្រាប់បុគ្គលិក {0}
 DocType: Vehicle,Vehicle Value,តម្លៃរថយន្ត
 DocType: Crop Cycle,Detected Diseases,ជំងឺដែលរកឃើញ
 DocType: Stock Entry,Default Source Warehouse,លំនាំដើមឃ្លាំងប្រភព
 DocType: Item,Customer Code,លេខកូដអតិថិជន
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},កម្មវិធីរំលឹកខួបកំណើតសម្រាប់ {0}
 DocType: Asset Maintenance Task,Last Completion Date,កាលបរិច្ឆេទបញ្ចប់ចុងក្រោយ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ថ្ងៃចាប់ពីលំដាប់ចុងក្រោយ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,ឥណពន្ធវីសាទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,ឥណពន្ធវីសាទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
 DocType: Asset,Naming Series,ដាក់ឈ្មោះកម្រងឯកសារ
 DocType: Vital Signs,Coated,ថ្នាំកូត
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ជួរដេក {0}: តម្លៃដែលរំពឹងទុកបន្ទាប់ពីជីវិតមានជីវិតត្រូវតិចជាងចំនួនសរុបនៃការទិញ
@@ -6328,15 +6397,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,ការដឹកជញ្ជូនចំណាំ {0} មិនត្រូវបានដាក់ជូន
 DocType: Notification Control,Sales Invoice Message,វិក័យប័ត្រការលក់សារ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,គណនី {0} បិទត្រូវតែមានប្រភេទបំណុល / សមភាព
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចហើយសម្រាប់តារាងពេលវេលា {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចហើយសម្រាប់តារាងពេលវេលា {1}
 DocType: Vehicle Log,Odometer,odometer
 DocType: Production Plan Item,Ordered Qty,បានបញ្ជាឱ្យ Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,ធាតុ {0} ត្រូវបានបិទ
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,ធាតុ {0} ត្រូវបានបិទ
 DocType: Stock Settings,Stock Frozen Upto,រីករាយជាមួយនឹងផ្សារភាគហ៊ុនទឹកកក
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM មិនមានស្តុកទេ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM មិនមានស្តុកទេ
 DocType: Chapter,Chapter Head,ជំពូកក្បាល
 DocType: Payment Term,Month(s) after the end of the invoice month,ខែ (s) បន្ទាប់ពីបញ្ចប់នៃវិក័យប័ត្រ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,រចនាសម្ព័ន្ធប្រាក់ខែគួរតែមានសមាសភាគផលប្រយោជន៍ដែលអាចបត់បែនបានដើម្បីផ្តល់ចំនួនប្រាក់សំណង
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,រចនាសម្ព័ន្ធប្រាក់ខែគួរតែមានសមាសភាគផលប្រយោជន៍ដែលអាចបត់បែនបានដើម្បីផ្តល់ចំនួនប្រាក់សំណង
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,សកម្មភាពរបស់គម្រោង / ភារកិច្ច។
 DocType: Vital Signs,Very Coated,ថ្នាំកូតណាស់
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),មានតែផលប៉ះពាល់ពន្ធ (មិនអាចទាមទារបានទេប៉ុន្តែជាផ្នែកមួយនៃប្រាក់ចំណូលជាប់ពន្ធ)
@@ -6354,7 +6423,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,ម៉ោងវិក័យប័ត្រ
 DocType: Project,Total Sales Amount (via Sales Order),បរិមាណលក់សរុប (តាមរយៈការបញ្ជាទិញ)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Bom លំនាំដើមសម្រាប់ {0} មិនបានរកឃើញ
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,ជួរដេក # {0}: សូមកំណត់បរិមាណតម្រៀបឡើងវិញ
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,ជួរដេក # {0}: សូមកំណត់បរិមាណតម្រៀបឡើងវិញ
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ប៉ះធាតុដើម្បីបន្ថែមពួកវានៅទីនេះ
 DocType: Fees,Program Enrollment,កម្មវិធីការចុះឈ្មោះ
 DocType: Share Transfer,To Folio No,ទៅ Folio លេខ
@@ -6396,9 +6465,9 @@
 DocType: SG Creation Tool Course,Max Strength,កម្លាំងអតិបរមា
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,ដំឡើងការកំណត់ជាមុន
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-yYYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},គ្មានចំណាំចែកចាយដែលត្រូវបានជ្រើសរើសសម្រាប់អតិថិជន {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},គ្មានចំណាំចែកចាយដែលត្រូវបានជ្រើសរើសសម្រាប់អតិថិជន {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,និយោជិក {0} មិនមានអត្ថប្រយោជន៍អតិបរមាទេ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,ជ្រើសធាតុផ្អែកលើកាលបរិច្ឆេទដឹកជញ្ជូន
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,ជ្រើសធាតុផ្អែកលើកាលបរិច្ឆេទដឹកជញ្ជូន
 DocType: Grant Application,Has any past Grant Record,មានឯកសារជំនួយឥតសំណងកន្លងមក
 ,Sales Analytics,វិភាគការលក់
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ដែលអាចប្រើបាន {0}
@@ -6407,12 +6476,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,ការកំណត់កម្មន្តសាល
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ការបង្កើតអ៊ីម៉ែ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 ទូរស័ព្ទដៃគ្មាន
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,សូមបញ្ចូលរូបិយប័ណ្ណលំនាំដើមនៅក្នុងក្រុមហ៊ុនអនុបណ្ឌិត
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,សូមបញ្ចូលរូបិយប័ណ្ណលំនាំដើមនៅក្នុងក្រុមហ៊ុនអនុបណ្ឌិត
 DocType: Stock Entry Detail,Stock Entry Detail,ពត៌មាននៃភាគហ៊ុនចូល
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,ការរំលឹកជារៀងរាល់ថ្ងៃ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,ការរំលឹកជារៀងរាល់ថ្ងៃ
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,សូមមើលសំបុត្របើកទាំងអស់
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,សេវាថែទាំសុខភាពមែកធាង
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,ផលិតផល
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,ផលិតផល
 DocType: Products Settings,Home Page is Products,ទំព័រដើមទំព័រគឺផលិតផល
 ,Asset Depreciation Ledger,សៀវភៅរំលស់ទ្រព្យសម្បត្តិ
 DocType: Salary Structure,Leave Encashment Amount Per Day,ទុកប្រាក់ភ្នាល់ក្នុងមួយថ្ងៃ
@@ -6422,8 +6491,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ការចំណាយវត្ថុធាតុដើមការី
 DocType: Selling Settings,Settings for Selling Module,ម៉ូឌុលការកំណត់សម្រាប់លក់
 DocType: Hotel Room Reservation,Hotel Room Reservation,កក់បន្ទប់សណ្ឋាគារ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,សេវាបំរើអតិថិជន
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,សេវាបំរើអតិថិជន
 DocType: BOM,Thumbnail,កូនរូបភាព
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,មិនមានទំនាក់ទំនងជាមួយលេខសម្គាល់អ៊ីម៉ែល។
 DocType: Item Customer Detail,Item Customer Detail,ពត៌មានរបស់អតិថិជនធាតុ
 DocType: Notification Control,Prompt for Email on Submission of,ប្រអប់បញ្ចូលអ៊ីមែលនៅលើការដាក់
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},ចំនួនប្រាក់អត្ថប្រយោជន៍អតិបរមារបស់បុគ្គលិក {0} លើសពី {1}
@@ -6433,7 +6503,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ធាតុ {0} ត្រូវតែជាធាតុភាគហ៊ុន
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,ការងារលំនាំដើមនៅក្នុងឃ្លាំងវឌ្ឍនភាព
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","កាលវិភាគសម្រាប់ {0} ជាន់គ្នា, តើអ្នកចង់បន្តបន្ទាប់ពីការរំលងរន្ធច្រើន?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,ការកំណត់លំនាំដើមសម្រាប់ប្រតិបត្តិការគណនេយ្យ។
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,ការកំណត់លំនាំដើមសម្រាប់ប្រតិបត្តិការគណនេយ្យ។
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,ផ្តល់ជំនួយ
 DocType: Restaurant,Default Tax Template,គំរូពន្ធលំនាំដើម
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} សិស្សត្រូវបានចុះឈ្មោះ
@@ -6441,6 +6511,7 @@
 DocType: Purchase Invoice Item,Stock Qty,ហ៊ុន Qty
 DocType: Purchase Invoice Item,Stock Qty,ហ៊ុន Qty
 DocType: Contract,Requires Fulfilment,តម្រូវឱ្យមានការបំពេញ
+DocType: QuickBooks Migrator,Default Shipping Account,គណនីនាំទំនិញលំនាំដើម
 DocType: Loan,Repayment Period in Months,រយៈពេលសងប្រាក់ក្នុងខែ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,កំហុស: មិនមានអត្តសញ្ញាណប័ណ្ណដែលមានសុពលភាព?
 DocType: Naming Series,Update Series Number,កម្រងឯកសារលេខធ្វើឱ្យទាន់សម័យ
@@ -6454,11 +6525,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,ចំនួនអតិបរមា
 DocType: Journal Entry,Total Amount Currency,រូបិយប័ណ្ណចំនួនសរុប
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ស្វែងរកផ្នែកផ្ដុំបញ្ចូលគ្នាជាឯកតា
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},កូដធាតុបានទាមទារនៅជួរដេកគ្មាន {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},កូដធាតុបានទាមទារនៅជួរដេកគ្មាន {0}
 DocType: GST Account,SGST Account,គណនី SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,ទៅកាន់ធាតុ
 DocType: Sales Partner,Partner Type,ប្រភេទជាដៃគូ
-DocType: Purchase Taxes and Charges,Actual,ពិតប្រាកដ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,ពិតប្រាកដ
 DocType: Restaurant Menu,Restaurant Manager,អ្នកគ្រប់គ្រងភោជនីយដ្ឋាន
 DocType: Authorization Rule,Customerwise Discount,Customerwise បញ្ចុះតំលៃ
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet សម្រាប់ភារកិច្ច។
@@ -6479,7 +6550,7 @@
 DocType: Employee,Cheque,មូលប្បទានប័ត្រ
 DocType: Training Event,Employee Emails,អ៊ីម៉ែលបុគ្គលិក
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,បានបន្ទាន់សម័យស៊េរី
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,របាយការណ៏ចាំបាច់ប្រភេទ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,របាយការណ៏ចាំបាច់ប្រភេទ
 DocType: Item,Serial Number Series,កម្រងឯកសារលេខសៀរៀល
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ឃ្លាំងជាការចាំបាច់សម្រាប់ធាតុភាគហ៊ុននៅ {0} {1} ជួរដេក
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,ការលក់រាយលក់ដុំនិងចែកចាយ
@@ -6510,7 +6581,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,ធ្វើបច្ចុប្បន្នភាពបរិវិសកម្មនៅក្នុងលំដាប់លក់
 DocType: BOM,Materials,សមា្ភារៈ
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",ប្រសិនបើមិនបានធីកបញ្ជីនេះនឹងត្រូវបានបន្ថែមទៅកាន់ក្រសួងគ្នាដែលជាកន្លែងដែលវាត្រូវបានអនុវត្ត។
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,ប្រកាសកាលបរិច្ឆេទនិងពេលវេលាជាការចាំបាច់បង្ហោះ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,ប្រកាសកាលបរិច្ឆេទនិងពេលវេលាជាការចាំបាច់បង្ហោះ
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ពុម្ពពន្ធលើការទិញប្រតិបត្តិការ។
 ,Item Prices,តម្លៃធាតុ
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកការបញ្ជាទិញនេះ។
@@ -6526,12 +6597,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),កម្រងឯកសារសម្រាប់ធាតុរំលស់ទ្រព្យសកម្ម (ធាតុទិនានុប្បវត្តិ)
 DocType: Membership,Member Since,សមាជិកតាំងពី
 DocType: Purchase Invoice,Advance Payments,ការទូទាត់ជាមុន
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,សូមជ្រើសរើសសេវាកម្មថែទាំសុខភាព
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,សូមជ្រើសរើសសេវាកម្មថែទាំសុខភាព
 DocType: Purchase Taxes and Charges,On Net Total,នៅលើសុទ្ធសរុប
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},តម្លៃសម្រាប់គុណលក្ខណៈ {0} ត្រូវតែនៅក្នុងចន្លោះ {1} ដល់ {2} ក្នុងចំនួន {3} សម្រាប់ធាតុ {4}
 DocType: Restaurant Reservation,Waitlisted,រង់ចាំក្នុងបញ្ជី
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ប្រភេទការលើកលែង
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,រូបិយប័ណ្ណមិនអាចត្រូវបានផ្លាស់ប្តូរបន្ទាប់ពីធ្វើការធាតុប្រើប្រាស់រូបិយប័ណ្ណផ្សេងទៀតមួយចំនួន
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,រូបិយប័ណ្ណមិនអាចត្រូវបានផ្លាស់ប្តូរបន្ទាប់ពីធ្វើការធាតុប្រើប្រាស់រូបិយប័ណ្ណផ្សេងទៀតមួយចំនួន
 DocType: Shipping Rule,Fixed,ថេរ
 DocType: Vehicle Service,Clutch Plate,សន្លឹកក្ដាប់
 DocType: Company,Round Off Account,បិទការប្រកួតជុំទីគណនី
@@ -6540,7 +6611,7 @@
 DocType: Subscription Plan,Based on price list,ផ្ដោតលើបញ្ជីតម្លៃ
 DocType: Customer Group,Parent Customer Group,ឪពុកម្តាយដែលជាក្រុមអតិថិជន
 DocType: Vehicle Service,Change,ការផ្លាស់ប្តូរ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,ការជាវ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,ការជាវ
 DocType: Purchase Invoice,Contact Email,ទំនាក់ទំនងតាមអ៊ីមែល
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,កម្រៃសេវាការបង្កើតរង់ចាំ
 DocType: Appraisal Goal,Score Earned,គ្រាប់បាល់បញ្ចូលទីទទួលបាន
@@ -6568,23 +6639,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,ទទួលគណនី / ចងការប្រាក់
 DocType: Delivery Note Item,Against Sales Order Item,ការប្រឆាំងនឹងការធាតុលក់សណ្តាប់ធ្នាប់
 DocType: Company,Company Logo,រូបសញ្ញារបស់ក្រុមហ៊ុន
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},សូមបញ្ជាក់គុណតម្លៃសម្រាប់គុណលក្ខណៈ {0}
-DocType: Item Default,Default Warehouse,ឃ្លាំងលំនាំដើម
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},សូមបញ្ជាក់គុណតម្លៃសម្រាប់គុណលក្ខណៈ {0}
+DocType: QuickBooks Migrator,Default Warehouse,ឃ្លាំងលំនាំដើម
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},ថវិកាដែលមិនអាចត្រូវបានផ្ដល់ប្រឆាំងនឹងគណនីគ្រុប {0}
 DocType: Shopping Cart Settings,Show Price,បង្ហាញតម្លៃ
 DocType: Healthcare Settings,Patient Registration,ការចុះឈ្មោះអ្នកជំងឺ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,សូមបញ្ចូលមជ្ឈមណ្ឌលចំណាយឪពុកម្តាយ
 DocType: Delivery Note,Print Without Amount,បោះពុម្ពដោយគ្មានការចំនួនទឹកប្រាក់
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,រំលស់កាលបរិច្ឆេទ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,រំលស់កាលបរិច្ឆេទ
 ,Work Orders in Progress,កិច្ចការការងារនៅក្នុងវឌ្ឍនភាព
 DocType: Issue,Support Team,ក្រុមគាំទ្រ
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),ផុតកំណត់ (ក្នុងថ្ងៃ)
 DocType: Appraisal,Total Score (Out of 5),ពិន្ទុសរុប (ក្នុងចំណោម 5)
 DocType: Student Attendance Tool,Batch,ជំនាន់ទី
 DocType: Support Search Source,Query Route String,ខ្សែអក្សរស្នើសុំផ្លូវ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,អាប់ដេតតាមអត្រាការទិញចុងក្រោយ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,អាប់ដេតតាមអត្រាការទិញចុងក្រោយ
 DocType: Donor,Donor Type,ប្រភេទម្ចាស់ជំនួយ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,បានធ្វើបច្ចុប្បន្នភាពឯកសារដោយស្វ័យប្រវត្តិ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,បានធ្វើបច្ចុប្បន្នភាពឯកសារដោយស្វ័យប្រវត្តិ
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,មានតុល្យភាព
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,សូមជ្រើសរើសក្រុមហ៊ុន
 DocType: Job Card,Job Card,ប័ណ្ណការងារ
@@ -6598,7 +6669,7 @@
 DocType: Assessment Result,Total Score,ពិន្ទុសរុប
 DocType: Crop Cycle,ISO 8601 standard,ស្តង់ដារ ISO 8601
 DocType: Journal Entry,Debit Note,ចំណាំឥណពន្ធ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,អ្នកអាចផ្តោះប្តូរពិន្ទុអតិបរមា {0} ប៉ុណ្ណោះក្នុងលំដាប់នេះ។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,អ្នកអាចផ្តោះប្តូរពិន្ទុអតិបរមា {0} ប៉ុណ្ណោះក្នុងលំដាប់នេះ។
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP -YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,សូមបញ្ចូលសម្ងាត់អ្នកប្រើ API
 DocType: Stock Entry,As per Stock UOM,ដូចឯកតាស្តុក
@@ -6612,10 +6683,11 @@
 DocType: Journal Entry,Total Debit,ឥណពន្ធសរុប
 DocType: Travel Request Costing,Sponsored Amount,ចំនួនអ្នកឧបត្ថម្ភ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,ឃ្លាំងទំនិញលំនាំដើមបានបញ្ចប់
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,សូមជ្រើសរើសអ្នកជម្ងឺ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,សូមជ្រើសរើសអ្នកជម្ងឺ
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,ការលក់បុគ្គល
 DocType: Hotel Room Package,Amenities,គ្រឿងបរិក្ខារ
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,មជ្ឈមណ្ឌលថវិកានិងការចំណាយ
+DocType: QuickBooks Migrator,Undeposited Funds Account,គណនីមូលនិធិដែលមិនបានរឹបអូស
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,មជ្ឈមណ្ឌលថវិកានិងការចំណាយ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,របៀបបង់ប្រាក់លំនាំដើមច្រើនមិនត្រូវបានអនុញ្ញាតទេ
 DocType: Sales Invoice,Loyalty Points Redemption,ពិន្ទុស្មោះត្រង់នឹងការប្រោសលោះ
 ,Appointment Analytics,វិភាគណាត់ជួប
@@ -6629,6 +6701,7 @@
 DocType: Batch,Manufacturing Date,កាលបរិច្ឆេទផលិត
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,ការបង្កើតកម្រៃបានបរាជ័យ
 DocType: Opening Invoice Creation Tool,Create Missing Party,បង្កើតគណបក្សបាត់
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,ថវិកាសរុប
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ទុកឱ្យនៅទទេប្រសិនបើអ្នកបានធ្វើឱ្យក្រុមសិស្សក្នុងមួយឆ្នាំ
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ទុកឱ្យនៅទទេប្រសិនបើអ្នកបានធ្វើឱ្យក្រុមសិស្សក្នុងមួយឆ្នាំ
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ប្រសិនបើបានធីកនោះទេសរុប។ នៃថ្ងៃធ្វើការនឹងរួមបញ្ចូលទាំងថ្ងៃឈប់សម្រាក, ហើយនេះនឹងកាត់បន្ថយតម្លៃនៃប្រាក់ខែក្នុងមួយថ្ងៃនោះ"
@@ -6646,20 +6719,19 @@
 DocType: Opportunity Item,Basic Rate,អត្រាជាមូលដ្ឋាន
 DocType: GL Entry,Credit Amount,ចំនួនឥណទាន
 DocType: Cheque Print Template,Signatory Position,ទីតាំងហត្ថលេខី
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,ដែលបានកំណត់ជាបាត់បង់
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,ដែលបានកំណត់ជាបាត់បង់
 DocType: Timesheet,Total Billable Hours,ម៉ោងចេញវិក្កយបត្រសរុប
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ចំនួនថ្ងៃដែលអតិថិជនត្រូវបង់វិក័យប័ត្រដែលបានបង្កើតដោយការជាវនេះ
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ព័ត៌មានលំអិតអំពីអត្ថប្រយោជន៍សំរាប់បុគ្គលិក
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ការទូទាត់វិក័យប័ត្រចំណាំ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,នេះផ្អែកលើប្រតិបត្តិការប្រឆាំងនឹងអតិថិជននេះ។ សូមមើលខាងក្រោមសម្រាប់សេចក្ដីលម្អិតកំណត់ពេលវេលា
-DocType: Delivery Note,ODC,អូឌីស៊ី
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ជួរដេក {0}: ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក {1} ត្រូវតែតិចជាងឬស្មើទៅនឹងចំនួនចូលទូទាត់ {2}
 DocType: Program Enrollment Tool,New Academic Term,វគ្គសិក្សាថ្មី
 ,Course wise Assessment Report,របាយការណ៍វាយតម្លៃដែលមានប្រាជ្ញាជាការពិតណាស់
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ទទួលបានពន្ធ ITC រដ្ឋ / UT
 DocType: Tax Rule,Tax Rule,ច្បាប់ពន្ធ
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,រក្សាអត្រាការវដ្តនៃការលក់ពេញមួយដូចគ្នា
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,សូមចូលជាអ្នកប្រើម្នាក់ទៀតដើម្បីចុះឈ្មោះនៅលើ Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,សូមចូលជាអ្នកប្រើម្នាក់ទៀតដើម្បីចុះឈ្មោះនៅលើ Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,គម្រោងការកំណត់ហេតុពេលវេលាដែលនៅក្រៅម៉ោងស្ថានីយការងារការងារ។
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,អតិថិជននៅក្នុងជួរ
 DocType: Driver,Issuing Date,កាលបរិច្ឆេទចេញ
@@ -6668,11 +6740,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,ដាក់ស្នើការងារនេះដើម្បីដំណើរការបន្ថែមទៀត។
 ,Items To Be Requested,មុខទំនិញនឹងត្រូវបានស្នើ
 DocType: Company,Company Info,ពត៌មានរបស់ក្រុមហ៊ុន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,ជ្រើសឬបន្ថែមអតិថិជនថ្មី
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,ជ្រើសឬបន្ថែមអតិថិជនថ្មី
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,កណ្តាលការចំណាយគឺត្រូវបានទាមទារដើម្បីកក់ពាក្យបណ្តឹងការចំណាយ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),កម្មវិធីរបស់មូលនិធិ (ទ្រព្យសកម្ម)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,នេះត្រូវបានផ្អែកលើការចូលរួមរបស់បុគ្គលិកនេះ
-DocType: Assessment Result,Summary,សង្ខេប
 DocType: Payment Request,Payment Request Type,ប្រភេទសំណើទូទាត់
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,គណនីឥណពន្ធវីសា
@@ -6680,7 +6751,7 @@
 DocType: Additional Salary,Employee Name,ឈ្មោះបុគ្គលិក
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,ភោជនីយដ្ឋានលំដាប់ធាតុធាតុ
 DocType: Purchase Invoice,Rounded Total (Company Currency),សរុបមូល (ក្រុមហ៊ុនរូបិយវត្ថុ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,មិនអាចសម្ងាត់មួយដើម្បីពូលដោយសារតែប្រភេទគណនីត្រូវបានជ្រើស។
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,មិនអាចសម្ងាត់មួយដើម្បីពូលដោយសារតែប្រភេទគណនីត្រូវបានជ្រើស។
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} បានកែប្រែទេ។ សូមផ្ទុកឡើងវិញ។
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,បញ្ឈប់ការរបស់អ្នកប្រើពីការធ្វើឱ្យកម្មវិធីដែលបានចាកចេញនៅថ្ងៃបន្ទាប់។
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",ប្រសិនបើរយៈពេលផុតកំណត់គ្មានដែនកំណត់សម្រាប់ចំណុចភក្ដីភាពនោះទុករយៈពេលផុតកំណត់ទំនេរឬ 0 ។
@@ -6701,11 +6772,12 @@
 DocType: Asset,Out of Order,ចេញពីលំដាប់
 DocType: Purchase Receipt Item,Accepted Quantity,បរិមាណដែលត្រូវទទួលយក
 DocType: Projects Settings,Ignore Workstation Time Overlap,មិនអើពើពេលវេលាធ្វើការងារស្ថានីយត្រួតគ្នា
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},សូមកំណត់លំនាំដើមបញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់បុគ្គលិកឬ {0} {1} ក្រុមហ៊ុន
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},សូមកំណត់លំនាំដើមបញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់បុគ្គលិកឬ {0} {1} ក្រុមហ៊ុន
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0} {1} មិនមាន
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,ជ្រើសលេខបាច់
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,ទៅ GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,ទៅ GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,វិក័យប័ត្របានលើកឡើងដល់អតិថិជន។
+DocType: Healthcare Settings,Invoice Appointments Automatically,ការណាត់ជួបលើវិក័យប័ត្រដោយស្វ័យប្រវត្តិ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,លេខសម្គាល់របស់គម្រោង
 DocType: Salary Component,Variable Based On Taxable Salary,អថេរផ្អែកលើប្រាក់ឈ្នួលជាប់ពន្ធ
 DocType: Company,Basic Component,សមាសភាគមូលដ្ឋាន
@@ -6718,10 +6790,10 @@
 DocType: Stock Entry,Source Warehouse Address,អាស័យដ្ឋានឃ្លាំងប្រភព
 DocType: GL Entry,Voucher Type,ប្រភេទកាតមានទឹកប្រាក់
 DocType: Amazon MWS Settings,Max Retry Limit,អតិបរមាព្យាយាមម្ដងទៀត
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ
 DocType: Student Applicant,Approved,បានអនុម័ត
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,តំលៃលក់
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',បុគ្គលិកធូរស្រាលនៅលើ {0} ត្រូវតែត្រូវបានកំណត់ជា &quot;ឆ្វេង&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',បុគ្គលិកធូរស្រាលនៅលើ {0} ត្រូវតែត្រូវបានកំណត់ជា &quot;ឆ្វេង&quot;
 DocType: Marketplace Settings,Last Sync On,ធ្វើសមកាលកម្មចុងក្រោយ
 DocType: Guardian,Guardian,កាសែត The Guardian
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,ការទំនាក់ទំនងទាំងអស់រួមទាំងខាងលើនេះនឹងត្រូវផ្លាស់ប្តូរទៅក្នុងបញ្ហាថ្មី
@@ -6744,14 +6816,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,បញ្ជីនៃជំងឺបានរកឃើញនៅលើវាល។ នៅពេលដែលបានជ្រើសវានឹងបន្ថែមបញ្ជីភារកិច្ចដោយស្វ័យប្រវត្តិដើម្បីដោះស្រាយជំងឺ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,នេះគឺជាអង្គភាពសេវាកម្មថែរក្សាសុខភាពជា root ហើយមិនអាចកែប្រែបានទេ។
 DocType: Asset Repair,Repair Status,ជួសជុលស្ថានភាព
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,បន្ថែមដៃគូលក់
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,ធាតុទិនានុប្បវត្តិគណនេយ្យ។
 DocType: Travel Request,Travel Request,សំណើធ្វើដំណើរ
 DocType: Delivery Note Item,Available Qty at From Warehouse,ដែលអាចប្រើបាននៅពីឃ្លាំង Qty
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,សូមជ្រើសរើសបុគ្គលិកកំណត់ត្រាដំបូង។
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,វត្តមានមិនត្រូវបានដាក់ស្នើសម្រាប់ {0} ព្រោះវាជាថ្ងៃសម្រាក។
 DocType: POS Profile,Account for Change Amount,គណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់
+DocType: QuickBooks Migrator,Connecting to QuickBooks,ភ្ជាប់ទៅ QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,ប្រាក់ចំណេញ / ចាញ់សរុប
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,ក្រុមហ៊ុនមិនត្រឹមត្រូវសម្រាប់វិក័យប័ត្រក្រុមហ៊ុនអន្តរ។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,ក្រុមហ៊ុនមិនត្រឹមត្រូវសម្រាប់វិក័យប័ត្រក្រុមហ៊ុនអន្តរ។
 DocType: Purchase Invoice,input service,សេវាកម្មបញ្ចូល
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ជួរដេក {0}: គណបក្ស / គណនីមិនផ្គូផ្គងនឹង {1} / {2} នៅក្នុង {3} {4}
 DocType: Employee Promotion,Employee Promotion,ការលើកកម្ពស់បុគ្គលិក
@@ -6760,12 +6834,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,កូដវគ្គសិក្សា:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,សូមបញ្ចូលចំណាយតាមគណនី
 DocType: Account,Stock,ស្តុក
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃការទិញលំដាប់, ការទិញវិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃការទិញលំដាប់, ការទិញវិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
 DocType: Employee,Current Address,អាសយដ្ឋានបច្ចុប្បន្ន
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ប្រសិនបើមានធាតុគឺវ៉ារ្យ៉ង់នៃធាតុផ្សេងទៀតបន្ទាប់មកពិពណ៌នា, រូបភាព, ការកំណត់តម្លៃពន្ធលនឹងត្រូវបានកំណត់ពីពុម្ពមួយនេះទេលុះត្រាតែបានបញ្ជាក់យ៉ាងជាក់លាក់"
 DocType: Serial No,Purchase / Manufacture Details,ទិញ / ពត៌មានលំអិតការផលិត
 DocType: Assessment Group,Assessment Group,ការវាយតំលៃគ្រុប
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,សារពើភ័ណ្ឌបាច់
+DocType: Supplier,GST Transporter ID,លេខសម្គាល់អ្នកដឹកជញ្ជូន GST
 DocType: Procedure Prescription,Procedure Name,ឈ្មោះនីតិវិធី
 DocType: Employee,Contract End Date,កាលបរិច្ឆេទការចុះកិច្ចសន្យាបញ្ចប់
 DocType: Amazon MWS Settings,Seller ID,លេខសម្គាល់អ្នកលក់
@@ -6785,12 +6860,12 @@
 DocType: Company,Date of Incorporation,កាលបរិច្ឆេទនៃការបញ្ចូល
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ការប្រមូលពន្ធលើចំនួនសរុប
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,តម្លៃទិញចុងក្រោយ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,ចប់ (ផលិត Qty) គឺជាចាំបាច់
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,ចប់ (ផលិត Qty) គឺជាចាំបាច់
 DocType: Stock Entry,Default Target Warehouse,ឃ្លាំងគោលដៅលំនាំដើម
 DocType: Purchase Invoice,Net Total (Company Currency),សរុប (ក្រុមហ៊ុនរូបិយវត្ថុ)
 DocType: Delivery Note,Air,ខ្យល់
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ឆ្នាំបញ្ចប់កាលបរិច្ឆេទនេះមិនអាចមានមុនជាងឆ្នាំចាប់ផ្ដើមកាលបរិច្ឆេទ។ សូមកែកាលបរិច្ឆេទនិងព្យាយាមម្ដងទៀត។
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} មិនមាននៅក្នុងបញ្ជីថ្ងៃឈប់សម្រាក
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} មិនមាននៅក្នុងបញ្ជីថ្ងៃឈប់សម្រាក
 DocType: Notification Control,Purchase Receipt Message,សារបង្កាន់ដៃទិញ
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,ធាតុសំណល់អេតចាយ
@@ -6813,23 +6888,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,ការបំពេញ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,នៅថ្ងៃទីចំនួនជួរដេកមុន
 DocType: Item,Has Expiry Date,មានកាលបរិច្ឆេទផុតកំណត់
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,ផ្ទេរទ្រព្យសម្បត្តិ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,ផ្ទេរទ្រព្យសម្បត្តិ
 DocType: POS Profile,POS Profile,ទម្រង់ ម៉ាស៊ីនឆូតកាត
 DocType: Training Event,Event Name,ឈ្មោះព្រឹត្តិការណ៍
 DocType: Healthcare Practitioner,Phone (Office),ទូរស័ព្ទ (ការិយាល័យ)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","មិនអាចដាក់ស្នើ, បុគ្គលិកដែលនៅសេសសល់ដើម្បីសម្គាល់វត្តមាន"
 DocType: Inpatient Record,Admission,ការចូលរៀន
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},ការចូលសម្រាប់ {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",រដូវកាលសម្រាប់ការកំណត់ថវិកាគោលដៅល
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",រដូវកាលសម្រាប់ការកំណត់ថវិកាគោលដៅល
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ឈ្មោះអថេរ
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",ធាតុ {0} គឺពុម្ពមួយសូមជ្រើសមួយក្នុងចំណោមវ៉ារ្យ៉ង់របស់ខ្លួន
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស&gt; ការកំណត់ធនធានមនុស្ស
+DocType: Purchase Invoice Item,Deferred Expense,ការចំណាយពន្យារពេល
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},ពីកាលបរិច្ឆេទ {0} មិនអាចជាថ្ងៃចូលរូមរបស់និយោជិតបានទេ {1}
 DocType: Asset,Asset Category,ប្រភេទទ្រព្យសកម្ម
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,ប្រាក់ខែសុទ្ធមិនអាចជាអវិជ្ជមាន
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,ប្រាក់ខែសុទ្ធមិនអាចជាអវិជ្ជមាន
 DocType: Purchase Order,Advance Paid,មុនបង់ប្រាក់
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ភាគរយលើសផលិតកម្មសម្រាប់លំដាប់លក់
 DocType: Item,Item Tax,ការប្រមូលពន្ធលើធាតុ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,សម្ភារៈដើម្បីផ្គត់ផ្គង់
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,សម្ភារៈដើម្បីផ្គត់ផ្គង់
 DocType: Soil Texture,Loamy Sand,ខ្សាច់លាមក
 DocType: Production Plan,Material Request Planning,ផែនការស្នើសុំសម្ភារៈ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,រដ្ឋាករវិក័យប័ត្រ
@@ -6851,11 +6928,11 @@
 DocType: Scheduling Tool,Scheduling Tool,ឧបករណ៍កាលវិភាគ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,កាតឥណទាន
 DocType: BOM,Item to be manufactured or repacked,ធាតុនឹងត្រូវបានផលិតឬ repacked
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},កំហុសវាក្យសម្ពន្ធក្នុងស្ថានភាព: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},កំហុសវាក្យសម្ពន្ធក្នុងស្ថានភាព: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-yYYY.-
 DocType: Employee Education,Major/Optional Subjects,ដ៏ធំប្រធានបទ / ស្រេចចិត្ត
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,សូមកំណត់ក្រុមអ្នកផ្គត់ផ្គង់ក្នុងការទិញការកំណត់។
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,សូមកំណត់ក្រុមអ្នកផ្គត់ផ្គង់ក្នុងការទិញការកំណត់។
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",ចំនួនសរុបនៃផលប្រយោជន៏បត់បែន {0} មិនគួរតិចជាងអត្ថប្រយោជន៍ច្រើនបំផុត {1}
 DocType: Sales Invoice Item,Drop Ship,ទម្លាក់នាវា
 DocType: Driver,Suspended,បានផ្អាក
@@ -6875,7 +6952,7 @@
 DocType: Customer,Commission Rate,អត្រាប្រាក់កំរៃ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,បានបង្កើតធាតុបង់ប្រាក់ដោយជោគជ័យ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,បានបង្កើត {0} សន្លឹកបៀសម្រាប់ {1} រវាង:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,ធ្វើឱ្យវ៉ារ្យង់
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,ធ្វើឱ្យវ៉ារ្យង់
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",ប្រភេទការទូទាត់ត្រូវតែជាផ្នែកមួយនៃការទទួលបានការសងប្រាក់និងផ្ទេរប្រាក់បរទេស
 DocType: Travel Itinerary,Preferred Area for Lodging,តំបន់ពេញចិត្តសម្រាប់ការស្នាក់នៅ
 apps/erpnext/erpnext/config/selling.py +184,Analytics,វិធីវិភាគ
@@ -6886,7 +6963,7 @@
 DocType: Work Order,Actual Operating Cost,ការចំណាយប្រតិបត្តិការបានពិតប្រាកដ
 DocType: Payment Entry,Cheque/Reference No,មូលប្បទានប័ត្រ / យោងគ្មាន
 DocType: Soil Texture,Clay Loam,ដីឥដ្ឋ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,ជា root មិនអាចត្រូវបានកែសម្រួល។
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,ជា root មិនអាចត្រូវបានកែសម្រួល។
 DocType: Item,Units of Measure,ឯកតារង្វាស់
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,ជួលនៅក្រុងមេត្រូ
 DocType: Supplier,Default Tax Withholding Config,កំណត់រចនាសម្ព័ន្ធការកាត់បន្ថយពន្ធលំនាំដើម
@@ -6904,21 +6981,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,បន្ទាប់ពីការបញ្ចប់ការទូទាត់ប្តូរទិសអ្នកប្រើទំព័រដែលបានជ្រើស។
 DocType: Company,Existing Company,ក្រុមហ៊ុនដែលមានស្រាប់
 DocType: Healthcare Settings,Result Emailed,លទ្ធផលផ្ញើតាមអ៊ីម៉ែល
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","ប្រភេទពន្ធត្រូវបានផ្លាស់ប្តូរទៅជា ""សរុប"" ដោយសារតែធាតុទាំងអស់នេះគឺជាធាតុដែលមិនស្តុក"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","ប្រភេទពន្ធត្រូវបានផ្លាស់ប្តូរទៅជា ""សរុប"" ដោយសារតែធាតុទាំងអស់នេះគឺជាធាតុដែលមិនស្តុក"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,ដល់កាលបរិច្ឆេទមិនអាចស្មើឬតិចជាងកាលបរិច្ឆេទទេ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,គ្មានអ្វីត្រូវផ្លាស់ប្តូរ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,សូមជ្រើសឯកសារ csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,សូមជ្រើសឯកសារ csv
 DocType: Holiday List,Total Holidays,ថ្ងៃឈប់សម្រាកសរុប
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,បាត់គំរូអ៊ីមែលសម្រាប់ការបញ្ជូន។ សូមកំណត់មួយក្នុងការកំណត់ការដឹកជញ្ជូន។
 DocType: Student Leave Application,Mark as Present,សម្គាល់ជាបច្ចុប្បន្ន
 DocType: Supplier Scorecard,Indicator Color,ពណ៌សូចនាករ
 DocType: Purchase Order,To Receive and Bill,ដើម្បីទទួលបាននិង Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,ជួរដេក # {0}: Reqd តាមកាលបរិច្ឆេទមិនអាចនៅមុនថ្ងៃប្រតិបត្តិការទេ
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,ជួរដេក # {0}: Reqd តាមកាលបរិច្ឆេទមិនអាចនៅមុនថ្ងៃប្រតិបត្តិការទេ
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ផលិតផលពិសេស
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,ជ្រើសលេខស៊េរី
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,ជ្រើសលេខស៊េរី
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,អ្នករចនា
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,លក្ខខណ្ឌទំព័រគំរូ
 DocType: Serial No,Delivery Details,ពត៌មានលំអិតដឹកជញ្ជូន
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},មជ្ឈមណ្ឌលការចំណាយគឺត្រូវបានទាមទារនៅក្នុងជួរដេក {0} នៅក្នុងពន្ធតារាងសម្រាប់ប្រភេទ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},មជ្ឈមណ្ឌលការចំណាយគឺត្រូវបានទាមទារនៅក្នុងជួរដេក {0} នៅក្នុងពន្ធតារាងសម្រាប់ប្រភេទ {1}
 DocType: Program,Program Code,កូដកម្មវិធី
 DocType: Terms and Conditions,Terms and Conditions Help,លក្ខខណ្ឌជំនួយ
 ,Item-wise Purchase Register,ចុះឈ្មោះទិញធាតុប្រាជ្ញា
@@ -6931,15 +7009,16 @@
 DocType: Contract,Contract Terms,លក្ខខណ្ឌកិច្ចសន្យា
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,កុំបង្ហាញនិមិត្តរូបដូចជា $ លណាមួយដែលជាប់នឹងរូបិយប័ណ្ណ។
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},ចំនួនអត្ថប្រយោជន៍អតិបរមានៃសមាសភាគ {0} លើសពី {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(ពាក់កណ្តាលថ្ងៃ)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(ពាក់កណ្តាលថ្ងៃ)
 DocType: Payment Term,Credit Days,ថ្ងៃឥណទាន
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,សូមជ្រើសរើសអ្នកជំងឺដើម្បីទទួលការធ្វើតេស្តមន្ទីរពិសោធន៍
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,ធ្វើឱ្យបាច់សិស្ស
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,អនុញ្ញាតផ្ទេរសម្រាប់ការផលិត
 DocType: Leave Type,Is Carry Forward,គឺត្រូវបានអនុវត្តទៅមុខ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,ទទួលបានមុខទំនិញពី BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,ទទួលបានមុខទំនិញពី BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead ពេលថ្ងៃ
 DocType: Cash Flow Mapping,Is Income Tax Expense,គឺជាពន្ធលើប្រាក់ចំណូលពន្ធ
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,ការបញ្ជាទិញរបស់អ្នកគឺសម្រាប់ការដឹកជញ្ជូន!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ជួរដេក # {0}: ប្រកាសកាលបរិច្ឆេទត្រូវតែមានដូចគ្នាកាលបរិច្ឆេទទិញ {1} នៃទ្រព្យសម្បត្តិ {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ធីកប្រអប់នេះបើសិស្សកំពុងរស់នៅនៅឯសណ្ឋាគារវិទ្យាស្ថាននេះ។
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,សូមបញ្ចូលការបញ្ជាទិញលក់នៅក្នុងតារាងខាងលើ
@@ -6947,10 +7026,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,ផ្ទេរទ្រព្យសម្បត្តិមួយពីឃ្លាំងមួយទៅមួយទៀត
 DocType: Vehicle,Petrol,ប្រេង
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),អត្ថប្រយោជន៍ដែលនៅសល់ (ប្រចាំឆ្នាំ)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,វិក័យប័ត្រនៃសម្ភារៈ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,វិក័យប័ត្រនៃសម្ភារៈ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ជួរដេក {0}: គណបក្សប្រភេទនិងគណបក្សគឺត្រូវបានទាមទារសម្រាប់ការទទួលគណនី / បង់ {1}
 DocType: Employee,Leave Policy,ចាកចេញពីគោលនយោបាយ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,ធ្វើបច្ចុប្បន្នភាពមុខទំនិញ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,ធ្វើបច្ចុប្បន្នភាពមុខទំនិញ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,យោងកាលបរិច្ឆេទ
 DocType: Employee,Reason for Leaving,ហេតុផលសម្រាប់ការចាកចេញ
 DocType: BOM Operation,Operating Cost(Company Currency),ចំណាយប្រតិបត្តិការ (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
@@ -6961,7 +7040,7 @@
 DocType: Department,Expense Approvers,ឈ្នួលចំណាយ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},ជួរដេក {0}: ធាតុឥណពន្ធមិនអាចត្រូវបានផ្សារភ្ជាប់ទៅនឹងការ {1}
 DocType: Journal Entry,Subscription Section,ផ្នែកបរិវិសកម្ម
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,គណនី {0} មិនមាន
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,គណនី {0} មិនមាន
 DocType: Training Event,Training Program,កម្មវិធីបណ្តុះបណ្តាល
 DocType: Account,Cash,ជាសាច់ប្រាក់
 DocType: Employee,Short biography for website and other publications.,ប្រវត្ដិរូបខ្លីសម្រាប់គេហទំព័រនិងសៀវភៅផ្សេងទៀត។
diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv
index ea2031c..40803dd 100644
--- a/erpnext/translations/kn.csv
+++ b/erpnext/translations/kn.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,ಗ್ರಾಹಕ ವಸ್ತುಗಳು
 DocType: Project,Costing and Billing,ಕಾಸ್ಟಿಂಗ್ ಮತ್ತು ಬಿಲ್ಲಿಂಗ್
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},ಅಡ್ವಾನ್ಸ್ ಖಾತೆ ಕರೆನ್ಸಿ ಕಂಪೆನಿ ಕರೆನ್ಸಿಯಂತೆಯೇ ಇರಬೇಕು {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಒಂದು ಲೆಡ್ಜರ್ ಸಾಧ್ಯವಿಲ್ಲ
+DocType: QuickBooks Migrator,Token Endpoint,ಟೋಕನ್ ಎಂಡ್ಪೋಯಿಂಟ್
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಒಂದು ಲೆಡ್ಜರ್ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com ಗೆ ಐಟಂ ಪ್ರಕಟಿಸಿ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,ಸಕ್ರಿಯ ಬಿಡಿ ಅವಧಿಯನ್ನು ಕಂಡುಹಿಡಿಯಲಾಗಲಿಲ್ಲ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,ಸಕ್ರಿಯ ಬಿಡಿ ಅವಧಿಯನ್ನು ಕಂಡುಹಿಡಿಯಲಾಗಲಿಲ್ಲ
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ಮೌಲ್ಯಮಾಪನ
 DocType: Item,Default Unit of Measure,ಮಾಪನದ ಡೀಫಾಲ್ಟ್ ಘಟಕ
 DocType: SMS Center,All Sales Partner Contact,ಎಲ್ಲಾ ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ಸಂಪರ್ಕಿಸಿ
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,ಸೇರಿಸಲು ನಮೂದಿಸಿ ಕ್ಲಿಕ್ ಮಾಡಿ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","ಪಾಸ್ವರ್ಡ್, API ಕೀ ಅಥವಾ Shopify URL ಗಾಗಿ ಕಾಣೆಯಾಗಿದೆ ಮೌಲ್ಯ"
 DocType: Employee,Rented,ಬಾಡಿಗೆ
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,ಎಲ್ಲಾ ಖಾತೆಗಳು
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,ಎಲ್ಲಾ ಖಾತೆಗಳು
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,ನೌಕರರು ಸ್ಥಿತಿಯನ್ನು ಎಡಕ್ಕೆ ವರ್ಗಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ನಿಲ್ಲಿಸಿತು ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರದ್ದುಗೊಳಿಸಲಾಗದು, ರದ್ದು ಮೊದಲು ಅಡ್ಡಿಯಾಗಿರುವುದನ್ನು ಬಿಡಿಸು"
 DocType: Vehicle Service,Mileage,ಮೈಲೇಜ್
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಆಸ್ತಿ ಸ್ಕ್ರ್ಯಾಪ್ ಬಯಸುತ್ತೀರಾ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಆಸ್ತಿ ಸ್ಕ್ರ್ಯಾಪ್ ಬಯಸುತ್ತೀರಾ?
 DocType: Drug Prescription,Update Schedule,ಅಪ್ಡೇಟ್ ವೇಳಾಪಟ್ಟಿ
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ಡೀಫಾಲ್ಟ್ ಸರಬರಾಜುದಾರ ಆಯ್ಕೆ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,ನೌಕರರನ್ನು ತೋರಿಸು
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,ಹೊಸ ವಿನಿಮಯ ದರ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},ಕರೆನ್ಸಿ ಬೆಲೆ ಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},ಕರೆನ್ಸಿ ಬೆಲೆ ಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುತ್ತದೆ ವ್ಯವಹಾರದಲ್ಲಿ ಆಗಿದೆ .
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT -YYYY.-
 DocType: Purchase Order,Customer Contact,ಗ್ರಾಹಕ ಸಂಪರ್ಕ
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,ಈ ಸರಬರಾಜುದಾರ ವಿರುದ್ಧ ವ್ಯವಹಾರ ಆಧರಿಸಿದೆ. ಮಾಹಿತಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ಕೆಲಸದ ಆದೇಶಕ್ಕಾಗಿ ಉತ್ಪಾದನೆ ಶೇಕಡಾವಾರು
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV -YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,ಕಾನೂನಿನ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,ಕಾನೂನಿನ
+DocType: Delivery Note,Transport Receipt Date,ಸಾರಿಗೆ ರಶೀದಿ ದಿನಾಂಕ
 DocType: Shopify Settings,Sales Order Series,ಮಾರಾಟದ ಆದೇಶ ಸರಣಿ
 DocType: Vital Signs,Tongue,ಭಾಷೆ
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,ಎಚ್ಆರ್ಎ ವಿನಾಯಿತಿ
 DocType: Sales Invoice,Customer Name,ಗ್ರಾಹಕ ಹೆಸರು
 DocType: Vehicle,Natural Gas,ನೈಸರ್ಗಿಕ ಅನಿಲ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},ಬ್ಯಾಂಕ್ ಖಾತೆಯಿಂದ ಹೆಸರಿನ ಸಾಧ್ಯವಿಲ್ಲ {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},ಬ್ಯಾಂಕ್ ಖಾತೆಯಿಂದ ಹೆಸರಿನ ಸಾಧ್ಯವಿಲ್ಲ {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,ಸಂಬಳ ರಚನೆಯ ಪ್ರಕಾರ ಎಚ್ಆರ್ಎ
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ತಲೆ (ಅಥವಾ ಗುಂಪುಗಳು) ವಿರುದ್ಧ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಮಾಡಲಾಗುತ್ತದೆ ಮತ್ತು ಸಮತೋಲನಗಳ ನಿರ್ವಹಿಸುತ್ತದೆ.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),ಮಹೋನ್ನತ {0} ಕಡಿಮೆ ಶೂನ್ಯ ಸಾಧ್ಯವಿಲ್ಲ ( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,ಸೇವೆ ಪ್ರಾರಂಭ ದಿನಾಂಕವು ಸೇವೆ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,ಸೇವೆ ಪ್ರಾರಂಭ ದಿನಾಂಕವು ಸೇವೆ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರುವಂತಿಲ್ಲ
 DocType: Manufacturing Settings,Default 10 mins,10 ನಿಮಿಷಗಳು ಡೀಫಾಲ್ಟ್
 DocType: Leave Type,Leave Type Name,TypeName ಬಿಡಿ
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ತೆರೆದ ತೋರಿಸಿ
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,ತೆರೆದ ತೋರಿಸಿ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,ಸರಣಿ ಯಶಸ್ವಿಯಾಗಿ ನವೀಕರಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,ಚೆಕ್ಔಟ್
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} ಸಾಲಿನಲ್ಲಿ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} ಸಾಲಿನಲ್ಲಿ {1}
 DocType: Asset Finance Book,Depreciation Start Date,ಸವಕಳಿ ಪ್ರಾರಂಭ ದಿನಾಂಕ
 DocType: Pricing Rule,Apply On,ಅನ್ವಯಿಸುತ್ತದೆ
 DocType: Item Price,Multiple Item prices.,ಬಹು ಐಟಂ ಬೆಲೆಗಳು .
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,ಬೆಂಬಲ ಸೆಟ್ಟಿಂಗ್ಗಳು
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Amazon MWS Settings,Amazon MWS Settings,ಅಮೆಜಾನ್ MWS ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ರೋ # {0}: ದರ ಅದೇ ಇರಬೇಕು {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ರೋ # {0}: ದರ ಅದೇ ಇರಬೇಕು {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,ಬ್ಯಾಚ್ ಐಟಂ ಅಂತ್ಯ ಸ್ಥಿತಿ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,ಬ್ಯಾಂಕ್ ಡ್ರಾಫ್ಟ್
 DocType: Journal Entry,ACC-JV-.YYYY.-,ಎಸಿಸಿ- ಜೆವಿ - .YYYY.-
@@ -105,7 +107,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,ಪ್ರಾಥಮಿಕ ಸಂಪರ್ಕ ವಿವರಗಳು
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ಓಪನ್ ತೊಂದರೆಗಳು
 DocType: Production Plan Item,Production Plan Item,ನಿರ್ಮಾಣ ವೇಳಾಪಟ್ಟಿಯು ಐಟಂ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},ಬಳಕೆದಾರ {0} ಈಗಾಗಲೇ ನೌಕರರ ನಿಗದಿಪಡಿಸಲಾಗಿದೆ {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},ಬಳಕೆದಾರ {0} ಈಗಾಗಲೇ ನೌಕರರ ನಿಗದಿಪಡಿಸಲಾಗಿದೆ {1}
 DocType: Lab Test Groups,Add new line,ಹೊಸ ಸಾಲನ್ನು ಸೇರಿಸಿ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,ಆರೋಗ್ಯ
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ಪಾವತಿ ವಿಳಂಬ (ದಿನಗಳು)
@@ -115,12 +117,11 @@
 DocType: Lab Prescription,Lab Prescription,ಲ್ಯಾಬ್ ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್
 ,Delay Days,ವಿಳಂಬ ದಿನಗಳು
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ಸೇವೆ ಖರ್ಚು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},ಕ್ರಮ ಸಂಖ್ಯೆ: {0} ಈಗಾಗಲೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖವಿದೆ: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},ಕ್ರಮ ಸಂಖ್ಯೆ: {0} ಈಗಾಗಲೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖವಿದೆ: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,ಸರಕುಪಟ್ಟಿ
 DocType: Purchase Invoice Item,Item Weight Details,ಐಟಂ ತೂಕ ವಿವರಗಳು
 DocType: Asset Maintenance Log,Periodicity,ನಿಯತಕಾಲಿಕತೆ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಅಗತ್ಯವಿದೆ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,ಪೂರೈಕೆದಾರ&gt; ಪೂರೈಕೆದಾರ ಗುಂಪು
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ಗರಿಷ್ಟ ಬೆಳವಣಿಗೆಗಾಗಿ ಸಸ್ಯಗಳ ಸಾಲುಗಳ ನಡುವಿನ ಕನಿಷ್ಠ ಅಂತರ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,ರಕ್ಷಣೆ
 DocType: Salary Component,Abbr,ರದ್ದು
@@ -139,11 +140,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,ಹೆಚ್ಎಲ್ಸಿ-ಎನ್ಎನ್ಸಿ - .YYYY.-
 DocType: Daily Work Summary Group,Holiday List,ಹಾಲಿಡೇ ಪಟ್ಟಿ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,ಅಕೌಂಟೆಂಟ್
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,ಬೆಲೆ ಪಟ್ಟಿ ಮಾರಾಟ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,ಬೆಲೆ ಪಟ್ಟಿ ಮಾರಾಟ
 DocType: Patient,Tobacco Current Use,ತಂಬಾಕು ಪ್ರಸ್ತುತ ಬಳಕೆ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,ದರ ಮಾರಾಟ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,ದರ ಮಾರಾಟ
 DocType: Cost Center,Stock User,ಸ್ಟಾಕ್ ಬಳಕೆದಾರ
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,ಸಂಪರ್ಕ ಮಾಹಿತಿ
 DocType: Company,Phone No,ದೂರವಾಣಿ ಸಂಖ್ಯೆ
 DocType: Delivery Trip,Initial Email Notification Sent,ಪ್ರಾಥಮಿಕ ಇಮೇಲ್ ಅಧಿಸೂಚನೆ ಕಳುಹಿಸಲಾಗಿದೆ
 DocType: Bank Statement Settings,Statement Header Mapping,ಸ್ಟೇಟ್ಮೆಂಟ್ ಹೆಡರ್ ಮ್ಯಾಪಿಂಗ್
@@ -167,12 +169,11 @@
 DocType: Subscription,Subscription Start Date,ಚಂದಾದಾರಿಕೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,ನೇಮಕಾತಿ ಆರೋಪಗಳನ್ನು ಬುಕ್ ಮಾಡಲು ರೋಗಿಯಲ್ಲಿ ಹೊಂದಿಸದೆ ಇದ್ದಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಸ್ವೀಕಾರಾರ್ಹ ಖಾತೆಗಳನ್ನು ಬಳಸಲಾಗುತ್ತದೆ.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","ಎರಡು ಕಾಲಮ್ಗಳು, ಹಳೆಯ ಹೆಸರು ಒಂದು ಮತ್ತು ಹೆಸರು ಒಂದು CSV ಕಡತ ಲಗತ್ತಿಸಿ"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,ವಿಳಾಸ 2 ರಿಂದ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,ಐಟಂ ಕೋಡ್&gt; ಐಟಂ ಗ್ರೂಪ್&gt; ಬ್ರ್ಯಾಂಡ್
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,ವಿಳಾಸ 2 ರಿಂದ
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ಯಾವುದೇ ಸಕ್ರಿಯ ವರ್ಷದಲ್ಲಿ.
 DocType: Packed Item,Parent Detail docname,Docname ಪೋಷಕ ವಿವರ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ರೆಫರೆನ್ಸ್: {0}, ಐಟಂ ಕೋಡ್: {1} ಮತ್ತು ಗ್ರಾಹಕ: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} ಪೋಷಕ ಕಂಪನಿಯಲ್ಲಿ ಇಲ್ಲ
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} ಪೋಷಕ ಕಂಪನಿಯಲ್ಲಿ ಇಲ್ಲ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,ಪ್ರಾಯೋಗಿಕ ಅವಧಿಯ ಅಂತ್ಯ ದಿನಾಂಕ ಟ್ರಯಲ್ ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕದ ಮೊದಲು ಇರುವಂತಿಲ್ಲ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,ಕೆಜಿ
 DocType: Tax Withholding Category,Tax Withholding Category,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವುದು ವರ್ಗ
@@ -188,12 +189,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,ಜಾಹೀರಾತು
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ಅದೇ ಕಂಪನಿಯ ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಬಾರಿ ದಾಖಲಿಸಿದರೆ
 DocType: Patient,Married,ವಿವಾಹಿತರು
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},ಜಾಹೀರಾತು ಅನುಮತಿಯಿಲ್ಲ {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},ಜಾಹೀರಾತು ಅನುಮತಿಯಿಲ್ಲ {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ
 DocType: Price List,Price Not UOM Dependant,ಬೆಲೆ UOM ಅವಲಂಬಿತವಲ್ಲ
 DocType: Purchase Invoice,Apply Tax Withholding Amount,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ಮೊತ್ತವನ್ನು ಅನ್ವಯಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,ಒಟ್ಟು ಮೊತ್ತವನ್ನು ಕ್ರೆಡಿಟ್ ಮಾಡಲಾಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,ಒಟ್ಟು ಮೊತ್ತವನ್ನು ಕ್ರೆಡಿಟ್ ಮಾಡಲಾಗಿದೆ
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ಉತ್ಪನ್ನ {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,ಯಾವುದೇ ಐಟಂಗಳನ್ನು ಪಟ್ಟಿ
 DocType: Asset Repair,Error Description,ದೋಷ ವಿವರಣೆ
@@ -207,8 +208,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,ಕಸ್ಟಮ್ ಕ್ಯಾಶ್ ಫ್ಲೋ ಫಾರ್ಮ್ಯಾಟ್ ಬಳಸಿ
 DocType: SMS Center,All Sales Person,ಎಲ್ಲಾ ಮಾರಾಟಗಾರನ
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ಮಾಸಿಕ ವಿತರಣೆ ** ನಿಮ್ಮ ವ್ಯವಹಾರದಲ್ಲಿ ಋತುಗಳು ಹೊಂದಿದ್ದರೆ ನೀವು ತಿಂಗಳ ಅಡ್ಡಲಾಗಿ ಬಜೆಟ್ / ಟಾರ್ಗೆಟ್ ವಿತರಿಸಲು ನೆರವಾಗುತ್ತದೆ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,ಮಾಡಿರುವುದಿಲ್ಲ ಐಟಂಗಳನ್ನು ಕಂಡುಬಂದಿಲ್ಲ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,ಸಂಬಳ ರಚನೆ ಮಿಸ್ಸಿಂಗ್
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,ಮಾಡಿರುವುದಿಲ್ಲ ಐಟಂಗಳನ್ನು ಕಂಡುಬಂದಿಲ್ಲ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,ಸಂಬಳ ರಚನೆ ಮಿಸ್ಸಿಂಗ್
 DocType: Lead,Person Name,ವ್ಯಕ್ತಿ ಹೆಸರು
 DocType: Sales Invoice Item,Sales Invoice Item,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ
 DocType: Account,Credit,ಕ್ರೆಡಿಟ್
@@ -217,19 +218,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,ಸ್ಟಾಕ್ ವರದಿಗಳು
 DocType: Warehouse,Warehouse Detail,ವೇರ್ಹೌಸ್ ವಿವರ
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ಟರ್ಮ್ ಎಂಡ್ ದಿನಾಂಕ ನಂತರ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ ಪದವನ್ನು ಸಂಪರ್ಕಿತ ಉದ್ದವಾಗಿರುವಂತಿಲ್ಲ (ಅಕಾಡೆಮಿಕ್ ಇಯರ್ {}). ದಯವಿಟ್ಟು ದಿನಾಂಕಗಳನ್ನು ಸರಿಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;ಸ್ಥಿರ ಆಸ್ತಿ&quot; ಆಸ್ತಿ ದಾಖಲೆ ಐಟಂ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವಂತೆ, ಪರಿಶೀಲಿಸದೆ ಸಾಧ್ಯವಿಲ್ಲ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;ಸ್ಥಿರ ಆಸ್ತಿ&quot; ಆಸ್ತಿ ದಾಖಲೆ ಐಟಂ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವಂತೆ, ಪರಿಶೀಲಿಸದೆ ಸಾಧ್ಯವಿಲ್ಲ"
 DocType: Delivery Trip,Departure Time,ನಿರ್ಗಮನ ಸಮಯ
 DocType: Vehicle Service,Brake Oil,ಬ್ರೇಕ್ ಆಯಿಲ್
 DocType: Tax Rule,Tax Type,ಜನಪ್ರಿಯ ಕೌಟುಂಬಿಕತೆ
 ,Completed Work Orders,ಕೆಲಸ ಆದೇಶಗಳನ್ನು ಪೂರ್ಣಗೊಳಿಸಲಾಗಿದೆ
 DocType: Support Settings,Forum Posts,ವೇದಿಕೆ ಪೋಸ್ಟ್ಗಳು
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,ತೆರಿಗೆ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,ತೆರಿಗೆ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},ನೀವು ಮೊದಲು ನಮೂದುಗಳನ್ನು ಸೇರಿಸಲು ಅಥವ ಅಪ್ಡೇಟ್ ಅಧಿಕಾರ {0}
 DocType: Leave Policy,Leave Policy Details,ಪಾಲಿಸಿ ವಿವರಗಳನ್ನು ಬಿಡಿ
 DocType: BOM,Item Image (if not slideshow),ಐಟಂ ಚಿತ್ರ (ಇಲ್ಲದಿದ್ದರೆ ಸ್ಲೈಡ್ಶೋ )
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(ಅವರ್ ದರ / 60) * ವಾಸ್ತವಿಕ ಆಪರೇಷನ್ ಟೈಮ್
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ಸಾಲು # {0}: ಉಲ್ಲೇಖ ಡಾಕ್ಯುಮೆಂಟ್ ಪ್ರಕಾರವು ಖರ್ಚು ಕ್ಲೈಮ್ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿಗಳಲ್ಲಿ ಒಂದಾಗಿರಬೇಕು
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,ಬಿಒಎಮ್ ಆಯ್ಕೆ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ಸಾಲು # {0}: ಉಲ್ಲೇಖ ಡಾಕ್ಯುಮೆಂಟ್ ಪ್ರಕಾರವು ಖರ್ಚು ಕ್ಲೈಮ್ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿಗಳಲ್ಲಿ ಒಂದಾಗಿರಬೇಕು
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,ಬಿಒಎಮ್ ಆಯ್ಕೆ
 DocType: SMS Log,SMS Log,ಎಸ್ಎಂಎಸ್ ಲಾಗಿನ್
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ತಲುಪಿಸುವುದಾಗಿರುತ್ತದೆ ವೆಚ್ಚ
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} ರಜೆ ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ನಡುವೆ ಅಲ್ಲ
@@ -238,16 +239,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,ಪೂರೈಕೆದಾರ ಮಾನ್ಯತೆಗಳ ಟೆಂಪ್ಲೇಟ್ಗಳು.
 DocType: Lead,Interested,ಆಸಕ್ತಿ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,ಆರಂಭಿಕ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},ಗೆ {0} ಗೆ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},ಗೆ {0} ಗೆ {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,ಕಾರ್ಯಕ್ರಮ:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,ತೆರಿಗೆಗಳನ್ನು ಹೊಂದಿಸಲು ವಿಫಲವಾಗಿದೆ
 DocType: Item,Copy From Item Group,ಐಟಂ ಗುಂಪಿನಿಂದ ನಕಲಿಸಿ
-DocType: Delivery Trip,Delivery Notification,ವಿತರಣೆ ಅಧಿಸೂಚನೆ
 DocType: Journal Entry,Opening Entry,ಎಂಟ್ರಿ ತೆರೆಯುವ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ಖಾತೆ ಪೇ ಮಾತ್ರ
 DocType: Loan,Repay Over Number of Periods,ಓವರ್ ಸಂಖ್ಯೆ ಅವಧಿಗಳು ಮರುಪಾವತಿ
 DocType: Stock Entry,Additional Costs,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ .
 DocType: Lead,Product Enquiry,ಉತ್ಪನ್ನ ವಿಚಾರಣೆ
 DocType: Education Settings,Validate Batch for Students in Student Group,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪಿನಲ್ಲಿರುವ ವಿದ್ಯಾರ್ಥಿಗಳಿಗೆ ಬ್ಯಾಚ್ ಸ್ಥಿರೀಕರಿಸಿ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},ಯಾವುದೇ ರಜೆ ದಾಖಲೆ ನೌಕರ ಕಂಡು {0} ಫಾರ್ {1}
@@ -255,7 +255,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ಮೊದಲ ಕಂಪನಿ ನಮೂದಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,ಮೊದಲ ಕಂಪನಿ ಆಯ್ಕೆ ಮಾಡಿ
 DocType: Employee Education,Under Graduate,ಸ್ನಾತಕಪೂರ್ವ ವಿದ್ಯಾರ್ಥಿ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,HR ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಬಿಡುವು ಸ್ಥಿತಿ ಅಧಿಸೂಚನೆಗಾಗಿ ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ಹೊಂದಿಸಿ.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,HR ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಬಿಡುವು ಸ್ಥಿತಿ ಅಧಿಸೂಚನೆಗಾಗಿ ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ಹೊಂದಿಸಿ.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ಟಾರ್ಗೆಟ್ ರಂದು
 DocType: BOM,Total Cost,ಒಟ್ಟು ವೆಚ್ಚ
 DocType: Soil Analysis,Ca/K,ಸಿ / ಕೆ
@@ -268,7 +268,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,ಖಾತೆ ಹೇಳಿಕೆ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ಫಾರ್ಮಾಸ್ಯುಟಿಕಲ್ಸ್
 DocType: Purchase Invoice Item,Is Fixed Asset,ಸ್ಥಿರ ಆಸ್ತಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಇದೆ {0}, ನೀವು {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಇದೆ {0}, ನೀವು {1}"
 DocType: Expense Claim Detail,Claim Amount,ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು
 DocType: Patient,HLC-PAT-.YYYY.-,ಹೆಚ್ಎಲ್ಸಿ-ಪಾಟ್ - .YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},ಕೆಲಸದ ಆದೇಶವು {0}
@@ -302,13 +302,13 @@
 DocType: BOM,Quality Inspection Template,ಗುಣಮಟ್ಟ ಪರೀಕ್ಷೆ ಟೆಂಪ್ಲೇಟು
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",ನೀವು ಹಾಜರಾತಿ ನವೀಕರಿಸಲು ಬಯಸುತ್ತೀರಾ? <br> ಪ್ರೆಸೆಂಟ್: {0} \ <br> ಆಬ್ಸೆಂಟ್: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ಅಕ್ಸೆಪ್ಟೆಡ್ + ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ ಐಟಂ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣಕ್ಕೆ ಸಮ ಇರಬೇಕು {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ಅಕ್ಸೆಪ್ಟೆಡ್ + ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ ಐಟಂ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣಕ್ಕೆ ಸಮ ಇರಬೇಕು {0}
 DocType: Item,Supply Raw Materials for Purchase,ಪೂರೈಕೆ ಕಚ್ಚಾ ವಸ್ತುಗಳ ಖರೀದಿ
 DocType: Agriculture Analysis Criteria,Fertilizer,ಗೊಬ್ಬರ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",ಸೀರಿಯಲ್ ಮೂಲಕ ವಿತರಣೆಯನ್ನು ಖಚಿತಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ \ ಐಟಂ {0} ಅನ್ನು \ ಸೀರಿಯಲ್ ನಂಬರ್ ಮೂಲಕ ಮತ್ತು ಡೆಲಿವರಿ ಮಾಡುವಿಕೆಯನ್ನು ಸೇರಿಸದೆಯೇ ಇಲ್ಲ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,ಪಾವತಿಯ ಕನಿಷ್ಟ ಒಂದು ಮಾದರಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,ಪಾವತಿಯ ಕನಿಷ್ಟ ಒಂದು ಮಾದರಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,ಬ್ಯಾಂಕ್ ಸ್ಟೇಟ್ಮೆಂಟ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಇನ್ವಾಯ್ಸ್ ಐಟಂ
 DocType: Products Settings,Show Products as a List,ಪ್ರದರ್ಶನ ಉತ್ಪನ್ನಗಳು ಪಟ್ಟಿಯೆಂದು
 DocType: Salary Detail,Tax on flexible benefit,ಹೊಂದಿಕೊಳ್ಳುವ ಲಾಭದ ಮೇಲೆ ತೆರಿಗೆ
@@ -319,14 +319,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,ವ್ಯತ್ಯಾಸದ ಕ್ಯೂಟಿ
 DocType: Production Plan,Material Request Detail,ವಸ್ತು ವಿನಂತಿ ವಿವರ
 DocType: Selling Settings,Default Quotation Validity Days,ಡೀಫಾಲ್ಟ್ ಕೊಟೇಶನ್ ವಾಲಿಡಿಟಿ ಡೇಸ್
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು"
 DocType: SMS Center,SMS Center,ಸಂಚಿಕೆ ಸೆಂಟರ್
 DocType: Payroll Entry,Validate Attendance,ಹಾಜರಾತಿ ಮೌಲ್ಯೀಕರಿಸಿ
 DocType: Sales Invoice,Change Amount,ಪ್ರಮಾಣವನ್ನು ಬದಲಾವಣೆ
 DocType: Party Tax Withholding Config,Certificate Received,ಪ್ರಮಾಣಪತ್ರ ಸ್ವೀಕರಿಸಲಾಗಿದೆ
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C ಗಾಗಿ ಸರಕುಪಟ್ಟಿ ಮೌಲ್ಯವನ್ನು ಹೊಂದಿಸಿ. B2CL ಮತ್ತು B2CS ಈ ಇನ್ವಾಯ್ಸ್ ಮೌಲ್ಯವನ್ನು ಆಧರಿಸಿ ಲೆಕ್ಕಾಚಾರ.
 DocType: BOM Update Tool,New BOM,ಹೊಸ BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,ಶಿಫಾರಸು ವಿಧಾನಗಳು
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,ಶಿಫಾರಸು ವಿಧಾನಗಳು
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,ಪಿಓಎಸ್ ಮಾತ್ರ ತೋರಿಸು
 DocType: Supplier Group,Supplier Group Name,ಪೂರೈಕೆದಾರ ಗುಂಪು ಹೆಸರು
 DocType: Driver,Driving License Categories,ಚಾಲಕ ಪರವಾನಗಿ ವರ್ಗಗಳು
@@ -341,7 +341,7 @@
 DocType: Payroll Period,Payroll Periods,ವೇತನದಾರರ ಅವಧಿಗಳು
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,ನೌಕರರ ಮಾಡಿ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,ಬ್ರಾಡ್ಕಾಸ್ಟಿಂಗ್
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),ಪಿಓಎಸ್ನ ಸೆಟಪ್ ಮೋಡ್ (ಆನ್ಲೈನ್ / ಆಫ್ಲೈನ್)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),ಪಿಓಎಸ್ನ ಸೆಟಪ್ ಮೋಡ್ (ಆನ್ಲೈನ್ / ಆಫ್ಲೈನ್)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ಕಾರ್ಯ ಆರ್ಡರ್ಗಳ ವಿರುದ್ಧ ಸಮಯ ಲಾಗ್ಗಳನ್ನು ರಚಿಸುವುದನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ. ಕೆಲಸದ ಆದೇಶದ ವಿರುದ್ಧ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಟ್ರ್ಯಾಕ್ ಮಾಡಲಾಗುವುದಿಲ್ಲ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,ಎಕ್ಸಿಕ್ಯೂಶನ್
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ಕಾರ್ಯಾಚರಣೆಗಳ ವಿವರಗಳು ನಡೆಸಿತು.
@@ -375,7 +375,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),ದರ ಪಟ್ಟಿ ದರ ರಿಯಾಯಿತಿ (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,ಐಟಂ ಟೆಂಪ್ಲೇಟು
 DocType: Job Offer,Select Terms and Conditions,ಆಯ್ಕೆ ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,ಔಟ್ ಮೌಲ್ಯ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,ಔಟ್ ಮೌಲ್ಯ
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,ಬ್ಯಾಂಕ್ ಹೇಳಿಕೆ ಸೆಟ್ಟಿಂಗ್ಸ್ ಐಟಂ
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Production Plan,Sales Orders,ಮಾರಾಟ ಆದೇಶಗಳಿಗೆ
@@ -388,20 +388,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,ಉದ್ಧರಣ ವಿನಂತಿಯನ್ನು ಕೆಳಗಿನ ಲಿಂಕ್ ಕ್ಲಿಕ್ಕಿಸಿ ನಿಲುಕಿಸಿಕೊಳ್ಳಬಹುದು
 DocType: SG Creation Tool Course,SG Creation Tool Course,ಎಸ್ಜಿ ಸೃಷ್ಟಿ ಉಪಕರಣ ಕೋರ್ಸ್
 DocType: Bank Statement Transaction Invoice Item,Payment Description,ಪಾವತಿ ವಿವರಣೆ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,ಸಾಕಷ್ಟು ಸ್ಟಾಕ್
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,ಸಾಕಷ್ಟು ಸ್ಟಾಕ್
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ಮತ್ತು ಟೈಮ್ ಟ್ರಾಕಿಂಗ್
 DocType: Email Digest,New Sales Orders,ಹೊಸ ಮಾರಾಟ ಆದೇಶಗಳನ್ನು
 DocType: Bank Account,Bank Account,ಠೇವಣಿ ವಿವರ
 DocType: Travel Itinerary,Check-out Date,ಚೆಕ್-ಔಟ್ ದಿನಾಂಕ
 DocType: Leave Type,Allow Negative Balance,ನಕಾರಾತ್ಮಕ ಬ್ಯಾಲೆನ್ಸ್ ಅನುಮತಿಸಿ
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',ನೀವು ಪ್ರಾಜೆಕ್ಟ್ ಕೌಟುಂಬಿಕತೆ &#39;ಬಾಹ್ಯ&#39; ಅನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,ಪರ್ಯಾಯ ಐಟಂ ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,ಪರ್ಯಾಯ ಐಟಂ ಆಯ್ಕೆಮಾಡಿ
 DocType: Employee,Create User,ಬಳಕೆದಾರ ರಚಿಸಿ
 DocType: Selling Settings,Default Territory,ಡೀಫಾಲ್ಟ್ ಪ್ರದೇಶ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,ಟೆಲಿವಿಷನ್
 DocType: Work Order Operation,Updated via 'Time Log','ಟೈಮ್ ಲಾಗ್' ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆಮಾಡಿ.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ಸಮಯ ಸ್ಲಾಟ್ ಬಿಟ್ಟುಬಿಡಲಾಗಿದೆ, {0} ಗೆ ಸ್ಲಾಟ್ {1} ಎಲಾಸಿಟಿಂಗ್ ಸ್ಲಾಟ್ {2} ಗೆ {3}"
 DocType: Naming Series,Series List for this Transaction,ಈ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸರಣಿ ಪಟ್ಟಿ
 DocType: Company,Enable Perpetual Inventory,ಶಾಶ್ವತ ಇನ್ವೆಂಟರಿ ಸಕ್ರಿಯಗೊಳಿಸಿ
@@ -422,7 +422,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ ವಿರುದ್ಧ
 DocType: Agriculture Analysis Criteria,Linked Doctype,ಲಿಂಕ್ಡ್ ಡಾಕ್ಟೈಪ್
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,ಹಣಕಾಸು ನಿವ್ವಳ ನಗದು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಲು ಮಾಡಲಿಲ್ಲ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಲು ಮಾಡಲಿಲ್ಲ"
 DocType: Lead,Address & Contact,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ
 DocType: Leave Allocation,Add unused leaves from previous allocations,ಹಿಂದಿನ ಹಂಚಿಕೆಗಳು ರಿಂದ ಬಳಕೆಯಾಗದ ಎಲೆಗಳು ಸೇರಿಸಿ
 DocType: Sales Partner,Partner website,ಸಂಗಾತಿ ವೆಬ್ಸೈಟ್
@@ -445,10 +445,10 @@
 ,Open Work Orders,ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ತೆರೆಯಿರಿ
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,ರೋಗಿಯ ಕನ್ಸಲ್ಟಿಂಗ್ ಚಾರ್ಜ್ ಐಟಂ ಔಟ್
 DocType: Payment Term,Credit Months,ಕ್ರೆಡಿಟ್ ತಿಂಗಳುಗಳು
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,ನಿವ್ವಳ ವೇತನ ಸಾಧ್ಯವಿಲ್ಲ ಕಡಿಮೆ 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,ನಿವ್ವಳ ವೇತನ ಸಾಧ್ಯವಿಲ್ಲ ಕಡಿಮೆ 0
 DocType: Contract,Fulfilled,ಪೂರೈಸಿದೆ
 DocType: Inpatient Record,Discharge Scheduled,ಡಿಸ್ಚಾರ್ಜ್ ಪರಿಶಿಷ್ಟ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,ದಿನಾಂಕ ನಿವಾರಿಸುವ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,ದಿನಾಂಕ ನಿವಾರಿಸುವ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
 DocType: POS Closing Voucher,Cashier,ಕ್ಯಾಷಿಯರ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,ವರ್ಷಕ್ಕೆ ಎಲೆಗಳು
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ಸಾಲು {0}: ಪರಿಶೀಲಿಸಿ ಖಾತೆ ವಿರುದ್ಧ 'ಅಡ್ವಾನ್ಸ್ ಈಸ್' {1} ಈ ಮುಂಗಡ ಪ್ರವೇಶ ವೇಳೆ.
@@ -459,15 +459,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,ದಯವಿಟ್ಟು ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳ ಅಡಿಯಲ್ಲಿ ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ಸೆಟಪ್ ಮಾಡಿ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,ಸಂಪೂರ್ಣ ಕೆಲಸ
 DocType: Item Website Specification,Item Website Specification,ವಸ್ತು ವಿಶೇಷತೆಗಳು ವೆಬ್ಸೈಟ್
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,ಬಿಡಿ ನಿರ್ಬಂಧಿಸಿದ
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಜೀವನದ ತನ್ನ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿದೆ {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,ಬಿಡಿ ನಿರ್ಬಂಧಿಸಿದ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಜೀವನದ ತನ್ನ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿದೆ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,ಬ್ಯಾಂಕ್ ನಮೂದುಗಳು
 DocType: Customer,Is Internal Customer,ಆಂತರಿಕ ಗ್ರಾಹಕ
 DocType: Crop,Annual,ವಾರ್ಷಿಕ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ಆಟೋ ಆಪ್ಟ್ ಇನ್ ಅನ್ನು ಪರಿಶೀಲಿಸಿದರೆ, ನಂತರ ಗ್ರಾಹಕರು ಸಂಬಂಧಿತ ಲೋಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ (ಉಳಿಸಲು)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಐಟಂ
 DocType: Stock Entry,Sales Invoice No,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ನಂ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,ಸರಬರಾಜು ಕೌಟುಂಬಿಕತೆ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,ಸರಬರಾಜು ಕೌಟುಂಬಿಕತೆ
 DocType: Material Request Item,Min Order Qty,ಮಿನ್ ಪ್ರಮಾಣ ಆದೇಶ
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸೃಷ್ಟಿ ಉಪಕರಣ ಕೋರ್ಸ್
 DocType: Lead,Do Not Contact,ಸಂಪರ್ಕಿಸಿ ಇಲ್ಲ
@@ -481,14 +481,14 @@
 DocType: Item,Publish in Hub,ಹಬ್ ಪ್ರಕಟಿಸಿ
 DocType: Student Admission,Student Admission,ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,ಐಟಂ {0} ರದ್ದು
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,ಐಟಂ {0} ರದ್ದು
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,ಸವಕಳಿ ಸಾಲು {0}: ಸವಕಳಿ ಆರಂಭ ದಿನಾಂಕ ಕಳೆದ ದಿನಾಂಕದಂತೆ ನಮೂದಿಸಲಾಗಿದೆ
 DocType: Contract Template,Fulfilment Terms and Conditions,ಪೂರೈಸುವ ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ
 DocType: Bank Reconciliation,Update Clearance Date,ಅಪ್ಡೇಟ್ ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,ಖರೀದಿ ವಿವರಗಳು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ಖರೀದಿ ಆದೇಶದ &#39;ಕಚ್ಚಾ ವಸ್ತುಗಳ ಸರಬರಾಜು ಕೋಷ್ಟಕದಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ ಐಟಂ {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ಖರೀದಿ ಆದೇಶದ &#39;ಕಚ್ಚಾ ವಸ್ತುಗಳ ಸರಬರಾಜು ಕೋಷ್ಟಕದಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ ಐಟಂ {0} {1}
 DocType: Salary Slip,Total Principal Amount,ಒಟ್ಟು ಪ್ರಧಾನ ಮೊತ್ತ
 DocType: Student Guardian,Relation,ರಿಲೇಶನ್
 DocType: Student Guardian,Mother,ತಾಯಿಯ
@@ -533,10 +533,11 @@
 DocType: Tax Rule,Shipping County,ಶಿಪ್ಪಿಂಗ್ ಕೌಂಟಿ
 DocType: Currency Exchange,For Selling,ಮಾರಾಟ ಮಾಡಲು
 apps/erpnext/erpnext/config/desktop.py +159,Learn,ಕಲಿಯಿರಿ
+DocType: Purchase Invoice Item,Enable Deferred Expense,ಮುಂದೂಡಲ್ಪಟ್ಟ ಖರ್ಚು ಸಕ್ರಿಯಗೊಳಿಸಿ
 DocType: Asset,Next Depreciation Date,ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ನೌಕರರ ಚಟುವಟಿಕೆಗಳನ್ನು ವೆಚ್ಚ
 DocType: Accounts Settings,Settings for Accounts,ಖಾತೆಗಳಿಗೆ ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ಯಾವುದೇ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ಯಾವುದೇ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,ಮಾರಾಟಗಾರನ ಟ್ರೀ ನಿರ್ವಹಿಸಿ .
 DocType: Job Applicant,Cover Letter,ಕವರ್ ಲೆಟರ್
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ಅತ್ಯುತ್ತಮ ಚೆಕ್ ಮತ್ತು ತೆರವುಗೊಳಿಸಲು ಠೇವಣಿಗಳ
@@ -551,7 +552,7 @@
 DocType: Employee,External Work History,ಬಾಹ್ಯ ಕೆಲಸ ಇತಿಹಾಸ
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,ಸುತ್ತೋಲೆ ಆಧಾರದೋಷ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,ವಿದ್ಯಾರ್ಥಿ ವರದಿ ಕಾರ್ಡ್
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,ಪಿನ್ ಕೋಡ್ನಿಂದ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,ಪಿನ್ ಕೋಡ್ನಿಂದ
 DocType: Appointment Type,Is Inpatient,ಒಳರೋಗಿ ಇದೆ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 ಹೆಸರು
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ನೀವು ವಿತರಣಾ ಸೂಚನೆ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ( ರಫ್ತು ) ಗೋಚರಿಸುತ್ತದೆ.
@@ -566,18 +567,19 @@
 DocType: Journal Entry,Multi Currency,ಮಲ್ಟಿ ಕರೆನ್ಸಿ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ
 DocType: Employee Benefit Claim,Expense Proof,ವೆಚ್ಚದ ಪುರಾವೆ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},ಉಳಿಸಲಾಗುತ್ತಿದೆ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ
 DocType: Patient Encounter,Encounter Impression,ಎನ್ಕೌಂಟರ್ ಇಂಪ್ರೆಷನ್
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ತೆರಿಗೆಗಳು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,ಮಾರಾಟ ಆಸ್ತಿ ವೆಚ್ಚ
 DocType: Volunteer,Morning,ಮಾರ್ನಿಂಗ್
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,ನೀವು ಹೊರಹಾಕಿದ ನಂತರ ಪಾವತಿ ಎಂಟ್ರಿ ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ಮತ್ತೆ ಎಳೆಯಲು ದಯವಿಟ್ಟು.
 DocType: Program Enrollment Tool,New Student Batch,ಹೊಸ ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ಐಟಂ ತೆರಿಗೆ ಎರಡು ಬಾರಿ ಪ್ರವೇಶಿಸಿತು
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,ಈ ವಾರ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ಐಟಂ ತೆರಿಗೆ ಎರಡು ಬಾರಿ ಪ್ರವೇಶಿಸಿತು
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,ಈ ವಾರ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ
 DocType: Student Applicant,Admitted,ಒಪ್ಪಿಕೊಂಡರು
 DocType: Workstation,Rent Cost,ಬಾಡಿಗೆ ವೆಚ್ಚ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,ಪ್ರಮಾಣ ಸವಕಳಿ ನಂತರ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,ಪ್ರಮಾಣ ಸವಕಳಿ ನಂತರ
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,ಮುಂಬರುವ ಕ್ಯಾಲೆಂಡರ್ ಕ್ರಿಯೆಗಳು
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,ಭಿನ್ನ ಗುಣಲಕ್ಷಣಗಳು
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,ತಿಂಗಳು ವರ್ಷದ ಆಯ್ಕೆಮಾಡಿ
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},ಮಾತ್ರ ಕಂಪನಿ ಪ್ರತಿ 1 ಖಾತೆ ಇಲ್ಲದಂತಾಗುತ್ತದೆ {0} {1}
 DocType: Support Search Source,Response Result Key Path,ಪ್ರತಿಕ್ರಿಯೆ ಫಲಿತಾಂಶ ಕೀ ಪಾಥ್
 DocType: Journal Entry,Inter Company Journal Entry,ಇಂಟರ್ ಕಂಪನಿ ಜರ್ನಲ್ ಎಂಟ್ರಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},ಪರಿಮಾಣ {0} ಕೆಲಸ ಆದೇಶದ ಪ್ರಮಾಣಕ್ಕಿಂತ ತುಪ್ಪಳವಾಗಿರಬಾರದು {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,ಬಾಂಧವ್ಯ ನೋಡಿ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},ಪರಿಮಾಣ {0} ಕೆಲಸ ಆದೇಶದ ಪ್ರಮಾಣಕ್ಕಿಂತ ತುಪ್ಪಳವಾಗಿರಬಾರದು {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,ಬಾಂಧವ್ಯ ನೋಡಿ
 DocType: Purchase Order,% Received,% ಸ್ವೀಕರಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ರಚಿಸಿ
 DocType: Volunteer,Weekends,ವಾರಾಂತ್ಯಗಳು
@@ -658,7 +660,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸರಣಿಯ ಆರಂಭಿಕ / ಪ್ರಸ್ತುತ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಬದಲಾಯಿಸಿ.
 DocType: Dosage Strength,Strength,ಬಲ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ಹೊಸ ಗ್ರಾಹಕ ರಚಿಸಿ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,ಹೊಸ ಗ್ರಾಹಕ ರಚಿಸಿ
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,ರಂದು ಮುಕ್ತಾಯಗೊಳ್ಳುತ್ತದೆ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಮೇಲುಗೈ ಮುಂದುವರಿದರೆ, ಬಳಕೆದಾರರು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಕೈಯಾರೆ ಆದ್ಯತಾ ಸೆಟ್ ತಿಳಿಸಲಾಗುತ್ತದೆ."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ರಚಿಸಿ
@@ -669,17 +671,18 @@
 DocType: Workstation,Consumable Cost,ಉಪಭೋಗ್ಯ ವೆಚ್ಚ
 DocType: Purchase Receipt,Vehicle Date,ವಾಹನ ದಿನಾಂಕ
 DocType: Student Log,Medical,ವೈದ್ಯಕೀಯ
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,ಸೋತ ಕಾರಣ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,ದಯವಿಟ್ಟು ಡ್ರಗ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,ಸೋತ ಕಾರಣ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,ದಯವಿಟ್ಟು ಡ್ರಗ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,ಲೀಡ್ ಮಾಲೀಕ ಲೀಡ್ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು ಹೊರಹೊಮ್ಮಿತು ಪ್ರಮಾಣದ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Announcement,Receiver,ಸ್ವೀಕರಿಸುವವರ
 DocType: Location,Area UOM,ಪ್ರದೇಶ UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ಕಾರ್ಯಸ್ಥಳ ಹಾಲಿಡೇ ಪಟ್ಟಿ ಪ್ರಕಾರ ಕೆಳಗಿನ ದಿನಾಂಕಗಳಂದು ಮುಚ್ಚಲಾಗಿದೆ: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,ಅವಕಾಶಗಳು
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,ಅವಕಾಶಗಳು
 DocType: Lab Test Template,Single,ಏಕೈಕ
 DocType: Compensatory Leave Request,Work From Date,ದಿನಾಂಕದಿಂದ ಕೆಲಸ
 DocType: Salary Slip,Total Loan Repayment,ಒಟ್ಟು ಸಾಲದ ಮರುಪಾವತಿಯ
+DocType: Project User,View attachments,ಲಗತ್ತುಗಳನ್ನು ವೀಕ್ಷಿಸಿ
 DocType: Account,Cost of Goods Sold,ಮಾರಿದ ವಸ್ತುಗಳ ಬೆಲೆ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ನಮೂದಿಸಿ
 DocType: Drug Prescription,Dosage,ಡೋಸೇಜ್
@@ -690,7 +693,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,ಪ್ರಮಾಣ ಮತ್ತು ದರ
 DocType: Delivery Note,% Installed,% ಅನುಸ್ಥಾಪಿಸಲಾದ
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,ಪಾಠದ / ಲ್ಯಾಬೋರೇಟರೀಸ್ ಇತ್ಯಾದಿ ಉಪನ್ಯಾಸಗಳು ಮಾಡಬಹುದು ನಿಗದಿತ ಅಲ್ಲಿ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,ಕಂಪನಿಗಳ ಎರಡು ಕಂಪೆನಿಗಳು ಇಂಟರ್ ಕಂಪೆನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ಗೆ ಹೊಂದಾಣಿಕೆಯಾಗಬೇಕು.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,ಕಂಪನಿಗಳ ಎರಡು ಕಂಪೆನಿಗಳು ಇಂಟರ್ ಕಂಪೆನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ಗೆ ಹೊಂದಾಣಿಕೆಯಾಗಬೇಕು.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,ಮೊದಲ ಕಂಪನಿ ಹೆಸರು ನಮೂದಿಸಿ
 DocType: Travel Itinerary,Non-Vegetarian,ಸಸ್ಯಾಹಾರಿ
 DocType: Purchase Invoice,Supplier Name,ಸರಬರಾಜುದಾರ ಹೆಸರು
@@ -700,7 +703,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,ತಾತ್ಕಾಲಿಕವಾಗಿ ಹೋಲ್ಡ್
 DocType: Account,Is Group,ಗ್ರೂಪ್
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,ಕ್ರೆಡಿಟ್ ಸೂಚನೆ {0} ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ರಚಿಸಲಾಗಿದೆ
-DocType: Email Digest,Pending Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಬಾಕಿ
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,ಸ್ವಯಂಚಾಲಿತವಾಗಿ FIFO ಆಧರಿಸಿ ನಾವು ಸೀರಿಯಲ್ ಹೊಂದಿಸಿ
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ಚೆಕ್ ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ ವೈಶಿಷ್ಟ್ಯ
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,ಪ್ರಾಥಮಿಕ ವಿಳಾಸ ವಿವರಗಳು
@@ -718,12 +720,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ಮಾಡಿದರು ಇಮೇಲ್ ಒಂದು ಭಾಗವಾಗಿ ಹೋಗುತ್ತದೆ ಪರಿಚಯಾತ್ಮಕ ಪಠ್ಯ ಕಸ್ಟಮೈಸ್ . ಪ್ರತಿ ವ್ಯವಹಾರ ಪ್ರತ್ಯೇಕ ಪರಿಚಯಾತ್ಮಕ ಪಠ್ಯ ಹೊಂದಿದೆ .
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},ಸಾಲು {0}: ಕಚ್ಚಾ ವಸ್ತು ಐಟಂ ವಿರುದ್ಧ ಕಾರ್ಯಾಚರಣೆ ಅಗತ್ಯವಿದೆ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಗೆ ಡೀಫಾಲ್ಟ್ ಪಾವತಿಸಬೇಕು ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},ವರ್ಕ್ ಆರ್ಡರ್ {0} ಅನ್ನು ನಿಲ್ಲಿಸಿದ ನಂತರ ವಹಿವಾಟು ಅನುಮತಿಸುವುದಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},ವರ್ಕ್ ಆರ್ಡರ್ {0} ಅನ್ನು ನಿಲ್ಲಿಸಿದ ನಂತರ ವಹಿವಾಟು ಅನುಮತಿಸುವುದಿಲ್ಲ
 DocType: Setup Progress Action,Min Doc Count,ಕನಿಷ್ಠ ಡಾಕ್ ಕೌಂಟ್
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ಎಲ್ಲಾ ಉತ್ಪಾದನಾ ಪ್ರಕ್ರಿಯೆಗಳು ಜಾಗತಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು.
 DocType: Accounts Settings,Accounts Frozen Upto,ಘನೀಕೃತ ವರೆಗೆ ಖಾತೆಗಳು
 DocType: SMS Log,Sent On,ಕಳುಹಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,ಗುಣಲಕ್ಷಣ {0} ಗುಣಲಕ್ಷಣಗಳು ಟೇಬಲ್ ಅನೇಕ ಬಾರಿ ಆಯ್ಕೆ
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,ಗುಣಲಕ್ಷಣ {0} ಗುಣಲಕ್ಷಣಗಳು ಟೇಬಲ್ ಅನೇಕ ಬಾರಿ ಆಯ್ಕೆ
 DocType: HR Settings,Employee record is created using selected field. ,
 DocType: Sales Order,Not Applicable,ಅನ್ವಯಿಸುವುದಿಲ್ಲ
 DocType: Amazon MWS Settings,UK,ಯುಕೆ
@@ -752,21 +754,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,ಉದ್ಯೋಗಿ {0} ಈಗಾಗಲೇ {2} ನಲ್ಲಿ {2} ಗೆ ಅನ್ವಯಿಸಿದ್ದಾರೆ:
 DocType: Inpatient Record,AB Positive,ಎಬಿ ಧನಾತ್ಮಕ
 DocType: Job Opening,Description of a Job Opening,ಒಂದು ಉದ್ಯೋಗಾವಕಾಶದ ವಿವರಣೆ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,ಇಂದು ಬಾಕಿ ಚಟುವಟಿಕೆಗಳನ್ನು
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,ಇಂದು ಬಾಕಿ ಚಟುವಟಿಕೆಗಳನ್ನು
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Timesheet ಆಧಾರಿತ ವೇತನದಾರರ ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್.
+DocType: Driver,Applicable for external driver,ಬಾಹ್ಯ ಚಾಲಕಕ್ಕೆ ಅನ್ವಯಿಸುತ್ತದೆ
 DocType: Sales Order Item,Used for Production Plan,ಉತ್ಪಾದನೆ ಯೋಜನೆ ಉಪಯೋಗಿಸಿದ
 DocType: Loan,Total Payment,ಒಟ್ಟು ಪಾವತಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,ಪೂರ್ಣಗೊಂಡ ಕೆಲಸ ಆದೇಶಕ್ಕಾಗಿ ವ್ಯವಹಾರವನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗುವುದಿಲ್ಲ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,ಪೂರ್ಣಗೊಂಡ ಕೆಲಸ ಆದೇಶಕ್ಕಾಗಿ ವ್ಯವಹಾರವನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗುವುದಿಲ್ಲ.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(ನಿಮಿಷಗಳು) ಕಾರ್ಯಾಚರಣೆ ನಡುವೆ ಸಮಯ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,ಎಲ್ಲಾ ಮಾರಾಟ ಆದೇಶದ ಐಟಂಗಳಿಗಾಗಿ ಪಿಒ ಈಗಾಗಲೇ ರಚಿಸಲಾಗಿದೆ
 DocType: Healthcare Service Unit,Occupied,ಆಕ್ರಮಿಸಿಕೊಂಡಿದೆ
 DocType: Clinical Procedure,Consumables,ಗ್ರಾಹಕಗಳು
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ಕ್ರಮ ಪೂರ್ಣಗೊಳಿಸಲಾಗಲಿಲ್ಲ ಆದ್ದರಿಂದ ರದ್ದುಗೊಂಡಿತು
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} ಕ್ರಮ ಪೂರ್ಣಗೊಳಿಸಲಾಗಲಿಲ್ಲ ಆದ್ದರಿಂದ ರದ್ದುಗೊಂಡಿತು
 DocType: Customer,Buyer of Goods and Services.,ಸರಕು ಮತ್ತು ಸೇವೆಗಳ ಖರೀದಿದಾರನ.
 DocType: Journal Entry,Accounts Payable,ಖಾತೆಗಳನ್ನು ಕೊಡಬೇಕಾದ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,ಈ ಪಾವತಿಯ ವಿನಂತಿಯಲ್ಲಿ ಹೊಂದಿಸಲಾದ {0} ಮೊತ್ತವು ಎಲ್ಲಾ ಪಾವತಿ ಯೋಜನೆಗಳ ಲೆಕ್ಕಾಚಾರದ ಮೊತ್ತಕ್ಕಿಂತ ಭಿನ್ನವಾಗಿದೆ: {1}. ಡಾಕ್ಯುಮೆಂಟ್ ಸಲ್ಲಿಸುವಾಗ ಇದು ಸರಿಯಾಗಿದೆಯೆ ಎಂದು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ.
 DocType: Patient,Allergies,ಅಲರ್ಜಿಗಳು
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,ಆಯ್ಕೆ BOMs ಒಂದೇ ಐಟಂ ಅಲ್ಲ
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,ಆಯ್ಕೆ BOMs ಒಂದೇ ಐಟಂ ಅಲ್ಲ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,ಐಟಂ ಕೋಡ್ ಬದಲಿಸಿ
 DocType: Supplier Scorecard Standing,Notify Other,ಇತರೆ ಸೂಚಿಸಿ
 DocType: Vital Signs,Blood Pressure (systolic),ರಕ್ತದೊತ್ತಡ (ಸಂಕೋಚನ)
@@ -778,7 +781,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,ಸಾಕಷ್ಟು ಭಾಗಗಳನ್ನು ನಿರ್ಮಿಸಲು
 DocType: POS Profile User,POS Profile User,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಬಳಕೆದಾರ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,ಸಾಲು {0}: ಸವಕಳಿ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಅಗತ್ಯವಿದೆ
-DocType: Sales Invoice Item,Service Start Date,ಸೇವೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ
+DocType: Purchase Invoice Item,Service Start Date,ಸೇವೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ
 DocType: Subscription Invoice,Subscription Invoice,ಚಂದಾದಾರಿಕೆ ಸರಕುಪಟ್ಟಿ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,ನೇರ ಆದಾಯ
 DocType: Patient Appointment,Date TIme,ದಿನಾಂಕ ಸಮಯ
@@ -798,7 +801,7 @@
 DocType: Lab Test Template,Lab Routine,ಲ್ಯಾಬ್ ನಿಯತಕ್ರಮ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,ಕಾಸ್ಮೆಟಿಕ್ಸ್
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,ದಯವಿಟ್ಟು ಪೂರ್ಣಗೊಂಡ ಆಸ್ತಿ ನಿರ್ವಹಣೆ ಲಾಗ್ಗಾಗಿ ಪೂರ್ಣಗೊಂಡ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","ವಿಲೀನಗೊಳ್ಳಲು , ನಂತರ ಲಕ್ಷಣಗಳು ಐಟಂಗಳನ್ನು ಸಾಮಾನ್ಯ ಇರಬೇಕು"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","ವಿಲೀನಗೊಳ್ಳಲು , ನಂತರ ಲಕ್ಷಣಗಳು ಐಟಂಗಳನ್ನು ಸಾಮಾನ್ಯ ಇರಬೇಕು"
 DocType: Supplier,Block Supplier,ಬ್ಲಾಕ್ ಸರಬರಾಜುದಾರ
 DocType: Shipping Rule,Net Weight,ನೆಟ್ ತೂಕ
 DocType: Job Opening,Planned number of Positions,ಯೋಜಿತ ಸಂಖ್ಯೆಯ ಸ್ಥಾನಗಳು
@@ -820,19 +823,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪಿಂಗ್ ಟೆಂಪ್ಲೇಟು
 DocType: Travel Request,Costing Details,ವೆಚ್ಚದ ವಿವರಗಳು
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,ರಿಟರ್ನ್ ನಮೂದುಗಳನ್ನು ತೋರಿಸು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,ಸೀರಿಯಲ್ ಯಾವುದೇ ಐಟಂ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,ಸೀರಿಯಲ್ ಯಾವುದೇ ಐಟಂ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Journal Entry,Difference (Dr - Cr),ವ್ಯತ್ಯಾಸ ( ಡಾ - ಸಿಆರ್)
 DocType: Bank Guarantee,Providing,ಒದಗಿಸುವುದು
 DocType: Account,Profit and Loss,ಲಾಭ ಮತ್ತು ನಷ್ಟ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","ಅನುಮತಿಸಲಾಗಿಲ್ಲ, ಅಗತ್ಯವಿರುವ ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ಕಾನ್ಫಿಗರ್ ಮಾಡಿ"
 DocType: Patient,Risk Factors,ರಿಸ್ಕ್ ಫ್ಯಾಕ್ಟರ್ಸ್
 DocType: Patient,Occupational Hazards and Environmental Factors,ವ್ಯಾವಹಾರಿಕ ಅಪಾಯಗಳು ಮತ್ತು ಪರಿಸರ ಅಂಶಗಳು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,ವರ್ಕ್ ಆರ್ಡರ್ಗಾಗಿ ಈಗಾಗಲೇ ಸ್ಟಾಕ್ ನಮೂದುಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,ವರ್ಕ್ ಆರ್ಡರ್ಗಾಗಿ ಈಗಾಗಲೇ ಸ್ಟಾಕ್ ನಮೂದುಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ
 DocType: Vital Signs,Respiratory rate,ಉಸಿರಾಟದ ದರ
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,ವ್ಯವಸ್ಥಾಪಕ ಉಪಗುತ್ತಿಗೆ
 DocType: Vital Signs,Body Temperature,ದೇಹ ತಾಪಮಾನ
 DocType: Project,Project will be accessible on the website to these users,ಪ್ರಾಜೆಕ್ಟ್ ಈ ಬಳಕೆದಾರರಿಗೆ ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರವೇಶಿಸಬಹುದಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} ಅನ್ನು ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ ಏಕೆಂದರೆ ಸೀರಿಯಲ್ ಇಲ್ಲ {2} ಗೋದಾಮಿನ {3}
 DocType: Detected Disease,Disease,ರೋಗ
+DocType: Company,Default Deferred Expense Account,ಡೀಫಾಲ್ಟ್ ಡಿಫ್ರೆಡ್ಡ್ ಖರ್ಚು ಖಾತೆ
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,ಪ್ರಾಜೆಕ್ಟ್ ಪ್ರಕಾರವನ್ನು ವಿವರಿಸಿ.
 DocType: Supplier Scorecard,Weighting Function,ತೂಕದ ಕಾರ್ಯ
 DocType: Healthcare Practitioner,OP Consulting Charge,ಓಪನ್ ಕನ್ಸಲ್ಟಿಂಗ್ ಚಾರ್ಜ್
@@ -849,7 +854,7 @@
 DocType: Crop,Produced Items,ತಯಾರಿಸಿದ ಐಟಂಗಳು
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ಇನ್ವಾಯ್ಸ್ಗಳಿಗೆ ವಹಿವಾಟಿನ ಹೊಂದಾಣಿಕೆ
 DocType: Sales Order Item,Gross Profit,ನಿವ್ವಳ ಲಾಭ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,ಸರಕುಪಟ್ಟಿ ಅನಿರ್ಬಂಧಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,ಸರಕುಪಟ್ಟಿ ಅನಿರ್ಬಂಧಿಸಿ
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ಹೆಚ್ಚಳವನ್ನು 0 ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Company,Delete Company Transactions,ಕಂಪನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಅಳಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,ರೆಫರೆನ್ಸ್ ಯಾವುದೇ ಮತ್ತು ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ಬ್ಯಾಂಕ್ ವ್ಯವಹಾರ ಕಡ್ಡಾಯವಾಗಿದೆ
@@ -870,11 +875,11 @@
 DocType: Budget,Ignore,ಕಡೆಗಣಿಸು
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} ಸಕ್ರಿಯವಾಗಿಲ್ಲ
 DocType: Woocommerce Settings,Freight and Forwarding Account,ಸರಕು ಮತ್ತು ಫಾರ್ವರ್ಡ್ ಖಾತೆ
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,ಮುದ್ರಣ ಸೆಟಪ್ ಚೆಕ್ ಆಯಾಮಗಳು
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,ಮುದ್ರಣ ಸೆಟಪ್ ಚೆಕ್ ಆಯಾಮಗಳು
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,ವೇತನ ಸ್ಲಿಪ್ಸ್ ರಚಿಸಿ
 DocType: Vital Signs,Bloated,ಉಬ್ಬಿಕೊಳ್ಳುತ್ತದೆ
 DocType: Salary Slip,Salary Slip Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ಉಪ ಒಪ್ಪಂದ ಖರೀದಿ ರಸೀತಿ ಕಡ್ಡಾಯ ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ಉಪ ಒಪ್ಪಂದ ಖರೀದಿ ರಸೀತಿ ಕಡ್ಡಾಯ ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್
 DocType: Item Price,Valid From,ಮಾನ್ಯ
 DocType: Sales Invoice,Total Commission,ಒಟ್ಟು ಆಯೋಗ
 DocType: Tax Withholding Account,Tax Withholding Account,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ಖಾತೆ
@@ -882,12 +887,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,ಎಲ್ಲಾ ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ಗಳು.
 DocType: Buying Settings,Purchase Receipt Required,ಅಗತ್ಯ ಖರೀದಿ ರಸೀತಿ
 DocType: Delivery Note,Rail,ರೈಲು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,ಸಾಲು {0} ನಲ್ಲಿನ ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನು ವರ್ಕ್ ಆರ್ಡರ್ನಂತೆಯೇ ಇರಬೇಕು
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,ತೆರೆಯುವ ಸ್ಟಾಕ್ ಪ್ರವೇಶಿಸಿತು ಮೌಲ್ಯಾಂಕನ ದರ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,ಸಾಲು {0} ನಲ್ಲಿನ ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನು ವರ್ಕ್ ಆರ್ಡರ್ನಂತೆಯೇ ಇರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,ತೆರೆಯುವ ಸ್ಟಾಕ್ ಪ್ರವೇಶಿಸಿತು ಮೌಲ್ಯಾಂಕನ ದರ ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,ಸರಕುಪಟ್ಟಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,ಮೊದಲ ಕಂಪನಿ ಮತ್ತು ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಮಾಡಿ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","ಈಗಾಗಲೇ {1} ಬಳಕೆದಾರರಿಗೆ ಪೋಸ್ ಪ್ರೊಫೈಲ್ನಲ್ಲಿ {0} ಪೂರ್ವನಿಯೋಜಿತವಾಗಿ ಹೊಂದಿಸಿ, ದಯೆಯಿಂದ ನಿಷ್ಕ್ರಿಯಗೊಂಡ ಡೀಫಾಲ್ಟ್"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ .
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ .
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ಕ್ರೋಢಿಕೃತ ಮೌಲ್ಯಗಳು
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","ಕ್ಷಮಿಸಿ, ಸೀರಿಯಲ್ ಸೂಲ ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ಗ್ರಾಹಕರನ್ನು Shopify ನಿಂದ ಸಿಂಕ್ ಮಾಡುವಾಗ ಆಯ್ಕೆ ಗುಂಪುಗೆ ಗ್ರಾಹಕ ಗುಂಪು ಹೊಂದಿಸುತ್ತದೆ
@@ -901,7 +906,7 @@
 ,Lead Id,ಲೀಡ್ ಸಂ
 DocType: C-Form Invoice Detail,Grand Total,ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು
 DocType: Assessment Plan,Course,ಕೋರ್ಸ್
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,ವಿಭಾಗ ಕೋಡ್
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,ವಿಭಾಗ ಕೋಡ್
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,ಅರ್ಧ ದಿನ ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ಇಲ್ಲಿಯವರೆಗೆ ಇರಬೇಕು
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,ಐಟಂ ಕಾರ್ಟ್
@@ -910,7 +915,8 @@
 DocType: Employee,Personal Bio,ವೈಯಕ್ತಿಕ ಬಯೋ
 DocType: C-Form,IV,ಐವಿ
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ಸದಸ್ಯತ್ವ ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},ತಲುಪಿಸಲಾಗಿದೆ: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},ತಲುಪಿಸಲಾಗಿದೆ: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,ಕ್ವಿಕ್ಬುಕ್ಸ್ಗಳಿಗೆ ಸಂಪರ್ಕಿಸಲಾಗಿದೆ
 DocType: Bank Statement Transaction Entry,Payable Account,ಕೊಡಬೇಕಾದ ಖಾತೆ
 DocType: Payment Entry,Type of Payment,ಪಾವತಿ ಕೌಟುಂಬಿಕತೆ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,ಹಾಫ್ ಡೇ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ
@@ -922,7 +928,7 @@
 DocType: Sales Invoice,Shipping Bill Date,ಶಿಪ್ಪಿಂಗ್ ಬಿಲ್ ದಿನಾಂಕ
 DocType: Production Plan,Production Plan,ಉತ್ಪಾದನಾ ಯೋಜನೆ
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ಸರಕುಪಟ್ಟಿ ಸೃಷ್ಟಿ ಉಪಕರಣವನ್ನು ತೆರೆಯಲಾಗುತ್ತಿದೆ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,ಮಾರಾಟದ ರಿಟರ್ನ್
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,ಮಾರಾಟದ ರಿಟರ್ನ್
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ಗಮನಿಸಿ: ಒಟ್ಟು ನಿಯೋಜಿತವಾದ ಎಲೆಗಳನ್ನು {0} ಈಗಾಗಲೇ ಅನುಮೋದನೆ ಎಲೆಗಳು ಕಡಿಮೆ ಮಾಡಬಾರದು {1} ಕಾಲ
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,ಸೀರಿಯಲ್ ನೋ ಇನ್ಪುಟ್ ಆಧರಿಸಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ನಲ್ಲಿ ಹೊಂದಿಸಿ
 ,Total Stock Summary,ಒಟ್ಟು ಸ್ಟಾಕ್ ಸಾರಾಂಶ
@@ -935,9 +941,9 @@
 DocType: Authorization Rule,Customer or Item,ಗ್ರಾಹಕ ಅಥವಾ ಐಟಂ
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,ಗ್ರಾಹಕ ಡೇಟಾಬೇಸ್ .
 DocType: Quotation,Quotation To,ಉದ್ಧರಣಾ
-DocType: Lead,Middle Income,ಮಧ್ಯಮ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,ಮಧ್ಯಮ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),ತೆರೆಯುತ್ತಿದೆ ( ಸಿಆರ್)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ನೀವು ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಕೆಲವು ವ್ಯವಹಾರ (ರು) ಮಾಡಿರುವ ಕಾರಣ ಐಟಂ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ {0} ನೇರವಾಗಿ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ನೀವು ಬೇರೆ ಡೀಫಾಲ್ಟ್ ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಬಳಸಲು ಹೊಸ ಐಟಂ ರಚಿಸಬೇಕಾಗಿದೆ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ನೀವು ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಕೆಲವು ವ್ಯವಹಾರ (ರು) ಮಾಡಿರುವ ಕಾರಣ ಐಟಂ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ {0} ನೇರವಾಗಿ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ನೀವು ಬೇರೆ ಡೀಫಾಲ್ಟ್ ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಬಳಸಲು ಹೊಸ ಐಟಂ ರಚಿಸಬೇಕಾಗಿದೆ.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,ದಯವಿಟ್ಟು ಕಂಪನಿ ಸೆಟ್
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,ದಯವಿಟ್ಟು ಕಂಪನಿ ಸೆಟ್
@@ -955,15 +961,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ ಮಾಡಲು ಆಯ್ಕೆ ಪಾವತಿ ಖಾತೆ
 DocType: Hotel Settings,Default Invoice Naming Series,ಡೀಫಾಲ್ಟ್ ಸರಕುಪಟ್ಟಿ ಹೆಸರಿಸುವ ಸರಣಿ
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","ಎಲೆಗಳು, ಖರ್ಚು ಹಕ್ಕು ಮತ್ತು ವೇತನದಾರರ ನಿರ್ವಹಿಸಲು ನೌಕರರ ದಾಖಲೆಗಳು ರಚಿಸಿ"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,ನವೀಕರಣ ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ ದೋಷ ಸಂಭವಿಸಿದೆ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,ನವೀಕರಣ ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ ದೋಷ ಸಂಭವಿಸಿದೆ
 DocType: Restaurant Reservation,Restaurant Reservation,ರೆಸ್ಟೋರೆಂಟ್ ಮೀಸಲಾತಿ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,ಪ್ರೊಪೋಸಲ್ ಬರವಣಿಗೆ
 DocType: Payment Entry Deduction,Payment Entry Deduction,ಪಾವತಿ ಎಂಟ್ರಿ ಡಿಡಕ್ಷನ್
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,ಅಪ್ ಸುತ್ತುವುದನ್ನು
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ಗ್ರಾಹಕರು ಇಮೇಲ್ ಮೂಲಕ ಸೂಚಿಸಿ
 DocType: Item,Batch Number Series,ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಸರಣಿ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,ಮತ್ತೊಂದು ಮಾರಾಟಗಾರನ {0} ಅದೇ ನೌಕರರ ಐಡಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,ಮತ್ತೊಂದು ಮಾರಾಟಗಾರನ {0} ಅದೇ ನೌಕರರ ಐಡಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
 DocType: Employee Advance,Claimed Amount,ಹಕ್ಕು ಪಡೆಯಲಾದ ಮೊತ್ತ
+DocType: QuickBooks Migrator,Authorization Settings,ಅಧಿಕಾರ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Travel Itinerary,Departure Datetime,ನಿರ್ಗಮನದ ದಿನಾಂಕ
 DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,ಪ್ರಯಾಣ ವಿನಂತಿ ವೆಚ್ಚವಾಗುತ್ತದೆ
@@ -1003,26 +1010,29 @@
 DocType: Buying Settings,Supplier Naming By,ಸರಬರಾಜುದಾರ ಹೆಸರಿಸುವ ಮೂಲಕ
 DocType: Activity Type,Default Costing Rate,ಡೀಫಾಲ್ಟ್ ಕಾಸ್ಟಿಂಗ್ ದರ
 DocType: Maintenance Schedule,Maintenance Schedule,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","ನಂತರ ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಗ್ರಾಹಕ ಆಧಾರಿತ ಸೋಸುತ್ತವೆ, ಗ್ರಾಹಕ ಗುಂಪಿನ, ಪ್ರದೇಶ, ಸರಬರಾಜುದಾರ, ಸರಬರಾಜುದಾರ ಪ್ರಕಾರ, ಪ್ರಚಾರ, ಮಾರಾಟದ ಸಂಗಾತಿ ಇತ್ಯಾದಿ"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","ನಂತರ ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಗ್ರಾಹಕ ಆಧಾರಿತ ಸೋಸುತ್ತವೆ, ಗ್ರಾಹಕ ಗುಂಪಿನ, ಪ್ರದೇಶ, ಸರಬರಾಜುದಾರ, ಸರಬರಾಜುದಾರ ಪ್ರಕಾರ, ಪ್ರಚಾರ, ಮಾರಾಟದ ಸಂಗಾತಿ ಇತ್ಯಾದಿ"
 DocType: Employee Promotion,Employee Promotion Details,ಉದ್ಯೋಗಿ ಪ್ರಚಾರ ವಿವರಗಳು
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,ಇನ್ವೆಂಟರಿ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
 DocType: Employee,Passport Number,ಪಾಸ್ಪೋರ್ಟ್ ಸಂಖ್ಯೆ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 ಸಂಬಂಧ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,ವ್ಯವಸ್ಥಾಪಕ
 DocType: Payment Entry,Payment From / To,ಪಾವತಿ / ಹೋಗು
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷದಿಂದ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},ಹೊಸ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಗ್ರಾಹಕ ಪ್ರಸ್ತುತ ಬಾಕಿ ಮೊತ್ತದ ಕಡಿಮೆ. ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಕನಿಷ್ಠ ಎಂದು ಹೊಂದಿದೆ {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},ವೇರ್ಹೌಸ್ನಲ್ಲಿ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},ವೇರ್ಹೌಸ್ನಲ್ಲಿ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'ಆಧರಿಸಿ ' ಮತ್ತು ' ಗುಂಪಿನ ' ಇರಲಾಗುವುದಿಲ್ಲ
 DocType: Sales Person,Sales Person Targets,ಮಾರಾಟಗಾರನ ಗುರಿ
 DocType: Work Order Operation,In minutes,ನಿಮಿಷಗಳಲ್ಲಿ
 DocType: Issue,Resolution Date,ರೆಸಲ್ಯೂಶನ್ ದಿನಾಂಕ
 DocType: Lab Test Template,Compound,ಸಂಯುಕ್ತ
+DocType: Opportunity,Probability (%),ಸಂಭವನೀಯತೆ (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,ಅಧಿಸೂಚನೆಯನ್ನು ರವಾನಿಸು
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,ಆಸ್ತಿಯನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Student Batch Name,Batch Name,ಬ್ಯಾಚ್ ಹೆಸರು
 DocType: Fee Validity,Max number of visit,ಗರಿಷ್ಠ ಸಂಖ್ಯೆಯ ಭೇಟಿ
 ,Hotel Room Occupancy,ಹೋಟೆಲ್ ರೂಮ್ ಆಕ್ಯುಪೆನ್ಸಿ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet ದಾಖಲಿಸಿದವರು:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,ದಾಖಲಾಗಿ
 DocType: GST Settings,GST Settings,ಜಿಎಸ್ಟಿ ಸೆಟ್ಟಿಂಗ್ಗಳು
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},ಕರೆನ್ಸಿ ಬೆಲೆ ಪಟ್ಟಿಗೆ ಸಮಾನವಾಗಿರಬೇಕು: ಕರೆನ್ಸಿ: {0}
@@ -1063,12 +1073,12 @@
 DocType: Loan,Total Interest Payable,ಪಾವತಿಸಲಾಗುವುದು ಒಟ್ಟು ಬಡ್ಡಿ
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ಇಳಿಯಿತು ವೆಚ್ಚ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು
 DocType: Work Order Operation,Actual Start Time,ನಿಜವಾದ ಟೈಮ್
+DocType: Purchase Invoice Item,Deferred Expense Account,ಮುಂದೂಡಲ್ಪಟ್ಟ ಖರ್ಚು ಖಾತೆ
 DocType: BOM Operation,Operation Time,ಆಪರೇಷನ್ ಟೈಮ್
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,ಮುಕ್ತಾಯ
 DocType: Salary Structure Assignment,Base,ಬೇಸ್
 DocType: Timesheet,Total Billed Hours,ಒಟ್ಟು ಖ್ಯಾತವಾದ ಅವರ್ಸ್
 DocType: Travel Itinerary,Travel To,ಪ್ರಯಾಣಕ್ಕೆ
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ಅಲ್ಲ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,ಪ್ರಮಾಣ ಆಫ್ ಬರೆಯಿರಿ
 DocType: Leave Block List Allow,Allow User,ಬಳಕೆದಾರ ಅನುಮತಿಸಿ
 DocType: Journal Entry,Bill No,ಬಿಲ್ ನಂ
@@ -1087,9 +1097,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,ವೇಳಾಚೀಟಿ
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush ಕಚ್ಚಾ ವಸ್ತುಗಳ ಆಧರಿಸಿದ
 DocType: Sales Invoice,Port Code,ಪೋರ್ಟ್ ಕೋಡ್
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,ರಿಸರ್ವ್ ವೇರ್ಹೌಸ್
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,ರಿಸರ್ವ್ ವೇರ್ಹೌಸ್
 DocType: Lead,Lead is an Organization,ಪ್ರಮುಖ ಸಂಸ್ಥೆಯಾಗಿದೆ
-DocType: Guardian Interest,Interest,ಆಸಕ್ತಿ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,ಪೂರ್ವ ಮಾರಾಟದ
 DocType: Instructor Log,Other Details,ಇತರೆ ವಿವರಗಳು
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1099,7 +1108,7 @@
 DocType: Account,Accounts,ಅಕೌಂಟ್ಸ್
 DocType: Vehicle,Odometer Value (Last),ದೂರಮಾಪಕ ಮೌಲ್ಯ (ಕೊನೆಯ)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಮಾನದಂಡದ ಟೆಂಪ್ಲೇಟ್ಗಳು.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,ಮಾರ್ಕೆಟಿಂಗ್
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,ಮಾರ್ಕೆಟಿಂಗ್
 DocType: Sales Invoice,Redeem Loyalty Points,ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳನ್ನು ಪುನಃ ಪಡೆದುಕೊಳ್ಳಿ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,ಪಾವತಿ ಎಂಟ್ರಿ ಈಗಾಗಲೇ ರಚಿಸಲಾಗಿದೆ
 DocType: Request for Quotation,Get Suppliers,ಪೂರೈಕೆದಾರರನ್ನು ಪಡೆಯಿರಿ
@@ -1116,16 +1125,14 @@
 DocType: Crop,Crop Spacing UOM,ಕ್ರಾಪ್ ಸ್ಪೇಸಿಂಗ್ UOM
 DocType: Loyalty Program,Single Tier Program,ಏಕ ಶ್ರೇಣಿ ಕಾರ್ಯಕ್ರಮ
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪರ್ ಡಾಕ್ಯುಮೆಂಟ್ಗಳನ್ನು ನೀವು ಹೊಂದಿದ್ದಲ್ಲಿ ಮಾತ್ರ ಆಯ್ಕೆಮಾಡಿ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,ವಿಳಾಸ 1 ರಿಂದ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,ವಿಳಾಸ 1 ರಿಂದ
 DocType: Email Digest,Next email will be sent on:,ಮುಂದೆ ಇಮೇಲ್ ಮೇಲೆ ಕಳುಹಿಸಲಾಗುವುದು :
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",ಕೆಳಗಿನ ಐಟಂ {ಐಟಂಗಳನ್ನು} {ಕ್ರಿಯಾಪದ} {ಸಂದೇಶ} ಐಟಂ ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ. \ ನೀವು ಅದರ ಐಟಂ ಮಾಸ್ಟರ್ನಿಂದ {message} ಐಟಂ ಎಂದು ಸಕ್ರಿಯಗೊಳಿಸಬಹುದು
 DocType: Supplier Scorecard,Per Week,ವಾರಕ್ಕೆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,ಐಟಂ ವೇರಿಯಂಟ್.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,ಐಟಂ ವೇರಿಯಂಟ್.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,ಒಟ್ಟು ವಿದ್ಯಾರ್ಥಿ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ಐಟಂ {0} ಕಂಡುಬಂದಿಲ್ಲ
 DocType: Bin,Stock Value,ಸ್ಟಾಕ್ ಮೌಲ್ಯ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,ಕಂಪನಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,ಕಂಪನಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} {1} ವರೆಗೆ ಶುಲ್ಕ ಮಾನ್ಯತೆ ಇರುತ್ತದೆ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,ಟ್ರೀ ಕೌಟುಂಬಿಕತೆ
 DocType: BOM Explosion Item,Qty Consumed Per Unit,ಪ್ರಮಾಣ ಘಟಕ ಬಳಸುತ್ತಿರುವ
@@ -1141,7 +1148,7 @@
 ,Fichier des Ecritures Comptables [FEC],ಫಿಶಿಯರ್ ಡೆಸ್ ಎಕ್ರಿಕರ್ಸ್ ಕಾಂಪ್ಟೇಬಲ್ಸ್ [ಎಫ್.ಸಿ.ಸಿ]
 DocType: Journal Entry,Credit Card Entry,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್ ಎಂಟ್ರಿ
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,ಕಂಪನಿ ಮತ್ತು ಖಾತೆಗಳು
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,ಮೌಲ್ಯ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,ಮೌಲ್ಯ
 DocType: Asset Settings,Depreciation Options,ಸವಕಳಿ ಆಯ್ಕೆಗಳು
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,ಸ್ಥಳ ಅಥವಾ ನೌಕರರ ಅವಶ್ಯಕತೆ ಇರಬೇಕು
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,ಅಮಾನ್ಯ ಪೋಸ್ಟ್ ಸಮಯ
@@ -1158,20 +1165,21 @@
 DocType: Leave Allocation,Allocation,ಹಂಚಿಕೆ
 DocType: Purchase Order,Supply Raw Materials,ಪೂರೈಕೆ ರಾ ಮೆಟೀರಿಯಲ್ಸ್
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ಪ್ರಸಕ್ತ ಆಸ್ತಿಪಾಸ್ತಿಗಳು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',&#39;ತರಬೇತಿ ಪ್ರತಿಕ್ರಿಯೆ&#39; ಕ್ಲಿಕ್ ಮಾಡಿ ಮತ್ತು ನಂತರ &#39;ಹೊಸ&#39;
 DocType: Mode of Payment Account,Default Account,ಡೀಫಾಲ್ಟ್ ಖಾತೆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,ಮೊದಲು ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಮಾದರಿ ಧಾರಣ ವೇರ್ಹೌಸ್ ಅನ್ನು ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,ಮೊದಲು ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಮಾದರಿ ಧಾರಣ ವೇರ್ಹೌಸ್ ಅನ್ನು ಆಯ್ಕೆಮಾಡಿ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಸಂಗ್ರಹ ನಿಯಮಗಳಿಗೆ ದಯವಿಟ್ಟು ಬಹು ಶ್ರೇಣಿ ಪ್ರೋಗ್ರಾಂ ಪ್ರಕಾರವನ್ನು ಆಯ್ಕೆಮಾಡಿ.
 DocType: Payment Entry,Received Amount (Company Currency),ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,ಅವಕಾಶ ಪ್ರಮುಖ ತಯಾರಿಸಲಾಗುತ್ತದೆ ವೇಳೆ ಲೀಡ್ ಸೆಟ್ ಮಾಡಬೇಕು
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,ಪಾವತಿ ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ. ದಯವಿಟ್ಟು ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ನಿಮ್ಮ GoCardless ಖಾತೆಯನ್ನು ಪರಿಶೀಲಿಸಿ
 DocType: Contract,N/A,ಎನ್ / ಎ
+DocType: Delivery Settings,Send with Attachment,ಲಗತ್ತಿನೊಂದಿಗೆ ಕಳುಹಿಸಿ
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,ಸಾಪ್ತಾಹಿಕ ದಿನ ಆಫ್ ಆಯ್ಕೆಮಾಡಿ
 DocType: Inpatient Record,O Negative,ಒ ಋಣಾತ್ಮಕ
 DocType: Work Order Operation,Planned End Time,ಯೋಜಿತ ಎಂಡ್ ಟೈಮ್
 ,Sales Person Target Variance Item Group-Wise,ಮಾರಾಟಗಾರನ ಟಾರ್ಗೆಟ್ ವೈಷಮ್ಯವನ್ನು ಐಟಂ ಗ್ರೂಪ್ ವೈಸ್
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,ಸದಸ್ಯತ್ವ ವಿವರ ವಿವರಗಳು
 DocType: Delivery Note,Customer's Purchase Order No,ಗ್ರಾಹಕರ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ನಂ
 DocType: Clinical Procedure,Consume Stock,ಸ್ಟಾಕ್ ಅನ್ನು ಸೇವಿಸಿ
@@ -1184,26 +1192,26 @@
 DocType: Soil Texture,Sand,ಮರಳು
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,ಶಕ್ತಿ
 DocType: Opportunity,Opportunity From,ಅವಕಾಶದಿಂದ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ಸಾಲು {0}: {1} ಐಟಂಗೆ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು ಅಗತ್ಯವಿದೆ {2}. ನೀವು {3} ಒದಗಿಸಿದ್ದೀರಿ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ಸಾಲು {0}: {1} ಐಟಂಗೆ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು ಅಗತ್ಯವಿದೆ {2}. ನೀವು {3} ಒದಗಿಸಿದ್ದೀರಿ.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,ದಯವಿಟ್ಟು ಟೇಬಲ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
 DocType: BOM,Website Specifications,ವೆಬ್ಸೈಟ್ ವಿಶೇಷಣಗಳು
 DocType: Special Test Items,Particulars,ವಿವರಗಳು
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: ಗೆ {0} ರೀತಿಯ {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,ರೋ {0}: ಪರಿವರ್ತಿಸುವುದರ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,ರೋ {0}: ಪರಿವರ್ತಿಸುವುದರ ಕಡ್ಡಾಯ
 DocType: Student,A+,ಎ +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಒಂದೇ ಮಾನದಂಡವನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಮಾಡಿ. ಬೆಲೆ ನಿಯಮಗಳು: {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಒಂದೇ ಮಾನದಂಡವನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಮಾಡಿ. ಬೆಲೆ ನಿಯಮಗಳು: {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,ವಿನಿಮಯ ದರದ ಮರುಪಾವತಿ ಖಾತೆ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಅಥವಾ ಇತರ BOMs ಸಂಬಂಧ ಇದೆ ಎಂದು ಬಿಒಎಮ್ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಅಥವಾ ಇತರ BOMs ಸಂಬಂಧ ಇದೆ ಎಂದು ಬಿಒಎಮ್ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,ನಮೂದುಗಳನ್ನು ಪಡೆಯಲು ಕಂಪನಿ ಮತ್ತು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Asset,Maintenance,ಸಂರಕ್ಷಣೆ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ನಿಂದ ಪಡೆಯಿರಿ
 DocType: Subscriber,Subscriber,ಚಂದಾದಾರ
 DocType: Item Attribute Value,Item Attribute Value,ಐಟಂ ಮೌಲ್ಯ ಲಕ್ಷಣ
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,ದಯವಿಟ್ಟು ನಿಮ್ಮ ಪ್ರಾಜೆಕ್ಟ್ ಸ್ಥಿತಿ ನವೀಕರಿಸಿ
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,ದಯವಿಟ್ಟು ನಿಮ್ಮ ಪ್ರಾಜೆಕ್ಟ್ ಸ್ಥಿತಿ ನವೀಕರಿಸಿ
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,ಕರೆನ್ಸಿ ಎಕ್ಸ್ಚೇಂಜ್ ಬೈಯಿಂಗ್ ಅಥವಾ ಸೆಲ್ಲಿಂಗ್ಗೆ ಅನ್ವಯವಾಗಬೇಕು.
 DocType: Item,Maximum sample quantity that can be retained,ಉಳಿಸಬಹುದಾದ ಗರಿಷ್ಟ ಮಾದರಿ ಪ್ರಮಾಣ
 DocType: Project Update,How is the Project Progressing Right Now?,ಪ್ರಾಜೆಕ್ಟ್ ಇದೀಗ ಹೇಗೆ ಮುಂದುವರೆಯುತ್ತಿದೆ?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ಸಾಲು {0} # ಐಟಂ {1} ಅನ್ನು ಖರೀದಿಸುವ ಆದೇಶದ ವಿರುದ್ಧ {2} ವರ್ಗಾಯಿಸಲಾಗುವುದಿಲ್ಲ {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ಸಾಲು {0} # ಐಟಂ {1} ಅನ್ನು ಖರೀದಿಸುವ ಆದೇಶದ ವಿರುದ್ಧ {2} ವರ್ಗಾಯಿಸಲಾಗುವುದಿಲ್ಲ {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,ಮಾರಾಟದ ಶಿಬಿರಗಳನ್ನು .
 DocType: Project Task,Make Timesheet,Timesheet ಮಾಡಿ
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1251,36 +1259,38 @@
 DocType: Lab Test,Lab Test,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್
 DocType: Student Report Generation Tool,Student Report Generation Tool,ವಿದ್ಯಾರ್ಥಿ ವರದಿ ಜನರೇಷನ್ ಪರಿಕರ
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ಹೆಲ್ತ್ಕೇರ್ ವೇಳಾಪಟ್ಟಿ ಟೈಮ್ ಸ್ಲಾಟ್
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,ಡಾಕ್ ಹೆಸರು
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,ಡಾಕ್ ಹೆಸರು
 DocType: Expense Claim Detail,Expense Claim Type,ಖರ್ಚು ClaimType
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,ಟೈಮ್ಸ್ಲೋಟ್ಗಳನ್ನು ಸೇರಿಸಿ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},ಆಸ್ತಿ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮೂಲಕ ಕೈಬಿಟ್ಟಿತು {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},ದಯವಿಟ್ಟು ಖಾತೆಯಲ್ಲಿನ ಖಾತೆಯಲ್ಲಿನ {0} ಅಥವಾ ಡೀಫಾಲ್ಟ್ ಇನ್ವೆಂಟರಿ ಖಾತೆಯನ್ನು ಕಂಪೆನಿಯಲ್ಲಿ ಹೊಂದಿಸಿ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},ಆಸ್ತಿ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮೂಲಕ ಕೈಬಿಟ್ಟಿತು {0}
 DocType: Loan,Interest Income Account,ಬಡ್ಡಿಯ ಖಾತೆ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,ಲಾಭಗಳನ್ನು ವ್ಯಯಿಸಲು ಶೂನ್ಯಕ್ಕಿಂತ ಗರಿಷ್ಠ ಲಾಭಗಳು ಹೆಚ್ಚು ಇರಬೇಕು
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,ಲಾಭಗಳನ್ನು ವ್ಯಯಿಸಲು ಶೂನ್ಯಕ್ಕಿಂತ ಗರಿಷ್ಠ ಲಾಭಗಳು ಹೆಚ್ಚು ಇರಬೇಕು
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,ಆಹ್ವಾನವನ್ನು ಕಳುಹಿಸಲಾಗಿದೆ
 DocType: Shift Assignment,Shift Assignment,ನಿಯೋಜನೆಯನ್ನು ಶಿಫ್ಟ್ ಮಾಡಿ
 DocType: Employee Transfer Property,Employee Transfer Property,ನೌಕರ ವರ್ಗಾವಣೆ ಆಸ್ತಿ
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,ಸಮಯದಿಂದ ಸಮಯಕ್ಕೆ ಕಡಿಮೆ ಇರಬೇಕು
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,ಬಯೋಟೆಕ್ನಾಲಜಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",ಐಟಂ {0} (ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ: {1}) ಅನ್ನು ಮರುಮಾರಾಟ ಮಾಡುವುದರಿಂದ \ \ ಪೂರ್ಣ ತುಂಬಿ ಮಾರಾಟದ ಆದೇಶ {2} ಆಗಿ ಸೇವಿಸಬಾರದು.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,ಕಚೇರಿ ನಿರ್ವಹಣಾ ವೆಚ್ಚಗಳು
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,ಹೋಗಿ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ರಿಂದ ERPNext ಬೆಲೆ ಪಟ್ಟಿಗೆ ಬೆಲೆ ನವೀಕರಿಸಿ
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ಇಮೇಲ್ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,ಮೊದಲ ಐಟಂ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,ಅನಾಲಿಸಿಸ್ ನೀಡ್ಸ್
 DocType: Asset Repair,Downtime,ಡೌನ್ಟೈಮ್
 DocType: Account,Liability,ಹೊಣೆಗಾರಿಕೆ
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ಮಂಜೂರು ಪ್ರಮಾಣ ರೋನಲ್ಲಿ ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ಮಂಜೂರು ಪ್ರಮಾಣ ರೋನಲ್ಲಿ ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,ಶೈಕ್ಷಣಿಕ ಅವಧಿ:
 DocType: Salary Component,Do not include in total,ಒಟ್ಟಾರೆಯಾಗಿ ಸೇರಿಸಬೇಡಿ
 DocType: Company,Default Cost of Goods Sold Account,ಸರಕುಗಳು ಮಾರಾಟ ಖಾತೆ ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},ಮಾದರಿ ಪ್ರಮಾಣ {0} ಪಡೆದಿರುವ ಪ್ರಮಾಣಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಲು ಸಾಧ್ಯವಿಲ್ಲ {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,ಬೆಲೆ ಪಟ್ಟಿಯನ್ನು ಅಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},ಮಾದರಿ ಪ್ರಮಾಣ {0} ಪಡೆದಿರುವ ಪ್ರಮಾಣಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಲು ಸಾಧ್ಯವಿಲ್ಲ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,ಬೆಲೆ ಪಟ್ಟಿಯನ್ನು ಅಲ್ಲ
 DocType: Employee,Family Background,ಕೌಟುಂಬಿಕ ಹಿನ್ನೆಲೆ
 DocType: Request for Quotation Supplier,Send Email,ಇಮೇಲ್ ಕಳುಹಿಸಿ
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},ಎಚ್ಚರಿಕೆ: ಅಮಾನ್ಯ ಲಗತ್ತು {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},ಎಚ್ಚರಿಕೆ: ಅಮಾನ್ಯ ಲಗತ್ತು {0}
 DocType: Item,Max Sample Quantity,ಮ್ಯಾಕ್ಸ್ ಸ್ಯಾಂಪಲ್ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,ಯಾವುದೇ ಅನುಮತಿ
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,ಕಾಂಟ್ರಾಕ್ಟ್ ಫಲ್ಲಿಲ್ಮೆಂಟ್ ಪರಿಶೀಲನಾಪಟ್ಟಿ
@@ -1312,15 +1322,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ವೆಚ್ಚದ ಕೇಂದ್ರ {2} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),ನಿಮ್ಮ ಅಕ್ಷರದ ತಲೆ ಅಪ್ಲೋಡ್ ಮಾಡಿ (100px ಮೂಲಕ ವೆಬ್ ಸ್ನೇಹವಾಗಿ 900px ಆಗಿ ಇಡಿ)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: ಖಾತೆ {2} ಒಂದು ಗುಂಪು ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ಐಟಂ ರೋ {IDX}: {DOCTYPE} {DOCNAME} ಮೇಲೆ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ &#39;{DOCTYPE}&#39; ಟೇಬಲ್
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} ಈಗಾಗಲೇ ಪೂರ್ಣಗೊಂಡ ಅಥವಾ ರದ್ದು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} ಈಗಾಗಲೇ ಪೂರ್ಣಗೊಂಡ ಅಥವಾ ರದ್ದು
+DocType: QuickBooks Migrator,QuickBooks Migrator,ಕ್ವಿಕ್ಬುಕ್ಸ್ನ ವಲಸಿಗ
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ಯಾವುದೇ ಕಾರ್ಯಗಳು
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {0} ಪಾವತಿಸಿದಂತೆ ರಚಿಸಲಾಗಿದೆ
 DocType: Item Variant Settings,Copy Fields to Variant,ವಿಭಿನ್ನ ಕ್ಷೇತ್ರಗಳಿಗೆ ಕ್ಷೇತ್ರಗಳನ್ನು ನಕಲಿಸಿ
 DocType: Asset,Opening Accumulated Depreciation,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ತೆರೆಯುವ
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,ಸ್ಕೋರ್ ಕಡಿಮೆ ಅಥವಾ 5 ಸಮಾನವಾಗಿರಬೇಕು
 DocType: Program Enrollment Tool,Program Enrollment Tool,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ ಟೂಲ್
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,ಸಿ ಆಕಾರ ರೆಕಾರ್ಡ್ಸ್
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,ಸಿ ಆಕಾರ ರೆಕಾರ್ಡ್ಸ್
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,ಷೇರುಗಳು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,ಗ್ರಾಹಕ ಮತ್ತು ಸರಬರಾಜುದಾರ
 DocType: Email Digest,Email Digest Settings,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
@@ -1333,12 +1343,12 @@
 DocType: Production Plan,Select Items,ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Share Transfer,To Shareholder,ಷೇರುದಾರನಿಗೆ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} ಬಿಲ್ ವಿರುದ್ಧ {1} ರ {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,ರಾಜ್ಯದಿಂದ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,ರಾಜ್ಯದಿಂದ
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,ಸ್ಥಾಪನೆ ಸಂಸ್ಥೆ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,ಎಲೆಗಳನ್ನು ಹಂಚಲಾಗುತ್ತಿದೆ ...
 DocType: Program Enrollment,Vehicle/Bus Number,ವಾಹನ / ಬಸ್ ಸಂಖ್ಯೆ
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,ಕೋರ್ಸ್ ಶೆಡ್ಯೂಲ್
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",ವೇತನದಾರರ ಅವಧಿಯ ಕೊನೆಯ ಸಂಬಳದ ಸ್ಲಿಪ್ನಲ್ಲಿ ಸಲ್ಲಿಸದ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಪುರಾವೆ ಮತ್ತು ಹಕ್ಕುನಿರಾಕರಣೆ ಮಾಡದ \ ಉದ್ಯೋಗದಾತರ ಪ್ರಯೋಜನಗಳಿಗೆ ತೆರಿಗೆ ಕಡಿತಗೊಳಿಸಬೇಕು
 DocType: Request for Quotation Supplier,Quote Status,ಉದ್ಧರಣ ಸ್ಥಿತಿ
 DocType: GoCardless Settings,Webhooks Secret,ವೆಬ್ಹೂಕ್ಸ್ ಸೀಕ್ರೆಟ್
@@ -1364,13 +1374,13 @@
 DocType: Sales Invoice,Payment Due Date,ಪಾವತಿ ಕಾರಣ ದಿನಾಂಕ
 DocType: Drug Prescription,Interval UOM,ಮಧ್ಯಂತರ UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","ಆಯ್ಕೆ ಮಾಡಿದ ವಿಳಾಸವನ್ನು ಉಳಿಸಿದ ನಂತರ ಸಂಪಾದಿಸಿದ್ದರೆ, ಆಯ್ಕೆ ರದ್ದುಮಾಡಿ"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಈಗಾಗಲೇ ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಈಗಾಗಲೇ ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
 DocType: Item,Hub Publishing Details,ಹಬ್ ಪಬ್ಲಿಷಿಂಗ್ ವಿವರಗಳು
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',ಉದ್ಘಾಟಿಸುತ್ತಿರುವುದು
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',ಉದ್ಘಾಟಿಸುತ್ತಿರುವುದು
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ಮಾಡಬೇಕಾದುದು ಓಪನ್
 DocType: Issue,Via Customer Portal,ಗ್ರಾಹಕರ ಪೋರ್ಟಲ್ ಮೂಲಕ
 DocType: Notification Control,Delivery Note Message,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಸಂದೇಶ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,ಎಸ್ಜಿಎಸ್ಟಿ ಮೊತ್ತ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,ಎಸ್ಜಿಎಸ್ಟಿ ಮೊತ್ತ
 DocType: Lab Test Template,Result Format,ಫಲಿತಾಂಶದ ಸ್ವರೂಪ
 DocType: Expense Claim,Expenses,ವೆಚ್ಚಗಳು
 DocType: Item Variant Attribute,Item Variant Attribute,ಐಟಂ ಭಿನ್ನ ಲಕ್ಷಣ
@@ -1378,14 +1388,12 @@
 DocType: Payroll Entry,Bimonthly,ಎರಡು ತಿಂಗಳಿಗೊಮ್ಮೆ
 DocType: Vehicle Service,Brake Pad,ಬ್ರೇಕ್ ಪ್ಯಾಡ್
 DocType: Fertilizer,Fertilizer Contents,ರಸಗೊಬ್ಬರ ಪರಿವಿಡಿ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,ಸಂಶೋಧನೆ ಮತ್ತು ಅಭಿವೃದ್ಧಿ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,ಸಂಶೋಧನೆ ಮತ್ತು ಅಭಿವೃದ್ಧಿ
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ಬಿಲ್ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ಆರಂಭದ ದಿನಾಂಕ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕವು ಉದ್ಯೋಗ ಕಾರ್ಡ್ನೊಂದಿಗೆ ಅತಿಕ್ರಮಿಸುತ್ತದೆ <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,ನೋಂದಣಿ ವಿವರಗಳು
 DocType: Timesheet,Total Billed Amount,ಒಟ್ಟು ಖ್ಯಾತವಾದ ಪ್ರಮಾಣ
 DocType: Item Reorder,Re-Order Qty,ಮರು ಪ್ರಮಾಣ ಆದೇಶ
 DocType: Leave Block List Date,Leave Block List Date,ಖಂಡ ದಿನಾಂಕ ಬಿಡಿ
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,ದಯವಿಟ್ಟು ಶೈಕ್ಷಣಿಕ&gt; ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ತರಬೇತುದಾರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: ಕಚ್ಚಾ ವಸ್ತುಗಳ ಮುಖ್ಯ ವಸ್ತುವಾಗಿ ಒಂದೇ ಆಗಿರಬಾರದು
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ಖರೀದಿ ರಸೀತಿ ವಸ್ತುಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಒಟ್ಟು ಅನ್ವಯಿಸುವ ತೆರಿಗೆ ಒಟ್ಟು ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಅದೇ ಇರಬೇಕು
 DocType: Sales Team,Incentives,ಪ್ರೋತ್ಸಾಹ
@@ -1399,7 +1407,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ
 DocType: Fee Schedule,Fee Creation Status,ಶುಲ್ಕ ಸೃಷ್ಟಿ ಸ್ಥಿತಿ
 DocType: Vehicle Log,Odometer Reading,ದೂರಮಾಪಕ ಓದುವಿಕೆ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ಖಾತೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ರೆಡಿಟ್, ನೀವು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ 'ಡೆಬಿಟ್' ಎಂದು 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಲೇಬೇಕು'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ಖಾತೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ರೆಡಿಟ್, ನೀವು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ 'ಡೆಬಿಟ್' ಎಂದು 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಲೇಬೇಕು'"
 DocType: Account,Balance must be,ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು
 DocType: Notification Control,Expense Claim Rejected Message,ಖರ್ಚು ಹೇಳಿಕೆಯನ್ನು ತಿರಸ್ಕರಿಸಿದರು ಸಂದೇಶ
 ,Available Qty,ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ
@@ -1411,7 +1419,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ಆರ್ಡರ್ಸ್ ವಿವರಗಳನ್ನು ಸಿಂಕ್ ಮಾಡುವ ಮೊದಲು ಅಮೆಜಾನ್ MWS ನಿಂದ ಯಾವಾಗಲೂ ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಸಿಂಕ್ ಮಾಡಿ
 DocType: Delivery Trip,Delivery Stops,ಡೆಲಿವರಿ ನಿಲ್ದಾಣಗಳು
 DocType: Salary Slip,Working Days,ಕೆಲಸ ದಿನಗಳ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},ಸಾಲು {0} ನಲ್ಲಿ ಐಟಂಗೆ ಸ್ಟಾಪ್ ಸ್ಟಾಪ್ ದಿನಾಂಕವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},ಸಾಲು {0} ನಲ್ಲಿ ಐಟಂಗೆ ಸ್ಟಾಪ್ ಸ್ಟಾಪ್ ದಿನಾಂಕವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Serial No,Incoming Rate,ಒಳಬರುವ ದರ
 DocType: Packing Slip,Gross Weight,ಒಟ್ಟು ತೂಕ
 DocType: Leave Type,Encashment Threshold Days,ತ್ರೆಶೋಲ್ಡ್ ಡೇಸ್ ಅನ್ನು ಎನ್ಕ್ಯಾಶ್ಮೆಂಟ್ ಮಾಡಿ
@@ -1430,30 +1438,32 @@
 DocType: Restaurant Table,Minimum Seating,ಕನಿಷ್ಠ ಆಸನ
 DocType: Item Attribute,Item Attribute Values,ಐಟಂ ಲಕ್ಷಣ ಮೌಲ್ಯಗಳು
 DocType: Examination Result,Examination Result,ಪರೀಕ್ಷೆ ಫಲಿತಾಂಶ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,ಖರೀದಿ ರಸೀತಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,ಖರೀದಿ ರಸೀತಿ
 ,Received Items To Be Billed,ಪಾವತಿಸಬೇಕಾಗುತ್ತದೆ ಸ್ವೀಕರಿಸಿದ ಐಟಂಗಳು
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರ ಮಾಸ್ಟರ್ .
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರ ಮಾಸ್ಟರ್ .
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},ರೆಫರೆನ್ಸ್ Doctype ಒಂದು ಇರಬೇಕು {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,ಫಿಲ್ಟರ್ ಒಟ್ಟು ಶೂನ್ಯ ಕ್ವಿಟಿ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ಆಪರೇಷನ್ ಮುಂದಿನ {0} ದಿನಗಳಲ್ಲಿ ಟೈಮ್ ಸ್ಲಾಟ್ ಕಾಣಬರಲಿಲ್ಲ {1}
 DocType: Work Order,Plan material for sub-assemblies,ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಯೋಜನೆ ವಸ್ತು
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ಮತ್ತು ಸಂಸ್ಥಾನದ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,ಬಿಒಎಮ್ {0} ಸಕ್ರಿಯ ಇರಬೇಕು
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,ಬಿಒಎಮ್ {0} ಸಕ್ರಿಯ ಇರಬೇಕು
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,ವರ್ಗಾವಣೆಗೆ ಐಟಂಗಳು ಲಭ್ಯವಿಲ್ಲ
 DocType: Employee Boarding Activity,Activity Name,ಚಟುವಟಿಕೆ ಹೆಸರು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,ಬಿಡುಗಡೆಯ ದಿನಾಂಕವನ್ನು ಬದಲಾಯಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,ಬಿಡುಗಡೆಯ ದಿನಾಂಕವನ್ನು ಬದಲಾಯಿಸಿ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),ಮುಚ್ಚುವುದು (ಒಟ್ಟು + ತೆರೆಯುವಿಕೆ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,ಐಟಂ ಕೋಡ್&gt; ಐಟಂ ಗ್ರೂಪ್&gt; ಬ್ರ್ಯಾಂಡ್
+DocType: Delivery Settings,Dispatch Notification Attachment,ಅಧಿಸೂಚನೆ ಲಗತ್ತನ್ನು ರವಾನಿಸು
 DocType: Payroll Entry,Number Of Employees,ನೌಕರರ ಸಂಖ್ಯೆ
 DocType: Journal Entry,Depreciation Entry,ಸವಕಳಿ ಎಂಟ್ರಿ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,ಮೊದಲ ದಾಖಲೆ ಪ್ರಕಾರ ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,ಮೊದಲ ದಾಖಲೆ ಪ್ರಕಾರ ಆಯ್ಕೆ ಮಾಡಿ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ಈ ನಿರ್ವಹಣೆ ಭೇಟಿ ರದ್ದು ಮೊದಲು ವಸ್ತು ಭೇಟಿ {0} ರದ್ದು
 DocType: Pricing Rule,Rate or Discount,ದರ ಅಥವಾ ರಿಯಾಯಿತಿ
 DocType: Vital Signs,One Sided,ಒಂದು ಕಡೆ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,ಅಗತ್ಯವಿದೆ ಪ್ರಮಾಣ
 DocType: Marketplace Settings,Custom Data,ಕಸ್ಟಮ್ ಡೇಟಾ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},ಐಟಂಗೆ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಕಡ್ಡಾಯವಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},ಐಟಂಗೆ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಕಡ್ಡಾಯವಾಗಿದೆ
 DocType: Bank Reconciliation,Total Amount,ಒಟ್ಟು ಪ್ರಮಾಣ
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ವಿಭಿನ್ನ ಹಣಕಾಸಿನ ವರ್ಷದಲ್ಲಿ ಸುಳ್ಳು
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,ರೋಗಿಯು {0} ಗ್ರಾಹಕರ ರಿಫ್ರೆನ್ಸ್ ಅನ್ನು ಇನ್ವಾಯ್ಸ್ಗೆ ಹೊಂದಿಲ್ಲ
@@ -1464,9 +1474,9 @@
 DocType: Soil Texture,Clay Composition (%),ಜೇಡಿಮಣ್ಣಿನ ಸಂಯೋಜನೆ (%)
 DocType: Item Group,Item Group Defaults,ಐಟಂ ಗ್ರೂಪ್ ಡೀಫಾಲ್ಟ್ಗಳು
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,ಕಾರ್ಯವನ್ನು ನಿಯೋಜಿಸುವ ಮೊದಲು ದಯವಿಟ್ಟು ಉಳಿಸಿ.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ಬ್ಯಾಲೆನ್ಸ್ ಮೌಲ್ಯ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ಬ್ಯಾಲೆನ್ಸ್ ಮೌಲ್ಯ
 DocType: Lab Test,Lab Technician,ಪ್ರಯೋಗಾಲಯ ತಂತ್ರಜ್ಞ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,ಮಾರಾಟ ಬೆಲೆ ಪಟ್ಟಿ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,ಮಾರಾಟ ಬೆಲೆ ಪಟ್ಟಿ
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","ಪರಿಶೀಲಿಸಿದಲ್ಲಿ, ಗ್ರಾಹಕರನ್ನು ರಚಿಸಲಾಗುವುದು, ರೋಗಿಯಲ್ಲಿ ಮ್ಯಾಪ್ ಮಾಡಲಾಗುವುದು. ಈ ಗ್ರಾಹಕರ ವಿರುದ್ಧ ರೋಗಿಯ ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ರಚಿಸಲಾಗುವುದು. ರೋಗಿಯನ್ನು ರಚಿಸುವಾಗ ನೀವು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಗ್ರಾಹಕರನ್ನು ಆಯ್ಕೆ ಮಾಡಬಹುದು."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ಗ್ರಾಹಕನು ಯಾವುದೇ ಲಾಯಲ್ಟಿ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಾಯಿಸಲ್ಪಡುವುದಿಲ್ಲ
@@ -1480,13 +1490,13 @@
 DocType: Support Search Source,Search Term Param Name,ಹುಡುಕಾಟ ಪದದ ಪ್ಯಾರಾ ಹೆಸರು
 DocType: Item Barcode,Item Barcode,ಐಟಂ ಬಾರ್ಕೋಡ್
 DocType: Woocommerce Settings,Endpoints,ಅಂತ್ಯಬಿಂದುಗಳು
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,ಐಟಂ ಮಾರ್ಪಾಟುಗಳು {0} ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,ಐಟಂ ಮಾರ್ಪಾಟುಗಳು {0} ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
 DocType: Quality Inspection Reading,Reading 6,6 ಓದುವಿಕೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,ಅಲ್ಲ {0} {1} {2} ಯಾವುದೇ ಋಣಾತ್ಮಕ ಮಹೋನ್ನತ ಸರಕುಪಟ್ಟಿ ಕ್ಯಾನ್
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,ಅಲ್ಲ {0} {1} {2} ಯಾವುದೇ ಋಣಾತ್ಮಕ ಮಹೋನ್ನತ ಸರಕುಪಟ್ಟಿ ಕ್ಯಾನ್
 DocType: Share Transfer,From Folio No,ಫೋಲಿಯೊ ನಂ
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,ಸರಕುಪಟ್ಟಿ ಮುಂಗಡ ಖರೀದಿ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},ಸಾಲು {0}: ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ ಒಂದು {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,ಆರ್ಥಿಕ ವರ್ಷದ ಬಜೆಟ್ ವಿವರಿಸಿ.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,ಆರ್ಥಿಕ ವರ್ಷದ ಬಜೆಟ್ ವಿವರಿಸಿ.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext ಖಾತೆ
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} ಅನ್ನು ನಿರ್ಬಂಧಿಸಲಾಗಿದೆ ಆದ್ದರಿಂದ ಈ ವಹಿವಾಟನ್ನು ಮುಂದುವರಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,ಸಂಚಿತ ಮಾಸಿಕ ಬಜೆಟ್ ಎಮ್ಆರ್ ಮೇಲೆ ಮೀರಿದರೆ ಕ್ರಿಯೆ
@@ -1502,19 +1512,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,ವರ್ಕ್ ಆರ್ಡರ್ ವಿರುದ್ಧ ಅನೇಕ ಮೆಟೀರಿಯಲ್ ಸೇವನೆಯನ್ನು ಅನುಮತಿಸಿ
 DocType: GL Entry,Voucher Detail No,ಚೀಟಿ ವಿವರ ನಂ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ
 DocType: Stock Entry,Total Outgoing Value,ಒಟ್ಟು ಹೊರಹೋಗುವ ಮೌಲ್ಯ
 DocType: Healthcare Practitioner,Appointments,ನೇಮಕಾತಿಗಳನ್ನು
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,ದಿನಾಂಕ ಮತ್ತು ಮುಕ್ತಾಯದ ದಿನಾಂಕ ತೆರೆಯುವ ಒಂದೇ ಆಗಿರುವ ಹಣಕಾಸಿನ ವರ್ಷವನ್ನು ಒಳಗೆ ಇರಬೇಕು
 DocType: Lead,Request for Information,ಮಾಹಿತಿಗಾಗಿ ಕೋರಿಕೆ
 ,LeaderBoard,ಲೀಡರ್
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),ಮಾರ್ಜಿನ್ ಜೊತೆ ದರ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು
 DocType: Payment Request,Paid,ಹಣ
 DocType: Program Fee,Program Fee,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಶುಲ್ಕ
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","ನಿರ್ದಿಷ್ಟ BOM ಅನ್ನು ಬೇರೆ ಎಲ್ಲ BOM ಗಳಲ್ಲಿ ಅದು ಬಳಸಿದಲ್ಲಿ ಬದಲಾಯಿಸಿ. ಇದು ಹೊಸ BOM ಪ್ರಕಾರ ಹಳೆಯ BOM ಲಿಂಕ್, ಅಪ್ಡೇಟ್ ವೆಚ್ಚ ಮತ್ತು &quot;BOM ಸ್ಫೋಟ ಐಟಂ&quot; ಟೇಬಲ್ ಅನ್ನು ಮರುಸ್ಥಾಪಿಸುತ್ತದೆ. ಇದು ಎಲ್ಲಾ BOM ಗಳಲ್ಲಿ ಇತ್ತೀಚಿನ ಬೆಲೆಯನ್ನು ಕೂಡ ನವೀಕರಿಸುತ್ತದೆ."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,ಕೆಳಗಿನ ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,ಕೆಳಗಿನ ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ:
 DocType: Salary Slip,Total in words,ಪದಗಳನ್ನು ಒಟ್ಟು
 DocType: Inpatient Record,Discharged,ಡಿಸ್ಚಾರ್ಜ್ ಮಾಡಲಾಗಿದೆ
 DocType: Material Request Item,Lead Time Date,ಲೀಡ್ ಟೈಮ್ ದಿನಾಂಕ
@@ -1525,16 +1535,16 @@
 DocType: Support Settings,Get Started Sections,ಪರಿಚ್ಛೇದಗಳನ್ನು ಪ್ರಾರಂಭಿಸಿ
 DocType: Lead,CRM-LEAD-.YYYY.-,ಸಿಆರ್ಎಂ-ಲೀಡ್- .YYYY.-
 DocType: Loan,Sanctioned,ಮಂಜೂರು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ ರಚಿಸಲಾಗಲಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},ರೋ # {0}: ಐಟಂ ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},ಒಟ್ಟು ಕೊಡುಗೆ ಮೊತ್ತ: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},ರೋ # {0}: ಐಟಂ ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1}
 DocType: Payroll Entry,Salary Slips Submitted,ವೇತನ ಸ್ಲಿಪ್ಸ್ ಸಲ್ಲಿಸಲಾಗಿದೆ
 DocType: Crop Cycle,Crop Cycle,ಕ್ರಾಪ್ ಸೈಕಲ್
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;ಉತ್ಪನ್ನ ಕಟ್ಟು&#39; ಐಟಂಗಳನ್ನು, ವೇರ್ಹೌಸ್, ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ &#39;ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ ಮೇಜಿನಿಂದ ಪರಿಗಣಿಸಲಾಗುವುದು. ವೇರ್ಹೌಸ್ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ ಯಾವುದೇ &#39;ಉತ್ಪನ್ನ ಕಟ್ಟು&#39; ಐಟಂ ಎಲ್ಲಾ ಪ್ಯಾಕಿಂಗ್ ವಸ್ತುಗಳನ್ನು ಅದೇ ಇದ್ದರೆ, ಆ ಮೌಲ್ಯಗಳು ಮುಖ್ಯ ಐಟಂ ಕೋಷ್ಟಕದಲ್ಲಿ ಪ್ರವೇಶಿಸಬಹುದಾದ, ಮೌಲ್ಯಗಳನ್ನು ಟೇಬಲ್ &#39;ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ&#39; ನಕಲು ನಡೆಯಲಿದೆ."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;ಉತ್ಪನ್ನ ಕಟ್ಟು&#39; ಐಟಂಗಳನ್ನು, ವೇರ್ಹೌಸ್, ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ &#39;ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ ಮೇಜಿನಿಂದ ಪರಿಗಣಿಸಲಾಗುವುದು. ವೇರ್ಹೌಸ್ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ ಯಾವುದೇ &#39;ಉತ್ಪನ್ನ ಕಟ್ಟು&#39; ಐಟಂ ಎಲ್ಲಾ ಪ್ಯಾಕಿಂಗ್ ವಸ್ತುಗಳನ್ನು ಅದೇ ಇದ್ದರೆ, ಆ ಮೌಲ್ಯಗಳು ಮುಖ್ಯ ಐಟಂ ಕೋಷ್ಟಕದಲ್ಲಿ ಪ್ರವೇಶಿಸಬಹುದಾದ, ಮೌಲ್ಯಗಳನ್ನು ಟೇಬಲ್ &#39;ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ&#39; ನಕಲು ನಡೆಯಲಿದೆ."
 DocType: Amazon MWS Settings,BR,ಬಿಆರ್
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,ಸ್ಥಳದಿಂದ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,ನೆಟ್ ಪೇ ಕ್ಯಾನ್ನೋಟ್ ಋಣಾತ್ಮಕವಾಗಿರುತ್ತದೆ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,ಸ್ಥಳದಿಂದ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,ನೆಟ್ ಪೇ ಕ್ಯಾನ್ನೋಟ್ ಋಣಾತ್ಮಕವಾಗಿರುತ್ತದೆ
 DocType: Student Admission,Publish on website,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರಕಟಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.-
 DocType: Subscription,Cancelation Date,ರದ್ದು ದಿನಾಂಕ
 DocType: Purchase Invoice Item,Purchase Order Item,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ
@@ -1543,7 +1553,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,ವಿದ್ಯಾರ್ಥಿ ಅಟೆಂಡೆನ್ಸ್ ಉಪಕರಣ
 DocType: Restaurant Menu,Price List (Auto created),ಬೆಲೆ ಪಟ್ಟಿ (ಸ್ವಯಂ ರಚಿಸಲಾಗಿದೆ)
 DocType: Cheque Print Template,Date Settings,ದಿನಾಂಕ ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,ಭಿನ್ನಾಭಿಪ್ರಾಯ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,ಭಿನ್ನಾಭಿಪ್ರಾಯ
 DocType: Employee Promotion,Employee Promotion Detail,ಉದ್ಯೋಗಿ ಪ್ರಚಾರ ವಿವರ
 ,Company Name,ಕಂಪನಿ ಹೆಸರು
 DocType: SMS Center,Total Message(s),ಒಟ್ಟು ಸಂದೇಶ (ಗಳು)
@@ -1573,7 +1583,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,ನೌಕರರ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳನ್ನು ಕಳುಹಿಸಬೇಡಿ
 DocType: Expense Claim,Total Advance Amount,ಒಟ್ಟು ಅಡ್ವಾನ್ಸ್ ಮೊತ್ತ
 DocType: Delivery Stop,Estimated Arrival,ಅಂದಾಜು ಆಗಮನ
-DocType: Delivery Stop,Notified by Email,ಇಮೇಲ್ ಮೂಲಕ ಸೂಚಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,ಎಲ್ಲಾ ಲೇಖನಗಳು ನೋಡಿ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,ವಲ್ಕ್
 DocType: Item,Inspection Criteria,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಮಾನದಂಡ
@@ -1583,23 +1592,22 @@
 DocType: Timesheet Detail,Bill,ಬಿಲ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,ಬಿಳಿ
 DocType: SMS Center,All Lead (Open),ಎಲ್ಲಾ ಪ್ರಮುಖ ( ಓಪನ್ )
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ರೋ {0}: ಫಾರ್ ಪ್ರಮಾಣ ಲಭ್ಯವಿಲ್ಲ {4} ಉಗ್ರಾಣದಲ್ಲಿ {1} ಪ್ರವೇಶ ಸಮಯದಲ್ಲಿ ಪೋಸ್ಟ್ ನಲ್ಲಿ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ರೋ {0}: ಫಾರ್ ಪ್ರಮಾಣ ಲಭ್ಯವಿಲ್ಲ {4} ಉಗ್ರಾಣದಲ್ಲಿ {1} ಪ್ರವೇಶ ಸಮಯದಲ್ಲಿ ಪೋಸ್ಟ್ ನಲ್ಲಿ ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,ನೀವು ಚೆಕ್ ಪೆಟ್ಟಿಗೆಗಳ ಪಟ್ಟಿಯಿಂದ ಗರಿಷ್ಟ ಒಂದು ಆಯ್ಕೆಯನ್ನು ಮಾತ್ರ ಆಯ್ಕೆ ಮಾಡಬಹುದು.
 DocType: Purchase Invoice,Get Advances Paid,ಪಾವತಿಸಿದ ಅಡ್ವಾನ್ಸಸ್ ಪಡೆಯಿರಿ
 DocType: Item,Automatically Create New Batch,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಹೊಸ ಬ್ಯಾಚ್ ರಚಿಸಿ
 DocType: Item,Automatically Create New Batch,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಹೊಸ ಬ್ಯಾಚ್ ರಚಿಸಿ
 DocType: Supplier,Represents Company,ಕಂಪನಿ ಪ್ರತಿನಿಧಿಸುತ್ತದೆ
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,ಮಾಡಿ
 DocType: Student Admission,Admission Start Date,ಪ್ರವೇಶ ಪ್ರಾರಂಭ ದಿನಾಂಕ
 DocType: Journal Entry,Total Amount in Words,ವರ್ಡ್ಸ್ ಒಟ್ಟು ಪ್ರಮಾಣ
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,ಹೊಸ ಉದ್ಯೋಗಿ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ಒಂದು ದೋಷ ಉಂಟಾಗಿದೆ . ನೀವು ಉಳಿಸಿಲ್ಲ ಮಾಡಲಿಲ್ಲ ಒಂದು ಸಂಭಾವ್ಯ ಕಾರಣ ಸಮಸ್ಯೆ ಮುಂದುವರಿದರೆ support@erpnext.com ಸಂಪರ್ಕಿಸಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಾಧ್ಯವಾಗಿಲ್ಲ .
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,ನನ್ನ ಕಾರ್ಟ್
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ಆರ್ಡರ್ ಪ್ರಕಾರ ಒಂದು ಇರಬೇಕು {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ಆರ್ಡರ್ ಪ್ರಕಾರ ಒಂದು ಇರಬೇಕು {0}
 DocType: Lead,Next Contact Date,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ ದಿನಾಂಕ
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ಆರಂಭಿಕ ಪ್ರಮಾಣ
 DocType: Healthcare Settings,Appointment Reminder,ನೇಮಕಾತಿ ಜ್ಞಾಪನೆ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,ದಯವಿಟ್ಟು ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,ದಯವಿಟ್ಟು ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ
 DocType: Program Enrollment Tool Student,Student Batch Name,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಹೆಸರು
 DocType: Holiday List,Holiday List Name,ಹಾಲಿಡೇ ಪಟ್ಟಿ ಹೆಸರು
 DocType: Repayment Schedule,Balance Loan Amount,ಬ್ಯಾಲೆನ್ಸ್ ಸಾಲದ ಪ್ರಮಾಣ
@@ -1609,7 +1617,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,ಸ್ಟಾಕ್ ಆಯ್ಕೆಗಳು
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,ಕಾರ್ಟ್ಗೆ ಐಟಂಗಳನ್ನು ಸೇರಿಸಲಾಗಿಲ್ಲ
 DocType: Journal Entry Account,Expense Claim,ಖರ್ಚು ಹಕ್ಕು
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಕೈಬಿಟ್ಟಿತು ಆಸ್ತಿ ಪುನಃಸ್ಥಾಪಿಸಲು ಬಯಸುವಿರಾ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಕೈಬಿಟ್ಟಿತು ಆಸ್ತಿ ಪುನಃಸ್ಥಾಪಿಸಲು ಬಯಸುವಿರಾ?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},ಫಾರ್ ಪ್ರಮಾಣ {0}
 DocType: Leave Application,Leave Application,ಅಪ್ಲಿಕೇಶನ್ ಬಿಡಿ
 DocType: Patient,Patient Relation,ರೋಗಿಯ ಸಂಬಂಧ
@@ -1630,12 +1638,13 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ದಯವಿಟ್ಟು ಸೂಚಿಸಿ ಒಂದು {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯವನ್ನು ಯಾವುದೇ ಬದಲಾವಣೆ ತೆಗೆದುಹಾಕಲಾಗಿದೆ ಐಟಂಗಳನ್ನು.
 DocType: Delivery Note,Delivery To,ವಿತರಣಾ
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,ವಿಭಿನ್ನ ರಚನೆಯು ಕ್ಯೂವ್ ಮಾಡಲಾಗಿದೆ.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} ಗಾಗಿ ಕೆಲಸದ ಸಾರಾಂಶ
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,ವಿಭಿನ್ನ ರಚನೆಯು ಕ್ಯೂವ್ ಮಾಡಲಾಗಿದೆ.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} ಗಾಗಿ ಕೆಲಸದ ಸಾರಾಂಶ
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ಪಟ್ಟಿಯಲ್ಲಿರುವ ಮೊದಲ ಲೀವ್ ಅಪ್ರೋವರ್ ಡೀಫಾಲ್ಟ್ ಲೀವ್ ಅಪ್ರೋವರ್ ಆಗಿ ಹೊಂದಿಸಲ್ಪಡುತ್ತದೆ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,ಗುಣಲಕ್ಷಣ ಟೇಬಲ್ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,ಗುಣಲಕ್ಷಣ ಟೇಬಲ್ ಕಡ್ಡಾಯ
 DocType: Production Plan,Get Sales Orders,ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,ಕ್ವಿಕ್ಬುಕ್ಸ್ಗೆ ಸಂಪರ್ಕಿಸಿ
 DocType: Training Event,Self-Study,ಸ್ವ-ಅಧ್ಯಯನ
 DocType: POS Closing Voucher,Period End Date,ಅವಧಿ ಅಂತ್ಯ ದಿನಾಂಕ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,ಮಣ್ಣಿನ ಸಂಯೋಜನೆಗಳು 100 ವರೆಗೆ ಸೇರುವುದಿಲ್ಲ
@@ -1651,7 +1660,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},ಕೋಷ್ಟಕದಲ್ಲಿ ಸಾಲು {0} ಮಾನ್ಯವಾದ ಸಾಲು ಐಡಿ ಸೂಚಿಸಿ {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,ವೇರಿಯಬಲ್ ಕಂಡುಹಿಡಿಯಲು ಸಾಧ್ಯವಿಲ್ಲ:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,ದಯವಿಟ್ಟು ನಂಪಡ್ನಿಂದ ಸಂಪಾದಿಸಲು ಕ್ಷೇತ್ರವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ರಚಿಸಿದಂತೆ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಆಗಿರಬಾರದು.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ರಚಿಸಿದಂತೆ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಆಗಿರಬಾರದು.
 DocType: Subscription Plan,Fixed rate,ಸ್ಥಿರ ದರ
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,ಒಪ್ಪಿಕೊಳ್ಳಿ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ಡೆಸ್ಕ್ಟಾಪ್ ಹೋಗಿ ERPNext ಬಳಸಿಕೊಂಡು ಆರಂಭಿಸಲು
@@ -1685,7 +1694,7 @@
 DocType: Tax Rule,Shipping State,ಶಿಪ್ಪಿಂಗ್ ರಾಜ್ಯ
 ,Projected Quantity as Source,ಮೂಲ ಯೋಜಿತ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,ಐಟಂ ಬಟನ್ 'ಖರೀದಿ ರಸೀದಿಗಳನ್ನು ರಿಂದ ಐಟಂಗಳು ಪಡೆಯಿರಿ' ಬಳಸಿಕೊಂಡು ಸೇರಿಸಬೇಕು
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,ಡೆಲಿವರಿ ಟ್ರಿಪ್
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,ಡೆಲಿವರಿ ಟ್ರಿಪ್
 DocType: Student,A-,ಎ
 DocType: Share Transfer,Transfer Type,ವರ್ಗಾವಣೆ ಪ್ರಕಾರ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,ಮಾರಾಟ ವೆಚ್ಚಗಳು
@@ -1698,8 +1707,9 @@
 DocType: Item Default,Default Selling Cost Center,ಡೀಫಾಲ್ಟ್ ಮಾರಾಟ ವೆಚ್ಚ ಸೆಂಟರ್
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ಡಿಸ್ಕ್
 DocType: Buying Settings,Material Transferred for Subcontract,ಸಬ್ ಕಾಂಟ್ರಾಕ್ಟ್ಗೆ ಮೆಟೀರಿಯಲ್ ಟ್ರಾನ್ಸ್ಫರ್ಡ್
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,ZIP ಕೋಡ್
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಯನ್ನು {1}
+DocType: Email Digest,Purchase Orders Items Overdue,ಖರೀದಿ ಆರ್ಡರ್ಸ್ ಐಟಂಗಳು ಮಿತಿಮೀರಿದ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,ZIP ಕೋಡ್
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಯನ್ನು {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},ಸಾಲದಲ್ಲಿ ಬಡ್ಡಿ ಆದಾಯದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ {0}
 DocType: Opportunity,Contact Info,ಸಂಪರ್ಕ ಮಾಹಿತಿ
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,ಸ್ಟಾಕ್ ನಮೂದುಗಳು ಮೇಕಿಂಗ್
@@ -1712,12 +1722,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,ಶೂನ್ಯ ಬಿಲ್ಲಿಂಗ್ ಗಂಟೆಗಾಗಿ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗುವುದಿಲ್ಲ
 DocType: Company,Date of Commencement,ಆರಂಭದ ದಿನಾಂಕ
 DocType: Sales Person,Select company name first.,ಮೊದಲ ಕಂಪನಿ ಹೆಸರು ಆಯ್ಕೆ ಮಾಡಿ.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ಕಳುಹಿಸಲಾಗಿದೆ {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ಕಳುಹಿಸಲಾಗಿದೆ {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ಉಲ್ಲೇಖಗಳು ವಿತರಕರಿಂದ ಪಡೆದ .
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM ಅನ್ನು ಬದಲಾಯಿಸಿ ಮತ್ತು ಎಲ್ಲಾ BOM ಗಳಲ್ಲಿ ಇತ್ತೀಚಿನ ಬೆಲೆಯನ್ನು ನವೀಕರಿಸಿ
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},ಗೆ {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,ಇದು ಮೂಲ ಪೂರೈಕೆದಾರ ಗುಂಪು ಮತ್ತು ಸಂಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
-DocType: Delivery Trip,Driver Name,ಚಾಲಕ ಹೆಸರು
+DocType: Delivery Note,Driver Name,ಚಾಲಕ ಹೆಸರು
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,ಸರಾಸರಿ ವಯಸ್ಸು
 DocType: Education Settings,Attendance Freeze Date,ಅಟೆಂಡೆನ್ಸ್ ಫ್ರೀಜ್ ದಿನಾಂಕ
 DocType: Education Settings,Attendance Freeze Date,ಅಟೆಂಡೆನ್ಸ್ ಫ್ರೀಜ್ ದಿನಾಂಕ
@@ -1730,7 +1740,7 @@
 DocType: Company,Parent Company,ಮೂಲ ಕಂಪನಿ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},ಹೋಟೆಲ್ ಕೊಠಡಿಗಳು {0} {1} ನಲ್ಲಿ ಲಭ್ಯವಿಲ್ಲ
 DocType: Healthcare Practitioner,Default Currency,ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,ಐಟಂ {0} ಗೆ ಗರಿಷ್ಠ ರಿಯಾಯಿತಿ {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,ಐಟಂ {0} ಗೆ ಗರಿಷ್ಠ ರಿಯಾಯಿತಿ {1}%
 DocType: Asset Movement,From Employee,ಉದ್ಯೋಗಗಳು ಗೆ
 DocType: Driver,Cellphone Number,ಸೆಲ್ಫೋನ್ ಸಂಖ್ಯೆ
 DocType: Project,Monitor Progress,ಪ್ರೋಗ್ರೆಸ್ ಮೇಲ್ವಿಚಾರಣೆ
@@ -1746,19 +1756,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},ಪ್ರಮಾಣ ಕಡಿಮೆ ಅಥವಾ ಸಮನಾಗಿರಬೇಕು {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},{0} ಅಂಶಕ್ಕೆ ಅರ್ಹವಾದ ಗರಿಷ್ಠ ಮೊತ್ತವು {1} ಮೀರಿದೆ
 DocType: Department Approver,Department Approver,ಇಲಾಖೆ ಅನುಮೋದನೆ
+DocType: QuickBooks Migrator,Application Settings,ಅಪ್ಲಿಕೇಶನ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: SMS Center,Total Characters,ಒಟ್ಟು ಪಾತ್ರಗಳು
 DocType: Employee Advance,Claimed,ಹಕ್ಕು ಪಡೆಯಲಾಗಿದೆ
 DocType: Crop,Row Spacing,ಸಾಲು ಸ್ಪೇಸಿಂಗ್
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},ಐಟಂ ಬಿಒಎಮ್ ಕ್ಷೇತ್ರದಲ್ಲಿ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},ಐಟಂ ಬಿಒಎಮ್ ಕ್ಷೇತ್ರದಲ್ಲಿ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,ಆಯ್ಕೆಮಾಡಿದ ಐಟಂಗೆ ಯಾವುದೇ ಐಟಂ ರೂಪಾಂತರವಿಲ್ಲ
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,ಸಿ ಆಕಾರ ಸರಕುಪಟ್ಟಿ ವಿವರ
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ಪಾವತಿ ಸಾಮರಸ್ಯ ಸರಕುಪಟ್ಟಿ
 DocType: Clinical Procedure,Procedure Template,ಕಾರ್ಯವಿಧಾನ ಟೆಂಪ್ಲೇಟು
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,ಕೊಡುಗೆ%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ಆರ್ಡರ್ ಖರೀದಿಸಿ ಅಗತ್ಯವಿದೆ ವೇಳೆ == &#39;ಹೌದು&#39;, ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಆರ್ಡರ್ ಖರೀದಿಸಿ ರಚಿಸಬೇಕಾಗಿದೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,ಕೊಡುಗೆ%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ಆರ್ಡರ್ ಖರೀದಿಸಿ ಅಗತ್ಯವಿದೆ ವೇಳೆ == &#39;ಹೌದು&#39;, ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಆರ್ಡರ್ ಖರೀದಿಸಿ ರಚಿಸಬೇಕಾಗಿದೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}"
 ,HSN-wise-summary of outward supplies,ಬಾಹ್ಯ ಪೂರೈಕೆಗಳ HSN- ಬುದ್ಧಿವಂತ-ಸಾರಾಂಶ
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ನಿಮ್ಮ ಉಲ್ಲೇಖ ಕಂಪನಿ ನೋಂದಣಿ ಸಂಖ್ಯೆಗಳು . ತೆರಿಗೆ ಸಂಖ್ಯೆಗಳನ್ನು ಇತ್ಯಾದಿ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,ರಾಜ್ಯಕ್ಕೆ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,ರಾಜ್ಯಕ್ಕೆ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,ವಿತರಕ
 DocType: Asset Finance Book,Asset Finance Book,ಆಸ್ತಿ ಹಣಕಾಸು ಪುಸ್ತಕ
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಿಪ್ಪಿಂಗ್ ರೂಲ್
@@ -1767,7 +1778,7 @@
 ,Ordered Items To Be Billed,ಖ್ಯಾತವಾದ ಐಟಂಗಳನ್ನು ಆದೇಶ
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ರೇಂಜ್ ಕಡಿಮೆ ಎಂದು ಹೊಂದಿದೆ ಹೆಚ್ಚಾಗಿ ಶ್ರೇಣಿಗೆ
 DocType: Global Defaults,Global Defaults,ಜಾಗತಿಕ ಪೂರ್ವನಿಯೋಜಿತಗಳು
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,ಪ್ರಾಜೆಕ್ಟ್ ಸಹಯೋಗ ಆಮಂತ್ರಣ
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,ಪ್ರಾಜೆಕ್ಟ್ ಸಹಯೋಗ ಆಮಂತ್ರಣ
 DocType: Salary Slip,Deductions,ನಿರ್ಣಯಗಳಿಂದ
 DocType: Setup Progress Action,Action Name,ಆಕ್ಷನ್ ಹೆಸರು
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,ಪ್ರಾರಂಭ ವರ್ಷ
@@ -1781,11 +1792,12 @@
 DocType: Lead,Consultant,ಕನ್ಸಲ್ಟೆಂಟ್
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,ಪಾಲಕರು ಶಿಕ್ಷಕರ ಸಭೆ ಹಾಜರಾತಿ
 DocType: Salary Slip,Earnings,ಅರ್ನಿಂಗ್ಸ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,ಮುಗಿದ ಐಟಂ {0} ತಯಾರಿಕೆ ರೀತಿಯ ಪ್ರವೇಶ ನಮೂದಿಸಲಾಗುವ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,ಮುಗಿದ ಐಟಂ {0} ತಯಾರಿಕೆ ರೀತಿಯ ಪ್ರವೇಶ ನಮೂದಿಸಲಾಗುವ
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,ತೆರೆಯುವ ಲೆಕ್ಕಪರಿಶೋಧಕ ಬ್ಯಾಲೆನ್ಸ್
 ,GST Sales Register,ಜಿಎಸ್ಟಿ ಮಾರಾಟದ ನೋಂದಣಿ
 DocType: Sales Invoice Advance,Sales Invoice Advance,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಅಡ್ವಾನ್ಸ್
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,ಮನವಿ ನಥಿಂಗ್
+DocType: Stock Settings,Default Return Warehouse,ಡೀಫಾಲ್ಟ್ ರಿಟರ್ನ್ ವೇರ್ಹೌಸ್
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,ನಿಮ್ಮ ಡೊಮೇನ್ಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify ಸರಬರಾಜುದಾರ
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ಪಾವತಿ ಸರಕುಪಟ್ಟಿ ಐಟಂಗಳು
@@ -1794,15 +1806,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ಸೃಷ್ಟಿ ಸಮಯದಲ್ಲಿ ಮಾತ್ರ ಜಾಗವನ್ನು ನಕಲಿಸಲಾಗುತ್ತದೆ.
 DocType: Setup Progress Action,Domains,ಡೊಮೇನ್ಗಳ
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',' ನಿಜವಾದ ಆರಂಭ ದಿನಾಂಕ ' ಗ್ರೇಟರ್ ದ್ಯಾನ್ ' ನಿಜವಾದ ಅಂತಿಮ ದಿನಾಂಕ ' ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,ಆಡಳಿತ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,ಆಡಳಿತ
 DocType: Cheque Print Template,Payer Settings,ಪಾವತಿಸುವ ಸೆಟ್ಟಿಂಗ್ಗಳು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,ನೀಡಿರುವ ಐಟಂಗಳಿಗೆ ಲಿಂಕ್ ಮಾಡಲು ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಬಾಕಿ ಉಳಿದಿಲ್ಲ.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,ಕಂಪನಿಯು ಮೊದಲು ಆಯ್ಕೆಮಾಡಿ
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ಈ ವ್ಯತ್ಯಯದ ಐಟಂ ಕೋಡ್ ಬಿತ್ತರಿಸಲಾಗುವುದು. ನಿಮ್ಮ ಸಂಕ್ಷೇಪಣ ""ಎಸ್ಎಮ್"", ಮತ್ತು ಉದಾಹರಣೆಗೆ, ಐಟಂ ಕೋಡ್ ""ಟಿ ಶರ್ಟ್"", ""ಟಿ-ಶರ್ಟ್ ಎಸ್.ಎಂ."" ಇರುತ್ತದೆ ವ್ಯತ್ಯಯದ ಐಟಂ ಸಂಕೇತ"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ನೀವು ಸಂಬಳ ಸ್ಲಿಪ್ ಉಳಿಸಲು ಒಮ್ಮೆ ( ಮಾತಿನಲ್ಲಿ) ನಿವ್ವಳ ವೇತನ ಗೋಚರಿಸುತ್ತದೆ.
 DocType: Delivery Note,Is Return,ಮರಳುವುದು
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,ಎಚ್ಚರಿಕೆ
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',ಪ್ರಾರಂಭದ ದಿನವು ಅಂತ್ಯದ ದಿನಕ್ಕಿಂತಲೂ ಹೆಚ್ಚು &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,ರಿಟರ್ನ್ / ಡೆಬಿಟ್ ಗಮನಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,ರಿಟರ್ನ್ / ಡೆಬಿಟ್ ಗಮನಿಸಿ
 DocType: Price List Country,Price List Country,ದರ ಪಟ್ಟಿ ಕಂಟ್ರಿ
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},ಐಟಂ {0} ಮಾನ್ಯ ಸರಣಿ ಸೂಲ {1}
@@ -1815,13 +1828,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,ಮಾಹಿತಿ ನೀಡಿ.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ಸರಬರಾಜುದಾರ ಡೇಟಾಬೇಸ್ .
 DocType: Contract Template,Contract Terms and Conditions,ಕಾಂಟ್ರಾಕ್ಟ್ ನಿಯಮಗಳು ಮತ್ತು ಷರತ್ತುಗಳು
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,ರದ್ದುಪಡಿಸದ ಚಂದಾದಾರಿಕೆಯನ್ನು ನೀವು ಮರುಪ್ರಾರಂಭಿಸಬಾರದು.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,ರದ್ದುಪಡಿಸದ ಚಂದಾದಾರಿಕೆಯನ್ನು ನೀವು ಮರುಪ್ರಾರಂಭಿಸಬಾರದು.
 DocType: Account,Balance Sheet,ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್
 DocType: Leave Type,Is Earned Leave,ಗಳಿಕೆ ಇದೆ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ','ಐಟಂ ಕೋಡ್ನೊಂದಿಗೆ ಐಟಂ ಸೆಂಟರ್ ವೆಚ್ಚ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ','ಐಟಂ ಕೋಡ್ನೊಂದಿಗೆ ಐಟಂ ಸೆಂಟರ್ ವೆಚ್ಚ
 DocType: Fee Validity,Valid Till,ಮಾನ್ಯ ಟಿಲ್
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,ಒಟ್ಟು ಪಾಲಕರು ಶಿಕ್ಷಕರ ಸಭೆ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ಪಾವತಿ ಮೋಡ್ ಸಂರಚಿತವಾಗಿರುವುದಿಲ್ಲ. ಖಾತೆ ಪಾವತಿ ವಿಧಾನ ಮೇಲೆ ಅಥವಾ ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಹೊಂದಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಪರಿಶೀಲಿಸಿ.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ಪಾವತಿ ಮೋಡ್ ಸಂರಚಿತವಾಗಿರುವುದಿಲ್ಲ. ಖಾತೆ ಪಾವತಿ ವಿಧಾನ ಮೇಲೆ ಅಥವಾ ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಹೊಂದಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಪರಿಶೀಲಿಸಿ.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ಅದೇ ಐಟಂ ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","ಮತ್ತಷ್ಟು ಖಾತೆಗಳನ್ನು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು, ಆದರೆ ನಮೂದುಗಳನ್ನು ಅಲ್ಲದ ಗುಂಪುಗಳ ವಿರುದ್ಧ ಮಾಡಬಹುದು"
 DocType: Lead,Lead,ಲೀಡ್
@@ -1830,11 +1843,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS ಪ್ರಮಾಣ ಟೋಕನ್
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ದಾಖಲಿಸಿದವರು
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,ರಿಡೀಮ್ ಮಾಡಲು ನೀವು ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳನ್ನು ಹೊಂದಿದ್ದೀರಿ
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,ರೋ # {0}: ಪ್ರಮಾಣ ಖರೀದಿ ರಿಟರ್ನ್ ಪ್ರವೇಶಿಸಿತು ಸಾಧ್ಯವಿಲ್ಲ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},ಕಂಪನಿ ವಿರುದ್ಧ ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ವರ್ಗ {0} ನಲ್ಲಿ ಸಂಬಂಧಿತ ಖಾತೆ ಹೊಂದಿಸಿ {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,ರೋ # {0}: ಪ್ರಮಾಣ ಖರೀದಿ ರಿಟರ್ನ್ ಪ್ರವೇಶಿಸಿತು ಸಾಧ್ಯವಿಲ್ಲ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,ಆಯ್ಕೆಮಾಡಿದ ಗ್ರಾಹಕರಿಗೆ ಗ್ರಾಹಕ ಗುಂಪನ್ನು ಬದಲಾಯಿಸುವುದು ಅನುಮತಿಸುವುದಿಲ್ಲ.
 ,Purchase Order Items To Be Billed,ಪಾವತಿಸಬೇಕಾಗುತ್ತದೆ ಖರೀದಿ ಆದೇಶವನ್ನು ಐಟಂಗಳು
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,ಅಂದಾಜು ಆಗಮನದ ಸಮಯವನ್ನು ನವೀಕರಿಸಲಾಗುತ್ತಿದೆ.
 DocType: Program Enrollment Tool,Enrollment Details,ದಾಖಲಾತಿ ವಿವರಗಳು
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,ಕಂಪೆನಿಗಾಗಿ ಬಹು ಐಟಂ ಡೀಫಾಲ್ಟ್ಗಳನ್ನು ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ.
 DocType: Purchase Invoice Item,Net Rate,ನೆಟ್ ದರ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
 DocType: Leave Policy,Leave Allocations,ಹಂಚಿಕೆಗಳನ್ನು ಬಿಡಿ
@@ -1865,7 +1880,7 @@
 DocType: Loan Application,Repayment Info,ಮರುಪಾವತಿಯ ಮಾಹಿತಿ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,' ನಮೂದುಗಳು ' ಖಾಲಿ ಇರುವಂತಿಲ್ಲ
 DocType: Maintenance Team Member,Maintenance Role,ನಿರ್ವಹಣೆ ಪಾತ್ರ
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},ನಕಲು ಸಾಲು {0} {1} ಒಂದೇ ಜೊತೆ
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},ನಕಲು ಸಾಲು {0} {1} ಒಂದೇ ಜೊತೆ
 DocType: Marketplace Settings,Disable Marketplace,ಮಾರುಕಟ್ಟೆ ಸ್ಥಳವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ
 ,Trial Balance,ಟ್ರಯಲ್ ಬ್ಯಾಲೆನ್ಸ್
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಕಂಡುಬಂದಿಲ್ಲ
@@ -1876,9 +1891,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,ಚಂದಾದಾರಿಕೆ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Purchase Invoice,Update Auto Repeat Reference,ಆಟೋ ರಿಪೀಟ್ ರೆಫರೆನ್ಸ್ ಅನ್ನು ನವೀಕರಿಸಿ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},ಐಚ್ಛಿಕ ಹಾಲಿಡೇ ಪಟ್ಟಿ ರಜೆಯ ಅವಧಿಯನ್ನು ಹೊಂದಿಸುವುದಿಲ್ಲ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},ಐಚ್ಛಿಕ ಹಾಲಿಡೇ ಪಟ್ಟಿ ರಜೆಯ ಅವಧಿಯನ್ನು ಹೊಂದಿಸುವುದಿಲ್ಲ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,ರಿಸರ್ಚ್
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,ವಿಳಾಸ 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,ವಿಳಾಸ 2
 DocType: Maintenance Visit Purpose,Work Done,ಕೆಲಸ ನಡೆದಿದೆ
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,ಗುಣಲಕ್ಷಣಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ
 DocType: Announcement,All Students,ಎಲ್ಲಾ ವಿದ್ಯಾರ್ಥಿಗಳು
@@ -1888,16 +1903,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,ಹೊಂದಾಣಿಕೆಯ ವಹಿವಾಟುಗಳು
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,ಮುಂಚಿನ
 DocType: Crop Cycle,Linked Location,ಲಿಂಕ್ ಮಾಡಿದ ಸ್ಥಳ
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","ಐಟಂ ಗುಂಪು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಐಟಂ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ದಯವಿಟ್ಟು"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","ಐಟಂ ಗುಂಪು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಐಟಂ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ದಯವಿಟ್ಟು"
 DocType: Crop Cycle,Less than a year,ಒಂದು ವರ್ಷಕ್ಕಿಂತ ಕಡಿಮೆ
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ವಿದ್ಯಾರ್ಥಿ ಮೊಬೈಲ್ ನಂ
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,ವಿಶ್ವದ ಉಳಿದ
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,ವಿಶ್ವದ ಉಳಿದ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ಐಟಂ {0} ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ
 DocType: Crop,Yield UOM,ಯುಒಎಂ ಇಳುವರಿ
 ,Budget Variance Report,ಬಜೆಟ್ ವೈಷಮ್ಯವನ್ನು ವರದಿ
 DocType: Salary Slip,Gross Pay,ಗ್ರಾಸ್ ಪೇ
 DocType: Item,Is Item from Hub,ಹಬ್ನಿಂದ ಐಟಂ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,ಆರೋಗ್ಯ ಸೇವೆಗಳಿಂದ ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,ಆರೋಗ್ಯ ಸೇವೆಗಳಿಂದ ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,ರೋ {0}: ಚಟುವಟಿಕೆ ಕೌಟುಂಬಿಕತೆ ಕಡ್ಡಾಯವಾಗಿದೆ.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,ಫಲಕಾರಿಯಾಯಿತು
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,ಲೆಕ್ಕಪತ್ರ ಲೆಡ್ಜರ್
@@ -1912,6 +1927,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,ಪಾವತಿ ಮೋಡ್
 DocType: Purchase Invoice,Supplied Items,ವಿತರಿಸಿದ ವಸ್ತುಗಳನ್ನು
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},ದಯವಿಟ್ಟು ರೆಸ್ಟೋರೆಂಟ್ಗಾಗಿ ಸಕ್ರಿಯ ಮೆನುವನ್ನು ಹೊಂದಿಸಿ {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,ಆಯೋಗದ ದರ%
 DocType: Work Order,Qty To Manufacture,ತಯಾರಿಸಲು ಪ್ರಮಾಣ
 DocType: Email Digest,New Income,ಹೊಸ ಆದಾಯ
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,ಖರೀದಿ ಪ್ರಕ್ರಿಯೆಯ ಉದ್ದಕ್ಕೂ ಅದೇ ದರವನ್ನು ಕಾಯ್ದುಕೊಳ್ಳಲು
@@ -1926,12 +1942,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},ಸತತವಾಗಿ ಐಟಂ ಅಗತ್ಯವಿದೆ ಮೌಲ್ಯಾಂಕನ ದರ {0}
 DocType: Supplier Scorecard,Scorecard Actions,ಸ್ಕೋರ್ಕಾರ್ಡ್ ಕ್ರಿಯೆಗಳು
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,ಉದಾಹರಣೆ: ಕಂಪ್ಯೂಟರ್ ಸೈನ್ಸ್ ಮಾಸ್ಟರ್ಸ್
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},ಸರಬರಾಜುದಾರ {0} {1} ನಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ
 DocType: Purchase Invoice,Rejected Warehouse,ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ವೇರ್ಹೌಸ್
 DocType: GL Entry,Against Voucher,ಚೀಟಿ ವಿರುದ್ಧ
 DocType: Item Default,Default Buying Cost Center,ಡೀಫಾಲ್ಟ್ ಖರೀದಿ ವೆಚ್ಚ ಸೆಂಟರ್
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext ಅತ್ಯುತ್ತಮ ಔಟ್ ಪಡೆಯಲು, ನೀವು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳುತ್ತದೆ ಮತ್ತು ಈ ಸಹಾಯ ವೀಡಿಯೊಗಳನ್ನು ವೀಕ್ಷಿಸಲು ಶಿಫಾರಸು."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),ಡೀಫಾಲ್ಟ್ ಪೂರೈಕೆದಾರರಿಗಾಗಿ (ಐಚ್ಛಿಕ)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ಗೆ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),ಡೀಫಾಲ್ಟ್ ಪೂರೈಕೆದಾರರಿಗಾಗಿ (ಐಚ್ಛಿಕ)
 DocType: Supplier Quotation Item,Lead Time in days,ದಿನಗಳಲ್ಲಿ ಪ್ರಮುಖ ಸಮಯ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಗಳು ಸಾರಾಂಶ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆ ಸಂಪಾದಿಸಲು ಅಧಿಕಾರ {0}
@@ -1940,7 +1956,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,ಉಲ್ಲೇಖಗಳಿಗಾಗಿ ಹೊಸ ವಿನಂತಿಗಾಗಿ ಎಚ್ಚರಿಕೆ ನೀಡಿ
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,ಖರೀದಿ ಆದೇಶ ನೀವು ಯೋಜನೆ ಸಹಾಯ ಮತ್ತು ನಿಮ್ಮ ಖರೀದಿ ಮೇಲೆ ಅನುಸರಿಸಿ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್ಗಳು
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",ಒಟ್ಟು ಸಂಚಿಕೆ / ವರ್ಗಾವಣೆ ಪ್ರಮಾಣ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ರಲ್ಲಿ {1} \ ವಿನಂತಿಸಿದ ಪ್ರಮಾಣ {2} ಐಟಂ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,ಸಣ್ಣ
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Shopify ಆದೇಶದಲ್ಲಿ ಗ್ರಾಹಕರನ್ನು ಹೊಂದಿರದಿದ್ದರೆ, ಆದೇಶಗಳನ್ನು ಸಿಂಕ್ ಮಾಡುವಾಗ, ವ್ಯವಸ್ಥೆಯು ಆದೇಶಕ್ಕಾಗಿ ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕರನ್ನು ಪರಿಗಣಿಸುತ್ತದೆ"
@@ -1952,6 +1968,7 @@
 DocType: Project,% Completed,% ಪೂರ್ಣಗೊಂಡಿದೆ
 ,Invoiced Amount (Exculsive Tax),ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ ( ತೆರಿಗೆ Exculsive )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ಐಟಂ 2
+DocType: QuickBooks Migrator,Authorization Endpoint,ದೃಢೀಕರಣ ಎಂಡ್ಪೋಯಿಂಟ್
 DocType: Travel Request,International,ಅಂತಾರಾಷ್ಟ್ರೀಯ
 DocType: Training Event,Training Event,ತರಬೇತಿ ಈವೆಂಟ್
 DocType: Item,Auto re-order,ಆಟೋ ಪುನಃ ಸಲುವಾಗಿ
@@ -1960,24 +1977,24 @@
 DocType: Contract,Contract,ಒಪ್ಪಂದ
 DocType: Plant Analysis,Laboratory Testing Datetime,ಪ್ರಯೋಗಾಲಯ ಪರೀಕ್ಷೆ ದಿನಾಂಕ
 DocType: Email Digest,Add Quote,ಉದ್ಧರಣ ಸೇರಿಸಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM ಅಗತ್ಯವಿದೆ UOM coversion ಫ್ಯಾಕ್ಟರ್: {0} ಐಟಂ ರಲ್ಲಿ: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM ಅಗತ್ಯವಿದೆ UOM coversion ಫ್ಯಾಕ್ಟರ್: {0} ಐಟಂ ರಲ್ಲಿ: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,ಪರೋಕ್ಷ ವೆಚ್ಚಗಳು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,ರೋ {0}: ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,ರೋ {0}: ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
 DocType: Agriculture Analysis Criteria,Agriculture,ವ್ಯವಸಾಯ
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,ಮಾರಾಟದ ಆದೇಶವನ್ನು ರಚಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,ಆಸ್ತಿಗಾಗಿ ಲೆಕ್ಕಪತ್ರ ನಿರ್ವಹಣೆ ನಮೂದು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,ಸರಕುಪಟ್ಟಿ ನಿರ್ಬಂಧಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,ಆಸ್ತಿಗಾಗಿ ಲೆಕ್ಕಪತ್ರ ನಿರ್ವಹಣೆ ನಮೂದು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,ಸರಕುಪಟ್ಟಿ ನಿರ್ಬಂಧಿಸಿ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,ಪ್ರಮಾಣ ಮಾಡಲು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,ಸಿಂಕ್ ಮಾಸ್ಟರ್ ಡಾಟಾ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,ಸಿಂಕ್ ಮಾಸ್ಟರ್ ಡಾಟಾ
 DocType: Asset Repair,Repair Cost,ದುರಸ್ತಿ ವೆಚ್ಚ
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,ಲಾಗಿನ್ ಮಾಡಲು ವಿಫಲವಾಗಿದೆ
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,ಆಸ್ತಿ {0} ರಚಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,ಆಸ್ತಿ {0} ರಚಿಸಲಾಗಿದೆ
 DocType: Special Test Items,Special Test Items,ವಿಶೇಷ ಪರೀಕ್ಷಾ ಐಟಂಗಳು
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace ನಲ್ಲಿ ನೋಂದಾಯಿಸಲು ನೀವು ಸಿಸ್ಟಮ್ ಮ್ಯಾನೇಜರ್ ಮತ್ತು ಐಟಂ ಮ್ಯಾನೇಜರ್ ರೋಲ್ಗಳೊಂದಿಗೆ ಬಳಕೆದಾರರಾಗಿರಬೇಕಾಗುತ್ತದೆ.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,ಪಾವತಿಯ ಮಾದರಿಯು
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,ನಿಯೋಜಿಸಲಾದ ಸಂಬಳ ರಚನೆಯ ಪ್ರಕಾರ ನೀವು ಪ್ರಯೋಜನಕ್ಕಾಗಿ ಅರ್ಜಿ ಸಲ್ಲಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,ವೆಬ್ಸೈಟ್ ಚಿತ್ರ ಸಾರ್ವಜನಿಕ ಕಡತ ಅಥವಾ ವೆಬ್ಸೈಟ್ URL ಇರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,ವೆಬ್ಸೈಟ್ ಚಿತ್ರ ಸಾರ್ವಜನಿಕ ಕಡತ ಅಥವಾ ವೆಬ್ಸೈಟ್ URL ಇರಬೇಕು
 DocType: Purchase Invoice Item,BOM,ಬಿಒಎಮ್
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಐಟಂ ಗುಂಪು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,ವಿಲೀನಗೊಳ್ಳಲು
@@ -1986,24 +2003,25 @@
 DocType: Warehouse,Warehouse Contact Info,ವೇರ್ಹೌಸ್ ಸಂಪರ್ಕ ಮಾಹಿತಿ
 DocType: Payment Entry,Write Off Difference Amount,ವ್ಯತ್ಯಾಸ ಪ್ರಮಾಣ ಆಫ್ ಬರೆಯಿರಿ
 DocType: Volunteer,Volunteer Name,ಸ್ವಯಂಸೇವಕ ಹೆಸರು
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: ನೌಕರರ ಇಮೇಲ್ ಕಂಡುಬಂದಿಲ್ಲ, ಆದ್ದರಿಂದ ಕಳುಹಿಸಲಾಗಿಲ್ಲ ಇಮೇಲ್"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},ಇತರ ಸಾಲುಗಳಲ್ಲಿ ನಕಲಿ ದಿನಾಂಕಗಳುಳ್ಳ ಸಾಲುಗಳು ಕಂಡುಬಂದಿವೆ: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: ನೌಕರರ ಇಮೇಲ್ ಕಂಡುಬಂದಿಲ್ಲ, ಆದ್ದರಿಂದ ಕಳುಹಿಸಲಾಗಿಲ್ಲ ಇಮೇಲ್"
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},ಶಿಪ್ಪಿಂಗ್ ನಿಯಮವು ದೇಶಕ್ಕೆ ಅನ್ವಯಿಸುವುದಿಲ್ಲ {0}
 DocType: Item,Foreign Trade Details,ವಿದೇಶಿ ವ್ಯಾಪಾರ ವಿವರಗಳು
 ,Assessment Plan Status,ಅಸೆಸ್ಮೆಂಟ್ ಯೋಜನೆ ಸ್ಥಿತಿ
 DocType: Email Digest,Annual Income,ವಾರ್ಷಿಕ ಆದಾಯ
 DocType: Serial No,Serial No Details,ಯಾವುದೇ ಸೀರಿಯಲ್ ವಿವರಗಳು
 DocType: Purchase Invoice Item,Item Tax Rate,ಐಟಂ ತೆರಿಗೆ ದರ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,ಪಕ್ಷದ ಹೆಸರು
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,ಪಕ್ಷದ ಹೆಸರು
 DocType: Student Group Student,Group Roll Number,ಗುಂಪು ರೋಲ್ ಸಂಖ್ಯೆ
 DocType: Student Group Student,Group Roll Number,ಗುಂಪು ರೋಲ್ ಸಂಖ್ಯೆ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, ಮಾತ್ರ ಕ್ರೆಡಿಟ್ ಖಾತೆಗಳನ್ನು ಮತ್ತೊಂದು ಡೆಬಿಟ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಲಿಂಕ್ ಮಾಡಬಹುದು ಫಾರ್"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,ಐಟಂ {0} ಒಂದು ಉಪ ಒಪ್ಪಂದ ಐಟಂ ಇರಬೇಕು
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,ಸಲಕರಣಾ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ಬೆಲೆ ರೂಲ್ ಮೊದಲ ಐಟಂ, ಐಟಂ ಗುಂಪು ಅಥವಾ ಬ್ರಾಂಡ್ ಆಗಿರಬಹುದು, ಕ್ಷೇತ್ರದಲ್ಲಿ 'ರಂದು ಅನ್ವಯಿಸು' ಆಧಾರದ ಮೇಲೆ ಆಯ್ಕೆ."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,ದಯವಿಟ್ಟು ಮೊದಲು ಐಟಂ ಕೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ಡಾಕ್ ಪ್ರಕಾರ
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,ಮಾರಾಟದ ತಂಡಕ್ಕೆ ಹಂಚಿಕೆ ಶೇಕಡಾವಾರು ಒಟ್ಟು 100 ಶುಡ್
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ಡಾಕ್ ಪ್ರಕಾರ
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,ಮಾರಾಟದ ತಂಡಕ್ಕೆ ಹಂಚಿಕೆ ಶೇಕಡಾವಾರು ಒಟ್ಟು 100 ಶುಡ್
 DocType: Subscription Plan,Billing Interval Count,ಬಿಲ್ಲಿಂಗ್ ಇಂಟರ್ವಲ್ ಕೌಂಟ್
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,ನೇಮಕಾತಿಗಳು ಮತ್ತು ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ಸ್
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,ಮೌಲ್ಯವು ಕಾಣೆಯಾಗಿದೆ
@@ -2017,6 +2035,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ ರಚಿಸಿ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,ಶುಲ್ಕವನ್ನು ರಚಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},ಎಂಬ ಯಾವುದೇ ಐಟಂ ಸಿಗಲಿಲ್ಲ {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,ಐಟಂಗಳು ಫಿಲ್ಟರ್
 DocType: Supplier Scorecard Criteria,Criteria Formula,ಮಾನದಂಡ ಫಾರ್ಮುಲಾ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,ಒಟ್ಟು ಹೊರಹೋಗುವ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","ಕೇವಲ "" ಮೌಲ್ಯವನ್ನು "" 0 ಅಥವಾ ಖಾಲಿ ಮೌಲ್ಯದೊಂದಿಗೆ ಒಂದು ಹಡಗು ರೂಲ್ ಕಂಡಿಶನ್ ಇಡಬಹುದು"
@@ -2025,14 +2044,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","ಐಟಂಗಾಗಿ {0}, ಪ್ರಮಾಣವು ಧನಾತ್ಮಕ ಸಂಖ್ಯೆಯನ್ನು ಹೊಂದಿರಬೇಕು"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ಗಮನಿಸಿ: ಈ ವೆಚ್ಚ ಸೆಂಟರ್ ಒಂದು ಗುಂಪು. ಗುಂಪುಗಳ ವಿರುದ್ಧ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,ಕಾಂಪೆನ್ಸೇಟರಿ ರಜೆ ವಿನಂತಿಯ ದಿನಗಳು ಮಾನ್ಯ ರಜಾದಿನಗಳಲ್ಲಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,ಮಕ್ಕಳ ಗೋದಾಮಿನ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಈ ಗೋದಾಮಿನ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ಮಕ್ಕಳ ಗೋದಾಮಿನ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಈ ಗೋದಾಮಿನ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ.
 DocType: Item,Website Item Groups,ವೆಬ್ಸೈಟ್ ಐಟಂ ಗುಂಪುಗಳು
 DocType: Purchase Invoice,Total (Company Currency),ಒಟ್ಟು (ಕಂಪನಿ ಕರೆನ್ಸಿ)
 DocType: Daily Work Summary Group,Reminder,ಜ್ಞಾಪನೆ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,ಪ್ರವೇಶಿಸಬಹುದಾದ ಮೌಲ್ಯ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,ಪ್ರವೇಶಿಸಬಹುದಾದ ಮೌಲ್ಯ
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,ಕ್ರಮಸಂಖ್ಯೆ {0} ಒಮ್ಮೆ ಹೆಚ್ಚು ಪ್ರವೇಶಿಸಿತು
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN ನಿಂದ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN ನಿಂದ
 DocType: Expense Claim Advance,Unclaimed amount,ಹಕ್ಕು ಪಡೆಯದ ಮೊತ್ತ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} ಪ್ರಗತಿಯಲ್ಲಿದೆ ಐಟಂಗಳನ್ನು
 DocType: Workstation,Workstation Name,ಕಾರ್ಯಕ್ಷೇತ್ರ ಹೆಸರು
@@ -2040,7 +2059,7 @@
 DocType: POS Item Group,POS Item Group,ಪಿಓಎಸ್ ಐಟಂ ಗ್ರೂಪ್
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,ಪರ್ಯಾಯ ಐಟಂ ಐಟಂ ಕೋಡ್ನಂತೆ ಇರಬಾರದು
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},ಬಿಒಎಮ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},ಬಿಒಎಮ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1}
 DocType: Sales Partner,Target Distribution,ಟಾರ್ಗೆಟ್ ಡಿಸ್ಟ್ರಿಬ್ಯೂಶನ್
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-ತಾತ್ಕಾಲಿಕ ಮೌಲ್ಯಮಾಪನ ಅಂತಿಮಗೊಳಿಸುವಿಕೆ
 DocType: Salary Slip,Bank Account No.,ಬ್ಯಾಂಕ್ ಖಾತೆ ಸಂಖ್ಯೆ
@@ -2049,7 +2068,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","ಸ್ಕೋರ್ಕಾರ್ಡ್ ಅಸ್ಥಿರಗಳನ್ನು ಸಹ ಬಳಸಬಹುದು: {total_score} (ಆ ಅವಧಿಯ ಒಟ್ಟು ಸ್ಕೋರ್), {period_number} (ಅವಧಿಗಳ ಸಂಖ್ಯೆ ಇಂದಿನವರೆಗೆ)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,ಎಲ್ಲವನ್ನೂ ಸಂಕುಚಿಸಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,ಎಲ್ಲವನ್ನೂ ಸಂಕುಚಿಸಿ
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,ಖರೀದಿ ಆದೇಶವನ್ನು ರಚಿಸಿ
 DocType: Quality Inspection Reading,Reading 8,8 ಓದುವಿಕೆ
 DocType: Inpatient Record,Discharge Note,ಡಿಸ್ಚಾರ್ಜ್ ನೋಟ್
@@ -2066,7 +2085,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,ಸವಲತ್ತು ಲೀವ್
 DocType: Purchase Invoice,Supplier Invoice Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,ಈ ಮೌಲ್ಯವನ್ನು ಪ್ರೊ-ರೇಟಾ ಟೆಂಪೊರಿಸ್ ಲೆಕ್ಕಕ್ಕೆ ಬಳಸಲಾಗುತ್ತದೆ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,ನೀವು ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಕ್ತಗೊಳಿಸಬೇಕಾಗುತ್ತದೆ
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,ನೀವು ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಕ್ತಗೊಳಿಸಬೇಕಾಗುತ್ತದೆ
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS -YYYY.-
 DocType: Stock Settings,Naming Series Prefix,ನಾಮಕರಣ ಸರಣಿ ಪೂರ್ವಪ್ರತ್ಯಯ
@@ -2081,11 +2100,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,ನಡುವೆ ಕಂಡುಬರುವ ಅತಿಕ್ರಮಿಸುವ ಪರಿಸ್ಥಿತಿಗಳು :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ಜರ್ನಲ್ ವಿರುದ್ಧ ಎಂಟ್ರಿ {0} ಈಗಾಗಲೇ ಕೆಲವು ಚೀಟಿ ವಿರುದ್ಧ ಸರಿಹೊಂದಿಸಲಾಗುತ್ತದೆ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,ಒಟ್ಟು ಆರ್ಡರ್ ಮೌಲ್ಯ
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ಆಹಾರ
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,ಆಹಾರ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,ಏಜಿಂಗ್ ರೇಂಜ್ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ಪಿಒಎಸ್ ವೂಚರ್ ವಿವರಗಳನ್ನು ಮುಚ್ಚುವುದು
 DocType: Shopify Log,Shopify Log,ಲಾಗ್ Shopify
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ದಯವಿಟ್ಟು ಸೆಟಪ್&gt; ಸೆಟ್ಟಿಂಗ್ಗಳು&gt; ಹೆಸರಿಸುವ ಸರಣಿ ಮೂಲಕ {0} ಹೆಸರಿಸುವ ಸರಣಿಗಳನ್ನು ಹೊಂದಿಸಿ
 DocType: Inpatient Occupancy,Check In,ಚೆಕ್ ಇನ್
 DocType: Maintenance Schedule Item,No of Visits,ಭೇಟಿ ಸಂಖ್ಯೆ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ {0} ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
@@ -2125,6 +2143,7 @@
 DocType: Salary Structure,Max Benefits (Amount),ಗರಿಷ್ಠ ಬೆನಿಫಿಟ್ಸ್ (ಮೊತ್ತ)
 DocType: Purchase Invoice,Contact Person,ಕಾಂಟ್ಯಾಕ್ಟ್ ಪರ್ಸನ್
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',' ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ ' ' ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ ' ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,ಈ ಅವಧಿಗೆ ಯಾವುದೇ ಡೇಟಾ ಇಲ್ಲ
 DocType: Course Scheduling Tool,Course End Date,ಕೋರ್ಸ್ ಅಂತಿಮ ದಿನಾಂಕ
 DocType: Holiday List,Holidays,ರಜಾದಿನಗಳು
 DocType: Sales Order Item,Planned Quantity,ಯೋಜಿತ ಪ್ರಮಾಣ
@@ -2136,7 +2155,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,ಸ್ಥಿರ ಸಂಪತ್ತಾದ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,ರೆಕ್ಡ್ ಕ್ವಿಟಿ
 DocType: Leave Control Panel,Leave blank if considered for all designations,ಎಲ್ಲಾ ಅಂಕಿತಗಳು ಪರಿಗಣಿಸಲ್ಪಡುವ ವೇಳೆ ಖಾಲಿ ಬಿಡಿ
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರಿ ಸಾಲು {0} ನಲ್ಲಿ 'ವಾಸ್ತವಿಕ' ಉಸ್ತುವಾರಿ ಐಟಂ ದರದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರಿ ಸಾಲು {0} ನಲ್ಲಿ 'ವಾಸ್ತವಿಕ' ಉಸ್ತುವಾರಿ ಐಟಂ ದರದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},ಮ್ಯಾಕ್ಸ್: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime ಗೆ
 DocType: Shopify Settings,For Company,ಕಂಪನಿ
@@ -2149,9 +2168,9 @@
 DocType: Material Request,Terms and Conditions Content,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ವಿಷಯ
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,ಕೋರ್ಸ್ ವೇಳಾಪಟ್ಟಿಯನ್ನು ರಚಿಸುವಲ್ಲಿ ದೋಷಗಳಿವೆ
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,ಪಟ್ಟಿಯಲ್ಲಿರುವ ಮೊದಲ ಖರ್ಚು ಅಪ್ರೋವರ್ ಅನ್ನು ಡೀಫಾಲ್ಟ್ ಖರ್ಚು ಅಪ್ರೋವರ್ ಎಂದು ಹೊಂದಿಸಲಾಗುತ್ತದೆ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,ಮಾರ್ಕೆಟ್ಪ್ಲೇಸ್ನಲ್ಲಿ ನೋಂದಾಯಿಸಲು ನೀವು ಸಿಸ್ಟಮ್ ಮ್ಯಾನೇಜರ್ ಮತ್ತು ಐಟಂ ಮ್ಯಾನೇಜರ್ ರೋಲ್ಗಳೊಂದಿಗೆ ನಿರ್ವಾಹಕರನ್ನು ಹೊರತುಪಡಿಸಿ ಬಳಕೆದಾರರಾಗಿರಬೇಕಾಗುತ್ತದೆ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,ಐಟಂ {0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,ಐಟಂ {0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC - YYYY.-
 DocType: Maintenance Visit,Unscheduled,ಅನಿಗದಿತ
 DocType: Employee,Owned,ಸ್ವಾಮ್ಯದ
@@ -2179,7 +2198,7 @@
 DocType: HR Settings,Employee Settings,ನೌಕರರ ಸೆಟ್ಟಿಂಗ್ಗಳು
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,ಪಾವತಿ ವ್ಯವಸ್ಥೆಯನ್ನು ಲೋಡ್ ಮಾಡಲಾಗುತ್ತಿದೆ
 ,Batch-Wise Balance History,ಬ್ಯಾಚ್ ವೈಸ್ ಬ್ಯಾಲೆನ್ಸ್ ಇತಿಹಾಸ
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ಸಾಲು # {0}: ಐಟಂ {1} ಗೆ ಬಿಲ್ ಮಾಡಿದ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿನ ಮೊತ್ತವನ್ನು ಹೊಂದಿಸಿದರೆ ದರವನ್ನು ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ಸಾಲು # {0}: ಐಟಂ {1} ಗೆ ಬಿಲ್ ಮಾಡಿದ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿನ ಮೊತ್ತವನ್ನು ಹೊಂದಿಸಿದರೆ ದರವನ್ನು ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ಮುದ್ರಣ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು ಆಯಾ ಮುದ್ರಣ ರೂಪದಲ್ಲಿ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
 DocType: Package Code,Package Code,ಪ್ಯಾಕೇಜ್ ಕೋಡ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,ಹೊಸಗಸುಬಿ
@@ -2188,7 +2207,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","ಸ್ಟ್ರಿಂಗ್ ಐಟಂ ಮಾಸ್ಟರ್ ರಿಂದ ಗಳಿಸಿತು ಮತ್ತು ಈ ಕ್ಷೇತ್ರದಲ್ಲಿ ಸಂಗ್ರಹಿಸಲಾಗಿದೆ ತೆರಿಗೆ ವಿವರ ಟೇಬಲ್.
  ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಉಪಯೋಗಿಸಿದ"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,ನೌಕರರ ಸ್ವತಃ ವರದಿ ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,ನೌಕರರ ಸ್ವತಃ ವರದಿ ಸಾಧ್ಯವಿಲ್ಲ.
 DocType: Leave Type,Max Leaves Allowed,ಮ್ಯಾಕ್ಸ್ ಲೀವ್ಸ್ ಅನುಮತಿಸಲಾಗಿದೆ
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ಖಾತೆ ಹೆಪ್ಪುಗಟ್ಟಿರುವ ವೇಳೆ , ನಮೂದುಗಳನ್ನು ನಿರ್ಬಂಧಿತ ಬಳಕೆದಾರರಿಗೆ ಅವಕಾಶವಿರುತ್ತದೆ ."
 DocType: Email Digest,Bank Balance,ಬ್ಯಾಂಕ್ ಬ್ಯಾಲೆನ್ಸ್
@@ -2214,6 +2233,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,ಬ್ಯಾಂಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ನಮೂದುಗಳು
 DocType: Quality Inspection,Readings,ರೀಡಿಂಗ್ಸ್
 DocType: Stock Entry,Total Additional Costs,ಒಟ್ಟು ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,ಸಂವಹನಗಳ ಸಂಖ್ಯೆ
 DocType: BOM,Scrap Material Cost(Company Currency),ಸ್ಕ್ರ್ಯಾಪ್ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,ಉಪ ಅಸೆಂಬ್ಲೀಸ್
 DocType: Asset,Asset Name,ಆಸ್ತಿ ಹೆಸರು
@@ -2221,10 +2241,10 @@
 DocType: Shipping Rule Condition,To Value,ಮೌಲ್ಯ
 DocType: Loyalty Program,Loyalty Program Type,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಪ್ರಕಾರ
 DocType: Asset Movement,Stock Manager,ಸ್ಟಾಕ್ ಮ್ಯಾನೇಜರ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},ಮೂಲ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},ಮೂಲ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,ಸಾಲು {0} ನಲ್ಲಿ ಪಾವತಿ ಅವಧಿಯು ಬಹುಶಃ ನಕಲಿಯಾಗಿದೆ.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),ವ್ಯವಸಾಯ (ಬೀಟಾ)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,ಕಚೇರಿ ಬಾಡಿಗೆ
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,ಸೆಟಪ್ SMS ಗೇಟ್ವೇ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು
 DocType: Disease,Common Name,ಸಾಮಾನ್ಯ ಹೆಸರು
@@ -2256,20 +2276,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,ನೌಕರರ ಇಮೇಲ್ ಸಂಬಳ ಸ್ಲಿಪ್
 DocType: Cost Center,Parent Cost Center,ಪೋಷಕ ವೆಚ್ಚ ಸೆಂಟರ್
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ ಆಯ್ಕೆ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ ಆಯ್ಕೆ
 DocType: Sales Invoice,Source,ಮೂಲ
 DocType: Customer,"Select, to make the customer searchable with these fields",ಗ್ರಾಹಕರನ್ನು ಈ ಕ್ಷೇತ್ರಗಳೊಂದಿಗೆ ಹುಡುಕಲು ಸಾಧ್ಯವಾಗುವಂತೆ ಆಯ್ಕೆಮಾಡಿ
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,ಸಾಗಣೆಗೆಯಲ್ಲಿ Shopify ನಿಂದ ಆಮದು ವಿತರಣೆ ಟಿಪ್ಪಣಿಗಳು
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,ಮುಚ್ಚಲಾಗಿದೆ ಶೋ
 DocType: Leave Type,Is Leave Without Pay,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ಇದೆ
-DocType: Lab Test,HLC-LT-.YYYY.-,ಎಚ್ಎಲ್ಸಿ-ಎಲ್ಟಿ -ವೈವೈವೈ.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,ಆಸ್ತಿ ವರ್ಗ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಕಡ್ಡಾಯವಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,ಆಸ್ತಿ ವರ್ಗ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಕಡ್ಡಾಯವಾಗಿದೆ
 DocType: Fee Validity,Fee Validity,ಶುಲ್ಕ ಮಾನ್ಯತೆ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,ಪಾವತಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},ಈ {0} ಸಂಘರ್ಷಗಳನ್ನು {1} ಫಾರ್ {2} {3}
 DocType: Student Attendance Tool,Students HTML,ವಿದ್ಯಾರ್ಥಿಗಳು ಎಚ್ಟಿಎಮ್ಎಲ್
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ಅನ್ನು ರದ್ದುಮಾಡಲು ಉದ್ಯೋಗಿ <a href=""#Form/Employee/{0}"">{0} ಅನ್ನು</a> ಅಳಿಸಿ"
 DocType: POS Profile,Apply Discount,ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸು
 DocType: GST HSN Code,GST HSN Code,ಜಿಎಸ್ಟಿ HSN ಕೋಡ್
 DocType: Employee External Work History,Total Experience,ಒಟ್ಟು ಅನುಭವ
@@ -2292,7 +2309,7 @@
 DocType: Maintenance Schedule,Schedules,ವೇಳಾಪಟ್ಟಿಗಳು
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಪಾಯಿಂಟ್-ಆಫ್-ಮಾರಾಟವನ್ನು ಬಳಸಬೇಕಾಗುತ್ತದೆ
 DocType: Cashier Closing,Net Amount,ನೆಟ್ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ ಕ್ರಮ ಪೂರ್ಣಗೊಳಿಸಲಾಗಲಿಲ್ಲ ಆದ್ದರಿಂದ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ ಕ್ರಮ ಪೂರ್ಣಗೊಳಿಸಲಾಗಲಿಲ್ಲ ಆದ್ದರಿಂದ
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM ವಿವರ ಯಾವುದೇ
 DocType: Landed Cost Voucher,Additional Charges,ಹೆಚ್ಚುವರಿ ಶುಲ್ಕಗಳು
 DocType: Support Search Source,Result Route Field,ಫಲಿತಾಂಶ ಮಾರ್ಗ ಕ್ಷೇತ್ರ
@@ -2321,11 +2338,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ತೆರೆಯಲಾಗುತ್ತಿದೆ
 DocType: Contract,Contract Details,ಕಾಂಟ್ರಾಕ್ಟ್ ವಿವರಗಳು
 DocType: Employee,Leave Details,ವಿವರಗಳನ್ನು ಬಿಡಿ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,ನೌಕರರ ಪಾತ್ರ ಸೆಟ್ ಒಂದು ನೌಕರರ ದಾಖಲೆಯಲ್ಲಿ ಬಳಕೆದಾರ ID ಕ್ಷೇತ್ರದಲ್ಲಿ ಸೆಟ್ ಮಾಡಿ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,ನೌಕರರ ಪಾತ್ರ ಸೆಟ್ ಒಂದು ನೌಕರರ ದಾಖಲೆಯಲ್ಲಿ ಬಳಕೆದಾರ ID ಕ್ಷೇತ್ರದಲ್ಲಿ ಸೆಟ್ ಮಾಡಿ
 DocType: UOM,UOM Name,UOM ಹೆಸರು
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,ವಿಳಾಸ 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,ವಿಳಾಸ 1
 DocType: GST HSN Code,HSN Code,HSN ಕೋಡ್
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,ಕೊಡುಗೆ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,ಕೊಡುಗೆ ಪ್ರಮಾಣ
 DocType: Inpatient Record,Patient Encounter,ರೋಗಿಯ ಎನ್ಕೌಂಟರ್
 DocType: Purchase Invoice,Shipping Address,ಶಿಪ್ಪಿಂಗ್ ವಿಳಾಸ
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ಈ ಉಪಕರಣವನ್ನು ಅಪ್ಡೇಟ್ ಅಥವಾ ವ್ಯವಸ್ಥೆಯಲ್ಲಿ ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ಮತ್ತು ಮೌಲ್ಯಮಾಪನ ಸರಿಪಡಿಸಲು ಸಹಾಯ. ಇದು ಸಾಮಾನ್ಯವಾಗಿ ವ್ಯವಸ್ಥೆಯ ಮೌಲ್ಯಗಳು ಮತ್ತು ವಾಸ್ತವವಾಗಿ ನಿಮ್ಮ ಗೋದಾಮುಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಸಿಂಕ್ರೊನೈಸ್ ಬಳಸಲಾಗುತ್ತದೆ.
@@ -2342,9 +2359,9 @@
 DocType: Travel Itinerary,Mode of Travel,ಪ್ರಯಾಣದ ಮೋಡ್
 DocType: Sales Invoice Item,Brand Name,ಬ್ರಾಂಡ್ ಹೆಸರು
 DocType: Purchase Receipt,Transporter Details,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ವಿವರಗಳು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂ ಅಗತ್ಯವಿದೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂ ಅಗತ್ಯವಿದೆ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,ಪೆಟ್ಟಿಗೆ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ
 DocType: Budget,Monthly Distribution,ಮಾಸಿಕ ವಿತರಣೆ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ಖಾಲಿಯಾಗಿದೆ . ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ದಯವಿಟ್ಟು ರಚಿಸಿ
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),ಹೆಲ್ತ್ಕೇರ್ (ಬೀಟಾ)
@@ -2366,6 +2383,7 @@
 ,Lead Name,ಲೀಡ್ ಹೆಸರು
 ,POS,ಪಿಓಎಸ್
 DocType: C-Form,III,III ನೇ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,ನಿರೀಕ್ಷಿಸುತ್ತಿದೆ
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,ತೆರೆಯುವ ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್
 DocType: Asset Category Account,Capital Work In Progress Account,ಕ್ಯಾಪಿಟಲ್ ವರ್ಕ್ ಪ್ರೋಗ್ರೆಸ್ ಅಕೌಂಟ್ನಲ್ಲಿ
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,ಆಸ್ತಿ ಮೌಲ್ಯ ಹೊಂದಾಣಿಕೆ
@@ -2374,7 +2392,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ಎಲೆಗಳು ಯಶಸ್ವಿಯಾಗಿ ನಿಗದಿ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,ಪ್ಯಾಕ್ ಯಾವುದೇ ಐಟಂಗಳು
 DocType: Shipping Rule Condition,From Value,FromValue
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,ಮ್ಯಾನುಫ್ಯಾಕ್ಚರಿಂಗ್ ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,ಮ್ಯಾನುಫ್ಯಾಕ್ಚರಿಂಗ್ ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
 DocType: Loan,Repayment Method,ಮರುಪಾವತಿಯ ವಿಧಾನ
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ಪರಿಶೀಲಿಸಿದರೆ, ಮುಖಪುಟ ವೆಬ್ಸೈಟ್ ಡೀಫಾಲ್ಟ್ ಐಟಂ ಗ್ರೂಪ್ ಇರುತ್ತದೆ"
 DocType: Quality Inspection Reading,Reading 4,4 ಓದುವಿಕೆ
@@ -2399,7 +2417,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ಉದ್ಯೋಗಿ ಉಲ್ಲೇಖ
 DocType: Student Group,Set 0 for no limit,ಯಾವುದೇ ಮಿತಿ ಹೊಂದಿಸಿ 0
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,ನೀವು ರಜೆ ಹಾಕುತ್ತಿವೆ ಮೇಲೆ ದಿನ (ಗಳು) ರಜಾದಿನಗಳು. ನೀವು ರಜೆ ಅನ್ವಯಿಸುವುದಿಲ್ಲ ಅಗತ್ಯವಿದೆ.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,ಸಾಲು {idx}: {ಕ್ಷೇತ್ರ} ತೆರೆಯುವ {invoice_type} ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ರಚಿಸಲು ಅಗತ್ಯವಿದೆ
 DocType: Customer,Primary Address and Contact Detail,ಪ್ರಾಥಮಿಕ ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ ವಿವರಗಳು
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,ಪಾವತಿ ಇಮೇಲ್ ಅನ್ನು ಮತ್ತೆ ಕಳುಹಿಸಿ
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,ಹೊಸ ಕೆಲಸವನ್ನು
@@ -2409,22 +2426,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,ದಯವಿಟ್ಟು ಕನಿಷ್ಠ ಒಂದು ಡೊಮೇನ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ.
 DocType: Dependent Task,Dependent Task,ಅವಲಂಬಿತ ಟಾಸ್ಕ್
 DocType: Shopify Settings,Shopify Tax Account,Shopify ತೆರಿಗೆ ಖಾತೆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},ಅಳತೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ 1 ಇರಬೇಕು {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},ರೀತಿಯ ಲೀವ್ {0} ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},ಅಳತೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ 1 ಇರಬೇಕು {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},ರೀತಿಯ ಲೀವ್ {0} ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {1}
 DocType: Delivery Trip,Optimize Route,ಮಾರ್ಗವನ್ನು ಆಪ್ಟಿಮೈಜ್ ಮಾಡಿ
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,ಮುಂಚಿತವಾಗಿ ಎಕ್ಸ್ ದಿನಗಳ ಕಾರ್ಯಾಚರಣೆ ಯೋಜನೆ ಪ್ರಯತ್ನಿಸಿ.
 DocType: HR Settings,Stop Birthday Reminders,ನಿಲ್ಲಿಸಿ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳು
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},ಕಂಪನಿ ರಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ ಸೆಟ್ ಮಾಡಿ {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,ಅಮೆಜಾನ್ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಡೇಟಾದ ಆರ್ಥಿಕ ವಿಘಟನೆಯನ್ನು ಪಡೆಯಿರಿ
 DocType: SMS Center,Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,ಹುಡುಕಾಟ ಐಟಂ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,ಹುಡುಕಾಟ ಐಟಂ
 DocType: Payment Schedule,Payment Amount,ಪಾವತಿ ಪ್ರಮಾಣವನ್ನು
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,ಹಾಫ್ ಡೇ ದಿನಾಂಕವು ದಿನಾಂಕ ಮತ್ತು ಕೆಲಸದ ಕೊನೆಯ ದಿನಾಂಕದಿಂದ ಕೆಲಸದ ನಡುವೆ ಇರಬೇಕು
 DocType: Healthcare Settings,Healthcare Service Items,ಆರೋಗ್ಯ ಸೇವೆ ವಸ್ತುಗಳು
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,ಸೇವಿಸುವ ಪ್ರಮಾಣವನ್ನು
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,ನಗದು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
 DocType: Assessment Plan,Grading Scale,ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ಅಳತೆಯ ಘಟಕ {0} ಹೆಚ್ಚು ಪರಿವರ್ತಿಸುವುದರ ಟೇಬಲ್ ಒಮ್ಮೆ ಹೆಚ್ಚು ನಮೂದಿಸಲಾದ
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ಅಳತೆಯ ಘಟಕ {0} ಹೆಚ್ಚು ಪರಿವರ್ತಿಸುವುದರ ಟೇಬಲ್ ಒಮ್ಮೆ ಹೆಚ್ಚು ನಮೂದಿಸಲಾದ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ಈಗಾಗಲೇ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,ಹ್ಯಾಂಡ್ ರಲ್ಲಿ ಸ್ಟಾಕ್
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2447,25 +2464,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಪ್ರಮಾಣ {1} ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,ದಯವಿಟ್ಟು Woocommerce ಸರ್ವರ್ URL ಅನ್ನು ನಮೂದಿಸಿ
 DocType: Purchase Order Item,Supplier Part Number,ಸರಬರಾಜುದಾರ ಭಾಗ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,ಪರಿವರ್ತನೆ ದರವು 0 ಅಥವಾ 1 ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,ಪರಿವರ್ತನೆ ದರವು 0 ಅಥವಾ 1 ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Share Balance,To No,ಇಲ್ಲ
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ಉದ್ಯೋಗಿ ಸೃಷ್ಟಿಗೆ ಸಂಬಂಧಿಸಿದ ಎಲ್ಲಾ ಕಡ್ಡಾಯ ಕಾರ್ಯ ಇನ್ನೂ ಮುಗಿದಿಲ್ಲ.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ
 DocType: Accounts Settings,Credit Controller,ಕ್ರೆಡಿಟ್ ನಿಯಂತ್ರಕ
 DocType: Loan,Applicant Type,ಅರ್ಜಿದಾರರ ಪ್ರಕಾರ
 DocType: Purchase Invoice,03-Deficiency in services,03-ಸೇವೆಗಳಲ್ಲಿ ಕೊರತೆ
 DocType: Healthcare Settings,Default Medical Code Standard,ಡೀಫಾಲ್ಟ್ ವೈದ್ಯಕೀಯ ಕೋಡ್ ಸ್ಟ್ಯಾಂಡರ್ಡ್
 DocType: Purchase Invoice Item,HSN/SAC,HSN / ಎಸ್ಎಸಿ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,ಖರೀದಿ ರಸೀತಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,ಖರೀದಿ ರಸೀತಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
 DocType: Company,Default Payable Account,ಡೀಫಾಲ್ಟ್ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ಉದಾಹರಣೆಗೆ ಹಡಗು ನಿಯಮಗಳು, ಬೆಲೆ ಪಟ್ಟಿ ಇತ್ಯಾದಿ ಆನ್ಲೈನ್ ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳು"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT- ಪೂರ್ವ .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% ಖ್ಯಾತವಾದ
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ
 DocType: Party Account,Party Account,ಪಕ್ಷದ ಖಾತೆ
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,ಕಂಪನಿ ಮತ್ತು ಸ್ಥಾನೀಕರಣವನ್ನು ಆಯ್ಕೆಮಾಡಿ
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,ಮಾನವ ಸಂಪನ್ಮೂಲ
-DocType: Lead,Upper Income,ಮೇಲ್ ವರಮಾನ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,ಮೇಲ್ ವರಮಾನ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,ರಿಜೆಕ್ಟ್
 DocType: Journal Entry Account,Debit in Company Currency,ಕಂಪನಿ ಕರೆನ್ಸಿ ಡೆಬಿಟ್
 DocType: BOM Item,BOM Item,BOM ಐಟಂ
@@ -2482,7 +2499,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",ಉದ್ಯೋಗಿಗಾಗಿ ಜಾಬ್ ಓಪನಿಂಗ್ಸ್ {0} ಈಗಾಗಲೇ ತೆರೆದಿದೆ ಅಥವಾ ನೇಮಕಾತಿ ಸಿಬ್ಬಂದಿ ಯೋಜನೆಯ ಪ್ರಕಾರ ಪೂರ್ಣಗೊಂಡಿದೆ {1}
 DocType: Vital Signs,Constipated,ಕಾಲಿಪೇಟೆಡ್
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},ಸರಬರಾಜುದಾರ ವಿರುದ್ಧ ಸರಕುಪಟ್ಟಿ {0} ರ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},ಸರಬರಾಜುದಾರ ವಿರುದ್ಧ ಸರಕುಪಟ್ಟಿ {0} ರ {1}
 DocType: Customer,Default Price List,ಡೀಫಾಲ್ಟ್ ಬೆಲೆ ಪಟ್ಟಿ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,ಆಸ್ತಿ ಚಳವಳಿ ದಾಖಲೆ {0} ದಾಖಲಿಸಿದವರು
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,ಯಾವುದೇ ಐಟಂಗಳು ಕಂಡುಬಂದಿಲ್ಲ.
@@ -2498,17 +2515,18 @@
 DocType: Journal Entry,Entry Type,ಎಂಟ್ರಿ ಟೈಪ್
 ,Customer Credit Balance,ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಗಳು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),ಗ್ರಾಹಕನಿಗೆ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ದಾಟಿದೆ {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ದಯವಿಟ್ಟು ಸೆಟಪ್&gt; ಸೆಟ್ಟಿಂಗ್ಗಳು&gt; ಹೆಸರಿಸುವ ಸರಣಿ ಮೂಲಕ {0} ಹೆಸರಿಸುವ ಸರಣಿಗಳನ್ನು ಹೊಂದಿಸಿ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),ಗ್ರಾಹಕನಿಗೆ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ದಾಟಿದೆ {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',' Customerwise ಡಿಸ್ಕೌಂಟ್ ' ಅಗತ್ಯವಿದೆ ಗ್ರಾಹಕ
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,ಜರ್ನಲ್ ಬ್ಯಾಂಕಿಂಗ್ ಪಾವತಿ ದಿನಾಂಕ ನವೀಕರಿಸಿ .
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,ಬೆಲೆ
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,ಬೆಲೆ
 DocType: Quotation,Term Details,ಟರ್ಮ್ ವಿವರಗಳು
 DocType: Employee Incentive,Employee Incentive,ನೌಕರರ ಪ್ರೋತ್ಸಾಹ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} ಈ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ಹೆಚ್ಚು ದಾಖಲಿಸಲಾಗುವುದಿಲ್ಲ.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),ಒಟ್ಟು (ತೆರಿಗೆ ಇಲ್ಲದೆ)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ಲೀಡ್ ಕೌಂಟ್
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ಲೀಡ್ ಕೌಂಟ್
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,ಸ್ಟಾಕ್ ಲಭ್ಯವಿದೆ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,ಸ್ಟಾಕ್ ಲಭ್ಯವಿದೆ
 DocType: Manufacturing Settings,Capacity Planning For (Days),(ದಿನಗಳು) ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,ಖರೀದಿ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,ಐಟಂಗಳನ್ನು ಯಾವುದೇ ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯವನ್ನು ಯಾವುದೇ ಬದಲಾವಣೆ.
@@ -2533,7 +2551,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,ಬಿಟ್ಟು ಅಟೆಂಡೆನ್ಸ್
 DocType: Asset,Comprehensive Insurance,ಸಮಗ್ರ ವಿಮೆ
 DocType: Maintenance Visit,Partially Completed,ಭಾಗಶಃ ಪೂರ್ಣಗೊಂಡಿತು
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟ್: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟ್: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,ಲೀಡ್ಗಳನ್ನು ಸೇರಿಸಿ
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,ಮಧ್ಯಮ ಸೂಕ್ಷ್ಮತೆ
 DocType: Leave Type,Include holidays within leaves as leaves,ಎಲೆಗಳು ಎಲೆಗಳು ಒಳಗೆ ರಜಾ ಸೇರಿಸಿ
 DocType: Loyalty Program,Redemption,ರಿಡೆಂಪ್ಶನ್
@@ -2567,7 +2586,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,ಮಾರ್ಕೆಟಿಂಗ್ ವೆಚ್ಚಗಳು
 ,Item Shortage Report,ಐಟಂ ಕೊರತೆ ವರದಿ
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,ಪ್ರಮಾಣಿತ ಮಾನದಂಡವನ್ನು ರಚಿಸಲಾಗುವುದಿಲ್ಲ. ದಯವಿಟ್ಟು ಮಾನದಂಡವನ್ನು ಮರುಹೆಸರಿಸಿ
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ತೂಕ ತುಂಬಾ ""ತೂಕ ಮೈ.ವಿ.ವಿ.ಯ"" ನೀಡಿರಿ \n, ಉಲ್ಲೇಖಿಸಲಾಗಿದೆ"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ತೂಕ ತುಂಬಾ ""ತೂಕ ಮೈ.ವಿ.ವಿ.ಯ"" ನೀಡಿರಿ \n, ಉಲ್ಲೇಖಿಸಲಾಗಿದೆ"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ಈ ನೆಲದ ಎಂಟ್ರಿ ಮಾಡಲು ಬಳಸಲಾಗುತ್ತದೆ ವಿನಂತಿ ವಸ್ತು
 DocType: Hub User,Hub Password,ಹಬ್ ಪಾಸ್ವರ್ಡ್
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,ಪ್ರತಿ ಬ್ಯಾಚ್ ಪ್ರತ್ಯೇಕ ಕೋರ್ಸನ್ನು ಗುಂಪು
@@ -2582,15 +2601,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),ನೇಮಕಾತಿ ಅವಧಿ (ನಿಮಿಷಗಳು)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ಪ್ರತಿ ಸ್ಟಾಕ್ ಚಳುವಳಿ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ ಮಾಡಿ
 DocType: Leave Allocation,Total Leaves Allocated,ನಿಗದಿ ಒಟ್ಟು ಎಲೆಗಳು
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,ಮಾನ್ಯ ಹಣಕಾಸು ವರ್ಷದ ಆರಂಭ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,ಮಾನ್ಯ ಹಣಕಾಸು ವರ್ಷದ ಆರಂಭ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕ ನಮೂದಿಸಿ
 DocType: Employee,Date Of Retirement,ನಿವೃತ್ತಿ ದಿನಾಂಕ
 DocType: Upload Attendance,Get Template,ಟೆಂಪ್ಲೆಟ್ ಪಡೆಯಿರಿ
+,Sales Person Commission Summary,ಮಾರಾಟಗಾರರ ಆಯೋಗದ ಸಾರಾಂಶ
 DocType: Additional Salary Component,Additional Salary Component,ಹೆಚ್ಚುವರಿ ವೇತನ ಕಾಂಪೊನೆಂಟ್
 DocType: Material Request,Transferred,ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ
 DocType: Vehicle,Doors,ಡೋರ್ಸ್
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಿ!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಿ!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,ರೋಗಿಯ ನೋಂದಣಿಗಾಗಿ ಶುಲ್ಕ ಸಂಗ್ರಹಿಸಿ
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ಸ್ಟಾಕ್ ವಹಿವಾಟಿನ ನಂತರ ಗುಣಲಕ್ಷಣಗಳನ್ನು ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ಹೊಸ ಐಟಂ ಅನ್ನು ರಚಿಸಿ ಮತ್ತು ಹೊಸ ಐಟಂಗೆ ವರ್ಗಾಯಿಸಿ
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ಸ್ಟಾಕ್ ವಹಿವಾಟಿನ ನಂತರ ಗುಣಲಕ್ಷಣಗಳನ್ನು ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ಹೊಸ ಐಟಂ ಅನ್ನು ರಚಿಸಿ ಮತ್ತು ಹೊಸ ಐಟಂಗೆ ವರ್ಗಾಯಿಸಿ
 DocType: Course Assessment Criteria,Weightage,weightage
 DocType: Purchase Invoice,Tax Breakup,ತೆರಿಗೆ ಬ್ರೇಕ್ಅಪ್
 DocType: Employee,Joining Details,ವಿವರಗಳು ಸೇರುತ್ತಿದೆ
@@ -2618,14 +2638,15 @@
 DocType: Lead,Next Contact By,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ
 DocType: Compensatory Leave Request,Compensatory Leave Request,ಕಾಂಪೆನ್ಸೇಟರಿ ಲೀವ್ ವಿನಂತಿ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},ಐಟಂ ಬೇಕಾದ ಪ್ರಮಾಣ {0} ಸತತವಾಗಿ {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},ಪ್ರಮಾಣ ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ {0} ಅಳಿಸಲಾಗಿಲ್ಲ {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ಪ್ರಮಾಣ ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ {0} ಅಳಿಸಲಾಗಿಲ್ಲ {1}
 DocType: Blanket Order,Order Type,ಆರ್ಡರ್ ಪ್ರಕಾರ
 ,Item-wise Sales Register,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್
 DocType: Asset,Gross Purchase Amount,ಒಟ್ಟು ಖರೀದಿಯ ಮೊತ್ತ
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ಬ್ಯಾಲೆನ್ಸ್ ತೆರೆಯುವುದು
 DocType: Asset,Depreciation Method,ಸವಕಳಿ ವಿಧಾನ
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ಈ ಮೂಲ ದರದ ತೆರಿಗೆ ಒಳಗೊಂಡಿದೆ?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,ಒಟ್ಟು ಟಾರ್ಗೆಟ್
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,ಒಟ್ಟು ಟಾರ್ಗೆಟ್
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,ಗ್ರಹಿಕೆ ವಿಶ್ಲೇಷಣೆ
 DocType: Soil Texture,Sand Composition (%),ಮರಳು ಸಂಯೋಜನೆ (%)
 DocType: Job Applicant,Applicant for a Job,ಒಂದು ಜಾಬ್ ಅರ್ಜಿದಾರರ
 DocType: Production Plan Material Request,Production Plan Material Request,ಪ್ರೊಡಕ್ಷನ್ ಯೋಜನೆ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ
@@ -2641,23 +2662,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),ಅಸೆಸ್ಮೆಂಟ್ ಮಾರ್ಕ್ (10 ರಲ್ಲಿ)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 ಮೊಬೈಲ್ ಇಲ್ಲ
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,ಮುಖ್ಯ
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,ಕೆಳಗಿನ ಐಟಂ {0} ಅನ್ನು {1} ಐಟಂ ಎಂದು ಗುರುತಿಸಲಾಗಿಲ್ಲ. ನೀವು ಅದರ ಐಟಂ ಮಾಸ್ಟರ್ನಿಂದ {1} ಐಟಂ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಬಹುದು
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,ಭಿನ್ನ
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","ಐಟಂಗೆ {0}, ಪ್ರಮಾಣವು ಋಣಾತ್ಮಕ ಸಂಖ್ಯೆಯನ್ನು ಹೊಂದಿರಬೇಕು"
 DocType: Naming Series,Set prefix for numbering series on your transactions,ನಿಮ್ಮ ವ್ಯವಹಾರಗಳ ಮೇಲೆ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ಹೊಂದಿಸಿ ಪೂರ್ವಪ್ರತ್ಯಯ
 DocType: Employee Attendance Tool,Employees HTML,ನೌಕರರು ಎಚ್ಟಿಎಮ್ಎಲ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,ಡೀಫಾಲ್ಟ್ BOM ({0}) ಈ ಐಟಂ ಅಥವಾ ಅದರ ಟೆಂಪ್ಲೇಟ್ ಸಕ್ರಿಯ ಇರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,ಡೀಫಾಲ್ಟ್ BOM ({0}) ಈ ಐಟಂ ಅಥವಾ ಅದರ ಟೆಂಪ್ಲೇಟ್ ಸಕ್ರಿಯ ಇರಬೇಕು
 DocType: Employee,Leave Encashed?,Encashed ಬಿಡಿ ?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ಕ್ಷೇತ್ರದ ಅವಕಾಶ ಕಡ್ಡಾಯ
 DocType: Email Digest,Annual Expenses,ವಾರ್ಷಿಕ ವೆಚ್ಚಗಳು
 DocType: Item,Variants,ರೂಪಾಂತರಗಳು
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,ಮಾಡಿ ಪರ್ಚೇಸ್ ಆರ್ಡರ್
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,ಮಾಡಿ ಪರ್ಚೇಸ್ ಆರ್ಡರ್
 DocType: SMS Center,Send To,ಕಳಿಸಿ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0}
 DocType: Payment Reconciliation Payment,Allocated amount,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು
 DocType: Sales Team,Contribution to Net Total,ನೆಟ್ ಒಟ್ಟು ಕೊಡುಗೆ
 DocType: Sales Invoice Item,Customer's Item Code,ಗ್ರಾಹಕರ ಐಟಂ ಕೋಡ್
 DocType: Stock Reconciliation,Stock Reconciliation,ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ
 DocType: Territory,Territory Name,ಪ್ರದೇಶ ಹೆಸರು
+DocType: Email Digest,Purchase Orders to Receive,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಸ್ವೀಕರಿಸಿ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ ಸಲ್ಲಿಸಿ ಮೊದಲು ಅಗತ್ಯವಿದೆ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,ನೀವು ಚಂದಾದಾರಿಕೆಯಲ್ಲಿ ಅದೇ ಬಿಲ್ಲಿಂಗ್ ಚಕ್ರವನ್ನು ಹೊಂದಿರುವ ಯೋಜನೆಗಳನ್ನು ಮಾತ್ರ ಹೊಂದಬಹುದು
 DocType: Bank Statement Transaction Settings Item,Mapped Data,ಮ್ಯಾಪ್ ಮಾಡಲಾದ ಡೇಟಾ
@@ -2676,9 +2699,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},ಐಟಂ ಪ್ರವೇಶಿಸಿತು ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ನಕಲು {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,ಲೀಡ್ ಮೂಲದಿಂದ ಟ್ರ್ಯಾಕ್ ಲೀಡ್ಸ್.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,ಒಂದು ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಒಂದು ಸ್ಥಿತಿ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,ದಯವಿಟ್ಟು ನಮೂದಿಸಿ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,ದಯವಿಟ್ಟು ನಮೂದಿಸಿ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,ನಿರ್ವಹಣೆ ಲಾಗ್
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಮೇಲೆ ಫಿಲ್ಟರ್ ಸೆಟ್ ಮಾಡಿ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಮೇಲೆ ಫಿಲ್ಟರ್ ಸೆಟ್ ಮಾಡಿ
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ಈ ಪ್ಯಾಕೇಜ್ ನಿವ್ವಳ ತೂಕ . ( ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಲ ಐಟಂಗಳನ್ನು ನಿವ್ವಳ ತೂಕ ಮೊತ್ತ ಎಂದು )
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,ಇಂಟರ್ ಕಂಪನಿ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮಾಡಿ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,ರಿಯಾಯಿತಿ ಮೊತ್ತವು 100% ಗಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬಾರದು
@@ -2687,15 +2710,15 @@
 DocType: Sales Order,To Deliver and Bill,ತಲುಪಿಸಿ ಮತ್ತು ಬಿಲ್
 DocType: Student Group,Instructors,ತರಬೇತುದಾರರು
 DocType: GL Entry,Credit Amount in Account Currency,ಖಾತೆ ಕರೆನ್ಸಿ ಕ್ರೆಡಿಟ್ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,ಬಿಒಎಮ್ {0} ಸಲ್ಲಿಸಬೇಕು
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,ಹಂಚಿಕೆ ನಿರ್ವಹಣೆ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,ಬಿಒಎಮ್ {0} ಸಲ್ಲಿಸಬೇಕು
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,ಹಂಚಿಕೆ ನಿರ್ವಹಣೆ
 DocType: Authorization Control,Authorization Control,ಅಧಿಕಾರ ಕಂಟ್ರೋಲ್
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ರೋ # {0}: ವೇರ್ಹೌಸ್ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ತಿರಸ್ಕರಿಸಿದರು ಐಟಂ ವಿರುದ್ಧ ಕಡ್ಡಾಯ {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,ಪಾವತಿ
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ರೋ # {0}: ವೇರ್ಹೌಸ್ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ತಿರಸ್ಕರಿಸಿದರು ಐಟಂ ವಿರುದ್ಧ ಕಡ್ಡಾಯ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,ಪಾವತಿ
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","ವೇರ್ಹೌಸ್ {0} ಯಾವುದೇ ಖಾತೆಗೆ ಲಿಂಕ್ ಇದೆ, ಕಂಪನಿಯಲ್ಲಿ ಗೋದಾಮಿನ ದಾಖಲೆಯಲ್ಲಿ ಖಾತೆ ಅಥವಾ ಸೆಟ್ ಡೀಫಾಲ್ಟ್ ದಾಸ್ತಾನು ಖಾತೆಯನ್ನು ಸೂಚಿಸಿ {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,ನಿಮ್ಮ ಆದೇಶಗಳನ್ನು ನಿರ್ವಹಿಸಿ
 DocType: Work Order Operation,Actual Time and Cost,ನಿಜವಾದ ಸಮಯ ಮತ್ತು ವೆಚ್ಚ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ಗರಿಷ್ಠ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ {0} ಐಟಂ {1} {2} ಮಾರಾಟದ ಆರ್ಡರ್ ವಿರುದ್ಧ ಮಾಡಬಹುದು
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ಗರಿಷ್ಠ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ {0} ಐಟಂ {1} {2} ಮಾರಾಟದ ಆರ್ಡರ್ ವಿರುದ್ಧ ಮಾಡಬಹುದು
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,ಕ್ರಾಪ್ ಸ್ಪೇಸಿಂಗ್
 DocType: Course,Course Abbreviation,ಕೋರ್ಸ್ ಸಂಕ್ಷೇಪಣ
@@ -2707,6 +2730,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},ಒಟ್ಟು ಕೆಲಸದ ಗರಿಷ್ಠ ಕೆಲಸದ ಹೆಚ್ಚು ಮಾಡಬಾರದು {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,ಮೇಲೆ
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,ಮಾರಾಟದ ಸಮಯದಲ್ಲಿ ಐಟಂಗಳನ್ನು ಬಂಡಲ್.
+DocType: Delivery Settings,Dispatch Settings,ಡಿಸ್ಪ್ಯಾಚ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Material Request Plan Item,Actual Qty,ನಿಜವಾದ ಪ್ರಮಾಣ
 DocType: Sales Invoice Item,References,ಉಲ್ಲೇಖಗಳು
 DocType: Quality Inspection Reading,Reading 10,10 ಓದುವಿಕೆ
@@ -2716,11 +2740,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ನೀವು ನಕಲಿ ಐಟಂಗಳನ್ನು ನಮೂದಿಸಿದ್ದೀರಿ. ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ .
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,ಜತೆಗೂಡಿದ
 DocType: Asset Movement,Asset Movement,ಆಸ್ತಿ ಮೂವ್ಮೆಂಟ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,ಕೆಲಸದ ಆದೇಶ {0} ಅನ್ನು ಸಲ್ಲಿಸಬೇಕು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,ಹೊಸ ಕಾರ್ಟ್
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,ಕೆಲಸದ ಆದೇಶ {0} ಅನ್ನು ಸಲ್ಲಿಸಬೇಕು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,ಹೊಸ ಕಾರ್ಟ್
 DocType: Taxable Salary Slab,From Amount,ಪ್ರಮಾಣದಿಂದ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ಐಟಂ {0} ಒಂದು ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಅಲ್ಲ
 DocType: Leave Type,Encashment,ಎನ್ಕ್ಯಾಶ್ಮೆಂಟ್
+DocType: Delivery Settings,Delivery Settings,ವಿತರಣೆ ಸೆಟ್ಟಿಂಗ್ಗಳು
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ಡೇಟಾವನ್ನು ಪಡೆದುಕೊಳ್ಳಿ
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},ರಜೆ ವಿಧದಲ್ಲಿ ಅನುಮತಿಸಲಾದ ಗರಿಷ್ಠ ರಜೆ {0} {1} ಆಗಿದೆ
 DocType: SMS Center,Create Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ರಚಿಸಿ
 DocType: Vehicle,Wheels,ವೀಲ್ಸ್
@@ -2736,7 +2762,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,ಬಿಲ್ಲಿಂಗ್ ಕರೆನ್ಸಿ ಡೀಫಾಲ್ಟ್ ಕಂಪನಿಯ ಕರೆನ್ಸಿಯ ಅಥವಾ ಪಾರ್ಟಿ ಖಾತೆ ಕರೆನ್ಸಿಗೆ ಸಮನಾಗಿರಬೇಕು
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),ಪ್ಯಾಕೇಜ್ ಈ ವಿತರಣಾ ಒಂದು ಭಾಗ ಎಂದು ಸೂಚಿಸುತ್ತದೆ (ಮಾತ್ರ Draft)
 DocType: Soil Texture,Loam,ಲೊಮ್
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,ಸಾಲು {0}: ದಿನಾಂಕವನ್ನು ಪೋಸ್ಟ್ ಮಾಡುವ ಮೊದಲು ದಿನಾಂಕ ಕಾರಣವಾಗಿರಬಾರದು
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,ಸಾಲು {0}: ದಿನಾಂಕವನ್ನು ಪೋಸ್ಟ್ ಮಾಡುವ ಮೊದಲು ದಿನಾಂಕ ಕಾರಣವಾಗಿರಬಾರದು
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,ಪಾವತಿ ಎಂಟ್ರಿ ಮಾಡಿ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},ಪ್ರಮಾಣ ಐಟಂ {0} ಕಡಿಮೆ ಇರಬೇಕು {1}
 ,Sales Invoice Trends,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಟ್ರೆಂಡ್ಸ್
@@ -2744,12 +2770,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ಬ್ಯಾಚ್ ಮಾದರಿ ಅಥವಾ ' ಹಿಂದಿನ ರೋ ಒಟ್ಟು ' ' ಹಿಂದಿನ ರೋ ಪ್ರಮಾಣ ರಂದು ' ಮಾತ್ರ ಸಾಲು ಉಲ್ಲೇಖಿಸಬಹುದು
 DocType: Sales Order Item,Delivery Warehouse,ಡೆಲಿವರಿ ವೇರ್ಹೌಸ್
 DocType: Leave Type,Earned Leave Frequency,ಗಳಿಸಿದ ಫ್ರೀಕ್ವೆನ್ಸಿ ಬಿಡಿ
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,ಆರ್ಥಿಕ ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಟ್ರೀ.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,ಉಪ ವಿಧ
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,ಆರ್ಥಿಕ ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಟ್ರೀ.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,ಉಪ ವಿಧ
 DocType: Serial No,Delivery Document No,ಡೆಲಿವರಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಂಖ್ಯೆ
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ಉತ್ಪಾದನೆ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ವಿತರಣೆ ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ
 DocType: Vital Signs,Furry,ರೋಮದಿಂದ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ಕಂಪನಿಯಲ್ಲಿ &#39;ಆಸ್ತಿ ವಿಲೇವಾರಿ ಮೇಲೆ ಗಳಿಕೆ / ನಷ್ಟ ಖಾತೆ&#39; ಸೆಟ್ ಮಾಡಿ {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ಕಂಪನಿಯಲ್ಲಿ &#39;ಆಸ್ತಿ ವಿಲೇವಾರಿ ಮೇಲೆ ಗಳಿಕೆ / ನಷ್ಟ ಖಾತೆ&#39; ಸೆಟ್ ಮಾಡಿ {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ಖರೀದಿ ರಸೀದಿಗಳನ್ನು ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು
 DocType: Serial No,Creation Date,ರಚನೆ ದಿನಾಂಕ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},ಆಸ್ತಿ {0} ಗೆ ಗುರಿ ಸ್ಥಳ ಅಗತ್ಯವಿದೆ
@@ -2763,11 +2789,12 @@
 DocType: Item,Has Variants,ವೇರಿಯಂಟ್
 DocType: Employee Benefit Claim,Claim Benefit For,ಕ್ಲೈಮ್ ಲಾಭ
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,ಅಪ್ಡೇಟ್ ಪ್ರತಿಕ್ರಿಯೆ
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},ನೀವು ಈಗಾಗಲೇ ಆಯ್ಕೆ ಐಟಂಗಳನ್ನು ಎಂದು {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},ನೀವು ಈಗಾಗಲೇ ಆಯ್ಕೆ ಐಟಂಗಳನ್ನು ಎಂದು {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,ಮಾಸಿಕ ವಿತರಣೆ ಹೆಸರು
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ಬ್ಯಾಚ್ ID ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ಬ್ಯಾಚ್ ID ಕಡ್ಡಾಯ
 DocType: Sales Person,Parent Sales Person,ಪೋಷಕ ಮಾರಾಟಗಾರ್ತಿ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,ಸ್ವೀಕರಿಸಬೇಕಾದ ಯಾವುದೇ ಐಟಂಗಳು ಮಿತಿಮೀರಿದವು
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,ಮಾರಾಟಗಾರ ಮತ್ತು ಖರೀದಿದಾರರು ಒಂದೇ ಆಗಿರುವುದಿಲ್ಲ
 DocType: Project,Collect Progress,ಪ್ರೋಗ್ರೆಸ್ ಸಂಗ್ರಹಿಸಿ
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY.-
@@ -2783,7 +2810,7 @@
 DocType: Bank Guarantee,Margin Money,ಮಾರ್ಜಿನ್ ಮನಿ
 DocType: Budget,Budget,ಮುಂಗಡಪತ್ರ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,ತೆರೆಯಿರಿ ಹೊಂದಿಸಿ
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",ಇದು ಆದಾಯ ಅಥವಾ ಖರ್ಚುವೆಚ್ಚ ಅಲ್ಲ ಎಂದು ಬಜೆಟ್ ವಿರುದ್ಧ {0} ನಿಯೋಜಿಸಲಾಗುವುದು ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} ಗಾಗಿ ಮ್ಯಾಕ್ಸ್ ವಿನಾಯಿತಿ ಮೊತ್ತವು {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ಸಾಧಿಸಿದ
@@ -2801,9 +2828,9 @@
 ,Amount to Deliver,ಪ್ರಮಾಣವನ್ನು ಬಿಡುಗಡೆಗೊಳಿಸಲು
 DocType: Asset,Insurance Start Date,ವಿಮಾ ಪ್ರಾರಂಭ ದಿನಾಂಕ
 DocType: Salary Component,Flexible Benefits,ಹೊಂದಿಕೊಳ್ಳುವ ಪ್ರಯೋಜನಗಳು
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},ಒಂದೇ ಐಟಂ ಅನ್ನು ಅನೇಕ ಬಾರಿ ನಮೂದಿಸಲಾಗಿದೆ. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},ಒಂದೇ ಐಟಂ ಅನ್ನು ಅನೇಕ ಬಾರಿ ನಮೂದಿಸಲಾಗಿದೆ. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ಟರ್ಮ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಪ್ರಾರಂಭ ವರ್ಷ ದಿನಾಂಕ ಪದವನ್ನು ಸಂಪರ್ಕಿತ ಮುಂಚಿತವಾಗಿರಬೇಕು ಸಾಧ್ಯವಿಲ್ಲ (ಅಕಾಡೆಮಿಕ್ ಇಯರ್ {}). ದಯವಿಟ್ಟು ದಿನಾಂಕಗಳನ್ನು ಸರಿಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,ದೋಷಗಳು ಇದ್ದವು.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,ದೋಷಗಳು ಇದ್ದವು.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,ನೌಕರ {0} {2} ಮತ್ತು {3} ನಡುವಿನ {1} ಗೆ ಈಗಾಗಲೇ ಅರ್ಜಿ ಸಲ್ಲಿಸಿದ್ದಾರೆ:
 DocType: Guardian,Guardian Interests,ಗಾರ್ಡಿಯನ್ ಆಸಕ್ತಿಗಳು
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,ಖಾತೆ ಹೆಸರು / ಸಂಖ್ಯೆ ನವೀಕರಿಸಿ
@@ -2843,9 +2870,9 @@
 ,Item-wise Purchase History,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀದಿ ಇತಿಹಾಸ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},ಯಾವುದೇ ಸೀರಿಯಲ್ ಐಟಂ ಸೇರಿಸಲಾಗಿದೆ ತರಲು ' ರಚಿಸಿ ' ವೇಳಾಪಟ್ಟಿ ' ಕ್ಲಿಕ್ ಮಾಡಿ {0}
 DocType: Account,Frozen,ಘನೀಕೃತ
-DocType: Delivery Note,Vehicle Type,ವಾಹನ ಪ್ರಕಾರ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,ವಾಹನ ಪ್ರಕಾರ
 DocType: Sales Invoice Payment,Base Amount (Company Currency),ಬೇಸ್ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,ಕಚ್ಚಾ ಪದಾರ್ಥಗಳು
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,ಕಚ್ಚಾ ಪದಾರ್ಥಗಳು
 DocType: Payment Reconciliation Payment,Reference Row,ರೆಫರೆನ್ಸ್ ರೋ
 DocType: Installation Note,Installation Time,ಅನುಸ್ಥಾಪನ ಟೈಮ್
 DocType: Sales Invoice,Accounting Details,ಲೆಕ್ಕಪರಿಶೋಧಕ ವಿವರಗಳು
@@ -2854,12 +2881,13 @@
 DocType: Inpatient Record,O Positive,ಓ ಧನಾತ್ಮಕ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ಸ್
 DocType: Issue,Resolution Details,ರೆಸಲ್ಯೂಶನ್ ವಿವರಗಳು
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,ವಹಿವಾಟಿನ ಪ್ರಕಾರ
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,ವಹಿವಾಟಿನ ಪ್ರಕಾರ
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ಒಪ್ಪಿಕೊಳ್ಳುವ ಅಳತೆಗೋಲುಗಳನ್ನು
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,ದಯವಿಟ್ಟು ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ನಮೂದಿಸಿ
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿಗೆ ಮರುಪಾವತಿ ಇಲ್ಲ
 DocType: Hub Tracked Item,Image List,ಇಮೇಜ್ ಪಟ್ಟಿ
 DocType: Item Attribute,Attribute Name,ಹೆಸರು ಕಾರಣವಾಗಿದ್ದು
+DocType: Subscription,Generate Invoice At Beginning Of Period,ಅವಧಿಯ ಆರಂಭದಲ್ಲಿ ಸರಕುಗಳನ್ನು ರಚಿಸಿ
 DocType: BOM,Show In Website,ವೆಬ್ಸೈಟ್ ಹೋಗಿ
 DocType: Loan Application,Total Payable Amount,ಒಟ್ಟು ಪಾವತಿಸಲಾಗುವುದು ಪ್ರಮಾಣ
 DocType: Task,Expected Time (in hours),(ಗಂಟೆಗಳಲ್ಲಿ) ನಿರೀಕ್ಷಿತ ಸಮಯ
@@ -2897,8 +2925,8 @@
 DocType: Employee,Resignation Letter Date,ರಾಜೀನಾಮೆ ಪತ್ರ ದಿನಾಂಕ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಮತ್ತಷ್ಟು ಪ್ರಮಾಣವನ್ನು ಆಧರಿಸಿ ಫಿಲ್ಟರ್.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,ಹೊಂದಿಸಿ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ನೌಕರ ಸೇರುವ ದಿನಾಂಕ ದಯವಿಟ್ಟು {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ನೌಕರ ಸೇರುವ ದಿನಾಂಕ ದಯವಿಟ್ಟು {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ನೌಕರ ಸೇರುವ ದಿನಾಂಕ ದಯವಿಟ್ಟು {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ನೌಕರ ಸೇರುವ ದಿನಾಂಕ ದಯವಿಟ್ಟು {0}
 DocType: Inpatient Record,Discharge,ವಿಸರ್ಜನೆ
 DocType: Task,Total Billing Amount (via Time Sheet),ಒಟ್ಟು ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ಪುನರಾವರ್ತಿತ ಗ್ರಾಹಕ ಕಂದಾಯ
@@ -2908,13 +2936,13 @@
 DocType: Chapter,Chapter,ಅಧ್ಯಾಯ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,ಜೋಡಿ
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ಈ ಕ್ರಮವನ್ನು ಆಯ್ಕೆ ಮಾಡಿದಾಗ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಪಿಓಎಸ್ ಇನ್ವಾಯ್ಸ್ನಲ್ಲಿ ನವೀಕರಿಸಲಾಗುತ್ತದೆ.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಬಿಒಎಮ್ ಮತ್ತು ಪ್ರಮಾಣ ಆಯ್ಕೆ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಬಿಒಎಮ್ ಮತ್ತು ಪ್ರಮಾಣ ಆಯ್ಕೆ
 DocType: Asset,Depreciation Schedule,ಸವಕಳಿ ವೇಳಾಪಟ್ಟಿ
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ಮಾರಾಟದ ಸಂಗಾತಿ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು
 DocType: Bank Reconciliation Detail,Against Account,ಖಾತೆ ವಿರುದ್ಧ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,ಅರ್ಧ ದಿನ ದಿನಾಂಕ ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ನಡುವೆ ಇರಬೇಕು
 DocType: Maintenance Schedule Detail,Actual Date,ನಿಜವಾದ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,{0} ಕಂಪೆನಿಯಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಕಾಸ್ಟ್ ಸೆಂಟರ್ ಅನ್ನು ಹೊಂದಿಸಿ.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,{0} ಕಂಪೆನಿಯಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಕಾಸ್ಟ್ ಸೆಂಟರ್ ಅನ್ನು ಹೊಂದಿಸಿ.
 DocType: Item,Has Batch No,ಬ್ಯಾಚ್ ನಂ ಹೊಂದಿದೆ
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},ವಾರ್ಷಿಕ ಬಿಲ್ಲಿಂಗ್: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Webhook ವಿವರ Shopify
@@ -2926,7 +2954,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ಎಸಿಸಿ- PRQ- .YYYY.-
 DocType: Shift Assignment,Shift Type,ಶಿಫ್ಟ್ ಕೌಟುಂಬಿಕತೆ
 DocType: Student,Personal Details,ವೈಯಕ್ತಿಕ ವಿವರಗಳು
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಯಲ್ಲಿ &#39;ಆಸ್ತಿ ಸವಕಳಿ ವೆಚ್ಚದ ಕೇಂದ್ರ&#39; ಸೆಟ್ {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಯಲ್ಲಿ &#39;ಆಸ್ತಿ ಸವಕಳಿ ವೆಚ್ಚದ ಕೇಂದ್ರ&#39; ಸೆಟ್ {0}
 ,Maintenance Schedules,ನಿರ್ವಹಣಾ ವೇಳಾಪಟ್ಟಿಗಳು
 DocType: Task,Actual End Date (via Time Sheet),ನಿಜವಾದ ಅಂತಿಮ ದಿನಾಂಕ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ)
 DocType: Soil Texture,Soil Type,ಮಣ್ಣಿನ ಪ್ರಕಾರ
@@ -2934,10 +2962,10 @@
 ,Quotation Trends,ನುಡಿಮುತ್ತುಗಳು ಟ್ರೆಂಡ್ಸ್
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},ಐಟಂ ಐಟಂ ಮಾಸ್ಟರ್ ಉಲ್ಲೇಖಿಸಿಲ್ಲ ಐಟಂ ಗ್ರೂಪ್ {0}
 DocType: GoCardless Mandate,GoCardless Mandate,ಗೋಕಾರ್ಡ್ಲೆಸ್ ಮ್ಯಾಂಡೇಟ್
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಒಂದು ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಒಂದು ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ಇರಬೇಕು
 DocType: Shipping Rule,Shipping Amount,ಶಿಪ್ಪಿಂಗ್ ಪ್ರಮಾಣ
 DocType: Supplier Scorecard Period,Period Score,ಅವಧಿ ಸ್ಕೋರ್
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,ಗ್ರಾಹಕರು ಸೇರಿಸಿ
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,ಗ್ರಾಹಕರು ಸೇರಿಸಿ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ಬಾಕಿ ಪ್ರಮಾಣ
 DocType: Lab Test Template,Special,ವಿಶೇಷ
 DocType: Loyalty Program,Conversion Factor,ಪರಿವರ್ತಿಸುವುದರ
@@ -2954,7 +2982,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,ಲೆಟರ್ಹೆಡ್ ಸೇರಿಸಿ
 DocType: Program Enrollment,Self-Driving Vehicle,ಸ್ವಯಂ ಚಾಲಕ ವಾಹನ
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,ಸರಬರಾಜುದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸ್ಥಾಯಿ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},ಸಾಲು {0}: ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},ಸಾಲು {0}: ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ಒಟ್ಟು ಹಂಚಿಕೆ ಎಲೆಗಳು {0} ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ ಕಾಲ ಈಗಾಗಲೇ ಅನುಮೋದನೆ ಎಲೆಗಳು {1} ಹೆಚ್ಚು
 DocType: Contract Fulfilment Checklist,Requirement,ಅವಶ್ಯಕತೆ
 DocType: Journal Entry,Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು
@@ -2971,16 +2999,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Salary Slip,net pay info,ನಿವ್ವಳ ವೇತನ ಮಾಹಿತಿಯನ್ನು
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS ಮೊತ್ತ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS ಮೊತ್ತ
 DocType: Woocommerce Settings,Enable Sync,ಸಿಂಕ್ ಸಕ್ರಿಯಗೊಳಿಸಿ
 DocType: Tax Withholding Rate,Single Transaction Threshold,ಏಕ ವಹಿವಾಟು ಥ್ರೆಶ್ಹೋಲ್ಡ್
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ಈ ಮೌಲ್ಯವನ್ನು ಡೀಫಾಲ್ಟ್ ಮಾರಾಟದ ಬೆಲೆ ಪಟ್ಟಿನಲ್ಲಿ ನವೀಕರಿಸಲಾಗಿದೆ.
 DocType: Email Digest,New Expenses,ಹೊಸ ವೆಚ್ಚಗಳು
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC ಪ್ರಮಾಣ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC ಪ್ರಮಾಣ
 DocType: Shareholder,Shareholder,ಷೇರುದಾರ
 DocType: Purchase Invoice,Additional Discount Amount,ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ
 DocType: Cash Flow Mapper,Position,ಸ್ಥಾನ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್ಗಳಿಂದ ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್ಗಳಿಂದ ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ
 DocType: Patient,Patient Details,ರೋಗಿಯ ವಿವರಗಳು
 DocType: Inpatient Record,B Positive,ಬಿ ಧನಾತ್ಮಕ
 apps/erpnext/erpnext/controllers/accounts_controller.py +655,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ರೋ # {0}: ಪ್ರಮಾಣ 1, ಐಟಂ ಸ್ಥಿರ ಆಸ್ತಿ ಇರಬೇಕು. ದಯವಿಟ್ಟು ಬಹು ಪ್ರಮಾಣ ಪ್ರತ್ಯೇಕ ಸಾಲು ಬಳಸಿ."
@@ -2990,8 +3018,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,ಅಲ್ಲದ ಗ್ರೂಪ್ ಗ್ರೂಪ್
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,ಕ್ರೀಡೆ
 DocType: Loan Type,Loan Name,ಸಾಲ ಹೆಸರು
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,ನಿಜವಾದ ಒಟ್ಟು
-DocType: Lab Test UOM,Test UOM,ಪರೀಕ್ಷಾ UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,ನಿಜವಾದ ಒಟ್ಟು
 DocType: Student Siblings,Student Siblings,ವಿದ್ಯಾರ್ಥಿ ಒಡಹುಟ್ಟಿದವರ
 DocType: Subscription Plan Detail,Subscription Plan Detail,ಚಂದಾದಾರಿಕೆ ಯೋಜನೆ ವಿವರ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,ಘಟಕ
@@ -3019,7 +3046,6 @@
 DocType: Workstation,Wages per hour,ಗಂಟೆಗೆ ವೇತನ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ಬ್ಯಾಚ್ ಸ್ಟಾಕ್ ಸಮತೋಲನ {0} ಪರಿಣಮಿಸುತ್ತದೆ ಋಣಾತ್ಮಕ {1} ಕೋಠಿಯಲ್ಲಿ ಐಟಂ {2} ಫಾರ್ {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಕೆಳಗಿನ ಐಟಂ ಮರು ಆದೇಶ ಮಟ್ಟವನ್ನು ಆಧರಿಸಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಎದ್ದಿವೆ
-DocType: Email Digest,Pending Sales Orders,ಮಾರಾಟದ ಆದೇಶಗಳನ್ನು ಬಾಕಿ
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},ಖಾತೆ {0} ಅಮಾನ್ಯವಾಗಿದೆ. ಖಾತೆ ಕರೆನ್ಸಿ ಇರಬೇಕು {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},ದಿನಾಂಕದಿಂದ {0} ಉದ್ಯೋಗಿಗಳ ನಿವಾರಣೆ ದಿನಾಂಕದ ನಂತರ ಇರುವಂತಿಲ್ಲ {1}
 DocType: Supplier,Is Internal Supplier,ಆಂತರಿಕ ಪೂರೈಕೆದಾರರು
@@ -3028,13 +3054,14 @@
 DocType: Healthcare Settings,Remind Before,ಮೊದಲು ಜ್ಞಾಪಿಸು
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ ಅಗತ್ಯವಿದೆ {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಮಾರಾಟದ ಆರ್ಡರ್ ಒಂದು, ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಮಾರಾಟದ ಆರ್ಡರ್ ಒಂದು, ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳು = ಎಷ್ಟು ಬೇಸ್ ಕರೆನ್ಸಿ?
 DocType: Salary Component,Deduction,ವ್ಯವಕಲನ
 DocType: Item,Retain Sample,ಮಾದರಿ ಉಳಿಸಿಕೊಳ್ಳಿ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,ರೋ {0}: ಸಮಯ ಮತ್ತು ಟೈಮ್ ಕಡ್ಡಾಯ.
 DocType: Stock Reconciliation Item,Amount Difference,ಪ್ರಮಾಣ ವ್ಯತ್ಯಾಸ
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},ಐಟಂ ಬೆಲೆ ಸೇರ್ಪಡೆ {0} ದರ ಪಟ್ಟಿ ರಲ್ಲಿ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},ಐಟಂ ಬೆಲೆ ಸೇರ್ಪಡೆ {0} ದರ ಪಟ್ಟಿ ರಲ್ಲಿ {1}
+DocType: Delivery Stop,Order Information,ಆರ್ಡರ್ ಮಾಹಿತಿ
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ಈ ಮಾರಾಟಗಾರನ ಉದ್ಯೋಗಿ ಅನ್ನು ನಮೂದಿಸಿ
 DocType: Territory,Classification of Customers by region,ಪ್ರದೇಶವಾರು ಗ್ರಾಹಕರು ವರ್ಗೀಕರಣ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,ಉತ್ಪಾದನೆಯಲ್ಲಿ
@@ -3044,8 +3071,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ಲೆಕ್ಕಹಾಕಿದ ಬ್ಯಾಂಕ್ ಹೇಳಿಕೆ ಸಮತೋಲನ
 DocType: Normal Test Template,Normal Test Template,ಸಾಧಾರಣ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟು
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ಅಂಗವಿಕಲ ಬಳಕೆದಾರರ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,ಉದ್ಧರಣ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,ಯಾವುದೇ ಉಲ್ಲೇಖಕ್ಕೆ ಸ್ವೀಕರಿಸಿದ RFQ ಅನ್ನು ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,ಉದ್ಧರಣ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,ಯಾವುದೇ ಉಲ್ಲೇಖಕ್ಕೆ ಸ್ವೀಕರಿಸಿದ RFQ ಅನ್ನು ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Salary Slip,Total Deduction,ಒಟ್ಟು ಕಳೆಯುವುದು
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,ಖಾತೆ ಕರೆನ್ಸಿಯಲ್ಲಿ ಮುದ್ರಿಸಲು ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ
 ,Production Analytics,ಪ್ರೊಡಕ್ಷನ್ ಅನಾಲಿಟಿಕ್ಸ್
@@ -3058,14 +3085,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸೆಟಪ್
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,ಅಸೆಸ್ಮೆಂಟ್ ಪ್ಲಾನ್ ಹೆಸರು
 DocType: Work Order Operation,Work Order Operation,ಕೆಲಸ ಆದೇಶ ಕಾರ್ಯಾಚರಣೆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},ಎಚ್ಚರಿಕೆ: ಬಾಂಧವ್ಯ ಅಮಾನ್ಯ SSL ಪ್ರಮಾಣಪತ್ರ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},ಎಚ್ಚರಿಕೆ: ಬಾಂಧವ್ಯ ಅಮಾನ್ಯ SSL ಪ್ರಮಾಣಪತ್ರ {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","ಕಾರಣವಾಗುತ್ತದೆ ನೀವು ಪಡೆಯಲು ವ್ಯಾಪಾರ, ನಿಮ್ಮ ತೀರಗಳು ಎಲ್ಲ ಸಂಪರ್ಕಗಳನ್ನು ಮತ್ತು ಹೆಚ್ಚು ಸೇರಿಸಲು ಸಹಾಯ"
 DocType: Work Order Operation,Actual Operation Time,ನಿಜವಾದ ಕಾರ್ಯಾಚರಣೆ ಟೈಮ್
 DocType: Authorization Rule,Applicable To (User),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಬಳಕೆದಾರ )
 DocType: Purchase Taxes and Charges,Deduct,ಕಳೆ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,ಜಾಬ್ ವಿವರಣೆ
 DocType: Student Applicant,Applied,ಅಪ್ಲೈಡ್
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,ಮತ್ತೆತೆರೆಯಿರಿ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,ಮತ್ತೆತೆರೆಯಿರಿ
 DocType: Sales Invoice Item,Qty as per Stock UOM,ಪ್ರಮಾಣ ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 ಹೆಸರು
 DocType: Attendance,Attendance Request,ಹಾಜರಾತಿ ವಿನಂತಿ
@@ -3083,7 +3110,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ವರೆಗೆ ವಾರಂಟಿ {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ಕನಿಷ್ಠ ಅನುಮತಿ ಮೌಲ್ಯ
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,ಬಳಕೆದಾರ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
-apps/erpnext/erpnext/hooks.py +114,Shipments,ಸಾಗಣೆಗಳು
+apps/erpnext/erpnext/hooks.py +115,Shipments,ಸಾಗಣೆಗಳು
 DocType: Payment Entry,Total Allocated Amount (Company Currency),ಒಟ್ಟು ನಿಗದಿ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
 DocType: Purchase Order Item,To be delivered to customer,ಗ್ರಾಹಕನಿಗೆ ನೀಡಬೇಕಾಗಿದೆ
 DocType: BOM,Scrap Material Cost,ಸ್ಕ್ರ್ಯಾಪ್ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ
@@ -3091,11 +3118,12 @@
 DocType: Grant Application,Email Notification Sent,ಇಮೇಲ್ ಪ್ರಕಟಣೆ ಕಳುಹಿಸಲಾಗಿದೆ
 DocType: Purchase Invoice,In Words (Company Currency),ವರ್ಡ್ಸ್ ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) ರಲ್ಲಿ
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,ಕಂಪೆನಿಯ ಖಾತೆಗೆ ಕಂಪನಿಯು ರೂಪಾಂತರವಾಗಿದೆ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","ಐಟಂ ಕೋಡ್, ವೇರ್ಹೌಸ್, ಪ್ರಮಾಣವನ್ನು ಸಾಲುಗಳಲ್ಲಿ ಅಗತ್ಯವಿದೆ"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","ಐಟಂ ಕೋಡ್, ವೇರ್ಹೌಸ್, ಪ್ರಮಾಣವನ್ನು ಸಾಲುಗಳಲ್ಲಿ ಅಗತ್ಯವಿದೆ"
 DocType: Bank Guarantee,Supplier,ಸರಬರಾಜುದಾರ
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,ಗೆ ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,ಇದು ಮೂಲ ವಿಭಾಗವಾಗಿದೆ ಮತ್ತು ಸಂಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,ಪಾವತಿ ವಿವರಗಳನ್ನು ತೋರಿಸಿ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,ದಿನಗಳಲ್ಲಿ ಅವಧಿ
 DocType: C-Form,Quarter,ಕಾಲು ಭಾಗ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,ವಿವಿಧ ಖರ್ಚುಗಳು
 DocType: Global Defaults,Default Company,ಡೀಫಾಲ್ಟ್ ಕಂಪನಿ
@@ -3103,7 +3131,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ಖರ್ಚು ಅಥವಾ ವ್ಯತ್ಯಾಸ ಖಾತೆ ಕಡ್ಡಾಯ ಐಟಂ {0} ಪರಿಣಾಮ ಬೀರುತ್ತದೆ ಒಟ್ಟಾರೆ ಸ್ಟಾಕ್ ಮೌಲ್ಯ
 DocType: Bank,Bank Name,ಬ್ಯಾಂಕ್ ಹೆಸರು
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,ಎಲ್ಲಾ ಸರಬರಾಜುದಾರರಿಗೆ ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಮಾಡಲು ಖಾಲಿ ಜಾಗವನ್ನು ಬಿಡಿ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,ಎಲ್ಲಾ ಸರಬರಾಜುದಾರರಿಗೆ ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಮಾಡಲು ಖಾಲಿ ಜಾಗವನ್ನು ಬಿಡಿ
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ಒಳರೋಗಿ ಭೇಟಿ ಚಾರ್ಜ್ ಐಟಂ
 DocType: Vital Signs,Fluid,ದ್ರವ
 DocType: Leave Application,Total Leave Days,ಒಟ್ಟು ರಜೆಯ ದಿನಗಳಲ್ಲಿ
@@ -3113,7 +3141,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,ಐಟಂ ವಿಭಿನ್ನ ಸೆಟ್ಟಿಂಗ್ಗಳು
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,ಕಂಪನಿ ಆಯ್ಕೆ ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,ಎಲ್ಲಾ ವಿಭಾಗಗಳು ಪರಿಗಣಿಸಲ್ಪಡುವ ವೇಳೆ ಖಾಲಿ ಬಿಡಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","ಐಟಂ {0}: {1} qty ಅನ್ನು ಉತ್ಪಾದಿಸಲಾಗಿದೆ,"
 DocType: Payroll Entry,Fortnightly,ಪಾಕ್ಷಿಕ
 DocType: Currency Exchange,From Currency,ಚಲಾವಣೆಯ
@@ -3163,7 +3191,7 @@
 DocType: Account,Fixed Asset,ಸ್ಥಿರಾಸ್ತಿ
 DocType: Amazon MWS Settings,After Date,ದಿನಾಂಕದ ನಂತರ
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,ಧಾರಾವಾಹಿಯಾಗಿ ಇನ್ವೆಂಟರಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,ಇಂಟರ್ ಕಂಪೆನಿ ಸರಕುಪಟ್ಟಿಗಾಗಿ ಅಮಾನ್ಯ {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,ಇಂಟರ್ ಕಂಪೆನಿ ಸರಕುಪಟ್ಟಿಗಾಗಿ ಅಮಾನ್ಯ {0}.
 ,Department Analytics,ಇಲಾಖೆ ವಿಶ್ಲೇಷಣೆ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ಡೀಫಾಲ್ಟ್ ಸಂಪರ್ಕದಲ್ಲಿ ಇಮೇಲ್ ಕಂಡುಬಂದಿಲ್ಲ
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,ಸೀಕ್ರೆಟ್ ರಚಿಸಿ
@@ -3182,6 +3210,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,ಸಿಇಒ
 DocType: Purchase Invoice,With Payment of Tax,ತೆರಿಗೆ ಪಾವತಿ
 DocType: Expense Claim Detail,Expense Claim Detail,ಖರ್ಚು ಹಕ್ಕು ವಿವರ
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,ದಯವಿಟ್ಟು ಶೈಕ್ಷಣಿಕ&gt; ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ತರಬೇತುದಾರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,ಸರಬರಾಜುದಾರರು ಫಾರ್ triplicate
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,ಮೂಲ ಕರೆನ್ಸಿಗೆ ಹೊಸ ಬ್ಯಾಲೆನ್ಸ್
 DocType: Location,Is Container,ಕಂಟೇನರ್ ಆಗಿದೆ
@@ -3189,13 +3218,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,ಸರಿಯಾದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Salary Structure Assignment,Salary Structure Assignment,ವೇತನ ರಚನೆ ನಿಯೋಜನೆ
 DocType: Purchase Invoice Item,Weight UOM,ತೂಕ UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ಪೋಲಿಯೊ ಸಂಖ್ಯೆಗಳೊಂದಿಗೆ ಲಭ್ಯವಿರುವ ಷೇರುದಾರರ ಪಟ್ಟಿ
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ಪೋಲಿಯೊ ಸಂಖ್ಯೆಗಳೊಂದಿಗೆ ಲಭ್ಯವಿರುವ ಷೇರುದಾರರ ಪಟ್ಟಿ
 DocType: Salary Structure Employee,Salary Structure Employee,ಸಂಬಳ ರಚನೆ ನೌಕರರ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,ಭಿನ್ನ ಗುಣಲಕ್ಷಣಗಳನ್ನು ತೋರಿಸು
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,ಭಿನ್ನ ಗುಣಲಕ್ಷಣಗಳನ್ನು ತೋರಿಸು
 DocType: Student,Blood Group,ರಕ್ತ ಗುಂಪು
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} ಯೋಜನೆಯಲ್ಲಿ ಪಾವತಿ ಗೇಟ್ವೇ ಖಾತೆ ಈ ಪಾವತಿ ವಿನಂತಿಯಲ್ಲಿ ಪಾವತಿ ಗೇಟ್ವೇ ಖಾತೆಯಿಂದ ಭಿನ್ನವಾಗಿದೆ
 DocType: Course,Course Name,ಕೋರ್ಸ್ ಹೆಸರು
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,ಪ್ರಸ್ತುತ ಹಣಕಾಸಿನ ವರ್ಷದ ಯಾವುದೇ ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವಿಕೆಯ ಡೇಟಾ ಕಂಡುಬಂದಿಲ್ಲ.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,ಪ್ರಸ್ತುತ ಹಣಕಾಸಿನ ವರ್ಷದ ಯಾವುದೇ ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವಿಕೆಯ ಡೇಟಾ ಕಂಡುಬಂದಿಲ್ಲ.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ನಿರ್ದಿಷ್ಟ ನೌಕರನ ರಜೆ ಅನ್ವಯಗಳನ್ನು ಒಪ್ಪಿಗೆ ಬಳಕೆದಾರರು
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,ಕಚೇರಿ ಉಪಕರಣ
 DocType: Purchase Invoice Item,Qty,ಪ್ರಮಾಣ
@@ -3203,6 +3232,7 @@
 DocType: Supplier Scorecard,Scoring Setup,ಸ್ಕೋರಿಂಗ್ ಸೆಟಪ್
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,ಇಲೆಕ್ಟ್ರಾನಿಕ್ ಶಾಸ್ತ್ರ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ಡೆಬಿಟ್ ({0})
+DocType: BOM,Allow Same Item Multiple Times,ಒಂದೇ ಐಟಂ ಬಹು ಸಮಯಗಳನ್ನು ಅನುಮತಿಸಿ
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ಸ್ಟಾಕ್ ಮತ್ತೆ ಸಲುವಾಗಿ ಮಟ್ಟ ತಲುಪಿದಾಗ ವಸ್ತು ವಿನಂತಿಗಳನ್ನು ರೈಸ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,ಪೂರ್ಣ ಬಾರಿ
 DocType: Payroll Entry,Employees,ನೌಕರರು
@@ -3214,11 +3244,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,ಹಣ ಪಾವತಿ ದೃಢೀಕರಣ
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ದರ ಪಟ್ಟಿ ಹೊಂದಿಸದೆ ವೇಳೆ ಬೆಲೆಗಳು ತೋರಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Stock Entry,Total Incoming Value,ಒಟ್ಟು ಒಳಬರುವ ಮೌಲ್ಯ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ಡೆಬಿಟ್ ಅಗತ್ಯವಿದೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ಡೆಬಿಟ್ ಅಗತ್ಯವಿದೆ
 DocType: Clinical Procedure,Inpatient Record,ಒಳರೋಗಿ ರೆಕಾರ್ಡ್
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ನಿಮ್ಮ ತಂಡದ ಮಾಡಲಾಗುತ್ತದೆ ಚಟುವಟಿಕೆಗಳನ್ನು ಫಾರ್ ಸಮಯ, ವೆಚ್ಚ ಮತ್ತು ಬಿಲ್ಲಿಂಗ್ ಟ್ರ್ಯಾಕ್ ಸಹಾಯ"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,ಖರೀದಿ ಬೆಲೆ ಪಟ್ಟಿ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,ಟ್ರಾನ್ಸಾಕ್ಷನ್ ದಿನಾಂಕ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,ಖರೀದಿ ಬೆಲೆ ಪಟ್ಟಿ
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,ಟ್ರಾನ್ಸಾಕ್ಷನ್ ದಿನಾಂಕ
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಅಸ್ಥಿರಗಳ ಟೆಂಪ್ಲೇಟ್ಗಳು.
 DocType: Job Offer Term,Offer Term,ಆಫರ್ ಟರ್ಮ್
 DocType: Asset,Quality Manager,ಗುಣಮಟ್ಟದ ಮ್ಯಾನೇಜರ್
@@ -3239,11 +3269,11 @@
 DocType: Cashier Closing,To Time,ಸಮಯ
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) {0}
 DocType: Authorization Rule,Approving Role (above authorized value),(ಅಧಿಕಾರ ಮೌಲ್ಯವನ್ನು ಮೇಲೆ) ಪಾತ್ರ ಅನುಮೋದನೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಒಂದು ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಒಂದು ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ಇರಬೇಕು
 DocType: Loan,Total Amount Paid,ಒಟ್ಟು ಮೊತ್ತ ಪಾವತಿಸಿದೆ
 DocType: Asset,Insurance End Date,ವಿಮಾ ಮುಕ್ತಾಯ ದಿನಾಂಕ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,ಪಾವತಿಸಿದ ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರಿಗೆ ಕಡ್ಡಾಯವಾಗಿ ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶವನ್ನು ಆಯ್ಕೆಮಾಡಿ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM ಪುನರಾವರ್ತನ : {0} ಪೋಷಕರು ಅಥವಾ ಮಗು ಸಾಧ್ಯವಿಲ್ಲ {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM ಪುನರಾವರ್ತನ : {0} ಪೋಷಕರು ಅಥವಾ ಮಗು ಸಾಧ್ಯವಿಲ್ಲ {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,ಬಜೆಟ್ ಪಟ್ಟಿ
 DocType: Work Order Operation,Completed Qty,ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0}, ಮಾತ್ರ ಡೆಬಿಟ್ ಖಾತೆಗಳನ್ನು ಇನ್ನೊಂದು ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಲಿಂಕ್ ಮಾಡಬಹುದು ಫಾರ್"
@@ -3251,7 +3281,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿಕೊಂಡು, ದಯವಿಟ್ಟು ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿಕೊಂಡು, ದಯವಿಟ್ಟು ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ"
 DocType: Training Event Employee,Training Event Employee,ತರಬೇತಿ ಪಂದ್ಯಾವಳಿಯಿಂದ ಉದ್ಯೋಗಗಳು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ಗರಿಷ್ಠ ಸ್ಯಾಂಪಲ್ಸ್ - ಬ್ಯಾಚ್ {1} ಮತ್ತು ಐಟಂ {2} ಗಾಗಿ {0} ಅನ್ನು ಉಳಿಸಿಕೊಳ್ಳಬಹುದು.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ಗರಿಷ್ಠ ಸ್ಯಾಂಪಲ್ಸ್ - ಬ್ಯಾಚ್ {1} ಮತ್ತು ಐಟಂ {2} ಗಾಗಿ {0} ಅನ್ನು ಉಳಿಸಿಕೊಳ್ಳಬಹುದು.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,ಟೈಮ್ ಸ್ಲಾಟ್ಗಳನ್ನು ಸೇರಿಸಿ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ಐಟಂ ಬೇಕಾದ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು {1}. ನೀವು ಒದಗಿಸಿದ {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,ಪ್ರಸ್ತುತ ಮೌಲ್ಯಮಾಪನ ದರ
@@ -3282,11 +3312,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,ಕಂಡುಬಂದಿಲ್ಲ ಸರಣಿ ಯಾವುದೇ {0}
 DocType: Fee Schedule Program,Fee Schedule Program,ಶುಲ್ಕ ವೇಳಾಪಟ್ಟಿ ಕಾರ್ಯಕ್ರಮ
 DocType: Fee Schedule Program,Student Batch,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ಅನ್ನು ರದ್ದುಮಾಡಲು ಉದ್ಯೋಗಿ <a href=""#Form/Employee/{0}"">{0} ಅನ್ನು</a> ಅಳಿಸಿ"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,ವಿದ್ಯಾರ್ಥಿ ಮಾಡಿ
 DocType: Supplier Scorecard Scoring Standing,Min Grade,ಕನಿಷ್ಠ ಗ್ರೇಡ್
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ಆರೋಗ್ಯ ಸೇವೆ ಘಟಕ ಪ್ರಕಾರ
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},ನೀವು ಯೋಜನೆಯ ಸಹಯೋಗಿಸಲು ಆಮಂತ್ರಿಸಲಾಗಿದೆ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},ನೀವು ಯೋಜನೆಯ ಸಹಯೋಗಿಸಲು ಆಮಂತ್ರಿಸಲಾಗಿದೆ: {0}
 DocType: Supplier Group,Parent Supplier Group,ಪೋಷಕ ಸರಬರಾಜುದಾರ ಗುಂಪು
+DocType: Email Digest,Purchase Orders to Bill,ಬಿಲ್ಗೆ ಆದೇಶಗಳನ್ನು ಖರೀದಿಸಿ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,ಗ್ರೂಪ್ ಕಂಪನಿಯಲ್ಲಿ ಸಂಗ್ರಹವಾದ ಮೌಲ್ಯಗಳು
 DocType: Leave Block List Date,Block Date,ಬ್ಲಾಕ್ ದಿನಾಂಕ
 DocType: Crop,Crop,ಬೆಳೆ
@@ -3299,6 +3332,7 @@
 DocType: Sales Order,Not Delivered,ಈಡೇರಿಸಿಲ್ಲ
 ,Bank Clearance Summary,ಬ್ಯಾಂಕ್ ಕ್ಲಿಯರೆನ್ಸ್ ಸಾರಾಂಶ
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","ರಚಿಸಿ ಮತ್ತು , ದೈನಂದಿನ ಸಾಪ್ತಾಹಿಕ ಮತ್ತು ಮಾಸಿಕ ಇಮೇಲ್ ಡೈಜೆಸ್ಟ್ ನಿರ್ವಹಿಸಿ ."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,ಇದು ಈ ಮಾರಾಟದ ವ್ಯಕ್ತಿಯ ವಿರುದ್ಧ ವಹಿವಾಟುಗಳನ್ನು ಆಧರಿಸಿದೆ. ವಿವರಗಳಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ
 DocType: Appraisal Goal,Appraisal Goal,ಅಪ್ರೇಸಲ್ ಗೋಲ್
 DocType: Stock Reconciliation Item,Current Amount,ಪ್ರಸ್ತುತ ಪ್ರಮಾಣವನ್ನು
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ಕಟ್ಟಡಗಳು
@@ -3325,7 +3359,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,ಸಾಫ್ಟ್
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,ಮುಂದಿನ ಸಂಪರ್ಕಿಸಿ ದಿನಾಂಕ ಹಿಂದೆ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Company,For Reference Only.,ಪರಾಮರ್ಶೆಗಾಗಿ ಮಾತ್ರ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,ಬ್ಯಾಚ್ ಆಯ್ಕೆ ಇಲ್ಲ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,ಬ್ಯಾಚ್ ಆಯ್ಕೆ ಇಲ್ಲ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},ಅಮಾನ್ಯ {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,ರೆಫರೆನ್ಸ್ ಆಹ್ವಾನ
@@ -3343,16 +3377,16 @@
 DocType: Normal Test Items,Require Result Value,ಫಲಿತಾಂಶ ಮೌಲ್ಯ ಅಗತ್ಯವಿದೆ
 DocType: Item,Show a slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಒಂದು ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು
 DocType: Tax Withholding Rate,Tax Withholding Rate,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ದರ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,ಸ್ಟೋರ್ಸ್
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,ಸ್ಟೋರ್ಸ್
 DocType: Project Type,Projects Manager,ಯೋಜನೆಗಳು ನಿರ್ವಾಹಕ
 DocType: Serial No,Delivery Time,ಡೆಲಿವರಿ ಟೈಮ್
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,ರಂದು ಆಧರಿಸಿ ಏಜಿಂಗ್
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,ನೇಮಕಾತಿ ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ
 DocType: Item,End of Life,ಲೈಫ್ ಅಂತ್ಯ
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ಓಡಾಡು
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ಓಡಾಡು
 DocType: Student Report Generation Tool,Include All Assessment Group,ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಗ್ರೂಪ್ ಅನ್ನು ಸೇರಿಸಿ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,ಯಾವುದೇ ಸಕ್ರಿಯ ಅಥವಾ ಡೀಫಾಲ್ಟ್ ಸಂಬಳ ರಚನೆ ನೀಡಿದ ದಿನಾಂಕಗಳನ್ನು ಉದ್ಯೋಗಿ {0} ಕಂಡುಬಂದಿಲ್ಲ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,ಯಾವುದೇ ಸಕ್ರಿಯ ಅಥವಾ ಡೀಫಾಲ್ಟ್ ಸಂಬಳ ರಚನೆ ನೀಡಿದ ದಿನಾಂಕಗಳನ್ನು ಉದ್ಯೋಗಿ {0} ಕಂಡುಬಂದಿಲ್ಲ
 DocType: Leave Block List,Allow Users,ಬಳಕೆದಾರರನ್ನು ಅನುಮತಿಸಿ
 DocType: Purchase Order,Customer Mobile No,ಗ್ರಾಹಕ ಮೊಬೈಲ್ ಯಾವುದೇ
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪಿಂಗ್ ಟೆಂಪ್ಲೇಟು ವಿವರಗಳು
@@ -3361,15 +3395,16 @@
 DocType: Rename Tool,Rename Tool,ಟೂಲ್ ಮರುಹೆಸರಿಸು
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,ನವೀಕರಣ ವೆಚ್ಚ
 DocType: Item Reorder,Item Reorder,ಐಟಂ ಮರುಕ್ರಮಗೊಳಿಸಿ
+DocType: Delivery Note,Mode of Transport,ಸಾರಿಗೆ ವಿಧಾನ
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,ಸಂಬಳ ಶೋ ಸ್ಲಿಪ್
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,ಟ್ರಾನ್ಸ್ಫರ್ ವಸ್ತು
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,ಟ್ರಾನ್ಸ್ಫರ್ ವಸ್ತು
 DocType: Fees,Send Payment Request,ಪಾವತಿ ವಿನಂತಿ ಕಳುಹಿಸಿ
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ಕಾರ್ಯಾಚರಣೆಗಳು , ನಿರ್ವಹಣಾ ವೆಚ್ಚ ನಿರ್ದಿಷ್ಟಪಡಿಸಲು ಮತ್ತು ಕಾರ್ಯಾಚರಣೆಗಳು ಒಂದು ಅನನ್ಯ ಕಾರ್ಯಾಚರಣೆ ಯಾವುದೇ ನೀಡಿ ."
 DocType: Travel Request,Any other details,ಯಾವುದೇ ಇತರ ವಿವರಗಳು
 DocType: Water Analysis,Origin,ಮೂಲ
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ಈ ಡಾಕ್ಯುಮೆಂಟ್ ಮೂಲಕ ಮಿತಿಗಿಂತ {0} {1} ಐಟಂ {4}. ನೀವು ಮಾಡುತ್ತಿದ್ದಾರೆ ಇನ್ನೊಂದು ಅದೇ ವಿರುದ್ಧ {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,ಉಳಿಸುವ ನಂತರ ಮರುಕಳಿಸುವ ಸೆಟ್ ಮಾಡಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,ಬದಲಾವಣೆ ಆಯ್ಕೆ ಪ್ರಮಾಣದ ಖಾತೆಯನ್ನು
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,ಉಳಿಸುವ ನಂತರ ಮರುಕಳಿಸುವ ಸೆಟ್ ಮಾಡಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,ಬದಲಾವಣೆ ಆಯ್ಕೆ ಪ್ರಮಾಣದ ಖಾತೆಯನ್ನು
 DocType: Purchase Invoice,Price List Currency,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ
 DocType: Naming Series,User must always select,ಬಳಕೆದಾರ ಯಾವಾಗಲೂ ಆಯ್ಕೆ ಮಾಡಬೇಕು
 DocType: Stock Settings,Allow Negative Stock,ನಕಾರಾತ್ಮಕ ಸ್ಟಾಕ್ ಅನುಮತಿಸಿ
@@ -3390,9 +3425,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ಪತ್ತೆ ಹಚ್ಚುವಿಕೆ
 DocType: Asset Maintenance Log,Actions performed,ಕ್ರಿಯೆಗಳು ನಡೆಸಿವೆ
 DocType: Cash Flow Mapper,Section Leader,ವಿಭಾಗ ನಾಯಕ
+DocType: Delivery Note,Transport Receipt No,ಸಾರಿಗೆ ರಸೀದಿ ಸಂಖ್ಯೆ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),ಗಳಂತಹವು ( ಹೊಣೆಗಾರಿಕೆಗಳು )
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,ಮೂಲ ಮತ್ತು ಟಾರ್ಗೆಟ್ ಸ್ಥಳವು ಒಂದೇ ಆಗಿರಬಾರದು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ಪ್ರಮಾಣ ಸತತವಾಗಿ {0} ( {1} ) ಅದೇ ಇರಬೇಕು ತಯಾರಿಸಿದ ಪ್ರಮಾಣ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ಪ್ರಮಾಣ ಸತತವಾಗಿ {0} ( {1} ) ಅದೇ ಇರಬೇಕು ತಯಾರಿಸಿದ ಪ್ರಮಾಣ {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,ನೌಕರರ
 DocType: Bank Guarantee,Fixed Deposit Number,ಸ್ಥಿರ ಠೇವಣಿ ಸಂಖ್ಯೆ
 DocType: Asset Repair,Failure Date,ವೈಫಲ್ಯ ದಿನಾಂಕ
@@ -3406,16 +3442,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,ಪಾವತಿ ಕಡಿತಗೊಳಿಸುವಿಕೆಗಳ ಅಥವಾ ನಷ್ಟ
 DocType: Soil Analysis,Soil Analysis Criterias,ಮಣ್ಣಿನ ವಿಶ್ಲೇಷಣೆ ಮಾನದಂಡಗಳು
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,ಮಾರಾಟದ ಅಥವಾ ಖರೀದಿಗಾಗಿ ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಒಪ್ಪಂದದ ವಿಚಾರದಲ್ಲಿ .
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,ಈ ಅಪಾಯಿಂಟ್ಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ನೀವು ಖಚಿತವಾಗಿ ಬಯಸುವಿರಾ?
+DocType: BOM Item,Item operation,ಐಟಂ ಕಾರ್ಯಾಚರಣೆ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,ಈ ಅಪಾಯಿಂಟ್ಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ನೀವು ಖಚಿತವಾಗಿ ಬಯಸುವಿರಾ?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,ಹೋಟೆಲ್ ಕೊಠಡಿ ಬೆಲೆ ಪ್ಯಾಕೇಜ್
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,ಮಾರಾಟದ ಪೈಪ್ಲೈನ್
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,ಮಾರಾಟದ ಪೈಪ್ಲೈನ್
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},ದಯವಿಟ್ಟು ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ರಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ಅಗತ್ಯವಿದೆ ರಂದು
 DocType: Rename Tool,File to Rename,ಮರುಹೆಸರಿಸಲು ಫೈಲ್
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},ರೋನಲ್ಲಿ ಐಟಂ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,ಚಂದಾದಾರಿಕೆ ಅಪ್ಡೇಟ್ಗಳನ್ನು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ಖಾತೆ {0} {1} ಖಾತೆಯ ಮೋಡ್ನಲ್ಲಿ ಕಂಪೆನಿಯೊಂದಿಗೆ ಹೋಲಿಕೆಯಾಗುವುದಿಲ್ಲ: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ನಿಗದಿತ ಬಿಒಎಮ್ {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ನಿಗದಿತ ಬಿಒಎಮ್ {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,ಕೋರ್ಸ್:
 DocType: Soil Texture,Sandy Loam,ಸ್ಯಾಂಡಿ ಲೊಮ್
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು
@@ -3424,7 +3461,7 @@
 DocType: Notification Control,Expense Claim Approved,ಖರ್ಚು ಹಕ್ಕು ಅನುಮೋದನೆ
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ಅಡ್ವಾನ್ಸಸ್ ಮತ್ತು ಅಲೋಕೇಟ್ ಹೊಂದಿಸಿ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,ಯಾವುದೇ ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಈ ಅವಧಿಯಲ್ಲಿ ರಚಿಸಿದ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಈ ಅವಧಿಯಲ್ಲಿ ರಚಿಸಿದ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ಔಷಧೀಯ
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,ಮಾನ್ಯವಾದ ಎನ್ಕಶ್ಮೆಂಟ್ ಮೊತ್ತಕ್ಕಾಗಿ ನೀವು ಲೀವ್ ಎನ್ಕ್ಯಾಶ್ಮೆಂಟ್ ಅನ್ನು ಮಾತ್ರ ಸಲ್ಲಿಸಬಹುದು
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ಖರೀದಿಸಿದ ವಸ್ತುಗಳ ವೆಚ್ಚ
@@ -3432,7 +3469,8 @@
 DocType: Selling Settings,Sales Order Required,ಮಾರಾಟದ ಆದೇಶ ಅಗತ್ಯವಿರುವ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,ಮಾರಾಟಗಾರರಾಗಿ
 DocType: Purchase Invoice,Credit To,ಕ್ರೆಡಿಟ್
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,ಸಕ್ರಿಯ ಕಾರಣವಾಗುತ್ತದೆ / ಗ್ರಾಹಕರು
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,ಸಕ್ರಿಯ ಕಾರಣವಾಗುತ್ತದೆ / ಗ್ರಾಹಕರು
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,ಪ್ರಮಾಣಿತ ಡೆಲಿವರಿ ನೋಟ್ಫಾರ್ಮ್ ಅನ್ನು ಬಳಸಲು ಖಾಲಿ ಬಿಡಿ
 DocType: Employee Education,Post Graduate,ಸ್ನಾತಕೋತ್ತರ
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ವಿವರ
 DocType: Supplier Scorecard,Warn for new Purchase Orders,ಹೊಸ ಖರೀದಿಯ ಆದೇಶಗಳಿಗೆ ಎಚ್ಚರಿಕೆ ನೀಡಿ
@@ -3446,14 +3484,14 @@
 DocType: Support Search Source,Post Title Key,ಪೋಸ್ಟ್ ಶೀರ್ಷಿಕೆ ಕೀ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,ಜಾಬ್ ಕಾರ್ಡ್ಗಾಗಿ
 DocType: Warranty Claim,Raised By,ಬೆಳೆಸಿದರು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,ಸೂಚನೆಗಳು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,ಸೂಚನೆಗಳು
 DocType: Payment Gateway Account,Payment Account,ಪಾವತಿ ಖಾತೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,ಮುಂದುವರೆಯಲು ಕಂಪನಿ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,ಮುಂದುವರೆಯಲು ಕಂಪನಿ ನಮೂದಿಸಿ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,ಪರಿಹಾರ ಆಫ್
 DocType: Job Offer,Accepted,Accepted
 DocType: POS Closing Voucher,Sales Invoices Summary,ಮಾರಾಟದ ಇನ್ವಾಯ್ಸ್ ಸಾರಾಂಶ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,ಪಕ್ಷದ ಹೆಸರು
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,ಪಕ್ಷದ ಹೆಸರು
 DocType: Grant Application,Organization,ಸಂಸ್ಥೆ
 DocType: Grant Application,Organization,ಸಂಸ್ಥೆ
 DocType: BOM Update Tool,BOM Update Tool,BOM ಅಪ್ಡೇಟ್ ಟೂಲ್
@@ -3463,7 +3501,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಕಂಪನಿಗೆ ಎಲ್ಲಾ ವ್ಯವಹಾರಗಳ ಅಳಿಸಲು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ. ಅದು ಎಂದು ನಿಮ್ಮ ಮಾಸ್ಟರ್ ಡೇಟಾ ಉಳಿಯುತ್ತದೆ. ಈ ಕಾರ್ಯವನ್ನು ರದ್ದುಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,ಹುಡುಕಾಟ ಫಲಿತಾಂಶಗಳು
 DocType: Room,Room Number,ಕೋಣೆ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},ಅಮಾನ್ಯವಾದ ಉಲ್ಲೇಖ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},ಅಮಾನ್ಯವಾದ ಉಲ್ಲೇಖ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ಯೋಜನೆ quanitity ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2}) ಉತ್ಪಾದನೆಯಲ್ಲಿನ ಆರ್ಡರ್ {3}
 DocType: Shipping Rule,Shipping Rule Label,ಶಿಪ್ಪಿಂಗ್ ಲೇಬಲ್ ರೂಲ್
 DocType: Journal Entry Account,Payroll Entry,ವೇತನದಾರರ ನಮೂದು
@@ -3471,8 +3509,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟ್ ಮಾಡಿ
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ಬಳಕೆದಾರ ವೇದಿಕೆ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಖಾಲಿ ಇರುವಂತಿಲ್ಲ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,ಸಾಲು # {0} (ಪಾವತಿ ಪಟ್ಟಿ): ಮೊತ್ತ ಋಣಾತ್ಮಕವಾಗಿರಬೇಕು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","ಸ್ಟಾಕ್ ನವೀಕರಣಗೊಳ್ಳುವುದಿಲ್ಲ, ಸರಕುಪಟ್ಟಿ ಡ್ರಾಪ್ ಹಡಗು ಐಟಂ ಹೊಂದಿದೆ."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,ಸಾಲು # {0} (ಪಾವತಿ ಪಟ್ಟಿ): ಮೊತ್ತ ಋಣಾತ್ಮಕವಾಗಿರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","ಸ್ಟಾಕ್ ನವೀಕರಣಗೊಳ್ಳುವುದಿಲ್ಲ, ಸರಕುಪಟ್ಟಿ ಡ್ರಾಪ್ ಹಡಗು ಐಟಂ ಹೊಂದಿದೆ."
 DocType: Contract,Fulfilment Status,ಪೂರೈಸುವ ಸ್ಥಿತಿ
 DocType: Lab Test Sample,Lab Test Sample,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಮಾದರಿ
 DocType: Item Variant Settings,Allow Rename Attribute Value,ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯವನ್ನು ಮರುಹೆಸರಿಸಲು ಅನುಮತಿಸಿ
@@ -3514,11 +3552,11 @@
 DocType: BOM,Show Operations,ಕಾರ್ಯಾಚರಣೆಗಳಪರಿವಿಡಿಯನ್ನುತೋರಿಸು
 ,Minutes to First Response for Opportunity,ಅವಕಾಶ ಮೊದಲ ಪ್ರತಿಕ್ರಿಯೆ ನಿಮಿಷಗಳ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,ಒಟ್ಟು ಆಬ್ಸೆಂಟ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,ಸಾಲು ಐಟಂ ಅಥವಾ ಗೋದಾಮಿನ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,ಸಾಲು ಐಟಂ ಅಥವಾ ಗೋದಾಮಿನ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,ಅಳತೆಯ ಘಟಕ
 DocType: Fiscal Year,Year End Date,ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ
 DocType: Task Depends On,Task Depends On,ಟಾಸ್ಕ್ ಅವಲಂಬಿಸಿರುತ್ತದೆ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,ಅವಕಾಶ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,ಅವಕಾಶ
 DocType: Operation,Default Workstation,ಡೀಫಾಲ್ಟ್ ವರ್ಕ್ಸ್ಟೇಷನ್
 DocType: Notification Control,Expense Claim Approved Message,ಖರ್ಚು ಹಕ್ಕು ಅನುಮೋದನೆ ಸಂದೇಶ
 DocType: Payment Entry,Deductions or Loss,ಕಳೆಯುವಿಕೆಗಳು ಅಥವಾ ನಷ್ಟ
@@ -3556,21 +3594,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,ಬಳಕೆದಾರ ನಿಯಮ ಅನ್ವಯವಾಗುತ್ತದೆ ಎಂದು ಬಳಕೆದಾರ ಅನುಮೋದನೆ ಇರಲಾಗುವುದಿಲ್ಲ
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),ಮೂಲ ದರದ (ಸ್ಟಾಕ್ ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಪ್ರಕಾರ)
 DocType: SMS Log,No of Requested SMS,ವಿನಂತಿಸಲಾಗಿದೆ SMS ನ ನಂ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ರಜೆ ಅನುಮೋದನೆ ಅಪ್ಲಿಕೇಶನ್ ದಾಖಲೆಗಳು ಹೊಂದುವುದಿಲ್ಲ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ರಜೆ ಅನುಮೋದನೆ ಅಪ್ಲಿಕೇಶನ್ ದಾಖಲೆಗಳು ಹೊಂದುವುದಿಲ್ಲ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ಮುಂದಿನ ಕ್ರಮಗಳು
 DocType: Travel Request,Domestic,ಗೃಹಬಳಕೆಯ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,ದಯವಿಟ್ಟು ಸಾಧ್ಯವಾದಷ್ಟು ದರಗಳಲ್ಲಿ ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಐಟಂಗಳನ್ನು ಸರಬರಾಜು
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,ದಯವಿಟ್ಟು ಸಾಧ್ಯವಾದಷ್ಟು ದರಗಳಲ್ಲಿ ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಐಟಂಗಳನ್ನು ಸರಬರಾಜು
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,ವರ್ಗಾವಣೆ ದಿನಾಂಕದ ಮೊದಲು ಉದ್ಯೋಗಿ ವರ್ಗಾವಣೆ ಸಲ್ಲಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Certification Application,USD,ಯು. ಎಸ್. ಡಿ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,ಸರಕುಪಟ್ಟಿ ಮಾಡಿ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,ಉಳಿದಿರುವ ಬಾಕಿ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,ಉಳಿದಿರುವ ಬಾಕಿ
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 ದಿನಗಳ ನಂತರ ಆಟೋ ನಿಕಟ ಅವಕಾಶ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} ಸ್ಕೋರ್ಕಾರ್ಡ್ ನಿಂತಿರುವ ಕಾರಣ {0} ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,ಬಾರ್ಕೋಡ್ {0} ಮಾನ್ಯವಾದ {1} ಕೋಡ್ ಅಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,ಬಾರ್ಕೋಡ್ {0} ಮಾನ್ಯವಾದ {1} ಕೋಡ್ ಅಲ್ಲ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,ಅಂತ್ಯ ವರ್ಷ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / ಲೀಡ್%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / ಲೀಡ್%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,ಕಾಂಟ್ರಾಕ್ಟ್ ಎಂಡ್ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,ಕಾಂಟ್ರಾಕ್ಟ್ ಎಂಡ್ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
 DocType: Driver,Driver,ಚಾಲಕ
 DocType: Vital Signs,Nutrition Values,ನ್ಯೂಟ್ರಿಷನ್ ಮೌಲ್ಯಗಳು
 DocType: Lab Test Template,Is billable,ಬಿಲ್ ಮಾಡಲಾಗುವುದು
@@ -3581,7 +3619,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,ಈ ERPNext ನಿಂದ ಸ್ವಯಂ ರಚಿತವಾದ ಒಂದು ಉದಾಹರಣೆ ವೆಬ್ಸೈಟ್
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,ಏಜಿಂಗ್ ರೇಂಜ್ 1
 DocType: Shopify Settings,Enable Shopify,Shopify ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,ಒಟ್ಟು ಮುಂಗಡ ಮೊತ್ತವು ಒಟ್ಟು ಮೊತ್ತದ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,ಒಟ್ಟು ಮುಂಗಡ ಮೊತ್ತವು ಒಟ್ಟು ಮೊತ್ತದ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು
 DocType: Purchase Taxes and Charges Template,"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
@@ -3628,12 +3666,12 @@
 DocType: Employee Separation,Employee Separation,ಉದ್ಯೋಗಿ ಪ್ರತ್ಯೇಕಿಸುವಿಕೆ
 DocType: BOM Item,Original Item,ಮೂಲ ಐಟಂ
 DocType: Purchase Receipt Item,Recd Quantity,Recd ಪ್ರಮಾಣ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,ಡಾಕ್ ದಿನಾಂಕ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,ಡಾಕ್ ದಿನಾಂಕ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},ಶುಲ್ಕ ರೆಕಾರ್ಡ್ಸ್ ರಚಿಸಲಾಗಿದೆ - {0}
 DocType: Asset Category Account,Asset Category Account,ಆಸ್ತಿ ವರ್ಗ ಖಾತೆ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,ಸಾಲು # {0} (ಪಾವತಿ ಪಟ್ಟಿ): ಪ್ರಮಾಣ ಧನಾತ್ಮಕವಾಗಿರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,ಸಾಲು # {0} (ಪಾವತಿ ಪಟ್ಟಿ): ಪ್ರಮಾಣ ಧನಾತ್ಮಕವಾಗಿರಬೇಕು
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},ಹೆಚ್ಚು ಐಟಂ ಉತ್ಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಹೆಚ್ಚು ಮಾರಾಟದ ಆರ್ಡರ್ ಪ್ರಮಾಣ {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Purchase Invoice,Reason For Issuing document,ಡಾಕ್ಯುಮೆಂಟ್ ನೀಡುವ ಕಾರಣ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
 DocType: Payment Reconciliation,Bank / Cash Account,ಬ್ಯಾಂಕ್ / ನಗದು ಖಾತೆ
@@ -3642,8 +3680,10 @@
 DocType: Asset,Manual,ಕೈಪಿಡಿ
 DocType: Salary Component Account,Salary Component Account,ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ಖಾತೆ
 DocType: Global Defaults,Hide Currency Symbol,ಕರೆನ್ಸಿ ಸಂಕೇತ ಮರೆಮಾಡಿ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ಮೂಲದಿಂದ ಮಾರಾಟದ ಅವಕಾಶಗಳು
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,ದಾನಿ ಮಾಹಿತಿ.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ಇ ಜಿ ಬ್ಯಾಂಕ್ , ನಗದು, ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ಸೆಟಪ್&gt; ಸಂಖ್ಯಾ ಸರಣಿಗಳ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ಸೆಟಪ್ ಸಂಖ್ಯೆಯ ಸರಣಿ
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ಇ ಜಿ ಬ್ಯಾಂಕ್ , ನಗದು, ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್"
 DocType: Job Applicant,Source Name,ಮೂಲ ಹೆಸರು
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","ವಯಸ್ಕರಲ್ಲಿ ಸಾಮಾನ್ಯವಾದ ರಕ್ತದೊತ್ತಡ ಸುಮಾರು 120 mmHg ಸಂಕೋಚನ, ಮತ್ತು 80 mmHg ಡಯಾಸ್ಟೊಲಿಕ್, ಸಂಕ್ಷಿಪ್ತ &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","ಉತ್ಪಾದನಾ_ದಿನಾಂಕ ಮತ್ತು ಆತ್ಮ ಜೀವನದ ಆಧಾರದ ಮೇಲೆ ಅವಧಿ ಮುಗಿಸಲು, ದಿನಗಳಲ್ಲಿ ಐಟಂಗಳನ್ನು ಶೆಲ್ಫ್ ಜೀವನವನ್ನು ಹೊಂದಿಸಿ"
@@ -3673,7 +3713,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},ಪ್ರಮಾಣವು ಪ್ರಮಾಣಕ್ಕಿಂತ ಕಡಿಮೆ ಇರಬೇಕು {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ರೋ {0} : ಪ್ರಾರಂಭ ದಿನಾಂಕ ಎಂಡ್ ದಿನಾಂಕದ ಮೊದಲು
 DocType: Salary Component,Max Benefit Amount (Yearly),ಗರಿಷ್ಠ ಲಾಭದ ಮೊತ್ತ (ವಾರ್ಷಿಕ)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,ಟಿಡಿಎಸ್ ದರ%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,ಟಿಡಿಎಸ್ ದರ%
 DocType: Crop,Planting Area,ನೆಡುವ ಪ್ರದೇಶ
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),ಒಟ್ಟು (ಪ್ರಮಾಣ)
 DocType: Installation Note Item,Installed Qty,ಅನುಸ್ಥಾಪಿಸಲಾದ ಪ್ರಮಾಣ
@@ -3695,8 +3735,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,ಅನುಮೋದನೆ ಅಧಿಸೂಚನೆ ಬಿಡಿ
 DocType: Buying Settings,Default Buying Price List,ಡೀಫಾಲ್ಟ್ ಬೆಲೆ ಪಟ್ಟಿ ಖರೀದಿ
 DocType: Payroll Entry,Salary Slip Based on Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet ಆಧರಿಸಿ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,ಖರೀದಿ ದರ
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},ಸಾಲು {0}: ಆಸ್ತಿ ಐಟಂಗಾಗಿ ಸ್ಥಳವನ್ನು ನಮೂದಿಸಿ {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,ಖರೀದಿ ದರ
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},ಸಾಲು {0}: ಆಸ್ತಿ ಐಟಂಗಾಗಿ ಸ್ಥಳವನ್ನು ನಮೂದಿಸಿ {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,ಪುರ್- ಆರ್ಎಫ್ಕ್ಯು - .YYYY.-
 DocType: Company,About the Company,ಕಂಪನಿ ಬಗ್ಗೆ
 DocType: Notification Control,Sales Order Message,ಮಾರಾಟದ ಆರ್ಡರ್ ಸಂದೇಶ
@@ -3763,10 +3803,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,ಸಾಲು {0}: ಯೋಜಿತ qty ಯನ್ನು ನಮೂದಿಸಿ
 DocType: Account,Income Account,ಆದಾಯ ಖಾತೆ
 DocType: Payment Request,Amount in customer's currency,ಗ್ರಾಹಕರ ಕರೆನ್ಸಿ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,ಡೆಲಿವರಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,ಡೆಲಿವರಿ
 DocType: Volunteer,Weekdays,ವಾರದ ದಿನಗಳು
 DocType: Stock Reconciliation Item,Current Qty,ಪ್ರಸ್ತುತ ಪ್ರಮಾಣ
 DocType: Restaurant Menu,Restaurant Menu,ರೆಸ್ಟೋರೆಂಟ್ ಮೆನು
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,ಪೂರೈಕೆದಾರರನ್ನು ಸೇರಿಸಿ
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ಎಸಿಸಿ-ಸಿನ್ವಿ- .YYYY.-
 DocType: Loyalty Program,Help Section,ಸಹಾಯ ವಿಭಾಗ
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,ಹಿಂದಿನದು
@@ -3778,19 +3819,20 @@
 												fullfill Sales Order {2}",ಸೀರಿಯಲ್ ಅನ್ನು ಯಾವುದೇ {0} ಐಟಂ {1} ಅನ್ನು ವಿತರಿಸಲಾಗುವುದಿಲ್ಲ ಏಕೆಂದರೆ ಇದು \ fullfill ಮಾರಾಟದ ಆದೇಶ {2}
 DocType: Item Reorder,Material Request Type,ಮೆಟೀರಿಯಲ್ RequestType
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,ಗ್ರಾಂಟ್ ರಿವ್ಯೂ ಇಮೇಲ್ ಕಳುಹಿಸಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಿಲ್ಲ"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,ಸಾಲು {0}: ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಪರಿವರ್ತನಾ ಕಾರಕ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಿಲ್ಲ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,ಸಾಲು {0}: ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಪರಿವರ್ತನಾ ಕಾರಕ ಕಡ್ಡಾಯ
 DocType: Employee Benefit Claim,Claim Date,ಹಕ್ಕು ದಿನಾಂಕ
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,ಕೊಠಡಿ ಸಾಮರ್ಥ್ಯ
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},ಐಟಂಗಾಗಿ ಈಗಾಗಲೇ ದಾಖಲೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,ತೀರ್ಪುಗಾರ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,ನೀವು ಹಿಂದೆ ರಚಿಸಿದ ಇನ್ವಾಯ್ಸ್ಗಳ ದಾಖಲೆಗಳನ್ನು ಕಳೆದುಕೊಳ್ಳುತ್ತೀರಿ. ಈ ಚಂದಾದಾರಿಕೆಯನ್ನು ಮರುಪ್ರಾರಂಭಿಸಲು ನೀವು ಖಚಿತವಾಗಿ ಬಯಸುವಿರಾ?
+DocType: Lab Test,LP-,ಎಲ್ಪಿ-
 DocType: Healthcare Settings,Registration Fee,ನೋಂದಣಿ ಶುಲ್ಕ
 DocType: Loyalty Program Collection,Loyalty Program Collection,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಕಲೆಕ್ಷನ್
 DocType: Stock Entry Detail,Subcontracted Item,ಉಪಗುತ್ತಿಗೆ ಮಾಡಿದ ಐಟಂ
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},ವಿದ್ಯಾರ್ಥಿ {0} ಗುಂಪುಗೆ ಸೇರಿಲ್ಲ {1}
 DocType: Budget,Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,ಚೀಟಿ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,ಚೀಟಿ #
 DocType: Notification Control,Purchase Order Message,ಖರೀದಿ ಆದೇಶವನ್ನು ಸಂದೇಶವನ್ನು
 DocType: Tax Rule,Shipping Country,ಶಿಪ್ಪಿಂಗ್ ಕಂಟ್ರಿ
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ಮಾರಾಟದ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ನಿಂದ ಗ್ರಾಹಕರ ತೆರಿಗೆ Id ಮರೆಮಾಡಿ
@@ -3809,23 +3851,22 @@
 DocType: Subscription,Cancel At End Of Period,ಅವಧಿಯ ಕೊನೆಯಲ್ಲಿ ರದ್ದುಮಾಡಿ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,ಆಸ್ತಿ ಈಗಾಗಲೇ ಸೇರಿಸಲಾಗಿದೆ
 DocType: Item Supplier,Item Supplier,ಐಟಂ ಸರಬರಾಜುದಾರ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{0} {1} quotation_to ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{0} {1} quotation_to ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,ವರ್ಗಾಯಿಸಲು ಯಾವುದೇ ಐಟಂಗಳು ಆಯ್ಕೆಯಾಗಿಲ್ಲ
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ಎಲ್ಲಾ ವಿಳಾಸಗಳನ್ನು .
 DocType: Company,Stock Settings,ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","ಕೆಳಗಿನ ಲಕ್ಷಣಗಳು ದಾಖಲೆಗಳಲ್ಲಿ ಅದೇ ವೇಳೆ ಮರ್ಜಿಂಗ್ ಮಾತ್ರ ಸಾಧ್ಯ. ಗ್ರೂಪ್, ರೂಟ್ ಕೌಟುಂಬಿಕತೆ, ಕಂಪನಿ"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","ಕೆಳಗಿನ ಲಕ್ಷಣಗಳು ದಾಖಲೆಗಳಲ್ಲಿ ಅದೇ ವೇಳೆ ಮರ್ಜಿಂಗ್ ಮಾತ್ರ ಸಾಧ್ಯ. ಗ್ರೂಪ್, ರೂಟ್ ಕೌಟುಂಬಿಕತೆ, ಕಂಪನಿ"
 DocType: Vehicle,Electric,ಎಲೆಕ್ಟ್ರಿಕ್
 DocType: Task,% Progress,% ಪ್ರೋಗ್ರೆಸ್
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,ಆಸ್ತಿ ವಿಲೇವಾರಿ ಮೇಲೆ ಗಳಿಕೆ / ನಷ್ಟ
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",&quot;ಅಪ್ಲೋವ್ಡ್&quot; ಸ್ಥಿತಿ ಹೊಂದಿರುವ ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರು ಮಾತ್ರ ಕೆಳಗಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಆಯ್ಕೆ ಮಾಡಲಾಗುವುದು.
 DocType: Tax Withholding Category,Rates,ದರಗಳು
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ಖಾತೆಗಾಗಿ ಖಾತೆ ಸಂಖ್ಯೆ {0} ಲಭ್ಯವಿಲ್ಲ. <br> ನಿಮ್ಮ ಚಾರ್ಟ್ ಆಫ್ ಅಕೌಂಟ್ ಅನ್ನು ಸರಿಯಾಗಿ ಹೊಂದಿಸಿ.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ಖಾತೆಗಾಗಿ ಖಾತೆ ಸಂಖ್ಯೆ {0} ಲಭ್ಯವಿಲ್ಲ. <br> ನಿಮ್ಮ ಚಾರ್ಟ್ ಆಫ್ ಅಕೌಂಟ್ ಅನ್ನು ಸರಿಯಾಗಿ ಹೊಂದಿಸಿ.
 DocType: Task,Depends on Tasks,ಕಾರ್ಯಗಳು ಅವಲಂಬಿಸಿದೆ
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ಗ್ರಾಹಕ ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಗ್ರೂಪ್ ಟ್ರೀ .
 DocType: Normal Test Items,Result Value,ಫಲಿತಾಂಶ ಮೌಲ್ಯ
 DocType: Hotel Room,Hotels,ಹೊಟೇಲ್
-DocType: Delivery Note,Transporter Date,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ದಿನಾಂಕ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,ಹೊಸ ವೆಚ್ಚ ಸೆಂಟರ್ ಹೆಸರು
 DocType: Leave Control Panel,Leave Control Panel,ಕಂಟ್ರೋಲ್ ಪ್ಯಾನಲ್ ಬಿಡಿ
 DocType: Project,Task Completion,ಕಾರ್ಯ ಪೂರ್ಣಗೊಂಡ
@@ -3872,11 +3913,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪುಗಳು
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,ಹೊಸ ವೇರ್ಹೌಸ್ ಹೆಸರು
 DocType: Shopify Settings,App Type,ಅಪ್ಲಿಕೇಶನ್ ಪ್ರಕಾರ
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),ಒಟ್ಟು {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),ಒಟ್ಟು {0} ({1})
 DocType: C-Form Invoice Detail,Territory,ಕ್ಷೇತ್ರ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,ನಮೂದಿಸಿ ಅಗತ್ಯವಿದೆ ಭೇಟಿ ಯಾವುದೇ
 DocType: Stock Settings,Default Valuation Method,ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಮಾಪನ ವಿಧಾನ
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ಶುಲ್ಕ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,ಸಂಚಿತ ಮೊತ್ತವನ್ನು ತೋರಿಸಿ
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,ನವೀಕರಣ ಪ್ರಗತಿಯಲ್ಲಿದೆ. ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು.
 DocType: Production Plan Item,Produced Qty,ನಿರ್ಮಾಣದ ಕ್ಯೂಟಿ
 DocType: Vehicle Log,Fuel Qty,ಇಂಧನ ಪ್ರಮಾಣ
@@ -3884,7 +3926,7 @@
 DocType: Work Order Operation,Planned Start Time,ಯೋಜಿತ ಆರಂಭಿಸಲು ಸಮಯ
 DocType: Course,Assessment,ಅಸೆಸ್ಮೆಂಟ್
 DocType: Payment Entry Reference,Allocated,ಹಂಚಿಕೆ
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ .
 DocType: Student Applicant,Application Status,ಅಪ್ಲಿಕೇಶನ್ ಸ್ಥಿತಿ
 DocType: Additional Salary,Salary Component Type,ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ಕೌಟುಂಬಿಕತೆ
 DocType: Sensitivity Test Items,Sensitivity Test Items,ಸೂಕ್ಷ್ಮತೆ ಪರೀಕ್ಷಾ ವಸ್ತುಗಳು
@@ -3895,10 +3937,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,ಒಟ್ಟು ಬಾಕಿ ಮೊತ್ತದ
 DocType: Sales Partner,Targets,ಗುರಿ
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,ಕಂಪೆನಿ ಮಾಹಿತಿ ಫೈಲ್ನಲ್ಲಿ SIREN ಸಂಖ್ಯೆಯನ್ನು ನೋಂದಾಯಿಸಿ
+DocType: Email Digest,Sales Orders to Bill,ಮಾರಾಟದ ಆದೇಶಗಳು ಬಿಲ್ಗೆ
 DocType: Price List,Price List Master,ದರ ಪಟ್ಟಿ ಮಾಸ್ಟರ್
 DocType: GST Account,CESS Account,CESS ಖಾತೆ
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ನೀವು ಸೆಟ್ ಮತ್ತು ಗುರಿಗಳನ್ನು ಮೇಲ್ವಿಚಾರಣೆ ಆ ಎಲ್ಲಾ ಮಾರಾಟದ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಅನೇಕ ** ಮಾರಾಟದ ವ್ಯಕ್ತಿಗಳು ** ವಿರುದ್ಧ ಟ್ಯಾಗ್ ಮಾಡಬಹುದು.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,ವಸ್ತು ವಿನಂತಿಗೆ ಲಿಂಕ್ ಮಾಡಿ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,ವಸ್ತು ವಿನಂತಿಗೆ ಲಿಂಕ್ ಮಾಡಿ
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,ವೇದಿಕೆ ಚಟುವಟಿಕೆ
 ,S.O. No.,S.O. ನಂ
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,ಬ್ಯಾಂಕ್ ಸ್ಟೇಟ್ಮೆಂಟ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸೆಟ್ಟಿಂಗ್ಸ್ ಐಟಂ
@@ -3913,7 +3956,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,ಈ ಗ್ರಾಹಕ ಗುಂಪಿನ ಮೂಲ ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
 DocType: Student,AB-,ಎಬಿ-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,ಸಂಚಿತ ಮಾಸಿಕ ಬಜೆಟ್ ಪಿಒನಲ್ಲಿ ಮೀರಿದರೆ ಕ್ರಮ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,ಇರಿಸಲು
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,ಇರಿಸಲು
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ವಿನಿಮಯ ದರ ಸುಧಾರಣೆ
 DocType: POS Profile,Ignore Pricing Rule,ಬೆಲೆ ರೂಲ್ ನಿರ್ಲಕ್ಷಿಸು
 DocType: Employee Education,Graduate,ಪದವೀಧರ
@@ -3962,6 +4005,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,ದಯವಿಟ್ಟು ರೆಸ್ಟೋರೆಂಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕರನ್ನು ಹೊಂದಿಸಿ
 ,Salary Register,ಸಂಬಳ ನೋಂದಣಿ
 DocType: Warehouse,Parent Warehouse,ಪೋಷಕ ವೇರ್ಹೌಸ್
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,ಚಾರ್ಟ್
 DocType: Subscription,Net Total,ನೆಟ್ ಒಟ್ಟು
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {0} ಮತ್ತು ಪ್ರಾಜೆಕ್ಟ್ {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,ವಿವಿಧ ಸಾಲ ರೀತಿಯ ವಿವರಿಸಿ
@@ -3994,24 +4038,26 @@
 DocType: Membership,Membership Status,ಸದಸ್ಯತ್ವ ಸ್ಥಿತಿ
 DocType: Travel Itinerary,Lodging Required,ವಸತಿ ಅಗತ್ಯವಿದೆ
 ,Requested,ವಿನಂತಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು
 DocType: Asset,In Maintenance,ನಿರ್ವಹಣೆ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ಅಮೆಜಾನ್ MWS ನಿಂದ ನಿಮ್ಮ ಮಾರಾಟದ ಆರ್ಡರ್ ಡೇಟಾವನ್ನು ಎಳೆಯಲು ಈ ಬಟನ್ ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ.
 DocType: Vital Signs,Abdomen,ಹೊಟ್ಟೆ
 DocType: Purchase Invoice,Overdue,ಮಿತಿಮೀರಿದ
 DocType: Account,Stock Received But Not Billed,ಸ್ಟಾಕ್ ಪಡೆದರು ಆದರೆ ಖ್ಯಾತವಾದ ಮಾಡಿರುವುದಿಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,ಮೂಲ ಖಾತೆಯು ಒಂದು ಗುಂಪು ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,ಮೂಲ ಖಾತೆಯು ಒಂದು ಗುಂಪು ಇರಬೇಕು
 DocType: Drug Prescription,Drug Prescription,ಡ್ರಗ್ ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್
 DocType: Loan,Repaid/Closed,ಮರುಪಾವತಿ / ಮುಚ್ಚಲಾಗಿದೆ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,ಒಟ್ಟು ಯೋಜಿತ ಪ್ರಮಾಣ
 DocType: Monthly Distribution,Distribution Name,ವಿತರಣೆ ಹೆಸರು
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM ಸೇರಿಸಿ
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","{1} {2} ಗಾಗಿ ಅಕೌಂಟಿಂಗ್ ನಮೂದುಗಳನ್ನು ಮಾಡಲು ಅಗತ್ಯವಿರುವ ಐಟಂ {0} ಗಾಗಿ ಮೌಲ್ಯಮಾಪನ ದರ ಕಂಡುಬಂದಿಲ್ಲ. ಐಟಂ {1} ನಲ್ಲಿ ಸೊನ್ನೆ ಮೌಲ್ಯಮಾಪನ ದರ ಐಟಂನಂತೆ ವರ್ಗಾವಣೆಯಾಗುತ್ತಿದ್ದರೆ, ದಯವಿಟ್ಟು {1} ಐಟಂ ಟೇಬಲ್ನಲ್ಲಿ ಅದನ್ನು ಉಲ್ಲೇಖಿಸಿ. ಇಲ್ಲದಿದ್ದರೆ, ದಯವಿಟ್ಟು ಐಟಂಗಾಗಿ ಇನ್ಕಮಿಂಗ್ ಸ್ಟಾಕ್ ವಹಿವಾಟನ್ನು ರಚಿಸಿ ಅಥವಾ ಐಟಂ ರೆಕಾರ್ಡ್ನಲ್ಲಿ ಮೌಲ್ಯಾಂಕನ ದರವನ್ನು ಉಲ್ಲೇಖಿಸಿ, ತದನಂತರ ಈ ಪ್ರವೇಶವನ್ನು ಸಲ್ಲಿಸಿ / ರದ್ದುಮಾಡಲು ಪ್ರಯತ್ನಿಸಿ"
 DocType: Course,Course Code,ಕೋರ್ಸ್ ಕೋಡ್
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},ಐಟಂ ಬೇಕಾದ ಗುಣಮಟ್ಟ ತಪಾಸಣೆ {0}
 DocType: Location,Parent Location,ಪೋಷಕ ಸ್ಥಳ
 DocType: POS Settings,Use POS in Offline Mode,ಆಫ್ಲೈನ್ ಮೋಡ್ನಲ್ಲಿ ಪಿಓಎಸ್ ಬಳಸಿ
 DocType: Supplier Scorecard,Supplier Variables,ಪೂರೈಕೆದಾರ ವೇರಿಯೇಬಲ್ಗಳು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} ಕಡ್ಡಾಯವಾಗಿದೆ. ಬಹುಶಃ {1} ಗೆ {2} ಗೆ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆಯನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ಗ್ರಾಹಕ ಕರೆನ್ಸಿ ದರ ಕಂಪನಿಯ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ
 DocType: Purchase Invoice Item,Net Rate (Company Currency),ನೆಟ್ ದರ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
 DocType: Salary Detail,Condition and Formula Help,ಪರಿಸ್ಥಿತಿ ಮತ್ತು ಫಾರ್ಮುಲಾ ಸಹಾಯ
@@ -4020,19 +4066,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ
 DocType: Journal Entry Account,Party Balance,ಪಕ್ಷದ ಬ್ಯಾಲೆನ್ಸ್
 DocType: Cash Flow Mapper,Section Subtotal,ವಿಭಾಗ ಉಪಮೊತ್ತ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,ರಿಯಾಯತಿ ಅನ್ವಯಿಸು ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,ರಿಯಾಯತಿ ಅನ್ವಯಿಸು ಆಯ್ಕೆಮಾಡಿ
 DocType: Stock Settings,Sample Retention Warehouse,ಮಾದರಿ ಧಾರಣ ವೇರ್ಹೌಸ್
 DocType: Company,Default Receivable Account,ಡೀಫಾಲ್ಟ್ ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆ
 DocType: Purchase Invoice,Deemed Export,ಸ್ವಾಮ್ಯದ ರಫ್ತು
 DocType: Stock Entry,Material Transfer for Manufacture,ತಯಾರಿಕೆಗೆ ವಸ್ತು ವರ್ಗಾವಣೆ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು ಬೆಲೆ ಪಟ್ಟಿ ವಿರುದ್ಧ ಅಥವಾ ಎಲ್ಲಾ ಬೆಲೆ ಪಟ್ಟಿ ಎರಡೂ ಅನ್ವಯಿಸಬಹುದು.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,ಸ್ಟಾಕ್ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,ಸ್ಟಾಕ್ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ
 DocType: Lab Test,LabTest Approver,ಲ್ಯಾಬ್ಟೆಸ್ಟ್ ಅಪ್ರೋವರ್
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ನೀವು ಈಗಾಗಲೇ ಮೌಲ್ಯಮಾಪನ ಮಾನದಂಡದ ನಿರ್ಣಯಿಸುವ {}.
 DocType: Vehicle Service,Engine Oil,ಎಂಜಿನ್ ತೈಲ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ: {0}
 DocType: Sales Invoice,Sales Team1,ಮಾರಾಟದ team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,ಐಟಂ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,ಐಟಂ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 DocType: Sales Invoice,Customer Address,ಗ್ರಾಹಕ ವಿಳಾಸ
 DocType: Loan,Loan Details,ಸಾಲ ವಿವರಗಳು
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,ಕಂಪನಿಯ FIXTURES ಅನ್ನು ಪೋಸ್ಟ್ ಮಾಡಲು ವಿಫಲವಾಗಿದೆ
@@ -4053,34 +4099,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಈ ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು
 DocType: BOM,Item UOM,ಐಟಂ UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ಡಿಸ್ಕೌಂಟ್ ಪ್ರಮಾಣದ ನಂತರ ತೆರಿಗೆ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
 DocType: Cheque Print Template,Primary Settings,ಪ್ರಾಥಮಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Attendance Request,Work From Home,ಮನೆಯಿಂದ ಕೆಲಸ
 DocType: Purchase Invoice,Select Supplier Address,ಸರಬರಾಜುದಾರ ವಿಳಾಸ ಆಯ್ಕೆ
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,ನೌಕರರು ಸೇರಿಸಿ
 DocType: Purchase Invoice Item,Quality Inspection,ಗುಣಮಟ್ಟದ ತಪಾಸಣೆ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,ಹೆಚ್ಚುವರಿ ಸಣ್ಣ
 DocType: Company,Standard Template,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಟೆಂಪ್ಲೇಟು
 DocType: Training Event,Theory,ಥಿಯರಿ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,ಎಚ್ಚರಿಕೆ : ಪ್ರಮಾಣ ವಿನಂತಿಸಿದ ವಸ್ತು ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,ಎಚ್ಚರಿಕೆ : ಪ್ರಮಾಣ ವಿನಂತಿಸಿದ ವಸ್ತು ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,ಖಾತೆ {0} ಹೆಪ್ಪುಗಟ್ಟಿರುವ
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ಸಂಸ್ಥೆ ಸೇರಿದ ಖಾತೆಗಳ ಪ್ರತ್ಯೇಕ ಚಾರ್ಟ್ ಜೊತೆಗೆ ಕಾನೂನು ಘಟಕದ / ಅಂಗಸಂಸ್ಥೆ.
 DocType: Payment Request,Mute Email,ಮ್ಯೂಟ್ ಇಮೇಲ್
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","ಆಹಾರ , ಪಾನೀಯ ಮತ್ತು ತಂಬಾಕು"
 DocType: Account,Account Number,ಖಾತೆ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},ಮಾತ್ರ ವಿರುದ್ಧ ಪಾವತಿ ಮಾಡಬಹುದು unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,ಕಮಿಷನ್ ದರ 100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},ಮಾತ್ರ ವಿರುದ್ಧ ಪಾವತಿ ಮಾಡಬಹುದು unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,ಕಮಿಷನ್ ದರ 100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಡ್ವಾನ್ಸಸ್ ನಿಯೋಜಿಸಿ (FIFO)
 DocType: Volunteer,Volunteer,ಸ್ವಯಂಸೇವಕ
 DocType: Buying Settings,Subcontract,subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,ಮೊದಲ {0} ನಮೂದಿಸಿ
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,ಯಾವುದೇ ಪ್ರತ್ಯುತ್ತರಗಳನ್ನು
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,ಯಾವುದೇ ಪ್ರತ್ಯುತ್ತರಗಳನ್ನು
 DocType: Work Order Operation,Actual End Time,ನಿಜವಾದ ಎಂಡ್ ಟೈಮ್
 DocType: Item,Manufacturer Part Number,ತಯಾರಿಸುವರು ಭಾಗ ಸಂಖ್ಯೆ
 DocType: Taxable Salary Slab,Taxable Salary Slab,ತೆರಿಗೆಯ ಸಂಬಳ ಚಪ್ಪಡಿ
 DocType: Work Order Operation,Estimated Time and Cost,ಅಂದಾಜು ಸಮಯ ಮತ್ತು ವೆಚ್ಚ
 DocType: Bin,Bin,ಬಿನ್
 DocType: Crop,Crop Name,ಬೆಳೆ ಹೆಸರು
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,{0} ಪಾತ್ರ ಹೊಂದಿರುವ ಬಳಕೆದಾರರು ಮಾತ್ರ ಮಾರುಕಟ್ಟೆ ಸ್ಥಳದಲ್ಲಿ ನೋಂದಾಯಿಸಬಹುದು
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,{0} ಪಾತ್ರ ಹೊಂದಿರುವ ಬಳಕೆದಾರರು ಮಾತ್ರ ಮಾರುಕಟ್ಟೆ ಸ್ಥಳದಲ್ಲಿ ನೋಂದಾಯಿಸಬಹುದು
 DocType: SMS Log,No of Sent SMS,ಕಳುಹಿಸಲಾಗಿದೆ ಎಸ್ಎಂಎಸ್ ಸಂಖ್ಯೆ
 DocType: Leave Application,HR-LAP-.YYYY.-,ಎಚ್ಆರ್-ಲ್ಯಾಪ್ - .YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,ನೇಮಕಾತಿಗಳು ಮತ್ತು ಎನ್ಕೌಂಟರ್ಸ್
@@ -4109,7 +4156,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,ಕೋಡ್ ಬದಲಿಸಿ
 DocType: Purchase Invoice Item,Valuation Rate,ಮೌಲ್ಯಾಂಕನ ದರ
 DocType: Vehicle,Diesel,ಡೀಸೆಲ್
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಇಲ್ಲ
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಇಲ್ಲ
 DocType: Purchase Invoice,Availed ITC Cess,ಐಟಿಸಿ ಸೆಸ್ ಪಡೆದುಕೊಂಡಿದೆ
 ,Student Monthly Attendance Sheet,ವಿದ್ಯಾರ್ಥಿ ಮಾಸಿಕ ಅಟೆಂಡೆನ್ಸ್ ಶೀಟ್
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,ಶಿಪ್ಪಿಂಗ್ ನಿಯಮವು ಮಾರಾಟಕ್ಕೆ ಮಾತ್ರ ಅನ್ವಯಿಸುತ್ತದೆ
@@ -4126,7 +4173,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ನಿರ್ವಹಿಸಿ.
 DocType: Quality Inspection,Inspection Type,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಪ್ರಕಾರ
 DocType: Fee Validity,Visited yet,ಇನ್ನೂ ಭೇಟಿ ನೀಡಲಾಗಿದೆ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಗುಂಪು ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಗುಂಪು ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ.
 DocType: Assessment Result Tool,Result HTML,ಪರಿಣಾಮವಾಗಿ HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,ಮಾರಾಟದ ವಹಿವಾಟುಗಳನ್ನು ಆಧರಿಸಿ ಎಷ್ಟು ಬಾರಿ ಯೋಜನೆ ಮತ್ತು ಕಂಪನಿ ನವೀಕರಿಸಬೇಕು.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ರಂದು ಅವಧಿ ಮೀರುತ್ತದೆ
@@ -4134,7 +4181,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},ಆಯ್ಕೆಮಾಡಿ {0}
 DocType: C-Form,C-Form No,ಸಿ ಫಾರ್ಮ್ ನಂ
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,ದೂರ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,ದೂರ
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,ನೀವು ಖರೀದಿ ಅಥವಾ ಮಾರಾಟ ಮಾಡುವ ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳು ಅಥವಾ ಸೇವೆಗಳನ್ನು ಪಟ್ಟಿ ಮಾಡಿ.
 DocType: Water Analysis,Storage Temperature,ಶೇಖರಣಾ ತಾಪಮಾನ
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD - .YYYY.-
@@ -4150,19 +4197,19 @@
 DocType: Shopify Settings,Delivery Note Series,ಡೆಲಿವರಿ ನೋಟ್ ಸೀರೀಸ್
 DocType: Purchase Order Item,Returned Qty,ಮರಳಿದರು ಪ್ರಮಾಣ
 DocType: Student,Exit,ನಿರ್ಗಮನ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,ರೂಟ್ ಪ್ರಕಾರ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,ರೂಟ್ ಪ್ರಕಾರ ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,ಪೂರ್ವನಿಗದಿಗಳನ್ನು ಸ್ಥಾಪಿಸುವಲ್ಲಿ ವಿಫಲವಾಗಿದೆ
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,ಗಂಟೆಗಳಲ್ಲಿ UOM ಪರಿವರ್ತನೆ
 DocType: Contract,Signee Details,Signee ವಿವರಗಳು
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} ಪ್ರಸ್ತುತ ಒಂದು {1} ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸ್ಟ್ಯಾಂಡಿಂಗ್ ಅನ್ನು ಹೊಂದಿದೆ, ಮತ್ತು ಈ ಸರಬರಾಜುದಾರರಿಗೆ RFQ ಗಳನ್ನು ಎಚ್ಚರಿಕೆಯಿಂದ ನೀಡಬೇಕು."
 DocType: Certified Consultant,Non Profit Manager,ಲಾಭರಹಿತ ಮ್ಯಾನೇಜರ್
 DocType: BOM,Total Cost(Company Currency),ಒಟ್ಟು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ದಾಖಲಿಸಿದವರು
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ದಾಖಲಿಸಿದವರು
 DocType: Homepage,Company Description for website homepage,ವೆಬ್ಸೈಟ್ ಮುಖಪುಟಕ್ಕೆ ಕಂಪನಿ ವಿವರಣೆ
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ಗ್ರಾಹಕರ ಅನುಕೂಲಕ್ಕಾಗಿ, ಪ್ರಬಂಧ ಸಂಕೇತಗಳು ಇನ್ವಾಯ್ಸ್ ಮತ್ತು ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು ರೀತಿಯ ಮುದ್ರಣ ಸ್ವರೂಪಗಳು ಬಳಸಬಹುದು"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier ಹೆಸರು
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} ಗಾಗಿ ಮಾಹಿತಿಯನ್ನು ಹಿಂಪಡೆಯಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,ಪ್ರವೇಶ ಪ್ರವೇಶ ಜರ್ನಲ್
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,ಪ್ರವೇಶ ಪ್ರವೇಶ ಜರ್ನಲ್
 DocType: Contract,Fulfilment Terms,ಪೂರೈಸುವ ನಿಯಮಗಳು
 DocType: Sales Invoice,Time Sheet List,ಟೈಮ್ ಶೀಟ್ ಪಟ್ಟಿ
 DocType: Employee,You can enter any date manually,ನೀವು ಕೈಯಾರೆ ಯಾವುದೇ ದಿನಾಂಕ ನಮೂದಿಸಬಹುದು
@@ -4198,7 +4245,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,ನಿಮ್ಮ ಸಂಸ್ಥೆ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","ಬಿಟ್ಟುಬಿಡುವುದು ಕೆಳಗಿನ ಉದ್ಯೋಗಿಗಳಿಗೆ ವಿತರಣೆ ಬಿಡಿ, ಅವರ ವಿರುದ್ಧ ರವಾನೆ ದಾಖಲೆಗಳು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. {0}"
 DocType: Fee Component,Fees Category,ಶುಲ್ಕ ವರ್ಗ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,ದಿನಾಂಕ ನಿವಾರಿಸುವ ನಮೂದಿಸಿ.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,ದಿನಾಂಕ ನಿವಾರಿಸುವ ನಮೂದಿಸಿ.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,ಮೊತ್ತ
 DocType: Travel Request,"Details of Sponsor (Name, Location)","ಪ್ರಾಯೋಜಕರ ವಿವರಗಳು (ಹೆಸರು, ಸ್ಥಳ)"
 DocType: Supplier Scorecard,Notify Employee,ಉದ್ಯೋಗಿಗೆ ಸೂಚಿಸಿ
@@ -4211,9 +4258,9 @@
 DocType: Company,Chart Of Accounts Template,ಖಾತೆಗಳನ್ನು ಟೆಂಪ್ಲೇಟು ಚಾರ್ಟ್
 DocType: Attendance,Attendance Date,ಅಟೆಂಡೆನ್ಸ್ ದಿನಾಂಕ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ಗೆ ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಬೇಕು
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},ಐಟಂ ಬೆಲೆ {0} ಬೆಲೆ ಪಟ್ಟಿ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},ಐಟಂ ಬೆಲೆ {0} ಬೆಲೆ ಪಟ್ಟಿ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ಸಂಬಳ ವಿಘಟನೆಯ ಸಂಪಾದಿಸಿದ ಮತ್ತು ಕಳೆಯುವುದು ಆಧರಿಸಿ .
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Purchase Invoice Item,Accepted Warehouse,ಅಕ್ಸೆಪ್ಟೆಡ್ ವೇರ್ಹೌಸ್
 DocType: Bank Reconciliation Detail,Posting Date,ದಿನಾಂಕ ಪೋಸ್ಟ್
 DocType: Item,Valuation Method,ಮೌಲ್ಯಮಾಪನ ವಿಧಾನ
@@ -4250,6 +4297,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,ದಯವಿಟ್ಟು ತಂಡ ಆಯ್ಕೆ
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,ಪ್ರಯಾಣ ಮತ್ತು ಖರ್ಚು ಹಕ್ಕು
 DocType: Sales Invoice,Redemption Cost Center,ರಿಡೆಂಪ್ಶನ್ ವೆಚ್ಚ ಕೇಂದ್ರ
+DocType: QuickBooks Migrator,Scope,ವ್ಯಾಪ್ತಿ
 DocType: Assessment Group,Assessment Group Name,ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು ಹೆಸರು
 DocType: Manufacturing Settings,Material Transferred for Manufacture,ವಸ್ತು ತಯಾರಿಕೆಗೆ ವರ್ಗಾಯಿಸಲಾಯಿತು
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,ವಿವರಗಳಿಗೆ ಸೇರಿಸಿ
@@ -4257,6 +4305,7 @@
 DocType: Shopify Settings,Last Sync Datetime,ಕೊನೆಯ ಸಿಂಕ್ ಡೇಟಾಟೈಮ್
 DocType: Landed Cost Item,Receipt Document Type,ರಸೀತಿ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ
 DocType: Daily Work Summary Settings,Select Companies,ಕಂಪನಿಗಳು ಆಯ್ಕೆ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,ಪ್ರಸ್ತಾಪ / ಬೆಲೆ ಉದ್ಧರಣ
 DocType: Antibiotic,Healthcare,ಹೆಲ್ತ್ಕೇರ್
 DocType: Target Detail,Target Detail,ವಿವರ ಟಾರ್ಗೆಟ್
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,ಒಂದೇ ರೂಪಾಂತರ
@@ -4266,6 +4315,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,ಅವಧಿಯ ಮುಕ್ತಾಯ ಎಂಟ್ರಿ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,ಇಲಾಖೆ ಆಯ್ಕೆ ಮಾಡಿ ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ವೆಚ್ಚ ಸೆಂಟರ್ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
+DocType: QuickBooks Migrator,Authorization URL,ದೃಢೀಕರಣ URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},ಪ್ರಮಾಣ {0} {1} {2} {3}
 DocType: Account,Depreciation,ಸವಕಳಿ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,ಷೇರುಗಳ ಸಂಖ್ಯೆ ಮತ್ತು ಷೇರು ಸಂಖ್ಯೆಗಳು ಅಸಮಂಜಸವಾಗಿದೆ
@@ -4288,13 +4338,14 @@
 DocType: Support Search Source,Source DocType,ಮೂಲ ಡಾಕ್ಟೈಪ್
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,ಹೊಸ ಟಿಕೆಟ್ ತೆರೆಯಿರಿ
 DocType: Training Event,Trainer Email,ತರಬೇತುದಾರ ಇಮೇಲ್
+DocType: Driver,Transporter,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳನ್ನು {0} ದಾಖಲಿಸಿದವರು
 DocType: Restaurant Reservation,No of People,ಜನರ ಸಂಖ್ಯೆ
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ನಿಯಮಗಳು ಅಥವಾ ಒಪ್ಪಂದದ ಟೆಂಪ್ಲೇಟು .
 DocType: Bank Account,Address and Contact,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ
 DocType: Vital Signs,Hyper,ಹೈಪರ್
 DocType: Cheque Print Template,Is Account Payable,ಖಾತೆ ಪಾವತಿಸಲಾಗುವುದು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},ಷೇರು ಖರೀದಿ ರಸೀತಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},ಷೇರು ಖರೀದಿ ರಸೀತಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 ದಿನಗಳ ನಂತರ ಆಟೋ ನಿಕಟ ಸಂಚಿಕೆ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ಮೊದಲು ಹಂಚಿಕೆ ಸಾಧ್ಯವಿಲ್ಲ ಬಿಡಿ {0}, ರಜೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ಯಾರಿ ಫಾರ್ವರ್ಡ್ ಭವಿಷ್ಯದ ರಜೆ ಹಂಚಿಕೆ ದಾಖಲೆಯಲ್ಲಿ ಬಂದಿದೆ {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ಗಮನಿಸಿ: ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ {0} ದಿನ ಅವಕಾಶ ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ದಿನಗಳ ಮೀರಿದೆ (ರು)
@@ -4312,7 +4363,7 @@
 ,Qty to Deliver,ಡೆಲಿವರ್ ಪ್ರಮಾಣ
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ಅಮೆಜಾನ್ ಈ ದಿನಾಂಕದ ನಂತರ ನವೀಕರಿಸಿದ ಡೇಟಾವನ್ನು ಸಿಂಕ್ ಮಾಡುತ್ತದೆ
 ,Stock Analytics,ಸ್ಟಾಕ್ ಅನಾಲಿಟಿಕ್ಸ್
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ಕಾರ್ಯಾಚರಣೆ ಖಾಲಿ ಬಿಡುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ಕಾರ್ಯಾಚರಣೆ ಖಾಲಿ ಬಿಡುವಂತಿಲ್ಲ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ (ಗಳು)
 DocType: Maintenance Visit Purpose,Against Document Detail No,ಡಾಕ್ಯುಮೆಂಟ್ ವಿವರ ವಿರುದ್ಧ ನಂ
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},ದೇಶಕ್ಕಾಗಿ {0} ಅಳಿಸುವಿಕೆಗೆ ಅನುಮತಿ ಇಲ್ಲ
@@ -4320,13 +4371,12 @@
 DocType: Quality Inspection,Outgoing,ನಿರ್ಗಮಿಸುವ
 DocType: Material Request,Requested For,ಮನವಿ
 DocType: Quotation Item,Against Doctype,DOCTYPE ವಿರುದ್ಧ
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ರದ್ದು ಅಥವಾ ಮುಚ್ಚಲಾಗಿದೆ
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ರದ್ದು ಅಥವಾ ಮುಚ್ಚಲಾಗಿದೆ
 DocType: Asset,Calculate Depreciation,ಸವಕಳಿ ಲೆಕ್ಕಾಚಾರ
 DocType: Delivery Note,Track this Delivery Note against any Project,ಯಾವುದೇ ಪ್ರಾಜೆಕ್ಟ್ ವಿರುದ್ಧ ಈ ಡೆಲಿವರಿ ಗಮನಿಸಿ ಟ್ರ್ಯಾಕ್
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,ಹೂಡಿಕೆ ನಿವ್ವಳ ನಗದು
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ಗ್ರಾಹಕ&gt; ಗ್ರಾಹಕರ ಗುಂಪು&gt; ಪ್ರದೇಶ
 DocType: Work Order,Work-in-Progress Warehouse,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,ಆಸ್ತಿ {0} ಸಲ್ಲಿಸಬೇಕು
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,ಆಸ್ತಿ {0} ಸಲ್ಲಿಸಬೇಕು
 DocType: Fee Schedule Program,Total Students,ಒಟ್ಟು ವಿದ್ಯಾರ್ಥಿಗಳು
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ಹಾಜರಾತಿ {0} ವಿದ್ಯಾರ್ಥಿ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},ರೆಫರೆನ್ಸ್ # {0} {1} ರ
@@ -4346,7 +4396,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,ಎಡ ನೌಕರರಿಗೆ ಧಾರಣ ಬೋನಸ್ ರಚಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Lead,Market Segment,ಮಾರುಕಟ್ಟೆ ವಿಭಾಗ
 DocType: Agriculture Analysis Criteria,Agriculture Manager,ಕೃಷಿ ವ್ಯವಸ್ಥಾಪಕ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},ಪಾವತಿಸಿದ ಮೊತ್ತ ಒಟ್ಟು ಋಣಾತ್ಮಕ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},ಪಾವತಿಸಿದ ಮೊತ್ತ ಒಟ್ಟು ಋಣಾತ್ಮಕ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ {0}
 DocType: Supplier Scorecard Period,Variables,ವೇರಿಯೇಬಲ್ಸ್
 DocType: Employee Internal Work History,Employee Internal Work History,ಆಂತರಿಕ ಕೆಲಸದ ಇತಿಹಾಸ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),ಮುಚ್ಚುವ (ಡಾ)
@@ -4371,22 +4421,24 @@
 DocType: Amazon MWS Settings,Synch Products,ಉತ್ಪನ್ನಗಳನ್ನು ಸಿಂಕ್ ಮಾಡಿ
 DocType: Loyalty Point Entry,Loyalty Program,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ
 DocType: Student Guardian,Father,ತಂದೆ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,ಬೆಂಬಲ ಟಿಕೆಟ್ಗಳು
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್&#39; ಸ್ಥಿರ ಸಂಪತ್ತಾದ ಮಾರಾಟ ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Bank Reconciliation,Bank Reconciliation,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ
 DocType: Attendance,On Leave,ರಜೆಯ ಮೇಲೆ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ಅಪ್ಡೇಟ್ಗಳು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ಖಾತೆ {2} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,ಪ್ರತಿ ಗುಣಲಕ್ಷಣಗಳಿಂದ ಕನಿಷ್ಠ ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,ಪ್ರತಿ ಗುಣಲಕ್ಷಣಗಳಿಂದ ಕನಿಷ್ಠ ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ {0} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,ರಾಜ್ಯವನ್ನು ರವಾನಿಸು
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,ರಾಜ್ಯವನ್ನು ರವಾನಿಸು
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಬಿಡಿ
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,ಗುಂಪುಗಳು
 DocType: Purchase Invoice,Hold Invoice,ಸರಕುಪಟ್ಟಿ ಹಿಡಿದುಕೊಳ್ಳಿ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,ನೌಕರರನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Sales Order,Fully Delivered,ಸಂಪೂರ್ಣವಾಗಿ ತಲುಪಿಸಲಾಗಿದೆ
-DocType: Lead,Lower Income,ಕಡಿಮೆ ವರಮಾನ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,ಕಡಿಮೆ ವರಮಾನ
 DocType: Restaurant Order Entry,Current Order,ಪ್ರಸ್ತುತ ಆದೇಶ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,ಸರಣಿ ಸಂಖ್ಯೆ ಮತ್ತು ಪ್ರಮಾಣದ ಸಂಖ್ಯೆ ಒಂದೇ ಆಗಿರಬೇಕು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},ಮೂಲ ಮತ್ತು ಗುರಿ ಗೋದಾಮಿನ ಸಾಲಿನ ಇರಲಾಗುವುದಿಲ್ಲ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},ಮೂಲ ಮತ್ತು ಗುರಿ ಗೋದಾಮಿನ ಸಾಲಿನ ಇರಲಾಗುವುದಿಲ್ಲ {0}
 DocType: Account,Asset Received But Not Billed,ಪಡೆದ ಆಸ್ತಿ ಆದರೆ ಬಿಲ್ ಮಾಡಿಲ್ಲ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ಈ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಒಂದು ಆರಂಭಿಕ ಎಂಟ್ರಿ ಏಕೆಂದರೆ ವ್ಯತ್ಯಾಸ ಖಾತೆ, ಒಂದು ಆಸ್ತಿ / ಹೊಣೆಗಾರಿಕೆ ರೀತಿಯ ಖಾತೆ ಇರಬೇಕು"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},ಪಾವತಿಸಲಾಗುತ್ತದೆ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಹೆಚ್ಚು ಹೆಚ್ಚಿರಬಾರದು {0}
@@ -4395,7 +4447,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಸಂಖ್ಯೆ ಐಟಂ ಅಗತ್ಯವಿದೆ {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"ಇಂದ ದಿನಾಂಕ, ಗೆ ದಿನಾಂಕದ ಆಮೇಲೆ ಬರಬೇಕು"
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,ಈ ಸ್ಥಾನೀಕರಣಕ್ಕಾಗಿ ಯಾವುದೇ ಸಿಬ್ಬಂದಿ ಯೋಜನೆಗಳು ಕಂಡುಬಂದಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,ಐಟಂ {1} ದ ಬ್ಯಾಚ್ {0} ಅನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,ಐಟಂ {1} ದ ಬ್ಯಾಚ್ {0} ಅನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ.
 DocType: Leave Policy Detail,Annual Allocation,ವಾರ್ಷಿಕ ಹಂಚಿಕೆ
 DocType: Travel Request,Address of Organizer,ಸಂಘಟಕನ ವಿಳಾಸ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,ಹೆಲ್ತ್ಕೇರ್ ಪ್ರಾಕ್ಟೀಷನರ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ ...
@@ -4404,12 +4456,12 @@
 DocType: Asset,Fully Depreciated,ಸಂಪೂರ್ಣವಾಗಿ Depreciated
 DocType: Item Barcode,UPC-A,ಯುಪಿಸಿ-ಎ
 ,Stock Projected Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ಯೋಜಿತ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},ಗ್ರಾಹಕ {0} ಅಭಿವ್ಯಕ್ತಗೊಳಿಸಲು ಸೇರಿಲ್ಲ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},ಗ್ರಾಹಕ {0} ಅಭಿವ್ಯಕ್ತಗೊಳಿಸಲು ಸೇರಿಲ್ಲ {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,ಗುರುತು ಅಟೆಂಡೆನ್ಸ್ ಎಚ್ಟಿಎಮ್ಎಲ್
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","ಉಲ್ಲೇಖಗಳು ಪ್ರಸ್ತಾಪಗಳನ್ನು, ನಿಮ್ಮ ಗ್ರಾಹಕರಿಗೆ ಕಳುಹಿಸಿದ್ದಾರೆ ಬಿಡ್ ಇವೆ"
 DocType: Sales Invoice,Customer's Purchase Order,ಗ್ರಾಹಕರ ಆರ್ಡರ್ ಖರೀದಿಸಿ
 DocType: Clinical Procedure,Patient,ರೋಗಿಯ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,ಮಾರಾಟದ ಆರ್ಡರ್ನಲ್ಲಿ ಕ್ರೆಡಿಟ್ ಚೆಕ್ ಬೈಪಾಸ್
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,ಮಾರಾಟದ ಆರ್ಡರ್ನಲ್ಲಿ ಕ್ರೆಡಿಟ್ ಚೆಕ್ ಬೈಪಾಸ್
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,ಉದ್ಯೋಗಿ ಆನ್ಬೋರ್ಡಿಂಗ್ ಚಟುವಟಿಕೆ
 DocType: Location,Check if it is a hydroponic unit,ಅದು ಜಲಕೃಷಿಯ ಘಟಕವಾಗಿದೆಯೇ ಎಂದು ಪರಿಶೀಲಿಸಿ
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್
@@ -4419,7 +4471,7 @@
 DocType: Supplier Scorecard Period,Calculations,ಲೆಕ್ಕಾಚಾರಗಳು
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,ಮೌಲ್ಯ ಅಥವಾ ಪ್ರಮಾಣ
 DocType: Payment Terms Template,Payment Terms,ಪಾವತಿ ನಿಯಮಗಳು
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,ಪ್ರೊಡಕ್ಷನ್ಸ್ ಆರ್ಡರ್ಸ್ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,ಪ್ರೊಡಕ್ಷನ್ಸ್ ಆರ್ಡರ್ಸ್ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,ಮಿನಿಟ್
 DocType: Purchase Invoice,Purchase Taxes and Charges,ಖರೀದಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು
 DocType: Chapter,Meetup Embed HTML,ಮೀಟ್ಅಪ್ ಎಂಬೆಡ್ HTML
@@ -4427,7 +4479,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,ಪೂರೈಕೆದಾರರಿಗೆ ಹೋಗಿ
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ಪಿಓಎಸ್ ಚೀಟಿ ಮುಚ್ಚುವ ತೆರಿಗೆಗಳು
 ,Qty to Receive,ಸ್ವೀಕರಿಸುವ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತ್ಯದ ದಿನಾಂಕಗಳು ಮಾನ್ಯ ವೇತನದಾರರ ಅವಧಿಯಲ್ಲ, {0} ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುವುದಿಲ್ಲ."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತ್ಯದ ದಿನಾಂಕಗಳು ಮಾನ್ಯ ವೇತನದಾರರ ಅವಧಿಯಲ್ಲ, {0} ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುವುದಿಲ್ಲ."
 DocType: Leave Block List,Leave Block List Allowed,ಖಂಡ ಅನುಮತಿಸಲಾಗಿದೆ ಬಿಡಿ
 DocType: Grading Scale Interval,Grading Scale Interval,ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್ ಇಂಟರ್ವಲ್
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ವಾಹನ ಲಾಗ್ ಖರ್ಚು ಹಕ್ಕು {0}
@@ -4435,10 +4487,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ಮೇಲಿನ ಅಂಚು ಜೊತೆ ಬೆಲೆ ಪಟ್ಟಿ ದರ ರಿಯಾಯಿತಿ (%)
 DocType: Healthcare Service Unit Type,Rate / UOM,ದರ / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ಎಲ್ಲಾ ಗೋದಾಮುಗಳು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,ಇಂಟರ್ ಕಂಪೆನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ಗೆ ಯಾವುದೇ {0} ಕಂಡುಬಂದಿಲ್ಲ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,ಇಂಟರ್ ಕಂಪೆನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ಗೆ ಯಾವುದೇ {0} ಕಂಡುಬಂದಿಲ್ಲ.
 DocType: Travel Itinerary,Rented Car,ಬಾಡಿಗೆ ಕಾರು
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,ನಿಮ್ಮ ಕಂಪನಿ ಬಗ್ಗೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
 DocType: Donor,Donor,ದಾನಿ
 DocType: Global Defaults,Disable In Words,ವರ್ಡ್ಸ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,ಐಟಂ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಖ್ಯೆಯ ಕಾರಣ ಐಟಂ ಕೋಡ್ ಕಡ್ಡಾಯ
@@ -4450,14 +4502,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,ಬ್ಯಾಂಕಿನ ಓವರ್ಡ್ರಾಫ್ಟ್ ಖಾತೆ
 DocType: Patient,Patient ID,ರೋಗಿಯ ID
 DocType: Practitioner Schedule,Schedule Name,ವೇಳಾಪಟ್ಟಿ ಹೆಸರು
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,ಹಂತದ ಮೂಲಕ ಮಾರಾಟದ ಪೈಪ್ಲೈನ್
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ಮಾಡಿ
 DocType: Currency Exchange,For Buying,ಖರೀದಿಸಲು
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,ಎಲ್ಲಾ ಪೂರೈಕೆದಾರರನ್ನು ಸೇರಿಸಿ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,ಎಲ್ಲಾ ಪೂರೈಕೆದಾರರನ್ನು ಸೇರಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ರೋ # {0}: ನಿಗದಿ ಪ್ರಮಾಣ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚು ಹೆಚ್ಚಿರಬಾರದು.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,ಬ್ರೌಸ್ BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,ಸುರಕ್ಷಿತ ಸಾಲ
 DocType: Purchase Invoice,Edit Posting Date and Time,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಸಮಯವನ್ನು ಸಂಪಾದಿಸಿ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ಆಸ್ತಿ ವರ್ಗ {0} ಅಥವಾ ಕಂಪನಿಯಲ್ಲಿ ಸವಕಳಿ ಸಂಬಂಧಿಸಿದ ಖಾತೆಗಳು ಸೆಟ್ ಮಾಡಿ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ಆಸ್ತಿ ವರ್ಗ {0} ಅಥವಾ ಕಂಪನಿಯಲ್ಲಿ ಸವಕಳಿ ಸಂಬಂಧಿಸಿದ ಖಾತೆಗಳು ಸೆಟ್ ಮಾಡಿ {1}
 DocType: Lab Test Groups,Normal Range,ಸಾಮಾನ್ಯ ಶ್ರೇಣಿ
 DocType: Academic Term,Academic Year,ಶೈಕ್ಷಣಿಕ ವರ್ಷ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,ಲಭ್ಯವಿರುವ ಮಾರಾಟ
@@ -4486,26 +4539,26 @@
 DocType: Patient Appointment,Patient Appointment,ರೋಗಿಯ ನೇಮಕಾತಿ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ಪಾತ್ರ ನಿಯಮ ಅನ್ವಯವಾಗುತ್ತದೆ ಪಾತ್ರ ಅನುಮೋದನೆ ಇರಲಾಗುವುದಿಲ್ಲ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ಈ ಇಮೇಲ್ ಡೈಜೆಸ್ಟ್ ಅನ್ಸಬ್ಸ್ಕ್ರೈಬ್
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,ಮೂಲಕ ಪೂರೈಕೆದಾರರನ್ನು ಪಡೆಯಿರಿ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,ಮೂಲಕ ಪೂರೈಕೆದಾರರನ್ನು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ಐಟಂ {1} ಗಾಗಿ ಕಂಡುಬಂದಿಲ್ಲ
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,ಕೋರ್ಸ್ಗಳಿಗೆ ಹೋಗಿ
 DocType: Accounts Settings,Show Inclusive Tax In Print,ಮುದ್ರಣದಲ್ಲಿ ಅಂತರ್ಗತ ತೆರಿಗೆ ತೋರಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ಬ್ಯಾಂಕ್ ಖಾತೆ, ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,ಕಳುಹಿಸಿದ ಸಂದೇಶವನ್ನು
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಎಂದು ಹೊಂದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಎಂದು ಹೊಂದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: C-Form,II,II ನೇ
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ದರ ಗ್ರಾಹಕ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ
 DocType: Purchase Invoice Item,Net Amount (Company Currency),ನೆಟ್ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,ಒಟ್ಟು ಮುಂಗಡ ಮೊತ್ತವು ಒಟ್ಟು ಮಂಜೂರು ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರುವುದಿಲ್ಲ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,ಒಟ್ಟು ಮುಂಗಡ ಮೊತ್ತವು ಒಟ್ಟು ಮಂಜೂರು ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರುವುದಿಲ್ಲ
 DocType: Salary Slip,Hour Rate,ಅವರ್ ದರ
 DocType: Stock Settings,Item Naming By,ಐಟಂ ಹೆಸರಿಸುವ ಮೂಲಕ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},ಮತ್ತೊಂದು ಅವಧಿ ಮುಕ್ತಾಯ ಎಂಟ್ರಿ {0} ನಂತರ ಮಾಡಲಾಗಿದೆ {1}
 DocType: Work Order,Material Transferred for Manufacturing,ವಸ್ತು ಉತ್ಪಾದನೆ ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,ಖಾತೆ {0} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಆಯ್ಕೆಮಾಡಿ
 DocType: Project,Project Type,ಪ್ರಾಜೆಕ್ಟ್ ಕೌಟುಂಬಿಕತೆ
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,ಈ ಕಾರ್ಯಕ್ಕಾಗಿ ಮಗುವಿನ ಕಾರ್ಯವು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಈ ಕಾರ್ಯವನ್ನು ನೀವು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ಗುರಿ ಪ್ರಮಾಣ ಅಥವಾ ಗುರಿ ಪ್ರಮಾಣವನ್ನು ಒಂದೋ ಕಡ್ಡಾಯ.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ಗುರಿ ಪ್ರಮಾಣ ಅಥವಾ ಗುರಿ ಪ್ರಮಾಣವನ್ನು ಒಂದೋ ಕಡ್ಡಾಯ.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,ಅನೇಕ ಚಟುವಟಿಕೆಗಳ ವೆಚ್ಚ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",ಕ್ರಿಯೆಗಳು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ {0} ರಿಂದ ಮಾರಾಟದ ವ್ಯಕ್ತಿಗಳು ಕೆಳಗೆ ಜೋಡಿಸಲಾದ ನೌಕರರ ಒಂದು ಬಳಕೆದಾರ ID ಹೊಂದಿಲ್ಲ {1}
 DocType: Timesheet,Billing Details,ಬಿಲ್ಲಿಂಗ್ ವಿವರಗಳು
@@ -4563,13 +4616,13 @@
 DocType: Inpatient Record,A Negative,ಒಂದು ನಕಾರಾತ್ಮಕ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ಬೇರೇನೂ ತೋರಿಸಲು.
 DocType: Lead,From Customer,ಗ್ರಾಹಕ
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ಕರೆಗಳು
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,ಕರೆಗಳು
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,ಉತ್ಪನ್ನ
 DocType: Employee Tax Exemption Declaration,Declarations,ಘೋಷಣೆಗಳು
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,ಬ್ಯಾಚ್ಗಳು
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,ಶುಲ್ಕ ವೇಳಾಪಟ್ಟಿ ಮಾಡಿ
 DocType: Purchase Order Item Supplied,Stock UOM,ಸ್ಟಾಕ್ UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
 DocType: Account,Expenses Included In Asset Valuation,ಸ್ವತ್ತು ಮೌಲ್ಯಮಾಪನದಲ್ಲಿ ವೆಚ್ಚಗಳು ಸೇರಿವೆ
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),ವಯಸ್ಕರಿಗೆ ಸಾಮಾನ್ಯ ಉಲ್ಲೇಖ ಶ್ರೇಣಿ 16-20 ಉಸಿರಾಟಗಳು / ನಿಮಿಷ (ಆರ್ಸಿಪಿ 2012)
 DocType: Customs Tariff Number,Tariff Number,ಟ್ಯಾರಿಫ್ ಸಂಖ್ಯೆ
@@ -4582,6 +4635,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,ದಯವಿಟ್ಟು ಮೊದಲು ರೋಗಿಯನ್ನು ಉಳಿಸಿ
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,ಅಟೆಂಡೆನ್ಸ್ ಯಶಸ್ವಿಯಾಗಿ ಗುರುತಿಸಲಾಗಿದೆ.
 DocType: Program Enrollment,Public Transport,ಸಾರ್ವಜನಿಕ ಸಾರಿಗೆ
+DocType: Delivery Note,GST Vehicle Type,ಜಿಎಸ್ಟಿ ವಾಹನ ಪ್ರಕಾರ
 DocType: Soil Texture,Silt Composition (%),ಸಿಲ್ಟ್ ಸಂಯೋಜನೆ (%)
 DocType: Journal Entry,Remark,ಟೀಕಿಸು
 DocType: Healthcare Settings,Avoid Confirmation,ದೃಢೀಕರಣವನ್ನು ತಪ್ಪಿಸಿ
@@ -4591,11 +4645,10 @@
 DocType: Education Settings,Current Academic Term,ಪ್ರಸ್ತುತ ಶೈಕ್ಷಣಿಕ ಟರ್ಮ್
 DocType: Education Settings,Current Academic Term,ಪ್ರಸ್ತುತ ಶೈಕ್ಷಣಿಕ ಟರ್ಮ್
 DocType: Sales Order,Not Billed,ಖ್ಯಾತವಾದ ಮಾಡಿರುವುದಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,ಎರಡೂ ಗೋದಾಮಿನ ಅದೇ ಕಂಪನಿ ಸೇರಿರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,ಎರಡೂ ಗೋದಾಮಿನ ಅದೇ ಕಂಪನಿ ಸೇರಿರಬೇಕು
 DocType: Employee Grade,Default Leave Policy,ಡೀಫಾಲ್ಟ್ ಲೀವ್ ಪಾಲಿಸಿ
 DocType: Shopify Settings,Shop URL,ಮಳಿಗೆ URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,ಯಾವುದೇ ಸಂಪರ್ಕಗಳನ್ನು ಇನ್ನೂ ಸೇರಿಸಲಾಗಿದೆ.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ಸೆಟಪ್&gt; ಸಂಖ್ಯಾ ಸರಣಿಗಳ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ಸೆಟಪ್ ಸಂಖ್ಯೆಯ ಸರಣಿ
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ಇಳಿಯಿತು ವೆಚ್ಚ ಚೀಟಿ ಪ್ರಮಾಣ
 ,Item Balance (Simple),ಐಟಂ ಬ್ಯಾಲೆನ್ಸ್ (ಸಿಂಪಲ್)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ಪೂರೈಕೆದಾರರು ಬೆಳೆಸಿದರು ಬಿಲ್ಲುಗಳನ್ನು .
@@ -4620,7 +4673,7 @@
 DocType: Shopping Cart Settings,Quotation Series,ಉದ್ಧರಣ ಸರಣಿ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","ಐಟಂ ( {0} ) , ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,ಮಣ್ಣಿನ ವಿಶ್ಲೇಷಣೆ ಮಾನದಂಡ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರ ಆಯ್ಕೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರ ಆಯ್ಕೆ
 DocType: C-Form,I,ನಾನು
 DocType: Company,Asset Depreciation Cost Center,ಆಸ್ತಿ ಸವಕಳಿ ವೆಚ್ಚದ ಕೇಂದ್ರ
 DocType: Production Plan Sales Order,Sales Order Date,ಮಾರಾಟದ ಆದೇಶ ದಿನಾಂಕ
@@ -4633,8 +4686,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,ಪ್ರಸ್ತುತ ಯಾವುದೇ ವೇರಾಹೌಸ್‌ನಲ್ಲಿ ಸ್ಟಾಕ್ ಲಭ್ಯವಿಲ್ಲ
 ,Payment Period Based On Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕವನ್ನು ಆಧರಿಸಿ ಪಾವತಿ ಅವಧಿ
 DocType: Sample Collection,No. of print,ಮುದ್ರಣ ಸಂಖ್ಯೆ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,ಜನ್ಮದಿನ ಜ್ಞಾಪನೆ
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ಹೋಟೆಲ್ ಕೊಠಡಿ ಮೀಸಲಾತಿ ಐಟಂ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ಕಾಣೆಯಾಗಿದೆ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರಗಳು {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},ಕಾಣೆಯಾಗಿದೆ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರಗಳು {0}
 DocType: Employee Health Insurance,Health Insurance Name,ಆರೋಗ್ಯ ವಿಮಾ ಹೆಸರು
 DocType: Assessment Plan,Examiner,ಎಕ್ಸಾಮಿನರ್
 DocType: Student,Siblings,ಒಡಹುಟ್ಟಿದವರ
@@ -4651,19 +4705,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,ಹೊಸ ಗ್ರಾಹಕರು
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,ನಿವ್ವಳ ಲಾಭ%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,ನೇಮಕಾತಿ {0} ಮತ್ತು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {1} ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,ಪ್ರಮುಖ ಮೂಲಗಳಿಂದ ಅವಕಾಶಗಳು
 DocType: Appraisal Goal,Weightage (%),Weightage ( % )
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಅನ್ನು ಬದಲಾಯಿಸಿ
 DocType: Bank Reconciliation Detail,Clearance Date,ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","ಐಟಂ {0} ವಿರುದ್ಧ ಈಗಾಗಲೇ ಆಸ್ತಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ, ನೀವು ಸೀರಿಯಲ್ ಮೌಲ್ಯವನ್ನು ಬದಲಿಸಲಾಗುವುದಿಲ್ಲ"
+DocType: Delivery Settings,Dispatch Notification Template,ಅಧಿಸೂಚನೆ ಟೆಂಪ್ಲೇಟು ರವಾನಿಸು
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","ಐಟಂ {0} ವಿರುದ್ಧ ಈಗಾಗಲೇ ಆಸ್ತಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ, ನೀವು ಸೀರಿಯಲ್ ಮೌಲ್ಯವನ್ನು ಬದಲಿಸಲಾಗುವುದಿಲ್ಲ"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,ಅಸೆಸ್ಮೆಂಟ್ ವರದಿ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,ನೌಕರರನ್ನು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,ಒಟ್ಟು ಖರೀದಿಯ ಮೊತ್ತ ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,ಕಂಪನಿಯ ಹೆಸರು ಒಂದೇ ಅಲ್ಲ
 DocType: Lead,Address Desc,DESC ವಿಳಾಸ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,ಪಕ್ಷದ ಕಡ್ಡಾಯ
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},ಇತರ ಸಾಲುಗಳಲ್ಲಿ ನಕಲಿ ದಿನಾಂಕಗಳುಳ್ಳ ಸಾಲುಗಳು ಕಂಡುಬಂದಿವೆ: {list}
 DocType: Topic,Topic Name,ವಿಷಯ ಹೆಸರು
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಅನುಮೋದನೆ ಪ್ರಕಟಣೆಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಅನುಮೋದನೆ ಪ್ರಕಟಣೆಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,ಮಾರಾಟ ಅಥವಾ ಖರೀದಿ ಆಫ್ ಕನಿಷ್ಠ ಒಂದು ಆಯ್ಕೆ ಮಾಡಬೇಕು
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,ನೌಕರ ಮುಂಗಡವನ್ನು ಪಡೆಯಲು ಉದ್ಯೋಗಿಯನ್ನು ಆಯ್ಕೆಮಾಡಿ.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,ದಯವಿಟ್ಟು ಮಾನ್ಯವಾದ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
@@ -4697,6 +4752,7 @@
 DocType: Stock Entry,Customer or Supplier Details,ಗ್ರಾಹಕ ಅಥವಾ ಪೂರೈಕೆದಾರರ ವಿವರಗಳು
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC- ಪೇ - .YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,ಪ್ರಸ್ತುತ ಆಸ್ತಿ ಮೌಲ್ಯ
+DocType: QuickBooks Migrator,Quickbooks Company ID,ಕ್ವಿಕ್ಬುಕ್ಸ್ ಕಂಪೆನಿ ಐಡಿ
 DocType: Travel Request,Travel Funding,ಪ್ರವಾಸ ಫಂಡಿಂಗ್
 DocType: Loan Application,Required by Date,ದಿನಾಂಕ ಅಗತ್ಯವಾದ
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ಬೆಳೆ ಬೆಳೆಯುತ್ತಿರುವ ಎಲ್ಲಾ ಸ್ಥಳಗಳಿಗೆ ಲಿಂಕ್
@@ -4710,9 +4766,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,ಗೋದಾಮಿನ ಲಭ್ಯವಿದೆ ಬ್ಯಾಚ್ ಪ್ರಮಾಣ
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,ಒಟ್ಟು ಪೇ - ಒಟ್ಟು ವಿನಾಯಿತಿ - ಸಾಲದ ಮರುಪಾವತಿಯ
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,ಪ್ರಸ್ತುತ BOM ಮತ್ತು ಹೊಸ BOM ಇರಲಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,ಪ್ರಸ್ತುತ BOM ಮತ್ತು ಹೊಸ BOM ಇರಲಾಗುವುದಿಲ್ಲ
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ಸಂಬಳ ಸ್ಲಿಪ್ ಐಡಿ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,ನಿವೃತ್ತಿ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,ನಿವೃತ್ತಿ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,ಬಹು ರೂಪಾಂತರಗಳು
 DocType: Sales Invoice,Against Income Account,ಆದಾಯ ಖಾತೆ ವಿರುದ್ಧ
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% ತಲುಪಿಸಲಾಗಿದೆ
@@ -4741,7 +4797,7 @@
 DocType: POS Profile,Update Stock,ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ಐಟಂಗಳನ್ನು ವಿವಿಧ UOM ತಪ್ಪು ( ಒಟ್ಟು ) ನೆಟ್ ತೂಕ ಮೌಲ್ಯವನ್ನು ಕಾರಣವಾಗುತ್ತದೆ . ಪ್ರತಿ ಐಟಂ ಮಾಡಿ surethat ನೆಟ್ ತೂಕ ಅದೇ UOM ಹೊಂದಿದೆ .
 DocType: Certification Application,Payment Details,ಪಾವತಿ ವಿವರಗಳು
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,ಬಿಒಎಮ್ ದರ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,ಬಿಒಎಮ್ ದರ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","ನಿಲ್ಲಿಸಿರುವ ಕೆಲಸ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗುವುದಿಲ್ಲ, ಅನ್ಸ್ಟಪ್ ಅದನ್ನು ಮೊದಲು ರದ್ದುಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ"
 DocType: Asset,Journal Entry for Scrap,ಸ್ಕ್ರ್ಯಾಪ್ ಜರ್ನಲ್ ಎಂಟ್ರಿ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಐಟಂಗಳನ್ನು ಪುಲ್ ದಯವಿಟ್ಟು
@@ -4764,11 +4820,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,ಒಟ್ಟು ಮಂಜೂರಾದ ಹಣದಲ್ಲಿ
 ,Purchase Analytics,ಖರೀದಿ ಅನಾಲಿಟಿಕ್ಸ್
 DocType: Sales Invoice Item,Delivery Note Item,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಐಟಂ
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,ಪ್ರಸ್ತುತ ಸರಕುಪಟ್ಟಿ {0} ಕಾಣೆಯಾಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,ಪ್ರಸ್ತುತ ಸರಕುಪಟ್ಟಿ {0} ಕಾಣೆಯಾಗಿದೆ
 DocType: Asset Maintenance Log,Task,ಟಾಸ್ಕ್
 DocType: Purchase Taxes and Charges,Reference Row #,ರೆಫರೆನ್ಸ್ ರೋ #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಐಟಂ ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಮಾರಾಟಗಾರ ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಮಾರಾಟಗಾರ ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ಆಯ್ಕೆ, ಈ ಘಟಕವನ್ನು ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಅಥವಾ ಲೆಕ್ಕಾಚಾರ ಮೌಲ್ಯವನ್ನು ಗಳಿಕೆಗಳು ಅಥವಾ ತೀರ್ಮಾನಗಳನ್ನು ಕೊಡುಗೆ ಮಾಡುವುದಿಲ್ಲ. ಆದಾಗ್ಯೂ, ಇದು ಮೌಲ್ಯವನ್ನು ಸೇರಿಸಲಾಗಿದೆ ಅಥವಾ ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ ಇತರ ಭಾಗಗಳನ್ನು ಉಲ್ಲೇಖಿಸಲಾಗುತ್ತದೆ ಇಲ್ಲಿದೆ."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ಆಯ್ಕೆ, ಈ ಘಟಕವನ್ನು ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಅಥವಾ ಲೆಕ್ಕಾಚಾರ ಮೌಲ್ಯವನ್ನು ಗಳಿಕೆಗಳು ಅಥವಾ ತೀರ್ಮಾನಗಳನ್ನು ಕೊಡುಗೆ ಮಾಡುವುದಿಲ್ಲ. ಆದಾಗ್ಯೂ, ಇದು ಮೌಲ್ಯವನ್ನು ಸೇರಿಸಲಾಗಿದೆ ಅಥವಾ ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ ಇತರ ಭಾಗಗಳನ್ನು ಉಲ್ಲೇಖಿಸಲಾಗುತ್ತದೆ ಇಲ್ಲಿದೆ."
 DocType: Asset Settings,Number of Days in Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷದ ದಿನಗಳು
@@ -4777,7 +4833,7 @@
 DocType: Company,Exchange Gain / Loss Account,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ ಖಾತೆ
 DocType: Amazon MWS Settings,MWS Credentials,MWS ರುಜುವಾತುಗಳು
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,ನೌಕರರ ಮತ್ತು ಅಟೆಂಡೆನ್ಸ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},ಉದ್ದೇಶ ಒಂದು ಇರಬೇಕು {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},ಉದ್ದೇಶ ಒಂದು ಇರಬೇಕು {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,ರೂಪ ಭರ್ತಿ ಮಾಡಿ ಮತ್ತು ಅದನ್ನು ಉಳಿಸಲು
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,ಸಮುದಾಯ ವೇದಿಕೆ
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,ಸ್ಟಾಕ್ ವಾಸ್ತವಿಕ ಪ್ರಮಾಣ
@@ -4793,7 +4849,7 @@
 DocType: Lab Test Template,Standard Selling Rate,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಮಾರಾಟ ದರ
 DocType: Account,Rate at which this tax is applied,ದರ ಈ ತೆರಿಗೆ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ ನಲ್ಲಿ
 DocType: Cash Flow Mapper,Section Name,ವಿಭಾಗ ಹೆಸರು
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},ಸವಕಳಿ ಸಾಲು {0}: ಉಪಯುಕ್ತ ಜೀವನ ನಂತರ ನಿರೀಕ್ಷಿತ ಮೌಲ್ಯವು {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,ಪ್ರಸ್ತುತ ಉದ್ಯೋಗ ಅವಕಾಶಗಳನ್ನು
 DocType: Company,Stock Adjustment Account,ಸ್ಟಾಕ್ ಹೊಂದಾಣಿಕೆ ಖಾತೆ
@@ -4803,8 +4859,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ವ್ಯವಸ್ಥೆ ಬಳಕೆದಾರರು ( ಲಾಗಿನ್ ) id. ಹೊಂದಿಸಿದಲ್ಲಿ , ಎಲ್ಲಾ ಮಾನವ ಸಂಪನ್ಮೂಲ ರೂಪಗಳು ಡೀಫಾಲ್ಟ್ ಪರಿಣಮಿಸುತ್ತದೆ ."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,ಸವಕಳಿ ವಿವರಗಳನ್ನು ನಮೂದಿಸಿ
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: ಗೆ {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},ವಿದ್ಯಾರ್ಥಿ {1} ವಿರುದ್ಧ ಈಗಾಗಲೇ {0} ಅಪ್ಲಿಕೇಶನ್ ಅನ್ನು ಬಿಡಿ
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ಎಲ್ಲಾ ಬಿಲ್ ಮೆಟೀರಿಯಲ್ಸ್ನಲ್ಲಿ ಇತ್ತೀಚಿನ ಬೆಲೆಯನ್ನು ನವೀಕರಿಸಲು ಸರದಿಯಿದೆ. ಇದು ಕೆಲವು ನಿಮಿಷಗಳನ್ನು ತೆಗೆದುಕೊಳ್ಳಬಹುದು.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ಎಲ್ಲಾ ಬಿಲ್ ಮೆಟೀರಿಯಲ್ಸ್ನಲ್ಲಿ ಇತ್ತೀಚಿನ ಬೆಲೆಯನ್ನು ನವೀಕರಿಸಲು ಸರದಿಯಿದೆ. ಇದು ಕೆಲವು ನಿಮಿಷಗಳನ್ನು ತೆಗೆದುಕೊಳ್ಳಬಹುದು.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ಹೊಸ ಖಾತೆ ಶಾಲೆಯ ಹೆಸರು. ಗಮನಿಸಿ: ಗ್ರಾಹಕರ ಹಾಗೂ ವಿತರಕರ ಖಾತೆಗಳನ್ನು ರಚಿಸಲು ದಯವಿಟ್ಟು
 DocType: POS Profile,Display Items In Stock,ಸ್ಟಾಕ್ನಲ್ಲಿ ಐಟಂಗಳನ್ನು ಪ್ರದರ್ಶಿಸಿ
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,ದೇಶದ ಬುದ್ಧಿವಂತ ಡೀಫಾಲ್ಟ್ ವಿಳಾಸ ಟೆಂಪ್ಲೇಟ್ಗಳು
@@ -4834,16 +4891,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} ಗೆ ಸ್ಲಾಟ್ಗಳು ವೇಳಾಪಟ್ಟಿಗೆ ಸೇರಿಸಲಾಗಿಲ್ಲ
 DocType: Product Bundle,List items that form the package.,ಪಟ್ಟಿ ಐಟಂಗಳನ್ನು ಪ್ಯಾಕೇಜ್ ರೂಪಿಸಲು ಮಾಡಿದರು .
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,ಅನುಮತಿಸಲಾಗಿಲ್ಲ. ದಯವಿಟ್ಟು ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ
+DocType: Delivery Note,Distance (in km),ದೂರ (ಕಿಮೀ)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ಶೇಕಡಾವಾರು ಅಲೋಕೇಶನ್ 100% ಸಮನಾಗಿರುತ್ತದೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,ದಯವಿಟ್ಟು ಪಕ್ಷದ ಆರಿಸುವ ಮೊದಲು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,ದಯವಿಟ್ಟು ಪಕ್ಷದ ಆರಿಸುವ ಮೊದಲು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆ
 DocType: Program Enrollment,School House,ಸ್ಕೂಲ್ ಹೌಸ್
 DocType: Serial No,Out of AMC,ಎಎಂಸಿ ಔಟ್
+DocType: Opportunity,Opportunity Amount,ಅವಕಾಶ ಮೊತ್ತ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ಬುಕ್ಡ್ Depreciations ಸಂಖ್ಯೆ ಒಟ್ಟು ಸಂಖ್ಯೆ Depreciations ಕ್ಕೂ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Purchase Order,Order Confirmation Date,ಆರ್ಡರ್ ದೃಢೀಕರಣ ದಿನಾಂಕ
 DocType: Driver,HR-DRI-.YYYY.-,ಎಚ್ಆರ್-ಡಿಆರ್ಐ .YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,ನಿರ್ವಹಣೆ ಭೇಟಿ ಮಾಡಿ
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ಆರಂಭದ ದಿನಾಂಕ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕವು ಉದ್ಯೋಗ ಕಾರ್ಡ್ನೊಂದಿಗೆ ಅತಿಕ್ರಮಿಸುತ್ತದೆ <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,ಉದ್ಯೋಗಿ ವರ್ಗಾವಣೆ ವಿವರಗಳು
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,ಮಾರಾಟದ ಮಾಸ್ಟರ್ ಮ್ಯಾನೇಜರ್ {0} ಪಾತ್ರದಲ್ಲಿ ಹೊಂದಿರುವ ಬಳಕೆದಾರರಿಗೆ ಸಂಪರ್ಕಿಸಿ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,ಮಾರಾಟದ ಮಾಸ್ಟರ್ ಮ್ಯಾನೇಜರ್ {0} ಪಾತ್ರದಲ್ಲಿ ಹೊಂದಿರುವ ಬಳಕೆದಾರರಿಗೆ ಸಂಪರ್ಕಿಸಿ
 DocType: Company,Default Cash Account,ಡೀಫಾಲ್ಟ್ ನಗದು ಖಾತೆ
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,ಕಂಪನಿ ( ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರ ) ಮಾಸ್ಟರ್ .
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ಈ ವಿದ್ಯಾರ್ಥಿ ಹಾಜರಾತಿ ಆಧರಿಸಿದೆ
@@ -4851,9 +4911,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,ಹೆಚ್ಚಿನ ಐಟಂಗಳನ್ನು ಅಥವಾ ಮುಕ್ತ ಪೂರ್ಣ ರೂಪ ಸೇರಿಸಿ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,ಬಳಕೆದಾರರಿಗೆ ಹೋಗಿ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,ಪಾವತಿಸಿದ ಪ್ರಮಾಣದ + ಆಫ್ ಬರೆಯಿರಿ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,ಪಾವತಿಸಿದ ಪ್ರಮಾಣದ + ಆಫ್ ಬರೆಯಿರಿ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ಐಟಂ ಮಾನ್ಯ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಅಲ್ಲ {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},ಗಮನಿಸಿ : ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},ಗಮನಿಸಿ : ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,ಅಮಾನ್ಯವಾದ GSTIN ಅಥವಾ ನೋಂದಾಯಿಸದ ಫಾರ್ ಎನ್ಎ ನಮೂದಿಸಿ
 DocType: Training Event,Seminar,ಸೆಮಿನಾರ್
 DocType: Program Enrollment Fee,Program Enrollment Fee,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ ಶುಲ್ಕ
@@ -4870,7 +4930,7 @@
 DocType: Fee Schedule,Fee Schedule,ಶುಲ್ಕ ವೇಳಾಪಟ್ಟಿ
 DocType: Company,Create Chart Of Accounts Based On,ಖಾತೆಗಳನ್ನು ಆಧರಿಸಿ ಚಾರ್ಟ್ ರಚಿಸಿ
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,ಅದನ್ನು ಗುಂಪಿಗೆ ಪರಿವರ್ತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. ಮಕ್ಕಳ ಕಾರ್ಯಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,ಜನ್ಮ ದಿನಾಂಕ ಇಂದು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,ಜನ್ಮ ದಿನಾಂಕ ಇಂದು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ.
 ,Stock Ageing,ಸ್ಟಾಕ್ ಏಜಿಂಗ್
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","ಭಾಗಶಃ ಪ್ರಾಯೋಜಿತ, ಭಾಗಶಃ ಫಂಡಿಂಗ್ ಅಗತ್ಯವಿದೆ"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},ವಿದ್ಯಾರ್ಥಿ {0} ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ {1}
@@ -4917,11 +4977,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,ಸಮನ್ವಯ ಮೊದಲು
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ಗೆ {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ಸೇರಿಸಲಾಗಿದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ಐಟಂ ತೆರಿಗೆ ರೋ {0} ಬಗೆಯ ತೆರಿಗೆ ಅಥವಾ ಆದಾಯ ಅಥವಾ ಖರ್ಚು ಅಥವಾ ಶುಲ್ಕಕ್ಕೆ ಖಾತೆಯನ್ನು ಹೊಂದಿರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ಐಟಂ ತೆರಿಗೆ ರೋ {0} ಬಗೆಯ ತೆರಿಗೆ ಅಥವಾ ಆದಾಯ ಅಥವಾ ಖರ್ಚು ಅಥವಾ ಶುಲ್ಕಕ್ಕೆ ಖಾತೆಯನ್ನು ಹೊಂದಿರಬೇಕು
 DocType: Sales Order,Partly Billed,ಹೆಚ್ಚಾಗಿ ಖ್ಯಾತವಾದ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,ಐಟಂ {0} ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಇರಬೇಕು
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,ಮಾರ್ಪಾಟುಗಳನ್ನು ಮಾಡಿ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,ಮಾರ್ಪಾಟುಗಳನ್ನು ಮಾಡಿ
 DocType: Item,Default BOM,ಡೀಫಾಲ್ಟ್ BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),ಒಟ್ಟು ಬಿಲ್ ಮಾಡಿದ ಮೊತ್ತ (ಸೇಲ್ಸ್ ಇನ್ವಾಯ್ಸ್ ಮೂಲಕ)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ಡೆಬಿಟ್ ಗಮನಿಸಿ ಪ್ರಮಾಣ
@@ -4950,14 +5010,14 @@
 DocType: Notification Control,Custom Message,ಕಸ್ಟಮ್ ಸಂದೇಶ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ ಬ್ಯಾಂಕಿಂಗ್
 DocType: Purchase Invoice,input,ಇನ್ಪುಟ್
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಪಾವತಿ ಪ್ರವೇಶ ಮಾಡುವ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಪಾವತಿ ಪ್ರವೇಶ ಮಾಡುವ ಕಡ್ಡಾಯ
 DocType: Loyalty Program,Multiple Tier Program,ಬಹು ಶ್ರೇಣಿ ಕಾರ್ಯಕ್ರಮ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ
 DocType: Purchase Invoice,Price List Exchange Rate,ಬೆಲೆ ಪಟ್ಟಿ ವಿನಿಮಯ ದರ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,ಎಲ್ಲಾ ಸರಬರಾಜುದಾರ ಗುಂಪುಗಳು
 DocType: Employee Boarding Activity,Required for Employee Creation,ಉದ್ಯೋಗಿ ಸೃಷ್ಟಿಗೆ ಅಗತ್ಯವಿದೆ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},ಖಾತೆ ಸಂಖ್ಯೆ {0} ಈಗಾಗಲೇ ಖಾತೆಯಲ್ಲಿ ಬಳಸಲಾಗುತ್ತದೆ {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},ಖಾತೆ ಸಂಖ್ಯೆ {0} ಈಗಾಗಲೇ ಖಾತೆಯಲ್ಲಿ ಬಳಸಲಾಗುತ್ತದೆ {1}
 DocType: GoCardless Mandate,Mandate,ಮ್ಯಾಂಡೇಟ್
 DocType: POS Profile,POS Profile Name,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಹೆಸರು
 DocType: Hotel Room Reservation,Booked,ಬುಕ್ ಮಾಡಲಾಗಿದೆ
@@ -4973,18 +5033,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,ನೀವು ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ನಮೂದಿಸಿದರೆ ರೆಫರೆನ್ಸ್ ನಂ ಕಡ್ಡಾಯ
 DocType: Bank Reconciliation Detail,Payment Document,ಪಾವತಿ ಡಾಕ್ಯುಮೆಂಟ್
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,ಮಾನದಂಡ ಸೂತ್ರವನ್ನು ಮೌಲ್ಯಮಾಪನ ಮಾಡುವಲ್ಲಿ ದೋಷ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,ಸೇರುವ ದಿನಾಂಕ ಜನ್ಮ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,ಸೇರುವ ದಿನಾಂಕ ಜನ್ಮ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
 DocType: Subscription,Plans,ಯೋಜನೆಗಳು
 DocType: Salary Slip,Salary Structure,ಸಂಬಳ ರಚನೆ
 DocType: Account,Bank,ಬ್ಯಾಂಕ್
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,ಏರ್ಲೈನ್
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,ಸಂಚಿಕೆ ಮೆಟೀರಿಯಲ್
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,ಸಂಚಿಕೆ ಮೆಟೀರಿಯಲ್
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext ನೊಂದಿಗೆ Shopify ಅನ್ನು ಸಂಪರ್ಕಿಸಿ
 DocType: Material Request Item,For Warehouse,ಗೋದಾಮಿನ
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,ವಿತರಣಾ ಟಿಪ್ಪಣಿಗಳು {0} ನವೀಕರಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,ವಿತರಣಾ ಟಿಪ್ಪಣಿಗಳು {0} ನವೀಕರಿಸಲಾಗಿದೆ
 DocType: Employee,Offer Date,ಆಫರ್ ದಿನಾಂಕ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ಉಲ್ಲೇಖಗಳು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,ಆಫ್ಲೈನ್ ಕ್ರಮದಲ್ಲಿ ಇವೆ. ನೀವು ಜಾಲಬಂಧ ತನಕ ರಿಲೋಡ್ ಸಾಧ್ಯವಾಗುವುದಿಲ್ಲ.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,ಉಲ್ಲೇಖಗಳು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,ಆಫ್ಲೈನ್ ಕ್ರಮದಲ್ಲಿ ಇವೆ. ನೀವು ಜಾಲಬಂಧ ತನಕ ರಿಲೋಡ್ ಸಾಧ್ಯವಾಗುವುದಿಲ್ಲ.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,ಅನುದಾನ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ದಾಖಲಿಸಿದವರು.
 DocType: Purchase Invoice Item,Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ
@@ -4996,24 +5056,26 @@
 DocType: Sales Invoice,Customer PO Details,ಗ್ರಾಹಕರ PO ವಿವರಗಳು
 DocType: Stock Entry,Including items for sub assemblies,ಉಪ ಅಸೆಂಬ್ಲಿಗಳಿಗೆ ಐಟಂಗಳನ್ನು ಸೇರಿದಂತೆ
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,ತಾತ್ಕಾಲಿಕ ತೆರೆಯುವ ಖಾತೆ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,ನಮೂದಿಸಿ ಮೌಲ್ಯವನ್ನು ಧನಾತ್ಮಕವಾಗಿರಬೇಕು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,ನಮೂದಿಸಿ ಮೌಲ್ಯವನ್ನು ಧನಾತ್ಮಕವಾಗಿರಬೇಕು
 DocType: Asset,Finance Books,ಹಣಕಾಸು ಪುಸ್ತಕಗಳು
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ನೌಕರರ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಘೋಷಣೆಯ ವರ್ಗ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,ಎಲ್ಲಾ ಪ್ರಾಂತ್ಯಗಳು
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,ಉದ್ಯೋಗಿ / ಗ್ರೇಡ್ ದಾಖಲೆಯಲ್ಲಿ ಉದ್ಯೋಗಿ {0} ಗಾಗಿ ರಜೆ ನೀತಿಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,ಆಯ್ದ ಗ್ರಾಹಕ ಮತ್ತು ಐಟಂಗೆ ಅಮಾನ್ಯವಾದ ಬ್ಲ್ಯಾಂಕೆಟ್ ಆದೇಶ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,ಆಯ್ದ ಗ್ರಾಹಕ ಮತ್ತು ಐಟಂಗೆ ಅಮಾನ್ಯವಾದ ಬ್ಲ್ಯಾಂಕೆಟ್ ಆದೇಶ
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,ಬಹು ಕಾರ್ಯಗಳನ್ನು ಸೇರಿಸಿ
 DocType: Purchase Invoice,Items,ಐಟಂಗಳನ್ನು
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,ಅಂತಿಮ ದಿನಾಂಕ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರುವಂತಿಲ್ಲ.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,ವಿದ್ಯಾರ್ಥಿ ಈಗಾಗಲೇ ದಾಖಲಿಸಲಾಗಿದೆ.
 DocType: Fiscal Year,Year Name,ವರ್ಷದ ಹೆಸರು
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,ಈ ತಿಂಗಳ ದಿನಗಳ ಕೆಲಸ ಹೆಚ್ಚು ರಜಾದಿನಗಳಲ್ಲಿ ಇವೆ .
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC ಉಲ್ಲೇಖ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,ಈ ತಿಂಗಳ ದಿನಗಳ ಕೆಲಸ ಹೆಚ್ಚು ರಜಾದಿನಗಳಲ್ಲಿ ಇವೆ .
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,ಕೆಳಗಿನ ಐಟಂಗಳನ್ನು {0} {1} ಐಟಂ ಎಂದು ಗುರುತಿಸಲಾಗಿಲ್ಲ. ನೀವು ಅದರ ಐಟಂ ಮಾಸ್ಟರ್ನಿಂದ {1} ಐಟಂ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಬಹುದು
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC ಉಲ್ಲೇಖ
 DocType: Production Plan Item,Product Bundle Item,ಉತ್ಪನ್ನ ಕಟ್ಟು ಐಟಂ
 DocType: Sales Partner,Sales Partner Name,ಮಾರಾಟದ ಸಂಗಾತಿ ಹೆಸರು
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,ಉಲ್ಲೇಖಗಳು ವಿನಂತಿ
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,ಉಲ್ಲೇಖಗಳು ವಿನಂತಿ
 DocType: Payment Reconciliation,Maximum Invoice Amount,ಗರಿಷ್ಠ ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣವನ್ನು
 DocType: Normal Test Items,Normal Test Items,ಸಾಮಾನ್ಯ ಟೆಸ್ಟ್ ಐಟಂಗಳು
+DocType: QuickBooks Migrator,Company Settings,ಕಂಪನಿ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Additional Salary,Overwrite Salary Structure Amount,ಸಂಬಳ ರಚನೆಯ ಮೊತ್ತವನ್ನು ಬದಲಿಸಿ
 DocType: Student Language,Student Language,ವಿದ್ಯಾರ್ಥಿ ಭಾಷಾ
 apps/erpnext/erpnext/config/selling.py +23,Customers,ಗ್ರಾಹಕರು
@@ -5026,22 +5088,24 @@
 DocType: Issue,Opening Time,ಆರಂಭಿಕ ಸಮಯ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,ಅಗತ್ಯವಿದೆ ದಿನಾಂಕ ಮತ್ತು ಮಾಡಲು
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,ಸೆಕ್ಯುರಿಟೀಸ್ ಮತ್ತು ಸರಕು ವಿನಿಮಯ
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ಭಿನ್ನ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ &#39;{0}&#39; ಟೆಂಪ್ಲೇಟು ಅದೇ ಇರಬೇಕು &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ಭಿನ್ನ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ &#39;{0}&#39; ಟೆಂಪ್ಲೇಟು ಅದೇ ಇರಬೇಕು &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,ಆಧರಿಸಿದ ಲೆಕ್ಕ
 DocType: Contract,Unfulfilled,ಅತೃಪ್ತಿಗೊಂಡಿದೆ
 DocType: Delivery Note Item,From Warehouse,ಗೋದಾಮಿನ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,ಪ್ರಸ್ತಾಪಿತ ಮಾನದಂಡಗಳಿಗೆ ಉದ್ಯೋಗಿಗಳು ಇಲ್ಲ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಯಾವುದೇ ವಸ್ತುಗಳು ತಯಾರಿಸಲು
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಯಾವುದೇ ವಸ್ತುಗಳು ತಯಾರಿಸಲು
 DocType: Shopify Settings,Default Customer,ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕ
+DocType: Sales Stage,Stage Name,ವೇದಿಕೆಯ ಹೆಸರು
 DocType: Warranty Claim,SER-WRN-.YYYY.-,ಎಸ್ಇಆರ್- ಡಬ್ಲ್ಯೂಆರ್ಎನ್ - .YYYY.-
 DocType: Assessment Plan,Supervisor Name,ಮೇಲ್ವಿಚಾರಕ ಹೆಸರು
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,ಅದೇ ದಿನದಂದು ಅಪಾಯಿಂಟ್ಮೆಂಟ್ ರಚಿಸಿದ್ದರೆ ಅದನ್ನು ದೃಢೀಕರಿಸಬೇಡಿ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,ರಾಜ್ಯಕ್ಕೆ ಸಾಗಿಸು
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,ರಾಜ್ಯಕ್ಕೆ ಸಾಗಿಸು
 DocType: Program Enrollment Course,Program Enrollment Course,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಕೋರ್ಸ್
 DocType: Program Enrollment Course,Program Enrollment Course,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಕೋರ್ಸ್
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},ಬಳಕೆದಾರ {0} ಈಗಾಗಲೇ ಹೆಲ್ತ್ಕೇರ್ ಪ್ರಾಕ್ಟೀಷನರ್ಗೆ {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,ಮಾದರಿ ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಮಾಡಿ
 DocType: Purchase Taxes and Charges,Valuation and Total,ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,ನೆಗೋಷಿಯೇಶನ್ / ರಿವ್ಯೂ
 DocType: Leave Encashment,Encashment Amount,ಎನ್ಕ್ಯಾಶ್ಮೆಂಟ್ ಮೊತ್ತ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,ಸ್ಕೋರ್ಕಾರ್ಡ್ಗಳು
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,ಅವಧಿ ಮೀರಿದ ಬ್ಯಾಚ್ಗಳು
@@ -5051,7 +5115,7 @@
 DocType: Staffing Plan Detail,Current Openings,ಪ್ರಸ್ತುತ ಓಪನಿಂಗ್ಸ್
 DocType: Notification Control,Customize the Notification,ಅಧಿಸೂಚನೆ ಕಸ್ಟಮೈಸ್
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,ಕಾರ್ಯಾಚರಣೆ ಕ್ಯಾಶ್ ಫ್ಲೋ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,ಸಿಜಿಎಸ್ಟಿ ಮೊತ್ತ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,ಸಿಜಿಎಸ್ಟಿ ಮೊತ್ತ
 DocType: Purchase Invoice,Shipping Rule,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್
 DocType: Patient Relation,Spouse,ಸಂಗಾತಿಯ
 DocType: Lab Test Groups,Add Test,ಪರೀಕ್ಷೆಯನ್ನು ಸೇರಿಸಿ
@@ -5065,14 +5129,14 @@
 DocType: Payroll Entry,Payroll Frequency,ವೇತನದಾರರ ಆವರ್ತನ
 DocType: Lab Test Template,Sensitivity,ಸೂಕ್ಷ್ಮತೆ
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,ಗರಿಷ್ಠ ಮರುಪ್ರಯತ್ನಗಳು ಮೀರಿರುವುದರಿಂದ ಸಿಂಕ್ ಅನ್ನು ತಾತ್ಕಾಲಿಕವಾಗಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,ಮೂಲಸಾಮಗ್ರಿ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,ಮೂಲಸಾಮಗ್ರಿ
 DocType: Leave Application,Follow via Email,ಇಮೇಲ್ ಮೂಲಕ ಅನುಸರಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,ಸಸ್ಯಗಳು ಮತ್ತು ಯಂತ್ರೋಪಕರಣಗಳಲ್ಲಿ
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ಡಿಸ್ಕೌಂಟ್ ಪ್ರಮಾಣ ನಂತರ ತೆರಿಗೆ ಪ್ರಮಾಣ
 DocType: Patient,Inpatient Status,ಒಳರೋಗಿ ಸ್ಥಿತಿ
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,ದೈನಂದಿನ ಕೆಲಸ ಸಾರಾಂಶ ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,ಆಯ್ದ ಧಾರಣೆ ಪಟ್ಟಿ ಪರಿಶೀಲಿಸಿದ ಕ್ಷೇತ್ರಗಳನ್ನು ಖರೀದಿಸಿ ಮಾರಾಟ ಮಾಡಬೇಕು.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,ದಯವಿಟ್ಟು ದಿನಾಂಕದಂದು Reqd ಯನ್ನು ನಮೂದಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,ಆಯ್ದ ಧಾರಣೆ ಪಟ್ಟಿ ಪರಿಶೀಲಿಸಿದ ಕ್ಷೇತ್ರಗಳನ್ನು ಖರೀದಿಸಿ ಮಾರಾಟ ಮಾಡಬೇಕು.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,ದಯವಿಟ್ಟು ದಿನಾಂಕದಂದು Reqd ಯನ್ನು ನಮೂದಿಸಿ
 DocType: Payment Entry,Internal Transfer,ಆಂತರಿಕ ಟ್ರಾನ್ಸ್ಫರ್
 DocType: Asset Maintenance,Maintenance Tasks,ನಿರ್ವಹಣಾ ಕಾರ್ಯಗಳು
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ಗುರಿ ಪ್ರಮಾಣ ಅಥವಾ ಗುರಿ ಪ್ರಮಾಣವನ್ನು ಒಂದೋ ಕಡ್ಡಾಯ
@@ -5094,7 +5158,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ಕೊನೆಯ ಸಂವಹನ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ಕೊನೆಯ ಸಂವಹನ
 ,TDS Payable Monthly,ಟಿಡಿಎಸ್ ಪಾವತಿಸಬಹುದಾದ ಮಾಸಿಕ
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM ಅನ್ನು ಬದಲಿಸಲು ಸರದಿಯಲ್ಲಿದೆ. ಇದು ಕೆಲವು ನಿಮಿಷಗಳನ್ನು ತೆಗೆದುಕೊಳ್ಳಬಹುದು.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM ಅನ್ನು ಬದಲಿಸಲು ಸರದಿಯಲ್ಲಿದೆ. ಇದು ಕೆಲವು ನಿಮಿಷಗಳನ್ನು ತೆಗೆದುಕೊಳ್ಳಬಹುದು.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ವರ್ಗದಲ್ಲಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಫಾರ್ ಯಾವಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಅಗತ್ಯವಿದೆ {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,ಇನ್ವಾಯ್ಸ್ಗಳು ಜೊತೆ ಪಾವತಿಗಳು ಹೊಂದಿಕೆ
@@ -5107,7 +5171,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,ಕಾರ್ಟ್ ಸೇರಿಸಿ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,ಗುಂಪಿನ
 DocType: Guardian,Interests,ಆಸಕ್ತಿಗಳು
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಕರೆನ್ಸಿಗಳ ಸಕ್ರಿಯಗೊಳಿಸಿ .
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಕರೆನ್ಸಿಗಳ ಸಕ್ರಿಯಗೊಳಿಸಿ .
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,ಕೆಲವು ವೇತನ ಸ್ಲಿಪ್ಗಳನ್ನು ಸಲ್ಲಿಸಲಾಗಲಿಲ್ಲ
 DocType: Exchange Rate Revaluation,Get Entries,ನಮೂದುಗಳನ್ನು ಪಡೆಯಿರಿ
 DocType: Production Plan,Get Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪಡೆಯಿರಿ
@@ -5129,15 +5193,16 @@
 DocType: Lead,Lead Type,ಲೀಡ್ ಪ್ರಕಾರ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,ನೀವು ಬ್ಲಾಕ್ ದಿನಾಂಕ ಎಲೆಗಳು ಅನುಮೋದಿಸಲು ನಿನಗೆ ಅಧಿಕಾರವಿಲ್ಲ
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,ಈ ಎಲ್ಲಾ ವಸ್ತುಗಳನ್ನು ಈಗಾಗಲೇ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗಿದೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,ಹೊಸ ಬಿಡುಗಡೆಯ ದಿನಾಂಕವನ್ನು ಹೊಂದಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,ಹೊಸ ಬಿಡುಗಡೆಯ ದಿನಾಂಕವನ್ನು ಹೊಂದಿಸಿ
 DocType: Company,Monthly Sales Target,ಮಾಸಿಕ ಮಾರಾಟದ ಗುರಿ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} ಅನುಮೋದನೆ ಮಾಡಬಹುದು
 DocType: Hotel Room,Hotel Room Type,ಹೋಟೆಲ್ ಕೊಠಡಿ ಪ್ರಕಾರ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,ಸರಬರಾಜುದಾರ&gt; ಪೂರೈಕೆದಾರ ಕೌಟುಂಬಿಕತೆ
 DocType: Leave Allocation,Leave Period,ಅವಧಿ ಬಿಡಿ
 DocType: Item,Default Material Request Type,ಡೀಫಾಲ್ಟ್ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪ್ರಕಾರ
 DocType: Supplier Scorecard,Evaluation Period,ಮೌಲ್ಯಮಾಪನ ಅವಧಿ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,ಅಜ್ಞಾತ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",{1} ಅಂಶಕ್ಕೆ ಈಗಾಗಲೇ {0} ಹಕ್ಕು ಸಾಧಿಸಿದ ಮೊತ್ತವು \ 2 {2}
 DocType: Shipping Rule,Shipping Rule Conditions,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ನಿಯಮಗಳು
@@ -5172,15 +5237,15 @@
 DocType: Batch,Source Document Name,ಮೂಲ ಡಾಕ್ಯುಮೆಂಟ್ ಹೆಸರು
 DocType: Production Plan,Get Raw Materials For Production,ಉತ್ಪಾದನೆಗೆ ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಪಡೆಯಿರಿ
 DocType: Job Opening,Job Title,ಕೆಲಸದ ಶೀರ್ಷಿಕೆ
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} {1} ಉದ್ಧರಣವನ್ನು ಒದಗಿಸುವುದಿಲ್ಲ ಎಂದು ಸೂಚಿಸುತ್ತದೆ, ಆದರೆ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಉಲ್ಲೇಖಿಸಲಾಗಿದೆ. RFQ ಉಲ್ಲೇಖ ಸ್ಥಿತಿಯನ್ನು ನವೀಕರಿಸಲಾಗುತ್ತಿದೆ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ಗರಿಷ್ಠ ಸ್ಯಾಂಪಲ್ಸ್ - ಬ್ಯಾಚ್ {3} ನಲ್ಲಿ ಬ್ಯಾಚ್ {1} ಮತ್ತು ಐಟಂ {2} ಗಾಗಿ {0} ಈಗಾಗಲೇ ಉಳಿಸಿಕೊಂಡಿವೆ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ಗರಿಷ್ಠ ಸ್ಯಾಂಪಲ್ಸ್ - ಬ್ಯಾಚ್ {3} ನಲ್ಲಿ ಬ್ಯಾಚ್ {1} ಮತ್ತು ಐಟಂ {2} ಗಾಗಿ {0} ಈಗಾಗಲೇ ಉಳಿಸಿಕೊಂಡಿವೆ.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ನವೀಕರಿಸಿ BOM ವೆಚ್ಚ
 DocType: Lab Test,Test Name,ಪರೀಕ್ಷಾ ಹೆಸರು
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,ಕ್ಲಿನಿಕಲ್ ಪ್ರೊಸಿಜರ್ ಗ್ರಾಹಕ ಐಟಂ
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,ಬಳಕೆದಾರರು ರಚಿಸಿ
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ಗ್ರಾಮ
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,ಚಂದಾದಾರಿಕೆಗಳು
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,ಚಂದಾದಾರಿಕೆಗಳು
 DocType: Supplier Scorecard,Per Month,ಪ್ರತಿ ತಿಂಗಳು
 DocType: Education Settings,Make Academic Term Mandatory,ಶೈಕ್ಷಣಿಕ ಅವಧಿ ಕಡ್ಡಾಯವಾಗಿ ಮಾಡಿ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,ತಯಾರಿಸಲು ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು.
@@ -5189,10 +5254,10 @@
 DocType: Stock Entry,Update Rate and Availability,ಅಪ್ಡೇಟ್ ದರ ಮತ್ತು ಲಭ್ಯತೆ
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ನೀವು ಪ್ರಮಾಣ ವಿರುದ್ಧ ಹೆಚ್ಚು ಸ್ವೀಕರಿಸಲು ಅಥವಾ ತಲುಪಿಸಲು ಅವಕಾಶ ಶೇಕಡಾವಾರು ಆದೇಶ . ಉದಾಹರಣೆಗೆ : ನೀವು 100 ಘಟಕಗಳು ಆದೇಶ ಇದ್ದರೆ . ನಿಮ್ಮ ಸೇವನೆ ನೀವು 110 ಘಟಕಗಳು ಸ್ವೀಕರಿಸಲು 10% ಅವಕಾಶವಿರುತ್ತದೆ ಇದೆ .
 DocType: Loyalty Program,Customer Group,ಗ್ರಾಹಕ ಗುಂಪಿನ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ಸಾಲು # {0}: ಕೆಲಸದ ಆದೇಶ # {3} ರಲ್ಲಿ ಪೂರ್ಣಗೊಂಡ ಸರಕುಗಳ {2} qty ಗೆ ಕಾರ್ಯಾಚರಣೆ {1} ಪೂರ್ಣಗೊಂಡಿಲ್ಲ. ಸಮಯದ ದಾಖಲೆಗಳ ಮೂಲಕ ಕಾರ್ಯಾಚರಣೆಯ ಸ್ಥಿತಿಯನ್ನು ನವೀಕರಿಸಿ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ಸಾಲು # {0}: ಕೆಲಸದ ಆದೇಶ # {3} ರಲ್ಲಿ ಪೂರ್ಣಗೊಂಡ ಸರಕುಗಳ {2} qty ಗೆ ಕಾರ್ಯಾಚರಣೆ {1} ಪೂರ್ಣಗೊಂಡಿಲ್ಲ. ಸಮಯದ ದಾಖಲೆಗಳ ಮೂಲಕ ಕಾರ್ಯಾಚರಣೆಯ ಸ್ಥಿತಿಯನ್ನು ನವೀಕರಿಸಿ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ಹೊಸ ಬ್ಯಾಚ್ ID (ಐಚ್ಛಿಕ)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ಹೊಸ ಬ್ಯಾಚ್ ID (ಐಚ್ಛಿಕ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ಐಟಂ ಕಡ್ಡಾಯ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ಐಟಂ ಕಡ್ಡಾಯ {0}
 DocType: BOM,Website Description,ವೆಬ್ಸೈಟ್ ವಿವರಣೆ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ಇಕ್ವಿಟಿ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ರದ್ದು ಮೊದಲು
@@ -5207,7 +5272,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,ಸಂಪಾದಿಸಲು ಏನೂ ಇಲ್ಲ.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,ಫಾರ್ಮ್ ವೀಕ್ಷಿಸಿ
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ಖರ್ಚು ಕ್ಲೈಮ್ನಲ್ಲಿ ಕಡ್ಡಾಯವಾಗಿ ಖರ್ಚು ಮಾಡುವಿಕೆ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,ಈ ತಿಂಗಳ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,ಈ ತಿಂಗಳ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಯಲ್ಲಿ ಅನಿರ್ಧಾರಿತ ವಿನಿಮಯ ಲಾಭ / ನಷ್ಟ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","ನಿಮ್ಮನ್ನು ಹೊರತುಪಡಿಸಿ, ನಿಮ್ಮ ಸಂಸ್ಥೆಗೆ ಬಳಕೆದಾರರನ್ನು ಸೇರಿಸಿ."
 DocType: Customer Group,Customer Group Name,ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರು
@@ -5217,14 +5282,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,ಯಾವುದೇ ವಸ್ತು ವಿನಂತಿಯು ರಚಿಸಲಾಗಿಲ್ಲ
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ಸಾಲದ ಪ್ರಮಾಣ ಗರಿಷ್ಠ ಸಾಲದ ಪ್ರಮಾಣ ಮೀರುವಂತಿಲ್ಲ {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ಪರವಾನಗಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},ಸಿ ಫಾರ್ಮ್ ಈ ಸರಕುಪಟ್ಟಿ {0} ತೆಗೆದುಹಾಕಿ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},ಸಿ ಫಾರ್ಮ್ ಈ ಸರಕುಪಟ್ಟಿ {0} ತೆಗೆದುಹಾಕಿ {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ನೀವು ಆದ್ದರಿಂದ ಈ ಹಿಂದಿನ ಆರ್ಥಿಕ ವರ್ಷದ ಬಾಕಿ ಈ ಆರ್ಥಿಕ ವರ್ಷ ಬಿಟ್ಟು ಸೇರಿವೆ ಬಯಸಿದರೆ ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಆಯ್ಕೆ ಮಾಡಿ
 DocType: GL Entry,Against Voucher Type,ಚೀಟಿ ಕೌಟುಂಬಿಕತೆ ವಿರುದ್ಧ
 DocType: Healthcare Practitioner,Phone (R),ಫೋನ್ (ಆರ್)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,ಟೈಮ್ ಸ್ಲಾಟ್ಗಳು ಸೇರಿಸಲಾಗಿದೆ
 DocType: Item,Attributes,ಗುಣಲಕ್ಷಣಗಳು
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,ಟೆಂಪ್ಲೇಟ್ ಸಕ್ರಿಯಗೊಳಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ ನಮೂದಿಸಿ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,ಕೊನೆಯ ಆದೇಶ ದಿನಾಂಕ
 DocType: Salary Component,Is Payable,ಪಾವತಿಸಲಾಗುವುದು
 DocType: Inpatient Record,B Negative,ಬಿ ಋಣಾತ್ಮಕ
@@ -5235,7 +5300,7 @@
 DocType: Hotel Room,Hotel Room,ಹೋಟೆಲ್ ಕೊಠಡಿ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},ಖಾತೆ {0} ಮಾಡುತ್ತದೆ ಕಂಪನಿ ಸೇರಿದೆ ಅಲ್ಲ {1}
 DocType: Leave Type,Rounding,ಪೂರ್ಣಾಂಕವನ್ನು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,ಸಾಲು {0} ಸರಣಿ ಸಂಖ್ಯೆಗಳು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಹೊಂದುವುದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,ಸಾಲು {0} ಸರಣಿ ಸಂಖ್ಯೆಗಳು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಹೊಂದುವುದಿಲ್ಲ
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),ವಿತರಿಸಲಾದ ಮೊತ್ತ (ಪ್ರೊ ರೇಟ್)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","ನಂತರ ಗ್ರಾಹಕ ನಿಯಮಗಳು, ಗ್ರಾಹಕರು, ಪ್ರದೇಶ, ಸರಬರಾಜುದಾರರು, ಪೂರೈಕೆದಾರರ ಗುಂಪು, ಕ್ಯಾಂಪೇನ್, ಮಾರಾಟದ ಸಂಗಾತಿ ಇತ್ಯಾದಿಗಳನ್ನು ಆಧರಿಸಿ ಬೆಲೆ ನಿಯಮಗಳನ್ನು ಫಿಲ್ಟರ್ ಮಾಡಲಾಗುತ್ತದೆ."
 DocType: Student,Guardian Details,ಗಾರ್ಡಿಯನ್ ವಿವರಗಳು
@@ -5244,10 +5309,10 @@
 DocType: Vehicle,Chassis No,ಚಾಸಿಸ್ ಯಾವುದೇ
 DocType: Payment Request,Initiated,ಚಾಲನೆ
 DocType: Production Plan Item,Planned Start Date,ಯೋಜನೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,ದಯವಿಟ್ಟು BOM ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,ದಯವಿಟ್ಟು BOM ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ಐಟಿಸಿ ಸಮಗ್ರ ತೆರಿಗೆ ಪಡೆದುಕೊಂಡಿದೆ
 DocType: Purchase Order Item,Blanket Order Rate,ಬ್ಲ್ಯಾಂಕೆಟ್ ಆರ್ಡರ್ ದರ
-apps/erpnext/erpnext/hooks.py +156,Certification,ಪ್ರಮಾಣೀಕರಣ
+apps/erpnext/erpnext/hooks.py +157,Certification,ಪ್ರಮಾಣೀಕರಣ
 DocType: Bank Guarantee,Clauses and Conditions,ವಿಧಿಗಳು ಮತ್ತು ಷರತ್ತುಗಳು
 DocType: Serial No,Creation Document Type,ಸೃಷ್ಟಿ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ
 DocType: Project Task,View Timesheet,ಟೈಮ್ಸ್ಶೀಟ್ ವೀಕ್ಷಿಸಿ
@@ -5272,6 +5337,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,ಪೋಷಕ ಐಟಂ {0} ಒಂದು ಸ್ಟಾಕ್ ಐಟಂ ಇರಬಾರದು
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,ವೆಬ್ಸೈಟ್ ಪಟ್ಟಿ
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ಎಲ್ಲಾ ಉತ್ಪನ್ನಗಳು ಅಥವಾ ಸೇವೆಗಳ .
+DocType: Email Digest,Open Quotations,ಓಪನ್ ಉಲ್ಲೇಖಗಳು
 DocType: Expense Claim,More Details,ಇನ್ನಷ್ಟು ವಿವರಗಳು
 DocType: Supplier Quotation,Supplier Address,ಸರಬರಾಜುದಾರ ವಿಳಾಸ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ಖಾತೆಗೆ ಬಜೆಟ್ {1} ವಿರುದ್ಧ {2} {3} ಆಗಿದೆ {4}. ಇದು ಮೂಲಕ ಮೀರುತ್ತದೆ {5}
@@ -5286,12 +5352,11 @@
 DocType: Training Event,Exam,ಪರೀಕ್ಷೆ
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,ಮಾರ್ಕೆಟ್ಪ್ಲೇಸ್ ದೋಷ
 DocType: Complaint,Complaint,ದೂರು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0}
 DocType: Leave Allocation,Unused leaves,ಬಳಕೆಯಾಗದ ಎಲೆಗಳು
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,ಮರುಪಾವತಿ ನಮೂದನ್ನು ಮಾಡಿ
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,ಎಲ್ಲಾ ವಿಭಾಗಗಳು
 DocType: Healthcare Service Unit,Vacant,ಖಾಲಿ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,ಸರಬರಾಜುದಾರ&gt; ಪೂರೈಕೆದಾರ ಕೌಟುಂಬಿಕತೆ
 DocType: Patient,Alcohol Past Use,ಆಲ್ಕೊಹಾಲ್ ಪಾಸ್ಟ್ ಯೂಸ್
 DocType: Fertilizer Content,Fertilizer Content,ರಸಗೊಬ್ಬರ ವಿಷಯ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,ಕೋಟಿ
@@ -5299,7 +5364,7 @@
 DocType: Tax Rule,Billing State,ಬಿಲ್ಲಿಂಗ್ ರಾಜ್ಯ
 DocType: Share Transfer,Transfer,ವರ್ಗಾವಣೆ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದು ಮಾಡುವ ಮೊದಲು ವರ್ಕ್ ಆರ್ಡರ್ {0} ಅನ್ನು ರದ್ದುಗೊಳಿಸಬೇಕು
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),( ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಸೇರಿದಂತೆ ) ಸ್ಫೋಟಿಸಿತು BOM ಪಡೆದುಕೊಳ್ಳಿ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),( ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಸೇರಿದಂತೆ ) ಸ್ಫೋಟಿಸಿತು BOM ಪಡೆದುಕೊಳ್ಳಿ
 DocType: Authorization Rule,Applicable To (Employee),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಉದ್ಯೋಗಗಳು)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,ಕಾರಣ ದಿನಾಂಕ ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,ಗುಣಲಕ್ಷಣ ಹೆಚ್ಚಳವನ್ನು {0} 0 ಸಾಧ್ಯವಿಲ್ಲ
@@ -5315,7 +5380,7 @@
 DocType: Disease,Treatment Period,ಚಿಕಿತ್ಸೆಯ ಅವಧಿ
 DocType: Travel Itinerary,Travel Itinerary,ಪ್ರಯಾಣ ವಿವರ
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,ಈಗಾಗಲೇ ಸಲ್ಲಿಸಿದ ಫಲಿತಾಂಶ
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ಸರಬರಾಜು ಮಾಡಲಾದ ರಾ ಮೆಟೀರಿಯಲ್ನಲ್ಲಿ ಐಟಂ {0} ಗಾಗಿ ಕಾಯ್ದಿರಿಸಿದ ವೇರ್ಹೌಸ್ ಕಡ್ಡಾಯವಾಗಿದೆ
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ಸರಬರಾಜು ಮಾಡಲಾದ ರಾ ಮೆಟೀರಿಯಲ್ನಲ್ಲಿ ಐಟಂ {0} ಗಾಗಿ ಕಾಯ್ದಿರಿಸಿದ ವೇರ್ಹೌಸ್ ಕಡ್ಡಾಯವಾಗಿದೆ
 ,Inactive Customers,ನಿಷ್ಕ್ರಿಯ ಗ್ರಾಹಕರು
 DocType: Student Admission Program,Maximum Age,ಗರಿಷ್ಠ ವಯಸ್ಸು
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,ಜ್ಞಾಪನೆಯನ್ನು ಮರುಪಡೆಯಲು ಮೂರು ದಿನಗಳ ಮೊದಲು ಕಾಯಿರಿ.
@@ -5324,7 +5389,6 @@
 DocType: Stock Entry,Delivery Note No,ಡೆಲಿವರಿ ನೋಟ್ ನಂ
 DocType: Cheque Print Template,Message to show,ತೋರಿಸಲು ಸಂದೇಶ
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,ಚಿಲ್ಲರೆ ವ್ಯಪಾರ
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,ನೇಮಕಾತಿ ಸರಕುಪಟ್ಟಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ನಿರ್ವಹಿಸಿ
 DocType: Student Attendance,Absent,ಆಬ್ಸೆಂಟ್
 DocType: Staffing Plan,Staffing Plan Detail,ಸಿಬ್ಬಂದಿ ಯೋಜನೆ ವಿವರ
 DocType: Employee Promotion,Promotion Date,ಪ್ರಚಾರ ದಿನಾಂಕ
@@ -5346,7 +5410,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,ಲೀಡ್ ಮಾಡಿ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,ಮುದ್ರಣ ಮತ್ತು ಲೇಖನ ಸಾಮಗ್ರಿ
 DocType: Stock Settings,Show Barcode Field,ಶೋ ಬಾರ್ಕೋಡ್ ಫೀಲ್ಡ್
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,ಸರಬರಾಜುದಾರ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಿ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,ಸರಬರಾಜುದಾರ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಿ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ಸಂಬಳ ಈಗಾಗಲೇ ನಡುವೆ {0} ಮತ್ತು {1}, ಬಿಡಿ ಅಪ್ಲಿಕೇಶನ್ ಅವಧಿಯಲ್ಲಿ ಈ ದಿನಾಂಕ ಶ್ರೇಣಿ ನಡುವೆ ಸಾಧ್ಯವಿಲ್ಲ ಕಾಲ ಸಂಸ್ಕರಿಸಿದ."
 DocType: Fiscal Year,Auto Created,ಸ್ವಯಂ ರಚಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,ಉದ್ಯೋಗದಾತರ ದಾಖಲೆಯನ್ನು ರಚಿಸಲು ಇದನ್ನು ಸಲ್ಲಿಸಿ
@@ -5355,7 +5419,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ಸರಕುಪಟ್ಟಿ {0} ಇನ್ನು ಮುಂದೆ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 DocType: Guardian Interest,Guardian Interest,ಗಾರ್ಡಿಯನ್ ಬಡ್ಡಿ
 DocType: Volunteer,Availability,ಲಭ್ಯತೆ
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS ಇನ್ವಾಯ್ಸ್ಗಳಿಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳನ್ನು ಹೊಂದಿಸಿ
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS ಇನ್ವಾಯ್ಸ್ಗಳಿಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳನ್ನು ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/config/hr.py +248,Training,ತರಬೇತಿ
 DocType: Project,Time to send,ಕಳುಹಿಸಲು ಸಮಯ
 DocType: Timesheet,Employee Detail,ನೌಕರರ ವಿವರ
@@ -5379,7 +5443,7 @@
 DocType: Training Event Employee,Optional,ಐಚ್ಛಿಕ
 DocType: Salary Slip,Earning & Deduction,ದುಡಿಯುತ್ತಿದ್ದ & ಡಿಡಕ್ಷನ್
 DocType: Agriculture Analysis Criteria,Water Analysis,ನೀರಿನ ವಿಶ್ಲೇಷಣೆ
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} ರೂಪಾಂತರಗಳು ರಚಿಸಲಾಗಿದೆ.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} ರೂಪಾಂತರಗಳು ರಚಿಸಲಾಗಿದೆ.
 DocType: Amazon MWS Settings,Region,ಪ್ರದೇಶ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ಐಚ್ಛಿಕ . ಈ ಸೆಟ್ಟಿಂಗ್ ವಿವಿಧ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಫಿಲ್ಟರ್ ಬಳಸಲಾಗುತ್ತದೆ.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,ನಕಾರಾತ್ಮಕ ಮೌಲ್ಯಾಂಕನ ದರ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ
@@ -5398,7 +5462,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,ಕೈಬಿಟ್ಟಿತು ಆಸ್ತಿ ವೆಚ್ಚ
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ವೆಚ್ಚ ಸೆಂಟರ್ ಐಟಂ ಕಡ್ಡಾಯ {2}
 DocType: Vehicle,Policy No,ನೀತಿ ಇಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,ಉತ್ಪನ್ನ ಬಂಡಲ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,ಉತ್ಪನ್ನ ಬಂಡಲ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು
 DocType: Asset,Straight Line,ಸರಳ ರೇಖೆ
 DocType: Project User,Project User,ಪ್ರಾಜೆಕ್ಟ್ ಬಳಕೆದಾರ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,ಒಡೆದ
@@ -5407,7 +5471,7 @@
 DocType: GL Entry,Is Advance,ಮುಂಗಡ ಹೊಂದಿದೆ
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,ಉದ್ಯೋಗಿ ಜೀವನಚಕ್ರ
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ಅಟೆಂಡೆನ್ಸ್ ಹಾಜರಿದ್ದ ಕಡ್ಡಾಯ
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,ನಮೂದಿಸಿ ಹೌದು ಅಥವಾ ಇಲ್ಲ ಎಂದು ' subcontracted ಈಸ್'
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,ನಮೂದಿಸಿ ಹೌದು ಅಥವಾ ಇಲ್ಲ ಎಂದು ' subcontracted ಈಸ್'
 DocType: Item,Default Purchase Unit of Measure,ಅಳತೆಯ ಡೀಫಾಲ್ಟ್ ಖರೀದಿ ಘಟಕ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,ಕೊನೆಯ ಸಂವಹನ ದಿನಾಂಕ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,ಕೊನೆಯ ಸಂವಹನ ದಿನಾಂಕ
@@ -5417,7 +5481,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,ಪ್ರವೇಶ ಟೋಕನ್ ಅಥವಾ Shopify URL ಕಾಣೆಯಾಗಿದೆ
 DocType: Location,Latitude,ಅಕ್ಷಾಂಶ
 DocType: Work Order,Scrap Warehouse,ಸ್ಕ್ರ್ಯಾಪ್ ವೇರ್ಹೌಸ್
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","ರೋ ಇಲ್ಲ ಇಲ್ಲ {0} ನಲ್ಲಿ ಬೇಕಾದ ವೇರ್ಹೌಸ್, ದಯವಿಟ್ಟು ಕಂಪನಿ {2} ಗೆ ಐಟಂ {1} ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ವೇರ್ಹೌಸ್ ಅನ್ನು ಹೊಂದಿಸಿ."
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","ರೋ ಇಲ್ಲ ಇಲ್ಲ {0} ನಲ್ಲಿ ಬೇಕಾದ ವೇರ್ಹೌಸ್, ದಯವಿಟ್ಟು ಕಂಪನಿ {2} ಗೆ ಐಟಂ {1} ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ವೇರ್ಹೌಸ್ ಅನ್ನು ಹೊಂದಿಸಿ."
 DocType: Work Order,Check if material transfer entry is not required,ವಸ್ತು ವರ್ಗಾವಣೆ ಪ್ರವೇಶ ವೇಳೆ ಅಗತ್ಯವಿಲ್ಲ ಪರಿಶೀಲಿಸಿ
 DocType: Work Order,Check if material transfer entry is not required,ವಸ್ತು ವರ್ಗಾವಣೆ ಪ್ರವೇಶ ವೇಳೆ ಅಗತ್ಯವಿಲ್ಲ ಪರಿಶೀಲಿಸಿ
 DocType: Program Enrollment Tool,Get Students From,ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ಪಡೆಯಿರಿ
@@ -5434,6 +5498,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,ಹೊಸ ಬ್ಯಾಚ್ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,ಬಟ್ಟೆಬರೆ ಮತ್ತು ಭಾಗಗಳು
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,ತೂಕದ ಸ್ಕೋರ್ ಕಾರ್ಯವನ್ನು ಪರಿಹರಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ. ಸೂತ್ರವು ಮಾನ್ಯವಾಗಿದೆ ಎಂದು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,ಖರೀದಿ ಆದೇಶ ಐಟಂಗಳನ್ನು ಸಮಯಕ್ಕೆ ಸ್ವೀಕರಿಸುವುದಿಲ್ಲ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ಆರ್ಡರ್ ಸಂಖ್ಯೆ
 DocType: Item Group,HTML / Banner that will show on the top of product list.,ಉತ್ಪನ್ನದ ಪಟ್ಟಿ ಮೇಲೆ ತೋರಿಸಿ thatwill ಎಚ್ಟಿಎಮ್ಎಲ್ / ಬ್ಯಾನರ್ .
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,ಹಡಗು ಪ್ರಮಾಣವನ್ನು ಲೆಕ್ಕ ಪರಿಸ್ಥಿತಿಗಳು ಸೂಚಿಸಿ
@@ -5442,9 +5507,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,ಪಾಥ್
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,ಆಲ್ಡ್ವಿಚ್ childNodes ಲೆಡ್ಜರ್ ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಪರಿವರ್ತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Production Plan,Total Planned Qty,ಒಟ್ಟು ಯೋಜನೆ ಕ್ಯೂಟಿ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ
 DocType: Salary Component,Formula,ಸೂತ್ರ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,ಸರಣಿ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,ಸರಣಿ #
 DocType: Lab Test Template,Lab Test Template,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟು
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,ಮಾರಾಟದ ಖಾತೆ
 DocType: Purchase Invoice Item,Total Weight,ಒಟ್ಟು ತೂಕ
@@ -5462,7 +5527,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಮಾಡಿ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ಓಪನ್ ಐಟಂ {0}
 DocType: Asset Finance Book,Written Down Value,ಬರೆದಿರುವ ಮೌಲ್ಯ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ&gt; ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಉದ್ಯೋಗಿ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು
 DocType: Clinical Procedure,Age,ವಯಸ್ಸು
 DocType: Sales Invoice Timesheet,Billing Amount,ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ
@@ -5471,11 +5535,11 @@
 DocType: Company,Default Employee Advance Account,ಡೀಫಾಲ್ಟ್ ಉದ್ಯೋಗಿ ಅಡ್ವಾನ್ಸ್ ಖಾತೆ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),ಹುಡುಕಾಟ ಐಟಂ (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ಎಸಿಸಿ- ಸಿಎಫ್ - .YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಅಳಿಸಲಾಗಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಅಳಿಸಲಾಗಿಲ್ಲ
 DocType: Vehicle,Last Carbon Check,ಕೊನೆಯ ಕಾರ್ಬನ್ ಪರಿಶೀಲಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,ಕಾನೂನು ವೆಚ್ಚ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,ದಯವಿಟ್ಟು ಸಾಲಿನಲ್ಲಿ ಪ್ರಮಾಣ ಆಯ್ಕೆ
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,ಮಾರಾಟ ಮತ್ತು ಖರೀದಿ ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಪ್ರಾರಂಭಿಸಿ
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,ಮಾರಾಟ ಮತ್ತು ಖರೀದಿ ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಪ್ರಾರಂಭಿಸಿ
 DocType: Purchase Invoice,Posting Time,ಟೈಮ್ ಪೋಸ್ಟ್
 DocType: Timesheet,% Amount Billed,ಖ್ಯಾತವಾದ % ಪ್ರಮಾಣ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,ಟೆಲಿಫೋನ್ ವೆಚ್ಚಗಳು
@@ -5490,14 +5554,14 @@
 DocType: Maintenance Visit,Breakdown,ಅನಾರೋಗ್ಯದಿಂದ ಕುಸಿತ
 DocType: Travel Itinerary,Vegetarian,ಸಸ್ಯಾಹಾರಿ
 DocType: Patient Encounter,Encounter Date,ಎನ್ಕೌಂಟರ್ ದಿನಾಂಕ
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,ಖಾತೆ: {0} ಕರೆನ್ಸಿಗೆ: {1} ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,ಖಾತೆ: {0} ಕರೆನ್ಸಿಗೆ: {1} ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Bank Statement Transaction Settings Item,Bank Data,ಬ್ಯಾಂಕ್ ಡೇಟಾ
 DocType: Purchase Receipt Item,Sample Quantity,ಮಾದರಿ ಪ್ರಮಾಣ
 DocType: Bank Guarantee,Name of Beneficiary,ಫಲಾನುಭವಿಯ ಹೆಸರು
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",ಕಚ್ಚಾ ವಸ್ತುಗಳ ಇತ್ತೀಚಿನ ಮೌಲ್ಯಮಾಪನ ದರ / ಬೆಲೆ ಪಟ್ಟಿ ದರ / ಕೊನೆಯ ಖರೀದಿಯ ದರವನ್ನು ಆಧರಿಸಿ ವೇಳಾಪಟ್ಟಿ ಮೂಲಕ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ನವೀಕರಿಸಿ BOM ವೆಚ್ಚ.
 DocType: Supplier,SUP-.YYYY.-,ಸಪ್-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,ಚೆಕ್ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,ಯಶಸ್ವಿಯಾಗಿ ಈ ಕಂಪನಿಗೆ ಸಂಬಂಧಿಸಿದ ಎಲ್ಲಾ ವ್ಯವಹಾರಗಳನ್ನು ಅಳಿಸಲಾಗಿದೆ!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,ದಿನಾಂಕದಂದು
 DocType: Additional Salary,HR,ಮಾನವ ಸಂಪನ್ಮೂಲ
@@ -5505,7 +5569,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,ರೋಗಿಯ ಎಸ್ಎಂಎಸ್ ಅಲರ್ಟ್ ಔಟ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,ಪರೀಕ್ಷಣೆ
 DocType: Program Enrollment Tool,New Academic Year,ಹೊಸ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,ರಿಟರ್ನ್ / ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,ರಿಟರ್ನ್ / ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ
 DocType: Stock Settings,Auto insert Price List rate if missing,ಆಟೋ ಇನ್ಸರ್ಟ್ ದರ ಪಟ್ಟಿ ದರ ಕಾಣೆಯಾಗಿದೆ ವೇಳೆ
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,ಒಟ್ಟು ಗಳಿಸುವ ಪ್ರಮಾಣ
 DocType: GST Settings,B2C Limit,B2C ಮಿತಿ
@@ -5523,10 +5587,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಮಾತ್ರ &#39;ಗುಂಪು&#39; ರೀತಿಯ ಗ್ರಂಥಿಗಳು ಅಡಿಯಲ್ಲಿ ರಚಿಸಬಹುದಾಗಿದೆ
 DocType: Attendance Request,Half Day Date,ಅರ್ಧ ದಿನ ದಿನಾಂಕ
 DocType: Academic Year,Academic Year Name,ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಹೆಸರು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} ನೊಂದಿಗೆ ವರ್ಗಾವಣೆ ಮಾಡಲು ಅನುಮತಿಸಲಾಗಿಲ್ಲ. ದಯವಿಟ್ಟು ಕಂಪನಿ ಬದಲಿಸಿ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} ನೊಂದಿಗೆ ವರ್ಗಾವಣೆ ಮಾಡಲು ಅನುಮತಿಸಲಾಗಿಲ್ಲ. ದಯವಿಟ್ಟು ಕಂಪನಿ ಬದಲಿಸಿ.
 DocType: Sales Partner,Contact Desc,ಸಂಪರ್ಕಿಸಿ DESC
 DocType: Email Digest,Send regular summary reports via Email.,ಇಮೇಲ್ ಮೂಲಕ ಸಾಮಾನ್ಯ ಸಾರಾಂಶ ವರದಿ ಕಳುಹಿಸಿ.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},ದಯವಿಟ್ಟು ಖರ್ಚು ಹಕ್ಕು ಪ್ರಕಾರ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},ದಯವಿಟ್ಟು ಖರ್ಚು ಹಕ್ಕು ಪ್ರಕಾರ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,ಲಭ್ಯವಿರುವ ಎಲೆಗಳು
 DocType: Assessment Result,Student Name,ವಿದ್ಯಾರ್ಥಿಯ ಹೆಸರು
 DocType: Hub Tracked Item,Item Manager,ಐಟಂ ಮ್ಯಾನೇಜರ್
@@ -5551,9 +5615,10 @@
 DocType: Subscription,Trial Period End Date,ಪ್ರಯೋಗ ಅವಧಿ ಅಂತ್ಯ ದಿನಾಂಕ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ಮಿತಿಗಳನ್ನು ಮೀರಿದೆ ರಿಂದ authroized ಮಾಡಿರುವುದಿಲ್ಲ
 DocType: Serial No,Asset Status,ಆಸ್ತಿ ಸ್ಥಿತಿ
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ಓವರ್ ಡೈಮೆನ್ಷನಲ್ ಕಾರ್ಗೋ (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,ರೆಸ್ಟೋರೆಂಟ್ ಟೇಬಲ್
 DocType: Hotel Room,Hotel Manager,ಹೋಟೆಲ್ ವ್ಯವಸ್ಥಾಪಕ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ತೆರಿಗೆಯ ರೂಲ್
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ತೆರಿಗೆಯ ರೂಲ್
 DocType: Purchase Invoice,Taxes and Charges Added,ಸೇರಿಸಲಾಗಿದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,ಸವಕಳಿ ಸಾಲು {0}: ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ ಲಭ್ಯವಾಗುವ ದಿನಾಂಕದ ಮೊದಲು ಇರಬಾರದು
 ,Sales Funnel,ಮಾರಾಟ ಕೊಳವೆಯನ್ನು
@@ -5569,10 +5634,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,ಎಲ್ಲಾ ಗ್ರಾಹಕ ಗುಂಪುಗಳು
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,ಕ್ರೋಢಿಕೃತ ಮಾಸಿಕ
 DocType: Attendance Request,On Duty,ಕರ್ತವ್ಯದ ಮೇಲೆ
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ {2} ಗೆ {1} ದಾಖಲಿಸಿದವರು ಇದೆ.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ {2} ಗೆ {1} ದಾಖಲಿಸಿದವರು ಇದೆ.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},ಸಿಬ್ಬಂದಿ ಯೋಜನೆ {0} ಈಗಾಗಲೇ ಸ್ಥಾನೀಕರಣಕ್ಕೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು ಕಡ್ಡಾಯವಾಗಿದೆ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 DocType: POS Closing Voucher,Period Start Date,ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕ
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),ಬೆಲೆ ಪಟ್ಟಿ ದರ ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
 DocType: Products Settings,Products Settings,ಉತ್ಪನ್ನಗಳು ಸೆಟ್ಟಿಂಗ್ಗಳು
@@ -5592,7 +5657,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,ಈ ಕ್ರಿಯೆಯು ಭವಿಷ್ಯದ ಬಿಲ್ಲಿಂಗ್ ಅನ್ನು ನಿಲ್ಲಿಸುತ್ತದೆ. ಈ ಚಂದಾದಾರಿಕೆಯನ್ನು ರದ್ದುಗೊಳಿಸಲು ನೀವು ಖಚಿತವಾಗಿ ಬಯಸುವಿರಾ?
 DocType: Serial No,Distinct unit of an Item,ಐಟಂ ವಿಶಿಷ್ಟ ಘಟಕವಾಗಿದೆ
 DocType: Supplier Scorecard Criteria,Criteria Name,ಮಾನದಂಡ ಹೆಸರು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,ಕಂಪನಿ ದಯವಿಟ್ಟು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,ಕಂಪನಿ ದಯವಿಟ್ಟು
 DocType: Procedure Prescription,Procedure Created,ಕಾರ್ಯವಿಧಾನವನ್ನು ರಚಿಸಲಾಗಿದೆ
 DocType: Pricing Rule,Buying,ಖರೀದಿ
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,ರೋಗಗಳು ಮತ್ತು ರಸಗೊಬ್ಬರಗಳು
@@ -5609,29 +5674,30 @@
 DocType: Employee Onboarding,Job Offer,ಉದ್ಯೋಗದ ಪ್ರಸ್ತಾಪ
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಸಂಕ್ಷೇಪಣ
 ,Item-wise Price List Rate,ಐಟಂ ಬಲ್ಲ ಬೆಲೆ ಪಟ್ಟಿ ದರ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,ಸರಬರಾಜುದಾರ ನುಡಿಮುತ್ತುಗಳು
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,ಸರಬರಾಜುದಾರ ನುಡಿಮುತ್ತುಗಳು
 DocType: Quotation,In Words will be visible once you save the Quotation.,ನೀವು ಉದ್ಧರಣ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ಪ್ರಮಾಣ ({0}) ಸತತವಾಗಿ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ಪ್ರಮಾಣ ({0}) ಸತತವಾಗಿ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ಪ್ರಮಾಣ ({0}) ಸತತವಾಗಿ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ಪ್ರಮಾಣ ({0}) ಸತತವಾಗಿ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ {1}
 DocType: Contract,Unsigned,ರುಜುಮಾಡದ
 DocType: Selling Settings,Each Transaction,ಪ್ರತಿ ವಹಿವಾಟು
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},ಬಾರ್ಕೋಡ್ {0} ಈಗಾಗಲೇ ಐಟಂ ಬಳಸಲಾಗುತ್ತದೆ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},ಬಾರ್ಕೋಡ್ {0} ಈಗಾಗಲೇ ಐಟಂ ಬಳಸಲಾಗುತ್ತದೆ {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ಹಡಗು ವೆಚ್ಚ ಸೇರಿಸುವ ನಿಯಮಗಳು .
 DocType: Hotel Room,Extra Bed Capacity,ಎಕ್ಸ್ಟ್ರಾ ಬೆಡ್ ಸಾಮರ್ಥ್ಯ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,ವಾರಿಯನ್ಸ್
 DocType: Item,Opening Stock,ಸ್ಟಾಕ್ ತೆರೆಯುವ
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ಗ್ರಾಹಕ ಅಗತ್ಯವಿದೆ
 DocType: Lab Test,Result Date,ಫಲಿತಾಂಶ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC ದಿನಾಂಕ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC ದಿನಾಂಕ
 DocType: Purchase Order,To Receive,ಪಡೆಯಲು
 DocType: Leave Period,Holiday List for Optional Leave,ಐಚ್ಛಿಕ ಬಿಡಿಗಾಗಿ ಹಾಲಿಡೇ ಪಟ್ಟಿ
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,ಆಸ್ತಿ ಮಾಲೀಕ
 DocType: Purchase Invoice,Reason For Putting On Hold,ತಡೆಹಿಡಿಯುವುದು ಕಾರಣವಾಗಿದೆ
 DocType: Employee,Personal Email,ಸ್ಟಾಫ್ ಇಮೇಲ್
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,ಒಟ್ಟು ಭಿನ್ನಾಭಿಪ್ರಾಯ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,ಒಟ್ಟು ಭಿನ್ನಾಭಿಪ್ರಾಯ
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ಶಕ್ತಗೊಂಡಿದ್ದಲ್ಲಿ , ಗಣಕವು ದಾಸ್ತಾನು ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಪೋಸ್ಟ್ ಕಾಣಿಸುತ್ತದೆ ."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,ದಲ್ಲಾಳಿಗೆ ಕೊಡುವ ಹಣ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ನೌಕರ {0} ಹಾಜರಾತಿ ಈಗಾಗಲೇ ಈ ದಿನ ಗುರುತಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ನೌಕರ {0} ಹಾಜರಾತಿ ಈಗಾಗಲೇ ಈ ದಿನ ಗುರುತಿಸಲಾಗಿದೆ
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","ನಿಮಿಷಗಳಲ್ಲಿ 
  'ಟೈಮ್ ಲಾಗ್' ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ"
@@ -5639,14 +5705,14 @@
 DocType: Amazon MWS Settings,Synch Orders,ಸಿಂಕ್ ಆರ್ಡರ್ಸ್
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ಉತ್ಪಾದನೆಗೆ ಬಿಡುಗಡೆ ಆರ್ಡರ್ಸ್ .
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,ಹಣಕಾಸಿನ ವರ್ಷ ಆಯ್ಕೆ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಪಿಓಎಸ್ ಎಂಟ್ರಿ ಮಾಡಲು ಅಗತ್ಯವಿದೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಪಿಓಎಸ್ ಎಂಟ್ರಿ ಮಾಡಲು ಅಗತ್ಯವಿದೆ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",ಪ್ರಸ್ತಾಪಿಸಲಾದ ಸಂಗ್ರಹ ಅಂಶದ ಆಧಾರದ ಮೇಲೆ ಖರ್ಚು ಮಾಡಿದ (ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಮೂಲಕ) ನಿಷ್ಠೆ ಪಾಯಿಂಟುಗಳನ್ನು ಲೆಕ್ಕಹಾಕಲಾಗುತ್ತದೆ.
 DocType: Program Enrollment Tool,Enroll Students,ವಿದ್ಯಾರ್ಥಿಗಳು ದಾಖಲು
 DocType: Company,HRA Settings,HRA ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Employee Transfer,Transfer Date,ವರ್ಗಾವಣೆ ದಿನಾಂಕ
 DocType: Lab Test,Approved Date,ಅನುಮೋದಿತ ದಿನಾಂಕ
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವಿಕ್ರಯ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,ಕನಿಷ್ಠ ಒಂದು ಗೋದಾಮಿನ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,ಕನಿಷ್ಠ ಒಂದು ಗೋದಾಮಿನ ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, ಐಟಂ ಗ್ರೂಪ್, ವಿವರಣೆ ಮತ್ತು ಗಂಟೆಗಳ ಸಂಖ್ಯೆ ಮುಂತಾದ ಐಟಂ ಕ್ಷೇತ್ರಗಳನ್ನು ಕಾನ್ಫಿಗರ್ ಮಾಡಿ."
 DocType: Certification Application,Certification Status,ಪ್ರಮಾಣೀಕರಣ ಸ್ಥಿತಿ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,ಮಾರುಕಟ್ಟೆ ಸ್ಥಳ
@@ -5666,6 +5732,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,ಹೊಂದಾಣಿಕೆ ಇನ್ವಾಯ್ಸ್ಗಳು
 DocType: Work Order,Required Items,ಅಗತ್ಯ ವಸ್ತುಗಳ
 DocType: Stock Ledger Entry,Stock Value Difference,ಸ್ಟಾಕ್ ಮೌಲ್ಯ ವ್ಯತ್ಯಾಸ
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,ಐಟಂ ಸಾಲು {0}: {1} {2} ಮೇಲಿನ &#39;{1}&#39; ಕೋಷ್ಟಕದಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,ಮಾನವ ಸಂಪನ್ಮೂಲ
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ಪಾವತಿ ರಾಜಿ ಪಾವತಿಗೆ
 DocType: Disease,Treatment Task,ಟ್ರೀಟ್ಮೆಂಟ್ ಟಾಸ್ಕ್
@@ -5683,7 +5750,8 @@
 DocType: Account,Debit,ಡೆಬಿಟ್
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,ಎಲೆಗಳು ಹಂಚಿಕೆ 0.5 ಗುಣಾತ್ಮಕವಾಗಿ ಇರಬೇಕು
 DocType: Work Order,Operation Cost,ಆಪರೇಷನ್ ವೆಚ್ಚ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,ನಿರ್ಧಾರ ತಯಾರಕರನ್ನು ಗುರುತಿಸುವುದು
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ಸೆಟ್ ಗುರಿಗಳನ್ನು ಐಟಂ ಗುಂಪು ಬಲ್ಲ ಈ ಮಾರಾಟ ವ್ಯಕ್ತಿಗೆ .
 DocType: Stock Settings,Freeze Stocks Older Than [Days],ಫ್ರೀಜ್ ಸ್ಟಾಕ್ಗಳು ಹಳೆಯದಾಗಿರುವ [ ಡೇಸ್ ]
 DocType: Payment Request,Payment Ordered,ಪಾವತಿ ಆದೇಶ
@@ -5695,14 +5763,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,ಕೆಳಗಿನ ಬಳಕೆದಾರರಿಗೆ ಬ್ಲಾಕ್ ದಿನಗಳ ಬಿಟ್ಟು ಅನ್ವಯಗಳು ಅನುಮೋದಿಸಲು ಅನುಮತಿಸಿ .
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,ಜೀವನ ಚಕ್ರ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM ಮಾಡಿ
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ಅದರ {1} ಐಟಂ ಪ್ರಮಾಣ ಮಾರಾಟ {0} ಕಡಿಮೆಯಿದೆ. ಮಾರಾಟ ದರವನ್ನು ಇರಬೇಕು ಕನಿಷ್ಠ {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ಅದರ {1} ಐಟಂ ಪ್ರಮಾಣ ಮಾರಾಟ {0} ಕಡಿಮೆಯಿದೆ. ಮಾರಾಟ ದರವನ್ನು ಇರಬೇಕು ಕನಿಷ್ಠ {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ಅದರ {1} ಐಟಂ ಪ್ರಮಾಣ ಮಾರಾಟ {0} ಕಡಿಮೆಯಿದೆ. ಮಾರಾಟ ದರವನ್ನು ಇರಬೇಕು ಕನಿಷ್ಠ {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ಅದರ {1} ಐಟಂ ಪ್ರಮಾಣ ಮಾರಾಟ {0} ಕಡಿಮೆಯಿದೆ. ಮಾರಾಟ ದರವನ್ನು ಇರಬೇಕು ಕನಿಷ್ಠ {2}
 DocType: Subscription,Taxes,ತೆರಿಗೆಗಳು
 DocType: Purchase Invoice,capital goods,ಬಂಡವಾಳ ಸರಕುಗಳು
 DocType: Purchase Invoice Item,Weight Per Unit,ತೂಕ ಪ್ರತಿ ಘಟಕ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,ಹಣ ಮತ್ತು ವಿತರಣೆ
-DocType: Project,Default Cost Center,ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ ಸೆಂಟರ್
-DocType: Delivery Note,Transporter Doc No,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ಡಾಕ್ ನೋ
+DocType: QuickBooks Migrator,Default Cost Center,ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ ಸೆಂಟರ್
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್
 DocType: Budget,Budget Accounts,ಬಜೆಟ್ ಖಾತೆಗಳು
 DocType: Employee,Internal Work History,ಆಂತರಿಕ ಕೆಲಸದ ಇತಿಹಾಸ
@@ -5735,7 +5802,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},ಹೆಲ್ತ್ಕೇರ್ ಪ್ರಾಕ್ಟೀಷನರ್ {0} ನಲ್ಲಿ ಲಭ್ಯವಿಲ್ಲ
 DocType: Stock Entry Detail,Additional Cost,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","ಚೀಟಿ ಮೂಲಕ ವರ್ಗೀಕರಿಸಲಾಗಿದೆ ವೇಳೆ , ಚೀಟಿ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಮಾಡಿ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಮಾಡಿ
 DocType: Quality Inspection,Incoming,ಒಳಬರುವ
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,ಮಾರಾಟ ಮತ್ತು ಖರೀದಿಯ ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ದಾಖಲೆ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ.
@@ -5751,7 +5818,7 @@
 DocType: Batch,Batch ID,ಬ್ಯಾಚ್ ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},ರೇಟಿಂಗ್ : {0}
 ,Delivery Note Trends,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಪ್ರವೃತ್ತಿಗಳು
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,ಈ ವಾರದ ಸಾರಾಂಶ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,ಈ ವಾರದ ಸಾರಾಂಶ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ರಲ್ಲಿ
 ,Daily Work Summary Replies,ಡೈಲಿ ವರ್ಕ್ ಸಾರಾಂಶ ಪ್ರತ್ಯುತ್ತರಗಳು
 DocType: Delivery Trip,Calculate Estimated Arrival Times,ಅಂದಾಜು ಆಗಮನದ ಸಮಯವನ್ನು ಲೆಕ್ಕಾಚಾರ ಮಾಡಿ
@@ -5761,7 +5828,7 @@
 DocType: Bank Account,Party,ಪಕ್ಷ
 DocType: Healthcare Settings,Patient Name,ರೋಗಿಯ ಹೆಸರು
 DocType: Variant Field,Variant Field,ವಿಭಿನ್ನ ಕ್ಷೇತ್ರ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ಟಾರ್ಗೆಟ್ ಸ್ಥಳ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ಟಾರ್ಗೆಟ್ ಸ್ಥಳ
 DocType: Sales Order,Delivery Date,ಡೆಲಿವರಿ ದಿನಾಂಕ
 DocType: Opportunity,Opportunity Date,ಅವಕಾಶ ದಿನಾಂಕ
 DocType: Employee,Health Insurance Provider,ಆರೋಗ್ಯ ವಿಮೆ ನೀಡುವವರು
@@ -5780,7 +5847,7 @@
 DocType: Employee,History In Company,ಕಂಪನಿ ಇತಿಹಾಸ
 DocType: Customer,Customer Primary Address,ಗ್ರಾಹಕ ಪ್ರಾಥಮಿಕ ವಿಳಾಸ
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,ಸುದ್ದಿಪತ್ರಗಳು
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,ಉಲ್ಲೇಖ ಸಂಖ್ಯೆ.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,ಉಲ್ಲೇಖ ಸಂಖ್ಯೆ.
 DocType: Drug Prescription,Description/Strength,ವಿವರಣೆ / ಸಾಮರ್ಥ್ಯ
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,ಹೊಸ ಪಾವತಿ / ಜರ್ನಲ್ ನಮೂದನ್ನು ರಚಿಸಿ
 DocType: Certification Application,Certification Application,ಪ್ರಮಾಣೀಕರಣ ಅಪ್ಲಿಕೇಶನ್
@@ -5791,10 +5858,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,ಒಂದೇ ಐಟಂ ಅನ್ನು ಹಲವಾರು ಬಾರಿ ನಮೂದಿಸಲಾದ
 DocType: Department,Leave Block List,ಖಂಡ ಬಿಡಿ
 DocType: Purchase Invoice,Tax ID,ತೆರಿಗೆಯ ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಅಂಕಣ ಖಾಲಿಯಾಗಿರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಅಂಕಣ ಖಾಲಿಯಾಗಿರಬೇಕು
 DocType: Accounts Settings,Accounts Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು ಖಾತೆಗಳು
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,ಅನುಮೋದಿಸಿ
 DocType: Loyalty Program,Customer Territory,ಗ್ರಾಹಕ ಪ್ರದೇಶ
+DocType: Email Digest,Sales Orders to Deliver,ಮಾರಾಟದ ಆದೇಶಗಳು ತಲುಪಿಸಲು
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","ಹೊಸ ಖಾತೆಯ ಸಂಖ್ಯೆ, ಇದು ಪೂರ್ವಪ್ರತ್ಯಯವಾಗಿ ಖಾತೆ ಹೆಸರಿನಲ್ಲಿ ಸೇರಿಸಲ್ಪಡುತ್ತದೆ"
 DocType: Maintenance Team Member,Team Member,ತಂಡದ ಸದಸ್ಯ
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,ಸಲ್ಲಿಸಲು ಯಾವುದೇ ಫಲಿತಾಂಶವಿಲ್ಲ
@@ -5804,7 +5872,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","ಒಟ್ಟು {0} ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು, ಶೂನ್ಯವಾಗಿರುತ್ತದೆ ನೀವು ರಂದು ಆಧರಿಸಿ ಚಾರ್ಜಸ್ ವಿತರಿಸಿ &#39;ಬದಲಿಸಬೇಕಾಗುತ್ತದೆ ಇರಬಹುದು"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,ಇಲ್ಲಿಯವರೆಗೆ ದಿನಾಂಕಕ್ಕಿಂತ ಕಡಿಮೆ ಇರುವಂತಿಲ್ಲ
 DocType: Opportunity,To Discuss,ಡಿಸ್ಕಸ್
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,ಈ ಸಬ್ಸ್ಕ್ರೈಬರ್ ವಿರುದ್ಧ ವಹಿವಾಟುಗಳನ್ನು ಆಧರಿಸಿದೆ. ವಿವರಗಳಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} ಘಟಕಗಳು {1} ನಲ್ಲಿ {2} ಈ ವ್ಯವಹಾರವನ್ನು ಪೂರ್ಣಗೊಳಿಸಲು ಅಗತ್ಯವಿದೆ.
 DocType: Loan Type,Rate of Interest (%) Yearly,ಬಡ್ಡಿ ದರ (%) ವಾರ್ಷಿಕ
 DocType: Support Settings,Forum URL,ಫೋರಮ್ URL
@@ -5819,7 +5886,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,ಇನ್ನಷ್ಟು ತಿಳಿಯಿರಿ
 DocType: Cheque Print Template,Distance from top edge,ಮೇಲಿನ ತುದಿಯಲ್ಲಿ ದೂರ
 DocType: POS Closing Voucher Invoices,Quantity of Items,ಐಟಂಗಳ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,ದರ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದರೆ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,ದರ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದರೆ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 DocType: Purchase Invoice,Return,ರಿಟರ್ನ್
 DocType: Pricing Rule,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,ಪಾವತಿಸುವ ವಿಧಾನ ಪಾವತಿ ಮಾಡಬೇಕಿರುತ್ತದೆ
@@ -5827,18 +5894,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","ಸ್ವತ್ತುಗಳು, ಸೀರಿಯಲ್ ನೋಸ್, ಬ್ಯಾಚ್ಗಳು ಮುಂತಾದ ಹೆಚ್ಚಿನ ಆಯ್ಕೆಗಳಿಗಾಗಿ ಪೂರ್ಣ ಪುಟದಲ್ಲಿ ಸಂಪಾದಿಸಿ."
 DocType: Leave Type,Maximum Continuous Days Applicable,ಗರಿಷ್ಠ ನಿರಂತರ ದಿನಗಳು ಅನ್ವಯಿಸುತ್ತವೆ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ಬ್ಯಾಚ್ ಸೇರಿಕೊಂಡಳು ಇದೆ {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",ಇದು ಈಗಾಗಲೇ ಆಸ್ತಿ {0} ನಿಷ್ಕ್ರಿಯವಾಗಲ್ಪಟ್ಟವು ಸಾಧ್ಯವಿಲ್ಲ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",ಇದು ಈಗಾಗಲೇ ಆಸ್ತಿ {0} ನಿಷ್ಕ್ರಿಯವಾಗಲ್ಪಟ್ಟವು ಸಾಧ್ಯವಿಲ್ಲ {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,ಪರೀಕ್ಷಣೆ ಅಗತ್ಯವಿದೆ
 DocType: Task,Total Expense Claim (via Expense Claim),(ಖರ್ಚು ಹಕ್ಕು ಮೂಲಕ) ಒಟ್ಟು ಖರ್ಚು ಹಕ್ಕು
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ಮಾರ್ಕ್ ಆಬ್ಸೆಂಟ್
 DocType: Job Applicant Source,Job Applicant Source,ಜಾಬ್ ಅರ್ಜಿದಾರರ ಮೂಲ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST ಮೊತ್ತ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST ಮೊತ್ತ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,ಕಂಪನಿ ಅನ್ನು ಹೊಂದಿಸಲು ವಿಫಲವಾಗಿದೆ
 DocType: Asset Repair,Asset Repair,ಸ್ವತ್ತು ದುರಸ್ತಿ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ರೋ {0}: ಆಫ್ ಬಿಒಎಮ್ # ಕರೆನ್ಸಿ {1} ಆಯ್ಕೆ ಕರೆನ್ಸಿ ಸಮಾನ ಇರಬೇಕು {2}
 DocType: Journal Entry Account,Exchange Rate,ವಿನಿಮಯ ದರ
 DocType: Patient,Additional information regarding the patient,ರೋಗಿಗೆ ಸಂಬಂಧಿಸಿದ ಹೆಚ್ಚುವರಿ ಮಾಹಿತಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
 DocType: Homepage,Tag Line,ಟ್ಯಾಗ್ ಲೈನ್
 DocType: Fee Component,Fee Component,ಶುಲ್ಕ ಕಾಂಪೊನೆಂಟ್
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,ಫ್ಲೀಟ್ ಮ್ಯಾನೇಜ್ಮೆಂಟ್
@@ -5853,7 +5920,7 @@
 DocType: Healthcare Practitioner,Mobile,ಮೊಬೈಲ್
 ,Sales Person-wise Transaction Summary,ಮಾರಾಟಗಾರನ ಬಲ್ಲ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸಾರಾಂಶ
 DocType: Training Event,Contact Number,ಸಂಪರ್ಕ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,ವೇರ್ಹೌಸ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,ವೇರ್ಹೌಸ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 DocType: Cashier Closing,Custody,ಪಾಲನೆ
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ನೌಕರರ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಪ್ರೂಫ್ ಸಲ್ಲಿಕೆ ವಿವರ
 DocType: Monthly Distribution,Monthly Distribution Percentages,ಮಾಸಿಕ ವಿತರಣೆ ಶೇಕಡಾವಾರು
@@ -5868,7 +5935,7 @@
 DocType: Payment Entry,Paid Amount,ಮೊತ್ತವನ್ನು
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,ಮಾರಾಟದ ಸೈಕಲ್ ಅನ್ವೇಷಿಸಿ
 DocType: Assessment Plan,Supervisor,ಮೇಲ್ವಿಚಾರಕ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ
 ,Available Stock for Packing Items,ಐಟಂಗಳು ಪ್ಯಾಕಿಂಗ್ ಸ್ಟಾಕ್ ಲಭ್ಯವಿದೆ
 DocType: Item Variant,Item Variant,ಐಟಂ ಭಿನ್ನ
 ,Work Order Stock Report,ವರ್ಕ್ ಆರ್ಡರ್ ಸ್ಟಾಕ್ ರಿಪೋರ್ಟ್
@@ -5877,9 +5944,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,ಮೇಲ್ವಿಚಾರಕರಾಗಿ
 DocType: Leave Policy Detail,Leave Policy Detail,ಪಾಲಿಸಿ ವಿವರವನ್ನು ಬಿಡಿ
 DocType: BOM Scrap Item,BOM Scrap Item,ಬಿಒಎಮ್ ಸ್ಕ್ರ್ಯಾಪ್ ಐಟಂ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,ಸಲ್ಲಿಸಲಾಗಿದೆ ಆದೇಶಗಳನ್ನು ಅಳಿಸಲಾಗುವುದಿಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ಈಗಾಗಲೇ ಡೆಬಿಟ್ ರಲ್ಲಿ ಖಾತೆ ಸಮತೋಲನ, ನೀವು 'ಕ್ರೆಡಿಟ್' 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,ಗುಣಮಟ್ಟ ನಿರ್ವಹಣೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,ಸಲ್ಲಿಸಲಾಗಿದೆ ಆದೇಶಗಳನ್ನು ಅಳಿಸಲಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ಈಗಾಗಲೇ ಡೆಬಿಟ್ ರಲ್ಲಿ ಖಾತೆ ಸಮತೋಲನ, ನೀವು 'ಕ್ರೆಡಿಟ್' 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,ಗುಣಮಟ್ಟ ನಿರ್ವಹಣೆ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
 DocType: Project,Total Billable Amount (via Timesheets),ಒಟ್ಟು ಬಿಲ್ ಮಾಡಬಹುದಾದ ಮೊತ್ತ (ಟೈಮ್ಸ್ಶೀಟ್ಗಳು ಮೂಲಕ)
 DocType: Agriculture Task,Previous Business Day,ಹಿಂದಿನ ವ್ಯವಹಾರ ದಿನ
@@ -5902,15 +5969,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,ವೆಚ್ಚ ಕೇಂದ್ರಗಳು
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,ಚಂದಾದಾರಿಕೆಯನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ
 DocType: Linked Plant Analysis,Linked Plant Analysis,ಲಿಂಕ್ಡ್ ಪ್ಲಾಂಟ್ ಅನಾಲಿಸಿಸ್
-DocType: Delivery Note,Transporter ID,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,ಮೌಲ್ಯ ಪ್ರಸ್ತಾಪ
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ಯಾವ ಸರಬರಾಜುದಾರರ ಕರೆನ್ಸಿ ದರ ಕಂಪನಿಯ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ
-DocType: Sales Invoice Item,Service End Date,ಸೇವೆ ಮುಕ್ತಾಯ ದಿನಾಂಕ
+DocType: Purchase Invoice Item,Service End Date,ಸೇವೆ ಮುಕ್ತಾಯ ದಿನಾಂಕ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ರೋ # {0}: ಸಾಲು ಸಮಯ ಘರ್ಷಣೆಗಳು {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ಅನುಮತಿಸಿ ಶೂನ್ಯ ಮೌಲ್ಯಾಂಕನ ದರ
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ಅನುಮತಿಸಿ ಶೂನ್ಯ ಮೌಲ್ಯಾಂಕನ ದರ
 DocType: Bank Guarantee,Receiving,ಸ್ವೀಕರಿಸಲಾಗುತ್ತಿದೆ
 DocType: Training Event Employee,Invited,ಆಹ್ವಾನಿತ
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,ಸೆಟಪ್ ಗೇಟ್ವೇ ಖಾತೆಗಳನ್ನು.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,ಸೆಟಪ್ ಗೇಟ್ವೇ ಖಾತೆಗಳನ್ನು.
 DocType: Employee,Employment Type,ಉದ್ಯೋಗ ಪ್ರಕಾರ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,ಸ್ಥಿರ ಆಸ್ತಿಗಳ
 DocType: Payment Entry,Set Exchange Gain / Loss,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ ಹೊಂದಿಸಿ
@@ -5926,7 +5994,7 @@
 DocType: Tax Rule,Sales Tax Template,ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,ಬೆನಿಫಿಟ್ ಕ್ಲೈಮ್ ವಿರುದ್ಧ ಪೇ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,ವೆಚ್ಚದ ಕೇಂದ್ರ ಸಂಖ್ಯೆ ನವೀಕರಿಸಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ
 DocType: Employee,Encashment Date,ನಗದೀಕರಣ ದಿನಾಂಕ
 DocType: Training Event,Internet,ಇಂಟರ್ನೆಟ್
 DocType: Special Test Template,Special Test Template,ವಿಶೇಷ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟು
@@ -5934,13 +6002,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},ಡೀಫಾಲ್ಟ್ ಚಟುವಟಿಕೆ ವೆಚ್ಚ ಚಟುವಟಿಕೆ ಕೌಟುಂಬಿಕತೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ - {0}
 DocType: Work Order,Planned Operating Cost,ಯೋಜನೆ ವೆಚ್ಚವನ್ನು
 DocType: Academic Term,Term Start Date,ಟರ್ಮ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,ಎಲ್ಲಾ ಪಾಲು ವ್ಯವಹಾರಗಳ ಪಟ್ಟಿ
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,ಎಲ್ಲಾ ಪಾಲು ವ್ಯವಹಾರಗಳ ಪಟ್ಟಿ
+DocType: Supplier,Is Transporter,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ಪಾವತಿ ಗುರುತಿಸಲಾಗಿದೆ ವೇಳೆ Shopify ರಿಂದ ಆಮದು ಮಾರಾಟ ಸರಕುಪಟ್ಟಿ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,ಎದುರು ಕೌಂಟ್
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,ಎದುರು ಕೌಂಟ್
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,ಪ್ರಾಯೋಗಿಕ ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಪ್ರಯೋಗ ಅವಧಿ ಅಂತ್ಯ ದಿನಾಂಕವನ್ನು ಹೊಂದಿಸಬೇಕು
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,ಸರಾಸರಿ ದರ
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಗಳಲ್ಲಿ ಒಟ್ಟು ಪಾವತಿ ಮೊತ್ತವು ಗ್ರ್ಯಾಂಡ್ / ದುಂಡಾದ ಒಟ್ಟು ಮೊತ್ತಕ್ಕೆ ಸಮನಾಗಿರಬೇಕು
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಗಳಲ್ಲಿ ಒಟ್ಟು ಪಾವತಿ ಮೊತ್ತವು ಗ್ರ್ಯಾಂಡ್ / ದುಂಡಾದ ಒಟ್ಟು ಮೊತ್ತಕ್ಕೆ ಸಮನಾಗಿರಬೇಕು
 DocType: Subscription Plan Detail,Plan,ಯೋಜನೆ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,ಜನರಲ್ ಲೆಡ್ಜರ್ ಪ್ರಕಾರ ಬ್ಯಾಂಕ್ ಹೇಳಿಕೆ ಸಮತೋಲನ
 DocType: Job Applicant,Applicant Name,ಅರ್ಜಿದಾರರ ಹೆಸರು
@@ -5968,7 +6037,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಮೂಲ ಕೋಠಿಯಲ್ಲಿ
 apps/erpnext/erpnext/config/support.py +22,Warranty,ಖಾತರಿ
 DocType: Purchase Invoice,Debit Note Issued,ಡೆಬಿಟ್ ಚೀಟಿಯನ್ನು ನೀಡಲಾಗಿದೆ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ಕಾಸ್ಟ್ ಸೆಂಟರ್ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ವಿರುದ್ಧದ ಬಜೆಟ್ ವೆಚ್ಚ ಕೇಂದ್ರವಾಗಿ ಆಯ್ಕೆಮಾಡಿದರೆ ಮಾತ್ರ ಅನ್ವಯವಾಗುತ್ತದೆ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ಕಾಸ್ಟ್ ಸೆಂಟರ್ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ವಿರುದ್ಧದ ಬಜೆಟ್ ವೆಚ್ಚ ಕೇಂದ್ರವಾಗಿ ಆಯ್ಕೆಮಾಡಿದರೆ ಮಾತ್ರ ಅನ್ವಯವಾಗುತ್ತದೆ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","ಐಟಂ ಕೋಡ್, ಸರಣಿ ಸಂಖ್ಯೆ, ಬ್ಯಾಚ್ ಇಲ್ಲ ಅಥವಾ ಬಾರ್ಕೋಡ್ನಿಂದ ಹುಡುಕಿ"
 DocType: Work Order,Warehouses,ಗೋದಾಮುಗಳು
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} ಆಸ್ತಿ ವರ್ಗಾವಣೆ ಸಾಧ್ಯವಿಲ್ಲ
@@ -5979,9 +6048,9 @@
 DocType: Workstation,per hour,ಗಂಟೆಗೆ
 DocType: Blanket Order,Purchasing,ಖರೀದಿ
 DocType: Announcement,Announcement,ಪ್ರಕಟಣೆ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,ಗ್ರಾಹಕ ಎಲ್ಪಿಒ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,ಗ್ರಾಹಕ ಎಲ್ಪಿಒ
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ಬ್ಯಾಚ್ ಆಧಾರಿತ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಫಾರ್, ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಪ್ರತಿ ವಿದ್ಯಾರ್ಥಿ ಪಡಿಸಿ ನಡೆಯಲಿದೆ."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಪ್ರವೇಶ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ .
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಪ್ರವೇಶ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ .
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,ಹಂಚುವುದು
 DocType: Journal Entry Account,Loan,ಸಾಲ
 DocType: Expense Claim Advance,Expense Claim Advance,ಖರ್ಚು ಹಕ್ಕು ಅಡ್ವಾನ್ಸ್
@@ -5990,7 +6059,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,ಪ್ರಾಜೆಕ್ಟ್ ಮ್ಯಾನೇಜರ್
 ,Quoted Item Comparison,ಉಲ್ಲೇಖಿಸಿದ ಐಟಂ ಹೋಲಿಕೆ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} ಮತ್ತು {1} ನಡುವಿನ ಅಂಕದಲ್ಲಿ ಅತಿಕ್ರಮಿಸುವಿಕೆ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,ರವಾನಿಸು
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,ರವಾನಿಸು
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,ಮ್ಯಾಕ್ಸ್ ರಿಯಾಯಿತಿ ಐಟಂ ಅವಕಾಶ: {0} {1}% ಆಗಿದೆ
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,ಮೇಲೆ ನಿವ್ವಳ ಆಸ್ತಿ ಮೌಲ್ಯ
 DocType: Crop,Produce,ಉತ್ಪಾದಿಸು
@@ -6000,20 +6069,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,ತಯಾರಿಕೆಗಾಗಿ ವಸ್ತು ಬಳಕೆ
 DocType: Item Alternative,Alternative Item Code,ಪರ್ಯಾಯ ಐಟಂ ಕೋಡ್
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ಪಾತ್ರ ವ್ಯವಹಾರ ಸೆಟ್ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಮಾಡಲಿಲ್ಲ ಸಲ್ಲಿಸಲು ಅವಕಾಶ ನೀಡಲಿಲ್ಲ .
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,ಉತ್ಪಾದನೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,ಉತ್ಪಾದನೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Delivery Stop,Delivery Stop,ವಿತರಣೆ ನಿಲ್ಲಿಸಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು"
 DocType: Item,Material Issue,ಮೆಟೀರಿಯಲ್ ಸಂಚಿಕೆ
 DocType: Employee Education,Qualification,ಅರ್ಹತೆ
 DocType: Item Price,Item Price,ಐಟಂ ಬೆಲೆ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,ಸಾಬೂನು ಹಾಗೂ ಮಾರ್ಜಕ
 DocType: BOM,Show Items,ಐಟಂಗಳನ್ನು ತೋರಿಸಿ
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,ಟೈಮ್ ಟೈಮ್ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,ಎಲ್ಲಾ ಗ್ರಾಹಕರಿಗೆ ಇಮೇಲ್ ಮೂಲಕ ತಿಳಿಸಲು ನೀವು ಬಯಸುವಿರಾ?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,ಎಲ್ಲಾ ಗ್ರಾಹಕರಿಗೆ ಇಮೇಲ್ ಮೂಲಕ ತಿಳಿಸಲು ನೀವು ಬಯಸುವಿರಾ?
 DocType: Subscription Plan,Billing Interval,ಬಿಲ್ಲಿಂಗ್ ಇಂಟರ್ವಲ್
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,ಚಲನಚಿತ್ರ ಮತ್ತು ವೀಡಿಯೊ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,ಆದೇಶ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,ನಿಜವಾದ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ನಿಜವಾದ ಅಂತಿಮ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ಗ್ರಾಹಕ&gt; ಗ್ರಾಹಕರ ಗುಂಪು&gt; ಪ್ರದೇಶ
 DocType: Salary Detail,Component,ಕಾಂಪೊನೆಂಟ್
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,ಸಾಲು {0}: {1} 0 ಗಿಂತಲೂ ದೊಡ್ಡದಾಗಿರಬೇಕು
 DocType: Assessment Criteria,Assessment Criteria Group,ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ ಗ್ರೂಪ್
@@ -6044,11 +6114,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,ಸಲ್ಲಿಸುವ ಮೊದಲು ಬ್ಯಾಂಕ್ ಅಥವಾ ಸಾಲ ನೀಡುವ ಸಂಸ್ಥೆಯ ಹೆಸರನ್ನು ನಮೂದಿಸಿ.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} ಸಲ್ಲಿಸಬೇಕು
 DocType: POS Profile,Item Groups,ಐಟಂ ಗುಂಪುಗಳು
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,ಇಂದು {0} ಅವರ ಜನ್ಮದಿನ!
 DocType: Sales Order Item,For Production,ಉತ್ಪಾದನೆಗೆ
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,ಖಾತೆ ಕರೆನ್ಸಿಗೆ ಸಮತೋಲನ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್ನಲ್ಲಿ ದಯವಿಟ್ಟು ತಾತ್ಕಾಲಿಕ ತೆರೆಯುವ ಖಾತೆಯನ್ನು ಸೇರಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್ನಲ್ಲಿ ದಯವಿಟ್ಟು ತಾತ್ಕಾಲಿಕ ತೆರೆಯುವ ಖಾತೆಯನ್ನು ಸೇರಿಸಿ
 DocType: Customer,Customer Primary Contact,ಗ್ರಾಹಕರ ಪ್ರಾಥಮಿಕ ಸಂಪರ್ಕ
 DocType: Project Task,View Task,ವೀಕ್ಷಿಸಿ ಟಾಸ್ಕ್
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ಎದುರು / ಲೀಡ್%
@@ -6062,11 +6131,11 @@
 DocType: Sales Invoice,Get Advances Received,ಅಡ್ವಾನ್ಸಸ್ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪಡೆಯಿರಿ
 DocType: Email Digest,Add/Remove Recipients,ಸೇರಿಸಿ / ತೆಗೆದುಹಾಕಿ ಸ್ವೀಕೃತದಾರರ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","ಡೀಫಾಲ್ಟ್ ಎಂದು ಈ ಆರ್ಥಿಕ ವರ್ಷ ಹೊಂದಿಸಲು, ' ಪೂರ್ವನಿಯೋಜಿತವಾಗಿನಿಗದಿಪಡಿಸು ' ಕ್ಲಿಕ್"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,ಟಿಡಿಎಸ್ ಮೊತ್ತವನ್ನು ಕಡಿತಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,ಟಿಡಿಎಸ್ ಮೊತ್ತವನ್ನು ಕಡಿತಗೊಳಿಸಲಾಗಿದೆ
 DocType: Production Plan,Include Subcontracted Items,ಉಪಗುತ್ತಿಗೆಗೊಂಡ ವಸ್ತುಗಳನ್ನು ಸೇರಿಸಿ
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,ಸೇರಲು
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,ಕೊರತೆ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,ಸೇರಲು
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,ಕೊರತೆ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
 DocType: Loan,Repay from Salary,ಸಂಬಳದಿಂದ ಬಂದ ಮರುಪಾವತಿ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},ವಿರುದ್ಧ ಪಾವತಿ ಮನವಿ {0} {1} ಪ್ರಮಾಣದ {2}
 DocType: Additional Salary,Salary Slip,ಸಂಬಳದ ಸ್ಲಿಪ್
@@ -6082,7 +6151,7 @@
 DocType: Patient,Dormant,ಸುಪ್ತ
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ಹಕ್ಕು ನಿರಾಕರಿಸದ ನೌಕರರ ಲಾಭಕ್ಕಾಗಿ ತೆರಿಗೆ ಕಡಿತಗೊಳಿಸಿ
 DocType: Salary Slip,Total Interest Amount,ಒಟ್ಟು ಬಡ್ಡಿ ಮೊತ್ತ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: BOM,Manage cost of operations,ಕಾರ್ಯಾಚರಣೆಗಳ ನಿರ್ವಹಣೆ ವೆಚ್ಚ
 DocType: Accounts Settings,Stale Days,ಸ್ಟಾಲ್ ಡೇಸ್
 DocType: Travel Itinerary,Arrival Datetime,ಆಗಮನದ ದಿನಾಂಕ
@@ -6094,7 +6163,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ವಿವರ
 DocType: Employee Education,Employee Education,ನೌಕರರ ಶಿಕ್ಷಣ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,ನಕಲು ಐಟಂ ಗುಂಪು ಐಟಂ ಗುಂಪು ಟೇಬಲ್ ಕಂಡುಬರುವ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,ಇದು ಐಟಂ ವಿವರಗಳು ತರಲು ಅಗತ್ಯವಿದೆ.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,ಇದು ಐಟಂ ವಿವರಗಳು ತರಲು ಅಗತ್ಯವಿದೆ.
 DocType: Fertilizer,Fertilizer Name,ರಸಗೊಬ್ಬರ ಹೆಸರು
 DocType: Salary Slip,Net Pay,ನಿವ್ವಳ ವೇತನ
 DocType: Cash Flow Mapping Accounts,Account,ಖಾತೆ
@@ -6105,14 +6174,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,ಬೆನಿಫಿಟ್ ಕ್ಲೈಮ್ ವಿರುದ್ಧ ಪ್ರತ್ಯೇಕ ಪಾವತಿ ಪ್ರವೇಶವನ್ನು ರಚಿಸಿ
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),ಜ್ವರದ ಉಪಸ್ಥಿತಿ (ಟೆಂಪ್&gt; 38.5 ° C / 101.3 ° F ಅಥವಾ ನಿರಂತರ ತಾಪಮಾನವು&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,ಮಾರಾಟ ತಂಡದ ವಿವರಗಳು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ?
 DocType: Expense Claim,Total Claimed Amount,ಹಕ್ಕು ಪಡೆದ ಒಟ್ಟು ಪ್ರಮಾಣ
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ಮಾರಾಟ ಸಮರ್ಥ ಅವಕಾಶಗಳನ್ನು .
 DocType: Shareholder,Folio no.,ಫೋಲಿಯೊ ಸಂಖ್ಯೆ.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},ಅಮಾನ್ಯವಾದ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,ಸಿಕ್ ಲೀವ್
 DocType: Email Digest,Email Digest,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,ಅವು ಅಲ್ಲ
 DocType: Delivery Note,Billing Address Name,ಬಿಲ್ಲಿಂಗ್ ವಿಳಾಸ ಹೆಸರು
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ಡಿಪಾರ್ಟ್ಮೆಂಟ್ ಸ್ಟೋರ್ಸ್
 ,Item Delivery Date,ಐಟಂ ವಿತರಣೆ ದಿನಾಂಕ
@@ -6128,16 +6196,16 @@
 DocType: Account,Chargeable,ಪೂರಣಮಾಡಬಲ್ಲ
 DocType: Company,Change Abbreviation,ಬದಲಾವಣೆ ಸಂಕ್ಷೇಪಣ
 DocType: Contract,Fulfilment Details,ಪೂರೈಸುವ ವಿವರಗಳು
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1} ಪಾವತಿಸಿ
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1} ಪಾವತಿಸಿ
 DocType: Employee Onboarding,Activities,ಚಟುವಟಿಕೆಗಳು
 DocType: Expense Claim Detail,Expense Date,ಖರ್ಚು ದಿನಾಂಕ
 DocType: Item,No of Months,ತಿಂಗಳುಗಳ ಸಂಖ್ಯೆ
 DocType: Item,Max Discount (%),ಮ್ಯಾಕ್ಸ್ ಡಿಸ್ಕೌಂಟ್ ( % )
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,ಕ್ರೆಡಿಟ್ ಡೇಸ್ ಋಣಾತ್ಮಕ ಸಂಖ್ಯೆಯಂತಿಲ್ಲ
-DocType: Sales Invoice Item,Service Stop Date,ಸೇವೆ ನಿಲ್ಲಿಸಿ ದಿನಾಂಕ
+DocType: Purchase Invoice Item,Service Stop Date,ಸೇವೆ ನಿಲ್ಲಿಸಿ ದಿನಾಂಕ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,ಕೊನೆಯ ಆರ್ಡರ್ ಪ್ರಮಾಣ
 DocType: Cash Flow Mapper,e.g Adjustments for:,ಉದಾಹರಣೆಗೆ ಹೊಂದಾಣಿಕೆಗಳು:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} ಉಳಿಸಿಕೊಳ್ಳಿ ಮಾದರಿ ಬ್ಯಾಚ್ ಆಧರಿಸಿದೆ, ದಯವಿಟ್ಟು ಐಟಂನ ಮಾದರಿ ಉಳಿಸಿಕೊಳ್ಳಲು ಹ್ಯಾಚ್ ಬ್ಯಾಚ್ ಇಲ್ಲ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} ಉಳಿಸಿಕೊಳ್ಳಿ ಮಾದರಿ ಬ್ಯಾಚ್ ಆಧರಿಸಿದೆ, ದಯವಿಟ್ಟು ಐಟಂನ ಮಾದರಿ ಉಳಿಸಿಕೊಳ್ಳಲು ಹ್ಯಾಚ್ ಬ್ಯಾಚ್ ಇಲ್ಲ"
 DocType: Task,Is Milestone,ಮೈಲ್ಸ್ಟೋನ್ ಈಸ್
 DocType: Certification Application,Yet to appear,ಇನ್ನೂ ಕಾಣಿಸಿಕೊಳ್ಳಲು
 DocType: Delivery Stop,Email Sent To,ಇಮೇಲ್ ಕಳುಹಿಸಲಾಗಿದೆ
@@ -6145,16 +6213,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಪ್ರವೇಶಕ್ಕೆ ವೆಚ್ಚ ಕೇಂದ್ರವನ್ನು ಅನುಮತಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಖಾತೆಯೊಂದಿಗೆ ವಿಲೀನಗೊಳಿಸಿ
 DocType: Budget,Warn,ಎಚ್ಚರಿಕೆ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,ಈ ಕೆಲಸದ ಆದೇಶಕ್ಕಾಗಿ ಈಗಾಗಲೇ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ವರ್ಗಾಯಿಸಲಾಗಿದೆ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,ಈ ಕೆಲಸದ ಆದೇಶಕ್ಕಾಗಿ ಈಗಾಗಲೇ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ವರ್ಗಾಯಿಸಲಾಗಿದೆ.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು, ದಾಖಲೆಗಳಲ್ಲಿ ಹೋಗಬೇಕು ಎಂದು ವಿವರಣೆಯಾಗಿದೆ ಪ್ರಯತ್ನ."
 DocType: Asset Maintenance,Manufacturing User,ಉತ್ಪಾದನಾ ಬಳಕೆದಾರ
 DocType: Purchase Invoice,Raw Materials Supplied,ವಿತರಿಸುತ್ತಾರೆ ರಾ ಮೆಟೀರಿಯಲ್ಸ್
 DocType: Subscription Plan,Payment Plan,ಪಾವತಿ ಯೋಜನೆ
 DocType: Shopping Cart Settings,Enable purchase of items via the website,ವೆಬ್ಸೈಟ್ ಮೂಲಕ ಐಟಂಗಳ ಖರೀದಿ ಸಕ್ರಿಯಗೊಳಿಸಿ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},ಬೆಲೆ ಪಟ್ಟಿ {0} {1} ಅಥವಾ {2} ಆಗಿರಬೇಕು
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,ಚಂದಾದಾರಿಕೆ ನಿರ್ವಹಣೆ
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,ಚಂದಾದಾರಿಕೆ ನಿರ್ವಹಣೆ
 DocType: Appraisal,Appraisal Template,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,ಪಿನ್ ಕೋಡ್ ಮಾಡಲು
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,ಪಿನ್ ಕೋಡ್ ಮಾಡಲು
 DocType: Soil Texture,Ternary Plot,ತರ್ನರಿ ಪ್ಲಾಟ್
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,ಶೆಡ್ಯೂಲರ್ ಮೂಲಕ ನಿಗದಿತ ಡೈಲಿ ಸಿಂಕ್ರೊನೈಸೇಶನ್ ದಿನಚರಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಲು ಇದನ್ನು ಪರಿಶೀಲಿಸಿ
 DocType: Item Group,Item Classification,ಐಟಂ ವರ್ಗೀಕರಣ
@@ -6164,6 +6232,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ಸರಕುಪಟ್ಟಿ ರೋಗಿಯ ನೋಂದಣಿ
 DocType: Crop,Period,ಅವಧಿ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,ಸಾಮಾನ್ಯ ಲೆಡ್ಜರ್
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷಕ್ಕೆ
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,ವೀಕ್ಷಿಸಿ ಕಾರಣವಾಗುತ್ತದೆ
 DocType: Program Enrollment Tool,New Program,ಹೊಸ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ
 DocType: Item Attribute Value,Attribute Value,ಮೌಲ್ಯ ಲಕ್ಷಣ
@@ -6172,11 +6241,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise ಮರುಕ್ರಮಗೊಳಿಸಿ ಮಟ್ಟ ಶಿಫಾರಸು
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,{0} ದರ್ಜೆಯ ಉದ್ಯೋಗಿ {0} ಡೀಫಾಲ್ಟ್ ರಜೆ ನೀತಿಯನ್ನು ಹೊಂದಿಲ್ಲ
 DocType: Salary Detail,Salary Detail,ಸಂಬಳ ವಿವರ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,ಮೊದಲ {0} ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,ಮೊದಲ {0} ಆಯ್ಕೆ ಮಾಡಿ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} ಬಳಕೆದಾರರನ್ನು ಸೇರಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","ಮಲ್ಟಿ-ಟೈರ್ ಪ್ರೋಗ್ರಾಂನ ಸಂದರ್ಭದಲ್ಲಿ, ಗ್ರಾಹಕರು ತಮ್ಮ ಖರ್ಚುಗೆ ಅನುಗುಣವಾಗಿ ಆಯಾ ಶ್ರೇಣಿಗೆ ಸ್ವಯಂ ನಿಯೋಜಿಸಲಾಗುವುದು"
 DocType: Appointment Type,Physician,ವೈದ್ಯ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,ಐಟಂ ಬ್ಯಾಚ್ {0} {1} ಮುಗಿದಿದೆ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,ಐಟಂ ಬ್ಯಾಚ್ {0} {1} ಮುಗಿದಿದೆ.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,ಸಮಾಲೋಚನೆಗಳು
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,ಉತ್ತಮಗೊಂಡಿದೆ
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","ಐಟಂ ಬೆಲೆ ಬೆಲೆ ಪಟ್ಟಿ, ಸರಬರಾಜುದಾರ / ಗ್ರಾಹಕ, ಕರೆನ್ಸಿ, ಐಟಂ, UOM, Qty ಮತ್ತು ದಿನಾಂಕಗಳನ್ನು ಆಧರಿಸಿ ಅನೇಕ ಬಾರಿ ಕಾಣಿಸಿಕೊಳ್ಳುತ್ತದೆ."
@@ -6185,22 +6254,21 @@
 DocType: Certification Application,Name of Applicant,ಅರ್ಜಿದಾರರ ಹೆಸರು
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ಉತ್ಪಾದನೆ ಟೈಮ್ ಶೀಟ್.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ಉಪಮೊತ್ತ
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,ಸ್ಟಾಕ್ ವ್ಯವಹಾರದ ನಂತರ ರೂಪಾಂತರ ಗುಣಲಕ್ಷಣಗಳನ್ನು ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ಇದನ್ನು ಮಾಡಲು ನೀವು ಹೊಸ ಐಟಂ ಅನ್ನು ಮಾಡಬೇಕಾಗುತ್ತದೆ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,ಸ್ಟಾಕ್ ವ್ಯವಹಾರದ ನಂತರ ರೂಪಾಂತರ ಗುಣಲಕ್ಷಣಗಳನ್ನು ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ಇದನ್ನು ಮಾಡಲು ನೀವು ಹೊಸ ಐಟಂ ಅನ್ನು ಮಾಡಬೇಕಾಗುತ್ತದೆ.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,ಗೋಕಾರ್ಡರ್ಲೆಸ್ SEPA ಮ್ಯಾಂಡೇಟ್
 DocType: Healthcare Practitioner,Charges,ಶುಲ್ಕಗಳು
 DocType: Production Plan,Get Items For Work Order,ಕೆಲಸ ಆದೇಶಕ್ಕಾಗಿ ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ
 DocType: Salary Detail,Default Amount,ಡೀಫಾಲ್ಟ್ ಪ್ರಮಾಣ
 DocType: Lab Test Template,Descriptive,ವಿವರಣಾತ್ಮಕ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,ವ್ಯವಸ್ಥೆಯ ಕಂಡುಬಂದಿಲ್ಲ ವೇರ್ಹೌಸ್
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,ಈ ತಿಂಗಳ ಸಾರಾಂಶ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,ಈ ತಿಂಗಳ ಸಾರಾಂಶ
 DocType: Quality Inspection Reading,Quality Inspection Reading,ಗುಣಮಟ್ಟದ ತಪಾಸಣೆ ಓದುವಿಕೆ
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,` ಸ್ಟಾಕ್ಗಳು ದ್ಯಾನ್ ಫ್ರೀಜ್ ` ಹಳೆಯ % d ದಿನಗಳಲ್ಲಿ ಹೆಚ್ಚು ಚಿಕ್ಕದಾಗಿರಬೇಕು.
 DocType: Tax Rule,Purchase Tax Template,ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು ಖರೀದಿಸಿ
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,ನಿಮ್ಮ ಕಂಪನಿಗೆ ನೀವು ಸಾಧಿಸಲು ಬಯಸುವ ಮಾರಾಟದ ಗುರಿಯನ್ನು ಹೊಂದಿಸಿ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,ಆರೋಗ್ಯ ಸೇವೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,ಆರೋಗ್ಯ ಸೇವೆ
 ,Project wise Stock Tracking,ಪ್ರಾಜೆಕ್ಟ್ ಬುದ್ಧಿವಂತ ಸ್ಟಾಕ್ ಟ್ರ್ಯಾಕಿಂಗ್
 DocType: GST HSN Code,Regional,ಪ್ರಾದೇಶಿಕ
-DocType: Delivery Note,Transport Mode,ಸಾರಿಗೆ ಮೋಡ್
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,ಪ್ರಯೋಗಾಲಯ
 DocType: UOM Category,UOM Category,UOM ವರ್ಗ
 DocType: Clinical Procedure Item,Actual Qty (at source/target),ನಿಜವಾದ ಪ್ರಮಾಣ ( ಮೂಲ / ಗುರಿ )
@@ -6223,17 +6291,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,ವೆಬ್ಸೈಟ್ ರಚಿಸಲು ವಿಫಲವಾಗಿದೆ
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ಪರಿವರ್ತನೆ ವಿವರಗಳು
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,ಈಗಾಗಲೇ ರಚಿಸಲಾದ ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಅಥವಾ ಮಾದರಿ ಪ್ರಮಾಣವನ್ನು ಒದಗಿಸಲಾಗಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,ಈಗಾಗಲೇ ರಚಿಸಲಾದ ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಅಥವಾ ಮಾದರಿ ಪ್ರಮಾಣವನ್ನು ಒದಗಿಸಲಾಗಿಲ್ಲ
 DocType: Program,Program Abbreviation,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಸಂಕ್ಷೇಪಣ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಒಂದು ಐಟಂ ಟೆಂಪ್ಲೇಟು ವಿರುದ್ಧ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ಆರೋಪಗಳನ್ನು ಪ್ರತಿ ಐಟಂ ವಿರುದ್ಧ ಖರೀದಿ ರಿಸೀಟ್ನ್ನು ನವೀಕರಿಸಲಾಗುವುದು
 DocType: Warranty Claim,Resolved By,ಪರಿಹರಿಸಲಾಗುವುದು
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,ವೇಳಾಪಟ್ಟಿ ಡಿಸ್ಚಾರ್ಜ್
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,ಚೆಕ್ ಮತ್ತು ಠೇವಣಿಗಳ ತಪ್ಪಾಗಿ ತೆರವುಗೊಳಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,ಖಾತೆ {0}: ನೀವು ಪೋಷಕರ ಖಾತೆಯ ಎಂದು ಸ್ವತಃ ನಿಯೋಜಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,ಖಾತೆ {0}: ನೀವು ಪೋಷಕರ ಖಾತೆಯ ಎಂದು ಸ್ವತಃ ನಿಯೋಜಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Purchase Invoice Item,Price List Rate,ಬೆಲೆ ಪಟ್ಟಿ ದರ
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,ಗ್ರಾಹಕ ಉಲ್ಲೇಖಗಳು ರಚಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,ಸರ್ವೀಸ್ ಎಂಡ್ ದಿನಾಂಕದ ನಂತರ ಸೇವೆಯ ನಿಲುಗಡೆ ದಿನಾಂಕವು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,ಸರ್ವೀಸ್ ಎಂಡ್ ದಿನಾಂಕದ ನಂತರ ಸೇವೆಯ ನಿಲುಗಡೆ ದಿನಾಂಕವು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",""" ಸ್ಟಾಕ್ ರಲ್ಲಿ "" ತೋರಿಸು ಅಥವಾ "" ಅಲ್ಲ ಸ್ಟಾಕ್ "" ಈ ಉಗ್ರಾಣದಲ್ಲಿ ಲಭ್ಯವಿರುವ ಸ್ಟಾಕ್ ಆಧರಿಸಿ ."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ (BOM)
 DocType: Item,Average time taken by the supplier to deliver,ಪೂರೈಕೆದಾರರಿಂದ ವಿಧವಾಗಿ ಸಮಯ ತಲುಪಿಸಲು
@@ -6245,11 +6313,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ಅವರ್ಸ್
 DocType: Project,Expected Start Date,ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ
 DocType: Purchase Invoice,04-Correction in Invoice,04-ಇನ್ವಾಯ್ಸ್ನಲ್ಲಿ ತಿದ್ದುಪಡಿ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,ಬೊಮ್ನೊಂದಿಗೆ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,ಬೊಮ್ನೊಂದಿಗೆ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸಲಾಗಿದೆ
 DocType: Payment Request,Party Details,ಪಕ್ಷದ ವಿವರಗಳು
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,ಭಿನ್ನ ವಿವರಗಳು ವರದಿ
 DocType: Setup Progress Action,Setup Progress Action,ಸೆಟಪ್ ಪ್ರೋಗ್ರೆಸ್ ಆಕ್ಷನ್
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,ಬೆಲೆ ಪಟ್ಟಿ ಖರೀದಿ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,ಬೆಲೆ ಪಟ್ಟಿ ಖರೀದಿ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ಆರೋಪಗಳನ್ನು ಐಟಂ ಅನ್ವಯಿಸುವುದಿಲ್ಲ ವೇಳೆ ಐಟಂ ತೆಗೆದುಹಾಕಿ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,ಚಂದಾದಾರಿಕೆಯನ್ನು ರದ್ದುಮಾಡಿ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,ದಯವಿಟ್ಟು ನಿರ್ವಹಣೆ ಸ್ಥಿತಿಯನ್ನು ಪೂರ್ಣಗೊಳಿಸಿದಂತೆ ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಪೂರ್ಣಗೊಂಡ ದಿನಾಂಕವನ್ನು ತೆಗೆದುಹಾಕಿ
@@ -6267,7 +6335,7 @@
 DocType: Asset,Disposal Date,ವಿಲೇವಾರಿ ದಿನಾಂಕ
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ಇಮೇಲ್ಗಳನ್ನು ಅವರು ರಜಾ ಹೊಂದಿಲ್ಲ ವೇಳೆ, ಗಂಟೆ ಕಂಪನಿಯ ಎಲ್ಲಾ ಸಕ್ರಿಯ ನೌಕರರು ಕಳುಹಿಸಲಾಗುವುದು. ಪ್ರತಿಕ್ರಿಯೆಗಳ ಸಾರಾಂಶ ಮಧ್ಯರಾತ್ರಿ ಕಳುಹಿಸಲಾಗುವುದು."
 DocType: Employee Leave Approver,Employee Leave Approver,ನೌಕರರ ಲೀವ್ ಅನುಮೋದಕ
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},ಸಾಲು {0}: ಒಂದು ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರವೇಶ ಈಗಾಗಲೇ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},ಸಾಲು {0}: ಒಂದು ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರವೇಶ ಈಗಾಗಲೇ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","ಸೋತು ಉದ್ಧರಣ ಮಾಡಲಾಗಿದೆ ಏಕೆಂದರೆ , ಘೋಷಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP ಖಾತೆ
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,ತರಬೇತಿ ಪ್ರತಿಕ್ರಿಯೆ
@@ -6279,7 +6347,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ಇಲ್ಲಿಯವರೆಗೆ fromDate ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc doctype
 DocType: Cash Flow Mapper,Section Footer,ವಿಭಾಗ ಅಡಿಟಿಪ್ಪಣಿ
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ ಸಂಪಾದಿಸಿ ಬೆಲೆಗಳು ಸೇರಿಸಿ
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ ಸಂಪಾದಿಸಿ ಬೆಲೆಗಳು ಸೇರಿಸಿ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,ಪ್ರಚಾರ ದಿನಾಂಕದ ಮೊದಲು ನೌಕರರ ಪ್ರಚಾರವನ್ನು ಸಲ್ಲಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Batch,Parent Batch,ಪೋಷಕ ಬ್ಯಾಚ್
 DocType: Batch,Parent Batch,ಪೋಷಕ ಬ್ಯಾಚ್
@@ -6290,6 +6358,7 @@
 DocType: Clinical Procedure Template,Sample Collection,ಮಾದರಿ ಸಂಗ್ರಹ
 ,Requested Items To Be Ordered,ಆದೇಶ ಕೋರಲಾಗಿದೆ ಐಟಂಗಳು
 DocType: Price List,Price List Name,ಬೆಲೆ ಪಟ್ಟಿ ಹೆಸರು
+DocType: Delivery Stop,Dispatch Information,ಡಿಸ್ಪ್ಯಾಚ್ ಮಾಹಿತಿ
 DocType: Blanket Order,Manufacturing,ಮ್ಯಾನುಫ್ಯಾಕ್ಚರಿಂಗ್
 ,Ordered Items To Be Delivered,ನೀಡಬೇಕಾಗಿದೆ ಐಟಂಗಳು ಆದೇಶ
 DocType: Account,Income,ಆದಾಯ
@@ -6308,17 +6377,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} ಅಗತ್ಯವಿದೆ {2} {3} {4} ಫಾರ್ {5} ಈ ವ್ಯವಹಾರವನ್ನು ಪೂರ್ಣಗೊಳಿಸಲು ಮೇಲೆ ಘಟಕಗಳು.
 DocType: Fee Schedule,Student Category,ವಿದ್ಯಾರ್ಥಿ ವರ್ಗ
 DocType: Announcement,Student,ವಿದ್ಯಾರ್ಥಿ
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ಕಾರ್ಯವಿಧಾನವನ್ನು ಪ್ರಾರಂಭಿಸಲು ಸ್ಟಾಕ್ ಪ್ರಮಾಣವು ಗೋದಾಮಿನ ಲಭ್ಯವಿಲ್ಲ. ನೀವು ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸ್ಫರ್ ಅನ್ನು ರೆಕಾರ್ಡ್ ಮಾಡಲು ಬಯಸುತ್ತೀರಾ
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ಕಾರ್ಯವಿಧಾನವನ್ನು ಪ್ರಾರಂಭಿಸಲು ಸ್ಟಾಕ್ ಪ್ರಮಾಣವು ಗೋದಾಮಿನ ಲಭ್ಯವಿಲ್ಲ. ನೀವು ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸ್ಫರ್ ಅನ್ನು ರೆಕಾರ್ಡ್ ಮಾಡಲು ಬಯಸುತ್ತೀರಾ
 DocType: Shipping Rule,Shipping Rule Type,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಟೈಪ್
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,ಕೊಠಡಿಗಳಿಗೆ ಹೋಗಿ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","ಕಂಪನಿ, ಪಾವತಿ ಖಾತೆ, ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ಕಡ್ಡಾಯವಾಗಿದೆ"
 DocType: Company,Budget Detail,ಬಜೆಟ್ ವಿವರ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ಕಳುಹಿಸುವ ಮೊದಲು ಸಂದೇಶವನ್ನು ನಮೂದಿಸಿ
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ಸರಬರಾಜುದಾರರು ನಕಲು
-DocType: Email Digest,Pending Quotations,ಬಾಕಿ ಉಲ್ಲೇಖಗಳು
-DocType: Delivery Note,Distance (KM),ದೂರ (ಕೆಎಂ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,ಪೂರೈಕೆದಾರ&gt; ಪೂರೈಕೆದಾರ ಗುಂಪು
 DocType: Asset,Custodian,ರಕ್ಷಕ
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ ವಿವರ
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ ವಿವರ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 ಮತ್ತು 100 ರ ನಡುವಿನ ಮೌಲ್ಯವಾಗಿರಬೇಕು
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1} ರಿಂದ {1} ಗೆ {2} ಗೆ ಪಾವತಿ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,ಅಸುರಕ್ಷಿತ ಸಾಲ
@@ -6350,10 +6418,10 @@
 DocType: Lead,Converted,ಪರಿವರ್ತಿತ
 DocType: Item,Has Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಹೊಂದಿದೆ
 DocType: Employee,Date of Issue,ಸಂಚಿಕೆ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ಖರೀದಿ Reciept ಅಗತ್ಯವಿದೆ == &#39;ಹೌದು&#39;, ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಖರೀದಿ ರಸೀತಿ ರಚಿಸಬೇಕಾಗಿದೆ ವೇಳೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ಖರೀದಿ Reciept ಅಗತ್ಯವಿದೆ == &#39;ಹೌದು&#39;, ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಖರೀದಿ ರಸೀತಿ ರಚಿಸಬೇಕಾಗಿದೆ ವೇಳೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},ರೋ # {0}: ಐಟಂ ಹೊಂದಿಸಿ ಸರಬರಾಜುದಾರ {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,ರೋ {0}: ಗಂಟೆಗಳು ಮೌಲ್ಯವನ್ನು ಶೂನ್ಯ ಹೆಚ್ಚು ಇರಬೇಕು.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,ಐಟಂ {1} ಜೋಡಿಸಲಾದ ವೆಬ್ಸೈಟ್ ಚಿತ್ರ {0} ದೊರೆಯುತ್ತಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,ಐಟಂ {1} ಜೋಡಿಸಲಾದ ವೆಬ್ಸೈಟ್ ಚಿತ್ರ {0} ದೊರೆಯುತ್ತಿಲ್ಲ
 DocType: Issue,Content Type,ವಿಷಯ ಪ್ರಕಾರ
 DocType: Asset,Assets,ಆಸ್ತಿಗಳು
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,ಗಣಕಯಂತ್ರ
@@ -6364,7 +6432,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,ಇತರ ಕರೆನ್ಸಿ ಖಾತೆಗಳನ್ನು ಅವಕಾಶ ಮಲ್ಟಿ ಕರೆನ್ಸಿ ಆಯ್ಕೆಯನ್ನು ಪರಿಶೀಲಿಸಿ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ಐಟಂ: {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,ನೀವು ಫ್ರೋಜನ್ ಮೌಲ್ಯವನ್ನು ಅಧಿಕಾರ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,ನೀವು ಫ್ರೋಜನ್ ಮೌಲ್ಯವನ್ನು ಅಧಿಕಾರ
 DocType: Payment Reconciliation,Get Unreconciled Entries,ರಾಜಿಯಾಗದ ನಮೂದುಗಳು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},ಉದ್ಯೋಗಿ {0} ಬಿಟ್ಟುಹೋಗಿದೆ {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿಗಾಗಿ ಯಾವುದೇ ಮರುಪಾವತಿಗಳನ್ನು ಆಯ್ಕೆ ಮಾಡಲಾಗಿಲ್ಲ
@@ -6382,13 +6450,14 @@
 ,Average Commission Rate,ಸರಾಸರಿ ಆಯೋಗದ ದರ
 DocType: Share Balance,No of Shares,ಷೇರುಗಳ ಸಂಖ್ಯೆ ಇಲ್ಲ
 DocType: Taxable Salary Slab,To Amount,ಮೊತ್ತಕ್ಕೆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,' ಸೀರಿಯಲ್ ನಂ ಹ್ಯಾಸ್ ' ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ' ಹೌದು ' ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,' ಸೀರಿಯಲ್ ನಂ ಹ್ಯಾಸ್ ' ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ' ಹೌದು ' ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,ಸ್ಥಿತಿ ಆಯ್ಕೆಮಾಡಿ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,ಅಟೆಂಡೆನ್ಸ್ ಭವಿಷ್ಯದ ದಿನಾಂಕ ಗುರುತಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Support Search Source,Post Description Key,ಪೋಸ್ಟ್ ವಿವರಣೆ ಕೀ
 DocType: Pricing Rule,Pricing Rule Help,ಬೆಲೆ ನಿಯಮ ಸಹಾಯ
 DocType: School House,House Name,ಹೌಸ್ ಹೆಸರು
 DocType: Fee Schedule,Total Amount per Student,ವಿದ್ಯಾರ್ಥಿಗಳಿಗೆ ಒಟ್ಟು ಮೊತ್ತ
+DocType: Opportunity,Sales Stage,ಮಾರಾಟದ ಹಂತ
 DocType: Purchase Taxes and Charges,Account Head,ಖಾತೆ ಹೆಡ್
 DocType: Company,HRA Component,ಎಚ್ಆರ್ಎ ಕಾಂಪೊನೆಂಟ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,ವಿದ್ಯುತ್ತಿನ
@@ -6396,15 +6465,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),ಒಟ್ಟು ಮೌಲ್ಯ ವ್ಯತ್ಯಾಸ (ಔಟ್ - ರಲ್ಲಿ)
 DocType: Grant Application,Requested Amount,ವಿನಂತಿಸಿದ ಮೊತ್ತ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,ಸಾಲು {0}: ವಿನಿಮಯ ದರ ಕಡ್ಡಾಯ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ಬಳಕೆದಾರ ID ನೌಕರ ಸೆಟ್ {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ಬಳಕೆದಾರ ID ನೌಕರ ಸೆಟ್ {0}
 DocType: Vehicle,Vehicle Value,ವಾಹನ ಮೌಲ್ಯ
 DocType: Crop Cycle,Detected Diseases,ಪತ್ತೆಯಾದ ರೋಗಗಳು
 DocType: Stock Entry,Default Source Warehouse,ಡೀಫಾಲ್ಟ್ ಮೂಲ ವೇರ್ಹೌಸ್
 DocType: Item,Customer Code,ಗ್ರಾಹಕ ಕೋಡ್
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},ಹುಟ್ಟುಹಬ್ಬದ ಜ್ಞಾಪನೆ {0}
 DocType: Asset Maintenance Task,Last Completion Date,ಕೊನೆಯ ಪೂರ್ಣಗೊಳಿಸುವಿಕೆ ದಿನಾಂಕ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ದಿನಗಳಿಂದಲೂ ಕೊನೆಯ ಆರ್ಡರ್
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
 DocType: Asset,Naming Series,ಸರಣಿ ಹೆಸರಿಸುವ
 DocType: Vital Signs,Coated,ಕೋಟೆಡ್
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ಸಾಲು {0}: ಉಪಯುಕ್ತ ಜೀವನ ನಂತರ ನಿರೀಕ್ಷಿತ ಮೌಲ್ಯವು ಒಟ್ಟು ಮೊತ್ತದ ಮೊತ್ತಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬೇಕು
@@ -6422,15 +6490,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸಿದ ಮಾಡಬಾರದು
 DocType: Notification Control,Sales Invoice Message,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಸಂದೇಶ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,ಖಾತೆ {0} ಮುಚ್ಚುವ ರೀತಿಯ ಹೊಣೆಗಾರಿಕೆ / ಇಕ್ವಿಟಿ ಇರಬೇಕು
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಸಮಯ ಹಾಳೆ ದಾಖಲಿಸಿದವರು {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಸಮಯ ಹಾಳೆ ದಾಖಲಿಸಿದವರು {1}
 DocType: Vehicle Log,Odometer,ದೂರಮಾಪಕ
 DocType: Production Plan Item,Ordered Qty,ಪ್ರಮಾಣ ಆದೇಶ
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
 DocType: Stock Settings,Stock Frozen Upto,ಸ್ಟಾಕ್ ಘನೀಕೃತ ವರೆಗೆ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,ಬಿಒಎಮ್ ಯಾವುದೇ ಸ್ಟಾಕ್ ಐಟಂ ಹೊಂದಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,ಬಿಒಎಮ್ ಯಾವುದೇ ಸ್ಟಾಕ್ ಐಟಂ ಹೊಂದಿಲ್ಲ
 DocType: Chapter,Chapter Head,ಅಧ್ಯಾಯ ಹೆಡ್
 DocType: Payment Term,Month(s) after the end of the invoice month,ಸರಕುಪಟ್ಟಿ ತಿಂಗಳ ನಂತರ ತಿಂಗಳ (ರು)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ಸಂಬಳದ ರಚನೆಯು ಅನುಕೂಲಕರ ಮೊತ್ತವನ್ನು ವಿತರಿಸಲು ಹೊಂದಿಕೊಳ್ಳುವ ಪ್ರಯೋಜನ ಘಟಕವನ್ನು (ರು) ಹೊಂದಿರಬೇಕು
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ಸಂಬಳದ ರಚನೆಯು ಅನುಕೂಲಕರ ಮೊತ್ತವನ್ನು ವಿತರಿಸಲು ಹೊಂದಿಕೊಳ್ಳುವ ಪ್ರಯೋಜನ ಘಟಕವನ್ನು (ರು) ಹೊಂದಿರಬೇಕು
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,ಪ್ರಾಜೆಕ್ಟ್ ಚಟುವಟಿಕೆ / ಕೆಲಸ .
 DocType: Vital Signs,Very Coated,ಬಹಳ ಕೋಟೆಡ್
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),ಕೇವಲ ತೆರಿಗೆ ಇಂಪ್ಯಾಕ್ಟ್ (ಕ್ಲೈಮ್ ಮಾಡಲಾಗುವುದಿಲ್ಲ ಆದರೆ ತೆರಿಗೆ ಆದಾಯದ ಭಾಗ)
@@ -6448,7 +6516,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,ಬಿಲ್ಲಿಂಗ್ ಅವರ್ಸ್
 DocType: Project,Total Sales Amount (via Sales Order),ಒಟ್ಟು ಮಾರಾಟದ ಮೊತ್ತ (ಸೇಲ್ಸ್ ಆರ್ಡರ್ ಮೂಲಕ)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,ಫಾರ್ {0} ಕಂಡುಬಂದಿಲ್ಲ ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,ರೋ # {0}: ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ ಹೊಂದಿಸಿ
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,ರೋ # {0}: ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ಅವುಗಳನ್ನು ಇಲ್ಲಿ ಸೇರಿಸಲು ಐಟಂಗಳನ್ನು ಟ್ಯಾಪ್
 DocType: Fees,Program Enrollment,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ
 DocType: Share Transfer,To Folio No,ಫೋಲಿಯೊ ಸಂಖ್ಯೆ
@@ -6491,9 +6559,9 @@
 DocType: SG Creation Tool Course,Max Strength,ಮ್ಯಾಕ್ಸ್ ಸಾಮರ್ಥ್ಯ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,ಪೂರ್ವನಿಗದಿಗಳು ಅನುಸ್ಥಾಪಿಸುವುದು
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH - .YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ಗ್ರಾಹಕರಲ್ಲಿ ಯಾವುದೇ ಡೆಲಿವರಿ ಸೂಚನೆ ಆಯ್ಕೆ ಮಾಡಲಾಗಿಲ್ಲ {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ಗ್ರಾಹಕರಲ್ಲಿ ಯಾವುದೇ ಡೆಲಿವರಿ ಸೂಚನೆ ಆಯ್ಕೆ ಮಾಡಲಾಗಿಲ್ಲ {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,ಉದ್ಯೋಗಿ {0} ಗರಿಷ್ಠ ಲಾಭದ ಮೊತ್ತವನ್ನು ಹೊಂದಿಲ್ಲ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,ಡೆಲಿವರಿ ದಿನಾಂಕವನ್ನು ಆಧರಿಸಿ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,ಡೆಲಿವರಿ ದಿನಾಂಕವನ್ನು ಆಧರಿಸಿ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Grant Application,Has any past Grant Record,ಯಾವುದೇ ಹಿಂದಿನ ಗ್ರಾಂಟ್ ರೆಕಾರ್ಡ್ ಇದೆ
 ,Sales Analytics,ಮಾರಾಟದ ಅನಾಲಿಟಿಕ್ಸ್
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ಲಭ್ಯವಿರುವ {0}
@@ -6502,12 +6570,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,ಉತ್ಪಾದನಾ ಸೆಟ್ಟಿಂಗ್ಗಳು
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ಇಮೇಲ್ ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 ಮೊಬೈಲ್ ಇಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,CompanyMaster ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,CompanyMaster ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ನಮೂದಿಸಿ
 DocType: Stock Entry Detail,Stock Entry Detail,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ವಿವರಗಳು
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,ದೈನಂದಿನ ಜ್ಞಾಪನೆಗಳನ್ನು
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,ದೈನಂದಿನ ಜ್ಞಾಪನೆಗಳನ್ನು
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,ಎಲ್ಲಾ ತೆರೆದ ಟಿಕೆಟ್ಗಳನ್ನು ನೋಡಿ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,ಆರೋಗ್ಯ ಸೇವೆ ಘಟಕ ಮರ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,ಉತ್ಪನ್ನ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,ಉತ್ಪನ್ನ
 DocType: Products Settings,Home Page is Products,ಮುಖಪುಟ ಉತ್ಪನ್ನಗಳು ಆಗಿದೆ
 ,Asset Depreciation Ledger,ಆಸ್ತಿ ಸವಕಳಿ ಲೆಡ್ಜರ್
 DocType: Salary Structure,Leave Encashment Amount Per Day,ದಿನಕ್ಕೆ ಎನ್ಕ್ಯಾಶ್ಮೆಂಟ್ ಮೊತ್ತವನ್ನು ಬಿಡಿ
@@ -6517,8 +6585,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಸರಬರಾಜು ವೆಚ್ಚ
 DocType: Selling Settings,Settings for Selling Module,ಮಾಡ್ಯೂಲ್ ಮಾರಾಟವಾಗುವ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Hotel Room Reservation,Hotel Room Reservation,ಹೋಟೆಲ್ ಕೊಠಡಿ ಮೀಸಲಾತಿ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,ಗ್ರಾಹಕ ಸೇವೆ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,ಗ್ರಾಹಕ ಸೇವೆ
 DocType: BOM,Thumbnail,ಥಂಬ್ನೇಲ್
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ಇಮೇಲ್ ID ಗಳೊಂದಿಗಿನ ಯಾವುದೇ ಸಂಪರ್ಕಗಳು ಕಂಡುಬಂದಿಲ್ಲ.
 DocType: Item Customer Detail,Item Customer Detail,ಗ್ರಾಹಕ ಐಟಂ ವಿವರ
 DocType: Notification Control,Prompt for Email on Submission of,ಸಲ್ಲಿಕೆ ಇಮೇಲ್ ಪ್ರಾಂಪ್ಟಿನಲ್ಲಿ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},ಉದ್ಯೋಗಿಗಳ ಗರಿಷ್ಠ ಲಾಭದ ಮೊತ್ತವು {0} ಮೀರುತ್ತದೆ {1}
@@ -6528,7 +6597,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ಐಟಂ {0} ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,ಪ್ರೋಗ್ರೆಸ್ ಉಗ್ರಾಣದಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಕೆಲಸ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} ಅತಿಕ್ರಮಿಸುವಿಕೆಗಾಗಿ, ನೀವು ಅತಿಕ್ರಮಿಸಿದ ಸ್ಲಾಟ್ಗಳನ್ನು ಬಿಟ್ಟು ನಂತರ ಮುಂದುವರಿಯಲು ಬಯಸುವಿರಾ?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,ಅಕೌಂಟಿಂಗ್ ವ್ಯವಹಾರ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು .
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,ಅಕೌಂಟಿಂಗ್ ವ್ಯವಹಾರ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು .
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,ಗ್ರಾಂಟ್ ಎಲೆಗಳು
 DocType: Restaurant,Default Tax Template,ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} ವಿದ್ಯಾರ್ಥಿಗಳು ಸೇರಿಕೊಂಡಿದ್ದಾರೆ
@@ -6536,6 +6605,7 @@
 DocType: Purchase Invoice Item,Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ
 DocType: Purchase Invoice Item,Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ
 DocType: Contract,Requires Fulfilment,ಪೂರೈಸುವ ಅಗತ್ಯವಿದೆ
+DocType: QuickBooks Migrator,Default Shipping Account,ಡೀಫಾಲ್ಟ್ ಶಿಪ್ಪಿಂಗ್ ಖಾತೆ
 DocType: Loan,Repayment Period in Months,ತಿಂಗಳಲ್ಲಿ ಮರುಪಾವತಿಯ ಅವಧಿಯ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ದೋಷ: ಮಾನ್ಯ ಐಡಿ?
 DocType: Naming Series,Update Series Number,ಅಪ್ಡೇಟ್ ಸರಣಿ ಸಂಖ್ಯೆ
@@ -6549,11 +6619,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,ಗರಿಷ್ಠ ಮೊತ್ತ
 DocType: Journal Entry,Total Amount Currency,ಒಟ್ಟು ಪ್ರಮಾಣ ಕರೆನ್ಸಿ
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ಹುಡುಕು ಉಪ ಅಸೆಂಬ್ಲೀಸ್
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},ರೋ ನಂ ಅಗತ್ಯವಿದೆ ಐಟಂ ಕೋಡ್ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},ರೋ ನಂ ಅಗತ್ಯವಿದೆ ಐಟಂ ಕೋಡ್ {0}
 DocType: GST Account,SGST Account,ಎಸ್ಜಿಎಸ್ಟಿ ಖಾತೆ
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,ಐಟಂಗಳಿಗೆ ಹೋಗಿ
 DocType: Sales Partner,Partner Type,ಸಂಗಾತಿ ಪ್ರಕಾರ
-DocType: Purchase Taxes and Charges,Actual,ವಾಸ್ತವಿಕ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,ವಾಸ್ತವಿಕ
 DocType: Restaurant Menu,Restaurant Manager,ರೆಸ್ಟೋರೆಂಟ್ ಮ್ಯಾನೇಜರ್
 DocType: Authorization Rule,Customerwise Discount,Customerwise ಡಿಸ್ಕೌಂಟ್
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,ಕಾರ್ಯಗಳಿಗಾಗಿ timesheet.
@@ -6574,7 +6644,7 @@
 DocType: Employee,Cheque,ಚೆಕ್
 DocType: Training Event,Employee Emails,ಉದ್ಯೋಗಿ ಇಮೇಲ್ಗಳು
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,ಸರಣಿ Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,ವರದಿ ಪ್ರಕಾರ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,ವರದಿ ಪ್ರಕಾರ ಕಡ್ಡಾಯ
 DocType: Item,Serial Number Series,ಕ್ರಮ ಸಂಖ್ಯೆ ಸರಣಿ
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ವೇರ್ಹೌಸ್ ಸ್ಟಾಕ್ ಐಟಂ ಕಡ್ಡಾಯ {0} ಸತತವಾಗಿ {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,ಚಿಲ್ಲರೆ & ಸಗಟು
@@ -6605,7 +6675,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,ಮಾರಾಟದ ಆರ್ಡರ್ನಲ್ಲಿ ಬಿಲ್ ಮಾಡಿದ ಮೊತ್ತವನ್ನು ನವೀಕರಿಸಿ
 DocType: BOM,Materials,ಮೆಟೀರಿಯಲ್
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ಪರೀಕ್ಷಿಸಿದ್ದು ಅಲ್ಲ, ಪಟ್ಟಿ ಇದು ಅನ್ವಯಿಸಬಹುದು ಅಲ್ಲಿ ಪ್ರತಿ ಇಲಾಖೆಗಳು ಸೇರಿಸಲಾಗುತ್ತದೆ ಹೊಂದಿರುತ್ತದೆ ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಪೋಸ್ಟ್ ಸಮಯದಲ್ಲಿ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಪೋಸ್ಟ್ ಸಮಯದಲ್ಲಿ ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ವ್ಯವಹಾರ ಖರೀದಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ .
 ,Item Prices,ಐಟಂ ಬೆಲೆಗಳು
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ನೀವು ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ.
@@ -6621,12 +6691,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),ಆಸ್ತಿ ಸವಕಳಿ ಪ್ರವೇಶಕ್ಕಾಗಿ ಸರಣಿ (ಜರ್ನಲ್ ಎಂಟ್ರಿ)
 DocType: Membership,Member Since,ಸದಸ್ಯರು
 DocType: Purchase Invoice,Advance Payments,ಅಡ್ವಾನ್ಸ್ ಪಾವತಿಗಳು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,ದಯವಿಟ್ಟು ಆರೋಗ್ಯ ಸೇವೆ ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,ದಯವಿಟ್ಟು ಆರೋಗ್ಯ ಸೇವೆ ಆಯ್ಕೆ ಮಾಡಿ
 DocType: Purchase Taxes and Charges,On Net Total,ನೆಟ್ ಒಟ್ಟು ರಂದು
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ಲಕ್ಷಣ {0} ಮೌಲ್ಯವನ್ನು ವ್ಯಾಪ್ತಿಯಲ್ಲಿ ಇರಬೇಕು {1} ನಿಂದ {2} ಏರಿಕೆಗಳಲ್ಲಿ {3} ಐಟಂ {4}
 DocType: Restaurant Reservation,Waitlisted,ನಿರೀಕ್ಷಿತ ಪಟ್ಟಿ
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ವಿನಾಯಿತಿ ವರ್ಗ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,ಕರೆನ್ಸಿ ಕೆಲವು ಇತರ ಕರೆನ್ಸಿ ಬಳಸಿಕೊಂಡು ನಮೂದುಗಳನ್ನು ಮಾಡಿದ ನಂತರ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,ಕರೆನ್ಸಿ ಕೆಲವು ಇತರ ಕರೆನ್ಸಿ ಬಳಸಿಕೊಂಡು ನಮೂದುಗಳನ್ನು ಮಾಡಿದ ನಂತರ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Shipping Rule,Fixed,ಸ್ಥಿರ
 DocType: Vehicle Service,Clutch Plate,ಕ್ಲಚ್ ಪ್ಲೇಟ್
 DocType: Company,Round Off Account,ಖಾತೆ ಆಫ್ ಸುತ್ತ
@@ -6635,7 +6705,7 @@
 DocType: Subscription Plan,Based on price list,ಬೆಲೆ ಪಟ್ಟಿ ಆಧರಿಸಿ
 DocType: Customer Group,Parent Customer Group,ಪೋಷಕ ಗ್ರಾಹಕ ಗುಂಪಿನ
 DocType: Vehicle Service,Change,ಬದಲಾವಣೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,ಚಂದಾದಾರಿಕೆ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,ಚಂದಾದಾರಿಕೆ
 DocType: Purchase Invoice,Contact Email,ಇಮೇಲ್ ಮೂಲಕ ಸಂಪರ್ಕಿಸಿ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ಶುಲ್ಕ ಸೃಷ್ಟಿ ಬಾಕಿ ಉಳಿದಿದೆ
 DocType: Appraisal Goal,Score Earned,ಸ್ಕೋರ್ ಗಳಿಸಿದರು
@@ -6663,23 +6733,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,ಸ್ವೀಕರಿಸುವಂತಹ / ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ
 DocType: Delivery Note Item,Against Sales Order Item,ಮಾರಾಟದ ಆರ್ಡರ್ ಐಟಂ ವಿರುದ್ಧ
 DocType: Company,Company Logo,ಕಂಪನಿ ಲೋಗೋ
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯ ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ {0}
-DocType: Item Default,Default Warehouse,ಡೀಫಾಲ್ಟ್ ವೇರ್ಹೌಸ್
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯ ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ {0}
+DocType: QuickBooks Migrator,Default Warehouse,ಡೀಫಾಲ್ಟ್ ವೇರ್ಹೌಸ್
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},ಬಜೆಟ್ ಗ್ರೂಪ್ ಖಾತೆ ವಿರುದ್ಧ ನಿಯೋಜಿಸಲಾಗುವುದು ಸಾಧ್ಯವಿಲ್ಲ {0}
 DocType: Shopping Cart Settings,Show Price,ಬೆಲೆ ತೋರಿಸಿ
 DocType: Healthcare Settings,Patient Registration,ರೋಗಿಯ ನೋಂದಣಿ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,ಮೂಲ ವೆಚ್ಚ ಸೆಂಟರ್ ನಮೂದಿಸಿ
 DocType: Delivery Note,Print Without Amount,ಪ್ರಮಾಣ ಇಲ್ಲದೆ ಮುದ್ರಿಸು
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,ಸವಕಳಿ ದಿನಾಂಕ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,ಸವಕಳಿ ದಿನಾಂಕ
 ,Work Orders in Progress,ಕೆಲಸದ ಆದೇಶಗಳು ಪ್ರಗತಿಯಲ್ಲಿದೆ
 DocType: Issue,Support Team,ಬೆಂಬಲ ತಂಡ
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),ಅಂತ್ಯ (ದಿನಗಳಲ್ಲಿ)
 DocType: Appraisal,Total Score (Out of 5),ಒಟ್ಟು ಸ್ಕೋರ್ ( 5)
 DocType: Student Attendance Tool,Batch,ಗುಂಪು
 DocType: Support Search Source,Query Route String,ಪ್ರಶ್ನೆ ಮಾರ್ಗ ಸ್ಟ್ರಿಂಗ್
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,ಕೊನೆಯ ಖರೀದಿ ಪ್ರಕಾರ ದರ ನವೀಕರಿಸಿ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,ಕೊನೆಯ ಖರೀದಿ ಪ್ರಕಾರ ದರ ನವೀಕರಿಸಿ
 DocType: Donor,Donor Type,ದಾನಿ ಕೌಟುಂಬಿಕತೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,ಸ್ವಯಂ ಪುನರಾವರ್ತಿತ ಡಾಕ್ಯುಮೆಂಟ್ ಅನ್ನು ನವೀಕರಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,ಸ್ವಯಂ ಪುನರಾವರ್ತಿತ ಡಾಕ್ಯುಮೆಂಟ್ ಅನ್ನು ನವೀಕರಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,ಬ್ಯಾಲೆನ್ಸ್
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,ದಯವಿಟ್ಟು ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ
 DocType: Job Card,Job Card,ಜಾಬ್ ಕಾರ್ಡ್
@@ -6693,7 +6763,7 @@
 DocType: Assessment Result,Total Score,ಒಟ್ಟು ಅಂಕ
 DocType: Crop Cycle,ISO 8601 standard,ಐಎಸ್ಒ 8601 ಸ್ಟ್ಯಾಂಡರ್ಡ್
 DocType: Journal Entry,Debit Note,ಡೆಬಿಟ್ ಚೀಟಿಯನ್ನು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,ಈ ಕ್ರಮದಲ್ಲಿ ಗರಿಷ್ಠ {0} ಅಂಕಗಳನ್ನು ಮಾತ್ರ ನೀವು ಪಡೆದುಕೊಳ್ಳಬಹುದು.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,ಈ ಕ್ರಮದಲ್ಲಿ ಗರಿಷ್ಠ {0} ಅಂಕಗಳನ್ನು ಮಾತ್ರ ನೀವು ಪಡೆದುಕೊಳ್ಳಬಹುದು.
 DocType: Expense Claim,HR-EXP-.YYYY.-,ಮಾನವ ಸಂಪನ್ಮೂಲ- EXP - .YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,ದಯವಿಟ್ಟು API ಗ್ರಾಹಕ ರಹಸ್ಯವನ್ನು ನಮೂದಿಸಿ
 DocType: Stock Entry,As per Stock UOM,ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ
@@ -6707,10 +6777,11 @@
 DocType: Journal Entry,Total Debit,ಒಟ್ಟು ಡೆಬಿಟ್
 DocType: Travel Request Costing,Sponsored Amount,ಪ್ರಾಯೋಜಿತ ಮೊತ್ತ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,ಡೀಫಾಲ್ಟ್ ತಯಾರಾದ ಸರಕುಗಳು ವೇರ್ಹೌಸ್
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,ದಯವಿಟ್ಟು ರೋಗಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,ದಯವಿಟ್ಟು ರೋಗಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,ಮಾರಾಟಗಾರ
 DocType: Hotel Room Package,Amenities,ಸೌಕರ್ಯಗಳು
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,ಬಜೆಟ್ ಮತ್ತು ವೆಚ್ಚದ ಕೇಂದ್ರ
+DocType: QuickBooks Migrator,Undeposited Funds Account,ಗುರುತಿಸಲಾಗದ ಫಂಡ್ಸ್ ಖಾತೆ
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,ಬಜೆಟ್ ಮತ್ತು ವೆಚ್ಚದ ಕೇಂದ್ರ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,ಬಹುಪಾಲು ಡೀಫಾಲ್ಟ್ ಮೋಡ್ ಅನ್ನು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Sales Invoice,Loyalty Points Redemption,ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳು ರಿಡೆಂಪ್ಶನ್
 ,Appointment Analytics,ನೇಮಕಾತಿ ಅನಾಲಿಟಿಕ್ಸ್
@@ -6724,6 +6795,7 @@
 DocType: Batch,Manufacturing Date,ಉತ್ಪಾದಿಸಿದ ದಿನಾಂಕ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,ಶುಲ್ಕ ಸೃಷ್ಟಿ ವಿಫಲವಾಗಿದೆ
 DocType: Opening Invoice Creation Tool,Create Missing Party,ಕಾಣೆಯಾದ ಪಾರ್ಟಿ ರಚಿಸಿ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,ಒಟ್ಟು ಬಜೆಟ್
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ನೀವು ವರ್ಷಕ್ಕೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಗುಂಪುಗಳು ಮಾಡಿದರೆ ಖಾಲಿ ಬಿಡಿ
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ನೀವು ವರ್ಷಕ್ಕೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಗುಂಪುಗಳು ಮಾಡಿದರೆ ಖಾಲಿ ಬಿಡಿ
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ಪರಿಶೀಲಿಸಿದರೆ, ಕೆಲಸ ದಿನಗಳ ಒಟ್ಟು ಯಾವುದೇ ರಜಾದಿನಗಳು ಸೇರಿವೆ , ಮತ್ತು ಈ ಸಂಬಳ ದಿನಕ್ಕೆ ಮೌಲ್ಯವನ್ನು ಕಡಿಮೆಗೊಳಿಸುತ್ತದೆ"
@@ -6741,20 +6813,19 @@
 DocType: Opportunity Item,Basic Rate,ಮೂಲ ದರದ
 DocType: GL Entry,Credit Amount,ಕ್ರೆಡಿಟ್ ಪ್ರಮಾಣ
 DocType: Cheque Print Template,Signatory Position,ಸಹಿ ಪೊಸಿಷನ್
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,ಲಾಸ್ಟ್ ಹೊಂದಿಸಿ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,ಲಾಸ್ಟ್ ಹೊಂದಿಸಿ
 DocType: Timesheet,Total Billable Hours,ಒಟ್ಟು ಬಿಲ್ ಮಾಡಬಹುದಾದ ಗಂಟೆಗಳ
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ಚಂದಾದಾರರು ಈ ಚಂದಾದಾರಿಕೆಯಿಂದ ಉತ್ಪತ್ತಿಯಾದ ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಪಾವತಿಸಬೇಕಾದ ದಿನಗಳ ಸಂಖ್ಯೆ
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ಉದ್ಯೋಗಿ ಲಾಭದ ವಿವರ ವಿವರ
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ಪಾವತಿ ರಸೀತಿ ಗಮನಿಸಿ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ಈ ಗ್ರಾಹಕ ವಿರುದ್ಧ ವ್ಯವಹಾರ ಆಧರಿಸಿದೆ. ಮಾಹಿತಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ
-DocType: Delivery Note,ODC,ಒಡಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ರೋ {0}: ನಿಗದಿ ಪ್ರಮಾಣದ {1} ಕಡಿಮೆ ಅಥವಾ ಪಾವತಿ ಎಂಟ್ರಿ ಪ್ರಮಾಣದ ಸಮನಾಗಿರುತ್ತದೆ ಮಾಡಬೇಕು {2}
 DocType: Program Enrollment Tool,New Academic Term,ಹೊಸ ಅಕಾಡೆಮಿಕ್ ಟರ್ಮ್
 ,Course wise Assessment Report,ಕೋರ್ಸ್ ಬುದ್ಧಿವಂತ ಅಂದಾಜು ವರದಿ
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ಐಟಿಸಿ ರಾಜ್ಯ / ಯುಟಿ ತೆರಿಗೆಯನ್ನು ಪಡೆದುಕೊಂಡಿದೆ
 DocType: Tax Rule,Tax Rule,ತೆರಿಗೆ ನಿಯಮ
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,ಮಾರಾಟ ಸೈಕಲ್ ಉದ್ದಕ್ಕೂ ಅದೇ ದರ ಕಾಯ್ದುಕೊಳ್ಳಲು
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Marketplace ನಲ್ಲಿ ಮತ್ತೊಂದನ್ನು ನೋಂದಾಯಿಸಲು ದಯವಿಟ್ಟು ಲಾಗಿನ್ ಮಾಡಿ
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Marketplace ನಲ್ಲಿ ಮತ್ತೊಂದನ್ನು ನೋಂದಾಯಿಸಲು ದಯವಿಟ್ಟು ಲಾಗಿನ್ ಮಾಡಿ
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ವರ್ಕ್ಸ್ಟೇಷನ್ ಕೆಲಸ ಅವಧಿಗಳನ್ನು ಹೊರತುಪಡಿಸಿ ಸಮಯ ದಾಖಲೆಗಳು ಯೋಜನೆ.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,ಸರದಿಯಲ್ಲಿ ಗ್ರಾಹಕರು
 DocType: Driver,Issuing Date,ವಿತರಿಸುವ ದಿನಾಂಕ
@@ -6763,11 +6834,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,ಮುಂದಿನ ಪ್ರಕ್ರಿಯೆಗಾಗಿ ಈ ವರ್ಕ್ ಆರ್ಡರ್ ಅನ್ನು ಸಲ್ಲಿಸಿ.
 ,Items To Be Requested,ಮನವಿ ಐಟಂಗಳನ್ನು
 DocType: Company,Company Info,ಕಂಪನಿ ಮಾಹಿತಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಹೊಸ ಗ್ರಾಹಕ ಸೇರಿಸು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಹೊಸ ಗ್ರಾಹಕ ಸೇರಿಸು
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಒಂದು ಖರ್ಚು ಹಕ್ಕು ಕಾಯ್ದಿರಿಸಲು ಅಗತ್ಯವಿದೆ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ನಿಧಿಗಳು ಅಪ್ಲಿಕೇಶನ್ ( ಆಸ್ತಿಗಳು )
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ಈ ನೌಕರರ ಹಾಜರಾತಿ ಆಧರಿಸಿದೆ
-DocType: Assessment Result,Summary,ಸಾರಾಂಶ
 DocType: Payment Request,Payment Request Type,ಪಾವತಿ ವಿನಂತಿ ಪ್ರಕಾರ
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,ಹಾಜರಾತಿ ಗುರುತಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ಡೆಬಿಟ್ ಖಾತೆ
@@ -6775,7 +6845,7 @@
 DocType: Additional Salary,Employee Name,ನೌಕರರ ಹೆಸರು
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,ರೆಸ್ಟೋರೆಂಟ್ ಆರ್ಡರ್ ಎಂಟ್ರಿ ಐಟಂ
 DocType: Purchase Invoice,Rounded Total (Company Currency),ದುಂಡಾದ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,ಖಾತೆ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಏಕೆಂದರೆ ಗ್ರೂಪ್ ನಿಗೂಢ ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,ಖಾತೆ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಏಕೆಂದರೆ ಗ್ರೂಪ್ ನಿಗೂಢ ಸಾಧ್ಯವಿಲ್ಲ.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,ಕೆಳಗಿನ ದಿನಗಳಲ್ಲಿ ಲೀವ್ ಅಪ್ಲಿಕೇಶನ್ ಮಾಡುವ ಬಳಕೆದಾರರನ್ನು ನಿಲ್ಲಿಸಿ .
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟ್ಗಳಿಗಾಗಿ ಅನಿಯಮಿತ ಅವಧಿ ವೇಳೆ, ಮುಕ್ತಾಯ ಅವಧಿ ಖಾಲಿ ಅಥವಾ 0 ಅನ್ನು ಇರಿಸಿ."
@@ -6796,11 +6866,12 @@
 DocType: Asset,Out of Order,ಆದೇಶದ ಹೊರಗೆ
 DocType: Purchase Receipt Item,Accepted Quantity,Accepted ಪ್ರಮಾಣ
 DocType: Projects Settings,Ignore Workstation Time Overlap,ವರ್ಕ್ಟೇಷನ್ ಸಮಯ ಅತಿಕ್ರಮಣವನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ ನೌಕರರ ಹಾಲಿಡೇ ಪಟ್ಟಿ ಸೆಟ್ {0} ಅಥವಾ ಕಂಪನಿ {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ ನೌಕರರ ಹಾಲಿಡೇ ಪಟ್ಟಿ ಸೆಟ್ {0} ಅಥವಾ ಕಂಪನಿ {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,ಬ್ಯಾಚ್ ಸಂಖ್ಯೆಗಳು ಆಯ್ಕೆ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN ಗೆ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN ಗೆ
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ಗ್ರಾಹಕರು ಬೆಳೆದ ಬಿಲ್ಲುಗಳನ್ನು .
+DocType: Healthcare Settings,Invoice Appointments Automatically,ಸರಕುಪಟ್ಟಿ ನೇಮಕಾತಿಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ಪ್ರಾಜೆಕ್ಟ್ ಐಡಿ
 DocType: Salary Component,Variable Based On Taxable Salary,ತೆರಿಗೆ ಸಂಬಳದ ಮೇಲೆ ವೇರಿಯೇಬಲ್ ಆಧರಿಸಿ
 DocType: Company,Basic Component,ಬೇಸಿಕ್ ಕಾಂಪೊನೆಂಟ್
@@ -6813,10 +6884,10 @@
 DocType: Stock Entry,Source Warehouse Address,ಮೂಲ ವೇರ್ಹೌಸ್ ವಿಳಾಸ
 DocType: GL Entry,Voucher Type,ಚೀಟಿ ಪ್ರಕಾರ
 DocType: Amazon MWS Settings,Max Retry Limit,ಮ್ಯಾಕ್ಸ್ ರಿಟ್ರಿ ಮಿತಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
 DocType: Student Applicant,Approved,Approved
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,ಬೆಲೆ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} ಮೇಲೆ ಬಿಡುಗಡೆ ನೌಕರರ ' ಎಡ ' ಹೊಂದಿಸಿ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} ಮೇಲೆ ಬಿಡುಗಡೆ ನೌಕರರ ' ಎಡ ' ಹೊಂದಿಸಿ
 DocType: Marketplace Settings,Last Sync On,ಕೊನೆಯ ಸಿಂಕ್ ಆನ್
 DocType: Guardian,Guardian,ಗಾರ್ಡಿಯನ್
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,ಇದನ್ನು ಒಳಗೊಂಡಂತೆ ಎಲ್ಲಾ ಸಂವಹನಗಳು ಹೊಸ ಸಂಚಿಕೆಗೆ ವರ್ಗಾಯಿಸಲ್ಪಡುತ್ತವೆ
@@ -6839,14 +6910,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ಮೈದಾನದಲ್ಲಿ ಪತ್ತೆಯಾದ ರೋಗಗಳ ಪಟ್ಟಿ. ಆಯ್ಕೆಮಾಡಿದಾಗ ಅದು ರೋಗದೊಂದಿಗೆ ವ್ಯವಹರಿಸಲು ಕಾರ್ಯಗಳ ಪಟ್ಟಿಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸೇರಿಸುತ್ತದೆ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,ಇದು ಮೂಲ ಆರೋಗ್ಯ ಸೇವೆ ಘಟಕವಾಗಿದೆ ಮತ್ತು ಸಂಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
 DocType: Asset Repair,Repair Status,ದುರಸ್ತಿ ಸ್ಥಿತಿ
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,ಮಾರಾಟದ ಪಾಲುದಾರರನ್ನು ಸೇರಿಸಿ
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,ಲೆಕ್ಕಪರಿಶೋಧಕ ಜರ್ನಲ್ ನಮೂದುಗಳು .
 DocType: Travel Request,Travel Request,ಪ್ರಯಾಣ ವಿನಂತಿ
 DocType: Delivery Note Item,Available Qty at From Warehouse,ಗೋದಾಮಿನ ಲಭ್ಯವಿದೆ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,ಮೊದಲ ನೌಕರರ ರೆಕಾರ್ಡ್ ಆಯ್ಕೆಮಾಡಿ.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,ರಜಾದಿನವಾಗಿ {0} ಹಾಜರಾತಿ ಸಲ್ಲಿಸಲಿಲ್ಲ.
 DocType: POS Profile,Account for Change Amount,ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆ
+DocType: QuickBooks Migrator,Connecting to QuickBooks,ಕ್ವಿಕ್ಬುಕ್ಸ್ನಲ್ಲಿ ಸಂಪರ್ಕಿಸಲಾಗುತ್ತಿದೆ
 DocType: Exchange Rate Revaluation,Total Gain/Loss,ಒಟ್ಟು ಲಾಭ / ನಷ್ಟ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,ಇಂಟರ್ ಕಂಪೆನಿ ಸರಕುಪಟ್ಟಿಗಾಗಿ ಅಮಾನ್ಯ ಕಂಪನಿ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,ಇಂಟರ್ ಕಂಪೆನಿ ಸರಕುಪಟ್ಟಿಗಾಗಿ ಅಮಾನ್ಯ ಕಂಪನಿ.
 DocType: Purchase Invoice,input service,ಇನ್ಪುಟ್ ಸೇವೆ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ಸಾಲು {0}: ಪಕ್ಷದ / ಖಾತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ {1} / {2} ನಲ್ಲಿ {3} {4}
 DocType: Employee Promotion,Employee Promotion,ನೌಕರರ ಪ್ರಚಾರ
@@ -6855,12 +6928,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,ಕೋರ್ಸ್ ಕೋಡ್:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ
 DocType: Account,Stock,ಸ್ಟಾಕ್
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಆರ್ಡರ್ ಖರೀದಿಸಿ ಒಂದು, ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಆರ್ಡರ್ ಖರೀದಿಸಿ ಒಂದು, ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
 DocType: Employee,Current Address,ಪ್ರಸ್ತುತ ವಿಳಾಸ
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ನಿಗದಿಸಬಹುದು ಹೊರತು ಐಟಂ ನಂತರ ವಿವರಣೆ, ಇಮೇಜ್, ಬೆಲೆ, ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟ್ ಸೆಟ್ ಮಾಡಲಾಗುತ್ತದೆ ಇತ್ಯಾದಿ ಮತ್ತೊಂದು ಐಟಂ ಒಂದು ಭೇದ ವೇಳೆ"
 DocType: Serial No,Purchase / Manufacture Details,ಖರೀದಿ / ತಯಾರಿಕೆ ವಿವರಗಳು
 DocType: Assessment Group,Assessment Group,ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,ಬ್ಯಾಚ್ ಇನ್ವೆಂಟರಿ
+DocType: Supplier,GST Transporter ID,ಜಿಎಸ್ಟಿ ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ಐಡಿ
 DocType: Procedure Prescription,Procedure Name,ಕಾರ್ಯವಿಧಾನದ ಹೆಸರು
 DocType: Employee,Contract End Date,ಕಾಂಟ್ರಾಕ್ಟ್ ಎಂಡ್ ದಿನಾಂಕ
 DocType: Amazon MWS Settings,Seller ID,ಮಾರಾಟಗಾರ ID
@@ -6880,12 +6954,12 @@
 DocType: Company,Date of Incorporation,ಸಂಯೋಜನೆಯ ದಿನಾಂಕ
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ಒಟ್ಟು ತೆರಿಗೆ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,ಕೊನೆಯ ಖರೀದಿಯ ಬೆಲೆ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,ಪ್ರಮಾಣ (ಪ್ರಮಾಣ ತಯಾರಿಸಲ್ಪಟ್ಟ) ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,ಪ್ರಮಾಣ (ಪ್ರಮಾಣ ತಯಾರಿಸಲ್ಪಟ್ಟ) ಕಡ್ಡಾಯ
 DocType: Stock Entry,Default Target Warehouse,ಡೀಫಾಲ್ಟ್ ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್
 DocType: Purchase Invoice,Net Total (Company Currency),ನೆಟ್ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
 DocType: Delivery Note,Air,ಏರ್
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ ವರ್ಷದ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮುಂಚಿತವಾಗಿರಬೇಕು ಸಾಧ್ಯವಿಲ್ಲ. ದಯವಿಟ್ಟು ದಿನಾಂಕಗಳನ್ನು ಸರಿಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ಐಚ್ಛಿಕ ಹಾಲಿಡೇ ಪಟ್ಟಿಯಲ್ಲಿ ಇಲ್ಲ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ಐಚ್ಛಿಕ ಹಾಲಿಡೇ ಪಟ್ಟಿಯಲ್ಲಿ ಇಲ್ಲ
 DocType: Notification Control,Purchase Receipt Message,ಖರೀದಿ ರಸೀತಿ ಸಂದೇಶ
 DocType: Amazon MWS Settings,JP,ಜೆಪಿ
 DocType: BOM,Scrap Items,ಸ್ಕ್ರ್ಯಾಪ್ ವಸ್ತುಗಳು
@@ -6908,23 +6982,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,ಈಡೇರಿದ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,ಹಿಂದಿನ ಸಾಲು ಪ್ರಮಾಣ ರಂದು
 DocType: Item,Has Expiry Date,ಅವಧಿ ಮುಗಿದಿದೆ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,ಟ್ರಾನ್ಸ್ಫರ್ ಸ್ವತ್ತು
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,ಟ್ರಾನ್ಸ್ಫರ್ ಸ್ವತ್ತು
 DocType: POS Profile,POS Profile,ಪಿಓಎಸ್ ವಿವರ
 DocType: Training Event,Event Name,ಈವೆಂಟ್ ಹೆಸರು
 DocType: Healthcare Practitioner,Phone (Office),ಫೋನ್ (ಕಚೇರಿ)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","ಸಲ್ಲಿಸಿಲ್ಲ, ನೌಕರರು ಹಾಜರಿದ್ದರು"
 DocType: Inpatient Record,Admission,ಪ್ರವೇಶ
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},ಪ್ರವೇಶಾತಿಯು {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","ಸ್ಥಾಪನೆಗೆ ಬಜೆಟ್, ಗುರಿಗಳನ್ನು ಇತ್ಯಾದಿ ಋತುಮಾನ"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","ಸ್ಥಾಪನೆಗೆ ಬಜೆಟ್, ಗುರಿಗಳನ್ನು ಇತ್ಯಾದಿ ಋತುಮಾನ"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ವೇರಿಯೇಬಲ್ ಹೆಸರು
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} ಐಟಂ ಒಂದು ಟೆಂಪ್ಲೇಟ್ ಆಗಿದೆ, ಅದರ ರೂಪಾಂತರಗಳು ಒಂದಾಗಿದೆ ಆಯ್ಕೆ ಮಾಡಿ"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ&gt; ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಉದ್ಯೋಗಿ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ
+DocType: Purchase Invoice Item,Deferred Expense,ಮುಂದೂಡಲ್ಪಟ್ಟ ಖರ್ಚು
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},ದಿನಾಂಕದಿಂದ {0} ಉದ್ಯೋಗಿ ಸೇರುವ ದಿನಾಂಕದ ಮೊದಲು ಇರುವಂತಿಲ್ಲ {1}
 DocType: Asset,Asset Category,ಆಸ್ತಿ ವರ್ಗ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
 DocType: Purchase Order,Advance Paid,ಅಡ್ವಾನ್ಸ್ ಪಾವತಿಸಿದ
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ಮಾರಾಟದ ಆದೇಶಕ್ಕಾಗಿ ಉತ್ಪಾದನೆ ಶೇಕಡಾವಾರು
 DocType: Item,Item Tax,ಐಟಂ ತೆರಿಗೆ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,ಸರಬರಾಜುದಾರ ವಸ್ತು
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,ಸರಬರಾಜುದಾರ ವಸ್ತು
 DocType: Soil Texture,Loamy Sand,ಲೋಮಿ ಸ್ಯಾಂಡ್
 DocType: Production Plan,Material Request Planning,ವಸ್ತು ವಿನಂತಿ ಯೋಜನೆ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,ಅಬಕಾರಿ ಸರಕುಪಟ್ಟಿ
@@ -6946,11 +7022,11 @@
 DocType: Scheduling Tool,Scheduling Tool,ನಿಗದಿಗೊಳಿಸುವ ಟೂಲ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್
 DocType: BOM,Item to be manufactured or repacked,ಉತ್ಪಾದಿತ ಅಥವಾ repacked ಎಂದು ಐಟಂ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},ಷರತ್ತಿನಲ್ಲಿ ಸಿಂಟ್ಯಾಕ್ಸ್ ದೋಷ: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},ಷರತ್ತಿನಲ್ಲಿ ಸಿಂಟ್ಯಾಕ್ಸ್ ದೋಷ: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST - .YYYY.-
 DocType: Employee Education,Major/Optional Subjects,ಮೇಜರ್ / ಐಚ್ಛಿಕ ವಿಷಯಗಳ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,ದಯವಿಟ್ಟು ಸೆಟ್ಟಿಂಗ್ಸ್ ಬೈಯಿಂಗ್ನಲ್ಲಿ ಸರಬರಾಜುದಾರ ಗುಂಪನ್ನು ಹೊಂದಿಸಿ.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,ದಯವಿಟ್ಟು ಸೆಟ್ಟಿಂಗ್ಸ್ ಬೈಯಿಂಗ್ನಲ್ಲಿ ಸರಬರಾಜುದಾರ ಗುಂಪನ್ನು ಹೊಂದಿಸಿ.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",ಒಟ್ಟು ಹೊಂದಿಕೊಳ್ಳುವ ಪ್ರಯೋಜನ ಘಟಕ ಮೊತ್ತವು {0} ಗರಿಷ್ಠ ಲಾಭಗಳಿಗಿಂತ ಕಡಿಮೆ ಇರಬಾರದು {1}
 DocType: Sales Invoice Item,Drop Ship,ಡ್ರಾಪ್ ಹಡಗು
 DocType: Driver,Suspended,ಅಮಾನತುಗೊಳಿಸಲಾಗಿದೆ
@@ -6969,7 +7045,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +51,Stock Levels,ಸ್ಟಾಕ್ ಲೆವೆಲ್ಸ್
 DocType: Customer,Commission Rate,ಕಮಿಷನ್ ದರ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,ಪಾವತಿ ನಮೂದುಗಳನ್ನು ಯಶಸ್ವಿಯಾಗಿ ರಚಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,ಭಿನ್ನ ಮಾಡಿ
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,ಭಿನ್ನ ಮಾಡಿ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","ಪಾವತಿ ಕೌಟುಂಬಿಕತೆ, ಸ್ವೀಕರಿಸಿ ಒಂದು ಇರಬೇಕು ಪೇ ಮತ್ತು ಆಂತರಿಕ ಟ್ರಾನ್ಸ್ಫರ್"
 DocType: Travel Itinerary,Preferred Area for Lodging,ವಸತಿಗಾಗಿ ಆದ್ಯತೆಯ ಪ್ರದೇಶ
 apps/erpnext/erpnext/config/selling.py +184,Analytics,ಅನಾಲಿಟಿಕ್ಸ್
@@ -6980,7 +7056,7 @@
 DocType: Work Order,Actual Operating Cost,ನಿಜವಾದ ವೆಚ್ಚವನ್ನು
 DocType: Payment Entry,Cheque/Reference No,ಚೆಕ್ / ಉಲ್ಲೇಖ ಇಲ್ಲ
 DocType: Soil Texture,Clay Loam,ಕ್ಲೇ ಲೊಮ್
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,ರೂಟ್ ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,ರೂಟ್ ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
 DocType: Item,Units of Measure,ಮಾಪನದ ಘಟಕಗಳಿಗೆ
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,ಮೆಟ್ರೋ ಸಿಟಿ ಬಾಡಿಗೆಗೆ
 DocType: Supplier,Default Tax Withholding Config,ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವುದು ಕಾನ್ಫಿಗರೇಶನ್
@@ -6998,21 +7074,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ಪಾವತಿ ನಂತರ ಆಯ್ಕೆ ಪುಟ ಬಳಕೆದಾರ ಮರುನಿರ್ದೇಶನ.
 DocType: Company,Existing Company,ಕಂಪನಿಯ
 DocType: Healthcare Settings,Result Emailed,ಫಲಿತಾಂಶ ಇಮೇಲ್ ಮಾಡಲಾಗಿದೆ
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ತೆರಿಗೆ ಬದಲಿಸಿ ಬದಲಾಯಿಸಲಾಗಿದೆ &quot;ಒಟ್ಟು&quot; ಎಲ್ಲಾ ವಸ್ತುಗಳು ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂಗಳನ್ನು ಏಕೆಂದರೆ
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ತೆರಿಗೆ ಬದಲಿಸಿ ಬದಲಾಯಿಸಲಾಗಿದೆ &quot;ಒಟ್ಟು&quot; ಎಲ್ಲಾ ವಸ್ತುಗಳು ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂಗಳನ್ನು ಏಕೆಂದರೆ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,ಇಲ್ಲಿಯವರೆಗೂ ದಿನಾಂಕದಿಂದ ಸಮ ಅಥವಾ ಕಡಿಮೆ ಇರುವಂತಿಲ್ಲ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,ಬದಲಿಸಲು ಏನೂ ಇಲ್ಲ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ಒಂದು CSV ಕಡತ ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,ಒಂದು CSV ಕಡತ ಆಯ್ಕೆ ಮಾಡಿ
 DocType: Holiday List,Total Holidays,ಒಟ್ಟು ರಜಾದಿನಗಳು
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,ರವಾನೆಗಾಗಿ ಇಮೇಲ್ ಟೆಂಪ್ಲೇಟ್ ಕಳೆದುಹೋಗಿದೆ. ದಯವಿಟ್ಟು ಡೆಲಿವರಿ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಒಂದನ್ನು ಹೊಂದಿಸಿ.
 DocType: Student Leave Application,Mark as Present,ಪ್ರೆಸೆಂಟ್ ಮಾರ್ಕ್
 DocType: Supplier Scorecard,Indicator Color,ಸೂಚಕ ಬಣ್ಣ
 DocType: Purchase Order,To Receive and Bill,ಸ್ವೀಕರಿಸಿ ಮತ್ತು ಬಿಲ್
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,ಸಾಲು # {0}: ದಿನಾಂಕದಂದು Reqd ಟ್ರಾನ್ಸಾಕ್ಷನ್ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,ಸಾಲು # {0}: ದಿನಾಂಕದಂದು Reqd ಟ್ರಾನ್ಸಾಕ್ಷನ್ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರುವಂತಿಲ್ಲ
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ವೈಶಿಷ್ಟ್ಯದ ಉತ್ಪನ್ನಗಳು
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಆಯ್ಕೆಮಾಡಿ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,ಡಿಸೈನರ್
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ಟೆಂಪ್ಲೇಟು
 DocType: Serial No,Delivery Details,ಡೆಲಿವರಿ ವಿವರಗಳು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},ವೆಚ್ಚ ಸೆಂಟರ್ ಸಾಲು ಅಗತ್ಯವಿದೆ {0} ತೆರಿಗೆಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾದರಿ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},ವೆಚ್ಚ ಸೆಂಟರ್ ಸಾಲು ಅಗತ್ಯವಿದೆ {0} ತೆರಿಗೆಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾದರಿ {1}
 DocType: Program,Program Code,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಕೋಡ್
 DocType: Terms and Conditions,Terms and Conditions Help,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ಸಹಾಯ
 ,Item-wise Purchase Register,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀದಿ ನೋಂದಣಿ
@@ -7025,15 +7102,16 @@
 DocType: Contract,Contract Terms,ಕಾಂಟ್ರಾಕ್ಟ್ ನಿಯಮಗಳು
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ಮುಂದಿನ ಕರೆನ್ಸಿಗಳ $ ಇತ್ಯಾದಿ ಯಾವುದೇ ಸಂಕೇತ ತೋರಿಸುವುದಿಲ್ಲ.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},ಗರಿಷ್ಠ ಲಾಭದ ಅಂಶವು {0} ಮೀರುತ್ತದೆ {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(ಅರ್ಧ ದಿನ)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(ಅರ್ಧ ದಿನ)
 DocType: Payment Term,Credit Days,ಕ್ರೆಡಿಟ್ ಡೇಸ್
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,ಲ್ಯಾಬ್ ಪರೀಕ್ಷೆಗಳನ್ನು ಪಡೆಯಲು ರೋಗಿಯನ್ನು ಆಯ್ಕೆಮಾಡಿ
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಮಾಡಿ
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,ಉತ್ಪಾದನೆಗಾಗಿ ವರ್ಗಾವಣೆಗೆ ಅನುಮತಿಸಿ
 DocType: Leave Type,Is Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಇದೆ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ಟೈಮ್ ಡೇಸ್ ಲೀಡ್
 DocType: Cash Flow Mapping,Is Income Tax Expense,ಆದಾಯ ತೆರಿಗೆ ಖರ್ಚು
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,ವಿತರಣೆಗಾಗಿ ನಿಮ್ಮ ಆದೇಶ ಹೊರಗಿದೆ!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ರೋ # {0}: ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಖರೀದಿ ದಿನಾಂಕ ಅದೇ ಇರಬೇಕು {1} ಸ್ವತ್ತಿನ {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ವಿದ್ಯಾರ್ಥಿ ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ನ ಹಾಸ್ಟೆಲ್ ನಲ್ಲಿ ವಾಸಿಸುವ ಇದೆ ಎಂಬುದನ್ನು ಪರಿಶೀಲಿಸಿ.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,ದಯವಿಟ್ಟು ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ನಮೂದಿಸಿ
@@ -7041,10 +7119,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,ಮತ್ತೊಂದು ಗೋದಾಮಿನ ಒಂದು ಆಸ್ತಿ ವರ್ಗಾವಣೆ
 DocType: Vehicle,Petrol,ಪೆಟ್ರೋಲ್
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),ಉಳಿದ ಲಾಭಗಳು (ವಾರ್ಷಿಕ)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,ಸಾಮಗ್ರಿಗಳ ಬಿಲ್ಲು
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,ಸಾಮಗ್ರಿಗಳ ಬಿಲ್ಲು
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ಸಾಲು {0}: ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಮತ್ತು ಪಕ್ಷದ ಸ್ವೀಕರಿಸುವಂತಹ / ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ಅಗತ್ಯವಿದೆ {1}
 DocType: Employee,Leave Policy,ಪಾಲಿಸಿಯನ್ನು ಬಿಡಿ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,ಐಟಂಗಳನ್ನು ನವೀಕರಿಸಿ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,ಐಟಂಗಳನ್ನು ನವೀಕರಿಸಿ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,ಉಲ್ಲೇಖ ದಿನಾಂಕ
 DocType: Employee,Reason for Leaving,ಲೀವಿಂಗ್ ಕಾರಣ
 DocType: BOM Operation,Operating Cost(Company Currency),ವೆಚ್ಚವನ್ನು (ಕಂಪನಿ ಕರೆನ್ಸಿ)
@@ -7055,7 +7133,7 @@
 DocType: Department,Expense Approvers,ಖರ್ಚು ವಿಚಾರ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},ಸಾಲು {0}: ಡೆಬಿಟ್ ಪ್ರವೇಶ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ ಒಂದು {1}
 DocType: Journal Entry,Subscription Section,ಚಂದಾದಾರಿಕೆ ವಿಭಾಗ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,ಖಾತೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,ಖಾತೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 DocType: Training Event,Training Program,ತರಬೇತಿ ಕಾರ್ಯಕ್ರಮ
 DocType: Account,Cash,ನಗದು
 DocType: Employee,Short biography for website and other publications.,ವೆಬ್ಸೈಟ್ ಮತ್ತು ಇತರ ಪ್ರಕಟಣೆಗಳು ಕಿರು ಜೀವನಚರಿತ್ರೆ.
diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv
index eabc78b..5c9d6ff 100644
--- a/erpnext/translations/ko.csv
+++ b/erpnext/translations/ko.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,고객 항목
 DocType: Project,Costing and Billing,원가 계산 및 결제
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},선금 계정 통화는 회사 통화 {0}과 같아야합니다.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,계정 {0} : 부모 계정은 {1} 원장이 될 수 없습니다
+DocType: QuickBooks Migrator,Token Endpoint,토큰 엔드 포인트
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,계정 {0} : 부모 계정은 {1} 원장이 될 수 없습니다
 DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com에 항목을 게시
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,활성 휴가 기간을 찾을 수 없습니다.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,활성 휴가 기간을 찾을 수 없습니다.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,평가
 DocType: Item,Default Unit of Measure,측정의 기본 단위
 DocType: SMS Center,All Sales Partner Contact,모든 판매 파트너 문의
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,추가하려면 Enter를 클릭하십시오.
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","비밀번호, API 키 또는 Shopify URL 값 누락"
 DocType: Employee,Rented,대여
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,모든 계정
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,모든 계정
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,상태가 왼쪽 인 직원을 이전 할 수 없습니다.
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","중지 생산 주문이 취소 될 수 없으며, 취소 먼저 ...의 마개를 따다"
 DocType: Vehicle Service,Mileage,사용량
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,당신은 정말이 자산을 스크랩 하시겠습니까?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,당신은 정말이 자산을 스크랩 하시겠습니까?
 DocType: Drug Prescription,Update Schedule,일정 업데이트
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,선택 기본 공급 업체
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,직원 표시
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,새로운 환율
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},환율은 가격 목록에 필요한 {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},환율은 가격 목록에 필요한 {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* 트랜잭션에서 계산됩니다.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT- .YYYY.-
 DocType: Purchase Order,Customer Contact,고객 연락처
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,이이 공급 업체에 대한 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,작업 주문에 대한 과잉 생산 백분율
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV- .YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,법률
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,법률
+DocType: Delivery Note,Transport Receipt Date,운송 영수증 날짜
 DocType: Shopify Settings,Sales Order Series,판매 주문 시리즈
 DocType: Vital Signs,Tongue,혀
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA 면제
 DocType: Sales Invoice,Customer Name,고객 이름
 DocType: Vehicle,Natural Gas,천연 가스
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},은행 계정으로 명명 할 수없는 {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},은행 계정으로 명명 할 수없는 {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,연봉 구조 당 HRA
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,머리 (또는 그룹)에있는 회계 항목은 만들어와 균형이 유지된다.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),뛰어난 {0}보다 작을 수 없습니다에 대한 ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,서비스 시작 날짜는 서비스 시작 날짜 이전 일 수 없습니다.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,서비스 시작 날짜는 서비스 시작 날짜 이전 일 수 없습니다.
 DocType: Manufacturing Settings,Default 10 mins,10 분을 기본
 DocType: Leave Type,Leave Type Name,유형 이름을 남겨주세요
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,오픈보기
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,오픈보기
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,시리즈가 업데이트
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,점검
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{1} 행의 {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{1} 행의 {0}
 DocType: Asset Finance Book,Depreciation Start Date,감가 상각비 기일
 DocType: Pricing Rule,Apply On,에 적용
 DocType: Item Price,Multiple Item prices.,여러 품목의 가격.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,지원 설정
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,예상 종료 날짜는 예상 시작 날짜보다 작을 수 없습니다
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS 설정
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,행 번호 {0} : 속도가 동일해야합니다 {1} {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,행 번호 {0} : 속도가 동일해야합니다 {1} {2} ({3} / {4})
 ,Batch Item Expiry Status,일괄 상품 만료 상태
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,은행 어음
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,기본 연락처 세부 정보
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,알려진 문제
 DocType: Production Plan Item,Production Plan Item,생산 계획 항목
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},사용자 {0}이 (가) 이미 직원에 할당 된 {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},사용자 {0}이 (가) 이미 직원에 할당 된 {1}
 DocType: Lab Test Groups,Add new line,새 줄 추가
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,건강 관리
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),지급 지연 (일)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,실험실 처방전
 ,Delay Days,지연 일
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,서비스 비용
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},일련 번호 : {0}은 (는) 판매 송장에서 이미 참조되었습니다. {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},일련 번호 : {0}은 (는) 판매 송장에서 이미 참조되었습니다. {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,송장
 DocType: Purchase Invoice Item,Item Weight Details,품목 무게 세부 사항
 DocType: Asset Maintenance Log,Periodicity,주기성
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,회계 연도는 {0} 필요
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,공급 업체&gt; 공급 업체 그룹
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,최적 성장을위한 식물의 줄 사이의 최소 거리
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,방어
 DocType: Salary Component,Abbr,약어
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,휴일 목록
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,회계사
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,판매 가격리스트
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,판매 가격리스트
 DocType: Patient,Tobacco Current Use,담배 현재 사용
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,판매율
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,판매율
 DocType: Cost Center,Stock User,재고 사용자
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,연락처 정보
 DocType: Company,Phone No,전화 번호
 DocType: Delivery Trip,Initial Email Notification Sent,보낸 초기 전자 메일 알림
 DocType: Bank Statement Settings,Statement Header Mapping,명령문 헤더 매핑
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,구독 시작 날짜
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,예약 채무를 예약하기 위해 환자에게 설정되지 않은 경우 사용할 기본 채권 계정.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","두 개의 열, 이전 이름에 대해 하나의 새로운 이름을 하나 .CSV 파일 첨부"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,주소 2부터
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,상품 코드&gt; 상품 그룹&gt; 브랜드
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,주소 2부터
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1}하지 활성 회계 연도한다.
 DocType: Packed Item,Parent Detail docname,부모 상세 docName 같은
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","참조 : {0}, 상품 코드 : {1} 및 고객 : {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,모회사에 {0} {1}이 (가) 없습니다.
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,모회사에 {0} {1}이 (가) 없습니다.
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,평가판 기간 종료 날짜는 평가판 기간 이전 일 수 없습니다. 시작 날짜
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,KG
 DocType: Tax Withholding Category,Tax Withholding Category,세금 원천 징수 카테고리
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,광고
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,같은 회사가 두 번 이상 입력
 DocType: Patient,Married,결혼 한
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},허용되지 {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},허용되지 {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,에서 항목을 가져 오기
 DocType: Price List,Price Not UOM Dependant,UOM에 의존하지 않는 가격
 DocType: Purchase Invoice,Apply Tax Withholding Amount,세금 원천 징수액 적용
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,총 크레딧 금액
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,총 크레딧 금액
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},제품 {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,나열된 항목이 없습니다.
 DocType: Asset Repair,Error Description,오류 설명
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,맞춤형 현금 흐름 형식 사용
 DocType: SMS Center,All Sales Person,모든 판매 사람
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** 월간 배포 ** 당신이 당신의 사업에 계절성이있는 경우는 개월에 걸쳐 예산 / 대상을 배포하는 데 도움이됩니다.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,항목을 찾을 수 없습니다
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,급여 구조 누락
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,항목을 찾을 수 없습니다
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,급여 구조 누락
 DocType: Lead,Person Name,사람 이름
 DocType: Sales Invoice Item,Sales Invoice Item,판매 송장 상품
 DocType: Account,Credit,신용
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,재고 보고서
 DocType: Warehouse,Warehouse Detail,창고 세부 정보
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,계약 기간 종료 날짜 나중에 용어가 연결되는 학술 올해의 연말 날짜 초과 할 수 없습니다 (학년 {}). 날짜를 수정하고 다시 시도하십시오.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","자산 레코드 항목에 대해 존재하는, 선택 해제 할 수 없습니다 &quot;고정 자산&quot;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","자산 레코드 항목에 대해 존재하는, 선택 해제 할 수 없습니다 &quot;고정 자산&quot;"
 DocType: Delivery Trip,Departure Time,출발 시각
 DocType: Vehicle Service,Brake Oil,브레이크 오일
 DocType: Tax Rule,Tax Type,세금의 종류
 ,Completed Work Orders,완료된 작업 주문
 DocType: Support Settings,Forum Posts,포럼 게시물
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,과세 대상 금액
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,과세 대상 금액
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},당신은 전에 항목을 추가하거나 업데이트 할 수있는 권한이 없습니다 {0}
 DocType: Leave Policy,Leave Policy Details,정책 세부 정보 남김
 DocType: BOM,Item Image (if not slideshow),상품의 이미지 (그렇지 않으면 슬라이드 쇼)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(시간  / 60) * 실제 작업 시간
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,행 번호 {0} : 참조 문서 유형은 경비 청구 또는 분개 중 하나 여야합니다.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,선택 BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,행 번호 {0} : 참조 문서 유형은 경비 청구 또는 분개 중 하나 여야합니다.
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,선택 BOM
 DocType: SMS Log,SMS Log,SMS 로그
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,배달 항목의 비용
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0}의 휴가 날짜부터 현재까지 사이 아니다
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,공급 업체 순위의 템플릿.
 DocType: Lead,Interested,관심
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,열기
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},에서 {0}에 {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},에서 {0}에 {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,프로그램:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,세금을 설정하지 못했습니다.
 DocType: Item,Copy From Item Group,상품 그룹에서 복사
-DocType: Delivery Trip,Delivery Notification,배달 알림
 DocType: Journal Entry,Opening Entry,항목 열기
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,계정 결제 만
 DocType: Loan,Repay Over Number of Periods,기간의 동안 수 상환
 DocType: Stock Entry,Additional Costs,추가 비용
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,기존 거래와 계정 그룹으로 변환 할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,기존 거래와 계정 그룹으로 변환 할 수 없습니다.
 DocType: Lead,Product Enquiry,제품 문의
 DocType: Education Settings,Validate Batch for Students in Student Group,학생 그룹의 학생들을위한 배치 확인
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},직원에 대한 검색 휴가를 기록하지 {0}의 {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,첫 번째 회사를 입력하십시오
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,처음 회사를 선택하세요
 DocType: Employee Education,Under Graduate,대학원에서
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,HR 설정에서 상태 알림 남기기에 대한 기본 템플릿을 설정하십시오.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,HR 설정에서 상태 알림 남기기에 대한 기본 템플릿을 설정하십시오.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,대상에
 DocType: BOM,Total Cost,총 비용
 DocType: Soil Analysis,Ca/K,칼슘 / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,거래명세표
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,제약
 DocType: Purchase Invoice Item,Is Fixed Asset,고정 자산입니다
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","사용 가능한 수량은 {0}, 당신은 필요가있다 {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","사용 가능한 수량은 {0}, 당신은 필요가있다 {1}"
 DocType: Expense Claim Detail,Claim Amount,청구 금액
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT- .YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},작업 지시가 {0}되었습니다.
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,품질 검사 템플릿
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",당신은 출석을 업데이트 하시겠습니까? <br> 현재 : {0} \ <br> 부재 {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},수락 + 거부 수량이 항목에 대한 수신 수량이 동일해야합니다 {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},수락 + 거부 수량이 항목에 대한 수신 수량이 동일해야합니다 {0}
 DocType: Item,Supply Raw Materials for Purchase,공급 원료 구매
 DocType: Agriculture Analysis Criteria,Fertilizer,비료
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",\ Item {0}이 \ Serial No.로 배달 보장 여부와 함께 추가되므로 일련 번호로 배송 할 수 없습니다.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,결제 적어도 하나의 모드는 POS 송장이 필요합니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,결제 적어도 하나의 모드는 POS 송장이 필요합니다.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,은행 계좌 거래 송장 품목
 DocType: Products Settings,Show Products as a List,제품 표시 목록으로
 DocType: Salary Detail,Tax on flexible benefit,탄력적 인 혜택에 대한 세금
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,비교 수량
 DocType: Production Plan,Material Request Detail,자재 요청 세부 사항
 DocType: Selling Settings,Default Quotation Validity Days,기본 견적 유효 기간
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","행에있는 세금을 포함하려면 {0} 항목의 요금에, 행의 세금은 {1}도 포함되어야한다"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","행에있는 세금을 포함하려면 {0} 항목의 요금에, 행의 세금은 {1}도 포함되어야한다"
 DocType: SMS Center,SMS Center,SMS 센터
 DocType: Payroll Entry,Validate Attendance,출석 확인
 DocType: Sales Invoice,Change Amount,변화량
 DocType: Party Tax Withholding Config,Certificate Received,수료증
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C에 대한 송장 값 설정. B2CL 및 B2CS는이 송장 값을 기반으로 계산됩니다.
 DocType: BOM Update Tool,New BOM,신규 BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,처방 된 절차
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,처방 된 절차
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,POS 만 표시
 DocType: Supplier Group,Supplier Group Name,공급 업체 그룹 이름
 DocType: Driver,Driving License Categories,운전 면허 카테고리
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,급여 기간
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,직원을
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,방송
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS (온라인 / 오프라인) 설정 모드
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS (온라인 / 오프라인) 설정 모드
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,작업 주문에 대한 시간 기록 생성을 비활성화합니다. 작업 지시에 따라 작업을 추적해서는 안됩니다.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,실행
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,작업의 세부 사항은 실시.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),가격 목록 요금에 할인 (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,항목 템플릿
 DocType: Job Offer,Select Terms and Conditions,이용 약관 선택
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,제한 값
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,제한 값
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,은행 계좌 명세서 설정 항목
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce 설정
 DocType: Production Plan,Sales Orders,판매 주문
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,견적 요청은 다음 링크를 클릭하여 액세스 할 수 있습니다
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG 생성 도구 코스
 DocType: Bank Statement Transaction Invoice Item,Payment Description,지불 설명
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,재고 부족
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,재고 부족
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,사용 안 함 용량 계획 및 시간 추적
 DocType: Email Digest,New Sales Orders,새로운 판매 주문
 DocType: Bank Account,Bank Account,은행 계좌
 DocType: Travel Itinerary,Check-out Date,체크 아웃 날짜
 DocType: Leave Type,Allow Negative Balance,음의 균형이 허용
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',프로젝트 유형 &#39;외부&#39;를 삭제할 수 없습니다.
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,대체 항목 선택
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,대체 항목 선택
 DocType: Employee,Create User,사용자 만들기
 DocType: Selling Settings,Default Territory,기본 지역
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,텔레비전
 DocType: Work Order Operation,Updated via 'Time Log','소요시간 로그'를 통해 업데이트 되었습니다.
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,고객 또는 공급 업체를 선택하십시오.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},사전 금액보다 클 수 없습니다 {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},사전 금액보다 클 수 없습니다 {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",시간 슬롯을 건너 뛰고 슬롯 {0}을 (를) {1} (으)로 이동하여 기존 슬롯 {2}을 (를) {3}
 DocType: Naming Series,Series List for this Transaction,이 트랜잭션에 대한 시리즈 일람
 DocType: Company,Enable Perpetual Inventory,영구 인벤토리 사용
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,견적서 항목에 대하여
 DocType: Agriculture Analysis Criteria,Linked Doctype,링크 된 Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Financing의 순 현금
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","로컬 저장이 가득, 저장하지 않은"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","로컬 저장이 가득, 저장하지 않은"
 DocType: Lead,Address & Contact,주소 및 연락처
 DocType: Leave Allocation,Add unused leaves from previous allocations,이전 할당에서 사용하지 않는 잎 추가
 DocType: Sales Partner,Partner website,파트너 웹 사이트
@@ -447,10 +447,10 @@
 ,Open Work Orders,작업 주문 열기
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,외래 환자 상담 요금 항목
 DocType: Payment Term,Credit Months,신용 월
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,인터넷 결제는 0보다 작은 수 없습니다
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,인터넷 결제는 0보다 작은 수 없습니다
 DocType: Contract,Fulfilled,완성 된
 DocType: Inpatient Record,Discharge Scheduled,방전 예정
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,날짜를 완화하는 것은 가입 날짜보다 커야합니다
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,날짜를 완화하는 것은 가입 날짜보다 커야합니다
 DocType: POS Closing Voucher,Cashier,출납원
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,연간 잎
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,행 {0} : 확인하시기 바랍니다이 계정에 대한 '사전인가'{1}이 사전 항목 인 경우.
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,학생 그룹에 학생을 설치하십시오.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,작업 완료
 DocType: Item Website Specification,Item Website Specification,항목 웹 사이트 사양
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,남겨 차단
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,남겨 차단
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,은행 입장
 DocType: Customer,Is Internal Customer,내부 고객
 DocType: Crop,Annual,연간
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",자동 선택 기능을 선택하면 고객이 관련 로열티 프로그램과 자동으로 연결됩니다 (저장시).
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,재고 조정 항목
 DocType: Stock Entry,Sales Invoice No,판매 송장 번호
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,공급 유형
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,공급 유형
 DocType: Material Request Item,Min Order Qty,최소 주문 수량
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,학생 그룹 생성 도구 코스
 DocType: Lead,Do Not Contact,연락하지 말라
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,허브에 게시
 DocType: Student Admission,Student Admission,학생 입학
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} 항목 취소
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} 항목 취소
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,감가 상각 행 {0} : 감가 상각 시작일이 과거 날짜로 입력됩니다.
 DocType: Contract Template,Fulfilment Terms and Conditions,이행 조건
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,자료 요청
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,자료 요청
 DocType: Bank Reconciliation,Update Clearance Date,업데이트 통관 날짜
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,구매 상세 정보
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},구매 주문에 &#39;원료 공급&#39;테이블에없는 항목 {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},구매 주문에 &#39;원료 공급&#39;테이블에없는 항목 {0} {1}
 DocType: Salary Slip,Total Principal Amount,총 교장 금액
 DocType: Student Guardian,Relation,관계
 DocType: Student Guardian,Mother,어머니
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,배송 카운티
 DocType: Currency Exchange,For Selling,판매용
 apps/erpnext/erpnext/config/desktop.py +159,Learn,배우다
+DocType: Purchase Invoice Item,Enable Deferred Expense,지연 지출 활성화
 DocType: Asset,Next Depreciation Date,다음 감가 상각 날짜
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,직원 당 활동 비용
 DocType: Accounts Settings,Settings for Accounts,계정에 대한 설정
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},공급 업체 송장 번호는 구매 송장에 존재 {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},공급 업체 송장 번호는 구매 송장에 존재 {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,판매 인 나무를 관리합니다.
 DocType: Job Applicant,Cover Letter,커버 레터
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,뛰어난 수표 및 취소 예금
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,외부 작업의 역사
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,순환 참조 오류
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,학생 성적표
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,핀 코드에서
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,핀 코드에서
 DocType: Appointment Type,Is Inpatient,입원 환자인가
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 이름
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,당신은 배달 주를 저장 한 단어에서 (수출) 표시됩니다.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,멀티 통화
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,송장 유형
 DocType: Employee Benefit Claim,Expense Proof,비용 증명
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,상품 수령증
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},{0} 저장 중
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,상품 수령증
 DocType: Patient Encounter,Encounter Impression,만남의 인상
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,세금 설정
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,판매 자산의 비용
 DocType: Volunteer,Morning,아침
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,당신이 그것을 끌어 후 결제 항목이 수정되었습니다.다시 당깁니다.
 DocType: Program Enrollment Tool,New Student Batch,새로운 학생 배치
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} 항목의 세금에 두 번 입력
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,이번 주 보류중인 활동에 대한 요약
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} 항목의 세금에 두 번 입력
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,이번 주 보류중인 활동에 대한 요약
 DocType: Student Applicant,Admitted,인정
 DocType: Workstation,Rent Cost,임대 비용
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,금액 감가 상각 후
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,금액 감가 상각 후
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,다가오는 일정 이벤트
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,변형 특성
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,월 및 연도를 선택하세요
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},만에 회사 당 1 계정이있을 수 있습니다 {0} {1}
 DocType: Support Search Source,Response Result Key Path,응답 결과 키 경로
 DocType: Journal Entry,Inter Company Journal Entry,회사 간료 항목
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},수량 {0}이 작업 주문 수량 {1}보다 높지 않아야합니다.
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,첨부 파일을 참조하시기 바랍니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},수량 {0}이 작업 주문 수량 {1}보다 높지 않아야합니다.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,첨부 파일을 참조하시기 바랍니다
 DocType: Purchase Order,% Received,% 수신
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,학생 그룹 만들기
 DocType: Volunteer,Weekends,주말
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,총 우수
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,기존 시리즈의 시작 / 현재의 순서 번호를 변경합니다.
 DocType: Dosage Strength,Strength,힘
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,새로운 고객을 만들기
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,새로운 고객을 만들기
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,만료
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","여러 가격의 규칙이 우선 계속되면, 사용자는 충돌을 해결하기 위해 수동으로 우선 순위를 설정하라는 메시지가 표시됩니다."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,구매 오더를 생성
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,소모품 비용
 DocType: Purchase Receipt,Vehicle Date,차량 날짜
 DocType: Student Log,Medical,의료
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,잃는 이유
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,마약을 선택하십시오.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,잃는 이유
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,마약을 선택하십시오.
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,리드 소유자는 납과 동일 할 수 없습니다
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,할당 된 금액은 조정되지 않은 금액보다 큰 수
 DocType: Announcement,Receiver,리시버
 DocType: Location,Area UOM,면적 UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},워크 스테이션 홀리데이 목록에 따라 다음과 같은 날짜에 닫혀 : {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,기회
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,기회
 DocType: Lab Test Template,Single,미혼
 DocType: Compensatory Leave Request,Work From Date,근무일로부터
 DocType: Salary Slip,Total Loan Repayment,총 대출 상환
+DocType: Project User,View attachments,첨부 파일보기
 DocType: Account,Cost of Goods Sold,매출원가
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,비용 센터를 입력 해주십시오
 DocType: Drug Prescription,Dosage,복용량
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,수량 및 평가
 DocType: Delivery Note,% Installed,% 설치
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,교실 / 강의는 예약 할 수 있습니다 연구소 등.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,두 회사의 회사 통화는 Inter Company Transactions와 일치해야합니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,두 회사의 회사 통화는 Inter Company Transactions와 일치해야합니다.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,첫 번째 회사 이름을 입력하십시오
 DocType: Travel Itinerary,Non-Vegetarian,비 채식주의 자
 DocType: Purchase Invoice,Supplier Name,공급 업체 이름
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,임시 보류 중
 DocType: Account,Is Group,IS 그룹
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,크레디트 노트 {0}이 (가) 자동으로 생성되었습니다.
-DocType: Email Digest,Pending Purchase Orders,구매 주문을 보류
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,자동으로 FIFO를 기반으로 제 직렬 설정
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,체크 공급 업체 송장 번호 특이 사항
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,기본 주소 정보
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,해당 이메일의 일부로가는 소개 텍스트를 사용자 정의 할 수 있습니다.각 트랜잭션은 별도의 소개 텍스트가 있습니다.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},행 {0} : 원료 항목 {1}에 대한 작업이 필요합니다.
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},회사 {0}에 대한 기본 지불 계정을 설정하십시오.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},중지 된 작업 명령 {0}에 대해 트랜잭션이 허용되지 않습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},중지 된 작업 명령 {0}에 대해 트랜잭션이 허용되지 않습니다.
 DocType: Setup Progress Action,Min Doc Count,최소 문서 개수
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,모든 제조 공정에 대한 글로벌 설정.
 DocType: Accounts Settings,Accounts Frozen Upto,까지에게 동결계정
 DocType: SMS Log,Sent On,에 전송
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,속성 {0} 속성 테이블에서 여러 번 선택
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,속성 {0} 속성 테이블에서 여러 번 선택
 DocType: HR Settings,Employee record is created using selected field. ,
 DocType: Sales Order,Not Applicable,적용 할 수 없음
 DocType: Amazon MWS Settings,UK,영국
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,직원 {0}이 {2}에 {1}을 이미 신청했습니다 :
 DocType: Inpatient Record,AB Positive,AB 긍정적
 DocType: Job Opening,Description of a Job Opening,구인에 대한 설명
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,오늘 보류 활동
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,오늘 보류 활동
 DocType: Salary Structure,Salary Component for timesheet based payroll.,작업 표 기반의 급여에 대한 급여의 구성 요소.
+DocType: Driver,Applicable for external driver,외부 드라이버에 적용 가능
 DocType: Sales Order Item,Used for Production Plan,생산 계획에 사용
 DocType: Loan,Total Payment,총 결제
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,완료된 작업 주문에 대해서는 거래를 취소 할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,완료된 작업 주문에 대해서는 거래를 취소 할 수 없습니다.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(분에) 작업 사이의 시간
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,모든 판매 오더 품목에 대해 PO가 생성되었습니다.
 DocType: Healthcare Service Unit,Occupied,가득차 있는
 DocType: Clinical Procedure,Consumables,소모품
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1}이 (가) 취소되어 작업을 완료 할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1}이 (가) 취소되어 작업을 완료 할 수 없습니다.
 DocType: Customer,Buyer of Goods and Services.,제품 및 서비스의 구매자.
 DocType: Journal Entry,Accounts Payable,미지급금
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,이 지불 요청에 설정된 {0} 금액은 모든 지불 계획의 계산 된 금액과 다릅니다 : {1}. 문서를 제출하기 전에 이것이 올바른지 확인하십시오.
 DocType: Patient,Allergies,알레르기
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,선택한 BOM의 동일한 항목에 대한 없습니다
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,선택한 BOM의 동일한 항목에 대한 없습니다
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,상품 코드 변경
 DocType: Supplier Scorecard Standing,Notify Other,다른 사람에게 알리기
 DocType: Vital Signs,Blood Pressure (systolic),혈압 (수축기)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,충분한 부품 작성하기
 DocType: POS Profile User,POS Profile User,POS 프로필 사용자
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,행 {0} : 감가 상각 시작일이 필요합니다.
-DocType: Sales Invoice Item,Service Start Date,서비스 시작 날짜
+DocType: Purchase Invoice Item,Service Start Date,서비스 시작 날짜
 DocType: Subscription Invoice,Subscription Invoice,구독 송장
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,직접 수입
 DocType: Patient Appointment,Date TIme,날짜 시간
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,실험실 루틴
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,화장품
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Completed Asset Maintenance Log의 완료 날짜를 선택하십시오.
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",병합하려면 다음과 같은 속성이 두 항목에 대해 동일해야합니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",병합하려면 다음과 같은 속성이 두 항목에 대해 동일해야합니다
 DocType: Supplier,Block Supplier,공급 업체 차단
 DocType: Shipping Rule,Net Weight,순중량
 DocType: Job Opening,Planned number of Positions,계획된 위치 수
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,현금 흐름 매핑 템플릿
 DocType: Travel Request,Costing Details,원가 계산 세부 사항
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Return Entries보기
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,일련 번호 항목 일부가 될 수 없습니다
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,일련 번호 항목 일부가 될 수 없습니다
 DocType: Journal Entry,Difference (Dr - Cr),차이 (박사 - 크롬)
 DocType: Bank Guarantee,Providing,제공
 DocType: Account,Profit and Loss,이익과 손실
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","허용되지 않음, 필요시 랩 테스트 템플릿 구성"
 DocType: Patient,Risk Factors,위험 요소
 DocType: Patient,Occupational Hazards and Environmental Factors,직업 위험 및 환경 요인
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,작업 공정을 위해 이미 생성 된 재고 항목
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,작업 공정을 위해 이미 생성 된 재고 항목
 DocType: Vital Signs,Respiratory rate,호흡
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,관리 하도급
 DocType: Vital Signs,Body Temperature,체온
 DocType: Project,Project will be accessible on the website to these users,프로젝트는 이러한 사용자에게 웹 사이트에 액세스 할 수 있습니다
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},일련 번호 {2}이 창고 {3}에 속해 있지 않으므로 {0} {1}을 (를) 취소 할 수 없습니다.
 DocType: Detected Disease,Disease,질병
+DocType: Company,Default Deferred Expense Account,기본 이연 비용 계정
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,프로젝트 유형을 정의하십시오.
 DocType: Supplier Scorecard,Weighting Function,가중치 함수
 DocType: Healthcare Practitioner,OP Consulting Charge,영업 컨설팅 담당
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,생산 품목
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,송장에 대한 거래 일치
 DocType: Sales Order Item,Gross Profit,매출 총 이익
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,송장 차단 해제
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,송장 차단 해제
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,증가는 0이 될 수 없습니다
 DocType: Company,Delete Company Transactions,회사 거래 삭제
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,참조 번호 및 참조 날짜는 은행 거래를위한 필수입니다
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,무시
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} 활성화되지 않습니다
 DocType: Woocommerce Settings,Freight and Forwarding Account,화물 및 포워딩 계정
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,인쇄 설정 확인 치수
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,인쇄 설정 확인 치수
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,월급 명세서 작성
 DocType: Vital Signs,Bloated,부푼
 DocType: Salary Slip,Salary Slip Timesheet,급여 슬립 표
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,하청 구입 영수증 필수 공급 업체 창고
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,하청 구입 영수증 필수 공급 업체 창고
 DocType: Item Price,Valid From,유효
 DocType: Sales Invoice,Total Commission,전체위원회
 DocType: Tax Withholding Account,Tax Withholding Account,세금 원천 징수 계정
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,모든 공급자 스코어 카드.
 DocType: Buying Settings,Purchase Receipt Required,필수 구입 영수증
 DocType: Delivery Note,Rail,레일
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,행 {0}의 대상웨어 하우스는 작업 공정과 동일해야합니다.
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,열기 재고 입력 한 경우 평가 비율은 필수입니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,행 {0}의 대상웨어 하우스는 작업 공정과 동일해야합니다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,열기 재고 입력 한 경우 평가 비율은 필수입니다
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,송장 테이블에있는 레코드 없음
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,첫번째 회사와 파티 유형을 선택하세요
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",사용자 {1}의 pos 프로필 {0}에 기본값을 이미 설정했습니다. 친절하게 사용 중지 된 기본값입니다.
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,금융 / 회계 연도.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,금융 / 회계 연도.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,누적 값
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","죄송합니다, 시리얼 NOS는 병합 할 수 없습니다"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify에서 고객을 동기화하는 동안 고객 그룹이 선택한 그룹으로 설정됩니다.
@@ -903,7 +908,7 @@
 ,Lead Id,리드 아이디
 DocType: C-Form Invoice Detail,Grand Total,총 합계
 DocType: Assessment Plan,Course,코스
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,섹션 코드
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,섹션 코드
 DocType: Timesheet,Payslip,급여 명세서
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,반나절 날짜는 날짜와 날짜 사이에 있어야합니다.
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,항목 장바구니
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,개인용 바이오
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,회원 ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},배달 : {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},배달 : {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks에 연결됨
 DocType: Bank Statement Transaction Entry,Payable Account,채무 계정
 DocType: Payment Entry,Type of Payment,지불의 종류
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,반나절 날짜는 필수 항목입니다.
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,배송 빌 날짜
 DocType: Production Plan,Production Plan,생산 계획
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,개설 송장 생성 도구
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,판매로 돌아 가기
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,판매로 돌아 가기
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,참고 : 총 할당 잎 {0} 이미 승인 나뭇잎 이상이어야한다 {1} 기간 동안
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,일련 번호가없는 입력을 기준으로 트랜잭션의 수량 설정
 ,Total Stock Summary,총 주식 요약
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,고객 또는 상품
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,고객 데이터베이스입니다.
 DocType: Quotation,Quotation To,에 견적
-DocType: Lead,Middle Income,중간 소득
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,중간 소득
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),오프닝 (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,이미 다른 UOM 일부 거래 (들)을 만들었 때문에 항목에 대한 측정의 기본 단위는 {0} 직접 변경할 수 없습니다. 당신은 다른 기본 UOM을 사용하여 새 항목을 작성해야합니다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,이미 다른 UOM 일부 거래 (들)을 만들었 때문에 항목에 대한 측정의 기본 단위는 {0} 직접 변경할 수 없습니다. 당신은 다른 기본 UOM을 사용하여 새 항목을 작성해야합니다.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,할당 된 금액은 음수 일 수 없습니다
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,회사를 설정하십시오.
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,회사를 설정하십시오.
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,선택 결제 계좌는 은행 항목을 만들려면
 DocType: Hotel Settings,Default Invoice Naming Series,기본 송장 명명 시리즈
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","잎, 비용 청구 및 급여를 관리하는 직원 레코드를 작성"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,업데이트 프로세스 중에 오류가 발생했습니다.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,업데이트 프로세스 중에 오류가 발생했습니다.
 DocType: Restaurant Reservation,Restaurant Reservation,식당 예약
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,제안서 작성
 DocType: Payment Entry Deduction,Payment Entry Deduction,결제 항목 공제
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,마무리
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,이메일을 통해 고객에게 알리십시오.
 DocType: Item,Batch Number Series,배치 번호 시리즈
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,또 다른 판매 사람 {0} 같은 직원 ID 존재
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,또 다른 판매 사람 {0} 같은 직원 ID 존재
 DocType: Employee Advance,Claimed Amount,청구 금액
+DocType: QuickBooks Migrator,Authorization Settings,권한 부여 설정
 DocType: Travel Itinerary,Departure Datetime,출발 날짜 / 시간
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,여행 요청 원가 계산
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,공급 업체 이름 지정으로
 DocType: Activity Type,Default Costing Rate,기본 원가 계산 속도
 DocType: Maintenance Schedule,Maintenance Schedule,유지 보수 일정
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","그런 가격 설정 규칙은 고객에 따라 필터링됩니다, 고객 그룹, 지역, 공급 업체, 공급 업체 유형, 캠페인, 판매 파트너 등"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","그런 가격 설정 규칙은 고객에 따라 필터링됩니다, 고객 그룹, 지역, 공급 업체, 공급 업체 유형, 캠페인, 판매 파트너 등"
 DocType: Employee Promotion,Employee Promotion Details,직원 승진 세부 사항
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,재고의 순 변화
 DocType: Employee,Passport Number,여권 번호
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2와의 관계
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,관리자
 DocType: Payment Entry,Payment From / To,/에서로 지불
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,회계 연도부터
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},새로운 신용 한도는 고객의 현재 뛰어난 양 미만이다. 신용 한도이어야 수있다 {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},창고 {0}에 계정을 설정하십시오.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},창고 {0}에 계정을 설정하십시오.
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Based On'과  'Group By'는 달라야 합니다.
 DocType: Sales Person,Sales Person Targets,영업 사원 대상
 DocType: Work Order Operation,In minutes,분에서
 DocType: Issue,Resolution Date,결의일
 DocType: Lab Test Template,Compound,화합물
+DocType: Opportunity,Probability (%),확률 (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,발송 통지
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,속성 선택
 DocType: Student Batch Name,Batch Name,배치 이름
 DocType: Fee Validity,Max number of visit,최대 방문 횟수
 ,Hotel Room Occupancy,호텔 객실 점유
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,작업 표 작성 :
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,싸다
 DocType: GST Settings,GST Settings,GST 설정
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},통화는 가격표 통화와 같아야합니다 통화 : {0}
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,채무 총 관심
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,착륙 비용 세금 및 요금
 DocType: Work Order Operation,Actual Start Time,실제 시작 시간
+DocType: Purchase Invoice Item,Deferred Expense Account,지연된 비용 계정
 DocType: BOM Operation,Operation Time,운영 시간
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,끝
 DocType: Salary Structure Assignment,Base,베이스
 DocType: Timesheet,Total Billed Hours,총 청구 시간
 DocType: Travel Itinerary,Travel To,여행지
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,아니다
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,금액을 상각
 DocType: Leave Block List Allow,Allow User,사용자에게 허용
 DocType: Journal Entry,Bill No,청구 번호
@@ -1088,9 +1098,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,시간 시트
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,백 플러시 원료 기반에
 DocType: Sales Invoice,Port Code,포트 코드
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,창고 보관
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,창고 보관
 DocType: Lead,Lead is an Organization,리드는 조직입니다.
-DocType: Guardian Interest,Interest,관심
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,사전 판매
 DocType: Instructor Log,Other Details,기타 세부 사항
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1100,7 +1109,7 @@
 DocType: Account,Accounts,회계
 DocType: Vehicle,Odometer Value (Last),주행 거리계 값 (마지막)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,공급 업체 스코어 카드 기준의 템플릿.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,마케팅
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,마케팅
 DocType: Sales Invoice,Redeem Loyalty Points,로열티 포인트 사용
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,결제 항목이 이미 생성
 DocType: Request for Quotation,Get Suppliers,공급 업체 얻기
@@ -1117,16 +1126,14 @@
 DocType: Crop,Crop Spacing UOM,자르기 간격 UOM
 DocType: Loyalty Program,Single Tier Program,단일 계층 프로그램
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,현금 흐름 매퍼 문서를 설정 한 경우에만 선택하십시오.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,보낸 사람 주소 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,보낸 사람 주소 1
 DocType: Email Digest,Next email will be sent on:,다음 이메일에 전송됩니다 :
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",{아이템} {동사} 아이템에 {메시지} 아이템으로 표시. \ 아이템 마스터에서 {메시지} 아이템으로 활성화 할 수 있습니다.
 DocType: Supplier Scorecard,Per Week,한 주에
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,항목 변종이있다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,항목 변종이있다.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,총 학생수
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,{0} 항목을 찾을 수 없습니다
 DocType: Bin,Stock Value,재고 가치
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,회사 {0} 존재하지 않습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,회사 {0} 존재하지 않습니다
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0}은 (는) {1}까지 수수료 유효 기간이 있습니다.
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,나무의 종류
 DocType: BOM Explosion Item,Qty Consumed Per Unit,수량 단위 시간당 소비
@@ -1142,7 +1149,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,신용 카드 입력
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,회사 및 계정
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,값에서
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,값에서
 DocType: Asset Settings,Depreciation Options,감가 상각 옵션
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,위치 또는 직원이 필요합니다.
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,잘못된 전기 시간
@@ -1159,20 +1166,21 @@
 DocType: Leave Allocation,Allocation,배당
 DocType: Purchase Order,Supply Raw Materials,공급 원료
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,유동 자산
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} 재고 상품이 아닌
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} 재고 상품이 아닌
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',&#39;교육 피드백&#39;을 클릭 한 다음 &#39;새로 만들기&#39;를 클릭하여 의견을 공유하십시오.
 DocType: Mode of Payment Account,Default Account,기본 계정
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,먼저 샘플 보관 창고 재고 설정을 선택하십시오.
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,먼저 샘플 보관 창고 재고 설정을 선택하십시오.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,둘 이상의 컬렉션 규칙에 대해 다중 등급 프로그램 유형을 선택하십시오.
 DocType: Payment Entry,Received Amount (Company Currency),받은 금액 (회사 통화)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,기회고객을 리드고객으로 만든 경우 리드고객를 설정해야합니다
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,지불이 취소되었습니다. 자세한 내용은 GoCardless 계정을 확인하십시오.
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,첨부 파일과 함께 보내기
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,매주 오프 날짜를 선택하세요
 DocType: Inpatient Record,O Negative,오 네거티브
 DocType: Work Order Operation,Planned End Time,계획 종료 시간
 ,Sales Person Target Variance Item Group-Wise,영업 사원 대상 분산 상품 그룹 와이즈
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,기존 거래와 계정 원장으로 변환 할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,기존 거래와 계정 원장으로 변환 할 수 없습니다
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,회원 유형 세부 정보
 DocType: Delivery Note,Customer's Purchase Order No,고객의 구매 주문 번호
 DocType: Clinical Procedure,Consume Stock,주식 소비
@@ -1185,26 +1193,26 @@
 DocType: Soil Texture,Sand,모래
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,에너지
 DocType: Opportunity,Opportunity From,기회에서
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,행 {0} : {1} 품목 {2}에 필요한 일련 번호. 귀하는 {3}을 (를) 제공했습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,행 {0} : {1} 품목 {2}에 필요한 일련 번호. 귀하는 {3}을 (를) 제공했습니다.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,표를 선택하십시오.
 DocType: BOM,Website Specifications,웹 사이트 사양
 DocType: Special Test Items,Particulars,상세
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}에서 {0} 유형의 {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,행 {0} : 변환 계수는 필수입니다
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,행 {0} : 변환 계수는 필수입니다
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",여러 가격 규칙은 동일한 기준으로 존재 우선 순위를 할당하여 충돌을 해결하십시오. 가격 규칙 : {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",여러 가격 규칙은 동일한 기준으로 존재 우선 순위를 할당하여 충돌을 해결하십시오. 가격 규칙 : {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,환율 재평가 계정
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,비활성화하거나 다른 BOM을 함께 연결되어로 BOM을 취소 할 수 없습니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,비활성화하거나 다른 BOM을 함께 연결되어로 BOM을 취소 할 수 없습니다
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,항목을 얻으려면 회사 및 전기 일을 선택하십시오.
 DocType: Asset,Maintenance,유지
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,환자 조우
 DocType: Subscriber,Subscriber,구독자
 DocType: Item Attribute Value,Item Attribute Value,항목 속성 값
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,프로젝트 상태를 업데이트하십시오.
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,프로젝트 상태를 업데이트하십시오.
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,환전은 구매 또는 판매에 적용 할 수 있어야합니다.
 DocType: Item,Maximum sample quantity that can be retained,보존 할 수있는 최대 샘플 양
 DocType: Project Update,How is the Project Progressing Right Now?,프로젝트 진행 상황은 어떻게됩니까?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},행 {0} # 구매 주문 {3}에 대해 {1} 항목을 {2} 이상으로 이전 할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},행 {0} # 구매 주문 {3}에 대해 {1} 항목을 {2} 이상으로 이전 할 수 없습니다.
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,판매 캠페인.
 DocType: Project Task,Make Timesheet,표 만들기
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1252,36 +1260,38 @@
 DocType: Lab Test,Lab Test,실험실 테스트
 DocType: Student Report Generation Tool,Student Report Generation Tool,학생 보고서 생성 도구
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,건강 관리 계획 시간 슬롯
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,문서의 이름
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,문서의 이름
 DocType: Expense Claim Detail,Expense Claim Type,비용 청구 유형
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,쇼핑 카트에 대한 기본 설정
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,타임 슬롯 추가
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},분개를 통해 폐기 자산 {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},회사 {1}의 창고 {0} 또는 기본 인벤토리 계정에 계정을 설정하십시오.
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},분개를 통해 폐기 자산 {0}
 DocType: Loan,Interest Income Account,이자 소득 계정
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,최대 이익은 혜택을 분배하기 위해 0보다 커야합니다.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,최대 이익은 혜택을 분배하기 위해 0보다 커야합니다.
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,보낸 초대장 검토
 DocType: Shift Assignment,Shift Assignment,시프트 지정
 DocType: Employee Transfer Property,Employee Transfer Property,직원 이전 속성
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,시간은 시간보다 짧아야 함
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,생명 공학
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",판매 주문 {2}을 (를) 구매할 때 {0} (일련 번호 : {1})을 사용할 수 없습니다.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,사무실 유지 비용
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,이동
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify에서 ERPNext 가격 목록으로 가격 변경
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,이메일 계정 설정
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,첫 번째 항목을 입력하십시오
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,욕구 분석
 DocType: Asset Repair,Downtime,중단 시간
 DocType: Account,Liability,부채
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,제재 금액 행에 청구 금액보다 클 수 없습니다 {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,제재 금액 행에 청구 금액보다 클 수 없습니다 {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,학기 :
 DocType: Salary Component,Do not include in total,총계에 포함시키지 말라.
 DocType: Company,Default Cost of Goods Sold Account,제품 판매 계정의 기본 비용
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},샘플 수량 {0}은 (는) 수신 수량 {1}을 초과 할 수 없습니다.
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,가격 목록을 선택하지
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},샘플 수량 {0}은 (는) 수신 수량 {1}을 초과 할 수 없습니다.
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,가격 목록을 선택하지
 DocType: Employee,Family Background,가족 배경
 DocType: Request for Quotation Supplier,Send Email,이메일 보내기
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},경고 : 잘못된 첨부 파일 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},경고 : 잘못된 첨부 파일 {0}
 DocType: Item,Max Sample Quantity,최대 샘플 수량
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,아무 권한이 없습니다
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,계약 이행 점검표
@@ -1313,15 +1323,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1} : 코스트 센터 {2} 회사에 속하지 않는 {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),"편지 머리 업로드 (웹 페이지를 900px, 100px로 유지)"
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1} 계정 {2} 그룹이 될 수 없습니다
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,항목 행 {IDX} {문서 타입} {DOCNAME} 위에 존재하지 않는 &#39;{문서 타입}&#39;테이블
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,표 {0} 이미 완료 또는 취소
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,표 {0} 이미 완료 또는 취소
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,어떤 작업을하지
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,판매 송장 {0}이 (가) 유료로 생성되었습니다.
 DocType: Item Variant Settings,Copy Fields to Variant,필드를 변형에 복사
 DocType: Asset,Opening Accumulated Depreciation,감가 상각 누계액 열기
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,점수보다 작거나 5 같아야
 DocType: Program Enrollment Tool,Program Enrollment Tool,프로그램 등록 도구
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C 형태의 기록
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C 형태의 기록
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,주식은 이미 존재합니다.
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,고객 및 공급 업체
 DocType: Email Digest,Email Digest Settings,알림 이메일 설정
@@ -1334,12 +1344,12 @@
 DocType: Production Plan,Select Items,항목 선택
 DocType: Share Transfer,To Shareholder,주주에게
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} 빌에 대해 {1} 일자 {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,주에서
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,주에서
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,설치 기관
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,나뭇잎 할당 ...
 DocType: Program Enrollment,Vehicle/Bus Number,차량 / 버스 번호
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,코스 일정
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",급여 기간의 마지막 급여 전표에서 미제출 된 세금 면제 증명 및 미 청구 \ Employee 급여에 대한 세금을 공제해야합니다.
 DocType: Request for Quotation Supplier,Quote Status,견적 상태
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1365,13 +1375,13 @@
 DocType: Sales Invoice,Payment Due Date,지불 기한
 DocType: Drug Prescription,Interval UOM,간격 UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",저장 후 선택한 주소를 다시 선택한 경우 다시 선택하십시오.
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,항목 변형 {0} 이미 동일한 속성을 가진 존재
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,항목 변형 {0} 이미 동일한 속성을 가진 존재
 DocType: Item,Hub Publishing Details,허브 출판 세부 정보
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;열기&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;열기&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,수행하려면 열기
 DocType: Issue,Via Customer Portal,고객 포털을 통해
 DocType: Notification Control,Delivery Note Message,납품서 메시지
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST 금액
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST 금액
 DocType: Lab Test Template,Result Format,결과 형식
 DocType: Expense Claim,Expenses,비용
 DocType: Item Variant Attribute,Item Variant Attribute,항목 변형 특성
@@ -1379,14 +1389,12 @@
 DocType: Payroll Entry,Bimonthly,격월
 DocType: Vehicle Service,Brake Pad,브레이크 패드
 DocType: Fertilizer,Fertilizer Contents,비료 내용
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,연구 개발 (R & D)
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,연구 개발 (R & D)
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,빌 금액
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","시작일 및 종료일이 직업 카드 <a href=""#Form/Job Card/{0}"">{1} (으</a> )로 겹쳐 있습니다."
 DocType: Company,Registration Details,등록 세부 사항
 DocType: Timesheet,Total Billed Amount,총 청구 금액
 DocType: Item Reorder,Re-Order Qty,다시 주문 수량
 DocType: Leave Block List Date,Leave Block List Date,차단 목록 날짜를 남겨
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,강사 네이밍 시스템&gt; 교육 환경 설정
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0} : 원자재는 주 품목과 같을 수 없습니다.
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,구매 영수증 항목 테이블에 전체 적용 요금은 총 세금 및 요금과 동일해야합니다
 DocType: Sales Team,Incentives,장려책
@@ -1400,7 +1408,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,판매 시점
 DocType: Fee Schedule,Fee Creation Status,수수료 생성 상태
 DocType: Vehicle Log,Odometer Reading,주행 거리계 독서
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","계정 잔액이 이미 신용, 당신이 설정할 수 없습니다 '직불 카드'로 '밸런스 것은이어야'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","계정 잔액이 이미 신용, 당신이 설정할 수 없습니다 '직불 카드'로 '밸런스 것은이어야'"
 DocType: Account,Balance must be,잔고는
 DocType: Notification Control,Expense Claim Rejected Message,비용 청구 거부 메시지
 ,Available Qty,사용 가능한 수량
@@ -1412,7 +1420,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,주문 세부 사항을 동기화하기 전에 항상 Amazon MWS에서 제품을 동기화하십시오.
 DocType: Delivery Trip,Delivery Stops,배달 중지
 DocType: Salary Slip,Working Days,작업 일
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},{0} 행의 항목에 대한 서비스 중지 날짜를 변경할 수 없습니다.
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},{0} 행의 항목에 대한 서비스 중지 날짜를 변경할 수 없습니다.
 DocType: Serial No,Incoming Rate,수신 속도
 DocType: Packing Slip,Gross Weight,총중량
 DocType: Leave Type,Encashment Threshold Days,상한선 인계 일수
@@ -1431,31 +1439,33 @@
 DocType: Restaurant Table,Minimum Seating,최소 좌석 수
 DocType: Item Attribute,Item Attribute Values,항목 속성 값
 DocType: Examination Result,Examination Result,시험 결과
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,구입 영수증
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,구입 영수증
 ,Received Items To Be Billed,청구에 주어진 항목
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,통화 환율 마스터.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,통화 환율 마스터.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},참고없는 Doctype 중 하나 여야합니다 {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,총 영점 수량 필터
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},작업에 대한 다음 {0} 일 시간 슬롯을 찾을 수 없습니다 {1}
 DocType: Work Order,Plan material for sub-assemblies,서브 어셈블리 계획 물질
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,판매 파트너 및 지역
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0}이 활성화되어 있어야합니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0}이 활성화되어 있어야합니다
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,전송 가능한 항목이 없습니다.
 DocType: Employee Boarding Activity,Activity Name,활동 이름
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,출시일 변경
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,완제품 수량 <b>{0}</b> 및 수량 <b>{1}</b> 은 다를 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,출시일 변경
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,완제품 수량 <b>{0}</b> 및 수량 <b>{1}</b> 은 다를 수 없습니다.
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),마감 (개업 + 총)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,상품 코드&gt; 상품 그룹&gt; 브랜드
+DocType: Delivery Settings,Dispatch Notification Attachment,발송 통지 첨부
 DocType: Payroll Entry,Number Of Employees,직원 수
 DocType: Journal Entry,Depreciation Entry,감가 상각 항목
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,첫 번째 문서 유형을 선택하세요
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,첫 번째 문서 유형을 선택하세요
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,"이 유지 보수 방문을 취소하기 전, 재질 방문 {0} 취소"
 DocType: Pricing Rule,Rate or Discount,요금 또는 할인
 DocType: Vital Signs,One Sided,한쪽 편
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},일련 번호 {0} 항목에 속하지 않는 {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,필요한 수량
 DocType: Marketplace Settings,Custom Data,맞춤 데이터
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,기존 거래와 창고가 원장으로 변환 할 수 없습니다.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},{0} 항목의 일련 번호는 필수 항목입니다.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,기존 거래와 창고가 원장으로 변환 할 수 없습니다.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},{0} 항목의 일련 번호는 필수 항목입니다.
 DocType: Bank Reconciliation,Total Amount,총액
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,날짜와 종료일이 다른 회계 연도에 있음
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,환자 {0}에게는 인보이스에 대한 고객의 반박이 없습니다.
@@ -1466,9 +1476,9 @@
 DocType: Soil Texture,Clay Composition (%),점토 조성 (%)
 DocType: Item Group,Item Group Defaults,항목 그룹 기본값
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,작업을 할당하기 전에 저장하십시오.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,잔고액
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,잔고액
 DocType: Lab Test,Lab Technician,실험실 기술자
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,판매 가격 목록
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,판매 가격 목록
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",이 옵션을 선택하면 환자가 생성되고 환자에게 매핑됩니다. 환자 청구서는이 고객에 대해 작성됩니다. 환자를 생성하는 동안 기존 고객을 선택할 수도 있습니다.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,고객이 로열티 프로그램에 가입하지 않았습니다.
@@ -1482,13 +1492,13 @@
 DocType: Support Search Source,Search Term Param Name,검색 용어 매개 변수 이름
 DocType: Item Barcode,Item Barcode,상품의 바코드
 DocType: Woocommerce Settings,Endpoints,종점
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,항목 변형 {0} 업데이트
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,항목 변형 {0} 업데이트
 DocType: Quality Inspection Reading,Reading 6,6 읽기
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,하지 {0} {1} {2}없이 음의 뛰어난 송장 수
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,하지 {0} {1} {2}없이 음의 뛰어난 송장 수
 DocType: Share Transfer,From Folio No,Folio No에서
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,송장 전진에게 구입
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},행은 {0} : 신용 항목에 링크 할 수 없습니다 {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,회계 연도 예산을 정의합니다.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,회계 연도 예산을 정의합니다.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext 계정
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0}이 (가) 차단되어이 거래를 진행할 수 없습니다.
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,누적 된 월 예산이 MR을 초과하는 경우의 조치
@@ -1504,19 +1514,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,구매 송장
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,작업 공정에 대해 여러 자재 소비 허용
 DocType: GL Entry,Voucher Detail No,바우처 세부 사항 없음
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,새로운 판매 송장
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,새로운 판매 송장
 DocType: Stock Entry,Total Outgoing Value,총 보내는 값
 DocType: Healthcare Practitioner,Appointments,설비
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,날짜 및 마감일을 열면 동일 회계 연도 내에 있어야합니다
 DocType: Lead,Request for Information,정보 요청
 ,LeaderBoard,리더 보드
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),마진율 (회사 통화)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,동기화 오프라인 송장
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,동기화 오프라인 송장
 DocType: Payment Request,Paid,지불
 DocType: Program Fee,Program Fee,프로그램 비용
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","BOM을 사용하는 다른 모든 BOM으로 대체하십시오. 기존 BOM 링크를 대체하고, 비용을 업데이트하고, 새로운 BOM에 따라 &quot;BOM 폭발 항목&quot;테이블을 재생성합니다. 또한 모든 BOM의 최신 가격을 업데이트합니다."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,다음과 같은 작업 주문이 작성되었습니다.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,다음과 같은 작업 주문이 작성되었습니다.
 DocType: Salary Slip,Total in words,즉 전체
 DocType: Inpatient Record,Discharged,방전 됨
 DocType: Material Request Item,Lead Time Date,리드 타임 날짜
@@ -1527,16 +1537,16 @@
 DocType: Support Settings,Get Started Sections,시작 섹션
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD- .YYYY.-
 DocType: Loan,Sanctioned,제재
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,필수입니다. 환율 레코드가 생성되지 않았습니다.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},행 번호는 {0} 항목에 대한 일련 번호를 지정하십시오 {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},총 기여 금액 : {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},행 번호는 {0} 항목에 대한 일련 번호를 지정하십시오 {1}
 DocType: Payroll Entry,Salary Slips Submitted,제출 된 급여 전표
 DocType: Crop Cycle,Crop Cycle,자르기주기
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;제품 번들&#39;항목, 창고, 일련 번호 및 배치에 대해 아니오 &#39;포장 목록&#39;테이블에서 고려 될 것이다. 창고 및 배치 없음 어떤 &#39;제품 번들&#39;항목에 대한 모든 포장 항목에 대해 동일한 경우, 그 값이 주요 항목 테이블에 입력 할 수는 값이 테이블 &#39;목록 포장&#39;을 복사됩니다."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;제품 번들&#39;항목, 창고, 일련 번호 및 배치에 대해 아니오 &#39;포장 목록&#39;테이블에서 고려 될 것이다. 창고 및 배치 없음 어떤 &#39;제품 번들&#39;항목에 대한 모든 포장 항목에 대해 동일한 경우, 그 값이 주요 항목 테이블에 입력 할 수는 값이 테이블 &#39;목록 포장&#39;을 복사됩니다."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,장소에서
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,순 보수는 부정적 일 수 없다.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,장소에서
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,순 보수는 부정적 일 수 없다.
 DocType: Student Admission,Publish on website,웹 사이트에 게시
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,공급 업체 송장 날짜 게시 날짜보다 클 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,공급 업체 송장 날짜 게시 날짜보다 클 수 없습니다
 DocType: Installation Note,MAT-INS-.YYYY.-,매트 - 인 - .YYYY.-
 DocType: Subscription,Cancelation Date,취소 일
 DocType: Purchase Invoice Item,Purchase Order Item,구매 주문 상품
@@ -1545,7 +1555,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,학생 출석 도구
 DocType: Restaurant Menu,Price List (Auto created),가격표 (자동 생성)
 DocType: Cheque Print Template,Date Settings,날짜 설정
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,변화
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,변화
 DocType: Employee Promotion,Employee Promotion Detail,직원 승진 세부 사항
 ,Company Name,회사 명
 DocType: SMS Center,Total Message(s),전체 메시지 (들)
@@ -1575,7 +1585,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,직원 생일 알림을 보내지 마십시오
 DocType: Expense Claim,Total Advance Amount,총 대출 금액
 DocType: Delivery Stop,Estimated Arrival,예상 도착 시간
-DocType: Delivery Stop,Notified by Email,이메일로 통지 됨
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,모든 기사보기
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,걷다
 DocType: Item,Inspection Criteria,검사 기준
@@ -1585,23 +1594,22 @@
 DocType: Timesheet Detail,Bill,계산서
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,화이트
 DocType: SMS Center,All Lead (Open),모든 납 (열기)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),행 {0}에 대한 수량을 사용할 수없는 {4}웨어 하우스의 {1} 항목의 시간을 게시에 ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),행 {0}에 대한 수량을 사용할 수없는 {4}웨어 하우스의 {1} 항목의 시간을 게시에 ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,확인란 목록에서 최대 하나의 옵션 만 선택할 수 있습니다.
 DocType: Purchase Invoice,Get Advances Paid,선불지급
 DocType: Item,Automatically Create New Batch,새로운 배치 자동 생성
 DocType: Item,Automatically Create New Batch,새로운 배치 자동 생성
 DocType: Supplier,Represents Company,회사를 대표합니다.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,확인
 DocType: Student Admission,Admission Start Date,입장료 시작 날짜
 DocType: Journal Entry,Total Amount in Words,단어의 합계 금액
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,신입 사원
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,오류가 발생했습니다.한 가지 가능한 이유는 양식을 저장하지 않은 경우입니다.문제가 계속되면 support@erpnext.com에 문의하시기 바랍니다.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,내 장바구니
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},주문 유형 중 하나 여야합니다 {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},주문 유형 중 하나 여야합니다 {0}
 DocType: Lead,Next Contact Date,다음 접촉 날짜
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,열기 수량
 DocType: Healthcare Settings,Appointment Reminder,약속 알림
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,변경 금액에 대한 계정을 입력하세요
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,변경 금액에 대한 계정을 입력하세요
 DocType: Program Enrollment Tool Student,Student Batch Name,학생 배치 이름
 DocType: Holiday List,Holiday List Name,휴일 목록 이름
 DocType: Repayment Schedule,Balance Loan Amount,잔액 대출 금액
@@ -1611,13 +1619,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,재고 옵션
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,장바구니에 항목이 없습니다
 DocType: Journal Entry Account,Expense Claim,비용 청구
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,당신은 정말이 폐기 자산을 복원 하시겠습니까?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,당신은 정말이 폐기 자산을 복원 하시겠습니까?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},대한 수량 {0}
 DocType: Leave Application,Leave Application,휴가 신청
 DocType: Patient,Patient Relation,환자 관계
 DocType: Item,Hub Category to Publish,게시 할 허브 카테고리
 DocType: Leave Block List,Leave Block List Dates,차단 목록 날짜를 남겨
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",판매 주문 {0}에는 {1} 품목에 대한 예약이 있으며 {0}에 대해서는 예약 된 {1} 만 제공 할 수 있습니다. 일련 번호 {2}을 (를) 전달할 수 없습니다.
 DocType: Sales Invoice,Billing Address GSTIN,대금 청구 주소 GSTIN
@@ -1635,16 +1643,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},지정하여 주시기 바랍니다 {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,양 또는 값의 변화없이 제거 항목.
 DocType: Delivery Note,Delivery To,에 배달
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,변형 생성이 대기 중입니다.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0}의 작업 요약
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,변형 생성이 대기 중입니다.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0}의 작업 요약
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,목록의 첫 번째 휴가 승인자는 기본 휴가 승인자로 설정됩니다.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,속성 테이블은 필수입니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,속성 테이블은 필수입니다
 DocType: Production Plan,Get Sales Orders,판매 주문을 받아보세요
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} 음수가 될 수 없습니다
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Quickbooks에 연결
 DocType: Training Event,Self-Study,자율 학습
 DocType: POS Closing Voucher,Period End Date,기한 종료 날짜
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,토양 조성은 100을 합한 것이 아닙니다.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,할인
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,행 {0} : 개회 {2} 송장 생성에 {1}이 (가) 필요합니다.
 DocType: Membership,Membership,회원
 DocType: Asset,Total Number of Depreciations,감가 상각의 총 수
 DocType: Sales Invoice Item,Rate With Margin,이익률
@@ -1656,7 +1666,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},테이블의 행 {0}에 대한 올바른 행 ID를 지정하십시오 {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,변수를 찾을 수 없습니다 :
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,숫자판에서 편집 할 입력란을 선택하십시오.
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,주식 원장이 생성되면 고정 자산 항목이 될 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,주식 원장이 생성되면 고정 자산 항목이 될 수 없습니다.
 DocType: Subscription Plan,Fixed rate,고정 비율
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,들이다
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,바탕 화면으로 이동 ERPNext를 사용하여 시작
@@ -1690,7 +1700,7 @@
 DocType: Tax Rule,Shipping State,배송 상태
 ,Projected Quantity as Source,소스로 예상 수량
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,항목 버튼 '구매 영수증에서 항목 가져 오기'를 사용하여 추가해야합니다
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,배달 여행
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,배달 여행
 DocType: Student,A-,에이-
 DocType: Share Transfer,Transfer Type,전송 유형
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,영업 비용
@@ -1703,8 +1713,9 @@
 DocType: Item Default,Default Selling Cost Center,기본 판매 비용 센터
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,디스크
 DocType: Buying Settings,Material Transferred for Subcontract,외주로 이전 된 자재
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,우편 번호
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},판매 주문 {0}를 {1}
+DocType: Email Digest,Purchase Orders Items Overdue,구매 오더 품목 마감
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,우편 번호
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},판매 주문 {0}를 {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},대출 {0}에서이자 소득 계좌를 선택하십시오.
 DocType: Opportunity,Contact Info,연락처 정보
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,재고 항목 만들기
@@ -1717,12 +1728,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,결제 시간이 0 인 경우 인보이스를 작성할 수 없습니다.
 DocType: Company,Date of Commencement,시작 날짜
 DocType: Sales Person,Select company name first.,첫 번째 회사 이름을 선택합니다.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},이메일로 전송 {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},이메일로 전송 {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,인용문은 공급 업체에서 받았다.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,모든 BOM에서 BOM 교체 및 최신 가격 업데이트
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},에 {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,이것은 루트 공급 업체 그룹이며 편집 할 수 없습니다.
-DocType: Delivery Trip,Driver Name,드라이버 이름
+DocType: Delivery Note,Driver Name,드라이버 이름
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,평균 연령
 DocType: Education Settings,Attendance Freeze Date,출석 정지 날짜
 DocType: Education Settings,Attendance Freeze Date,출석 정지 날짜
@@ -1735,7 +1746,7 @@
 DocType: Company,Parent Company,모회사
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},{1}에 {0} 유형의 호텔 객실을 사용할 수 없습니다.
 DocType: Healthcare Practitioner,Default Currency,기본 통화
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,항목 {0}의 최대 할인 값은 {1} %입니다.
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,항목 {0}의 최대 할인 값은 {1} %입니다.
 DocType: Asset Movement,From Employee,직원에서
 DocType: Driver,Cellphone Number,핸드폰 번호
 DocType: Project,Monitor Progress,진행 상황 모니터링
@@ -1751,19 +1762,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},수량보다 작거나 같아야합니다 {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},{0} 구성 요소에 적합한 최대 금액이 {1}을 초과합니다.
 DocType: Department Approver,Department Approver,부서 승인자
+DocType: QuickBooks Migrator,Application Settings,어플리케이션 설정
 DocType: SMS Center,Total Characters,전체 문자
 DocType: Employee Advance,Claimed,청구 됨
 DocType: Crop,Row Spacing,행 간격
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},상품에 대한 BOM 필드에서 BOM을 선택하세요 {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},상품에 대한 BOM 필드에서 BOM을 선택하세요 {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,선택한 항목에 대한 변형 된 항목이 없습니다.
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-양식 송장 세부 정보
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,결제 조정 송장
 DocType: Clinical Procedure,Procedure Template,프로 시저 템플릿
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,공헌 %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","구매 주문이 필요한 경우 구매 설정에 따라 == &#39;예&#39;, 구매 송장 작성시 사용자가 {0} 항목에 대해 먼저 구매 주문서를 작성해야합니다."
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,공헌 %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","구매 주문이 필요한 경우 구매 설정에 따라 == &#39;예&#39;, 구매 송장 작성시 사용자가 {0} 항목에 대해 먼저 구매 주문서를 작성해야합니다."
 ,HSN-wise-summary of outward supplies,외주 공급에 대한 HSN 방식 요약
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,당신의 참고를위한 회사의 등록 번호.세금 번호 등
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,상태로
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,상태로
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,분배 자
 DocType: Asset Finance Book,Asset Finance Book,자산 금융 도서
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,쇼핑 카트 배송 규칙
@@ -1772,7 +1784,7 @@
 ,Ordered Items To Be Billed,청구 항목을 주문한
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,범위이어야한다보다는에게 범위
 DocType: Global Defaults,Global Defaults,글로벌 기본값
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,프로젝트 협력 초대
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,프로젝트 협력 초대
 DocType: Salary Slip,Deductions,공제
 DocType: Setup Progress Action,Action Name,작업 이름
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,시작 년도
@@ -1786,11 +1798,12 @@
 DocType: Lead,Consultant,컨설턴트
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,학부모 교사 참석자 출석
 DocType: Salary Slip,Earnings,당기순이익
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,완료 항목 {0} 제조 유형 항목을 입력해야합니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,완료 항목 {0} 제조 유형 항목을 입력해야합니다
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,개시 잔고
 ,GST Sales Register,GST 영업 등록
 DocType: Sales Invoice Advance,Sales Invoice Advance,선행 견적서
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,요청하지 마
+DocType: Stock Settings,Default Return Warehouse,기본 반환 창고
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,도메인 선택
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify 공급 업체
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,지불 송장 품목
@@ -1799,15 +1812,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,필드는 생성시에만 복사됩니다.
 DocType: Setup Progress Action,Domains,도메인
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','시작 날짜가' '종료 날짜 '보다 클 수 없습니다
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,관리
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,관리
 DocType: Cheque Print Template,Payer Settings,지불 설정
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,주어진 아이템에 대한 링크가 보류중인 Material Requests가 없습니다.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,먼저 회사 선택
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","이 변형의 상품 코드에 추가됩니다.귀하의 약어는 ""SM""이며, 예를 들어, 아이템 코드는 ""T-SHIRT"", ""T-SHIRT-SM""입니다 변형의 항목 코드"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,당신이 급여 슬립을 저장하면 (즉) 순 유료가 표시됩니다.
 DocType: Delivery Note,Is Return,돌아가요
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,주의
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',작업 &#39;{0}&#39;의 시작일이 종료일보다 큽니다.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,반품 / 직불 참고
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,반품 / 직불 참고
 DocType: Price List Country,Price List Country,가격 목록 나라
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},항목에 대한 {0} 유효한 일련 NOS {1}
@@ -1820,13 +1834,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,정보를 허가하십시오.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,공급 업체 데이터베이스.
 DocType: Contract Template,Contract Terms and Conditions,계약 조건
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,취소되지 않은 구독은 다시 시작할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,취소되지 않은 구독은 다시 시작할 수 없습니다.
 DocType: Account,Balance Sheet,대차 대조표
 DocType: Leave Type,Is Earned Leave,수입 남았 는가?
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ','상품 코드와 항목에 대한 센터 비용
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ','상품 코드와 항목에 대한 센터 비용
 DocType: Fee Validity,Valid Till,까지 유효
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,총 학부모 교사 회의
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",지불 방식은 구성되어 있지 않습니다. 계정 결제의 모드 또는 POS 프로필에 설정되어 있는지 확인하십시오.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",지불 방식은 구성되어 있지 않습니다. 계정 결제의 모드 또는 POS 프로필에 설정되어 있는지 확인하십시오.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,동일 상품을 여러 번 입력 할 수 없습니다.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","또한 계정의 그룹에서 제조 될 수 있지만, 항목은 비 - 그룹에 대해 만들어 질 수있다"
 DocType: Lead,Lead,리드 고객
@@ -1835,11 +1849,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS 인증 토큰
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,재고 입력 {0} 완료
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,사용하기에 충성도 포인트가 충분하지 않습니다.
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,행 번호 {0} : 수량은 구매 대가로 입력 할 수 없습니다 거부
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},세금 보류 범주 {0}의 관련 계정을 회사 {1}에 대해 설정하십시오.
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,행 번호 {0} : 수량은 구매 대가로 입력 할 수 없습니다 거부
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,선택한 고객에 대한 고객 그룹 변경은 허용되지 않습니다.
 ,Purchase Order Items To Be Billed,청구 할 수 구매 주문 아이템
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,예상 도착 시간 업데이트.
 DocType: Program Enrollment Tool,Enrollment Details,등록 세부 정보
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,한 회사에 대해 여러 개의 항목 기본값을 설정할 수 없습니다.
 DocType: Purchase Invoice Item,Net Rate,인터넷 속도
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,고객을 선택하십시오.
 DocType: Leave Policy,Leave Allocations,배정 유지
@@ -1870,7 +1886,7 @@
 DocType: Loan Application,Repayment Info,상환 정보
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'항목란'을 채워 주세요.
 DocType: Maintenance Team Member,Maintenance Role,유지 보수 역할
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},중복 행 {0}과 같은 {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},중복 행 {0}과 같은 {1}
 DocType: Marketplace Settings,Disable Marketplace,마켓 플레이스 사용 중지
 ,Trial Balance,시산표
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,찾을 수 없습니다 회계 연도 {0}
@@ -1881,9 +1897,9 @@
 DocType: Student,O-,영형-
 DocType: Subscription Settings,Subscription Settings,구독 설정
 DocType: Purchase Invoice,Update Auto Repeat Reference,자동 반복 참조 업데이트
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},휴무 기간 {0}에 대해 선택 가능한 공휴일 목록이 설정되지 않았습니다.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},휴무 기간 {0}에 대해 선택 가능한 공휴일 목록이 설정되지 않았습니다.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,연구
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,주소 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,주소 2
 DocType: Maintenance Visit Purpose,Work Done,작업 완료
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,속성 테이블에서 하나 이상의 속성을 지정하십시오
 DocType: Announcement,All Students,모든 학생
@@ -1893,16 +1909,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,조정 된 거래
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,처음
 DocType: Crop Cycle,Linked Location,연결된 위치
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",항목 그룹이 동일한 이름을 가진 항목의 이름을 변경하거나 항목 그룹의 이름을 바꾸십시오
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",항목 그룹이 동일한 이름을 가진 항목의 이름을 변경하거나 항목 그룹의 이름을 바꾸십시오
 DocType: Crop Cycle,Less than a year,1 년 미만
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,학생 휴대 전화 번호
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,세계의 나머지
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,세계의 나머지
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,항목 {0} 배치를 가질 수 없습니다
 DocType: Crop,Yield UOM,수익 UOM
 ,Budget Variance Report,예산 차이 보고서
 DocType: Salary Slip,Gross Pay,총 지불
 DocType: Item,Is Item from Hub,허브로부터의 아이템인가
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,의료 서비스에서 아이템을 얻으십시오.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,의료 서비스에서 아이템을 얻으십시오.
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,행 {0} : 활동 유형은 필수입니다.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,배당금 지급
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,회계 원장
@@ -1917,6 +1933,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,지불 방식
 DocType: Purchase Invoice,Supplied Items,제공 한
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Restaurant {0}에 대한 활성 메뉴를 설정하십시오.
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,수수료율
 DocType: Work Order,Qty To Manufacture,제조하는 수량
 DocType: Email Digest,New Income,새로운 소득
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,구매주기 동안 동일한 비율을 유지
@@ -1931,12 +1948,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},행 항목에 필요한 평가 비율 {0}
 DocType: Supplier Scorecard,Scorecard Actions,스코어 카드 작업
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,예 : 컴퓨터 과학 석사
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},공급자 {0}이 (가) {1}에 없습니다.
 DocType: Purchase Invoice,Rejected Warehouse,거부 창고
 DocType: GL Entry,Against Voucher,바우처에 대한
 DocType: Item Default,Default Buying Cost Center,기본 구매 비용 센터
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext 중 최고를 얻으려면, 우리는 당신이 약간의 시간이 걸릴 이러한 도움 비디오를 시청할 것을 권장합니다."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),기본 공급 업체 (선택 사항)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,에
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),기본 공급 업체 (선택 사항)
 DocType: Supplier Quotation Item,Lead Time in days,일 리드 타임
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,미지급금 합계
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},동결 계정을 편집 할 수있는 권한이 없습니다 {0}
@@ -1945,7 +1962,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,견적 요청에 대한 새로운 경고
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,구매 주문은 당신이 계획하는 데 도움이 당신의 구입에 후속
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,실험실 처방전
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",자료 요청의 총 발행 / 전송 양 {0} {1} \ 항목에 대한 요청한 수량 {2}보다 클 수 없습니다 {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,작은
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",Shopify에 주문에 고객이 포함되어 있지 않은 경우 주문을 동기화하는 동안 주문에 대한 기본 고객이 고려됩니다.
@@ -1957,6 +1974,7 @@
 DocType: Project,% Completed,% 완료
 ,Invoiced Amount (Exculsive Tax),송장에 청구 된 금액 (Exculsive 세금)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,항목 2
+DocType: QuickBooks Migrator,Authorization Endpoint,권한 부여 엔드 포인트
 DocType: Travel Request,International,국제 노동자 동맹
 DocType: Training Event,Training Event,교육 이벤트
 DocType: Item,Auto re-order,자동 재 주문
@@ -1965,24 +1983,24 @@
 DocType: Contract,Contract,계약직
 DocType: Plant Analysis,Laboratory Testing Datetime,실험실 테스트 날짜 시간
 DocType: Email Digest,Add Quote,견적 추가
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM에 필요한 UOM coversion 인자 : {0} 항목 {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM에 필요한 UOM coversion 인자 : {0} 항목 {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,간접 비용
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,행 {0} : 수량은 필수입니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,행 {0} : 수량은 필수입니다
 DocType: Agriculture Analysis Criteria,Agriculture,농업
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,판매 오더 생성
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,자산 회계 입력
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,인보이스 차단
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,자산 회계 입력
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,인보이스 차단
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,만들 수량
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,싱크 마스터 데이터
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,싱크 마스터 데이터
 DocType: Asset Repair,Repair Cost,수리 비용
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,귀하의 제품이나 서비스
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,로그인 실패
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,저작물 {0}이 생성되었습니다.
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,저작물 {0}이 생성되었습니다.
 DocType: Special Test Items,Special Test Items,특별 시험 항목
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,마켓 플레이스에 등록하려면 System Manager 및 Item Manager 역할이있는 사용자 여야합니다.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,결제 방식
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,지정된 급여 구조에 따라 혜택을 신청할 수 없습니다
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,웹 사이트의 이미지가 공개 파일 또는 웹 사이트 URL이어야합니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,웹 사이트의 이미지가 공개 파일 또는 웹 사이트 URL이어야합니다
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,이 루트 항목 그룹 및 편집 할 수 없습니다.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,병합
@@ -1991,7 +2009,8 @@
 DocType: Warehouse,Warehouse Contact Info,창고 연락처 정보
 DocType: Payment Entry,Write Off Difference Amount,차이 금액 오프 쓰기
 DocType: Volunteer,Volunteer Name,자원 봉사자 이름
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0} : 직원의 이메일을 찾을 수 없습니다, 따라서 보낸 이메일이 아닌"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},다른 행에 중복 만기일이있는 행이 발견되었습니다 : {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0} : 직원의 이메일을 찾을 수 없습니다, 따라서 보낸 이메일이 아닌"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},주어진 날짜 {1}에 직원 {0}에게 지정된 급여 구조가 없습니다.
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},국가 {0}에는 배송 규칙이 적용되지 않습니다.
 DocType: Item,Foreign Trade Details,대외 무역 세부 사항
@@ -1999,17 +2018,17 @@
 DocType: Email Digest,Annual Income,연간 소득
 DocType: Serial No,Serial No Details,일련 번호 세부 사항
 DocType: Purchase Invoice Item,Item Tax Rate,항목 세율
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,파티 이름에서
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,파티 이름에서
 DocType: Student Group Student,Group Roll Number,그룹 롤 번호
 DocType: Student Group Student,Group Roll Number,그룹 롤 번호
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0} 만 신용 계정은 자동 이체 항목에 링크 할 수 있습니다 들어
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,배송 참고 {0} 제출되지
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,배송 참고 {0} 제출되지
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,{0} 항목 하위 계약 품목이어야합니다
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,자본 장비
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","가격 규칙은 첫 번째 항목, 항목 그룹 또는 브랜드가 될 수있는 필드 '에 적용'에 따라 선택됩니다."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,먼저 상품 코드를 설정하십시오.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,문서 유형
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,영업 팀의 총 할당 비율은 100해야한다
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,문서 유형
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,영업 팀의 총 할당 비율은 100해야한다
 DocType: Subscription Plan,Billing Interval Count,청구 간격
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,임명 및 환자 조우
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,가치 누락
@@ -2023,6 +2042,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,인쇄 형식 만들기
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,생성 된 요금
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},라는 항목을 찾을 수 없습니다 {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,항목 필터
 DocType: Supplier Scorecard Criteria,Criteria Formula,기준 수식
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,총 발신
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","전용 ""값을""0 또는 빈 값을 발송하는 규칙 조건이있을 수 있습니다"
@@ -2031,14 +2051,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",{0} 항목의 경우 수량은 양수 여야합니다.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,참고 :이 비용 센터가 그룹입니다.그룹에 대한 회계 항목을 만들 수 없습니다.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,유효한 휴가가 아닌 보상 휴가 요청 일
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,아이웨어 하우스는이웨어 하우스에 대한 필요성이 존재한다. 이웨어 하우스를 삭제할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,아이웨어 하우스는이웨어 하우스에 대한 필요성이 존재한다. 이웨어 하우스를 삭제할 수 없습니다.
 DocType: Item,Website Item Groups,웹 사이트 상품 그룹
 DocType: Purchase Invoice,Total (Company Currency),총 (회사 통화)
 DocType: Daily Work Summary Group,Reminder,조언
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,접근 가능한 가치
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,접근 가능한 가치
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,일련 번호 {0} 번 이상 입력
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,분개
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN에서
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN에서
 DocType: Expense Claim Advance,Unclaimed amount,청구되지 않은 금액
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,진행중인 {0} 항목
 DocType: Workstation,Workstation Name,워크 스테이션 이름
@@ -2046,7 +2066,7 @@
 DocType: POS Item Group,POS Item Group,POS 항목 그룹
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,다이제스트 이메일 :
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,대체 품목은 품목 코드와 같을 수 없습니다.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} 아이템에 속하지 않는 {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} 아이템에 속하지 않는 {1}
 DocType: Sales Partner,Target Distribution,대상 배포
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - 임시 평가 마무리
 DocType: Salary Slip,Bank Account No.,은행 계좌 번호
@@ -2055,7 +2075,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","스코어 카드 변수뿐만 아니라 {total_score} (해당 기간의 총 점수), {period_number} (현재 기간 수)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,모든 축소
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,모든 축소
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,구매 주문 만들기
 DocType: Quality Inspection Reading,Reading 8,8 읽기
 DocType: Inpatient Record,Discharge Note,배출주의 사항
@@ -2072,7 +2092,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,권한 허가
 DocType: Purchase Invoice,Supplier Invoice Date,공급 업체 송장 날짜
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,이 값은 비례 일시 계수 계산에 사용됩니다.
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,당신은 쇼핑 카트를 활성화해야
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,당신은 쇼핑 카트를 활성화해야
 DocType: Payment Entry,Writeoff,청구 취소
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS- .YYYY.-
 DocType: Stock Settings,Naming Series Prefix,네이밍 시리즈 접두사
@@ -2087,11 +2107,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,사이에있는 중복 조건 :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,저널에 대하여 항목은 {0}이 (가) 이미 다른 쿠폰에 대해 조정
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,총 주문액
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,음식
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,음식
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,고령화 범위 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS 클로징 바우처 세부 정보
 DocType: Shopify Log,Shopify Log,Shopify 로그
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,설정&gt; 설정&gt; 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오.
 DocType: Inpatient Occupancy,Check In,체크인
 DocType: Maintenance Schedule Item,No of Visits,방문 없음
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},{1}에 대한 유지 관리 일정 {0}이 (가) 있습니다.
@@ -2131,6 +2150,7 @@
 DocType: Salary Structure,Max Benefits (Amount),최대 혜택 (금액)
 DocType: Purchase Invoice,Contact Person,담당자
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','예상 시작 날짜'는'예상 종료 날짜 ' 이전이어야 합니다.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,이 기간 동안 데이터가 없습니다.
 DocType: Course Scheduling Tool,Course End Date,코스 종료 날짜
 DocType: Holiday List,Holidays,휴가
 DocType: Sales Order Item,Planned Quantity,계획 수량
@@ -2142,7 +2162,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,고정 자산의 순 변화
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,요구 수량
 DocType: Leave Control Panel,Leave blank if considered for all designations,모든 지정을 고려하는 경우 비워 둡니다
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},최대 : {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,날짜 시간에서
 DocType: Shopify Settings,For Company,회사
@@ -2155,9 +2175,9 @@
 DocType: Material Request,Terms and Conditions Content,약관 내용
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,수업 일정을 만드는 중에 오류가 발생했습니다.
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,목록의 첫 번째 비용 승인자가 기본 비용 승인자로 설정됩니다.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100보다 큰 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100보다 큰 수 없습니다
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,마켓 플레이스에 등록하려면 System Manager 및 Item Manager 역할이있는 관리자 이외의 사용자 여야합니다.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} 항목을 재고 항목이 없습니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} 항목을 재고 항목이 없습니다
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC- .YYYY.-
 DocType: Maintenance Visit,Unscheduled,예약되지 않은
 DocType: Employee,Owned,소유
@@ -2185,7 +2205,7 @@
 DocType: HR Settings,Employee Settings,직원 설정
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,결제 시스템로드 중
 ,Batch-Wise Balance History,배치 식 밸런스 역사
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0} : 금액이 Item {1}의 청구 금액보다 큰 경우 Rate를 설정할 수 없습니다.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0} : 금액이 Item {1}의 청구 금액보다 큰 경우 Rate를 설정할 수 없습니다.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,인쇄 설정은 각각의 인쇄 형식 업데이트
 DocType: Package Code,Package Code,패키지 코드
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,도제
@@ -2194,7 +2214,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","문자열로 품목 마스터에서 가져온이 분야에 저장 세금 세부 테이블.
  세금 및 요금에 사용"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,직원은 자신에게보고 할 수 없습니다.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,직원은 자신에게보고 할 수 없습니다.
 DocType: Leave Type,Max Leaves Allowed,허용 된 최대 잎
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","계정이 동결 된 경우, 항목은 제한된 사용자에게 허용됩니다."
 DocType: Email Digest,Bank Balance,은행 잔액
@@ -2220,6 +2240,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,은행 거래 항목
 DocType: Quality Inspection,Readings,읽기
 DocType: Stock Entry,Total Additional Costs,총 추가 비용
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,상호 작용 수 없음
 DocType: BOM,Scrap Material Cost(Company Currency),스크랩 자재 비용 (기업 통화)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,서브 어셈블리
 DocType: Asset,Asset Name,자산 이름
@@ -2227,10 +2248,10 @@
 DocType: Shipping Rule Condition,To Value,값
 DocType: Loyalty Program,Loyalty Program Type,충성도 프로그램 유형
 DocType: Asset Movement,Stock Manager,재고 관리자
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},소스웨어 하우스는 행에 대해 필수입니다 {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},소스웨어 하우스는 행에 대해 필수입니다 {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,{0} 행의 지불 기간이 중복되었을 수 있습니다.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),농업 (베타)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,포장 명세서
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,포장 명세서
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,사무실 임대
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,설치 SMS 게이트웨이 설정
 DocType: Disease,Common Name,공통 이름
@@ -2262,20 +2283,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,직원에게 이메일 급여 슬립
 DocType: Cost Center,Parent Cost Center,부모의 비용 센터
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,가능한 공급 업체를 선택
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,가능한 공급 업체를 선택
 DocType: Sales Invoice,Source,소스
 DocType: Customer,"Select, to make the customer searchable with these fields",고객을이 필드로 검색 가능하게하려면 선택하십시오.
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,선적시 Shopify에서 배송 노트 가져 오기
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,쇼 폐쇄
 DocType: Leave Type,Is Leave Without Pay,지불하지 않고 남겨주세요
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT- .YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,자산의 종류는 고정 자산 항목에 대해 필수입니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,자산의 종류는 고정 자산 항목에 대해 필수입니다
 DocType: Fee Validity,Fee Validity,요금 유효 기간
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,지불 테이블에있는 레코드 없음
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},이 {0} 충돌 {1}의 {2} {3}
 DocType: Student Attendance Tool,Students HTML,학생들 HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","이 문서를 취소하려면 사원 <a href=""#Form/Employee/{0}"">{0}</a> \을 (를) 삭제하십시오."
 DocType: POS Profile,Apply Discount,할인 적용
 DocType: GST HSN Code,GST HSN Code,GST HSN 코드
 DocType: Employee External Work History,Total Experience,총 체험
@@ -2298,7 +2316,7 @@
 DocType: Maintenance Schedule,Schedules,일정
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS 프로파일은 Point-of-Sale을 사용해야합니다.
 DocType: Cashier Closing,Net Amount,순액
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1}이 (가) 제출되지 않았으므로 조치를 완료 할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1}이 (가) 제출되지 않았으므로 조치를 완료 할 수 없습니다.
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM 세부 사항 없음
 DocType: Landed Cost Voucher,Additional Charges,추가 요금
 DocType: Support Search Source,Result Route Field,결과 경로 필드
@@ -2327,11 +2345,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,송장 열기
 DocType: Contract,Contract Details,계약 세부 정보
 DocType: Employee,Leave Details,세부 정보 남기기
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,직원 역할을 설정하는 직원 레코드에 사용자 ID 필드를 설정하십시오
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,직원 역할을 설정하는 직원 레코드에 사용자 ID 필드를 설정하십시오
 DocType: UOM,UOM Name,UOM 이름
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,주소 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,주소 1
 DocType: GST HSN Code,HSN Code,HSN 코드
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,기부액
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,기부액
 DocType: Inpatient Record,Patient Encounter,환자 조우
 DocType: Purchase Invoice,Shipping Address,배송 주소
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,이 도구를 업데이트하거나 시스템에 재고의 수량 및 평가를 해결하는 데 도움이됩니다.이것은 전형적으로 시스템 값 것과 실제로 존재 창고를 동기화하는 데 사용된다.
@@ -2348,9 +2366,9 @@
 DocType: Travel Itinerary,Mode of Travel,여행 모드
 DocType: Sales Invoice Item,Brand Name,브랜드 명
 DocType: Purchase Receipt,Transporter Details,수송기 상세
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,기본 창고가 선택한 항목에 대한 필요
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,기본 창고가 선택한 항목에 대한 필요
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,상자
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,가능한 공급 업체
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,가능한 공급 업체
 DocType: Budget,Monthly Distribution,예산 월간 배분
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,수신기 목록이 비어 있습니다.수신기 목록을 만드십시오
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),의료 (베타)
@@ -2372,6 +2390,7 @@
 ,Lead Name,리드 명
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,탐광
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,열기 주식 대차
 DocType: Asset Category Account,Capital Work In Progress Account,자본금 진행 계정
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,자산 가치 조정
@@ -2380,7 +2399,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},잎에 성공적으로 할당 된 {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,포장하는 항목이 없습니다
 DocType: Shipping Rule Condition,From Value,값에서
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,제조 수량이 필수입니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,제조 수량이 필수입니다
 DocType: Loan,Repayment Method,상환 방법
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",선택하면 홈 페이지는 웹 사이트에 대한 기본 항목 그룹이 될 것입니다
 DocType: Quality Inspection Reading,Reading 4,4 읽기
@@ -2405,7 +2424,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,직원 소개
 DocType: Student Group,Set 0 for no limit,제한 없음 0 설정
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,당신이 휴가를 신청하는 날 (들)은 휴일입니다. 당신은 휴가를 신청할 필요가 없습니다.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,행 {idx} : 개설 {invoice_type} 인보이스를 작성하려면 {field}이 (가) 필요합니다.
 DocType: Customer,Primary Address and Contact Detail,기본 주소 및 연락처 세부 정보
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,지불 이메일을 다시 보내
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,새 작업
@@ -2415,8 +2433,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,하나 이상의 도메인을 선택하십시오.
 DocType: Dependent Task,Dependent Task,종속 작업
 DocType: Shopify Settings,Shopify Tax Account,Shopify Tax Account
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},측정의 기본 단위에 대한 변환 계수는 행에 반드시 1이 {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},유형의 휴가는 {0}을 넘을 수 없습니다 {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},측정의 기본 단위에 대한 변환 계수는 행에 반드시 1이 {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},유형의 휴가는 {0}을 넘을 수 없습니다 {1}
 DocType: Delivery Trip,Optimize Route,경로 최적화
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,사전에 X 일에 대한 작업을 계획 해보십시오.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2425,14 +2443,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},회사에서 기본 급여 채무 계정을 설정하십시오 {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,아마존에 의한 세금 및 요금 데이터의 재정적 인 해체
 DocType: SMS Center,Receiver List,수신기 목록
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,검색 항목
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,검색 항목
 DocType: Payment Schedule,Payment Amount,결제 금액
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,반나절 날짜는 작업 시작 날짜와 종료 날짜 사이에 있어야합니다.
 DocType: Healthcare Settings,Healthcare Service Items,의료 서비스 품목
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,소비 금액
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,현금의 순 변화
 DocType: Assessment Plan,Grading Scale,등급 규모
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,측정 단위는 {0}보다 변환 계수 표에 두 번 이상 입력 한
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,측정 단위는 {0}보다 변환 계수 표에 두 번 이상 입력 한
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,이미 완료
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,손에 주식
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2455,25 +2473,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,일련 번호 {0} 수량 {1} 일부가 될 수 없습니다
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Woocommerce Server URL을 입력하십시오.
 DocType: Purchase Order Item,Supplier Part Number,공급 업체 부품 번호
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,변환 속도는 0 또는 1이 될 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,변환 속도는 0 또는 1이 될 수 없습니다
 DocType: Share Balance,To No,~하려면
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,직원 생성을위한 모든 필수 작업은 아직 수행되지 않았습니다.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} 취소 또는 정지되었습니다.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} 취소 또는 정지되었습니다.
 DocType: Accounts Settings,Credit Controller,신용 컨트롤러
 DocType: Loan,Applicant Type,신청자 유형
 DocType: Purchase Invoice,03-Deficiency in services,03 - 서비스 부족
 DocType: Healthcare Settings,Default Medical Code Standard,기본 의료 코드 표준
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,구입 영수증 {0} 제출되지
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,구입 영수증 {0} 제출되지
 DocType: Company,Default Payable Account,기본 지불 계정
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","이러한 운송 규칙, 가격 목록 등 온라인 쇼핑 카트에 대한 설정"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE- .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0} % 청구
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,예약 수량
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,예약 수량
 DocType: Party Account,Party Account,당 계정
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,회사 명 및 지명을 선택하십시오.
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,인적 자원
-DocType: Lead,Upper Income,위 소득
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,위 소득
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,받지 않다
 DocType: Journal Entry Account,Debit in Company Currency,회사 통화에서 직불
 DocType: BOM Item,BOM Item,BOM 상품
@@ -2490,7 +2508,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",지정 {0}에 대한 채용 정보가 이미 열려 있거나 채용 계획 {1}에 따라 채용이 완료되었습니다.
 DocType: Vital Signs,Constipated,변비
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},공급 업체 청구서를 {0} 일자 {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},공급 업체 청구서를 {0} 일자 {1}
 DocType: Customer,Default Price List,기본 가격리스트
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,자산 이동 기록 {0} 작성
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,제품을 찾지 못했습니다.
@@ -2506,17 +2524,18 @@
 DocType: Journal Entry,Entry Type,항목 유형
 ,Customer Credit Balance,고객 신용 잔액
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,외상 매입금의 순 변화
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),고객 {0} ({1} / {2})의 신용 한도가 초과되었습니다.
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,설정&gt; 설정&gt; 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),고객 {0} ({1} / {2})의 신용 한도가 초과되었습니다.
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise 할인'을 위해 필요한 고객
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,저널과 은행의 지불 날짜를 업데이트합니다.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,가격
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,가격
 DocType: Quotation,Term Details,용어의 자세한 사항
 DocType: Employee Incentive,Employee Incentive,직원 인센티브
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,이 학생 그룹에 대한 {0} 학생 이상 등록 할 수 없습니다.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),합계 (세금 제외)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,리드 카운트
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,리드 카운트
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,재고 있음
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,재고 있음
 DocType: Manufacturing Settings,Capacity Planning For (Days),(일)에 대한 용량 계획
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,획득
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,항목 중에 양 또는 값의 변화가 없다.
@@ -2541,7 +2560,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,두고 출석
 DocType: Asset,Comprehensive Insurance,종합 보험
 DocType: Maintenance Visit,Partially Completed,부분적으로 완료
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},충성도 점수 : {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},충성도 점수 : {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,리드 추가
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,보통 민감도
 DocType: Leave Type,Include holidays within leaves as leaves,잎으로 잎에서 휴일을 포함
 DocType: Loyalty Program,Redemption,구속
@@ -2575,7 +2595,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,마케팅 비용
 ,Item Shortage Report,매물 부족 보고서
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,표준 기준을 만들 수 없습니다. 조건의 이름을 변경하십시오.
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","무게도 ""무게 UOM""를 언급 해주십시오 \n, 언급"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","무게도 ""무게 UOM""를 언급 해주십시오 \n, 언급"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,자료 요청이 재고 항목을 확인하는 데 사용
 DocType: Hub User,Hub Password,허브 암호
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,모든 일괄 처리를위한 별도의 과정 기반 그룹
@@ -2590,15 +2610,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),예약 기간 (분)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,모든 재고 이동을위한 회계 항목을 만듭니다
 DocType: Leave Allocation,Total Leaves Allocated,할당 된 전체 잎
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,유효한 회계 연도 시작 및 종료 날짜를 입력하십시오
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,유효한 회계 연도 시작 및 종료 날짜를 입력하십시오
 DocType: Employee,Date Of Retirement,은퇴 날짜
 DocType: Upload Attendance,Get Template,양식 구하기
+,Sales Person Commission Summary,영업 인력위원회 요약
 DocType: Additional Salary Component,Additional Salary Component,추가 급여 구성 요소
 DocType: Material Request,Transferred,이전 됨
 DocType: Vehicle,Doors,문
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext 설치가 완료!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext 설치가 완료!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,환자 등록 수수료 지불
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,주식 거래 후 속성을 변경할 수 없습니다. 새 품목을 만들고 새 품목에 재고를 양도하십시오.
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,주식 거래 후 속성을 변경할 수 없습니다. 새 품목을 만들고 새 품목에 재고를 양도하십시오.
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,세금 분열
 DocType: Employee,Joining Details,세부 사항 가입
@@ -2626,14 +2647,15 @@
 DocType: Lead,Next Contact By,다음 접촉
 DocType: Compensatory Leave Request,Compensatory Leave Request,보상 휴가 요청
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},상품에 필요한 수량 {0} 행에서 {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},수량이 항목에 대한 존재하는 창고 {0} 삭제할 수 없습니다 {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},수량이 항목에 대한 존재하는 창고 {0} 삭제할 수 없습니다 {1}
 DocType: Blanket Order,Order Type,주문 유형
 ,Item-wise Sales Register,상품이 많다는 판매 등록
 DocType: Asset,Gross Purchase Amount,총 구매 금액
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,기초 잔액
 DocType: Asset,Depreciation Method,감가 상각 방법
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,이 세금은 기본 요금에 포함되어 있습니까?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,총 대상
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,총 대상
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,지각 분석
 DocType: Soil Texture,Sand Composition (%),모래 조성 (%)
 DocType: Job Applicant,Applicant for a Job,작업에 대한 신청자
 DocType: Production Plan Material Request,Production Plan Material Request,생산 계획 자료 요청
@@ -2649,23 +2671,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),평가 표시 (10 점 만점)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 모바일 없음
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,주요 기능
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,다음 항목 {0}은 {1} 항목으로 표시되지 않았습니다. 아이템 마스터에서 아이템을 {1} 아이템으로 사용할 수 있습니다
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,변체
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",{0} 항목의 경우 수량은 음수 여야합니다.
 DocType: Naming Series,Set prefix for numbering series on your transactions,트랜잭션에 일련 번호에 대한 설정 접두사
 DocType: Employee Attendance Tool,Employees HTML,직원 HTML을
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,기본 BOM은 ({0})이 항목 또는 템플릿에 대한 활성화되어 있어야합니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,기본 BOM은 ({0})이 항목 또는 템플릿에 대한 활성화되어 있어야합니다
 DocType: Employee,Leave Encashed?,Encashed 남겨?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,필드에서 기회는 필수입니다
 DocType: Email Digest,Annual Expenses,연간 비용
 DocType: Item,Variants,변종
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,확인 구매 주문
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,확인 구매 주문
 DocType: SMS Center,Send To,보내기
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0}
 DocType: Payment Reconciliation Payment,Allocated amount,할당 된 양
 DocType: Sales Team,Contribution to Net Total,인터넷 전체에 기여
 DocType: Sales Invoice Item,Customer's Item Code,고객의 상품 코드
 DocType: Stock Reconciliation,Stock Reconciliation,재고 조정
 DocType: Territory,Territory Name,지역 이름
+DocType: Email Digest,Purchase Orders to Receive,구매 주문
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,작업중인 창고는 제출하기 전에 필요
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,구독에 동일한 결제주기의 계획 만 가질 수 있습니다.
 DocType: Bank Statement Transaction Settings Item,Mapped Data,매핑 된 데이터
@@ -2682,9 +2706,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},중복 된 일련 번호는 항목에 대해 입력 {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,리드 소스 별 리드 추적
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,배송 규칙의 조건
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,들어 오세요
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,들어 오세요
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,유지 관리 로그
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,상품 또는웨어 하우스를 기반으로 필터를 설정하십시오
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,상품 또는웨어 하우스를 기반으로 필터를 설정하십시오
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),이 패키지의 순 중량. (항목의 순 중량의 합으로 자동으로 계산)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,회사 간판 항목 입력
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,할인 금액은 100 %를 초과 할 수 없습니다.
@@ -2693,15 +2717,15 @@
 DocType: Sales Order,To Deliver and Bill,제공 및 법안
 DocType: Student Group,Instructors,강사
 DocType: GL Entry,Credit Amount in Account Currency,계정 통화 신용의 양
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM은 {0} 제출해야합니다
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,공유 관리
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM은 {0} 제출해야합니다
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,공유 관리
 DocType: Authorization Control,Authorization Control,권한 제어
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},행 번호 {0} : 창고 거부 거부 항목에 대해 필수입니다 {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,지불
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},행 번호 {0} : 창고 거부 거부 항목에 대해 필수입니다 {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,지불
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",창고 {0}이 (가) 어떤 계정에도 연결되어 있지 않습니다. 창고 기록에서 계정을 언급하거나 {1} 회사에서 기본 인벤토리 계정을 설정하십시오.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,주문 관리
 DocType: Work Order Operation,Actual Time and Cost,실제 시간과 비용
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},최대의 자료 요청은 {0} 항목에 대한 {1}에 대해 수행 할 수있는 판매 주문 {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},최대의 자료 요청은 {0} 항목에 대한 {1}에 대해 수행 할 수있는 판매 주문 {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,자르기 간격
 DocType: Course,Course Abbreviation,코스 약어
@@ -2713,6 +2737,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},총 근무 시간은 최대 근무 시간보다 더 안 {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,켜기
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,판매 상품을 동시에 번들.
+DocType: Delivery Settings,Dispatch Settings,발송 설정
 DocType: Material Request Plan Item,Actual Qty,실제 수량
 DocType: Sales Invoice Item,References,참조
 DocType: Quality Inspection Reading,Reading 10,10 읽기
@@ -2722,11 +2747,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,중복 항목을 입력했습니다.조정하고 다시 시도하십시오.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,준
 DocType: Asset Movement,Asset Movement,자산 이동
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,작업 명령 {0}을 제출해야합니다.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,새로운 장바구니
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,작업 명령 {0}을 제출해야합니다.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,새로운 장바구니
 DocType: Taxable Salary Slab,From Amount,금액에서
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} 항목을 직렬화 된 상품이 없습니다
 DocType: Leave Type,Encashment,현금화
+DocType: Delivery Settings,Delivery Settings,게재 설정
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,데이터 가져 오기
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},탈퇴 유형 {0}에 허용되는 최대 휴가 시간은 {1}입니다.
 DocType: SMS Center,Create Receiver List,수신기 목록 만들기
 DocType: Vehicle,Wheels,휠
@@ -2742,7 +2769,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,결제 통화는 기본 회사의 통화 또는 당좌 계좌 통화와 같아야합니다.
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),패키지이 배달의 일부임을 나타냅니다 (만 안)
 DocType: Soil Texture,Loam,옥토
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,행 {0} : 만기일은 게시일 이전 일 수 없습니다.
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,행 {0} : 만기일은 게시일 이전 일 수 없습니다.
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,지불 항목을 만듭니다
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},수량 항목에 대한 {0}보다 작아야합니다 {1}
 ,Sales Invoice Trends,견적서 동향
@@ -2750,12 +2777,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"충전 타입 또는 '이전 행 전체', '이전 행의 양에'인 경우에만 행을 참조 할 수 있습니다"
 DocType: Sales Order Item,Delivery Warehouse,배송 창고
 DocType: Leave Type,Earned Leave Frequency,도착 빈도
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,금융 코스트 센터의 나무.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,하위 유형
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,금융 코스트 센터의 나무.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,하위 유형
 DocType: Serial No,Delivery Document No,납품 문서 없음
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,생산 된 일련 번호를 기반으로 한 배송 확인
 DocType: Vital Signs,Furry,모피
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},회사의 &#39;자산 처분 이익 / 손실 계정&#39;으로 설정하십시오 {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},회사의 &#39;자산 처분 이익 / 손실 계정&#39;으로 설정하십시오 {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,구매 영수증에서 항목 가져 오기
 DocType: Serial No,Creation Date,만든 날짜
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},자산 {0}에 대상 위치가 필요합니다.
@@ -2769,11 +2796,12 @@
 DocType: Item,Has Variants,변형을 가지고
 DocType: Employee Benefit Claim,Claim Benefit For,에 대한 보상 혜택
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,응답 업데이트
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},이미에서 항목을 선택한 {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},이미에서 항목을 선택한 {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,월별 분포의 이름
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,일괄 ID는 필수 항목입니다.
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,일괄 ID는 필수 항목입니다.
 DocType: Sales Person,Parent Sales Person,부모 판매 사람
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,수령 할 수있는 항목이 기한이 지났습니다.
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,판매자와 구매자는 같을 수 없습니다.
 DocType: Project,Collect Progress,진행 상황 수집
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN- .YYYY.-
@@ -2788,7 +2816,7 @@
 DocType: Bank Guarantee,Margin Money,증거금
 DocType: Budget,Budget,예산
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,세트 열기
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,고정 자산 항목은 재고 항목 있어야합니다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,고정 자산 항목은 재고 항목 있어야합니다.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",이 수입 또는 비용 계정이 아니다으로 예산이에 대해 {0}에 할당 할 수 없습니다
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0}의 최대 면제 금액은 {1}입니다.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,달성
@@ -2806,9 +2834,9 @@
 ,Amount to Deliver,금액 제공하는
 DocType: Asset,Insurance Start Date,보험 시작일
 DocType: Salary Component,Flexible Benefits,유연한 이점
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},동일한 항목이 여러 번 입력되었습니다. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},동일한 항목이 여러 번 입력되었습니다. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,계약 기간의 시작 날짜는 용어가 연결되는 학술 올해의 올해의 시작 날짜보다 이전이 될 수 없습니다 (학년 {}). 날짜를 수정하고 다시 시도하십시오.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,오류가 발생했습니다.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,오류가 발생했습니다.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,직원 {0}이 (가) {1}에 {2}에서 {3} 사이에 이미 신청했습니다 :
 DocType: Guardian,Guardian Interests,가디언 관심
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,계정 이름 / 번호 업데이트
@@ -2848,9 +2876,9 @@
 ,Item-wise Purchase History,상품 현명한 구입 내역
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},시리얼 번호는 항목에 대한 추가 가져 오기 위해 '생성 일정'을 클릭하십시오 {0}
 DocType: Account,Frozen,동결
-DocType: Delivery Note,Vehicle Type,차량 종류
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,차량 종류
 DocType: Sales Invoice Payment,Base Amount (Company Currency),자료의 양 (회사 통화)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,원자재
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,원자재
 DocType: Payment Reconciliation Payment,Reference Row,참고 행
 DocType: Installation Note,Installation Time,설치 시간
 DocType: Sales Invoice,Accounting Details,회계 세부 사항
@@ -2859,12 +2887,13 @@
 DocType: Inpatient Record,O Positive,긍정적 인 O
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,투자
 DocType: Issue,Resolution Details,해상도 세부 사항
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,거래 유형
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,거래 유형
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,허용 기준
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,위의 표에 자료 요청을 입력하세요
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,분개에 대해 상환하지 않음
 DocType: Hub Tracked Item,Image List,이미지 목록
 DocType: Item Attribute,Attribute Name,속성 이름
+DocType: Subscription,Generate Invoice At Beginning Of Period,기간의 시작 부분에 송장 생성
 DocType: BOM,Show In Website,웹 사이트에 표시
 DocType: Loan Application,Total Payable Amount,총 채무 금액
 DocType: Task,Expected Time (in hours),(시간) 예상 시간
@@ -2902,8 +2931,8 @@
 DocType: Employee,Resignation Letter Date,사직서 날짜
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,가격 규칙은 또한 수량에 따라 필터링됩니다.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,설정 아님
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},직원 {0}의 가입 날짜를 설정하십시오.
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},직원 {0}의 가입 날짜를 설정하십시오.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},직원 {0}의 가입 날짜를 설정하십시오.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},직원 {0}의 가입 날짜를 설정하십시오.
 DocType: Inpatient Record,Discharge,방출
 DocType: Task,Total Billing Amount (via Time Sheet),총 결제 금액 (시간 시트를 통해)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,반복 고객 수익
@@ -2913,13 +2942,13 @@
 DocType: Chapter,Chapter,장
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,페어링
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,이 모드를 선택하면 POS 송장에서 기본 계정이 자동으로 업데이트됩니다.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,생산을위한 BOM 및 수량 선택
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,생산을위한 BOM 및 수량 선택
 DocType: Asset,Depreciation Schedule,감가 상각 일정
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,영업 파트너 주소 및 연락처
 DocType: Bank Reconciliation Detail,Against Account,계정에 대하여
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,하프 데이 데이트 날짜부터 현재까지 사이에 있어야한다
 DocType: Maintenance Schedule Detail,Actual Date,실제 날짜
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,{0} 회사에 기본 코스트 센터를 설정하십시오.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,{0} 회사에 기본 코스트 센터를 설정하십시오.
 DocType: Item,Has Batch No,일괄 없음에게 있습니다
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},연간 결제 : {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook 세부 정보
@@ -2931,7 +2960,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ- .YYYY.-
 DocType: Shift Assignment,Shift Type,시프트 유형
 DocType: Student,Personal Details,개인 정보
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},회사의 &#39;자산 감가 상각 비용 센터&#39;를 설정하십시오 {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},회사의 &#39;자산 감가 상각 비용 센터&#39;를 설정하십시오 {0}
 ,Maintenance Schedules,관리 스케줄
 DocType: Task,Actual End Date (via Time Sheet),실제 종료 날짜 (시간 시트를 통해)
 DocType: Soil Texture,Soil Type,토양 유형
@@ -2939,10 +2968,10 @@
 ,Quotation Trends,견적 동향
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},항목에 대한 항목을 마스터에 언급되지 않은 항목 그룹 {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,차변계정은 채권 계정이어야합니다
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,차변계정은 채권 계정이어야합니다
 DocType: Shipping Rule,Shipping Amount,배송 금액
 DocType: Supplier Scorecard Period,Period Score,기간 점수
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,고객 추가
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,고객 추가
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,대기중인 금액
 DocType: Lab Test Template,Special,특별한
 DocType: Loyalty Program,Conversion Factor,변환 계수
@@ -2959,7 +2988,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,레터 헤드 추가
 DocType: Program Enrollment,Self-Driving Vehicle,자가 운전 차량
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,공급 업체 스코어 카드 대기 중
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},행 {0} : 재료 명세서 (BOM) 항목 찾을 수 없습니다 {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},행 {0} : 재료 명세서 (BOM) 항목 찾을 수 없습니다 {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,총 할당 된 잎 {0} 작을 수 없습니다 기간 동안 이미 승인 된 잎 {1}보다
 DocType: Contract Fulfilment Checklist,Requirement,요구 사항
 DocType: Journal Entry,Accounts Receivable,미수금
@@ -2976,16 +3005,16 @@
 DocType: Projects Settings,Timesheets,작업 표
 DocType: HR Settings,HR Settings,HR 설정
 DocType: Salary Slip,net pay info,순 임금 정보
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS 금액
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS 금액
 DocType: Woocommerce Settings,Enable Sync,동기화 사용
 DocType: Tax Withholding Rate,Single Transaction Threshold,단일 거래 기준 액
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,이 값은 기본 판매 가격리스트에서 갱신됩니다.
 DocType: Email Digest,New Expenses,새로운 비용
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC 금액
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC 금액
 DocType: Shareholder,Shareholder,주주
 DocType: Purchase Invoice,Additional Discount Amount,추가 할인 금액
 DocType: Cash Flow Mapper,Position,위치
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,처방전에서 항목 가져 오기
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,처방전에서 항목 가져 오기
 DocType: Patient,Patient Details,환자 세부 정보
 DocType: Inpatient Record,B Positive,B 양성
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2997,8 +3026,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,비 그룹에 그룹
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,스포츠
 DocType: Loan Type,Loan Name,대출 이름
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,실제 총
-DocType: Lab Test UOM,Test UOM,UOM 테스트
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,실제 총
 DocType: Student Siblings,Student Siblings,학생 형제 자매
 DocType: Subscription Plan Detail,Subscription Plan Detail,구독 계획 세부 정보
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,단위
@@ -3026,7 +3054,6 @@
 DocType: Workstation,Wages per hour,시간당 임금
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},일괄 재고 잔액은 {0}이 될 것이다 부정적인 {1}의 창고에서 상품 {2}에 대한 {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,자료 요청에 이어 항목의 재 주문 레벨에 따라 자동으로 제기되고있다
-DocType: Email Digest,Pending Sales Orders,판매 주문을 보류
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},계정 {0} 유효하지 않습니다. 계정 통화가 있어야합니다 {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},직원이 {{1} 날짜를 해고 한 후에 {0} 날짜를 사용할 수 없습니다.
 DocType: Supplier,Is Internal Supplier,내부 공급 업체인가
@@ -3035,13 +3062,14 @@
 DocType: Healthcare Settings,Remind Before,미리 알림
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM 변환 계수는 행에 필요한 {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","행 번호 {0} 참조 문서 형식은 판매 주문 중 하나, 판매 송장 또는 분개해야합니다"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","행 번호 {0} 참조 문서 형식은 판매 주문 중 하나, 판매 송장 또는 분개해야합니다"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 로열티 포인트 = 기본 통화는 얼마입니까?
 DocType: Salary Component,Deduction,공제
 DocType: Item,Retain Sample,샘플 보유
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,행 {0} : 시간에서와 시간은 필수입니다.
 DocType: Stock Reconciliation Item,Amount Difference,금액 차이
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},상품 가격은 추가 {0} 가격 목록에서 {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},상품 가격은 추가 {0} 가격 목록에서 {1}
+DocType: Delivery Stop,Order Information,주문 정보
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,이 영업 사원의 직원 ID를 입력하십시오
 DocType: Territory,Classification of Customers by region,지역별 고객의 분류
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,생산 단계
@@ -3052,8 +3080,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,계산 된 은행 잔고 잔액
 DocType: Normal Test Template,Normal Test Template,일반 테스트 템플릿
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,사용하지 않는 사용자
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,인용
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,수신 RFQ를 견적으로 설정할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,인용
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,수신 RFQ를 견적으로 설정할 수 없습니다.
 DocType: Salary Slip,Total Deduction,총 공제
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,계좌 통화로 인쇄 할 계좌를 선택하십시오
 ,Production Analytics,생산 분석
@@ -3066,14 +3094,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,공급 업체 성과표 설정
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,평가 계획 이름
 DocType: Work Order Operation,Work Order Operation,작업 지시서 작업
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},경고 : 첨부 파일에 잘못된 SSL 인증서 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},경고 : 첨부 파일에 잘못된 SSL 인증서 {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","리드는 당신이 사업은, 모든 연락처 등을 리드로 추가하는 데 도움"
 DocType: Work Order Operation,Actual Operation Time,실제 작업 시간
 DocType: Authorization Rule,Applicable To (User),에 적용 (사용자)
 DocType: Purchase Taxes and Charges,Deduct,공제
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,작업 설명
 DocType: Student Applicant,Applied,적용된
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,재 오픈
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,재 오픈
 DocType: Sales Invoice Item,Qty as per Stock UOM,수량 재고 UOM 당
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 이름
 DocType: Attendance,Attendance Request,출석 요청
@@ -3091,7 +3119,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},일련 번호는 {0}까지 보증 {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,최소 허용치
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,사용자 {0}이 (가) 이미 있습니다.
-apps/erpnext/erpnext/hooks.py +114,Shipments,선적
+apps/erpnext/erpnext/hooks.py +115,Shipments,선적
 DocType: Payment Entry,Total Allocated Amount (Company Currency),총 할당 된 금액 (회사 통화)
 DocType: Purchase Order Item,To be delivered to customer,고객에게 전달 될
 DocType: BOM,Scrap Material Cost,스크랩 재료 비용
@@ -3099,11 +3127,12 @@
 DocType: Grant Application,Email Notification Sent,보낸 전자 메일 알림
 DocType: Purchase Invoice,In Words (Company Currency),단어 (회사 통화)에서
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,회사는 회사 계정에 대한 manadatory입니다
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","품목 코드, 창고, 수량은 행에 필요합니다."
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","품목 코드, 창고, 수량은 행에 필요합니다."
 DocType: Bank Guarantee,Supplier,공급 업체
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,에서 가져 오기
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,이것은 루트 부서이므로 편집 할 수 없습니다.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,지불 세부 사항 표시
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,기간 (일)
 DocType: C-Form,Quarter,지구
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,기타 비용
 DocType: Global Defaults,Default Company,기본 회사
@@ -3111,7 +3140,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,비용이나 차이 계정은 필수 항목에 대한 {0}에 영향을 미치기 전체 재고 가치로
 DocType: Bank,Bank Name,은행 이름
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-위
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,모든 공급 업체의 구매 주문을 작성하려면 필드를 비워 둡니다.
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,모든 공급 업체의 구매 주문을 작성하려면 필드를 비워 둡니다.
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,입원 환자 방문 요금 항목
 DocType: Vital Signs,Fluid,유동체
 DocType: Leave Application,Total Leave Days,총 허가 일
@@ -3121,7 +3150,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,품목 변형 설정
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,회사를 선택 ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,모든 부서가 있다고 간주 될 경우 비워 둡니다
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","항목 {0} : {1} 생산 된 수량,"
 DocType: Payroll Entry,Fortnightly,이주일에 한번의
 DocType: Currency Exchange,From Currency,통화와
@@ -3171,7 +3200,7 @@
 DocType: Account,Fixed Asset,고정 자산
 DocType: Amazon MWS Settings,After Date,날짜 이후
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,직렬화 된 재고
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,회사 간 송장에 대해 {0}이 (가) 잘못되었습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,회사 간 송장에 대해 {0}이 (가) 잘못되었습니다.
 ,Department Analytics,부서 분석
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,기본 연락처에 이메일이 없습니다.
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,비밀 생성
@@ -3190,6 +3219,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,최고 경영자
 DocType: Purchase Invoice,With Payment of Tax,세금 납부와 함께
 DocType: Expense Claim Detail,Expense Claim Detail,비용 청구 상세 정보
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,강사 네이밍 시스템&gt; 교육 환경 설정
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,공급 업체를위한 TRIPLICATE
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,기본 통화의 신규 잔액
 DocType: Location,Is Container,용기인가?
@@ -3197,13 +3227,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,올바른 계정을 선택하세요
 DocType: Salary Structure Assignment,Salary Structure Assignment,급여 구조 지정
 DocType: Purchase Invoice Item,Weight UOM,무게 UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Folio 번호가있는 사용 가능한 주주 목록
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Folio 번호가있는 사용 가능한 주주 목록
 DocType: Salary Structure Employee,Salary Structure Employee,급여 구조의 직원
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,변형 속성 표시
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,변형 속성 표시
 DocType: Student,Blood Group,혈액 그룹
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} 계획의 지불 게이트웨이 계정이이 지불 요청의 지불 게이트웨이 계정과 다릅니다.
 DocType: Course,Course Name,코스 명
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,현재 회계 연도에 대한 원천 징수 원천 데이터가 없습니다.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,현재 회계 연도에 대한 원천 징수 원천 데이터가 없습니다.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,특정 직원의 휴가 응용 프로그램을 승인 할 수 있습니다 사용자
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,사무용품
 DocType: Purchase Invoice Item,Qty,수량
@@ -3211,6 +3241,7 @@
 DocType: Supplier Scorecard,Scoring Setup,채점 설정
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,전자 공학
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),직불 ({0})
+DocType: BOM,Allow Same Item Multiple Times,동일한 항목을 여러 번 허용
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,재고가 다시 주문 수준에 도달 할 때 자료 요청을 올립니다
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,전 시간
 DocType: Payroll Entry,Employees,직원
@@ -3222,11 +3253,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,지불 확인서
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,가격리스트가 설정되지 않은 경우 가격이 표시되지
 DocType: Stock Entry,Total Incoming Value,총 수신 값
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,직불 카드에 대한이 필요합니다
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,직불 카드에 대한이 필요합니다
 DocType: Clinical Procedure,Inpatient Record,입원 기록
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","작업 표는 팀에 의해 수행하는 행동이 시간, 비용 및 결제 추적 할 수 있도록"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,구매 가격 목록
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,거래 날짜
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,구매 가격 목록
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,거래 날짜
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,공급자 스코어 카드 변수의 템플릿.
 DocType: Job Offer Term,Offer Term,행사 기간
 DocType: Asset,Quality Manager,품질 관리자
@@ -3247,11 +3278,11 @@
 DocType: Cashier Closing,To Time,시간
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},)에 대한 {0}
 DocType: Authorization Rule,Approving Role (above authorized value),(승인 된 값 이상) 역할을 승인
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,대변계정은 채무 계정이어야합니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,대변계정은 채무 계정이어야합니다
 DocType: Loan,Total Amount Paid,총 지불 금액
 DocType: Asset,Insurance End Date,보험 종료일
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,유급 학생 지원자에게 의무적 인 학생 입학을 선택하십시오.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM 재귀 : {0} 부모 또는 자녀가 될 수 없습니다 {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM 재귀 : {0} 부모 또는 자녀가 될 수 없습니다 {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,예산 목록
 DocType: Work Order Operation,Completed Qty,완료 수량
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0} 만 직불 계정은 다른 신용 항목에 링크 할 수 있습니다 들어
@@ -3259,7 +3290,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",주식 조정을 사용하여 일련 번호가 매겨진 항목 {0}을 (를) 업데이트 할 수 없습니다. 재고 항목을 사용하십시오.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",주식 조정을 사용하여 일련 번호가 매겨진 항목 {0}을 (를) 업데이트 할 수 없습니다. 재고 항목을 사용하십시오.
 DocType: Training Event Employee,Training Event Employee,교육 이벤트 직원
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,최대 샘플 - 배치 {1} 및 항목 {2}에 대해 {0}을 보유 할 수 있습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,최대 샘플 - 배치 {1} 및 항목 {2}에 대해 {0}을 보유 할 수 있습니다.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,시간 슬롯 추가
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} 항목에 필요한 일련 번호 {1}. 당신이 제공 한 {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,현재 평가 비율
@@ -3290,11 +3321,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,발견되지 일련 번호 {0}
 DocType: Fee Schedule Program,Fee Schedule Program,요금표 프로그램
 DocType: Fee Schedule Program,Student Batch,학생 배치
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","이 문서를 취소하려면 사원 <a href=""#Form/Employee/{0}"">{0}</a> \을 (를) 삭제하십시오."
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,학생을
 DocType: Supplier Scorecard Scoring Standing,Min Grade,최소 학년
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,의료 서비스 유형
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},당신은 프로젝트 공동 작업에 초대되었습니다 : {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},당신은 프로젝트 공동 작업에 초대되었습니다 : {0}
 DocType: Supplier Group,Parent Supplier Group,상위 공급 업체 그룹
+DocType: Email Digest,Purchase Orders to Bill,청구서 주문 주문
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,그룹 회사의 누적 가치
 DocType: Leave Block List Date,Block Date,블록 날짜
 DocType: Crop,Crop,수확고
@@ -3305,6 +3339,7 @@
 DocType: Sales Order,Not Delivered,전달되지 않음
 ,Bank Clearance Summary,은행 정리 요약
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","만들고, 매일, 매주 및 매월 이메일 다이제스트를 관리 할 수 있습니다."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,이는이 판매원과의 거래를 기반으로합니다. 자세한 내용은 아래 타임 라인을 참조하십시오.
 DocType: Appraisal Goal,Appraisal Goal,평가목표
 DocType: Stock Reconciliation Item,Current Amount,현재 양
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,건물
@@ -3330,7 +3365,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,소프트웨어
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,다음으로 연락 날짜는 과거가 될 수 없습니다
 DocType: Company,For Reference Only.,참조 용으로 만 사용됩니다.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,배치 번호 선택
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,배치 번호 선택
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},잘못된 {0} : {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,참조 인보이스
@@ -3348,16 +3383,16 @@
 DocType: Normal Test Items,Require Result Value,결과 값 필요
 DocType: Item,Show a slideshow at the top of the page,페이지의 상단에 슬라이드 쇼보기
 DocType: Tax Withholding Rate,Tax Withholding Rate,세금 원천 징수 비율
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOM을
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,상점
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOM을
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,상점
 DocType: Project Type,Projects Manager,프로젝트 관리자
 DocType: Serial No,Delivery Time,배달 시간
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,을 바탕으로 고령화
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,예약 취소됨
 DocType: Item,End of Life,수명 종료
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,여행
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,여행
 DocType: Student Report Generation Tool,Include All Assessment Group,모든 평가 그룹 포함
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,지정된 날짜에 대해 직원 {0}에 대한 검색 활성 또는 기본 급여 구조 없다
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,지정된 날짜에 대해 직원 {0}에 대한 검색 활성 또는 기본 급여 구조 없다
 DocType: Leave Block List,Allow Users,사용자에게 허용
 DocType: Purchase Order,Customer Mobile No,고객 모바일 없음
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,현금 흐름 매핑 템플릿 세부 정보
@@ -3366,15 +3401,16 @@
 DocType: Rename Tool,Rename Tool,이름바꾸기 툴
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,업데이트 비용
 DocType: Item Reorder,Item Reorder,항목 순서 바꾸기
+DocType: Delivery Note,Mode of Transport,운송 수단
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,쇼 급여 슬립
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,전송 자료
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,전송 자료
 DocType: Fees,Send Payment Request,지불 요청 보내기
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","운영, 운영 비용을 지정하고 작업에 고유 한 작업에게 더를 제공합니다."
 DocType: Travel Request,Any other details,기타 세부 정보
 DocType: Water Analysis,Origin,유래
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,이 문서에 의해 제한을 초과 {0} {1} 항목 {4}. 당신은하고 있습니다 동일에 대한 또 다른 {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,저장 한 후 반복 설정하십시오
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,선택 변화량 계정
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,저장 한 후 반복 설정하십시오
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,선택 변화량 계정
 DocType: Purchase Invoice,Price List Currency,가격리스트 통화
 DocType: Naming Series,User must always select,사용자는 항상 선택해야합니다
 DocType: Stock Settings,Allow Negative Stock,음의 재고 허용
@@ -3395,9 +3431,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,추적
 DocType: Asset Maintenance Log,Actions performed,수행 된 작업
 DocType: Cash Flow Mapper,Section Leader,섹션 리더
+DocType: Delivery Note,Transport Receipt No,운송 영수증 번호
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),자금의 출처 (부채)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,출처와 대상 위치는 같을 수 없습니다.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},수량은 행에서 {0} ({1})와 동일해야합니다 제조 수량 {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},수량은 행에서 {0} ({1})와 동일해야합니다 제조 수량 {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,종업원
 DocType: Bank Guarantee,Fixed Deposit Number,고정 예금 번호
 DocType: Asset Repair,Failure Date,실패 날짜
@@ -3411,16 +3448,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,지불 공제 또는 손실
 DocType: Soil Analysis,Soil Analysis Criterias,토양 분석 기준
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,판매 또는 구매를위한 표준 계약 조건.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,이 약속을 취소 하시겠습니까?
+DocType: BOM Item,Item operation,아이템 조작
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,이 약속을 취소 하시겠습니까?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,호텔 객실 가격 패키지
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,판매 파이프 라인
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,판매 파이프 라인
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},급여 구성 요소에서 기본 계정을 설정하십시오 {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,필요에
 DocType: Rename Tool,File to Rename,이름 바꾸기 파일
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},행에 항목에 대한 BOM을 선택하세요 {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,구독 업데이트 가져 오기
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},계정 {0}이 (가) 계정 모드에서 회사 {1}과 (과) 일치하지 않습니다 : {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},상품에 대한 존재하지 않습니다 BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},상품에 대한 존재하지 않습니다 BOM {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,코스:
 DocType: Soil Texture,Sandy Loam,사양토
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,유지 보수 일정은 {0}이 판매 주문을 취소하기 전에 취소해야합니다
@@ -3429,7 +3467,7 @@
 DocType: Notification Control,Expense Claim Approved,비용 청구 승인
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),진보 및 할당 (FIFO) 설정
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,작업 주문이 생성되지 않았습니다.
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,직원의 급여 슬립은 {0} 이미이 기간 동안 생성
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,직원의 급여 슬립은 {0} 이미이 기간 동안 생성
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,제약
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,유효한 위약 금액에 대해서만 휴가를 제출할 수 있습니다.
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,구입 한 항목의 비용
@@ -3437,7 +3475,8 @@
 DocType: Selling Settings,Sales Order Required,판매 주문 필수
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,판매자되기
 DocType: Purchase Invoice,Credit To,신용에
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,액티브 리드 / 고객
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,액티브 리드 / 고객
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,표준 배달 참고 형식을 사용하려면 비워 둡니다.
 DocType: Employee Education,Post Graduate,졸업 후
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,유지 보수 일정의 세부 사항
 DocType: Supplier Scorecard,Warn for new Purchase Orders,새 구매 주문 경고
@@ -3451,14 +3490,14 @@
 DocType: Support Search Source,Post Title Key,게시물 제목 키
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,직업 카드
 DocType: Warranty Claim,Raised By,에 의해 제기
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,처방전
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,처방전
 DocType: Payment Gateway Account,Payment Account,결제 계정
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,진행하는 회사를 지정하십시오
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,진행하는 회사를 지정하십시오
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,채권에 순 변경
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,보상 오프
 DocType: Job Offer,Accepted,허용
 DocType: POS Closing Voucher,Sales Invoices Summary,영업 송장 요약
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,파티 명에게
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,파티 명에게
 DocType: Grant Application,Organization,조직
 DocType: Grant Application,Organization,조직
 DocType: BOM Update Tool,BOM Update Tool,BOM 업데이트 도구
@@ -3468,7 +3507,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,당신이 정말로이 회사에 대한 모든 트랜잭션을 삭제 하시겠습니까 확인하시기 바랍니다. 그대로 마스터 데이터는 유지됩니다. 이 작업은 취소 할 수 없습니다.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,검색 결과
 DocType: Room,Room Number,방 번호
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},잘못된 참조 {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},잘못된 참조 {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{3}  생산 주문시 {0} ({1}) 수량은 ({2})} 보다 클 수 없습니다.
 DocType: Shipping Rule,Shipping Rule Label,배송 규칙 라벨
 DocType: Journal Entry Account,Payroll Entry,급여 항목
@@ -3476,8 +3515,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,세금 템플릿 만들기
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,사용자 포럼
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,원료는 비워 둘 수 없습니다.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,행 # {0} (결제 표) : 금액은 음수 여야합니다.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","주식을 업데이트 할 수 없습니다, 송장은 하락 선박 항목이 포함되어 있습니다."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,행 # {0} (결제 표) : 금액은 음수 여야합니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","주식을 업데이트 할 수 없습니다, 송장은 하락 선박 항목이 포함되어 있습니다."
 DocType: Contract,Fulfilment Status,이행 상태
 DocType: Lab Test Sample,Lab Test Sample,실험실 테스트 샘플
 DocType: Item Variant Settings,Allow Rename Attribute Value,특성 값 이름 바꾸기 허용
@@ -3519,11 +3558,11 @@
 DocType: BOM,Show Operations,보기 운영
 ,Minutes to First Response for Opportunity,기회에 대한 첫 번째 응답에 분
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,총 결석
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,행에 대한 항목이나 창고 {0} 물자의 요청과 일치하지 않습니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,행에 대한 항목이나 창고 {0} 물자의 요청과 일치하지 않습니다
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,측정 단위
 DocType: Fiscal Year,Year End Date,연도 종료 날짜
 DocType: Task Depends On,Task Depends On,작업에 따라 다릅니다
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,기회
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,기회
 DocType: Operation,Default Workstation,기본 워크 스테이션
 DocType: Notification Control,Expense Claim Approved Message,경비 청구서 승인 메시지
 DocType: Payment Entry,Deductions or Loss,공제 또는 손실
@@ -3561,20 +3600,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,사용자가 승인하면 규칙에 적용 할 수있는 사용자로 동일 할 수 없습니다
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),기본 요금 (재고 UOM에 따라)
 DocType: SMS Log,No of Requested SMS,요청 SMS 없음
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,승인 된 휴가 신청 기록과 일치하지 않습니다 지불하지 않고 남겨주세요
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,승인 된 휴가 신청 기록과 일치하지 않습니다 지불하지 않고 남겨주세요
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,다음 단계
 DocType: Travel Request,Domestic,하인
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,최상의 요금으로 지정된 항목을 제공하십시오
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,최상의 요금으로 지정된 항목을 제공하십시오
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,이전 날짜 이전에 사원 이체는 제출할 수 없습니다.
 DocType: Certification Application,USD,미화
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,송장 생성
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,잔액
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,잔액
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 일이 경과되면 자동 가까운 기회
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,스코어 카드가 {1} (으)로 인해 구매 주문이 {0}에 허용되지 않습니다.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,바코드 {0}은 (는) 유효한 {1} 코드가 아닙니다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,바코드 {0}은 (는) 유효한 {1} 코드가 아닙니다.
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,최종 년도
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,따옴표 / 리드 %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,계약 종료 날짜는 가입 날짜보다 커야합니다
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,계약 종료 날짜는 가입 날짜보다 커야합니다
 DocType: Driver,Driver,운전사
 DocType: Vital Signs,Nutrition Values,영양가
 DocType: Lab Test Template,Is billable,청구 가능
@@ -3585,7 +3624,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,이 ERPNext에서 자동으로 생성 예를 들어 웹 사이트입니다
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,고령화 범위 1
 DocType: Shopify Settings,Enable Shopify,Shopify 사용
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,총 대출 금액은 총 청구 금액보다 클 수 없습니다.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,총 대출 금액은 총 청구 금액보다 클 수 없습니다.
 DocType: Purchase Taxes and Charges Template,"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
@@ -3632,12 +3671,12 @@
 DocType: Employee Separation,Employee Separation,직원 분리
 DocType: BOM Item,Original Item,원본 항목
 DocType: Purchase Receipt Item,Recd Quantity,Recd 수량
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,문서 날짜
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,문서 날짜
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},요금 기록 작성 - {0}
 DocType: Asset Category Account,Asset Category Account,자산 분류 계정
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,행 # {0} (지급 표) : 금액은 양수 여야합니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,행 # {0} (지급 표) : 금액은 양수 여야합니다.
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},더 많은 항목을 생성 할 수 없습니다 {0}보다 판매 주문 수량 {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,속성 값 선택
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,속성 값 선택
 DocType: Purchase Invoice,Reason For Issuing document,문서 발행 사유
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,재고 입력 {0} 미작성
 DocType: Payment Reconciliation,Bank / Cash Account,은행 / 현금 계정
@@ -3646,8 +3685,10 @@
 DocType: Asset,Manual,조작
 DocType: Salary Component Account,Salary Component Account,급여 구성 요소 계정
 DocType: Global Defaults,Hide Currency Symbol,통화 기호에게 숨기기
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,출처 별 영업 기회
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,기부자 정보.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","예) 은행, 현금, 신용 카드"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,설치&gt; 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오.
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","예) 은행, 현금, 신용 카드"
 DocType: Job Applicant,Source Name,원본 이름
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",성인의 정상적인 휴식 혈압은 수축기 약 120 mmHg이고 이완기 혈압은 80 mmHg ( &quot;120/80 mmHg&quot;
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",manufacturing_date 및 자체 수명을 기준으로 만료 기간을 설정하기 위해 일 단위로 상품 수명을 설정합니다.
@@ -3677,7 +3718,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},수량이 수량 {0}보다 적어야합니다.
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,행 {0} : 시작 날짜가 종료 날짜 이전이어야합니다
 DocType: Salary Component,Max Benefit Amount (Yearly),최대 혜택 금액 (매년)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS 비율
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS 비율
 DocType: Crop,Planting Area,심기 지역
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),합계 (수량)
 DocType: Installation Note Item,Installed Qty,설치 수량
@@ -3699,8 +3740,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,승인 통지 남기기
 DocType: Buying Settings,Default Buying Price List,기본 구매 가격 목록
 DocType: Payroll Entry,Salary Slip Based on Timesheet,표를 바탕으로 급여 슬립
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,구매율
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},행 {0} : 자산 항목 {1}의 위치 입력
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,구매율
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},행 {0} : 자산 항목 {1}의 위치 입력
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,회사 소개
 DocType: Notification Control,Sales Order Message,판매 주문 메시지
@@ -3767,10 +3808,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,행 {0} : 계획 수량 입력
 DocType: Account,Income Account,수익 계정
 DocType: Payment Request,Amount in customer's currency,고객의 통화 금액
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,배달
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,배달
 DocType: Volunteer,Weekdays,평일
 DocType: Stock Reconciliation Item,Current Qty,현재 수량
 DocType: Restaurant Menu,Restaurant Menu,식당 메뉴
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,공급 업체 추가
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV- .YYYY.-
 DocType: Loyalty Program,Help Section,도움말 섹션
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,예전
@@ -3782,19 +3824,20 @@
 												fullfill Sales Order {2}",판매 주문을 \ fullfill {2} (으)로 예약 했으므로 항목 {1}의 일련 번호 {0}을 (를)
 DocType: Item Reorder,Material Request Type,자료 요청 유형
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Grant Review 이메일 보내기
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","로컬 저장이 가득, 저장하지 않은"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,행 {0} : UOM 변환 계수는 필수입니다
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","로컬 저장이 가득, 저장하지 않은"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,행 {0} : UOM 변환 계수는 필수입니다
 DocType: Employee Benefit Claim,Claim Date,청구일
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,객실 용량
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},항목 {0}에 이미 레코드가 있습니다.
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,참조
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,이전에 생성 된 송장에 대한 기록을 잃게됩니다. 이 구독을 다시 시작 하시겠습니까?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,등록비
 DocType: Loyalty Program Collection,Loyalty Program Collection,충성도 프로그램 콜렉션
 DocType: Stock Entry Detail,Subcontracted Item,외주 품목
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},학생 {0}은 (는) 그룹 {1}에 속해 있지 않습니다.
 DocType: Budget,Cost Center,비용 센터
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,상품권 #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,상품권 #
 DocType: Notification Control,Purchase Order Message,구매 주문 메시지
 DocType: Tax Rule,Shipping Country,배송 국가
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,판매 거래에서 고객의 세금 아이디를 숨기기
@@ -3813,23 +3856,22 @@
 DocType: Subscription,Cancel At End Of Period,기간 만료시 취소
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,속성이 이미 추가되었습니다.
 DocType: Item Supplier,Item Supplier,부품 공급 업체
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},값을 선택하세요 {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},값을 선택하세요 {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,전송 항목을 선택하지 않았습니다.
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,모든 주소.
 DocType: Company,Stock Settings,재고 설정
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","다음과 같은 속성이 모두 기록에 같은 경우 병합에만 가능합니다. 그룹, 루트 유형, 회사는"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","다음과 같은 속성이 모두 기록에 같은 경우 병합에만 가능합니다. 그룹, 루트 유형, 회사는"
 DocType: Vehicle,Electric,전기 같은
 DocType: Task,% Progress,%의 진행
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,자산 처분 이익 / 손실
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",아래 표에서 &quot;승인 됨&quot;상태의 학생 지원자 만 선택됩니다.
 DocType: Tax Withholding Category,Rates,요금
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,계정 {0}의 계정 번호를 사용할 수 없습니다. <br> 차트 계정을 올바르게 설정하십시오.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,계정 {0}의 계정 번호를 사용할 수 없습니다. <br> 차트 계정을 올바르게 설정하십시오.
 DocType: Task,Depends on Tasks,작업에 따라 달라집니다
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,고객 그룹 트리를 관리 할 수 있습니다.
 DocType: Normal Test Items,Result Value,결과 값
 DocType: Hotel Room,Hotels,호텔
-DocType: Delivery Note,Transporter Date,운송 업체 날짜
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,새로운 비용 센터의 이름
 DocType: Leave Control Panel,Leave Control Panel,제어판에게 남겨
 DocType: Project,Task Completion,작업 완료
@@ -3876,11 +3918,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,모든 평가 그룹
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,새로운웨어 하우스 이름
 DocType: Shopify Settings,App Type,앱 유형
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),총 {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),총 {0} ({1})
 DocType: C-Form Invoice Detail,Territory,국가
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,언급 해주십시오 필요한 방문 없음
 DocType: Stock Settings,Default Valuation Method,기본 평가 방법
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,보수
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,누적 금액 표시
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,진행중인 업데이트. 시간이 좀 걸릴 수 있습니다.
 DocType: Production Plan Item,Produced Qty,생산 수량
 DocType: Vehicle Log,Fuel Qty,연료 수량
@@ -3888,7 +3931,7 @@
 DocType: Work Order Operation,Planned Start Time,계획 시작 시간
 DocType: Course,Assessment,평가
 DocType: Payment Entry Reference,Allocated,할당
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,닫기 대차 대조표 및 책 이익 또는 손실.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,닫기 대차 대조표 및 책 이익 또는 손실.
 DocType: Student Applicant,Application Status,출원 현황
 DocType: Additional Salary,Salary Component Type,급여 구성 요소 유형
 DocType: Sensitivity Test Items,Sensitivity Test Items,감도 테스트 항목
@@ -3899,10 +3942,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,총 발행 금액
 DocType: Sales Partner,Targets,대상
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,회사 정보 파일에 SIREN 번호를 등록하십시오.
+DocType: Email Digest,Sales Orders to Bill,청구서 수신 주문
 DocType: Price List,Price List Master,가격 목록 마스터
 DocType: GST Account,CESS Account,CESS 계정
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,당신이 설정 한 목표를 모니터링 할 수 있도록 모든 판매 트랜잭션은 여러 ** 판매 사람 **에 태그 할 수 있습니다.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,자재 요청 링크
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,자재 요청 링크
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,포럼 활동
 ,S.O. No.,SO 번호
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,은행 계정 명세서 트랜잭션 설정 항목
@@ -3917,7 +3961,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,이 루트 고객 그룹 및 편집 할 수 없습니다.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,누적 된 월간 예산이 PO를 초과하는 경우의 조치
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,장소
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,장소
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,환율 재평가
 DocType: POS Profile,Ignore Pricing Rule,가격 규칙을 무시
 DocType: Employee Education,Graduate,졸업생
@@ -3966,6 +4010,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,레스토랑 설정에서 기본 고객을 설정하십시오.
 ,Salary Register,연봉 회원 가입
 DocType: Warehouse,Parent Warehouse,부모 창고
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,차트
 DocType: Subscription,Net Total,합계액
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},항목 {0} 및 프로젝트 {1}에 대한 기본 BOM을 찾을 수 없습니다
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,다양한 대출 유형을 정의
@@ -3998,24 +4043,26 @@
 DocType: Membership,Membership Status,회원 자격
 DocType: Travel Itinerary,Lodging Required,숙박 필요
 ,Requested,요청
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,없음 비고
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,없음 비고
 DocType: Asset,In Maintenance,유지 관리 중
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWS에서 판매 주문 데이터를 가져 오려면이 버튼을 클릭하십시오.
 DocType: Vital Signs,Abdomen,복부
 DocType: Purchase Invoice,Overdue,연체
 DocType: Account,Stock Received But Not Billed,재고품 받았지만 청구하지
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,루트 계정은 그룹이어야합니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,루트 계정은 그룹이어야합니다
 DocType: Drug Prescription,Drug Prescription,약물 처방전
 DocType: Loan,Repaid/Closed,/ 상환 휴무
 DocType: Amazon MWS Settings,CA,캘리포니아 주
 DocType: Item,Total Projected Qty,총 예상 수량
 DocType: Monthly Distribution,Distribution Name,배포 이름
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM 포함
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",{1} {2}에 대한 계정 항목을 수행해야하는 항목 {0}에 대한 평가율이 없습니다. 항목이 {1}의 0 평가 항목으로 거래중인 경우 {1} 항목 테이블에 언급하십시오. 그렇지 않은 경우 항목에 대한 재고 트랜잭션을 생성하거나 항목 레코드에 평가율을 언급 한 다음이 항목을 제출 / 취소하십시오.
 DocType: Course,Course Code,코스 코드
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},상품에 필요한 품질 검사 {0}
 DocType: Location,Parent Location,상위 위치
 DocType: POS Settings,Use POS in Offline Mode,오프라인 모드에서 POS 사용
 DocType: Supplier Scorecard,Supplier Variables,공급 업체 변수
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0}은 필수 항목입니다. 어쩌면 Currency Exchange 레코드가 {1}에서 {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,고객의 통화는 회사의 기본 통화로 변환하는 속도에
 DocType: Purchase Invoice Item,Net Rate (Company Currency),인터넷 속도 (회사 통화)
 DocType: Salary Detail,Condition and Formula Help,조건 및 수식 도움말
@@ -4024,19 +4071,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,판매 송장
 DocType: Journal Entry Account,Party Balance,파티 밸런스
 DocType: Cash Flow Mapper,Section Subtotal,섹션 소계
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,할인에 적용을 선택하세요
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,할인에 적용을 선택하세요
 DocType: Stock Settings,Sample Retention Warehouse,샘플 보관 창고
 DocType: Company,Default Receivable Account,기본 채권 계정
 DocType: Purchase Invoice,Deemed Export,간주 수출
 DocType: Stock Entry,Material Transfer for Manufacture,제조에 대한 자료 전송
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,할인 비율은 가격 목록에 대해 또는 전체 가격 목록에 하나를 적용 할 수 있습니다.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,재고에 대한 회계 항목
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,재고에 대한 회계 항목
 DocType: Lab Test,LabTest Approver,LabTest 승인자
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,이미 평가 기준 {}을 (를) 평가했습니다.
 DocType: Vehicle Service,Engine Oil,엔진 오일
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},생성 된 작업 순서 : {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},생성 된 작업 순서 : {0}
 DocType: Sales Invoice,Sales Team1,판매 Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,{0} 항목이 존재하지 않습니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,{0} 항목이 존재하지 않습니다
 DocType: Sales Invoice,Customer Address,고객 주소
 DocType: Loan,Loan Details,대출 세부 사항
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,회사 사후 설비를 설치하는 데 실패했습니다.
@@ -4057,34 +4104,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,페이지 상단에이 슬라이드 쇼보기
 DocType: BOM,Item UOM,상품 UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),할인 금액 후 세액 (회사 통화)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},목표웨어 하우스는 행에 대해 필수입니다 {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},목표웨어 하우스는 행에 대해 필수입니다 {0}
 DocType: Cheque Print Template,Primary Settings,기본 설정
 DocType: Attendance Request,Work From Home,집에서 일하십시오
 DocType: Purchase Invoice,Select Supplier Address,선택 공급 업체 주소
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,직원 추가
 DocType: Purchase Invoice Item,Quality Inspection,품질 검사
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,매우 작은
 DocType: Company,Standard Template,표준 템플릿
 DocType: Training Event,Theory,이론
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,경고 : 수량 요청 된 자료는 최소 주문 수량보다 적은
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,경고 : 수량 요청 된 자료는 최소 주문 수량보다 적은
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,계정 {0} 동결
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,조직에 속한 계정의 별도의 차트와 법인 / 자회사.
 DocType: Payment Request,Mute Email,음소거 이메일
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","음식, 음료 및 담배"
 DocType: Account,Account Number,계좌 번호
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},단지에 대한 지불을 할 수 미 청구 {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,수수료율은 100보다 큰 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},단지에 대한 지불을 할 수 미 청구 {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,수수료율은 100보다 큰 수 없습니다
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),자동으로 사전 할당 (FIFO)
 DocType: Volunteer,Volunteer,지원자
 DocType: Buying Settings,Subcontract,하청
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,첫 번째 {0}을 입력하세요
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,에서 아무 응답 없음
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,에서 아무 응답 없음
 DocType: Work Order Operation,Actual End Time,실제 종료 시간
 DocType: Item,Manufacturer Part Number,제조업체 부품 번호
 DocType: Taxable Salary Slab,Taxable Salary Slab,과세 대상 월급
 DocType: Work Order Operation,Estimated Time and Cost,예상 시간 및 비용
 DocType: Bin,Bin,큰 상자
 DocType: Crop,Crop Name,자르기 이름
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,역할이 {0} 인 사용자 만 마켓 플레이스에 등록 할 수 있습니다.
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,역할이 {0} 인 사용자 만 마켓 플레이스에 등록 할 수 있습니다.
 DocType: SMS Log,No of Sent SMS,보낸 SMS 없음
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,약속 및 만남
@@ -4113,7 +4161,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,코드 변경
 DocType: Purchase Invoice Item,Valuation Rate,평가 평가
 DocType: Vehicle,Diesel,디젤
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,가격리스트 통화 선택하지
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,가격리스트 통화 선택하지
 DocType: Purchase Invoice,Availed ITC Cess,제공되는 ITC Cess
 ,Student Monthly Attendance Sheet,학생 월별 출석 시트
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,판매에만 적용되는 배송 규칙
@@ -4130,7 +4178,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,판매 파트너를 관리합니다.
 DocType: Quality Inspection,Inspection Type,검사 유형
 DocType: Fee Validity,Visited yet,아직 방문하지 않았습니다.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,기존 거래와 창고 그룹으로 변환 할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,기존 거래와 창고 그룹으로 변환 할 수 없습니다.
 DocType: Assessment Result Tool,Result HTML,결과 HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,판매 트랜잭션을 기준으로 프로젝트 및 회사를 얼마나 자주 업데이트해야합니까?
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,에 만료
@@ -4138,7 +4186,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},선택하세요 {0}
 DocType: C-Form,C-Form No,C-양식 없음
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,거리
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,거리
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,구매 또는 판매하는 제품 또는 서비스를 나열하십시오.
 DocType: Water Analysis,Storage Temperature,보관 온도
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4154,19 +4202,19 @@
 DocType: Shopify Settings,Delivery Note Series,납품서 시리즈
 DocType: Purchase Order Item,Returned Qty,반품 수량
 DocType: Student,Exit,닫기
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,루트 유형이 필수입니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,루트 유형이 필수입니다
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,사전 설정을 설치하지 못했습니다.
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,시간 단위의 UOM 변환
 DocType: Contract,Signee Details,서명자 세부 정보
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0}에는 현재 {1} 공급 업체 성과표가 기재되어 있으며이 공급 업체에 대한 RFQ는주의해서 발행해야합니다.
 DocType: Certified Consultant,Non Profit Manager,비영리 관리자
 DocType: BOM,Total Cost(Company Currency),총 비용 (기업 통화)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,일련 번호 {0} 생성
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,일련 번호 {0} 생성
 DocType: Homepage,Company Description for website homepage,웹 사이트 홈페이지에 대한 회사 설명
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","고객의 편의를 위해, 이러한 코드는 송장 배송 메모와 같은 인쇄 포맷으로 사용될 수있다"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier 이름
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0}에 대한 정보를 검색 할 수 없습니다.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,엔트리 저널 열기
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,엔트리 저널 열기
 DocType: Contract,Fulfilment Terms,이행 조건
 DocType: Sales Invoice,Time Sheet List,타임 시트 목록
 DocType: Employee,You can enter any date manually,당신은 수동으로 날짜를 입력 할 수 있습니다
@@ -4202,7 +4250,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,조직
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",Leave Allocation 레코드가 이미 존재하므로 다음 직원에 대해서는 할당을 건너 뛰십시오. {0}
 DocType: Fee Component,Fees Category,요금 종류
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,날짜를 덜어 입력 해 주시기 바랍니다.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,날짜를 덜어 입력 해 주시기 바랍니다.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Travel Request,"Details of Sponsor (Name, Location)","후원사 세부 사항 (이름, 위치)"
 DocType: Supplier Scorecard,Notify Employee,직원에게 알리기
@@ -4215,9 +4263,9 @@
 DocType: Company,Chart Of Accounts Template,계정 템플릿의 차트
 DocType: Attendance,Attendance Date,출석 날짜
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},구입 인보이스 {0}의 재고를 업데이트해야합니다.
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},상품 가격은 {0}에서 가격 목록 업데이트 {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},상품 가격은 {0}에서 가격 목록 업데이트 {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,급여 이별은 적립 및 차감에 따라.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,자식 노드와 계정 원장으로 변환 할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,자식 노드와 계정 원장으로 변환 할 수 없습니다
 DocType: Purchase Invoice Item,Accepted Warehouse,허용 창고
 DocType: Bank Reconciliation Detail,Posting Date,등록일자
 DocType: Item,Valuation Method,평가 방법
@@ -4254,6 +4302,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,일괄 처리를 선택하십시오.
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,여행 및 경비 청구
 DocType: Sales Invoice,Redemption Cost Center,사용 비용 센터
+DocType: QuickBooks Migrator,Scope,범위
 DocType: Assessment Group,Assessment Group Name,평가 그룹 이름
 DocType: Manufacturing Settings,Material Transferred for Manufacture,재료 제조에 양도
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,세부 정보에 추가
@@ -4261,6 +4310,7 @@
 DocType: Shopify Settings,Last Sync Datetime,마지막 동기화 날짜 / 시간
 DocType: Landed Cost Item,Receipt Document Type,수신 문서 형식
 DocType: Daily Work Summary Settings,Select Companies,선택 회사
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,제안 / 가격 견적
 DocType: Antibiotic,Healthcare,건강 관리
 DocType: Target Detail,Target Detail,세부 목표
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,단일 변형
@@ -4270,6 +4320,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,기간 결산 항목
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,부서 선택 ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,기존의 트랜잭션 비용 센터는 그룹으로 변환 할 수 없습니다
+DocType: QuickBooks Migrator,Authorization URL,승인 URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},양 {0} {1} {2} {3}
 DocType: Account,Depreciation,감가 상각
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,주식 수와 주식 수는 일치하지 않습니다.
@@ -4292,13 +4343,14 @@
 DocType: Support Search Source,Source DocType,원본 DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,새 티켓을여십시오.
 DocType: Training Event,Trainer Email,트레이너 이메일
+DocType: Driver,Transporter,운송자
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,자료 요청 {0} 생성
 DocType: Restaurant Reservation,No of People,사람들의 수
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,조건 또는 계약의 템플릿.
 DocType: Bank Account,Address and Contact,주소와 연락처
 DocType: Vital Signs,Hyper,하이퍼
 DocType: Cheque Print Template,Is Account Payable,채무 계정입니다
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},주식은 구매 영수증에 대해 업데이트 할 수 없습니다 {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},주식은 구매 영수증에 대해 업데이트 할 수 없습니다 {0}
 DocType: Support Settings,Auto close Issue after 7 days,칠일 후 자동으로 닫 문제
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","이전에 할당 할 수없는 남기기 {0}, 휴가 균형이 이미 반입 전달 미래 휴가 할당 기록되었습니다로 {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),참고 : 지원 / 참조 날짜가 {0} 일에 의해 허용 된 고객의 신용 일을 초과 (들)
@@ -4316,7 +4368,7 @@
 ,Qty to Deliver,제공하는 수량
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon은이 날짜 이후에 업데이트 된 데이터를 동기화합니다.
 ,Stock Analytics,재고 분석
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,작업은 비워 둘 수 없습니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,작업은 비워 둘 수 없습니다
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,실험실 테스트
 DocType: Maintenance Visit Purpose,Against Document Detail No,문서의 세부 사항에 대한 없음
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},{0} 국가에서는 삭제할 수 없습니다.
@@ -4324,13 +4376,12 @@
 DocType: Quality Inspection,Outgoing,발신
 DocType: Material Request,Requested For,에 대해 요청
 DocType: Quotation Item,Against Doctype,문서 종류에 대하여
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} 취소 또는 폐쇄
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} 취소 또는 폐쇄
 DocType: Asset,Calculate Depreciation,감가 상각 계산
 DocType: Delivery Note,Track this Delivery Note against any Project,모든 프로젝트에 대해이 배달 주를 추적
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,투자에서 순 현금
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,고객&gt; 고객 그룹&gt; 지역
 DocType: Work Order,Work-in-Progress Warehouse,작업중인 창고
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,자산 {0} 제출해야합니다
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,자산 {0} 제출해야합니다
 DocType: Fee Schedule Program,Total Students,총 학생수
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},출석 기록은 {0} 학생에 존재 {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},참고 # {0} 년 {1}
@@ -4350,7 +4401,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,왼쪽 직원에 대해 보유 보너스를 생성 할 수 없음
 DocType: Lead,Market Segment,시장 세분
 DocType: Agriculture Analysis Criteria,Agriculture Manager,농업 관리자
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},지불 금액은 총 음의 뛰어난 금액보다 클 수 없습니다 {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},지불 금액은 총 음의 뛰어난 금액보다 클 수 없습니다 {0}
 DocType: Supplier Scorecard Period,Variables,변수
 DocType: Employee Internal Work History,Employee Internal Work History,직원 내부 작업 기록
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),결산 (박사)
@@ -4375,22 +4426,24 @@
 DocType: Amazon MWS Settings,Synch Products,동기화 제품
 DocType: Loyalty Point Entry,Loyalty Program,충성도 프로그램
 DocType: Student Guardian,Father,아버지
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,티켓 지원
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;업데이트 증권은&#39;고정 자산의 판매 확인할 수 없습니다
 DocType: Bank Reconciliation,Bank Reconciliation,은행 계정 조정
 DocType: Attendance,On Leave,휴가로
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,업데이트 받기
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1} 계정 {2} 회사에 속하지 않는 {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,각 속성에서 하나 이상의 값을 선택하십시오.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,각 속성에서 하나 이상의 값을 선택하십시오.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,자료 요청 {0} 취소 또는 정지
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,파견 국가
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,파견 국가
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,관리를 남겨주세요
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,그룹
 DocType: Purchase Invoice,Hold Invoice,청구서 보류
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,직원을 선택하십시오.
 DocType: Sales Order,Fully Delivered,완전 배달
-DocType: Lead,Lower Income,낮은 소득
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,낮은 소득
 DocType: Restaurant Order Entry,Current Order,현재 주문
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,일련 번호와 수량은 동일해야합니다.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},소스와 목표웨어 하우스는 행에 대해 동일 할 수 없습니다 {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},소스와 목표웨어 하우스는 행에 대해 동일 할 수 없습니다 {0}
 DocType: Account,Asset Received But Not Billed,자산은 수령되었지만 청구되지 않음
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","콘텐츠 화해는 열기 항목이기 때문에 차이 계정, 자산 / 부채 형 계정이어야합니다"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},지급 금액은 대출 금액보다 클 수 없습니다 {0}
@@ -4399,7 +4452,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},구매 주문 번호 항목에 필요한 {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','시작일자'는  '마감일자' 이전이어야 합니다
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,이 지정에 대한 직원 채용 계획 없음
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,{1} 항목의 일괄 처리 {0}이 (가) 비활성화되었습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,{1} 항목의 일괄 처리 {0}이 (가) 비활성화되었습니다.
 DocType: Leave Policy Detail,Annual Allocation,연간 할당
 DocType: Travel Request,Address of Organizer,주최자의 주소
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,의료 종사자를 선택하십시오 ...
@@ -4408,12 +4461,12 @@
 DocType: Asset,Fully Depreciated,완전 상각
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,재고 수량을 예상
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},고객 {0} 프로젝트에 속하지 않는 {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},고객 {0} 프로젝트에 속하지 않는 {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,표시된 출석 HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","견적, 당신은 당신의 고객에게 보낸 입찰 제안서 있습니다"
 DocType: Sales Invoice,Customer's Purchase Order,고객의 구매 주문
 DocType: Clinical Procedure,Patient,환자
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,판매 주문서에서 신용 체크 무시
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,판매 주문서에서 신용 체크 무시
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,직원 입회 활동
 DocType: Location,Check if it is a hydroponic unit,그것이 수경 단위인지 확인하십시오
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,일련 번호 및 배치
@@ -4423,7 +4476,7 @@
 DocType: Supplier Scorecard Period,Calculations,계산
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,값 또는 수량
 DocType: Payment Terms Template,Payment Terms,지불 조건
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,생산 주문을 사육 할 수 없습니다
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,생산 주문을 사육 할 수 없습니다
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,분
 DocType: Purchase Invoice,Purchase Taxes and Charges,구매 세금과 요금
 DocType: Chapter,Meetup Embed HTML,Meetup HTML 포함
@@ -4431,7 +4484,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,공급 업체로 이동
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS 클로징 바우처 세
 ,Qty to Receive,받도록 수량
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",유효한 급여 기간이 아닌 시작 및 종료 날짜는 {0}을 계산할 수 없습니다.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",유효한 급여 기간이 아닌 시작 및 종료 날짜는 {0}을 계산할 수 없습니다.
 DocType: Leave Block List,Leave Block List Allowed,차단 목록은 허용 남겨
 DocType: Grading Scale Interval,Grading Scale Interval,등급 스케일 간격
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},차량 로그에 대한 경비 요청 {0}
@@ -4439,10 +4492,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,증거금율과 할인율 (%)
 DocType: Healthcare Service Unit Type,Rate / UOM,요율 / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,모든 창고
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,회사 간 거래에 대해 {0}이 (가) 없습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,회사 간 거래에 대해 {0}이 (가) 없습니다.
 DocType: Travel Itinerary,Rented Car,렌트카
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,회사 소개
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,계정에 신용은 대차 대조표 계정이어야합니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,계정에 신용은 대차 대조표 계정이어야합니다
 DocType: Donor,Donor,기증자
 DocType: Global Defaults,Disable In Words,단어에서 해제
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,항목이 자동으로 번호가되어 있지 않기 때문에 상품 코드는 필수입니다
@@ -4454,14 +4507,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,당좌 차월 계정
 DocType: Patient,Patient ID,환자 ID
 DocType: Practitioner Schedule,Schedule Name,일정 이름
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,단계별 판매 파이프 라인
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,급여 슬립을
 DocType: Currency Exchange,For Buying,구매 용
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,모든 공급 업체 추가
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,모든 공급 업체 추가
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,행 번호 {0} : 할당 된 금액은 미납 금액을 초과 할 수 없습니다.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,찾아 BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,보안 대출
 DocType: Purchase Invoice,Edit Posting Date and Time,편집 게시 날짜 및 시간
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},자산 카테고리 {0} 또는 회사의 감가 상각 관련 계정을 설정하십시오 {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},자산 카테고리 {0} 또는 회사의 감가 상각 관련 계정을 설정하십시오 {1}
 DocType: Lab Test Groups,Normal Range,정상 범위
 DocType: Academic Term,Academic Year,학년
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,판매 가능
@@ -4490,26 +4544,26 @@
 DocType: Patient Appointment,Patient Appointment,환자 예약
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,역할을 승인하면 규칙이 적용됩니다 역할로 동일 할 수 없습니다
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,이 이메일 다이제스트 수신 거부
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,공급자 제공
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,공급자 제공
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{1} 항목에 대해 {0}을 (를) 찾을 수 없습니다.
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,코스로 이동
 DocType: Accounts Settings,Show Inclusive Tax In Print,인쇄시 포함 세금 표시
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","은행 계좌, 시작일 및 종료일은 필수 항목입니다."
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,보낸 메시지
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,자식 노드와 계좌 원장은로 설정 될 수 없다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,자식 노드와 계좌 원장은로 설정 될 수 없다
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,가격 목록의 통화는 고객의 기본 통화로 변환하는 속도에
 DocType: Purchase Invoice Item,Net Amount (Company Currency),순 금액 (회사 통화)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,총 선불 금액은 총 승인 금액보다 클 수 없습니다.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,총 선불 금액은 총 승인 금액보다 클 수 없습니다.
 DocType: Salary Slip,Hour Rate,시간 비율
 DocType: Stock Settings,Item Naming By,상품 이름 지정으로
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},또 다른 기간 결산 항목은 {0} 이후 한 {1}
 DocType: Work Order,Material Transferred for Manufacturing,재료 제조에 대한 양도
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,계정 {0}이 존재하지 않습니다
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,로열티 프로그램 선택
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,로열티 프로그램 선택
 DocType: Project,Project Type,프로젝트 형식
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,이 작업에 대한 하위 작업이 있습니다. 이 작업은 삭제할 수 없습니다.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,목표 수량 또는 목표량 하나는 필수입니다.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,목표 수량 또는 목표량 하나는 필수입니다.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,다양한 활동 비용
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","에 이벤트를 설정 {0}, 판매 사람 아래에 부착 된 직원이 사용자 ID를 가지고 있지 않기 때문에 {1}"
 DocType: Timesheet,Billing Details,결제 세부 정보
@@ -4567,13 +4621,13 @@
 DocType: Inpatient Record,A Negative,부정적인
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,더 아무것도 표시가 없습니다.
 DocType: Lead,From Customer,고객의
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,통화
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,통화
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,제품
 DocType: Employee Tax Exemption Declaration,Declarations,선언
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,배치
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,요금표 만들기
 DocType: Purchase Order Item Supplied,Stock UOM,재고 UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,구매 주문 {0} 제출되지
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,구매 주문 {0} 제출되지
 DocType: Account,Expenses Included In Asset Valuation,자산 평가에 포함 된 비용
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),성인의 표준 참조 범위는 16-20 회 호흡 / 분 (RCP 2012)입니다.
 DocType: Customs Tariff Number,Tariff Number,관세 번호
@@ -4586,6 +4640,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,환자를 먼저 저장하십시오.
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,출석이 성공적으로 표시되었습니다.
 DocType: Program Enrollment,Public Transport,대중 교통
+DocType: Delivery Note,GST Vehicle Type,GST 차량 유형
 DocType: Soil Texture,Silt Composition (%),실트 조성 (%)
 DocType: Journal Entry,Remark,비고
 DocType: Healthcare Settings,Avoid Confirmation,확인하지 않기
@@ -4595,11 +4650,10 @@
 DocType: Education Settings,Current Academic Term,현재 학기
 DocType: Education Settings,Current Academic Term,현재 학기
 DocType: Sales Order,Not Billed,청구되지 않음
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,두 창고는 같은 회사에 속해 있어야합니다
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,두 창고는 같은 회사에 속해 있어야합니다
 DocType: Employee Grade,Default Leave Policy,기본 휴가 정책
 DocType: Shopify Settings,Shop URL,상점 URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,주소록은 아직 추가되지 않습니다.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,설치&gt; 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오.
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,착륙 비용 바우처 금액
 ,Item Balance (Simple),상품 잔액 (단순)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,공급 업체에 의해 제기 된 지폐입니다.
@@ -4624,7 +4678,7 @@
 DocType: Shopping Cart Settings,Quotation Series,견적 시리즈
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",항목 ({0}) 항목의 그룹 이름을 변경하거나 항목의 이름을 변경하시기 바랍니다 같은 이름을 가진
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,토양 분석 기준
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,고객을 선택하세요
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,고객을 선택하세요
 DocType: C-Form,I,나는
 DocType: Company,Asset Depreciation Cost Center,자산 감가 상각 비용 센터
 DocType: Production Plan Sales Order,Sales Order Date,판매 주문 날짜
@@ -4637,8 +4691,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,현재 어떤 창고에서도 재고가 없습니다.
 ,Payment Period Based On Invoice Date,송장의 날짜를 기준으로 납부 기간
 DocType: Sample Collection,No. of print,인쇄 매수
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,생일 알림
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,호텔 객실 예약 상품
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},대한 누락 된 통화 환율 {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},대한 누락 된 통화 환율 {0}
 DocType: Employee Health Insurance,Health Insurance Name,건강 보험 이름
 DocType: Assessment Plan,Examiner,시험관
 DocType: Student,Siblings,동기
@@ -4655,19 +4710,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,신규 고객
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,매출 총 이익 %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,약속 {0} 및 판매 송장 {1}이 취소되었습니다.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,리드 소스에 의한 기회
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS 프로파일 변경
 DocType: Bank Reconciliation Detail,Clearance Date,통관 날짜
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",이미 {0} 항목에 대한 자산이 존재합니다. 일련 번호가없는 값은 변경할 수 없습니다.
+DocType: Delivery Settings,Dispatch Notification Template,발송 통지 템플릿
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",이미 {0} 항목에 대한 자산이 존재합니다. 일련 번호가없는 값은 변경할 수 없습니다.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,평가 보고서
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,직원 확보
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,총 구매 금액이 필수입니다
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,회사 이름이 같지 않음
 DocType: Lead,Address Desc,제품 설명에게 주소
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,파티는 필수입니다
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},다른 행에 중복 만기일이있는 행이 발견되었습니다 : {list}
 DocType: Topic,Topic Name,항목 이름
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,HR 설정에서 승인 알림을 남기기위한 기본 템플릿을 설정하십시오.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,HR 설정에서 승인 알림을 남기기위한 기본 템플릿을 설정하십시오.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,판매 또는 구매의이어야 하나를 선택해야합니다
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,직원을 선택하여 직원을 진급시킬 수 있습니다.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,유효한 날짜를 선택하십시오.
@@ -4701,6 +4757,7 @@
 DocType: Stock Entry,Customer or Supplier Details,"고객, 공급 업체의 자세한 사항"
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,현재 자산 가치
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks 회사 ID
 DocType: Travel Request,Travel Funding,여행 기금
 DocType: Loan Application,Required by Date,날짜에 필요한
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,작물이 성장하고있는 모든 위치에 대한 링크
@@ -4714,9 +4771,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,창고에서 이용 가능한 일괄 수량
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,총 급여 - 총 공제 - 대출 상환
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,현재 BOM 및 새로운 BOM은 동일 할 수 없습니다
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,현재 BOM 및 새로운 BOM은 동일 할 수 없습니다
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,급여 슬립 ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,은퇴 날짜 가입 날짜보다 커야합니다
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,은퇴 날짜 가입 날짜보다 커야합니다
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,여러 변형
 DocType: Sales Invoice,Against Income Account,손익 계정에 대한
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0} % 배달
@@ -4745,7 +4802,7 @@
 DocType: POS Profile,Update Stock,재고 업데이트
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,항목에 대해 서로 다른 UOM가 잘못 (총) 순 중량 값으로 이어질 것입니다.각 항목의 순 중량이 동일한 UOM에 있는지 확인하십시오.
 DocType: Certification Application,Payment Details,지불 세부 사항
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM 평가
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM 평가
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",작업 지시 중단을 취소 할 수 없습니다. 취소하려면 먼저 취소하십시오.
 DocType: Asset,Journal Entry for Scrap,스크랩에 대한 분개
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,배달 주에서 항목을 뽑아주세요
@@ -4768,11 +4825,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,전체 금액의인가를
 ,Purchase Analytics,구매 분석
 DocType: Sales Invoice Item,Delivery Note Item,배송 참고 항목
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,현재 송장 {0}이 (가) 없습니다.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,현재 송장 {0}이 (가) 없습니다.
 DocType: Asset Maintenance Log,Task,태스크
 DocType: Purchase Taxes and Charges,Reference Row #,참조 행 번호
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},배치 번호는 항목에 대해 필수입니다 {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,이 루트 판매 사람 및 편집 할 수 없습니다.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,이 루트 판매 사람 및 편집 할 수 없습니다.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",이 요소를 선택하면이 구성 요소에서 지정되거나 계산 된 값이 수입 또는 공제에 기여하지 않습니다. 그러나 값은 추가하거나 차감 할 수있는 다른 구성 요소에 의해 참조 될 수 있습니다.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",이 요소를 선택하면이 구성 요소에서 지정되거나 계산 된 값이 수입 또는 공제에 기여하지 않습니다. 그러나 값은 추가하거나 차감 할 수있는 다른 구성 요소에 의해 참조 될 수 있습니다.
 DocType: Asset Settings,Number of Days in Fiscal Year,회계 연도의 일 수
@@ -4781,7 +4838,7 @@
 DocType: Company,Exchange Gain / Loss Account,교환 이득 / 손실 계정
 DocType: Amazon MWS Settings,MWS Credentials,MWS 자격증 명
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,직원 및 출석
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},목적 중 하나 여야합니다 {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},목적 중 하나 여야합니다 {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,양식을 작성하고 저장
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,커뮤니티 포럼
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,재고 실제 수량
@@ -4797,7 +4854,7 @@
 DocType: Lab Test Template,Standard Selling Rate,표준 판매 비율
 DocType: Account,Rate at which this tax is applied,요금이 세금이 적용되는
 DocType: Cash Flow Mapper,Section Name,섹션 이름
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,재주문 수량
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,재주문 수량
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},감가 상각 행 {0} : 유효 수명 후 예상 값은 {1}보다 크거나 같아야합니다.
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,현재 채용
 DocType: Company,Stock Adjustment Account,재고 조정 계정
@@ -4807,8 +4864,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","시스템 사용자 (로그인) ID. 설정하면, 모든 HR 양식의 기본이 될 것입니다."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,감가 상각 세부 정보 입력
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}에서 {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},학생 {1}에게 이미 {0} 신청서를 남깁니다.
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,모든 BOM에서 최신 가격 업데이트 대기. 몇 분이 소요될 수 있습니다.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,모든 BOM에서 최신 가격 업데이트 대기. 몇 분이 소요될 수 있습니다.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,새로운 계정의 이름입니다. 참고 : 고객 및 공급 업체에 대한 계정을 생성하지 마십시오
 DocType: POS Profile,Display Items In Stock,재고 표시 항목
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,국가 현명한 기본 주소 템플릿
@@ -4838,16 +4896,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0}의 슬롯이 일정에 추가되지 않았습니다.
 DocType: Product Bundle,List items that form the package.,패키지를 형성하는 목록 항목.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,허용되지 않습니다. 테스트 템플릿을 비활성화하십시오.
+DocType: Delivery Note,Distance (in km),거리 (km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,백분율 할당은 100 % 같아야
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,파티를 선택하기 전에 게시 날짜를 선택하세요
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,파티를 선택하기 전에 게시 날짜를 선택하세요
 DocType: Program Enrollment,School House,학교 하우스
 DocType: Serial No,Out of AMC,AMC의 아웃
+DocType: Opportunity,Opportunity Amount,기회 금액
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,예약 감가 상각의 수는 감가 상각의 총 수보다 클 수 없습니다
 DocType: Purchase Order,Order Confirmation Date,주문 확인 날짜
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI- .YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,유지 보수 방문을합니다
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","시작일 및 종료일이 직업 카드 <a href=""#Form/Job Card/{0}"">{1} (으</a> )로 겹쳐 있습니다."
 DocType: Employee Transfer,Employee Transfer Details,직원 이전 세부 정보
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,판매 마스터 관리자 {0} 역할이 사용자에게 문의하시기 바랍니다
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,판매 마스터 관리자 {0} 역할이 사용자에게 문의하시기 바랍니다
 DocType: Company,Default Cash Account,기본 현금 계정
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,회사 (안 고객 또는 공급 업체) 마스터.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,이이 학생의 출석을 기반으로
@@ -4855,9 +4916,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,더 많은 항목 또는 완전 개방 형태로 추가
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,배달 노트는 {0}이 판매 주문을 취소하기 전에 취소해야합니다
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,사용자 이동
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,지불 금액 + 금액 오프 쓰기 총합보다 클 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,지불 금액 + 금액 오프 쓰기 총합보다 클 수 없습니다
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} 항목에 대한 유효한 배치 번호없는 {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},참고 : 허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},참고 : 허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,등록되지 않은 GSTIN이 잘못되었거나 NA 입력
 DocType: Training Event,Seminar,세미나
 DocType: Program Enrollment Fee,Program Enrollment Fee,프로그램 등록 수수료
@@ -4874,7 +4935,7 @@
 DocType: Fee Schedule,Fee Schedule,요금 일정
 DocType: Company,Create Chart Of Accounts Based On,계정 기반에서의 차트 만들기
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,그룹화되지 않은 그룹으로 변환 할 수 없습니다. 하위 작업이 있습니다.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,생년월일은 오늘보다 미래일 수 없습니다.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,생년월일은 오늘보다 미래일 수 없습니다.
 ,Stock Ageing,재고 고령화
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","부분 후원, 부분 자금 필요"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},학생 {0} 학생 신청자에 존재 {1}
@@ -4921,11 +4982,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,계정조정전
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},에 {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),추가 세금 및 수수료 (회사 통화)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,상품 세금 행 {0} 유형의 세금 또는 수입 비용 또는 청구의 계정이 있어야합니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,상품 세금 행 {0} 유형의 세금 또는 수입 비용 또는 청구의 계정이 있어야합니다
 DocType: Sales Order,Partly Billed,일부 청구
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,항목 {0} 고정 자산 항목이어야합니다
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,변형 만들기
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,변형 만들기
 DocType: Item,Default BOM,기본 BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),총 청구 금액 (판매 송장을 통해)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,차변 메모 금액
@@ -4954,14 +5015,14 @@
 DocType: Notification Control,Custom Message,사용자 지정 메시지
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,투자 은행
 DocType: Purchase Invoice,input,입력
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,현금 또는 은행 계좌 결제 항목을 만들기위한 필수입니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,현금 또는 은행 계좌 결제 항목을 만들기위한 필수입니다
 DocType: Loyalty Program,Multiple Tier Program,다중 계층 프로그램
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,학생 주소
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,학생 주소
 DocType: Purchase Invoice,Price List Exchange Rate,가격 기준 환율
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,모든 공급 업체 그룹
 DocType: Employee Boarding Activity,Required for Employee Creation,직원 창출을 위해 필수
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},계정 번호 {0}이 (가) 이미 계정 {1}에서 사용되었습니다.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},계정 번호 {0}이 (가) 이미 계정 {1}에서 사용되었습니다.
 DocType: GoCardless Mandate,Mandate,위임
 DocType: POS Profile,POS Profile Name,POS 프로필 이름
 DocType: Hotel Room Reservation,Booked,예약 됨
@@ -4977,18 +5038,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,당신이 참조 날짜를 입력 한 경우 참조 번호는 필수입니다
 DocType: Bank Reconciliation Detail,Payment Document,결제 문서
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,기준 수식을 평가하는 중 오류가 발생했습니다.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,가입 날짜는 출생의 날짜보다 커야합니다
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,가입 날짜는 출생의 날짜보다 커야합니다
 DocType: Subscription,Plans,계획
 DocType: Salary Slip,Salary Structure,급여 체계
 DocType: Account,Bank,은행
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,항공 회사
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,문제의 소재
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,문제의 소재
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Shopify를 ERPNext와 연결하십시오.
 DocType: Material Request Item,For Warehouse,웨어 하우스
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,배송 노트 {0}이 업데이트되었습니다.
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,배송 노트 {0}이 업데이트되었습니다.
 DocType: Employee,Offer Date,제공 날짜
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,견적
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,당신은 오프라인 모드에 있습니다. 당신은 당신이 네트워크를 때까지 다시로드 할 수 없습니다.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,견적
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,당신은 오프라인 모드에 있습니다. 당신은 당신이 네트워크를 때까지 다시로드 할 수 없습니다.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,부여
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,어떤 학생 그룹이 생성되지 않습니다.
 DocType: Purchase Invoice Item,Serial No,일련 번호
@@ -5000,24 +5061,26 @@
 DocType: Sales Invoice,Customer PO Details,고객 PO 세부 사항
 DocType: Stock Entry,Including items for sub assemblies,서브 어셈블리에 대한 항목을 포함
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,임시 개회 계좌
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,입력 값은 양수 여야합니다
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,입력 값은 양수 여야합니다
 DocType: Asset,Finance Books,금융 서적
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,종업원 면제 선언 카테고리
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,모든 국가
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,직원 {0}의 휴가 정책을 직원 / 학년 기록으로 설정하십시오.
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,선택한 고객 및 품목에 대한 담요 주문이 잘못되었습니다.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,선택한 고객 및 품목에 대한 담요 주문이 잘못되었습니다.
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,여러 작업 추가
 DocType: Purchase Invoice,Items,아이템
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,종료 날짜는 시작 날짜 이전 일 수 없습니다.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,학생이 이미 등록되어 있습니다.
 DocType: Fiscal Year,Year Name,올해의 이름
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,이번 달 작업 일 이상 휴일이 있습니다.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,이번 달 작업 일 이상 휴일이 있습니다.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,다음 항목 {0}은 (는) {1} 항목으로 표시되지 않았습니다. 아이템 마스터에서 아이템을 {1} 아이템으로 사용할 수 있습니다
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,번들 제품 항목
 DocType: Sales Partner,Sales Partner Name,영업 파트너 명
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,견적 요청
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,견적 요청
 DocType: Payment Reconciliation,Maximum Invoice Amount,최대 송장 금액
 DocType: Normal Test Items,Normal Test Items,정상 검사 항목
+DocType: QuickBooks Migrator,Company Settings,회사 설정
 DocType: Additional Salary,Overwrite Salary Structure Amount,급여 구조 금액 덮어 쓰기
 DocType: Student Language,Student Language,학생 언어
 apps/erpnext/erpnext/config/selling.py +23,Customers,고객
@@ -5030,22 +5093,24 @@
 DocType: Issue,Opening Time,영업 시간
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,일자 및 끝
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,증권 및 상품 교환
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',변형에 대한 측정의 기본 단위는 &#39;{0}&#39;템플릿에서와 동일해야합니다 &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',변형에 대한 측정의 기본 단위는 &#39;{0}&#39;템플릿에서와 동일해야합니다 &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,에 의거에게 계산
 DocType: Contract,Unfulfilled,완성되지 않은
 DocType: Delivery Note Item,From Warehouse,창고에서
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,언급 된 기준에 해당하는 직원 없음
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,재료 명세서 (BOM)와 어떤 항목은 제조 없습니다
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,재료 명세서 (BOM)와 어떤 항목은 제조 없습니다
 DocType: Shopify Settings,Default Customer,기본 고객
+DocType: Sales Stage,Stage Name,예명
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN- .YYYY.-
 DocType: Assessment Plan,Supervisor Name,관리자 이름
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,같은 날 약속이 만들어 졌는지 확인하지 마십시오.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,배송지 국가
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,배송지 국가
 DocType: Program Enrollment Course,Program Enrollment Course,프로그램 등록 과정
 DocType: Program Enrollment Course,Program Enrollment Course,프로그램 등록 과정
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},사용자 {0}이 (가) 건강 관리사 {1}에게 이미 지정되었습니다.
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,샘플 보유 재고 항목 만들기
 DocType: Purchase Taxes and Charges,Valuation and Total,평가 및 총
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,협상 / 검토
 DocType: Leave Encashment,Encashment Amount,납부 금액
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,스코어 카드
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,만료 된 배치
@@ -5055,7 +5120,7 @@
 DocType: Staffing Plan Detail,Current Openings,현재 오프닝
 DocType: Notification Control,Customize the Notification,알림 사용자 지정
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,운영으로 인한 현금 흐름
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST 금액
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST 금액
 DocType: Purchase Invoice,Shipping Rule,배송 규칙
 DocType: Patient Relation,Spouse,배우자
 DocType: Lab Test Groups,Add Test,테스트 추가
@@ -5069,14 +5134,14 @@
 DocType: Payroll Entry,Payroll Frequency,급여 주파수
 DocType: Lab Test Template,Sensitivity,감광도
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,최대 재시도 횟수를 초과하여 동기화가 일시적으로 사용 중지되었습니다.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,원료
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,원료
 DocType: Leave Application,Follow via Email,이메일을 통해 수행
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,식물과 기계류
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,할인 금액 후 세액
 DocType: Patient,Inpatient Status,입원 환자 현황
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,매일 작업 요약 설정
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,선택된 가격 목록에는 매매 필드를 점검해야합니다.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Reqd by Date를 입력하십시오.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,선택된 가격 목록에는 매매 필드를 점검해야합니다.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Reqd by Date를 입력하십시오.
 DocType: Payment Entry,Internal Transfer,내부 전송
 DocType: Asset Maintenance,Maintenance Tasks,유지 관리 작업
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,목표 수량 또는 목표량 하나는 필수입니다
@@ -5098,7 +5163,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,마지막 커뮤니케이션
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,마지막 커뮤니케이션
 ,TDS Payable Monthly,매월 TDS 지급
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM 대체 대기. 몇 분이 걸릴 수 있습니다.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM 대체 대기. 몇 분이 걸릴 수 있습니다.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',카테고리는 '평가'또는 '평가 및 전체'에 대한 때 공제 할 수 없습니다
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},직렬화 된 항목에 대한 일련 NOS 필수 {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,송장과 일치 결제
@@ -5111,7 +5176,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,쇼핑 카트에 담기
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,그룹으로
 DocType: Guardian,Interests,이해
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ 비활성화 통화를 사용합니다.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ 비활성화 통화를 사용합니다.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,일부 급여 전표를 제출할 수 없습니다.
 DocType: Exchange Rate Revaluation,Get Entries,항목 가져 오기
 DocType: Production Plan,Get Material Request,자료 요청을 받으세요
@@ -5133,15 +5198,16 @@
 DocType: Lead,Lead Type,리드 타입
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,당신은 블록 날짜에 잎을 승인 할 수있는 권한이 없습니다
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,이러한 모든 항목이 이미 청구 된
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,새 출시 날짜 설정
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,새 출시 날짜 설정
 DocType: Company,Monthly Sales Target,월간 판매 목표
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0}에 의해 승인 될 수있다
 DocType: Hotel Room,Hotel Room Type,호텔 객실 유형
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,공급 업체&gt; 공급 업체 유형
 DocType: Leave Allocation,Leave Period,휴가 기간
 DocType: Item,Default Material Request Type,기본 자료 요청 유형
 DocType: Supplier Scorecard,Evaluation Period,평가 기간
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,알 수 없는
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,작업 지시가 생성되지 않았습니다.
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,작업 지시가 생성되지 않았습니다.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","요소 {1}에 대해 이미 청구 된 {0} 금액, {2}보다 크거나 같은 금액 설정,"
 DocType: Shipping Rule,Shipping Rule Conditions,배송 규칙 조건
@@ -5176,15 +5242,15 @@
 DocType: Batch,Source Document Name,원본 문서 이름
 DocType: Production Plan,Get Raw Materials For Production,생산 원료 확보
 DocType: Job Opening,Job Title,직책
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0}은 {1}이 따옴표를 제공하지 않지만 모든 항목은 인용 된 것을 나타냅니다. RFQ 견적 상태 갱신.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,최대 샘플 - {0}은 배치 {1}의 배치 {1} 및 항목 {2}에 대해 이미 보유되었습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,최대 샘플 - {0}은 배치 {1}의 배치 {1} 및 항목 {2}에 대해 이미 보유되었습니다.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,BOM 비용 자동 갱신
 DocType: Lab Test,Test Name,테스트 이름
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,임상 절차 소모품
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,사용자 만들기
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,그램
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,구독
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,구독
 DocType: Supplier Scorecard,Per Month,달마다
 DocType: Education Settings,Make Academic Term Mandatory,학업 기간 필수 필수
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,제조하는 수량은 0보다 커야합니다.
@@ -5193,10 +5259,10 @@
 DocType: Stock Entry,Update Rate and Availability,업데이트 속도 및 가용성
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,당신이 양에 대해 더 수신하거나 전달하도록 허용 비율 명령했다.예를 들면 : 당신이 100 대를 주문한 경우. 당신의 수당은 다음 110 단위를받을 10 % 허용된다.
 DocType: Loyalty Program,Customer Group,고객 그룹
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,행 # {0} : 작업 주문 번호 {3}의 완제품의 {2} 수량에 대해 {1} 작업이 완료되지 않았습니다. 시간 기록을 통해 작업 상태를 업데이트하십시오.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,행 # {0} : 작업 주문 번호 {3}의 완제품의 {2} 수량에 대해 {1} 작업이 완료되지 않았습니다. 시간 기록을 통해 작업 상태를 업데이트하십시오.
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),새 일괄 처리 ID (선택 사항)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),새 일괄 처리 ID (선택 사항)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},비용 계정 항목에 대한 필수 {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},비용 계정 항목에 대한 필수 {0}
 DocType: BOM,Website Description,웹 사이트 설명
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,자본에 순 변경
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,첫 번째 구매 송장 {0}을 취소하십시오
@@ -5211,7 +5277,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,편집 할 수있는 것은 아무 것도 없습니다.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,양식보기
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,경비 청구서에 필수적인 경비 승인자
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,이 달 보류중인 활동에 대한 요약
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,이 달 보류중인 활동에 대한 요약
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},회사 {0}의 미완료 거래소 손익 계정을 설정하십시오.
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",자신 이외의 조직에 사용자를 추가하십시오.
 DocType: Customer Group,Customer Group Name,고객 그룹 이름
@@ -5221,14 +5287,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,중요한 요청이 생성되지 않았습니다.
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},대출 금액은 최대 대출 금액을 초과 할 수 없습니다 {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,특허
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},C-양식에서이 송장 {0}을 제거하십시오 {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},C-양식에서이 송장 {0}을 제거하십시오 {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,당신은 또한 이전 회계 연도의 균형이 회계 연도에 나뭇잎 포함 할 경우 이월를 선택하세요
 DocType: GL Entry,Against Voucher Type,바우처 형식에 대한
 DocType: Healthcare Practitioner,Phone (R),전화 (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,시간 슬롯이 추가되었습니다.
 DocType: Item,Attributes,속성
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,템플릿 사용
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,계정을 끄기 쓰기 입력하십시오
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,계정을 끄기 쓰기 입력하십시오
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,마지막 주문 날짜
 DocType: Salary Component,Is Payable,지불 가능
 DocType: Inpatient Record,B Negative,B 네거티브
@@ -5239,7 +5305,7 @@
 DocType: Hotel Room,Hotel Room,호텔 방
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},계정 {0} 수행은 회사 소유하지 {1}
 DocType: Leave Type,Rounding,반올림
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,행 {0}의 일련 번호가 배달 참고와 일치하지 않습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,행 {0}의 일련 번호가 배달 참고와 일치하지 않습니다.
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),분배 된 금액 (비례 계산 된 금액)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","그런 다음 고객, 고객 그룹, 지역, 공급 업체, 공급 업체 그룹, 캠페인, 영업 파트너 등을 기준으로 가격 규칙이 필터링됩니다."
 DocType: Student,Guardian Details,가디언의 자세한 사항
@@ -5248,10 +5314,10 @@
 DocType: Vehicle,Chassis No,섀시 없음
 DocType: Payment Request,Initiated,개시
 DocType: Production Plan Item,Planned Start Date,계획 시작 날짜
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,BOM을 선택하십시오.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,BOM을 선택하십시오.
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC 통합 세금 사용 가능
 DocType: Purchase Order Item,Blanket Order Rate,담요 주문률
-apps/erpnext/erpnext/hooks.py +156,Certification,인증
+apps/erpnext/erpnext/hooks.py +157,Certification,인증
 DocType: Bank Guarantee,Clauses and Conditions,조항 및 조건
 DocType: Serial No,Creation Document Type,작성 문서 형식
 DocType: Project Task,View Timesheet,작업 표보기
@@ -5276,6 +5342,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,상위 항목 {0} 주식 항목이 아니어야합니다
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,웹 사이트 목록
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,모든 제품 또는 서비스.
+DocType: Email Digest,Open Quotations,인용문 열기
 DocType: Expense Claim,More Details,세부정보 더보기
 DocType: Supplier Quotation,Supplier Address,공급 업체 주소
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},계정에 대한 {0} 예산 {1}에 대한 {2} {3}는 {4}. 그것은에 의해 초과 {5}
@@ -5290,12 +5357,11 @@
 DocType: Training Event,Exam,시험
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,마켓 플레이스 오류
 DocType: Complaint,Complaint,불평
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},재고 품목에 필요한 창고 {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},재고 품목에 필요한 창고 {0}
 DocType: Leave Allocation,Unused leaves,사용하지 않는 잎
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,상환 엔트리 만들기
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,모든 부서
 DocType: Healthcare Service Unit,Vacant,빈
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,공급 업체&gt; 공급 업체 유형
 DocType: Patient,Alcohol Past Use,알콜 과거 사용
 DocType: Fertilizer Content,Fertilizer Content,비료 내용
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,CR
@@ -5303,7 +5369,7 @@
 DocType: Tax Rule,Billing State,결제 주
 DocType: Share Transfer,Transfer,이체
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,이 판매 오더를 취소하기 전에 작업 공정 {0}을 취소해야합니다.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(서브 어셈블리 포함) 폭발 BOM 가져 오기
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(서브 어셈블리 포함) 폭발 BOM 가져 오기
 DocType: Authorization Rule,Applicable To (Employee),에 적용 (직원)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,마감일은 필수입니다
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,속성에 대한 증가는 {0} 0이 될 수 없습니다
@@ -5319,7 +5385,7 @@
 DocType: Disease,Treatment Period,치료 기간
 DocType: Travel Itinerary,Travel Itinerary,여행 일정
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,이미 제출 된 결과
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,예비 창고는 공급 된 원자재에서 {0} 품목에 대해 필수 항목입니다.
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,예비 창고는 공급 된 원자재에서 {0} 품목에 대해 필수 항목입니다.
 ,Inactive Customers,비활성 고객
 DocType: Student Admission Program,Maximum Age,최대 연령
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,알림을 다시 보내기 전에 3 일을 기다려주십시오.
@@ -5328,7 +5394,6 @@
 DocType: Stock Entry,Delivery Note No,납품서 없음
 DocType: Cheque Print Template,Message to show,메시지 표시합니다
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,소매의
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,자동으로 약속 송장 관리
 DocType: Student Attendance,Absent,없는
 DocType: Staffing Plan,Staffing Plan Detail,인력 계획 세부 사항
 DocType: Employee Promotion,Promotion Date,프로모션 날짜
@@ -5350,7 +5415,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,리드를 확인
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,인쇄 및 문구
 DocType: Stock Settings,Show Barcode Field,쇼 바코드 필드
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,공급 업체 이메일 보내기
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,공급 업체 이메일 보내기
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","급여는 이미 {0}과 {1},이 기간 사이가 될 수 없습니다 신청 기간을 남겨 사이의 기간에 대해 처리."
 DocType: Fiscal Year,Auto Created,자동 생성됨
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Employee 레코드를 생성하려면 이것을 제출하십시오.
@@ -5359,7 +5424,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,송장 {0}이 (가) 더 이상 존재하지 않습니다.
 DocType: Guardian Interest,Guardian Interest,가디언 관심
 DocType: Volunteer,Availability,유효성
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS 송장의 기본값 설정
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS 송장의 기본값 설정
 apps/erpnext/erpnext/config/hr.py +248,Training,훈련
 DocType: Project,Time to send,보낼 시간
 DocType: Timesheet,Employee Detail,직원 세부 정보
@@ -5383,7 +5448,7 @@
 DocType: Training Event Employee,Optional,선택 과목
 DocType: Salary Slip,Earning & Deduction,당기순이익/손실
 DocType: Agriculture Analysis Criteria,Water Analysis,수질 분석
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,변형 {0}이 생성되었습니다.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,변형 {0}이 생성되었습니다.
 DocType: Amazon MWS Settings,Region,지방
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,선택.이 설정은 다양한 거래를 필터링하는 데 사용됩니다.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,부정 평가 비율은 허용되지 않습니다
@@ -5402,7 +5467,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,폐기 자산의 비용
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1} : 코스트 센터는 항목에 대해 필수입니다 {2}
 DocType: Vehicle,Policy No,정책 없음
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,제품 번들에서 항목 가져 오기
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,제품 번들에서 항목 가져 오기
 DocType: Asset,Straight Line,일직선
 DocType: Project User,Project User,프로젝트 사용자
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,스플릿
@@ -5411,7 +5476,7 @@
 DocType: GL Entry,Is Advance,사전인가
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,직원 수명주기
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,날짜에 날짜 및 출석 출석은 필수입니다
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,입력 해주십시오은 예 또는 아니오로 '하청'
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,입력 해주십시오은 예 또는 아니오로 '하청'
 DocType: Item,Default Purchase Unit of Measure,기본 구매 단위
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,마지막 통신 날짜
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,마지막 통신 날짜
@@ -5421,7 +5486,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,액세스 토큰 또는 Shopify URL 누락
 DocType: Location,Latitude,위도
 DocType: Work Order,Scrap Warehouse,스크랩 창고
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",행 번호가 {0} 인 창고가 필요합니다. {2} 회사의 {1} 항목에 대한 기본 창고를 설정하십시오.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",행 번호가 {0} 인 창고가 필요합니다. {2} 회사의 {1} 항목에 대한 기본 창고를 설정하십시오.
 DocType: Work Order,Check if material transfer entry is not required,자재 이전 항목이 필요하지 않은지 확인하십시오.
 DocType: Work Order,Check if material transfer entry is not required,자재 이전 항목이 필요하지 않은지 확인하십시오.
 DocType: Program Enrollment Tool,Get Students From,학생들 가져 오기
@@ -5438,6 +5503,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,새로운 일괄 수량
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,의류 및 액세서리
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,가중 점수 기능을 해결할 수 없습니다. 수식이 유효한지 확인하십시오.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,정시에받지 못한 구매 주문
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,주문 번호
 DocType: Item Group,HTML / Banner that will show on the top of product list.,제품 목록의 상단에 표시됩니다 HTML / 배너입니다.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,배송 금액을 계산하는 조건을 지정합니다
@@ -5446,9 +5512,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,통로
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,이 자식 노드를 가지고 원장 비용 센터로 변환 할 수 없습니다
 DocType: Production Plan,Total Planned Qty,총 계획 수량
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,영업 가치
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,영업 가치
 DocType: Salary Component,Formula,공식
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,직렬 #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,직렬 #
 DocType: Lab Test Template,Lab Test Template,실험실 테스트 템플릿
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,판매 계정
 DocType: Purchase Invoice Item,Total Weight,총 무게
@@ -5466,7 +5532,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,자료 요청합니다
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},열기 항목 {0}
 DocType: Asset Finance Book,Written Down Value,적어 놓은 가치
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,인력&gt; 인사말 설정에서 Employee Naming System을 설정하십시오.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,판매 송장은 {0}이 판매 주문을 취소하기 전에 취소해야합니다
 DocType: Clinical Procedure,Age,나이
 DocType: Sales Invoice Timesheet,Billing Amount,결제 금액
@@ -5475,11 +5540,11 @@
 DocType: Company,Default Employee Advance Account,기본 직원 사전 계정
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),항목 검색 (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF- .YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,기존 거래 계정은 삭제할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,기존 거래 계정은 삭제할 수 없습니다
 DocType: Vehicle,Last Carbon Check,마지막으로 탄소 확인
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,법률 비용
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,행의 수량을 선택하십시오.
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,영업 및 구매 청구서 개설
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,영업 및 구매 청구서 개설
 DocType: Purchase Invoice,Posting Time,등록시간
 DocType: Timesheet,% Amount Billed,청구 % 금액
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,전화 비용
@@ -5494,14 +5559,14 @@
 DocType: Maintenance Visit,Breakdown,고장
 DocType: Travel Itinerary,Vegetarian,채식주의 자
 DocType: Patient Encounter,Encounter Date,만남의 날짜
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,계정 : {0} 통화로 : {1}을 선택할 수 없습니다
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,계정 : {0} 통화로 : {1}을 선택할 수 없습니다
 DocType: Bank Statement Transaction Settings Item,Bank Data,은행 데이터
 DocType: Purchase Receipt Item,Sample Quantity,샘플 수량
 DocType: Bank Guarantee,Name of Beneficiary,수혜자 성명
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",최신 평가 률 / 가격 목록 비율 / 원자재의 최종 구매 률을 기반으로 Scheduler를 통해 자동으로 BOM 비용을 업데이트합니다.
 DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,수표 날짜
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},계정 {0} : 부모 계정 {1} 회사에 속하지 않는 {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},계정 {0} : 부모 계정 {1} 회사에 속하지 않는 {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,성공적으로이 회사에 관련된 모든 트랜잭션을 삭제!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,날짜에로
 DocType: Additional Salary,HR,HR
@@ -5509,7 +5574,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,환자 SMS 경고
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,근신
 DocType: Program Enrollment Tool,New Academic Year,새 학년
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,반품 / 신용 참고
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,반품 / 신용 참고
 DocType: Stock Settings,Auto insert Price List rate if missing,자동 삽입 가격표 속도없는 경우
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,총 지불 금액
 DocType: GST Settings,B2C Limit,B2C 한도
@@ -5527,10 +5592,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,자식 노드은 &#39;그룹&#39;유형 노드에서 생성 할 수 있습니다
 DocType: Attendance Request,Half Day Date,하프 데이 데이트
 DocType: Academic Year,Academic Year Name,학년 이름
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0}은 (는) {1} (으)로 거래 할 수 없습니다. 회사를 변경하십시오.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0}은 (는) {1} (으)로 거래 할 수 없습니다. 회사를 변경하십시오.
 DocType: Sales Partner,Contact Desc,연락처 제품 설명
 DocType: Email Digest,Send regular summary reports via Email.,이메일을 통해 정기적으로 요약 보고서를 보냅니다.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},경비 요청 유형에 기본 계정을 설정하십시오 {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},경비 요청 유형에 기본 계정을 설정하십시오 {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,사용 가능한 잎
 DocType: Assessment Result,Student Name,학생 이름
 DocType: Hub Tracked Item,Item Manager,항목 관리자
@@ -5555,9 +5620,10 @@
 DocType: Subscription,Trial Period End Date,평가판 종료일
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} 한도를 초과 한 authroized Not
 DocType: Serial No,Asset Status,자산 상태
+DocType: Delivery Note,Over Dimensional Cargo (ODC),"초과화물 (Over Dimensional Cargo, ODC)"
 DocType: Restaurant Order Entry,Restaurant Table,레스토랑 테이블
 DocType: Hotel Room,Hotel Manager,호텔 매니저
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,쇼핑 카트에 설정 세금 규칙
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,쇼핑 카트에 설정 세금 규칙
 DocType: Purchase Invoice,Taxes and Charges Added,추가 세금 및 수수료
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,감가 상각 행 {0} : 다음 감가 상각 날짜는 사용 가능일 이전 일 수 없습니다.
 ,Sales Funnel,판매 퍼넬
@@ -5573,10 +5639,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,모든 고객 그룹
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,누적 월별
 DocType: Attendance Request,On Duty,근무중인
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} 필수입니다.아마 통화 기록은 {2}로 {1}에 만들어지지 않습니다.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} 필수입니다.아마 통화 기록은 {2}로 {1}에 만들어지지 않습니다.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},직원 지정 계획 {0}은 (는) 지정 {1}에 이미 존재합니다.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,세금 템플릿은 필수입니다.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,계정 {0} : 부모 계정 {1}이 (가) 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,계정 {0} : 부모 계정 {1}이 (가) 없습니다
 DocType: POS Closing Voucher,Period Start Date,기간 시작일
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),가격 목록 비율 (회사 통화)
 DocType: Products Settings,Products Settings,제품 설정
@@ -5596,7 +5662,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,이 조치로 향후 청구가 중단됩니다. 이 구독을 취소 하시겠습니까?
 DocType: Serial No,Distinct unit of an Item,항목의 고유 단위
 DocType: Supplier Scorecard Criteria,Criteria Name,기준 이름
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,회사를 설정하십시오.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,회사를 설정하십시오.
 DocType: Procedure Prescription,Procedure Created,생성 된 절차
 DocType: Pricing Rule,Buying,구매
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,질병 및 비료
@@ -5613,43 +5679,44 @@
 DocType: Employee Onboarding,Job Offer,일자리 제공
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,연구소 약어
 ,Item-wise Price List Rate,상품이 많다는 가격리스트 평가
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,공급 업체 견적
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,공급 업체 견적
 DocType: Quotation,In Words will be visible once you save the Quotation.,당신은 견적을 저장 한 단어에서 볼 수 있습니다.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},수량 ({0})은 행 {1}의 분수가 될 수 없습니다.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},수량 ({0})은 행 {1}의 분수가 될 수 없습니다.
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},수량 ({0})은 행 {1}의 분수가 될 수 없습니다.
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},수량 ({0})은 행 {1}의 분수가 될 수 없습니다.
 DocType: Contract,Unsigned,서명되지 않은
 DocType: Selling Settings,Each Transaction,각 거래
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},바코드 {0}이 (가) 이미 상품에 사용되는 {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},바코드 {0}이 (가) 이미 상품에 사용되는 {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,비용을 추가하는 규칙.
 DocType: Hotel Room,Extra Bed Capacity,여분 침대 수용량
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,배리어
 DocType: Item,Opening Stock,열기 증권
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,고객이 필요합니다
 DocType: Lab Test,Result Date,결과 날짜
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC 날짜
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC 날짜
 DocType: Purchase Order,To Receive,받다
 DocType: Leave Period,Holiday List for Optional Leave,선택적 휴가를위한 휴일 목록
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,애셋 소유자
 DocType: Purchase Invoice,Reason For Putting On Hold,보류중인 이유
 DocType: Employee,Personal Email,개인 이메일
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,총 분산
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,총 분산
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","활성화되면, 시스템이 자동으로 재고에 대한 회계 항목을 게시 할 예정입니다."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,중개
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,직원 {0}에 대한 출석은 이미이 일에 대해 표시됩니다
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,직원 {0}에 대한 출석은 이미이 일에 대해 표시됩니다
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",'소요시간 로그' 분단위 업데이트
 DocType: Customer,From Lead,리드에서
 DocType: Amazon MWS Settings,Synch Orders,주문 동기화
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,생산 발표 순서.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,회계 연도 선택 ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS 프로필 POS 항목을 만드는 데 필요한
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS 프로필 POS 항목을 만드는 데 필요한
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",로열티 포인트는 언급 된 징수 요인에 근거하여 완료된 지출액 (판매 송장을 통해)에서 계산됩니다.
 DocType: Program Enrollment Tool,Enroll Students,학생 등록
 DocType: Company,HRA Settings,HRA 설정
 DocType: Employee Transfer,Transfer Date,이전 날짜
 DocType: Lab Test,Approved Date,승인 날짜
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,표준 판매
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,이어야 한 창고는 필수입니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,이어야 한 창고는 필수입니다
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, Item Group, Description, No of Hours와 같은 항목 필드를 구성하십시오."
 DocType: Certification Application,Certification Status,인증 상태
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,시장
@@ -5669,6 +5736,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,매칭 송장
 DocType: Work Order,Required Items,필수 항목
 DocType: Stock Ledger Entry,Stock Value Difference,재고 가치의 차이
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,아이템 행 {0} : {1} {2}은 (는) 위의 &#39;{1}&#39;테이블에 존재하지 않습니다.
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,인적 자원
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,지불 화해 지불
 DocType: Disease,Treatment Task,치료 과제
@@ -5686,7 +5754,8 @@
 DocType: Account,Debit,직불
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,잎은 0.5의 배수로 할당해야합니다
 DocType: Work Order,Operation Cost,운영 비용
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,뛰어난 AMT 사의
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,의사 결정자 식별
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,뛰어난 AMT 사의
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,목표를 설정 항목 그룹 방향이 판매 사람입니다.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],고정 재고 이전보다 [일]
 DocType: Payment Request,Payment Ordered,주문 된 주문
@@ -5698,14 +5767,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,다음 사용자가 블록 일에 대한 허가 신청을 승인 할 수 있습니다.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,라이프 사이클
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM 만들기
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},항목 {0}의 판매율이 {1}보다 낮습니다. 판매율은 atleast 여야합니다 {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},항목 {0}의 판매율이 {1}보다 낮습니다. 판매율은 atleast 여야합니다 {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},항목 {0}의 판매율이 {1}보다 낮습니다. 판매율은 atleast 여야합니다 {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},항목 {0}의 판매율이 {1}보다 낮습니다. 판매율은 atleast 여야합니다 {2}
 DocType: Subscription,Taxes,세금
 DocType: Purchase Invoice,capital goods,자본재
 DocType: Purchase Invoice Item,Weight Per Unit,단위 중량
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,유료 및 전달되지 않음
-DocType: Project,Default Cost Center,기본 비용 센터
-DocType: Delivery Note,Transporter Doc No,운송업자 문서 번호
+DocType: QuickBooks Migrator,Default Cost Center,기본 비용 센터
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,재고 변동
 DocType: Budget,Budget Accounts,예산 계정
 DocType: Employee,Internal Work History,내부 작업 기록
@@ -5738,7 +5806,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},{0}에서 사용할 수없는 의료 종사자
 DocType: Stock Entry Detail,Additional Cost,추가 비용
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","바우처를 기반으로 필터링 할 수 없음, 바우처로 그룹화하는 경우"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,공급 업체의 견적을
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,공급 업체의 견적을
 DocType: Quality Inspection,Incoming,수신
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,판매 및 구매에 대한 기본 세금 템플릿이 생성됩니다.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,평가 결과 레코드 {0}이 (가) 이미 있습니다.
@@ -5754,7 +5822,7 @@
 DocType: Batch,Batch ID,일괄 처리 ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},참고 : {0}
 ,Delivery Note Trends,배송 참고 동향
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,이번 주 요약
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,이번 주 요약
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,재고 수량에서
 ,Daily Work Summary Replies,일별 작업 요약 회신
 DocType: Delivery Trip,Calculate Estimated Arrival Times,예상 도착 시간 계산
@@ -5764,7 +5832,7 @@
 DocType: Bank Account,Party,파티
 DocType: Healthcare Settings,Patient Name,환자 이름
 DocType: Variant Field,Variant Field,변형 필드
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,대상 위치
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,대상 위치
 DocType: Sales Order,Delivery Date,* 인수일
 DocType: Opportunity,Opportunity Date,기회 날짜
 DocType: Employee,Health Insurance Provider,건강 보험 제공자
@@ -5783,7 +5851,7 @@
 DocType: Employee,History In Company,회사의 역사
 DocType: Customer,Customer Primary Address,고객 기본 주소
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,뉴스 레터
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,참조 번호
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,참조 번호
 DocType: Drug Prescription,Description/Strength,설명 / 장점
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,새 지급 / 분개 생성
 DocType: Certification Application,Certification Application,인증 신청서
@@ -5794,10 +5862,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,같은 항목을 여러 번 입력 된
 DocType: Department,Leave Block List,차단 목록을 남겨주세요
 DocType: Purchase Invoice,Tax ID,세금 아이디
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} 항목을 직렬 제 칼럼에 대한 설정이 비어 있어야하지
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} 항목을 직렬 제 칼럼에 대한 설정이 비어 있어야하지
 DocType: Accounts Settings,Accounts Settings,계정 설정
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,승인
 DocType: Loyalty Program,Customer Territory,고객 지역
+DocType: Email Digest,Sales Orders to Deliver,제공 할 판매 주문
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",새 계정 번호입니다. 계정 이름에 접두어로 포함됩니다.
 DocType: Maintenance Team Member,Team Member,팀 구성원
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,제출할 결과가 없습니다.
@@ -5807,7 +5876,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","총 {0} 모든 항목에 대해 당신이 &#39;를 기반으로 요금을 분배&#39;변경해야 할 수있다, 제로"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,날짜는 날짜보다 작을 수 없습니다.
 DocType: Opportunity,To Discuss,토론하기
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,이것은이 가입자에 대한 트랜잭션을 기반으로합니다. 자세한 내용은 아래 타임 라인을 참조하십시오.
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} 단위 {1} {2}이 거래를 완료하는 필요.
 DocType: Loan Type,Rate of Interest (%) Yearly,이자의 비율 (%) 연간
 DocType: Support Settings,Forum URL,포럼 URL
@@ -5822,7 +5890,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,더 알아보기
 DocType: Cheque Print Template,Distance from top edge,상단으로부터의 거리
 DocType: POS Closing Voucher Invoices,Quantity of Items,항목 수
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,가격 목록 {0} 비활성화 또는 존재하지 않는
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,가격 목록 {0} 비활성화 또는 존재하지 않는
 DocType: Purchase Invoice,Return,반환
 DocType: Pricing Rule,Disable,사용 안함
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,지불 모드는 지불 할 필요
@@ -5830,18 +5898,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","전체 페이지에서 자산, 일련 번호, 배치 등의 추가 옵션을 편집하십시오."
 DocType: Leave Type,Maximum Continuous Days Applicable,최대 연속 일수
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1}은 (는) 배치 {2}에 등록되지 않았습니다.
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","이미 같이 자산 {0}, 폐기 될 수 없다 {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","이미 같이 자산 {0}, 폐기 될 수 없다 {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,필요한 수표
 DocType: Task,Total Expense Claim (via Expense Claim),(비용 청구를 통해) 총 경비 요청
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,마크 결석
 DocType: Job Applicant Source,Job Applicant Source,구직 신청자 출처
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST 금액
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST 금액
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,회사를 설정하지 못했습니다.
 DocType: Asset Repair,Asset Repair,자산 복구
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},행 {0} 다음 BOM 번호의 통화 {1} 선택한 통화 같아야한다 {2}
 DocType: Journal Entry Account,Exchange Rate,환율
 DocType: Patient,Additional information regarding the patient,환자에 관한 추가 정보
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,판매 주문 {0} 제출되지 않았습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,판매 주문 {0} 제출되지 않았습니다.
 DocType: Homepage,Tag Line,태그 라인
 DocType: Fee Component,Fee Component,요금 구성 요소
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,함대 관리
@@ -5856,7 +5924,7 @@
 DocType: Healthcare Practitioner,Mobile,변하기 쉬운
 ,Sales Person-wise Transaction Summary,판매 사람이 많다는 거래 요약
 DocType: Training Event,Contact Number,연락 번호
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,창고 {0}이 (가) 없습니다
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,창고 {0}이 (가) 없습니다
 DocType: Cashier Closing,Custody,보관
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,직원 세금 면제 증명 제출 세부 정보
 DocType: Monthly Distribution,Monthly Distribution Percentages,예산 월간 배분 백분율
@@ -5871,7 +5939,7 @@
 DocType: Payment Entry,Paid Amount,지불 금액
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,판매주기 탐색
 DocType: Assessment Plan,Supervisor,감독자
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,보존 재고 항목
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,보존 재고 항목
 ,Available Stock for Packing Items,항목 포장 재고품
 DocType: Item Variant,Item Variant,항목 변형
 ,Work Order Stock Report,노동 주문 재고 보고서
@@ -5880,9 +5948,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,관리자로서
 DocType: Leave Policy Detail,Leave Policy Detail,정책 세부 정보 남기기
 DocType: BOM Scrap Item,BOM Scrap Item,BOM 스크랩 항목
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,제출 된 주문은 삭제할 수 없습니다
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","이미 직불의 계정 잔액, 당신은 같은 '신용', '균형이어야합니다'설정할 수 없습니다"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,품질 관리
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,제출 된 주문은 삭제할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","이미 직불의 계정 잔액, 당신은 같은 '신용', '균형이어야합니다'설정할 수 없습니다"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,품질 관리
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,{0} 항목이 비활성화되었습니다
 DocType: Project,Total Billable Amount (via Timesheets),총 청구 가능 금액 (작업 표를 통해)
 DocType: Agriculture Task,Previous Business Day,이전 영업일
@@ -5905,15 +5973,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,코스트 센터
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,구독 다시 시작
 DocType: Linked Plant Analysis,Linked Plant Analysis,연결된 플랜트 분석
-DocType: Delivery Note,Transporter ID,운송업자 ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,운송업자 ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,가치 제안
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,공급 업체의 통화는 회사의 기본 통화로 변환하는 속도에
-DocType: Sales Invoice Item,Service End Date,서비스 종료 날짜
+DocType: Purchase Invoice Item,Service End Date,서비스 종료 날짜
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},행 번호 {0} : 행과 타이밍 충돌 {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,평점 0 허용
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,평점 0 허용
 DocType: Bank Guarantee,Receiving,전수
 DocType: Training Event Employee,Invited,초대
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,설치 게이트웨이를 차지한다.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,설치 게이트웨이를 차지한다.
 DocType: Employee,Employment Type,고용 유형
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,고정 자산
 DocType: Payment Entry,Set Exchange Gain / Loss,교환 게인을 설정 / 손실
@@ -5929,7 +5998,7 @@
 DocType: Tax Rule,Sales Tax Template,판매 세 템플릿
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,급여 청구액 지불
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,비용 센터 번호 업데이트
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,송장을 저장하는 항목을 선택
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,송장을 저장하는 항목을 선택
 DocType: Employee,Encashment Date,현금화 날짜
 DocType: Training Event,Internet,인터넷
 DocType: Special Test Template,Special Test Template,특수 테스트 템플릿
@@ -5937,13 +6006,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},기본 활동 비용은 활동 유형에 대해 존재 - {0}
 DocType: Work Order,Planned Operating Cost,계획 운영 비용
 DocType: Academic Term,Term Start Date,기간 시작 날짜
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,모든 주식 거래 목록
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,모든 주식 거래 목록
+DocType: Supplier,Is Transporter,트랜스 포터인가?
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,지불이 표시된 경우 Shopify에서 판매 송장 가져 오기
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,평가판 기간 시작일과 평가판 종료일을 모두 설정해야합니다.
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,평균 속도
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,지불 일정의 총 지불 금액은 대 / 반올림 합계와 같아야합니다.
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,지불 일정의 총 지불 금액은 대 / 반올림 합계와 같아야합니다.
 DocType: Subscription Plan Detail,Plan,계획
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,총계정 원장에 따라 은행 잔고 잔액
 DocType: Job Applicant,Applicant Name,신청자 이름
@@ -5971,7 +6041,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,출하 창고에서 사용 가능한 수량
 apps/erpnext/erpnext/config/support.py +22,Warranty,보증
 DocType: Purchase Invoice,Debit Note Issued,직불 주 발행
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,코스트 센터 기반 필터는 예산 센터를 코스트 센터로 선택한 경우에만 적용 가능
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,코스트 센터 기반 필터는 예산 센터를 코스트 센터로 선택한 경우에만 적용 가능
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","품목 코드, 일련 번호, 배치 번호 또는 바코드로 검색"
 DocType: Work Order,Warehouses,창고
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} 자산은 양도 할 수 없습니다
@@ -5982,9 +6052,9 @@
 DocType: Workstation,per hour,시간당
 DocType: Blanket Order,Purchasing,구매
 DocType: Announcement,Announcement,발표
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,고객 LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,고객 LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","배치 기반 학생 그룹의 경우, 학생 배치는 프로그램 등록의 모든 학생에 대해 유효성이 검사됩니다."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,재고 원장 항목이 창고에 존재하는웨어 하우스는 삭제할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,재고 원장 항목이 창고에 존재하는웨어 하우스는 삭제할 수 없습니다.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,유통
 DocType: Journal Entry Account,Loan,차관
 DocType: Expense Claim Advance,Expense Claim Advance,경비 청구 진행
@@ -5993,7 +6063,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,프로젝트 매니저
 ,Quoted Item Comparison,인용 상품 비교
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0}에서 {1} 사이의 득점에서 겹침
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,파견
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,파견
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,최대 할인 품목을 허용 : {0} {1} %이
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,순자산 값에
 DocType: Crop,Produce,생기게 하다
@@ -6003,20 +6073,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,제조를위한 재료 소비량
 DocType: Item Alternative,Alternative Item Code,대체 품목 코드
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,설정 신용 한도를 초과하는 거래를 제출하도록 허용 역할.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,제조 할 항목을 선택합니다
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,제조 할 항목을 선택합니다
 DocType: Delivery Stop,Delivery Stop,배달 중지
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다"
 DocType: Item,Material Issue,소재 호
 DocType: Employee Education,Qualification,자격
 DocType: Item Price,Item Price,상품 가격
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,비누 및 세제
 DocType: BOM,Show Items,표시 항목
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,때때로보다 클 수 없습니다.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,모든 고객에게 이메일로 알려 드리고 싶습니까?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,모든 고객에게 이메일로 알려 드리고 싶습니까?
 DocType: Subscription Plan,Billing Interval,청구 간격
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,영화 및 비디오
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,주문
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,실제 시작일 및 실제 종료일은 필수 항목입니다.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,고객&gt; 고객 그룹&gt; 지역
 DocType: Salary Detail,Component,구성 요소
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,행 {0} : {1}은 0보다 커야합니다.
 DocType: Assessment Criteria,Assessment Criteria Group,평가 기준 그룹
@@ -6047,11 +6118,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,제출하기 전에 은행 또는 대출 기관의 이름을 입력하십시오.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0}을 제출해야합니다.
 DocType: POS Profile,Item Groups,항목 그룹
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,오늘은 {0} '의 생일입니다!
 DocType: Sales Order Item,For Production,생산
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,잔액 계정 통화
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,계정과 목표 테이블에 임시 개설 계좌를 추가하십시오.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,계정과 목표 테이블에 임시 개설 계좌를 추가하십시오.
 DocType: Customer,Customer Primary Contact,고객 기본 연락처
 DocType: Project Task,View Task,보기 작업
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead %
@@ -6065,11 +6135,11 @@
 DocType: Sales Invoice,Get Advances Received,선불수취
 DocType: Email Digest,Add/Remove Recipients,추가 /받는 사람을 제거
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",기본값으로이 회계 연도 설정하려면 '기본값으로 설정'을 클릭
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,공제 된 TDS 금액
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,공제 된 TDS 금액
 DocType: Production Plan,Include Subcontracted Items,외주 품목 포함
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,어울리다
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,부족 수량
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,어울리다
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,부족 수량
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재
 DocType: Loan,Repay from Salary,급여에서 상환
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},에 대한 지불을 요청 {0} {1} 금액에 대한 {2}
 DocType: Additional Salary,Salary Slip,급여 전표
@@ -6085,7 +6155,7 @@
 DocType: Patient,Dormant,잠자는
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,청구되지 않은 종업원 급여에 대한 세금 공제
 DocType: Salary Slip,Total Interest Amount,총이자 금액
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,자식 노드와 창고가 원장으로 변환 할 수 없습니다
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,자식 노드와 창고가 원장으로 변환 할 수 없습니다
 DocType: BOM,Manage cost of operations,작업의 비용 관리
 DocType: Accounts Settings,Stale Days,부실한 날들
 DocType: Travel Itinerary,Arrival Datetime,도착 시간
@@ -6097,7 +6167,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,평가 결과의 세부 사항
 DocType: Employee Education,Employee Education,직원 교육
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,항목 그룹 테이블에서 발견 중복 항목 그룹
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,그것은 상품 상세을 가져 오기 위해 필요하다.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,그것은 상품 상세을 가져 오기 위해 필요하다.
 DocType: Fertilizer,Fertilizer Name,비료 이름
 DocType: Salary Slip,Net Pay,실질 임금
 DocType: Cash Flow Mapping Accounts,Account,계정
@@ -6108,14 +6178,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,혜택 청구와 별도로 지급 항목 생성
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),열이있는 경우 (온도가 38.5 ° C / 101.3 ° F 또는 지속 온도가 38 ° C / 100.4 ° F 인 경우)
 DocType: Customer,Sales Team Details,판매 팀의 자세한 사항
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,영구적으로 삭제 하시겠습니까?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,영구적으로 삭제 하시겠습니까?
 DocType: Expense Claim,Total Claimed Amount,총 주장 금액
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,판매를위한 잠재적 인 기회.
 DocType: Shareholder,Folio no.,폴리오 아니.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},잘못된 {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,병가
 DocType: Email Digest,Email Digest,이메일 다이제스트
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,있지 않다.
 DocType: Delivery Note,Billing Address Name,청구 주소 이름
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,백화점
 ,Item Delivery Date,상품 배송일
@@ -6131,16 +6200,16 @@
 DocType: Account,Chargeable,청구
 DocType: Company,Change Abbreviation,변경 요약
 DocType: Contract,Fulfilment Details,이행 세부 정보
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1} 지불
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1} 지불
 DocType: Employee Onboarding,Activities,활동
 DocType: Expense Claim Detail,Expense Date,비용 날짜
 DocType: Item,No of Months,수개월
 DocType: Item,Max Discount (%),최대 할인 (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,신용 일수는 음수 일 수 없습니다.
-DocType: Sales Invoice Item,Service Stop Date,서비스 중지 날짜
+DocType: Purchase Invoice Item,Service Stop Date,서비스 중지 날짜
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,마지막 주문 금액
 DocType: Cash Flow Mapper,e.g Adjustments for:,예 : 조정 :
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} 샘플 보관은 배치를 기준으로합니다. 배치 샘플을 보유하려면 품목 번호를 확인하십시오를 선택하십시오.
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} 샘플 보관은 배치를 기준으로합니다. 배치 샘플을 보유하려면 품목 번호를 확인하십시오를 선택하십시오.
 DocType: Task,Is Milestone,마일스톤이다
 DocType: Certification Application,Yet to appear,그러나 나타납니다
 DocType: Delivery Stop,Email Sent To,이메일로 발송
@@ -6148,16 +6217,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,대차 대조표 계정에 비용 센터 입력 허용
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,기존 계정과 병합
 DocType: Budget,Warn,경고
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,이 작업 주문을 위해 모든 항목이 이미 전송되었습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,이 작업 주문을 위해 모든 항목이 이미 전송되었습니다.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","다른 발언, 기록에 가야한다 주목할만한 노력."
 DocType: Asset Maintenance,Manufacturing User,제조 사용자
 DocType: Purchase Invoice,Raw Materials Supplied,공급 원료
 DocType: Subscription Plan,Payment Plan,지불 계획
 DocType: Shopping Cart Settings,Enable purchase of items via the website,웹 사이트를 통한 항목 구매 활성화
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},가격 목록 {0}의 통화는 {1} 또는 {2}이어야합니다.
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,구독 관리
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,구독 관리
 DocType: Appraisal,Appraisal Template,평가 템플릿
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,코드 고정
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,코드 고정
 DocType: Soil Texture,Ternary Plot,삼원 계획
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,스케줄러를 통해 스케줄 된 일일 동기화 루틴을 사용하려면이 옵션을 선택하십시오.
 DocType: Item Group,Item Classification,품목 분류
@@ -6167,6 +6236,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,송장 환자 등록
 DocType: Crop,Period,기간
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,원장
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,회계 연도로
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,보기 오퍼
 DocType: Program Enrollment Tool,New Program,새 프로그램
 DocType: Item Attribute Value,Attribute Value,속성 값
@@ -6175,11 +6245,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise는 재주문 수준에게 추천
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,{1} 학년의 {0} 직원은 기본 휴가 정책이 없습니다.
 DocType: Salary Detail,Salary Detail,급여 세부 정보
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,먼저 {0}를 선택하세요
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,먼저 {0}를 선택하세요
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} 명의 사용자가 추가되었습니다.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",다중 계층 프로그램의 경우 고객은 지출 한대로 해당 계층에 자동으로 할당됩니다.
 DocType: Appointment Type,Physician,내과 의사
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,항목의 일괄 {0} {1} 만료되었습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,항목의 일괄 {0} {1} 만료되었습니다.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,상담
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,완제품
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","상품 가격은 가격리스트, 공급자 / 고객, 통화, 품목, UOM, 수량 및 날짜를 기준으로 여러 번 나타납니다."
@@ -6188,22 +6258,21 @@
 DocType: Certification Application,Name of Applicant,신청자 성명
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,제조 시간 시트.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,소계
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,주식 거래 후 Variant 속성을 변경할 수 없습니다. 이 작업을 수행하려면 새 항목을 만들어야합니다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,주식 거래 후 Variant 속성을 변경할 수 없습니다. 이 작업을 수행하려면 새 항목을 만들어야합니다.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA 위임장
 DocType: Healthcare Practitioner,Charges,요금
 DocType: Production Plan,Get Items For Work Order,작업 지시에 대한 항목 가져 오기
 DocType: Salary Detail,Default Amount,기본 금액
 DocType: Lab Test Template,Descriptive,설명 적
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,시스템에서 찾을 수없는 창고
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,이 달의 요약
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,이 달의 요약
 DocType: Quality Inspection Reading,Quality Inspection Reading,품질 검사 읽기
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`확정된 재고'는 `% d의 일보다 작아야한다.
 DocType: Tax Rule,Purchase Tax Template,세금 템플릿을 구입
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,회사에서 달성하고자하는 판매 목표를 설정하십시오.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,의료 서비스
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,의료 서비스
 ,Project wise Stock Tracking,프로젝트 현명한 재고 추적
 DocType: GST HSN Code,Regional,지역
-DocType: Delivery Note,Transport Mode,운송 모드
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,실험실
 DocType: UOM Category,UOM Category,UOM 카테고리
 DocType: Clinical Procedure Item,Actual Qty (at source/target),실제 수량 (소스 / 대상에서)
@@ -6226,17 +6295,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,웹 사이트를 만들지 못했습니다.
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM 변환 세부 사항
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,보유 재고 항목이 이미 생성되었거나 샘플 수량이 제공되지 않았습니다.
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,보유 재고 항목이 이미 생성되었거나 샘플 수량이 제공되지 않았습니다.
 DocType: Program,Program Abbreviation,프로그램의 약자
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,생산 주문은 항목 템플릿에 대해 제기 할 수 없습니다
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,요금은 각 항목에 대해 구매 영수증에 업데이트됩니다
 DocType: Warranty Claim,Resolved By,에 의해 해결
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,방전 계획
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,수표와 예금 잘못 삭제
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,계정 {0} : 당신은 부모 계정 자체를 할당 할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,계정 {0} : 당신은 부모 계정 자체를 할당 할 수 없습니다
 DocType: Purchase Invoice Item,Price List Rate,가격리스트 평가
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,고객 따옴표를 만들기
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,서비스 종료 날짜는 서비스 종료 날짜 이후 일 수 없습니다.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,서비스 종료 날짜는 서비스 종료 날짜 이후 일 수 없습니다.
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","""재고""표시 또는 ""재고 부족""이 창고에 재고를 기반으로."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),재료 명세서 (BOM)
 DocType: Item,Average time taken by the supplier to deliver,공급 업체에 의해 촬영 평균 시간 제공하는
@@ -6248,11 +6317,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,시간
 DocType: Project,Expected Start Date,예상 시작 날짜
 DocType: Purchase Invoice,04-Correction in Invoice,송장의 04 수정
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,BOM이있는 모든 품목에 대해 이미 생성 된 작업 공정
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,BOM이있는 모든 품목에 대해 이미 생성 된 작업 공정
 DocType: Payment Request,Party Details,파티의 자세한 사항
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,이체 세부 정보 보고서
 DocType: Setup Progress Action,Setup Progress Action,설치 진행 작업
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,구매 가격 목록
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,구매 가격 목록
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,요금은 해당 항목에 적용 할 수없는 경우 항목을 제거
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,구독 취소
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,유지 보수 상태를 완료로 선택하거나 완료 날짜를 제거하십시오.
@@ -6270,7 +6339,7 @@
 DocType: Asset,Disposal Date,폐기 날짜
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","그들은 휴일이없는 경우 이메일은, 주어진 시간에 회사의 모든 Active 직원에 전송됩니다. 응답 요약 자정에 전송됩니다."
 DocType: Employee Leave Approver,Employee Leave Approver,직원 허가 승인자
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},행 {0} : 재주문 항목이 이미이웨어 하우스 존재 {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},행 {0} : 재주문 항목이 이미이웨어 하우스 존재 {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","손실로 견적이되었습니다 때문에, 선언 할 수 없습니다."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP 계정
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,교육 피드백
@@ -6282,7 +6351,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,지금까지 날로부터 이전 할 수 없습니다
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc의 문서 종류
 DocType: Cash Flow Mapper,Section Footer,섹션 바닥 글
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,가격 추가/편집
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,가격 추가/편집
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,승진 날짜 전에 직원 승진을 제출할 수 없습니다.
 DocType: Batch,Parent Batch,상위 일괄 처리
 DocType: Batch,Parent Batch,상위 일괄 처리
@@ -6293,6 +6362,7 @@
 DocType: Clinical Procedure Template,Sample Collection,샘플 수집
 ,Requested Items To Be Ordered,주문 요청 항목
 DocType: Price List,Price List Name,가격리스트 이름
+DocType: Delivery Stop,Dispatch Information,파견 정보
 DocType: Blanket Order,Manufacturing,생산
 ,Ordered Items To Be Delivered,전달 될 품목을 주문
 DocType: Account,Income,수익
@@ -6311,17 +6381,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1}에 필요한 {2}에서 {3} {4} {5}이 거래를 완료 할 수의 단위.
 DocType: Fee Schedule,Student Category,학생 분류
 DocType: Announcement,Student,학생
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,절차를 시작할 재고 수량은 창고에서 사용할 수 없습니다. 재고 이전을 기록 하시겠습니까?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,절차를 시작할 재고 수량은 창고에서 사용할 수 없습니다. 재고 이전을 기록 하시겠습니까?
 DocType: Shipping Rule,Shipping Rule Type,선적 규칙 유형
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,방으로 이동
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","회사, 지불 계정, 날짜 및 종료일은 필수 항목입니다."
 DocType: Company,Budget Detail,예산 세부 정보
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,전송하기 전에 메시지를 입력 해주세요
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,공급 업체와 중복
-DocType: Email Digest,Pending Quotations,견적을 보류
-DocType: Delivery Note,Distance (KM),거리 (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,공급 업체&gt; 공급 업체 그룹
 DocType: Asset,Custodian,후견인
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,판매 시점 프로필
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,판매 시점 프로필
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0}은 0과 100 사이의 값이어야합니다.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1}에서 {2} (으)로 {0} 지불
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,무담보 대출
@@ -6353,10 +6422,10 @@
 DocType: Lead,Converted,변환
 DocType: Item,Has Serial No,시리얼 No에게 있습니다
 DocType: Employee,Date of Issue,발행일
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","구매 요청이 필요한 경우 구매 설정에 따라 == &#39;예&#39;, 구매 송장 생성을 위해 사용자는 {0} 품목의 구매 영수증을 먼저 생성해야합니다."
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","구매 요청이 필요한 경우 구매 설정에 따라 == &#39;예&#39;, 구매 송장 생성을 위해 사용자는 {0} 품목의 구매 영수증을 먼저 생성해야합니다."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},행 번호 {0} 항목에 대한 설정 공급 업체 {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,행 {0} : 시간의 값은 0보다 커야합니다.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,부품 {1}에 연결된 웹 사이트 콘텐츠 {0}를 찾을 수없는
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,부품 {1}에 연결된 웹 사이트 콘텐츠 {0}를 찾을 수없는
 DocType: Issue,Content Type,컨텐츠 유형
 DocType: Asset,Assets,자산
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,컴퓨터
@@ -6367,7 +6436,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} 존재하지 않습니다
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,다른 통화와 계정을 허용하는 다중 통화 옵션을 확인하시기 바랍니다
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,상품 : {0} 시스템에 존재하지 않을
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,당신은 고정 된 값을 설정할 수있는 권한이 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,당신은 고정 된 값을 설정할 수있는 권한이 없습니다
 DocType: Payment Reconciliation,Get Unreconciled Entries,비 조정 항목을보세요
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},직원 {0}이 (가) {1}에 출발합니다.
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,분개에 대해 상환이 선택되지 않았습니다.
@@ -6385,13 +6454,14 @@
 ,Average Commission Rate,평균위원회 평가
 DocType: Share Balance,No of Shares,주식수
 DocType: Taxable Salary Slab,To Amount,금액까지
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'시리얼 번호를 가지고 있음'의 경우 무재고 항목에 대해 '예'일 수 없습니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'시리얼 번호를 가지고 있음'의 경우 무재고 항목에 대해 '예'일 수 없습니다
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,상태 선택
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,출석은 미래의 날짜에 표시 할 수 없습니다
 DocType: Support Search Source,Post Description Key,게시 설명 키
 DocType: Pricing Rule,Pricing Rule Help,가격 규칙 도움말
 DocType: School House,House Name,집 이름
 DocType: Fee Schedule,Total Amount per Student,학생 당 총 금액
+DocType: Opportunity,Sales Stage,판매 단계
 DocType: Purchase Taxes and Charges,Account Head,계정 헤드
 DocType: Company,HRA Component,HRA 구성 요소
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,전기의
@@ -6399,15 +6469,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),총 가치 차이 (아웃 -에서)
 DocType: Grant Application,Requested Amount,요청 금액
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,행 {0} : 환율은 필수입니다
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},사용자 ID 직원에 대한 설정하지 {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},사용자 ID 직원에 대한 설정하지 {0}
 DocType: Vehicle,Vehicle Value,차량 값
 DocType: Crop Cycle,Detected Diseases,발견 된 질병
 DocType: Stock Entry,Default Source Warehouse,기본 소스 창고
 DocType: Item,Customer Code,고객 코드
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},생일 알림 {0}
 DocType: Asset Maintenance Task,Last Completion Date,마지막 완료일
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,일 이후 마지막 주문
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,계정에 직불는 대차 대조표 계정이어야합니다
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,계정에 직불는 대차 대조표 계정이어야합니다
 DocType: Asset,Naming Series,시리즈 이름 지정
 DocType: Vital Signs,Coated,코팅
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,행 {0} : 유효 수명 후 총 가치가 총 구매 금액보다 적어야합니다.
@@ -6425,15 +6494,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,배송 참고 {0} 제출하지 않아야합니다
 DocType: Notification Control,Sales Invoice Message,판매 송장 메시지
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,계정 {0}을 닫으면 형 책임 / 주식이어야합니다
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},직원의 급여 슬립 {0} 이미 시간 시트 생성 {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},직원의 급여 슬립 {0} 이미 시간 시트 생성 {1}
 DocType: Vehicle Log,Odometer,주행 거리계
 DocType: Production Plan Item,Ordered Qty,수량 주문
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,항목 {0} 사용할 수 없습니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,항목 {0} 사용할 수 없습니다
 DocType: Stock Settings,Stock Frozen Upto,재고 동결 개까지
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM은 재고 아이템을 포함하지 않는
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM은 재고 아이템을 포함하지 않는
 DocType: Chapter,Chapter Head,챕터 헤드
 DocType: Payment Term,Month(s) after the end of the invoice month,인보이스 월이 끝난 후 월
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,급여 구조에는 급여액을 분배하기위한 탄력적 인 급여 구성 요소가 있어야합니다.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,급여 구조에는 급여액을 분배하기위한 탄력적 인 급여 구성 요소가 있어야합니다.
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,프로젝트 활동 / 작업.
 DocType: Vital Signs,Very Coated,매우 코팅
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),세금 영향 만 (과세 소득의 일부는 청구 할 수 없음)
@@ -6451,7 +6520,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,결제 시간
 DocType: Project,Total Sales Amount (via Sales Order),총 판매 금액 (판매 오더를 통한)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0}를 찾을 수 없습니다에 대한 기본 BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,행 번호 {0} : 재주문 수량을 설정하세요
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,행 번호 {0} : 재주문 수량을 설정하세요
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,항목을 탭하여 여기에 추가하십시오.
 DocType: Fees,Program Enrollment,프로그램 등록
 DocType: Share Transfer,To Folio No,Folio No로
@@ -6494,9 +6563,9 @@
 DocType: SG Creation Tool Course,Max Strength,최대 강도
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,사전 설정 설치
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},고객 {}에 대해 배달 노트가 선택되지 않았습니다.
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},고객 {}에 대해 배달 노트가 선택되지 않았습니다.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,직원 {0}에게는 최대 혜택 금액이 없습니다.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,배달 날짜를 기준으로 품목 선택
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,배달 날짜를 기준으로 품목 선택
 DocType: Grant Application,Has any past Grant Record,과거의 보조금 기록이 있습니까?
 ,Sales Analytics,판매 분석
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},사용 가능한 {0}
@@ -6505,12 +6574,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,제조 설정
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,이메일 설정
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 모바일 없음
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,회사 마스터에 기본 통화를 입력 해주십시오
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,회사 마스터에 기본 통화를 입력 해주십시오
 DocType: Stock Entry Detail,Stock Entry Detail,재고 입력 상세
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,매일 알림
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,매일 알림
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,열려있는 티켓 모두보기
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,의료 서비스 단위 트리
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,생성물
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,생성물
 DocType: Products Settings,Home Page is Products,홈 페이지는 제품입니다
 ,Asset Depreciation Ledger,자산 감가 상각 원장
 DocType: Salary Structure,Leave Encashment Amount Per Day,하루에 납부액을 남겨 둡니다.
@@ -6520,8 +6589,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,원료 공급 비용
 DocType: Selling Settings,Settings for Selling Module,모듈 판매에 대한 설정
 DocType: Hotel Room Reservation,Hotel Room Reservation,호텔 룸 예약
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,고객 서비스
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,고객 서비스
 DocType: BOM,Thumbnail,미리보기
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,이메일 ID가있는 연락처가 없습니다.
 DocType: Item Customer Detail,Item Customer Detail,항목을 고객의 세부 사항
 DocType: Notification Control,Prompt for Email on Submission of,제출의 전자 우편을위한 프롬프트
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},직원의 최대 혜택 금액 {0}이 (가) {1}을 (를) 초과했습니다.
@@ -6531,7 +6601,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,{0} 항목을 재고 품목 수 있어야합니다
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,진행웨어 하우스의 기본 작업
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",{0}의 일정이 겹칩니다. 겹친 슬롯을 건너 뛰고 계속 하시겠습니까?
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,회계 거래의 기본 설정.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,회계 거래의 기본 설정.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,그랜트 잎
 DocType: Restaurant,Default Tax Template,기본 세금 템플릿
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} 학생이 등록되었습니다.
@@ -6539,6 +6609,7 @@
 DocType: Purchase Invoice Item,Stock Qty,재고 수량
 DocType: Purchase Invoice Item,Stock Qty,재고 수량
 DocType: Contract,Requires Fulfilment,이행이 필요합니다.
+DocType: QuickBooks Migrator,Default Shipping Account,기본 배송 계정
 DocType: Loan,Repayment Period in Months,개월의 상환 기간
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,오류 : 유효한 ID?
 DocType: Naming Series,Update Series Number,업데이트 시리즈 번호
@@ -6552,11 +6623,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,최대 금액
 DocType: Journal Entry,Total Amount Currency,합계 금액 통화
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,검색 서브 어셈블리
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},행 번호에 필요한 상품 코드 {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},행 번호에 필요한 상품 코드 {0}
 DocType: GST Account,SGST Account,SGST 계정
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,항목으로 이동
 DocType: Sales Partner,Partner Type,파트너 유형
-DocType: Purchase Taxes and Charges,Actual,실제
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,실제
 DocType: Restaurant Menu,Restaurant Manager,레스토랑 매니저
 DocType: Authorization Rule,Customerwise Discount,Customerwise 할인
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,작업에 대한 작업 표.
@@ -6577,7 +6648,7 @@
 DocType: Employee,Cheque,수표
 DocType: Training Event,Employee Emails,직원 이메일
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,시리즈 업데이트
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,보고서 유형이 필수입니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,보고서 유형이 필수입니다
 DocType: Item,Serial Number Series,일련 번호 시리즈
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},창고 재고 상품의 경우 필수 {0} 행에서 {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,소매 및 도매
@@ -6608,7 +6679,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,판매 오더에서 대금 청구 금액 갱신
 DocType: BOM,Materials,도구
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","선택되지 않으면, 목록은인가되는 각 부서가 여기에 첨가되어야 할 것이다."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,게시 날짜 및 게시 시간이 필수입니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,게시 날짜 및 게시 시간이 필수입니다
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,트랜잭션을 구입을위한 세금 템플릿.
 ,Item Prices,상품 가격
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,당신이 구매 주문을 저장 한 단어에서 볼 수 있습니다.
@@ -6624,12 +6695,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),자산 감가 상각 엔트리 시리즈 (분개장)
 DocType: Membership,Member Since,회원 가입일
 DocType: Purchase Invoice,Advance Payments,사전 지불
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,건강 관리 서비스를 선택하십시오.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,건강 관리 서비스를 선택하십시오.
 DocType: Purchase Taxes and Charges,On Net Total,인터넷 전체에
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} 속성에 대한 값의 범위 내에 있어야합니다 {1}에 {2}의 단위 {3} 항목에 대한 {4}
 DocType: Restaurant Reservation,Waitlisted,대기자 명단에 올랐다.
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,면제 범주
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,환율이 다른 통화를 사용하여 항목을 한 후 변경할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,환율이 다른 통화를 사용하여 항목을 한 후 변경할 수 없습니다
 DocType: Shipping Rule,Fixed,결정된
 DocType: Vehicle Service,Clutch Plate,클러치 플레이트
 DocType: Company,Round Off Account,반올림
@@ -6638,7 +6709,7 @@
 DocType: Subscription Plan,Based on price list,가격표 기준
 DocType: Customer Group,Parent Customer Group,상위 고객 그룹
 DocType: Vehicle Service,Change,변경
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,신청
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,신청
 DocType: Purchase Invoice,Contact Email,담당자 이메일
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,수수료 생성 보류 중
 DocType: Appraisal Goal,Score Earned,점수 획득
@@ -6666,23 +6737,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,채권 / 채무 계정
 DocType: Delivery Note Item,Against Sales Order Item,판매 주문 항목에 대하여
 DocType: Company,Company Logo,회사 로고
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},속성에 대한 속성 값을 지정하십시오 {0}
-DocType: Item Default,Default Warehouse,기본 창고
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},속성에 대한 속성 값을 지정하십시오 {0}
+DocType: QuickBooks Migrator,Default Warehouse,기본 창고
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},예산은 그룹 계정에 할당 할 수 없습니다 {0}
 DocType: Shopping Cart Settings,Show Price,가격 표시
 DocType: Healthcare Settings,Patient Registration,환자 등록
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,부모의 비용 센터를 입력 해주십시오
 DocType: Delivery Note,Print Without Amount,금액없이 인쇄
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,감가 상각 날짜
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,감가 상각 날짜
 ,Work Orders in Progress,진행중인 작업 주문
 DocType: Issue,Support Team,지원 팀
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(일) 만료
 DocType: Appraisal,Total Score (Out of 5),전체 점수 (5 점 만점)
 DocType: Student Attendance Tool,Batch,일괄처리
 DocType: Support Search Source,Query Route String,경로 문자열 쿼리
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,마지막 구매 당 업데이트 속도
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,마지막 구매 당 업데이트 속도
 DocType: Donor,Donor Type,기부자 유형
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,자동 반복 문서 업데이트 됨
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,자동 반복 문서 업데이트 됨
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,잔고
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,회사를 선택하십시오.
 DocType: Job Card,Job Card,직업 카드
@@ -6696,7 +6767,7 @@
 DocType: Assessment Result,Total Score,총 점수
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 표준
 DocType: Journal Entry,Debit Note,직불 주
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,이 순서대로 최대 {0} 포인트를 사용할 수 있습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,이 순서대로 최대 {0} 포인트를 사용할 수 있습니다.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP- .YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,API 소비자 비밀번호를 입력하십시오.
 DocType: Stock Entry,As per Stock UOM,재고당 측정단위
@@ -6710,10 +6781,11 @@
 DocType: Journal Entry,Total Debit,총 직불
 DocType: Travel Request Costing,Sponsored Amount,후원 금액
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,기본 완제품 창고
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,환자를 선택하십시오.
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,환자를 선택하십시오.
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,영업 사원
 DocType: Hotel Room Package,Amenities,예의
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,예산 및 비용 센터
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited Funds Account
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,예산 및 비용 센터
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,여러 기본 결제 방법이 허용되지 않습니다.
 DocType: Sales Invoice,Loyalty Points Redemption,충성도 포인트 사용
 ,Appointment Analytics,약속 분석
@@ -6727,6 +6799,7 @@
 DocType: Batch,Manufacturing Date,제조일
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,수수료 생성 실패
 DocType: Opening Invoice Creation Tool,Create Missing Party,누락 된 파티 만들기
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,총 예산
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,1 년에 학생 그룹을 만들면 비워 둡니다.
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,1 년에 학생 그룹을 만들면 비워 둡니다.
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","이 옵션을 선택하면 총 없음. 작업 일의 휴일을 포함하며,이 급여 당 일의 가치를 감소시킬 것이다"
@@ -6744,20 +6817,19 @@
 DocType: Opportunity Item,Basic Rate,기본 요금
 DocType: GL Entry,Credit Amount,신용 금액
 DocType: Cheque Print Template,Signatory Position,서명자 위치
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,분실로 설정
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,분실로 설정
 DocType: Timesheet,Total Billable Hours,총 청구 시간
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,구독자가이 구독으로 생성 된 인보이스를 지불해야하는 일 수
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,직원 복리 후생 신청 세부 사항
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,지불 영수증 참고
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,이이 고객에 대한 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},행 {0} : 할당 된 양 {1} 미만 또는 결제 항목의 금액과 동일합니다 {2}
 DocType: Program Enrollment Tool,New Academic Term,새로운 학기
 ,Course wise Assessment Report,코스 현명한 평가 보고서
 DocType: Purchase Invoice,Availed ITC State/UT Tax,제공되는 ITC 주 / UT 세금
 DocType: Tax Rule,Tax Rule,세금 규칙
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,판매주기 전반에 걸쳐 동일한 비율을 유지
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,마켓 플레이스에 등록하려면 다른 사용자로 로그인하십시오.
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,마켓 플레이스에 등록하려면 다른 사용자로 로그인하십시오.
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,워크 스테이션 근무 시간 외에 시간 로그를 계획합니다.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,대기열의 고객
 DocType: Driver,Issuing Date,발행 날짜
@@ -6766,11 +6838,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,추가 작업을 위해이 작업 공정을 제출하십시오.
 ,Items To Be Requested,요청 할 항목
 DocType: Company,Company Info,회사 소개
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,선택하거나 새로운 고객을 추가
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,선택하거나 새로운 고객을 추가
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,비용 센터 비용 청구를 예약 할 필요
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),펀드의 응용 프로그램 (자산)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,이이 직원의 출석을 기반으로
-DocType: Assessment Result,Summary,개요
 DocType: Payment Request,Payment Request Type,지불 요청 유형
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,출석 표식
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,자동 이체 계좌
@@ -6778,7 +6849,7 @@
 DocType: Additional Salary,Employee Name,직원 이름
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,식당 주문 입력 항목
 DocType: Purchase Invoice,Rounded Total (Company Currency),둥근 합계 (회사 통화)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,계정 유형을 선택하기 때문에 그룹을 변환 할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,계정 유형을 선택하기 때문에 그룹을 변환 할 수 없습니다.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} 수정되었습니다.새로 고침하십시오.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,다음과 같은 일에 허가 신청을하는 사용자가 중지합니다.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",충성도 포인트가 무제한으로 만료되는 경우 만료 기간을 비워 두거나 0으로 설정하십시오.
@@ -6799,11 +6870,12 @@
 DocType: Asset,Out of Order,고장난
 DocType: Purchase Receipt Item,Accepted Quantity,허용 수량
 DocType: Projects Settings,Ignore Workstation Time Overlap,워크 스테이션 시간 겹침 무시
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},직원에 대한 기본 홀리데이 목록을 설정하십시오 {0} 또는 회사 {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},직원에 대한 기본 홀리데이 목록을 설정하십시오 {0} 또는 회사 {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0} : {1} 수행하지 존재
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,배치 번호 선택
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,하려면 GSTIN하려면
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,하려면 GSTIN하려면
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,고객에게 제기 지폐입니다.
+DocType: Healthcare Settings,Invoice Appointments Automatically,송장 예약 자동
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,프로젝트 ID
 DocType: Salary Component,Variable Based On Taxable Salary,과세 급여에 따른 변수
 DocType: Company,Basic Component,기본 구성 요소
@@ -6816,10 +6888,10 @@
 DocType: Stock Entry,Source Warehouse Address,출처 창고 주소
 DocType: GL Entry,Voucher Type,바우처 유형
 DocType: Amazon MWS Settings,Max Retry Limit,최대 재시도 한도
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화
 DocType: Student Applicant,Approved,인가 된
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,가격
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0}에 안심 직원은 '왼쪽'으로 설정해야합니다
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0}에 안심 직원은 '왼쪽'으로 설정해야합니다
 DocType: Marketplace Settings,Last Sync On,마지막 동기화
 DocType: Guardian,Guardian,보호자
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,이 내용을 포함한 모든 통신은 새로운 문제로 옮겨집니다.
@@ -6842,14 +6914,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,현장에서 발견 된 질병의 목록. 선택한 경우 병을 치료할 작업 목록이 자동으로 추가됩니다.
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,이것은 루트 의료 서비스 부서이며 편집 할 수 없습니다.
 DocType: Asset Repair,Repair Status,수리 상태
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,판매 파트너 추가
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,회계 분개.
 DocType: Travel Request,Travel Request,여행 요청
 DocType: Delivery Note Item,Available Qty at From Warehouse,창고에서 이용 가능한 수량
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,먼저 직원 레코드를 선택하십시오.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,휴일인데 {0}에 출석하지 않았습니다.
 DocType: POS Profile,Account for Change Amount,변경 금액에 대한 계정
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks에 연결
 DocType: Exchange Rate Revaluation,Total Gain/Loss,총 손익
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,회사 간 인보이스에 대한 회사가 잘못되었습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,회사 간 인보이스에 대한 회사가 잘못되었습니다.
 DocType: Purchase Invoice,input service,입력 서비스
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},행 {0} : 파티 / 계정과 일치하지 않는 {1} / {2}에서 {3} {4}
 DocType: Employee Promotion,Employee Promotion,직원 홍보
@@ -6858,12 +6932,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,코스 코드 :
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,비용 계정을 입력하십시오
 DocType: Account,Stock,재고
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",행 번호 {0} 참조 문서 형식은 구매 주문 중 하나를 구매 송장 또는 분개해야합니다
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",행 번호 {0} 참조 문서 형식은 구매 주문 중 하나를 구매 송장 또는 분개해야합니다
 DocType: Employee,Current Address,현재 주소
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","명시 적으로 지정하지 않는 항목은 다음 설명, 이미지, 가격은 세금이 템플릿에서 설정됩니다 등 다른 항목의 변형 인 경우"
 DocType: Serial No,Purchase / Manufacture Details,구매 / 제조 세부 사항
 DocType: Assessment Group,Assessment Group,평가 그룹
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,배치 재고
+DocType: Supplier,GST Transporter ID,GST 트랜스 포터 ID
 DocType: Procedure Prescription,Procedure Name,프로 시저 이름
 DocType: Employee,Contract End Date,계약 종료 날짜
 DocType: Amazon MWS Settings,Seller ID,판매자 ID
@@ -6883,12 +6958,12 @@
 DocType: Company,Date of Incorporation,설립 날짜
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,총 세금
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,마지막 구매 가격
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,수량 (수량 제조) 필수
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,수량 (수량 제조) 필수
 DocType: Stock Entry,Default Target Warehouse,기본 대상 창고
 DocType: Purchase Invoice,Net Total (Company Currency),합계액 (회사 통화)
 DocType: Delivery Note,Air,공기
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,올해 종료 날짜는 연도 시작 날짜보다 이전이 될 수 없습니다. 날짜를 수정하고 다시 시도하십시오.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0}은 (는) 선택 공휴일 목록에 없습니다.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0}은 (는) 선택 공휴일 목록에 없습니다.
 DocType: Notification Control,Purchase Receipt Message,구매 영수증 메시지
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,스크랩 항목
@@ -6911,23 +6986,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,이행
 DocType: Purchase Taxes and Charges,On Previous Row Amount,이전 행의 양에
 DocType: Item,Has Expiry Date,만기일 있음
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,전송 자산
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,전송 자산
 DocType: POS Profile,POS Profile,POS 프로필
 DocType: Training Event,Event Name,이벤트 이름
 DocType: Healthcare Practitioner,Phone (Office),전화 (사무실)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","제출할 수 없음, 직원의 출석 표시 남음"
 DocType: Inpatient Record,Admission,입장
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},대한 입학 {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","설정 예산, 목표 등 계절성"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","설정 예산, 목표 등 계절성"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,변수 이름
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} 항목 템플릿이며, 그 변종 중 하나를 선택하십시오"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,인력&gt; 인사말 설정에서 Employee Naming System을 설정하십시오.
+DocType: Purchase Invoice Item,Deferred Expense,이연 지출
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},{0} 날짜는 직원의 가입 날짜 {1} 이전 일 수 없습니다.
 DocType: Asset,Asset Category,자산의 종류
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,순 임금은 부정 할 수 없습니다
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,순 임금은 부정 할 수 없습니다
 DocType: Purchase Order,Advance Paid,사전 유료
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,판매 오더에 대한 과잉 생산 백분율
 DocType: Item,Item Tax,상품의 세금
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,공급 업체에 소재
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,공급 업체에 소재
 DocType: Soil Texture,Loamy Sand,진흙 모래
 DocType: Production Plan,Material Request Planning,자재 요청 계획
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,소비세 송장
@@ -6949,11 +7026,11 @@
 DocType: Scheduling Tool,Scheduling Tool,예약 도구
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,신용카드
 DocType: BOM,Item to be manufactured or repacked,제조 또는 재 포장 할 항목
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},조건에 구문 오류가 있습니다 : {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},조건에 구문 오류가 있습니다 : {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,주요 / 선택 주제
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,구매 설정에서 공급 업체 그룹을 설정하십시오.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,구매 설정에서 공급 업체 그룹을 설정하십시오.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",총 탄력적 혜택 구성 요소 금액 {0}은 최대 이점보다 적습니다 {1}
 DocType: Sales Invoice Item,Drop Ship,드롭 선박
 DocType: Driver,Suspended,매달린
@@ -6973,7 +7050,7 @@
 DocType: Customer,Commission Rate,위원회 평가
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,지불 항목을 생성했습니다.
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1}의 {0} 스코어 카드 생성 :
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,변형을 확인
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,변형을 확인
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","결제 유형, 수신 중 하나가 될 지불하고 내부 전송합니다"
 DocType: Travel Itinerary,Preferred Area for Lodging,숙박을위한 선호 구역
 apps/erpnext/erpnext/config/selling.py +184,Analytics,분석
@@ -6984,7 +7061,7 @@
 DocType: Work Order,Actual Operating Cost,실제 운영 비용
 DocType: Payment Entry,Cheque/Reference No,수표 / 참조 없음
 DocType: Soil Texture,Clay Loam,클레이 로암
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,루트는 편집 할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,루트는 편집 할 수 없습니다.
 DocType: Item,Units of Measure,측정 단위
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,메트로 시티에서 임대 됨
 DocType: Supplier,Default Tax Withholding Config,기본 과세 원천 징수 구성
@@ -7002,21 +7079,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,결제 완료 후 선택한 페이지로 사용자를 리디렉션.
 DocType: Company,Existing Company,기존 회사
 DocType: Healthcare Settings,Result Emailed,결과가 이메일로 전송되었습니다.
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",모든 품목이 비 재고 품목이므로 Tax Category가 &quot;Total&quot;로 변경되었습니다.
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",모든 품목이 비 재고 품목이므로 Tax Category가 &quot;Total&quot;로 변경되었습니다.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,날짜는 날짜와 같거나 그보다 작을 수 없습니다.
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,변경 사항 없음
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,CSV 파일을 선택하세요
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,CSV 파일을 선택하세요
 DocType: Holiday List,Total Holidays,총 휴일
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,발송을위한 누락 된 이메일 템플릿. 배달 설정에서 하나를 설정하십시오.
 DocType: Student Leave Application,Mark as Present,현재로 표시
 DocType: Supplier Scorecard,Indicator Color,표시기 색상
 DocType: Purchase Order,To Receive and Bill,수신 및 법안
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,행 # {0} : 거래일보다 전의 날짜를 사용할 수 없습니다.
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,행 # {0} : 거래일보다 전의 날짜를 사용할 수 없습니다.
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,주요 제품
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,일련 번호 선택
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,일련 번호 선택
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,디자이너
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,이용 약관 템플릿
 DocType: Serial No,Delivery Details,납품 세부 사항
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},비용 센터가 행에 필요한 {0} 세금 테이블의 유형에 대한 {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},비용 센터가 행에 필요한 {0} 세금 테이블의 유형에 대한 {1}
 DocType: Program,Program Code,프로그램 코드
 DocType: Terms and Conditions,Terms and Conditions Help,이용 약관 도움말
 ,Item-wise Purchase Register,상품 현명한 구매 등록
@@ -7029,15 +7107,16 @@
 DocType: Contract,Contract Terms,계약 조건
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,다음 통화 $ 등과 같은 모든 기호를 표시하지 마십시오.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},{0} 구성 요소의 최대 혜택 금액이 {1}을 초과했습니다.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(반나절)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(반나절)
 DocType: Payment Term,Credit Days,신용 일
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,실험실 테스트를 받으려면 환자를 선택하십시오.
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,학생 배치 확인
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,제조 전송 허용
 DocType: Leave Type,Is Carry Forward,이월된다
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM에서 항목 가져 오기
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM에서 항목 가져 오기
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,시간 일 리드
 DocType: Cash Flow Mapping,Is Income Tax Expense,소득세 비용
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,귀하의 주문은 배송되지 않습니다!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},행 # {0} : 날짜를 게시하면 구입 날짜와 동일해야합니다 {1} 자산의 {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,학생이 연구소의 숙소에 거주하고 있는지 확인하십시오.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,위의 표에 판매 주문을 입력하세요
@@ -7045,10 +7124,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,다른 한 창고에서 자산을 이동
 DocType: Vehicle,Petrol,가솔린
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),남은 이익 (매년)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,재료 명세서 (BOM)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,재료 명세서 (BOM)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},행 {0} : 파티 형 파티는 채권 / 채무 계정이 필요합니다 {1}
 DocType: Employee,Leave Policy,정책 퇴장
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,항목 업데이트
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,항목 업데이트
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,참조 날짜
 DocType: Employee,Reason for Leaving,떠나는 이유
 DocType: BOM Operation,Operating Cost(Company Currency),운영 비용 (기업 통화)
@@ -7059,7 +7138,7 @@
 DocType: Department,Expense Approvers,비용 승인자
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},행 {0} 차변 항목과 링크 될 수 없다 {1}
 DocType: Journal Entry,Subscription Section,구독 섹션
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,계정 {0}이 (가) 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,계정 {0}이 (가) 없습니다
 DocType: Training Event,Training Program,교육 프로그램
 DocType: Account,Cash,자금
 DocType: Employee,Short biography for website and other publications.,웹 사이트 및 기타 간행물에 대한 짧은 전기.
diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv
index 5ffb49f..71c2820 100644
--- a/erpnext/translations/ku.csv
+++ b/erpnext/translations/ku.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Nawy mişterî
 DocType: Project,Costing and Billing,Bi qurûşekî û Billing
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Divê hesabê pêşxistina diravê wekî wek diravê şirket {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Account {0}: account Parent {1} nikare bibe ledger
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Account {0}: account Parent {1} nikare bibe ledger
 DocType: Item,Publish Item to hub.erpnext.com,Weşana babet bi hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Dema vekêşanê ya Çalakî nayê dîtin
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Dema vekêşanê ya Çalakî nayê dîtin
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Nirxandin
 DocType: Item,Default Unit of Measure,Default Unit ji Measure
 DocType: SMS Center,All Sales Partner Contact,Hemû Sales Partner Contact
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Bişkojka Enter Add Add
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Ji bo Nasnavê Nasnav, API Key or Shopify URL"
 DocType: Employee,Rented,bi kirê
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Hemû hesab
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Hemû hesab
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Destûra bi Siyaseta Çep nayê veguherandin
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Rawestandin Production Order ne dikarin bên îptal kirin, ew unstop yekem to cancel"
 DocType: Vehicle Service,Mileage,Mileage
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Ma tu bi rastî dixwazî bibit vê hebûnê?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Ma tu bi rastî dixwazî bibit vê hebûnê?
 DocType: Drug Prescription,Update Schedule,Schedule Update
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Supplier Default Hilbijêre
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Xebatkar nîşan bide
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Guhertina New Exchange
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Pereyan ji bo List Price pêwîst e {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Pereyan ji bo List Price pêwîst e {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Dê di mêjera hejmartin.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-YYYY-
 DocType: Purchase Order,Customer Contact,mişterî Contact
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Ev li ser danûstandinên li dijî vê Supplier bingeha. Dîtina cedwela li jêr bo hûragahiyan
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Percentiya zêdebûna% ji bo Karê Karkerê
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Mafî
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Mafî
+DocType: Delivery Note,Transport Receipt Date,Daxuyaniya Transîteya Dîrok
 DocType: Shopify Settings,Sales Order Series,Sermonê ya firotanê
 DocType: Vital Signs,Tongue,Ziman
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Xweşandina HRA
 DocType: Sales Invoice,Customer Name,Navê mişterî
 DocType: Vehicle,Natural Gas,Gaza natûral
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},hesabê bankê dikare wekî ne bê bi navê {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},hesabê bankê dikare wekî ne bê bi navê {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA li gorî Structural Salary
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Serên (an jî Komên) dijî ku Arşîva Accounting bi made û hevsengiyên parast in.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Outstanding ji bo {0} nikare were kêmî ji sifir ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Dîroka Pêdivî ya Destûra Berî Berî Berî Service Service Destpêk Dibe
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Dîroka Pêdivî ya Destûra Berî Berî Berî Service Service Destpêk Dibe
 DocType: Manufacturing Settings,Default 10 mins,Default 10 mins
 DocType: Leave Type,Leave Type Name,Dev ji Name Type
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,nîşan vekirî
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,nîşan vekirî
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Series Demê serket
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Lêkolîn
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} di rêza {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} di rêza {1}
 DocType: Asset Finance Book,Depreciation Start Date,Bersaziya Destpêk Dîrok
 DocType: Pricing Rule,Apply On,Apply ser
 DocType: Item Price,Multiple Item prices.,bihayê babet Multiple.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Mîhengên piştgiriya
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Hêvîkirin End Date nikare bibe kêmtir ji hêvîkirin Date Start
 DocType: Amazon MWS Settings,Amazon MWS Settings,Settings M Amazon Amazon
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Row # {0} ye: Pûan bide, divê heman be {1}: {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Row # {0} ye: Pûan bide, divê heman be {1}: {2} ({3} / {4})"
 ,Batch Item Expiry Status,Batch babet Status Expiry
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,pêşnûmeya Bank
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-YYYY-
@@ -105,7 +107,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Agahdarî Têkiliyên Serûpel
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Issues vekirî
 DocType: Production Plan Item,Production Plan Item,Production Plan babetî
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Bikarhêner {0} ji niha ve ji bo karkirinê rêdan {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Bikarhêner {0} ji niha ve ji bo karkirinê rêdan {1}
 DocType: Lab Test Groups,Add new line,Line line new
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Parastina saxlemîyê
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Delay di peredana (Days)
@@ -115,12 +117,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab prescription
 ,Delay Days,Dereng Rojan
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Expense Service
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Hejmara Serial: {0} jixwe li Sales bi fatûreyên referans: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Hejmara Serial: {0} jixwe li Sales bi fatûreyên referans: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Biha
 DocType: Purchase Invoice Item,Item Weight Details,Pirtûka giran
 DocType: Asset Maintenance Log,Periodicity,Periodicity
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Sal malî {0} pêwîst e
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Supplier&gt; Supplier Group
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Dûrtirîn dûr di navbera rêzikên nebatan de ji bo zêdebûna mezinbûnê
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Parastinî
 DocType: Salary Component,Abbr,kurte
@@ -139,11 +140,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-YYYY-
 DocType: Daily Work Summary Group,Holiday List,Lîsteya Holiday
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Hesabdar
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Lîsteya bihayê bihayê
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Lîsteya bihayê bihayê
 DocType: Patient,Tobacco Current Use,Bikaranîna Pêdivî ye
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Rêjeya firotanê
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Rêjeya firotanê
 DocType: Cost Center,Stock User,Stock Bikarhêner
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Agahiya Têkilî
 DocType: Company,Phone No,Phone No
 DocType: Delivery Trip,Initial Email Notification Sent,Şandina Îmêlê Şîfreya Yekem şandin
 DocType: Bank Statement Settings,Statement Header Mapping,Mapping Header Mapping
@@ -167,12 +169,11 @@
 DocType: Subscription,Subscription Start Date,Daxuyaniya destpêkê
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Hesabên default yên ku ji bo nexweşî nexwest bi karûbarên rûniştinê veguhestin bikar bînin.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Attach .csv file bi du stûnên, yek ji bo ku bi navê kevin û yek jî ji bo navê xwe yê nû"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Ji Navnîşana 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kodê Asayîş&gt; Tîpa Group&gt; Brand
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Ji Navnîşana 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ne jî di tu aktîv sala diravî.
 DocType: Packed Item,Parent Detail docname,docname Detail dê û bav
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","World: Kurdî: {0}, Code babet: {1} û Mişterî: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} di şirketa bavê de ne
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} di şirketa bavê de ne
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Dîroka Dozgeriya Dawî Dîroka Berî Dema Dema Dema Dadgehê Dema Destpêk Dîrok Nabe
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,Dabeşkirina Bacê
@@ -187,12 +188,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reqlam
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,"Di heman şirketê de ye ketin, ji carekê zêdetir"
 DocType: Patient,Married,Zewicî
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},ji bo destûr ne {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},ji bo destûr ne {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Get tomar ji
 DocType: Price List,Price Not UOM Dependant,Bersaziya UOM Dependent
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Girtîdariya bacê ya bacê bistînin
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock dikare li hember Delivery Têbînî ne bê ewe {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Jimareya Giştî ya Credited
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock dikare li hember Delivery Têbînî ne bê ewe {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Jimareya Giştî ya Credited
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,No tomar di lîsteyê de
 DocType: Asset Repair,Error Description,Çewtiya çewtiyê
@@ -206,8 +207,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Forma Qanûna Kredê Custom Use
 DocType: SMS Center,All Sales Person,Hemû Person Sales
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Belavkariya Ayda ** alîkariya te dike belavkirin Budçeya / Armanc seranser mehan Eger tu dzanî seasonality di karê xwe.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ne tumar hatin dîtin
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Missing Structure meaş
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ne tumar hatin dîtin
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Missing Structure meaş
 DocType: Lead,Person Name,Navê kesê
 DocType: Sales Invoice Item,Sales Invoice Item,Babetê firotina bi fatûreyên
 DocType: Account,Credit,Krêdî
@@ -216,19 +217,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Reports Stock
 DocType: Warehouse,Warehouse Detail,Detail warehouse
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,The Date Term End ne dikarin paşê ji Date Sal End of the Year (Ekadîmî) ji bo ku di dema girêdayî be (Year (Ekadîmî) {}). Ji kerema xwe re li rojên bike û careke din biceribîne.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Ma Asset Fixed&quot; nikare bibe nedixwest, wek record Asset li dijî babete heye"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Ma Asset Fixed&quot; nikare bibe nedixwest, wek record Asset li dijî babete heye"
 DocType: Delivery Trip,Departure Time,Wextê Demjimêr
 DocType: Vehicle Service,Brake Oil,Oil şikand
 DocType: Tax Rule,Tax Type,Type bacê
 ,Completed Work Orders,Birêvebirina Kar
 DocType: Support Settings,Forum Posts,Forum Mesaj
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Şêwaz ber bacê
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Şêwaz ber bacê
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Destûra te tune ku lê zêde bike an update entries berî {0}
 DocType: Leave Policy,Leave Policy Details,Dîtina Dîtina Bilind
 DocType: BOM,Item Image (if not slideshow),Wêne Babetê (eger Mîhrîcana ne)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Saet Rate / 60) * Time Actual Operation
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Divê Daxuyaniya Dokumenta Pêdivî ye Yek ji Mirova Claim an Çîroka Çandî be
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Hilbijêre BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Divê Daxuyaniya Dokumenta Pêdivî ye Yek ji Mirova Claim an Çîroka Çandî be
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Hilbijêre BOM
 DocType: SMS Log,SMS Log,SMS bike Têkeve Têkeve
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Cost ji Nawy Çiyan
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Cejna li ser {0} e di navbera From Date û To Date ne
@@ -237,16 +238,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Templates of stander supplier.
 DocType: Lead,Interested,bala
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Dergeh
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Ji {0} ji bo {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Ji {0} ji bo {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Bername:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Ji bo bacê saz kirin
 DocType: Item,Copy From Item Group,Copy Ji babetî Pula
-DocType: Delivery Trip,Delivery Notification,Daxuyaniya Şandin
 DocType: Journal Entry,Opening Entry,Peyam di roja vekirina
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Account Pay Tenê
 DocType: Loan,Repay Over Number of Periods,Bergîdana Hejmara Over ji Maweya
 DocType: Stock Entry,Additional Costs,Xercên din
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Account bi mêjera yên heyî dikarin bi komeke ne bê guhertin.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Account bi mêjera yên heyî dikarin bi komeke ne bê guhertin.
 DocType: Lead,Product Enquiry,Lêpirsînê ya Product
 DocType: Education Settings,Validate Batch for Students in Student Group,Validate Batch bo Xwendekarên li Komeleya Xwendekarên
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},No record îzna dîtin ji bo karker {0} ji bo {1}
@@ -254,7 +254,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ji kerema xwe ve yekemîn şîrketa binivîse
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Ji kerema xwe ve yekem Company hilbijêre
 DocType: Employee Education,Under Graduate,di bin Graduate
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Ji kerema xwe ya şîfreyê ji bo HR Şertê ji bo Şerta Dewleta Dewletê veke.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Ji kerema xwe ya şîfreyê ji bo HR Şertê ji bo Şerta Dewleta Dewletê veke.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,target ser
 DocType: BOM,Total Cost,Total Cost
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -267,7 +267,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Daxûyanîya Account
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Pharmaceuticals
 DocType: Purchase Invoice Item,Is Fixed Asset,E Asset Fixed
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","QTY de derbasdar e {0}, divê hûn {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","QTY de derbasdar e {0}, divê hûn {1}"
 DocType: Expense Claim Detail,Claim Amount,Şêwaz îdîaya
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-YYYY-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Rêberê Karê Saziyê {0}
@@ -301,13 +301,13 @@
 DocType: BOM,Quality Inspection Template,Vebijêrîna Kalîteya Kalîteyê
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Ma tu dixwazî ji bo rojanekirina amadebûnê? <br> Present: {0} \ <br> Absent: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},"Qebûlkirin + Redkirin Qty, divê ji bo pêşwazî qasêsa wekhev de ji bo babet bê {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},"Qebûlkirin + Redkirin Qty, divê ji bo pêşwazî qasêsa wekhev de ji bo babet bê {0}"
 DocType: Item,Supply Raw Materials for Purchase,Madeyên Raw ji bo Purchase
 DocType: Agriculture Analysis Criteria,Fertilizer,Gûbre
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Nabe ku Serial No ji hêla \ \ Şîfre {0} ve tê veşartin bête û bêyî dagirkirina hilbijêrî ji hêla \ Nîma Serial
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,De bi kêmanî yek mode of tezmînat ji bo fatûra POS pêwîst e.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,De bi kêmanî yek mode of tezmînat ji bo fatûra POS pêwîst e.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankeya Daxuyaniya Bexdayê ya Danûstandinê
 DocType: Products Settings,Show Products as a List,Show Products wek List
 DocType: Salary Detail,Tax on flexible benefit,Baca li ser fînansaziya berbiçav
@@ -318,14 +318,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Pêdivî ye
 DocType: Selling Settings,Default Quotation Validity Days,Rojên Dersa Nermalav
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To de baca li row {0} di rêjeya Babetê, bacên li rêzên {1} divê jî di nav de bê"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To de baca li row {0} di rêjeya Babetê, bacên li rêzên {1} divê jî di nav de bê"
 DocType: SMS Center,SMS Center,Navenda SMS
 DocType: Payroll Entry,Validate Attendance,Attendance
 DocType: Sales Invoice,Change Amount,Change Mîqdar
 DocType: Party Tax Withholding Config,Certificate Received,Certificate Received
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C ji bo dagirkeriya veguhestinê hilbijêre. B2CL û B2CS li ser nirxa van bargavê tête hesab kirin.
 DocType: BOM Update Tool,New BOM,New BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Pêvajûkirinên Qeydkirî
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Pêvajûkirinên Qeydkirî
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,POS tenê nîşan bide
 DocType: Supplier Group,Supplier Group Name,Navê Giştî
 DocType: Driver,Driving License Categories,Kategorî
@@ -340,7 +340,7 @@
 DocType: Payroll Period,Payroll Periods,Dema Payroll
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Make Employee
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Broadcasting
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Modela Setup ya POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Modela Setup ya POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Destpêkkirina demên têkoşîna li dijî Birêvebirina Karanîna qedexekirin. Operasyon dê li dijî karûbarê kar bikin
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Birêverbirî
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Details ji operasyonên hatiye lidarxistin.
@@ -374,7 +374,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Li ser navnîshana List Price Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Şablon Şablon
 DocType: Job Offer,Select Terms and Conditions,Hilbijêre şert û mercan
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Nirx out
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Nirx out
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Daxuyaniya Danûstandinê Bankê
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings
 DocType: Production Plan,Sales Orders,ordênên Sales
@@ -387,20 +387,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Daxwaz ji bo gotinên li dikare were bi tikandina li ser vê lînkê tê xwestin
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Kurs
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Payment Description
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Stock Têrê nake
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Stock Têrê nake
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planning þiyanên Disable û Time Tracking
 DocType: Email Digest,New Sales Orders,New Orders Sales
 DocType: Bank Account,Bank Account,Hesabê bankê
 DocType: Travel Itinerary,Check-out Date,Dîroka Check-out
 DocType: Leave Type,Allow Negative Balance,Destûrê bide Balance Negative
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Hûn nikarin jêbirinê hilbijêre &#39;External&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Hilbijartina Alternatîf hilbijêrin
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Hilbijartina Alternatîf hilbijêrin
 DocType: Employee,Create User,Create Bikarhêner
 DocType: Selling Settings,Default Territory,Default Herêma
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televîzyon
 DocType: Work Order Operation,Updated via 'Time Log',Demê via &#39;Time Têkeve&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Hilbijêre yan xerîdarê hilbijêrin.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},mîqdara Advance ne dikarin bibin mezintir {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},mîqdara Advance ne dikarin bibin mezintir {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Demjimêrk veşartî, slot {0} heta {1} serlêdana berbi {2} ji {3}"
 DocType: Naming Series,Series List for this Transaction,Lîsteya Series ji bo vê Transaction
 DocType: Company,Enable Perpetual Inventory,Çalak Inventory Eternal
@@ -421,7 +421,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Li dijî Sales bi fatûreyên babetî
 DocType: Agriculture Analysis Criteria,Linked Doctype,Girêdana Doktype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Cash Net ji Fînansa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage tije ye, rizgar ne"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage tije ye, rizgar ne"
 DocType: Lead,Address & Contact,Navnîşana &amp; Contact
 DocType: Leave Allocation,Add unused leaves from previous allocations,Lê zêde bike pelên feyde ji xerciyên berê
 DocType: Sales Partner,Partner website,malpera partner
@@ -444,10 +444,10 @@
 ,Open Work Orders,Orders Open
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Derheqê Şêwirmendiya Şêwirdariyê Derkeve
 DocType: Payment Term,Credit Months,Mehê kredî
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Pay Net nikare bibe kêmtir ji 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Pay Net nikare bibe kêmtir ji 0
 DocType: Contract,Fulfilled,Fill
 DocType: Inpatient Record,Discharge Scheduled,Discharge Schedule
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Destkêşana Date divê mezintir Date of bizaveka be
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Destkêşana Date divê mezintir Date of bizaveka be
 DocType: POS Closing Voucher,Cashier,Diravgir
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Dihêle per Sal
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Hêvîye &#39;de venêrî Is Advance&#39; li dijî Account {1} eger ev an entry pêşwext e.
@@ -458,15 +458,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Ji kerema xwe xwendekarên Xwendekar ji Komên Xwendekar re saz bikin
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Karê Xilas bike
 DocType: Item Website Specification,Item Website Specification,Specification babete Website
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Dev ji astengkirin
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Babetê {0} dawiya wê ya jiyanê li ser gihîşt {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Dev ji astengkirin
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Babetê {0} dawiya wê ya jiyanê li ser gihîşt {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Arşîva Bank
 DocType: Customer,Is Internal Customer,Mişteriyek Navxweyî ye
 DocType: Crop,Annual,Yeksalî
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Heke Opt Opt In kontrol kirin, dê paşê dê mişterî bi otomatîkê têkildarî têkildarî têkildarî têkildarî têkildarî têkevin (li ser parastinê)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Babetê Stock Lihevkirinê
 DocType: Stock Entry,Sales Invoice No,Sales bi fatûreyên No
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tiştek Tişt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tiştek Tişt
 DocType: Material Request Item,Min Order Qty,Min Order Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kurs Komeleya Xwendekarên Tool Creation
 DocType: Lead,Do Not Contact,Serî
@@ -480,14 +480,14 @@
 DocType: Item,Publish in Hub,Weşana Hub
 DocType: Student Admission,Student Admission,Admission Student
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Babetê {0} betal e
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Babetê {0} betal e
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Rêjeya Bexşandina Rûber {0}:: Bersaziya Destpêk Dîrok wek roja ku paşîn çû
 DocType: Contract Template,Fulfilment Terms and Conditions,Şert û mercên xurtkirî
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Daxwaza maddî
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Daxwaza maddî
 DocType: Bank Reconciliation,Update Clearance Date,Update Date Clearance
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Details kirîn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Babetê {0} di &#39;Delîlên Raw Supplied&#39; sifrê li Purchase Kom nehate dîtin {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Babetê {0} di &#39;Delîlên Raw Supplied&#39; sifrê li Purchase Kom nehate dîtin {1}
 DocType: Salary Slip,Total Principal Amount,Giştî ya Serûpel
 DocType: Student Guardian,Relation,Meriv
 DocType: Student Guardian,Mother,Dê
@@ -532,10 +532,11 @@
 DocType: Tax Rule,Shipping County,Shipping County
 DocType: Currency Exchange,For Selling,Ji bo firotanê
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Fêrbûn
+DocType: Purchase Invoice Item,Enable Deferred Expense,Expansed Deferred Enabled
 DocType: Asset,Next Depreciation Date,Next Date Farhad.
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Cost Activity per Employee
 DocType: Accounts Settings,Settings for Accounts,Mîhengên ji bo Accounts
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Supplier bi fatûreyên No li Purchase bi fatûreyên heye {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Supplier bi fatûreyên No li Purchase bi fatûreyên heye {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Manage Sales Person Tree.
 DocType: Job Applicant,Cover Letter,Paldana ser
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques Outstanding û meden ji bo paqijkirina
@@ -550,7 +551,7 @@
 DocType: Employee,External Work History,Dîroka Work Link
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Error Reference bezandin
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Card Card Student
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Kodê ji
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Kodê ji
 DocType: Appointment Type,Is Inpatient,Nexweş e
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Navê Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Li Words (Export) xuya dê bibe dema ku tu Delivery Têbînî xilas bike.
@@ -565,18 +566,19 @@
 DocType: Journal Entry,Multi Currency,Multi Exchange
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,bi fatûreyên Type
 DocType: Employee Benefit Claim,Expense Proof,Proof Proof
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Delivery Note
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Saving {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Delivery Note
 DocType: Patient Encounter,Encounter Impression,Têkoşîna Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Avakirina Baca
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Cost ji Asset Sold
 DocType: Volunteer,Morning,Sib
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Peyam di peredana hatiye guherandin, piştî ku we paş de vekişiyaye. Ji kerema xwe re dîsa ew vekişîne."
 DocType: Program Enrollment Tool,New Student Batch,Batchê ya Nû
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} du caran li Bacê babet ketin
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Nasname ji bo vê hefteyê û çalakiyên hîn
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} du caran li Bacê babet ketin
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Nasname ji bo vê hefteyê û çalakiyên hîn
 DocType: Student Applicant,Admitted,xwe mikur
 DocType: Workstation,Rent Cost,Cost kirê
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Şêwaz Piştî Farhad.
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Şêwaz Piştî Farhad.
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Calendar Upcoming Events
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Taybetmendiyên cur
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Ji kerema xwe re meha û sala hilbijêre
@@ -614,8 +616,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Li wir bi tenê dikare 1 Account per Company di be {0} {1}
 DocType: Support Search Source,Response Result Key Path,Result Key Path
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Ji bo hejmara {0} divê hûn ji hêla karmendê armanca {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Ji kerema xwe ve attachment bibînin
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Ji bo hejmara {0} divê hûn ji hêla karmendê armanca {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Ji kerema xwe ve attachment bibînin
 DocType: Purchase Order,% Received,% وەریگرت
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Create komên xwendekaran
 DocType: Volunteer,Weekends,Weekend
@@ -657,7 +659,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Tiştek Berbiçav
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Guhertina Guherandinên / hejmara cihekê niha ya series heyî.
 DocType: Dosage Strength,Strength,Qawet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Create a Mişterî ya nû
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Create a Mişterî ya nû
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Derbasbûnê Li ser
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ger Rules Pricing multiple berdewam bi ser keve, bikarhênerên pirsî danîna Priority bi destan ji bo çareserkirina pevçûnan."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Create Orders Purchase
@@ -668,17 +670,18 @@
 DocType: Workstation,Consumable Cost,Cost bikaranînê
 DocType: Purchase Receipt,Vehicle Date,Date Vehicle
 DocType: Student Log,Medical,Pizişkî
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Sedem ji bo winda
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Ji kerema xwe vexwarinê hilbijêre
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Sedem ji bo winda
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Ji kerema xwe vexwarinê hilbijêre
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Xwedîyê Lead nikare bibe wek beşa Komedî de
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,butçe dikare ne mezintir mîqdara unadjusted
 DocType: Announcement,Receiver,Receiver
 DocType: Location,Area UOM,UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation dîrokan li ser wek per Lîsteya Holiday girtî be: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,derfetên
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,derfetên
 DocType: Lab Test Template,Single,Yekoyek
 DocType: Compensatory Leave Request,Work From Date,Work From Date
 DocType: Salary Slip,Total Loan Repayment,Total vegerandinê Loan
+DocType: Project User,View attachments,Peyamên xwe bibînin
 DocType: Account,Cost of Goods Sold,Cost mal Sold
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Ji kerema xwe ve Navenda Cost binivîse
 DocType: Drug Prescription,Dosage,Pîvanîk
@@ -689,7 +692,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Quantity û Rate
 DocType: Delivery Note,% Installed,% firin
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Sinifên / kolîja hwd ku ders dikare bê destnîşankirin.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Fînansaziya şirketên herdu şîrketan divê ji bo Transfarkirina Navneteweyî ya Hevpeyivînê bi hev re bibin.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Fînansaziya şirketên herdu şîrketan divê ji bo Transfarkirina Navneteweyî ya Hevpeyivînê bi hev re bibin.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Ji kerema xwe re navê şîrketa binivîse
 DocType: Travel Itinerary,Non-Vegetarian,Non Vegetarian
 DocType: Purchase Invoice,Supplier Name,Supplier Name
@@ -699,7 +702,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Demkî li Bexdayê
 DocType: Account,Is Group,Is Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Têkiliya kredî {0} hate afirandin
-DocType: Email Digest,Pending Purchase Orders,Hîn Orders Purchase
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Otomatîk Set Serial Nos li ser FIFOScheduler
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Check Supplier bi fatûreyên Hejmara bêhempabûna
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Agahdarî Navnîşan
@@ -717,12 +719,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Sīroveyan text destpêkê de ku wekî beşek ji ku email diçe. Her Kirarî a text destpêkê de ji hev cuda.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Row {0}: Operasyona li dijî materyalên raweya gerek pêwîst e {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Tikaye default account cîhde danîn ji bo ku şîrketa {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Veguhastina qedexekirina Karê Karê Saziyê {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Veguhastina qedexekirina Karê Karê Saziyê {0}
 DocType: Setup Progress Action,Min Doc Count,Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,settings Global ji bo hemû pêvajoyên bi aktîvîteyên.
 DocType: Accounts Settings,Accounts Frozen Upto,Hesabên Frozen Upto
 DocType: SMS Log,Sent On,şandin ser
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Pêşbîr {0} çend caran li Attributes Table hilbijartin
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Pêşbîr {0} çend caran li Attributes Table hilbijartin
 DocType: HR Settings,Employee record is created using selected field. ,record Employee bikaranîna hilbijartî tên afirandin e.
 DocType: Sales Order,Not Applicable,Rêveber
 DocType: Amazon MWS Settings,UK,UK
@@ -751,21 +753,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Karmend {0} berê ji bo {1} li ser {2} hat dayîn.
 DocType: Inpatient Record,AB Positive,AB positive
 DocType: Job Opening,Description of a Job Opening,Description of a Opening Job
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,çalakiyên hîn ji bo îro
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,çalakiyên hîn ji bo îro
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Component meaş ji bo payroll li timesheet.
+DocType: Driver,Applicable for external driver,Ji bo ajokerek derve
 DocType: Sales Order Item,Used for Production Plan,Tê bikaranîn ji bo Plan Production
 DocType: Loan,Total Payment,Total Payment
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Ji bo Birêvebirina Karûbarê Karûbarê Karûbar qedexe nekin.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Ji bo Birêvebirina Karûbarê Karûbarê Karûbar qedexe nekin.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Time di navbera Operasyonên (li mins)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO ji bo tiştên ku ji bo hemû firotina firotanê firotin hate afirandin
 DocType: Healthcare Service Unit,Occupied,Occupied
 DocType: Clinical Procedure,Consumables,Consumables
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} betal e da ku di çalakiyê de ne, dikare bi dawî bibe"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} betal e da ku di çalakiyê de ne, dikare bi dawî bibe"
 DocType: Customer,Buyer of Goods and Services.,Buyer yên mal û xizmetan.
 DocType: Journal Entry,Accounts Payable,bikarhênerên cîhde
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Hejmar ji {0} veqetandin di vê deynê vekirî ye ji hejmareya hejmareya hemî plana plankirina cûda ye: {1}. Bawer bikin ku ew berî belgeyê belaş e ku rast e.
 DocType: Patient,Allergies,Alerjî
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,The dikeye hilbijartî ne ji bo em babete eynî ne
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,The dikeye hilbijartî ne ji bo em babete eynî ne
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Guherandinên Kodê biguherînin
 DocType: Supplier Scorecard Standing,Notify Other,Navnîşankirina din
 DocType: Vital Signs,Blood Pressure (systolic),Pressure Pressure (systolic)
@@ -777,7 +780,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Parts bes ji bo Build
 DocType: POS Profile User,POS Profile User,POS Profîl User
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Row {0}: Bêguman Destpêk Dîrok pêwîst e
-DocType: Sales Invoice Item,Service Start Date,Destûra Destpêk Destnîşankirin
+DocType: Purchase Invoice Item,Service Start Date,Destûra Destpêk Destnîşankirin
 DocType: Subscription Invoice,Subscription Invoice,Alîkariya Barkirina
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Dahata rasterast
 DocType: Patient Appointment,Date TIme,Dîroka TIme
@@ -797,7 +800,7 @@
 DocType: Lab Test Template,Lab Routine,Lîwaya Labê
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Cosmetics
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Ji kerema xwe ji bo temamkirina Dîroka Dawîn hilbijêre Ji bo Endamiya Hêza Navîn ya Têketinê hilbijêre
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","To merge, milkên li jêr, divê ji bo hem tomar be"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","To merge, milkên li jêr, divê ji bo hem tomar be"
 DocType: Supplier,Block Supplier,Block Supplier
 DocType: Shipping Rule,Net Weight,Loss net
 DocType: Job Opening,Planned number of Positions,Numreya Plankirî ya Positions
@@ -819,19 +822,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Şablonên kredî yên mappingê
 DocType: Travel Request,Costing Details,Agahdariyên Giranîn
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Endamên Vegerîn Vegere
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial no babete nikare bibe fraction
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial no babete nikare bibe fraction
 DocType: Journal Entry,Difference (Dr - Cr),Cudahiya (Dr - Kr)
 DocType: Bank Guarantee,Providing,Pêşkêş dikin
 DocType: Account,Profit and Loss,Qezenc û Loss
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nayê destnîşankirin, wekî pêwîst be"
 DocType: Patient,Risk Factors,Faktorên Raks
 DocType: Patient,Occupational Hazards and Environmental Factors,Hêzên karûbar û Faktorên hawirdorê
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Bersên Stock Stock ji bo ji bo karê karê ji bo xebitandin
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Bersên Stock Stock ji bo ji bo karê karê ji bo xebitandin
 DocType: Vital Signs,Respiratory rate,Rêjeya berbiçav
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,birêvebirina îhaleya
 DocType: Vital Signs,Body Temperature,Temperature Temperature
 DocType: Project,Project will be accessible on the website to these users,Project li ser malpera ji bo van bikarhênerên were gihiştin
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Nabe ku ji {0} {1} nabe, ji ber ku Serial No {2} ne xwediyê warehouse {3}"
 DocType: Detected Disease,Disease,Nexweşî
+DocType: Company,Default Deferred Expense Account,Default Deferred Expense Account
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Pergala projeyê define.
 DocType: Supplier Scorecard,Weighting Function,Performansa Barkirina
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -848,7 +853,7 @@
 DocType: Crop,Produced Items,Produced Items
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Bi Têkiliya Bihêle Pevçûnan
 DocType: Sales Order Item,Gross Profit,Profit Gross
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Vebijarkirina Unblock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Vebijarkirina Unblock
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Increment nikare bibe 0
 DocType: Company,Delete Company Transactions,Vemirandina Transactions Company
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Çavkanî No û Date: Çavkanî ji bo muameleyan Bank wêneke e
@@ -869,11 +874,11 @@
 DocType: Budget,Ignore,Berçavnegirtin
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} e çalak ne
 DocType: Woocommerce Settings,Freight and Forwarding Account,Hesabê Freight &amp; Forwarding
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,aliyên check Setup ji bo çapkirinê
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,aliyên check Setup ji bo çapkirinê
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Vebijêrkên Salaryan biafirînin
 DocType: Vital Signs,Bloated,Nepixî
 DocType: Salary Slip,Salary Slip Timesheet,Timesheet meaş Slip
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse diyarkirî ji bo-sub bi peyman Meqbûz Purchase
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse diyarkirî ji bo-sub bi peyman Meqbûz Purchase
 DocType: Item Price,Valid From,derbasdar From
 DocType: Sales Invoice,Total Commission,Total Komîsyona
 DocType: Tax Withholding Account,Tax Withholding Account,Hesabê Bacê
@@ -881,12 +886,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,All Supplier Scorecards.
 DocType: Buying Settings,Purchase Receipt Required,Meqbûz kirînê pêwîst
 DocType: Delivery Note,Rail,Hesinê tirêne
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Target warehouse di row in {0} de wek karûbarê wusa be
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Rate Valuation diyarkirî ye, eger Opening Stock ketin"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Target warehouse di row in {0} de wek karûbarê wusa be
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Rate Valuation diyarkirî ye, eger Opening Stock ketin"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,No records dîtin li ser sifrê bi fatûreyên
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Ji kerema xwe ve yekem Company û Partiya Type hilbijêre
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Berî berê yê default {0} ji bo bikarhênerê {1} navekî veguherîn,, navekî nermalav hate qedexekirin"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Financial / salê.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Financial / salê.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nirxên Accumulated
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Mixabin, Serial Nos bi yek bên"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Koma Koma Giştî dê dê pargîdanî ji Shopify vekşandina komê hilbijartin
@@ -900,7 +905,7 @@
 ,Lead Id,Lead Id
 DocType: C-Form Invoice Detail,Grand Total,ÃƒÆ Bi tevahî
 DocType: Assessment Plan,Course,Kûrs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kodê
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kodê
 DocType: Timesheet,Payslip,payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Dîroka nîvê di roja û dîrokê de divê di nav de
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Têxe vî babetî
@@ -909,7 +914,8 @@
 DocType: Employee,Personal Bio,Bio Personal
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Nasnameya endam
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Teslîmî: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Teslîmî: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Girêdanên QuickBooks ve girêdayî ye
 DocType: Bank Statement Transaction Entry,Payable Account,Account cîhde
 DocType: Payment Entry,Type of Payment,Type of Payment
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Dîroka Nîv Dîv e
@@ -921,7 +927,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Bill Date
 DocType: Production Plan,Production Plan,Plana hilberînê
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Di Vebijandina Destûra Rêkeftinê de vekin
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Return Sales
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Return Sales
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nîşe: Hemû pelên bi rêk û {0} ne pêwîst be kêmtir ji pelên jixwe pejirandin {1} ji bo dema
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Li Qanûna Qanûna Saziyê Hilbijêre Li ser Serial No Serial
 ,Total Stock Summary,Stock Nasname Total
@@ -934,9 +940,9 @@
 DocType: Authorization Rule,Customer or Item,Mişterî an babetî
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,heye Mişterî.
 DocType: Quotation,Quotation To,quotation To
-DocType: Lead,Middle Income,Dahata Navîn
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Dahata Navîn
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Opening (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Unit ji pîvanê ji bo babet {0} rasterast nikarin bên guhertin ji ber ku te berê kirin hin muameleyan (s) bi UOM din. Ji we re lazim ê ji bo afirandina a babet nû bi kar Default UOM cuda.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Unit ji pîvanê ji bo babet {0} rasterast nikarin bên guhertin ji ber ku te berê kirin hin muameleyan (s) bi UOM din. Ji we re lazim ê ji bo afirandina a babet nû bi kar Default UOM cuda.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,butçe ne dikare bibe neyînî
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Xêra xwe li Company
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Xêra xwe li Company
@@ -954,15 +960,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Hilbijêre Account Payment ji bo Peyam Bank
 DocType: Hotel Settings,Default Invoice Naming Series,Sermaseya Namûya Navnîşa Navîn
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Qeydên a Karkeran, ji bo birêvebirina pelên, îdîaya k&#39;îsî û payroll"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Di dema pêvajoyê de çewtiyek çêbû
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Di dema pêvajoyê de çewtiyek çêbû
 DocType: Restaurant Reservation,Restaurant Reservation,Reservation Restaurant
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Writing Pêşniyarek
 DocType: Payment Entry Deduction,Payment Entry Deduction,Payment dabirîna Peyam
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Wrapping up
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Bi rêya Peywendîdarên Îmêlê agahdar bikin
 DocType: Item,Batch Number Series,Numreya Batchê
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Din Person Sales {0} bi heman id karkirinê heye
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Din Person Sales {0} bi heman id karkirinê heye
 DocType: Employee Advance,Claimed Amount,Amûrek qedexekirin
+DocType: QuickBooks Migrator,Authorization Settings,Settings
 DocType: Travel Itinerary,Departure Datetime,Datetime
 DocType: Customer,CUST-.YYYY.-,CUST -YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Request Request Costing
@@ -1002,26 +1009,29 @@
 DocType: Buying Settings,Supplier Naming By,Supplier Qada By
 DocType: Activity Type,Default Costing Rate,Default bi qurûşekî jî Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Cedwela Maintenance
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Rules Hingê Pricing bi filtrata derve li ser bingeha Mişterî, Mişterî Group, Herêma, Supplier, Supplier Type, Kampanya, Sales Partner hwd."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Rules Hingê Pricing bi filtrata derve li ser bingeha Mişterî, Mişterî Group, Herêma, Supplier, Supplier Type, Kampanya, Sales Partner hwd."
 DocType: Employee Promotion,Employee Promotion Details,Agahdarî Pêşveçûna Agahdariyê
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Change Net di Inventory
 DocType: Employee,Passport Number,Nimareya pasaportê
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Peywendiya bi Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Rêvebir
 DocType: Payment Entry,Payment From / To,Payment From / To
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Ji Sala Fiscal
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},limit credit New kêmtir ji yê mayî niha ji bo mişterî e. limit Credit heye Hindîstan be {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Ji kerema xwe li Warehouse hesab bike. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Ji kerema xwe li Warehouse hesab bike. {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;Li ser&#39; û &#39;Koma By&#39; nikare bibe heman
 DocType: Sales Person,Sales Person Targets,Armanc Person Sales
 DocType: Work Order Operation,In minutes,li minutes
 DocType: Issue,Resolution Date,Date Resolution
 DocType: Lab Test Template,Compound,Çand
+DocType: Opportunity,Probability (%),Probability (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Daxistina Dispatchê
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Hilbijartin hilbijêrin
 DocType: Student Batch Name,Batch Name,Navê batch
 DocType: Fee Validity,Max number of visit,Hejmareke zêde ya serdana
 ,Hotel Room Occupancy,Odeya Otelê
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet tên afirandin:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Ji kerema xwe ve Cash default an account Bank set li Mode of Payment {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Ji kerema xwe ve Cash default an account Bank set li Mode of Payment {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Nivîsîn
 DocType: GST Settings,GST Settings,Settings gst
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Pêwîste wekhev Lîsteya Bacê ye: {0}
@@ -1062,12 +1072,12 @@
 DocType: Loan,Total Interest Payable,Interest Total cîhde
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,"Bac, Cost siwar bûn û doz li"
 DocType: Work Order Operation,Actual Start Time,Time rastî Start
+DocType: Purchase Invoice Item,Deferred Expense Account,Hesabê deferred Expense
 DocType: BOM Operation,Operation Time,Time Operation
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Qedandin
 DocType: Salary Structure Assignment,Base,Bingeh
 DocType: Timesheet,Total Billed Hours,Total Hours billed
 DocType: Travel Itinerary,Travel To,Travel To
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ne ye
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Hewe Off Mîqdar
 DocType: Leave Block List Allow,Allow User,Destûrê bide Bikarhêner
 DocType: Journal Entry,Bill No,Bill No
@@ -1086,9 +1096,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Bîlançoya Time
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush madeyên xav ser
 DocType: Sales Invoice,Port Code,Koda Portê
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reserve Warehouse
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reserve Warehouse
 DocType: Lead,Lead is an Organization,Lead rêxistinek e
-DocType: Guardian Interest,Interest,Zem
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Sales Pre
 DocType: Instructor Log,Other Details,din Details
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1098,7 +1107,7 @@
 DocType: Account,Accounts,bikarhênerên
 DocType: Vehicle,Odometer Value (Last),Nirx Green (dawî)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Templates of supplier scorecard standard.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Peyvên Loyalty Xelas bike
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Peyam di peredana ji nuha ve tên afirandin
 DocType: Request for Quotation,Get Suppliers,Harmend bibin
@@ -1115,16 +1124,14 @@
 DocType: Crop,Crop Spacing UOM,UOM
 DocType: Loyalty Program,Single Tier Program,Bernameya Tenê Tier
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Tenê hilbijêre ku hûn dokumentên dirûşmeyên mûçeyê yên damezirandin hilbijêre
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Ji Navnîşana 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Ji Navnîşana 1
 DocType: Email Digest,Next email will be sent on:,email Next dê li ser şand:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Li jêr peyvek {alavên} {verb} wekî {message} hat nîşankirin. \ Nikarî wan ew wekî &quot;message&quot; ji hêla mamosteyê wê ve bikaribe
 DocType: Supplier Scorecard,Per Week,Per Week
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Em babete Guhertoyên.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Em babete Guhertoyên.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Tendurist
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Babetê {0} nehate dîtin
 DocType: Bin,Stock Value,Stock Nirx
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Company {0} tune
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Company {0} tune
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} xerca xercê heya ku {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Type dara
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Qty telef Per Unit
@@ -1140,7 +1147,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Peyam Credit Card
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Company û Hesab
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,di Nirx
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,di Nirx
 DocType: Asset Settings,Depreciation Options,Options Options
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Divê an cihê an karmend divê pêdivî ye
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Wexta Posteyê çewt
@@ -1157,20 +1164,21 @@
 DocType: Leave Allocation,Allocation,Pardayî
 DocType: Purchase Order,Supply Raw Materials,Supply Alav Raw
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,heyînên vegeryayî
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} e a stock babet ne
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} e a stock babet ne
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Ji kerema xwe re bersiva we re biceribînin ji hêla &#39;Feedback Perwerde&#39; bitikîne û paşê &#39;Nû&#39;
 DocType: Mode of Payment Account,Default Account,Account Default
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Ji kerema xwe li Sazên Stock-ê li First Stock Stock-
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Ji kerema xwe li Sazên Stock-ê li First Stock Stock-
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Ji kerema xwe ji bernameyek bernameya Multiple Tier ji bo qaîdeyên kolektîf hilbijêre.
 DocType: Payment Entry,Received Amount (Company Currency),Pêşwaziya Mîqdar (Company Exchange)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Lead bê mîhenkirin eger derfetek e ji Lead kirin
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Payment Cancel. Ji kerema xwe ji berfirehtir ji bo Agahdariya GoCardless binihêre
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Bi peywendîdar bişîne
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Ji kerema xwe re bi roj off heftane hilbijêre
 DocType: Inpatient Record,O Negative,O Negative
 DocType: Work Order Operation,Planned End Time,Bi plan Time End
 ,Sales Person Target Variance Item Group-Wise,Person firotina Target Variance babetî Pula-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Account bi mêjera heyî nikare bê guhartina ji bo ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Account bi mêjera heyî nikare bê guhartina ji bo ledger
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Agahdariyên Şertên Memêkirinê
 DocType: Delivery Note,Customer's Purchase Order No,Buy Mişterî ya Order No
 DocType: Clinical Procedure,Consume Stock,Stock Stock Consume
@@ -1183,22 +1191,22 @@
 DocType: Soil Texture,Sand,Qûm
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Înercî
 DocType: Opportunity,Opportunity From,derfet ji
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Hejmarên Serial Ji bo {2} Pêdivî ye. Te destnîşan kir {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Hejmarên Serial Ji bo {2} Pêdivî ye. Te destnîşan kir {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Ji kerema xwe sifrê hilbijêrin
 DocType: BOM,Website Specifications,Specifications Website
 DocType: Special Test Items,Particulars,Peyvên
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Ji {0} ji type {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Factor Converter wêneke e
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Factor Converter wêneke e
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rules Price Multiple bi pîvanên heman heye, ji kerema xwe ve çareser şer ji aliyê hêzeke pêşanî. Rules Biha: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rules Price Multiple bi pîvanên heman heye, ji kerema xwe ve çareser şer ji aliyê hêzeke pêşanî. Rules Biha: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Hêjeya Hesabê Guhertina Veqê
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,ne dikarin neçalak bikî an betal BOM wekî ku bi din dikeye girêdayî
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,ne dikarin neçalak bikî an betal BOM wekî ku bi din dikeye girêdayî
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Ji kerema xwe şîrket û Dîroka Navnîşê hilbijêre ku têkevin navnîşan
 DocType: Asset,Maintenance,Lênerrînî
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Ji Pevçûnê Nexweşiyê bibînin
 DocType: Subscriber,Subscriber,Hemû
 DocType: Item Attribute Value,Item Attribute Value,Babetê nirxê taybetmendiyê
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Ji kerema xwe ya Rewşa Pergalê ya nû bike
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Ji kerema xwe ya Rewşa Pergalê ya nû bike
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Pargîdaniya pêdivî ye ku ji bo kirînê an kirîna firotanê be.
 DocType: Item,Maximum sample quantity that can be retained,Kêmeya nimûne ya ku herî zêde binçavkirin
 DocType: Project Update,How is the Project Progressing Right Now?,Niha Niha Pêşveçûn Project Progressing çawa ye?
@@ -1230,36 +1238,38 @@
 DocType: Lab Test,Lab Test,Test test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Tool Tool Generation Generation
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Tenduristiya Demokrasî ya Demokrasî
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Navê Doc
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Navê Doc
 DocType: Expense Claim Detail,Expense Claim Type,Expense Type Îdîaya
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,mîhengên standard ji bo Têxe selikê
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Add Timesots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset belav via Peyam Journal {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Ji kerema xwe re li Hesabê Warehouse {0} an Hesabê Navnîşa Navîn li Kompaniyê {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset belav via Peyam Journal {0}
 DocType: Loan,Interest Income Account,Account Dahata Interest
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Divê giştiyên maksî ji sifir mezintir bibe ku berjewendiyên xwe bigirin
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Divê giştiyên maksî ji sifir mezintir bibe ku berjewendiyên xwe bigirin
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Daxuyaniya Şandina Dîtinê
 DocType: Shift Assignment,Shift Assignment,Destûra Hilbijartinê
 DocType: Employee Transfer Property,Employee Transfer Property,Malbata Transferê
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Ji Roja Dem Ji Demjimêr Dibe Ji Bikin
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnology
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Peyva {0} (Serial No: {1}) nabe ku wekî reserverd \ bi tije firotana firotanê {2} tije ye.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Mesref Maintenance Office
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Biçe
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Pirtûka nûjen ji Shopify ya ERPNext Bi bihayê bihîstinê
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Avakirina Account Email
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Ji kerema xwe ve yekem babetî bikevin
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Needs Analysis
 DocType: Asset Repair,Downtime,Downtime
 DocType: Account,Liability,Bar
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Şêwaz belê ne dikarin li Row mezintir Mîqdar Îdîaya {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Şêwaz belê ne dikarin li Row mezintir Mîqdar Îdîaya {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Termê Akademîk:
 DocType: Salary Component,Do not include in total,Bi tevahî nabe
 DocType: Company,Default Cost of Goods Sold Account,Default Cost ji Account Goods Sold
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Kêmeya nimûne {0} dikare ji hêla mêjûya wergirtiye {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,List Price hilbijartî ne
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Kêmeya nimûne {0} dikare ji hêla mêjûya wergirtiye {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,List Price hilbijartî ne
 DocType: Employee,Family Background,Background Family
 DocType: Request for Quotation Supplier,Send Email,Send Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Hişyarî: Attachment Invalid {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Hişyarî: Attachment Invalid {0}
 DocType: Item,Max Sample Quantity,Hêjeya Berbi Sample
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,No Destûr
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Peymana Felsefeya Peymanê
@@ -1291,15 +1301,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Navenda Cost {2} ne ji Company girêdayî ne {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Serê nameya xwe barkirin (Ji hêla 900px bi 100px re hevalbikin heval bikin)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} dikarin bi a Group
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Babetê Row {IDX}: {doctype} {docname} nayê li jor de tune ne &#39;{doctype}&#39; sifrê
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} ji xwe temam an jî betalkirin
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} ji xwe temam an jî betalkirin
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No erkên
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Bargestiya firotanê {0} têne dayîn
 DocType: Item Variant Settings,Copy Fields to Variant,Keviyên Kopî Variant
 DocType: Asset,Opening Accumulated Depreciation,Vekirina Farhad. Accumulated
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score gerek kêmtir an jî wekhev ji bo 5 be
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program hejmartina Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,records C-Form
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,records C-Form
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Pirsgirêkên niha hebe
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Mişterî û Supplier
 DocType: Email Digest,Email Digest Settings,Email Settings Digest
@@ -1312,12 +1322,12 @@
 DocType: Production Plan,Select Items,Nawy Hilbijêre
 DocType: Share Transfer,To Shareholder,Ji bo Parêzervanê
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} dijî Bill {1} dîroka {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Ji Dewletê
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Ji Dewletê
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Enstîtuya Setup
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Pelên veguherî ...
 DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Hejmara Bus
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Cedwela Kurs
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Hûn dikarin ji bo Qezenckirina Bacê ya Pêwîstî û Destûra Karûbarên Karûbarên Niştimanî ya Dawîn ya Parsuliya Payroll
 DocType: Request for Quotation Supplier,Quote Status,Rewşa Status
 DocType: GoCardless Settings,Webhooks Secret,Webhooks secret
@@ -1343,13 +1353,13 @@
 DocType: Sales Invoice,Payment Due Date,Payment Date ji ber
 DocType: Drug Prescription,Interval UOM,UOM Interfer
 DocType: Customer,"Reselect, if the chosen address is edited after save","Hilbijêre, eger navnîşana bijartî piştî tomarkirinê hate guherandin"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Babetê Variant {0} ji xwe bi taybetmendiyên xwe heman heye
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Babetê Variant {0} ji xwe bi taybetmendiyên xwe heman heye
 DocType: Item,Hub Publishing Details,Agahdariyên Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Dergeh&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Dergeh&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open To Do
 DocType: Issue,Via Customer Portal,Via Portal ya Viya
 DocType: Notification Control,Delivery Note Message,Delivery Têbînî Message
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Giştî ya SGG
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Giştî ya SGG
 DocType: Lab Test Template,Result Format,Result Format
 DocType: Expense Claim,Expenses,mesrefên
 DocType: Item Variant Attribute,Item Variant Attribute,Babetê Pêşbîr Variant
@@ -1357,14 +1367,12 @@
 DocType: Payroll Entry,Bimonthly,pakêtê de
 DocType: Vehicle Service,Brake Pad,Pad şikand
 DocType: Fertilizer,Fertilizer Contents,Naverokên Fertilizer
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Lêkolîn &amp; Development
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Lêkolîn &amp; Development
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Mîqdar ji bo Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Dîroka destpêkê û roja dawîn bi kartê karker re zêde dike. <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Details Registration
 DocType: Timesheet,Total Billed Amount,Temamê meblaxa billed
 DocType: Item Reorder,Re-Order Qty,Re-Order Qty
 DocType: Leave Block List Date,Leave Block List Date,Dev ji Lîsteya Block Date
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Ji kerema xwe li Sîstema Perwerdehiya Perwerdehiya Navneteweyî ya Mamosteyê sazkirinê saz bikin
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Materyal rawek nikare wek tişta sereke ne
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Total doz li wergirtinê li Purchase Nawy Meqbûz sifrê divê eynî wek Total Bac, û doz li be"
 DocType: Sales Team,Incentives,aborîve
@@ -1378,7 +1386,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-ji-Sale
 DocType: Fee Schedule,Fee Creation Status,Status Creation Fee
 DocType: Vehicle Log,Odometer Reading,Reading Green
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","balance Account jixwe di Credit, hûn bi destûr ne ji bo danîna wek &#39;Debit&#39; &#39;Balance Must Be&#39;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","balance Account jixwe di Credit, hûn bi destûr ne ji bo danîna wek &#39;Debit&#39; &#39;Balance Must Be&#39;"
 DocType: Account,Balance must be,Balance divê
 DocType: Notification Control,Expense Claim Rejected Message,Message mesrefan Redkirin
 ,Available Qty,Available Qty
@@ -1390,7 +1398,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Ji berî vekirina agahdariya navendên ji berî herdu berhemên xwe ji Amazon MWS re herdem herdem bişînin
 DocType: Delivery Trip,Delivery Stops,Rawestandin
 DocType: Salary Slip,Working Days,rojên xebatê
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Dibe ku xizmeta astengkirina astengkirina navdarê ji bo navnîşa rêzikê {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Dibe ku xizmeta astengkirina astengkirina navdarê ji bo navnîşa rêzikê {0}
 DocType: Serial No,Incoming Rate,Rate Incoming
 DocType: Packing Slip,Gross Weight,Giraniya
 DocType: Leave Type,Encashment Threshold Days,Rojên Têkiliya Têkilî
@@ -1409,31 +1417,33 @@
 DocType: Restaurant Table,Minimum Seating,Min kêm rûniştinê
 DocType: Item Attribute,Item Attribute Values,Nirxên Pêşbîr babetî
 DocType: Examination Result,Examination Result,Encam muayene
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Meqbûz kirîn
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Meqbûz kirîn
 ,Received Items To Be Billed,Pêşwaziya Nawy ye- Be
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,rêjeya qotîk master.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,rêjeya qotîk master.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},"Çavkanî Doctype, divê yek ji yên bê {0}"
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter Total Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Nikare bibînin Slot Time di pêş {0} rojan de ji bo Operasyona {1}
 DocType: Work Order,Plan material for sub-assemblies,maddî Plan ji bo sub-meclîsên
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partners Sales û Herêmê
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} divê çalak be
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} divê çalak be
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Naveroka ku ji bo veguhestinê nîne
 DocType: Employee Boarding Activity,Activity Name,Navê Çalakiyê
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Guherandina Release Date
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Hilberîna hilberê <b>{0}</b> û Ji bo Hejmar <b>{1}</b> nikarin cûda ne
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Guherandina Release Date
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Hilberîna hilberê <b>{0}</b> û Ji bo Hejmar <b>{1}</b> nikarin cûda ne
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Pevçûn
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kodê Asayîş&gt; Tîpa Group&gt; Brand
+DocType: Delivery Settings,Dispatch Notification Attachment,Daxistina Şandina Daxistinê
 DocType: Payroll Entry,Number Of Employees,Hejmara Karmendan
 DocType: Journal Entry,Depreciation Entry,Peyam Farhad.
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Ji kerema xwe re ji cureyê pelgeyê hilbijêre
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Ji kerema xwe re ji cureyê pelgeyê hilbijêre
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Betal Serdan Material {0} berî betalkirinê ev Maintenance Visit
 DocType: Pricing Rule,Rate or Discount,Nirxandin û dakêşin
 DocType: Vital Signs,One Sided,Yek Sûd
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial No {0} nayê to Babetê girêdayî ne {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,required Qty
 DocType: Marketplace Settings,Custom Data,Daneyên Taybetî
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Wargehan de bi mêjera yên heyî dikarin bi ledger ne bê guhertin.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serial no ji bo vê yekê pêwîst e {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Wargehan de bi mêjera yên heyî dikarin bi ledger ne bê guhertin.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serial no ji bo vê yekê pêwîst e {0}
 DocType: Bank Reconciliation,Total Amount,Temamê meblaxa
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Ji Dîrok û Dîroka Dîroka Di Salê Fînansê de cuda ye
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Nexweşê {0} naxwazî berbi baca pevçûnê ne
@@ -1444,9 +1454,9 @@
 DocType: Soil Texture,Clay Composition (%),Çargoşe (%)
 DocType: Item Group,Item Group Defaults,Defterên Giştî
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Ji kerema xwe berî karûbarê xwe biparêze.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Nirx Balance
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Nirx Balance
 DocType: Lab Test,Lab Technician,Teknîkî Lab
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Lîsteya firotina Price
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Lîsteya firotina Price
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Heke kontrol kirin, dê mişterek dê were çêkirin, mapped to nexweş. Li dijî vê miqametê dê dê vexwendin nexweşan. Hûn dikarin di dema dema dermanan de bargêrînerê mêvandar hilbijêre."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Mişterî di bernameyek dilsoziyê de nabe
@@ -1460,13 +1470,13 @@
 DocType: Support Search Source,Search Term Param Name,Navê Term Param
 DocType: Item Barcode,Item Barcode,Barcode
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Babetê Variants {0} ve
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Babetê Variants {0} ve
 DocType: Quality Inspection Reading,Reading 6,Reading 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Can ne {0} {1} {2} bêyî ku fatûra hilawîstî neyînî
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Can ne {0} {1} {2} bêyî ku fatûra hilawîstî neyînî
 DocType: Share Transfer,From Folio No,Ji Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Bikirin bi fatûreyên Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: entry Credit ne bi were bi girêdayî a {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Define budceya ji bo salekê aborî.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Define budceya ji bo salekê aborî.
 DocType: Shopify Tax Account,ERPNext Account,Hesabê ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} asteng kirin, da ku vê veguherînê nikare pêşve bike"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Heke Sekreterê mehane ya li ser MR-ê ve hatî dagir kirin
@@ -1482,19 +1492,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Buy bi fatûreyên
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Destûra Pirrjimar Pirrjimar Li dijî Karê Karê Mirov bike
 DocType: GL Entry,Voucher Detail No,Detail fîşeke No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,New bi fatûreyên Sales
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,New bi fatûreyên Sales
 DocType: Stock Entry,Total Outgoing Value,Total Nirx Afganî
 DocType: Healthcare Practitioner,Appointments,Rûniştin
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Vekirina Date û roja dawî divê di heman sala diravî be
 DocType: Lead,Request for Information,Daxwaza ji bo Information
 ,LeaderBoard,Leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Bi Margin (Pargîdaniyê)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Syncê girêdayî hisab
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Syncê girêdayî hisab
 DocType: Payment Request,Paid,tê dayin
 DocType: Program Fee,Program Fee,Fee Program
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Li Bûrsên din ên BOM-ê ku derê tê bikaranîn. Ew ê di binê BOM&#39;ê de, buhayê nûvekirina nûjen û nûjenkirina &quot;BOM Explosion Item&quot; ya ku BOM ya nû ye. Ew jî di hemî BOM-ê de bihayên nûtirîn nûjen dike."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Pergalên Karên jêrîn hatine afirandin:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Pergalên Karên jêrîn hatine afirandin:
 DocType: Salary Slip,Total in words,Bi tevahî di peyvên
 DocType: Inpatient Record,Discharged,Discharged
 DocType: Material Request Item,Lead Time Date,Lead Date Time
@@ -1505,16 +1515,16 @@
 DocType: Support Settings,Get Started Sections,Beşên Destpêk Bike
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY-
 DocType: Loan,Sanctioned,belê
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,bivênevê ye. Dibe ku rekor Exchange ji bo tên afirandin ne
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: kerema xwe diyar bike Serial No bo Babetê {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Giştî Tişta Tevahî: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: kerema xwe diyar bike Serial No bo Babetê {1}
 DocType: Payroll Entry,Salary Slips Submitted,Salary Slips Submitted
 DocType: Crop Cycle,Crop Cycle,Çop Çap
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Ji bo tomar &#39;Product Bundle&#39;, Warehouse, Serial No û Batch No wê ji ser sifrê &#39;Lîsteya Packing&#39; nirxandin. Ger Warehouse û Batch No bo hemû tomar bo barkirinê bo em babete ti &#39;Bundle Product&#39; eynî ne, wan nirxan dikare li ser sifrê Babetê serekî ketin, nirxên wê bê kopîkirin to &#39;tê de Lîsteya&#39; sifrê."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Ji bo tomar &#39;Product Bundle&#39;, Warehouse, Serial No û Batch No wê ji ser sifrê &#39;Lîsteya Packing&#39; nirxandin. Ger Warehouse û Batch No bo hemû tomar bo barkirinê bo em babete ti &#39;Bundle Product&#39; eynî ne, wan nirxan dikare li ser sifrê Babetê serekî ketin, nirxên wê bê kopîkirin to &#39;tê de Lîsteya&#39; sifrê."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Ji Cihê
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay cannnot neyînî
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Ji Cihê
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay cannnot neyînî
 DocType: Student Admission,Publish on website,Weşana li ser malpera
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Date Supplier bi fatûreyên ne dikarin bibin mezintir Mesaj Date
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Date Supplier bi fatûreyên ne dikarin bibin mezintir Mesaj Date
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY-
 DocType: Subscription,Cancelation Date,Dîroka Cancelkirinê
 DocType: Purchase Invoice Item,Purchase Order Item,Bikirin Order babetî
@@ -1523,7 +1533,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Amûra Beşdariyê Student
 DocType: Restaurant Menu,Price List (Auto created),Lîsteya bihayê (Auto-created)
 DocType: Cheque Print Template,Date Settings,Settings Date
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variance
 DocType: Employee Promotion,Employee Promotion Detail,Karmendiya Pêşveçûnê
 ,Company Name,Navê Company
 DocType: SMS Center,Total Message(s),Total Message (s)
@@ -1553,7 +1563,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ma Employee Birthday Reminders bişîne ne
 DocType: Expense Claim,Total Advance Amount,Giştî ya Serkeftinê
 DocType: Delivery Stop,Estimated Arrival,Hilbijartina Bêguman
-DocType: Delivery Stop,Notified by Email,Ji hêla Îmêlê agahdar kirin
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Hemî Gotarên Binêra
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,Şertên Serperiştiya
@@ -1563,23 +1572,22 @@
 DocType: Timesheet Detail,Bill,Hesab
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Spî
 DocType: SMS Center,All Lead (Open),Hemû Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty ji bo amade ne {4} li warehouse {1} hate dem bi mesaj û ji entry ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty ji bo amade ne {4} li warehouse {1} hate dem bi mesaj û ji entry ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Hûn dikarin tenê ji bila yek ji yek bijareya lîsteya navnîşên kontrola kontrolê hilbijêre.
 DocType: Purchase Invoice,Get Advances Paid,Get pêşketina Paid
 DocType: Item,Automatically Create New Batch,Otomatîk Create Batch New
 DocType: Item,Automatically Create New Batch,Otomatîk Create Batch New
 DocType: Supplier,Represents Company,Kompaniya Represents
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Kirin
 DocType: Student Admission,Admission Start Date,Admission Serî Date
 DocType: Journal Entry,Total Amount in Words,Temamê meblaxa li Words
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Karmendê Nû
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"çewtiyek derket. Yek ji sedemên muhtemel, dikarin bibin, ku tu formê de hatine tomarkirin ne. Ji kerema xwe ve support@erpnext.com li gel ku pirsgirêk berdewam dike."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Têxe min
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},"Order Type, divê yek ji yên bê {0}"
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},"Order Type, divê yek ji yên bê {0}"
 DocType: Lead,Next Contact Date,Next Contact Date
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,vekirina Qty
 DocType: Healthcare Settings,Appointment Reminder,Reminder Reminder
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Ji kerema xwe ve Account ji bo Guhertina Mîqdar binivîse
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Ji kerema xwe ve Account ji bo Guhertina Mîqdar binivîse
 DocType: Program Enrollment Tool Student,Student Batch Name,Xwendekarên Name Batch
 DocType: Holiday List,Holiday List Name,Navê Lîsteya Holiday
 DocType: Repayment Schedule,Balance Loan Amount,Balance Loan Mîqdar
@@ -1589,13 +1597,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Vebijêrkên Stock
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Ti tiştên ku li kartê nehatiye zêdekirin
 DocType: Journal Entry Account,Expense Claim,mesrefan
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Ma tu bi rastî dixwazî ji bo restorekirina vê hebûnê belav buye?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Ma tu bi rastî dixwazî ji bo restorekirina vê hebûnê belav buye?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Qty ji bo {0}
 DocType: Leave Application,Leave Application,Leave Application
 DocType: Patient,Patient Relation,Têkiliya Nexweş
 DocType: Item,Hub Category to Publish,Kategorî Weşanê
 DocType: Leave Block List,Leave Block List Dates,Dev ji Lîsteya Block Kurdî Nexşe
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Sermaseya Rêkxanê {0} veguhestinê ji bo {1} ve ye, hûn tenê tenê {1} li dijî {0} hilbijêre. No Serial No {2} nikare belav kirin"
 DocType: Sales Invoice,Billing Address GSTIN,Navnîşana GSTIN
@@ -1613,16 +1621,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ji kerema xwe binivîsin a {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,tomar rakirin bi ti guhertinek di dorpêçê de an nirxê.
 DocType: Delivery Note,Delivery To,Delivery To
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Afirandina çêkirina guhertin.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Ji bo {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Afirandina çêkirina guhertin.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Ji bo {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pêwîstina pêşîn ya pêşîn di lîsteyê dê wekî veberhênana default ya dabeşkirî be.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,table taybetmendiyê de bivênevê ye
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,table taybetmendiyê de bivênevê ye
 DocType: Production Plan,Get Sales Orders,Get Orders Sales
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ne dikare bibe neyînî
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Girêdana QuickBooks
 DocType: Training Event,Self-Study,Xweseriya Xweser
 DocType: POS Closing Voucher,Period End Date,Dîrok Dawî
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Mijarên mûsilan ne zêdeyî 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Kêmkirinî
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Row {0}: {1} hewce ye ku ji bo veguherandina {2} vekirî ve ava bike
 DocType: Membership,Membership,Endamî
 DocType: Asset,Total Number of Depreciations,Hejmara giştî ya Depreciations
 DocType: Sales Invoice Item,Rate With Margin,Rate Bi Kenarê
@@ -1634,7 +1644,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Ji kerema xwe re ID Row derbasdar bo row {0} li ser sifrê diyar {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Ne pejirandin bibînin:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Ji kerema xwe qadek hilbijêre ji bo numpadê biguherînin
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Dibe ku sîteya Ledger tête çêkirin nikare belgeyeke erê nabe.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Dibe ku sîteya Ledger tête çêkirin nikare belgeyeke erê nabe.
 DocType: Subscription Plan,Fixed rate,Rêjeya rastîn
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Qebûlkirin
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Go to the desktop û dest bi bikaranîna ERPNext
@@ -1668,7 +1678,7 @@
 DocType: Tax Rule,Shipping State,Dewletê Shipping
 ,Projected Quantity as Source,Quantity projeya wek Source
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Babetê, divê bikaranîna &#39;Get Nawy ji Purchase Receipts&#39; button bê zêdekirin"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Trip Trip
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Trip Trip
 DocType: Student,A-,YEK-
 DocType: Share Transfer,Transfer Type,Tîpa Transfer
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Mesref Sales
@@ -1681,8 +1691,9 @@
 DocType: Item Default,Default Selling Cost Center,Default Navenda Cost Selling
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,disc
 DocType: Buying Settings,Material Transferred for Subcontract,Mînak ji bo veguhestinê veguhastin
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Kode ya postî
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Sales Order {0} e {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Pirtûka Birêvebirina Peldankan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Kode ya postî
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Sales Order {0} e {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Hesabê dahatina hesabê li lênerê {3}
 DocType: Opportunity,Contact Info,Têkilî
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Making Stock Arşîva
@@ -1695,12 +1706,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Bêguman nikare saet ji bo sisiyan bêdeng nabe
 DocType: Company,Date of Commencement,Dîroka Destpêk
 DocType: Sales Person,Select company name first.,Hilbijêre navê kompaniya yekemîn a me.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email bişîne {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email bişîne {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Quotations ji Suppliers wergirt.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM re biguherînin û buhayên herî dawî yên li BOMs nû bikin
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ev yekîneyeke pisporê root e û nikare guherandinê ne.
-DocType: Delivery Trip,Driver Name,Nasname
+DocType: Delivery Note,Driver Name,Nasname
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Average Age
 DocType: Education Settings,Attendance Freeze Date,Beşdariyê Freeze Date
 DocType: Education Settings,Attendance Freeze Date,Beşdariyê Freeze Date
@@ -1727,19 +1738,20 @@
 DocType: Buying Settings,Default Supplier Group,Default Supplier Group
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Quantity gerek kêmtir an jî wekhev be {0}
 DocType: Department Approver,Department Approver,Dezgeha nêzî
+DocType: QuickBooks Migrator,Application Settings,Sîstema Serîlêdanê
 DocType: SMS Center,Total Characters,Total Characters
 DocType: Employee Advance,Claimed,Qedexekirin
 DocType: Crop,Row Spacing,Row Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Ji kerema xwe ve BOM di warê BOM hilbijêre ji bo babet {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Ji kerema xwe ve BOM di warê BOM hilbijêre ji bo babet {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Vî babeta ji bo hilbijartî an naverokê tune ye
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Form bi fatûreyên
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Payment Lihevkirinê bi fatûreyên
 DocType: Clinical Procedure,Procedure Template,Şablon
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,% Alîkarên
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Li gor Settings Buying eger buy Order gireke == &#39;ERÊ&#39;, piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina buy Order yekem bo em babete {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,% Alîkarên
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Li gor Settings Buying eger buy Order gireke == &#39;ERÊ&#39;, piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina buy Order yekem bo em babete {0}"
 ,HSN-wise-summary of outward supplies,HSN-wise-summary of supply supplies of outward
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,hejmara Company referansa li te. hejmara Bacê hwd.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Dewletê
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Dewletê
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Belavkirina
 DocType: Asset Finance Book,Asset Finance Book,Pirtûka Darayî
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Têxe selikê Rule Shipping
@@ -1748,7 +1760,7 @@
 ,Ordered Items To Be Billed,Nawy emir ye- Be
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Ji Range ev be ku kêmtir ji To Range
 DocType: Global Defaults,Global Defaults,Têrbûn Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Project Dawetname Tevkarî
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Project Dawetname Tevkarî
 DocType: Salary Slip,Deductions,bi dabirînê
 DocType: Setup Progress Action,Action Name,Navekî Çalak
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Serî Sal
@@ -1762,11 +1774,12 @@
 DocType: Lead,Consultant,Şêwirda
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Beşdariya Mamosteyê Mamoste
 DocType: Salary Slip,Earnings,Earnings
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,"Xilas babet {0} kirin, divê ji bo cureyê Manufacture entry ketin"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,"Xilas babet {0} kirin, divê ji bo cureyê Manufacture entry ketin"
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Vekirina Balance Accounting
 ,GST Sales Register,Gst Sales Register
 DocType: Sales Invoice Advance,Sales Invoice Advance,Sales bi fatûreyên Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Tu tişt ji bo daxwazkirina
+DocType: Stock Settings,Default Return Warehouse,Vegere Default Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Domainên xwe hilbijêrin
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Supplier
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Payment Invoice Items
@@ -1775,15 +1788,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Heya dê di dema demê de çêbirin dê kopî bibin.
 DocType: Setup Progress Action,Domains,Domain ji
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;Actual Date Serî&#39; nikare bibe mezintir &#39;Date End Actual&#39;
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Serekî
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Serekî
 DocType: Cheque Print Template,Payer Settings,Settings Jaaniya
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Naveroka Daxuyaniya Pêdivî nîne ku ji bo daneyên peywendîdar ve girêdayî.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Yekemîn yekemîn hilbijêre
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ev dê ji qanûna Babetê ji guhertoya bendên. Ji bo nimûne, eger kurtenivîsên SYR ji we &quot;SM&quot;, e û code babete de ye &quot;T-SHIRT&quot;, code babete ji yên ku guhertoya wê bibe &quot;T-SHIRT-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay Net (di peyvên) xuya wê carekê hûn Slip Salary li xilas bike.
 DocType: Delivery Note,Is Return,e Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Baldaynî
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Roja destpêkê di roja dawiya di karê &#39;{0}&#39; de mezintir e
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Return / Debit Têbînî
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Return / Debit Têbînî
 DocType: Price List Country,Price List Country,List Price Country
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} nos serial derbasdar e ji bo vî babetî {1}
@@ -1796,13 +1810,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Agahdariyê bide
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,heye Supplier.
 DocType: Contract Template,Contract Terms and Conditions,Peyman û Şertên Peymana
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Hûn nikarin endamê peymana ku destûr nabe.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Hûn nikarin endamê peymana ku destûr nabe.
 DocType: Account,Balance Sheet,Bîlançoya
 DocType: Leave Type,Is Earned Leave,Vebijandin
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Navenda bihagiranîyê ji bo babet bi Code Babetê &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Navenda bihagiranîyê ji bo babet bi Code Babetê &#39;
 DocType: Fee Validity,Valid Till,Till
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Civînek Mamoste Hemû
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode tezmînatê nehatiye mîhenkirin. Ji kerema xwe, gelo account hatiye dîtin li ser Mode of Payments an li ser POS Profile danîn."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode tezmînatê nehatiye mîhenkirin. Ji kerema xwe, gelo account hatiye dîtin li ser Mode of Payments an li ser POS Profile danîn."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,babete eynî ne dikarin ketin bê çend caran.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","bikarhênerên berfireh dikarin di bin Groups kirin, di heman demê de entries dikare li dijî non-Groups kirin"
 DocType: Lead,Lead,Gûlle
@@ -1811,11 +1825,12 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Nivîskar Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Peyam di {0} tên afirandin
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Hûn pisporên dilsozî ne ku hûn bistînin
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Redkirin Qty ne dikarin li Purchase Return ketin were
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Redkirin Qty ne dikarin li Purchase Return ketin were
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Guhertina Xerîdarê ji bo Mişterek bijartî nayê destûr kirin.
 ,Purchase Order Items To Be Billed,Buy Order Nawy ye- Be
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Guherandinên demjimêr bistînin.
 DocType: Program Enrollment Tool,Enrollment Details,Agahdarkirina Navnîşan
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Dibe ku ji bo şirketek pir ji hêla şîfreyê veguherînin.
 DocType: Purchase Invoice Item,Net Rate,Rate net
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Ji kerema xwe mişterek hilbijêrin
 DocType: Leave Policy,Leave Allocations,Allocations Leave
@@ -1846,7 +1861,7 @@
 DocType: Loan Application,Repayment Info,Info vegerandinê
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;Arşîva&#39; ne vala be
 DocType: Maintenance Team Member,Maintenance Role,Roja Parastinê
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Pekana row {0} bi heman {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Pekana row {0} bi heman {1}
 DocType: Marketplace Settings,Disable Marketplace,Bazara Bazarê
 ,Trial Balance,Balance trial
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Sal malî {0} nehate dîtin
@@ -1858,7 +1873,7 @@
 DocType: Subscription Settings,Subscription Settings,Sîstema Serastkirinê
 DocType: Purchase Invoice,Update Auto Repeat Reference,Guherandina Auto Repeat Reference
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Lêkolîn
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Ji bo Navnîşana 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Ji bo Navnîşana 2
 DocType: Maintenance Visit Purpose,Work Done,work Done
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Ji kerema xwe re bi kêmanî yek taybetmendiyê de li ser sifrê, taybetiyên xwe diyar bike"
 DocType: Announcement,All Students,Hemû xwendekarên
@@ -1868,16 +1883,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transactions
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Kevintirîn
 DocType: Crop Cycle,Linked Location,Cihê girêdanê
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","An Pol babet bi heman navî heye, ji kerema xwe biguherînin navê babete an jî datayê biguherîne koma babete de"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","An Pol babet bi heman navî heye, ji kerema xwe biguherînin navê babete an jî datayê biguherîne koma babete de"
 DocType: Crop Cycle,Less than a year,Salek kêmtir
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,"Na, xwendekarê Mobile"
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Din ên cîhanê
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Din ên cîhanê
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The babet {0} ne dikarin Batch hene
 DocType: Crop,Yield UOM,UOM
 ,Budget Variance Report,Budceya Report Variance
 DocType: Salary Slip,Gross Pay,Pay Gross
 DocType: Item,Is Item from Hub,Gelek ji Hubê ye
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Xizmetên ji Xizmetên Tenduristiyê Bistînin
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Xizmetên ji Xizmetên Tenduristiyê Bistînin
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Row {0}: Type Activity bivênevê ye.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,destkeftineke Paid
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Accounting Ledger
@@ -1892,6 +1907,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Mode Payment
 DocType: Purchase Invoice,Supplied Items,Nawy Supplied
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Ji kerema xwe veguherîna çalak a çalakiyê ji bo Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Komîsyona%
 DocType: Work Order,Qty To Manufacture,Qty To Manufacture
 DocType: Email Digest,New Income,Dahata New
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Pêkanîna heman rêjeya li seranserê cycle kirîn
@@ -1906,12 +1922,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Rate Valuation pêwîst ji bo vî babetî di rêza {0}
 DocType: Supplier Scorecard,Scorecard Actions,Actions Card
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Mînak: Masters li Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Supplier {0} ne di nav {1}
 DocType: Purchase Invoice,Rejected Warehouse,Warehouse red
 DocType: GL Entry,Against Voucher,li dijî Vienna
 DocType: Item Default,Default Buying Cost Center,Default Navenda Buying Cost
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","To get the best ji ERPNext, em pêşniyar dikin ku hûn ku hinek dem û watch van videos alîkariyê."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Ji bo Default Supplier (alternatîf)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ber
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Ji bo Default Supplier (alternatîf)
 DocType: Supplier Quotation Item,Lead Time in days,Time Lead di rojên
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Bikarhênerên Nasname cîhde
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},destûr ne ji bo weşînertiya frozen Account {0}
@@ -1920,7 +1936,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Ji bo Quotations ji bo daxwaza nû ya hişyar bikin
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,emir kirînê alîkariya we û plankirina û li pey xwe li ser kirînên te
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Prescriptions
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}","Bi giştî dikele, Doza / Transfer {0} li Daxwaza Material {1} \ ne dikarin bibin mezintir dorpêçê de xwestin {2} ji bo babet {3}"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Biçûk
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ger Dema ku Daxwazin pargîdaniyek ne, di nav rêzê de, paşê dema kontrolkirina rêvebirin, pergalê dê ji bo birêvebirinê ya default default bike"
@@ -1932,6 +1948,7 @@
 DocType: Project,% Completed,% تەواو بوو
 ,Invoiced Amount (Exculsive Tax),Şêwaz fatore (Exculsive Bacê)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Babetê 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Daxuyaniya Endpoint
 DocType: Travel Request,International,Navnetewî
 DocType: Training Event,Training Event,Event Training
 DocType: Item,Auto re-order,Auto re-da
@@ -1940,24 +1957,24 @@
 DocType: Contract,Contract,Peyman
 DocType: Plant Analysis,Laboratory Testing Datetime,Datetime Testing Testatory
 DocType: Email Digest,Add Quote,lê zêde bike Gotinên baş
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},faktora coversion UOM pêwîst ji bo UOM: {0} li babet: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},faktora coversion UOM pêwîst ji bo UOM: {0} li babet: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Mesref nerasterast di
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Qty wêneke e
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Qty wêneke e
 DocType: Agriculture Analysis Criteria,Agriculture,Cotyarî
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Armanca firotanê çêbikin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Entry Entry for Asset
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Invoice Block
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Entry Entry for Asset
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Invoice Block
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Hêjeya Make Up
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Syncê Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Syncê Master Data
 DocType: Asset Repair,Repair Cost,Lêçûna kirînê
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Products an Services te
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Têketin têkevin
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} hat afirandin
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} hat afirandin
 DocType: Special Test Items,Special Test Items,Tîmên Taybet
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Pêdivî ye ku hûn bikar bîne ku bikarhênerên Rêveberê Gerînendeyê û Rêveberê Rêveberê Şîfre bikin ku li ser bazarê Marketplace bikin.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Mode of Payment
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Li gorî Performasyona Wezareta we ya ku hûn nikarin ji bo berjewendiyan neynin
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,"Website Wêne, divê pel giştî an URL malpera be"
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,"Website Wêne, divê pel giştî an URL malpera be"
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Ev komeke babete root e û ne jî dikarim di dahatûyê de were.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Bihevkelyan
@@ -1966,7 +1983,8 @@
 DocType: Warehouse,Warehouse Contact Info,Warehouse Têkilî
 DocType: Payment Entry,Write Off Difference Amount,Hewe Off Mîqdar Cudahiya
 DocType: Volunteer,Volunteer Name,Navê Dilxwaz
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: email Employee dîtin ne, yanî email şandin ne"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Rows with duplicates dates in other rows found in: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: email Employee dîtin ne, yanî email şandin ne"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Pêvek Mûçeya No Salary ji bo {1} roja xuyakirin {0}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Destûra Rêveçûnê ne ji bo welatê {0}
 DocType: Item,Foreign Trade Details,Details Bazirganiya Derve
@@ -1974,17 +1992,17 @@
 DocType: Email Digest,Annual Income,Dahata salane ya
 DocType: Serial No,Serial No Details,Serial Details No
 DocType: Purchase Invoice Item,Item Tax Rate,Rate Bacê babetî
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Ji navê Partiyê
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Ji navê Partiyê
 DocType: Student Group Student,Group Roll Number,Pol Hejmara Roll
 DocType: Student Group Student,Group Roll Number,Pol Hejmara Roll
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Ji bo {0}, tenê bikarhênerên credit dikare li dijî entry debit din ve girêdayî"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Delivery Têbînî {0} tê şandin ne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Delivery Têbînî {0} tê şandin ne
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,"Babetê {0}, divê babete-bînrawe bi peyman be"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Teçxîzatên hatiye capital
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rule Pricing is yekem li ser esasê hilbijartin &#39;Bisepîne Li ser&#39; qada, ku dikare bê Babetê, Babetê Pol an Brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Ji kerema xwe kodê yekem hilbijêre
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Tîpa Doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Total beşek veqetand ji bo tîma firotina divê 100 be
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Tîpa Doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Total beşek veqetand ji bo tîma firotina divê 100 be
 DocType: Subscription Plan,Billing Interval Count,Barkirina Navnîşa Navnîşan
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Encûmen û Niştecîhên Nexweş
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Value missing
@@ -1998,6 +2016,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Create Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Fee afirandin
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Ma tu babete bi navê nedît {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filter Filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Formula
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Total Afganî
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Li wir bi tenê dikare yek Shipping Rule Rewşa be, bi 0 an nirx vala ji bo &quot;To Nirx&quot;"
@@ -2006,14 +2025,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Ji bo tiştek {0}, hejmar hejmara hejmara erênî ye"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,"Nîşe: Ev Navenda Cost a Group e. Can entries, hesabgirê li dijî komên ku ne."
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Daxwaza berdêla dayîna mûçûna dermanê ne di nav betlanên derbasdar de ne
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,warehouse zarok ji bo vê warehouse heye. Tu dikarî vê warehouse jêbirin.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,warehouse zarok ji bo vê warehouse heye. Tu dikarî vê warehouse jêbirin.
 DocType: Item,Website Item Groups,Groups babet Website
 DocType: Purchase Invoice,Total (Company Currency),Total (Company Exchange)
 DocType: Daily Work Summary Group,Reminder,Reminder
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Nirxdariya nirx
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Nirxdariya nirx
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,"hejmara Serial {0} ketin, ji carekê zêdetir"
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Peyam di Journal
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Ji GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Ji GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Heqê nenaskirî
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} tomar di pêşketina
 DocType: Workstation,Workstation Name,Navê Workstation
@@ -2021,7 +2040,7 @@
 DocType: POS Item Group,POS Item Group,POS babetî Pula
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Divê şerta alternatîf e ku wekî koda kodê nayê
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} nayê to Babetê girêdayî ne {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} nayê to Babetê girêdayî ne {1}
 DocType: Sales Partner,Target Distribution,Belavkariya target
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Çareserkirina Nirxandina Provînalal
 DocType: Salary Slip,Bank Account No.,No. Account Bank
@@ -2030,7 +2049,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Variant Scorecard dikare bikar bînin, û her weha: {total_score} (hejmara nirxên vê demê), {duration_number} (hejmarek demên ku roja pêşîn)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,hilweşe Hemû
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,hilweşe Hemû
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Daxuyaniya kirînê çêbikin
 DocType: Quality Inspection Reading,Reading 8,Reading 8
 DocType: Inpatient Record,Discharge Note,Têkiliya Discharge
@@ -2047,7 +2066,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Supplier Date bi fatûreyên
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ev nirx ji bo hesabê demên proporter tê bikaranîn
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Divê tu ji bo çalakkirina Têxe selikê
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Divê tu ji bo çalakkirina Têxe selikê
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-YYYY-
 DocType: Stock Settings,Naming Series Prefix,Naming Series Prefix
@@ -2062,11 +2081,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,şert û mercên gihîjte dîtin navbera:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Li dijî Journal Peyam di {0} ji nuha ve li dijî hin fîşeke din hebę
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Total Order Nirx
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Xûrek
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Xûrek
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Range Ageing 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Daxuyaniyên POS Vebijêrk
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ji kerema xwe veşartî ji bo {0} bi Sîstema Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Çek kirin
 DocType: Maintenance Schedule Item,No of Visits,No ji Serdan
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Maintenance Cedwela {0} dijî heye {1}
@@ -2106,6 +2124,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Xerca Mezin (Amount)
 DocType: Purchase Invoice,Contact Person,Contact Person
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;Hêvîkirin Date Serî&#39; nikare bibe mezintir &#39;ya bende Date End&#39;
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Daneyên vê ji bo vê demê
 DocType: Course Scheduling Tool,Course End Date,Kurs End Date
 DocType: Holiday List,Holidays,Holidays
 DocType: Sales Order Item,Planned Quantity,Quantity plankirin
@@ -2117,7 +2136,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Change Net di Asset Fixed
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Vala bihêlin, eger ji bo hemû deverî nirxandin"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Pere ji type &#39;Actual&#39; li row {0} ne bi were di Rate babetî di nav de
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Pere ji type &#39;Actual&#39; li row {0} ne bi were di Rate babetî di nav de
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ji DateTime
 DocType: Shopify Settings,For Company,ji bo Company
@@ -2130,9 +2149,9 @@
 DocType: Material Request,Terms and Conditions Content,Şert û mercan Content
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Gelek şaş bûne çêbikin
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Serê yekem ya nêzîkî di lîsteyê de dê wek xerca pêşdûreyê ya nêzîkî dakêşin.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,dikarin bibin mezintir 100 ne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,dikarin bibin mezintir 100 ne
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Pêdivî ye ku hûn bikarhêner ji bilî Rêvebirê din re bi rêveberê Rêveberê Gerînendinê û Rêveberê Rêveberê Birêvebirin ku li ser qada Markazê bikin.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Babetê {0} e a stock babete ne
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Babetê {0} e a stock babete ne
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-YYYY-
 DocType: Maintenance Visit,Unscheduled,rayis
 DocType: Employee,Owned,Owned
@@ -2160,7 +2179,7 @@
 DocType: HR Settings,Employee Settings,Settings karker
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Pergala Paydayê
 ,Batch-Wise Balance History,Batch-Wise Dîroka Balance
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Ger hejmar ji mesref {1} ji mûçeyê mezintir e.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Ger hejmar ji mesref {1} ji mûçeyê mezintir e.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,mîhengên çaperê ve di formata print respective
 DocType: Package Code,Package Code,Code package
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Şagird
@@ -2168,7 +2187,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Elemanekî negatîvî nayê ne bi destûr
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","table detail Bacê biribû, ji master babete wek string û hilanîn di vê qadê de. Tê bikaranîn ji bo wî hûrhûr bike û wan doz li"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Xebatkarê ne dikarin ji xwe re rapor.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Xebatkarê ne dikarin ji xwe re rapor.
 DocType: Leave Type,Max Leaves Allowed,Max Leaves Allowed
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Eger account bêhest e, entries bi bikarhênerên sînorkirin destûr."
 DocType: Email Digest,Bank Balance,Balance Bank
@@ -2194,6 +2213,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Destûra Transfarkirina Banka
 DocType: Quality Inspection,Readings,bi xwendina
 DocType: Stock Entry,Total Additional Costs,Total Xercên din
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Naverokî tune
 DocType: BOM,Scrap Material Cost(Company Currency),Cost xurde Material (Company Exchange)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Meclîsên bînrawe
 DocType: Asset,Asset Name,Navê Asset
@@ -2201,9 +2221,9 @@
 DocType: Shipping Rule Condition,To Value,to Nirx
 DocType: Loyalty Program,Loyalty Program Type,Bernameya Bernameyê
 DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},warehouse Source bo row wêneke e {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},warehouse Source bo row wêneke e {0}
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Çandinî (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Packing Slip
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Packing Slip
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Office Rent
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,settings deryek Setup SMS
 DocType: Disease,Common Name,Navê Navîn
@@ -2235,20 +2255,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Slip Salary ji bo karkirinê
 DocType: Cost Center,Parent Cost Center,Navenda Cost dê û bav
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Select Supplier muhtemel
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Select Supplier muhtemel
 DocType: Sales Invoice,Source,Kanî
 DocType: Customer,"Select, to make the customer searchable with these fields","Hilbijêrin, da ku bikarhêneran bi van zeviyên lêgerînê bibînin"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Import Delivery Delivery from Shopify on Shipment
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show girtî
 DocType: Leave Type,Is Leave Without Pay,Ma Leave Bê Pay
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-YYYY-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Category bo em babete Asset Fixed wêneke e
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Category bo em babete Asset Fixed wêneke e
 DocType: Fee Validity,Fee Validity,Valahiyê
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,No records dîtin li ser sifrê (DGD)
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ev {0} pevçûnên bi {1} ji bo {2} {3}
 DocType: Student Attendance Tool,Students HTML,xwendekarên HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ji kerema xwe kerema xwe ya karmendê <a href=""#Form/Employee/{0}"">{0}</a> \ ji bo belgeya vê betal bike"
 DocType: POS Profile,Apply Discount,Apply Discount
 DocType: GST HSN Code,GST HSN Code,Gst Code HSN
 DocType: Employee External Work History,Total Experience,Total ezmûna
@@ -2271,7 +2288,7 @@
 DocType: Maintenance Schedule,Schedules,schedules
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS Profê pêwîst e ku ji bo Point-of-Sale bikar bînin
 DocType: Cashier Closing,Net Amount,Şêwaz net
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} hatiye nehatine şandin, da ku çalakiyên ne dikarin bi dawî bê"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} hatiye nehatine şandin, da ku çalakiyên ne dikarin bi dawî bê"
 DocType: Purchase Order Item Supplied,BOM Detail No,Detail BOM No
 DocType: Landed Cost Voucher,Additional Charges,Li dijî wan doz Additional
 DocType: Support Search Source,Result Route Field,Rêjeya Rûwayê
@@ -2299,11 +2316,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Daxuyaniya vekirî
 DocType: Contract,Contract Details,Agahdarî Peymana
 DocType: Employee,Leave Details,Dîtin bistînin
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Ji kerema xwe ve warê ID&#39;ya bikarhêner set di qeyda Employee ji bo danîna Employee Role
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Ji kerema xwe ve warê ID&#39;ya bikarhêner set di qeyda Employee ji bo danîna Employee Role
 DocType: UOM,UOM Name,Navê UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Ji bo Navnîşanê 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Ji bo Navnîşanê 1
 DocType: GST HSN Code,HSN Code,Code HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Şêwaz Alîkarên
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Şêwaz Alîkarên
 DocType: Inpatient Record,Patient Encounter,Pevçûna Nexweş
 DocType: Purchase Invoice,Shipping Address,Navnîşana Şandinê
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Ev amûr alîkariya te dike ji bo rojanekirina an Rastkirina dorpêçê de û nirxandina ku ji stock di sîstema. Ev, bêhtirê caran ji bo synca nirxên sîstema û çi di rastiyê de, di wargehan de te heye."
@@ -2320,9 +2337,9 @@
 DocType: Travel Itinerary,Mode of Travel,Mode Travel
 DocType: Sales Invoice Item,Brand Name,Navê marka
 DocType: Purchase Receipt,Transporter Details,Details Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Default warehouse bo em babete helbijartî pêwîst e
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Default warehouse bo em babete helbijartî pêwîst e
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Qûtîk
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Supplier gengaz
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Supplier gengaz
 DocType: Budget,Monthly Distribution,Belavkariya mehane
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lîsteya Receiver vala ye. Ji kerema Lîsteya Receiver
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Tenduristiyê (beta)
@@ -2344,6 +2361,7 @@
 ,Lead Name,Navê Lead
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Pêşniyazkirin
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Vekirina Balance Stock
 DocType: Asset Category Account,Capital Work In Progress Account,Karûbarên Pêşveçûna Li Progression Account
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Bihejirandina Nirxê Sîgorteyê
@@ -2352,7 +2370,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Pelên bi awayekî serketî ji bo bi rêk û {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,No babet to pack
 DocType: Shipping Rule Condition,From Value,ji Nirx
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Manufacturing Quantity wêneke e
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Manufacturing Quantity wêneke e
 DocType: Loan,Repayment Method,Method vegerandinê
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Eger kontrolkirin, rûpel Home de dê bibe Pol default babet ji bo malpera"
 DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -2377,7 +2395,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Referralê
 DocType: Student Group,Set 0 for no limit,Set 0 bo sînorê
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dotira rojê (s) li ser ku hûn bi ji bo xatir hukm û cejnên in. Tu divê ji bo xatir ne.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} hewce ye ku veguherandina {invoice_type} Dabeş bikin
 DocType: Customer,Primary Address and Contact Detail,Navnîşana Navnîş û Têkiliya Serûpel
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Ji nûve Payment Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,erka New
@@ -2387,22 +2404,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Ji kerema xwe herî kêm yek domain hilbijêrin.
 DocType: Dependent Task,Dependent Task,Task girêdayî
 DocType: Shopify Settings,Shopify Tax Account,Hesabê Bacê Dike
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},faktora Converter ji bo default Unit ji pîvanê divê 1 li row be {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Leave a type {0} nikare were êdî ji {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},faktora Converter ji bo default Unit ji pîvanê divê 1 li row be {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Leave a type {0} nikare were êdî ji {1}
 DocType: Delivery Trip,Optimize Route,Rêvebirinê
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Try plan operasyonên ji bo rojên X di pêş.
 DocType: HR Settings,Stop Birthday Reminders,Stop Birthday Reminders
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Ji kerema xwe ve Default payroll cîhde Account set li Company {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Bersaziya fînansî ya Bacê û daneyên bihayên Amazonê
 DocType: SMS Center,Receiver List,Lîsteya Receiver
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Search babetî
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Search babetî
 DocType: Payment Schedule,Payment Amount,Amûrdayê
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Dîroka Dîroka Dîroka Dîroka Dîroka Dîroka Navend û Dîroka Dawî be
 DocType: Healthcare Settings,Healthcare Service Items,Xizmetên tendurustî yên tenduristî
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Şêwaz telef
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Change Net di Cash
 DocType: Assessment Plan,Grading Scale,pîvanê de
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,"Unit ji Measure {0} hatiye, ji carekê zêdetir li Converter Factor Table nivîsandin"
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,"Unit ji Measure {0} hatiye, ji carekê zêdetir li Converter Factor Table nivîsandin"
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,jixwe temam
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock Li Hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2425,25 +2442,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} dorpêçê de {1} ne dikare bibe perçeyeke
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Ji kerema xwe kerema xwe ya Woocommerce Server URL
 DocType: Purchase Order Item,Supplier Part Number,Supplier Hejmara Part
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,rêjeya Converter nikare bibe 0 an 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,rêjeya Converter nikare bibe 0 an 1
 DocType: Share Balance,To No,To No
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Hemî Taskek ji bo karkirina karmendê nehatiye kirin.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ji betalkirin an sekinî
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ji betalkirin an sekinî
 DocType: Accounts Settings,Credit Controller,Controller Credit
 DocType: Loan,Applicant Type,Tîpa daxwaznameyê
 DocType: Purchase Invoice,03-Deficiency in services,03-kêmbûna xizmetê
 DocType: Healthcare Settings,Default Medical Code Standard,Standard Code
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Buy Meqbûz {0} tê şandin ne
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Buy Meqbûz {0} tê şandin ne
 DocType: Company,Default Payable Account,Default Account cîhde
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Mîhengên ji bo Têxe selikê bike wek qaîdeyên shipping, lîsteya buhayên hwd."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-YYYY-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% billed
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserved Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserved Qty
 DocType: Party Account,Party Account,Account Partiya
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Ji kerema xwe şirket û şirove hilbijêrin
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Çavkaniyên Mirovî
-DocType: Lead,Upper Income,Dahata Upper
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Dahata Upper
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Refzkirin
 DocType: Journal Entry Account,Debit in Company Currency,Debit li Company Exchange
 DocType: BOM Item,BOM Item,Babetê BOM
@@ -2458,7 +2475,7 @@
 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py +21,Payroll date can not be less than employee's joining date,Dîroka Payroll nikare bêhtir karûbarê karmendê karker nabe
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py +87,{0} {1} created,{0} {1} tên afirandin
 DocType: Vital Signs,Constipated,Vexwendin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Li dijî Supplier bi fatûreyên {0} dîroka {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Li dijî Supplier bi fatûreyên {0} dîroka {1}
 DocType: Customer,Default Price List,Default List Price
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,record Tevgera Asset {0} tên afirandin
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Ti tişt nehat dîtin.
@@ -2474,17 +2491,18 @@
 DocType: Journal Entry,Entry Type,Type entry
 ,Customer Credit Balance,Balance Credit Mişterî
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Change Net di Accounts cîhde
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Gelek kredî ji bo mişteriyan derbas dibe {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ji kerema xwe veşartî ji bo {0} bi Sîstema Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Gelek kredî ji bo mişteriyan derbas dibe {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Mişterî ya pêwîst ji bo &#39;Discount Customerwise&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Baştir dîroka peredana bank bi kovarên.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Pricing
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Pricing
 DocType: Quotation,Term Details,Details term
 DocType: Employee Incentive,Employee Incentive,Karkerê Têkilî
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ne dikarin zêdetir ji {0} xwendekar ji bo vê koma xwendekaran kul.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Tiştek Bacê
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,View Lead
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,View Lead
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stock Stock
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stock Stock
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planning kapasîteya For (Days)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Procurement
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ne yek ji tomar ti guhertinê di dorpêçê de an nirxê.
@@ -2509,7 +2527,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Dev û Beşdariyê
 DocType: Asset,Comprehensive Insurance,Sîgorteya Berfireh
 DocType: Maintenance Visit,Partially Completed,Qismen Qediya
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Peyva dilsoz: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Peyva dilsoz: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Add Leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensîteya Navendî ya Navendî
 DocType: Leave Type,Include holidays within leaves as leaves,Usa jî holidays di nava pelên wek pelên
 DocType: Loyalty Program,Redemption,Redemption
@@ -2543,7 +2562,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Mesref marketing
 ,Item Shortage Report,Babetê Report pirsgirêka
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Pîvana standard standard nikare. Ji kerema xwe pîvanên nû veguherînin
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Loss de behsa, \ nJi kerema xwe behsa &quot;Loss UOM&quot; jî"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Loss de behsa, \ nJi kerema xwe behsa &quot;Loss UOM&quot; jî"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Daxwaza maddî tê bikaranîn ji bo ku ev Stock Peyam
 DocType: Hub User,Hub Password,Şîfreya Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Cuda Bêguman Pol bingeha ji bo her Batch
@@ -2558,15 +2577,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Demjimardana Demjimêr (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Make Peyam Accounting bo her Stock Tevgera
 DocType: Leave Allocation,Total Leaves Allocated,Total Leaves veqetandin
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Ji kerema xwe ve derbas dibe Financial Sal destpêkirin û dawîlêanîna binivîse
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Ji kerema xwe ve derbas dibe Financial Sal destpêkirin û dawîlêanîna binivîse
 DocType: Employee,Date Of Retirement,Date Of Teqawîdiyê
 DocType: Upload Attendance,Get Template,Get Şablon
+,Sales Person Commission Summary,Komîsyona Xweseriya Xweser
 DocType: Additional Salary Component,Additional Salary Component,Beşek Additional Ex
 DocType: Material Request,Transferred,veguhestin
 DocType: Vehicle,Doors,Doors
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Sazkirin Qediya!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Sazkirin Qediya!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Ji bo Pêwîstiya Nexweşiya Xwe Bikin
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Piştre danûstandinên hilberê veguherînan nabe. Kurteya nû ya nû û veguherandina veguhestina nû ya nû
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Piştre danûstandinên hilberê veguherînan nabe. Kurteya nû ya nû û veguherandina veguhestina nû ya nû
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Breakup Bacê
 DocType: Employee,Joining Details,Tevlêbûnê
@@ -2594,14 +2614,15 @@
 DocType: Lead,Next Contact By,Contact Next By
 DocType: Compensatory Leave Request,Compensatory Leave Request,Request Leave
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Quantity pêwîst ji bo vî babetî {0} li row {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ne jêbirin wek dorpêçê de ji bo babet heye {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ne jêbirin wek dorpêçê de ji bo babet heye {1}
 DocType: Blanket Order,Order Type,Order Type
 ,Item-wise Sales Register,Babetê-şehreza Sales Register
 DocType: Asset,Gross Purchase Amount,Şêwaz Purchase Gross
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Hilbijartina Balance
 DocType: Asset,Depreciation Method,Method Farhad.
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ma ev Tax di nav Rate Basic?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Total Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Total Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analysis Analysis
 DocType: Soil Texture,Sand Composition (%),Sand Composition (%)
 DocType: Job Applicant,Applicant for a Job,Applicant bo Job
 DocType: Production Plan Material Request,Production Plan Material Request,Production Daxwaza Plan Material
@@ -2621,19 +2642,20 @@
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Ji bo an item {0}, hejmar divê hejmareke neyînî be"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Set prefix ji bo ku hijmara series li ser danûstandinên xwe
 DocType: Employee Attendance Tool,Employees HTML,karmendên HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,"Default BOM ({0}), divê ji bo em babete an şablonê xwe çalak be"
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,"Default BOM ({0}), divê ji bo em babete an şablonê xwe çalak be"
 DocType: Employee,Leave Encashed?,Dev ji Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Derfeta ji qadê de bivênevê ye
 DocType: Email Digest,Annual Expenses,Mesref ya salane
 DocType: Item,Variants,Guhertoyên
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Make Purchase Order
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Make Purchase Order
 DocType: SMS Center,Send To,Send To
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},e balance îzna bes ji bo Leave Type li wir ne {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},e balance îzna bes ji bo Leave Type li wir ne {0}
 DocType: Payment Reconciliation Payment,Allocated amount,butçe
 DocType: Sales Team,Contribution to Net Total,Alîkarên ji bo Net Total
 DocType: Sales Invoice Item,Customer's Item Code,Mişterî ya Code babetî
 DocType: Stock Reconciliation,Stock Reconciliation,Stock Lihevkirinê
 DocType: Territory,Territory Name,Name axa
+DocType: Email Digest,Purchase Orders to Receive,Rêvebirên kirînê bistînin
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Kar-li-Terakî Warehouse berî pêwîst e Submit
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Hûn dikarin tenê bi tevlêbûna şertê bi heman rengê plankirî bi plankirinê heye
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Data Data
@@ -2652,9 +2674,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Curenivîsên Serial No bo Babetê ketin {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Track Source by Lead Source.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,A rewşa ji bo Rule Shipping
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Ji kerema xwe re têkevin
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Ji kerema xwe re têkevin
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Log-Maintenance
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Ji kerema xwe ve filter li ser Babetî an Warehouse danîn
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Ji kerema xwe ve filter li ser Babetî an Warehouse danîn
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Giraniya net ji vê pakêtê. (Automatically weke dîyardeyeke weight net ji tomar tê hesabkirin)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Navnîşa Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Heqê dravê ji 100%
@@ -2663,15 +2685,15 @@
 DocType: Sales Order,To Deliver and Bill,To azad û Bill
 DocType: Student Group,Instructors,Instructors
 DocType: GL Entry,Credit Amount in Account Currency,Şêwaz Credit li Account Exchange
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} de divê bê şandin
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Share Management
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} de divê bê şandin
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Share Management
 DocType: Authorization Control,Authorization Control,Control Authorization
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Redkirin Warehouse dijî babet red wêneke e {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Diravdanî
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Redkirin Warehouse dijî babet red wêneke e {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Diravdanî
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Warehouse {0} ji bo her account girêdayî ne, ji kerema xwe ve behsa account di qeyda warehouse an set account ambaran de default li şîrketa {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Manage fermana xwe
 DocType: Work Order Operation,Actual Time and Cost,Time û Cost rastî
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Daxwaza maddî yên herî zêde {0} de ji bo babet {1} dijî Sales Order kirin {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Daxwaza maddî yên herî zêde {0} de ji bo babet {1} dijî Sales Order kirin {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Crop Spacing
 DocType: Course,Course Abbreviation,Abbreviation Kurs
@@ -2683,6 +2705,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},"Total dema xebatê ne, divê ji bilî dema xebatê max be mezintir {0}"
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Li
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,"tomar boxçe, li dema sale."
+DocType: Delivery Settings,Dispatch Settings,Sermaseyên Daxistinê
 DocType: Material Request Plan Item,Actual Qty,rastî Qty
 DocType: Sales Invoice Item,References,Çavkanî
 DocType: Quality Inspection Reading,Reading 10,Reading 10
@@ -2692,11 +2715,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Hûn ketin tomar lînkek kirine. Ji kerema xwe re çak û careke din biceribîne.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Şirîk
 DocType: Asset Movement,Asset Movement,Tevgera Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Divê karûbarê karûbar {0} divê were şandin
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Têxe New
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Divê karûbarê karûbar {0} divê were şandin
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Têxe New
 DocType: Taxable Salary Slab,From Amount,Ji Amountê
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Babetê {0} e a babete weşandin ne
 DocType: Leave Type,Encashment,Encam kirin
+DocType: Delivery Settings,Delivery Settings,Settings
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Fetch Data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Destûra herî qedexeya di nav vala vala {0} de {1}
 DocType: SMS Center,Create Receiver List,Create Lîsteya Receiver
 DocType: Vehicle,Wheels,wheels
@@ -2712,7 +2737,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Pêdivî ye ku pêdivî ye ku pêdivî ye ku ew an jî an jî kredî ya şîrketê an diravê hesabê partiyê be
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Nîşan dide ku, pakêta beşek ji vê delivery (Tenê bi Pêşnûmeya) e"
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Row {0}: Beriya Dîroka Berî beriya paşînkirina posteyê
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Row {0}: Beriya Dîroka Berî beriya paşînkirina posteyê
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Make Peyam Payment
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Dorpêçê de ji bo babet {0} gerek kêmtir be {1}
 ,Sales Invoice Trends,Sales Trends bi fatûreyên
@@ -2720,12 +2745,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can row têne tenê eger type belaş e &#39;li ser Previous Mîqdar Row&#39; an jî &#39;Previous Row Total&#39;
 DocType: Sales Order Item,Delivery Warehouse,Warehouse Delivery
 DocType: Leave Type,Earned Leave Frequency,Frequency Leave Leave
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tree of Navendên Cost aborî.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Tîpa Sub
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tree of Navendên Cost aborî.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Tîpa Sub
 DocType: Serial No,Delivery Document No,Delivery dokumênt No
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Dabeşkirina Derhêneriya Serial Serial Li ser bingeha hilbijêre
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ji kerema xwe ve &#39;Gain Account / Loss li ser çespandina Asset&#39; set li Company {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ji kerema xwe ve &#39;Gain Account / Loss li ser çespandina Asset&#39; set li Company {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Get Nawy Ji Buy Receipts
 DocType: Serial No,Creation Date,Date creation
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Cihê target target pêwîst e ku sîgorteyê {0}
@@ -2739,11 +2764,12 @@
 DocType: Item,Has Variants,has Variants
 DocType: Employee Benefit Claim,Claim Benefit For,Ji bo Mafê Mirovan
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Response Update
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Jixwe te tomar ji hilbijartî {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Jixwe te tomar ji hilbijartî {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Name ji Belavkariya Ayda
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID wêneke e
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID wêneke e
 DocType: Sales Person,Parent Sales Person,Person bav Sales
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Ti tiştên ku bêne qebûlkirin tune ne
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Pêwîstker û kirrûbir nabe
 DocType: Project,Collect Progress,Pêşveçûnê hilbijêre
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY-
@@ -2759,7 +2785,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Money
 DocType: Budget,Budget,Sermîyan
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Vekirî veke
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,"Babetê Asset Fixed, divê babete non-stock be."
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,"Babetê Asset Fixed, divê babete non-stock be."
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budceya dikare li hember {0} ne bên wezîfedarkirin, wek ku ev hesabê Hatinê an jî Expense ne"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Heqê rakirina mesrefê ji bo {0} {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,nebine
@@ -2777,9 +2803,9 @@
 ,Amount to Deliver,Mîqdar ji bo azad
 DocType: Asset,Insurance Start Date,Sîgorta Destpêk Dîroka
 DocType: Salary Component,Flexible Benefits,Xwendekarên Fehlîn
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Bi heman demê de tiştek gelek caran ketiye. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Bi heman demê de tiştek gelek caran ketiye. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,The Date Serî Term ne dikarin zûtir ji Date Sal Start of the Year (Ekadîmî) ji bo ku di dema girêdayî be (Year (Ekadîmî) {}). Ji kerema xwe re li rojên bike û careke din biceribîne.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,bûn çewtî hene.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,bûn çewtî hene.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Karmend {0} ji berê ve ji {1} di navbera {2} û {3} de hatiye dayîn.
 DocType: Guardian,Guardian Interests,Guardian Interests
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Navekî Nav / Navnîşan Dikarin
@@ -2818,9 +2844,9 @@
 ,Item-wise Purchase History,Babetê-şehreza Dîroka Purchase
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Ji kerema xwe re li ser &#39;Çêneke Cedwela&#39; click to pędivî Serial No bo Babetê added {0}
 DocType: Account,Frozen,Qeşa girtî
-DocType: Delivery Note,Vehicle Type,Tîpa Vehicle
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Tîpa Vehicle
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Şêwaz Base (Company Exchange)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Raw Materials
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Raw Materials
 DocType: Payment Reconciliation Payment,Reference Row,Çavkanî Row
 DocType: Installation Note,Installation Time,installation Time
 DocType: Sales Invoice,Accounting Details,Details Accounting
@@ -2829,12 +2855,13 @@
 DocType: Inpatient Record,O Positive,O Positive
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,învêstîsîaên
 DocType: Issue,Resolution Details,Resolution Details
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Tîrmehê
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tîrmehê
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Şertên qebûlkirinê
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Ji kerema xwe ve Requests Material li ser sifrê li jor binivîse
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Ne vegerandin ji bo Journal Entry
 DocType: Hub Tracked Item,Image List,Lîsteya wêneya wêneyê
 DocType: Item Attribute,Attribute Name,Pêşbîr Name
+DocType: Subscription,Generate Invoice At Beginning Of Period,Destpêk Ji Destpêka Destpêkirina Pevçûnê
 DocType: BOM,Show In Website,Show Li Website
 DocType: Loan Application,Total Payable Amount,Temamê meblaxa cîhde
 DocType: Task,Expected Time (in hours),Time a bende (di saet)
@@ -2872,8 +2899,8 @@
 DocType: Employee,Resignation Letter Date,Îstîfa Date Letter
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Rules Pricing bi zêdetir li ser bingeha dorpêçê de tê fîltrekirin.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Set ne
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Xêra xwe li Date Of bizaveka bo karker {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Xêra xwe li Date Of bizaveka bo karker {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Xêra xwe li Date Of bizaveka bo karker {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Xêra xwe li Date Of bizaveka bo karker {0}
 DocType: Inpatient Record,Discharge,Jêherrik
 DocType: Task,Total Billing Amount (via Time Sheet),Temamê meblaxa Billing (via Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Hatiniyên Mişterî Repeat
@@ -2883,13 +2910,13 @@
 DocType: Chapter,Chapter,Beş
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Cot
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Dema ku ev modê hilbijartî dê hesabê default dê bixweberkirina POS-ê bixweber bixweber bike.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Select BOM û Qty bo Production
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Select BOM û Qty bo Production
 DocType: Asset,Depreciation Schedule,Cedwela Farhad.
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Navnîşan Sales Partner Û Têkilî
 DocType: Bank Reconciliation Detail,Against Account,li dijî Account
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Nîv Date Day divê di navbera From Date û To Date be
 DocType: Maintenance Schedule Detail,Actual Date,Date rastî
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Ji kerema xwe şîrketa navendê ya navendê ya {0} li Navenda Navendê binivîse
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Ji kerema xwe şîrketa navendê ya navendê ya {0} li Navenda Navendê binivîse
 DocType: Item,Has Batch No,Has Batch No
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Billing salane: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2901,7 +2928,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY-
 DocType: Shift Assignment,Shift Type,Tîpa Şiftê
 DocType: Student,Personal Details,Details şexsî
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Ji kerema xwe ve &#39;Asset Navenda Farhad. Cost&#39; li Company set {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Ji kerema xwe ve &#39;Asset Navenda Farhad. Cost&#39; li Company set {0}
 ,Maintenance Schedules,Schedules Maintenance
 DocType: Task,Actual End Date (via Time Sheet),Rastî End Date (via Time Sheet)
 DocType: Soil Texture,Soil Type,Cureyê mîrata
@@ -2909,10 +2936,10 @@
 ,Quotation Trends,Trends quotation
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Babetê Pol di master babete bo em babete behsa ne {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Rêveberiya GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,"Debit To account, divê hesabekî teleb be"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,"Debit To account, divê hesabekî teleb be"
 DocType: Shipping Rule,Shipping Amount,Şêwaz Shipping
 DocType: Supplier Scorecard Period,Period Score,Dawîn Score
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,lê zêde muşteriyan
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,lê zêde muşteriyan
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,hîn Mîqdar
 DocType: Lab Test Template,Special,Taybetî
 DocType: Loyalty Program,Conversion Factor,Factor converter
@@ -2929,7 +2956,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Add Letterhead
 DocType: Program Enrollment,Self-Driving Vehicle,Vehicle Self-Driving
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of material ji bo babet dîtin ne {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of material ji bo babet dîtin ne {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Hemû pelên bi rêk û {0} nikare were kêmî ji pelên jixwe pejirandin {1} ji bo dema
 DocType: Contract Fulfilment Checklist,Requirement,Pêwistî
 DocType: Journal Entry,Accounts Receivable,hesabê hilgirtinê
@@ -2946,18 +2973,20 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,Settings HR
 DocType: Salary Slip,net pay info,info net pay
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Ameya CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Ameya CESS
 DocType: Woocommerce Settings,Enable Sync,Sync çalak bike
 DocType: Tax Withholding Rate,Single Transaction Threshold,Pirrjimar Pirrjimar Pirrjimar
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ev nirx di lîsteya bihayê bihayê ya nû de nûvekirî ye.
 DocType: Email Digest,New Expenses,Mesref New
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Amount
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Amount
 DocType: Shareholder,Shareholder,Pardar
 DocType: Purchase Invoice,Additional Discount Amount,Şêwaz Discount Additional
 DocType: Cash Flow Mapper,Position,Rewş
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Ji bo pêşniyarên peyda bibin
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Ji bo pêşniyarên peyda bibin
 DocType: Patient,Patient Details,Agahdariya nexweşan
 DocType: Inpatient Record,B Positive,B Positive
+apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
+			amount",Gelek feydend a karmendê {0} ji alîyê {2} ji hêla pejirandinê ve hejmarê {2} dûr dike
 apps/erpnext/erpnext/controllers/accounts_controller.py +655,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty divê 1 be, wek babete a hebûnê sabît e. Ji kerema xwe ve row cuda ji bo QTY multiple bi kar tînin."
 DocType: Leave Block List Allow,Leave Block List Allow,Dev ji Lîsteya Block Destûrê bide
 apps/erpnext/erpnext/setup/doctype/company/company.py +349,Abbr can not be blank or space,Kurte nikare bibe vala an space
@@ -2965,8 +2994,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Pol to non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sports
 DocType: Loan Type,Loan Name,Navê deyn
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Total Actual
-DocType: Lab Test UOM,Test UOM,UOM test
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Total Actual
 DocType: Student Siblings,Student Siblings,Brayên Student
 DocType: Subscription Plan Detail,Subscription Plan Detail,Plana Pêşniyarê Pêşniyar
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Yekbûn
@@ -2994,7 +3022,6 @@
 DocType: Workstation,Wages per hour,"Mûçe, di saetekê de"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},balance Stock li Batch {0} dê bibe neyînî {1} ji bo babet {2} li Warehouse {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Piştî Requests Material hatine automatically li ser asta re-da babete rabûye
-DocType: Email Digest,Pending Sales Orders,Hîn Orders Sales
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Account {0} ne derbasdar e. Account Exchange divê {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Ji Dîroka {0} piştî karûbarê karmendê karker nikare {1}
 DocType: Supplier,Is Internal Supplier,Derveyî Derveyî ye
@@ -3003,13 +3030,14 @@
 DocType: Healthcare Settings,Remind Before,Beriya Remindê
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},faktora UOM Converter li row pêwîst e {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Sales Order, Sales bi fatûreyên an Peyam Journal be"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Sales Order, Sales bi fatûreyên an Peyam Journal be"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Peyvên Bexda = Pirtûka bingehîn?
 DocType: Salary Component,Deduction,Jêkişî
 DocType: Item,Retain Sample,Sample Sample
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Row {0}: Ji Time û To Time de bivênevê ye.
 DocType: Stock Reconciliation Item,Amount Difference,Cudahiya di Mîqdar
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Babetê Price added for {0} li List Price {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Babetê Price added for {0} li List Price {1}
+DocType: Delivery Stop,Order Information,Agahdariya Agahdariyê
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ji kerema xwe ve Employee Id bikevin vî kesî yên firotina
 DocType: Territory,Classification of Customers by region,Dabeşandina yên muşteriyan bi herêma
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Di Hilberînê de
@@ -3019,8 +3047,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Di esasa balance Bank Statement
 DocType: Normal Test Template,Normal Test Template,Şablon
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,user seqet
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Girtebêje
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Nikarî raketek RFQ qebûl nabe
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Girtebêje
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Nikarî raketek RFQ qebûl nabe
 DocType: Salary Slip,Total Deduction,Total dabirîna
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Hesabek hilbijêre ku ji bo kaxeza hesabê çap bike
 ,Production Analytics,Analytics Production
@@ -3033,14 +3061,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Supplier Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Pîlana Nirxandinê Navê
 DocType: Work Order Operation,Work Order Operation,Operasyona Karê Operasyonê
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Hişyarî: belgeya SSL çewt li ser attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Hişyarî: belgeya SSL çewt li ser attachment {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Rêça te alîkarîya te bike business, lê zêde bike hemû têkiliyên xwe û zêdetir wek rêça te"
 DocType: Work Order Operation,Actual Operation Time,Rastî Time Operation
 DocType: Authorization Rule,Applicable To (User),To de evin: (User)
 DocType: Purchase Taxes and Charges,Deduct,Jinavkişîn
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Job Description
 DocType: Student Applicant,Applied,sepandin
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-vekirî
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-vekirî
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qty wek per Stock UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Navê Guardian2
 DocType: Attendance,Attendance Request,Request Attendance
@@ -3058,7 +3086,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} e bin garantiya upto {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Value Maximum Permissible
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Bikarhêner {0} already exists
-apps/erpnext/erpnext/hooks.py +114,Shipments,Barên
+apps/erpnext/erpnext/hooks.py +115,Shipments,Barên
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Temamê meblaxa veqetandin (Company Exchange)
 DocType: Purchase Order Item,To be delivered to customer,Ji bo mişterî teslîmî
 DocType: BOM,Scrap Material Cost,Cost xurde Material
@@ -3066,11 +3094,12 @@
 DocType: Grant Application,Email Notification Sent,Şandina Email Şandin
 DocType: Purchase Invoice,In Words (Company Currency),Li Words (Company Exchange)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Şirket ji bo hesabê şirket e
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Kodê kodê, barehouse, hêjayî hewceyê li ser row"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Kodê kodê, barehouse, hêjayî hewceyê li ser row"
 DocType: Bank Guarantee,Supplier,Şandevan
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Get From
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ev dabeşek rok e û nikare guherandinê ne.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Agahdariyên Tezmînatê nîşan bide
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Dema Demjimêr
 DocType: C-Form,Quarter,Çarîk
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Mesref Hemecore
 DocType: Global Defaults,Default Company,Default Company
@@ -3078,7 +3107,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Expense an account Cudahiya bo Babetê {0} wek ku bandora Buhaya giştî stock wêneke e
 DocType: Bank,Bank Name,Navê Bank
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Ser
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Destûra vala vala bistînin ku ji bo hemî pargîdaneyên kirînê ji bo kirînê bikirin
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Destûra vala vala bistînin ku ji bo hemî pargîdaneyên kirînê ji bo kirînê bikirin
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Xwînerê Serê Xwe
 DocType: Vital Signs,Fluid,Herrik
 DocType: Leave Application,Total Leave Days,Total Rojan Leave
@@ -3088,7 +3117,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Peldanka Variant
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Select Company ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Vala bihêlin, eger ji bo hemû beşên nirxandin"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} ji bo babet wêneke e {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} ji bo babet wêneke e {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Item {0}: {1} qty,"
 DocType: Payroll Entry,Fortnightly,Livînê
 DocType: Currency Exchange,From Currency,ji Exchange
@@ -3138,7 +3167,7 @@
 DocType: Account,Fixed Asset,Asset Fixed
 DocType: Amazon MWS Settings,After Date,Piştî dîrokê
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventory weşandin
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Invalid {0} ji bo ji bo Kompaniya Navnetewî.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Invalid {0} ji bo ji bo Kompaniya Navnetewî.
 ,Department Analytics,Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-mail di navnîşa navekî nayê dîtin
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Secret secret
@@ -3156,6 +3185,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Bi Payment Taxê
 DocType: Expense Claim Detail,Expense Claim Detail,Expense Detail Îdîaya
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Ji kerema xwe li Sîstema Perwerdehiya Perwerdehiya Navneteweyî ya Mamosteyê sazkirinê saz bikin
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE BO SUPPLIER
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Li Balafeya Nû New Balance
 DocType: Location,Is Container,Container is
@@ -3163,13 +3193,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Ji kerema xwe ve hesabê xwe rast hilbijêre
 DocType: Salary Structure Assignment,Salary Structure Assignment,Destûra Çarçoveya Heqê
 DocType: Purchase Invoice Item,Weight UOM,Loss UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Lîsteya parvekirî yên bi bi hejmarên folio re hene
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Lîsteya parvekirî yên bi bi hejmarên folio re hene
 DocType: Salary Structure Employee,Salary Structure Employee,Xebatkarê Structure meaş
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Hûrgelan nîşan bide
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Hûrgelan nîşan bide
 DocType: Student,Blood Group,xwîn Group
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Di plana navnîşan a daîreya navnîşan de {0} ji vê daxwazê deynê hesabê navnîşê ya ji derê ve ye
 DocType: Course,Course Name,Navê Kurs
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Naveroka Danûbarên Bexdayê ji bo Salê Fînansê ve hat dîtin.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Naveroka Danûbarên Bexdayê ji bo Salê Fînansê ve hat dîtin.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Bikarhêner ku dikarin sepanên îzna a karker taybetî ya erê
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Teçxîzatên hatiye Office
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3177,6 +3207,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Scoring Setup
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Electronics
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Destûra Siyaseta Demjimêr Multiple Times
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Bilind Daxwaza Material dema stock asta re-da digihîje
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Dijwar lîstin
 DocType: Payroll Entry,Employees,karmendên
@@ -3188,11 +3219,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Daxuyaniya Tezmînatê
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Bihayê wê li banî tê ne bê eger List Price is set ne
 DocType: Stock Entry,Total Incoming Value,Total Nirx Incoming
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debit To pêwîst e
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debit To pêwîst e
 DocType: Clinical Procedure,Inpatient Record,Qeydkirî ya Nexweş
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets alîkariya şopandibe, dem, mesrefa û fatûre ji bo activites kirin ji aliyê ekîba xwe"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Buy List Price
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Dîroka Transaction
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Buy List Price
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Dîroka Transaction
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Templates of supplier variables variables.
 DocType: Job Offer Term,Offer Term,Term Pêşnîyaza
 DocType: Asset,Quality Manager,Manager Quality
@@ -3213,11 +3244,11 @@
 DocType: Cashier Closing,To Time,to Time
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) ji bo {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Erêkirina Role (li jorê nirxa destûr)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,"Credit To account, divê hesabekî fêhmkirin be"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,"Credit To account, divê hesabekî fêhmkirin be"
 DocType: Loan,Total Amount Paid,Tiştek Tiştek Paid
 DocType: Asset,Insurance End Date,Dîroka Sîgorta Dawiyê
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Ji kerema xwe bigihîjin Xwendekarê Xwendekarê hilbijêre ku ji bo daxwaznameya xwendekarê drav anî ye
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM kûrahiya: {0} nikare bibe dê û bav an jî zarok ji {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM kûrahiya: {0} nikare bibe dê û bav an jî zarok ji {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Lîsteya budceyê
 DocType: Work Order Operation,Completed Qty,Qediya Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Ji bo {0}, tenê bikarhênerên debit dikare li dijî entry credit din ve girêdayî"
@@ -3225,7 +3256,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Babetê weşandin {0} ne dikarin bi bikaranîna Stock Lihevkirinê, ji kerema xwe ve bi kar Stock Peyam ve were"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Babetê weşandin {0} ne dikarin bi bikaranîna Stock Lihevkirinê, ji kerema xwe ve bi kar Stock Peyam ve were"
 DocType: Training Event Employee,Training Event Employee,Training Event Employee
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Nimûneyên herî zêde - {0} dikare ji bo Batch {1} û Peldanka {2} tê parastin.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Nimûneyên herî zêde - {0} dikare ji bo Batch {1} û Peldanka {2} tê parastin.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Add Time Slots
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numbers Serial pêwîst ji bo vî babetî {1}. Hûn hatine {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Rate Valuation niha:
@@ -3255,11 +3286,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} nehate dîtin
 DocType: Fee Schedule Program,Fee Schedule Program,Programa Fee Schedule
 DocType: Fee Schedule Program,Student Batch,Batch Student
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Ji kerema xwe kerema xwe ya karmendê <a href=""#Form/Employee/{0}"">{0}</a> \ ji bo belgeya vê betal bike"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Make Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tenduristiya Yekîneya Tenduristiyê ya tenduristiyê
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Hûn hatine vexwendin ji bo hevkariyê li ser vê projeyê: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Hûn hatine vexwendin ji bo hevkariyê li ser vê projeyê: {0}
 DocType: Supplier Group,Parent Supplier Group,Parent Supplier Group
+DocType: Email Digest,Purchase Orders to Bill,Birêvebirina Kirêdar B Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Gelek Nirxên li Kompaniya Giştî
 DocType: Leave Block List Date,Block Date,Date block
 DocType: Crop,Crop,Zadçinî
@@ -3272,6 +3306,7 @@
 DocType: Sales Order,Not Delivered,Delivered ne
 ,Bank Clearance Summary,Bank Clearance Nasname
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Create û rêvebirin û digests email rojane, hefteyî û mehane."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Ev li ser şexsê firotanê li ser veguhestinê ye. Ji bo agahdariyên jêrîn binêrin
 DocType: Appraisal Goal,Appraisal Goal,Goal appraisal
 DocType: Stock Reconciliation Item,Current Amount,Şêwaz niha:
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,avahiyên
@@ -3298,7 +3333,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Next Contact Date ne di dema borî de be
 DocType: Company,For Reference Only.,For Reference Only.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Hilbijêre Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Hilbijêre Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Invalid {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Reference Inv
@@ -3316,16 +3351,16 @@
 DocType: Normal Test Items,Require Result Value,Pêwîste Result Value
 DocType: Item,Show a slideshow at the top of the page,Nîşan a slideshow li jor li ser vê rûpelê
 DocType: Tax Withholding Rate,Tax Withholding Rate,Rêjeya Harmendê Bacê
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,dikeye
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,dikanên
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,dikeye
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,dikanên
 DocType: Project Type,Projects Manager,Project Manager
 DocType: Serial No,Delivery Time,Time Delivery
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Ageing li ser bingeha
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Serdanek betal kirin
 DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Gerrîn
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Gerrîn
 DocType: Student Report Generation Tool,Include All Assessment Group,Di Tevahiya Hemû Nirxandina Giştî de
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,No çalak an Salary default Structure dîtin ji bo karker {0} ji bo dîrokan dayîn
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,No çalak an Salary default Structure dîtin ji bo karker {0} ji bo dîrokan dayîn
 DocType: Leave Block List,Allow Users,Rê bide bikarhênerên
 DocType: Purchase Order,Customer Mobile No,Mişterî Mobile No
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Şablonên kredî yên mapping
@@ -3334,15 +3369,16 @@
 DocType: Rename Tool,Rename Tool,Rename Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,update Cost
 DocType: Item Reorder,Item Reorder,Babetê DIRTYHERTZ
+DocType: Delivery Note,Mode of Transport,Modeya veguherînê
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Slip Show Salary
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,transfer Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,transfer Material
 DocType: Fees,Send Payment Request,Request Payment Send
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Hên operasyonên, mesrefa xebatê û bide Operation yekane no ji bo operasyonên xwe."
 DocType: Travel Request,Any other details,Ji ber agahiyên din
 DocType: Water Analysis,Origin,Reh
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ev belge li ser sînor ji aliyê {0} {1} ji bo em babete {4}. Ma tu ji yekî din {3} li dijî heman {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Ji kerema xwe ve set dubare piştî tomarkirinê
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Hilbijêre guhertina account mîqdara
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Ji kerema xwe ve set dubare piştî tomarkirinê
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Hilbijêre guhertina account mîqdara
 DocType: Purchase Invoice,Price List Currency,List Price Exchange
 DocType: Naming Series,User must always select,Bikarhêner her tim divê hilbijêre
 DocType: Stock Settings,Allow Negative Stock,Destûrê bide Stock Negative
@@ -3363,9 +3399,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
 DocType: Asset Maintenance Log,Actions performed,Çalak kirin
 DocType: Cash Flow Mapper,Section Leader,Rêberê partiyê
+DocType: Delivery Note,Transport Receipt No,Reya Transît No No
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Source of Funds (Deynên)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Cihê Çavkanî û Armanc nikare ne
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Quantity li row {0} ({1}), divê di heman wek quantity çêkirin be {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Quantity li row {0} ({1}), divê di heman wek quantity çêkirin be {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Karker
 DocType: Bank Guarantee,Fixed Deposit Number,Hejmarê Gelek Deposit
 DocType: Asset Repair,Failure Date,Dîroka Failure
@@ -3379,16 +3416,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Daşikandinên Payment an Loss
 DocType: Soil Analysis,Soil Analysis Criterias,Soz Analysis Criterias
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,mercên peymana Standard ji bo Sales an Buy.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Ma hûn bawer dikin ku hûn bixwazin vê serdanê betal bikin?
+DocType: BOM Item,Item operation,Operasyonê
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Ma hûn bawer dikin ku hûn bixwazin vê serdanê betal bikin?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Package packing price Room
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,pipeline Sales
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,pipeline Sales
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Ji kerema xwe ve account default set li Salary Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,required ser
 DocType: Rename Tool,File to Rename,File to Rename
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Ji kerema xwe ve BOM li Row hilbijêre ji bo babet {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Fetch Subscription Updates
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Account {0} nayê bi Company {1} li Mode of Account hev nagirin: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},BOM diyarkirî {0} nayê ji bo Babetê tune {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},BOM diyarkirî {0} nayê ji bo Babetê tune {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kûrs:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Maintenance Cedwela {0} divê berî betalkirinê ev Sales Order were betalkirin
@@ -3397,7 +3435,7 @@
 DocType: Notification Control,Expense Claim Approved,Mesrefan Pejirandin
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Pêşveçûn û Tevlêbûnê (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Naveroka Karkeran nehat afirandin
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Slip meaşê karmendekî {0} berê ve ji bo vê pêvajoyê de tên
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Slip meaşê karmendekî {0} berê ve ji bo vê pêvajoyê de tên
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,dermanan
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Hûn dikarin bi tenê bisekinin ji bo veguhestinê ji bo veguhestinê vekin
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Cost ji Nawy Purchased
@@ -3405,7 +3443,8 @@
 DocType: Selling Settings,Sales Order Required,Sales Order Required
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Bazirgan bibin
 DocType: Purchase Invoice,Credit To,Credit To
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Leads çalak / muşteriyan
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Leads çalak / muşteriyan
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Ji bo vala bihêlin ku forma hişyariya şîfreya standard bikar bînin
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detail Cedwela Maintenance
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Wergirtina navendên nû yên nû bikişînin
@@ -3419,14 +3458,14 @@
 DocType: Support Search Source,Post Title Key,Post Title Key
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Ji bo kartê karê
 DocType: Warranty Claim,Raised By,rakir By
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Daxistin
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Daxistin
 DocType: Payment Gateway Account,Payment Account,Account Payment
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Ji kerema xwe ve Company diyar bike ji bo berdewamiyê
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Ji kerema xwe ve Company diyar bike ji bo berdewamiyê
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Change Net li hesabê hilgirtinê
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,heger Off
 DocType: Job Offer,Accepted,qebûlkirin
 DocType: POS Closing Voucher,Sales Invoices Summary,Barkirina Barkirina Bazirganî
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Bi navê Partiya
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Bi navê Partiya
 DocType: Grant Application,Organization,Sazûman
 DocType: Grant Application,Organization,Sazûman
 DocType: BOM Update Tool,BOM Update Tool,Tool Tool BOM
@@ -3436,7 +3475,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Kerema xwe binêre ka tu bi rastî dixwazî jê bibî hemû muamele û ji bo vê şirketê. Daneyên axayê te dê pevê wekî xwe ye. Ev çalakî nayê vegerandin.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Search Results
 DocType: Room,Room Number,Hejmara room
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Referansa çewt {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Referansa çewt {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne dikarin bibin mezintir quanitity plankirin ({2}) li Production Order {3}
 DocType: Shipping Rule,Shipping Rule Label,Label Shipping Rule
 DocType: Journal Entry Account,Payroll Entry,Entry Payroll
@@ -3444,8 +3483,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Şablon
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum Bikarhêner
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Madeyên xav nikare bibe vala.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Payment Table): Divê gerek nerazî be
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Gelo stock update ne, fatûra dihewîne drop babete shipping."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Payment Table): Divê gerek nerazî be
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Gelo stock update ne, fatûra dihewîne drop babete shipping."
 DocType: Contract,Fulfilment Status,Rewşa Xurt
 DocType: Lab Test Sample,Lab Test Sample,Sample Lab Lab
 DocType: Item Variant Settings,Allow Rename Attribute Value,Destûrê bide Hilbijartina Attribute Value
@@ -3487,11 +3526,11 @@
 DocType: BOM,Show Operations,Show Operasyonên
 ,Minutes to First Response for Opportunity,Minutes ji bo First Response bo Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Total Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Babetê an Warehouse bo row {0} nayê nagirin Daxwaza Material
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Babetê an Warehouse bo row {0} nayê nagirin Daxwaza Material
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Unit ji Measure
 DocType: Fiscal Year,Year End Date,Sal Date End
 DocType: Task Depends On,Task Depends On,Task Dimîne li ser
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Fersend
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Fersend
 DocType: Operation,Default Workstation,Default Workstation
 DocType: Notification Control,Expense Claim Approved Message,Message mesrefan Pejirandin
 DocType: Payment Entry,Deductions or Loss,Daşikandinên an Loss
@@ -3529,20 +3568,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Erêkirina User nikare bibe eynî wek user bi serweriya To evin e
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Rate bingehîn (wek per Stock UOM)
 DocType: SMS Log,No of Requested SMS,No yên SMS Wîkîpediyayê
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Leave bê pere nayê bi erêkirin records Leave Application hev nagirin
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Leave bê pere nayê bi erêkirin records Leave Application hev nagirin
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Steps Next
 DocType: Travel Request,Domestic,Malî
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,"Ji kerema xwe wan tedarîk bikin ji tomar xwe bişinî at the best, rêjeya muhtemel"
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,"Ji kerema xwe wan tedarîk bikin ji tomar xwe bişinî at the best, rêjeya muhtemel"
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Beriya Transfer Dîroka Veguhastinê ya Xweser nikare nabe
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Invoice Make
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Balance Balance
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Balance Balance
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Opportunity nêzîkî piştî 15 rojan de
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Birêvebirina kirînê ji ber ku {1} stand scorecard ji {0} ne têne destnîşankirin.
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,End Sal
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Hevpeymana End Date divê ji Date of bizaveka mezintir be
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Hevpeymana End Date divê ji Date of bizaveka mezintir be
 DocType: Driver,Driver,Ajotvan
 DocType: Vital Signs,Nutrition Values,Nirxên nerazîbûnê
 DocType: Lab Test Template,Is billable,Mecbûr e
@@ -3553,7 +3592,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Ev malperek nimûne auto-generated ji ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Range Ageing 1
 DocType: Shopify Settings,Enable Shopify,Enableifyify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Hêjeya pêşîn hebe ji hêla tevahî heqê heqê mezintirîn mezintirîn
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Hêjeya pêşîn hebe ji hêla tevahî heqê heqê mezintirîn mezintirîn
 DocType: Purchase Taxes and Charges Template,"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
@@ -3580,12 +3619,12 @@
 DocType: Employee Separation,Employee Separation,Karûbarên Separation
 DocType: BOM Item,Original Item,Item Item
 DocType: Purchase Receipt Item,Recd Quantity,Recd Diravan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Dîrok
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Dîrok
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Records Fee Created - {0}
 DocType: Asset Category Account,Asset Category Account,Account Asset Kategorî
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Payment Table): Divê heqê girîng be
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Payment Table): Divê heqê girîng be
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Can babet zêdetir {0} ji Sales Order dorpêçê de hilberandina ne {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Nirxên taybetmendiyê hilbijêrin
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Nirxên taybetmendiyê hilbijêrin
 DocType: Purchase Invoice,Reason For Issuing document,Sedema belge belgeyê
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Peyam di {0} tê şandin ne
 DocType: Payment Reconciliation,Bank / Cash Account,Account Bank / Cash
@@ -3594,8 +3633,10 @@
 DocType: Asset,Manual,Destî
 DocType: Salary Component Account,Salary Component Account,Account meaş Component
 DocType: Global Defaults,Hide Currency Symbol,Naverokan veşêre Exchange Symbol
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Opportunities ji hêla Çavkaniyê ve
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Agahdariya donor
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","eg Bank, Cash, Credit Card"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ji kerema xwe veşartina nimûne ji bo Tevlêbûnê ya Setup&gt; Pirtûka Nimûne
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","eg Bank, Cash, Credit Card"
 DocType: Job Applicant,Source Name,Navê Source
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Gelek tedbîrên xwînê ya normal di nav zilamê de nêzîkî 120 mmHg sîstolol e, û 80 mmHg diastolic, bişkoka &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Di rojan de şevên şevê veşartin, da ku li ser xeletiya avahiyê li hilberîn û hilberîna xwe ya xweyî"
@@ -3625,7 +3666,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Ji bo Kuştî divê ji hêja kêmtir {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Destpêk Date divê berî End Date be
 DocType: Salary Component,Max Benefit Amount (Yearly),Amûdê ya Pirrûpa (Yearly)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Rêjeya TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Rêjeya TDS%
 DocType: Crop,Planting Area,Area Area
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qty)
 DocType: Installation Note Item,Installed Qty,sazkirin Qty
@@ -3647,7 +3688,7 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Daxuyaniya Şandina Şandê bistînin
 DocType: Buying Settings,Default Buying Price List,Default Lîsteya Buying Price
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip meaş Li ser timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Rêjeya Kirînê
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Rêjeya Kirînê
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-YYYY-
 DocType: Company,About the Company,Der barê şîrketê
 DocType: Notification Control,Sales Order Message,Sales Order Message
@@ -3714,10 +3755,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Ji bo row {0}
 DocType: Account,Income Account,Account hatina
 DocType: Payment Request,Amount in customer's currency,Şêwaz li currency mişterî
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Şandinî
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Şandinî
 DocType: Volunteer,Weekdays,Rojan
 DocType: Stock Reconciliation Item,Current Qty,Qty niha:
 DocType: Restaurant Menu,Restaurant Menu,Menu Menu
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Add Suppliers
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY-
 DocType: Loyalty Program,Help Section,Alîkariya Beşê
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Borî
@@ -3729,18 +3771,19 @@
 												fullfill Sales Order {2}",Nabe Serial No {0} ya item {1} ji ber ku ew bi \ &quot;tije kirina firotana firotanê {2}
 DocType: Item Reorder,Material Request Type,Maddî request type
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,E-mail bişîne Send Review
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage tije ye, rizgar ne"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Factor Converter wêneke e
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage tije ye, rizgar ne"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Factor Converter wêneke e
 DocType: Employee Benefit Claim,Claim Date,Dîroka Daxuyaniyê
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kapîteya Room
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Hûn dikarin belgeyên pêşniyarên pêşdankirî yên winda bibin. Ma hûn rast binivîsin ku hûn vê şûnde were veguhestin?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Fee-Registration
 DocType: Loyalty Program Collection,Loyalty Program Collection,Daxuyaniya Bernameyê
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted Item
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Xwendekar {0} ne girêdayî grûp {1}
 DocType: Budget,Cost Center,Navenda cost
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,fîşeke #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,fîşeke #
 DocType: Notification Control,Purchase Order Message,Bikirin Order Message
 DocType: Tax Rule,Shipping Country,Shipping Country
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Hide Id Bacê Mişterî ji Transactions Sales
@@ -3759,23 +3802,22 @@
 DocType: Subscription,Cancel At End Of Period,Destpêk Ji Destpêka Dawîn
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Xanûbereya berê got
 DocType: Item Supplier,Item Supplier,Supplier babetî
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Tikaye kodî babet bikeve ji bo hevîrê tune
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Ji kerema xwe re nirx ji bo {0} quotation_to hilbijêre {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Tikaye kodî babet bikeve ji bo hevîrê tune
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Ji kerema xwe re nirx ji bo {0} quotation_to hilbijêre {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Naveroka hilbijartinê ji bo veguhastinê tune
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Hemû Navnîşan.
 DocType: Company,Stock Settings,Settings Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Yedega tenê mimkun e, eger taybetiyên jêrîn heman in hem records in. E Group, Type Root, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Yedega tenê mimkun e, eger taybetiyên jêrîn heman in hem records in. E Group, Type Root, Company"
 DocType: Vehicle,Electric,Elatrîkî
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Qezenc / Loss li ser çespandina Asset
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Tenê Serdana Xwendekaran bi statuya &quot;pejirandî&quot; ê dê di binê jêrîn de bê hilbijartin.
 DocType: Tax Withholding Category,Rates,Bihayên
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Hejmarê hesabê {0} hesab nîne. <br> Ji kerema xwe kerema xwe ya kartên xwe rast bikin.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Hejmarê hesabê {0} hesab nîne. <br> Ji kerema xwe kerema xwe ya kartên xwe rast bikin.
 DocType: Task,Depends on Tasks,Dimîne li ser Peywir
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Manage Mişterî Pol Tree.
 DocType: Normal Test Items,Result Value,Nirxandina Nirxê
 DocType: Hotel Room,Hotels,Hotel
-DocType: Delivery Note,Transporter Date,Dîroka Transporter
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New Name Navenda Cost
 DocType: Leave Control Panel,Leave Control Panel,Dev ji Control Panel
 DocType: Project,Task Completion,Task cebîr
@@ -3822,11 +3864,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Hemû Groups Nirxandina
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,New Name Warehouse
 DocType: Shopify Settings,App Type,Type Type
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Herêm
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Ji kerema xwe re tu ji serdanên pêwîst behsa
 DocType: Stock Settings,Default Valuation Method,Default Method Valuation
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Xerc
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Amûdê Amûdê bide
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Pêşkeftina pêşveçûnê. Ew dibe ku demekê bigirin.
 DocType: Production Plan Item,Produced Qty,Qutkirî Qty
 DocType: Vehicle Log,Fuel Qty,Qty mazotê
@@ -3834,7 +3877,7 @@
 DocType: Work Order Operation,Planned Start Time,Bi plan Time Start
 DocType: Course,Assessment,Bellîkirinî
 DocType: Payment Entry Reference,Allocated,veqetandin
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Close Bîlançoya û Profit pirtûka an Loss.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Close Bîlançoya û Profit pirtûka an Loss.
 DocType: Student Applicant,Application Status,Rewş application
 DocType: Additional Salary,Salary Component Type,Tîpa Niştimanî ya
 DocType: Sensitivity Test Items,Sensitivity Test Items,Test Testên Têkilî
@@ -3845,10 +3888,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Temamê meblaxa Outstanding
 DocType: Sales Partner,Targets,armancên
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Ji kerema xwe di nav pelê agahdariya şirketa SIREN de tomar bike
+DocType: Email Digest,Sales Orders to Bill,Rêveberên firotanê li Bill
 DocType: Price List,Price List Master,Price List Master
 DocType: GST Account,CESS Account,Hesabê CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Hemû Transactions Sales dikare li dijî multiple Persons Sales ** ** tagged, da ku tu set û şopandina hedef."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link to Material Request
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link to Material Request
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Çalakiya Forum
 ,S.O. No.,SO No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Sermaseya Guhertinên Bexdayê Amêrîneyê
@@ -3863,7 +3907,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Ev komeke mişterî root e û ne jî dikarim di dahatûyê de were.
 DocType: Student,AB-,bazirganiya
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Heke Sekreterê mehane zûtirîn li PO Po di derbas kirin
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,To Place
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,To Place
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Guhertina Veqfa Exchange
 DocType: POS Profile,Ignore Pricing Rule,Guh Rule Pricing
 DocType: Employee Education,Graduate,Xelasker
@@ -3900,6 +3944,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Ji kerema xwe ya mişterî ya li Restaurant Settings
 ,Salary Register,meaş Register
 DocType: Warehouse,Parent Warehouse,Warehouse dê û bav
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Qebale
 DocType: Subscription,Net Total,Total net
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Default BOM ji bo babet dîtin ne {0} û Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Define cureyên cuda yên deyn
@@ -3932,24 +3977,26 @@
 DocType: Membership,Membership Status,Status Status
 DocType: Travel Itinerary,Lodging Required,Lodging Required
 ,Requested,xwestin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,No têbînî
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,No têbînî
 DocType: Asset,In Maintenance,Di Tenduristiyê de
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Vebijêrk vê pêvekê hilbijêre da ku daneyên firotina firotanê ji M Amazon-MWS re vekin
 DocType: Vital Signs,Abdomen,Binzik
 DocType: Purchase Invoice,Overdue,Demhatî
 DocType: Account,Stock Received But Not Billed,Stock pêşwazî Lê billed Not
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,"Account Root, divê komeke bê"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,"Account Root, divê komeke bê"
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Loan,Repaid/Closed,De bergîdana / Girtî
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Bi tevahî projeya Qty
 DocType: Monthly Distribution,Distribution Name,Navê Belavkariya
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Rêjeya nirxandina naveroka ji bo Item {0}, ku hewce ne ku ji bo {1} {2} navnîşên hesabê çêbikin. Heke ku ew tişt di nav {1} de nirxa nirxa sîvîl veguherîn e, ji kerema xwe li sifrêya 1 {1} binivîse. Wekî din, ji kerema xwe veguhastina veguhestina peyda ya peyda kirina an naveroka valahiyê binirxînin, û paşê hewl bidin ku têketina vê navnîşê / betal bikin"
 DocType: Course,Course Code,Code Kurs
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Serperiştiya Quality pêwîst ji bo vî babetî {0}
 DocType: Location,Parent Location,Cihê Parêzgehê
 DocType: POS Settings,Use POS in Offline Mode,POS di Mode ya Offline bikar bînin
 DocType: Supplier Scorecard,Supplier Variables,Variables Supplier
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} pêwîst e. Dibe ku belgeya Danûstandinê ya Danûstandinê ji bo {1} heta {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Rate li ku miştirî bi pereyan ji bo pereyan base şîrketê bîya
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Rate Net (Company Exchange)
 DocType: Salary Detail,Condition and Formula Help,Rewşa û Formula Alîkarî
@@ -3958,19 +4005,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,bi fatûreyên Sales
 DocType: Journal Entry Account,Party Balance,Balance Partiya
 DocType: Cash Flow Mapper,Section Subtotal,Bendê Subtotal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Ji kerema xwe ve Apply Discount Li ser hilbijêre
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Ji kerema xwe ve Apply Discount Li ser hilbijêre
 DocType: Stock Settings,Sample Retention Warehouse,Warehouse Sample Retention
 DocType: Company,Default Receivable Account,Default Account teleb
 DocType: Purchase Invoice,Deemed Export,Export Export
 DocType: Stock Entry,Material Transfer for Manufacture,Transfer madî ji bo Manufacture
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rêjeya Discount jî yan li dijî List Price an jî ji bo hemû List Price sepandin.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Peyam Accounting bo Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Peyam Accounting bo Stock
 DocType: Lab Test,LabTest Approver,LabTest nêzî
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Tu niha ji bo nirxandina nirxandin {}.
 DocType: Vehicle Service,Engine Oil,Oil engine
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Karên Karkirina Karan afirandin: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Karên Karkirina Karan afirandin: {0}
 DocType: Sales Invoice,Sales Team1,Team1 Sales
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Babetê {0} tune
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Babetê {0} tune
 DocType: Sales Invoice,Customer Address,Address mişterî
 DocType: Loan,Loan Details,deyn Details
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Ji bo sazkirina kompaniya posta peyda neket
@@ -3991,34 +4038,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Nîşan bide vî slideshow li jor li ser vê rûpelê
 DocType: BOM,Item UOM,Babetê UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Şêwaz Bacê Piştî Mîqdar Discount (Company Exchange)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},warehouse Target bo row wêneke e {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},warehouse Target bo row wêneke e {0}
 DocType: Cheque Print Template,Primary Settings,Settings seretayî ya
 DocType: Attendance Request,Work From Home,Work From Home
 DocType: Purchase Invoice,Select Supplier Address,Address Supplier Hilbijêre
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,lê zêde bike Karmendên
 DocType: Purchase Invoice Item,Quality Inspection,Serperiştiya Quality
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Şablon Standard
 DocType: Training Event,Theory,Dîtinî
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Hişyarî: Material Wîkîpediyayê Qty kêmtir ji Minimum Order Qty e
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Hişyarî: Material Wîkîpediyayê Qty kêmtir ji Minimum Order Qty e
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Account {0} frozen e
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / destekkirinê bi Chart cuda yên Accounts mensûbê Rêxistina.
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Food, Beverage &amp; tutunê"
 DocType: Account,Account Number,Hejmara Hesabê
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},dikarin bi tenê peredayînê dijî make unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,rêjeya Komîsyona ne dikarin bibin mezintir ji 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},dikarin bi tenê peredayînê dijî make unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,rêjeya Komîsyona ne dikarin bibin mezintir ji 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Vebijêrin Xweseriya xwe (FIFO)
 DocType: Volunteer,Volunteer,Dilxwaz
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Ji kerema xwe {0} yekem binivîse
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,No bersivęn wan ji
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,No bersivęn wan ji
 DocType: Work Order Operation,Actual End Time,Time rastî End
 DocType: Item,Manufacturer Part Number,Manufacturer Hejmara Part
 DocType: Taxable Salary Slab,Taxable Salary Slab,Salary Slab
 DocType: Work Order Operation,Estimated Time and Cost,Time Předpokládaná û Cost
 DocType: Bin,Bin,Kupê
 DocType: Crop,Crop Name,Navê Crop
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Tenê bikarhênerên ku bi {0} role dikare dikarin li ser Marketplace qeyd bikin
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Tenê bikarhênerên ku bi {0} role dikare dikarin li ser Marketplace qeyd bikin
 DocType: SMS Log,No of Sent SMS,No yên SMS şandin
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-YYYY-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Destnîşan û Encûmenan
@@ -4047,7 +4095,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Kodê Guherandinê
 DocType: Purchase Invoice Item,Valuation Rate,Rate Valuation
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,List Price Exchange hilbijartî ne
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,List Price Exchange hilbijartî ne
 DocType: Purchase Invoice,Availed ITC Cess,ITC Cess
 ,Student Monthly Attendance Sheet,Xwendekarên mihasebeya Beşdariyê Ayda
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Qanûna Rêvebirin tenê tenê ji bo firotina kirînê
@@ -4064,7 +4112,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Manage Partners Sales.
 DocType: Quality Inspection,Inspection Type,Type Serperiştiya
 DocType: Fee Validity,Visited yet,Dîsa nêzî
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Wargehan de bi mêjera yên heyî dikarin bi komeke ne bê guhertin.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Wargehan de bi mêjera yên heyî dikarin bi komeke ne bê guhertin.
 DocType: Assessment Result Tool,Result HTML,Di encama HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Divê pir caran divê projeyê û firotanê li ser Guhertina Kirêdariyên Demkî bêne nûkirin.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ketin ser
@@ -4072,7 +4120,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},{0} ji kerema xwe hilbijêre
 DocType: C-Form,C-Form No,C-Form No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Dûrî
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Dûrî
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Berhemên xwe yan xizmetên ku hûn bikirin an firotanê lîsteya xwe bikin.
 DocType: Water Analysis,Storage Temperature,Temperature
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-YYYY-
@@ -4088,19 +4136,19 @@
 DocType: Shopify Settings,Delivery Note Series,Sernavê Têkilî
 DocType: Purchase Order Item,Returned Qty,vegeriya Qty
 DocType: Student,Exit,Derî
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Type Root wêneke e
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Type Root wêneke e
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Ji bo pêşniyazên sazkirinê nekin
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Guhertina UOM Di Saetan de
 DocType: Contract,Signee Details,Agahdariya Signxanê
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} heye ku niha {1} Berhemên Score Scorecard heye, û RFQ ji vê pargîdaniyê re bêne hişyar kirin."
 DocType: Certified Consultant,Non Profit Manager,Rêveberê Neqfetê ne
 DocType: BOM,Total Cost(Company Currency),Total Cost (Company Exchange)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial No {0} tên afirandin
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial No {0} tên afirandin
 DocType: Homepage,Company Description for website homepage,Description Company bo homepage malpera
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Ji bo hevgirtinê tê ji mişterî, van kodên dikare di formatên print wek hisab û Delivery Notes bikaranîn"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Navê Suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Agahdarî ji bo {0} agahdar nekir.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Vebijêrtina Navnîşana Çandî
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Vebijêrtina Navnîşana Çandî
 DocType: Contract,Fulfilment Terms,Şertên Fîlm
 DocType: Sales Invoice,Time Sheet List,Time Lîsteya mihasebeya
 DocType: Employee,You can enter any date manually,Tu dikarî date bi destê xwe binivîse
@@ -4136,7 +4184,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Rêxistina te
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",Ji bo karmendên jêrîn derxistin ji bo karmendên dabeşkirinê ji ber wan ve girêdayî ye. {0}
 DocType: Fee Component,Fees Category,xercên Kategorî
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Ji kerema xwe ve date ûjdanê xwe binivîse.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Ji kerema xwe ve date ûjdanê xwe binivîse.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Agahiya Sponsor (Navnîşan, Cihan)"
 DocType: Supplier Scorecard,Notify Employee,Karmendê agahdar bikin
@@ -4149,9 +4197,9 @@
 DocType: Company,Chart Of Accounts Template,Chart bikarhênerên Şablon
 DocType: Attendance,Attendance Date,Date amadebûnê
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Divê belgeya nûvekirina belgeyê ji bo veberhênana kirînê ve bikaribe {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Babetê Price ve ji bo {0} li List Price {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Babetê Price ve ji bo {0} li List Price {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,jihevketina meaşê li ser Earning û vê rêyê.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Account bi hucûma zarok nikare bê guhartina ji bo ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Account bi hucûma zarok nikare bê guhartina ji bo ledger
 DocType: Purchase Invoice Item,Accepted Warehouse,Warehouse qebûlkirin
 DocType: Bank Reconciliation Detail,Posting Date,deaktîv bike Date
 DocType: Item,Valuation Method,Method Valuation
@@ -4188,6 +4236,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Tikaye hevîrê hilbijêre
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Claim and Expense Claim
 DocType: Sales Invoice,Redemption Cost Center,Navenda Lêçûnên Xwe
+DocType: QuickBooks Migrator,Scope,Qada
 DocType: Assessment Group,Assessment Group Name,Navê Nirxandina Group
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Maddî Transferred bo Manufacture
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Agahdar bike
@@ -4195,6 +4244,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Dîroka Dawîn Dîsa
 DocType: Landed Cost Item,Receipt Document Type,Meqbûza Corî dokumênt
 DocType: Daily Work Summary Settings,Select Companies,Şîrket Hilbijêre
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Proposal / Quote Quote
 DocType: Antibiotic,Healthcare,Parastina saxlemîyê
 DocType: Target Detail,Target Detail,Detail target
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Yekem variant
@@ -4204,6 +4254,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Peyam di dema Girtina
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Daîreya Hilbijêre ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Navenda Cost bi muamele û yên heyî dikarin bi komeke ne venegerin
+DocType: QuickBooks Migrator,Authorization URL,URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Şêwaz {0} {1} {2} {3}
 DocType: Account,Depreciation,Farhad.
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Hejmarên parve û hejmarên parvekirî ne hevkar in
@@ -4226,13 +4277,14 @@
 DocType: Support Search Source,Source DocType,Çavkaniya DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Firotineke nû vekin
 DocType: Training Event,Trainer Email,Trainer Email
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Daxwazên maddî {0} tên afirandin
 DocType: Restaurant Reservation,No of People,Nabe Gel
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Şablon ji alî an peymaneke.
 DocType: Bank Account,Address and Contact,Address û Contact
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,E Account cîhde
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock dikare li hember Meqbûz Purchase ne bê ewe {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock dikare li hember Meqbûz Purchase ne bê ewe {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto Doza nêzîkî piştî 7 rojan
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Leave nikarim li ber terxan kirin {0}, wekî parsenga îzinê jixwe-hilgire hatiye şandin, di qeyda dabeşkirina îzna pêş {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Têbînî: Ji ber / Date: Çavkanî qat bi destûr rojan credit mişterî destê {0} roj (s)
@@ -4250,7 +4302,7 @@
 ,Qty to Deliver,Qty ji bo azad
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon dê piştî vê roja piştî danûstendina danûstendinê de
 ,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operasyonên bi vala neyê hiştin
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operasyonên bi vala neyê hiştin
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Test test
 DocType: Maintenance Visit Purpose,Against Document Detail No,Li dijî Detail dokumênt No
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Deletion ji bo welatekî destûr nabe {0}
@@ -4258,13 +4310,12 @@
 DocType: Quality Inspection,Outgoing,nikarbe
 DocType: Material Request,Requested For,"xwestin, çimkî"
 DocType: Quotation Item,Against Doctype,li dijî Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ji betalkirin an girtî
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ji betalkirin an girtî
 DocType: Asset,Calculate Depreciation,Bihejirandina hesabkirinê
 DocType: Delivery Note,Track this Delivery Note against any Project,Track ev Delivery Note li dijî ti Project
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Cash Net ji Investing
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Giştî&gt; Giştî ya Giştî&gt; Herêmî
 DocType: Work Order,Work-in-Progress Warehouse,Kar-li-Terakî Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} de divê bê şandin
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} de divê bê şandin
 DocType: Fee Schedule Program,Total Students,Tendurist
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Amadebûna Record {0} dijî Student heye {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Çavkanî # {0} dîroka {1}
@@ -4284,7 +4335,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Bo karûbarên çepgir ên çepê nehate afirandin
 DocType: Lead,Market Segment,Segment Market
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Rêveberê Çandiniyê
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Şêwaz pere ne dikarin bibin mezintir total mayî neyînî {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Şêwaz pere ne dikarin bibin mezintir total mayî neyînî {0}
 DocType: Supplier Scorecard Period,Variables,Variables
 DocType: Employee Internal Work History,Employee Internal Work History,Xebatkarê Navxweyî Dîroka Work
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Girtina (Dr)
@@ -4309,22 +4360,24 @@
 DocType: Amazon MWS Settings,Synch Products,Proch Products
 DocType: Loyalty Point Entry,Loyalty Program,Program
 DocType: Student Guardian,Father,Bav
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Kolanên piştevanîya
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Update Stock&#39; dikarin for sale sermaye sabît nayê kontrolkirin
 DocType: Bank Reconciliation,Bank Reconciliation,Bank Lihevkirinê
 DocType: Attendance,On Leave,li ser Leave
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get rojanekirî
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ne ji Company girêdayî ne {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Ji hêla her taybetmendiyên herî kêm nirxek hilbijêre.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Ji hêla her taybetmendiyên herî kêm nirxek hilbijêre.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Daxwaza maddî {0} betal e an sekinî
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Dezgeha Dispatchê
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Dezgeha Dispatchê
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Dev ji Management
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Groups
 DocType: Purchase Invoice,Hold Invoice,Rêbaza bisekinin
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Ji kerema xwe karker hilbijêrin
 DocType: Sales Order,Fully Delivered,bi temamî Çiyan
-DocType: Lead,Lower Income,Dahata Lower
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Dahata Lower
 DocType: Restaurant Order Entry,Current Order,Armanca Dawîn
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Hejmara noser û nirxên serial eyn e
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Source û warehouse hedef ne dikarin heman tiştî ji bo row {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Source û warehouse hedef ne dikarin heman tiştî ji bo row {0}
 DocType: Account,Asset Received But Not Billed,Bêguman Received But Billed Not
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Account Cudahiya, divê hesabekî type Asset / mesulîyetê be, ji ber ku ev Stock Lihevkirinê an Peyam Opening e"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Şêwaz dandin de ne dikarin bibin mezintir Loan Mîqdar {0}
@@ -4333,7 +4386,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Bikirin siparîşê pêwîst ji bo vî babetî {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;Ji Date&#39; Divê piştî &#39;To Date&#39; be
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,No Plansing Staffing ji bo vê Nimûneyê nehat dîtin
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} ya Jêder {1} qedexekirin.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} ya Jêder {1} qedexekirin.
 DocType: Leave Policy Detail,Annual Allocation,Allocation
 DocType: Travel Request,Address of Organizer,Navnîşana Organizer
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Bijîşkvaniya Tenduristiyê Hilbijêre ...
@@ -4342,12 +4395,12 @@
 DocType: Asset,Fully Depreciated,bi temamî bicūkkirin
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stock projeya Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Mişterî {0} ne aîdî raxe {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Mişterî {0} ne aîdî raxe {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Beşdariyê nîşankirin HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Quotations pêşniyarên in, bids ku hûn û mişterîyên xwe şandin"
 DocType: Sales Invoice,Customer's Purchase Order,Mişterî ya Purchase Order
 DocType: Clinical Procedure,Patient,Nexweş
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Check checks at Sales Order
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Check checks at Sales Order
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Karmendiya Onboarding
 DocType: Location,Check if it is a hydroponic unit,"Heke ku ew yekîneyeke hîdroponî ye, binêrin"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial No û Batch
@@ -4357,7 +4410,7 @@
 DocType: Supplier Scorecard Period,Calculations,Pawlos
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Nirx an Qty
 DocType: Payment Terms Template,Payment Terms,Şertên Payan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,"Ordênên Productions dikarin ji bo ne, bêne zindî kirin:"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,"Ordênên Productions dikarin ji bo ne, bêne zindî kirin:"
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Deqqe
 DocType: Purchase Invoice,Purchase Taxes and Charges,"Bikirin Bac, û doz li"
 DocType: Chapter,Meetup Embed HTML,Meetup HTML
@@ -4372,10 +4425,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) li: List Price Rate bi Kenarê
 DocType: Healthcare Service Unit Type,Rate / UOM,Rêjeya / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Hemû enbar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,No {0} ji bo Kompaniya Navnetewî ve tê dîtin.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,No {0} ji bo Kompaniya Navnetewî ve tê dîtin.
 DocType: Travel Itinerary,Rented Car,Car Hire
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Der barê şirketa we
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,"Credit To account, divê hesabekî Bîlançoya be"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,"Credit To account, divê hesabekî Bîlançoya be"
 DocType: Donor,Donor,Donor
 DocType: Global Defaults,Disable In Words,Disable Li Words
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Code babete wêneke e ji ber ku em babete bixweber hejmartî ne
@@ -4387,14 +4440,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Account Overdraft Bank
 DocType: Patient,Patient ID,Nasnameya nûnerê
 DocType: Practitioner Schedule,Schedule Name,Navnîşa Navîn
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pipeline Sales by Stage
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Make Slip Salary
 DocType: Currency Exchange,For Buying,Ji Kirînê
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,All Suppliers
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,All Suppliers
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: butçe ne dikarin bibin mezintir mayî bidin.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Browse BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,"Loans temînatê,"
 DocType: Purchase Invoice,Edit Posting Date and Time,Edit Mesaj Date û Time
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ji kerema xwe ve set Accounts related Farhad li Asset Category {0} an Company {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ji kerema xwe ve set Accounts related Farhad li Asset Category {0} an Company {1}
 DocType: Lab Test Groups,Normal Range,Rangeya Normal
 DocType: Academic Term,Academic Year,Sala (Ekadîmî)
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Bazirganiya Bazirganî
@@ -4423,26 +4477,26 @@
 DocType: Patient Appointment,Patient Appointment,Serdanek Nexweş
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Erêkirina Role ne dikarin heman rola desthilata To evin e
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Vê grûpê Email Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Bi Dirîkariyê Bişînin
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Bi Dirîkariyê Bişînin
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ji bo Peldanka {1} nehat dîtin.
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Herin Courses
 DocType: Accounts Settings,Show Inclusive Tax In Print,Di Print Inclusive Tax Print
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Hesabê Bank, Dîrok û Dîroka Navîn ne"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Peyam nehat şandin
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Account bi hucûma zarok dikare wek ledger ne bê danîn
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Account bi hucûma zarok dikare wek ledger ne bê danîn
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Rate li ku currency list Price ji bo pereyan base mişterî bîya
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Şêwaz Net (Company Exchange)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Hêjeya pêşniyarê heya hema ji hejmarê vekirî ya bêtir mezintirîn
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Hêjeya pêşniyarê heya hema ji hejmarê vekirî ya bêtir mezintirîn
 DocType: Salary Slip,Hour Rate,Saet Rate
 DocType: Stock Settings,Item Naming By,Babetê Bidin By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},"Din jî dema despêka Girtina {0} hatiye dîtin, piştî {1}"
 DocType: Work Order,Material Transferred for Manufacturing,Maddî Transferred bo Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Account {0} nayê heye ne
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Bername Bernameya Hilbijartinê hilbijêre
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Bername Bernameya Hilbijartinê hilbijêre
 DocType: Project,Project Type,Type Project
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Taskek Zarok ji bo vê Taskê heye. Hûn nikarin vê Taskê nadeve.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,An QTY hedef an target mîqdara bivênevê ye.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,An QTY hedef an target mîqdara bivênevê ye.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Cost ji çalakiyên cuda
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Bikin Events {0}, ji ber ku Employee girêdayî jêr Persons Sales nade a ID&#39;ya bikarhêner heye ne {1}"
 DocType: Timesheet,Billing Details,Details Billing
@@ -4500,13 +4554,13 @@
 DocType: Inpatient Record,A Negative,Negative
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Tiştek din nîşan bidin.
 DocType: Lead,From Customer,ji Mişterî
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Banga
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Banga
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,A Product
 DocType: Employee Tax Exemption Declaration,Declarations,Danezan
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,lekerên
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Make Schedule Schedule
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Bikirin Order {0} tê şandin ne
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Bikirin Order {0} tê şandin ne
 DocType: Account,Expenses Included In Asset Valuation,Mesrefên Têkilî Li Di binirxandina sîgorteyê de
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Raya referansa normal ji bo zilam / şeş 16-20 salî (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Hejmara tarîfan
@@ -4519,6 +4573,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Ji kerema xwe pêşî nexweşê xwe biparêze
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Amadebûna serkeftin nîşankirin.
 DocType: Program Enrollment,Public Transport,giştîya
+DocType: Delivery Note,GST Vehicle Type,TT Vehicle
 DocType: Soil Texture,Silt Composition (%),Teknîkî Silt (%)
 DocType: Journal Entry,Remark,Bingotin
 DocType: Healthcare Settings,Avoid Confirmation,Dipejirîne
@@ -4528,11 +4583,10 @@
 DocType: Education Settings,Current Academic Term,Term (Ekadîmî) Current
 DocType: Education Settings,Current Academic Term,Term (Ekadîmî) Current
 DocType: Sales Order,Not Billed,billed ne
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,"Herdu Warehouse, divê ji bo eynî Company aîdî"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,"Herdu Warehouse, divê ji bo eynî Company aîdî"
 DocType: Employee Grade,Default Leave Policy,Default Leave Policy
 DocType: Shopify Settings,Shop URL,Shop URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No têkiliyên added yet.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ji kerema xwe veşartina nimûne ji bo Tevlêbûnê ya Setup&gt; Pirtûka Nimûne
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Cost Landed Mîqdar Vienna
 ,Item Balance (Simple),Balance Item (Simple)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Fatoreyên rakir destê Suppliers.
@@ -4557,7 +4611,7 @@
 DocType: Shopping Cart Settings,Quotation Series,quotation Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","An babete bi heman navî heye ({0}), ji kerema xwe biguherînin li ser navê koma babete an navê babete"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Pîvana Analyziya Bewrê
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Ji kerema xwe ve mişterî hilbijêre
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Ji kerema xwe ve mişterî hilbijêre
 DocType: C-Form,I,ez
 DocType: Company,Asset Depreciation Cost Center,Asset Navenda Farhad. Cost
 DocType: Production Plan Sales Order,Sales Order Date,Sales Order Date
@@ -4570,8 +4624,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Niha tu firotek li her wareyê heye
 ,Payment Period Based On Invoice Date,Period tezmînat li ser Date bi fatûreyên
 DocType: Sample Collection,No. of print,Hejmara çapkirinê
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Birthday Reminder
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Item Room Reservation
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Exchange wenda Exchange ji bo {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Exchange wenda Exchange ji bo {0}
 DocType: Employee Health Insurance,Health Insurance Name,Navxweyî ya Navxweyî
 DocType: Assessment Plan,Examiner,sehkerê
 DocType: Student,Siblings,Brayên
@@ -4588,19 +4643,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,muşteriyan New
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Profit% Gross
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Destnîşankirina {0} û vexwendina firotanê {1} betal kirin
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Opportunities by lead source
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Guhertina POS Profîla
 DocType: Bank Reconciliation Detail,Clearance Date,Date clearance
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Alîkarî li dijî materyalê jixwe ye {0}, hûn nikarin nirxên serial tune tune"
+DocType: Delivery Settings,Dispatch Notification Template,Gotûbêja Dispatchê
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Alîkarî li dijî materyalê jixwe ye {0}, hûn nikarin nirxên serial tune tune"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Rapora Nirxandinê
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Karmendên xwe bibînin
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Şêwaz Purchase Gross wêneke e
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Navekî şirketê nayê
 DocType: Lead,Address Desc,adres Desc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Partiya wêneke e
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Rows with duplicate dates in other rows found in: {list}
 DocType: Topic,Topic Name,Navê topic
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Ji kerema xwe ya şîfreyê ji bo HR Şerta ji bo şandina dagirkirinê veguherîne.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Ji kerema xwe ya şîfreyê ji bo HR Şerta ji bo şandina dagirkirinê veguherîne.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Li Hindîstan û yek ji Selling an Buying divê bên hilbijartin
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Vebijêrkek karker hilbijêre da ku pêşmerge karmendê.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Ji kerema xwe Dîrokek rastîn hilbijêre
@@ -4634,6 +4690,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Details Mişterî an Supplier
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-YYYY-
 DocType: Asset Value Adjustment,Current Asset Value,Current Asset Value
+DocType: QuickBooks Migrator,Quickbooks Company ID,Nasnameya şîrketên Quickbooks
 DocType: Travel Request,Travel Funding,Fona Rêwîtiyê
 DocType: Loan Application,Required by Date,Pêwîst ji aliyê Date
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Pirtûka tevahiya cihên ku di Crop de zêde dibe
@@ -4647,9 +4704,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Qty Batch li From Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pay Gross - dabirîna Total - Loan vegerandinê
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM û niha New BOM ne dikarin heman
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM û niha New BOM ne dikarin heman
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Meaş ID Slip
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,"Date Of Teqawîdiyê, divê mezintir Date of bizaveka be"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,"Date Of Teqawîdiyê, divê mezintir Date of bizaveka be"
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Pirrjimar Pirrjimar
 DocType: Sales Invoice,Against Income Account,Li dijî Account da-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Çiyan
@@ -4678,7 +4735,7 @@
 DocType: POS Profile,Update Stock,update Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM cuda ji bo tomar dê ji bo Şaşî (Total) nirxa Loss Net rê. Bawer bî ku Loss Net ji hev babete di UOM heman e.
 DocType: Certification Application,Payment Details,Agahdarî
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Karta Karûbarê Rawestandin Tête qedexekirin, yekemîn betal bike ku ji bo betal bike"
 DocType: Asset,Journal Entry for Scrap,Peyam di Journal ji bo Scrap
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Ji kerema xwe tomar ji Delivery Têbînî vekişîne
@@ -4700,11 +4757,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Temamê meblaxa ambargoyê
 ,Purchase Analytics,Analytics kirîn
 DocType: Sales Invoice Item,Delivery Note Item,Delivery Têbînî babetî
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Daxuya heyî {0} wenda ye
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Daxuya heyî {0} wenda ye
 DocType: Asset Maintenance Log,Task,Karî
 DocType: Purchase Taxes and Charges,Reference Row #,Çavkanî Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},hejmara Batch ji bo babet wêneke e {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Ev kesê ku firotina root e û ne jî dikarim di dahatûyê de were.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Ev kesê ku firotina root e û ne jî dikarim di dahatûyê de were.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Heke hatibe hilbijartin, bi nirxê xwe dişinî an hesabkirin di vê hêmana ne, wê ji bo karên an bi dabirînê piştgirî bidin. Lê belê, ev nirx dikare ji aliyê pêkhateyên dî ku dikare added an dabirîn referans."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Heke hatibe hilbijartin, bi nirxê xwe dişinî an hesabkirin di vê hêmana ne, wê ji bo karên an bi dabirînê piştgirî bidin. Lê belê, ev nirx dikare ji aliyê pêkhateyên dî ku dikare added an dabirîn referans."
 DocType: Asset Settings,Number of Days in Fiscal Year,Hejmara rojan di sala fînansê de
@@ -4713,7 +4770,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain / Account Loss
 DocType: Amazon MWS Settings,MWS Credentials,MWS kredî
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Karker û Beşdariyê
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Armanca divê yek ji yên bê {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Armanca divê yek ji yên bê {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Formê tije bikin û wê xilas bike
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forûma Civakî
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,qty Actual li stock
@@ -4729,7 +4786,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Rate Selling Standard
 DocType: Account,Rate at which this tax is applied,Rate at ku ev tax sepandin
 DocType: Cash Flow Mapper,Section Name,Navekî Navîn
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,DIRTYHERTZ Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,DIRTYHERTZ Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Rêjeya Rêjeya {0}: Piştî ku jiyanê kêrhatî divê hêvîdar be hêvîkirin ji bilî an jî wekhevî {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Openings Job niha:
 DocType: Company,Stock Adjustment Account,Account Adjustment Stock
@@ -4739,8 +4796,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sîstema User (login) ID. Heke were avakirin, ew jî wê bibin standard ji bo hemû formên HR."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Agahdariya nirxandinê binivîse
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Ji {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Ji bo xwendekaran {0} ji ber ku ji xwendekaran ve hat berdan heye {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Ji bo hemî bereya Tenduristî ya bihayê nûçeyê nûjen kirin. Ew dikare çend deqeyan bistînin.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Ji bo hemî bereya Tenduristî ya bihayê nûçeyê nûjen kirin. Ew dikare çend deqeyan bistînin.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Name ji Account nû. Not: Ji kerema xwe, hesabên ji bo muşteriyan û Bed biafirîne"
 DocType: POS Profile,Display Items In Stock,In Stock Stocks
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Country default şehreza Şablonên Address
@@ -4770,16 +4828,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Ji bo {0} dirûşmeyan di şemiyê de ne zêde ne
 DocType: Product Bundle,List items that form the package.,tomar Lîsteya ku pakêta avakirin.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nayê destûr kirin. Ji kerema xwe Şablon Şablonê test bike
+DocType: Delivery Note,Distance (in km),Distanca (kîlometre)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Kodek rêjeya divê ji% 100 wekhev be
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Ji kerema xwe ve Mesaj Date Beriya hilbijartina Partiya hilbijêre
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Ji kerema xwe ve Mesaj Date Beriya hilbijartina Partiya hilbijêre
 DocType: Program Enrollment,School House,House School
 DocType: Serial No,Out of AMC,Out of AMC
+DocType: Opportunity,Opportunity Amount,Amûdê Dike
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Hejmara Depreciations civanan ne dikarin bibin mezintir Hejmara Depreciations
 DocType: Purchase Order,Order Confirmation Date,Dîroka Biryara Daxuyaniyê
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-YYYY-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Make Maintenance Visit
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Dîroka destpêkê û roja dawîn bi kartê karker re zêde dike. <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Agahiya Transfer Details
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Ji kerema xwe re ji bo ku bikarhêner ku Sales Manager Master {0} rola xwedî têkilî bi
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Ji kerema xwe re ji bo ku bikarhêner ku Sales Manager Master {0} rola xwedî têkilî bi
 DocType: Company,Default Cash Account,Account Cash Default
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (ne Mişterî an Supplier) master.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ev li ser amadebûna vê Xwendekarên li
@@ -4787,9 +4848,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Lê zêde bike tomar zêdetir an form tije vekirî
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Notes Delivery {0} divê berî betalkirinê ev Sales Order were betalkirin
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Herin Bikarhênerên
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,pereyan + hewe Off Mîqdar ne dikarin bibin mezintir Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,pereyan + hewe Off Mîqdar ne dikarin bibin mezintir Grand Total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} e a Number Batch derbasdar e ji bo vî babetî bi {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Têbînî: e balance îzna bes ji bo Leave Type tune ne {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Têbînî: e balance îzna bes ji bo Leave Type tune ne {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN çewt an NA Enter bo ne-endam
 DocType: Training Event,Seminar,Semîner
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program hejmartina Fee
@@ -4806,7 +4867,7 @@
 DocType: Fee Schedule,Fee Schedule,Cedwela Fee
 DocType: Company,Create Chart Of Accounts Based On,Create Chart bikarhênerên li ser
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Ne nikarin ew bi ne-koman veguherînin. Tîmên Zarokan hene.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Roja bûyînê ne dikarin bibin mezintir îro.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Roja bûyînê ne dikarin bibin mezintir îro.
 ,Stock Ageing,Stock Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Bi Tevahî Sponsored, Pêdiviya Partiya Tevlêbûnê"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Xwendekarên {0} dijî serlêder Xwendekarê hene {1}
@@ -4853,11 +4914,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,berî ku lihevhatina
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Bac û tawana Ev babete ji layê: (Company Exchange)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Bacê babete {0} de divê hesabê type Bacê an Hatinê an jî Expense an Chargeable hene
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Bacê babete {0} de divê hesabê type Bacê an Hatinê an jî Expense an Chargeable hene
 DocType: Sales Order,Partly Billed,hinekî billed
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,"Babetê {0}, divê babete Asset Fixed be"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Variants Make
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Variants Make
 DocType: Item,Default BOM,Default BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Amûr Barkirî (Bi rêya Barkirina Bazirganî)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debit Têbînî Mîqdar
@@ -4886,14 +4947,14 @@
 DocType: Notification Control,Custom Message,Message Custom
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Banking Investment
 DocType: Purchase Invoice,input,beyan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Cash an Bank Account ji bo çêkirina entry peredana wêneke e
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Cash an Bank Account ji bo çêkirina entry peredana wêneke e
 DocType: Loyalty Program,Multiple Tier Program,Bernameya Piraniya Tier
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Address Student
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Address Student
 DocType: Purchase Invoice,Price List Exchange Rate,List Price Exchange Rate
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,All Supplier Groups
 DocType: Employee Boarding Activity,Required for Employee Creation,Pêdivî ye ku ji bo karmendiya karkerê
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Hejmara Hesabê {0} ji berê ve tê bikaranîn {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Hejmara Hesabê {0} ji berê ve tê bikaranîn {1}
 DocType: GoCardless Mandate,Mandate,Mandate
 DocType: POS Profile,POS Profile Name,Navê POS Navê
 DocType: Hotel Room Reservation,Booked,Pirtûka
@@ -4909,18 +4970,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Çavkanî No diyarkirî ye, eger tu ketin Date Reference"
 DocType: Bank Reconciliation Detail,Payment Document,Dokumentê Payment
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Çewtiya nirxandina formula standard
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Date of bizaveka divê mezintir Date jidayikbûnê be
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Date of bizaveka divê mezintir Date jidayikbûnê be
 DocType: Subscription,Plans,Plana
 DocType: Salary Slip,Salary Structure,Structure meaş
 DocType: Account,Bank,Banke
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Şîrketa balafiran
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Doza Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Doza Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ConnectPage with ERPNext Connect Connect
 DocType: Material Request Item,For Warehouse,ji bo Warehouse
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Daxuyaniya şandin {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Daxuyaniya şandin {0}
 DocType: Employee,Offer Date,Pêşkêşiya Date
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Quotations
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Tu di moda negirêdayî ne. Tu nikarî wê ji nû ve, heta ku hûn torê."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Quotations
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Tu di moda negirêdayî ne. Tu nikarî wê ji nû ve, heta ku hûn torê."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Pişgirî
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,No komên xwendekaran tên afirandin.
 DocType: Purchase Invoice Item,Serial No,Serial No
@@ -4932,24 +4993,26 @@
 DocType: Sales Invoice,Customer PO Details,Pêkûpêk PO
 DocType: Stock Entry,Including items for sub assemblies,Di nav wan de tomar bo sub meclîsên
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Account Account
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Enter nirxa divê erênî be
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Enter nirxa divê erênî be
 DocType: Asset,Finance Books,Fînansên Fînansî
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Daxuyaniya Danûstandina Bacê ya Xebatê
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Hemû Territories
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Ji kerema xwe re polîtîkayê ji bo karmendê {0} di karker / qeydeya karker de bisekinin
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Biryareke çewt ya ji bo kirrûbirr û hilberê hilbijartî
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Biryareke çewt ya ji bo kirrûbirr û hilberê hilbijartî
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Multiple Tasks
 DocType: Purchase Invoice,Items,Nawy
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Dîroka Dawîn nikare berî Destpêk Dîroka.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Xwendekarên jixwe digirin.
 DocType: Fiscal Year,Year Name,Navê sal
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,in holidays zêdetir ji rojên xebatê de vê mehê hene.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,in holidays zêdetir ji rojên xebatê de vê mehê hene.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Pirsên jêrîn {0} ne wekî wekî {1} nîşankirin. Hûn dikarin ji wan re xuya bikin ku ji {1} tiştê ji masterê xwe ve
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Product Bundle babetî
 DocType: Sales Partner,Sales Partner Name,Navê firotina Partner
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Daxwaza ji bo Quotations
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Daxwaza ji bo Quotations
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maximum Mîqdar bi fatûreyên
 DocType: Normal Test Items,Normal Test Items,Test Test Items
+DocType: QuickBooks Migrator,Company Settings,Mîhengên Kompaniyê
 DocType: Additional Salary,Overwrite Salary Structure Amount,Amûr Daxistina Salarya Daxistinê
 DocType: Student Language,Student Language,Ziman Student
 apps/erpnext/erpnext/config/selling.py +23,Customers,muşteriyan
@@ -4962,22 +5025,24 @@
 DocType: Issue,Opening Time,Time vekirinê
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,From û To dîrokên pêwîst
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Ewlehiya &amp; Borsayên Tirkiyeyê
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default Unit ji pîvanê ji bo Variant &#39;{0}&#39;, divê wekî li Şablon be &#39;{1}&#39;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default Unit ji pîvanê ji bo Variant &#39;{0}&#39;, divê wekî li Şablon be &#39;{1}&#39;"
 DocType: Shipping Rule,Calculate Based On,Calcolo li ser
 DocType: Contract,Unfulfilled,Neheq
 DocType: Delivery Note Item,From Warehouse,ji Warehouse
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Ji bo krîterên nirxên ne karmendan tune
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,No babet bi Bill ji materyalên ji bo Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,No babet bi Bill ji materyalên ji bo Manufacture
 DocType: Shopify Settings,Default Customer,Berpirsiyarê Default
+DocType: Sales Stage,Stage Name,Stage Navê
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY-
 DocType: Assessment Plan,Supervisor Name,Navê Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Bawer bikin ku heger wê roja ku ji bo rûniştinê hate çêkirin
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Ship To State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Ship To State
 DocType: Program Enrollment Course,Program Enrollment Course,Program hejmartina Kurs
 DocType: Program Enrollment Course,Program Enrollment Course,Program hejmartina Kurs
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Bikarhêner {0} ji berê ve hatî damezirandin ji bo Bijîşkek Lênêrîna Nexweş {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Stock Entry
 DocType: Purchase Taxes and Charges,Valuation and Total,Valuation û Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Daxuyanî / Çavdêriya
 DocType: Leave Encashment,Encashment Amount,Amûdê Amûdê
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Bileyên Expired
@@ -4987,7 +5052,7 @@
 DocType: Staffing Plan Detail,Current Openings,Open Openings
 DocType: Notification Control,Customize the Notification,Sīroveyan agahdar bike
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Flow Cash ji operasyonên
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Ameya CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Ameya CGST
 DocType: Purchase Invoice,Shipping Rule,Rule Shipping
 DocType: Patient Relation,Spouse,Jin
 DocType: Lab Test Groups,Add Test,Test Add
@@ -5001,14 +5066,14 @@
 DocType: Payroll Entry,Payroll Frequency,Frequency payroll
 DocType: Lab Test Template,Sensitivity,Hisê nazik
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Sync temamî hate qedexekirin, ji ber ku herî zêde veguhestin"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Raw
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Raw
 DocType: Leave Application,Follow via Email,Follow via Email
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Santralên û Machineries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Şêwaz Bacê Piştî Mîqdar Discount
 DocType: Patient,Inpatient Status,Rewşa Nexweş
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Settings Nasname Work rojane
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Lîsteya bihayê bijartî divê pêdiviyên kirîna firotanê û firotanê kontrol bikin
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Ji kerema xwe re Reqd bi dahatinê binivîse
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Lîsteya bihayê bijartî divê pêdiviyên kirîna firotanê û firotanê kontrol bikin
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Ji kerema xwe re Reqd bi dahatinê binivîse
 DocType: Payment Entry,Internal Transfer,Transfer navxweyî
 DocType: Asset Maintenance,Maintenance Tasks,Tîmên Parastinê
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,An QTY hedef an miqdar hedef diyarkirî e
@@ -5030,7 +5095,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ragihandina dawî
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ragihandina dawî
 ,TDS Payable Monthly,TDS Tenê Monthly
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Ji bo guhertina BOM. Ew dikare çend deqeyan bistînin.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Ji bo guhertina BOM. Ew dikare çend deqeyan bistînin.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ne dikarin dadixînin dema kategoriyê e ji bo &#39;Valuation&#39; an jî &#39;Valuation û Total&#39;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos pêwîst ji bo vî babetî weşandin {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Payments Match bi fatûreyên
@@ -5043,7 +5108,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Têxe
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Pol By
 DocType: Guardian,Interests,berjewendiyên
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Çalak / currencies astengkirin.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Çalak / currencies astengkirin.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nikarî çend salary slênan nekarin
 DocType: Exchange Rate Revaluation,Get Entries,Bixwînin
 DocType: Production Plan,Get Material Request,Get Daxwaza Material
@@ -5065,15 +5130,16 @@
 DocType: Lead,Lead Type,Lead Type
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Destûra te tune ku ji bo pejirandina pelên li ser Kurdî Nexşe Block
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Hemû van tomar niha ji fatore dîtin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Dîroka Nû Nûvekirinê Hilbijêre
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Dîroka Nû Nûvekirinê Hilbijêre
 DocType: Company,Monthly Sales Target,Target Target Monthly
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Nikare were pejirandin {0}
 DocType: Hotel Room,Hotel Room Type,Type Room Room
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Supplier&gt; Supplier Type
 DocType: Leave Allocation,Leave Period,Dema bihêlin
 DocType: Item,Default Material Request Type,Default Material request type
 DocType: Supplier Scorecard,Evaluation Period,Dema Nirxandinê
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Nenas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Fermana kar nehatiye afirandin
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Fermana kar nehatiye afirandin
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Gelek {0} ji berê ve ji bo beşek {1} hat pejirandin, \ neya mêjeya wekhev an jî ji bilî mezintir veke {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Shipping Şertên Rule
@@ -5108,14 +5174,14 @@
 DocType: Batch,Source Document Name,Source Name dokumênt
 DocType: Production Plan,Get Raw Materials For Production,Ji bo hilberîna hilberan
 DocType: Job Opening,Job Title,Manşeta şolê
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} nîşan dide ku {1} dê nirxandin nekirî, lê hemî tiştan \ nirxandin. Guherandinên RFQê radigihîne."
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Bom Costa xwe bixweber bike
 DocType: Lab Test,Test Name,Navnîşa testê
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Vebijêrk Clinical Procedure Consumable
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Create Users
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Xiram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Subscriptions
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Subscriptions
 DocType: Supplier Scorecard,Per Month,Per Month
 DocType: Education Settings,Make Academic Term Mandatory,Termê akademîk çêbikin
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Diravan ji bo Manufacture divê mezintir 0 be.
@@ -5124,10 +5190,10 @@
 DocType: Stock Entry,Update Rate and Availability,Update Rate û Amadeyî
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Rêjeya we bi destûr bistînin an rizgar zêdetir li dijî dorpêçê de ferman da. Ji bo nimûne: Ger tu 100 yekîneyên emir kirine. û bistînin xwe 10% îdî tu bi destûr bo wergirtina 110 yekîneyên e.
 DocType: Loyalty Program,Customer Group,mişterî Group
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} ji bo karûbarê # {3} li qefta dawî ya 2 {2} ji bo hilberên qedandî ne temam kirin. Ji kerema xwe ji statûya xebata veguhastina Time Logs bikin
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} ji bo karûbarê # {3} li qefta dawî ya 2 {2} ji bo hilberên qedandî ne temam kirin. Ji kerema xwe ji statûya xebata veguhastina Time Logs bikin
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Batch ID New (Li gorî daxwazê)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Batch ID New (Li gorî daxwazê)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},account Expense bo em babete wêneke e {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},account Expense bo em babete wêneke e {0}
 DocType: BOM,Website Description,Website Description
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Change Net di Sebra min
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Ji kerema xwe ve poşmaniya kirînê bi fatûreyên {0} pêşîn
@@ -5142,7 +5208,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,e ku tu tişt ji bo weşînertiya hene.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Form View
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Mesrefên Derheqê Bêguman Têkoşîna Derheqê
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Nasname ji bo vê mehê de û çalakiyên hîn
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Nasname ji bo vê mehê de û çalakiyên hîn
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ji kerema xwe re Peymana Navnetewî ya Giştî / Girtîgeha Navdewletî ya Navxweyî li Company {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Bikaranîna xwe ji rêxistinê xwe, ji bilî xwe zêde bike."
 DocType: Customer Group,Customer Group Name,Navê Mişterî Group
@@ -5152,14 +5218,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Naveroka maddî tune ne
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Deyn Mîqdar dikarin Maximum Mîqdar deyn ji mideyeka ne bêtir ji {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Îcaze
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Ji kerema xwe re vê bi fatûreyên {0} ji C-Form jê {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Ji kerema xwe re vê bi fatûreyên {0} ji C-Form jê {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Ji kerema xwe ve çêşît Forward hilbijêre, eger hûn jî dixwazin ku di nav hevsengiyê sala diravî ya berî bernadin ji bo vê sala diravî ya"
 DocType: GL Entry,Against Voucher Type,Li dijî Type Vienna
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Slots zêdekirin
 DocType: Item,Attributes,taybetmendiyên xwe
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Şablon
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Ji kerema xwe re têkevin hewe Off Account
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Ji kerema xwe re têkevin hewe Off Account
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Last Order Date
 DocType: Salary Component,Is Payable,Pêdivî ye
 DocType: Inpatient Record,B Negative,B Negative
@@ -5170,7 +5236,7 @@
 DocType: Hotel Room,Hotel Room,Room Room
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Account {0} nayê ji şîrketa endamê ne {1}
 DocType: Leave Type,Rounding,Rounding
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Numbers Serial li row {0} nayê bi Delivery Têbînî hev nagirin
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Numbers Serial li row {0} nayê bi Delivery Têbînî hev nagirin
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Gelek Amûr (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Piştre Qanûna Barkirina Qanûna Xerîdar, Têkilî Giştî, Territory, Xizmetkar, Gelek Giştî, Koma Kampanyayê, Pargîdanî û Niştimanî."
 DocType: Student,Guardian Details,Guardian Details
@@ -5179,10 +5245,10 @@
 DocType: Vehicle,Chassis No,Chassis No
 DocType: Payment Request,Initiated,destpêkirin
 DocType: Production Plan Item,Planned Start Date,Plankirin Date Start
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Ji kerema xwe BOM hilbijêre
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Ji kerema xwe BOM hilbijêre
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Girtîgeha Înternetê ya Înternetê
 DocType: Purchase Order Item,Blanket Order Rate,Pirtûka Pelê ya Blanket
-apps/erpnext/erpnext/hooks.py +156,Certification,Şehadet
+apps/erpnext/erpnext/hooks.py +157,Certification,Şehadet
 DocType: Bank Guarantee,Clauses and Conditions,Şert û Şertên
 DocType: Serial No,Creation Document Type,Creation Corî dokumênt
 DocType: Project Task,View Timesheet,View Timesheet
@@ -5207,6 +5273,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,"Dê û bav babet {0} ne, divê bibe babeta Stock"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Lîsteya Malperê
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Hemû Products an Services.
+DocType: Email Digest,Open Quotations,Quotations Open
 DocType: Expense Claim,More Details,Details More
 DocType: Supplier Quotation,Supplier Address,Address Supplier
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget bo Account {1} dijî {2} {3} e {4}. Ev dê ji aliyê biqede {5}
@@ -5221,12 +5288,11 @@
 DocType: Training Event,Exam,Bilbilên
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Çewtiya Marketplace
 DocType: Complaint,Complaint,Gilî
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Warehouse pêwîst ji bo vî babetî stock {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Warehouse pêwîst ji bo vî babetî stock {0}
 DocType: Leave Allocation,Unused leaves,pelên Unused
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Bixwîne Endamê Reşbûnê
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,All Departments
 DocType: Healthcare Service Unit,Vacant,Vala
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Supplier&gt; Supplier Type
 DocType: Patient,Alcohol Past Use,Bikaranîna Pêdivî ya Alkol
 DocType: Fertilizer Content,Fertilizer Content,Naveroka Fertilizer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Kr
@@ -5234,7 +5300,7 @@
 DocType: Tax Rule,Billing State,Dewletê Billing
 DocType: Share Transfer,Transfer,Derbaskirin
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Berî karûbarê vê firotinê ya betal bike ji bo karûbarê karûbar {0} divê betal bike
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch BOM teqiya (di nav wan de sub-meclîs)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch BOM teqiya (di nav wan de sub-meclîs)
 DocType: Authorization Rule,Applicable To (Employee),To wergirtinê (Xebatkarê)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Date ji ber wêneke e
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Increment bo Pêşbîr {0} nikare bibe 0
@@ -5250,7 +5316,7 @@
 DocType: Disease,Treatment Period,Dermankirinê
 DocType: Travel Itinerary,Travel Itinerary,Travel Journey
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Result jixwe veguhestin
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Warehouse razî ye ku ji bo materyalê rawestîne {0} di materyal Rawa
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Warehouse razî ye ku ji bo materyalê rawestîne {0} di materyal Rawa
 ,Inactive Customers,muşteriyan neçalak e
 DocType: Student Admission Program,Maximum Age,Mezin Age
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Ji kerema xwe 3 roj berî veguhestina bîranînê.
@@ -5259,7 +5325,6 @@
 DocType: Stock Entry,Delivery Note No,Delivery Têbînî No
 DocType: Cheque Print Template,Message to show,Message bo nîşan bide
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Yektacirî
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Rêveberiya veguhestina otomatîkî bixweber bike
 DocType: Student Attendance,Absent,Neamade
 DocType: Staffing Plan,Staffing Plan Detail,Pîlana Karanîna Determî
 DocType: Employee Promotion,Promotion Date,Dîroka Pêşveçûn
@@ -5281,7 +5346,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Make Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Print û Stationery
 DocType: Stock Settings,Show Barcode Field,Show Barcode Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Send Emails Supplier
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Send Emails Supplier
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Meaşê niha ve ji bo dema di navbera {0} û {1}, Leave dema serlêdana ne di navbera vê R‧ezkirina dema bê vehûnandin."
 DocType: Fiscal Year,Auto Created,Auto Created
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Vê şîfre bikin ku ji qeydkirina karmendê
@@ -5290,7 +5355,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Invoice {0} no longer exists
 DocType: Guardian Interest,Guardian Interest,Guardian Interest
 DocType: Volunteer,Availability,Berdestbûnî
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Nirxên default default Setup for POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Nirxên default default Setup for POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Hîndarî
 DocType: Project,Time to send,Wextê bişîne
 DocType: Timesheet,Employee Detail,Detail karker
@@ -5313,7 +5378,7 @@
 DocType: Training Event Employee,Optional,Bixwe
 DocType: Salary Slip,Earning & Deduction,Maaş &amp; dabirîna
 DocType: Agriculture Analysis Criteria,Water Analysis,Analysis
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Guhertin {0}.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Guhertin {0}.
 DocType: Amazon MWS Settings,Region,Herêm
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Bixwe. Vê mîhengê wê were bikaranîn ji bo palavtina karê cuda cuda.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Rate Valuation neyînî nayê ne bi destûr
@@ -5332,7 +5397,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Cost ji Asset belav
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Navenda Cost ji bo babet wêneke e {2}
 DocType: Vehicle,Policy No,siyaseta No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Get Nawy ji Bundle Product
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Get Nawy ji Bundle Product
 DocType: Asset,Straight Line,Line Straight
 DocType: Project User,Project User,Project Bikarhêner
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Qelişandin
@@ -5341,7 +5406,7 @@
 DocType: GL Entry,Is Advance,e Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Lifecycle
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Alîkarîkirinê ji Date û amadebûnê To Date wêneke e
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Ji kerema xwe re têkevin &#39;Ma Subcontracted&#39; wek Yes an No
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Ji kerema xwe re têkevin &#39;Ma Subcontracted&#39; wek Yes an No
 DocType: Item,Default Purchase Unit of Measure,Yekîneya Kirûmetî ya Bingeha Navîn
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Last Date Ragihandin
 DocType: Clinical Procedure Item,Clinical Procedure Item,Pirtûka Clinical Procedure
@@ -5366,6 +5431,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Batch New Qty
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Apparel &amp; Accessories
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Nikare karûbarên giran ên giran nekirin. Bawer bikin ku formula derbasdar e.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Li ser wextê nexşirandin Biryara kirînê
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Hejmara Order
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner ku li ser lîsteya berheman dê nîşan bide.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Hên şert û mercên ji bo hesibandina mîqdara shipping
@@ -5374,9 +5440,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Şop
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Can Navenda Cost ji bo ledger bawermendê ne, wek ku hatiye hucûma zarok"
 DocType: Production Plan,Total Planned Qty,Tiştek Plankirî Tiştek
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Nirx vekirinê
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Nirx vekirinê
 DocType: Salary Component,Formula,Formîl
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Template Test Lab
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Hesabê firotanê
 DocType: Purchase Invoice Item,Total Weight,Total Weight
@@ -5394,7 +5460,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Make Daxwaza Material
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Babetê Open {0}
 DocType: Asset Finance Book,Written Down Value,Nirxandina Down Value
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ji kerema xwe veguhastina Sîstema Sîstema Navnetewî di Çavkaniya Mirovan&gt; HR Set
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,"Sales berî betalkirinê ev Sales Order bi fatûreyên {0} bên îptal kirin,"
 DocType: Clinical Procedure,Age,Kalbûn
 DocType: Sales Invoice Timesheet,Billing Amount,Şêwaz Billing
@@ -5403,11 +5468,11 @@
 DocType: Company,Default Employee Advance Account,Hesabê Pêşniyarên Karûbarê Default
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Vîdeo Bigere (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-YYYY-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Account bi mêjera heyî ne jêbirin
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Account bi mêjera heyî ne jêbirin
 DocType: Vehicle,Last Carbon Check,Last Check Carbon
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Mesref Yasayî
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Ji kerema xwe ve dorpêçê de li ser rêza hilbijêre
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Daxistina firotin û firotanê vekin vekin
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Daxistina firotin û firotanê vekin vekin
 DocType: Purchase Invoice,Posting Time,deaktîv bike Time
 DocType: Timesheet,% Amount Billed,% Mîqdar billed
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Mesref Telefon
@@ -5422,14 +5487,14 @@
 DocType: Maintenance Visit,Breakdown,Qeza
 DocType: Travel Itinerary,Vegetarian,Vegetarian
 DocType: Patient Encounter,Encounter Date,Dîrok Dike
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Account: {0} bi currency: {1} ne bên hilbijartin
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Account: {0} bi currency: {1} ne bên hilbijartin
 DocType: Bank Statement Transaction Settings Item,Bank Data,Data Data
 DocType: Purchase Receipt Item,Sample Quantity,Hêjeya nimûne
 DocType: Bank Guarantee,Name of Beneficiary,Navevaniya Niştimanî
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","BOM bi otomatîk bi otomotîfê xwe bixweber bike, li ser rêjeya bihayê bihayê / bihayê rêjeya bihayê / rêjeya kirînê ya bihayê rawestî."
 DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Date Cheque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: account Parent {1} ne aîdî ji şîrketa: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: account Parent {1} ne aîdî ji şîrketa: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Bi serkeftin hat hemû muameleyên girêdayî vê şîrketê!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Wekî ku li ser Date
 DocType: Additional Salary,HR,HR
@@ -5437,7 +5502,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Alerts Alîkariya Nexweş
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Dema cerribandinê
 DocType: Program Enrollment Tool,New Academic Year,New Year (Ekadîmî)
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Return / Credit Têbînî
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Return / Credit Têbînî
 DocType: Stock Settings,Auto insert Price List rate if missing,insert Auto List Price rêjeya eger wenda
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Temamê meblaxa Paid
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5455,10 +5520,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,hucûma zarok dikare bi tenê di bin &#39;Group&#39; type hucûma tên afirandin
 DocType: Attendance Request,Half Day Date,Date nîv Day
 DocType: Academic Year,Academic Year Name,Navê Year (Ekadîmî)
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} destûr nekir ku bi {1} veguherîne. Ji kerema xwe şîrketê biguherînin.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} destûr nekir ku bi {1} veguherîne. Ji kerema xwe şîrketê biguherînin.
 DocType: Sales Partner,Contact Desc,Contact Desc
 DocType: Email Digest,Send regular summary reports via Email.,Send raporên summary nîzamî bi rêya Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Ji kerema xwe ve account default set li Type mesrefan {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Ji kerema xwe ve account default set li Type mesrefan {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Leaves Available
 DocType: Assessment Result,Student Name,Navê Student
 DocType: Hub Tracked Item,Item Manager,Manager babetî
@@ -5483,9 +5548,10 @@
 DocType: Subscription,Trial Period End Date,Dîroka Doza Têkoşînê
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized ne ji ber ku {0} dibuhure ji sînorên
 DocType: Serial No,Asset Status,Status Status
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Di Karûbarên Dimensî de (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurant Table
 DocType: Hotel Room,Hotel Manager,Rêveberê Hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set Rule Bacê ji bo Têxe selikê
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Set Rule Bacê ji bo Têxe selikê
 DocType: Purchase Invoice,Taxes and Charges Added,Bac û tawana Ev babete ji layê
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Berê Nerazîbûnê Rûber {0}: Piştre Dîroka Nirxandina Berî Berî Berî Berî Bikaranîna Dîrok-pey-be
 ,Sales Funnel,govekeke Sales
@@ -5501,10 +5567,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Hemû Groups Mişterî
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Accumulated Ayda
 DocType: Attendance Request,On Duty,Li ser kar
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} de bivênevê ye. Dibe ku rekor Exchange ji bo {1} ji bo {2} tên afirandin ne.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} de bivênevê ye. Dibe ku rekor Exchange ji bo {1} ji bo {2} tên afirandin ne.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Pîlana Karmendê {0} ji berê ve tête navnîşan heye {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Şablon Bacê de bivênevê ye.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Account {0}: account Parent {1} tune
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Account {0}: account Parent {1} tune
 DocType: POS Closing Voucher,Period Start Date,Dema Destpêk Dîrok
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Price List Rate (Company Exchange)
 DocType: Products Settings,Products Settings,Products Settings
@@ -5524,7 +5590,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Ev çalakiyê dê barkirina paşerojê rawestînin. Ma hûn bawer dikin ku hûn ji bo vê endamê betal bikin?
 DocType: Serial No,Distinct unit of an Item,yekîneyên cuda yên vî babetî
 DocType: Supplier Scorecard Criteria,Criteria Name,Nasname
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Xêra xwe Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Xêra xwe Company
 DocType: Procedure Prescription,Procedure Created,Procedure afirandin
 DocType: Pricing Rule,Buying,kirîn
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Derman û Fertilizer
@@ -5541,43 +5607,44 @@
 DocType: Employee Onboarding,Job Offer,Pêşniyarê kar
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Abbreviation Enstîtuya
 ,Item-wise Price List Rate,List Price Rate babete-şehreza
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Supplier Quotation
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Supplier Quotation
 DocType: Quotation,In Words will be visible once you save the Quotation.,Li Words xuya dê bibe dema ku tu Quotation xilas bike.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Diravan ({0}) ne dikarin bibin fraction li row {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Diravan ({0}) ne dikarin bibin fraction li row {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Diravan ({0}) ne dikarin bibin fraction li row {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Diravan ({0}) ne dikarin bibin fraction li row {1}
 DocType: Contract,Unsigned,Unsigned
 DocType: Selling Settings,Each Transaction,Her Transaction
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} niha di vî babetî bikaranîn {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} niha di vî babetî bikaranîn {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,"Qaîdeyên ji bo got, heqê şandinê."
 DocType: Hotel Room,Extra Bed Capacity,Extra Bed Capacity
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Berbiçav
 DocType: Item,Opening Stock,vekirina Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Mişterî pêwîst e
 DocType: Lab Test,Result Date,Result Date
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Dîrok
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Dîrok
 DocType: Purchase Order,To Receive,Hildan
 DocType: Leave Period,Holiday List for Optional Leave,Lîsteya Bersîvê Ji bo Bijareya Bijartinê
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Xwedêkariya xwedan
 DocType: Purchase Invoice,Reason For Putting On Hold,Reason for Putting On Hold
 DocType: Employee,Personal Email,Email şexsî
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Total Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Total Variance
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Heke hilbijartî be, di sîstema wê entries hisêba ji bo ambaran de automatically binivîse."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,brokerage
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Amadebûna ji bo karker {0} ji niha ve ji bo vê roja nîşankirin
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Amadebûna ji bo karker {0} ji niha ve ji bo vê roja nîşankirin
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",li Minutes Demê via &#39;Time Têkeve&#39;
 DocType: Customer,From Lead,ji Lead
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Emir ji bo hilberîna berdan.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Select Fiscal Sal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profile pêwîst ji bo Peyam POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profile pêwîst ji bo Peyam POS
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Points of loyalty will be calculated ((via via Sales Invoice), ji hêla faktora kolektîfê re behsa kirê ye."
 DocType: Program Enrollment Tool,Enroll Students,kul Xwendekarên
 DocType: Company,HRA Settings,HRA Settings
 DocType: Employee Transfer,Transfer Date,Transfer Date
 DocType: Lab Test,Approved Date,Dîroka Endamê
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Selling Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Li Hindîstan û yek warehouse wêneke e
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Li Hindîstan û yek warehouse wêneke e
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Peldanka Girêdanê wekî UOM, Gelek Giştî, Pirtûka û Na Naîreyan."
 DocType: Certification Application,Certification Status,Status Status
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5597,6 +5664,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Berbihevkirinê
 DocType: Work Order,Required Items,Nawy pêwîst
 DocType: Stock Ledger Entry,Stock Value Difference,Cudahiya di Nirx Stock
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Row {0}: {1} {2} ya sîteya li jorê &#39;{1}&#39; nîne
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,çavkaniyê binirxîne mirovan
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Lihevhatin û dayina tezmînat
 DocType: Disease,Treatment Task,Tediya Tedawî
@@ -5614,7 +5682,8 @@
 DocType: Account,Debit,Debit
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Pelên divê li mamoste ji 0.5 terxan kirin
 DocType: Work Order,Operation Cost,Cost Operation
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Outstanding Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Daxuyaniya biryara nasnameyê
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Outstanding Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,armancên Set babetî Pula-şehreza ji bo vê Person Sales.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Rêzefîlma Cîran Cîran Freeze kevintir Than [Rojan]
 DocType: Payment Request,Payment Ordered,Payment Order
@@ -5626,14 +5695,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Destûrê bide bikarhêneran li jêr ji bo pejirandina Applications Leave ji bo rojên block.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Lifecycle
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM bikin
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},rêjeya bo em babete Firotina {0} kêmtir e {1} xwe. rêjeya firotina divê bê Hindîstan û {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},rêjeya bo em babete Firotina {0} kêmtir e {1} xwe. rêjeya firotina divê bê Hindîstan û {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},rêjeya bo em babete Firotina {0} kêmtir e {1} xwe. rêjeya firotina divê bê Hindîstan û {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},rêjeya bo em babete Firotina {0} kêmtir e {1} xwe. rêjeya firotina divê bê Hindîstan û {2}
 DocType: Subscription,Taxes,bacê
 DocType: Purchase Invoice,capital goods,tiştên sermayeyê
 DocType: Purchase Invoice Item,Weight Per Unit,Per Unit Weight
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Pere û bidana
-DocType: Project,Default Cost Center,Navenda Cost Default
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Navenda Cost Default
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transactions Stock
 DocType: Budget,Budget Accounts,Accounts budceya
 DocType: Employee,Internal Work History,Dîroka Work navxweyî
@@ -5666,7 +5734,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Projektiya tenduristiyê ya tendurustiyê ne li ser {0}
 DocType: Stock Entry Detail,Additional Cost,Cost Additional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Can filter li ser Voucher No bingeha ne, eger ji aliyê Vienna kom"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Make Supplier Quotation
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Make Supplier Quotation
 DocType: Quality Inspection,Incoming,Incoming
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Saziyên bacê yên ji bo firotin û kirînê ji nû ve tên afirandin.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Nirxandina encamê {0} jixwe heye.
@@ -5682,7 +5750,7 @@
 DocType: Batch,Batch ID,ID batch
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Têbînî: {0}
 ,Delivery Note Trends,Trends Delivery Note
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Nasname vê hefteyê
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Nasname vê hefteyê
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,In Stock Qty
 ,Daily Work Summary Replies,Bersivên Bersivê Rojane
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Hilbijartina Qeydkirina Demjimêr Bêjin
@@ -5692,7 +5760,7 @@
 DocType: Bank Account,Party,Partî
 DocType: Healthcare Settings,Patient Name,Navekî Nexweş
 DocType: Variant Field,Variant Field,Qada variant
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Location Target
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Location Target
 DocType: Sales Order,Delivery Date,Date Delivery
 DocType: Opportunity,Opportunity Date,Date derfet
 DocType: Employee,Health Insurance Provider,Pêşniyarên sîgorteyê tenduristiyê
@@ -5711,7 +5779,7 @@
 DocType: Employee,History In Company,Dîroka Li Company
 DocType: Customer,Customer Primary Address,Navnîşana Serûpelê
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,bultenên me
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Navnîşa nimreya
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Navnîşa nimreya
 DocType: Drug Prescription,Description/Strength,Dîrok / Strength
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Navnîşana Nû / Navnîşana Nû ya nû çêbike
 DocType: Certification Application,Certification Application,Serîlêdana Sazkirinê
@@ -5722,10 +5790,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,babete heman hatiye nivîsandin çend caran
 DocType: Department,Leave Block List,Dev ji Lîsteya Block
 DocType: Purchase Invoice,Tax ID,ID bacê
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Babetê {0} e setup bo Serial Nos ne. Stûna divê vala be
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Babetê {0} e setup bo Serial Nos ne. Stûna divê vala be
 DocType: Accounts Settings,Accounts Settings,Hesabên Settings
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Destûrdan
 DocType: Loyalty Program,Customer Territory,Herêmê Xerîdar
+DocType: Email Digest,Sales Orders to Deliver,Rêberên firotanê ji bo rizgar bikin
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Gelek hesabê nû, ew ê nav navê navnîşê wek pêşnivîsa tête"
 DocType: Maintenance Team Member,Team Member,Endamê Team
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Ne encam nabe ku şandin
@@ -5735,7 +5804,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total {0} ji bo hemû tomar sifir e, dibe ku ji te re pêwîst &#39;Li dijî wan doz li ser xwer&#39;a&#39; biguhere"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Dîrok ji hêja ji hêja ne
 DocType: Opportunity,To Discuss,birîn
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Ev li ser vê endamê li ser bazarên li ser bingehîn e. Ji bo agahdariyên jêrîn binêrin
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} yekîneyên {1} pêwîst in {2} ji bo temamkirina vê de mêjera.
 DocType: Loan Type,Rate of Interest (%) Yearly,Rêjeya faîzên (%) Hit
 DocType: Support Settings,Forum URL,URL
@@ -5750,7 +5818,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Bêtir hîn bibin
 DocType: Cheque Print Template,Distance from top edge,Distance ji devê top
 DocType: POS Closing Voucher Invoices,Quantity of Items,Hejmarên Hûrgelan
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,List Price {0} kêmendam e yan jî tune
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,List Price {0} kêmendam e yan jî tune
 DocType: Purchase Invoice,Return,Vegerr
 DocType: Pricing Rule,Disable,neçalak bike
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Mode dayinê pêwist e ji bo ku tezmînat
@@ -5758,18 +5826,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Bi rûpela bêhtir bijartî ji bo malperê, nirxên serial, batches etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Rojên Xwerû Dema Rojane Têkilîn
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ku di Batch jimartin ne {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nikarin belav bibin, wekî ku ji niha ve {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nikarin belav bibin, wekî ku ji niha ve {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Checks Required
 DocType: Task,Total Expense Claim (via Expense Claim),Îdîaya Expense Total (via mesrefan)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
 DocType: Job Applicant Source,Job Applicant Source,Serdêriya Karê Çavkaniyê
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Amûr IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Amûr IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Ji bo kompaniya sazkirinê neket
 DocType: Asset Repair,Asset Repair,Tamîrkirin
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Exchange ji BOM # di {1} de divê ji bo pereyê hilbijartin wekhev be {2}
 DocType: Journal Entry Account,Exchange Rate,Rate
 DocType: Patient,Additional information regarding the patient,Agahiyên bêtir li ser nexweşiyê
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Sales Order {0} tê şandin ne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Sales Order {0} tê şandin ne
 DocType: Homepage,Tag Line,Line Tag
 DocType: Fee Component,Fee Component,Fee Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Management ya Korsan
@@ -5784,7 +5852,7 @@
 DocType: Healthcare Practitioner,Mobile,Hejî
 ,Sales Person-wise Transaction Summary,Nasname Transaction firotina Person-şehreza
 DocType: Training Event,Contact Number,Hejmara Contact
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Warehouse {0} tune
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Warehouse {0} tune
 DocType: Cashier Closing,Custody,Lênerînî
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Xweseriya Xweseriya Xweseriya Serkeftinê
 DocType: Monthly Distribution,Monthly Distribution Percentages,Sedaneya Belavkariya mehane
@@ -5799,7 +5867,7 @@
 DocType: Payment Entry,Paid Amount,Şêwaz pere
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Dîtina Sales Cycle
 DocType: Assessment Plan,Supervisor,Gûhliser
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Entry Stock Entry
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Entry Stock Entry
 ,Available Stock for Packing Items,Stock ji bo Nawy jî tê de
 DocType: Item Variant,Item Variant,Babetê Variant
 ,Work Order Stock Report,Report Report Stock Order
@@ -5808,9 +5876,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Wek Supervisor
 DocType: Leave Policy Detail,Leave Policy Detail,Pêveka Polîtîkayê Hilbijêre
 DocType: BOM Scrap Item,BOM Scrap Item,BOM babet Scrap
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,emir Submitted nikare were jêbirin
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","balance Account jixwe di Debit, hûn bi destûr ne ji bo danîna wek &#39;Credit&#39; &#39;Balance Must Be&#39;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Management Quality
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,emir Submitted nikare were jêbirin
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","balance Account jixwe di Debit, hûn bi destûr ne ji bo danîna wek &#39;Credit&#39; &#39;Balance Must Be&#39;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Management Quality
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Babetê {0} neçalakirin
 DocType: Project,Total Billable Amount (via Timesheets),Giştî ya Bilind (Bi rêya Timesheets)
 DocType: Agriculture Task,Previous Business Day,Roja Bazirganî
@@ -5833,15 +5901,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Navendên cost
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Alîkariya Veşêre
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analysis Plant Link
-DocType: Delivery Note,Transporter ID,Nasnameya Transporter
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Nasnameya Transporter
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Pêşniyar
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Rate li ku dabînkerê ya pereyan ji bo pereyan base şîrketê bîya
-DocType: Sales Invoice Item,Service End Date,Dîroka Termê
+DocType: Purchase Invoice Item,Service End Date,Dîroka Termê
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: Nakokiyên Timings bi row {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Destûrê bide Rate Valuation Zero
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Destûrê bide Rate Valuation Zero
 DocType: Bank Guarantee,Receiving,Bistînin
 DocType: Training Event Employee,Invited,vexwendin
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup bikarhênerên Gateway.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup bikarhênerên Gateway.
 DocType: Employee,Employment Type,Type kar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Maldarî Fixed
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange Gain / Loss
@@ -5857,7 +5926,7 @@
 DocType: Tax Rule,Sales Tax Template,Şablon firotina Bacê
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Li Berpirsiyarê Serdanîna Xweseriya Tezmînatê bidin
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Hejmara Navenda Navendê ya Navendê
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Select tomar bo rizgarkirina fatûra
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Select tomar bo rizgarkirina fatûra
 DocType: Employee,Encashment Date,Date Encashment
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Şablon
@@ -5865,13 +5934,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Default Activity Cost bo Type Activity heye - {0}
 DocType: Work Order,Planned Operating Cost,Plankirin Cost Operating
 DocType: Academic Term,Term Start Date,Term Serî Date
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lîsteya danûstandinên hemî parve bikin
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lîsteya danûstandinên hemî parve bikin
+DocType: Supplier,Is Transporter,Transporter e
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Hîndarkirina vexwendinê ji firotanê vexwendina veberhênanê
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,View opp
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,View opp
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Dema Dema Dibistana Dema Dîroka Destpêk û Dema Têkoşîna Trialê Divê Dîroka Destpêk Dabeş bikin
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Rêjeya Navîn
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Gava Tiştê Tevî Di nav deynê şertê divê divê tevahî Gund / Gundî be
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Gava Tiştê Tevî Di nav deynê şertê divê divê tevahî Gund / Gundî be
 DocType: Subscription Plan Detail,Plan,Pîlan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,balance Statement Bank wek per General Ledger
 DocType: Job Applicant,Applicant Name,Navê Applicant
@@ -5899,7 +5969,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,License de derbasdar Qty li Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Libersekînîn
 DocType: Purchase Invoice,Debit Note Issued,Debit Têbînî Issued
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Li Navenda Kredî Li gorî Navenda Kredî ye tenê heke budceya li dijî Navenda Kredê hilbijartî ye
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Li Navenda Kredî Li gorî Navenda Kredî ye tenê heke budceya li dijî Navenda Kredê hilbijartî ye
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Bi kodê kodê, serial no, batch no or barcode"
 DocType: Work Order,Warehouses,wargehan de
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} sermaye ne bi dikarin bê veguhestin
@@ -5910,9 +5980,9 @@
 DocType: Workstation,per hour,Serî saetê
 DocType: Blanket Order,Purchasing,kirînê
 DocType: Announcement,Announcement,Daxûyanî
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Ji bo Batch li Komeleya Xwendekarên Kurdistanê, Batch Xwendekar dê bên ji bo her xwendekarek hejmartina Program vîze."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ne jêbirin wek entry stock ledger ji bo vê warehouse heye.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ne jêbirin wek entry stock ledger ji bo vê warehouse heye.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Belavkirinî
 DocType: Journal Entry Account,Loan,Sened
 DocType: Expense Claim Advance,Expense Claim Advance,Serdanek Pêşveçûn
@@ -5921,7 +5991,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Project Manager
 ,Quoted Item Comparison,Babetê têbinî eyna
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Overlap di navbera {0} û {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dispatch
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dispatch
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max discount destûr bo em babete: {0} {1}% e
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,nirxa Asset Net ku li ser
 DocType: Crop,Produce,Çêkirin
@@ -5931,20 +6001,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Kişandina Materyalê ji bo Hilberînê
 DocType: Item Alternative,Alternative Item Code,Koda Çavdêriya Alternatîf
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rola ku destûr ji bo pêşkêşkirina muamele ku di mideyeka sînorên credit danîn.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Select Nawy ji bo Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Select Nawy ji bo Manufacture
 DocType: Delivery Stop,Delivery Stop,Stop Delivery
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master senkronîzekirina welat, bibe hinek dem bigire"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master senkronîzekirina welat, bibe hinek dem bigire"
 DocType: Item,Material Issue,Doza maddî
 DocType: Employee Education,Qualification,Zanyarî
 DocType: Item Price,Item Price,Babetê Price
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sabûn &amp; Detergent
 DocType: BOM,Show Items,Show babetî
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Ji Time ne dikarin bibin mezintir To Time.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Ma hûn dixwazin ku hemî mişteriyan bi e-nameyê agahdar bikin?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Ma hûn dixwazin ku hemî mişteriyan bi e-nameyê agahdar bikin?
 DocType: Subscription Plan,Billing Interval,Navendiya Navîn
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,emir kir
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Dîroka destpêkê û roja dawî ya rastîn e
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Giştî&gt; Giştî ya Giştî&gt; Herêmî
 DocType: Salary Detail,Component,Perçe
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Row {0}: {1} ji 0 re mezintir be
 DocType: Assessment Criteria,Assessment Criteria Group,Şertên Nirxandina Group
@@ -5975,11 +6046,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Navê navnîşa bankê an saziya lînansê binivîse berî şandin.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,Divê {0} bên şandin
 DocType: POS Profile,Item Groups,Groups babetî
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Îro {0} &#39;s birthday e!
 DocType: Sales Order Item,For Production,ji bo Production
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Balance In Account Currency
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Ji kerema xwe re li karta Hesabê ya vekirî ya vekirî vekin
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Ji kerema xwe re li karta Hesabê ya vekirî ya vekirî vekin
 DocType: Customer,Customer Primary Contact,Têkilî Serûpelê
 DocType: Project Task,View Task,View Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp /% Lead
@@ -5993,11 +6063,11 @@
 DocType: Sales Invoice,Get Advances Received,Get pêşketina pêşwazî
 DocType: Email Digest,Add/Remove Recipients,Zêde Bike / Rake Recipients
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Ji bo danîna vê sala diravî wek Default, klîk le &#39;Set wek Default&#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Amûreya TDS ya xerc kirin
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Amûreya TDS ya xerc kirin
 DocType: Production Plan,Include Subcontracted Items,Têkilî Subcontracted Items
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Bihevgirêdan
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,kêmbûna Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Bihevgirêdan
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,kêmbûna Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye
 DocType: Loan,Repay from Salary,H&#39;eyfê ji Salary
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Ku daxwaz dikin tezmînat li dijî {0} {1} ji bo mîktarê {2}
 DocType: Additional Salary,Salary Slip,Slip meaş
@@ -6013,7 +6083,7 @@
 DocType: Patient,Dormant,dikele û
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Ji bo Xercên Karkerên Neheqdar yên Bacê de
 DocType: Salary Slip,Total Interest Amount,Gelek balkêş
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Wargehan de bi hucûma zarok nikare bê guhartina ji bo ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Wargehan de bi hucûma zarok nikare bê guhartina ji bo ledger
 DocType: BOM,Manage cost of operations,Manage mesrefa ji operasyonên
 DocType: Accounts Settings,Stale Days,Rojên Stale
 DocType: Travel Itinerary,Arrival Datetime,Datetime Arrival
@@ -6025,7 +6095,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Nirxandina Detail Encam
 DocType: Employee Education,Employee Education,Perwerde karker
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,koma babete hate dîtin li ser sifrê koma babete
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Ev pêwîst e ji bo pędivî Details Babetê.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Ev pêwîst e ji bo pędivî Details Babetê.
 DocType: Fertilizer,Fertilizer Name,Navekî Fertilizer
 DocType: Salary Slip,Net Pay,Pay net
 DocType: Cash Flow Mapping Accounts,Account,Konto
@@ -6036,14 +6106,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Li dijî Tezmînata Kirêdariya Navnîşa Dabeşkirina Navnîşan Bikin
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Pevçûnek tûşî (temaşe&gt; 38.5 ° C / 101.3 ° F an tempê tête&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Details firotina Team
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Vemirandina mayînde?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Vemirandina mayînde?
 DocType: Expense Claim,Total Claimed Amount,Temamê meblaxa îdîa
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,derfetên Potential ji bo firotina.
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Invalid {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Leave nexweş
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,ne
 DocType: Delivery Note,Billing Address Name,Billing Name Address
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,dikanên
 ,Item Delivery Date,Dîroka Delivery Date
@@ -6059,16 +6128,16 @@
 DocType: Account,Chargeable,Chargeable
 DocType: Company,Change Abbreviation,Change Abbreviation
 DocType: Contract,Fulfilment Details,Agahdarî
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Pay {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Pay {0} {1}
 DocType: Employee Onboarding,Activities,Çalakî
 DocType: Expense Claim Detail,Expense Date,Date Expense
 DocType: Item,No of Months,Ne meha mehan
 DocType: Item,Max Discount (%),Max Discount (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Rojên Kredê nikare hejmareke neyînî ne
-DocType: Sales Invoice Item,Service Stop Date,Dîrok Stop Stop
+DocType: Purchase Invoice Item,Service Stop Date,Dîrok Stop Stop
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Last Order Mîqdar
 DocType: Cash Flow Mapper,e.g Adjustments for:,Wek nirxandin ji bo:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Sample retaina bingehîn li ser batchê ye, ji kerema xwe ve Batch No Has No check to be deposited by item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Sample retaina bingehîn li ser batchê ye, ji kerema xwe ve Batch No Has No check to be deposited by item"
 DocType: Task,Is Milestone,e Milestone
 DocType: Certification Application,Yet to appear,Dîsa jî xuya dike
 DocType: Delivery Stop,Email Sent To,Email şandin
@@ -6076,16 +6145,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Navenda Krediya Navendê ya Li Hesabê Balance Sheet
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Bi Hesabê heyî ve girêdayî ye
 DocType: Budget,Warn,Gazîgîhandin
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Hemû tiştên ku ji ber vê yekê ji bo Karê Karker ve hatibû veguhestin.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Hemû tiştên ku ji ber vê yekê ji bo Karê Karker ve hatibû veguhestin.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bęjeyek ji axaftinên din jî, hewldana wê xalê de, ku divê di qeydên here."
 DocType: Asset Maintenance,Manufacturing User,manufacturing Bikarhêner
 DocType: Purchase Invoice,Raw Materials Supplied,Madeyên xav Supplied
 DocType: Subscription Plan,Payment Plan,Plana Payan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Bi rêya malperê kirîna tiştên bikirî
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Pirtûka lîsteya bihayê {0} divê {1} an jî {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Rêveberiya Rêveberiyê
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Rêveberiya Rêveberiyê
 DocType: Appraisal,Appraisal Template,appraisal Şablon
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Kodê pinê
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Kodê pinê
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Vê kontrol bikin ku ji hêla timêhevkirina rojane ya rojane ya veşartî ve tê kontrolkirin
 DocType: Item Group,Item Classification,Classification babetî
@@ -6095,6 +6164,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Pêwîstiya Nexweşê
 DocType: Crop,Period,Nixte
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Ledger giştî
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Bi Sala Fiscal
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,View Leads
 DocType: Program Enrollment Tool,New Program,Program New
 DocType: Item Attribute Value,Attribute Value,nirxê taybetmendiyê
@@ -6103,11 +6173,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Baştir DIRTYHERTZ Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Karmend {0} ya grade {1} ne polîtîkaya derengî tune
 DocType: Salary Detail,Salary Detail,Detail meaş
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Ji kerema xwe {0} hilbijêre yekem
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Ji kerema xwe {0} hilbijêre yekem
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Bikarhênerên {0} zêde kirin
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Di rewşê de bernameya pir-tier, Ewrûpa dê ji hêla xercê xwe ve girêdayî xerîb be"
 DocType: Appointment Type,Physician,Bijîşk
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} yên babet {1} xelas bûye.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} yên babet {1} xelas bûye.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Şêwirdarî
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Baş çêbû
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Barkirina Barkirina çend caran tête navnîşan Lîsteyê, Berpirsiyar / Mişterî, Pirtûka Giştî, UOM, Qty û Dates."
@@ -6116,22 +6186,21 @@
 DocType: Certification Application,Name of Applicant,Navekî Serêdanê
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Bîlançoya Time ji bo febrîkayan.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Ji ber veguhastina veberhênanên variant veguherînin nikare guhertin. Divê hûn nifşek nû çêbikin ku ev bikin.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Ji ber veguhastina veberhênanên variant veguherînin nikare guhertin. Divê hûn nifşek nû çêbikin ku ev bikin.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Rêveberiya SEPA GoCardless
 DocType: Healthcare Practitioner,Charges,Tezmînatê
 DocType: Production Plan,Get Items For Work Order,Ji bo Armanca Karê Kar
 DocType: Salary Detail,Default Amount,Default Mîqdar
 DocType: Lab Test Template,Descriptive,Descriptive
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Warehouse li sîstema nehat dîtin
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Nasname vê mehê da
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Nasname vê mehê da
 DocType: Quality Inspection Reading,Quality Inspection Reading,Reading Berhemên Quality
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Cîran Cîran Freeze kevintir Than` divê kêmtir ji% d roj be.
 DocType: Tax Rule,Purchase Tax Template,Bikirin Şablon Bacê
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Armanca ku tu dixwazî ji bo şîrketiya we bigihîne firotina firotanê bike.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Xizmetên tenduristiyê
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Xizmetên tenduristiyê
 ,Project wise Stock Tracking,Project Tracking Stock zana
 DocType: GST HSN Code,Regional,Dorane
-DocType: Delivery Note,Transport Mode,Modeya veguherînê
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Lêkolînxane
 DocType: UOM Category,UOM Category,Kategorî UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Qty rastî (di source / target)
@@ -6154,17 +6223,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Failed to malperê
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Detail UOM Converter
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Entry Stock Entry already created or Quantity Sample not provided
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Entry Stock Entry already created or Quantity Sample not provided
 DocType: Program,Program Abbreviation,Abbreviation Program
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,"Production Order dikarin li dijî Şablon babet ne, bêne zindî kirin"
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Li dijî wan doz bi wergirtina Purchase dijî hev babete ve
 DocType: Warranty Claim,Resolved By,Biryar By
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Discharge schedule
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques û meden bi şaşî kenîştê
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Account {0}: Tu dikarî xwe wek account dê û bav bê peywirdarkirin ne
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Account {0}: Tu dikarî xwe wek account dê û bav bê peywirdarkirin ne
 DocType: Purchase Invoice Item,Price List Rate,Price List Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Create quotes mişterî
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Dîroka Pêdivî ya Pêdivî ye ku piştî Dîroka End-Endê ye
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Dîroka Pêdivî ya Pêdivî ye ku piştî Dîroka End-Endê ye
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Nîşan bide &quot;In Stock&quot; an &quot;Not li Stock&quot; li ser bingeha stock di vê warehouse.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill ji Alav (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Dema averaj ji aliyê şîrketa elektrîkê ji bo gihandina
@@ -6176,11 +6245,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,saetan
 DocType: Project,Expected Start Date,Hêvîkirin Date Start
 DocType: Purchase Invoice,04-Correction in Invoice,04-ڕاستکردنەوە لە پسوولە
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Karê Birêvebirê ji bo hemî tiştên ku BOM bi kar tîne hatiye afirandin
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Karê Birêvebirê ji bo hemî tiştên ku BOM bi kar tîne hatiye afirandin
 DocType: Payment Request,Party Details,Partiya Partiyê
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Report Report
 DocType: Setup Progress Action,Setup Progress Action,Çalakiya Pêşveçûnê
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Lîsteya bihayê bihêlin
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Lîsteya bihayê bihêlin
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Jê babete eger doz e ji bo ku em babete ne
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Daxistina Cancel
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Ji kerema xwe ya Rewşa Saziyê ya ku Hin bihatin an hilbijêre an hilbijêre Dîroka hilbijêre
@@ -6198,7 +6267,7 @@
 DocType: Asset,Disposal Date,Date çespandina
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emails wê ji bo hemû xebatkarên me Active ji şîrketa saet dayîn şandin, eger ew cejna tune ne. Nasname ji bersivên wê li nîvê şevê şandin."
 DocType: Employee Leave Approver,Employee Leave Approver,Xebatkarê Leave Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An entry DIRTYHERTZ berê ve ji bo vê warehouse heye {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An entry DIRTYHERTZ berê ve ji bo vê warehouse heye {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","ne dikare ragihîne wek wenda, ji ber ku Quotation hatiye çêkirin."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Hesabê CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Training Feedback
@@ -6210,7 +6279,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,To date nikarim li ber ji date be
 DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc
 DocType: Cash Flow Mapper,Section Footer,Pace
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Lê zêde bike / Edit Prices
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Lê zêde bike / Edit Prices
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Berhemên Pêşveçûnê Berî beriya Pêşveçûn Dîrok nikare nabe
 DocType: Batch,Parent Batch,Batch dê û bav
 DocType: Cheque Print Template,Cheque Print Template,Cheque Şablon bo çapkirinê
@@ -6220,6 +6289,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Collection Collection
 ,Requested Items To Be Ordered,Nawy xwestin To fermana Be
 DocType: Price List,Price List Name,List Price Name
+DocType: Delivery Stop,Dispatch Information,Agahdariya Daxistinê
 DocType: Blanket Order,Manufacturing,manufacturing
 ,Ordered Items To Be Delivered,Nawy emir kir ku bên radestkirin
 DocType: Account,Income,Hatin
@@ -6238,17 +6308,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} yekîneyên {1} pêwîst in {2} li {3} {4} ji bo {5} ji bo temamkirina vê de mêjera.
 DocType: Fee Schedule,Student Category,Xwendekarên Kategorî
 DocType: Announcement,Student,Zankoyî
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Hêzeya bazirganiyê ku pêvajoya destpêkê ye di nav xanî de ne. Ma hûn dixwazin ku veguherîna Stock Stock
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Hêzeya bazirganiyê ku pêvajoya destpêkê ye di nav xanî de ne. Ma hûn dixwazin ku veguherîna Stock Stock
 DocType: Shipping Rule,Shipping Rule Type,Rêwira Qanûna Rêwîtiyê
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Herin odeyê
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Şirket, Hesabkirina Payan, Ji Dîrok û Dîroka Destûr e"
 DocType: Company,Budget Detail,Danezana Budget
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ji kerema xwe re berî şandina peyamek binivîse
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Li Curenivîsên Dubare BO SUPPLIER
-DocType: Email Digest,Pending Quotations,hîn Quotations
-DocType: Delivery Note,Distance (KM),Distanca (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Supplier&gt; Supplier Group
 DocType: Asset,Custodian,Custodian
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-ji-Sale Profile
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-ji-Sale Profile
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,Divê {0} nirxek di navbera 0 û 100 de
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Payment ji {0} ji {1} heta {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Loans bê çarerserkirin.
@@ -6280,10 +6349,10 @@
 DocType: Lead,Converted,xwe guhert
 DocType: Item,Has Serial No,Has No Serial
 DocType: Employee,Date of Issue,Date of Dozî Kurd
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Li gor Settings Buying eger Buy reciept gireke == &#39;ERÊ&#39;, piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina Meqbûz Buy yekem bo em babete {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Li gor Settings Buying eger Buy reciept gireke == &#39;ERÊ&#39;, piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina Meqbûz Buy yekem bo em babete {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier bo em babete {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: value Hours divê ji sifirê mezintir be.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Website Wêne {0} girêdayî babet {1} nayê dîtin
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Website Wêne {0} girêdayî babet {1} nayê dîtin
 DocType: Issue,Content Type,Content Type
 DocType: Asset,Assets,Tiştan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Komûter
@@ -6294,7 +6363,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} tune
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Ji kerema xwe ve vebijêrk Exchange Multi bi rê bikarhênerên bi pereyê din jî
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Babet: {0} nayê di sîstema tune
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Tu bi destûr ne ji bo danîna nirxa Frozen
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Tu bi destûr ne ji bo danîna nirxa Frozen
 DocType: Payment Reconciliation,Get Unreconciled Entries,Get Unreconciled Arşîva
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Xebatkar {0} li Niştecîh {1} ye
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Ne vegerandin ji bo Journal Entry hilbijartin
@@ -6312,13 +6381,14 @@
 ,Average Commission Rate,Average Rate Komîsyona
 DocType: Share Balance,No of Shares,Naveroka ne
 DocType: Taxable Salary Slab,To Amount,Ji bo Weqfa
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;Has No Serial&#39; nikare bibe &#39;&#39; Erê &#39;&#39; ji bo non-stock babete
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;Has No Serial&#39; nikare bibe &#39;&#39; Erê &#39;&#39; ji bo non-stock babete
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Status hilbijêre
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Amadebûna dikarin di dîrokên pêşeroja bo ne bên nîşankirin
 DocType: Support Search Source,Post Description Key,Sernavê Key
 DocType: Pricing Rule,Pricing Rule Help,Rule Pricing Alîkarî
 DocType: School House,House Name,Navê House
 DocType: Fee Schedule,Total Amount per Student,Bi tevahî hejmara xwendekaran
+DocType: Opportunity,Sales Stage,Stage
 DocType: Purchase Taxes and Charges,Account Head,Serokê account
 DocType: Company,HRA Component,HRA Component
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Electrical
@@ -6326,15 +6396,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Cudahiya di Total Nirx (Out - In)
 DocType: Grant Application,Requested Amount,Daxwaza Amûdê
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Exchange Rate wêneke e
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID&#39;ya bikarhêner ji bo karkirinê set ne {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID&#39;ya bikarhêner ji bo karkirinê set ne {0}
 DocType: Vehicle,Vehicle Value,Nirx Vehicle
 DocType: Crop Cycle,Detected Diseases,Nexweşiyên Nexweş
 DocType: Stock Entry,Default Source Warehouse,Default Warehouse Source
 DocType: Item,Customer Code,Code mişterî
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Reminder Birthday ji bo {0}
 DocType: Asset Maintenance Task,Last Completion Date,Dîroka Dawîn Dawîn
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Rojan de ji sala Last Order
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,"Debit To account, divê hesabekî Bîlançoya be"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,"Debit To account, divê hesabekî Bîlançoya be"
 DocType: Asset,Naming Series,Series Bidin
 DocType: Vital Signs,Coated,Vekirî
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Hêjeya Expected Value Piştî Piştî Jiyana Karên Bikaranîna Divê Ji Gelek Kirîna Grossê kêmtir be
@@ -6352,15 +6421,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Delivery Têbînî {0} divê şandin ne bê
 DocType: Notification Control,Sales Invoice Message,Sales bi fatûreyên Message
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Girtina Account {0} de divê ji type mesulîyetê / Sebra min be
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Slip meaşê karmendekî {0} berê ji bo kaxeza dem tên afirandin {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Slip meaşê karmendekî {0} berê ji bo kaxeza dem tên afirandin {1}
 DocType: Vehicle Log,Odometer,Green
 DocType: Production Plan Item,Ordered Qty,emir kir Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Babetê {0} neçalak e
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Babetê {0} neçalak e
 DocType: Stock Settings,Stock Frozen Upto,Stock Upto Frozen
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM nade ti stock babete ne
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM nade ti stock babete ne
 DocType: Chapter,Chapter Head,Şemiyê
 DocType: Payment Term,Month(s) after the end of the invoice month,Piştî dawiya mehê ya mehê
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Structural Salary divê beşek fonksiyonek lezgîn e ku ji bo mûçûna fînansê distîne
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Structural Salary divê beşek fonksiyonek lezgîn e ku ji bo mûçûna fînansê distîne
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,çalakiyên Project / erka.
 DocType: Vital Signs,Very Coated,Gelek Kişandin
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Tenê Bandora Bandora Tenê (Qanûna Qeyd nekin Lê Beş Partiya Bacdayîn)
@@ -6378,7 +6447,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Saet Billing
 DocType: Project,Total Sales Amount (via Sales Order),Giştî ya Firotinê (ji hêla firotina firotanê)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM Default ji bo {0} nehate dîtin
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Hêvîye set dorpêçê de DIRTYHERTZ
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Hêvîye set dorpêçê de DIRTYHERTZ
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tap tomar ji wan re lê zêde bike here
 DocType: Fees,Program Enrollment,Program nivîsînî
 DocType: Share Transfer,To Folio No,To Folio No
@@ -6419,9 +6488,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Hêz
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Pêşniyarên sazkirinê
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Naveroka Hilbijartinê Na ku ji bo Meriv {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Naveroka Hilbijartinê Na ku ji bo Meriv {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Karmend {0} tune ye heqê herî zêde tune
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Li gor danûstandinên Navnîşê li ser hilbijêre
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Li gor danûstandinên Navnîşê li ser hilbijêre
 DocType: Grant Application,Has any past Grant Record,Gelek Grant Record
 ,Sales Analytics,Analytics Sales
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Available {0}
@@ -6430,12 +6499,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Settings manufacturing
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Avakirina Email
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Ji kerema xwe ve currency default li Company Master binivîse
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Ji kerema xwe ve currency default li Company Master binivîse
 DocType: Stock Entry Detail,Stock Entry Detail,Detail Stock Peyam
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Reminders rojane
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Reminders rojane
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Hemû bilêtên vekirî bibînin
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Tree Tree Service
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Mal
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Mal
 DocType: Products Settings,Home Page is Products,Home Page e Products
 ,Asset Depreciation Ledger,Asset Ledger Farhad.
 DocType: Salary Structure,Leave Encashment Amount Per Day,Per Dayek Nerazîbûnê Derkeve
@@ -6445,8 +6514,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Cost madeyên xav Supplied
 DocType: Selling Settings,Settings for Selling Module,Mîhengên ji bo Firotina Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Reservation Room Hotel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Balkeş bûn
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Balkeş bûn
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Têkilî bi nasnameyên email-ê nehat dîtin.
 DocType: Item Customer Detail,Item Customer Detail,Babetê Detail Mişterî
 DocType: Notification Control,Prompt for Email on Submission of,"Bibêje, ji bo Email li ser Şandekê ji"
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Gelek xercê karmendê {0} zêde dike {1}
@@ -6456,7 +6526,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Babetê {0} divê stock babete be
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Default Kar In Warehouse Progress
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Schedule ji bo {0} overlaps, tu dixwazî piştî ku paqijkirina slotên bêhtir diçin?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,mîhengên standard ji bo muameleyên hisêba.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,mîhengên standard ji bo muameleyên hisêba.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Şablon
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Xwendekar xwendekar bûne
@@ -6464,6 +6534,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Stock Qty
 DocType: Purchase Invoice Item,Stock Qty,Stock Qty
 DocType: Contract,Requires Fulfilment,Pêdivî ye Fulfillment
+DocType: QuickBooks Migrator,Default Shipping Account,Accounting Default Shipping
 DocType: Loan,Repayment Period in Months,"Period dayinê, li Meh"
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Çewtî: Not a id derbasdar e?
 DocType: Naming Series,Update Series Number,Update Hejmara Series
@@ -6477,11 +6548,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Max Amount
 DocType: Journal Entry,Total Amount Currency,Temamê meblaxa Exchange
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Meclîsên Search bînrawe
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Code babete pêwîst li Row No {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Code babete pêwîst li Row No {0}
 DocType: GST Account,SGST Account,Hesabê SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Herin Vegere
 DocType: Sales Partner,Partner Type,Type partner
-DocType: Purchase Taxes and Charges,Actual,Rast
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Rast
 DocType: Restaurant Menu,Restaurant Manager,Rêveberê Restaurant
 DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet ji bo karên.
@@ -6502,7 +6573,7 @@
 DocType: Employee,Cheque,Berçavkirinî
 DocType: Training Event,Employee Emails,Employee Emails
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Series Demê
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Report Type wêneke e
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Report Type wêneke e
 DocType: Item,Serial Number Series,Series Hejmara Serial
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse bo stock babet {0} li row wêneke e {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retail &amp; Wholesale
@@ -6533,7 +6604,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Amûrkirina Barkirina Bargirtina Bazirganî ya Bazirganî
 DocType: BOM,Materials,materyalên
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Heke ne, di lîsteyê de wê ji bo her Beşa ku wê were sepandin bê zêdekirin."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,date mesaj û dem bi mesaj û wêneke e
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,date mesaj û dem bi mesaj û wêneke e
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,şablonê Bacê ji bo kirîna muamele.
 ,Item Prices,Prices babetî
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Li Words xuya dê careke we kirî ya Order xilas bike.
@@ -6549,12 +6620,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Saziya ji bo Hatina Barkirina Bazirganiyê (Entry Journal)
 DocType: Membership,Member Since,Ji ber ku ji
 DocType: Purchase Invoice,Advance Payments,Advance Payments
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Ji kerema xwe xizmetguzariya tendurustiyê hilbijêr
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Ji kerema xwe xizmetguzariya tendurustiyê hilbijêr
 DocType: Purchase Taxes and Charges,On Net Total,Li ser Net Total
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Nirx ji bo Pêşbîr {0} de divê di nava cûrbecûr yên bê {1} ji bo {2} di çend qonaxan ji {3} ji bo babet {4}
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorî
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Exchange dikarin piştî çêkirina entries bikaranîna hinek dî ne bê guhertin
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Exchange dikarin piştî çêkirina entries bikaranîna hinek dî ne bê guhertin
 DocType: Shipping Rule,Fixed,Tişt
 DocType: Vehicle Service,Clutch Plate,Clutch deşta
 DocType: Company,Round Off Account,Li dora Off Account
@@ -6563,7 +6634,7 @@
 DocType: Subscription Plan,Based on price list,Li ser lîsteya bihayê bihayê
 DocType: Customer Group,Parent Customer Group,Dê û bav Mişterî Group
 DocType: Vehicle Service,Change,Gûherrandinî
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Abonetî
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Abonetî
 DocType: Purchase Invoice,Contact Email,Contact Email
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Pending Creation Pending
 DocType: Appraisal Goal,Score Earned,score Earned
@@ -6591,23 +6662,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Teleb / cîhde Account
 DocType: Delivery Note Item,Against Sales Order Item,Li dijî Sales Order babetî
 DocType: Company,Company Logo,Company Logo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Ji kerema xwe binivîsin nirxê taybetmendiyê ji bo pêşbîrê {0}
-DocType: Item Default,Default Warehouse,Default Warehouse
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Ji kerema xwe binivîsin nirxê taybetmendiyê ji bo pêşbîrê {0}
+DocType: QuickBooks Migrator,Default Warehouse,Default Warehouse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budceya dikare li hember Account Pol ne bibin xwediyê rêdan û {0}
 DocType: Shopping Cart Settings,Show Price,Bihêjin
 DocType: Healthcare Settings,Patient Registration,Pêdivî ye
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Ji kerema xwe ve navenda mesrefa bav binivîse
 DocType: Delivery Note,Print Without Amount,Print Bê Mîqdar
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Date Farhad.
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Date Farhad.
 ,Work Orders in Progress,Pêşdebirina Karên Karên Pêşveçûn
 DocType: Issue,Support Team,Team Support
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Expiry (Di Days)
 DocType: Appraisal,Total Score (Out of 5),Total Score: (Out of 5)
 DocType: Student Attendance Tool,Batch,batch
 DocType: Support Search Source,Query Route String,Query Route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Rêjeya kirînê ya dawî
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Rêjeya kirînê ya dawî
 DocType: Donor,Donor Type,Tîpa Donor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Vebijêrkek belgekirinê nûve bike
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Vebijêrkek belgekirinê nûve bike
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Bîlanço
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Ji kerema xwe şirket hilbijêre
 DocType: Job Card,Job Card,Kartê kar
@@ -6634,10 +6705,11 @@
 DocType: Journal Entry,Total Debit,Total Debit
 DocType: Travel Request Costing,Sponsored Amount,Sponsored Amount
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Default QediyayîComment Goods Warehouse
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Ji kerema xwe veşêre hilbijêrin
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Ji kerema xwe veşêre hilbijêrin
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Person Sales
 DocType: Hotel Room Package,Amenities,Amenities
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Budceya û Navenda Cost
+DocType: QuickBooks Migrator,Undeposited Funds Account,Hesabê Hesabê Bêguman
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Budceya û Navenda Cost
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Modeya piralî ya pêdivî ye ku pêdivî ye
 DocType: Sales Invoice,Loyalty Points Redemption,Redemption Points
 ,Appointment Analytics,Analytics
@@ -6651,6 +6723,7 @@
 DocType: Batch,Manufacturing Date,Dîroka Manufacture
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Creating Fee Failed
 DocType: Opening Invoice Creation Tool,Create Missing Party,Partiya winda çêbikin
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Giştî Hatîn
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Vala bihêlin eger tu şaşiyekê komên xwendekarên her salê
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Vala bihêlin eger tu şaşiyekê komên xwendekarên her salê
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Eger kontrolkirin, Total tune. ji Xebatê Rojan wê de betlaneyên xwe, û em ê bi nirxê Salary Per Day kêm"
@@ -6668,20 +6741,19 @@
 DocType: Opportunity Item,Basic Rate,Rate bingehîn
 DocType: GL Entry,Credit Amount,Şêwaz Credit
 DocType: Cheque Print Template,Signatory Position,Asta îmze
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Set as Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Set as Lost
 DocType: Timesheet,Total Billable Hours,Total Hours Billable
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Hejmara rojan ku xwediyê pargîdanî divê bi bargayên vê beşdariyê çêbikin
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Xweseriya Serkeftinê ya Karê Karê
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Payment Meqbûz Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ev li ser danûstandinên li dijî vê Mişterî bingeha. Dîtina cedwela li jêr bo hûragahiyan
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: veqetandin mîqdara {1} gerek kêmtir be an jî li beramberî bi mîqdara Peyam Payment {2}
 DocType: Program Enrollment Tool,New Academic Term,Termê nû ya akademîk
 ,Course wise Assessment Report,Rapora Nirxandin Kurs zana
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Bacê Dewleta Dewleta Navnetewî / Dewletên Yekbûyî yên Navnetewî de
 DocType: Tax Rule,Tax Rule,Rule bacê
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Pêkanîna Rate Same Seranserê Cycle Sales
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Ji kerema xwe re wekî bikarhênerek din bikar bînin ku hûn qeyd bikin Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Ji kerema xwe re wekî bikarhênerek din bikar bînin ku hûn qeyd bikin Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plan dem têketin derveyî Hours Workstation Xebatê.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Muşteriyan li Dorê
 DocType: Driver,Issuing Date,Daxuyaniya Dîroka
@@ -6690,11 +6762,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Ji bo pêvajoya bêtir pêvajoya vî karê Birêve bike.
 ,Items To Be Requested,Nawy To bê xwestin
 DocType: Company,Company Info,Company Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Select an jî lê zêde bike mişterî nû
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Select an jî lê zêde bike mişterî nû
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,navenda Cost pêwîst e ji bo kitêba mesrefan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Sepanê ji Funds (Maldarî)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ev li ser amadebûna vê Xebatkara li
-DocType: Assessment Result,Summary,Berhevkirinî
 DocType: Payment Request,Payment Request Type,Request Request
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Beşdariya Mark
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Account Debit
@@ -6702,7 +6773,7 @@
 DocType: Additional Salary,Employee Name,Navê xebatkara
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restaurant Order Entry Item
 DocType: Purchase Invoice,Rounded Total (Company Currency),Total Rounded (Company Exchange)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"ne dikarin bi Pol nepenî, ji ber Type Account hilbijartî ye."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"ne dikarin bi Pol nepenî, ji ber Type Account hilbijartî ye."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} hate guherandin. Ji kerema xwe nû dikin.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Dev ji bikarhêneran ji çêkirina Applications Leave li ser van rojan de.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ger hejmara betalîfên ji bo Hevpeymaniya bêkêmasî nebe, bidawîbûna demdêriya vala an jî 0."
@@ -6723,11 +6794,12 @@
 DocType: Asset,Out of Order,Xirab
 DocType: Purchase Receipt Item,Accepted Quantity,Quantity qebûlkirin
 DocType: Projects Settings,Ignore Workstation Time Overlap,Vebijêrk Demjimêrk Overlap
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Ji kerema xwe ve set a default Lîsteya Holiday ji bo karkirinê {0} an Company {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Ji kerema xwe ve set a default Lîsteya Holiday ji bo karkirinê {0} an Company {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} nizane heye ne
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Numbers Batch Hilbijêre
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,"Fatûrayên xwe rakir, ji bo muşteriyan."
+DocType: Healthcare Settings,Invoice Appointments Automatically,Destnîşankirina Tevlêkirinê otomatîk
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Project Id
 DocType: Salary Component,Variable Based On Taxable Salary,Li ser Dabeşkirina Bacê ya Bacgir
 DocType: Company,Basic Component,Beşa bingehîn
@@ -6740,10 +6812,10 @@
 DocType: Stock Entry,Source Warehouse Address,Navnîşana Warehouse Çavkaniyê
 DocType: GL Entry,Voucher Type,fîşeke Type
 DocType: Amazon MWS Settings,Max Retry Limit,Rêzika Max Max Retry
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName
 DocType: Student Applicant,Approved,pejirandin
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Biha
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Xebatkarê hebekî li ser {0} bê mîhenkirin wek &#39;Çepê&#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Xebatkarê hebekî li ser {0} bê mîhenkirin wek &#39;Çepê&#39;
 DocType: Marketplace Settings,Last Sync On,Sync Dîroka Dawîn
 DocType: Guardian,Guardian,Wekîl
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Hemû ragihandin û herwiha vê yekê dê di mijara nû ya nû de derbas bibin
@@ -6766,14 +6838,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Lîsteya li nexweşiyên li ser axaftinê têne dîtin. Dema ku bijartî ew dê otomatîk lîsteya karûbarên xwe zêde bike ku ji bo nexweşiyê ve girêdayî bike
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Ev yekîneya xizmeta lênerîna lênêrînê ya bingehîn e û nikare guherandinê ne.
 DocType: Asset Repair,Repair Status,Rewşa Rewşê
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Sales Partners
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,entries Accounting Kovara.
 DocType: Travel Request,Travel Request,Request Request
 DocType: Delivery Note Item,Available Qty at From Warehouse,Available Qty li From Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Ji kerema xwe ve yekem Employee Record hilbijêre.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Beşdariyê ne ji bo {0} ji ber ku ev betal e pêşkêş kirin.
 DocType: POS Profile,Account for Change Amount,Account ji bo Guhertina Mîqdar
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Girêdana QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Baweriya Giştî / Gelek
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Kompaniya nexşeya ji bo Rêxistina Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Kompaniya nexşeya ji bo Rêxistina Inter Company.
 DocType: Purchase Invoice,input service,xizmetê
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partiya / Account nayê bi hev nagirin {1} / {2} li {3} {4}
 DocType: Employee Promotion,Employee Promotion,Pêşveçûna Karmendiyê
@@ -6782,12 +6856,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Koda kursê
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Ji kerema xwe ve Expense Account binivîse
 DocType: Account,Stock,Embar
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Purchase Order, Buy bi fatûreyên an Peyam Journal be"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Purchase Order, Buy bi fatûreyên an Peyam Journal be"
 DocType: Employee,Current Address,niha Address
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ger babete guhertoya yên babete din wê description, wêne, sewqiyata, bac û hwd dê ji şablonê set e, heta ku eşkere û diyar"
 DocType: Serial No,Purchase / Manufacture Details,Buy / Details Manufacture
 DocType: Assessment Group,Assessment Group,Pol nirxandina
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventory batch
+DocType: Supplier,GST Transporter ID,Nasnameya GST veguhestinê
 DocType: Procedure Prescription,Procedure Name,Navnîşan Navê
 DocType: Employee,Contract End Date,Hevpeymana End Date
 DocType: Amazon MWS Settings,Seller ID,Nasnameyeke firotanê
@@ -6807,12 +6882,12 @@
 DocType: Company,Date of Incorporation,Dîroka Hevkariyê
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Bacê
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Bargêrîna Dawîn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Ji bo Diravan (Manufactured Qty) wêneke e
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Ji bo Diravan (Manufactured Qty) wêneke e
 DocType: Stock Entry,Default Target Warehouse,Default Warehouse Target
 DocType: Purchase Invoice,Net Total (Company Currency),Total Net (Company Exchange)
 DocType: Delivery Note,Air,Hewa
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,The Year End Date ne dikarin zûtir ji Date Sal Serî be. Ji kerema xwe re li rojên bike û careke din biceribîne.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} Li Lîsteya Lîsteya Navendî ye
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} Li Lîsteya Lîsteya Navendî ye
 DocType: Notification Control,Purchase Receipt Message,Buy Meqbûz Message
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Nawy xurde
@@ -6835,23 +6910,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Bicihanînî
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Li ser Previous Mîqdar Row
 DocType: Item,Has Expiry Date,Dîroka Pîrozbahiyê ye
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Asset transfer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Asset transfer
 DocType: POS Profile,POS Profile,Profile POS
 DocType: Training Event,Event Name,Navê Event
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Office)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nabe, Berhemên xwe ji bo tevlêbûna xwe vekişin"
 DocType: Inpatient Record,Admission,Mûkir
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Admissions ji bo {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Seasonality ji bo avakirin, budceyên, armancên hwd."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Seasonality ji bo avakirin, budceyên, armancên hwd."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Navekî Navîn
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Babetê {0} a şablonê ye, ji kerema xwe ve yek ji Guhertoyên xwe hilbijêre"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ji kerema xwe veguhastina Sîstema Sîstema Navnetewî di Çavkaniya Mirovan&gt; HR Set
+DocType: Purchase Invoice Item,Deferred Expense,Expense Expense
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Ji Dîroka {0} ji ber ku tevlêbûna karkerê nikare Dîrok {1}
 DocType: Asset,Asset Category,Asset Kategorî
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,pay Net ne dikare bibe neyînî
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,pay Net ne dikare bibe neyînî
 DocType: Purchase Order,Advance Paid,Advance Paid
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentage Overgduction For Sale Order
 DocType: Item,Item Tax,Bacê babetî
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Madî ji bo Supplier
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Madî ji bo Supplier
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Request Request Plans
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,baca bi fatûreyên
@@ -6873,11 +6950,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Amûra scheduling
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Li kû çûn
 DocType: BOM,Item to be manufactured or repacked,Babete binêre bo çêkirin an repacked
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Çewtiya Syntax di rewşê de: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Çewtiya Syntax di rewşê de: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY-
 DocType: Employee Education,Major/Optional Subjects,Major / Subjects Bijarî
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Ji kerema xwe ji Saziya Saziyê Setup di Kiryarên Kirînê.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Ji kerema xwe ji Saziya Saziyê Setup di Kiryarên Kirînê.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Hêjeya maddeya tevlîheviya neteweyî ya lazy {0} divê ne kêmtir ji berjewendiyên herî zêde {1}
 DocType: Sales Invoice Item,Drop Ship,drop ship
 DocType: Driver,Suspended,Suspended
@@ -6897,7 +6974,7 @@
 DocType: Customer,Commission Rate,Rate Komîsyona
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Serkeftî veguhestina xercan çêkir
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1} ji bo {1} scorecards {
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Make Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Make Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Type pereyî, divê yek ji peyamek be, Pay û Şandina Hundirîn"
 DocType: Travel Itinerary,Preferred Area for Lodging,Area for Preferred for Lodging
 apps/erpnext/erpnext/config/selling.py +184,Analytics,analytics
@@ -6908,7 +6985,7 @@
 DocType: Work Order,Actual Operating Cost,Cost Operating rastî
 DocType: Payment Entry,Cheque/Reference No,Cheque / Çavkanî No
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root bi dikarin di dahatûyê de were.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root bi dikarin di dahatûyê de were.
 DocType: Item,Units of Measure,Yekîneyên Measure
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Li Metro City kir
 DocType: Supplier,Default Tax Withholding Config,Destûra Bacê ya Bacgiran
@@ -6926,21 +7003,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Piştî encamdayîna peredana beralî bike user ji bo rûpel hilbijartin.
 DocType: Company,Existing Company,heyî Company
 DocType: Healthcare Settings,Result Emailed,Result Email Email
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Bacê Category hatiye bi &quot;tevahî&quot; hatin guhertin, ji ber ku hemû Nawy tomar non-stock in"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Bacê Category hatiye bi &quot;tevahî&quot; hatin guhertin, ji ber ku hemû Nawy tomar non-stock in"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Dîroka rojane wekhevî an jî kêmtir dibe
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Tiştek guhartin
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Ji kerema xwe re file CSV hilbijêre
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Ji kerema xwe re file CSV hilbijêre
 DocType: Holiday List,Total Holidays,Hemû betlaneyên
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Şîfreya emailê ji bo belavkirinê. Ji kerema xwe veguhastin li Settings Settings.
 DocType: Student Leave Application,Mark as Present,Mark wek Present
 DocType: Supplier Scorecard,Indicator Color,Indicator Color
 DocType: Purchase Order,To Receive and Bill,To bistînin û Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd Beriya Dîroka Berî Beriya Transfer Dîroka
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd Beriya Dîroka Berî Beriya Transfer Dîroka
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Products Dawiyê
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Hilbijêre Serial No
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Hilbijêre Serial No
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Şikilda
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Şert û mercan Şablon
 DocType: Serial No,Delivery Details,Details Delivery
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Navenda Cost li row pêwîst e {0} Bac sifrê ji bo cureyê {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Navenda Cost li row pêwîst e {0} Bac sifrê ji bo cureyê {1}
 DocType: Program,Program Code,Code Program
 DocType: Terms and Conditions,Terms and Conditions Help,Şert û mercan Alîkarî
 ,Item-wise Purchase Register,Babetê-şehreza Register Purchase
@@ -6953,15 +7031,16 @@
 DocType: Contract,Contract Terms,Şertên Peymana
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Nîşan nede ti sembola wek $ etc next to currencies.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Gelek mûçeya nirxê {0} zêdeyî {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Day Half)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Day Half)
 DocType: Payment Term,Credit Days,Rojan Credit
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Ji kerema xwe ji nexweşiya hilbijêrin ku ji bo ceribandinên Labê bibînin
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Make Batch Student
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Allow Transfer for Manufacture
 DocType: Leave Type,Is Carry Forward,Ma çêşît Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Get Nawy ji BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Get Nawy ji BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Rê Time Rojan
 DocType: Cash Flow Mapping,Is Income Tax Expense,Xerca Bacê ye
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Fermana we ji bo vexwarinê ye!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Mesaj Date divê eynî wek tarîxa kirînê be {1} ji sermaye {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"vê kontrol bike, eger ku xwendevan û geştê li Hostel a Enstîtuyê ye."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Ji kerema xwe ve Orders Sales li ser sifrê li jor binivîse
@@ -6969,10 +7048,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transferkirina sermaye ji yek warehouse din
 DocType: Vehicle,Petrol,Benzîl
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Xizmetên Niştecîh (Yearly)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill ji materyalên
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill ji materyalên
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partiya Type û Partiya bo teleb / account cîhde pêwîst e {1}
 DocType: Employee,Leave Policy,Pêwîste Leave
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Update Items
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Update Items
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Date Ref
 DocType: Employee,Reason for Leaving,Sedem ji bo Leaving
 DocType: BOM Operation,Operating Cost(Company Currency),Cost Operating (Company Exchange)
@@ -6983,7 +7062,7 @@
 DocType: Department,Expense Approvers,Expense Approvers
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debît entry dikarin bi ne bê lînkkirî a {1}
 DocType: Journal Entry,Subscription Section,Beşê Beşê
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Account {0} tune
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Account {0} tune
 DocType: Training Event,Training Program,Bernameya Perwerdehiyê
 DocType: Account,Cash,Perê pêşîn
 DocType: Employee,Short biography for website and other publications.,biography kurt de ji bo malpera û belavokên din.
diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv
index 4f63077..802a2cb 100644
--- a/erpnext/translations/lo.csv
+++ b/erpnext/translations/lo.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,ລາຍການລູກຄ້າ
 DocType: Project,Costing and Billing,ການໃຊ້ຈ່າຍແລະການເອີ້ນເກັບເງິນ
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},ເງິນສະກຸນເງິນທີ່ລ່ວງຫນ້າຄວນຈະເປັນເງິນສະກຸນເງິນຂອງບໍລິສັດ {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ສາມາດແຍກປະເພດເປັນ
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ສາມາດແຍກປະເພດເປັນ
 DocType: Item,Publish Item to hub.erpnext.com,ເຜີຍແຜ່ສິນຄ້າທີ່ຈະ hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,ບໍ່ສາມາດຊອກຫາກໍາໄລໄລຍະເວລາການເຄື່ອນໄຫວ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,ບໍ່ສາມາດຊອກຫາກໍາໄລໄລຍະເວລາການເຄື່ອນໄຫວ
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ການປະເມີນຜົນ
 DocType: Item,Default Unit of Measure,ມາດຕະຖານ Unit of Measure
 DocType: SMS Center,All Sales Partner Contact,ທັງຫມົດ Sales Partner ຕິດຕໍ່
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,ກົດ Enter ເພື່ອຕື່ມ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","ຂາດມູນຄ່າສໍາລັບ Password, API Key ຫຼື Shopify URL"
 DocType: Employee,Rented,ເຊົ່າ
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,ບັນຊີທັງຫມົດ
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,ບັນຊີທັງຫມົດ
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,ບໍ່ສາມາດຍົກເລີກພະນັກງານທີ່ມີສະຖານະພາບໄວ້
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ໃບສັ່ງຜະລິດຢຸດເຊົາບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ, ຈຸກມັນຄັ້ງທໍາອິດເພື່ອຍົກເລີກການ"
 DocType: Vehicle Service,Mileage,mileage
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,ທ່ານກໍ່ຕ້ອງການທີ່ຈະ scrap ຊັບສິນນີ້?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,ທ່ານກໍ່ຕ້ອງການທີ່ຈະ scrap ຊັບສິນນີ້?
 DocType: Drug Prescription,Update Schedule,ປັບປຸງຕາຕະລາງ
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ເລືອກຜູ້ຜະລິດມາດຕະຖານ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,ສະແດງພະນັກງານ
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,ອັດຕາແລກປ່ຽນໃຫມ່
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},ສະກຸນເງິນແມ່ນຕ້ອງການສໍາລັບລາຄາ {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},ສະກຸນເງິນແມ່ນຕ້ອງການສໍາລັບລາຄາ {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ຈະໄດ້ຮັບການຄິດໄລ່ໃນການໄດ້.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-YYYY.-
 DocType: Purchase Order,Customer Contact,ຕິດຕໍ່ລູກຄ້າ
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາກັບຜູ້ນີ້. ເບິ່ງໄລຍະເວລາຂ້າງລຸ່ມນີ້ສໍາລັບລາຍລະອຽດ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ອັດຕາສ່ວນເກີນມູນຄ່າສໍາລັບຄໍາສັ່ງເຮັດວຽກ
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,ທາງດ້ານກົດຫມາຍ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,ທາງດ້ານກົດຫມາຍ
+DocType: Delivery Note,Transport Receipt Date,ໃບຮັບສິນຄ້າວັນທີ
 DocType: Shopify Settings,Sales Order Series,Sales Order Series
 DocType: Vital Signs,Tongue,ພາສາ
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA Exemption
 DocType: Sales Invoice,Customer Name,ຊື່ຂອງລູກຄ້າ
 DocType: Vehicle,Natural Gas,ອາຍແກັສທໍາມະຊາດ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},ບັນຊີທະນາຄານບໍ່ສາມາດໄດ້ຮັບການຕັ້ງຊື່ເປັນ {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},ບັນຊີທະນາຄານບໍ່ສາມາດໄດ້ຮັບການຕັ້ງຊື່ເປັນ {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA ຕາມແຜນການເງິນເດືອນ
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ຫົວຫນ້າ (ຫຼືກຸ່ມ) ການຕໍ່ຕ້ານທີ່ Entries ບັນຊີທີ່ຜະລິດແລະຍອດຖືກຮັກສາໄວ້.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),ທີ່ຍັງຄ້າງຄາສໍາລັບ {0} ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາສູນ ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,ວັນຢຸດການບໍລິການບໍ່ສາມາດຈະມາກ່ອນວັນເລີ່ມຕົ້ນຂອງບໍລິການ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,ວັນຢຸດການບໍລິການບໍ່ສາມາດຈະມາກ່ອນວັນເລີ່ມຕົ້ນຂອງບໍລິການ
 DocType: Manufacturing Settings,Default 10 mins,ມາດຕະຖານ 10 ນາທີ
 DocType: Leave Type,Leave Type Name,ອອກຈາກຊື່ປະເພດ
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ສະແດງໃຫ້ເຫັນການເປີດ
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,ສະແດງໃຫ້ເຫັນການເປີດ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,ຊຸດອັບເດດຮຽບຮ້ອຍ
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,ກວດເບິ່ງ
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} ໃນແຖວ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} ໃນແຖວ {1}
 DocType: Asset Finance Book,Depreciation Start Date,ວັນເລີ່ມຕົ້ນຄ່າເສື່ອມລາຄາ
 DocType: Pricing Rule,Apply On,ສະຫມັກຕໍາກ່ຽວກັບ
 DocType: Item Price,Multiple Item prices.,ລາຄາສິນຄ້າທີ່ຫຼາກຫຼາຍ.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,ການຕັ້ງຄ່າສະຫນັບສະຫນູນ
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,ຄາດວ່າສິ້ນສຸດວັນທີ່ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາຄາດວ່າຈະເລີ່ມວັນທີ່
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"ຕິດຕໍ່ກັນ, {0}: ອັດຕາຈະຕ້ອງດຽວກັນເປັນ {1}: {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"ຕິດຕໍ່ກັນ, {0}: ອັດຕາຈະຕ້ອງດຽວກັນເປັນ {1}: {2} ({3} / {4})"
 ,Batch Item Expiry Status,ຊຸດສິນຄ້າສະຖານະຫມົດອາຍຸ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,ຮ່າງຂອງທະນາຄານ
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primary Contact Details
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ເປີດປະເດັນ
 DocType: Production Plan Item,Production Plan Item,ການຜະລິດແຜນ Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},ຜູ້ໃຊ້ {0} ແມ່ນກໍາຫນົດໃຫ້ກັບພະນັກງານ {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},ຜູ້ໃຊ້ {0} ແມ່ນກໍາຫນົດໃຫ້ກັບພະນັກງານ {1}
 DocType: Lab Test Groups,Add new line,ເພີ່ມສາຍໃຫມ່
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,ຮັກສາສຸຂະພາບ
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ຄວາມຊັກຊ້າໃນການຈ່າຍເງິນ (ວັນ)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Delay Days
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ຄ່າໃຊ້ຈ່າຍໃນການບໍລິການ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ອ້າງອິງແລ້ວໃນ Sales ໃບເກັບເງິນ: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ອ້າງອິງແລ້ວໃນ Sales ໃບເກັບເງິນ: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,ໃບເກັບເງິນ
 DocType: Purchase Invoice Item,Item Weight Details,Item Weight Details
 DocType: Asset Maintenance Log,Periodicity,ໄລຍະເວລາ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ປີງົບປະມານ {0} ຈໍາເປັນຕ້ອງມີ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Supplier&gt; Supplier Group
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ໄລຍະທາງຕໍາ່ສຸດທີ່ລະຫວ່າງແຖວຂອງພືດສໍາລັບການເຕີບໂຕທີ່ດີທີ່ສຸດ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,ປ້ອງກັນປະເທດ
 DocType: Salary Component,Abbr,abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-YYYY.-
 DocType: Daily Work Summary Group,Holiday List,ຊີວັນພັກ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,ບັນຊີ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,ລາຄາຂາຍລາຄາ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,ລາຄາຂາຍລາຄາ
 DocType: Patient,Tobacco Current Use,Tobacco Current Use
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,ອັດຕາການຂາຍ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,ອັດຕາການຂາຍ
 DocType: Cost Center,Stock User,User Stock
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,ຂໍ້ມູນຕິດຕໍ່
 DocType: Company,Phone No,ໂທລະສັບທີ່ບໍ່ມີ
 DocType: Delivery Trip,Initial Email Notification Sent,ການແຈ້ງເຕືອນເບື້ອງຕົ້ນຖືກສົ່ງມາ
 DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,ວັນທີເລີ່ມຕົ້ນສະມາຊິກ
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,ບັນຊີລູກຫນີ້ທີ່ຖືກຕ້ອງທີ່ຈະຖືກນໍາໃຊ້ຖ້າບໍ່ໄດ້ກໍານົດໄວ້ໃນຄົນເຈັບໃນການຈອງຄ່າບໍລິການແຕ່ງຕັ້ງ.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","ຄັດຕິດເອກະສານ .csv ມີສອງຖັນ, ຫນຶ່ງສໍາລັບຊື່ເກົ່າແລະຫນຶ່ງສໍາລັບຊື່ໃຫມ່"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,ຈາກທີ່ຢູ່ 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,ລະຫັດສິນຄ້າ&gt; ກຸ່ມສິນຄ້າ&gt; ຍີ່ຫໍ້
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,ຈາກທີ່ຢູ່ 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ບໍ່ໄດ້ຢູ່ໃນການເຄື່ອນໄຫວປີໃດງົບປະມານ.
 DocType: Packed Item,Parent Detail docname,ພໍ່ແມ່ຂໍ້ docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ອ້າງອິງ: {0}, ລະຫັດສິນຄ້າ: {1} ແລະລູກຄ້າ: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} ບໍ່ມີຢູ່ໃນບໍລິສັດແມ່
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} ບໍ່ມີຢູ່ໃນບໍລິສັດແມ່
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,ວັນທີສິ້ນສຸດການທົດລອງບໍ່ສາມາດຢູ່ໃນໄລຍະເວລາທົດລອງໄດ້
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,ກິໂລກຣາມ
 DocType: Tax Withholding Category,Tax Withholding Category,ປະເພດພາສີອາກອນ
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,ການໂຄສະນາ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ບໍລິສັດດຽວກັນແມ່ນເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ
 DocType: Patient,Married,ການແຕ່ງງານ
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},ບໍ່ອະນຸຍາດໃຫ້ສໍາລັບການ {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},ບໍ່ອະນຸຍາດໃຫ້ສໍາລັບການ {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,ໄດ້ຮັບການລາຍການຈາກ
 DocType: Price List,Price Not UOM Dependant,Price Not UOM Dependent
 DocType: Purchase Invoice,Apply Tax Withholding Amount,ນໍາໃຊ້ອັດຕາການເກັບພາສີ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ການສົ່ງເງິນ {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,ຈໍານວນເງິນທີ່ໄດ້ຮັບການຢັ້ງຢືນ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ການສົ່ງເງິນ {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,ຈໍານວນເງິນທີ່ໄດ້ຮັບການຢັ້ງຢືນ
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ຜະລິດຕະພັນ {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,ບໍ່ມີລາຍະລະບຸໄວ້
 DocType: Asset Repair,Error Description,Error Description
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,ໃຊ້ Custom Flow Format Format
 DocType: SMS Center,All Sales Person,ທັງຫມົດຄົນຂາຍ
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ການແຜ່ກະຈາຍລາຍເດືອນ ** ຈະຊ່ວຍໃຫ້ທ່ານການແຈກຢາຍງົບປະມານ / ເປົ້າຫມາຍໃນທົ່ວເດືອນຖ້າຫາກວ່າທ່ານມີຕາມລະດູໃນທຸລະກິດຂອງທ່ານ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,ບໍ່ພົບລາຍການ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,ໂຄງປະກອບການເງິນເດືອນທີ່ຫາຍໄປ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,ບໍ່ພົບລາຍການ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,ໂຄງປະກອບການເງິນເດືອນທີ່ຫາຍໄປ
 DocType: Lead,Person Name,ຊື່ບຸກຄົນ
 DocType: Sales Invoice Item,Sales Invoice Item,ສິນຄ້າລາຄາ Invoice
 DocType: Account,Credit,ການປ່ອຍສິນເຊື່ອ
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,ບົດລາຍງານ Stock
 DocType: Warehouse,Warehouse Detail,ຂໍ້ມູນ Warehouse
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ວັນທີໄລຍະສຸດທ້າຍບໍ່ສາມາດຈະຕໍ່ມາກ່ວາປີທີ່ສິ້ນສຸດຂອງປີທາງວິຊາການທີ່ໃນໄລຍະການມີການເຊື່ອມຕໍ່ (ປີທາງວິຊາການ {}). ກະລຸນາແກ້ໄຂຂໍ້ມູນວັນແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;ແມ່ນຊັບສິນຄົງທີ່&quot; ບໍ່ສາມາດຈະມີການກວດກາ, ເປັນການບັນທຶກຊັບສິນລາຄາຕໍ່ລາຍການ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;ແມ່ນຊັບສິນຄົງທີ່&quot; ບໍ່ສາມາດຈະມີການກວດກາ, ເປັນການບັນທຶກຊັບສິນລາຄາຕໍ່ລາຍການ"
 DocType: Delivery Trip,Departure Time,ເວລາອອກຍ່າງທາງ
 DocType: Vehicle Service,Brake Oil,ນ້ໍາມັນຫ້າມລໍ້
 DocType: Tax Rule,Tax Type,ປະເພດອາກອນ
 ,Completed Work Orders,ຄໍາສັ່ງເຮັດວຽກສໍາເລັດແລ້ວ
 DocType: Support Settings,Forum Posts,Forum Posts
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,ຈໍານວນພາສີ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,ຈໍານວນພາສີ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ເພີ່ມຫຼືການປັບປຸງການອອກສຽງກ່ອນ {0}
 DocType: Leave Policy,Leave Policy Details,ອອກຈາກລາຍລະອຽດຂອງນະໂຍບາຍ
 DocType: BOM,Item Image (if not slideshow),ລາຍການຮູບພາບ (ຖ້າຫາກວ່າບໍ່ໂຊ)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(ຊົ່ວໂມງອັດຕາ / 60) * ຈິງທີ່ໃຊ້ເວລາການດໍາເນີນງານ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ແຖວ # {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນຫນຶ່ງໃນການຮຽກຮ້ອງຄ່າຫຼືອະນຸທິນ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,ເລືອກ BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ແຖວ # {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນຫນຶ່ງໃນການຮຽກຮ້ອງຄ່າຫຼືອະນຸທິນ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,ເລືອກ BOM
 DocType: SMS Log,SMS Log,SMS ເຂົ້າສູ່ລະບົບ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ຄ່າໃຊ້ຈ່າຍຂອງການສົ່ງ
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,ວັນພັກໃນ {0} ບໍ່ແມ່ນລະຫວ່າງຕັ້ງແຕ່ວັນທີ່ແລະວັນທີ
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,ແມ່ແບບຂອງຕໍາແຫນ່ງສະຫນອງ.
 DocType: Lead,Interested,ຄວາມສົນໃຈ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,ເປີດ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},ຈາກ {0} ກັບ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},ຈາກ {0} ກັບ {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,ໂປລແກລມ:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,ບໍ່ສາມາດຕິດຕັ້ງພາສີໄດ້
 DocType: Item,Copy From Item Group,ຄັດລອກຈາກກຸ່ມສິນຄ້າ
-DocType: Delivery Trip,Delivery Notification,ແຈ້ງການຈັດສົ່ງ
 DocType: Journal Entry,Opening Entry,Entry ເປີດ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ບັນຊີຈ່າຍພຽງແຕ່
 DocType: Loan,Repay Over Number of Periods,ຕອບບຸນແທນຄຸນໃນໄລຍະຈໍານວນຂອງໄລຍະເວລາ
 DocType: Stock Entry,Additional Costs,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ.
 DocType: Lead,Product Enquiry,ສອບຖາມຂໍ້ມູນຜະລິດຕະພັນ
 DocType: Education Settings,Validate Batch for Students in Student Group,ກວດສອບຊຸດສໍາລັບນັກສຶກສາໃນກຸ່ມນັກສຶກສາ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},ບໍ່ມີການບັນທຶກໃບພົບພະນັກງານ {0} ສໍາລັບ {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ກະລຸນາໃສ່ບໍລິສັດທໍາອິດ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,ກະລຸນາເລືອກບໍລິສັດທໍາອິດ
 DocType: Employee Education,Under Graduate,ພາຍໃຕ້ການຈົບການສຶກສາ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,ກະລຸນາຕັ້ງຄ່າແມ່ແບບມາດຕະຖານສໍາລັບການປ່ອຍ Notification ສະຖານະໃນ HR Settings.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,ກະລຸນາຕັ້ງຄ່າແມ່ແບບມາດຕະຖານສໍາລັບການປ່ອຍ Notification ສະຖານະໃນ HR Settings.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ເປົ້າຫມາຍກ່ຽວກັບ
 DocType: BOM,Total Cost,ຄ່າໃຊ້ຈ່າຍທັງຫມົດ
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,ຖະແຫຼງການຂອງບັນຊີ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ຢາ
 DocType: Purchase Invoice Item,Is Fixed Asset,ແມ່ນຊັບສິນຄົງທີ່
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","ຈໍານວນທີ່ມີຢູ່ແມ່ນ {0}, ທ່ານຈໍາເປັນຕ້ອງ {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","ຈໍານວນທີ່ມີຢູ່ແມ່ນ {0}, ທ່ານຈໍາເປັນຕ້ອງ {1}"
 DocType: Expense Claim Detail,Claim Amount,ຈໍານວນການຮ້ອງຂໍ
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},ຄໍາສັ່ງເຮັດວຽກໄດ້ຖືກ {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Quality Inspection Template
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",ທ່ານຕ້ອງການທີ່ຈະປັບປຸງການເຂົ້າຮຽນ? <br> ປະຈຸບັນ: {0} \ <br> ບໍ່ມີ: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ທີ່ໄດ້ຮັບການປະຕິເສດຈໍານວນຕ້ອງເທົ່າກັບປະລິມານທີ່ໄດ້ຮັບສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ທີ່ໄດ້ຮັບການປະຕິເສດຈໍານວນຕ້ອງເທົ່າກັບປະລິມານທີ່ໄດ້ຮັບສໍາລັບລາຍການ {0}
 DocType: Item,Supply Raw Materials for Purchase,ວັດສະດຸສະຫນອງວັດຖຸດິບສໍາຫລັບການຊື້
 DocType: Agriculture Analysis Criteria,Fertilizer,ປຸ໋ຍ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",ບໍ່ສາມາດຮັບປະກັນການຈັດສົ່ງໂດຍ Serial No as \ Item {0} ຖືກເພີ່ມແລະບໍ່ມີການຮັບປະກັນການຈັດສົ່ງໂດຍ \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,ຢ່າງຫນ້ອຍຫນຶ່ງຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນສໍາລັບໃບເກັບເງິນ POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,ຢ່າງຫນ້ອຍຫນຶ່ງຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນສໍາລັບໃບເກັບເງິນ POS.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item
 DocType: Products Settings,Show Products as a List,ສະແດງໃຫ້ເຫັນຜະລິດຕະພັນເປັນຊີ
 DocType: Salary Detail,Tax on flexible benefit,ພາສີກ່ຽວກັບຜົນປະໂຫຍດທີ່ປ່ຽນໄປໄດ້
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Material Request Detail
 DocType: Selling Settings,Default Quotation Validity Days,ວັນທີ Validity Default Quotation
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ເພື່ອປະກອບມີພາສີໃນການຕິດຕໍ່ກັນ {0} ໃນອັດຕາການສິນຄ້າ, ພາສີອາກອນໃນແຖວເກັດທີ່ຢູ່ {1} ຍັງຕ້ອງໄດ້ຮັບການປະກອບ"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ເພື່ອປະກອບມີພາສີໃນການຕິດຕໍ່ກັນ {0} ໃນອັດຕາການສິນຄ້າ, ພາສີອາກອນໃນແຖວເກັດທີ່ຢູ່ {1} ຍັງຕ້ອງໄດ້ຮັບການປະກອບ"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Validate Attendance
 DocType: Sales Invoice,Change Amount,ການປ່ຽນແປງຈໍານວນເງິນ
 DocType: Party Tax Withholding Config,Certificate Received,ໃບຮັບຮອງໄດ້ຮັບ
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Set Invoice Value for B2C B2CL ແລະ B2CS ຄິດໄລ່ໂດຍອີງໃສ່ມູນຄ່າໃບແຈ້ງຫນີ້ນີ້.
 DocType: BOM Update Tool,New BOM,BOM ໃຫມ່
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Procedures ສັ່ງ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Procedures ສັ່ງ
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,ສະແດງພຽງແຕ່ POS
 DocType: Supplier Group,Supplier Group Name,Supplier Group Name
 DocType: Driver,Driving License Categories,ປະເພດໃບອະນຸຍາດຂັບຂີ່
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,ເວລາຊໍາລະເງິນ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,ເຮັດໃຫ້ພະນັກງານ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,ກະຈາຍສຽງ
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),ໂຫມດການຕັ້ງຄ່າຂອງ POS (ອອນລາຍ / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),ໂຫມດການຕັ້ງຄ່າຂອງ POS (ອອນລາຍ / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ປິດການສ້າງບັນທຶກເວລາຕໍ່ກັບຄໍາສັ່ງການເຮັດວຽກ. ການປະຕິບັດງານບໍ່ຄວນຕິດຕາມການສັ່ງວຽກ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,ການປະຕິບັດ
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ລາຍລະອຽດຂອງການດໍາເນີນງານປະຕິບັດ.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),ສ່ວນຫຼຸດກ່ຽວກັບລາຄາອັດຕາ (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Template Item
 DocType: Job Offer,Select Terms and Conditions,ເລືອກເງື່ອນໄຂການແລະເງື່ອນໄຂ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,ມູນຄ່າອອກ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,ມູນຄ່າອອກ
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Bank Statement Set Items
 DocType: Woocommerce Settings,Woocommerce Settings,ການຕັ້ງຄ່າ Woocommerce
 DocType: Production Plan,Sales Orders,ຄໍາສັ່ງການຂາຍ
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,ການຮ້ອງຂໍສໍາລັບວົງຢືມສາມາດໄດ້ຮັບການເຂົ້າເຖິງໄດ້ໂດຍການຄລິກໃສ່ການເຊື່ອມຕໍ່ດັ່ງຕໍ່ໄປນີ້
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG ຂອງລາຍວິຊາເຄື່ອງມືການສ້າງ
 DocType: Bank Statement Transaction Invoice Item,Payment Description,ຄໍາອະທິບາຍການຈ່າຍເງິນ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,ບໍ່ພຽງພໍ Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,ບໍ່ພຽງພໍ Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ການວາງແຜນຄວາມອາດສາມາດປິດການໃຊ້ງານແລະການຕິດຕາມທີ່ໃຊ້ເວລາ
 DocType: Email Digest,New Sales Orders,ໃບສັ່ງຂາຍໃຫມ່
 DocType: Bank Account,Bank Account,ບັນຊີທະນາຄານ
 DocType: Travel Itinerary,Check-out Date,ວັນທີອອກເດີນທາງ
 DocType: Leave Type,Allow Negative Balance,ອະນຸຍາດໃຫ້ສົມດູນທາງລົບ
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',ທ່ານບໍ່ສາມາດລຶບປະເພດໂຄງການ &#39;ພາຍນອກ&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,ເລືອກເອກະສານອື່ນໆ
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,ເລືອກເອກະສານອື່ນໆ
 DocType: Employee,Create User,ສ້າງ User
 DocType: Selling Settings,Default Territory,ມາດຕະຖານອານາເຂດ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,ໂທລະທັດ
 DocType: Work Order Operation,Updated via 'Time Log',ການປັບປຸງໂດຍຜ່ານການ &#39;ທີ່ໃຊ້ເວລາເຂົ້າ&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ເລືອກລູກຄ້າຫຼືຜູ້ສະຫນອງ.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},ຈໍານວນເງິນລ່ວງຫນ້າບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},ຈໍານວນເງິນລ່ວງຫນ້າບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ທີ່ໃຊ້ເວລາ slot skiped, slot {0} ກັບ {1} ລອກເອົາ slot exisiting {2} ກັບ {3}"
 DocType: Naming Series,Series List for this Transaction,ບັນຊີໄລຍະສໍາລັບການນີ້
 DocType: Company,Enable Perpetual Inventory,ເປີດນໍາໃຊ້ສິນຄ້າຄົງຄັງ Perpetual
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,ຕໍ່ຕ້ານການຂາຍໃບແຈ້ງຫນີ້ສິນຄ້າ
 DocType: Agriculture Analysis Criteria,Linked Doctype,Linked Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,ເງິນສົດສຸດທິຈາກການເງິນ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ"
 DocType: Lead,Address & Contact,ທີ່ຢູ່ຕິດຕໍ່
 DocType: Leave Allocation,Add unused leaves from previous allocations,ຕື່ມການໃບທີ່ບໍ່ໄດ້ໃຊ້ຈາກການຈັດສັນທີ່ຜ່ານມາ
 DocType: Sales Partner,Partner website,ເວັບໄຊທ໌ Partner
@@ -447,10 +447,10 @@
 ,Open Work Orders,ເປີດຄໍາສັ່ງການເຮັດວຽກ
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Charge Item
 DocType: Payment Term,Credit Months,ເດືອນເຄດິດ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,ຈ່າຍສຸດທິບໍ່ສາມາດຈະຫນ້ອຍກ່ວາ 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,ຈ່າຍສຸດທິບໍ່ສາມາດຈະຫນ້ອຍກ່ວາ 0
 DocType: Contract,Fulfilled,ປະຕິບັດ
 DocType: Inpatient Record,Discharge Scheduled,Discharge Scheduled
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,ບັນເທົາອາການທີ່ສະຫມັກຈະຕ້ອງຫຼາຍກ່ວາວັນຂອງການເຂົ້າຮ່ວມ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,ບັນເທົາອາການທີ່ສະຫມັກຈະຕ້ອງຫຼາຍກ່ວາວັນຂອງການເຂົ້າຮ່ວມ
 DocType: POS Closing Voucher,Cashier,ເງິນສົດ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,ໃບຕໍ່ປີ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ຕິດຕໍ່ກັນ {0}: ກະລຸນາກວດສອບຄື Advance &#39;ກັບບັນຊີ {1} ຖ້າຫາກວ່ານີ້ເປັນການເຂົ້າລ່ວງຫນ້າ.
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,ກະລຸນາຕິດຕັ້ງນັກຮຽນພາຍໃຕ້ກຸ່ມນັກຮຽນ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,ເຮັດວຽກຢ່າງເຕັມທີ່
 DocType: Item Website Specification,Item Website Specification,ຂໍ້ມູນຈໍາເພາະລາຍການເວັບໄຊທ໌
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,ອອກຈາກສະກັດ
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸໃນຕອນທ້າຍຂອງຊີວິດໃນ {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,ອອກຈາກສະກັດ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸໃນຕອນທ້າຍຂອງຊີວິດໃນ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,ການອອກສຽງທະນາຄານ
 DocType: Customer,Is Internal Customer,ແມ່ນລູກຄ້າພາຍໃນ
 DocType: Crop,Annual,ປະຈໍາປີ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ຖ້າ Auto Opt In ຖືກກວດກາ, ຫຼັງຈາກນັ້ນລູກຄ້າຈະຖືກເຊື່ອມຕໍ່ໂດຍອັດຕະໂນມັດກັບໂຄງການຄວາມພັກດີທີ່ກ່ຽວຂ້ອງ (ໃນການບັນທຶກ)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Reconciliation Item
 DocType: Stock Entry,Sales Invoice No,ຂາຍໃບເກັບເງິນທີ່ບໍ່ມີ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Supply Type
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Supply Type
 DocType: Material Request Item,Min Order Qty,ນາທີສັ່ງຊື້ຈໍານວນ
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ຂອງລາຍວິຊາ Group ນັກສຶກສາເຄື່ອງມືການສ້າງ
 DocType: Lead,Do Not Contact,ບໍ່ໄດ້ຕິດຕໍ່
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,ເຜີຍແຜ່ໃນ Hub
 DocType: Student Admission,Student Admission,ຮັບສະຫມັກນັກສຶກສາ
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,ລາຍການ {0} ຈະຖືກຍົກເລີກ
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,ລາຍການ {0} ຈະຖືກຍົກເລີກ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,ໄລຍະຫັກຄ່າທໍານຽມ {0}: ວັນທີເລີ່ມຕົ້ນການເສື່ອມລາຄາຖືກລົງເປັນວັນທີ່ຜ່ານມາ
 DocType: Contract Template,Fulfilment Terms and Conditions,ຂໍ້ກໍານົດແລະເງື່ອນໄຂໃນການປະຕິບັດ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,ຂໍອຸປະກອນການ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,ຂໍອຸປະກອນການ
 DocType: Bank Reconciliation,Update Clearance Date,ວັນທີ່ປັບປຸງການເກັບກູ້
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,ລາຍລະອຽດການຊື້
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ລາຍການ {0} ບໍ່ພົບເຫັນຢູ່ໃນຕາຕະລາງ &#39;ຈໍາຫນ່າຍວັດຖຸດິບໃນການສັ່ງຊື້ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ລາຍການ {0} ບໍ່ພົບເຫັນຢູ່ໃນຕາຕະລາງ &#39;ຈໍາຫນ່າຍວັດຖຸດິບໃນການສັ່ງຊື້ {1}
 DocType: Salary Slip,Total Principal Amount,ຈໍານວນຕົ້ນທຶນລວມ
 DocType: Student Guardian,Relation,ປະຊາສໍາພັນ
 DocType: Student Guardian,Mother,ແມ່
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Shipping County
 DocType: Currency Exchange,For Selling,ສໍາລັບການຂາຍ
 apps/erpnext/erpnext/config/desktop.py +159,Learn,ຮຽນຮູ້
+DocType: Purchase Invoice Item,Enable Deferred Expense,ເປີດໃຊ້ງານຄ່າໃຊ້ຈ່າຍໄລຍະຍາວ
 DocType: Asset,Next Depreciation Date,ຕໍ່ໄປວັນທີ່ຄ່າເສື່ອມລາຄາ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ຄ່າໃຊ້ຈ່າຍຂອງກິດຈະກໍາຕໍ່ພະນັກງານ
 DocType: Accounts Settings,Settings for Accounts,ການຕັ້ງຄ່າສໍາລັບການບັນຊີ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Supplier Invoice ບໍ່ມີລາຄາໃນການຊື້ Invoice {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Supplier Invoice ບໍ່ມີລາຄາໃນການຊື້ Invoice {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,ການຄຸ້ມຄອງການຂາຍສ່ວນບຸກຄົນເປັນໄມ້ຢືນຕົ້ນ.
 DocType: Job Applicant,Cover Letter,ການປົກຫຸ້ມຂອງຈົດຫມາຍສະບັບ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ເຊັກທີ່ຍັງຄ້າງຄາແລະຄ່າມັດຈໍາເພື່ອອະນາໄມ
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,ວັດການເຮັດວຽກພາຍນອກ
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Error Reference ວົງ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Student Report Card
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,ຈາກ PIN Code
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,ຈາກ PIN Code
 DocType: Appointment Type,Is Inpatient,ແມ່ນຜູ້ປ່ວຍນອກ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ຊື່ Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ໃນຄໍາສັບຕ່າງໆ (Export) ຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດການຈັດສົ່ງ.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,ສະກຸນເງິນຫຼາຍ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ປະເພດໃບເກັບເງິນ
 DocType: Employee Benefit Claim,Expense Proof,Proof Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,ການສົ່ງເງິນ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},ການບັນທຶກ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,ການສົ່ງເງິນ
 DocType: Patient Encounter,Encounter Impression,Impression Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ການຕັ້ງຄ່າພາສີອາກອນ
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,ຄ່າໃຊ້ຈ່າຍຂອງຊັບສິນຂາຍ
 DocType: Volunteer,Morning,ເຊົ້າ
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Entry ການຊໍາລະເງິນໄດ້ຮັບການແກ້ໄຂພາຍຫຼັງທີ່ທ່ານໄດ້ດຶງມັນ. ກະລຸນາດຶງມັນອີກເທື່ອຫນຶ່ງ.
 DocType: Program Enrollment Tool,New Student Batch,New Student Batch
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ເຂົ້າສອງຄັ້ງໃນພາສີສິນຄ້າ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,ສະຫຼຸບສັງລວມສໍາລັບອາທິດນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ເຂົ້າສອງຄັ້ງໃນພາສີສິນຄ້າ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,ສະຫຼຸບສັງລວມສໍາລັບອາທິດນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ
 DocType: Student Applicant,Admitted,ຍອມຮັບຢ່າງຈິງ
 DocType: Workstation,Rent Cost,ເຊົ່າທຶນ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,ຈໍານວນເງິນຫຼັງຈາກຄ່າເສື່ອມລາຄາ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,ຈໍານວນເງິນຫຼັງຈາກຄ່າເສື່ອມລາຄາ
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,ທີ່ຈະເກີດຂຶ້ນປະຕິທິນເຫດການ
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant Attributes
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,ກະລຸນາເລືອກເດືອນແລະປີ
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},ມີພຽງແຕ່ສາມາດ 1 ບັນຊີຕໍ່ບໍລິສັດໃນ {0} {1}
 DocType: Support Search Source,Response Result Key Path,Path Result Path Path
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},ສໍາລັບປະລິມານ {0} ບໍ່ຄວນຈະຂີ້ກ່ວາປະລິມານການສັ່ງຊື້ {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,ກະລຸນາເບິ່ງການຕິດ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},ສໍາລັບປະລິມານ {0} ບໍ່ຄວນຈະຂີ້ກ່ວາປະລິມານການສັ່ງຊື້ {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,ກະລຸນາເບິ່ງການຕິດ
 DocType: Purchase Order,% Received,% ທີ່ໄດ້ຮັບ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ສ້າງກຸ່ມນັກສຶກສາ
 DocType: Volunteer,Weekends,Weekends
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,ຍອດລວມທັງຫມົດ
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ການປ່ຽນແປງ / ຈໍານວນລໍາດັບການເລີ່ມຕົ້ນໃນປັດຈຸບັນຂອງໄລຍະການທີ່ມີຢູ່ແລ້ວ.
 DocType: Dosage Strength,Strength,ຄວາມເຂັ້ມແຂງ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ສ້າງລູກຄ້າໃຫມ່
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,ສ້າງລູກຄ້າໃຫມ່
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Expiring On
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ຖ້າຫາກວ່າກົດລະບຽບການຕັ້ງລາຄາທີ່ຫຼາກຫຼາຍສືບຕໍ່ໄຊຊະນະ, ຜູ້ໃຊ້ໄດ້ຮ້ອງຂໍໃຫ້ກໍານົດບຸລິມະສິດດ້ວຍຕົນເອງເພື່ອແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງ."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,ສ້າງໃບສັ່ງຊື້
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,ຄ່າໃຊ້ຈ່າຍຜູ້ບໍລິໂພກ
 DocType: Purchase Receipt,Vehicle Date,ວັນທີ່ສະຫມັກຍານພາຫະນະ
 DocType: Student Log,Medical,ທາງການແພດ
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,ເຫດຜົນສໍາລັບການສູນເສຍ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,ກະລຸນາເລືອກຢາ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,ເຫດຜົນສໍາລັບການສູນເສຍ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,ກະລຸນາເລືອກຢາ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,ເຈົ້າຂອງເປັນຜູ້ນໍາພາບໍ່ສາມາດຈະດຽວກັນເປັນຜູ້ນໍາ
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,ຈໍານວນເງິນທີ່ຈັດສັນສາມາດເຮັດໄດ້ບໍ່ຫຼາຍກ່ວາຈໍານວນ unadjusted
 DocType: Announcement,Receiver,ຮັບ
 DocType: Location,Area UOM,ພື້ນທີ່ UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation ຈະປິດໃນວັນທີດັ່ງຕໍ່ໄປນີ້ຕໍ່ຊີ Holiday: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,ກາລະໂອກາດ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,ກາລະໂອກາດ
 DocType: Lab Test Template,Single,ດຽວ
 DocType: Compensatory Leave Request,Work From Date,ເຮັດວຽກຈາກວັນທີ
 DocType: Salary Slip,Total Loan Repayment,ທັງຫມົດຊໍາລະຄືນເງິນກູ້
+DocType: Project User,View attachments,ເບິ່ງໄຟລ໌ແນບ
 DocType: Account,Cost of Goods Sold,ຄ່າໃຊ້ຈ່າຍຂອງສິນຄ້າຂາຍ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,ກະລຸນາໃສ່ສູນຕົ້ນທຶນ
 DocType: Drug Prescription,Dosage,Dosage
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,ປະລິມານແລະອັດຕາການ
 DocType: Delivery Note,% Installed,% ການຕິດຕັ້ງ
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,ຫ້ອງຮຽນ / ຫ້ອງປະຕິບັດແລະອື່ນໆທີ່ບັນຍາຍສາມາດໄດ້ຮັບການກໍານົດ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,ເງິນສະກຸນຂອງບໍລິສັດຂອງບໍລິສັດທັງສອງຄວນຈະທຽບກັບບໍລິສັດ Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,ເງິນສະກຸນຂອງບໍລິສັດຂອງບໍລິສັດທັງສອງຄວນຈະທຽບກັບບໍລິສັດ Inter Company Transactions.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,ກະລຸນາໃສ່ຊື່ບໍລິສັດທໍາອິດ
 DocType: Travel Itinerary,Non-Vegetarian,ບໍ່ແມ່ນຜັກກາດ
 DocType: Purchase Invoice,Supplier Name,ຊື່ຜູ້ຜະລິດ
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,ຈັບເວລາຊົ່ວຄາວ
 DocType: Account,Is Group,ກຸ່ມດັ່ງກ່າວແມ່ນ
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,ຂໍ້ມູນການປ່ອຍສິນເຊື່ອ {0} ໄດ້ຖືກສ້າງຂື້ນໂດຍອັດຕະໂນມັດ
-DocType: Email Digest,Pending Purchase Orders,ລໍຖ້າຄໍາສັ່ງຊື້
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,ກໍານົດ Serial Nos ອັດຕະໂນມັດຂຶ້ນຢູ່ກັບ FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ການກວດສອບຜະລິດ Invoice ຈໍານວນເປັນເອກະລັກ
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,ລາຍະລະອຽດຂັ້ນພື້ນຖານ
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ປັບຂໍ້ຄວາມແນະນໍາທີ່ດີເປັນສ່ວນຫນຶ່ງຂອງອີເມລ໌ທີ່ເປັນ. ແຕ່ລະຄົນມີຄວາມແນະນໍາທີ່ແຍກຕ່າງຫາກ.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},ແຖວ {0}: ຕ້ອງມີການດໍາເນີນການຕໍ່ກັບວັດຖຸດິບ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},ກະລຸນາຕັ້ງບັນຊີທີ່ຕ້ອງຈ່າຍໃນຕອນຕົ້ນສໍາລັບການບໍລິສັດ {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},ການເຮັດທຸລະກໍາບໍ່ໄດ້ຮັບອະນຸຍາດຕໍ່ການຢຸດວຽກເຮັດວຽກ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},ການເຮັດທຸລະກໍາບໍ່ໄດ້ຮັບອະນຸຍາດຕໍ່ການຢຸດວຽກເຮັດວຽກ {0}
 DocType: Setup Progress Action,Min Doc Count,ນັບຕ່ໍາສຸດ Doc
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ການຕັ້ງຄ່າທົ່ວໂລກສໍາລັບຂະບວນການຜະລິດທັງຫມົດ.
 DocType: Accounts Settings,Accounts Frozen Upto,ບັນຊີ Frozen ເກີນ
 DocType: SMS Log,Sent On,ສົ່ງກ່ຽວກັບ
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,ຄຸນລັກສະນະ {0} ເລືອກເວລາຫຼາຍໃນຕາຕະລາງຄຸນສົມບັດ
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,ຄຸນລັກສະນະ {0} ເລືອກເວລາຫຼາຍໃນຕາຕະລາງຄຸນສົມບັດ
 DocType: HR Settings,Employee record is created using selected field. ,ການບັນທຶກຂອງພະນັກງານແມ່ນການສ້າງຕັ້ງການນໍາໃຊ້ພາກສະຫນາມການຄັດເລືອກ.
 DocType: Sales Order,Not Applicable,ບໍ່ສາມາດໃຊ້
 DocType: Amazon MWS Settings,UK,ອັງກິດ
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,ພະນັກງານ {0} ໄດ້ຖືກນໍາໃຊ້ແລ້ວສໍາລັບ {1} ສຸດ {2}:
 DocType: Inpatient Record,AB Positive,AB Positive
 DocType: Job Opening,Description of a Job Opening,ລາຍລະອຽດຂອງການໃຊ້ວຽກ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,ກິດຈະກໍາທີ່ຍັງຄ້າງສໍາລັບມື້ນີ້
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,ກິດຈະກໍາທີ່ຍັງຄ້າງສໍາລັບມື້ນີ້
 DocType: Salary Structure,Salary Component for timesheet based payroll.,ອົງປະກອບເງິນເດືອນສໍາລັບເງິນເດືອນຕາມ timesheet.
+DocType: Driver,Applicable for external driver,ສາມາດໃຊ້ໄດ້ສໍາລັບຜູ້ຂັບຂີ່ພາຍນອກ
 DocType: Sales Order Item,Used for Production Plan,ນໍາໃຊ້ສໍາລັບແຜນການຜະລິດ
 DocType: Loan,Total Payment,ການຊໍາລະເງິນທັງຫມົດ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,ບໍ່ສາມາດຍົກເລີກການໂອນສໍາລັບຄໍາສັ່ງເຮັດວຽກທີ່ສໍາເລັດໄດ້.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,ບໍ່ສາມາດຍົກເລີກການໂອນສໍາລັບຄໍາສັ່ງເຮັດວຽກທີ່ສໍາເລັດໄດ້.
 DocType: Manufacturing Settings,Time Between Operations (in mins),ທີ່ໃຊ້ເວລາລະຫວ່າງການປະຕິບັດ (ໃນນາທີ)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO ໄດ້ສ້າງແລ້ວສໍາລັບລາຍການສັ່ງຊື້ທັງຫມົດ
 DocType: Healthcare Service Unit,Occupied,Occupied
 DocType: Clinical Procedure,Consumables,Consumables
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ຖືກຍົກເລີກນັ້ນການປະຕິບັດທີ່ບໍ່ສາມາດໄດ້ຮັບການສໍາເລັດ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} ຖືກຍົກເລີກນັ້ນການປະຕິບັດທີ່ບໍ່ສາມາດໄດ້ຮັບການສໍາເລັດ
 DocType: Customer,Buyer of Goods and Services.,ຜູ້ຊື້ສິນຄ້າແລະບໍລິການ.
 DocType: Journal Entry,Accounts Payable,Accounts Payable
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,ຈໍານວນເງິນ {0} ທີ່ກໍານົດໃນຄໍາຮ້ອງຂໍການຊໍາລະເງິນນີ້ແມ່ນແຕກຕ່າງຈາກຈໍານວນເງິນທີ່ຄິດໄລ່ຂອງແຜນການຈ່າຍເງິນທັງຫມົດ: {1}. ໃຫ້ແນ່ໃຈວ່ານີ້ແມ່ນຖືກຕ້ອງກ່ອນທີ່ຈະສົ່ງເອກະສານ.
 DocType: Patient,Allergies,Allergies
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,ໄດ້ແອບເປີ້ນເລືອກບໍ່ໄດ້ສໍາລັບການບໍ່ວ່າຈະເປັນ
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,ໄດ້ແອບເປີ້ນເລືອກບໍ່ໄດ້ສໍາລັບການບໍ່ວ່າຈະເປັນ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,ປ່ຽນລະຫັດສິນຄ້າ
 DocType: Supplier Scorecard Standing,Notify Other,ແຈ້ງອື່ນ ໆ
 DocType: Vital Signs,Blood Pressure (systolic),ຄວາມດັນເລືອດ (systolic)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Parts ພຽງພໍທີ່ຈະກໍ່ສ້າງ
 DocType: POS Profile User,POS Profile User,POS User Profile
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,ແຖວ {0}: ຕ້ອງມີວັນເລີ່ມຕົ້ນຄ່າໃຊ້ຈ່າຍ
-DocType: Sales Invoice Item,Service Start Date,ວັນເລີ່ມຕົ້ນບໍລິການ
+DocType: Purchase Invoice Item,Service Start Date,ວັນເລີ່ມຕົ້ນບໍລິການ
 DocType: Subscription Invoice,Subscription Invoice,ໃບສະຫມັກໃບສະຫມັກ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,ລາຍໄດ້ໂດຍກົງ
 DocType: Patient Appointment,Date TIme,Date TIme
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Lab routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,ເຄື່ອງສໍາອາງ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,ກະລຸນາເລືອກວັນສໍາເລັດສໍາລັບບັນທຶກການບໍາລຸງຮັກສາທີ່ສົມບູນແລ້ວ
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",ການຜະສານຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ຈະຕ້ອງດຽວກັນສໍາລັບການລາຍການທັງສອງ
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",ການຜະສານຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ຈະຕ້ອງດຽວກັນສໍາລັບການລາຍການທັງສອງ
 DocType: Supplier,Block Supplier,Block Supplier
 DocType: Shipping Rule,Net Weight,ນໍ້າຫນັກສຸດທິ
 DocType: Job Opening,Planned number of Positions,ຈໍານວນຕໍາແຫນ່ງວາງແຜນ
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Template Flow Mapping Template
 DocType: Travel Request,Costing Details,ລາຄາຄ່າໃຊ້ຈ່າຍ
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Show Return Entries
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial ລາຍການທີ່ບໍ່ມີບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial ລາຍການທີ່ບໍ່ມີບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ
 DocType: Journal Entry,Difference (Dr - Cr),ຄວາມແຕກຕ່າງກັນ (Dr - Cr)
 DocType: Bank Guarantee,Providing,ການສະຫນອງ
 DocType: Account,Profit and Loss,ກໍາໄລແລະຂາດທຶນ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",ບໍ່ອະນຸຍາດໃຫ້ກໍານົດຄ່າທົດລອງທົດລອງທົດລອງຕາມຕ້ອງການ
 DocType: Patient,Risk Factors,ປັດໄຈຄວາມສ່ຽງ
 DocType: Patient,Occupational Hazards and Environmental Factors,ອັນຕະລາຍດ້ານອາຊີບແລະສິ່ງແວດລ້ອມ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,ບັນດາຜະລິດຕະພັນທີ່ສ້າງແລ້ວສໍາລັບຄໍາສັ່ງເຮັດວຽກ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,ບັນດາຜະລິດຕະພັນທີ່ສ້າງແລ້ວສໍາລັບຄໍາສັ່ງເຮັດວຽກ
 DocType: Vital Signs,Respiratory rate,ອັດຕາການຫາຍໃຈ
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,ການຄຸ້ມຄອງການ Subcontracting
 DocType: Vital Signs,Body Temperature,ອຸນຫະພູມຮ່າງກາຍ
 DocType: Project,Project will be accessible on the website to these users,ໂຄງການຈະສາມາດເຂົ້າເຖິງກ່ຽວກັບເວັບໄຊທ໌ເພື່ອຜູ້ໃຊ້ເຫລົ່ານີ້
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},ບໍ່ສາມາດຍົກເລີກ {0} {1} ເພາະວ່າ Serial No {2} ບໍ່ກ່ຽວກັບສາງ {3}
 DocType: Detected Disease,Disease,ພະຍາດ
+DocType: Company,Default Deferred Expense Account,ບັນຊີຄ່າໃຊ້ຈ່າຍທີ່ຖືກຍົກເວັ້ນຄ່າທໍານຽມ
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,ກໍານົດປະເພດໂຄງການ.
 DocType: Supplier Scorecard,Weighting Function,Function Weighting
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,ຜະລິດສິນຄ້າ
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ຄໍາວ່າການຄ້າກັບໃບແຈ້ງຫນີ້
 DocType: Sales Order Item,Gross Profit,ກໍາໄຮຂັ້ນຕົ້ນ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Unblock Invoice
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Unblock Invoice
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ການເພີ່ມຂຶ້ນບໍ່ສາມາດຈະເປັນ 0
 DocType: Company,Delete Company Transactions,ລົບລາຍະການບໍລິສັດ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,ກະສານອ້າງອີງບໍ່ມີແລະວັນທີເອກະສານແມ່ນການບັງຄັບສໍາລັບການເຮັດທຸລະກໍາທະນາຄານ
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,ບໍ່ສົນໃຈ
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} ບໍ່ເຮັດວຽກ
 DocType: Woocommerce Settings,Freight and Forwarding Account,ບັນຊີ Freight and Forwarding
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,ຂະຫນາດການຕິດຕັ້ງການກວດສໍາລັບການພິມ
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,ຂະຫນາດການຕິດຕັ້ງການກວດສໍາລັບການພິມ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,ສ້າງລາຍຈ່າຍເງິນເດືອນ
 DocType: Vital Signs,Bloated,Bloated
 DocType: Salary Slip,Salary Slip Timesheet,Timesheet ເງິນເດືອນ Slip
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse ບັງຄັບສໍາລັບອະນຸສັນຍາຮັບຊື້
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse ບັງຄັບສໍາລັບອະນຸສັນຍາຮັບຊື້
 DocType: Item Price,Valid From,ຖືກຕ້ອງຈາກ
 DocType: Sales Invoice,Total Commission,ຄະນະກໍາມະການທັງຫມົດ
 DocType: Tax Withholding Account,Tax Withholding Account,ບັນຊີອອມຊັບພາສີ
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,ທັງຫມົດ scorecards Supplier.
 DocType: Buying Settings,Purchase Receipt Required,ຊື້ຮັບທີ່ກໍານົດໄວ້
 DocType: Delivery Note,Rail,ລົດໄຟ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,ສາງເປົ້າຫມາຍໃນແຖວ {0} ຕ້ອງຄືກັນກັບຄໍາສັ່ງການເຮັດວຽກ
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,ອັດຕາມູນຄ່າເປັນການບັງຄັບຖ້າຫາກວ່າການເປີດກວ້າງການຕະຫຼາດເຂົ້າໄປ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,ສາງເປົ້າຫມາຍໃນແຖວ {0} ຕ້ອງຄືກັນກັບຄໍາສັ່ງການເຮັດວຽກ
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,ອັດຕາມູນຄ່າເປັນການບັງຄັບຖ້າຫາກວ່າການເປີດກວ້າງການຕະຫຼາດເຂົ້າໄປ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,ບໍ່ມີພົບເຫັນຢູ່ໃນຕາຕະລາງການບັນທຶກການໃບເກັບເງິນ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,ກະລຸນາເລືອກບໍລິສັດແລະພັກປະເພດທໍາອິດ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","ຕັ້ງຄ່າເລີ່ມຕົ້ນໃນຕໍາແຫນ່ງ pos {0} ສໍາລັບຜູ້ໃຊ້ {1} ແລ້ວ, default default disabled"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,ທາງດ້ານການເງິນ / ການບັນຊີປີ.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,ທາງດ້ານການເງິນ / ການບັນຊີປີ.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ຄ່າສະສົມ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","ຂໍອະໄພ, Serial Nos ບໍ່ສາມາດລວມ"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ກຸ່ມລູກຄ້າຈະກໍານົດກຸ່ມທີ່ເລືອກໃນຂະນະທີ່ການຊິງຊັບລູກຄ້າຈາກ Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,Id ນໍາ
 DocType: C-Form Invoice Detail,Grand Total,ລວມທັງຫມົດ
 DocType: Assessment Plan,Course,ຂອງລາຍວິຊາ
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,ລະຫັດພາກສ່ວນ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,ລະຫັດພາກສ່ວນ
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,ວັນທີເຄິ່ງຫນຶ່ງຄວນຢູ່ໃນລະຫວ່າງວັນທີແລະວັນທີ
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,ໂຄງຮ່າງການລາຍການ
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,ຊີວະປະວັດສ່ວນບຸກຄົນ
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ຊື່ສະຫມາຊິກ
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},ສົ່ງ: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},ສົ່ງ: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,ເຊື່ອມຕໍ່ກັບ QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,ບັນຊີທີ່ຕ້ອງຈ່າຍ
 DocType: Payment Entry,Type of Payment,ປະເພດຂອງການຊໍາລະເງິນ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,ວັນທີເຄິ່ງວັນແມ່ນຈໍາເປັນ
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,ສົ່ງວັນທີໃບບິນ
 DocType: Production Plan,Production Plan,ແຜນການຜະລິດ
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ເປີດເຄື່ອງມືການສ້າງໃບເກັບເງິນ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Return ຂາຍ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Return ຂາຍ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ຫມາຍເຫດ: ໃບຈັດສັນທັງຫມົດ {0} ບໍ່ຄວນຈະຫນ້ອຍກ່ວາໃບອະນຸມັດແລ້ວ {1} ສໍາລັບໄລຍະເວລາ
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,ຕັ້ງຄ່າ Qty ໃນການປະຕິບັດການໂດຍອີງໃສ່ການນໍາເຂົ້າບໍ່ມີ Serial
 ,Total Stock Summary,ທັງຫມົດສະຫຼຸບ Stock
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,ລູກຄ້າຫຼືສິນຄ້າ
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,ຖານຂໍ້ມູນລູກຄ້າ.
 DocType: Quotation,Quotation To,ສະເຫນີລາຄາການ
-DocType: Lead,Middle Income,ລາຍໄດ້ປານກາງ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,ລາຍໄດ້ປານກາງ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),ເປີດ (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ມາດຕະຖານ Unit of Measure ສໍາລັບລາຍການ {0} ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງໂດຍກົງເພາະວ່າທ່ານໄດ້ເຮັດແລ້ວການເຮັດທຸລະກໍາບາງ (s) ມີ UOM ອື່ນ. ທ່ານຈະຕ້ອງການເພື່ອສ້າງເປັນລາຍການໃຫມ່ທີ່ຈະນໍາໃຊ້ UOM ມາດຕະຖານທີ່ແຕກຕ່າງກັນ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ມາດຕະຖານ Unit of Measure ສໍາລັບລາຍການ {0} ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງໂດຍກົງເພາະວ່າທ່ານໄດ້ເຮັດແລ້ວການເຮັດທຸລະກໍາບາງ (s) ມີ UOM ອື່ນ. ທ່ານຈະຕ້ອງການເພື່ອສ້າງເປັນລາຍການໃຫມ່ທີ່ຈະນໍາໃຊ້ UOM ມາດຕະຖານທີ່ແຕກຕ່າງກັນ.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,ຈໍານວນເງິນທີ່ຈັດສັນບໍ່ສາມາດຈະກະທົບທາງລົບ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,ກະລຸນາຕັ້ງບໍລິສັດໄດ້
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,ກະລຸນາຕັ້ງບໍລິສັດໄດ້
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,ເລືອກບັນຊີຊໍາລະເງິນເພື່ອເຮັດໃຫ້ການອອກສຽງທະນາຄານ
 DocType: Hotel Settings,Default Invoice Naming Series,ໃບສະເຫນີລາຄາໃບສະເຫນີລາຄາແບບ Default
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","ສ້າງການບັນທຶກຂອງພະນັກວຽກໃນການຄຸ້ມຄອງໃບ, ການຮຽກຮ້ອງຄ່າໃຊ້ຈ່າຍແລະການຈ່າຍເງິນເດືອນ"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,ເກີດຄວາມຜິດພາດໃນຂະບວນການປັບປຸງ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,ເກີດຄວາມຜິດພາດໃນຂະບວນການປັບປຸງ
 DocType: Restaurant Reservation,Restaurant Reservation,ຮ້ານອາຫານການຈອງ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,ຂຽນບົດສະເຫນີ
 DocType: Payment Entry Deduction,Payment Entry Deduction,ການຫັກ Entry ການຊໍາລະເງິນ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,ການຫຸ້ມຫໍ່ຂຶ້ນ
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ແຈ້ງໃຫ້ລູກຄ້າຜ່ານອີເມວ
 DocType: Item,Batch Number Series,Batch Number Series
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,ອີກປະການຫນຶ່ງບຸກຄົນ Sales {0} ມີຢູ່ກັບ id ພະນັກງານດຽວກັນ
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,ອີກປະການຫນຶ່ງບຸກຄົນ Sales {0} ມີຢູ່ກັບ id ພະນັກງານດຽວກັນ
 DocType: Employee Advance,Claimed Amount,ຈໍານວນການຮ້ອງຂໍ
+DocType: QuickBooks Migrator,Authorization Settings,ການກໍານົດການອະນຸຍາດ
 DocType: Travel Itinerary,Departure Datetime,ວັນທີອອກເດີນທາງ
 DocType: Customer,CUST-.YYYY.-,CUST -YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,ການຮ້ອງຂໍການເດີນທາງຄ່າໃຊ້ຈ່າຍ
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,ຜູ້ຜະລິດໂດຍຊື່
 DocType: Activity Type,Default Costing Rate,ມາດຕະຖານຄ່າໃຊ້ຈ່າຍອັດຕາ
 DocType: Maintenance Schedule,Maintenance Schedule,ຕາຕະລາງການບໍາລຸງຮັກສາ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","ກົດລະບຽບຫຼັງຈາກນັ້ນລາຄາຖືກກັ່ນຕອງອອກໂດຍອີງໃສ່ລູກຄ້າກຸ່ມລູກຄ້າ, ອານາເຂດ, ຜູ້ຜະລິດ, ປະເພດເຄື່ອງໃຊ້, ການໂຄສະນາ, Partner ຂາຍແລະອື່ນໆ"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","ກົດລະບຽບຫຼັງຈາກນັ້ນລາຄາຖືກກັ່ນຕອງອອກໂດຍອີງໃສ່ລູກຄ້າກຸ່ມລູກຄ້າ, ອານາເຂດ, ຜູ້ຜະລິດ, ປະເພດເຄື່ອງໃຊ້, ການໂຄສະນາ, Partner ຂາຍແລະອື່ນໆ"
 DocType: Employee Promotion,Employee Promotion Details,ຂໍ້ມູນການສົ່ງເສີມການພະນັກງານ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,ການປ່ຽນແປງສຸດທິໃນສິນຄ້າຄົງຄັງ
 DocType: Employee,Passport Number,ຈໍານວນຫນັງສືຜ່ານແດນ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ຄວາມສໍາພັນກັບ Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,ຜູ້ຈັດການ
 DocType: Payment Entry,Payment From / To,ການຊໍາລະເງິນຈາກ / ໄປ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,ຈາກປີງົບປະມານ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອໃຫມ່ແມ່ນຫນ້ອຍກວ່າຈໍານວນເງິນທີ່ຍັງຄ້າງຄາໃນປະຈຸບັນສໍາລັບລູກຄ້າ. ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອຈະຕ້ອງມີ atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},ກະລຸນາຕັ້ງບັນຊີໃນ Warehouse {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},ກະລຸນາຕັ້ງບັນຊີໃນ Warehouse {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;ອ້າງອິງກ່ຽວກັບ&#39; ແລະ &#39;Group ໂດຍ&#39; ບໍ່ສາມາດຈະເປັນຄືກັນ
 DocType: Sales Person,Sales Person Targets,ຄາດຫມາຍຕົ້ນຕໍຂາຍສ່ວນບຸກຄົນ
 DocType: Work Order Operation,In minutes,ໃນນາທີ
 DocType: Issue,Resolution Date,ວັນທີ່ສະຫມັກການແກ້ໄຂ
 DocType: Lab Test Template,Compound,ສົມທົບ
+DocType: Opportunity,Probability (%),ຄວາມເປັນໄປໄດ້ (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,ແຈ້ງການຈັດສົ່ງ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,ເລືອກຊັບສິນ
 DocType: Student Batch Name,Batch Name,ຊື່ batch
 DocType: Fee Validity,Max number of visit,ຈໍານວນການຢ້ຽມຢາມສູງສຸດ
 ,Hotel Room Occupancy,Hotel Room Occupancy
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet ສ້າງ:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},ກະລຸນາທີ່ກໍານົດໄວ້ເງິນສົດໃນຕອນຕົ້ນຫຼືບັນຊີທະນາຄານໃນຮູບແບບການຊໍາລະເງິນ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},ກະລຸນາທີ່ກໍານົດໄວ້ເງິນສົດໃນຕອນຕົ້ນຫຼືບັນຊີທະນາຄານໃນຮູບແບບການຊໍາລະເງິນ {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,ລົງທະບຽນ
 DocType: GST Settings,GST Settings,ການຕັ້ງຄ່າສີມູນຄ່າເພີ່ມ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},ເງິນສະກຸນເງິນຄວນຄືກັນກັບລາຄາລາຄາສະກຸນເງິນ: {0}
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,ທີ່ຫນ້າສົນໃຈທັງຫມົດ Payable
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ລູກຈ້າງພາສີອາກອນແລະຄ່າໃຊ້ຈ່າຍຄ່າບໍລິການ
 DocType: Work Order Operation,Actual Start Time,ເວລາທີ່ແທ້ຈິງ
+DocType: Purchase Invoice Item,Deferred Expense Account,ບັນຊີລາຍຈ່າຍລາຍຈ່າຍຂື້ນ
 DocType: BOM Operation,Operation Time,ທີ່ໃຊ້ເວລາການດໍາເນີນງານ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,ສໍາເລັດຮູບ
 DocType: Salary Structure Assignment,Base,ຖານ
 DocType: Timesheet,Total Billed Hours,ທັງຫມົດຊົ່ວໂມງບິນ
 DocType: Travel Itinerary,Travel To,ການເດີນທາງໄປ
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ບໍ່ແມ່ນ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,ຂຽນ Off ຈໍານວນ
 DocType: Leave Block List Allow,Allow User,ອະນຸຍາດໃຫ້ຜູ້ໃຊ້
 DocType: Journal Entry,Bill No,ບັນຊີລາຍການບໍ່ມີ
@@ -1089,9 +1099,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,ທີ່ໃຊ້ເວລາ Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,ວັດຖຸດິບ Backflush ຖານກ່ຽວກັບ
 DocType: Sales Invoice,Port Code,Port Code
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,ຄັງເກັບສະຫງວນ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,ຄັງເກັບສະຫງວນ
 DocType: Lead,Lead is an Organization,Lead is a Organization
-DocType: Guardian Interest,Interest,ທີ່ຫນ້າສົນໃຈ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Sales Pre
 DocType: Instructor Log,Other Details,ລາຍລະອຽດອື່ນໆ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1101,7 +1110,7 @@
 DocType: Account,Accounts,ບັນຊີ
 DocType: Vehicle,Odometer Value (Last),ມູນຄ່າໄມ (ຫຼ້າສຸດ)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,ແມ່ແບບຂອງເກນສະຫນອງດັດນີຊີ້ວັດ.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,ການຕະຫຼາດ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,ການຕະຫຼາດ
 DocType: Sales Invoice,Redeem Loyalty Points,ລຸດຜ່ອນຄວາມສັດຊື່ຕໍ່
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Entry ການຈ່າຍເງິນແມ່ນສ້າງຮຽບຮ້ອຍແລ້ວ
 DocType: Request for Quotation,Get Suppliers,ຮັບ Suppliers
@@ -1118,16 +1127,14 @@
 DocType: Crop,Crop Spacing UOM,ການຂະຫຍາຍ Spacing UOM
 DocType: Loyalty Program,Single Tier Program,Single Tier Program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ພຽງແຕ່ເລືອກຖ້າຫາກທ່ານມີເອກະສານສະຫຼັບ Cash Flow Mapper
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,ຈາກທີ່ຢູ່ 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,ຈາກທີ່ຢູ່ 1
 DocType: Email Digest,Next email will be sent on:,email ຕໍ່ໄປຈະຖືກສົ່ງໄປຕາມ:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",ປະຕິບັດຕາມລາຍການ {item} {verb} ທີ່ຫມາຍເປັນ {message}. \ ທ່ານສາມາດເຮັດໃຫ້ມັນເປັນ {message} item ຈາກ master item
 DocType: Supplier Scorecard,Per Week,ຕໍ່ອາທິດ
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,ລາຍການມີ variants.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,ລາຍການມີ variants.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,ນັກຮຽນລວມ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ບໍ່ພົບລາຍການ {0}
 DocType: Bin,Stock Value,ມູນຄ່າຫຼັກຊັບ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,ບໍລິສັດ {0} ບໍ່ມີ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,ບໍລິສັດ {0} ບໍ່ມີ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ມີຄ່າທໍານຽມຕໍ່ {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,ປະເພດຕົ້ນໄມ້
 DocType: BOM Explosion Item,Qty Consumed Per Unit,ຈໍານວນການບໍລິໂພກຕໍ່ຫນ່ວຍ
@@ -1143,7 +1150,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Accounts [FEC]
 DocType: Journal Entry,Credit Card Entry,Entry ບັດເຄດິດ
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,ບໍລິສັດແລະບັນຊີ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,ໃນມູນຄ່າ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,ໃນມູນຄ່າ
 DocType: Asset Settings,Depreciation Options,ຕົວເລືອກຄ່າເສື່ອມລາຄາ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,ຕ້ອງມີສະຖານທີ່ຫຼືພະນັກງານທີ່ຕ້ອງການ
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,ເວລາໂພດບໍ່ຖືກຕ້ອງ
@@ -1160,20 +1167,21 @@
 DocType: Leave Allocation,Allocation,ການຈັດສັນ
 DocType: Purchase Order,Supply Raw Materials,ການສະຫນອງວັດຖຸດິບ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ຊັບສິນປັດຈຸບັນ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',ກະລຸນາຕໍານິຕິຊົມຂອງທ່ານເພື່ອຝຶກອົບຮົມໂດຍການຄລິກໃສ່ &#39;ການຝຶກອົບຮົມ Feedback&#39; ແລະຫຼັງຈາກນັ້ນ &#39;New&#39;
 DocType: Mode of Payment Account,Default Account,ບັນຊີມາດຕະຖານ
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,ກະລຸນາເລືອກຄັງເກັບຮັກສາຕົວຢ່າງໃນການຕັ້ງຄ່າຫຼັກຊັບກ່ອນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,ກະລຸນາເລືອກຄັງເກັບຮັກສາຕົວຢ່າງໃນການຕັ້ງຄ່າຫຼັກຊັບກ່ອນ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,ກະລຸນາເລືອກປະເພດໂຄງການຫຼາຍຂັ້ນຕອນສໍາລັບຫຼາຍກວ່າກົດລະບຽບການເກັບກໍາ.
 DocType: Payment Entry,Received Amount (Company Currency),ໄດ້ຮັບຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,ຜູ້ນໍາພາຕ້ອງໄດ້ຮັບການກໍານົດຖ້າຫາກວ່າໂອກາດແມ່ນໄດ້ມາຈາກຜູ້ນໍາ
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,ການຊໍາລະເງິນຖືກຍົກເລີກ. ໂປດກວດເບິ່ງບັນຊີ GoCardless ຂອງທ່ານສໍາລັບລາຍລະອຽດເພີ່ມເຕີມ
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,ສົ່ງດ້ວຍໄຟແນບ
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,ກະລຸນາເລືອກວັນໄປປະຈໍາອາທິດ
 DocType: Inpatient Record,O Negative,O Negative
 DocType: Work Order Operation,Planned End Time,ການວາງແຜນທີ່ໃຊ້ເວລາສຸດທ້າຍ
 ,Sales Person Target Variance Item Group-Wise,"Sales Person ເປົ້າຫມາຍຕ່າງ Item Group, ສະຫລາດ"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership Type Details
 DocType: Delivery Note,Customer's Purchase Order No,ຂອງລູກຄ້າໃບສັ່ງຊື້ບໍ່ມີ
 DocType: Clinical Procedure,Consume Stock,Consume Stock
@@ -1186,26 +1194,26 @@
 DocType: Soil Texture,Sand,Sand
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,ພະລັງງານ
 DocType: Opportunity,Opportunity From,ໂອກາດຈາກ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ແຖວ {0}: {1} ຈໍານວນ Serial ຈໍາເປັນສໍາລັບລາຍການ {2}. ທ່ານໄດ້ສະຫນອງ {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ແຖວ {0}: {1} ຈໍານວນ Serial ຈໍາເປັນສໍາລັບລາຍການ {2}. ທ່ານໄດ້ສະຫນອງ {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,ກະລຸນາເລືອກຕາຕະລາງ
 DocType: BOM,Website Specifications,ຂໍ້ມູນຈໍາເພາະເວັບໄຊທ໌
 DocType: Special Test Items,Particulars,Particulars
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: ຈາກ {0} ຂອງປະເພດ {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: ປັດໄຈການແປງເປັນການບັງຄັບ
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: ປັດໄຈການແປງເປັນການບັງຄັບ
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ກົດລະບຽບລາຄາທີ່ຫຼາກຫຼາຍທີ່ມີຢູ່ກັບເງື່ອນໄຂດຽວກັນ, ກະລຸນາແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງໂດຍການມອບຫມາຍບູລິມະສິດ. ກົດລະບຽບລາຄາ: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ກົດລະບຽບລາຄາທີ່ຫຼາກຫຼາຍທີ່ມີຢູ່ກັບເງື່ອນໄຂດຽວກັນ, ກະລຸນາແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງໂດຍການມອບຫມາຍບູລິມະສິດ. ກົດລະບຽບລາຄາ: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,ອັດຕາແລກປ່ຽນອັດຕາແລກປ່ຽນບັນຊີ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,ບໍ່ສາມາດຍົກເລີກຫລືຍົກເລີກການ BOM ເປັນມັນແມ່ນການເຊື່ອມຕໍ່ກັບແອບເປີ້ນອື່ນໆ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,ບໍ່ສາມາດຍົກເລີກຫລືຍົກເລີກການ BOM ເປັນມັນແມ່ນການເຊື່ອມຕໍ່ກັບແອບເປີ້ນອື່ນໆ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,ກະລຸນາເລືອກບໍລິສັດແລະວັນທີການລົງທືນເພື່ອຮັບເອົາລາຍການ
 DocType: Asset,Maintenance,ບໍາລຸງຮັກສາ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,ມາຈາກການພົບປະກັບຜູ້ປ່ວຍ
 DocType: Subscriber,Subscriber,Subscriber
 DocType: Item Attribute Value,Item Attribute Value,ລາຍການສະແດງທີ່ມູນຄ່າ
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,ກະລຸນາປັບປຸງສະຖານະຂອງໂຄງການຂອງທ່ານ
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,ກະລຸນາປັບປຸງສະຖານະຂອງໂຄງການຂອງທ່ານ
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,ການແລກປ່ຽນເງິນຕາຕ້ອງໃຊ້ສໍາລັບການຊື້ຫຼືຂາຍ.
 DocType: Item,Maximum sample quantity that can be retained,ປະລິມານຕົວຢ່າງສູງສຸດທີ່ສາມາດຮັກສາໄດ້
 DocType: Project Update,How is the Project Progressing Right Now?,ວິທີການໂຄງການຂະຫຍາຍຕົວໄດ້ແນວໃດໃນປັດຈຸບັນ?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} ບໍ່ສາມາດຖືກຍົກຍ້າຍຫຼາຍກວ່າ {2} ຕໍ່ຄໍາສັ່ງສັ່ງຊື້ {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} ບໍ່ສາມາດຖືກຍົກຍ້າຍຫຼາຍກວ່າ {2} ຕໍ່ຄໍາສັ່ງສັ່ງຊື້ {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,ຂະບວນການຂາຍ.
 DocType: Project Task,Make Timesheet,ເຮັດໃຫ້ Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1234,36 +1242,38 @@
 DocType: Lab Test,Lab Test,Lab test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Student Report Generation Tool
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ເວລາສຸຂະພາບຕາຕະລາງເວລາ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Name
 DocType: Expense Claim Detail,Expense Claim Type,ຄ່າໃຊ້ຈ່າຍປະເພດການຮ້ອງຂໍ
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,ການຕັ້ງຄ່າມາດຕະຖານສໍາລັບການຄ້າໂຄງຮ່າງການ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Add Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},ຊັບສິນຢຸດຜ່ານ Journal Entry {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},ກະລຸນາຕັ້ງຄ່າ Account in Warehouse {0} ຫຼື Account Inventory Default ໃນບໍລິສັດ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},ຊັບສິນຢຸດຜ່ານ Journal Entry {0}
 DocType: Loan,Interest Income Account,ບັນຊີດອກເບ້ຍຮັບ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,ຜົນປະໂຫຍດສູງສຸດຄວນຈະສູງກ່ວາສູນທີ່ຈະແຈກຈ່າຍຜົນປະໂຫຍດ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,ຜົນປະໂຫຍດສູງສຸດຄວນຈະສູງກ່ວາສູນທີ່ຈະແຈກຈ່າຍຜົນປະໂຫຍດ
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,ການທົບທວນຄືນການເຊີນສົ່ງ
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,ພະນັກງານໂອນຊັບສິນ
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,ຈາກທີ່ໃຊ້ເວລາຄວນຈະມີຫນ້ອຍກ່ວາທີ່ໃຊ້ເວລາ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnology
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Item {0} (Serial No: {1}) ບໍ່ສາມາດຖືກໃຊ້ເປັນ reserverd \ to fullfill Sales Order {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,ຄ່າໃຊ້ຈ່າຍສໍານັກວຽກບໍາລຸງຮັກສາ
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,ໄປຫາ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ປັບປຸງລາຄາຈາກ Shopify ກັບລາຄາລາຍະການ ERPNext ລາຍະການ
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ການສ້າງຕັ້ງບັນຊີ Email
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,ກະລຸນາໃສ່ລາຍການທໍາອິດ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Needs Analysis
 DocType: Asset Repair,Downtime,Downtime
 DocType: Account,Liability,ຄວາມຮັບຜິດຊອບ
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ທີ່ຖືກເກືອດຫ້າມຈໍານວນເງິນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກວ່າການຮຽກຮ້ອງຈໍານວນເງິນໃນແຖວ {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ທີ່ຖືກເກືອດຫ້າມຈໍານວນເງິນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກວ່າການຮຽກຮ້ອງຈໍານວນເງິນໃນແຖວ {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,ໄລຍະທາງວິຊາການ:
 DocType: Salary Component,Do not include in total,ບໍ່ລວມຢູ່ໃນທັງຫມົດ
 DocType: Company,Default Cost of Goods Sold Account,ມາດຕະຖານຄ່າໃຊ້ຈ່າຍຂອງບັນຊີສິນຄ້າຂາຍ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},ປະລິມານຕົວຢ່າງ {0} ບໍ່ສາມາດມີຫຼາຍກ່ວາປະລິມານທີ່ໄດ້ຮັບ {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,ບັນຊີລາຄາບໍ່ໄດ້ເລືອກ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},ປະລິມານຕົວຢ່າງ {0} ບໍ່ສາມາດມີຫຼາຍກ່ວາປະລິມານທີ່ໄດ້ຮັບ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,ບັນຊີລາຄາບໍ່ໄດ້ເລືອກ
 DocType: Employee,Family Background,ຄວາມເປັນມາຂອງຄອບຄົວ
 DocType: Request for Quotation Supplier,Send Email,ການສົ່ງອີເມວ
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},ການເຕືອນໄພ: Attachment ບໍ່ຖືກຕ້ອງ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},ການເຕືອນໄພ: Attachment ບໍ່ຖືກຕ້ອງ {0}
 DocType: Item,Max Sample Quantity,Max Sample Quantity
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,ບໍ່ມີການອະນຸຍາດ
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,ລາຍະການກວດສອບການປະຕິບັດສັນຍາ
@@ -1295,15 +1305,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ສູນຕົ້ນທຶນ {2} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),ອັບໂຫລດຫົວຈົດຫມາຍຂອງທ່ານ (ຮັກສາມັນເປັນມິດກັບເວັບເປັນ 900px ໂດຍ 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} ບໍ່ສາມາດເປັນກຸ່ມ
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ລາຍການຕິດຕໍ່ກັນ {idx}: {doctype} {docname} ບໍ່ມີຢູ່ໃນຂ້າງເທິງ &#39;{doctype}&#39; ຕາຕະລາງ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} ແມ່ນໄດ້ສໍາເລັດໄປແລ້ວຫລືຍົກເລີກ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} ແມ່ນໄດ້ສໍາເລັດໄປແລ້ວຫລືຍົກເລີກ
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ມີວຽກງານທີ່
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,ໃບແຈ້ງຍອດຂາຍ {0} ຖືກສ້າງຂື້ນຕາມການຈ່າຍເງິນ
 DocType: Item Variant Settings,Copy Fields to Variant,ຄັດລອກເຂດການປ່ຽນແປງ
 DocType: Asset,Opening Accumulated Depreciation,ເປີດຄ່າເສື່ອມລາຄາສະສົມ
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,ຄະແນນຕ້ອງຕ່ໍາກວ່າຫຼືເທົ່າກັບ 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,ເຄື່ອງມືການລົງທະບຽນໂຄງການ
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,ການບັນທຶກການ C ແບບຟອມ
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,ການບັນທຶກການ C ແບບຟອມ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,ຮຸ້ນມີຢູ່ແລ້ວ
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,ລູກຄ້າແລະຜູ້ຜະລິດ
 DocType: Email Digest,Email Digest Settings,Email Settings Digest
@@ -1316,12 +1326,12 @@
 DocType: Production Plan,Select Items,ເລືອກລາຍການ
 DocType: Share Transfer,To Shareholder,ກັບຜູ້ຖືຫຸ້ນ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} ກັບບັນຊີລາຍການ {1} ວັນ {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,ຈາກລັດ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,ຈາກລັດ
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,ສະຖາບັນການຕິດຕັ້ງ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,ການຈັດສັນໃບ ...
 DocType: Program Enrollment,Vehicle/Bus Number,ຍານພາຫະນະ / ຈໍານວນລົດປະຈໍາທາງ
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,ກະດານຂ່າວ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",ທ່ານຕ້ອງເສຍພາສີອາກອນສໍາລັບໃບຢັ້ງຢືນການຍົກເວັ້ນພາສີທີ່ບໍ່ໄດ້ມອບແລະໃບອະນຸຍາດທີ່ບໍ່ໄດ້ຮັບການຊ່ວຍເຫຼືອໃນໃບຢັ້ງຢືນເງິນເດືອນສຸດທ້າຍຂອງໄລຍະເວລາຊໍາລະເງິນ
 DocType: Request for Quotation Supplier,Quote Status,ສະຖານະອ້າງ
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1347,13 +1357,13 @@
 DocType: Sales Invoice,Payment Due Date,ການຊໍາລະເງິນກໍາຫນົດ
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","ແກ້ໄຂ, ຖ້າຫາກວ່າທີ່ຢູ່ທີ່ເລືອກໄດ້ຖືກແກ້ໄຂຫຼັງຈາກທີ່ບັນທຶກ"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,ລາຍການ Variant {0} ມີຢູ່ແລ້ວກັບຄຸນລັກສະນະດຽວກັນ
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,ລາຍການ Variant {0} ມີຢູ່ແລ້ວກັບຄຸນລັກສະນະດຽວກັນ
 DocType: Item,Hub Publishing Details,Hub Publishing Details
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;ເປີດ &#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;ເປີດ &#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ເປີດການເຮັດ
 DocType: Issue,Via Customer Portal,ຜ່ານເວັບໄຊທ໌ຂອງລູກຄ້າ
 DocType: Notification Control,Delivery Note Message,ການສົ່ງເງິນເຖິງຂໍ້ຄວາມ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST ຈໍານວນເງິນ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST ຈໍານວນເງິນ
 DocType: Lab Test Template,Result Format,Format Result
 DocType: Expense Claim,Expenses,ຄ່າໃຊ້ຈ່າຍ
 DocType: Item Variant Attribute,Item Variant Attribute,ລາຍການ Variant ຄຸນລັກສະນະ
@@ -1361,14 +1371,12 @@
 DocType: Payroll Entry,Bimonthly,Bimonthly
 DocType: Vehicle Service,Brake Pad,Pad ເບກ
 DocType: Fertilizer,Fertilizer Contents,ເນື້ອຫາປຸ໋ຍ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,ການວິໄຈແລະການພັດທະນາ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,ການວິໄຈແລະການພັດທະນາ
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ຈໍານວນເງິນທີ່ບັນຊີລາຍການ
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ວັນທີເລີ່ມຕົ້ນແລະວັນທີສິ້ນສຸດແມ່ນການເຮັດວຽກທີ່ລ້າສະໄຫມກັບບັດວຽກ <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,ລາຍລະອຽດການລົງທະບຽນ
 DocType: Timesheet,Total Billed Amount,ຈໍານວນບິນທັງຫມົດ
 DocType: Item Reorder,Re-Order Qty,Re: ຄໍາສັ່ງຈໍານວນ
 DocType: Leave Block List Date,Leave Block List Date,ອອກຈາກ Block ຊີວັນ
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,ກະລຸນາຕັ້ງຊື່ລະບົບການໃຫ້ຄໍາແນະນໍາໃນການສຶກສາ&gt; ການສຶກສາການສຶກສາ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: ວັດຖຸດິບບໍ່ສາມາດເຊັ່ນດຽວກັນກັບລາຍການຕົ້ນຕໍ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ຄ່າໃຊ້ຈ່າຍທັງຫມົດໃນການຊື້ຕາຕະລາງໃບລາຍການຈະຕ້ອງເຊັ່ນດຽວກັນກັບພາສີອາກອນທັງຫມົດແລະຄ່າບໍລິການ
 DocType: Sales Team,Incentives,ສິ່ງຈູງໃຈ
@@ -1382,7 +1390,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,ຈຸດຂອງການຂາຍ
 DocType: Fee Schedule,Fee Creation Status,ສະຖານະການສ້າງຄ່າທໍານຽມ
 DocType: Vehicle Log,Odometer Reading,ການອ່ານຫນັງສືໄມ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນການປ່ອຍສິນເຊື່ອ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ &#39;ສົມຕ້ອງໄດ້ຮັບ&#39; ເປັນ &#39;Debit&#39;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນການປ່ອຍສິນເຊື່ອ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ &#39;ສົມຕ້ອງໄດ້ຮັບ&#39; ເປັນ &#39;Debit&#39;"
 DocType: Account,Balance must be,ສົມຕ້ອງໄດ້ຮັບ
 DocType: Notification Control,Expense Claim Rejected Message,Message ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍຖືກປະຕິເສດ
 ,Available Qty,ມີຈໍານວນ
@@ -1394,7 +1402,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ສະເຫມີ synchronize ຜະລິດຕະພັນຂອງທ່ານຈາກ Amazon MWS ກ່ອນທີ່ຈະ synchronize ລາຍລະອຽດຄໍາສັ່ງ
 DocType: Delivery Trip,Delivery Stops,Delivery Stops
 DocType: Salary Slip,Working Days,ວັນເຮັດວຽກ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},ບໍ່ສາມາດປ່ຽນວັນຢຸດບໍລິການສໍາລັບລາຍການໃນແຖວ {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},ບໍ່ສາມາດປ່ຽນວັນຢຸດບໍລິການສໍາລັບລາຍການໃນແຖວ {0}
 DocType: Serial No,Incoming Rate,ອັດຕາເຂົ້າມາ
 DocType: Packing Slip,Gross Weight,ນ້ໍາຫນັກລວມ
 DocType: Leave Type,Encashment Threshold Days,ວັນເຂັ້ມຂົ້ນຈໍາກັດ
@@ -1413,31 +1421,33 @@
 DocType: Restaurant Table,Minimum Seating,ບ່ອນນັ່ງນ້ອຍສຸດ
 DocType: Item Attribute,Item Attribute Values,ຄ່າລາຍການຄຸນລັກສະນະ
 DocType: Examination Result,Examination Result,ຜົນການສອບເສັງ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,ຮັບຊື້
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,ຮັບຊື້
 ,Received Items To Be Billed,ລາຍການທີ່ໄດ້ຮັບການໄດ້ຮັບການ billed
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,ອັດຕາແລກປ່ຽນສະກຸນເງິນຕົ້ນສະບັບ.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,ອັດຕາແລກປ່ຽນສະກຸນເງິນຕົ້ນສະບັບ.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},ກະສານອ້າງອີງ DOCTYPE ຕ້ອງເປັນຫນຶ່ງໃນ {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter ຈໍານວນ Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ບໍ່ສາມາດຊອກຫາສະລັອດຕິງໃຊ້ເວລາໃນ {0} ວັນຕໍ່ໄປສໍາລັບການດໍາເນີນງານ {1}
 DocType: Work Order,Plan material for sub-assemblies,ອຸປະກອນການວາງແຜນສໍາລັບອະນຸສະພາແຫ່ງ
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partners ການຂາຍແລະອານາເຂດ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} ຕ້ອງມີການເຄື່ອນໄຫວ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} ຕ້ອງມີການເຄື່ອນໄຫວ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,ບໍ່ມີລາຍະການສໍາຫລັບການໂອນ
 DocType: Employee Boarding Activity,Activity Name,ຊື່ກິດຈະກໍາ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,ປ່ຽນວັນທີປ່ອຍ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,ປະລິມານຜະລິດຕະພັນສໍາເລັດແລ້ວ <b>{0}</b> ແລະສໍາລັບ Quantity <b>{1}</b> ບໍ່ສາມາດແຕກຕ່າງກັນ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,ປ່ຽນວັນທີປ່ອຍ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,ປະລິມານຜະລິດຕະພັນສໍາເລັດແລ້ວ <b>{0}</b> ແລະສໍາລັບ Quantity <b>{1}</b> ບໍ່ສາມາດແຕກຕ່າງກັນ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),ປິດ (ເປີດ + ລວມ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,ລະຫັດສິນຄ້າ&gt; ກຸ່ມສິນຄ້າ&gt; ຍີ່ຫໍ້
+DocType: Delivery Settings,Dispatch Notification Attachment,ເຜີຍແຜ່ເອກະສານການຈັດສົ່ງ
 DocType: Payroll Entry,Number Of Employees,ຈໍານວນພະນັກງານ
 DocType: Journal Entry,Depreciation Entry,Entry ຄ່າເສື່ອມລາຄາ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,ກະລຸນາເລືອກປະເພດເອກະສານທໍາອິດ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,ກະລຸນາເລືອກປະເພດເອກະສານທໍາອິດ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ຍົກເລີກການໄປຢ້ຽມຢາມວັດສະດຸ {0} ກ່ອນຍົກເລີກການນີ້ບໍາລຸງຮັກສາ Visit
 DocType: Pricing Rule,Rate or Discount,ອັດຕາຫລືລາຄາຜ່ອນຜັນ
 DocType: Vital Signs,One Sided,ຫນຶ່ງຂ້າງ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,ທີ່ກໍານົດໄວ້ຈໍານວນ
 DocType: Marketplace Settings,Custom Data,Custom Data
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},ບໍ່ມີຈໍານວນ Serial ສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},ບໍ່ມີຈໍານວນ Serial ສໍາລັບລາຍການ {0}
 DocType: Bank Reconciliation,Total Amount,ຈໍານວນທັງຫມົດ
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,ຈາກວັນທີແລະວັນທີ່ຢູ່ໃນປີງົບປະມານທີ່ແຕກຕ່າງກັນ
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,ຜູ້ປ່ວຍ {0} ບໍ່ມີການກວດສອບຂອງລູກຄ້າໃນໃບແຈ້ງຫນີ້
@@ -1448,9 +1458,9 @@
 DocType: Soil Texture,Clay Composition (%),ສ່ວນປະກອບຂອງດິນເຜົາ (%)
 DocType: Item Group,Item Group Defaults,ຊຸດກຸ່ມສິນຄ້າ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,ກະລຸນາປະຫຍັດກ່ອນທີ່ຈະມອບຫມາຍວຽກ.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ມູນຄ່າການດຸ່ນດ່ຽງ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ມູນຄ່າການດຸ່ນດ່ຽງ
 DocType: Lab Test,Lab Technician,Lab Technician
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,ບັນຊີລາຄາຂາຍ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,ບັນຊີລາຄາຂາຍ
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","ຖ້າຖືກກວດສອບ, ລູກຄ້າຈະໄດ້ຮັບການສ້າງຂຶ້ນ, ທີ່ຖືກສະແດງໃຫ້ກັບຜູ້ເຈັບ. ໃບແຈ້ງຫນີ້ຂອງຜູ້ປ່ວຍຈະຖືກສ້າງຂື້ນຕໍ່ລູກຄ້ານີ້. ທ່ານຍັງສາມາດເລືອກລູກຄ້າທີ່ມີຢູ່ໃນຂະນະທີ່ສ້າງຄົນເຈັບ."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ລູກຄ້າບໍ່ໄດ້ລົງທະບຽນໃນໂຄງການຄວາມພັກດີໃດໆ
@@ -1464,13 +1474,13 @@
 DocType: Support Search Source,Search Term Param Name,ຄໍາຄົ້ນຫາຄໍາຄົ້ນຫາ
 DocType: Item Barcode,Item Barcode,Item Barcode
 DocType: Woocommerce Settings,Endpoints,ຈຸດສິ້ນສຸດ
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,ລາຍການທີ່ແຕກຕ່າງກັນ {0} ການປັບປຸງ
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,ລາຍການທີ່ແຕກຕ່າງກັນ {0} ການປັບປຸງ
 DocType: Quality Inspection Reading,Reading 6,ອ່ານ 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,ສາມາດເຮັດໄດ້ບໍ່ {0} {1} {2} ໂດຍບໍ່ມີການໃບເກັບເງິນທີ່ຍັງຄ້າງຄາໃນທາງລົບ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,ສາມາດເຮັດໄດ້ບໍ່ {0} {1} {2} ໂດຍບໍ່ມີການໃບເກັບເງິນທີ່ຍັງຄ້າງຄາໃນທາງລົບ
 DocType: Share Transfer,From Folio No,ຈາກ Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,ຊື້ Invoice Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},ຕິດຕໍ່ກັນ {0}: ເຂົ້າ Credit ບໍ່ສາມາດໄດ້ຮັບການຕິດພັນກັບ {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,ກໍານົດງົບປະມານສໍາລັບປີການເງິນ.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,ກໍານົດງົບປະມານສໍາລັບປີການເງິນ.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext Account
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} ຖືກສະກັດດັ່ງນັ້ນການຊື້ຂາຍນີ້ບໍ່ສາມາດດໍາເນີນການໄດ້
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,ການປະຕິບັດຖ້າຫາກວ່າງົບປະມານລາຍເດືອນສະສົມເກີນກວ່າ MR
@@ -1486,19 +1496,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,ໃບເກັບເງິນຊື້
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,ອະນຸຍາດໃຫ້ນໍາໃຊ້ວັດສະດຸການນໍາໃຊ້ວັດຖຸຫຼາຍຢ່າງຕໍ່ກັບຄໍາສັ່ງການເຮັດວຽກ
 DocType: GL Entry,Voucher Detail No,ຂໍ້ມູນຄູປອງ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,ໃບເກັບເງິນໃນການຂາຍໃຫມ່
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,ໃບເກັບເງິນໃນການຂາຍໃຫມ່
 DocType: Stock Entry,Total Outgoing Value,ມູນຄ່າລາຍຈ່າຍທັງຫມົດ
 DocType: Healthcare Practitioner,Appointments,ການນັດຫມາຍ
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,ເປີດວັນທີ່ສະຫມັກແລະວັນທີຢ່າງໃກ້ຊິດຄວນຈະຢູ່ພາຍໃນດຽວກັນຂອງປີງົບປະມານ
 DocType: Lead,Request for Information,ການຮ້ອງຂໍສໍາລັບການຂໍ້ມູນຂ່າວສານ
 ,LeaderBoard,ກະດານ
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),ອັດຕາອັດຕາດອກເບ້ຍ (ເງິນບໍລິສັດ)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້
 DocType: Payment Request,Paid,ການຊໍາລະເງິນ
 DocType: Program Fee,Program Fee,ຄ່າບໍລິການໂຄງການ
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","ແທນທີ່ໂດຍສະເພາະແມ່ນ BOM ໃນ Boms ອື່ນໆທັງຫມົດທີ່ມັນຖືກນໍາໃຊ້. ມັນຈະແທນການເຊື່ອມຕໍ່ BOM ອາຍຸ, ປັບປຸງຄ່າໃຊ້ຈ່າຍແລະຟື້ນຟູຕາຕະລາງ &quot;BOM ລະເບີດ Item&quot; ເປັນຕໍ່ BOM ໃຫມ່. ມັນຍັງປັບປຸງລາຄາຫລ້າສຸດໃນ Boms ທັງຫມົດ."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,ຄໍາສັ່ງການເຮັດວຽກດັ່ງຕໍ່ໄປນີ້ໄດ້ຖືກສ້າງຂື້ນ:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,ຄໍາສັ່ງການເຮັດວຽກດັ່ງຕໍ່ໄປນີ້ໄດ້ຖືກສ້າງຂື້ນ:
 DocType: Salary Slip,Total in words,ທັງຫມົດໃນຄໍາສັບຕ່າງໆ
 DocType: Inpatient Record,Discharged,ຍົກເລີກ
 DocType: Material Request Item,Lead Time Date,Lead ວັນທີ່ເວລາ
@@ -1509,16 +1519,16 @@
 DocType: Support Settings,Get Started Sections,ເລີ່ມຕົ້ນພາກສ່ວນຕ່າງໆ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY.-
 DocType: Loan,Sanctioned,ທີ່ຖືກເກືອດຫ້າມ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບການ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາລະບຸ Serial No ສໍາລັບລາຍການ {1}"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},ຈໍານວນເງິນສະສົມລວມ: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາລະບຸ Serial No ສໍາລັບລາຍການ {1}"
 DocType: Payroll Entry,Salary Slips Submitted,Salary Slips Submitted
 DocType: Crop Cycle,Crop Cycle,Cycle crop
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","ສໍາລັບລາຍການ &#39;Bundle ຜະລິດພັນ, ຄັງສິນຄ້າ, ບໍ່ມີ Serial ແລະ Batch ບໍ່ມີຈະໄດ້ຮັບການພິຈາລະນາຈາກ&#39; Packing ຊີ &#39;ຕາຕະລາງ. ຖ້າຫາກວ່າ Warehouse ແລະ Batch ບໍ່ແມ່ນອັນດຽວກັນສໍາລັບລາຍການບັນຈຸທັງຫມົດສໍາລັບຄວາມຮັກ &#39;Bundle ຜະລິດພັນສິນຄ້າ, ຄຸນຄ່າເຫຼົ່ານັ້ນສາມາດໄດ້ຮັບເຂົ້າໄປໃນຕາຕະລາງລາຍການຕົ້ນຕໍ, ຄຸນຄ່າຈະໄດ້ຮັບການຄັດລອກໄປທີ່&#39; Packing ຊີ &#39;ຕາຕະລາງ."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","ສໍາລັບລາຍການ &#39;Bundle ຜະລິດພັນ, ຄັງສິນຄ້າ, ບໍ່ມີ Serial ແລະ Batch ບໍ່ມີຈະໄດ້ຮັບການພິຈາລະນາຈາກ&#39; Packing ຊີ &#39;ຕາຕະລາງ. ຖ້າຫາກວ່າ Warehouse ແລະ Batch ບໍ່ແມ່ນອັນດຽວກັນສໍາລັບລາຍການບັນຈຸທັງຫມົດສໍາລັບຄວາມຮັກ &#39;Bundle ຜະລິດພັນສິນຄ້າ, ຄຸນຄ່າເຫຼົ່ານັ້ນສາມາດໄດ້ຮັບເຂົ້າໄປໃນຕາຕະລາງລາຍການຕົ້ນຕໍ, ຄຸນຄ່າຈະໄດ້ຮັບການຄັດລອກໄປທີ່&#39; Packing ຊີ &#39;ຕາຕະລາງ."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,ຈາກສະຖານທີ່
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net pay cannnot be negative
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,ຈາກສະຖານທີ່
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net pay cannnot be negative
 DocType: Student Admission,Publish on website,ເຜີຍແຜ່ກ່ຽວກັບເວັບໄຊທ໌
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,ວັນທີ່ສະຫມັກສະຫນອງ Invoice ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະກາດວັນທີ່
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,ວັນທີ່ສະຫມັກສະຫນອງ Invoice ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະກາດວັນທີ່
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,ວັນທີຍົກເລີກ
 DocType: Purchase Invoice Item,Purchase Order Item,ການສັ່ງຊື້ສິນຄ້າ
@@ -1527,7 +1537,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,ເຄື່ອງມືນັກສຶກສາເຂົ້າຮ່ວມ
 DocType: Restaurant Menu,Price List (Auto created),ລາຄາລາຄາ (ສ້າງໂດຍອັດຕະໂນມັດ)
 DocType: Cheque Print Template,Date Settings,ການຕັ້ງຄ່າວັນທີ່
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,ການປ່ຽນແປງ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,ການປ່ຽນແປງ
 DocType: Employee Promotion,Employee Promotion Detail,ຂໍ້ມູນການສົ່ງເສີມພະນັກງານ
 ,Company Name,ຊື່ບໍລິສັດ
 DocType: SMS Center,Total Message(s),ຂໍ້ຄວາມທັງຫມົດ (s)
@@ -1557,7 +1567,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,ບໍ່ໄດ້ສົ່ງພະນັກງານວັນເດືອນປີເກີດເຕືອນ
 DocType: Expense Claim,Total Advance Amount,ຈໍານວນເງິນລ່ວງຫນ້າທັງຫມົດ
 DocType: Delivery Stop,Estimated Arrival,ການຄາດຄະເນການມາເຖິງ
-DocType: Delivery Stop,Notified by Email,ແຈ້ງໂດຍອີເມວ
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,ເບິ່ງທັງຫມົດບົດຄວາມ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,ຍ່າງເຂົ້າ
 DocType: Item,Inspection Criteria,ເງື່ອນໄຂການກວດກາ
@@ -1567,23 +1576,22 @@
 DocType: Timesheet Detail,Bill,ບັນຊີລາຍການ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,ສີຂາວ
 DocType: SMS Center,All Lead (Open),Lead ທັງຫມົດ (ເປີດ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ຕິດຕໍ່ກັນ {0}: ຈໍານວນບໍ່ສາມາດໃຊ້ສໍາລັບການ {4} ໃນສາງ {1} ທີ່ປຊຊກິນທີ່ໃຊ້ເວລາຂອງການເຂົ້າມາ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ຕິດຕໍ່ກັນ {0}: ຈໍານວນບໍ່ສາມາດໃຊ້ສໍາລັບການ {4} ໃນສາງ {1} ທີ່ປຊຊກິນທີ່ໃຊ້ເວລາຂອງການເຂົ້າມາ ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,ທ່ານພຽງແຕ່ສາມາດເລືອກເອົາທາງເລືອກສູງສຸດເທົ່າຫນຶ່ງຈາກບັນຊີຂອງກ່ອງກວດ.
 DocType: Purchase Invoice,Get Advances Paid,ໄດ້ຮັບການຄວາມກ້າວຫນ້າຂອງການຊໍາລະເງິນ
 DocType: Item,Automatically Create New Batch,ສ້າງ Batch ໃຫມ່ອັດຕະໂນມັດ
 DocType: Item,Automatically Create New Batch,ສ້າງ Batch ໃຫມ່ອັດຕະໂນມັດ
 DocType: Supplier,Represents Company,ສະແດງບໍລິສັດ
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,ເຮັດໃຫ້
 DocType: Student Admission,Admission Start Date,ເປີດປະຕູຮັບວັນທີ່
 DocType: Journal Entry,Total Amount in Words,ຈໍານວນທັງຫມົດໃນຄໍາສັບຕ່າງໆ
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,ພະນັກງານໃຫມ່
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ມີຄວາມຜິດພາດ. ຫນຶ່ງໃນເຫດຜົນອາດຈະສາມາດຈະເປັນທີ່ທ່ານຍັງບໍ່ທັນໄດ້ບັນທຶກໄວ້ໃນແບບຟອມ. ກະລຸນາຕິດຕໍ່ຫາ support@erpnext.com ຖ້າຫາກວ່າບັນຫາຍັງຄົງ.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,ໂຄງຮ່າງການຂອງຂ້າພະເຈົ້າ
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ປະເພດຕ້ອງໄດ້ຮັບການຫນຶ່ງຂອງ {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ປະເພດຕ້ອງໄດ້ຮັບການຫນຶ່ງຂອງ {0}
 DocType: Lead,Next Contact Date,ຖັດໄປວັນທີ່
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ເປີດຈໍານວນ
 DocType: Healthcare Settings,Appointment Reminder,Appointment Reminder
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,ກະລຸນາໃສ່ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,ກະລຸນາໃສ່ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ
 DocType: Program Enrollment Tool Student,Student Batch Name,ຊື່ນັກ Batch
 DocType: Holiday List,Holiday List Name,ລາຍຊື່ຂອງວັນພັກ
 DocType: Repayment Schedule,Balance Loan Amount,ການດຸ່ນດ່ຽງຈໍານວນເງິນກູ້
@@ -1593,13 +1601,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,ທາງເລືອກຫຼັກຊັບ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,ບໍ່ມີລາຍະການທີ່ເພີ່ມເຂົ້າໃນລົດເຂັນ
 DocType: Journal Entry Account,Expense Claim,ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,ທ່ານກໍ່ຕ້ອງການທີ່ຈະຟື້ນຟູຊັບສິນຢຸດນີ້?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,ທ່ານກໍ່ຕ້ອງການທີ່ຈະຟື້ນຟູຊັບສິນຢຸດນີ້?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},ຈໍານວນ {0}
 DocType: Leave Application,Leave Application,ການນໍາໃຊ້ອອກ
 DocType: Patient,Patient Relation,Patient Relation
 DocType: Item,Hub Category to Publish,Category Hub ເພື່ອເຜີຍແຜ່
 DocType: Leave Block List,Leave Block List Dates,ອອກຈາກວັນ Block ຊີ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","ຄໍາສັ່ງຂາຍ {0} ມີການຈອງສໍາລັບລາຍການ {1}, ທ່ານສາມາດສົ່ງມອບໃຫ້ {1} ຕໍ່ {0}. ບໍ່ສາມາດສົ່ງ Serial No {2}"
 DocType: Sales Invoice,Billing Address GSTIN,ທີ່ຢູ່ໃບບິນໃບບິນ GSTIN
@@ -1617,16 +1625,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ກະລຸນາລະບຸ {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,ລາຍການໂຍກຍ້າຍອອກມີການປ່ຽນແປງໃນປະລິມານຫຼືມູນຄ່າບໍ່ມີ.
 DocType: Delivery Note,Delivery To,ການຈັດສົ່ງກັບ
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,ການສ້າງຕົວປ່ຽນແປງໄດ້ຖືກຈັດອັນດັບໄວ້.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},ການປະຕິບັດວຽກສໍາລັບ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,ການສ້າງຕົວປ່ຽນແປງໄດ້ຖືກຈັດອັນດັບໄວ້.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},ການປະຕິບັດວຽກສໍາລັບ {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ຜູ້ອະນຸມັດຄັ້ງທໍາອິດໃນບັນຊີລາຍຊື່ຈະຖືກຕັ້ງເປັນຜູ້ອະນຸຍາດໄວ້ໃນຕອນຕົ້ນ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,ຕາຕະລາງຄຸນສົມບັດເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,ຕາຕະລາງຄຸນສົມບັດເປັນການບັງຄັບ
 DocType: Production Plan,Get Sales Orders,ໄດ້ຮັບໃບສັ່ງຂາຍ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ບໍ່ສາມາດຈະກະທົບທາງລົບ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,ເຊື່ອມຕໍ່ກັບ Quickbooks
 DocType: Training Event,Self-Study,ການສຶກສາຂອງຕົນເອງ
 DocType: POS Closing Voucher,Period End Date,ວັນສິ້ນສຸດໄລຍະເວລາ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,ອົງປະກອບດິນບໍ່ເພີ່ມສູງເຖິງ 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,ສ່ວນລົດ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,ແຖວ {0}: ຕ້ອງມີ {1} ເພື່ອສ້າງການເປີດ {2} ໃບແຈ້ງຫນີ້
 DocType: Membership,Membership,ສະມາຊິກ
 DocType: Asset,Total Number of Depreciations,ຈໍານວນທັງຫມົດຂອງຄ່າເສື່ອມລາຄາ
 DocType: Sales Invoice Item,Rate With Margin,ອັດຕາດ້ວຍ Margin
@@ -1638,7 +1648,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},ກະລຸນາລະບຸ ID Row ທີ່ຖືກຕ້ອງສໍາລັບການຕິດຕໍ່ກັນ {0} ໃນຕາຕະລາງ {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,ບໍ່ສາມາດຊອກຫາການປ່ຽນແປງ:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,ກະລຸນາເລືອກພາກສະຫນາມເພື່ອແກ້ໄຂຈາກຈໍານວນເງິນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,ບໍ່ສາມາດເປັນລາຍການຊັບສິນຄົງທີ່ເປັນ Stock Ledger ຖືກສ້າງຂື້ນ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,ບໍ່ສາມາດເປັນລາຍການຊັບສິນຄົງທີ່ເປັນ Stock Ledger ຖືກສ້າງຂື້ນ.
 DocType: Subscription Plan,Fixed rate,ອັດຕາຄົງທີ່
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,ຍອມຮັບ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ໄປ Desktop ແລະເລີ່ມຕົ້ນການນໍາໃຊ້ ERPNext
@@ -1672,7 +1682,7 @@
 DocType: Tax Rule,Shipping State,State Shipping
 ,Projected Quantity as Source,ຄາດປະລິມານເປັນແຫລ່ງກໍາເນີດ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,ລາຍການຈະຕ້ອງໄດ້ຮັບການເພີ່ມການນໍາໃຊ້ &#39;ຮັບສິນຄ້າຈາກຊື້ຮັບ&#39; ປຸ່ມ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,ການເດີນທາງສົ່ງ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,ການເດີນທາງສົ່ງ
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Transfer Type
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,ຄ່າໃຊ້ຈ່າຍຂາຍ
@@ -1685,8 +1695,9 @@
 DocType: Item Default,Default Selling Cost Center,ມາດຕະຖານສູນຕົ້ນທຶນຂາຍ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disc
 DocType: Buying Settings,Material Transferred for Subcontract,ການໂອນສິນຄ້າສໍາລັບການເຮັດສັນຍາຍ່ອຍ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,ລະຫັດໄປສະນີ
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},ໃບສັ່ງຂາຍ {0} ເປັນ {1}
+DocType: Email Digest,Purchase Orders Items Overdue,ຊື້ສິນຄ້າຄໍາສັ່ງຊື້ສິນຄ້າລ້າສຸດ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,ລະຫັດໄປສະນີ
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},ໃບສັ່ງຂາຍ {0} ເປັນ {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},ເລືອກບັນຊີລາຍຮັບດອກເບ້ຍໃນການກູ້ຢືມເງິນ {0}
 DocType: Opportunity,Contact Info,ຂໍ້ມູນຕິດຕໍ່
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,ເຮັດໃຫ້ການອອກສຽງ Stock
@@ -1699,12 +1710,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,ບໍ່ສາມາດໂອນໃບເກັບເງິນໄດ້ສໍາລັບຊົ່ວໂມງໂອນເງິນບໍ່
 DocType: Company,Date of Commencement,Date of Commencement
 DocType: Sales Person,Select company name first.,ເລືອກຊື່ບໍລິສັດທໍາອິດ.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ອີເມວຖືກສົ່ງໄປທີ່ {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ອີເມວຖືກສົ່ງໄປທີ່ {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ສະເຫນີລາຄາທີ່ໄດ້ຮັບຈາກຜູ້ຜະລິດ.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,ແທນທີ່ BOM ແລະປັບປຸງລາຄາຫລ້າສຸດໃນ Boms ທັງຫມົດ
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},ເພື່ອ {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,ນີ້ແມ່ນກຸ່ມຜູ້ຜະລິດຮາກແລະບໍ່ສາມາດແກ້ໄຂໄດ້.
-DocType: Delivery Trip,Driver Name,ຊື່ໄດເວີ
+DocType: Delivery Note,Driver Name,ຊື່ໄດເວີ
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,ສະເລ່ຍອາຍຸ
 DocType: Education Settings,Attendance Freeze Date,ຜູ້ເຂົ້າຮ່ວມ Freeze ວັນທີ່
 DocType: Education Settings,Attendance Freeze Date,ຜູ້ເຂົ້າຮ່ວມ Freeze ວັນທີ່
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,ບໍລິສັດແມ່
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},ຫ້ອງປະເພດ {0} ແມ່ນບໍ່ມີຢູ່ໃນ {1}
 DocType: Healthcare Practitioner,Default Currency,ມາດຕະຖານສະກຸນເງິນ
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,ສ່ວນຫຼຸດສູງສຸດສໍາລັບລາຍການ {0} ແມ່ນ {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,ສ່ວນຫຼຸດສູງສຸດສໍາລັບລາຍການ {0} ແມ່ນ {1}%
 DocType: Asset Movement,From Employee,ຈາກພະນັກງານ
 DocType: Driver,Cellphone Number,ຫມາຍເລກໂທລະສັບມືຖື
 DocType: Project,Monitor Progress,Monitor Progress
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},ປະລິມານຈະຕ້ອງຫນ້ອຍກ່ວາຫຼືເທົ່າກັບ {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},ຈໍານວນເງິນທີ່ສູງສຸດມີເງື່ອນໄຂສໍາລັບອົງປະກອບ {0} ເກີນ {1}
 DocType: Department Approver,Department Approver,ຜູ້ຮັບຮອງພະແນກ
+DocType: QuickBooks Migrator,Application Settings,Application Settings
 DocType: SMS Center,Total Characters,ລັກສະນະທັງຫມົດ
 DocType: Employee Advance,Claimed,ອ້າງອິງ
 DocType: Crop,Row Spacing,Row Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},ກະລຸນາເລືອກ BOM ໃນພາກສະຫນາມ BOM ສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},ກະລຸນາເລືອກ BOM ໃນພາກສະຫນາມ BOM ສໍາລັບລາຍການ {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,ບໍ່ມີລາຍລະອຽດໃດໆສໍາລັບລາຍການທີ່ເລືອກ
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C ແບບຟອມໃບແຈ້ງຫນີ້ຂໍ້ມູນ
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ການຊໍາລະເງິນ Reconciliation Invoice
 DocType: Clinical Procedure,Procedure Template,ແມ່ແບບການດໍາເນີນການ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,ການປະກອບສ່ວນ%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຫາກວ່າຄໍາສັ່ງຊື້ຕ້ອງການ == &#39;ໃຊ່&#39;, ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງການສັ່ງຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,ການປະກອບສ່ວນ%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຫາກວ່າຄໍາສັ່ງຊື້ຕ້ອງການ == &#39;ໃຊ່&#39;, ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງການສັ່ງຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}"
 ,HSN-wise-summary of outward supplies,HSN ສະຫລາດສະຫຼຸບຂອງການສະຫນອງພາຍນອກ
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ຈໍານວນການຈົດທະບຽນບໍລິສັດສໍາລັບການກະສານອ້າງອີງຂອງທ່ານ. ຈໍານວນພາສີແລະອື່ນໆ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,ກັບລັດ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,ກັບລັດ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,ຈໍາຫນ່າຍ
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ການຄ້າໂຄງຮ່າງກົດລະບຽບ Shipping
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,ລາຍການຄໍາສັ່ງຈະ billed
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ຈາກລະດັບທີ່ຈະຫນ້ອຍມີກ່ວາເພື່ອ Range
 DocType: Global Defaults,Global Defaults,ຄ່າເລີ່ມຕົ້ນຂອງໂລກ
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,ເຊີນຮ່ວມມືໂຄງການ
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,ເຊີນຮ່ວມມືໂຄງການ
 DocType: Salary Slip,Deductions,ຫັກຄ່າໃຊ້ຈ່າຍ
 DocType: Setup Progress Action,Action Name,ປະຕິບັດຊື່
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,ປີເລີ່ມຕົ້ນ
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,ທີ່ປຶກສາ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,ພໍ່ແມ່ຜູ້ເຂົ້າຮ່ວມປະຊຸມປຶກສາຫາລື
 DocType: Salary Slip,Earnings,ລາຍຮັບຈາກການ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,ສໍາເລັດການ Item {0} ຕ້ອງໄດ້ຮັບການເຂົ້າສໍາລັບການເຂົ້າປະເພດຜະລິດ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,ສໍາເລັດການ Item {0} ຕ້ອງໄດ້ຮັບການເຂົ້າສໍາລັບການເຂົ້າປະເພດຜະລິດ
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,ການເປີດບັນຊີດຸ່ນດ່ຽງ
 ,GST Sales Register,GST Sales ຫມັກສະມາຊິກ
 DocType: Sales Invoice Advance,Sales Invoice Advance,ຂາຍ Invoice Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,ບໍ່ມີຫຍັງໃນການຮ້ອງຂໍ
+DocType: Stock Settings,Default Return Warehouse,Default Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,ເລືອກໂດເມນຂອງທ່ານ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Supplier
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ລາຍະການໃບແຈ້ງຫນີ້ການຊໍາລະເງິນ
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ສະຫນາມຈະຖືກຄັດລອກຜ່ານເວລາຂອງການສ້າງ.
 DocType: Setup Progress Action,Domains,Domains
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;ທີ່ແທ້ຈິງວັນທີ່ເລີ່ມຕົ້ນ &quot;ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ&#39; ຈິງ End Date &#39;
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,ການຈັດການ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,ການຈັດການ
 DocType: Cheque Print Template,Payer Settings,ການຕັ້ງຄ່າ payer
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,ບໍ່ມີການສະເຫນີຂໍ້ມູນວັດຖຸທີ່ຍັງຄ້າງຢູ່ເພື່ອເຊື່ອມຕໍ່ສໍາລັບລາຍການທີ່ກໍານົດໄວ້.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,ເລືອກບໍລິສັດກ່ອນ
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ນີ້ຈະໄດ້ຮັບການຜນວກເຂົ້າກັບຂໍ້ມູນລະຫັດຂອງຕົວແປ. ສໍາລັບການຍົກຕົວຢ່າງ, ຖ້າຫາກວ່າຕົວຫຍໍ້ຂອງທ່ານແມ່ນ &quot;SM&quot;, ແລະລະຫັດສິນຄ້າແມ່ນ &quot;ເສື້ອທີເຊີດ&quot;, ລະຫັດສິນຄ້າຂອງ variant ຈະ &quot;ເສື້ອທີເຊີດ, SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ຈ່າຍສຸດທິ (ໃນຄໍາສັບຕ່າງໆ) ຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດ Slip ເງິນເດືອນໄດ້.
 DocType: Delivery Note,Is Return,ແມ່ນກັບຄືນ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,ລະມັດລະວັງ
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',ວັນເລີ່ມຕົ້ນແມ່ນຫຼາຍກວ່າມື້ສຸດທ້າຍໃນວຽກ &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Return / ເດບິດຫມາຍເຫດ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Return / ເດບິດຫມາຍເຫດ
 DocType: Price List Country,Price List Country,ລາຄາປະເທດ
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} ພວກເຮົາອະນຸກົມທີ່ຖືກຕ້ອງສໍາລັບລາຍການ {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Grant information
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ຖານຂໍ້ມູນຜູ້ສະຫນອງ.
 DocType: Contract Template,Contract Terms and Conditions,ເງື່ອນໄຂແລະເງື່ອນໄຂຂອງສັນຍາ
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,ທ່ານບໍ່ສາມາດເລີ່ມຕົ້ນລະບົບຈອງໃຫມ່ທີ່ບໍ່ໄດ້ຖືກຍົກເລີກ.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,ທ່ານບໍ່ສາມາດເລີ່ມຕົ້ນລະບົບຈອງໃຫມ່ທີ່ບໍ່ໄດ້ຖືກຍົກເລີກ.
 DocType: Account,Balance Sheet,ງົບດຸນ
 DocType: Leave Type,Is Earned Leave,ໄດ້ຮັບກໍາໄລອອກ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',ສູນເສຍຄ່າໃຊ້ຈ່າຍສໍາລັບການລາຍການທີ່ມີລະຫັດສິນຄ້າ &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',ສູນເສຍຄ່າໃຊ້ຈ່າຍສໍາລັບການລາຍການທີ່ມີລະຫັດສິນຄ້າ &#39;
 DocType: Fee Validity,Valid Till,ຖືກຕ້ອງ Till
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,ກອງປະຊຸມຜູ້ປົກຄອງທັງຫມົດ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ການຊໍາລະເງິນບໍ່ໄດ້ຖືກຕັ້ງ. ກະລຸນາກວດສອບ, ບໍ່ວ່າຈະເປັນບັນຊີໄດ້ຮັບການກໍານົດກ່ຽວກັບຮູບແບບການຊໍາລະເງິນຫຼືຂໍ້ມູນ POS."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ການຊໍາລະເງິນບໍ່ໄດ້ຖືກຕັ້ງ. ກະລຸນາກວດສອບ, ບໍ່ວ່າຈະເປັນບັນຊີໄດ້ຮັບການກໍານົດກ່ຽວກັບຮູບແບບການຊໍາລະເງິນຫຼືຂໍ້ມູນ POS."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ລາຍການແມ່ນບໍ່ສາມາດເຂົ້າໄປໃນເວລາຫຼາຍ.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","ບັນຊີເພີ່ມເຕີມສາມາດເຮັດໄດ້ພາຍໃຕ້ການກຸ່ມ, ແຕ່ການອອກສຽງສາມາດຈະດໍາເນີນຕໍ່ບໍ່ແມ່ນ Groups"
 DocType: Lead,Lead,ເປັນຜູ້ນໍາພາ
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} ສ້າງ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,ທ່ານບໍ່ມີຈຸດປະສົງອັນຄົບຖ້ວນພໍທີ່ຈະຊື້
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດຈໍານວນບໍ່ສາມາດໄດ້ຮັບເຂົ້າໄປໃນກັບຄືນຊື້"
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},ກະລຸນາຕັ້ງບັນຊີທີ່ກ່ຽວຂ້ອງໄວ້ໃນຫມວດປະເພດຂອງການເກັບພາສີ {0} ຕໍ່ບໍລິສັດ {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດຈໍານວນບໍ່ສາມາດໄດ້ຮັບເຂົ້າໄປໃນກັບຄືນຊື້"
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,ການປ່ຽນກຸ່ມລູກຄ້າສໍາລັບລູກຄ້າທີ່ເລືອກບໍ່ຖືກອະນຸຍາດ.
 ,Purchase Order Items To Be Billed,ລາຍການສັ່ງຊື້ເພື່ອໄດ້ຮັບການ billed
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,ອັບເດດເວລາມາຮອດປະມານ.
 DocType: Program Enrollment Tool,Enrollment Details,ລາຍລະອຽດການລົງທະບຽນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,ບໍ່ສາມາດຕັ້ງຄ່າ Defaults ຂອງສິນຄ້າຈໍານວນຫລາຍສໍາລັບບໍລິສັດ.
 DocType: Purchase Invoice Item,Net Rate,ອັດຕາສຸດທິ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,ກະລຸນາເລືອກລູກຄ້າ
 DocType: Leave Policy,Leave Allocations,ອອກຈາກການຈັດສັນ
@@ -1852,7 +1868,7 @@
 DocType: Loan Application,Repayment Info,ຂໍ້ມູນການຊໍາລະຫນີ້
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;ການອອກສຽງ&#39; ບໍ່ສາມາດປ່ອຍຫວ່າງ
 DocType: Maintenance Team Member,Maintenance Role,Maintenance Role
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},ຕິດຕໍ່ກັນຊ້ໍາກັນ {0} ກັບດຽວກັນ {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},ຕິດຕໍ່ກັນຊ້ໍາກັນ {0} ກັບດຽວກັນ {1}
 DocType: Marketplace Settings,Disable Marketplace,ປິດການໃຊ້ງານຕະຫຼາດ
 ,Trial Balance,trial Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,ປີງົບປະມານ {0} ບໍ່ໄດ້ພົບເຫັນ
@@ -1863,9 +1879,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Settings Subscription Settings
 DocType: Purchase Invoice,Update Auto Repeat Reference,ອັບເດດການອ້າງອິງອັດຕະໂນມັດຄືນ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},ລາຍຊື່ວັນພັກທາງເລືອກບໍ່ຖືກກໍານົດໄວ້ໃນໄລຍະເວລາພັກໄວ້ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},ລາຍຊື່ວັນພັກທາງເລືອກບໍ່ຖືກກໍານົດໄວ້ໃນໄລຍະເວລາພັກໄວ້ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,ການຄົ້ນຄວ້າ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,ທີ່ຢູ່ 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,ທີ່ຢູ່ 2
 DocType: Maintenance Visit Purpose,Work Done,ວຽກເຮັດ
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,ກະລຸນາລະບຸຢູ່ໃນຢ່າງຫນ້ອຍຫນຶ່ງໃຫ້ເຫດຜົນໃນຕາຕະລາງຄຸນສົມບັດ
 DocType: Announcement,All Students,ນັກສຶກສາທັງຫມົດ
@@ -1875,16 +1891,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Reconciled Transactions
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,ທໍາອິດ
 DocType: Crop Cycle,Linked Location,ສະຖານທີ່ທີ່ເຊື່ອມໂຍງ
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","ເປັນກຸ່ມສິນຄ້າລາຄາທີ່ມີຊື່ດຽວກັນ, ກະລຸນາມີການປ່ຽນແປງຊື່ສິນຄ້າຫລືປ່ຽນຊື່ກຸ່ມລາຍການ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","ເປັນກຸ່ມສິນຄ້າລາຄາທີ່ມີຊື່ດຽວກັນ, ກະລຸນາມີການປ່ຽນແປງຊື່ສິນຄ້າຫລືປ່ຽນຊື່ກຸ່ມລາຍການ"
 DocType: Crop Cycle,Less than a year,ນ້ອຍກວ່າຫນຶ່ງປີ
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ເລກນັກສຶກສາໂທລະສັບມືຖື
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,ສ່ວນທີ່ເຫຼືອຂອງໂລກ
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,ສ່ວນທີ່ເຫຼືອຂອງໂລກ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ລາຍການ {0} ບໍ່ສາມາດມີ Batch
 DocType: Crop,Yield UOM,Yield UOM
 ,Budget Variance Report,ງົບປະມານລາຍຕ່າງ
 DocType: Salary Slip,Gross Pay,ຈ່າຍລວມທັງຫມົດ
 DocType: Item,Is Item from Hub,ແມ່ນຈຸດຈາກ Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,ຮັບສິນຄ້າຈາກບໍລິການສຸຂະພາບ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,ຮັບສິນຄ້າຈາກບໍລິການສຸຂະພາບ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,ຕິດຕໍ່ກັນ {0}: ປະເພດຂອງກິດຈະກໍາແມ່ນບັງຄັບ.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,ເງິນປັນຜົນການຊໍາລະເງິນ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Ledger ການບັນຊີ
@@ -1899,6 +1915,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,ໂຫມດການຊໍາລະເງິນ
 DocType: Purchase Invoice,Supplied Items,ລາຍະການ Supplied
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},ກະລຸນາຕັ້ງເມນູທີ່ໃຊ້ສໍາລັບຮ້ານອາຫານ {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,ຄະນະກໍາມະການອັດຕາ%
 DocType: Work Order,Qty To Manufacture,ຈໍານວນການຜະລິດ
 DocType: Email Digest,New Income,ລາຍໄດ້ໃຫມ່
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,ຮັກສາອັດຕາການດຽວກັນຕະຫຼອດວົງຈອນການຊື້
@@ -1913,12 +1930,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},ອັດຕາມູນຄ່າທີ່ກໍານົດໄວ້ສໍາລັບລາຍການຕິດຕໍ່ກັນ {0}
 DocType: Supplier Scorecard,Scorecard Actions,ການກະທໍາດັດນີຊີ້ວັດ
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,ຍົກຕົວຢ່າງ: ປະລິນຍາໂທໃນວິທະຍາສາດຄອມພິວເຕີ
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Supplier {0} ບໍ່ພົບໃນ {1}
 DocType: Purchase Invoice,Rejected Warehouse,ປະຕິເສດ Warehouse
 DocType: GL Entry,Against Voucher,ຕໍ່ Voucher
 DocType: Item Default,Default Buying Cost Center,ມາດຕະຖານ Center ຊື້ຕົ້ນທຶນ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ເພື່ອໃຫ້ໄດ້ຮັບທີ່ດີທີ່ສຸດຂອງ ERPNext, ພວກເຮົາແນະນໍາໃຫ້ທ່ານໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງແລະສັງເກດການຊ່ວຍເຫຼືອວິດີໂອເຫຼົ່ານີ້."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),ສໍາລັບຜູ້ໃຫ້ບໍລິການມາດຕະຖານ (ທາງເລືອກ)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ການ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),ສໍາລັບຜູ້ໃຫ້ບໍລິການມາດຕະຖານ (ທາງເລືອກ)
 DocType: Supplier Quotation Item,Lead Time in days,ທີ່ໃຊ້ເວລາເປັນຜູ້ນໍາພາໃນວັນເວລາ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Accounts Payable Summary
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},ບໍ່ອະນຸຍາດໃຫ້ແກ້ໄຂບັນຊີ frozen {0}
@@ -1927,7 +1944,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,ເຕືອນສໍາລັບການຮ້ອງຂໍສໍາລັບວົງຢືມ
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,ສັ່ງຊື້ຊ່ວຍໃຫ້ທ່ານວາງແຜນແລະປະຕິບັດຕາມເຖິງກ່ຽວກັບການຊື້ຂອງທ່ານ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab test Test
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",ປະລິມານທີ່ຈົດທະບຽນ / ການຖ່າຍໂອນທັງຫມົດ {0} ໃນວັດສະດຸການຈອງ {1} \ ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະລິມານການຮ້ອງຂໍ {2} ສໍາລັບລາຍການ {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,ຂະຫນາດນ້ອຍ
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","ຖ້າ Shopify ບໍ່ມີລູກຄ້າໃນຄໍາສັ່ງ, ຫຼັງຈາກນັ້ນໃນຂະນະທີ່ການສັ່ງຊື້ການສັ່ງຊື້, ລະບົບຈະພິຈາລະນາລູກຄ້າໃນຕອນຕົ້ນເພື່ອສັ່ງຊື້"
@@ -1939,6 +1956,7 @@
 DocType: Project,% Completed,% ສໍາເລັດ
 ,Invoiced Amount (Exculsive Tax),ອະນຸຈໍານວນເງິນ (exculsive ພາສີ)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ລາຍການ 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Endpoint ການອະນຸຍາດ
 DocType: Travel Request,International,ສາກົນ
 DocType: Training Event,Training Event,ກິດຈະກໍາການຝຶກອົບຮົມ
 DocType: Item,Auto re-order,Auto Re: ຄໍາສັ່ງ
@@ -1947,24 +1965,24 @@
 DocType: Contract,Contract,ສັນຍາ
 DocType: Plant Analysis,Laboratory Testing Datetime,ໄລຍະເວລາທົດລອງຫ້ອງທົດລອງ
 DocType: Email Digest,Add Quote,ຕື່ມການ Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},ປັດໄຈ Coversion UOM ຕ້ອງການສໍາລັບ UOM: {0} ໃນສິນຄ້າ: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},ປັດໄຈ Coversion UOM ຕ້ອງການສໍາລັບ UOM: {0} ໃນສິນຄ້າ: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,ຄ່າໃຊ້ຈ່າຍທາງອ້ອມ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,ຕິດຕໍ່ກັນ {0}: ຈໍານວນເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,ຕິດຕໍ່ກັນ {0}: ຈໍານວນເປັນການບັງຄັບ
 DocType: Agriculture Analysis Criteria,Agriculture,ການກະສິກໍາ
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,ສ້າງໃບສັ່ງຊື້ຂາຍ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Accounting Entry for Asset
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Block Invoice
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Accounting Entry for Asset
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Block Invoice
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,ຈໍານວນທີ່ຕ້ອງເຮັດ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync ຂໍ້ມູນຫລັກ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync ຂໍ້ມູນຫລັກ
 DocType: Asset Repair,Repair Cost,ຄ່າຊ່ອມແຊມ
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,ບໍ່ສາມາດເຂົ້າສູ່ລະບົບໄດ້
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} ສ້າງ
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} ສ້າງ
 DocType: Special Test Items,Special Test Items,Special Test Items
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,ທ່ານຈໍາເປັນຕ້ອງເປັນຜູ້ໃຊ້ທີ່ມີລະບົບຈັດການລະບົບແລະການຈັດການ Item Manager ເພື່ອລົງທະບຽນໃນ Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,ຮູບແບບການຊໍາລະເງິນ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,ຕາມການກໍານົດຄ່າເງິນເດືອນທີ່ທ່ານໄດ້ມອບໃຫ້ທ່ານບໍ່ສາມາດສະຫມັກຂໍຜົນປະໂຫຍດໄດ້
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,ເວັບໄຊທ໌ຮູບພາບຄວນຈະເປັນເອກະສານສາທາລະນະຫຼືທີ່ຢູ່ເວັບເວັບໄຊທ໌
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,ເວັບໄຊທ໌ຮູບພາບຄວນຈະເປັນເອກະສານສາທາລະນະຫຼືທີ່ຢູ່ເວັບເວັບໄຊທ໌
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,ນີ້ເປັນກຸ່ມລາຍການຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,ປ້ອນຂໍ້ມູນ
@@ -1973,7 +1991,8 @@
 DocType: Warehouse,Warehouse Contact Info,Warehouse ຂໍ້ມູນຕິດຕໍ່
 DocType: Payment Entry,Write Off Difference Amount,ຂຽນ Off ຈໍານວນທີ່ແຕກຕ່າງກັນ
 DocType: Volunteer,Volunteer Name,ຊື່ອາສາສະຫມັກ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: ບໍ່ໄດ້ພົບເຫັນ email ພະນັກງານ, ເພາະສະນັ້ນອີເມວບໍ່ໄດ້ສົ່ງ"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},ບັນດາແຖວທີ່ມີວັນທີ່ຄົບຖ້ວນຍ້ອນກັບໃນແຖວອື່ນພົບ: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: ບໍ່ໄດ້ພົບເຫັນ email ພະນັກງານ, ເພາະສະນັ້ນອີເມວບໍ່ໄດ້ສົ່ງ"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},ບໍ່ມີໂຄງສ້າງເງິນເດືອນທີ່ມອບຫມາຍໃຫ້ພະນັກງານ {0} ໃນວັນທີ່ກໍານົດ {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},ກົດລະບຽບການສົ່ງສິນຄ້າບໍ່ສາມາດໃຊ້ໄດ້ສໍາລັບປະເທດ {0}
 DocType: Item,Foreign Trade Details,ລາຍລະອຽດການຄ້າຕ່າງປະເທດ
@@ -1981,17 +2000,17 @@
 DocType: Email Digest,Annual Income,ລາຍຮັບປະຈໍາປີ
 DocType: Serial No,Serial No Details,Serial ລາຍລະອຽດບໍ່ມີ
 DocType: Purchase Invoice Item,Item Tax Rate,ອັດຕາພາສີສິນຄ້າ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,From Party Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,From Party Name
 DocType: Student Group Student,Group Roll Number,Group ຈໍານວນມ້ວນ
 DocType: Student Group Student,Group Roll Number,Group ຈໍານວນມ້ວນ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, ພຽງແຕ່ລະເງິນກູ້ຢືມສາມາດໄດ້ຮັບການເຊື່ອມຕໍ່ເຂົ້າເດບິດອື່ນ"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,ສົ່ງຫມາຍເຫດ {0} ບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,ສົ່ງຫມາຍເຫດ {0} ບໍ່ໄດ້ສົ່ງ
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,ລາຍການ {0} ຈະຕ້ອງເປັນອະນຸສັນຍາລາຍການ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,ອຸປະກອນນະຄອນຫຼວງ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ກົດລະບຽບການຕັ້ງລາຄາໄດ້ຖືກຄັດເລືອກທໍາອິດໂດຍອີງໃສ່ &#39;ສະຫມັກຕໍາກ່ຽວກັບ&#39; ພາກສະຫນາມ, ທີ່ສາມາດຈະມີລາຍການ, ກຸ່ມສິນຄ້າຫຼືຍີ່ຫໍ້."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,ກະລຸນາຕັ້ງມູນລະຫັດທໍາອິດ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ປະເພດ Doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,ອັດຕາສ່ວນການຈັດສັນທັງຫມົດສໍາລັບທີມງານການຂາຍຄວນຈະເປັນ 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ປະເພດ Doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,ອັດຕາສ່ວນການຈັດສັນທັງຫມົດສໍາລັບທີມງານການຂາຍຄວນຈະເປັນ 100
 DocType: Subscription Plan,Billing Interval Count,ໄລຍະເວລາການເອີ້ນເກັບເງິນ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,ການນັດຫມາຍແລະການພົບກັບຜູ້ເຈັບ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,ມູນຄ່າທີ່ຂາດຫາຍໄປ
@@ -2005,6 +2024,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,ສ້າງຮູບແບບພິມ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,ຄ່າທໍານຽມສ້າງ
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},ບໍ່ໄດ້ຊອກຫາສິ່ງໃດສິ່ງນຶ່ງທີ່ເອີ້ນວ່າ {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Items Filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,ເກນສູດ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,ລາຍຈ່າຍທັງຫມົດ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",ມີພຽງແຕ່ສາມາດເປັນຫນຶ່ງ Shipping ກົດລະບຽບສະພາບກັບ 0 ຫຼືມູນຄ່າເລີຍສໍາລັບການ &quot;ຈະໃຫ້ຄຸນຄ່າ&quot;
@@ -2013,14 +2033,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","ສໍາລັບລາຍການ {0}, ຈໍານວນຈະຕ້ອງເປັນເລກບວກ"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ຫມາຍເຫດ: ສູນຕົ້ນທຶນນີ້ເປັນກຸ່ມ. ບໍ່ສາມາດເຮັດໃຫ້ການອອກສຽງການບັນຊີຕໍ່ກັບກຸ່ມ.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,ວັນທີ່ຕ້ອງການຄ່າຊົດເຊີຍບໍ່ແມ່ນວັນທີ່ຖືກຕ້ອງ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,ຄັງສິນຄ້າເດັກຢູ່ສໍາລັບການສາງນີ້. ທ່ານບໍ່ສາມາດລົບ warehouse ນີ້.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ຄັງສິນຄ້າເດັກຢູ່ສໍາລັບການສາງນີ້. ທ່ານບໍ່ສາມາດລົບ warehouse ນີ້.
 DocType: Item,Website Item Groups,ກຸ່ມສົນທະນາເວັບໄຊທ໌ສິນຄ້າ
 DocType: Purchase Invoice,Total (Company Currency),ທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ)
 DocType: Daily Work Summary Group,Reminder,ເຕືອນ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,ລາຄາທີ່ສາມາດເຂົ້າເຖິງໄດ້
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,ລາຄາທີ່ສາມາດເຂົ້າເຖິງໄດ້
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,ຈໍານວນ Serial {0} ເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,ວາລະສານການອອກສຽງ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,ຈາກ GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,ຈາກ GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,ຈໍານວນເງິນທີ່ບໍ່ໄດ້ຮັບການຮ້ອງຂໍ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} ລາຍການມີຄວາມຄືບຫນ້າ
 DocType: Workstation,Workstation Name,ຊື່ Workstation
@@ -2028,7 +2048,7 @@
 DocType: POS Item Group,POS Item Group,ກຸ່ມສິນຄ້າ POS
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ອີເມວສໍາຄັນ:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,ລາຍການທາງເລືອກຕ້ອງບໍ່ຄືກັບລະຫັດສິນຄ້າ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1}
 DocType: Sales Partner,Target Distribution,ການແຜ່ກະຈາຍເປົ້າຫມາຍ
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalization of the assessment temporarily
 DocType: Salary Slip,Bank Account No.,ເລກທີ່ບັນຊີທະນາຄານ
@@ -2037,7 +2057,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","ຕົວແປດັດນີຊີ້ວັດສາມາດນໍາໃຊ້, ເຊັ່ນດຽວກັນກັບ: {total_score} (ຄະແນນທັງຫມົດຈາກໄລຍະເວລາທີ່), {period_number} (ຈໍານວນຂອງໄລຍະເວລາທີ່ຈະນໍາສະເຫນີມື້)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,ສະແດງ
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,ສະແດງ
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,ສ້າງການສັ່ງຊື້
 DocType: Quality Inspection Reading,Reading 8,ສືບຕໍ່ການອ່ານ 8
 DocType: Inpatient Record,Discharge Note,Note discharge
@@ -2054,7 +2074,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,ສິດທິພິເສດອອກຈາກ
 DocType: Purchase Invoice,Supplier Invoice Date,ຜູ້ສະຫນອງວັນໃບກໍາກັບ
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,ມູນຄ່ານີ້ຖືກນໍາໃຊ້ສໍາລັບການຄິດໄລ່ pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,ທ່ານຕ້ອງການເພື່ອເຮັດໃຫ້ໂຄງຮ່າງການຊື້
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,ທ່ານຕ້ອງການເພື່ອເຮັດໃຫ້ໂຄງຮ່າງການຊື້
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Naming Series Prefix
@@ -2069,11 +2089,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,ເງື່ອນໄຂທີ່ທັບຊ້ອນກັນພົບເຫັນລະຫວ່າງ:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ຕໍ່ຕ້ານອະນຸ {0} ຈະຖືກປັບແລ້ວຕໍ່ບາງ voucher ອື່ນໆ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,ມູນຄ່າການສັ່ງຊື້ທັງຫມົດ
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ສະບຽງອາຫານ
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,ສະບຽງອາຫານ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Range Ageing 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ລາຍະລະອຽດການປິດໃບສະຫມັກ POS
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ກະລຸນາຕັ້ງຊື່ຊຸດຊື່ສໍາລັບ {0} ຜ່ານ Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,ເຊັກອິນ
 DocType: Maintenance Schedule Item,No of Visits,ບໍ່ມີການລົງໂທດ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},ຕາຕະລາງການບໍາລຸງຮັກ {0} ມີຢູ່ຕ້ານ {1}
@@ -2113,6 +2132,7 @@
 DocType: Salary Structure,Max Benefits (Amount),ປະໂຍດສູງສຸດ (ຈໍານວນເງິນ)
 DocType: Purchase Invoice,Contact Person,ຕິດຕໍ່ບຸກຄົນ
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;ວັນທີຄາດວ່າເລີ່ມຕົ້ນ &quot;ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ&#39; ວັນທີຄາດວ່າສຸດທ້າຍ &#39;
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,ບໍ່ມີຂໍ້ມູນສໍາລັບໄລຍະນີ້
 DocType: Course Scheduling Tool,Course End Date,ແນ່ນອນວັນທີ່ສິ້ນສຸດ
 DocType: Holiday List,Holidays,ວັນພັກ
 DocType: Sales Order Item,Planned Quantity,ການວາງແຜນຈໍານວນ
@@ -2124,7 +2144,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,ການປ່ຽນແປງສຸດທິໃນຊັບສິນຄົງທີ່
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,ໃຫ້ຫວ່າງໄວ້ຖ້າພິຈາລະນາສໍາລັບການອອກແບບທັງຫມົດ
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ຮັບຜິດຊອບຂອງປະເພດ &#39;ທີ່ແທ້ຈິງໃນການຕິດຕໍ່ກັນ {0} ບໍ່ສາມາດລວມຢູ່ໃນລາຄາສິນຄ້າ
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ຮັບຜິດຊອບຂອງປະເພດ &#39;ທີ່ແທ້ຈິງໃນການຕິດຕໍ່ກັນ {0} ບໍ່ສາມາດລວມຢູ່ໃນລາຄາສິນຄ້າ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},ສູງສຸດທີ່ເຄຍ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ຈາກ DATETIME
 DocType: Shopify Settings,For Company,ສໍາລັບບໍລິສັດ
@@ -2137,9 +2157,9 @@
 DocType: Material Request,Terms and Conditions Content,ຂໍ້ກໍານົດແລະເງື່ອນໄຂເນື້ອໃນ
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,ມີຂໍ້ຜິດພາດໃນການສ້າງຕາຕະລາງເວລາ
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,ຜູ້ອະນຸມັດຄ່າໃຊ້ຈ່າຍໃນບັນຊີລາຍຊື່ຄັ້ງທໍາອິດຈະຖືກກໍານົດເປັນຜູ້ອະນຸມັດຄ່າໃຊ້ຈ່າຍຕົ້ນຕໍ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,ບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,ບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,ທ່ານຈໍາເປັນຕ້ອງເປັນຜູ້ໃຊ້ນອກເຫນືອຈາກຜູ້ເບິ່ງແຍງລະບົບຜູ້ຈັດການລະບົບແລະບົດບາດຂອງຜູ້ຈັດການລາຍການເພື່ອລົງທະບຽນໃນ Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,ລາຍການ {0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,ລາຍການ {0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,ນອກເຫນືອຈາກ
 DocType: Employee,Owned,ເປັນເຈົ້າຂອງ
@@ -2167,7 +2187,7 @@
 DocType: HR Settings,Employee Settings,ການຕັ້ງຄ່າພະນັກງານ
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Loading System Payment
 ,Batch-Wise Balance History,"batch, Wise History Balance"
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ແຖວ # {0}: ບໍ່ສາມາດກໍານົດອັດຕາຖ້າຈໍານວນເງິນຫຼາຍກ່ວາຈໍານວນໃບບິນສໍາລັບລາຍການ {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,ແຖວ # {0}: ບໍ່ສາມາດກໍານົດອັດຕາຖ້າຈໍານວນເງິນຫຼາຍກ່ວາຈໍານວນໃບບິນສໍາລັບລາຍການ {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ຕັ້ງຄ່າການພິມການປັບປຸງໃນຮູບແບບພິມທີ່ກ່ຽວຂ້ອງ
 DocType: Package Code,Package Code,ລະຫັດ Package
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,ຝຶກຫັດງານ
@@ -2175,7 +2195,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,ຈໍານວນລົບບໍ່ໄດ້ຮັບອະນຸຍາດ
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",ພາສີຕາຕະລາງລາຍລະອຽດ fetched ຈາກຕົ້ນສະບັບລາຍເປັນຊ່ອຍແນ່ແລະເກັບຮັກສາໄວ້ໃນພາກສະຫນາມນີ້. ນໍາໃຊ້ສໍາລັບພາສີອາກອນແລະຄ່າບໍລິການ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,ພະນັກງານບໍ່ສາມາດລາຍງານໃຫ້ຕົນເອງ.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,ພະນັກງານບໍ່ສາມາດລາຍງານໃຫ້ຕົນເອງ.
 DocType: Leave Type,Max Leaves Allowed,Max ໃບໃບອະນຸຍາດ
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ຖ້າຫາກວ່າບັນຊີແມ່ນ frozen, entries ກໍາລັງອະນຸຍາດໃຫ້ຜູ້ຊົມໃຊ້ຈໍາກັດ."
 DocType: Email Digest,Bank Balance,ທະນາຄານ Balance
@@ -2201,6 +2221,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Bank Transaction Entries
 DocType: Quality Inspection,Readings,ອ່ານ
 DocType: Stock Entry,Total Additional Costs,ທັງຫມົດຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,No of Interactions
 DocType: BOM,Scrap Material Cost(Company Currency),Cost Scrap ການວັດສະດຸ (ບໍລິສັດສະກຸນເງິນ)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,ປະກອບຍ່ອຍ
 DocType: Asset,Asset Name,ຊື່ຊັບສິນ
@@ -2208,10 +2229,10 @@
 DocType: Shipping Rule Condition,To Value,ກັບມູນຄ່າ
 DocType: Loyalty Program,Loyalty Program Type,ປະເພດໂຄງການຄວາມພັກດີ
 DocType: Asset Movement,Stock Manager,Manager Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},ຄັງສິນຄ້າທີ່ມາເປັນການບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},ຄັງສິນຄ້າທີ່ມາເປັນການບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,ໄລຍະເວລາການຊໍາລະເງິນທີ່ແຖວ {0} ແມ່ນເປັນການຊ້ໍາກັນ.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),ການກະສິກໍາ (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,ບັນຈຸ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,ບັນຈຸ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,ຫ້ອງການໃຫ້ເຊົ່າ
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,ການຕັ້ງຄ່າປະຕູການຕິດຕັ້ງ SMS
 DocType: Disease,Common Name,ຊື່ທົ່ວໄປ
@@ -2243,20 +2264,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email ເງິນເດືອນ Slip ກັບພະນັກງານ
 DocType: Cost Center,Parent Cost Center,ສູນຕົ້ນທຶນຂອງພໍ່ແມ່
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,ເລືອກຜູ້ຜະລິດທີ່ເປັນໄປໄດ້
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,ເລືອກຜູ້ຜະລິດທີ່ເປັນໄປໄດ້
 DocType: Sales Invoice,Source,ແຫຼ່ງຂໍ້ມູນ
 DocType: Customer,"Select, to make the customer searchable with these fields","ເລືອກ, ເພື່ອເຮັດໃຫ້ລູກຄ້າສາມາດຄົ້ນຫາໄດ້ດ້ວຍທົ່ງນາເຫຼົ່ານີ້"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,ບັນທຶກການນໍາເຂົ້າສົ່ງອອກຈາກ Shopify ໃນການຂົນສົ່ງ
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,ສະແດງໃຫ້ເຫັນປິດ
 DocType: Leave Type,Is Leave Without Pay,ແມ່ນອອກຈາກໂດຍບໍ່ມີການຈ່າຍ
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,ປະເພດຊັບສິນທີ່ເປັນການບັງຄັບສໍາລັບລາຍການຊັບສິນຄົງທີ່
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,ປະເພດຊັບສິນທີ່ເປັນການບັງຄັບສໍາລັບລາຍການຊັບສິນຄົງທີ່
 DocType: Fee Validity,Fee Validity,Fee Validity
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,ບໍ່ມີພົບເຫັນຢູ່ໃນຕາຕະລາງການຊໍາລະເງິນການບັນທຶກການ
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},ນີ້ {0} ຄວາມຂັດແຍ້ງກັບ {1} ສໍາລັບ {2} {3}
 DocType: Student Attendance Tool,Students HTML,ນັກສຶກສາ HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ກະລຸນາລົບ Employee <a href=""#Form/Employee/{0}"">{0}</a> \ ເພື່ອຍົກເລີກເອກະສານນີ້"
 DocType: POS Profile,Apply Discount,ສະຫມັກຕໍາລົດ
 DocType: GST HSN Code,GST HSN Code,GST Code HSN
 DocType: Employee External Work History,Total Experience,ຕໍາແຫນ່ງທີ່ທັງຫມົດ
@@ -2279,7 +2297,7 @@
 DocType: Maintenance Schedule,Schedules,ຕາຕະລາງ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,ໂປຼແກຼມ POS ຕ້ອງໃຊ້ Point-of-Sale
 DocType: Cashier Closing,Net Amount,ຈໍານວນສຸດທິ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ຍັງບໍ່ທັນໄດ້ສົ່ງສະນັ້ນການດໍາເນີນການບໍ່ສາມາດໄດ້ຮັບການສໍາເລັດ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ຍັງບໍ່ທັນໄດ້ສົ່ງສະນັ້ນການດໍາເນີນການບໍ່ສາມາດໄດ້ຮັບການສໍາເລັດ
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM ຂໍ້ມູນທີ່ບໍ່ມີ
 DocType: Landed Cost Voucher,Additional Charges,ຄ່າບໍລິການເພີ່ມເຕີມ
 DocType: Support Search Source,Result Route Field,Result Route Field
@@ -2308,11 +2326,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,ເປີດໃບຍືມເງິນ
 DocType: Contract,Contract Details,ລາຍະລະອຽດຂອງສັນຍາ
 DocType: Employee,Leave Details,ອອກຈາກລາຍລະອຽດ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,ກະລຸນາຕັ້ງພາກສະຫນາມລະຫັດຜູ້ໃຊ້ໃນການບັນທຶກຂອງພະນັກວຽກເພື່ອກໍານົດພາລະບົດບາດພະນັກງານ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,ກະລຸນາຕັ້ງພາກສະຫນາມລະຫັດຜູ້ໃຊ້ໃນການບັນທຶກຂອງພະນັກວຽກເພື່ອກໍານົດພາລະບົດບາດພະນັກງານ
 DocType: UOM,UOM Name,ຊື່ UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,ກັບທີ່ຢູ່ 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,ກັບທີ່ຢູ່ 1
 DocType: GST HSN Code,HSN Code,ລະຫັດ HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,ຈໍານວນການປະກອບສ່ວນ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,ຈໍານວນການປະກອບສ່ວນ
 DocType: Inpatient Record,Patient Encounter,Patient Encounter
 DocType: Purchase Invoice,Shipping Address,ທີ່ຢູ່ສົ່ງ
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ເຄື່ອງມືນີ້ຈະຊ່ວຍໃຫ້ທ່ານເພື່ອປັບປຸງຫຼືແກ້ໄຂປະລິມານແລະມູນຄ່າຂອງຮຸ້ນໃນລະບົບ. ໂດຍປົກກະຕິມັນຖືກນໍາໃຊ້ໃນການປະສານຄຸນຄ່າລະບົບແລະສິ່ງທີ່ຕົວຈິງທີ່ມີຢູ່ໃນສາງຂອງທ່ານ.
@@ -2329,9 +2347,9 @@
 DocType: Travel Itinerary,Mode of Travel,Mode of Travel
 DocType: Sales Invoice Item,Brand Name,ຊື່ຍີ່ຫໍ້
 DocType: Purchase Receipt,Transporter Details,ລາຍລະອຽດການຂົນສົ່ງ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,ສາງມາດຕະຖານທີ່ຕ້ອງການສໍາລັບການເລືອກເອົາລາຍການ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,ສາງມາດຕະຖານທີ່ຕ້ອງການສໍາລັບການເລືອກເອົາລາຍການ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Box
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,ຜູ້ຜະລິດທີ່ເປັນໄປໄດ້
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,ຜູ້ຜະລິດທີ່ເປັນໄປໄດ້
 DocType: Budget,Monthly Distribution,ການແຜ່ກະຈາຍປະຈໍາເດືອນ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ຮັບບັນຊີບໍ່ມີ. ກະລຸນາສ້າງບັນຊີຮັບ
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),ສຸຂະພາບ (beta)
@@ -2353,6 +2371,7 @@
 ,Lead Name,ຊື່ຜູ້ນໍາ
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospecting
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,ເປີດ Balance Stock
 DocType: Asset Category Account,Capital Work In Progress Account,ທຶນການເຮັດວຽກໃນຂະບວນການເຮັດວຽກ
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,ການປັບຄ່າມູນຄ່າຊັບສິນ
@@ -2361,7 +2380,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ໃບຈັດສັນສົບຜົນສໍາເລັດສໍາລັບການ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,ບໍ່ມີສິນຄ້າທີ່ຈະຊອງ
 DocType: Shipping Rule Condition,From Value,ຈາກມູນຄ່າ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,ປະລິມານການຜະລິດເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,ປະລິມານການຜະລິດເປັນການບັງຄັບ
 DocType: Loan,Repayment Method,ວິທີການຊໍາລະ
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ຖ້າຫາກວ່າການກວດກາ, ຫນ້າທໍາອິດຈະເປັນກຸ່ມສິນຄ້າມາດຕະຖານສໍາລັບການເວັບໄຊທ໌"
 DocType: Quality Inspection Reading,Reading 4,ອ່ານ 4
@@ -2386,7 +2405,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ພະນັກງານແນະນໍາ
 DocType: Student Group,Set 0 for no limit,ກໍານົດ 0 ສໍາລັບທີ່ບໍ່ມີຂອບເຂດຈໍາກັດ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,ມື້ (s) ທີ່ທ່ານກໍາລັງສະຫມັກສໍາລັບໃບມີວັນພັກ. ທ່ານບໍ່ຈໍາເປັນຕ້ອງນໍາໃຊ້ສໍາລັບການອອກຈາກ.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,ແຖວ {idx}: {field} ຕ້ອງຖືກສ້າງຂື້ນໃນການເປີດ {invoice_type} ໃບແຈ້ງຫນີ້
 DocType: Customer,Primary Address and Contact Detail,ທີ່ຢູ່ເບື້ອງຕົ້ນແລະລາຍລະອຽດການຕິດຕໍ່
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,resend ການຊໍາລະເງິນ Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,ວຽກງານໃຫມ່
@@ -2396,8 +2414,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,ກະລຸນາເລືອກໂດເມນຢ່າງນ້ອຍຫນຶ່ງ.
 DocType: Dependent Task,Dependent Task,Task ຂຶ້ນ
 DocType: Shopify Settings,Shopify Tax Account,Shopify Account Tax
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},ປັດໄຈທີ່ປ່ຽນແປງສໍາລັບຫນ່ວຍໃນຕອນຕົ້ນຂອງການປະມານ 1 ປີຕິດຕໍ່ກັນ {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},ອອກຈາກການປະເພດ {0} ບໍ່ສາມາດຈະຕໍ່ໄປອີກແລ້ວກ່ວາ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},ປັດໄຈທີ່ປ່ຽນແປງສໍາລັບຫນ່ວຍໃນຕອນຕົ້ນຂອງການປະມານ 1 ປີຕິດຕໍ່ກັນ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},ອອກຈາກການປະເພດ {0} ບໍ່ສາມາດຈະຕໍ່ໄປອີກແລ້ວກ່ວາ {1}
 DocType: Delivery Trip,Optimize Route,Optimize Route
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,ພະຍາຍາມການວາງແຜນການດໍາເນີນງານສໍາລັບມື້ X ໃນການລ່ວງຫນ້າ.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2406,14 +2424,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານ Payroll Account Payable ໃນບໍລິສັດ {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,ໄດ້ຮັບການແບ່ງປັນທາງດ້ານການເງິນຂອງພາສີແລະຂໍ້ມູນຄ່າບໍລິການໂດຍ Amazon
 DocType: SMS Center,Receiver List,ບັນຊີຮັບ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,ຄົ້ນຫາສິນຄ້າ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,ຄົ້ນຫາສິນຄ້າ
 DocType: Payment Schedule,Payment Amount,ຈໍານວນການຊໍາລະເງິນ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,ວັນທີເຄິ່ງວັນຄວນຢູ່ໃນລະຫວ່າງວັນທີເຮັດວຽກແລະວັນທີເຮັດວຽກ
 DocType: Healthcare Settings,Healthcare Service Items,Health Care Service Items
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,ຈໍານວນການບໍລິໂພກ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,ການປ່ຽນແປງສຸດທິໃນເງິນສົດ
 DocType: Assessment Plan,Grading Scale,ຂະຫນາດການຈັດລໍາດັບ
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ຫນ່ວຍບໍລິການຂອງການ {0} ໄດ້ຮັບເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງໃນການສົນທະນາປັດໄຈຕາຕະລາງ
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ຫນ່ວຍບໍລິການຂອງການ {0} ໄດ້ຮັບເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງໃນການສົນທະນາປັດໄຈຕາຕະລາງ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ສໍາເລັດແລ້ວ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock ໃນມື
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2436,25 +2454,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} ປະລິມານ {1} ບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,ກະລຸນາໃສ່ Woocommerce Server URL
 DocType: Purchase Order Item,Supplier Part Number,ຜູ້ຜະລິດຈໍານວນສ່ວນ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,ອັດຕາການປ່ຽນໃຈເຫລື້ອມໃສບໍ່ສາມາດຈະເປັນ 0 ຫລື 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,ອັດຕາການປ່ຽນໃຈເຫລື້ອມໃສບໍ່ສາມາດຈະເປັນ 0 ຫລື 1
 DocType: Share Balance,To No,To No
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ທຸກໆວຽກທີ່ຈໍາເປັນສໍາລັບການສ້າງພະນັກງານຍັງບໍ່ທັນໄດ້ເຮັດເທື່ອ.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ຖືກຍົກເລີກຫຼືຢຸດເຊົາການ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ຖືກຍົກເລີກຫຼືຢຸດເຊົາການ
 DocType: Accounts Settings,Credit Controller,ຄວບຄຸມການປ່ອຍສິນເຊື່ອ
 DocType: Loan,Applicant Type,ປະເພດຜູ້ສະຫມັກ
 DocType: Purchase Invoice,03-Deficiency in services,03 ຂາດການບໍລິການ
 DocType: Healthcare Settings,Default Medical Code Standard,ແບບມາດຕະຖານຢາມາດຕະຖານ
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,ຊື້ຮັບ {0} ບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,ຊື້ຮັບ {0} ບໍ່ໄດ້ສົ່ງ
 DocType: Company,Default Payable Account,ມາດຕະຖານບັນຊີເຈົ້າຫນີ້
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ການຕັ້ງຄ່າສໍາລັບໂຄງຮ່າງການໄປຊື້ເຄື່ອງອອນໄລນ໌ເຊັ່ນ: ກົດລະບຽບການຂົນສົ່ງ, ບັນຊີລາຍການລາຄາແລະອື່ນໆ"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% ບິນ
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserved ຈໍານວນ
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserved ຈໍານວນ
 DocType: Party Account,Party Account,ບັນຊີພັກ
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,ກະລຸນາເລືອກບໍລິສັດແລະການອອກແບບ
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,ຊັບພະຍາກອນມະນຸດ
-DocType: Lead,Upper Income,Upper ລາຍໄດ້
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Upper ລາຍໄດ້
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,ປະຕິເສດ
 DocType: Journal Entry Account,Debit in Company Currency,Debit ໃນບໍລິສັດສະກຸນເງິນ
 DocType: BOM Item,BOM Item,BOM Item
@@ -2471,7 +2489,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",ວຽກເປີດສໍາລັບການກໍານົດ {0} ແລ້ວເປີດຫລືຈ້າງແລ້ວສົມບູນຕາມແຜນການ Staffing {1}
 DocType: Vital Signs,Constipated,Constipated
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},ຕໍ່ Supplier Invoice {0} ວັນ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},ຕໍ່ Supplier Invoice {0} ວັນ {1}
 DocType: Customer,Default Price List,ລາຄາມາດຕະຖານ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,ການບັນທຶກການເຄື່ອນໄຫວຊັບສິນ {0} ສ້າງ
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,ບໍ່ພົບລາຍການ.
@@ -2487,17 +2505,18 @@
 DocType: Journal Entry,Entry Type,ປະເພດເຂົ້າ
 ,Customer Credit Balance,ຍອດສິນເຊື່ອລູກຄ້າ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,ການປ່ຽນແປງສຸດທິໃນບັນຊີເຈົ້າຫນີ້
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),ຂອບເຂດການປ່ອຍສິນເຊື່ອໄດ້ຖືກຂ້າມຜ່ານສໍາລັບລູກຄ້າ {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ກະລຸນາຕັ້ງຊື່ຊຸດຊື່ສໍາລັບ {0} ຜ່ານ Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),ຂອບເຂດການປ່ອຍສິນເຊື່ອໄດ້ຖືກຂ້າມຜ່ານສໍາລັບລູກຄ້າ {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',ລູກຄ້າທີ່ຕ້ອງການສໍາລັບການ &#39;Customerwise ສ່ວນລົດ&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,ປັບປຸງຂໍ້ມູນວັນຈ່າຍເງິນທະນາຄານທີ່ມີວາລະສານ.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,ການຕັ້ງລາຄາ
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,ການຕັ້ງລາຄາ
 DocType: Quotation,Term Details,ລາຍລະອຽດໃນໄລຍະ
 DocType: Employee Incentive,Employee Incentive,ແຮງຈູງໃຈ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ບໍ່ສາມາດລົງທະບຽນຫຼາຍກ່ວາ {0} ນັກສຶກສາສໍາລັບກຸ່ມນັກສຶກສານີ້.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),ລວມ (ໂດຍບໍ່ມີພາສີ)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ນັບເປັນຜູ້ນໍາພາ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ນັບເປັນຜູ້ນໍາພາ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stock Available
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stock Available
 DocType: Manufacturing Settings,Capacity Planning For (Days),ການວາງແຜນຄວາມອາດສາມາດສໍາລັບການ (ວັນ)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,ການຈັດຊື້
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,ບໍ່ມີລາຍການທີ່ມີການປ່ຽນແປງໃນປະລິມານຫຼືມູນຄ່າ.
@@ -2522,7 +2541,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,ອອກຈາກແລະເຂົ້າຮ່ວມ
 DocType: Asset,Comprehensive Insurance,ປະກັນໄພຢ່າງກວ້າງຂວາງ
 DocType: Maintenance Visit,Partially Completed,ສໍາເລັດບາງສ່ວນ
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},ຈຸດຄວາມສັດຊື່: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},ຈຸດຄວາມສັດຊື່: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Add Leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Moderate Sensitivity
 DocType: Leave Type,Include holidays within leaves as leaves,ປະກອບມີວັນພັກໃນໃບເປັນໃບ
 DocType: Loyalty Program,Redemption,ການໄຖ່
@@ -2556,7 +2576,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,ຄ່າໃຊ້ຈ່າຍການຕະຫຼາດ
 ,Item Shortage Report,ບົດລາຍງານການຂາດແຄນສິນຄ້າ
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,ບໍ່ສາມາດສ້າງເງື່ອນໄຂມາດຕະຖານ. ກະລຸນາປ່ຽນເກນມາດຕະຖານ
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ນ້ໍາທີ່ໄດ້ກ່າວມາ, \ nPlease ເວົ້າເຖິງ &quot;ນ້ໍາຫນັກ UOM&quot; ເຊັ່ນດຽວກັນ"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ນ້ໍາທີ່ໄດ້ກ່າວມາ, \ nPlease ເວົ້າເຖິງ &quot;ນ້ໍາຫນັກ UOM&quot; ເຊັ່ນດຽວກັນ"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ຂໍອຸປະກອນການນໍາໃຊ້ເພື່ອເຮັດໃຫ້ການອອກສຽງ Stock
 DocType: Hub User,Hub Password,Hub Password
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Group ແຍກຕາມແນ່ນອນສໍາລັບທຸກຊຸດ
@@ -2571,15 +2591,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),ໄລຍະເວລານັດຫມາຍ (ນາທີ)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ເຮັດໃຫ້ການເຂົ້າບັນຊີສໍາຫລັບທຸກການເຄື່ອນໄຫວ Stock
 DocType: Leave Allocation,Total Leaves Allocated,ໃບທັງຫມົດຈັດສັນ
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,ກະລຸນາໃສ່ປີເລີ່ມຕົ້ນທີ່ຖືກຕ້ອງທາງດ້ານການເງິນແລະວັນສຸດທ້າຍ
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,ກະລຸນາໃສ່ປີເລີ່ມຕົ້ນທີ່ຖືກຕ້ອງທາງດ້ານການເງິນແລະວັນສຸດທ້າຍ
 DocType: Employee,Date Of Retirement,ວັນທີ່ສະຫມັກບໍານານ
 DocType: Upload Attendance,Get Template,ໄດ້ຮັບ Template
+,Sales Person Commission Summary,ຜູ້ຂາຍສ່ວນບຸກຄົນລາຍລະອຽດ
 DocType: Additional Salary Component,Additional Salary Component,ສ່ວນເງິນເດືອນເພີ່ມເຕີມ
 DocType: Material Request,Transferred,ໂອນ
 DocType: Vehicle,Doors,ປະຕູ
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Setup ERPNext ສໍາເລັດ!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Setup ERPNext ສໍາເລັດ!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,ເກັບຄ່າທໍານຽມສໍາລັບການຈົດທະບຽນຄົນເຈັບ
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ບໍ່ສາມາດປ່ຽນແປງຄຸນລັກສະນະຫຼັງຈາກການຊື້ຂາຍຫຼັກຊັບ. ສ້າງລາຍການໃຫມ່ແລະໂອນຫຼັກຊັບໄປຍັງສະບັບໃຫມ່
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ບໍ່ສາມາດປ່ຽນແປງຄຸນລັກສະນະຫຼັງຈາກການຊື້ຂາຍຫຼັກຊັບ. ສ້າງລາຍການໃຫມ່ແລະໂອນຫຼັກຊັບໄປຍັງສະບັບໃຫມ່
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Breakup ພາສີ
 DocType: Employee,Joining Details,Joining Details
@@ -2607,14 +2628,15 @@
 DocType: Lead,Next Contact By,ຕິດຕໍ່ຕໍ່ໄປໂດຍ
 DocType: Compensatory Leave Request,Compensatory Leave Request,ຄໍາຮ້ອງຂໍການສະເຫນີຄ່າຊົດເຊີຍ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},ປະລິມານທີ່ກໍານົດໄວ້ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນປະລິມານທີ່ມີຢູ່ສໍາລັບລາຍການ {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນປະລິມານທີ່ມີຢູ່ສໍາລັບລາຍການ {1}
 DocType: Blanket Order,Order Type,ປະເພດຄໍາສັ່ງ
 ,Item-wise Sales Register,ລາຍການສະຫລາດ Sales ຫມັກສະມາຊິກ
 DocType: Asset,Gross Purchase Amount,ການຊື້ທັງຫມົດ
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ເປີດເຄື່ອງຊັ່ງ
 DocType: Asset,Depreciation Method,ວິທີການຄ່າເສື່ອມລາຄາ
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ເປັນພາສີນີ້ລວມຢູ່ໃນອັດຕາພື້ນຖານ?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,ເປົ້າຫມາຍທັງຫມົດ
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,ເປົ້າຫມາຍທັງຫມົດ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Perception Analysis
 DocType: Soil Texture,Sand Composition (%),ອົງປະກອບຂອງທາຍ (%)
 DocType: Job Applicant,Applicant for a Job,ສະຫມັກວຽກຄິກທີ່ນີ້
 DocType: Production Plan Material Request,Production Plan Material Request,ການຜະລິດແຜນການວັດສະດຸຂໍ
@@ -2630,23 +2652,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),ເຄື່ອງຫມາຍການປະເມີນ (ອອກຈາກ 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,ຕົ້ນຕໍ
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,ລາຍການຕໍ່ໄປນີ້ {0} ບໍ່ໄດ້ຫມາຍເປັນ {1} ລາຍການ. ທ່ານສາມາດເຮັດໃຫ້ພວກເຂົາເປັນ {1} ລາຍະການຈາກຫົວຂໍ້ຂອງລາຍະການ
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","ສໍາລັບລາຍການ {0}, ຈໍານວນຈະຕ້ອງເປັນຈໍານວນລົບ"
 DocType: Naming Series,Set prefix for numbering series on your transactions,ຕັ້ງຄໍານໍາຫນ້າສໍາລັບການຈໍານວນໄລຍະກ່ຽວກັບການໂອນຂອງທ່ານ
 DocType: Employee Attendance Tool,Employees HTML,ພະນັກງານ HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,ມາດຕະຖານ BOM ({0}) ຕ້ອງມີການເຄື່ອນໄຫວສໍາລັບລາຍການນີ້ຫຼືແມ່ຂອງຕົນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,ມາດຕະຖານ BOM ({0}) ຕ້ອງມີການເຄື່ອນໄຫວສໍາລັບລາຍການນີ້ຫຼືແມ່ຂອງຕົນ
 DocType: Employee,Leave Encashed?,ອອກຈາກ Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ໂອກາດຈາກພາກສະຫນາມເປັນການບັງຄັບ
 DocType: Email Digest,Annual Expenses,ຄ່າໃຊ້ຈ່າຍປະຈໍາປີ
 DocType: Item,Variants,variants
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,ເຮັດໃຫ້ການສັ່ງຊື້
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,ເຮັດໃຫ້ການສັ່ງຊື້
 DocType: SMS Center,Send To,ສົ່ງເຖິງ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},ຍັງບໍ່ທັນມີຄວາມສົມດູນອອກພຽງພໍສໍາລັບການອອກຈາກປະເພດ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},ຍັງບໍ່ທັນມີຄວາມສົມດູນອອກພຽງພໍສໍາລັບການອອກຈາກປະເພດ {0}
 DocType: Payment Reconciliation Payment,Allocated amount,ຈໍານວນເງິນທີ່ຈັດສັນ
 DocType: Sales Team,Contribution to Net Total,ການປະກອບສ່ວນສຸດທິທັງຫມົດ
 DocType: Sales Invoice Item,Customer's Item Code,ຂອງລູກຄ້າລະຫັດສິນຄ້າ
 DocType: Stock Reconciliation,Stock Reconciliation,Stock Reconciliation
 DocType: Territory,Territory Name,ຊື່ອານາເຂດ
+DocType: Email Digest,Purchase Orders to Receive,ຊື້ຄໍາສັ່ງທີ່ຈະໄດ້ຮັບ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,ການເຮັດວຽກໃນຄວາມຄືບຫນ້າ Warehouse ກ່ອນການຍື່ນສະເຫນີການ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,ທ່ານພຽງແຕ່ສາມາດມີ Plans ທີ່ມີວົງຈອນການເອີ້ນເກັບເງິນດຽວກັນໃນການຈອງ
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data
@@ -2665,9 +2689,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},ຊ້ໍາບໍ່ມີ Serial ເຂົ້າສໍາລັບລາຍການ {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,ຕິດຕາມນໍາໂດຍແຫຼ່ງທີ່ມາ.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,A ເງື່ອນໄຂສໍາລັບລະບຽບການຈັດສົ່ງສິນຄ້າ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,ກະລຸນາໃສ່
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,ກະລຸນາໃສ່
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Maintenance Log
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,ກະລຸນາທີ່ກໍານົດໄວ້ການກັ່ນຕອງໂດຍອີງໃສ່ລາຍການຫຼື Warehouse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,ກະລຸນາທີ່ກໍານົດໄວ້ການກັ່ນຕອງໂດຍອີງໃສ່ລາຍການຫຼື Warehouse
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ນ້ໍາສຸດທິຂອງຊຸດນີ້. (ການຄິດໄລ່ອັດຕະໂນມັດເປັນຜົນລວມຂອງນ້ໍາຫນັກສຸດທິຂອງລາຍການ)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Make Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,ຈໍານວນເງິນສ່ວນລົດບໍ່ສູງກວ່າ 100%
@@ -2676,15 +2700,15 @@
 DocType: Sales Order,To Deliver and Bill,ການສົ່ງແລະບັນຊີລາຍການ
 DocType: Student Group,Instructors,instructors
 DocType: GL Entry,Credit Amount in Account Currency,ການປ່ອຍສິນເຊື່ອໃນສະກຸນເງິນບັນຊີ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Share Management
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Share Management
 DocType: Authorization Control,Authorization Control,ການຄວບຄຸມການອະນຸຍາດ
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດ Warehouse ເປັນການບັງຄັບຕໍ່ຕ້ານສິນຄ້າປະຕິເສດ {1}"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,ການຊໍາລະເງິນ
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດ Warehouse ເປັນການບັງຄັບຕໍ່ຕ້ານສິນຄ້າປະຕິເສດ {1}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,ການຊໍາລະເງິນ
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Warehouse {0} ບໍ່ໄດ້ເຊື່ອມໂຍງກັບບັນຊີໃດ, ກະລຸນາລະບຸບັນຊີໃນບັນທຶກສາງຫຼືກໍານົດບັນຊີສິນຄ້າຄົງຄັງໃນຕອນຕົ້ນໃນບໍລິສັດ {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,ການຄຸ້ມຄອງຄໍາສັ່ງຂອງທ່ານ
 DocType: Work Order Operation,Actual Time and Cost,ທີ່ໃຊ້ເວລາແລະຄ່າໃຊ້ຈ່າຍຕົວຈິງ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ຂໍອຸປະກອນການສູງສຸດ {0} ສາມາດເຮັດໄດ້ສໍາລັບລາຍການ {1} ຕໍ່ຂາຍສິນຄ້າ {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ຂໍອຸປະກອນການສູງສຸດ {0} ສາມາດເຮັດໄດ້ສໍາລັບລາຍການ {1} ຕໍ່ຂາຍສິນຄ້າ {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,ຫຍ້າຜັກທຽມ
 DocType: Course,Course Abbreviation,ຊື່ຫຍໍ້ຂອງລາຍວິຊາ
@@ -2696,6 +2720,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},ຊົ່ວໂມງການເຮັດວຽກທັງຫມົດບໍ່ຄວນຈະມີຫຼາຍກ່ວາຊົ່ວໂມງເຮັດວຽກສູງສຸດ {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,ກ່ຽວກັບ
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,ລາຍການມັດທີ່ໃຊ້ເວລາຂອງການຂາຍ.
+DocType: Delivery Settings,Dispatch Settings,ການຕັ້ງຄ່າການຈັດສົ່ງ
 DocType: Material Request Plan Item,Actual Qty,ຕົວຈິງຈໍານວນ
 DocType: Sales Invoice Item,References,ເອກະສານ
 DocType: Quality Inspection Reading,Reading 10,ອ່ານ 10
@@ -2705,11 +2730,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ທ່ານໄດ້ເຂົ້າໄປລາຍການລາຍການທີ່ຊ້ໍາ. ກະລຸນາແກ້ໄຂແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,ສະມາຄົມ
 DocType: Asset Movement,Asset Movement,ການເຄື່ອນໄຫວຊັບສິນ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,ຕ້ອງໄດ້ສົ່ງຄໍາສັ່ງເຮັດວຽກ {0}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,ໂຄງຮ່າງການໃຫມ່
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,ຕ້ອງໄດ້ສົ່ງຄໍາສັ່ງເຮັດວຽກ {0}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,ໂຄງຮ່າງການໃຫມ່
 DocType: Taxable Salary Slab,From Amount,ຈາກຈໍານວນເງິນ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ລາຍການ {0} ບໍ່ແມ່ນລາຍການຕໍ່ເນື່ອງ
 DocType: Leave Type,Encashment,Encashment
+DocType: Delivery Settings,Delivery Settings,ການຈັດສົ່ງສິນຄ້າ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Fetch Data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},ການອະນຸຍາດທີ່ສູງສຸດໃນປະເພດການປະຕິບັດ {0} ແມ່ນ {1}
 DocType: SMS Center,Create Receiver List,ສ້າງບັນຊີຮັບ
 DocType: Vehicle,Wheels,ຂັບລົດ
@@ -2725,7 +2752,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,ສະກຸນເງິນໃບຢັ້ງຢືນຕ້ອງມີເງີນເທົ່າກັບສະກຸນເງິນຂອງສະກຸນເງິນຂອງບໍລິສັດຫຼືເງິນສະກຸນເງິນຂອງບໍລິສັດ
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),ຊີ້ໃຫ້ເຫັນວ່າຊຸດແມ່ນສ່ວນຫນຶ່ງຂອງການຈັດສົ່ງ (ພຽງແຕ່ Draft) ນີ້
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,ໄລຍະຫ່າງ {0}: ວັນທີ່ກໍານົດບໍ່ສາມາດເປັນມື້ກ່ອນວັນທີສົ່ງ
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,ໄລຍະຫ່າງ {0}: ວັນທີ່ກໍານົດບໍ່ສາມາດເປັນມື້ກ່ອນວັນທີສົ່ງ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,ເຮັດໃຫ້ການເຂົ້າການຊໍາລະເງິນ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},ປະລິມານສໍາລັບລາຍການ {0} ຕ້ອງຫນ້ອຍກ່ວາ {1}
 ,Sales Invoice Trends,Sales ແນວໂນ້ມ Invoice
@@ -2733,12 +2760,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ສາມາດສົ່ງຕິດຕໍ່ກັນພຽງແຕ່ຖ້າຫາກວ່າປະເພດຄ່າໃຊ້ຈ່າຍແມ່ນ &#39;ກ່ຽວກັບຈໍານວນແຖວ Previous&#39; ຫຼື &#39;ກ່ອນຫນ້າ Row ລວມ
 DocType: Sales Order Item,Delivery Warehouse,Warehouse ສົ່ງ
 DocType: Leave Type,Earned Leave Frequency,ກໍາໄລອອກຈາກຄວາມຖີ່
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,ເປັນໄມ້ຢືນຕົ້ນຂອງສູນຕົ້ນທຶນທາງດ້ານການເງິນ.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Sub Type
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,ເປັນໄມ້ຢືນຕົ້ນຂອງສູນຕົ້ນທຶນທາງດ້ານການເງິນ.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Sub Type
 DocType: Serial No,Delivery Document No,ສົ່ງເອກະສານທີ່ບໍ່ມີ
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ຮັບປະກັນການຈັດສົ່ງໂດຍອີງໃສ່ການຜະລິດແບບ Serial No
 DocType: Vital Signs,Furry,ມີຂົນຍາວ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ກະລຸນາຕັ້ງ &#39;ບັນຊີ / ການສູນເສຍກໍາໄຮຈາກການທໍາລາຍຊັບສິນໃນບໍລິສັດ {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ກະລຸນາຕັ້ງ &#39;ບັນຊີ / ການສູນເສຍກໍາໄຮຈາກການທໍາລາຍຊັບສິນໃນບໍລິສັດ {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ຮັບສິນຄ້າຈາກການຊື້ຮັບ
 DocType: Serial No,Creation Date,ວັນທີ່ສ້າງ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},ຕ້ອງມີສະຖານທີ່ເປົ້າຫມາຍສໍາລັບສິນຄ້າ {0}
@@ -2752,11 +2779,12 @@
 DocType: Item,Has Variants,ມີ Variants
 DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,ການປັບປຸງການຕອບສະຫນອງ
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},ທ່ານໄດ້ຄັດເລືອກເອົາແລ້ວລາຍການຈາກ {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},ທ່ານໄດ້ຄັດເລືອກເອົາແລ້ວລາຍການຈາກ {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,ຊື່ຂອງການແຜ່ກະຈາຍລາຍເດືອນ
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ID batch ເປັນການບັງຄັບ
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ID batch ເປັນການບັງຄັບ
 DocType: Sales Person,Parent Sales Person,ບຸກຄົນຜູ້ປົກຄອງ Sales
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,ບໍ່ມີລາຍການລາຍການທີ່ຈະໄດ້ຮັບແມ່ນລ້າສະໄຫມ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,ຜູ້ຂາຍແລະຜູ້ຊື້ບໍ່ສາມາດດຽວກັນ
 DocType: Project,Collect Progress,ເກັບກໍາຄວາມຄືບຫນ້າ
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2772,7 +2800,7 @@
 DocType: Bank Guarantee,Margin Money,ເງິນປັນຜົນ
 DocType: Budget,Budget,ງົບປະມານ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Set Open
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,ລາຍການສິນຊັບຖາວອນຕ້ອງຈະເປັນລາຍການບໍ່ແມ່ນຫຼັກຊັບ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,ລາຍການສິນຊັບຖາວອນຕ້ອງຈະເປັນລາຍການບໍ່ແມ່ນຫຼັກຊັບ.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ງົບປະມານບໍ່ສາມາດໄດ້ຮັບການມອບຫມາຍຕໍ່ຕ້ານ {0}, ຍ້ອນວ່າມັນບໍ່ແມ່ນເປັນບັນຊີລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍ"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},ຈໍານວນການຍົກເວັ້ນທີ່ສູງສຸດສໍາລັບ {0} ແມ່ນ {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ໄດ້ບັນລຸຜົນ
@@ -2790,9 +2818,9 @@
 ,Amount to Deliver,ຈໍານວນການສົ່ງ
 DocType: Asset,Insurance Start Date,ວັນເລີ່ມປະກັນໄພ
 DocType: Salary Component,Flexible Benefits,ປະໂຫຍດທີ່ສາມາດປ່ຽນແປງໄດ້
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},ລາຍະການດຽວກັນໄດ້ຖືກເຂົ້າຫລາຍຄັ້ງ. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},ລາຍະການດຽວກັນໄດ້ຖືກເຂົ້າຫລາຍຄັ້ງ. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ວັນທີໄລຍະເລີ່ມຕົ້ນບໍ່ສາມາດຈະກ່ອນຫນ້ານັ້ນກ່ວາປີເລີ່ມວັນທີຂອງປີທາງວິຊາການທີ່ໃນໄລຍະການມີການເຊື່ອມຕໍ່ (ປີທາງວິຊາການ {}). ກະລຸນາແກ້ໄຂຂໍ້ມູນວັນແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,ມີຄວາມຜິດພາດໄດ້.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,ມີຄວາມຜິດພາດໄດ້.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,ພະນັກງານ {0} ໄດ້ຖືກນໍາໃຊ້ແລ້ວສໍາລັບ {1} ລະຫວ່າງ {2} ແລະ {3}:
 DocType: Guardian,Guardian Interests,ຄວາມສົນໃຈຜູ້ປົກຄອງ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,ປັບປຸງຊື່ / ເລກບັນຊີ
@@ -2831,9 +2859,9 @@
 ,Item-wise Purchase History,ປະວັດການຊື້ລາຍການທີ່ສະຫລາດ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},ກະລຸນາຄລິກໃສ່ &quot;ສ້າງຕາຕະລາງ &#39;ມາດດຶງຂໍ້ມູນ Serial No ເພີ່ມຂຶ້ນສໍາລັບສິນຄ້າ {0}
 DocType: Account,Frozen,Frozen
-DocType: Delivery Note,Vehicle Type,ປະເພດຍານພາຫະນະ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,ປະເພດຍານພາຫະນະ
 DocType: Sales Invoice Payment,Base Amount (Company Currency),ຈໍານວນພື້ນຖານ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,ວັດຖຸດິບ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,ວັດຖຸດິບ
 DocType: Payment Reconciliation Payment,Reference Row,Row ກະສານອ້າງອີງ
 DocType: Installation Note,Installation Time,ທີ່ໃຊ້ເວລາການຕິດຕັ້ງ
 DocType: Sales Invoice,Accounting Details,ລາຍລະອຽດການບັນຊີ
@@ -2842,12 +2870,13 @@
 DocType: Inpatient Record,O Positive,O Positive
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,ການລົງທຶນ
 DocType: Issue,Resolution Details,ລາຍລະອຽດຄວາມລະອຽດ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,ປະເພດການເຮັດທຸລະກໍາ
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,ປະເພດການເຮັດທຸລະກໍາ
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ເງື່ອນໄຂການຍອມຮັບ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,ກະລຸນາໃສ່ການຮ້ອງຂໍການວັດສະດຸໃນຕາຕະລາງຂ້າງເທິງ
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,ບໍ່ມີການຊໍາລະເງິນສໍາລັບວາລະສານເຂົ້າ
 DocType: Hub Tracked Item,Image List,Image List
 DocType: Item Attribute,Attribute Name,ສະແດງຊື່
+DocType: Subscription,Generate Invoice At Beginning Of Period,ສ້າງໃບເກັບເງິນໃນຕອນເລີ່ມຕົ້ນຂອງໄລຍະເວລາ
 DocType: BOM,Show In Website,ສະແດງໃຫ້ເຫັນໃນເວັບໄຊທ໌
 DocType: Loan Application,Total Payable Amount,ຈໍານວນເງິນຫນີ້
 DocType: Task,Expected Time (in hours),ທີ່ໃຊ້ເວລາທີ່ຄາດວ່າຈະ (ຊົ່ວໂມງ)
@@ -2885,8 +2914,8 @@
 DocType: Employee,Resignation Letter Date,ການລາອອກວັນທີ່ສະຫມັກຈົດຫມາຍສະບັບ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,ກົດລະບຽບການຕັ້ງລາຄາໄດ້ຖືກກັ່ນຕອງຕື່ມອີກໂດຍອີງໃສ່ປະລິມານ.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,ບໍ່ກໍານົດ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ກະລຸນາຕັ້ງວັນທີ່ຂອງການເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ກະລຸນາຕັ້ງວັນທີ່ຂອງການເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ກະລຸນາຕັ້ງວັນທີ່ຂອງການເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ກະລຸນາຕັ້ງວັນທີ່ຂອງການເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ {0}
 DocType: Inpatient Record,Discharge,ການໄຫຼ
 DocType: Task,Total Billing Amount (via Time Sheet),ຈໍານວນການເອີ້ນເກັບເງິນທັງຫມົດ (ໂດຍຜ່ານທີ່ໃຊ້ເວລາ Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ລາຍການລູກຄ້າຊ້ໍາ
@@ -2896,13 +2925,13 @@
 DocType: Chapter,Chapter,ຫມວດ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,ຄູ່
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ບັນຊີມາດຕະຖານຈະໄດ້ຮັບການປັບປຸງໂດຍອັດຕະໂນມັດໃນໃບແຈ້ງຫນີ້ POS ເມື່ອເລືອກໂຫມດນີ້.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ເລືອກ BOM ແລະຈໍານວນການຜະລິດ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ເລືອກ BOM ແລະຈໍານວນການຜະລິດ
 DocType: Asset,Depreciation Schedule,ຕາຕະລາງຄ່າເສື່ອມລາຄາ
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ທີ່ຢູ່ Partner ຂາຍແລະຕິດຕໍ່
 DocType: Bank Reconciliation Detail,Against Account,ຕໍ່ບັນຊີ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,ເຄິ່ງຫນຶ່ງຂອງວັນທີ່ຄວນຈະມີລະຫວ່າງຕັ້ງແຕ່ວັນທີ່ແລະວັນທີ
 DocType: Maintenance Schedule Detail,Actual Date,ວັນທີ່
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,ກະລຸນາຕັ້ງສູນຕົ້ນທຶນຕົ້ນແບບໃນ {0} ບໍລິສັດ.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,ກະລຸນາຕັ້ງສູນຕົ້ນທຶນຕົ້ນແບບໃນ {0} ບໍລິສັດ.
 DocType: Item,Has Batch No,ມີ Batch No
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},ການເອີ້ນເກັບເງິນປະຈໍາປີ: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2914,7 +2943,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,ຂໍ້ມູນສ່ວນຕົວ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},ກະລຸນາຕັ້ງຊັບ Center ຄ່າເສື່ອມລາຄາຕົ້ນທຶນໃນບໍລິສັດ {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},ກະລຸນາຕັ້ງຊັບ Center ຄ່າເສື່ອມລາຄາຕົ້ນທຶນໃນບໍລິສັດ {0}
 ,Maintenance Schedules,ຕາຕະລາງການບໍາລຸງຮັກສາ
 DocType: Task,Actual End Date (via Time Sheet),ຕົວຈິງວັນທີ່ສິ້ນສຸດ (ຜ່ານທີ່ໃຊ້ເວລາ Sheet)
 DocType: Soil Texture,Soil Type,ປະເພດດິນ
@@ -2922,10 +2951,10 @@
 ,Quotation Trends,ແນວໂນ້ມວົງຢືມ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},ກຸ່ມສິນຄ້າບໍ່ໄດ້ກ່າວເຖິງໃນຕົ້ນສະບັບລາຍການສໍາລັບການ item {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີລູກຫນີ້
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີລູກຫນີ້
 DocType: Shipping Rule,Shipping Amount,ການຂົນສົ່ງຈໍານວນເງິນ
 DocType: Supplier Scorecard Period,Period Score,ຄະແນນໄລຍະເວລາ
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,ຕື່ມການລູກຄ້າ
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,ຕື່ມການລູກຄ້າ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ທີ່ຍັງຄ້າງຈໍານວນ
 DocType: Lab Test Template,Special,ພິເສດ
 DocType: Loyalty Program,Conversion Factor,ປັດໄຈການປ່ຽນແປງ
@@ -2942,7 +2971,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Add Letterhead
 DocType: Program Enrollment,Self-Driving Vehicle,ຍານພາຫະນະຂອງຕົນເອງຂັບລົດ
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard ປະຈໍາ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},ແຖວ {0}: ບັນຊີລາຍການຂອງວັດສະດຸບໍ່ພົບມູນ {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},ແຖວ {0}: ບັນຊີລາຍການຂອງວັດສະດຸບໍ່ພົບມູນ {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ໃບຈັດສັນທັງຫມົດ {0} ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາໃບອະນຸມັດແລ້ວ {1} ສໍາລັບໄລຍະເວລາ
 DocType: Contract Fulfilment Checklist,Requirement,ຄວາມຕ້ອງການ
 DocType: Journal Entry,Accounts Receivable,ບັນຊີລູກຫນີ້
@@ -2959,16 +2988,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,ການຕັ້ງຄ່າ HR
 DocType: Salary Slip,net pay info,ຂໍ້ມູນການຈ່າຍເງິນສຸດທິ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS Amount
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS Amount
 DocType: Woocommerce Settings,Enable Sync,Enable Sync
 DocType: Tax Withholding Rate,Single Transaction Threshold,Single Transaction Threshold
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ມູນຄ່ານີ້ຈະຖືກປັບປຸງໃນລາຄາການຂາຍລາຄາຕໍ່າສຸດ.
 DocType: Email Digest,New Expenses,ຄ່າໃຊ້ຈ່າຍໃຫມ່
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Amount
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Amount
 DocType: Shareholder,Shareholder,ຜູ້ຖືຫຸ້ນ
 DocType: Purchase Invoice,Additional Discount Amount,ເພີ່ມເຕີມຈໍານວນສ່ວນລົດ
 DocType: Cash Flow Mapper,Position,ຕໍາແຫນ່ງ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,ຮັບສິນຄ້າຈາກຄໍາສັ່ງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,ຮັບສິນຄ້າຈາກຄໍາສັ່ງ
 DocType: Patient,Patient Details,Details of Patient
 DocType: Inpatient Record,B Positive,B Positive
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2980,8 +3009,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,ກຸ່ມທີ່ບໍ່ແມ່ນກຸ່ມ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,ກິລາ
 DocType: Loan Type,Loan Name,ຊື່ການກູ້ຢືມເງິນ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,ທັງຫມົດທີ່ເກີດຂຶ້ນຈິງ
-DocType: Lab Test UOM,Test UOM,ທົດສອບ UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,ທັງຫມົດທີ່ເກີດຂຶ້ນຈິງ
 DocType: Student Siblings,Student Siblings,ອ້າຍເອື້ອຍນ້ອງນັກສຶກສາ
 DocType: Subscription Plan Detail,Subscription Plan Detail,ລາຍະລະອຽດແຜນການຈອງຊື້
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,ຫນ່ວຍບໍລິການ
@@ -3009,7 +3037,6 @@
 DocType: Workstation,Wages per hour,ຄ່າແຮງງານຕໍ່ຊົ່ວໂມງ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ຄວາມສົມດູນໃນ Batch {0} ຈະກາຍເປັນກະທົບທາງລົບ {1} ສໍາລັບລາຍການ {2} ທີ່ Warehouse {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ປະຕິບັດຕາມການຮ້ອງຂໍການວັດສະດຸໄດ້ຮັບການຍົກຂຶ້ນມາອັດຕະໂນມັດອີງຕາມລະດັບ Re: ສັ່ງຊື້ສິນຄ້າຂອງ
-DocType: Email Digest,Pending Sales Orders,ລໍຖ້າຄໍາສັ່ງຂາຍ
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},ບັນຊີ {0} ບໍ່ຖືກຕ້ອງ. ບັນຊີສະກຸນເງິນຈະຕ້ອງ {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},ຈາກວັນ {0} ບໍ່ສາມາດຢູ່ພາຍຫຼັງວັນທີ່ Relieving ຂອງພະນັກງານ {1}
 DocType: Supplier,Is Internal Supplier,ແມ່ນຜູ້ຊື້ພາຍໃນ
@@ -3018,13 +3045,14 @@
 DocType: Healthcare Settings,Remind Before,ເຕືອນກ່ອນ
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ປັດໄຈທີ່ UOM ສົນທະນາແມ່ນຕ້ອງການໃນການຕິດຕໍ່ກັນ {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຂາຍ, ຂາຍໃບເກັບເງິນຫຼືການອະນຸທິນ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຂາຍ, ຂາຍໃບເກັບເງິນຫຼືການອະນຸທິນ"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ຜະລິດແນນຄວາມພັກດີ = ສະກຸນເງິນຖານເທົ່າໃດ?
 DocType: Salary Component,Deduction,ການຫັກ
 DocType: Item,Retain Sample,ເກັບຕົວຢ່າງ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະຈະໃຊ້ເວລາເປັນການບັງຄັບ.
 DocType: Stock Reconciliation Item,Amount Difference,ຈໍານວນທີ່ແຕກຕ່າງກັນ
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},ລາຍການລາຄາເພີ່ມຂຶ້ນສໍາລັບ {0} ໃນລາຄາ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},ລາຍການລາຄາເພີ່ມຂຶ້ນສໍາລັບ {0} ໃນລາຄາ {1}
+DocType: Delivery Stop,Order Information,ຂໍ້ມູນການສັ່ງຊື້
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ກະລຸນາໃສ່ລະຫັດພະນັກງານຂອງບຸກຄົນການຂາຍນີ້
 DocType: Territory,Classification of Customers by region,ການຈັດປະເພດຂອງລູກຄ້າຕາມພູມິພາກ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,ໃນການຜະລິດ
@@ -3035,8 +3063,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ການຄິດໄລ່ຄວາມດຸ່ນດ່ຽງທະນາຄານ
 DocType: Normal Test Template,Normal Test Template,Normal Test Template
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ຜູ້ໃຊ້ຄົນພິການ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,ວົງຢືມ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,ບໍ່ສາມາດກໍານົດໄດ້ຮັບ RFQ ກັບ No ອ້າງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,ວົງຢືມ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,ບໍ່ສາມາດກໍານົດໄດ້ຮັບ RFQ ກັບ No ອ້າງ
 DocType: Salary Slip,Total Deduction,ຫັກຈໍານວນທັງຫມົດ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,ເລືອກບັນຊີເພື່ອພິມໃນສະກຸນເງິນບັນຊີ
 ,Production Analytics,ການວິເຄາະການຜະລິດ
@@ -3049,14 +3077,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Supplier Setup Scorecard
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,ຊື່ແຜນການປະເມີນຜົນ
 DocType: Work Order Operation,Work Order Operation,ການເຮັດວຽກການສັ່ງຊື້
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},ການເຕືອນໄພ: ໃບຢັ້ງຢືນການ SSL ບໍ່ຖືກຕ້ອງກ່ຽວກັບສິ່ງທີ່ແນບມາ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},ການເຕືອນໄພ: ໃບຢັ້ງຢືນການ SSL ບໍ່ຖືກຕ້ອງກ່ຽວກັບສິ່ງທີ່ແນບມາ {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","ນໍາໄປສູ່ການຊ່ວຍເຫຼືອທີ່ທ່ານໄດ້ຮັບທຸລະກິດ, ເພີ່ມການຕິດຕໍ່ທັງຫມົດຂອງທ່ານແລະຫຼາຍເປັນຜູ້ນໍາພາຂອງທ່ານ"
 DocType: Work Order Operation,Actual Operation Time,ທີ່ແທ້ຈິງທີ່ໃຊ້ເວລາການດໍາເນີນງານ
 DocType: Authorization Rule,Applicable To (User),ສາມາດນໍາໃຊ້ໄປ (User)
 DocType: Purchase Taxes and Charges,Deduct,ຫັກ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,ລາຍລະອຽດວຽກເຮັດງານທໍາ
 DocType: Student Applicant,Applied,ການນໍາໃຊ້
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re: ເປີດ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re: ເປີດ
 DocType: Sales Invoice Item,Qty as per Stock UOM,ຈໍານວນເປັນຕໍ່ Stock UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ຊື່ Guardian2
 DocType: Attendance,Attendance Request,Request Attendance
@@ -3074,7 +3102,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} ແມ່ນຢູ່ພາຍໃຕ້ການຮັບປະກັນບໍ່ເກີນ {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ມູນຄ່າອະນຸຍາດຕ່ໍາສຸດ
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,User {0} ມີຢູ່ແລ້ວ
-apps/erpnext/erpnext/hooks.py +114,Shipments,ການຂົນສົ່ງ
+apps/erpnext/erpnext/hooks.py +115,Shipments,ການຂົນສົ່ງ
 DocType: Payment Entry,Total Allocated Amount (Company Currency),ທັງຫມົດຈັດສັນຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ)
 DocType: Purchase Order Item,To be delivered to customer,ທີ່ຈະສົ່ງໃຫ້ລູກຄ້າ
 DocType: BOM,Scrap Material Cost,Cost Scrap ການວັດສະດຸ
@@ -3082,11 +3110,12 @@
 DocType: Grant Application,Email Notification Sent,Email Notification Sent
 DocType: Purchase Invoice,In Words (Company Currency),ໃນຄໍາສັບຕ່າງໆ (ບໍລິສັດສະກຸນເງິນ)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,ບໍລິສັດແມ່ນຄູ່ມືສໍາລັບບັນຊີຂອງບໍລິສັດ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","ລະຫັດສິນຄ້າ, ຄັງສິນຄ້າ, ຈໍານວນຈໍາກັດແມ່ນຈໍາເປັນໃນແຖວ"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","ລະຫັດສິນຄ້າ, ຄັງສິນຄ້າ, ຈໍານວນຈໍາກັດແມ່ນຈໍາເປັນໃນແຖວ"
 DocType: Bank Guarantee,Supplier,ຜູ້ຈັດຈໍາຫນ່າຍ
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,ໄດ້ຮັບຈາກ
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,ນີ້ແມ່ນພະແນກຮາກແລະບໍ່ສາມາດແກ້ໄຂໄດ້.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,ສະແດງລາຍະລະອຽດການຊໍາລະເງິນ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,ໄລຍະເວລາໃນວັນ
 DocType: C-Form,Quarter,ໄຕມາດ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,ຄ່າໃຊ້ຈ່າຍອື່ນ ໆ
 DocType: Global Defaults,Default Company,ບໍລິສັດມາດຕະຖານ
@@ -3094,7 +3123,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ຄ່າໃຊ້ຈ່າຍຂອງບັນຊີທີ່ແຕກຕ່າງກັນເປັນການບັງຄັບສໍາລັບລາຍການ {0} ເປັນຜົນກະທົບຕໍ່ມູນຄ່າຫຼັກຊັບໂດຍລວມ
 DocType: Bank,Bank Name,ຊື່ທະນາຄານ
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,ອອກຈາກບ່ອນຫວ່າງເພື່ອເຮັດໃຫ້ຄໍາສັ່ງຊື້ສໍາລັບຜູ້ສະຫນອງທັງຫມົດ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,ອອກຈາກບ່ອນຫວ່າງເພື່ອເຮັດໃຫ້ຄໍາສັ່ງຊື້ສໍາລັບຜູ້ສະຫນອງທັງຫມົດ
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ລາຍະການຄ່າທໍານຽມຂອງພະນັກງານ Inpatient
 DocType: Vital Signs,Fluid,Fluid
 DocType: Leave Application,Total Leave Days,ທັງຫມົດວັນອອກ
@@ -3104,7 +3133,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Item Variant Settings
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,ເລືອກບໍລິສັດ ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,ໃຫ້ຫວ່າງໄວ້ຖ້າພິຈາລະນາສໍາລັບການພະແນກການທັງຫມົດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} ເປັນການບັງຄັບສໍາລັບລາຍການ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} ເປັນການບັງຄັບສໍາລັບລາຍການ {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Item {0}: {1} qty ຜະລິດ,"
 DocType: Payroll Entry,Fortnightly,ສອງອາທິດ
 DocType: Currency Exchange,From Currency,ຈາກສະກຸນເງິນ
@@ -3154,7 +3183,7 @@
 DocType: Account,Fixed Asset,ຊັບສິນຄົງທີ່
 DocType: Amazon MWS Settings,After Date,ຫຼັງຈາກວັນທີ
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventory ຕໍ່ເນື່ອງ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,ບໍ່ຖືກຕ້ອງ {0} ສໍາລັບ Inter Company Invoice.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,ບໍ່ຖືກຕ້ອງ {0} ສໍາລັບ Inter Company Invoice.
 ,Department Analytics,ກົມການວິເຄາະ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ອີເມວບໍ່ພົບໃນຕິດຕໍ່ແບບເລີ່ມຕົ້ນ
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,ສ້າງຄວາມລັບ
@@ -3173,6 +3202,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,ມີການຊໍາລະເງິນຂອງສ່ວຍສາອາກອນ
 DocType: Expense Claim Detail,Expense Claim Detail,ຄ່າໃຊ້ຈ່າຍຂໍ້ມູນການຮ້ອງຂໍ
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,ກະລຸນາຕັ້ງຊື່ລະບົບການໃຫ້ຄໍາແນະນໍາໃນການສຶກສາ&gt; ການສຶກສາການສຶກສາ
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,ສາມສະບັບຄືການ SUPPLIER
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,ຍອດເງິນໃຫມ່ໃນຖານເງິນສະກຸນ
 DocType: Location,Is Container,ແມ່ນ Container
@@ -3180,13 +3210,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,ກະລຸນາເລືອກບັນຊີທີ່ຖືກຕ້ອງ
 DocType: Salary Structure Assignment,Salary Structure Assignment,Salary Structure Assignment
 DocType: Purchase Invoice Item,Weight UOM,ນ້ໍາຫນັກ UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ລາຍຊື່ຜູ້ຖືຫຸ້ນທີ່ມີຈໍານວນຄົນທີ່ມີຢູ່
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ລາຍຊື່ຜູ້ຖືຫຸ້ນທີ່ມີຈໍານວນຄົນທີ່ມີຢູ່
 DocType: Salary Structure Employee,Salary Structure Employee,ພະນັກງານໂຄງສ້າງເງິນເດືອນ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,ສະແດງຄຸນລັກສະນະຕົວແທນ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,ສະແດງຄຸນລັກສະນະຕົວແທນ
 DocType: Student,Blood Group,Group ເລືອດ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,ບັນຊີປະຕູຜ່ານການຈ່າຍເງິນໃນແຜນ {0} ແມ່ນແຕກຕ່າງກັນຈາກບັນຊີປະຕູຜ່ານການຊໍາລະເງິນໃນຄໍາຮ້ອງຂໍການຊໍາລະເງິນນີ້
 DocType: Course,Course Name,ຫລັກສູດ
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,ບໍ່ມີຂໍ້ມູນເກັບພາສີເກັບສໍາລັບປີງົບປະມານໃນປະຈຸບັນ.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,ບໍ່ມີຂໍ້ມູນເກັບພາສີເກັບສໍາລັບປີງົບປະມານໃນປະຈຸບັນ.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ຜູ້ໃຊ້ທີ່ສາມາດອະນຸມັດຄໍາຮ້ອງສະຫມັກອອກຈາກພະນັກງານສະເພາະຂອງ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,ອຸປະກອນຫ້ອງການ
 DocType: Purchase Invoice Item,Qty,ຈໍານວນ
@@ -3194,6 +3224,7 @@
 DocType: Supplier Scorecard,Scoring Setup,ຕິດຕັ້ງຄະແນນ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,ເອເລັກໂຕຣນິກ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ກໍາໄລ ({0})
+DocType: BOM,Allow Same Item Multiple Times,ອະນຸຍາດໃຫ້ເອກະສານດຽວກັນຫຼາຍຄັ້ງ
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ຍົກສູງບົດບາດການວັດສະດຸຂໍເວລາຫຸ້ນຮອດລະດັບ Re: ຄໍາສັ່ງ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,ເຕັມເວລາ
 DocType: Payroll Entry,Employees,ພະນັກງານ
@@ -3205,11 +3236,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,ການຍືນຍັນການຈ່າຍເງິນ
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ລາຄາຈະບໍ່ໄດ້ຮັບການສະແດງໃຫ້ເຫັນວ່າລາຄາບໍ່ໄດ້ຕັ້ງ
 DocType: Stock Entry,Total Incoming Value,ມູນຄ່າຂາເຂົ້າທັງຫມົດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ເດບິດການຈໍາເປັນຕ້ອງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ເດບິດການຈໍາເປັນຕ້ອງ
 DocType: Clinical Procedure,Inpatient Record,Inpatient Record
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ຊ່ວຍຮັກສາຕິດຕາມຂອງທີ່ໃຊ້ເວລາ, ຄ່າໃຊ້ຈ່າຍແລະການເອີ້ນເກັບເງິນສໍາລັບກິດຈະກໍາເຮັດໄດ້ໂດຍທີມງານຂອງທ່ານ"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,ລາຄາຊື້
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Date of Transaction
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,ລາຄາຊື້
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Date of Transaction
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,ແມ່ແບບຂອງຕົວປ່ຽນແປງຈໍາຫນ່າຍດັດນີຊີ້ວັດ.
 DocType: Job Offer Term,Offer Term,ຄໍາສະເຫນີ
 DocType: Asset,Quality Manager,ຜູ້ຈັດການຄຸນະພາບ
@@ -3230,11 +3261,11 @@
 DocType: Cashier Closing,To Time,ການທີ່ໃຊ້ເວລາ
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) ສໍາຫລັບ {0}
 DocType: Authorization Rule,Approving Role (above authorized value),ການອະນຸມັດພາລະບົດບາດ (ສູງກວ່າຄ່າອະນຸຍາດ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີເຈົ້າຫນີ້
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີເຈົ້າຫນີ້
 DocType: Loan,Total Amount Paid,ຈໍານວນເງິນທີ່ຈ່າຍ
 DocType: Asset,Insurance End Date,ວັນສິ້ນສຸດການປະກັນໄພ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,ກະລຸນາເລືອກການເຂົ້າຮຽນຂອງນັກຮຽນເຊິ່ງບັງຄັບໃຫ້ນັກຮຽນທີ່ໄດ້ຮັບຄ່າຈ້າງ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursion {0} ບໍ່ສາມາດພໍ່ແມ່ຫລືລູກຂອງ {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursion {0} ບໍ່ສາມາດພໍ່ແມ່ຫລືລູກຂອງ {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,ລາຍະການງົບປະມານ
 DocType: Work Order Operation,Completed Qty,ສໍາເລັດຈໍານວນ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0}, ພຽງແຕ່ບັນຊີເດບິດສາມາດເຊື່ອມໂຍງກັບເຂົ້າການປ່ອຍສິນເຊື່ອອີກ"
@@ -3242,7 +3273,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ລາຍການຕໍ່ເນື່ອງ {0} ບໍ່ສາມາດໄດ້ຮັບການປັບປຸງການນໍາໃຊ້ Stock ສ້າງຄວາມປອງດອງ, ກະລຸນາໃຊ້ Stock Entry"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ລາຍການຕໍ່ເນື່ອງ {0} ບໍ່ສາມາດໄດ້ຮັບການປັບປຸງການນໍາໃຊ້ Stock ສ້າງຄວາມປອງດອງ, ກະລຸນາໃຊ້ Stock Entry"
 DocType: Training Event Employee,Training Event Employee,ການຝຶກອົບຮົມພະນັກງານກິດຈະກໍາ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ຕົວຢ່າງທີ່ສູງສຸດ - {0} ສາມາດເກັບຮັກສາສໍາລັບຊຸດ {1} ແລະລາຍການ {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ຕົວຢ່າງທີ່ສູງສຸດ - {0} ສາມາດເກັບຮັກສາສໍາລັບຊຸດ {1} ແລະລາຍການ {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,ເພີ່ມເຄື່ອງທີ່ໃຊ້ເວລາ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ຈໍານວນ Serial ຕ້ອງການສໍາລັບລາຍການ {1}. ທ່ານໄດ້ສະຫນອງ {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,ອັດຕາປະເມີນມູນຄ່າໃນປະຈຸບັນ
@@ -3273,11 +3304,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ບໍ່ໄດ້ພົບເຫັນ
 DocType: Fee Schedule Program,Fee Schedule Program,Fee Schedule Program
 DocType: Fee Schedule Program,Student Batch,Batch ນັກສຶກສາ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ກະລຸນາລົບ Employee <a href=""#Form/Employee/{0}"">{0}</a> \ ເພື່ອຍົກເລີກເອກະສານນີ້"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,ເຮັດໃຫ້ນັກສຶກສາ
 DocType: Supplier Scorecard Scoring Standing,Min Grade,ຕ່ໍາສຸດ Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Healthcare Service Unit Type
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},ທ່ານໄດ້ຖືກເຊື້ອເຊີນເພື່ອເຮັດວຽກຮ່ວມກັນກ່ຽວກັບໂຄງການ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},ທ່ານໄດ້ຖືກເຊື້ອເຊີນເພື່ອເຮັດວຽກຮ່ວມກັນກ່ຽວກັບໂຄງການ: {0}
 DocType: Supplier Group,Parent Supplier Group,Parent Supplier Group
+DocType: Email Digest,Purchase Orders to Bill,ຊື້ໃບສັ່ງຊື້ໃບບິນ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,ມູນຄ່າສະສົມໃນບໍລິສັດກຸ່ມ
 DocType: Leave Block List Date,Block Date,Block ວັນທີ່
 DocType: Crop,Crop,ການປູກພືດ
@@ -3290,6 +3324,7 @@
 DocType: Sales Order,Not Delivered,ບໍ່ໄດ້ສົ່ງ
 ,Bank Clearance Summary,ທະນາຄານ Summary Clearance
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","ສ້າງແລະຄຸ້ມຄອງປະຈໍາວັນ, ປະຈໍາອາທິດແລະປະຈໍາເດືອນຫົວເລື່ອງອີເມລ໌."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາຕໍ່ຜູ້ຂາຍນີ້. ເບິ່ງຕາຕະລາງຂ້າງລຸ່ມສໍາລັບລາຍລະອຽດ
 DocType: Appraisal Goal,Appraisal Goal,ການປະເມີນຜົນເປົ້າຫມາຍ
 DocType: Stock Reconciliation Item,Current Amount,ຈໍານວນເງິນໃນປະຈຸບັນ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ອາຄານ
@@ -3316,7 +3351,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,ຊອບແວ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,ຖັດໄປວັນທີບໍ່ສາມາດຈະຢູ່ໃນໄລຍະຜ່ານມາ
 DocType: Company,For Reference Only.,ສໍາລັບການກະສານອ້າງອີງເທົ່ານັ້ນ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,ເລືອກຊຸດ No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,ເລືອກຊຸດ No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},ບໍ່ຖືກຕ້ອງ {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Reference Inv
@@ -3334,16 +3369,16 @@
 DocType: Normal Test Items,Require Result Value,ຕ້ອງການມູນຄ່າຜົນໄດ້ຮັບ
 DocType: Item,Show a slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ເປັນຢູ່ປາຍສຸດຂອງຫນ້າ
 DocType: Tax Withholding Rate,Tax Withholding Rate,ອັດຕາການເກັບພາສີ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,ແອບເປີ້ນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,ຮ້ານຄ້າ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,ແອບເປີ້ນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,ຮ້ານຄ້າ
 DocType: Project Type,Projects Manager,Manager ໂຄງການ
 DocType: Serial No,Delivery Time,ເວລາຂົນສົ່ງ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,ຜູ້ສູງອາຍຸຈາກຈໍານວນກ່ຽວກັບ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,ການນັດຫມາຍຖືກຍົກເລີກ
 DocType: Item,End of Life,ໃນຕອນທ້າຍຂອງການມີຊີວິດ
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ການເດີນທາງ
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ການເດີນທາງ
 DocType: Student Report Generation Tool,Include All Assessment Group,ລວມກຸ່ມປະເມີນຜົນທັງຫມົດ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,ບໍ່ມີການເຄື່ອນໄຫວຫຼືເລີ່ມຕົ້ນເງິນເດືອນໂຄງປະກອບການທີ່ພົບເຫັນສໍາລັບພະນັກງານ {0} ສໍາລັບກໍານົດວັນທີດັ່ງກ່າວ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,ບໍ່ມີການເຄື່ອນໄຫວຫຼືເລີ່ມຕົ້ນເງິນເດືອນໂຄງປະກອບການທີ່ພົບເຫັນສໍາລັບພະນັກງານ {0} ສໍາລັບກໍານົດວັນທີດັ່ງກ່າວ
 DocType: Leave Block List,Allow Users,ອະນຸຍາດໃຫ້ຜູ້ຊົມໃຊ້
 DocType: Purchase Order,Customer Mobile No,ລູກຄ້າໂທລະສັບມືຖື
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ລາຍະລະອຽດແບບແຜນແຜນຜັງເງິນສົດ
@@ -3352,15 +3387,16 @@
 DocType: Rename Tool,Rename Tool,ປ່ຽນຊື່ເຄື່ອງມື
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,ການປັບປຸງຄ່າໃຊ້ຈ່າຍ
 DocType: Item Reorder,Item Reorder,ລາຍການຮຽງລໍາດັບໃຫມ່
+DocType: Delivery Note,Mode of Transport,Mode of Transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Slip ສະແດງໃຫ້ເຫັນເງິນເດືອນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,ການຖ່າຍໂອນການວັດສະດຸ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,ການຖ່າຍໂອນການວັດສະດຸ
 DocType: Fees,Send Payment Request,ສົ່ງຄໍາຮ້ອງຂໍການຊໍາລະເງິນ
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ລະບຸການດໍາເນີນງານ, ຄ່າໃຊ້ຈ່າຍປະຕິບັດແລະໃຫ້ການດໍາເນີນງານເປັນເອກະລັກທີ່ບໍ່ມີການປະຕິບັດງານຂອງທ່ານ."
 DocType: Travel Request,Any other details,ລາຍລະອຽດອື່ນໆ
 DocType: Water Analysis,Origin,ຕົ້ນກໍາເນີດ
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ເອກະສານນີ້ແມ່ນໃນໄລຍະຂອບເຂດຈໍາກັດໂດຍ {0} {1} ສໍາລັບ item {4}. ທ່ານກໍາລັງເຮັດໃຫ້ຄົນອື່ນ {3} ຕໍ່ຕ້ານດຽວກັນ {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,ກະລຸນາທີ່ກໍານົດໄວ້ໄດ້ເກີດຂຶ້ນຫລັງຈາກບັນທຶກ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,ບັນຊີຈໍານວນເລືອກການປ່ຽນແປງ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,ກະລຸນາທີ່ກໍານົດໄວ້ໄດ້ເກີດຂຶ້ນຫລັງຈາກບັນທຶກ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,ບັນຊີຈໍານວນເລືອກການປ່ຽນແປງ
 DocType: Purchase Invoice,Price List Currency,ລາຄາສະກຸນເງິນ
 DocType: Naming Series,User must always select,ຜູ້ໃຊ້ຕ້ອງໄດ້ເລືອກ
 DocType: Stock Settings,Allow Negative Stock,ອະນຸຍາດໃຫ້ລົບ Stock
@@ -3381,9 +3417,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ກວດສອບຍ້ອນກັບ
 DocType: Asset Maintenance Log,Actions performed,ການປະຕິບັດກິດຈະກໍາ
 DocType: Cash Flow Mapper,Section Leader,ຫົວຫນ້າພາກສ່ວນ
+DocType: Delivery Note,Transport Receipt No,ໃບຮັບສິນຄ້າຂົນສົ່ງ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),ແຫຼ່ງຂໍ້ມູນຂອງກອງທຶນ (ຫນີ້ສິນ)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,ສະຖານທີ່ແຫຼ່ງຂໍ້ມູນແລະຈຸດຫມາຍປາຍທາງບໍ່ສາມາດກັນໄດ້
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ປະລິມານໃນການຕິດຕໍ່ກັນ {0} ({1}) ຈະຕ້ອງດຽວກັນກັບປະລິມານການຜະລິດ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ປະລິມານໃນການຕິດຕໍ່ກັນ {0} ({1}) ຈະຕ້ອງດຽວກັນກັບປະລິມານການຜະລິດ {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,ພະນັກງານ
 DocType: Bank Guarantee,Fixed Deposit Number,Fixed Deposit Number
 DocType: Asset Repair,Failure Date,ວັນທີ່ລົ້ມເຫລວ
@@ -3397,16 +3434,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,ນຫັກລົບການຊໍາລະເງິນຫຼືການສູນເສຍ
 DocType: Soil Analysis,Soil Analysis Criterias,Criterias ການວິເຄາະດິນ
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,ເງື່ອນໄຂສັນຍາມາດຕະຖານສໍາລັບການຂາຍຫຼືຊື້.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,ທ່ານແນ່ໃຈວ່າທ່ານຕ້ອງການຍົກເລີກການນັດຫມາຍນີ້ບໍ?
+DocType: BOM Item,Item operation,ການເຮັດວຽກຂອງສິນຄ້າ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,ທ່ານແນ່ໃຈວ່າທ່ານຕ້ອງການຍົກເລີກການນັດຫມາຍນີ້ບໍ?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotel Room Pricing Package
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,ແຜນການຂາຍ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,ແຜນການຂາຍ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານເງິນເດືອນ Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ຄວາມຕ້ອງການໃນ
 DocType: Rename Tool,File to Rename,ເອກະສານການປ່ຽນຊື່
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},ກະລຸນາເລືອກ BOM ສໍາລັບລາຍການໃນແຖວ {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Fetch Subscription Updates
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ບັນຊີ {0} ບໍ່ກົງກັບກັບບໍລິສັດ {1} ໃນ Mode ຈາກບັນຊີ: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},ລະບຸ BOM {0} ບໍ່ມີສໍາລັບລາຍການ {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},ລະບຸ BOM {0} ບໍ່ມີສໍາລັບລາຍການ {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,ຫລັກສູດ:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ຕາຕະລາງການບໍາລຸງຮັກສາ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້
@@ -3415,7 +3453,7 @@
 DocType: Notification Control,Expense Claim Approved,ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍອະນຸມັດ
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ກໍານົດຄວາມກ້າວຫນ້າແລະຈັດສັນ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,ບໍ່ມີການສັ່ງຊື້ເຮັດວຽກ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບການໄລຍະເວລານີ້
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບການໄລຍະເວລານີ້
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ຢາ
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,ທ່ານພຽງແຕ່ສາມາດສົ່ງໃບຮັບເງິນຄືນສໍາລັບຈໍານວນການເຂົ້າພັກທີ່ຖືກຕ້ອງ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ຄ່າໃຊ້ຈ່າຍຂອງສິນຄ້າທີ່ຊື້
@@ -3423,7 +3461,8 @@
 DocType: Selling Settings,Sales Order Required,ຕ້ອງການຂາຍສິນຄ້າ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,ກາຍເປັນຜູ້ຂາຍ
 DocType: Purchase Invoice,Credit To,ການປ່ອຍສິນເຊື່ອເພື່ອ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Leads Active / ລູກຄ້າ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Leads Active / ລູກຄ້າ
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,ປ່ອຍໃຫ້ເປົ່າເພື່ອນໍາໃຊ້ຮູບແບບການສົ່ງມອບມາດຕະຖານ
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ຂໍ້ມູນຕາຕະລາງການບໍາລຸງຮັກສາ
 DocType: Supplier Scorecard,Warn for new Purchase Orders,ເຕືອນສໍາຫລັບໃບສັ່ງຊື້ໃຫມ່
@@ -3437,14 +3476,14 @@
 DocType: Support Search Source,Post Title Key,Post Title Key
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,ສໍາລັບບັດວຽກ
 DocType: Warranty Claim,Raised By,ຍົກຂຶ້ນມາໂດຍ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Prescriptions
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Prescriptions
 DocType: Payment Gateway Account,Payment Account,ບັນຊີຊໍາລະເງິນ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,ກະລຸນາລະບຸບໍລິສັດເພື່ອດໍາເນີນການ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,ກະລຸນາລະບຸບໍລິສັດເພື່ອດໍາເນີນການ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,ການປ່ຽນແປງສຸດທິໃນບັນຊີລູກຫນີ້
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,ການຊົດເຊີຍ Off
 DocType: Job Offer,Accepted,ຮັບການຍອມຮັບ
 DocType: POS Closing Voucher,Sales Invoices Summary,ໃບແຈ້ງຍອດຂາຍຍອດລວມ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,ກັບຊື່ຂອງພັກ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,ກັບຊື່ຂອງພັກ
 DocType: Grant Application,Organization,ອົງການຈັດຕັ້ງ
 DocType: Grant Application,Organization,ອົງການຈັດຕັ້ງ
 DocType: BOM Update Tool,BOM Update Tool,ເຄື່ອງມື Update BOM
@@ -3454,7 +3493,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ກະລຸນາເຮັດໃຫ້ແນ່ໃຈວ່າທ່ານຕ້ອງການທີ່ຈະລົບເຮັດທຸລະກໍາທັງຫມົດຂອງບໍລິສັດນີ້. ຂໍ້ມູນຕົ້ນສະບັບຂອງທ່ານຈະຍັງຄົງເປັນມັນເປັນ. ການດໍາເນີນການນີ້ບໍ່ສາມາດຍົກເລີກໄດ້.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,ຜົນການຄົ້ນຫາ
 DocType: Room,Room Number,ຈໍານວນຫ້ອງ
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},ກະສານອ້າງອີງທີ່ບໍ່ຖືກຕ້ອງ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},ກະສານອ້າງອີງທີ່ບໍ່ຖືກຕ້ອງ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ quanitity ການວາງແຜນ ({2}) ໃນການຜະລິດການສັ່ງຊື້ {3}
 DocType: Shipping Rule,Shipping Rule Label,Label Shipping ກົດລະບຽບ
 DocType: Journal Entry Account,Payroll Entry,Payroll Entry
@@ -3462,8 +3501,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,ເຮັດແບບແມ່ພິມພາສີ
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,ວັດຖຸດິບບໍ່ສາມາດມີຊ່ອງຫວ່າງ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,ແຖວ # {0} (ຕາຕະລາງການຈ່າຍເງິນ): ຈໍານວນເງິນຕ້ອງເປັນການລົບ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","ບໍ່ສາມາດປັບປຸງຫຼັກຊັບ, ໃບເກັບເງິນປະກອບດ້ວຍການຫຼຸດລົງລາຍການການຂົນສົ່ງ."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,ແຖວ # {0} (ຕາຕະລາງການຈ່າຍເງິນ): ຈໍານວນເງິນຕ້ອງເປັນການລົບ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","ບໍ່ສາມາດປັບປຸງຫຼັກຊັບ, ໃບເກັບເງິນປະກອບດ້ວຍການຫຼຸດລົງລາຍການການຂົນສົ່ງ."
 DocType: Contract,Fulfilment Status,ສະຖານະການປະຕິບັດ
 DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample
 DocType: Item Variant Settings,Allow Rename Attribute Value,ອະນຸຍາດໃຫ້ປ່ຽນຊື່ຄ່າຄຸນລັກສະນະ
@@ -3505,11 +3544,11 @@
 DocType: BOM,Show Operations,ສະແດງໃຫ້ເຫັນການປະຕິບັດ
 ,Minutes to First Response for Opportunity,ນາທີຄວາມຮັບຜິດຊອບຫນ້າທໍາອິດສໍາລັບໂອກາດ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,ທັງຫມົດຂາດ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,ລາຍການຫຼືໂກດັງຕິດຕໍ່ກັນ {0} ບໍ່ມີຄໍາວ່າວັດສະດຸຂໍ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,ລາຍການຫຼືໂກດັງຕິດຕໍ່ກັນ {0} ບໍ່ມີຄໍາວ່າວັດສະດຸຂໍ
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,ຫນ່ວຍບໍລິການຂອງມາດຕະການ
 DocType: Fiscal Year,Year End Date,ປີສິ້ນສຸດວັນທີ່
 DocType: Task Depends On,Task Depends On,ວຽກງານຂຶ້ນໃນ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,ໂອກາດ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,ໂອກາດ
 DocType: Operation,Default Workstation,Workstation ມາດຕະຖານ
 DocType: Notification Control,Expense Claim Approved Message,Message ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍອະນຸມັດ
 DocType: Payment Entry,Deductions or Loss,ຫັກຄ່າໃຊ້ຈ່າຍຫຼືການສູນເສຍ
@@ -3547,21 +3586,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,ການອະນຸມັດຜູ້ໃຊ້ບໍ່ສາມາດເຊັ່ນດຽວກັນກັບຜູ້ໃຊ້ລະບຽບການກ່ຽວຂ້ອງກັບ
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),ອັດຕາຂັ້ນພື້ນຖານ (ຕາມ Stock UOM)
 DocType: SMS Log,No of Requested SMS,ບໍ່ມີຂອງ SMS ຂໍ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,ອອກຈາກໂດຍບໍ່ມີການຈ່າຍບໍ່ມີຄໍາວ່າດ້ວຍການອະນຸມັດການບັນທຶກການອອກຈາກຄໍາຮ້ອງສະຫມັກ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,ອອກຈາກໂດຍບໍ່ມີການຈ່າຍບໍ່ມີຄໍາວ່າດ້ວຍການອະນຸມັດການບັນທຶກການອອກຈາກຄໍາຮ້ອງສະຫມັກ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ຂັ້ນຕອນຕໍ່ໄປ
 DocType: Travel Request,Domestic,ພາຍໃນປະເທດ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,ກະລຸນາສະຫນອງໃຫ້ແກ່ລາຍການທີ່ລະບຸໄວ້ໃນລາຄາທີ່ເປັນໄປໄດ້ທີ່ດີທີ່ສຸດ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,ກະລຸນາສະຫນອງໃຫ້ແກ່ລາຍການທີ່ລະບຸໄວ້ໃນລາຄາທີ່ເປັນໄປໄດ້ທີ່ດີທີ່ສຸດ
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,ບໍ່ສາມາດສົ່ງຄືນການໂອນເງິນພະນັກງານກ່ອນວັນທີໂອນ
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Make Invoice
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,ຍອດຄົງເຫລືອ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,ຍອດຄົງເຫລືອ
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto ໃກ້ໂອກາດພາຍໃນ 15 ວັນ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,ໃບສັ່ງຊື້ຍັງບໍ່ໄດ້ຮັບອະນຸຍາດສໍາລັບການ {0} ເນື່ອງຈາກການນຸ່ງປະຈໍາດັດນີຊີ້ວັດຂອງ {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,ລະຫັດບາໂຄດ {0} ບໍ່ແມ່ນລະຫັດ {1} ທີ່ຖືກຕ້ອງ
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,ລະຫັດບາໂຄດ {0} ບໍ່ແມ່ນລະຫັດ {1} ທີ່ຖືກຕ້ອງ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,ປີສຸດທ້າຍ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,quot /% Lead
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,quot /% Lead
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,ສຸດທ້າຍສັນຍາວັນຕ້ອງໄດ້ຫຼາຍກ່ວາວັນຂອງການເຂົ້າຮ່ວມ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,ສຸດທ້າຍສັນຍາວັນຕ້ອງໄດ້ຫຼາຍກ່ວາວັນຂອງການເຂົ້າຮ່ວມ
 DocType: Driver,Driver,Driver
 DocType: Vital Signs,Nutrition Values,Nutrition Values
 DocType: Lab Test Template,Is billable,ແມ່ນໃບລາຍຈ່າຍ
@@ -3572,7 +3611,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,ນີ້ແມ່ນເວັບໄຊທ໌ຕົວຢ່າງອັດຕະໂນມັດສ້າງຈາກ ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Range Ageing 1
 DocType: Shopify Settings,Enable Shopify,ເປີດໃຊ້ Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,ຈໍານວນເງິນລ່ວງຫນ້າທັງຫມົດບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນທີ່ຖືກຮຽກຮ້ອງທັງຫມົດ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,ຈໍານວນເງິນລ່ວງຫນ້າທັງຫມົດບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນທີ່ຖືກຮຽກຮ້ອງທັງຫມົດ
 DocType: Purchase Taxes and Charges Template,"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
@@ -3599,12 +3638,12 @@
 DocType: Employee Separation,Employee Separation,Employee Separation
 DocType: BOM Item,Original Item,Original Item
 DocType: Purchase Receipt Item,Recd Quantity,Recd ຈໍານວນ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Date
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},ຄ່າບໍລິການບັນທຶກຂຽນເມື່ອຫລາຍ - {0}
 DocType: Asset Category Account,Asset Category Account,ບັນຊີຊັບສິນປະເພດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,ແຖວ # {0} (ຕາລາງຈ່າຍ): ຈໍານວນເງິນຕ້ອງເປັນບວກ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,ແຖວ # {0} (ຕາລາງຈ່າຍ): ຈໍານວນເງິນຕ້ອງເປັນບວກ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},ບໍ່ສາມາດຜະລິດສິນຄ້າຫຼາຍ {0} ກ່ວາປະລິມານສັ່ງຂາຍ {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Select Values Attribute
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Select Values Attribute
 DocType: Purchase Invoice,Reason For Issuing document,ເຫດຜົນສໍາລັບການອອກເອກະສານ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Entry {0} ບໍ່ໄດ້ສົ່ງ
 DocType: Payment Reconciliation,Bank / Cash Account,ບັນຊີທະນາຄານ / ເງິນສົດ
@@ -3613,8 +3652,10 @@
 DocType: Asset,Manual,ຄູ່ມື
 DocType: Salary Component Account,Salary Component Account,ບັນຊີເງິນເດືອນ Component
 DocType: Global Defaults,Hide Currency Symbol,ຊ່ອນສະກຸນເງິນ Symbol
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ໂອກາດການຂາຍໂດຍແຫຼ່ງຂໍ້ມູນ
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,ຂໍ້ມູນຜູ້ໃຫ້ທຶນ.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ຕົວຢ່າງ: ທະນາຄານ, ເງິນສົດ, ບັດເຄຣດິດ"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ກະລຸນາຕິດຕັ້ງຈໍານວນຊຸດສໍາລັບການເຂົ້າຮ່ວມໂດຍຜ່ານ Setup&gt; ເລກລໍາດັບ
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ຕົວຢ່າງ: ທະນາຄານ, ເງິນສົດ, ບັດເຄຣດິດ"
 DocType: Job Applicant,Source Name,ແຫຼ່ງຊື່
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","ຄວາມດັນເລືອດປົກກະຕິຢູ່ໃນຜູ້ໃຫຍ່ແມ່ນປະມານ 120 mmHg systolic ແລະ 80 mmHg diastolic, ຫຍໍ້ວ່າ &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","ກໍານົດໄລຍະເວລາຂອງການເກັບຮັກສາໄວ້ໃນວັນ, ເພື່ອກໍານົດໄລຍະເວລາທີ່ອີງໃສ່ການຜະລິດ _date ບວກກັບຊີວິດຂອງຕົນເອງ"
@@ -3644,7 +3685,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},ສໍາລັບຈໍານວນຕ້ອງນ້ອຍກວ່າປະລິມານ {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ຕິດຕໍ່ກັນ {0}: ວັນທີ່ເລີ່ມຕ້ອງມີກ່ອນວັນທີ່ສິ້ນສຸດ
 DocType: Salary Component,Max Benefit Amount (Yearly),ອັດຕາດອກເບ້ຍສູງສຸດ (ປະຈໍາປີ)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Rate%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Rate%
 DocType: Crop,Planting Area,ການປູກພື້ນທີ່
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),ທັງຫມົດ (ຈໍານວນ)
 DocType: Installation Note Item,Installed Qty,ການຕິດຕັ້ງຈໍານວນ
@@ -3666,8 +3707,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,ອອກແຈ້ງການອະນຸມັດ
 DocType: Buying Settings,Default Buying Price List,ມາດຕະຖານບັນຊີການຊື້ລາຄາ
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip ເງິນເດືອນຈາກ Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,ອັດຕາການຊື້
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},ແຖວ {0}: ປ້ອນສະຖານທີ່ສໍາລັບລາຍການສິນຊັບ {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,ອັດຕາການຊື້
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},ແຖວ {0}: ປ້ອນສະຖານທີ່ສໍາລັບລາຍການສິນຊັບ {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-yYYY.-
 DocType: Company,About the Company,ກ່ຽວກັບບໍລິສັດ
 DocType: Notification Control,Sales Order Message,Message ຂາຍສິນຄ້າ
@@ -3734,10 +3775,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,ສໍາຫລັບແຖວ {0}: ກະລຸນາໃສ່ qty ວາງແຜນ
 DocType: Account,Income Account,ບັນຊີລາຍໄດ້
 DocType: Payment Request,Amount in customer's currency,ຈໍານວນເງິນໃນສະກຸນເງິນຂອງລູກຄ້າ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,ສົ່ງ
 DocType: Volunteer,Weekdays,ວັນອາທິດ
 DocType: Stock Reconciliation Item,Current Qty,ຈໍານວນໃນປັດຈຸບັນ
 DocType: Restaurant Menu,Restaurant Menu,ຮ້ານອາຫານເມນູ
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,ຕື່ມການສະຫນອງ
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Help Section
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,prev
@@ -3749,19 +3791,20 @@
 												fullfill Sales Order {2}",ບໍ່ສາມາດສົ່ງ Serial No {0} ຂອງລາຍະການ {1} ຍ້ອນວ່າມັນຖືກຈອງກັບ \ Full Order Sales Order {2}
 DocType: Item Reorder,Material Request Type,ອຸປະກອນການຮ້ອງຂໍປະເພດ
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,ສົ່ງອີເມວການທົບທວນການຊ່ວຍເຫຼືອ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: UOM ປັດໄຈການແປງເປັນການບັງຄັບ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: UOM ປັດໄຈການແປງເປັນການບັງຄັບ
 DocType: Employee Benefit Claim,Claim Date,ວັນທີການຮ້ອງຂໍ
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,ຄວາມອາດສາມາດຫ້ອງ
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},ບັນທຶກຢູ່ແລ້ວສໍາລັບລາຍການ {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,ທ່ານຈະສູນເສຍບັນທຶກບັນຊີຂອງໃບບິນສ້າງທີ່ຜ່ານມາ. ທ່ານແນ່ໃຈວ່າທ່ານຕ້ອງການເລີ່ມຕົ້ນການສະຫມັກນີ້ຄືນໃຫມ່ບໍ?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,ຄ່າທໍານຽມການລົງທະບຽນ
 DocType: Loyalty Program Collection,Loyalty Program Collection,Loyalty Program Collection
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted Item
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},ນັກຮຽນ {0} ບໍ່ໄດ້ເປັນກຸ່ມ {1}
 DocType: Budget,Cost Center,ສູນຕົ້ນທຶນ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,ການສັ່ງຊື້ຂໍ້ຄວາມ
 DocType: Tax Rule,Shipping Country,ການຂົນສົ່ງປະເທດ
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ເຊື່ອງ Id ພາສີຂອງລູກຄ້າຈາກທຸລະກໍາການຂາຍ
@@ -3780,23 +3823,22 @@
 DocType: Subscription,Cancel At End Of Period,ຍົກເລີກໃນເວລາສິ້ນສຸດໄລຍະເວລາ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,ຊັບສິນທີ່ໄດ້ເພີ່ມແລ້ວ
 DocType: Item Supplier,Item Supplier,ຜູ້ຜະລິດລາຍການ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,ກະລຸນາໃສ່ລະຫັດສິນຄ້າເພື່ອໃຫ້ໄດ້ຮັບ batch ທີ່ບໍ່ມີ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},ກະລຸນາເລືອກຄ່າ {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,ກະລຸນາໃສ່ລະຫັດສິນຄ້າເພື່ອໃຫ້ໄດ້ຮັບ batch ທີ່ບໍ່ມີ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},ກະລຸນາເລືອກຄ່າ {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,ບໍ່ມີລາຍການທີ່ເລືອກສໍາລັບການໂອນ
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ທີ່ຢູ່ທັງຫມົດ.
 DocType: Company,Stock Settings,ການຕັ້ງຄ່າ Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","ການລວມເປັນໄປໄດ້ພຽງແຕ່ຖ້າຫາກວ່າມີຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ແມ່ນອັນດຽວກັນໃນການບັນທຶກການທັງສອງ. ເປັນກຸ່ມ, ປະເພດຮາກ, ບໍລິສັດ"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","ການລວມເປັນໄປໄດ້ພຽງແຕ່ຖ້າຫາກວ່າມີຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ແມ່ນອັນດຽວກັນໃນການບັນທຶກການທັງສອງ. ເປັນກຸ່ມ, ປະເພດຮາກ, ບໍລິສັດ"
 DocType: Vehicle,Electric,ລະບົບໄຟຟ້າ
 DocType: Task,% Progress,% ຄວາມຄືບຫນ້າ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,ກໍາໄລ / ຂາດທຶນຈາກການທໍາລາຍຊັບສິນ
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",ພຽງແຕ່ຜູ້ສະຫມັກນັກສຶກສາທີ່ມີສະຖານະ &quot;ອະນຸມັດ&quot; ຈະຖືກເລືອກໃນຕາຕະລາງຂ້າງລຸ່ມນີ້.
 DocType: Tax Withholding Category,Rates,ລາຄາ
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ເລກບັນຊີສໍາລັບບັນຊີ {0} ບໍ່ມີ. <br> ກະລຸນາຕິດຕັ້ງຕາຕະລາງບັນຊີຂອງທ່ານຢ່າງຖືກຕ້ອງ.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ເລກບັນຊີສໍາລັບບັນຊີ {0} ບໍ່ມີ. <br> ກະລຸນາຕິດຕັ້ງຕາຕະລາງບັນຊີຂອງທ່ານຢ່າງຖືກຕ້ອງ.
 DocType: Task,Depends on Tasks,ຂຶ້ນຢູ່ກັບວຽກ
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ການຄຸ້ມຄອງການເປັນໄມ້ຢືນຕົ້ນກຸ່ມລູກຄ້າ.
 DocType: Normal Test Items,Result Value,ມູນຄ່າຜົນໄດ້ຮັບ
 DocType: Hotel Room,Hotels,ໂຮງແຮມ
-DocType: Delivery Note,Transporter Date,Transporter Date
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,ໃຫມ່ສູນຕົ້ນທຶນຊື່
 DocType: Leave Control Panel,Leave Control Panel,ອອກຈາກກະດານຄວບຄຸມ
 DocType: Project,Task Completion,ວຽກງານສໍາເລັດ
@@ -3843,11 +3885,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,ທັງຫມົດກຸ່ມການປະເມີນຜົນ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,ຊື່ Warehouse ໃຫມ່
 DocType: Shopify Settings,App Type,App Type
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),ທັງຫມົດ {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),ທັງຫມົດ {0} ({1})
 DocType: C-Form Invoice Detail,Territory,ອານາເຂດຂອງ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,ກະລຸນາທີ່ບໍ່ມີການໄປຢ້ຽມຢາມທີ່ຕ້ອງການ
 DocType: Stock Settings,Default Valuation Method,ວິທີການປະເມີນມູນຄ່າໃນຕອນຕົ້ນ
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ຄ່າບໍລິການ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,ສະແດງຈໍານວນສະສົມ
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,ປັບປຸງໃນຄວາມຄືບຫນ້າ. ມັນອາດຈະໃຊ້ເວລາໃນຂະນະທີ່.
 DocType: Production Plan Item,Produced Qty,ຜະລິດ Qty
 DocType: Vehicle Log,Fuel Qty,ນໍ້າມັນເຊື້ອໄຟຈໍານວນ
@@ -3855,7 +3898,7 @@
 DocType: Work Order Operation,Planned Start Time,ເວລາການວາງແຜນ
 DocType: Course,Assessment,ການປະເມີນຜົນ
 DocType: Payment Entry Reference,Allocated,ການຈັດສັນ
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,ງົບດຸນໃກ້ຊິດແລະກໍາໄຮຫນັງສືຫລືການສູນເສຍ.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,ງົບດຸນໃກ້ຊິດແລະກໍາໄຮຫນັງສືຫລືການສູນເສຍ.
 DocType: Student Applicant,Application Status,ຄໍາຮ້ອງສະຫມັກສະຖານະ
 DocType: Additional Salary,Salary Component Type,Salary Component Type
 DocType: Sensitivity Test Items,Sensitivity Test Items,Sensitivity Test Items
@@ -3866,10 +3909,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາທັງຫມົດ
 DocType: Sales Partner,Targets,ຄາດຫມາຍຕົ້ນຕໍ
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,ກະລຸນາລົງທະບຽນຫມາຍເລກ SIREN ໃນແຟ້ມຂໍ້ມູນຂອງບໍລິສັດ
+DocType: Email Digest,Sales Orders to Bill,ໃບສັ່ງຊື້ຂາຍໃບບິນ
 DocType: Price List,Price List Master,ລາຄາຕົ້ນສະບັບ
 DocType: GST Account,CESS Account,CESS Account
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ທັງຫມົດຂອງທຸລະກໍາສາມາດຕິດແທຕໍ່ຫລາຍຄົນຂາຍ ** ** ດັ່ງນັ້ນທ່ານສາມາດກໍານົດແລະຕິດຕາມກວດກາເປົ້າຫມາຍ.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,ການເຊື່ອມຕໍ່ຫາຄໍາຮ້ອງຂໍວັດຖຸ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,ການເຊື່ອມຕໍ່ຫາຄໍາຮ້ອງຂໍວັດຖຸ
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forum Activity
 ,S.O. No.,ດັ່ງນັ້ນສະບັບເລກທີ
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item
@@ -3884,7 +3928,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,ນີ້ເປັນກຸ່ມລູກຄ້າຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,ການປະຕິບັດຖ້າຫາກວ່າງົບປະມານລາຍເດືອນຂ້ອນຂ້າງເກີນກວ່າທີ່ສຸດ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,ໄປສະຖານທີ່
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,ໄປສະຖານທີ່
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ການຕີລາຄາອັດຕາແລກປ່ຽນ
 DocType: POS Profile,Ignore Pricing Rule,ບໍ່ສົນໃຈກົດລະບຽບການຕັ້ງລາຄາ
 DocType: Employee Education,Graduate,ຈົບການສຶກສາ
@@ -3921,6 +3965,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,ກະລຸນາຕັ້ງຄ່າລູກຄ້າເລີ່ມຕົ້ນໃນການຕັ້ງຮ້ານອາຫານ
 ,Salary Register,ເງິນເດືອນຫມັກສະມາຊິກ
 DocType: Warehouse,Parent Warehouse,Warehouse ພໍ່ແມ່
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,ຕາຕະລາງ
 DocType: Subscription,Net Total,Total net
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Default BOM ບໍ່ພົບລາຍການ {0} ແລະໂຄງການ {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,ກໍານົດປະເພດການກູ້ຢືມເງິນຕ່າງໆ
@@ -3953,24 +3998,26 @@
 DocType: Membership,Membership Status,ສະຖານະສະມາຊິກ
 DocType: Travel Itinerary,Lodging Required,Lodging Required
 ,Requested,ການຮ້ອງຂໍ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,ບໍ່ມີຂໍ້ສັງເກດ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,ບໍ່ມີຂໍ້ສັງເກດ
 DocType: Asset,In Maintenance,ໃນການບໍາລຸງຮັກສາ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ກົດປຸ່ມນີ້ເພື່ອດຶງຂໍ້ມູນສັ່ງຊື້ຂາຍຂອງທ່ານຈາກ Amazon MWS.
 DocType: Vital Signs,Abdomen,ທ້ອງ
 DocType: Purchase Invoice,Overdue,ຄ້າງຊໍາລະ
 DocType: Account,Stock Received But Not Billed,Stock ໄດ້ຮັບແຕ່ບໍ່ບິນ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,ບັນຊີຮາກຕ້ອງກຸ່ມ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,ບັນຊີຮາກຕ້ອງກຸ່ມ
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Loan,Repaid/Closed,ຊໍາລະຄືນ / ປິດ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,ທັງຫມົດໂຄງການຈໍານວນ
 DocType: Monthly Distribution,Distribution Name,ຊື່ການແຜ່ກະຈາຍ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,ລວມ UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ອັດຕາການປະເມີນບໍ່ພົບສໍາລັບລາຍການ {0}, ທີ່ຕ້ອງການເຮັດບັນຊີການບັນຊີສໍາລັບ {1} {2}. ຖ້າລາຍການກໍາລັງດໍາເນີນການເປັນລາຍະການອັດຕາການປະເມີນຄ່າຢູ່ໃນ {1}, ກະລຸນາບອກວ່າຢູ່ໃນຕາຕະລາງ {1} ຕາຕະລາງ. ຖ້າບໍ່ດັ່ງນັ້ນ, ກະລຸນາສ້າງການຊື້ຂາຍຮຸ້ນສໍາລັບລາຍະການຫຼືບອກອັດຕາການປະເມີນໃນບັນທຶກລາຍການ, ແລະຫຼັງຈາກນັ້ນໃຫ້ສົ່ງ / ຍົກເລີກການເຂົ້ານີ້"
 DocType: Course,Course Code,ລະຫັດຂອງລາຍວິຊາ
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},ກວດສອບຄຸນນະພາບທີ່ຕ້ອງການສໍາລັບລາຍການ {0}
 DocType: Location,Parent Location,ຕໍາແຫນ່ງພໍ່ແມ່
 DocType: POS Settings,Use POS in Offline Mode,ໃຊ້ POS ໃນໂຫມດ Offline
 DocType: Supplier Scorecard,Supplier Variables,ຕົວແປ Supplier
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} ແມ່ນບັງຄັບ. ບັນທຶກການແລກປ່ຽນເງິນຕາອາດຈະບໍ່ຖືກສ້າງຂື້ນສໍາລັບ {1} ກັບ {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ອັດຕາການທີ່ລູກຄ້າຂອງສະກຸນເງິນຈະປ່ຽນເປັນສະກຸນເງິນຂອງບໍລິສັດ
 DocType: Purchase Invoice Item,Net Rate (Company Currency),ອັດຕາສຸດທິ (ບໍລິສັດສະກຸນເງິນ)
 DocType: Salary Detail,Condition and Formula Help,ສະພາບແລະສູດ Help
@@ -3979,19 +4026,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,ໃບເກັບເງິນການຂາຍ
 DocType: Journal Entry Account,Party Balance,ດຸນພັກ
 DocType: Cash Flow Mapper,Section Subtotal,Subtotal Section
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,ກະລຸນາເລືອກສະຫມັກຕໍາ Discount On
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,ກະລຸນາເລືອກສະຫມັກຕໍາ Discount On
 DocType: Stock Settings,Sample Retention Warehouse,Sample Retention Warehouse
 DocType: Company,Default Receivable Account,ມາດຕະຖານ Account Receivable
 DocType: Purchase Invoice,Deemed Export,Deemed ສົ່ງອອກ
 DocType: Stock Entry,Material Transfer for Manufacture,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ເປີເຊັນສ່ວນລົດສາມາດນໍາໃຊ້ບໍ່ວ່າຈະຕໍ່ລາຄາຫຼືສໍາລັບລາຄາທັງຫມົດ.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Entry ບັນຊີສໍາລັບ Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Entry ບັນຊີສໍາລັບ Stock
 DocType: Lab Test,LabTest Approver,ຜູ້ຮັບຮອງ LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ທ່ານໄດ້ປະເມີນແລ້ວສໍາລັບມາດຕະຖານການປະເມີນຜົນ {}.
 DocType: Vehicle Service,Engine Oil,ນ້ໍາມັນເຄື່ອງຈັກ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},ຄໍາສັ່ງເຮັດວຽກກໍ່ສ້າງ: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},ຄໍາສັ່ງເຮັດວຽກກໍ່ສ້າງ: {0}
 DocType: Sales Invoice,Sales Team1,Team1 ຂາຍ
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,ລາຍການ {0} ບໍ່ມີ
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,ລາຍການ {0} ບໍ່ມີ
 DocType: Sales Invoice,Customer Address,ທີ່ຢູ່ຂອງລູກຄ້າ
 DocType: Loan,Loan Details,ລາຍລະອຽດການກູ້ຢືມເງິນ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,ບໍ່ສາມາດຈັດຕັ້ງການຕິດຕັ້ງຂອງບໍລິສັດ post
@@ -4012,34 +4059,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ນີ້ຢູ່ສົ້ນເທິງຂອງຫນ້າ
 DocType: BOM,Item UOM,ລາຍການ UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ຈໍານວນເງິນພາສີຫຼັງຈາກຈໍານວນສ່ວນລົດ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},ຄັງສິນຄ້າເປົ້າຫມາຍມີຜົນບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},ຄັງສິນຄ້າເປົ້າຫມາຍມີຜົນບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
 DocType: Cheque Print Template,Primary Settings,ການຕັ້ງຄ່າປະຖົມ
 DocType: Attendance Request,Work From Home,ເຮັດວຽກຈາກບ້ານ
 DocType: Purchase Invoice,Select Supplier Address,ເລືອກທີ່ຢູ່ຜູ້ຜະລິດ
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,ຕື່ມການພະນັກງານ
 DocType: Purchase Invoice Item,Quality Inspection,ກວດສອບຄຸນະພາບ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,ພິເສດຂະຫນາດນ້ອຍ
 DocType: Company,Standard Template,ແມ່ແບບມາດຕະຖານ
 DocType: Training Event,Theory,ທິດສະດີ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,ການເຕືອນໄພ: ວັດສະດຸຂໍຈໍານວນແມ່ນຫນ້ອຍກ່ວາສັ່ງຊື້ຂັ້ນຕ່ໍາຈໍານວນ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,ການເຕືອນໄພ: ວັດສະດຸຂໍຈໍານວນແມ່ນຫນ້ອຍກ່ວາສັ່ງຊື້ຂັ້ນຕ່ໍາຈໍານວນ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,ບັນຊີ {0} ແມ່ນ frozen
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ນິຕິບຸກຄົນ / ບໍລິສັດຍ່ອຍທີ່ມີໃນຕາຕະລາງທີ່ແຍກຕ່າງຫາກຂອງບັນຊີເປັນອົງການຈັດຕັ້ງ.
 DocType: Payment Request,Mute Email,mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","ສະບຽງອາຫານ, ເຄື່ອງດື່ມແລະຢາສູບ"
 DocType: Account,Account Number,ເລກບັນຊີ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},ພຽງແຕ່ສາມາດເຮັດໃຫ້ຊໍາລະເງິນກັບຍັງບໍ່ເອີ້ນເກັບ {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,ອັດຕາການຄະນະກໍາມະບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},ພຽງແຕ່ສາມາດເຮັດໃຫ້ຊໍາລະເງິນກັບຍັງບໍ່ເອີ້ນເກັບ {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,ອັດຕາການຄະນະກໍາມະບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),ຈັດສັນລ່ວງຫນ້າໂດຍອັດຕະໂນມັດ (FIFO)
 DocType: Volunteer,Volunteer,ອາສາສະຫມັກ
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,ກະລຸນາໃສ່ {0} ທໍາອິດ
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,ບໍ່ມີການຕອບຈາກ
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,ບໍ່ມີການຕອບຈາກ
 DocType: Work Order Operation,Actual End Time,ທີ່ແທ້ຈິງທີ່ໃຊ້ເວລາສຸດທ້າຍ
 DocType: Item,Manufacturer Part Number,ຜູ້ຜະລິດຈໍານວນສ່ວນ
 DocType: Taxable Salary Slab,Taxable Salary Slab,Taxable Salary Slab
 DocType: Work Order Operation,Estimated Time and Cost,ການຄາດຄະເນເວລາແລະຄ່າໃຊ້ຈ່າຍ
 DocType: Bin,Bin,bin
 DocType: Crop,Crop Name,ຊື່ພືດ
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,ຜູ້ໃຊ້ທີ່ມີ {0} ສາມາດລົງທະບຽນໃນ Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,ຜູ້ໃຊ້ທີ່ມີ {0} ສາມາດລົງທະບຽນໃນ Marketplace
 DocType: SMS Log,No of Sent SMS,ບໍ່ມີຂອງ SMS ສົ່ງ
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,ການນັດຫມາຍແລະການແຂ່ງຂັນ
@@ -4068,7 +4116,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,ປ່ຽນລະຫັດ
 DocType: Purchase Invoice Item,Valuation Rate,ອັດຕາປະເມີນມູນຄ່າ
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,ລາຄາສະກຸນເງິນບໍ່ໄດ້ເລືອກ
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,ລາຄາສະກຸນເງິນບໍ່ໄດ້ເລືອກ
 DocType: Purchase Invoice,Availed ITC Cess,ໄດ້ຮັບສິນຄ້າ ITC Cess
 ,Student Monthly Attendance Sheet,ນັກສຶກສາ Sheet ເຂົ້າຮ່ວມລາຍເດືອນ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,ກົດລະບຽບການສົ່ງສິນຄ້າໃຊ້ໄດ້ສໍາລັບການຂາຍ
@@ -4085,7 +4133,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ການຄຸ້ມຄອງ Partners ຂາຍ.
 DocType: Quality Inspection,Inspection Type,ປະເພດການກວດກາ
 DocType: Fee Validity,Visited yet,ຢ້ຽມຊົມແລ້ວ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ.
 DocType: Assessment Result Tool,Result HTML,ຜົນ HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,ບໍລິສັດແລະບໍລິສັດຄວນຈະໄດ້ຮັບການປັບປຸງໂດຍວິທີການຂາຍໄລຍະເວລາເທົ່າໃດ.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ທີ່ຫມົດອາຍຸ
@@ -4093,7 +4141,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},ກະລຸນາເລືອກ {0}
 DocType: C-Form,C-Form No,C ແບບຟອມ No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,ໄລຍະທາງ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,ໄລຍະທາງ
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,ລາຍຊື່ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານທີ່ທ່ານຈະຊື້ຫຼືຂາຍ.
 DocType: Water Analysis,Storage Temperature,Storage Temperature
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD -YYYY.-
@@ -4109,19 +4157,19 @@
 DocType: Shopify Settings,Delivery Note Series,ບັນຊີຫມາຍເຫດສົ່ງ
 DocType: Purchase Order Item,Returned Qty,ກັບຈໍານວນ
 DocType: Student,Exit,ການທ່ອງທ່ຽວ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,ປະເພດຮາກເປັນຕົ້ນເປັນການບັງຄັບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,ປະເພດຮາກເປັນຕົ້ນເປັນການບັງຄັບ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,ບໍ່ສາມາດຕິດຕັ້ງ presets ໄດ້
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,ການປ່ຽນແປງ UOM ໃນຊົ່ວໂມງ
 DocType: Contract,Signee Details,Signee Details
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} ປະຈຸບັນມີ {1} ຈໍາ Supplier Scorecard ແລະ RFQs ເພື່ອສະຫນອງນີ້ຄວນໄດ້ຮັບການອອກກັບລະມັດລະວັງ.
 DocType: Certified Consultant,Non Profit Manager,Nonprofit Manager
 DocType: BOM,Total Cost(Company Currency),ຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial No {0} ສ້າງ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial No {0} ສ້າງ
 DocType: Homepage,Company Description for website homepage,ລາຍລະອຽດເກມບໍລິສັດສໍາລັບການຫນ້າທໍາອິດເວັບໄຊທ໌
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ເພື່ອຄວາມສະດວກຂອງລູກຄ້າ, ລະຫັດເຫຼົ່ານີ້ສາມາດຖືກນໍາໃຊ້ໃນຮູບແບບການພິມເຊັ່ນ: ໃບແຈ້ງຫນີ້ແລະການສົ່ງເງິນ"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,ຊື່ Suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,ບໍ່ສາມາດດຶງຂໍ້ມູນສໍາລັບ {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Opening Entry Journal
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Opening Entry Journal
 DocType: Contract,Fulfilment Terms,ເງື່ອນໄຂການປະຕິບັດ
 DocType: Sales Invoice,Time Sheet List,ທີ່ໃຊ້ເວລາຊີ Sheet
 DocType: Employee,You can enter any date manually,ທ່ານສາມາດເຂົ້າວັນທີ່ໃດ ໆ ດ້ວຍຕົນເອງ
@@ -4157,7 +4205,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,ອົງການຈັດຕັ້ງຂອງທ່ານ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","ການລວບລວມການອອກໃບຢັ້ງຢືນສໍາລັບພະນັກງານດັ່ງຕໍ່ໄປນີ້, ຍ້ອນການອອກໃບຢັ້ງຢືນການຈັດສັນແລ້ວມີຢູ່ຕໍ່ພວກເຂົາ. {0}"
 DocType: Fee Component,Fees Category,ຄ່າທໍານຽມປະເພດ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,ກະລຸນາໃສ່ການເຈັບວັນທີ.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,ກະລຸນາໃສ່ການເຈັບວັນທີ.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","ລາຍລະອຽດຂອງຜູ້ສະຫນັບສະຫນູນ (ຊື່, ສະຖານທີ່)"
 DocType: Supplier Scorecard,Notify Employee,ແຈ້ງພະນັກງານ
@@ -4170,9 +4218,9 @@
 DocType: Company,Chart Of Accounts Template,ຕາຕະລາງຂອງບັນຊີແມ່ແບບ
 DocType: Attendance,Attendance Date,ວັນທີ່ສະຫມັກຜູ້ເຂົ້າຮ່ວມ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},ການປັບປຸງຫຼັກຊັບຕ້ອງໄດ້ຮັບການເປີດໃຊ້ສໍາລັບການຊື້ໃບແຈ້ງຫນີ້ {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},ລາຍການລາຄາການປັບປຸງສໍາລັບ {0} ໃນລາຄາ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},ລາຍການລາຄາການປັບປຸງສໍາລັບ {0} ໃນລາຄາ {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ກະຈັດກະຈາຍເງິນເດືອນໂດຍອີງໃສ່ລາຍໄດ້ແລະການຫັກ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
 DocType: Purchase Invoice Item,Accepted Warehouse,Warehouse ຮັບການຍອມຮັບ
 DocType: Bank Reconciliation Detail,Posting Date,ວັນທີ່ປະກາດ
 DocType: Item,Valuation Method,ວິທີການປະເມີນມູນຄ່າ
@@ -4209,6 +4257,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,ກະລຸນາເລືອກ batch ເປັນ
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,ຄໍາຮ້ອງຂໍການເດີນທາງແລະຄ່າໃຊ້ຈ່າຍ
 DocType: Sales Invoice,Redemption Cost Center,ສູນການສູນເສຍຄ່າໄຖ່
+DocType: QuickBooks Migrator,Scope,ຂອບເຂດ
 DocType: Assessment Group,Assessment Group Name,ຊື່ການປະເມີນຜົນ Group
 DocType: Manufacturing Settings,Material Transferred for Manufacture,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Add to Details
@@ -4216,6 +4265,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Last Sync Datetime
 DocType: Landed Cost Item,Receipt Document Type,ຮັບປະເພດເອກະສານ
 DocType: Daily Work Summary Settings,Select Companies,ເລືອກບໍລິສັດ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Proposal / Quote Quote
 DocType: Antibiotic,Healthcare,ຮັກສາສຸຂະພາບ
 DocType: Target Detail,Target Detail,ຄາດຫມາຍລະອຽດ
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Single Variant
@@ -4225,6 +4275,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Entry ໄລຍະເວລາປິດ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,ເລືອກຫ້ອງ ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,ສູນຕົ້ນທຶນກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ
+DocType: QuickBooks Migrator,Authorization URL,URL ການອະນຸຍາດ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},ຈໍານວນ {0} {1} {2} {3}
 DocType: Account,Depreciation,ຄ່າເສື່ອມລາຄາ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,ຈໍານວນຮຸ້ນແລະຈໍານວນຮຸ້ນແມ່ນບໍ່ສອດຄ່ອງກັນ
@@ -4247,13 +4298,14 @@
 DocType: Support Search Source,Source DocType,Source DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,ເປີດຕົ໋ວໃຫມ່
 DocType: Training Event,Trainer Email,ຄູຝຶກ Email
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,ການຮ້ອງຂໍອຸປະກອນການ {0} ສ້າງ
 DocType: Restaurant Reservation,No of People,No of People
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ຮູບແບບຂອງຂໍ້ກໍານົດຫຼືການເຮັດສັນຍາ.
 DocType: Bank Account,Address and Contact,ທີ່ຢູ່ແລະຕິດຕໍ່
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,ແມ່ນບັນຊີຫນີ້
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ຮັບຊື້ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ຮັບຊື້ {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto ໃກ້ Issue ພາຍໃນ 7 ມື້
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ອອກຈາກບໍ່ສາມາດໄດ້ຮັບການຈັດສັນກ່ອນ {0}, ເປັນການດຸ່ນດ່ຽງອອກໄດ້ແລ້ວປະຕິບັດ, ສົ່ງໃນການບັນທຶກການຈັດສັນອອກໃນອະນາຄົດ {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ຫມາຍເຫດ: ເນື່ອງຈາກ / ວັນທີ່ເອກະສານຫຼາຍກວ່າວັນການປ່ອຍສິນເຊື່ອຂອງລູກຄ້າອະນຸຍາດໃຫ້ໂດຍ {0} ວັນ (s)
@@ -4271,7 +4323,7 @@
 ,Qty to Deliver,ຈໍານວນການສົ່ງ
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon ຈະ sync ຂໍ້ມູນທີ່ປັບປຸງພາຍຫຼັງວັນທີນີ້
 ,Stock Analytics,ການວິເຄາະຫຼັກຊັບ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ການດໍາເນີນງານບໍ່ສາມາດໄດ້ຮັບການປະໄວ້ເປົ່າ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ການດໍາເນີນງານບໍ່ສາມາດໄດ້ຮັບການປະໄວ້ເປົ່າ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,ທົດລອງທົດລອງ (s)
 DocType: Maintenance Visit Purpose,Against Document Detail No,ຕໍ່ຂໍ້ມູນເອກະສານທີ່ບໍ່ມີ
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},ການຍົກເລີກບໍ່ໄດ້ຮັບອະນຸຍາດສໍາລັບປະເທດ {0}
@@ -4279,13 +4331,12 @@
 DocType: Quality Inspection,Outgoing,ລາຍຈ່າຍ
 DocType: Material Request,Requested For,ຕ້ອງການສໍາລັບ
 DocType: Quotation Item,Against Doctype,ຕໍ່ DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ຈະຖືກຍົກເລີກຫລືປິດ
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ຈະຖືກຍົກເລີກຫລືປິດ
 DocType: Asset,Calculate Depreciation,ຄິດໄລ່ຄ່າເສື່ອມລາຄາ
 DocType: Delivery Note,Track this Delivery Note against any Project,ຕິດຕາມນີ້ການຈັດສົ່ງຕໍ່ໂຄງການໃດ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,ເງິນສົດສຸດທິຈາກການລົງທຶນ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ລູກຄ້າ&gt; ກຸ່ມລູກຄ້າ&gt; ອານາເຂດ
 DocType: Work Order,Work-in-Progress Warehouse,ການເຮັດວຽກໃນຄວາມຄືບຫນ້າ Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
 DocType: Fee Schedule Program,Total Students,ນັກຮຽນລວມ
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ຜູ້ເຂົ້າຮ່ວມບັນທຶກ {0} ມີຢູ່ກັບນັກສຶກສາ {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},ກະສານອ້າງອີງ # {0} ວັນ {1}
@@ -4305,7 +4356,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,ບໍ່ສາມາດສ້າງເງິນຊົດເຊີຍ Retention ສໍາລັບພະນັກງານຊ້າຍ
 DocType: Lead,Market Segment,ສ່ວນຕະຫຼາດ
 DocType: Agriculture Analysis Criteria,Agriculture Manager,ຜູ້ຈັດການກະເສດ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},ການຊໍາລະເງິນຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດປະລິມານທີ່ຍັງຄ້າງຄາໃນທາງລົບ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},ການຊໍາລະເງິນຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດປະລິມານທີ່ຍັງຄ້າງຄາໃນທາງລົບ {0}
 DocType: Supplier Scorecard Period,Variables,ຕົວແປ
 DocType: Employee Internal Work History,Employee Internal Work History,ພະນັກງານປະຫວັດການເຮັດພາຍໃນປະເທດ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),ປິດ (Dr)
@@ -4330,22 +4381,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Products
 DocType: Loyalty Point Entry,Loyalty Program,ໂຄງການຄວາມພັກດີ
 DocType: Student Guardian,Father,ພຣະບິດາ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,ສະຫນັບສະຫນູນປີ້
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;ປັບປຸງ Stock&#39; ບໍ່ສາມາດໄດ້ຮັບການກວດສອບສໍາລັບການຂາຍຊັບສົມບັດຄົງ
 DocType: Bank Reconciliation,Bank Reconciliation,ທະນາຄານສ້າງຄວາມປອງດອງ
 DocType: Attendance,On Leave,ໃບ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ໄດ້ຮັບການປັບປຸງ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,ເລືອກຢ່າງຫນ້ອຍຫນຶ່ງມູນຄ່າຈາກແຕ່ລະຄຸນສົມບັດ.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,ເລືອກຢ່າງຫນ້ອຍຫນຶ່ງມູນຄ່າຈາກແຕ່ລະຄຸນສົມບັດ.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,ຂໍອຸປະກອນການ {0} ຈະຖືກຍົກເລີກຫຼືຢຸດເຊົາການ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,ລັດສົ່ງອອກ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,ລັດສົ່ງອອກ
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,ອອກຈາກການຄຸ້ມຄອງ
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,ກຸ່ມ
 DocType: Purchase Invoice,Hold Invoice,ຖືໃບເກັບເງິນ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,ກະລຸນາເລືອກພະນັກງານ
 DocType: Sales Order,Fully Delivered,ສົ່ງຢ່າງເຕັມທີ່
-DocType: Lead,Lower Income,ລາຍໄດ້ຕ່ໍາ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,ລາຍໄດ້ຕ່ໍາ
 DocType: Restaurant Order Entry,Current Order,Order Order ປັດຈຸບັນ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,ຈໍານວນ serial Nos ແລະປະລິມານຕ້ອງຄືກັນ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},ແຫຼ່ງຂໍ້ມູນແລະຄັງສິນຄ້າເປົ້າຫມາຍບໍ່ສາມາດຈະດຽວກັນສໍາລັບການຕິດຕໍ່ກັນ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},ແຫຼ່ງຂໍ້ມູນແລະຄັງສິນຄ້າເປົ້າຫມາຍບໍ່ສາມາດຈະດຽວກັນສໍາລັບການຕິດຕໍ່ກັນ {0}
 DocType: Account,Asset Received But Not Billed,ຊັບສິນໄດ້ຮັບແຕ່ບໍ່ຖືກເອີ້ນເກັບເງິນ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ບັນຊີທີ່ແຕກຕ່າງກັນຈະຕ້ອງບັນຊີປະເພດຊັບສິນ / ຫນີ້ສິນ, ນັບຕັ້ງແຕ່ນີ້ Stock Reconciliation ເປັນ Entry ເປີດ"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},ຈ່າຍຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເງິນກູ້ຈໍານວນ {0}
@@ -4354,7 +4407,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},ຊື້ຈໍານວນຄໍາສັ່ງທີ່ຕ້ອງການສໍາລັບລາຍການ {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;ຈາກວັນທີ່ສະຫມັກ&#39; ຈະຕ້ອງຫລັງຈາກທີ່ໄປວັນ &#39;
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,ບໍ່ມີບັນດາແຜນການປັບປຸງງານສໍາລັບການອອກແບບນີ້
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,ລະຫັດ {0} ຂອງລາຍການ {1} ຖືກປິດໃຊ້ງານ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,ລະຫັດ {0} ຂອງລາຍການ {1} ຖືກປິດໃຊ້ງານ.
 DocType: Leave Policy Detail,Annual Allocation,ການຈັດສັນປະຈໍາປີ
 DocType: Travel Request,Address of Organizer,ທີ່ຢູ່ຂອງອົງການຈັດຕັ້ງ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,ເລືອກແພດປະຕິບັດ ...
@@ -4363,12 +4416,12 @@
 DocType: Asset,Fully Depreciated,ຄ່າເສື່ອມລາຄາຢ່າງເຕັມສ່ວນ
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stock ປະມານການຈໍານວນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},ລູກຄ້າ {0} ບໍ່ໄດ້ຂຶ້ນກັບໂຄງການ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},ລູກຄ້າ {0} ບໍ່ໄດ້ຂຶ້ນກັບໂຄງການ {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,ເຄື່ອງຫມາຍຜູ້ເຂົ້າຮ່ວມ HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","ການຊື້ຂາຍແມ່ນການສະເຫນີ, ສະເຫນີລາຄາທີ່ທ່ານໄດ້ຖືກສົ່ງໄປໃຫ້ກັບລູກຄ້າຂອງທ່ານ"
 DocType: Sales Invoice,Customer's Purchase Order,ການສັ່ງຊື້ຂອງລູກຄ້າ
 DocType: Clinical Procedure,Patient,ຄົນເຈັບ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,ກວດສອບການຢັ້ງຢືນຢັ້ງຢືນຢູ່ທີ່ Sales Order
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,ກວດສອບການຢັ້ງຢືນຢັ້ງຢືນຢູ່ທີ່ Sales Order
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Employee Onboarding Activity
 DocType: Location,Check if it is a hydroponic unit,ກວດເບິ່ງວ່າມັນເປັນຫນ່ວຍບໍລິການ hydroponic
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ບໍ່ມີ Serial ແລະ Batch
@@ -4378,7 +4431,7 @@
 DocType: Supplier Scorecard Period,Calculations,ການຄິດໄລ່
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,ມູນຄ່າຫຼືຈໍານວນ
 DocType: Payment Terms Template,Payment Terms,ເງື່ອນໄຂການຊໍາລະເງິນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາສໍາລັບການ:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາສໍາລັບການ:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,ນາທີ
 DocType: Purchase Invoice,Purchase Taxes and Charges,ຊື້ພາສີອາກອນແລະຄ່າບໍລິການ
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4386,7 +4439,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,ໄປທີ່ສະຫນອງ
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ໃບຢັ້ງຢືນການປິດໃບຢັ້ງຢືນ POS ຂອງ POS
 ,Qty to Receive,ຈໍານວນທີ່ຈະໄດ້ຮັບ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ວັນທີເລີ່ມຕົ້ນແລະສິ້ນສຸດບໍ່ໄດ້ຢູ່ໃນໄລຍະເວລາຊໍາລະເງິນທີ່ຖືກຕ້ອງ, ບໍ່ສາມາດຄິດໄລ່ {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ວັນທີເລີ່ມຕົ້ນແລະສິ້ນສຸດບໍ່ໄດ້ຢູ່ໃນໄລຍະເວລາຊໍາລະເງິນທີ່ຖືກຕ້ອງ, ບໍ່ສາມາດຄິດໄລ່ {0}."
 DocType: Leave Block List,Leave Block List Allowed,ອອກຈາກສະໄຫມອະນຸຍາດໃຫ້
 DocType: Grading Scale Interval,Grading Scale Interval,ການຈັດລໍາດັບຂະຫນາດໄລຍະຫ່າງ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍສໍາລັບຍານພາຫະນະເຂົ້າສູ່ລະບົບ {0}
@@ -4394,10 +4447,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ສ່ວນລົດ (%) ໃນລາຄາອັດຕາກັບ Margin
 DocType: Healthcare Service Unit Type,Rate / UOM,ອັດຕາ / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ຄັງສິນຄ້າທັງຫມົດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,ບໍ່ພົບ {0} ສໍາລັບ Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,ບໍ່ພົບ {0} ສໍາລັບ Inter Company Transactions.
 DocType: Travel Itinerary,Rented Car,ເຊົ່າລົດ
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,ກ່ຽວກັບບໍລິສັດຂອງທ່ານ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
 DocType: Donor,Donor,ຜູ້ໃຫ້ທຶນ
 DocType: Global Defaults,Disable In Words,ປິດການໃຊ້ງານໃນຄໍາສັບຕ່າງໆ
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,ລະຫັດສິນຄ້າເປັນການບັງຄັບເນື່ອງຈາກວ່າລາຍການບໍ່ໄດ້ນັບຈໍານວນອັດຕະໂນມັດ
@@ -4409,14 +4462,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,ທະນາຄານບັນຊີເບີກເກີນບັນຊີ
 DocType: Patient,Patient ID,Patient ID
 DocType: Practitioner Schedule,Schedule Name,ຊື່ຕາຕະລາງ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,ການຂາຍທໍ່ໂດຍຂັ້ນຕອນ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,ເຮັດໃຫ້ຄວາມຜິດພາດພຽງເງິນເດືອນ
 DocType: Currency Exchange,For Buying,ສໍາລັບການຊື້
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,ຕື່ມການສະຫນອງທັງຫມົດ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,ຕື່ມການສະຫນອງທັງຫມົດ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ແຖວ # {0}: ຈັດສັນຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະລິມານທີ່ຍັງຄ້າງຄາ.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Browse BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,ກູ້ໄພ
 DocType: Purchase Invoice,Edit Posting Date and Time,ແກ້ໄຂວັນທີ່ປະກາດແລະເວລາ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີທີ່ກ່ຽວຂ້ອງກັບຄ່າເສື່ອມລາຄາໃນສິນຊັບປະເພດ {0} ຫລືບໍລິສັດ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີທີ່ກ່ຽວຂ້ອງກັບຄ່າເສື່ອມລາຄາໃນສິນຊັບປະເພດ {0} ຫລືບໍລິສັດ {1}
 DocType: Lab Test Groups,Normal Range,Normal Range
 DocType: Academic Term,Academic Year,ປີທາງວິຊາການ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Available Selling
@@ -4445,26 +4499,26 @@
 DocType: Patient Appointment,Patient Appointment,Appointment ຜູ້ປ່ວຍ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ການອະນຸມັດບົດບາດບໍ່ສາມາດເຊັ່ນດຽວກັນກັບພາລະບົດບາດລະບຽບການກ່ຽວຂ້ອງກັບ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ຍົກເລີກການ Email ນີ້ Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,ໄດ້ຮັບສະຫນອງໂດຍ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,ໄດ້ຮັບສະຫນອງໂດຍ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ບໍ່ພົບສໍາລັບລາຍການ {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,ໄປທີ່ສະຫນາມ
 DocType: Accounts Settings,Show Inclusive Tax In Print,ສະແດງພາສີລວມໃນການພິມ
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","ບັນຊີທະນາຄານ, ຈາກວັນທີແລະວັນທີແມ່ນບັງຄັບ"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,ຂໍ້ຄວາມທີ່ສົ່ງ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການກໍານົດໄວ້ເປັນຊີແຍກປະເພດ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການກໍານົດໄວ້ເປັນຊີແຍກປະເພດ
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,ອັດຕາການທີ່ສະເຫນີລາຄາສະກຸນເງິນຈະປ່ຽນເປັນສະກຸນເງິນຂອງລູກຄ້າຂອງພື້ນຖານ
 DocType: Purchase Invoice Item,Net Amount (Company Currency),ຈໍານວນສຸດທິ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,ຈໍານວນເງິນລ່ວງຫນ້າທັງຫມົດບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນທີ່ຖືກລົງໂທດທັງຫມົດ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,ຈໍານວນເງິນລ່ວງຫນ້າທັງຫມົດບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນທີ່ຖືກລົງໂທດທັງຫມົດ
 DocType: Salary Slip,Hour Rate,ອັດຕາຊົ່ວໂມງ
 DocType: Stock Settings,Item Naming By,ລາຍການຕັ້ງຊື່ໂດຍ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},ອີກປະການຫນຶ່ງ Entry ໄລຍະເວລາປິດ {0} ໄດ້ຮັບການເຮັດໃຫ້ຫຼັງຈາກ {1}
 DocType: Work Order,Material Transferred for Manufacturing,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,ບັນຊີ {0} ບໍ່ໄດ້ຢູ່
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,ເລືອກໂຄງການຄວາມພັກດີ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,ເລືອກໂຄງການຄວາມພັກດີ
 DocType: Project,Project Type,ປະເພດໂຄງການ
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,ວຽກງານຂອງເດັກຢູ່ສໍາລັບວຽກງານນີ້. ທ່ານບໍ່ສາມາດລຶບ Task ນີ້.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ທັງຈໍານວນເປົ້າຫມາຍຫຼືເປົ້າຫມາຍຈໍານວນແມ່ນບັງຄັບ.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ທັງຈໍານວນເປົ້າຫມາຍຫຼືເປົ້າຫມາຍຈໍານວນແມ່ນບັງຄັບ.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,ຄ່າໃຊ້ຈ່າຍຂອງກິດຈະກໍາຕ່າງໆ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ການສ້າງຕັ້ງກິດຈະກໍາເພື່ອ {0}, ນັບຕັ້ງແຕ່ພະນັກງານທີ່ຕິດກັບຂ້າງລຸ່ມນີ້ຄົນຂາຍບໍ່ມີ User ID {1}"
 DocType: Timesheet,Billing Details,ລາຍລະອຽດການເອີ້ນເກັບເງິນ
@@ -4522,13 +4576,13 @@
 DocType: Inpatient Record,A Negative,A Negative
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ບໍ່ມີຫຍັງຫຼາຍກວ່າທີ່ຈະສະແດງໃຫ້ເຫັນ.
 DocType: Lead,From Customer,ຈາກລູກຄ້າ
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ໂທຫາເຄືອຂ່າຍ
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,ໂທຫາເຄືອຂ່າຍ
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,A ຜະລິດຕະພັນ
 DocType: Employee Tax Exemption Declaration,Declarations,ຂໍ້ກໍານົດ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,ສໍາຫລັບຂະບວນ
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,ເຮັດຕາລາງຄ່າທໍານຽມ
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,ການສັ່ງຊື້ {0} ບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,ການສັ່ງຊື້ {0} ບໍ່ໄດ້ສົ່ງ
 DocType: Account,Expenses Included In Asset Valuation,ຄ່າໃຊ້ຈ່າຍໃນການປະເມີນມູນຄ່າຊັບສິນ
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),ລະດັບມາດຕະຖານປົກກະຕິສໍາລັບຜູ້ໃຫຍ່ແມ່ນ 16-20 ເທື່ອຕໍ່ນາທີ (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,ຈໍານວນພາສີ
@@ -4541,6 +4595,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,ກະລຸນາຊ່ວຍຄົນເຈັບກ່ອນ
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,ຜູ້ເຂົ້າຮ່ວມໄດ້ຮັບການຫມາຍຢ່າງສໍາເລັດຜົນ.
 DocType: Program Enrollment,Public Transport,ການຂົນສົ່ງສາທາລະນະ
+DocType: Delivery Note,GST Vehicle Type,GST Vehicle Type
 DocType: Soil Texture,Silt Composition (%),ອົງປະກອບຂອງແກນ (%)
 DocType: Journal Entry,Remark,ຂໍ້ສັງເກດ
 DocType: Healthcare Settings,Avoid Confirmation,ຫຼີກລ້ຽງການຢືນຢັນ
@@ -4550,11 +4605,10 @@
 DocType: Education Settings,Current Academic Term,ໄລຍະວິຊາການໃນປະຈຸບັນ
 DocType: Education Settings,Current Academic Term,ໄລຍະວິຊາການໃນປະຈຸບັນ
 DocType: Sales Order,Not Billed,ບໍ່ບິນ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,ທັງສອງ Warehouse ຕ້ອງເປັນບໍລິສັດດຽວກັນ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,ທັງສອງ Warehouse ຕ້ອງເປັນບໍລິສັດດຽວກັນ
 DocType: Employee Grade,Default Leave Policy,Default Leave Policy
 DocType: Shopify Settings,Shop URL,Shop URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,ບໍ່ມີການຕິດຕໍ່ເຂົ້າມາເທື່ອ.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ກະລຸນາຕິດຕັ້ງຈໍານວນຊຸດສໍາລັບການເຂົ້າຮ່ວມໂດຍຜ່ານ Setup&gt; ເລກລໍາດັບ
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ລູກຈ້າງຄ່າໃຊ້ຈ່າຍຈໍານວນເງິນ Voucher
 ,Item Balance (Simple),ການດຸ່ນດ່ຽງຂອງສິນຄ້າ (ງ່າຍດາຍ)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໂດຍຜູ້ສະຫນອງ.
@@ -4579,7 +4633,7 @@
 DocType: Shopping Cart Settings,Quotation Series,ວົງຢືມ Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","ລາຍການລາຄາທີ່ມີຊື່ດຽວກັນ ({0}), ກະລຸນາມີການປ່ຽນແປງຊື່ກຸ່ມສິນຄ້າຫລືປ່ຽນຊື່ລາຍການ"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Criteria ການວິເຄາະດິນ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,ກະລຸນາເລືອກລູກຄ້າ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,ກະລຸນາເລືອກລູກຄ້າ
 DocType: C-Form,I,ຂ້າພະເຈົ້າ
 DocType: Company,Asset Depreciation Cost Center,Asset Center ຄ່າເສື່ອມລາຄາຄ່າໃຊ້ຈ່າຍ
 DocType: Production Plan Sales Order,Sales Order Date,ວັນທີ່ສະຫມັກໃບສັ່ງຂາຍ
@@ -4592,8 +4646,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,ໃນປະຈຸບັນບໍ່ມີຫຼັກຊັບໃນຄັງສິນຄ້າໃດໆ
 ,Payment Period Based On Invoice Date,ໄລຍະເວລາການຊໍາລະເງິນໂດຍອີງໃສ່ວັນ Invoice
 DocType: Sample Collection,No. of print,No of print
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Birthday reminder
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ລາຍະການຈອງຫ້ອງພັກຂອງໂຮງແຮມ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ອັດຕາແລກປ່ຽນທີ່ຂາດຫາຍໄປສະກຸນເງິນສໍາລັບ {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},ອັດຕາແລກປ່ຽນທີ່ຂາດຫາຍໄປສະກຸນເງິນສໍາລັບ {0}
 DocType: Employee Health Insurance,Health Insurance Name,Name Health Insurance
 DocType: Assessment Plan,Examiner,ການກວດສອບ
 DocType: Student,Siblings,ອ້າຍເອື້ອຍນ້ອງ
@@ -4610,19 +4665,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,ລູກຄ້າໃຫມ່
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,ກໍາໄຮ% Gross
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,ໃບແຈ້ງຫນີ້ {0} ແລະໃບແຈ້ງຍອດຂາຍ {1} ຖືກຍົກເລີກ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,ໂອກາດໂດຍແຫຼ່ງນໍາ
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,ປ່ຽນ POS Profile
 DocType: Bank Reconciliation Detail,Clearance Date,ວັນເກັບກູ້ລະເບີດ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","ຊັບສິນມີຢູ່ແລ້ວຕໍ່ກັບລາຍການ {0}, ທ່ານບໍ່ສາມາດປ່ຽນແປງໄດ້ບໍ່ມີຄ່າຕໍ່ເນື່ອງຕໍ່ເນື່ອງ"
+DocType: Delivery Settings,Dispatch Notification Template,ເຜີຍແຜ່ຂໍ້ມູນການແຈ້ງເຕືອນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","ຊັບສິນມີຢູ່ແລ້ວຕໍ່ກັບລາຍການ {0}, ທ່ານບໍ່ສາມາດປ່ຽນແປງໄດ້ບໍ່ມີຄ່າຕໍ່ເນື່ອງຕໍ່ເນື່ອງ"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,ບົດລາຍງານການປະເມີນຜົນ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,ໄດ້ຮັບພະນັກງານ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,ການຊື້ທັງຫມົດເປັນການບັງຄັບ
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,ຊື່ບໍລິສັດບໍ່ຄືກັນ
 DocType: Lead,Address Desc,ທີ່ຢູ່ Desc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,ພັກເປັນການບັງຄັບ
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},ບັນດາແຖວທີ່ມີວັນທີ່ຍ້ອນກັບໃນແຖວອື່ນພົບ: {list}
 DocType: Topic,Topic Name,ຊື່ກະທູ້
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,ກະລຸນາຕັ້ງຄ່າແມ່ແບບມາດຕະຖານໃນການແຈ້ງໃບອະນຸຍາດໃນການຕັ້ງຄ່າ HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,ກະລຸນາຕັ້ງຄ່າແມ່ແບບມາດຕະຖານໃນການແຈ້ງໃບອະນຸຍາດໃນການຕັ້ງຄ່າ HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,atleast ຫນຶ່ງຂອງການຂາຍຫຼືຊື້ຕ້ອງໄດ້ຮັບການຄັດເລືອກ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,ເລືອກເອົາພະນັກງານເພື່ອໃຫ້ພະນັກງານລ່ວງຫນ້າ.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,ກະລຸນາເລືອກວັນທີ່ຖືກຕ້ອງ
@@ -4656,6 +4712,7 @@
 DocType: Stock Entry,Customer or Supplier Details,ລູກຄ້າຫຼືຜູ້ຜະລິດລາຍລະອຽດ
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,ມູນຄ່າຊັບສິນສຸດທິ
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,ເງິນທຶນການເດີນທາງ
 DocType: Loan Application,Required by Date,ທີ່ກໍານົດໄວ້ by Date
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ການເຊື່ອມຕໍ່ກັບສະຖານທີ່ທັງຫມົດທີ່ປູກພືດທີ່ເຕີບໃຫຍ່
@@ -4669,9 +4726,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,ຈໍານວນ Batch ມີຢູ່ຈາກ Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,ຈ່າຍລວມທັງຫມົດ - ການຫັກທັງຫມົດ - ການຊໍາລະຫນີ້
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM ປັດຈຸບັນແລະໃຫມ່ BOM ບໍ່ສາມາດຈະເປັນຄືກັນ
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM ປັດຈຸບັນແລະໃຫມ່ BOM ບໍ່ສາມາດຈະເປັນຄືກັນ
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ເງິນເດືອນ ID Slip
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,ວັນທີ່ສະຫມັກຂອງເງິນກະສຽນຈະຕ້ອງຫຼາຍກ່ວາວັນທີຂອງການເຂົ້າຮ່ວມ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,ວັນທີ່ສະຫມັກຂອງເງິນກະສຽນຈະຕ້ອງຫຼາຍກ່ວາວັນທີຂອງການເຂົ້າຮ່ວມ
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Multiple Variants
 DocType: Sales Invoice,Against Income Account,ຕໍ່ບັນຊີລາຍໄດ້
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% ສົ່ງ
@@ -4700,7 +4757,7 @@
 DocType: POS Profile,Update Stock,ຫລັກຊັບ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ທີ່ແຕກຕ່າງກັນສໍາລັບລາຍການທີ່ຈະນໍາໄປສູ່ການທີ່ບໍ່ຖືກຕ້ອງ (Total) ຄ່ານ້ໍາຫນັກສຸດທິ. ໃຫ້ແນ່ໃຈວ່ານ້ໍາຫນັກສຸດທິຂອງແຕ່ລະລາຍການແມ່ນຢູ່ໃນ UOM ດຽວກັນ.
 DocType: Certification Application,Payment Details,ລາຍລະອຽດການຊໍາລະເງິນ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM ອັດຕາ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM ອັດຕາ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","ບໍ່ສາມາດຍົກເລີກການຍົກເລີກການສັ່ງວຽກໄດ້, ຍົກເລີກທໍາອິດໃຫ້ຍົກເລີກ"
 DocType: Asset,Journal Entry for Scrap,ວາລະສານການອອກສຽງ Scrap
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ກະລຸນາດຶງລາຍການຈາກການສົ່ງເງິນ
@@ -4723,11 +4780,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,ຈໍານວນເງິນທີ່ຖືກເກືອດຫ້າມທັງຫມົດ
 ,Purchase Analytics,ການວິເຄາະການຊື້
 DocType: Sales Invoice Item,Delivery Note Item,ການສົ່ງເງິນສິນຄ້າ
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,ໃບເກັບເງິນປັດຈຸບັນ {0} ແມ່ນຫາຍໄປ
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,ໃບເກັບເງິນປັດຈຸບັນ {0} ແມ່ນຫາຍໄປ
 DocType: Asset Maintenance Log,Task,ວຽກງານ
 DocType: Purchase Taxes and Charges,Reference Row #,ກະສານອ້າງອີງ Row ຮຸ່ນ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},ຈໍານວນ Batch ເປັນການບັງຄັບສໍາລັບລາຍການ {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,ນີ້ແມ່ນບຸກຄົນຂາຍຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,ນີ້ແມ່ນບຸກຄົນຂາຍຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ຖ້າເລືອກ, ມູນຄ່າທີ່ລະບຸໄວ້ຫລືຄໍານວນໃນອົງປະກອບນີ້ຈະບໍ່ປະກອບສ່ວນເຂົ້າລາຍຮັບຫຼືຫັກຄ່າໃຊ້ຈ່າຍ. ຢ່າງໃດກໍຕາມ, ມັນເປັນມູນຄ່າສາມາດໄດ້ຮັບການອ້າງອິງໂດຍອົງປະກອບອື່ນໆທີ່ສາມາດໄດ້ຮັບການເພີ່ມຫລືຫັກ."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ຖ້າເລືອກ, ມູນຄ່າທີ່ລະບຸໄວ້ຫລືຄໍານວນໃນອົງປະກອບນີ້ຈະບໍ່ປະກອບສ່ວນເຂົ້າລາຍຮັບຫຼືຫັກຄ່າໃຊ້ຈ່າຍ. ຢ່າງໃດກໍຕາມ, ມັນເປັນມູນຄ່າສາມາດໄດ້ຮັບການອ້າງອິງໂດຍອົງປະກອບອື່ນໆທີ່ສາມາດໄດ້ຮັບການເພີ່ມຫລືຫັກ."
 DocType: Asset Settings,Number of Days in Fiscal Year,ຈໍານວນວັນໃນປີງົບປະມານ
@@ -4736,7 +4793,7 @@
 DocType: Company,Exchange Gain / Loss Account,ແລກປ່ຽນກໍາໄຮ / ບັນຊີການສູນເສຍ
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,ພະນັກງານແລະຜູ້ເຂົ້າຮ່ວມ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},ຈຸດປະສົງຕ້ອງເປັນຫນຶ່ງໃນ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},ຈຸດປະສົງຕ້ອງເປັນຫນຶ່ງໃນ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,ຕື່ມຂໍ້ມູນໃສ່ໃນແບບຟອມແລະຊ່ວຍປະຢັດມັນ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum ຊຸມຊົນ
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,ຈໍານວນທີ່ແທ້ຈິງໃນຫຸ້ນ
@@ -4752,7 +4809,7 @@
 DocType: Lab Test Template,Standard Selling Rate,ມາດຕະຖານອັດຕາການຂາຍ
 DocType: Account,Rate at which this tax is applied,ອັດຕາການທີ່ພາສີນີ້ແມ່ນໄດ້ນໍາໃຊ້
 DocType: Cash Flow Mapper,Section Name,ຊື່ພາກສ່ວນ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,ລໍາດັບຈໍານວນ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,ລໍາດັບຈໍານວນ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},ໄລຍະຫັກຄ່າທໍານຽມ {0}: ມູນຄ່າທີ່ຄາດໄວ້ຫຼັງຈາກອາຍຸການໃຊ້ງານຕ້ອງສູງກວ່າຫຼືເທົ່າກັບ {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,ເປີດຮັບສະຫມັກໃນປະຈຸບັນ
 DocType: Company,Stock Adjustment Account,ບັນຊີການປັບ Stock
@@ -4762,8 +4819,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ຜູ້ໃຊ້ລະບົບ (ເຂົ້າສູ່ລະບົບ) ID. ຖ້າຫາກວ່າກໍານົດໄວ້, ມັນຈະກາຍເປັນມາດຕະຖານສໍາລັບຮູບແບບ HR ທັງຫມົດ."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,ກະລຸນາໃສ່ລາຍລະອຽດການເສື່ອມລາຄາ
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: ຈາກ {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},ອອກຈາກແອັບພລິເຄຊັນ {0} ແລ້ວມີຕໍ່ນັກຮຽນ {1}
 DocType: Task,depends_on,ຂຶ້ນກັບ
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ຄິວສໍາລັບການອັບເດດລາຄາຫລ້າສຸດໃນທຸກບັນຊີລາຍການຂອງວັດສະດຸ. ມັນອາດຈະໃຊ້ເວລາສອງສາມນາທີ.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ຄິວສໍາລັບການອັບເດດລາຄາຫລ້າສຸດໃນທຸກບັນຊີລາຍການຂອງວັດສະດຸ. ມັນອາດຈະໃຊ້ເວລາສອງສາມນາທີ.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ຊື່ຂອງບັນຊີໃຫມ່. ຫມາຍເຫດ: ກະລຸນາຢ່າສ້າງບັນຊີສໍາລັບລູກຄ້າແລະຜູ້ສະຫນອງ
 DocType: POS Profile,Display Items In Stock,ສະແດງລາຍະການໃນສະຕັອກ
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,ປະເທດແມ່ແບບທີ່ຢູ່ໃນຕອນຕົ້ນສະຫລາດ
@@ -4793,16 +4851,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,ສະລັອດຕິງສໍາລັບ {0} ບໍ່ໄດ້ຖືກເພີ່ມເຂົ້າໃນຕາຕະລາງ
 DocType: Product Bundle,List items that form the package.,ລາຍການບັນຊີລາຍການທີ່ປະກອບເປັນຊຸດຂອງ.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,ບໍ່ອະນຸຍາດ. ກະລຸນາປິດແບບແມ່ແບບການທົດສອບ
+DocType: Delivery Note,Distance (in km),ໄລຍະທາງ (ກິໂລແມັດ)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ອັດຕາສ່ວນການຈັດສັນຄວນຈະເທົ່າກັບ 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,ກະລຸນາເລືອກວັນທີ່ປະກາດກ່ອນທີ່ຈະເລືອກພັກ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,ກະລຸນາເລືອກວັນທີ່ປະກາດກ່ອນທີ່ຈະເລືອກພັກ
 DocType: Program Enrollment,School House,ໂຮງຮຽນບ້ານ
 DocType: Serial No,Out of AMC,ອອກຈາກ AMC
+DocType: Opportunity,Opportunity Amount,Opportunity Amount
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ຈໍານວນຂອງການອ່ອນຄ່າຈອງບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດຂອງຄ່າເສື່ອມລາຄາ
 DocType: Purchase Order,Order Confirmation Date,ວັນທີທີ່ຢືນຢັນການສັ່ງຊື້
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,ເຮັດໃຫ້ບໍາລຸງຮັກສາ Visit
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ວັນທີເລີ່ມຕົ້ນແລະວັນທີສິ້ນສຸດລົງແມ່ນການເຮັດວຽກລ້າສຸດທີ່ມີບັດວຽກ <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,ຂໍ້ມູນການໂອນເງິນພະນັກງານ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,ກະລຸນາຕິດຕໍ່ກັບຜູ້ໃຊ້ທີ່ມີການຂາຍລິນຍາໂທ Manager {0} ພາລະບົດບາດ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,ກະລຸນາຕິດຕໍ່ກັບຜູ້ໃຊ້ທີ່ມີການຂາຍລິນຍາໂທ Manager {0} ພາລະບົດບາດ
 DocType: Company,Default Cash Account,ມາດຕະຖານບັນຊີເງິນສົດ
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,ບໍລິສັດ (ໄດ້ລູກຄ້າຫລືຜູ້ຜະລິດ) ຕົ້ນສະບັບ.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງນັກສຶກສານີ້
@@ -4810,9 +4871,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,ເພີ່ມລາຍການເພີ່ມເຕີມຫຼືເຕັມຮູບແບບເປີດ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ການຈັດສົ່ງ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,ໄປທີ່ຜູ້ໃຊ້
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ + ຂຽນ Off ຈໍານວນເງິນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ + ຂຽນ Off ຈໍານວນເງິນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ບໍ່ແມ່ນຈໍານວນ Batch ຖືກຕ້ອງສໍາລັບສິນຄ້າ {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},ຫມາຍເຫດ: ຍັງບໍ່ທັນມີຄວາມສົມດູນອອກພຽງພໍສໍາລັບການອອກຈາກປະເພດ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},ຫມາຍເຫດ: ຍັງບໍ່ທັນມີຄວາມສົມດູນອອກພຽງພໍສໍາລັບການອອກຈາກປະເພດ {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN ບໍ່ຖືກຕ້ອງຫຼືກະລຸນາໃສ່ສະພາແຫ່ງຊາດສໍາລັບບຸກຄົນທົ່ວໄປ
 DocType: Training Event,Seminar,ການສໍາມະນາ
 DocType: Program Enrollment Fee,Program Enrollment Fee,ຄ່າທໍານຽມການລົງທະບຽນໂຄງການ
@@ -4829,7 +4890,7 @@
 DocType: Fee Schedule,Fee Schedule,ຕາຕະລາງຄ່າທໍານຽມ
 DocType: Company,Create Chart Of Accounts Based On,ສ້າງຕາຕະລາງຂອງການບັນຊີພື້ນຖານກ່ຽວກັບ
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,ບໍ່ສາມາດປ່ຽນມັນໄປເປັນກຸ່ມ. ວຽກງານຂອງເດັກຢູ່.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,ວັນທີຂອງການເກີດບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາໃນມື້ນີ້.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,ວັນທີຂອງການເກີດບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາໃນມື້ນີ້.
 ,Stock Ageing,Stock Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","ສະຫນັບສະຫນູນບາງສ່ວນ, ຕ້ອງການທຶນສ່ວນຫນຶ່ງ"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},ນັກສຶກສາ {0} ມີຕໍ່ສະຫມັກນັກສຶກສາ {1}
@@ -4876,11 +4937,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,ກ່ອນທີ່ຈະ reconciliation
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ເພື່ອ {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ພາສີອາກອນແລະຄ່າບໍລິການເພີ່ມ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row ພາສີລາຍ {0} ຕ້ອງມີບັນຊີຂອງສ່ວຍສາອາກອນປະເພດຫຼືລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍຫຼື Chargeable
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row ພາສີລາຍ {0} ຕ້ອງມີບັນຊີຂອງສ່ວຍສາອາກອນປະເພດຫຼືລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍຫຼື Chargeable
 DocType: Sales Order,Partly Billed,ບິນສ່ວນຫນຶ່ງແມ່ນ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,ລາຍການ {0} ຈະຕ້ອງເປັນລາຍການຊັບສິນຄົງທີ່
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Make Variants
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Make Variants
 DocType: Item,Default BOM,ມາດຕະຖານ BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),ຈໍານວນເງິນທີ່ຖືກຊໍາລະທັງຫມົດ (ຜ່ານໃບແຈ້ງຍອດຂາຍ)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ເດບິດຫມາຍເຫດຈໍານວນ
@@ -4909,14 +4970,14 @@
 DocType: Notification Control,Custom Message,ຂໍ້ຄວາມ Custom
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,ທະນາຄານການລົງທຶນ
 DocType: Purchase Invoice,input,input
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,ເງິນສົດຫຼືທະນາຄານບັນຊີເປັນການບັງຄັບສໍາລັບການເຮັດເຂົ້າການຊໍາລະເງິນ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,ເງິນສົດຫຼືທະນາຄານບັນຊີເປັນການບັງຄັບສໍາລັບການເຮັດເຂົ້າການຊໍາລະເງິນ
 DocType: Loyalty Program,Multiple Tier Program,Multi Tier Program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ທີ່ຢູ່ Student
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ທີ່ຢູ່ Student
 DocType: Purchase Invoice,Price List Exchange Rate,ລາຄາອັດຕາແລກປ່ຽນບັນຊີ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,All Supplier Groups
 DocType: Employee Boarding Activity,Required for Employee Creation,ຕ້ອງການສໍາລັບການສ້າງພະນັກງານ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},ບັນຊີ {0} ແລ້ວໃຊ້ໃນບັນຊີ {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},ບັນຊີ {0} ແລ້ວໃຊ້ໃນບັນຊີ {1}
 DocType: GoCardless Mandate,Mandate,Mandate
 DocType: POS Profile,POS Profile Name,ຊື່ທຸລະກິດ POS
 DocType: Hotel Room Reservation,Booked,ຖືກຈອງ
@@ -4932,18 +4993,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,ກະສານອ້າງອີງທີ່ບໍ່ມີແມ່ນການບັງຄັບຖ້າຫາກວ່າທ່ານເຂົ້າໄປວັນກະສານອ້າງອີງ
 DocType: Bank Reconciliation Detail,Payment Document,ເອກະສານການຊໍາລະເງິນ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Error ປະເມີນສູດມາດຕະຖານ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,ວັນທີຂອງການເຂົ້າຮ່ວມຈະຕ້ອງຫຼາຍກ່ວາວັນເກີດ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,ວັນທີຂອງການເຂົ້າຮ່ວມຈະຕ້ອງຫຼາຍກ່ວາວັນເກີດ
 DocType: Subscription,Plans,ແຜນການ
 DocType: Salary Slip,Salary Structure,ໂຄງສ້າງເງິນເດືອນ
 DocType: Account,Bank,ທະນາຄານ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,ສາຍການບິນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,ວັດສະດຸບັນຫາ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,ວັດສະດຸບັນຫາ
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ເຊື່ອມຕໍ່ Shopify ກັບ ERPNext
 DocType: Material Request Item,For Warehouse,ສໍາລັບການຄັງສິນຄ້າ
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,ຫມາຍເຫດການສົ່ງ {0} ຖືກປັບປຸງ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,ຫມາຍເຫດການສົ່ງ {0} ຖືກປັບປຸງ
 DocType: Employee,Offer Date,ວັນທີ່ສະຫມັກສະເຫນີ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ການຊື້ຂາຍ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,ທ່ານຢູ່ໃນຮູບແບບອອຟໄລ. ທ່ານຈະບໍ່ສາມາດທີ່ຈະໂຫລດຈົນກ່ວາທ່ານມີເຄືອຂ່າຍ.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,ການຊື້ຂາຍ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,ທ່ານຢູ່ໃນຮູບແບບອອຟໄລ. ທ່ານຈະບໍ່ສາມາດທີ່ຈະໂຫລດຈົນກ່ວາທ່ານມີເຄືອຂ່າຍ.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,ບໍ່ມີກຸ່ມນັກສຶກສາສ້າງຕັ້ງຂື້ນ.
 DocType: Purchase Invoice Item,Serial No,Serial No
@@ -4955,24 +5016,26 @@
 DocType: Sales Invoice,Customer PO Details,ລາຍລະອຽດຂອງລູກຄ້າ
 DocType: Stock Entry,Including items for sub assemblies,ລວມທັງລາຍການສໍາລັບການສະພາແຫ່ງຍ່ອຍ
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,ບັນຊີເປີດຊົ່ວຄາວ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,ມູນຄ່າໃສ່ຈະຕ້ອງໃນທາງບວກ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,ມູນຄ່າໃສ່ຈະຕ້ອງໃນທາງບວກ
 DocType: Asset,Finance Books,Books Finance
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ຂໍ້ກໍານົດການຍົກເວັ້ນພາສີຂອງພະນັກງານ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,ອານາເຂດທັງຫມົດ
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,ກະລຸນາຕັ້ງຄ່ານະໂຍບາຍໄວ້ສໍາລັບພະນັກງານ {0} ໃນບັນທຶກພະນັກງານ / ລະດັບ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,ໃບສັ່ງບໍ່ຖືກຕ້ອງສໍາລັບລູກຄ້າແລະລາຍການທີ່ເລືອກ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,ໃບສັ່ງບໍ່ຖືກຕ້ອງສໍາລັບລູກຄ້າແລະລາຍການທີ່ເລືອກ
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,ເພີ່ມຫລາຍວຽກ
 DocType: Purchase Invoice,Items,ລາຍການ
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,ວັນທີສຸດທ້າຍບໍ່ສາມາດຢູ່ກ່ອນວັນທີເລີ່ມຕົ້ນ.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,ນັກສຶກສາແມ່ນໄດ້ລົງທະບຽນແລ້ວ.
 DocType: Fiscal Year,Year Name,ຊື່ປີ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,ມີວັນພັກຫຼາຍກ່ວາມື້ທີ່ເຮັດວຽກໃນເດືອນນີ້ແມ່ນ.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,ມີວັນພັກຫຼາຍກ່ວາມື້ທີ່ເຮັດວຽກໃນເດືອນນີ້ແມ່ນ.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,ລາຍການຕໍ່ໄປນີ້ {0} ບໍ່ໄດ້ຫມາຍເປັນ {1} ລາຍການ. ທ່ານສາມາດເຮັດໃຫ້ພວກເຂົາເປັນ {1} ລາຍະການຈາກຫົວຂໍ້ຂອງລາຍະການ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,ຜະລິດຕະພັນ Bundle Item
 DocType: Sales Partner,Sales Partner Name,ຊື່ Partner ຂາຍ
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,ການຮ້ອງຂໍສໍາລັບວົງຢືມ
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,ການຮ້ອງຂໍສໍາລັບວົງຢືມ
 DocType: Payment Reconciliation,Maximum Invoice Amount,ຈໍານວນໃບເກັບເງິນສູງສຸດ
 DocType: Normal Test Items,Normal Test Items,Normal Test Items
+DocType: QuickBooks Migrator,Company Settings,ບໍລິສັດກໍານົດ
 DocType: Additional Salary,Overwrite Salary Structure Amount,Overwrite Salary Structure Amount
 DocType: Student Language,Student Language,ພາສານັກສຶກສາ
 apps/erpnext/erpnext/config/selling.py +23,Customers,ລູກຄ້າ
@@ -4985,22 +5048,24 @@
 DocType: Issue,Opening Time,ທີ່ໃຊ້ເວລາເປີດ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,ຈາກແລະໄປວັນທີ່ຄຸນຕ້ອງ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,ຫຼັກຊັບແລະການແລກປ່ຽນສິນຄ້າ
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ມາດຕະຖານຫນ່ວຍງານຂອງມາດຕະການ Variant &#39;{0}&#39; ຈະຕ້ອງເຊັ່ນດຽວກັນກັບໃນແມ່ &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ມາດຕະຖານຫນ່ວຍງານຂອງມາດຕະການ Variant &#39;{0}&#39; ຈະຕ້ອງເຊັ່ນດຽວກັນກັບໃນແມ່ &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,ຄິດໄລ່ພື້ນຖານກ່ຽວກັບ
 DocType: Contract,Unfulfilled,ບໍ່ພໍໃຈ
 DocType: Delivery Note Item,From Warehouse,ຈາກ Warehouse
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,ບໍ່ມີພະນັກງານສໍາລັບເງື່ອນໄຂທີ່ໄດ້ລະບຸໄວ້
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,ບໍ່ມີສິນຄ້າທີ່ມີບັນຊີລາຍການຂອງວັດສະດຸໃນການຜະລິດ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,ບໍ່ມີສິນຄ້າທີ່ມີບັນຊີລາຍການຂອງວັດສະດຸໃນການຜະລິດ
 DocType: Shopify Settings,Default Customer,Customer Default
+DocType: Sales Stage,Stage Name,Stage Name
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,ຊື່ Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,ຢ່າຢືນຢັນວ່າການນັດຫມາຍຖືກສ້າງຂື້ນໃນມື້ດຽວກັນ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Ship To State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Ship To State
 DocType: Program Enrollment Course,Program Enrollment Course,ຂອງລາຍວິຊາການເຂົ້າໂຮງຮຽນໂຄງການ
 DocType: Program Enrollment Course,Program Enrollment Course,ຂອງລາຍວິຊາການເຂົ້າໂຮງຮຽນໂຄງການ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},ຜູ້ໃຊ້ {0} ໄດ້ຖືກມອບໃຫ້ກັບ Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,ເຮັດແບບຕົວຢ່າງການເກັບຮັກສາແບບຕົວຢ່າງ
 DocType: Purchase Taxes and Charges,Valuation and Total,ປະເມີນມູນຄ່າແລະຈໍານວນ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negotiation / Review
 DocType: Leave Encashment,Encashment Amount,ຈໍານວນການເຂົ້າຮ່ວມ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,ຜະລິດຕະພັນທີ່ຫມົດອາຍຸ
@@ -5010,7 +5075,7 @@
 DocType: Staffing Plan Detail,Current Openings,Current Openings
 DocType: Notification Control,Customize the Notification,ປັບແຈ້ງການ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,ກະແສເງິນສົດຈາກການດໍາເນີນວຽກ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,ຈໍານວນ CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,ຈໍານວນ CGST
 DocType: Purchase Invoice,Shipping Rule,ກົດລະບຽບການຂົນສົ່ງ
 DocType: Patient Relation,Spouse,ຄູ່ສົມລົດ
 DocType: Lab Test Groups,Add Test,ຕື່ມການທົດສອບ
@@ -5024,14 +5089,14 @@
 DocType: Payroll Entry,Payroll Frequency,Payroll Frequency
 DocType: Lab Test Template,Sensitivity,ຄວາມອ່ອນໄຫວ
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Sync ໄດ້ຮັບການພິຈາລະນາຊົ່ວຄາວຍ້ອນວ່າການທົດລອງສູງສຸດໄດ້ຖືກເກີນໄປ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,ວັດຖຸດິບ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,ວັດຖຸດິບ
 DocType: Leave Application,Follow via Email,ປະຕິບັດຕາມໂດຍຜ່ານ Email
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,ພືດແລະເຄື່ອງຈັກ
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ຈໍານວນເງິນພາສີຫຼັງຈາກຈໍານວນສ່ວນລົດ
 DocType: Patient,Inpatient Status,ສະຖານະພາບຜູ້ປ່ວຍນອກ
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,ການຕັ້ງຄ່າເຮັດ Summary ປະຈໍາວັນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,ລາຄາທີ່ເລືອກທີ່ຈະຕ້ອງມີການຊື້ແລະການຂາຍທົ່ງນາທີ່ຖືກກວດສອບ.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,ກະລຸນາໃສ່ Reqd ຕາມວັນທີ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,ລາຄາທີ່ເລືອກທີ່ຈະຕ້ອງມີການຊື້ແລະການຂາຍທົ່ງນາທີ່ຖືກກວດສອບ.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,ກະລຸນາໃສ່ Reqd ຕາມວັນທີ
 DocType: Payment Entry,Internal Transfer,ພາຍໃນການຖ່າຍໂອນ
 DocType: Asset Maintenance,Maintenance Tasks,ວຽກງານບໍາລຸງຮັກສາ
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ທັງຈໍານວນເປົ້າຫມາຍຫຼືຈໍານວນເປົ້າຫມາຍແມ່ນການບັງຄັບ
@@ -5053,7 +5118,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ການສື່ສານທີ່ຜ່ານມາ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ການສື່ສານທີ່ຜ່ານມາ
 ,TDS Payable Monthly,TDS ຕ້ອງຈ່າຍລາຍເດືອນ
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,ວາງສາຍສໍາລັບການທົດແທນ BOM. ມັນອາດຈະໃຊ້ເວລາສອງສາມນາທີ.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,ວາງສາຍສໍາລັບການທົດແທນ BOM. ມັນອາດຈະໃຊ້ເວລາສອງສາມນາທີ.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ບໍ່ສາມາດຫັກໃນເວລາທີ່ປະເພດແມ່ນສໍາລັບການ &#39;ປະເມີນມູນຄ່າ&#39; ຫຼື &#39;ການປະເມີນຄ່າແລະທັງຫມົດ&#39;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos ຕ້ອງການສໍາລັບລາຍການຕໍ່ເນື່ອງ {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,ການຊໍາລະເງິນກົງກັບໃບແຈ້ງຫນີ້
@@ -5066,7 +5131,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,ຕື່ມການກັບໂຄງຮ່າງການ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,ກຸ່ມໂດຍ
 DocType: Guardian,Interests,ຜົນປະໂຫຍດ
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,ເຮັດໃຫ້ສາມາດ / ປິດການໃຊ້ງານສະກຸນເງິນ.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,ເຮັດໃຫ້ສາມາດ / ປິດການໃຊ້ງານສະກຸນເງິນ.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,ບໍ່ສາມາດສົ່ງບາງລາຍຈ່າຍເງິນເດືອນ
 DocType: Exchange Rate Revaluation,Get Entries,Get Entries
 DocType: Production Plan,Get Material Request,ໄດ້ຮັບການວັດສະດຸຂໍ
@@ -5088,15 +5153,16 @@
 DocType: Lead,Lead Type,ປະເພດນໍາ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ອະນຸມັດໃບໃນວັນທີ Block
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,ລາຍການທັງຫມົດເຫຼົ່ານີ້ໄດ້ຖືກອະນຸແລ້ວ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,ກໍານົດວັນທີປ່ອຍໃຫມ່
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,ກໍານົດວັນທີປ່ອຍໃຫມ່
 DocType: Company,Monthly Sales Target,ລາຍເດືອນເປົ້າຫມາຍການຂາຍ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},ສາມາດໄດ້ຮັບການອະນຸມັດໂດຍ {0}
 DocType: Hotel Room,Hotel Room Type,Hotel Room Type
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Supplier&gt; Supplier Type
 DocType: Leave Allocation,Leave Period,ອອກຈາກໄລຍະເວລາ
 DocType: Item,Default Material Request Type,ມາດຕະຖານການວັດສະດຸປະເພດຂໍ
 DocType: Supplier Scorecard,Evaluation Period,ການປະເມີນຜົນໄລຍະເວລາ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,ບໍ່ຮູ້ຈັກ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,ຄໍາສັ່ງເຮັດວຽກບໍ່ໄດ້ສ້າງ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,ຄໍາສັ່ງເຮັດວຽກບໍ່ໄດ້ສ້າງ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","ຈໍານວນເງິນທີ່ {0} ອ້າງແລ້ວສໍາລັບສ່ວນປະກອບ {1}, \ ກໍານົດຈໍານວນເທົ່າທຽມກັນຫລືສູງກວ່າ {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,ເງື່ອນໄຂການຂົນສົ່ງ
@@ -5131,15 +5197,15 @@
 DocType: Batch,Source Document Name,ແຫຼ່ງຂໍ້ມູນຊື່ Document
 DocType: Production Plan,Get Raw Materials For Production,ເອົາວັດຖຸດິບສໍາລັບການຜະລິດ
 DocType: Job Opening,Job Title,ຕໍາແຫນ່ງ
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} ຊີ້ໃຫ້ເຫັນວ່າ {1} ຈະບໍ່ໃຫ້ຢືມ, ແຕ່ລາຍການທັງຫມົດ \ ໄດ້ຖືກບາຍດີທຸກ. ການປັບປຸງສະຖານະພາບ RFQ quote ໄດ້."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ຕົວຢ່າງທີ່ສູງສຸດ - {0} ໄດ້ຖືກເກັບຮັກສາໄວ້ສໍາລັບຊຸດ {1} ແລະລາຍການ {2} ໃນຈໍານວນ {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ຕົວຢ່າງທີ່ສູງສຸດ - {0} ໄດ້ຖືກເກັບຮັກສາໄວ້ສໍາລັບຊຸດ {1} ແລະລາຍການ {2} ໃນຈໍານວນ {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Update BOM ຄ່າອັດຕະໂນມັດ
 DocType: Lab Test,Test Name,ຊື່ທົດສອບ
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,ຂັ້ນຕອນການບໍລິການທາງການແພດ
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,ສ້າງຜູ້ໃຊ້
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ກໍາ
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Subscriptions
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Subscriptions
 DocType: Supplier Scorecard,Per Month,ຕໍ່ເດືອນ
 DocType: Education Settings,Make Academic Term Mandatory,ໃຫ້ກໍານົດເງື່ອນໄຂທາງວິຊາການ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,ປະລິມານການຜະລິດຕ້ອງໄດ້ຫຼາຍກ່ວາ 0.
@@ -5148,10 +5214,10 @@
 DocType: Stock Entry,Update Rate and Availability,ການປັບປຸງອັດຕາແລະຈໍາຫນ່າຍ
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ອັດຕາສ່ວນທີ່ທ່ານກໍາລັງອະນຸຍາດໃຫ້ໄດ້ຮັບຫຼືໃຫ້ຫຼາຍຕໍ່ກັບປະລິມານຂອງຄໍາສັ່ງ. ສໍາລັບການຍົກຕົວຢ່າງ: ຖ້າຫາກວ່າທ່ານມີຄໍາສັ່ງ 100 ຫົວຫນ່ວຍ. ແລະອະນຸຍາດຂອງທ່ານແມ່ນ 10% ຫຼັງຈາກນັ້ນທ່ານກໍາລັງອະນຸຍາດໃຫ້ໄດ້ຮັບ 110 ຫົວຫນ່ວຍ.
 DocType: Loyalty Program,Customer Group,ກຸ່ມລູກຄ້າ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ແຖວ # {0}: ການປະຕິບັດງານ {1} ບໍ່ສໍາເລັດສໍາລັບ {2} qty ຂອງສິນຄ້າສໍາເລັດໃນການເຮັດວຽກ # {3}. ກະລຸນາອັບເດດສະຖານະການດໍາເນີນງານໂດຍຜ່ານເວລາເຂົ້າ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,ແຖວ # {0}: ການປະຕິບັດງານ {1} ບໍ່ສໍາເລັດສໍາລັບ {2} qty ຂອງສິນຄ້າສໍາເລັດໃນການເຮັດວຽກ # {3}. ກະລຸນາອັບເດດສະຖານະການດໍາເນີນງານໂດຍຜ່ານເວລາເຂົ້າ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ລະຫັດຊຸດໃຫມ່ (ຖ້າຕ້ອງການ)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ລະຫັດຊຸດໃຫມ່ (ຖ້າຕ້ອງການ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},ບັນຊີຄ່າໃຊ້ຈ່າຍເປັນການບັງຄັບສໍາລັບ item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},ບັນຊີຄ່າໃຊ້ຈ່າຍເປັນການບັງຄັບສໍາລັບ item {0}
 DocType: BOM,Website Description,ລາຍລະອຽດເວັບໄຊທ໌
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ການປ່ຽນແປງສຸດທິໃນການລົງທຶນ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,ກະລຸນາຍົກເລີກການຊື້ Invoice {0} ທໍາອິດ
@@ -5166,7 +5232,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,ມີບໍ່ມີຫຍັງທີ່ຈະແກ້ໄຂແມ່ນ.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Form View
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ໃບອະນຸຍາດຄ່າໃຊ້ຈ່າຍໃນການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,ສະຫຼຸບສັງລວມສໍາລັບເດືອນນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,ສະຫຼຸບສັງລວມສໍາລັບເດືອນນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},ກະລຸນາຕັ້ງບັນຊີການແລກປ່ຽນ / ການສູນເສຍທີ່ບໍ່ມີການກວດສອບໃນບໍລິສັດ {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","ເພີ່ມຜູ້ຊົມໃຊ້ທີ່ຈະອົງການຈັດຕັ້ງຂອງທ່ານ, ນອກຈາກຕົວທ່ານເອງ."
 DocType: Customer Group,Customer Group Name,ຊື່ກຸ່ມລູກຄ້າ
@@ -5176,14 +5242,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,ບໍ່ມີການຮ້ອງຂໍອຸປະກອນການສ້າງ
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ຈໍານວນເງິນກູ້ບໍ່ເກີນຈໍານວນເງິນກູ້ສູງສຸດຂອງ {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ໃບອະນຸຍາດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},ກະລຸນາເອົາໃບເກັບເງິນນີ້ {0} ຈາກ C ແບບຟອມ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},ກະລຸນາເອົາໃບເກັບເງິນນີ້ {0} ຈາກ C ແບບຟອມ {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ກະລຸນາເລືອກປະຕິບັດຕໍ່ຖ້າຫາກວ່າທ່ານຍັງຕ້ອງການທີ່ຈະປະກອບມີຍອດເຫຼືອເດືອນກ່ອນປີງົບປະມານຂອງໃບປີງົບປະມານນີ້
 DocType: GL Entry,Against Voucher Type,ຕໍ່ຕ້ານປະເພດ Voucher
 DocType: Healthcare Practitioner,Phone (R),ໂທລະສັບ (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,ຊ່ອງທີ່ໃຊ້ເວລາເພີ່ມ
 DocType: Item,Attributes,ຄຸນລັກສະນະ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,ເປີດຕົວແມ່ແບບ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,ກະລຸນາໃສ່ການຕັດບັນຊີ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,ກະລຸນາໃສ່ການຕັດບັນຊີ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,ຄັ້ງສຸດທ້າຍວັນ Order
 DocType: Salary Component,Is Payable,ແມ່ນຕ້ອງຈ່າຍ
 DocType: Inpatient Record,B Negative,B Negative
@@ -5194,7 +5260,7 @@
 DocType: Hotel Room,Hotel Room,Hotel Room
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},ບັນຊີ {0} ບໍ່ໄດ້ເປັນບໍລິສັດ {1}
 DocType: Leave Type,Rounding,Rounding
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,ຈໍານວນ serial ໃນແຖວ {0} ບໍ່ກົງກັບກັບການຈັດສົ່ງຫມາຍເຫດ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,ຈໍານວນ serial ໃນແຖວ {0} ບໍ່ກົງກັບກັບການຈັດສົ່ງຫມາຍເຫດ
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),ຈໍານວນເງິນທີ່ບໍ່ປະຕິເສດ (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","ຫຼັງຈາກນັ້ນກົດລະບຽບການກໍານົດລາຄາແມ່ນຖືກກັ່ນຕອງອອກໂດຍອີງໃສ່ລູກຄ້າ, ກຸ່ມລູກຄ້າ, ທີ່ດິນ, ຜູ້ໃຫ້ບໍລິການ, ກຸ່ມຜູ້ຜະລິດ, ແຄມເປນ, ຝ່າຍຂາຍແລະອື່ນໆ."
 DocType: Student,Guardian Details,ລາຍລະອຽດຜູ້ປົກຄອງ
@@ -5203,10 +5269,10 @@
 DocType: Vehicle,Chassis No,ແຊດຊີ
 DocType: Payment Request,Initiated,ການລິເລີ່ມ
 DocType: Production Plan Item,Planned Start Date,ການວາງແຜນວັນທີ່
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,ກະລຸນາເລືອກ BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,ກະລຸນາເລືອກ BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ໄດ້ຮັບສິນເຊື່ອ ITC Integrated Tax
 DocType: Purchase Order Item,Blanket Order Rate,Blanket Order Rate
-apps/erpnext/erpnext/hooks.py +156,Certification,ການຢັ້ງຢືນ
+apps/erpnext/erpnext/hooks.py +157,Certification,ການຢັ້ງຢືນ
 DocType: Bank Guarantee,Clauses and Conditions,ເງື່ອນໄຂແລະເງື່ອນໄຂ
 DocType: Serial No,Creation Document Type,ການສ້າງປະເພດເອກະສານ
 DocType: Project Task,View Timesheet,ເບິ່ງ Timesheet
@@ -5231,6 +5297,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,ສິນຄ້າພໍ່ແມ່ {0} ບໍ່ຕ້ອງເປັນສິນຄ້າພ້ອມສົ່ງ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,ລາຍຊື່ເວັບໄຊທ໌
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ຜະລິດຕະພັນຫຼືການບໍລິການທັງຫມົດ.
+DocType: Email Digest,Open Quotations,Open Quotations
 DocType: Expense Claim,More Details,ລາຍລະອຽດເພີ່ມເຕີມ
 DocType: Supplier Quotation,Supplier Address,ທີ່ຢູ່ຜູ້ຜະລິດ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ງົບປະມານສໍາລັບບັນຊີ {1} ກັບ {2} {3} ເປັນ {4}. ມັນຈະຫຼາຍກວ່າ {5}
@@ -5245,12 +5312,11 @@
 DocType: Training Event,Exam,ການສອບເສັງ
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marketplace Error
 DocType: Complaint,Complaint,ຄໍາຮ້ອງທຸກ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Warehouse ຕ້ອງການສໍາລັບສິນຄ້າຫຼັກຊັບ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Warehouse ຕ້ອງການສໍາລັບສິນຄ້າຫຼັກຊັບ {0}
 DocType: Leave Allocation,Unused leaves,ໃບທີ່ບໍ່ໄດ້ໃຊ້
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,ເຮັດໃຫ້ການຊໍາລະເງິນເຂົ້າ
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,ທຸກໆພະແນກ
 DocType: Healthcare Service Unit,Vacant,Vacant
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Supplier&gt; Supplier Type
 DocType: Patient,Alcohol Past Use,Alcohol Past Use
 DocType: Fertilizer Content,Fertilizer Content,ເນື້ອຫາປຸ໋ຍ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5258,7 +5324,7 @@
 DocType: Tax Rule,Billing State,State Billing
 DocType: Share Transfer,Transfer,ການຖ່າຍໂອນ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,ຕ້ອງໄດ້ຍົກເລີກການເຮັດວຽກ {0} ກ່ອນທີ່ຈະຍົກເລີກຄໍາສັ່ງຂາຍນີ້
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),ມາດດຶງຂໍ້ມູນລະເບີດ BOM (ລວມທັງອະນຸປະກອບ)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),ມາດດຶງຂໍ້ມູນລະເບີດ BOM (ລວມທັງອະນຸປະກອບ)
 DocType: Authorization Rule,Applicable To (Employee),ສາມາດນໍາໃຊ້ການ (ພະນັກງານ)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,ອັນເນື່ອງມາຈາກວັນທີ່ເປັນການບັງຄັບ
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,ເພີ່ມຂຶ້ນສໍາລັບຄຸນສົມບັດ {0} ບໍ່ສາມາດຈະເປັນ 0
@@ -5274,7 +5340,7 @@
 DocType: Disease,Treatment Period,ໄລຍະເວລາປິ່ນປົວ
 DocType: Travel Itinerary,Travel Itinerary,ທ່ອງທ່ຽວ
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,ຜົນໄດ້ຮັບແລ້ວສົ່ງ
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ຄັງສິນຄ້າຖືກຈໍາກັດສໍາລັບລາຍການ {0} ໃນວັດຖຸດິບທີ່ສະຫນອງໃຫ້
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ຄັງສິນຄ້າຖືກຈໍາກັດສໍາລັບລາຍການ {0} ໃນວັດຖຸດິບທີ່ສະຫນອງໃຫ້
 ,Inactive Customers,ລູກຄ້າບໍ່ໄດ້ໃຊ້ວຽກ
 DocType: Student Admission Program,Maximum Age,ສູງສຸດອາຍຸ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,ກະລຸນາລໍຖ້າ 3 ມື້ກ່ອນທີ່ຈະສົ່ງຄໍາເຕືອນຄືນມາ.
@@ -5283,7 +5349,6 @@
 DocType: Stock Entry,Delivery Note No,ການສົ່ງເງິນເຖິງບໍ່ມີ
 DocType: Cheque Print Template,Message to show,ຂໍ້ຄວາມທີ່ຈະສະແດງໃຫ້ເຫັນ
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,ຂາຍຍ່ອຍ
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,ຈັດການເງິນໃບແຈ້ງຫນີ້ອັດຕະໂນມັດໂດຍອັດຕະໂນມັດ
 DocType: Student Attendance,Absent,ບໍ່
 DocType: Staffing Plan,Staffing Plan Detail,Staffing Plan Detail
 DocType: Employee Promotion,Promotion Date,ວັນໂປໂມຊັ່ນ
@@ -5305,7 +5370,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,ເຮັດໃຫ້ຕະກົ່ວ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Print ແລະເຄື່ອງຮັບໃຊ້ຫ້ອງ
 DocType: Stock Settings,Show Barcode Field,ສະແດງໃຫ້ເຫັນພາກສະຫນາມ Barcode
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,ສົ່ງອີເມວ Supplier
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,ສົ່ງອີເມວ Supplier
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ເງິນເດືອນດໍາເນີນການສໍາລັບການໄລຍະເວລາລະຫວ່າງ {0} ແລະ {1}, ອອກຈາກໄລຍະເວລາຄໍາຮ້ອງສະຫມັກບໍ່ສາມາດຈະຢູ່ລະຫວ່າງລະດັບວັນທີນີ້."
 DocType: Fiscal Year,Auto Created,ສ້າງໂດຍອັດຕະໂນມັດ
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,ສົ່ງຂໍ້ມູນນີ້ເພື່ອສ້າງບັນທຶກພະນັກງານ
@@ -5314,7 +5379,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ໃບແຈ້ງຫນີ້ {0} ບໍ່ມີຢູ່ແລ້ວ
 DocType: Guardian Interest,Guardian Interest,ຜູ້ປົກຄອງທີ່ຫນ້າສົນໃຈ
 DocType: Volunteer,Availability,Availability
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,ຕັ້ງຄ່າຄ່າເລີ່ມຕົ້ນສໍາຫລັບໃບແຈ້ງຫນີ້ POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,ຕັ້ງຄ່າຄ່າເລີ່ມຕົ້ນສໍາຫລັບໃບແຈ້ງຫນີ້ POS
 apps/erpnext/erpnext/config/hr.py +248,Training,ການຝຶກອົບຮົມ
 DocType: Project,Time to send,ເວລາທີ່ຈະສົ່ງ
 DocType: Timesheet,Employee Detail,ຂໍ້ມູນພະນັກງານ
@@ -5338,7 +5403,7 @@
 DocType: Training Event Employee,Optional,ທາງເລືອກ
 DocType: Salary Slip,Earning & Deduction,ທີ່ໄດ້ຮັບແລະການຫັກ
 DocType: Agriculture Analysis Criteria,Water Analysis,ການວິເຄາະນ້ໍາ
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variants ສ້າງ.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variants ສ້າງ.
 DocType: Amazon MWS Settings,Region,ພູມິພາກ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ຖ້າຕ້ອງການ. ການຕັ້ງຄ່ານີ້ຈະໄດ້ຮັບການນໍາໃຊ້ການກັ່ນຕອງໃນການຄ້າຂາຍຕ່າງໆ.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,ອັດຕາການປະເມີນຄ່າທາງລົບບໍ່ໄດ້ຮັບອະນຸຍາດ
@@ -5357,7 +5422,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,ຄ່າໃຊ້ຈ່າຍຂອງສິນຊັບທະເລາະວິວາດ
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ສູນຕົ້ນທຶນເປັນການບັງຄັບສໍາລັບລາຍການ {2}
 DocType: Vehicle,Policy No,ນະໂຍບາຍທີ່ບໍ່ມີ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,ຮັບສິນຄ້າຈາກມັດດຽວກັນຜະລິດຕະພັນ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,ຮັບສິນຄ້າຈາກມັດດຽວກັນຜະລິດຕະພັນ
 DocType: Asset,Straight Line,Line ຊື່
 DocType: Project User,Project User,User ໂຄງການ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Split
@@ -5366,7 +5431,7 @@
 DocType: GL Entry,Is Advance,ແມ່ນ Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Lifecycle ພະນັກງານ
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,ຜູ້ເຂົ້າຮ່ວມຈາກວັນທີ່ສະຫມັກແລະຜູ້ເຂົ້າຮ່ວມເຖິງວັນທີ່ມີຜົນບັງຄັບ
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,ກະລຸນາໃສ່ &#39;ແມ່ນເຫມົາຊ່ວງເປັນ Yes or No
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,ກະລຸນາໃສ່ &#39;ແມ່ນເຫມົາຊ່ວງເປັນ Yes or No
 DocType: Item,Default Purchase Unit of Measure,ຫນ່ວຍການຊື້ວັດຖຸມາດຕະຖານມາດຕະຖານ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,ຫຼ້າສຸດວັນທີ່ສື່ສານ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,ຫຼ້າສຸດວັນທີ່ສື່ສານ
@@ -5376,7 +5441,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,ລຶບ URL ຂອງໂທຈັນຫຼື Shopify
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,Scrap Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","ຄັງສິນຄ້າທີ່ຕ້ອງການຢູ່ແຖວບໍ່ມີ {0}, ກະລຸນາຕັ້ງຄ່າສາງສໍາລັບລາຍການ {1} ສໍາລັບບໍລິສັດ {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","ຄັງສິນຄ້າທີ່ຕ້ອງການຢູ່ແຖວບໍ່ມີ {0}, ກະລຸນາຕັ້ງຄ່າສາງສໍາລັບລາຍການ {1} ສໍາລັບບໍລິສັດ {2}"
 DocType: Work Order,Check if material transfer entry is not required,ໃຫ້ກວດເບິ່ງວ່າ entry ໂອນວັດສະດຸແມ່ນບໍ່ຈໍາເປັນຕ້ອງ
 DocType: Work Order,Check if material transfer entry is not required,ໃຫ້ກວດເບິ່ງວ່າ entry ໂອນວັດສະດຸແມ່ນບໍ່ຈໍາເປັນຕ້ອງ
 DocType: Program Enrollment Tool,Get Students From,ໄດ້ຮັບນັກສຶກສາຈາກ
@@ -5393,6 +5458,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,ຊຸດໃຫມ່ຈໍານວນ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,ເຄື່ອງແຕ່ງກາຍແລະອຸປະກອນ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,ບໍ່ສາມາດແກ້ໄຂການທໍາງານຂອງຄະແນນປະເມີນ. ເຮັດໃຫ້ແນ່ໃຈວ່າສູດແມ່ນຖືກຕ້ອງ.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,ລາຍການສັ່ງຊື້ບໍ່ໄດ້ຮັບໃນເວລາ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ຈໍານວນຂອງຄໍາສັ່ງ
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / ປ້າຍໂຄສະນາທີ່ຈະສະແດງໃຫ້ເຫັນກ່ຽວກັບການເທິງຂອງບັນຊີລາຍຊື່ຜະລິດຕະພັນ.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,ລະບຸສະພາບການທີ່ຈະຄິດໄລ່ຈໍານວນການຂົນສົ່ງ
@@ -5401,9 +5467,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,ເສັ້ນທາງ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,ບໍ່ສາມາດແປງສູນຕົ້ນທຶນການບັນຊີຍ້ອນວ່າມັນມີຂໍ້ເດັກ
 DocType: Production Plan,Total Planned Qty,Total Planned Qty
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,ມູນຄ່າການເປີດ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,ມູນຄ່າການເປີດ
 DocType: Salary Component,Formula,ສູດ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial:
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial:
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,ບັນຊີການຂາຍ
 DocType: Purchase Invoice Item,Total Weight,ນ້ໍາຫນັກລວມ
@@ -5421,7 +5487,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,ເຮັດໃຫ້ວັດສະດຸຂໍ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ເປີດ Item {0}
 DocType: Asset Finance Book,Written Down Value,ຂຽນລົງມູນຄ່າ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,ກະລຸນາຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ&gt; HR Settings
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ຂາຍ Invoice {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການສັ່ງຊື້ສິນຄ້າຂາຍນີ້
 DocType: Clinical Procedure,Age,ອາຍຸສູງສຸດ
 DocType: Sales Invoice Timesheet,Billing Amount,ຈໍານວນໃບບິນ
@@ -5430,11 +5495,11 @@
 DocType: Company,Default Employee Advance Account,ບັນຊີເງິນລ່ວງຫນ້າຂອງພະນັກງານແບບຈໍາລອງ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Search Item (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດໄດ້ຮັບການລຶບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດໄດ້ຮັບການລຶບ
 DocType: Vehicle,Last Carbon Check,Check Carbon ຫຼ້າສຸດ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,ຄ່າໃຊ້ຈ່າຍດ້ານກົດຫມາຍ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,ກະລຸນາເລືອກປະລິມານກ່ຽວກັບການຕິດຕໍ່ກັນ
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,ເຮັດໃຫ້ການເປີດຂາຍແລະຊື້ໃບແຈ້ງຫນີ້
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,ເຮັດໃຫ້ການເປີດຂາຍແລະຊື້ໃບແຈ້ງຫນີ້
 DocType: Purchase Invoice,Posting Time,ເວລາທີ່ປະກາດ
 DocType: Timesheet,% Amount Billed,% ຈໍານວນເງິນບິນ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,ຄ່າໃຊ້ຈ່າຍທາງໂທລະສັບ
@@ -5449,14 +5514,14 @@
 DocType: Maintenance Visit,Breakdown,ລາຍລະອຽດ
 DocType: Travel Itinerary,Vegetarian,Vegetarian
 DocType: Patient Encounter,Encounter Date,Encounter Date
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,ບັນຊີ: {0} ກັບສະກຸນເງິນ: {1} ບໍ່ສາມາດໄດ້ຮັບການຄັດເລືອກ
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,ບັນຊີ: {0} ກັບສະກຸນເງິນ: {1} ບໍ່ສາມາດໄດ້ຮັບການຄັດເລືອກ
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bank Data
 DocType: Purchase Receipt Item,Sample Quantity,ຕົວຢ່າງຈໍານວນ
 DocType: Bank Guarantee,Name of Beneficiary,ຊື່ຜູ້ຮັບຜົນປະໂຫຍດ
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","ຄ່າໃຊ້ຈ່າຍການປັບປຸງອັດຕະໂນມັດ BOM ຜ່ານ Scheduler, ໂດຍອີງໃສ່ບັນຊີລາຍຊື່ອັດຕາມູນຄ່າ / ລາຄາອັດຕາການ / ອັດຕາການຊື້ຫລ້າສຸດທີ່ຜ່ານມາຂອງວັດຖຸດິບ."
 DocType: Supplier,SUP-.YYYY.-,SUP -YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,ວັນທີ່ສະຫມັກ Cheque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,ສົບຜົນສໍາເລັດການລຶບເຮັດທຸລະກໍາທັງຫມົດທີ່ກ່ຽວຂ້ອງກັບບໍລິສັດນີ້!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,ໃນຖານະເປັນວັນທີ
 DocType: Additional Salary,HR,HR
@@ -5464,7 +5529,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,ອອກແຈ້ງເຕືອນ SMS ຂອງຄົນເຈັບ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,ການທົດລອງ
 DocType: Program Enrollment Tool,New Academic Year,ປີທາງວິຊາການໃຫມ່
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Return / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Return / Credit Note
 DocType: Stock Settings,Auto insert Price List rate if missing,ໃສ່ອັດຕະໂນມັດອັດຕາລາຄາຖ້າຫາກວ່າຫາຍສາບສູນ
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,ຈໍານວນເງິນທີ່ຊໍາລະທັງຫມົດ
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5482,10 +5547,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ຂໍ້ເດັກນ້ອຍສາມາດໄດ້ຮັບການສ້າງຕັ້ງພຽງແຕ່ພາຍໃຕ້ &#39;ຂອງກຸ່ມຂໍ້ປະເພດ
 DocType: Attendance Request,Half Day Date,ເຄິ່ງຫນຶ່ງຂອງວັນທີວັນ
 DocType: Academic Year,Academic Year Name,ຊື່ປີທາງວິຊາການ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} ບໍ່ອະນຸຍາດໃຫ້ໂຕ້ຕອບກັບ {1}. ກະລຸນາປ່ຽນບໍລິສັດ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} ບໍ່ອະນຸຍາດໃຫ້ໂຕ້ຕອບກັບ {1}. ກະລຸນາປ່ຽນບໍລິສັດ.
 DocType: Sales Partner,Contact Desc,ຕິດຕໍ່ Desc
 DocType: Email Digest,Send regular summary reports via Email.,ສົ່ງບົດລາຍງານສະຫຼຸບສັງລວມເປັນປົກກະຕິໂດຍຜ່ານ Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານຢູ່ໃນປະເພດຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານຢູ່ໃນປະເພດຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Available Leaves
 DocType: Assessment Result,Student Name,ນາມສະກຸນ
 DocType: Hub Tracked Item,Item Manager,ການບໍລິຫານ
@@ -5510,9 +5575,10 @@
 DocType: Subscription,Trial Period End Date,ວັນສິ້ນສຸດການທົດລອງ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,ບໍ່ authroized ນັບຕັ້ງແຕ່ {0} ເກີນຈໍາກັດ
 DocType: Serial No,Asset Status,ສະຖານະຊັບສິນ
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Over Dimensional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurant Table
 DocType: Hotel Room,Hotel Manager,ຜູ້ຈັດການໂຮງແຮມ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ກໍານົດກົດລະບຽບພາສີສໍາລັບສິນຄ້າ
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,ກໍານົດກົດລະບຽບພາສີສໍາລັບສິນຄ້າ
 DocType: Purchase Invoice,Taxes and Charges Added,ພາສີອາກອນແລະຄ່າບໍລິການເພີ່ມ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,ໄລຍະຫັກຄ່າທໍານຽມ {0}: ວັນທີຄ່າເສື່ອມລາຄາຕໍ່ໄປບໍ່ສາມາດຢູ່ໃນວັນທີ່ມີຢູ່
 ,Sales Funnel,ຊ່ອງທາງການຂາຍ
@@ -5528,10 +5594,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,ກຸ່ມສົນທະນາຂອງລູກຄ້າທັງຫມົດ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,ສະສົມລາຍເດືອນ
 DocType: Attendance Request,On Duty,On Duty
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບ {1} ກັບ {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບ {1} ກັບ {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},ແຜນພັດທະນາພະນັກງານ {0} ມີຢູ່ແລ້ວສໍາລັບການກໍານົດ {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,ແມ່ແບບພາສີເປັນການບັງຄັບ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ມີ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ມີ
 DocType: POS Closing Voucher,Period Start Date,ວັນເລີ່ມຕົ້ນໄລຍະເວລາ
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),ລາຄາອັດຕາ (ບໍລິສັດສະກຸນເງິນ)
 DocType: Products Settings,Products Settings,ການຕັ້ງຄ່າຜະລິດຕະພັນ
@@ -5551,7 +5617,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,ການປະຕິບັດນີ້ຈະຢຸດການເອີ້ນເກັບເງິນໃນອະນາຄົດ. ທ່ານແນ່ໃຈວ່າທ່ານຕ້ອງການຍົກເລີກການສະຫມັກນີ້ບໍ?
 DocType: Serial No,Distinct unit of an Item,ຫນ່ວຍບໍລິການທີ່ແຕກຕ່າງກັນຂອງລາຍການ
 DocType: Supplier Scorecard Criteria,Criteria Name,ມາດຕະຖານຊື່
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,ກະລຸນາຕັ້ງບໍລິສັດ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,ກະລຸນາຕັ້ງບໍລິສັດ
 DocType: Procedure Prescription,Procedure Created,ຂັ້ນຕອນການສ້າງ
 DocType: Pricing Rule,Buying,ຊື້
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,ພະຍາດແລະປຸ໋ຍ
@@ -5568,43 +5634,44 @@
 DocType: Employee Onboarding,Job Offer,Job Offer
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,ສະຖາບັນສະບັບຫຍໍ້
 ,Item-wise Price List Rate,ລາຍການສະຫລາດອັດຕາລາຄາ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,ສະເຫນີລາຄາຜູ້ຜະລິດ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,ສະເຫນີລາຄາຜູ້ຜະລິດ
 DocType: Quotation,In Words will be visible once you save the Quotation.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດການຊື້ຂາຍ.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ປະລິມານ ({0}) ບໍ່ສາມາດຈະສ່ວນໃນຕິດຕໍ່ກັນ {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ປະລິມານ ({0}) ບໍ່ສາມາດຈະສ່ວນໃນຕິດຕໍ່ກັນ {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ປະລິມານ ({0}) ບໍ່ສາມາດຈະສ່ວນໃນຕິດຕໍ່ກັນ {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ປະລິມານ ({0}) ບໍ່ສາມາດຈະສ່ວນໃນຕິດຕໍ່ກັນ {1}
 DocType: Contract,Unsigned,ບໍ່ໄດ້ເຊັນຊື່
 DocType: Selling Settings,Each Transaction,ແຕ່ລະການເຮັດທຸລະກໍາ
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} ນໍາໃຊ້ແລ້ວໃນ Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} ນໍາໃຊ້ແລ້ວໃນ Item {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ກົດລະບຽບສໍາລັບການເພີ່ມຄ່າໃຊ້ຈ່າຍໃນການຂົນສົ່ງ.
 DocType: Hotel Room,Extra Bed Capacity,Extra Bed Capacity
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,ເປີດ Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ລູກຄ້າທີ່ຕ້ອງການ
 DocType: Lab Test,Result Date,ວັນທີຜົນໄດ້ຮັບ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Date
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Date
 DocType: Purchase Order,To Receive,ທີ່ຈະໄດ້ຮັບ
 DocType: Leave Period,Holiday List for Optional Leave,ລາຍຊື່ພັກຜ່ອນສໍາລັບການເລືອກທາງເລືອກ
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,ເຈົ້າຂອງຊັບສິນ
 DocType: Purchase Invoice,Reason For Putting On Hold,ເຫດຜົນສໍາລັບການວາງໄວ້
 DocType: Employee,Personal Email,ອີເມວສ່ວນຕົວ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,ຕ່າງທັງຫມົດ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,ຕ່າງທັງຫມົດ
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ຖ້າຫາກວ່າເປີດການໃຊ້ງານ, ລະບົບຈະສະແດງການອອກສຽງການບັນຊີສໍາລັບສິນຄ້າຄົງຄັງອັດຕະໂນມັດ."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokerage
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານ {0} ແມ່ນຫມາຍແລ້ວສໍາລັບມື້ນີ້
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານ {0} ແມ່ນຫມາຍແລ້ວສໍາລັບມື້ນີ້
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",ໃນນາທີ Updated ໂດຍຜ່ານການ &#39;ທີ່ໃຊ້ເວລາເຂົ້າ&#39;
 DocType: Customer,From Lead,ຈາກ Lead
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ຄໍາສັ່ງປ່ອຍອອກມາເມື່ອສໍາລັບການຜະລິດ.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,ເລືອກປີງົບປະມານ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS ຂໍ້ມູນທີ່ຕ້ອງການເພື່ອເຮັດໃຫ້ POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS ຂໍ້ມູນທີ່ຕ້ອງການເພື່ອເຮັດໃຫ້ POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","ຈຸດເຄົາລົບຈະຖືກຄໍານວນຈາກການໃຊ້ຈ່າຍ (ຜ່ານໃບເກັບເງິນການຂາຍ), ອີງໃສ່ປັດໄຈການເກັບກໍາທີ່ໄດ້ກ່າວມາ."
 DocType: Program Enrollment Tool,Enroll Students,ລົງທະບຽນນັກສຶກສາ
 DocType: Company,HRA Settings,ການຕັ້ງຄ່າ HRA
 DocType: Employee Transfer,Transfer Date,ວັນທີໂອນ
 DocType: Lab Test,Approved Date,ວັນທີ່ຖືກອະນຸມັດ
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ຂາຍມາດຕະຖານ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,atleast ຫນຶ່ງ warehouse ເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,atleast ຫນຶ່ງ warehouse ເປັນການບັງຄັບ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","ການກໍານົດເຂດຂໍ້ມູນສະຖານທີ່ເຊັ່ນ UOM, ກຸ່ມສິນຄ້າ, ລາຍລະອຽດແລະຈໍານວນຊົ່ວໂມງ."
 DocType: Certification Application,Certification Status,ສະຖານະການຮັບຮອງ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5624,6 +5691,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Matching Invoices
 DocType: Work Order,Required Items,ລາຍການທີ່ກໍານົດໄວ້
 DocType: Stock Ledger Entry,Stock Value Difference,ຄວາມແຕກຕ່າງມູນຄ່າຫຼັກຊັບ
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Item Row {0}: {1} {2} ບໍ່ມີຢູ່ໃນຕາຕະລາງ &#39;{1}&#39; ຂ້າງເທິງ
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,ຊັບພະຍາກອນມະນຸດ
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ສ້າງຄວາມປອງດອງການຊໍາລະເງິນ
 DocType: Disease,Treatment Task,ວຽກງານການປິ່ນປົວ
@@ -5641,7 +5709,8 @@
 DocType: Account,Debit,ເດບິດ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,ໃບຕ້ອງໄດ້ຮັບການຈັດສັນຫລາຍຂອງ 05
 DocType: Work Order,Operation Cost,ຕົ້ນທຶນການດໍາເນີນງານ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,ທີ່ຍັງຄ້າງຄາ Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,ກໍານົດຜູ້ຕັດສິນໃຈ
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,ທີ່ຍັງຄ້າງຄາ Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ກໍານົດເປົ້າຫມາຍສິນຄ້າກຸ່ມສະຫລາດນີ້ເປັນສ່ວນຕົວຂາຍ.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze ຫຸ້ນເກີນ [ວັນ]
 DocType: Payment Request,Payment Ordered,Payment Ordered
@@ -5653,14 +5722,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,ອະນຸຍາດໃຫ້ຜູ້ຊົມໃຊ້ຕໍ່ໄປນີ້ເພື່ອອະນຸມັດຄໍາຮ້ອງສະຫມັກສໍາລັບໃບວັນຕັນ.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,ວົງຈອນຊີວິດ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Make BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ອັດຕາການສໍາລັບລາຍການຂາຍ {0} ແມ່ນຕ່ໍາກ່ວາຂອງຕົນ {1}. ອັດຕາການຂາຍຄວນຈະ atleast {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ອັດຕາການສໍາລັບລາຍການຂາຍ {0} ແມ່ນຕ່ໍາກ່ວາຂອງຕົນ {1}. ອັດຕາການຂາຍຄວນຈະ atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ອັດຕາການສໍາລັບລາຍການຂາຍ {0} ແມ່ນຕ່ໍາກ່ວາຂອງຕົນ {1}. ອັດຕາການຂາຍຄວນຈະ atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ອັດຕາການສໍາລັບລາຍການຂາຍ {0} ແມ່ນຕ່ໍາກ່ວາຂອງຕົນ {1}. ອັດຕາການຂາຍຄວນຈະ atleast {2}
 DocType: Subscription,Taxes,ພາສີອາກອນ
 DocType: Purchase Invoice,capital goods,ສິນຄ້າທຶນ
 DocType: Purchase Invoice Item,Weight Per Unit,ນ້ໍາຫນັກຕໍ່ຫນ່ວຍ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,ການຊໍາລະເງິນແລະບໍ່ໄດ້ສົ່ງ
-DocType: Project,Default Cost Center,ສູນຕົ້ນທຶນມາດຕະຖານ
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,ສູນຕົ້ນທຶນມາດຕະຖານ
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ທຸລະກໍາຫຼັກຊັບ
 DocType: Budget,Budget Accounts,ບັນຊີງົບປະມານ
 DocType: Employee,Internal Work History,ວັດການເຮັດວຽກພາຍໃນ
@@ -5693,7 +5761,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Practitioner ສຸຂະພາບບໍ່ມີຢູ່ໃນ {0}
 DocType: Stock Entry Detail,Additional Cost,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ Voucher No, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມ Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,ເຮັດໃຫ້ສະເຫນີລາຄາຜູ້ຜະລິດ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,ເຮັດໃຫ້ສະເຫນີລາຄາຜູ້ຜະລິດ
 DocType: Quality Inspection,Incoming,ເຂົ້າມາ
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,ແມ່ແບບພາສີມາດຕະຖານສໍາລັບການຂາຍແລະການຊື້ໄດ້ຖືກສ້າງຂຶ້ນ.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,ບັນທຶກການປະເມີນຜົນ {0} ມີຢູ່ແລ້ວ.
@@ -5709,7 +5777,7 @@
 DocType: Batch,Batch ID,ID batch
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},ຫມາຍເຫດ: {0}
 ,Delivery Note Trends,ທ່າອ່ຽງການສົ່ງເງິນ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Summary ອາທິດນີ້
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Summary ອາທິດນີ້
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,ສິນຄ້າພ້ອມສົ່ງ
 ,Daily Work Summary Replies,ຕອບຫຼ້າສຸດ
 DocType: Delivery Trip,Calculate Estimated Arrival Times,ຄິດໄລ່ເວລາມາຮອດປະມານ
@@ -5719,7 +5787,7 @@
 DocType: Bank Account,Party,ພັກ
 DocType: Healthcare Settings,Patient Name,ຊື່ຜູ້ປ່ວຍ
 DocType: Variant Field,Variant Field,Variant Field
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ສະຖານທີ່ເປົ້າຫມາຍ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ສະຖານທີ່ເປົ້າຫມາຍ
 DocType: Sales Order,Delivery Date,ວັນທີສົ່ງ
 DocType: Opportunity,Opportunity Date,ວັນທີ່ສະຫມັກໂອກາດ
 DocType: Employee,Health Insurance Provider,ຜູ້ໃຫ້ບໍລິການສຸຂະພາບ
@@ -5738,7 +5806,7 @@
 DocType: Employee,History In Company,ປະຫວັດສາດໃນບໍລິສັດ
 DocType: Customer,Customer Primary Address,ທີ່ຢູ່ສະຖານທີ່ຂອງລູກຄ້າຫລັກ
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,ຈົດຫມາຍຂ່າວ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Reference No
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Reference No
 DocType: Drug Prescription,Description/Strength,ຄໍາອະທິບາຍ / ຄວາມເຂັ້ມແຂງ
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,ສ້າງການຈ່າຍເງິນໃຫມ່ / ວາລະສານເຂົ້າ
 DocType: Certification Application,Certification Application,ໃບສະຫມັກໃບຢັ້ງຢືນ
@@ -5749,10 +5817,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,ລາຍການດຽວກັນໄດ້ຮັບເຂົ້າໄປຫຼາຍຄັ້ງ
 DocType: Department,Leave Block List,ອອກຈາກບັນຊີ Block
 DocType: Purchase Invoice,Tax ID,ID ພາສີ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. Column ຕ້ອງມີຊ່ອງຫວ່າງ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. Column ຕ້ອງມີຊ່ອງຫວ່າງ
 DocType: Accounts Settings,Accounts Settings,ບັນຊີ Settings
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,ອະນຸມັດ
 DocType: Loyalty Program,Customer Territory,Customer Territory
+DocType: Email Digest,Sales Orders to Deliver,ຄໍາສັ່ງຂາຍເພື່ອສົ່ງສິນຄ້າ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","ຈໍານວນບັນຊີໃຫມ່, ມັນຈະຖືກລວມຢູ່ໃນຊື່ບັນຊີເປັນຄໍານໍາຫນ້າ"
 DocType: Maintenance Team Member,Team Member,ທີມງານສະມາຊິກ
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,ບໍ່ມີຜົນການສົ່ງ
@@ -5762,7 +5831,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",ທັງຫມົດ {0} ສໍາລັບລາຍການທັງຫມົດເປັນສູນອາດຈະເປັນທີ່ທ່ານຄວນຈະມີການປ່ຽນແປງ &#39;ແຈກຢາຍຄ່າບໍລິການຂຶ້ນຢູ່ກັບ&#39;
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,ເຖິງວັນນີ້ບໍ່ສາມາດນ້ອຍກວ່າວັນທີ
 DocType: Opportunity,To Discuss,ເພື່ອປຶກສາຫາລື
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາຕໍ່ຜູ້ຊົມໃຊ້ນີ້. ເບິ່ງຕາຕະລາງຂ້າງລຸ່ມສໍາລັບລາຍລະອຽດ
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} ຫົວຫນ່ວຍຂອງ {1} ທີ່ຈໍາເປັນໃນ {2} ເພື່ອໃຫ້ສໍາເລັດການນີ້.
 DocType: Loan Type,Rate of Interest (%) Yearly,ອັດຕາການທີ່ຫນ້າສົນໃຈ (%) ປະຈໍາປີ
 DocType: Support Settings,Forum URL,Forum URL
@@ -5777,7 +5845,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,ຮຽນຮູ້ເພີ່ມເຕີມ
 DocType: Cheque Print Template,Distance from top edge,ໄລຍະຫ່າງຈາກຂອບດ້ານເທິງ
 DocType: POS Closing Voucher Invoices,Quantity of Items,ຈໍານວນຂອງສິນຄ້າ
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,ລາຄາ {0} ເປັນຄົນພິການຫຼືບໍ່ມີ
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,ລາຄາ {0} ເປັນຄົນພິການຫຼືບໍ່ມີ
 DocType: Purchase Invoice,Return,ການກັບຄືນມາ
 DocType: Pricing Rule,Disable,ປິດການທໍາງານ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,ຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນເພື່ອເຮັດໃຫ້ການຊໍາລະເງິນ
@@ -5785,18 +5853,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","ແກ້ໄຂໃນຫນ້າເຕັມສໍາລັບທາງເລືອກຫຼາຍເຊັ່ນຊັບສິນ, serial nos, lots ແລະອື່ນໆ."
 DocType: Leave Type,Maximum Continuous Days Applicable,ມື້ຕໍ່ເນື່ອງສູງສຸດສາມາດໃຊ້ໄດ້
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ບໍ່ໄດ້ລົງທະບຽນໃນຊຸດໄດ້ {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",Asset {0} ບໍ່ສາມາດໄດ້ຮັບການທະເລາະວິວາດກັນແລ້ວ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",Asset {0} ບໍ່ສາມາດໄດ້ຮັບການທະເລາະວິວາດກັນແລ້ວ {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,ເຊັກຕ້ອງການ
 DocType: Task,Total Expense Claim (via Expense Claim),ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ໂດຍຜ່ານຄ່າໃຊ້ຈ່າຍການຮຽກຮ້ອງ)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ເຄື່ອງຫມາຍຂາດ
 DocType: Job Applicant Source,Job Applicant Source,Job Applicant Source
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Amount
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Amount
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,ບໍ່ສາມາດຕິດຕັ້ງບໍລິສັດ
 DocType: Asset Repair,Asset Repair,Asset Repair
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ຕິດຕໍ່ກັນ {0}: ສະກຸນເງິນຂອງ BOM: {1} ຄວນຈະເທົ່າກັບສະກຸນເງິນການຄັດເລືອກ {2}
 DocType: Journal Entry Account,Exchange Rate,ອັດຕາແລກປ່ຽນ
 DocType: Patient,Additional information regarding the patient,ຂໍ້ມູນເພີ່ມເຕີມກ່ຽວກັບຄົນເຈັບ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,ໃບສັ່ງຂາຍ {0} ບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,ໃບສັ່ງຂາຍ {0} ບໍ່ໄດ້ສົ່ງ
 DocType: Homepage,Tag Line,Line Tag
 DocType: Fee Component,Fee Component,ຄ່າບໍລິການສ່ວນປະກອບ
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,ການຈັດການ Fleet
@@ -5811,7 +5879,7 @@
 DocType: Healthcare Practitioner,Mobile,ໂທລະສັບມືຖື
 ,Sales Person-wise Transaction Summary,Summary ທຸລະກໍາຄົນສະຫລາດ
 DocType: Training Event,Contact Number,ຫມາຍເລກໂທລະສັບ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Warehouse {0} ບໍ່ມີ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Warehouse {0} ບໍ່ມີ
 DocType: Cashier Closing,Custody,ການຮັກສາສຸຂະພາບ
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ລາຍລະອຽດການສະເຫນີຍົກເວັ້ນພາສີຂອງພະນັກງານ
 DocType: Monthly Distribution,Monthly Distribution Percentages,ອັດຕາສ່ວນການແຜ່ກະຈາຍປະຈໍາເດືອນ
@@ -5826,7 +5894,7 @@
 DocType: Payment Entry,Paid Amount,ຈໍານວນເງິນຊໍາລະເງິນ
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,ໂຄງການຂຸດຄົ້ນ Cycle Sales
 DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retention Stock Entry
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retention Stock Entry
 ,Available Stock for Packing Items,ສິນຄ້າສໍາລັບການບັນຈຸ
 DocType: Item Variant,Item Variant,ລາຍການ Variant
 ,Work Order Stock Report,ລາຍວຽກການສັ່ງຊື້ສິນຄ້າ
@@ -5835,9 +5903,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,As Supervisor
 DocType: Leave Policy Detail,Leave Policy Detail,ອອກຈາກລາຍລະອຽດນະໂຍບາຍ
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,ຄໍາສັ່ງສົ່ງບໍ່ສາມາດລຶບ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນເດບິດ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ &#39;ສົມຕ້ອງໄດ້ຮັບ&#39; ເປັນ &#39;Credit&#39;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,ການບໍລິຫານຄຸນະພາບ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,ຄໍາສັ່ງສົ່ງບໍ່ສາມາດລຶບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນເດບິດ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ &#39;ສົມຕ້ອງໄດ້ຮັບ&#39; ເປັນ &#39;Credit&#39;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,ການບໍລິຫານຄຸນະພາບ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,ລາຍການ {0} ໄດ້ຖືກປິດ
 DocType: Project,Total Billable Amount (via Timesheets),ຈໍານວນເງິນທີ່ສາມາດຈ່າຍເງິນໄດ້ (ຜ່ານບັດປະຈໍາຕົວ)
 DocType: Agriculture Task,Previous Business Day,ວັນທຸລະກິດຜ່ານມາ
@@ -5860,15 +5928,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,ສູນຕົ້ນທຶນ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Restart Subscription
 DocType: Linked Plant Analysis,Linked Plant Analysis,Linked Plant Analysis
-DocType: Delivery Note,Transporter ID,Transporter ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Proposition ມູນຄ່າ
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ອັດຕາການທີ່ຜູ້ສະຫນອງຂອງສະກຸນເງິນຈະປ່ຽນເປັນສະກຸນເງິນຂອງບໍລິສັດ
-DocType: Sales Invoice Item,Service End Date,ວັນສິ້ນສຸດການບໍລິການ
+DocType: Purchase Invoice Item,Service End Date,ວັນສິ້ນສຸດການບໍລິການ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},"ຕິດຕໍ່ກັນ, {0}: ຂໍ້ຂັດແຍ່ງເວລາທີ່ມີການຕິດຕໍ່ກັນ {1}"
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ອະນຸຍາດໃຫ້ສູນອັດຕາປະເມີນມູນຄ່າ
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ອະນຸຍາດໃຫ້ສູນອັດຕາປະເມີນມູນຄ່າ
 DocType: Bank Guarantee,Receiving,ການຮັບເອົາ
 DocType: Training Event Employee,Invited,ເຊື້ອເຊີນ
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,ການຕັ້ງຄ່າບັນຊີ Gateway.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,ການຕັ້ງຄ່າບັນຊີ Gateway.
 DocType: Employee,Employment Type,ປະເພດວຽກເຮັດງານທໍາ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,ຊັບສິນຄົງທີ່
 DocType: Payment Entry,Set Exchange Gain / Loss,ກໍານົດອັດຕາແລກປ່ຽນໄດ້ຮັບ / ການສູນເສຍ
@@ -5884,7 +5953,7 @@
 DocType: Tax Rule,Sales Tax Template,ແມ່ແບບພາສີການຂາຍ
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,ຈ່າຍຄ່າໃບແຈ້ງຜົນປະໂຫຍດ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,ປັບປຸງຈໍານວນສູນຕົ້ນທຶນ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ
 DocType: Employee,Encashment Date,ວັນທີ່ສະຫມັກ Encashment
 DocType: Training Event,Internet,ອິນເຕີເນັດ
 DocType: Special Test Template,Special Test Template,ແບບທົດສອບພິເສດ
@@ -5892,13 +5961,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},ມາດຕະຖານຂອງກິດຈະກໍາຕົ້ນທຶນທີ່ມີຢູ່ສໍາລັບການປະເພດຂອງກິດຈະກໍາ - {0}
 DocType: Work Order,Planned Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການວາງແຜນ
 DocType: Academic Term,Term Start Date,ວັນທີ່ສະຫມັກໃນໄລຍະເລີ່ມຕົ້ນ
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,ລາຍະການຂອງການໂອນຫຸ້ນທັງຫມົດ
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,ລາຍະການຂອງການໂອນຫຸ້ນທັງຫມົດ
+DocType: Supplier,Is Transporter,ແມ່ນການຂົນສົ່ງ
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ນໍາເຂົ້າໃບເກັບເງິນຈາກ Shopify ຖ້າການຊໍາລະເງິນແມ່ນຖືກຫມາຍ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,ນັບ Opp
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,ນັບ Opp
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,ວັນທີເລີ່ມຕົ້ນແລະໄລຍະເວລາໄລຍະເວລາການທົດລອງຕ້ອງຖືກກໍານົດໄວ້ທັງສອງໄລຍະເວລາທົດລອງ
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,ອັດຕາເສລີ່ຍ
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ຈໍານວນເງິນຈ່າຍທັງຫມົດໃນຕາຕະລາງການຊໍາລະເງິນຕ້ອງເທົ່າກັບ Grand / Total Rounded
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ຈໍານວນເງິນຈ່າຍທັງຫມົດໃນຕາຕະລາງການຊໍາລະເງິນຕ້ອງເທົ່າກັບ Grand / Total Rounded
 DocType: Subscription Plan Detail,Plan,ແຜນການ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,ທະນາຄານການດຸ່ນດ່ຽງງົບເປັນຕໍ່ຊີແຍກປະເພດທົ່ວໄປ
 DocType: Job Applicant,Applicant Name,ຊື່ຜູ້ສະຫມັກ
@@ -5926,7 +5996,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,ສາມາດໃຊ້ໄດ້ຈໍານວນທີ່ມາ Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,ການຮັບປະກັນ
 DocType: Purchase Invoice,Debit Note Issued,Debit Note ອອກ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ການກັ່ນຕອງໂດຍອີງໃສ່ສູນຕົ້ນທຶນສາມາດນໍາໃຊ້ໄດ້ຖ້າວ່າ Budget Against ຖືກເລືອກເປັນສູນຕົ້ນທຶນ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ການກັ່ນຕອງໂດຍອີງໃສ່ສູນຕົ້ນທຶນສາມາດນໍາໃຊ້ໄດ້ຖ້າວ່າ Budget Against ຖືກເລືອກເປັນສູນຕົ້ນທຶນ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","ຄົ້ນຫາຕາມລະຫັດສິນຄ້າ, ຫມາຍເລກເຄື່ອງຫມາຍເລກ, ບໍ່ມີເຄື່ອງຫມາຍເລກຫລືບາໂຄດ"
 DocType: Work Order,Warehouses,ຄັງສິນຄ້າ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} ຊັບສິນບໍ່ສາມາດໄດ້ຮັບການໂອນ
@@ -5937,9 +6007,9 @@
 DocType: Workstation,per hour,ຕໍ່ຊົ່ວໂມງ
 DocType: Blanket Order,Purchasing,ຈັດຊື້
 DocType: Announcement,Announcement,ປະກາດ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Customer LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Customer LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ສໍາລັບອີງຊຸດ Group ນັກສຶກສາ, ຊຸດນັກສຶກສາຈະໄດ້ຮັບການກວດສອບສໍາລັບທຸກນັກສຶກສາຈາກໂຄງການລົງທະບຽນ."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນການເຂົ້າຫຸ້ນຊີແຍກປະເພດທີ່ມີຢູ່ສໍາລັບການສາງນີ້.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນການເຂົ້າຫຸ້ນຊີແຍກປະເພດທີ່ມີຢູ່ສໍາລັບການສາງນີ້.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,ການແຜ່ກະຈາຍ
 DocType: Journal Entry Account,Loan,ເງິນກູ້ຢືມ
 DocType: Expense Claim Advance,Expense Claim Advance,ຄ່າໃຊ້ຈ່າຍທີ່ຮ້ອງຂໍລ່ວງຫນ້າ
@@ -5948,7 +6018,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,ຜູ້ຈັດການໂຄງການ
 ,Quoted Item Comparison,ປຽບທຽບບາຍດີທຸກທ່ານ Item
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},ກັນໃນການໃຫ້ຄະແນນລະຫວ່າງ {0} ແລະ {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,ຫນັງສືທາງການ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,ຫນັງສືທາງການ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,ພິເສດນ້ໍາອະນຸຍາດໃຫ້ສໍາລັບລາຍການ: {0} ເປັນ {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,ມູນຄ່າຊັບສິນສຸດທິເປັນ
 DocType: Crop,Produce,ຜະລິດ
@@ -5958,20 +6028,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,ການນໍາໃຊ້ວັດສະດຸສໍາລັບການຜະລິດ
 DocType: Item Alternative,Alternative Item Code,Alternate Item Code
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ພາລະບົດບາດທີ່ຖືກອະນຸຍາດໃຫ້ສົ່ງການທີ່ເກີນຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອທີ່ກໍານົດໄວ້.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,ເລືອກລາຍການການຜະລິດ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,ເລືອກລາຍການການຜະລິດ
 DocType: Delivery Stop,Delivery Stop,ການຈັດສົ່ງສິນຄ້າ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ"
 DocType: Item,Material Issue,ສະບັບອຸປະກອນການ
 DocType: Employee Education,Qualification,ຄຸນສົມບັດ
 DocType: Item Price,Item Price,ລາຍການລາຄາ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,ສະບູ່ແລະຜົງຊັກຟອກ
 DocType: BOM,Show Items,ສະແດງລາຍການ
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,ຈາກທີ່ໃຊ້ເວລາບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາທີ່ໃຊ້ເວລາ.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,ທ່ານຕ້ອງການແຈ້ງໃຫ້ລູກຄ້າທຸກຄົນຜ່ານທາງອີເມວບໍ?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,ທ່ານຕ້ອງການແຈ້ງໃຫ້ລູກຄ້າທຸກຄົນຜ່ານທາງອີເມວບໍ?
 DocType: Subscription Plan,Billing Interval,ໄລຍະເວລາການເອີ້ນເກັບເງິນ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture ແລະວິດີໂອ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,ຄໍາສັ່ງ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,ວັນທີເລີ່ມຕົ້ນແລະວັນສິ້ນສຸດຕົວຈິງແມ່ນບັງຄັບໃຊ້
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ລູກຄ້າ&gt; ກຸ່ມລູກຄ້າ&gt; ອານາເຂດ
 DocType: Salary Detail,Component,ອົງປະກອບ
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,ແຖວ {0}: {1} ຕ້ອງຫຼາຍກວ່າ 0
 DocType: Assessment Criteria,Assessment Criteria Group,Group ເງື່ອນໄຂການປະເມີນຜົນ
@@ -6002,11 +6073,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,ກະລຸນາໃສ່ຊື່ຂອງທະນາຄານຫຼືສະຖາບັນການໃຫ້ຍືມກ່ອນສົ່ງ.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} ຕ້ອງໄດ້ຮັບການສົ່ງ
 DocType: POS Profile,Item Groups,ກຸ່ມລາຍການ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,ໃນມື້ນີ້ແມ່ນ {0} &#39;s ວັນເດືອນປີເກີດ!
 DocType: Sales Order Item,For Production,ສໍາລັບການຜະລິດ
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,ຍອດເງິນໃນບັນຊີສະກຸນເງິນ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,ກະລຸນາເພີ່ມບັນຊີເປີດຊົ່ວຄາວໃນຕາຕະລາງບັນຊີ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,ກະລຸນາເພີ່ມບັນຊີເປີດຊົ່ວຄາວໃນຕາຕະລາງບັນຊີ
 DocType: Customer,Customer Primary Contact,Customer Primary Contact
 DocType: Project Task,View Task,ເບິ່ງ Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6020,11 +6090,11 @@
 DocType: Sales Invoice,Get Advances Received,ໄດ້ຮັບການຄວາມກ້າວຫນ້າທີ່ໄດ້ຮັບ
 DocType: Email Digest,Add/Remove Recipients,Add / Remove ຜູ້ຮັບ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","ການຕັ້ງຄ່ານີ້ປີງົບປະມານເປັນຄ່າເລີ່ມຕົ້ນ, ໃຫ້ຄລິກໃສ່ &#39;ກໍານົດເປັນມາດຕະຖານ&#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,ຈໍານວນເງິນຂອງ TDS ຖອນອອກ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,ຈໍານວນເງິນຂອງ TDS ຖອນອອກ
 DocType: Production Plan,Include Subcontracted Items,ລວມເອົາລາຍການທີ່ຕິດຕໍ່ພາຍໃຕ້ເງື່ອນໄຂ
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,ເຂົ້າຮ່ວມ
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,ການຂາດແຄນຈໍານວນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,ເຂົ້າຮ່ວມ
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,ການຂາດແຄນຈໍານວນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ
 DocType: Loan,Repay from Salary,ຕອບບຸນແທນຄຸນຈາກເງິນເດືອນ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},ຂໍຊໍາລະເງິນກັບ {0} {1} ສໍາລັບຈໍານວນເງິນທີ່ {2}
 DocType: Additional Salary,Salary Slip,Slip ເງິນເດືອນ
@@ -6040,7 +6110,7 @@
 DocType: Patient,Dormant,dormant
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ດຶງດູດພາສີສໍາລັບຜົນປະໂຫຍດຂອງພະນັກງານທີ່ບໍ່ມີການຮ້ອງຂໍ
 DocType: Salary Slip,Total Interest Amount,ຈໍານວນດອກເບ້ຍທັງຫມົດ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,ຄັງສິນຄ້າທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,ຄັງສິນຄ້າທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
 DocType: BOM,Manage cost of operations,ການຄຸ້ມຄອງຄ່າໃຊ້ຈ່າຍຂອງການດໍາເນີນງານ
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,ໄລຍະເວລາມາຮອດ
@@ -6052,7 +6122,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,ການປະເມີນຜົນຂໍ້ມູນຜົນການຄົ້ນຫາ
 DocType: Employee Education,Employee Education,ການສຶກສາພະນັກງານ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,ກຸ່ມລາຍການຊ້ໍາກັນພົບເຫັນຢູ່ໃນຕາຕະລາງກຸ່ມລາຍການ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,ມັນຕ້ອງການເພື່ອດຶງຂໍ້ມູນລາຍລະອຽດສິນຄ້າ.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,ມັນຕ້ອງການເພື່ອດຶງຂໍ້ມູນລາຍລະອຽດສິນຄ້າ.
 DocType: Fertilizer,Fertilizer Name,ຊື່ປຸ໋ຍ
 DocType: Salary Slip,Net Pay,ຈ່າຍສຸດທິ
 DocType: Cash Flow Mapping Accounts,Account,ບັນຊີ
@@ -6063,14 +6133,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,ສ້າງລາຍຈ່າຍການຈ່າຍເງິນແຍກຕ່າງຫາກຕໍ່ກັບການຮຽກຮ້ອງຜົນປະໂຫຍດ
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),ການມີອາການໄຂ້ (ຄວາມຮ້ອນ&gt; 385 ° C / 1013 ° F ຫຼືຄວາມຊ້າ&gt; 38 ° C / 1004 ° F)
 DocType: Customer,Sales Team Details,ລາຍລະອຽດ Team Sales
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,ລຶບຢ່າງຖາວອນ?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,ລຶບຢ່າງຖາວອນ?
 DocType: Expense Claim,Total Claimed Amount,ຈໍານວນທັງຫມົດອ້າງວ່າ
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ກາລະໂອກາດທີ່ອາດມີສໍາລັບການຂາຍ.
 DocType: Shareholder,Folio no.,Folio no
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},ບໍ່ຖືກຕ້ອງ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,ລາປ່ວຍ
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,ບໍ່ແມ່ນ
 DocType: Delivery Note,Billing Address Name,Billing ຊື່ທີ່ຢູ່
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ພະແນກຮ້ານຄ້າ
 ,Item Delivery Date,ລາຍການວັນທີ່ສົ່ງ
@@ -6086,16 +6155,16 @@
 DocType: Account,Chargeable,ຄ່າບໍລິການ
 DocType: Company,Change Abbreviation,ການປ່ຽນແປງສະບັບຫຍໍ້
 DocType: Contract,Fulfilment Details,ລາຍະລະອຽດການປະຕິບັດ
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},ຈ່າຍ {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},ຈ່າຍ {0} {1}
 DocType: Employee Onboarding,Activities,ກິດຈະກໍາຕ່າງໆ
 DocType: Expense Claim Detail,Expense Date,ວັນທີ່ສະຫມັກຄ່າໃຊ້ຈ່າຍ
 DocType: Item,No of Months,ບໍ່ມີເດືອນ
 DocType: Item,Max Discount (%),ນ້ໍາສ່ວນລົດ (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,ວັນທີເຄດິດບໍ່ສາມາດເປັນຕົວເລກລົບ
-DocType: Sales Invoice Item,Service Stop Date,Service Stop Date
+DocType: Purchase Invoice Item,Service Stop Date,Service Stop Date
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,ຈໍານວນຄໍາສັ່ງຫຼ້າສຸດ
 DocType: Cash Flow Mapper,e.g Adjustments for:,ຕົວຢ່າງ: ການປັບສໍາລັບ:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} ເກັບຮັກສາຕົວຢ່າງແມ່ນອີງໃສ່ການທົດລອງ, ກະລຸນາກວດເບິ່ງວ່າມີຊຸດຈໍານວນຫນຶ່ງເພື່ອເກັບຕົວຢ່າງຂອງລາຍການ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} ເກັບຮັກສາຕົວຢ່າງແມ່ນອີງໃສ່ການທົດລອງ, ກະລຸນາກວດເບິ່ງວ່າມີຊຸດຈໍານວນຫນຶ່ງເພື່ອເກັບຕົວຢ່າງຂອງລາຍການ"
 DocType: Task,Is Milestone,ແມ່ນເຫດການສໍາຄັນ
 DocType: Certification Application,Yet to appear,ຍັງປາກົດຢູ່
 DocType: Delivery Stop,Email Sent To,ສົ່ງອີເມວການ
@@ -6103,16 +6172,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ອະນຸຍາດໃຫ້ສູນຕົ້ນທຶນໃນບັນຊີປື້ມບັນຊີດຸ່ນດ່ຽງ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,ສົມທົບກັບບັນຊີທີ່ມີຢູ່
 DocType: Budget,Warn,ເຕືອນ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,ລາຍການທັງຫມົດໄດ້ຖືກຍົກຍ້າຍແລ້ວສໍາລັບຄໍາສັ່ງການເຮັດວຽກນີ້.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,ລາຍການທັງຫມົດໄດ້ຖືກຍົກຍ້າຍແລ້ວສໍາລັບຄໍາສັ່ງການເຮັດວຽກນີ້.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","ໃດຂໍ້ສັງເກດອື່ນໆ, ຄວາມພະຍາຍາມສັງເກດວ່າຄວນຈະຢູ່ໃນບັນທຶກດັ່ງກ່າວ."
 DocType: Asset Maintenance,Manufacturing User,ຜູ້ໃຊ້ການຜະລິດ
 DocType: Purchase Invoice,Raw Materials Supplied,ວັດຖຸດິບທີ່ຈໍາຫນ່າຍ
 DocType: Subscription Plan,Payment Plan,ແຜນການຈ່າຍເງິນ
 DocType: Shopping Cart Settings,Enable purchase of items via the website,ເປີດການຊື້ສິນຄ້າຜ່ານເວັບໄຊທ໌
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},ສະກຸນເງິນຂອງລາຍຊື່ລາຄາ {0} ຕ້ອງເປັນ {1} ຫຼື {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,ການຄຸ້ມຄອງການຈອງ
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,ການຄຸ້ມຄອງການຈອງ
 DocType: Appraisal,Appraisal Template,ແມ່ແບບການປະເມີນຜົນ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,ກັບ Pin Code
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,ກັບ Pin Code
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,ກວດສອບການນີ້ເພື່ອໃຫ້ສາມາດເຮັດການປະຕິບັດຕາມປະຈໍາວັນຕາມເວລາກໍານົດໄດ້ຕາມກໍານົດເວລາ
 DocType: Item Group,Item Classification,ການຈັດປະເພດສິນຄ້າ
@@ -6122,6 +6191,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ລົງທະບຽນຜູ້ປ່ວຍໃບແຈ້ງຫນີ້
 DocType: Crop,Period,ໄລຍະເວລາ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,ຊີແຍກປະເພດ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,ໄປຫາປີງົບປະມານ
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,View Leads
 DocType: Program Enrollment Tool,New Program,ໂຄງການໃຫມ່
 DocType: Item Attribute Value,Attribute Value,ສະແດງມູນຄ່າ
@@ -6130,11 +6200,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise ແນະນໍາຈັດລໍາດັບລະດັບ
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,ພະນັກງານ {0} ຂອງຊັ້ນຮຽນ {1} ບໍ່ມີນະໂຍບາຍໄວ້ໃນຕອນຕົ້ນ
 DocType: Salary Detail,Salary Detail,ຂໍ້ມູນເງິນເດືອນ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,ກະລຸນາເລືອກ {0} ທໍາອິດ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,ກະລຸນາເລືອກ {0} ທໍາອິດ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,ເພີ່ມຜູ້ໃຊ້ {0}
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","ໃນກໍລະນີຂອງໂຄງການຫຼາຍຂັ້ນ, ລູກຄ້າຈະໄດ້ຮັບການມອບຫມາຍໂດຍອັດຕະໂນມັດໃຫ້ກັບຂັ້ນຕອນທີ່ກ່ຽວຂ້ອງຕາມການໃຊ້ຈ່າຍຂອງເຂົາເຈົ້າ"
 DocType: Appointment Type,Physician,ແພດ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} ຂໍ້ມູນ {1} ໄດ້ຫມົດອາຍຸແລ້ວ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} ຂໍ້ມູນ {1} ໄດ້ຫມົດອາຍຸແລ້ວ.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,ການປຶກສາຫາລື
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Finished Good
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","ລາຄາສິນຄ້າປາກົດຂຶ້ນຫຼາຍຄັ້ງໂດຍອີງໃສ່ລາຄາບັນຊີ, ຜູ້ສະຫນອງ / ລູກຄ້າ, ສະກຸນເງິນ, ລາຍການ, UOM, Qty ແລະວັນທີ."
@@ -6143,22 +6213,21 @@
 DocType: Certification Application,Name of Applicant,ຊື່ຜູ້ສະຫມັກ
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Sheet ທີ່ໃຊ້ເວລາສໍາລັບການຜະລິດ.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ການເພີ່ມເຕີມ
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,ບໍ່ສາມາດປ່ຽນແປງຄຸນສົມບັດ Variant ຫຼັງຈາກການຊື້ຂາຍຫຼັກຊັບ. ທ່ານຈະຕ້ອງສ້າງລາຍການໃຫມ່ເພື່ອເຮັດສິ່ງນີ້.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,ບໍ່ສາມາດປ່ຽນແປງຄຸນສົມບັດ Variant ຫຼັງຈາກການຊື້ຂາຍຫຼັກຊັບ. ທ່ານຈະຕ້ອງສ້າງລາຍການໃຫມ່ເພື່ອເຮັດສິ່ງນີ້.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA Mandate
 DocType: Healthcare Practitioner,Charges,ຄ່າບໍລິການ
 DocType: Production Plan,Get Items For Work Order,ເອົາລາຍການສໍາລັບຄໍາສັ່ງເຮັດວຽກ
 DocType: Salary Detail,Default Amount,ມາດຕະຖານຈໍານວນ
 DocType: Lab Test Template,Descriptive,Descriptive
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,ບໍ່ພົບຄັງສິນຄ້າໃນລະບົບ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,ຂອງເດືອນນີ້ Summary
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,ຂອງເດືອນນີ້ Summary
 DocType: Quality Inspection Reading,Quality Inspection Reading,ມີຄຸນະພາບກວດສອບການອ່ານຫນັງສື
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze ຫຸ້ນເກົ່າ Than` ຄວນຈະເປັນຂະຫນາດນ້ອຍກ່ວາ% d ມື້.
 DocType: Tax Rule,Purchase Tax Template,ຊື້ແມ່ແບບພາສີ
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,ກໍານົດເປົ້າຫມາຍການຂາຍທີ່ທ່ານຢາກຈະບັນລຸສໍາລັບບໍລິສັດຂອງທ່ານ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,ສຸຂະພາບບໍລິການ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,ສຸຂະພາບບໍລິການ
 ,Project wise Stock Tracking,ໂຄງການຕິດຕາມສະຫລາດ Stock
 DocType: GST HSN Code,Regional,ລະດັບພາກພື້ນ
-DocType: Delivery Note,Transport Mode,Mode Transport
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,ຫ້ອງທົດລອງ
 DocType: UOM Category,UOM Category,UOM Category
 DocType: Clinical Procedure Item,Actual Qty (at source/target),ຕົວຈິງຈໍານວນ (ທີ່ມາ / ເປົ້າຫມາຍ)
@@ -6181,17 +6250,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,ບໍ່ສາມາດສ້າງເວັບໄຊທ໌
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ແປງຂໍ້ມູນ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,ການເກັບຮັກສາໄວ້ການເກັບຮັກສາໄວ້ແລ້ວຫຼືບໍ່ມີຈໍານວນຕົວຢ່າງ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,ການເກັບຮັກສາໄວ້ການເກັບຮັກສາໄວ້ແລ້ວຫຼືບໍ່ມີຈໍານວນຕົວຢ່າງ
 DocType: Program,Program Abbreviation,ຊື່ຫຍໍ້ໂຄງການ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາຕໍ່ຕ້ານແມ່ແບບລາຍການ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ຄ່າບໍລິການມີການປັບປຸງໃນການຮັບຊື້ຕໍ່ແຕ່ລະລາຍການ
 DocType: Warranty Claim,Resolved By,ການແກ້ໄຂໂດຍ
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,ຕາຕະລາງໄຫຼ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,ເຊັກແລະເງິນຝາກການເກັບກູ້ບໍ່ຖືກຕ້ອງ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,ບັນຊີ {0}: ທ່ານບໍ່ສາມາດກໍາຫນົດຕົວຂອງມັນເອງເປັນບັນຊີຂອງພໍ່ແມ່
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,ບັນຊີ {0}: ທ່ານບໍ່ສາມາດກໍາຫນົດຕົວຂອງມັນເອງເປັນບັນຊີຂອງພໍ່ແມ່
 DocType: Purchase Invoice Item,Price List Rate,ລາຄາອັດຕາ
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,ສ້າງລູກຄ້າ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,ວັນຢຸດການບໍລິການບໍ່ສາມາດຢູ່ພາຍຫຼັງວັນສິ້ນສຸດການບໍລິການ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,ວັນຢຸດການບໍລິການບໍ່ສາມາດຢູ່ພາຍຫຼັງວັນສິ້ນສຸດການບໍລິການ
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",ສະແດງໃຫ້ເຫັນ &quot;ຢູ່ໃນສະຕັອກ&quot; ຫຼື &quot;ບໍ່ໄດ້ຢູ່ໃນ Stock&quot; ໂດຍອີງໃສ່ຫຼັກຊັບທີ່ມີຢູ່ໃນສາງນີ້.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ບັນຊີລາຍການຂອງວັດສະດຸ (BOM)
 DocType: Item,Average time taken by the supplier to deliver,ທີ່ໃຊ້ເວລາສະເລ່ຍປະຕິບັດໂດຍຜູ້ປະກອບການເພື່ອໃຫ້
@@ -6203,11 +6272,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ຊົ່ວໂມງ
 DocType: Project,Expected Start Date,ຄາດວ່າຈະເລີ່ມວັນທີ່
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correction in Invoice
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,ວຽກງານການສັ່ງຊື້ແລ້ວສໍາລັບລາຍການທັງຫມົດທີ່ມີ BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,ວຽກງານການສັ່ງຊື້ແລ້ວສໍາລັບລາຍການທັງຫມົດທີ່ມີ BOM
 DocType: Payment Request,Party Details,ລາຍລະອຽດພັກ
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant Details Report
 DocType: Setup Progress Action,Setup Progress Action,Setup ຄວາມຄືບຫນ້າປະຕິບັດງານ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,ຊື້ລາຄາລາຍະການ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,ຊື້ລາຄາລາຍະການ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ເອົາລາຍການຖ້າຫາກວ່າຄ່າໃຊ້ຈ່າຍແມ່ນບໍ່ສາມາດໃຊ້ກັບສິນຄ້າທີ່
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,ຍົກເລີກການຈອງ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,ກະລຸນາເລືອກສະຖານະການບໍາລຸງຮັກສາແລ້ວສົມບູນຫຼືລົບວັນຄົບຖ້ວນ
@@ -6225,7 +6294,7 @@
 DocType: Asset,Disposal Date,ວັນທີ່ຈໍາຫນ່າຍ
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ອີເມວຈະຖືກສົ່ງໄປຫາພະນັກງານກິດຈະກໍາຂອງບໍລິສັດຢູ່ໃນຊົ່ວໂມງດັ່ງກ່າວ, ຖ້າຫາກວ່າພວກເຂົາເຈົ້າບໍ່ມີວັນພັກ. ສະຫຼຸບສັງລວມຂອງການຕອບສະຫນອງຈະໄດ້ຮັບການສົ່ງໄປຢູ່ໃນເວລາທ່ຽງຄືນ."
 DocType: Employee Leave Approver,Employee Leave Approver,ພະນັກງານອອກຈາກອະນຸມັດ
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},ຕິດຕໍ່ກັນ {0}: ຍະການຮຽງລໍາດັບໃຫມ່ທີ່ມີຢູ່ແລ້ວສໍາລັບການສາງນີ້ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},ຕິດຕໍ່ກັນ {0}: ຍະການຮຽງລໍາດັບໃຫມ່ທີ່ມີຢູ່ແລ້ວສໍາລັບການສາງນີ້ {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","ບໍ່ສາມາດປະກາດເປັນການສູນເສຍ, ເນື່ອງຈາກວ່າສະເຫນີລາຄາໄດ້ຖືກເຮັດໃຫ້."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,ບັນຊີ CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,ການຝຶກອົບຮົມຜົນຕອບຮັບ
@@ -6237,7 +6306,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ວັນທີບໍ່ສາມາດຈະກ່ອນທີ່ຈະຈາກວັນທີ່
 DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc
 DocType: Cash Flow Mapper,Section Footer,Footer Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,ເພີ່ມ / ແກ້ໄຂລາຄາ
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,ເພີ່ມ / ແກ້ໄຂລາຄາ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,ບໍ່ສາມາດສົ່ງໂປແກຼມສົ່ງເສີມກ່ອນວັນສົ່ງເສີມໄດ້
 DocType: Batch,Parent Batch,ຊຸດຂອງພໍ່ແມ່
 DocType: Batch,Parent Batch,ຊຸດຂອງພໍ່ແມ່
@@ -6248,6 +6317,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Sample Collection
 ,Requested Items To Be Ordered,ການຮ້ອງຂໍການສັ່ງ
 DocType: Price List,Price List Name,ລາຄາຊື່
+DocType: Delivery Stop,Dispatch Information,ເຜີຍແຜ່ຂໍ້ມູນ
 DocType: Blanket Order,Manufacturing,ການຜະລິດ
 ,Ordered Items To Be Delivered,ລາຍການຄໍາສັ່ງທີ່ຈະສົ່ງ
 DocType: Account,Income,ລາຍໄດ້
@@ -6266,17 +6336,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} ຫົວຫນ່ວຍຂອງ {1} ທີ່ຈໍາເປັນໃນ {2} ໃນ {3} {4} ສໍາລັບ {5} ເພື່ອໃຫ້ສໍາເລັດການນີ້.
 DocType: Fee Schedule,Student Category,ນັກສຶກສາປະເພດ
 DocType: Announcement,Student,ນັກສຶກສາ
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ຈໍານວນຫຼັກຊັບເພື່ອເລີ່ມຕົ້ນຂັ້ນຕອນແມ່ນບໍ່ມີຢູ່ໃນສາງ. ທ່ານຕ້ອງການທີ່ຈະບັນທຶກການໂອນຫຼັກຊັບ
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ຈໍານວນຫຼັກຊັບເພື່ອເລີ່ມຕົ້ນຂັ້ນຕອນແມ່ນບໍ່ມີຢູ່ໃນສາງ. ທ່ານຕ້ອງການທີ່ຈະບັນທຶກການໂອນຫຼັກຊັບ
 DocType: Shipping Rule,Shipping Rule Type,Shipping Rule Type
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,ໄປທີ່ຫ້ອງ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","ບໍລິສັດ, ບັນຊີການຊໍາລະເງິນ, ຈາກວັນທີແລະວັນທີແມ່ນຈໍາເປັນ"
 DocType: Company,Budget Detail,Budget Detail
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ກະລຸນາໃສ່ຂໍ້ຄວາມກ່ອນທີ່ຈະສົ່ງ
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ຊ້ໍາສໍາລັບ SUPPLIER
-DocType: Email Digest,Pending Quotations,ທີ່ຍັງຄ້າງ Quotations
-DocType: Delivery Note,Distance (KM),ໄລຍະທາງ (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Supplier&gt; Supplier Group
 DocType: Asset,Custodian,ຜູ້ປົກຄອງ
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,ຈຸດຂອງການຂາຍຂໍ້ມູນ
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,ຈຸດຂອງການຂາຍຂໍ້ມູນ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} ຄວນເປັນຄ່າລະຫວ່າງ 0 ແລະ 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},ການຈ່າຍເງິນຂອງ {0} ຈາກ {1} ກັບ {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,ເງິນກູ້ຢືມທີ່ບໍ່ປອດໄພ
@@ -6308,10 +6377,10 @@
 DocType: Lead,Converted,ປ່ຽນໃຈເຫລື້ອມໃສ
 DocType: Item,Has Serial No,ມີບໍ່ມີ Serial
 DocType: Employee,Date of Issue,ວັນທີຂອງການຈົດທະບຽນ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຊື້ Reciept ຕ້ອງ == &#39;ໃຊ່&#39;, ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງໃບຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຊື້ Reciept ຕ້ອງ == &#39;ໃຊ່&#39;, ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງໃບຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},"ຕິດຕໍ່ກັນ, {0} ຕັ້ງຄ່າການຜະລິດສໍາລັບການ item {1}"
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,ຕິດຕໍ່ກັນ {0}: ມູນຄ່າຊົ່ວໂມງຕ້ອງມີຄ່າຫລາຍກ່ວາສູນ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Image ເວັບໄຊທ໌ {0} ຕິດກັບ Item {1} ບໍ່ສາມາດໄດ້ຮັບການພົບເຫັນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Image ເວັບໄຊທ໌ {0} ຕິດກັບ Item {1} ບໍ່ສາມາດໄດ້ຮັບການພົບເຫັນ
 DocType: Issue,Content Type,ປະເພດເນື້ອຫາ
 DocType: Asset,Assets,ຊັບສິນ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,ຄອມພິວເຕີ
@@ -6322,7 +6391,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} ບໍ່ມີ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,ກະລຸນາກວດສອບຕົວເລືອກສະກຸນເງິນ Multi ອະນຸຍາດໃຫ້ບັນຊີດ້ວຍສະກຸນເງິນອື່ນ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ສິນຄ້າ: {0} ບໍ່ມີຢູ່ໃນລະບົບ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ຕັ້ງຄ່າ Frozen
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ຕັ້ງຄ່າ Frozen
 DocType: Payment Reconciliation,Get Unreconciled Entries,ໄດ້ຮັບ Unreconciled Entries
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},ພະນັກງານ {0} ແມ່ນຢູ່ໃນວັນພັກສຸດ {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,ບໍ່ມີການຈ່າຍຄືນສໍາລັບວາລະສານເຂົ້າ
@@ -6340,13 +6409,14 @@
 ,Average Commission Rate,ສະເລ່ຍອັດຕາຄະນະກໍາມະ
 DocType: Share Balance,No of Shares,ບໍ່ມີຮຸ້ນ
 DocType: Taxable Salary Slab,To Amount,ເຖິງຈໍານວນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;ມີບໍ່ມີ Serial&#39; ບໍ່ສາມາດຈະ &quot;ແມ່ນ&quot; ລາຍການຫຼັກຊັບບໍ່
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;ມີບໍ່ມີ Serial&#39; ບໍ່ສາມາດຈະ &quot;ແມ່ນ&quot; ລາຍການຫຼັກຊັບບໍ່
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,ເລືອກສະຖານະພາບ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,ຜູ້ເຂົ້າຮ່ວມບໍ່ສາມາດໄດ້ຮັບການຫມາຍໄວ້ສໍາລັບກໍານົດວັນທີໃນອະນາຄົດ
 DocType: Support Search Source,Post Description Key,ລາຍລະອຽດລາຍລັກອັກສອນ
 DocType: Pricing Rule,Pricing Rule Help,ລາຄາກົດລະບຽບຊ່ວຍເຫລືອ
 DocType: School House,House Name,ຊື່ບ້ານ
 DocType: Fee Schedule,Total Amount per Student,ຈໍານວນເງິນທັງຫມົດຕໍ່ນັກສຶກສາ
+DocType: Opportunity,Sales Stage,Sales Stage
 DocType: Purchase Taxes and Charges,Account Head,ຫົວຫນ້າບັນຊີ
 DocType: Company,HRA Component,HRA Component
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,ໄຟຟ້າ
@@ -6354,15 +6424,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),ມູນຄ່າຄວາມແຕກຕ່າງ (Out - ໃນ)
 DocType: Grant Application,Requested Amount,ຈໍານວນທີ່ຕ້ອງການ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,ຕິດຕໍ່ກັນ {0}: ອັດຕາແລກປ່ຽນເປັນການບັງຄັບ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},User ID ບໍ່ກໍານົດສໍາລັບພະນັກງານ {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},User ID ບໍ່ກໍານົດສໍາລັບພະນັກງານ {0}
 DocType: Vehicle,Vehicle Value,ມູນຄ່າຍານພາຫະນະ
 DocType: Crop Cycle,Detected Diseases,ກວດພົບພະຍາດ
 DocType: Stock Entry,Default Source Warehouse,Warehouse Source ມາດຕະຖານ
 DocType: Item,Customer Code,ລະຫັດລູກຄ້າ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},ເຕືອນວັນເດືອນປີເກີດສໍາລັບ {0}
 DocType: Asset Maintenance Task,Last Completion Date,ວັນສິ້ນສຸດແລ້ວ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ວັນນັບຕັ້ງແຕ່ສັ່ງຫຼ້າສຸດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
 DocType: Asset,Naming Series,ການຕັ້ງຊື່ Series
 DocType: Vital Signs,Coated,ເຄືອບ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ແຖວ {0}: ມູນຄ່າທີ່ຄາດໄວ້ຫຼັງຈາກການມີຊີວິດທີ່ມີປະໂຫຍດຕ້ອງຫນ້ອຍກວ່າຍອດຊື້ລວມ
@@ -6380,15 +6449,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,ສົ່ງຫມາຍເຫດ {0} ຕ້ອງບໍ່ໄດ້ຮັບການສົ່ງ
 DocType: Notification Control,Sales Invoice Message,ຂໍ້ຄວາມການຂາຍໃບເກັບເງິນ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,ບັນຊີ {0} ປິດຈະຕ້ອງເປັນຂອງປະເພດຄວາມຮັບຜິດຊອບ / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບເອກະສານທີ່ໃຊ້ເວລາ {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບເອກະສານທີ່ໃຊ້ເວລາ {1}
 DocType: Vehicle Log,Odometer,ໄມ
 DocType: Production Plan Item,Ordered Qty,ຄໍາສັ່ງຈໍານວນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,ລາຍການ {0} ເປັນຄົນພິການ
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,ລາຍການ {0} ເປັນຄົນພິການ
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen ເກີນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM ບໍ່ໄດ້ປະກອບດ້ວຍລາຍການຫຼັກຊັບໃດຫນຶ່ງ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM ບໍ່ໄດ້ປະກອບດ້ວຍລາຍການຫຼັກຊັບໃດຫນຶ່ງ
 DocType: Chapter,Chapter Head,Chapter Head
 DocType: Payment Term,Month(s) after the end of the invoice month,ເດືອນ (s) ຫຼັງຈາກສິ້ນສຸດເດືອນໃບເກັບເງິນ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ໂຄງສ້າງເງິນເດືອນຄວນມີອົງປະກອບປະໂຫຍດທີ່ມີຄວາມຍືດຫຍຸ່ນ (s) ເພື່ອແຈກຈ່າຍຄ່າປະກັນໄພ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ໂຄງສ້າງເງິນເດືອນຄວນມີອົງປະກອບປະໂຫຍດທີ່ມີຄວາມຍືດຫຍຸ່ນ (s) ເພື່ອແຈກຈ່າຍຄ່າປະກັນໄພ
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,ກິດຈະກໍາໂຄງການ / ວຽກງານ.
 DocType: Vital Signs,Very Coated,Very Coated
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),ຜົນກະທົບດ້ານພາສີເທົ່ານັ້ນ (ບໍ່ສາມາດເອີ້ນຮ້ອງແຕ່ສ່ວນຫນຶ່ງຂອງລາຍໄດ້ taxable)
@@ -6406,7 +6475,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,ຊົ່ວໂມງໃນການເກັບເງິນ
 DocType: Project,Total Sales Amount (via Sales Order),ຈໍານວນການຂາຍທັງຫມົດ (ໂດຍຜ່ານການສັ່ງຂາຍ)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM ມາດຕະຖານສໍາລັບການ {0} ບໍ່ໄດ້ພົບເຫັນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາທີ່ກໍານົດໄວ້ປະລິມານ reorder"
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາທີ່ກໍານົດໄວ້ປະລິມານ reorder"
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ແຕະລາຍການຈະເພີ່ມໃຫ້ເຂົາເຈົ້າຢູ່ທີ່ນີ້
 DocType: Fees,Program Enrollment,ໂຄງການລົງທະບຽນ
 DocType: Share Transfer,To Folio No,To Folio No
@@ -6448,9 +6517,9 @@
 DocType: SG Creation Tool Course,Max Strength,ຄວາມສູງສຸດທີ່ເຄຍ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,ການຕິດຕັ້ງ presets
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-yYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ບໍ່ມີການຈັດສົ່ງຂໍ້ມູນສໍາລັບລູກຄ້າ {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ບໍ່ມີການຈັດສົ່ງຂໍ້ມູນສໍາລັບລູກຄ້າ {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,ພະນັກງານ {0} ບໍ່ມີເງິນຊ່ວຍເຫຼືອສູງສຸດ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,ເລືອກລາຍການໂດຍອີງໃສ່ວັນທີ່ສົ່ງ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,ເລືອກລາຍການໂດຍອີງໃສ່ວັນທີ່ສົ່ງ
 DocType: Grant Application,Has any past Grant Record,ມີບັນຊີລາຍການ Grant ໃດຫນຶ່ງຜ່ານມາ
 ,Sales Analytics,ການວິເຄາະການຂາຍ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ມີ {0}
@@ -6459,12 +6528,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,ການຕັ້ງຄ່າການຜະລິດ
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ສ້າງຕັ້ງອີເມວ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,ກະລຸນາໃສ່ສະກຸນເງິນເລີ່ມຕົ້ນໃນບໍລິສັດລິນຍາໂທ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,ກະລຸນາໃສ່ສະກຸນເງິນເລີ່ມຕົ້ນໃນບໍລິສັດລິນຍາໂທ
 DocType: Stock Entry Detail,Stock Entry Detail,Entry ຕ໊ອກ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,ເຕືອນປະຈໍາວັນ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,ເຕືອນປະຈໍາວັນ
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,ເບິ່ງທັງຫມົດປີ້ເປີດ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,ສຸຂະພາບບໍລິການຫນ່ວຍບໍລິການຕົ້ນໄມ້
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,ຜະລິດຕະພັນ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,ຜະລິດຕະພັນ
 DocType: Products Settings,Home Page is Products,ຫນ້າທໍາອິດແມ່ນຜະລິດຕະພັນ
 ,Asset Depreciation Ledger,Ledger ຄ່າເສື່ອມລາຄາຊັບສິນ
 DocType: Salary Structure,Leave Encashment Amount Per Day,ອອກຈາກຈໍານວນການຕິດຕໍ່ກັນຕໍ່ມື້
@@ -6474,8 +6543,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ຕົ້ນທຶນວັດຖຸດິບທີ່ຈໍາຫນ່າຍ
 DocType: Selling Settings,Settings for Selling Module,ການຕັ້ງຄ່າສໍາລັບຂາຍ Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotel Reservation
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,ການບໍລິການລູກຄ້າ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,ການບໍລິການລູກຄ້າ
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ບໍ່ມີຜູ້ຕິດຕໍ່ທີ່ມີ ID ອີເມວພົບ.
 DocType: Item Customer Detail,Item Customer Detail,ລາຍການຂໍ້ມູນລູກຄ້າ
 DocType: Notification Control,Prompt for Email on Submission of,ການກະຕຸ້ນເຕືອນສໍາລັບອີເມວໃນການຍື່ນສະເຫນີຂອງ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},ຈໍານວນເງິນປະກັນໄພສູງສຸດຂອງພະນັກງານ {0} ແມ່ນສູງກວ່າ {1}
@@ -6485,7 +6555,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ລາຍການ {0} ຈະຕ້ອງເປັນລາຍການຫຼັກຊັບ
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,ເຮັດໃນຕອນຕົ້ນໃນ Warehouse Progress
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","ຕາຕະລາງສໍາລັບ {0} overlaps, ທ່ານຕ້ອງການດໍາເນີນການຫຼັງຈາກ skiping slots overlaped?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,ການຕັ້ງຄ່າມາດຕະຖານສໍາລັບການເຮັດທຸລະກໍາການບັນຊີ.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,ການຕັ້ງຄ່າມາດຕະຖານສໍາລັບການເຮັດທຸລະກໍາການບັນຊີ.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,ແມ່ແບບພາສີມາດຕະຖານ
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} ນັກຮຽນໄດ້ລົງທະບຽນ
@@ -6493,6 +6563,7 @@
 DocType: Purchase Invoice Item,Stock Qty,ສິນຄ້າພ້ອມສົ່ງ
 DocType: Purchase Invoice Item,Stock Qty,ສິນຄ້າພ້ອມສົ່ງ
 DocType: Contract,Requires Fulfilment,ຕ້ອງການຄວາມສົມບູນ
+DocType: QuickBooks Migrator,Default Shipping Account,Default Shipping Account
 DocType: Loan,Repayment Period in Months,ໄລຍະເວລາການຊໍາລະຄືນໃນໄລຍະເດືອນ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ຄວາມຜິດພາດ: ບໍ່ເປັນ id ທີ່ຖືກຕ້ອງ?
 DocType: Naming Series,Update Series Number,ຈໍານວນ Series ປັບປຸງ
@@ -6506,11 +6577,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maximum Amount
 DocType: Journal Entry,Total Amount Currency,ຈໍານວນເງິນສະກຸນເງິນ
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ປະກອບການຄົ້ນຫາ Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},ລະຫັດສິນຄ້າທີ່ຕ້ອງການຢູ່ໃນແຖວບໍ່ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},ລະຫັດສິນຄ້າທີ່ຕ້ອງການຢູ່ໃນແຖວບໍ່ {0}
 DocType: GST Account,SGST Account,SGST Account
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,ໄປທີ່ລາຍການ
 DocType: Sales Partner,Partner Type,ປະເພດຄູ່ຮ່ວມງານ
-DocType: Purchase Taxes and Charges,Actual,ທີ່ແທ້ຈິງ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,ທີ່ແທ້ຈິງ
 DocType: Restaurant Menu,Restaurant Manager,ຜູ້ຈັດການຮ້ານອາຫານ
 DocType: Authorization Rule,Customerwise Discount,Customerwise ສ່ວນລົດ
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet ສໍາລັບວຽກງານ.
@@ -6531,7 +6602,7 @@
 DocType: Employee,Cheque,ກະແສລາຍວັນ
 DocType: Training Event,Employee Emails,ອີເມວພະນັກງານ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Series Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,ປະເພດບົດລາຍງານແມ່ນການບັງຄັບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,ປະເພດບົດລາຍງານແມ່ນການບັງຄັບ
 DocType: Item,Serial Number Series,Series ຈໍານວນ Serial
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse ເປັນການບັງຄັບສໍາລັບລາຍການຫຸ້ນ {0} ຕິດຕໍ່ກັນ {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,ຂາຍຍ່ອຍແລະຂາຍສົ່ງ
@@ -6562,7 +6633,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,ປັບປຸງຈໍານວນໃບເກັບເງິນໃນການສັ່ງຊື້
 DocType: BOM,Materials,ອຸປະກອນການ
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ຖ້າຫາກວ່າບໍ່ໄດ້ກວດສອບ, ບັນຊີລາຍການຈະຕ້ອງໄດ້ຮັບການເພີ່ມໃນແຕ່ລະພະແນກບ່ອນທີ່ມັນຈະຕ້ອງມີການນໍາໃຊ້."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,ປຊຊກິນວັນແລະປຊຊກິນທີ່ໃຊ້ເວລາເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,ປຊຊກິນວັນແລະປຊຊກິນທີ່ໃຊ້ເວລາເປັນການບັງຄັບ
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ແມ່ແບບພາສີສໍາຫລັບການຊື້ເຮັດທຸລະກໍາ.
 ,Item Prices,ລາຄາສິນຄ້າ
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດໃບສັ່ງຊື້.
@@ -6578,12 +6649,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Series ສໍາລັບການອອກສຽງຄ່າເສື່ອມລາຄາສິນຊັບ (ອະນຸທິນ)
 DocType: Membership,Member Since,ສະຫມາຊິກຕັ້ງແຕ່
 DocType: Purchase Invoice,Advance Payments,ການຊໍາລະເງິນລ່ວງຫນ້າ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Please select Healthcare Service
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Please select Healthcare Service
 DocType: Purchase Taxes and Charges,On Net Total,ກ່ຽວກັບສຸດທິທັງຫມົດ
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ມູນຄ່າສໍາລັບຄຸນສົມບັດ {0} ຕ້ອງຢູ່ພາຍໃນລະດັບຄວາມຂອງ {1} ກັບ {2} ໃນ increments ຂອງ {3} ສໍາລັບລາຍການ {4}
 DocType: Restaurant Reservation,Waitlisted,ລໍຖ້າລາຍການ
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ຫມວດຍົກເວັ້ນ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,ສະກຸນເງິນບໍ່ສາມາດມີການປ່ຽນແປງຫຼັງຈາກການເຮັດໃຫ້ການອອກສຽງການນໍາໃຊ້ສະກຸນເງິນອື່ນ ໆ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,ສະກຸນເງິນບໍ່ສາມາດມີການປ່ຽນແປງຫຼັງຈາກການເຮັດໃຫ້ການອອກສຽງການນໍາໃຊ້ສະກຸນເງິນອື່ນ ໆ
 DocType: Shipping Rule,Fixed,ແກ້ໄຂ
 DocType: Vehicle Service,Clutch Plate,ເສື້ອ
 DocType: Company,Round Off Account,ຕະຫຼອດໄປ Account
@@ -6592,7 +6663,7 @@
 DocType: Subscription Plan,Based on price list,ອີງຕາມລາຍຊື່ລາຄາ
 DocType: Customer Group,Parent Customer Group,ກຸ່ມລູກຄ້າຂອງພໍ່ແມ່
 DocType: Vehicle Service,Change,ການປ່ຽນແປງ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Subscription
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Subscription
 DocType: Purchase Invoice,Contact Email,ການຕິດຕໍ່
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ການສ້າງຄ່າທໍານຽມທີ່ຍັງຄ້າງຢູ່
 DocType: Appraisal Goal,Score Earned,ຄະແນນທີ່ໄດ້ຮັບ
@@ -6620,23 +6691,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Receivable / Account Payable
 DocType: Delivery Note Item,Against Sales Order Item,ຕໍ່ສັ່ງຂາຍສິນຄ້າ
 DocType: Company,Company Logo,Company Logo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},ກະລຸນາລະບຸຄຸນສົມບັດມູນຄ່າສໍາລັບເຫດຜົນ {0}
-DocType: Item Default,Default Warehouse,ມາດຕະຖານ Warehouse
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},ກະລຸນາລະບຸຄຸນສົມບັດມູນຄ່າສໍາລັບເຫດຜົນ {0}
+DocType: QuickBooks Migrator,Default Warehouse,ມາດຕະຖານ Warehouse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},ງົບປະມານບໍ່ສາມາດໄດ້ຮັບການມອບຫມາຍຕໍ່ບັນຊີ Group {0}
 DocType: Shopping Cart Settings,Show Price,ສະແດງລາຄາ
 DocType: Healthcare Settings,Patient Registration,ການລົງທະບຽນຜູ້ປ່ວຍ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,ກະລຸນາເຂົ້າໄປໃນສູນຄ່າໃຊ້ຈ່າຍຂອງພໍ່ແມ່
 DocType: Delivery Note,Print Without Amount,ພິມໂດຍບໍ່ມີການຈໍານວນ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,ວັນທີ່ສະຫມັກຄ່າເສື່ອມລາຄາ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,ວັນທີ່ສະຫມັກຄ່າເສື່ອມລາຄາ
 ,Work Orders in Progress,ຄໍາສັ່ງເຮັດວຽກໃນຄວາມຄືບຫນ້າ
 DocType: Issue,Support Team,ທີມງານສະຫນັບສະຫນູນ
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),ຫມົດອາຍຸ (ໃນວັນ)
 DocType: Appraisal,Total Score (Out of 5),ຄະແນນທັງຫມົດ (Out of 5)
 DocType: Student Attendance Tool,Batch,batch
 DocType: Support Search Source,Query Route String,Query Route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,ອັດຕາການອັບເດດຕາມການຊື້ສຸດທ້າຍ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,ອັດຕາການອັບເດດຕາມການຊື້ສຸດທ້າຍ
 DocType: Donor,Donor Type,ປະເພດຜູ້ໃຫ້ທຶນ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,ການປັບປຸງເອກະສານຊ້ໍາອັດຕະໂນມັດ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,ການປັບປຸງເອກະສານຊ້ໍາອັດຕະໂນມັດ
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,ການດຸ່ນດ່ຽງ
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,ກະລຸນາເລືອກບໍລິສັດ
 DocType: Job Card,Job Card,Job Card
@@ -6650,7 +6721,7 @@
 DocType: Assessment Result,Total Score,ຄະແນນທັງຫມົດ
 DocType: Crop Cycle,ISO 8601 standard,ມາດຕະຖານ ISO 8601
 DocType: Journal Entry,Debit Note,Debit ຫມາຍເຫດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,ທ່ານພຽງແຕ່ສາມາດຊື້ຈຸດສູງສຸດ {0} ໃນຄໍາສັ່ງນີ້ເທົ່ານັ້ນ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,ທ່ານພຽງແຕ່ສາມາດຊື້ຈຸດສູງສຸດ {0} ໃນຄໍາສັ່ງນີ້ເທົ່ານັ້ນ.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,ກະລຸນາໃສ່ລະຫັດລັບ Consumer Secret
 DocType: Stock Entry,As per Stock UOM,ໃນຖານະເປັນຕໍ່ Stock UOM
@@ -6664,10 +6735,11 @@
 DocType: Journal Entry,Total Debit,ເດບິດຈໍານວນທັງຫມົດ
 DocType: Travel Request Costing,Sponsored Amount,ຈໍານວນຜູ້ສະຫນັບສະຫນູນ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,ສໍາເລັດຮູບມາດຕະຖານສິນຄ້າ Warehouse
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Please select Patient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Please select Patient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,ຄົນຂາຍ
 DocType: Hotel Room Package,Amenities,ສິ່ງອໍານວຍຄວາມສະດວກ
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,ງົບປະມານແລະສູນຕົ້ນທຶນ
+DocType: QuickBooks Migrator,Undeposited Funds Account,ບັນຊີເງິນຝາກທີ່ບໍ່ໄດ້ຮັບຄືນ
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,ງົບປະມານແລະສູນຕົ້ນທຶນ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,ຮູບແບບໃນຕອນຕົ້ນຫຼາຍຂອງການຊໍາລະເງິນບໍ່ໄດ້ອະນຸຍາດໃຫ້
 DocType: Sales Invoice,Loyalty Points Redemption,Loyalty Points Redemption
 ,Appointment Analytics,Appointment Analytics
@@ -6681,6 +6753,7 @@
 DocType: Batch,Manufacturing Date,Manufacturing Date
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Fee Creation Failed
 DocType: Opening Invoice Creation Tool,Create Missing Party,Create Missing Party
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,ງົບປະມານລວມ
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ອອກຈາກ blank ຖ້າຫາກວ່າທ່ານເຮັດໃຫ້ກຸ່ມນັກຮຽນຕໍ່ປີ
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ອອກຈາກ blank ຖ້າຫາກວ່າທ່ານເຮັດໃຫ້ກຸ່ມນັກຮຽນຕໍ່ປີ
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ຖ້າຫາກວ່າການກວດກາ, ບໍ່ມີທັງຫມົດ. ຂອງການເຮັດວຽກວັນຈະປະກອບມີວັນພັກ, ແລະນີ້ຈະຊ່ວຍຫຼຸດຜ່ອນມູນຄ່າຂອງເງິນເດືອນຕໍ່ວັນ"
@@ -6698,20 +6771,19 @@
 DocType: Opportunity Item,Basic Rate,ອັດຕາພື້ນຖານ
 DocType: GL Entry,Credit Amount,ການປ່ອຍສິນເຊື່ອ
 DocType: Cheque Print Template,Signatory Position,ຕໍາແຫນ່ງລົງນາມ
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,ກໍານົດເປັນການສູນເສຍ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,ກໍານົດເປັນການສູນເສຍ
 DocType: Timesheet,Total Billable Hours,ທັງຫມົດຊົ່ວໂມງເອີ້ນເກັບເງິນ
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ຈໍານວນວັນທີ່ລູກຄ້າຕ້ອງຈ່າຍໃບແຈ້ງຫນີ້ທີ່ໄດ້ຮັບຈາກການສະຫມັກນີ້
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ຂໍ້ມູນການນໍາໃຊ້ປະໂຍດຂອງພະນັກງານ
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ການຊໍາລະເງິນການຮັບ Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາຕໍ່ລູກຄ້ານີ້. ເບິ່ງໄລຍະເວລາຂ້າງລຸ່ມນີ້ສໍາລັບລາຍລະອຽດ
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ຕິດຕໍ່ກັນ {0}: ຈັດສັນຈໍານວນເງິນ {1} ຕ້ອງຫນ້ອຍກ່ວາຫຼືເທົ່າກັບຈໍານວນເງິນທີ່ Entry ການຊໍາລະເງິນ {2}
 DocType: Program Enrollment Tool,New Academic Term,New Academic Term
 ,Course wise Assessment Report,ບົດລາຍງານການປະເມີນຜົນທີ່ສະຫລາດຂອງລາຍວິຊາ
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ໄດ້ຮັບສິນຄ້າ ITC State / UT ພາສີ
 DocType: Tax Rule,Tax Rule,ກົດລະບຽບພາສີ
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,ຮັກສາອັດຕາດຽວກັນຕະຫຼອດວົງຈອນ Sales
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,ກະລຸນາເຂົ້າສູ່ລະບົບເປັນຜູ້ໃຊ້ອື່ນທີ່ລົງທະບຽນໃນ Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,ກະລຸນາເຂົ້າສູ່ລະບົບເປັນຜູ້ໃຊ້ອື່ນທີ່ລົງທະບຽນໃນ Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ການວາງແຜນການບັນທຶກທີ່ໃຊ້ເວລານອກຊົ່ວໂມງ Workstation ເຮັດວຽກ.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,ລູກຄ້າໃນຄິວ
 DocType: Driver,Issuing Date,ວັນທີອອກໃບອະນຸຍາດ
@@ -6720,11 +6792,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,ສົ່ງຄໍາສັ່ງເຮັດວຽກນີ້ສໍາລັບການປຸງແຕ່ງຕື່ມອີກ.
 ,Items To Be Requested,ລາຍການທີ່ຈະໄດ້ຮັບການຮ້ອງຂໍ
 DocType: Company,Company Info,ຂໍ້ມູນບໍລິສັດ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,ເລືອກຫລືເພີ່ມລູກຄ້າໃຫມ່
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,ເລືອກຫລືເພີ່ມລູກຄ້າໃຫມ່
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,ສູນຕົ້ນທຶນທີ່ຈໍາເປັນຕ້ອງເຂົ້າເອີ້ນຮ້ອງຄ່າໃຊ້ຈ່າຍ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ຄໍາຮ້ອງສະຫມັກຂອງກອງທຶນ (ຊັບສິນ)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງພະນັກງານນີ້
-DocType: Assessment Result,Summary,Summary
 DocType: Payment Request,Payment Request Type,Type Request Payment
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark ຜູ້ເຂົ້າຮ່ວມ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ບັນຊີເດບິດ
@@ -6732,7 +6803,7 @@
 DocType: Additional Salary,Employee Name,ຊື່ພະນັກງານ
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,ລາຍະການສັ່ງຊື້ລາຍະການຮ້ານອາຫານ
 DocType: Purchase Invoice,Rounded Total (Company Currency),ກົມທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,ບໍ່ສາມາດ covert ກັບ Group ເນື່ອງຈາກວ່າປະເພດບັນຊີໄດ້ຖືກຄັດເລືອກ.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,ບໍ່ສາມາດ covert ກັບ Group ເນື່ອງຈາກວ່າປະເພດບັນຊີໄດ້ຖືກຄັດເລືອກ.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} ໄດ້ຮັບການແກ້ໄຂ. ກະລຸນາໂຫຼດຫນ້າຈໍຄືນ.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,ຢຸດເຊົາການຜູ້ໃຊ້ຈາກການເຮັດໃຫ້ຄໍາຮ້ອງສະຫມັກອອກຈາກໃນມື້ດັ່ງຕໍ່ໄປນີ້.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","ຖ້າເວລາຫມົດອາຍຸບໍ່ຈໍາກັດສໍາລັບຈຸດທີ່ມີຄວາມພັກດີ, ໃຫ້ໄລຍະເວລາໄລຍະເວລາຫວ່າງຫຼືຫວ່າງ 0."
@@ -6753,11 +6824,12 @@
 DocType: Asset,Out of Order,ອອກຈາກຄໍາສັ່ງ
 DocType: Purchase Receipt Item,Accepted Quantity,ຈໍານວນທີ່ໄດ້ຮັບການ
 DocType: Projects Settings,Ignore Workstation Time Overlap,ບໍ່ສົນໃຈເວລາເຮັດວຽກຂອງຄອມພິວເຕີ້
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານບັນຊີພັກຜ່ອນສໍາລັບພະນັກງານ {0} ຫລືບໍລິສັດ {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານບັນຊີພັກຜ່ອນສໍາລັບພະນັກງານ {0} ຫລືບໍລິສັດ {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} ບໍ່ໄດ້ຢູ່
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,ເລືອກເລກ Batch
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,ເພື່ອ GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,ເພື່ອ GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໃຫ້ກັບລູກຄ້າ.
+DocType: Healthcare Settings,Invoice Appointments Automatically,ການມອບໃບຍືມເງິນໃບສະຫມັກໂດຍອັດຕະໂນມັດ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id ໂຄງການ
 DocType: Salary Component,Variable Based On Taxable Salary,Variable Based On Salary Taxable
 DocType: Company,Basic Component,Basic Component
@@ -6770,10 +6842,10 @@
 DocType: Stock Entry,Source Warehouse Address,ທີ່ຢູ່ Warehouse Address
 DocType: GL Entry,Voucher Type,ປະເພດ Voucher
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ
 DocType: Student Applicant,Approved,ການອະນຸມັດ
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,ລາຄາ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',ພະນັກງານສະບາຍໃຈໃນ {0} ຕ້ອງໄດ້ຮັບການສ້າງຕັ້ງເປັນ &#39;ຊ້າຍ&#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',ພະນັກງານສະບາຍໃຈໃນ {0} ຕ້ອງໄດ້ຮັບການສ້າງຕັ້ງເປັນ &#39;ຊ້າຍ&#39;
 DocType: Marketplace Settings,Last Sync On,Last Sync On
 DocType: Guardian,Guardian,ຜູ້ປົກຄອງ
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,ການສື່ສານທັງຫມົດລວມທັງແລະຂ້າງເທິງນີ້ຈະຖືກຍ້າຍໄປສູ່ບັນຫາໃຫມ່
@@ -6796,14 +6868,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ລາຍຊື່ຂອງພະຍາດທີ່ພົບໃນພາກສະຫນາມ. ເມື່ອເລືອກແລ້ວມັນຈະເພີ່ມບັນຊີລາຍຊື່ຂອງວຽກເພື່ອຈັດການກັບພະຍາດ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,ນີ້ແມ່ນຫນ່ວຍບໍລິການສຸຂະພາບຮາກແລະບໍ່ສາມາດແກ້ໄຂໄດ້.
 DocType: Asset Repair,Repair Status,Repair Status
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,ເພີ່ມຄູ່ຄ້າຂາຍ
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,entries ວາລະສານການບັນຊີ.
 DocType: Travel Request,Travel Request,ການຮ້ອງຂໍການເດີນທາງ
 DocType: Delivery Note Item,Available Qty at From Warehouse,ມີຈໍານວນທີ່ຈາກ Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,ກະລຸນາເລືອກບັນທຶກພະນັກງານຄັ້ງທໍາອິດ.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,ການເຂົ້າຮ່ວມບໍ່ໄດ້ສົ່ງສໍາລັບ {0} ຍ້ອນວ່າມັນເປັນວັນຢຸດ.
 DocType: POS Profile,Account for Change Amount,ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ
+DocType: QuickBooks Migrator,Connecting to QuickBooks,ເຊື່ອມຕໍ່ກັບ QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,ລວມ Gain / Loss
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,ໃບອະນຸຍາດບໍລິສັດບໍ່ຖືກຕ້ອງສໍາລັບຄ່າບໍລິການຂອງບໍລິສັດ Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,ໃບອະນຸຍາດບໍລິສັດບໍ່ຖືກຕ້ອງສໍາລັບຄ່າບໍລິການຂອງບໍລິສັດ Inter.
 DocType: Purchase Invoice,input service,input service
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ຕິດຕໍ່ກັນ {0}: ພັກ / ບັນຊີບໍ່ກົງກັບ {1} / {2} ໃນ {3} {4}
 DocType: Employee Promotion,Employee Promotion,ພະນັກງານສົ່ງເສີມ
@@ -6812,12 +6886,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,ລະຫັດຂອງລາຍວິຊາ:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,ກະລຸນາໃສ່ທີ່ຄຸ້ມຄ່າ
 DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຊື້, ຊື້ໃບເກັບເງິນຫຼືການອະນຸທິນ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຊື້, ຊື້ໃບເກັບເງິນຫຼືການອະນຸທິນ"
 DocType: Employee,Current Address,ທີ່ຢູ່ປະຈຸບັນ
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ຖ້າຫາກວ່າລາຍການແມ່ນ variant ຂອງລາຍການອື່ນຫຼັງຈາກນັ້ນອະທິບາຍ, ຮູບພາບ, ລາຄາ, ພາສີອາກອນແລະອື່ນໆຈະໄດ້ຮັບການກໍານົດໄວ້ຈາກແມ່ແບບເວັ້ນເສຍແຕ່ລະບຸຢ່າງຊັດເຈນ"
 DocType: Serial No,Purchase / Manufacture Details,ຊື້ / ລາຍລະອຽດຜະລິດ
 DocType: Assessment Group,Assessment Group,Group ການປະເມີນຜົນ
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventory batch
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,ຊື່ຂັ້ນຕອນ
 DocType: Employee,Contract End Date,ສັນຍາສິ້ນສຸດວັນທີ່
 DocType: Amazon MWS Settings,Seller ID,ຊື່ຜູ້ຂາຍ
@@ -6837,12 +6912,12 @@
 DocType: Company,Date of Incorporation,Date of Incorporation
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ພາສີທັງຫມົດ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,ລາຄາຊື້ສຸດທ້າຍ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,ສໍາລັບປະລິມານ (ຜະລິດຈໍານວນ) ເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,ສໍາລັບປະລິມານ (ຜະລິດຈໍານວນ) ເປັນການບັງຄັບ
 DocType: Stock Entry,Default Target Warehouse,Warehouse ເປົ້າຫມາຍມາດຕະຖານ
 DocType: Purchase Invoice,Net Total (Company Currency),ສຸດທິ (ບໍລິສັດສະກຸນເງິນ)
 DocType: Delivery Note,Air,ອາກາດ
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ປີວັນທີ່ສິ້ນສຸດບໍ່ສາມາດຈະກ່ອນຫນ້ານັ້ນກ່ວາປີເລີ່ມວັນ. ກະລຸນາແກ້ໄຂຂໍ້ມູນວັນແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ບໍ່ຢູ່ໃນລາຍຊື່ວັນພັກຜ່ອນທາງເລືອກ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ບໍ່ຢູ່ໃນລາຍຊື່ວັນພັກຜ່ອນທາງເລືອກ
 DocType: Notification Control,Purchase Receipt Message,ຊື້ຂໍ້ຄວາມຮັບ
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,ລາຍະການ Scrap
@@ -6865,23 +6940,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Fulfillment
 DocType: Purchase Taxes and Charges,On Previous Row Amount,ກ່ຽວກັບຈໍານວນແຖວ Previous
 DocType: Item,Has Expiry Date,ມີວັນຫມົດອາຍຸ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Asset ການຖ່າຍໂອນ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Asset ການຖ່າຍໂອນ
 DocType: POS Profile,POS Profile,ຂໍ້ມູນ POS
 DocType: Training Event,Event Name,ຊື່ກໍລະນີ
 DocType: Healthcare Practitioner,Phone (Office),ໂທລະສັບ (ຫ້ອງການ)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","ບໍ່ສາມາດສົ່ງ, ພະນັກງານທີ່ເຫລືອເພື່ອເຂົ້າຮ່ວມການເຂົ້າຮ່ວມ"
 DocType: Inpatient Record,Admission,ເປີດປະຕູຮັບ
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},ການຮັບສະຫມັກສໍາລັບການ {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","ລະດູການສໍາລັບການສ້າງຕັ້ງງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","ລະດູການສໍາລັບການສ້າງຕັ້ງງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ຊື່ຂອງຕົວປ່ຽນແປງ
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","ລາຍການ {0} ເປັນແມ່ແບບໄດ້, ກະລຸນາເລືອກເອົາຫນຶ່ງຂອງ variants ຂອງຕົນ"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,ກະລຸນາຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ&gt; HR Settings
+DocType: Purchase Invoice Item,Deferred Expense,ຄ່າໃຊ້ຈ່າຍຕໍ່ປີ
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},ຈາກວັນທີ່ {0} ບໍ່ສາມາດຢູ່ກ່ອນວັນເຂົ້າຮ່ວມຂອງພະນັກງານ {1}
 DocType: Asset,Asset Category,ປະເພດຊັບສິນ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,ຈ່າຍລວມບໍ່ສາມາດກະທົບທາງລົບ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,ຈ່າຍລວມບໍ່ສາມາດກະທົບທາງລົບ
 DocType: Purchase Order,Advance Paid,ລ່ວງຫນ້າການຊໍາລະເງິນ
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ອັດຕາສ່ວນເກີນມູນຄ່າສໍາລັບຄໍາສັ່ງຂາຍ
 DocType: Item,Item Tax,ພາສີລາຍ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,ອຸປະກອນການຜະລິດ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,ອຸປະກອນການຜະລິດ
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,ການວາງແຜນການຮ້ອງຂໍວັດສະດຸ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,ອາກອນຊົມໃຊ້ໃບເກັບເງິນ
@@ -6903,11 +6980,11 @@
 DocType: Scheduling Tool,Scheduling Tool,ເຄື່ອງມືການຕັ້ງເວລາ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,ບັດເຄຣດິດ
 DocType: BOM,Item to be manufactured or repacked,ລາຍການທີ່ຈະໄດ້ຮັບຜະລິດຕະພັນຫຼືຫຸ້ມຫໍ່
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},ຂໍ້ຜິດພາດຂອງສະຄິບໃນເງື່ອນໄຂ: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},ຂໍ້ຜິດພາດຂອງສະຄິບໃນເງື່ອນໄຂ: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-yYYY.-
 DocType: Employee Education,Major/Optional Subjects,ທີ່ສໍາຄັນ / ວິຊາຖ້າຕ້ອງການ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,ກະລຸນາຕັ້ງກຸ່ມຜູ້ໃຫ້ບໍລິການໃນການຊື້ການຕັ້ງຄ່າ.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,ກະລຸນາຕັ້ງກຸ່ມຜູ້ໃຫ້ບໍລິການໃນການຊື້ການຕັ້ງຄ່າ.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",{0} ບໍ່ຕ້ອງນ້ອຍກວ່າຜົນປະໂຫຍດສູງສຸດຂອງ {1}
 DocType: Sales Invoice Item,Drop Ship,Drop ການຂົນສົ່ງ
 DocType: Driver,Suspended,Suspended
@@ -6927,7 +7004,7 @@
 DocType: Customer,Commission Rate,ອັດຕາຄະນະກໍາມະ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,ສ້າງບັນຊີການຊໍາລະເງິນສົບຜົນສໍາເລັດ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,ສ້າງ {0} scorecards ສໍາລັບ {1} ລະຫວ່າງ:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,ເຮັດໃຫ້ Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,ເຮັດໃຫ້ Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","ປະເພດການຈ່າຍເງິນຕ້ອງເປັນຫນຶ່ງໃນໄດ້ຮັບການ, ການຊໍາລະເງິນແລະພາຍໃນການຖ່າຍໂອນ"
 DocType: Travel Itinerary,Preferred Area for Lodging,ພື້ນທີ່ທີ່ຕ້ອງການສໍາລັບທີ່ພັກອາໄສ
 apps/erpnext/erpnext/config/selling.py +184,Analytics,ການວິເຄາະ
@@ -6938,7 +7015,7 @@
 DocType: Work Order,Actual Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດຕົວຈິງ
 DocType: Payment Entry,Cheque/Reference No,ກະແສລາຍວັນ / Reference No
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,ຮາກບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,ຮາກບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
 DocType: Item,Units of Measure,ຫົວຫນ່ວຍວັດແທກ
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,ເຊົ່າໃນ Metro City
 DocType: Supplier,Default Tax Withholding Config,Default ການຖອນເງິນຄ່າຕັງ
@@ -6956,21 +7033,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ຫຼັງຈາກສໍາເລັດການຊໍາລະເງິນໂອນຜູ້ໃຊ້ຫນ້າທີ່ເລືອກ.
 DocType: Company,Existing Company,ບໍລິສັດທີ່ມີຢູ່ແລ້ວ
 DocType: Healthcare Settings,Result Emailed,ຜົນໄດ້ຮັບ Emailed
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ປະເພດສ່ວຍສາອາກອນໄດ້ຮັບການປ່ຽນແປງກັບ &quot;Total&quot; ເນື່ອງຈາກວ່າລາຍການທັງຫມົດລາຍການບໍ່ແມ່ນຫຼັກຊັບ
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ປະເພດສ່ວຍສາອາກອນໄດ້ຮັບການປ່ຽນແປງກັບ &quot;Total&quot; ເນື່ອງຈາກວ່າລາຍການທັງຫມົດລາຍການບໍ່ແມ່ນຫຼັກຊັບ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,ເຖິງວັນທີບໍ່ສາມາດເທົ່າກັບຫຼືນ້ອຍກວ່າວັນທີ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,ບໍ່ມີຫຍັງປ່ຽນແປງ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ກະລຸນາເລືອກໄຟລ໌ CSV
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,ກະລຸນາເລືອກໄຟລ໌ CSV
 DocType: Holiday List,Total Holidays,ວັນຢຸດລວມ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,ຂາດແມ່ແບບອີເມວສໍາລັບການສົ່ງ. ກະລຸນາຕັ້ງຄ່າຫນຶ່ງໃນການຈັດສົ່ງສິນຄ້າ.
 DocType: Student Leave Application,Mark as Present,ເຄື່ອງຫມາຍການນໍາສະເຫນີ
 DocType: Supplier Scorecard,Indicator Color,ຕົວຊີ້ວັດສີ
 DocType: Purchase Order,To Receive and Bill,ທີ່ຈະໄດ້ຮັບແລະບັນຊີລາຍການ
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd ໂດຍວັນທີ່ບໍ່ສາມາດຢູ່ກ່ອນວັນທີການເຮັດທຸລະກໍາ
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd ໂດຍວັນທີ່ບໍ່ສາມາດຢູ່ກ່ອນວັນທີການເຮັດທຸລະກໍາ
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ຜະລິດຕະພັນທີ່ແນະນໍາ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,ເລືອກ Serial No
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,ເລືອກ Serial No
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,ການອອກແບບ
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,ຂໍ້ກໍານົດແລະເງື່ອນໄຂ Template
 DocType: Serial No,Delivery Details,ລາຍລະອຽດການຈັດສົ່ງ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},ສູນຕົ້ນທຶນທີ່ຕ້ອງການໃນການຕິດຕໍ່ກັນ {0} ໃນພາສີອາກອນຕາຕະລາງສໍາລັບປະເພດ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},ສູນຕົ້ນທຶນທີ່ຕ້ອງການໃນການຕິດຕໍ່ກັນ {0} ໃນພາສີອາກອນຕາຕະລາງສໍາລັບປະເພດ {1}
 DocType: Program,Program Code,ລະຫັດໂຄງການ
 DocType: Terms and Conditions,Terms and Conditions Help,ຂໍ້ກໍານົດແລະເງື່ອນໄຂຊ່ວຍເຫລືອ
 ,Item-wise Purchase Register,ລາຍການສະຫລາດຊື້ຫມັກສະມາຊິກ
@@ -6983,15 +7061,16 @@
 DocType: Contract,Contract Terms,ເງື່ອນໄຂສັນຍາ
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ບໍ່ສະແດງໃຫ້ເຫັນສັນຍາລັກເຊັ່ນ: $ etc ໃດຕໍ່ກັບສະກຸນເງິນ.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},ປະລິມານປະໂຫຍດສູງສຸດຂອງອົງປະກອບ {0} ເກີນ {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(ຄຶ່ງວັນ)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(ຄຶ່ງວັນ)
 DocType: Payment Term,Credit Days,Days ການປ່ອຍສິນເຊື່ອ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,ກະລຸນາເລືອກຄົນເຈັບເພື່ອໃຫ້ໄດ້ຮັບການທົດລອງໃນຫ້ອງທົດລອງ
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,ເຮັດໃຫ້ກຸ່ມນັກສຶກສາ
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,ອະນຸຍາດໃຫ້ໂອນສໍາລັບການຜະລິດ
 DocType: Leave Type,Is Carry Forward,ແມ່ນປະຕິບັດຕໍ່
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,ຮັບສິນຄ້າຈາກ BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,ຮັບສິນຄ້າຈາກ BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ນໍາໄປສູ່ການທີ່ໃຊ້ເວລາວັນ
 DocType: Cash Flow Mapping,Is Income Tax Expense,ແມ່ນຄ່າໃຊ້ຈ່າຍພາສີລາຍໄດ້
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,ຄໍາສັ່ງຂອງທ່ານແມ່ນອອກສໍາລັບການຈັດສົ່ງ!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ຕິດຕໍ່ກັນ, {0}: ປະກາດວັນທີ່ຈະຕ້ອງເຊັ່ນດຽວກັນກັບວັນທີ່ຊື້ {1} ຂອງຊັບສິນ {2}"
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ກວດສອບນີ້ຖ້າຫາກວ່ານັກສຶກສາໄດ້ອາໄສຢູ່ໃນ Hostel ສະຖາບັນຂອງ.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,ກະລຸນາໃສ່ຄໍາສັ່ງຂາຍໃນຕາຕະລາງຂ້າງເທິງ
@@ -6999,10 +7078,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,ໂອນຊັບສິນຈາກສາງກັບຄົນອື່ນ
 DocType: Vehicle,Petrol,ນ້ໍາມັນ
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),ປະໂຫຍດທີ່ຍັງເຫຼືອ (ປີ)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,ບັນຊີລາຍການຂອງວັດສະດຸ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,ບັນຊີລາຍການຂອງວັດສະດຸ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ຕິດຕໍ່ກັນ {0}: ພັກແລະປະເພດບຸກຄົນທີ່ຕ້ອງການສໍາລັບ Receivable / ບັນຊີ Payable {1}
 DocType: Employee,Leave Policy,ອອກຈາກນະໂຍບາຍ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,ປັບປຸງລາຍການ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,ປັບປຸງລາຍການ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,ວັນທີ່ສະຫມັກ Ref
 DocType: Employee,Reason for Leaving,ເຫດຜົນສໍາລັບການຊຶ່ງເຮັດໃຫ້
 DocType: BOM Operation,Operating Cost(Company Currency),ຄ່າໃຊ້ຈ່າຍປະຕິບັດການ (ບໍລິສັດສະກຸນເງິນ)
@@ -7013,7 +7092,7 @@
 DocType: Department,Expense Approvers,ຄ່າໃຊ້ຈ່າຍຜູ້ໃຊ້
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},ຕິດຕໍ່ກັນ {0}: ເຂົ້າເດບິດບໍ່ສາມາດໄດ້ຮັບການຕິດພັນກັບ {1}
 DocType: Journal Entry,Subscription Section,Section Subscription
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,ບັນຊີ {0} ບໍ່ມີ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,ບັນຊີ {0} ບໍ່ມີ
 DocType: Training Event,Training Program,ໂຄງການຝຶກອົບຮົມ
 DocType: Account,Cash,ເງິນສົດ
 DocType: Employee,Short biography for website and other publications.,biography ສັ້ນສໍາລັບເວັບໄຊທ໌ແລະສິ່ງພິມອື່ນໆ.
diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv
index 0574649..d47350d 100644
--- a/erpnext/translations/lt.csv
+++ b/erpnext/translations/lt.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,klientų daiktai
 DocType: Project,Costing and Billing,Sąnaudų ir atsiskaitymas
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Išankstinio sąskaitos valiuta turi būti tokia pati kaip ir įmonės valiuta {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Sąskaita {0}: Tėvų sąskaitą {1} negali būti knygos
+DocType: QuickBooks Migrator,Token Endpoint,Tokeno galutinis taškas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Sąskaita {0}: Tėvų sąskaitą {1} negali būti knygos
 DocType: Item,Publish Item to hub.erpnext.com,Paskelbti Prekę hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nepavyko rasti aktyvios palikimo laikotarpio
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nepavyko rasti aktyvios palikimo laikotarpio
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,vertinimas
 DocType: Item,Default Unit of Measure,Numatytasis matavimo vienetas
 DocType: SMS Center,All Sales Partner Contact,Visos pardavimo partnerė Susisiekite
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Spustelėkite &quot;Įtraukti&quot;
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Trūksta slaptažodžio, API klavišo arba Shopify URL vertės"
 DocType: Employee,Rented,nuomojamos
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Visos sąskaitos
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Visos sąskaitos
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Negalima perkelti Darbuotojo statuso į kairę
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Sustabdyta Gamybos nurodymas negali būti atšauktas, atkišti ji pirmą kartą atšaukti"
 DocType: Vehicle Service,Mileage,Rida
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Ar tikrai norite atsisakyti šios turtą?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Ar tikrai norite atsisakyti šios turtą?
 DocType: Drug Prescription,Update Schedule,Atnaujinti tvarkaraštį
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Pasirinkti Default Tiekėjas
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Rodyti darbuotoją
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Naujas kursas
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valiutų reikia kainoraščio {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valiutų reikia kainoraščio {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bus apskaičiuojama sandorį.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Klientų Susisiekite
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Tai grindžiama sandorių atžvilgiu šis tiekėjas. Žiūrėti grafikas žemiau detales
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Perprodukcijos procentas už darbo tvarką
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,juridinis
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,juridinis
+DocType: Delivery Note,Transport Receipt Date,Transporto gavimo data
 DocType: Shopify Settings,Sales Order Series,Pardavimo užsakymų serija
 DocType: Vital Signs,Tongue,Liežuvis
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +204,Actual type tax cannot be included in Item rate in row {0},Tikrasis tipas mokestis negali būti įtrauktos prekės lygis eilės {0}
@@ -57,17 +59,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Atleidimas nuo HRA
 DocType: Sales Invoice,Customer Name,Klientas
 DocType: Vehicle,Natural Gas,Gamtinių dujų
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Banko sąskaita negali būti vadinamas {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Banko sąskaita negali būti vadinamas {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA pagal darbo užmokesčio struktūrą
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vadovai (ar jų grupės), pagal kurį apskaitos įrašai yra pagaminti ir likučiai išlieka."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Neįvykdyti {0} negali būti mažesnė už nulį ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Paslaugų sustojimo data negali būti prieš Paslaugų pradžios datą
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Paslaugų sustojimo data negali būti prieš Paslaugų pradžios datą
 DocType: Manufacturing Settings,Default 10 mins,Numatytasis 10 min
 DocType: Leave Type,Leave Type Name,Palikite Modelio pavadinimas
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Rodyti atvira
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Rodyti atvira
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Serija Atnaujinta sėkmingai
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Užsakymas
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} eilutėje {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} eilutėje {1}
 DocType: Asset Finance Book,Depreciation Start Date,Nusidėvėjimo pradžios data
 DocType: Pricing Rule,Apply On,taikyti ant
 DocType: Item Price,Multiple Item prices.,Keli punktas kainos.
@@ -76,7 +78,7 @@
 DocType: Support Settings,Support Settings,paramos Nustatymai
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Tikimasi Pabaigos data negali būti mažesnė nei planuotos datos
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazonės MWS nustatymai
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Eilutės # {0}: dydis turi būti toks pat, kaip {1} {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Eilutės # {0}: dydis turi būti toks pat, kaip {1} {2} ({3} / {4})"
 ,Batch Item Expiry Status,Serija punktas Galiojimo Būsena
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,bankas projektas
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -105,7 +107,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Pagrindinė kontaktinė informacija
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Atviri klausimai
 DocType: Production Plan Item,Production Plan Item,Gamybos planas punktas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Vartotojas {0} jau priskirtas Darbuotojo {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Vartotojas {0} jau priskirtas Darbuotojo {1}
 DocType: Lab Test Groups,Add new line,Pridėti naują eilutę
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Sveikatos apsauga
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Delsimas mokėjimo (dienomis)
@@ -115,12 +117,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab receptas
 ,Delay Days,Vėlavimo dienos
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Paslaugų išlaidų
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijos numeris: {0} jau yra nuorodos į pardavimo sąskaita-faktūra: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijos numeris: {0} jau yra nuorodos į pardavimo sąskaita-faktūra: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,faktūra
 DocType: Purchase Invoice Item,Item Weight Details,Prekės svarumo duomenys
 DocType: Asset Maintenance Log,Periodicity,periodiškumas
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Finansiniai metai {0} reikalingas
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Tiekėjas&gt; Tiekėjo grupė
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Mažiausias atstumas tarp augalų eilučių siekiant optimalaus augimo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,apsauga
 DocType: Salary Component,Abbr,Santr.
@@ -139,11 +140,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Atostogų sąrašas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,buhalteris
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Pardavimo kainoraštis
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Pardavimo kainoraštis
 DocType: Patient,Tobacco Current Use,Tabako vartojimas
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Pardavimo norma
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Pardavimo norma
 DocType: Cost Center,Stock User,akcijų Vartotojas
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontaktinė informacija
 DocType: Company,Phone No,Telefonas Nėra
 DocType: Delivery Trip,Initial Email Notification Sent,Išsiunčiamas pradinis el. Pašto pranešimas
 DocType: Bank Statement Settings,Statement Header Mapping,Pareiškimų antraštės žemėlapiai
@@ -167,12 +169,11 @@
 DocType: Subscription,Subscription Start Date,Prenumeratos pradžios data
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Numatytos gautinos sąskaitos, kurios bus naudojamos, jei nenustatytos Pacientui, kad galėtumėte užsisakyti paskyrimo mokesčius."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Prisegti .csv failą su dviem stulpeliais, po vieną seną pavadinimą ir vieną naują vardą"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Nuo adreso 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Prekės kodas&gt; Prekės grupė&gt; Gamintojas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Nuo adreso 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} jokiu aktyviu finansinius metus.
 DocType: Packed Item,Parent Detail docname,Tėvų Išsamiau DOCNAME
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Nuoroda: {0}, Prekės kodas: {1} ir klientų: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} nėra patronuojančioje įmonėje
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} nėra patronuojančioje įmonėje
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Bandymo pabaigos data negali būti prieš bandomojo laikotarpio pradžios datą
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kilogramas
 DocType: Tax Withholding Category,Tax Withholding Category,Mokestinių pajamų kategorija
@@ -188,12 +189,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,reklaminis
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Pati bendrovė yra įrašytas daugiau nei vieną kartą
 DocType: Patient,Married,Vedęs
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Neleidžiama {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Neleidžiama {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Gauk elementus iš
 DocType: Price List,Price Not UOM Dependant,Kaina ne priklausomai nuo UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Taikyti mokesčių sulaikymo sumą
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},"Akcijų, negali būti atnaujintas prieš važtaraštyje {0}"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Iš viso kredituota suma
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},"Akcijų, negali būti atnaujintas prieš važtaraštyje {0}"
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Iš viso kredituota suma
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Prekės {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nėra išvardytus punktus
 DocType: Asset Repair,Error Description,Klaida Aprašymas
@@ -207,8 +208,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Naudokite tinkintą pinigų srautų formatą
 DocType: SMS Center,All Sales Person,Visi Pardavimų Vadybininkai
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mėnesio pasiskirstymas ** Jums padės platinti biudžeto / target visoje mėnesius, jei turite sezoniškumą savo verslą."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nerasta daiktai
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Darbo užmokesčio struktūrą Trūksta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nerasta daiktai
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Darbo užmokesčio struktūrą Trūksta
 DocType: Lead,Person Name,"asmens vardas, pavardė"
 DocType: Sales Invoice Item,Sales Invoice Item,Pardavimų sąskaita faktūra punktas
 DocType: Account,Credit,kreditas
@@ -217,19 +218,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Akcijų ataskaitos
 DocType: Warehouse,Warehouse Detail,Sandėlių detalės
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Kadencijos pabaigos data negali būti vėlesnė nei metų pabaigoje mokslo metų data, iki kurios terminas yra susijęs (akademiniai metai {}). Ištaisykite datas ir bandykite dar kartą."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Yra Ilgalaikis turtas"" negali būti nepažymėtas, nes egzistuoja prieštaraujantis turto įrašas."
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Yra Ilgalaikis turtas"" negali būti nepažymėtas, nes egzistuoja prieštaraujantis turto įrašas."
 DocType: Delivery Trip,Departure Time,Išvykimo laikas
 DocType: Vehicle Service,Brake Oil,stabdžių Nafta
 DocType: Tax Rule,Tax Type,mokesčių tipas
 ,Completed Work Orders,Užbaigti darbo užsakymai
 DocType: Support Settings,Forum Posts,Forumo žinutės
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,apmokestinamoji vertė
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,apmokestinamoji vertė
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Jūs nesate įgaliotas pridėti ar atnaujinti įrašus prieš {0}
 DocType: Leave Policy,Leave Policy Details,Išsaugokite informaciją apie politiką
 DocType: BOM,Item Image (if not slideshow),Prekė vaizdas (jei ne skaidrių)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Per valandą/ 60) * Tikrasis veikimo laikas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Eilutė # {0}: standartinio dokumento tipas turi būti vienas iš išlaidų reikalavimo arba leidimo įrašo
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Pasirinkite BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Eilutė # {0}: standartinio dokumento tipas turi būti vienas iš išlaidų reikalavimo arba leidimo įrašo
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Pasirinkite BOM
 DocType: SMS Log,SMS Log,SMS Prisijungti
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Išlaidos pristatyto objekto
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Atostogų į {0} yra ne tarp Nuo datos ir iki šiol
@@ -238,16 +239,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Tiekėjo lentelės šablonai.
 DocType: Lead,Interested,Suinteresuotas
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,atidarymas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Iš {0} ir {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Iš {0} ir {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programa:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Nepavyko nustatyti mokesčių
 DocType: Item,Copy From Item Group,Kopijuoti Nuo punktas grupės
-DocType: Delivery Trip,Delivery Notification,Pristatymo pranešimas
 DocType: Journal Entry,Opening Entry,atidarymas įrašas
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Sąskaita mokate tik
 DocType: Loan,Repay Over Number of Periods,Grąžinti Over periodų skaičius
 DocType: Stock Entry,Additional Costs,Papildomos išlaidos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Sąskaita su esama sandoris negali būti konvertuojamos į grupę.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Sąskaita su esama sandoris negali būti konvertuojamos į grupę.
 DocType: Lead,Product Enquiry,Prekės Užklausa
 DocType: Education Settings,Validate Batch for Students in Student Group,Patvirtinti Serija studentams Studentų grupės
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Ne atostogos rekordas darbuotojo rado {0} už {1}
@@ -255,7 +255,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Prašome įvesti įmonę pirmas
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Prašome pasirinkti Company pirmas
 DocType: Employee Education,Under Graduate,pagal diplomas
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Prašome nustatyti numatytąjį šabloną pranešimui apie būklės palikimą HR nustatymuose.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Prašome nustatyti numatytąjį šabloną pranešimui apie būklės palikimą HR nustatymuose.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Tikslinė Apie
 DocType: BOM,Total Cost,Iš viso išlaidų
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -268,7 +268,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Sąskaitų ataskaita
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,vaistai
 DocType: Purchase Invoice Item,Is Fixed Asset,Ar Ilgalaikio turto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Turimas Kiekis yra {0}, jums reikia {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Turimas Kiekis yra {0}, jums reikia {1}"
 DocType: Expense Claim Detail,Claim Amount,reikalavimo suma
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Darbo tvarka buvo {0}
@@ -302,13 +302,13 @@
 DocType: BOM,Quality Inspection Template,Kokybės tikrinimo šablonas
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Norite atnaujinti lankomumą? <br> Dovana: {0} \ <br> Nėra: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Priimamos + Atmesta Kiekis turi būti lygi Gauta kiekio punktui {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Priimamos + Atmesta Kiekis turi būti lygi Gauta kiekio punktui {0}
 DocType: Item,Supply Raw Materials for Purchase,Tiekimo Žaliavos pirkimas
 DocType: Agriculture Analysis Criteria,Fertilizer,Trąšos
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Negali užtikrinti pristatymo pagal serijos numerį, nes \ Priemonė {0} yra pridėta su ir be įsitikinimo pristatymu pagal serijos numerį."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Bent vienas režimas mokėjimo reikalingas POS sąskaitą.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Bent vienas režimas mokėjimo reikalingas POS sąskaitą.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Banko sąskaita faktūra
 DocType: Products Settings,Show Products as a List,Rodyti produktus sąraše
 DocType: Salary Detail,Tax on flexible benefit,Mokestis už lanksčią naudą
@@ -319,14 +319,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Medžiagos užklausa išsamiai
 DocType: Selling Settings,Default Quotation Validity Days,Numatytų kuponų galiojimo dienos
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Įtraukti mokestį iš eilės {0} prekės norma, mokesčiai eilučių {1}, taip pat turi būti įtraukti"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Įtraukti mokestį iš eilės {0} prekės norma, mokesčiai eilučių {1}, taip pat turi būti įtraukti"
 DocType: SMS Center,SMS Center,SMS centro
 DocType: Payroll Entry,Validate Attendance,Patvirtinti lankomumą
 DocType: Sales Invoice,Change Amount,Pakeisti suma
 DocType: Party Tax Withholding Config,Certificate Received,Gauta sertifikatas
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,"Nustatykite B2C sąskaitos faktūros vertę. B2CL ir B2CS, apskaičiuotos pagal šią sąskaitos faktūros vertę."
 DocType: BOM Update Tool,New BOM,nauja BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Nustatytos procedūros
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Nustatytos procedūros
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Rodyti tik POS
 DocType: Supplier Group,Supplier Group Name,Tiekėjo grupės pavadinimas
 DocType: Driver,Driving License Categories,Vairuotojo pažymėjimo kategorijos
@@ -341,7 +341,7 @@
 DocType: Payroll Period,Payroll Periods,Darbo užmokesčio laikotarpiai
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Padaryti Darbuotojas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,transliavimas
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS nustatymas (internetu / neprisijungus)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS nustatymas (internetu / neprisijungus)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Neleidžia kurti laiko žurnalų prieš darbo užsakymus. Operacijos neturi būti stebimos pagal darbo tvarką
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,vykdymas
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Išsami informacija apie atliktas operacijas.
@@ -375,7 +375,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Nuolaida Kainų sąrašas tarifas (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Elemento šablonas
 DocType: Job Offer,Select Terms and Conditions,Pasirinkite Terminai ir sąlygos
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,iš Vertė
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,iš Vertė
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Banko ataskaitos nustatymo elementas
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce nustatymai
 DocType: Production Plan,Sales Orders,pardavimų užsakymai
@@ -388,20 +388,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Už citatos prašymas gali būti atvertas paspaudę šią nuorodą
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG kūrimo įrankis kursai
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Mokėjimo aprašymas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,nepakankamas sandėlyje
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,nepakankamas sandėlyje
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Išjungti pajėgumų planavimas ir laiko sekimo
 DocType: Email Digest,New Sales Orders,Naujų pardavimo užsakymus
 DocType: Bank Account,Bank Account,Banko sąskaita
 DocType: Travel Itinerary,Check-out Date,Išvykimo data
 DocType: Leave Type,Allow Negative Balance,Leiskite neigiamas balansas
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Negalite ištrinti projekto tipo &quot;Išorinis&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Pasirinkite alternatyvų elementą
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Pasirinkite alternatyvų elementą
 DocType: Employee,Create User,Sukurti vartotoją
 DocType: Selling Settings,Default Territory,numatytasis teritorija
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,televizija
 DocType: Work Order Operation,Updated via 'Time Log',Atnaujinta per &quot;Time Prisijungti&quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Pasirinkite klientą ar tiekėją.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Avanso suma gali būti ne didesnė kaip {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Avanso suma gali būti ne didesnė kaip {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Laiko tarpas praleistas, lizdas {0} - {1} sutampa su esančia lizde {2} - {3}"
 DocType: Naming Series,Series List for this Transaction,Serija sąrašas šio sandorio
 DocType: Company,Enable Perpetual Inventory,Įjungti nuolatinio inventorizavimo
@@ -422,7 +422,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Prieš Pardavimų sąskaitos punktas
 DocType: Agriculture Analysis Criteria,Linked Doctype,Susietas &quot;Doctype&quot;
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Grynieji pinigų srautai iš finansavimo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage &quot;yra pilna, neišsaugojo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage &quot;yra pilna, neišsaugojo"
 DocType: Lead,Address & Contact,Adresas ir kontaktai
 DocType: Leave Allocation,Add unused leaves from previous allocations,Pridėti nepanaudotas lapus iš ankstesnių paskirstymų
 DocType: Sales Partner,Partner website,partnerio svetainė
@@ -445,10 +445,10 @@
 ,Open Work Orders,Atidaryti darbo užsakymus
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Išorės konsultacijų apmokestinimo punktas
 DocType: Payment Term,Credit Months,Kredito mėnesiai
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Neto darbo užmokestis negali būti mažesnis už 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Neto darbo užmokestis negali būti mažesnis už 0
 DocType: Contract,Fulfilled,Įvykdė
 DocType: Inpatient Record,Discharge Scheduled,Išleidimas iš anksto suplanuotas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Malšinančių data turi būti didesnis nei įstoti data
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Malšinančių data turi būti didesnis nei įstoti data
 DocType: POS Closing Voucher,Cashier,Kasininkas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Lapai per metus
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Eilutės {0}: Prašome patikrinti &quot;yra iš anksto&quot; prieš paskyra {1}, jei tai yra išankstinis įrašas."
@@ -459,15 +459,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Nustatykite studentus pagal studentų grupes
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Baigti darbą
 DocType: Item Website Specification,Item Website Specification,Prekė svetainė Specifikacija
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Palikite Užblokuoti
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Prekės {0} galiojimas pasibaigė {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Palikite Užblokuoti
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Prekės {0} galiojimas pasibaigė {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Banko įrašai
 DocType: Customer,Is Internal Customer,Yra vidinis klientas
 DocType: Crop,Annual,metinis
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Jei pažymėtas automatinis pasirinkimas, klientai bus automatiškai susieti su atitinkama lojalumo programa (išsaugoti)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Akcijų Susitaikymas punktas
 DocType: Stock Entry,Sales Invoice No,Pardavimų sąskaita faktūra nėra
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tiekimo tipas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tiekimo tipas
 DocType: Material Request Item,Min Order Qty,Min Užsakomas kiekis
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studentų grupė kūrimo įrankis kursai
 DocType: Lead,Do Not Contact,Nėra jokio tikslo susisiekti
@@ -481,14 +481,14 @@
 DocType: Item,Publish in Hub,Skelbia Hub
 DocType: Student Admission,Student Admission,Studentų Priėmimas
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Prekė {0} atšaukiamas
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Prekė {0} atšaukiamas
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Nusidėvėjimo eilutė {0}: nusidėvėjimo pradžios data įrašoma kaip praėjusioji data
 DocType: Contract Template,Fulfilment Terms and Conditions,Atlikimo sąlygos
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,medžiaga Prašymas
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,medžiaga Prašymas
 DocType: Bank Reconciliation,Update Clearance Date,Atnaujinti Sąskaitų data
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,pirkimo informacija
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Prekė {0} nerastas &quot;In žaliavos&quot; stalo Užsakymo {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Prekė {0} nerastas &quot;In žaliavos&quot; stalo Užsakymo {1}
 DocType: Salary Slip,Total Principal Amount,Visa pagrindinė suma
 DocType: Student Guardian,Relation,santykis
 DocType: Student Guardian,Mother,Motina
@@ -533,10 +533,11 @@
 DocType: Tax Rule,Shipping County,Pristatymas apskritis
 DocType: Currency Exchange,For Selling,Pardavimui
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Mokytis
+DocType: Purchase Invoice Item,Enable Deferred Expense,Įgalinti atidėtąsias išlaidas
 DocType: Asset,Next Depreciation Date,Kitas Nusidėvėjimas data
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Veiklos sąnaudos vienam darbuotojui
 DocType: Accounts Settings,Settings for Accounts,Nustatymai sąskaitų
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Tiekėjas sąskaitoje Nr egzistuoja pirkimo sąskaitoje faktūroje {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Tiekėjas sąskaitoje Nr egzistuoja pirkimo sąskaitoje faktūroje {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Valdyti pardavimo asmuo medį.
 DocType: Job Applicant,Cover Letter,lydraštis
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Neįvykdyti čekiai ir užstatai ir išvalyti
@@ -551,7 +552,7 @@
 DocType: Employee,External Work History,Išorinis darbo istoriją
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Ciklinę nuorodą Klaida
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studentų kortelės ataskaita
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Iš PIN kodo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Iš PIN kodo
 DocType: Appointment Type,Is Inpatient,Yra stacionarus
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Vardas
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Žodžiais (eksportas) bus matomas, kai jūs išgelbėti važtaraštyje."
@@ -566,18 +567,19 @@
 DocType: Journal Entry,Multi Currency,Daugiafunkciniai Valiuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Sąskaitos faktūros tipas
 DocType: Employee Benefit Claim,Expense Proof,Išlaidų įrodymas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Važtaraštis
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Išsaugoma {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Važtaraštis
 DocType: Patient Encounter,Encounter Impression,Susiduria su įspūdžiais
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Įsteigti Mokesčiai
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Kaina Parduota turto
 DocType: Volunteer,Morning,Rytas
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Mokėjimo Įrašas buvo pakeistas po to, kai ištraukė ją. Prašome traukti jį dar kartą."
 DocType: Program Enrollment Tool,New Student Batch,Naujoji studentų partija
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} įvestas du kartus Prekės mokesčio
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Santrauka šią savaitę ir laukiant veikla
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} įvestas du kartus Prekės mokesčio
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Santrauka šią savaitę ir laukiant veikla
 DocType: Student Applicant,Admitted,pripažino
 DocType: Workstation,Rent Cost,nuomos kaina
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Suma po nusidėvėjimo
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Suma po nusidėvėjimo
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Artimiausi Kalendoriaus įvykiai
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Varianto atributai
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Prašome pasirinkti mėnesį ir metus
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Gali būti tik 1 sąskaita už Bendrovės {0} {1}
 DocType: Support Search Source,Response Result Key Path,Atsakymo rezultato pagrindinis kelias
 DocType: Journal Entry,Inter Company Journal Entry,&quot;Inter&quot; žurnalo įrašas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Kiekybei {0} neturėtų būti didesnis nei darbo užsakymo kiekis {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Žiūrėkite priedą
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Kiekybei {0} neturėtų būti didesnis nei darbo užsakymo kiekis {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Žiūrėkite priedą
 DocType: Purchase Order,% Received,% Gauta
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Sukurti studentų grupių
 DocType: Volunteer,Weekends,Savaitgaliai
@@ -658,7 +660,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Viso neįvykdyti
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Pakeisti pradinį / trumpalaikiai eilės numerį esamo serijos.
 DocType: Dosage Strength,Strength,Jėga
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Sukurti naują klientų
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Sukurti naują klientų
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Pabaiga
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jei ir toliau vyrauja daug kainodaros taisyklės, vartotojai, prašoma, kad prioritetas rankiniu būdu išspręsti konfliktą."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Sukurti Pirkimų užsakymus
@@ -669,17 +671,18 @@
 DocType: Workstation,Consumable Cost,vartojimo kaina
 DocType: Purchase Receipt,Vehicle Date,Automobilio data
 DocType: Student Log,Medical,medicinos
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,"Priežastis, dėl kurios praranda"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Pasirinkite vaistą
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,"Priežastis, dėl kurios praranda"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Pasirinkite vaistą
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,"Švinas savininkas gali būti toks pat, kaip pirmaujančios"
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Paskirti suma gali ne didesnis nei originalios suma
 DocType: Announcement,Receiver,imtuvas
 DocType: Location,Area UOM,Plotas UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"Kompiuterizuotos darbo vietos yra uždarytas šių datų, kaip už Atostogų sąrašas: {0}"
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,galimybės
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,galimybės
 DocType: Lab Test Template,Single,vienas
 DocType: Compensatory Leave Request,Work From Date,Darbas nuo datos
 DocType: Salary Slip,Total Loan Repayment,Viso paskolų grąžinimas
+DocType: Project User,View attachments,Žiūrėti priedus
 DocType: Account,Cost of Goods Sold,Parduotų prekių kaina
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Prašome įvesti sąnaudų centro
 DocType: Drug Prescription,Dosage,Dozavimas
@@ -690,7 +693,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Kiekis ir Balsuok
 DocType: Delivery Note,% Installed,% Įdiegta
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Kabinetai / Laboratorijos tt, kai paskaitos gali būti planuojama."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Abiejų bendrovių bendrovės valiutos turėtų atitikti &quot;Inter&quot; bendrovės sandorius.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Abiejų bendrovių bendrovės valiutos turėtų atitikti &quot;Inter&quot; bendrovės sandorius.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Prašome įvesti įmonės pavadinimą pirmoji
 DocType: Travel Itinerary,Non-Vegetarian,Ne vegetaras
 DocType: Purchase Invoice,Supplier Name,tiekėjas Vardas
@@ -700,7 +703,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Laikinai sustabdytas
 DocType: Account,Is Group,yra grupė
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditinė pastaba {0} sukurta automatiškai
-DocType: Email Digest,Pending Purchase Orders,Kol Pirkimų užsakymus
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatiškai Eilės Nr remiantis FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Patikrinkite Tiekėjas sąskaitos faktūros numeris Unikalumas
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Pagrindinio adreso duomenys
@@ -718,12 +720,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Tinkinti įvadinį tekstą, kad eina kaip tos paštu dalį. Kiekvienas sandoris turi atskirą įžanginį tekstą."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Eilutė {0}: reikalingas veiksmas prieš žaliavos elementą {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Prašome nustatyti numatytąją mokėtiną sąskaitos už bendrovės {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Sandoris neleidžiamas nuo sustojimo Darbų užsakymas {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Sandoris neleidžiamas nuo sustojimo Darbų užsakymas {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global nustatymai visus gamybos procesus.
 DocType: Accounts Settings,Accounts Frozen Upto,Sąskaitos Šaldyti upto
 DocType: SMS Log,Sent On,išsiųstas
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Įgūdis {0} pasirinktas kelis kartus požymiai lentelėje
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Įgūdis {0} pasirinktas kelis kartus požymiai lentelėje
 DocType: HR Settings,Employee record is created using selected field. ,Darbuotojų įrašas sukurtas naudojant pasirinktą lauką.
 DocType: Sales Order,Not Applicable,Netaikoma
 DocType: Amazon MWS Settings,UK,Jungtinė Karalystė
@@ -751,21 +753,22 @@
 DocType: Student Report Generation Tool,Attended by Parents,Dalyvauja tėvai
 DocType: Inpatient Record,AB Positive,AB teigiamas
 DocType: Job Opening,Description of a Job Opening,Aprašymas apie Darbo skelbimai
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Kol veikla šiandien
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Kol veikla šiandien
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Pajamos komponentas žiniaraštis pagrįstą darbo užmokesčio.
+DocType: Driver,Applicable for external driver,Taikoma išoriniam vairuotojui
 DocType: Sales Order Item,Used for Production Plan,Naudojamas gamybos planas
 DocType: Loan,Total Payment,bendras Apmokėjimas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Negalima atšaukti sandorio už užbaigtą darbo užsakymą.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Negalima atšaukti sandorio už užbaigtą darbo užsakymą.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Laikas tarp operacijų (minutėmis)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO jau sukurtas visiems pardavimo užsakymo elementams
 DocType: Healthcare Service Unit,Occupied,Okupuotas
 DocType: Clinical Procedure,Consumables,Eksploatacinės medžiagos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} yra atšaukta ir todėl veiksmai negali būti užbaigtas
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} yra atšaukta ir todėl veiksmai negali būti užbaigtas
 DocType: Customer,Buyer of Goods and Services.,Pirkėjas prekes ir paslaugas.
 DocType: Journal Entry,Accounts Payable,MOKĖTINOS SUMOS
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Šiame mokėjimo prašyme nurodyta {0} suma skiriasi nuo apskaičiuotos visų mokėjimo planų sumos: {1}. Prieš pateikdami dokumentą įsitikinkite, kad tai teisinga."
 DocType: Patient,Allergies,Alergijos
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Pasirinktos BOMs yra ne to paties objekto
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Pasirinktos BOMs yra ne to paties objekto
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Pakeisti prekės kodą
 DocType: Supplier Scorecard Standing,Notify Other,Pranešti apie kitą
 DocType: Vital Signs,Blood Pressure (systolic),Kraujo spaudimas (sistolinis)
@@ -777,7 +780,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Pakankamai Dalys sukurti
 DocType: POS Profile User,POS Profile User,POS vartotojo profilis
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Eilutė {0}: būtina nusidėvėjimo pradžios data
-DocType: Sales Invoice Item,Service Start Date,Paslaugos pradžios data
+DocType: Purchase Invoice Item,Service Start Date,Paslaugos pradžios data
 DocType: Subscription Invoice,Subscription Invoice,Prenumeratos sąskaita faktūra
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,tiesioginių pajamų
 DocType: Patient Appointment,Date TIme,Data TIme
@@ -797,7 +800,7 @@
 DocType: Lab Test Template,Lab Routine,&quot;Lab Routine&quot;
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,kosmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Prašome pasirinkti baigtinio turto priežiūros žurnalo užbaigimo datą
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Sujungti, šie savybės turi būti tokios pačios tiek daiktų"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Sujungti, šie savybės turi būti tokios pačios tiek daiktų"
 DocType: Supplier,Block Supplier,Blokuotojas tiekėjas
 DocType: Shipping Rule,Net Weight,Grynas svoris
 DocType: Job Opening,Planned number of Positions,Planuojamas pozicijų skaičius
@@ -819,19 +822,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Pinigų srautų žemėlapių šablonas
 DocType: Travel Request,Costing Details,Kainų detalės
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Rodyti grąžinimo įrašus
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serijos Nr punktas negali būti frakcija
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serijos Nr punktas negali būti frakcija
 DocType: Journal Entry,Difference (Dr - Cr),Skirtumas (dr - Cr)
 DocType: Bank Guarantee,Providing,Teikti
 DocType: Account,Profit and Loss,Pelnas ir nuostoliai
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Neleidžiama sukonfigūruoti laboratorijos bandymo šabloną, jei reikia"
 DocType: Patient,Risk Factors,Rizikos veiksniai
 DocType: Patient,Occupational Hazards and Environmental Factors,Profesiniai pavojai ir aplinkos veiksniai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Daliniai įrašai jau sukurta darbo užsakymui
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Daliniai įrašai jau sukurta darbo užsakymui
 DocType: Vital Signs,Respiratory rate,Kvėpavimo dažnis
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,valdymas Subranga
 DocType: Vital Signs,Body Temperature,Kūno temperatūra
 DocType: Project,Project will be accessible on the website to these users,Projektas bus prieinama tinklalapyje šių vartotojų
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Negalima atšaukti {0} {1}, nes serijos numeris {2} nepriklauso sandėlyje {3}"
 DocType: Detected Disease,Disease,Liga
+DocType: Company,Default Deferred Expense Account,Numatytoji atidėto išlaidų sąskaita
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Nurodykite projekto tipą.
 DocType: Supplier Scorecard,Weighting Function,Svorio funkcija
 DocType: Healthcare Practitioner,OP Consulting Charge,&quot;OP Consulting&quot; mokestis
@@ -848,7 +853,7 @@
 DocType: Crop,Produced Items,Pagaminti daiktai
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Derinti operaciją su sąskaitomis faktūromis
 DocType: Sales Order Item,Gross Profit,Bendrasis pelnas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Atblokuoti sąskaitą faktūrą
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Atblokuoti sąskaitą faktūrą
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,"Prieaugis negali būti 0,"
 DocType: Company,Delete Company Transactions,Ištrinti bendrovės verslo sandoriai
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Nuorodos Nr ir nuoroda data yra privalomas banko sandorio
@@ -869,11 +874,11 @@
 DocType: Budget,Ignore,ignoruoti
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} is not active
 DocType: Woocommerce Settings,Freight and Forwarding Account,Krovinių ir ekspedijavimo sąskaita
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Sąranka patikrinti matmenys spausdinti
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Sąranka patikrinti matmenys spausdinti
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Kurti atlyginimus
 DocType: Vital Signs,Bloated,Išpūstas
 DocType: Salary Slip,Salary Slip Timesheet,Pajamos Kuponas Lapą
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tiekėjas tiekiantis sandėlis privalomas SUBRANGOVAMS pirkimo kvito
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tiekėjas tiekiantis sandėlis privalomas SUBRANGOVAMS pirkimo kvito
 DocType: Item Price,Valid From,Galioja nuo
 DocType: Sales Invoice,Total Commission,Iš viso Komisija
 DocType: Tax Withholding Account,Tax Withholding Account,Mokesčių išskaitymo sąskaita
@@ -881,12 +886,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Visi tiekėjų rezultatų kortelės.
 DocType: Buying Settings,Purchase Receipt Required,Pirkimo kvito Reikalinga
 DocType: Delivery Note,Rail,Geležinkelis
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Tikslinė sandėlio eilutė {0} turi būti tokia pat kaip ir darbo užsakymas
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Vertinimo rodiklis yra privalomas, jei atidarymas sandėlyje įvesta"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Tikslinė sandėlio eilutė {0} turi būti tokia pat kaip ir darbo užsakymas
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Vertinimo rodiklis yra privalomas, jei atidarymas sandėlyje įvesta"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,rasti sąskaitos faktūros lentelės Nėra įrašų
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Prašome pasirinkti bendrovė ir šalies tipo pirmas
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Jau nustatytas numatytasis naudotojo {1} pos profilyje {0}, maloniai išjungtas numatytasis"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finansų / apskaitos metus.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finansų / apskaitos metus.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,sukauptos vertybės
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Atsiprašome, Eilės Nr negali būti sujungtos"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Klientų grupė nustato pasirinktą grupę, sinchronizuodama &quot;Shopify&quot; klientus"
@@ -900,7 +905,7 @@
 ,Lead Id,Švinas ID
 DocType: C-Form Invoice Detail,Grand Total,Bendra suma
 DocType: Assessment Plan,Course,kursas
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Skirsnio kodas
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Skirsnio kodas
 DocType: Timesheet,Payslip,algalapį
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Pusės dienos data turėtų būti nuo datos iki datos
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,krepšelis
@@ -909,7 +914,8 @@
 DocType: Employee,Personal Bio,Asmeninė Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Narystės ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Paskelbta: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Paskelbta: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Prisijungta prie &quot;QuickBooks&quot;
 DocType: Bank Statement Transaction Entry,Payable Account,mokėtinos sąskaitos
 DocType: Payment Entry,Type of Payment,Mokėjimo rūšis
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Pusės dienos data yra privaloma
@@ -921,7 +927,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Pristatymo sąskaitos data
 DocType: Production Plan,Production Plan,Gamybos planas
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Sąskaitų faktūrų kūrimo įrankio atidarymas
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,pardavimų Grįžti
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,pardavimų Grįžti
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Pastaba: Iš viso skiriami lapai {0} turi būti ne mažesnis nei jau patvirtintų lapų {1} laikotarpiui
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Nustatykite kiekį sandoriuose, kurie yra pagrįsti serijiniu numeriu"
 ,Total Stock Summary,Viso sandėlyje santrauka
@@ -934,9 +940,9 @@
 DocType: Authorization Rule,Customer or Item,Klientas ar punktas
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Klientų duomenų bazė.
 DocType: Quotation,Quotation To,citatos
-DocType: Lead,Middle Income,vidutines pajamas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,vidutines pajamas
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Anga (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Numatytasis Matavimo vienetas už prekę {0} negali būti pakeistas tiesiogiai, nes jūs jau padarė tam tikrą sandorį (-ius) su kitu UOM. Jums reikės sukurti naują elementą naudoti kitą numatytąjį UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Numatytasis Matavimo vienetas už prekę {0} negali būti pakeistas tiesiogiai, nes jūs jau padarė tam tikrą sandorį (-ius) su kitu UOM. Jums reikės sukurti naują elementą naudoti kitą numatytąjį UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Paskirti suma negali būti neigiama
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Prašome nurodyti Bendrovei
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Prašome nurodyti Bendrovei
@@ -954,15 +960,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Pasirinkite mokėjimo sąskaitos, kad bankų įėjimo"
 DocType: Hotel Settings,Default Invoice Naming Series,Numatytoji sąskaitų vardų serija
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Sukurti darbuotojams įrašus valdyti lapai, išlaidų paraiškos ir darbo užmokesčio"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Atnaujinimo proceso metu įvyko klaida
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Atnaujinimo proceso metu įvyko klaida
 DocType: Restaurant Reservation,Restaurant Reservation,Restorano rezervavimas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Pasiūlymas rašymas
 DocType: Payment Entry Deduction,Payment Entry Deduction,Mokėjimo Įėjimo išskaičiavimas
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Įpakavimas
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Pranešti klientams el. Paštu
 DocType: Item,Batch Number Series,Serijos numerio serija
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Kitas pardavimų asmuo {0} egzistuoja su tuo pačiu Darbuotojo ID
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Kitas pardavimų asmuo {0} egzistuoja su tuo pačiu Darbuotojo ID
 DocType: Employee Advance,Claimed Amount,Reikalaujama suma
+DocType: QuickBooks Migrator,Authorization Settings,Įgaliojimo nustatymai
 DocType: Travel Itinerary,Departure Datetime,Išvykimo data
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Kelionės išlaidų apmokestinimas
@@ -1002,26 +1009,29 @@
 DocType: Buying Settings,Supplier Naming By,Tiekėjas įvardijimas Iki
 DocType: Activity Type,Default Costing Rate,Numatytasis Sąnaudų norma
 DocType: Maintenance Schedule,Maintenance Schedule,Priežiūros planas
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Tada Kainodaros taisyklės yra išfiltruotas remiantis Klientui, klientų grupės, teritorijoje, tiekėjas, Tiekėjas tipas, kampanijos partneris pardavimo ir tt"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Tada Kainodaros taisyklės yra išfiltruotas remiantis Klientui, klientų grupės, teritorijoje, tiekėjas, Tiekėjas tipas, kampanijos partneris pardavimo ir tt"
 DocType: Employee Promotion,Employee Promotion Details,Darbuotojų skatinimo informacija
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Grynasis pokytis Inventorius
 DocType: Employee,Passport Number,Paso numeris
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Ryšys su Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,vadybininkas
 DocType: Payment Entry,Payment From / To,Mokėjimo Nuo / Iki
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Nuo fiskalinių metų
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nauja kredito limitas yra mažesnis nei dabartinio nesumokėtos sumos klientui. Kredito limitas turi būti atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Nustatykite sąskaitą sandėlyje {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Nustatykite sąskaitą sandėlyje {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Remiantis"" ir ""grupuoti pagal"" negali būti tas pats"
 DocType: Sales Person,Sales Person Targets,Pardavimų asmuo tikslai
 DocType: Work Order Operation,In minutes,per kelias minutes
 DocType: Issue,Resolution Date,geba data
 DocType: Lab Test Template,Compound,Junginys
+DocType: Opportunity,Probability (%),Tikimybė (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Pranešimas apie išsiuntimą
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Pasirinkite turtą
 DocType: Student Batch Name,Batch Name,Serija Vardas
 DocType: Fee Validity,Max number of visit,Maksimalus apsilankymo skaičius
 ,Hotel Room Occupancy,Viešbučio kambario užimtumas
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Lapą sukurta:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Prašome nustatyti numatytąją grynaisiais ar banko sąskaitą mokėjimo būdas {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Prašome nustatyti numatytąją grynaisiais ar banko sąskaitą mokėjimo būdas {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,įrašyti
 DocType: GST Settings,GST Settings,GST Nustatymai
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valiuta turi būti tokia pati kaip ir kainų sąrašo valiuta: {0}
@@ -1062,12 +1072,12 @@
 DocType: Loan,Total Interest Payable,Iš viso palūkanų Mokėtina
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Įvežtinė kaina Mokesčiai ir rinkliavos
 DocType: Work Order Operation,Actual Start Time,Tikrasis Pradžios laikas
+DocType: Purchase Invoice Item,Deferred Expense Account,Atidėto išlaidų sąskaita
 DocType: BOM Operation,Operation Time,veikimo laikas
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Baigti
 DocType: Salary Structure Assignment,Base,Bazė
 DocType: Timesheet,Total Billed Hours,Iš viso Apmokestintos valandos
 DocType: Travel Itinerary,Travel To,Keliauti į
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nėra
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Nurašyti suma
 DocType: Leave Block List Allow,Allow User,leidžia vartotojui
 DocType: Journal Entry,Bill No,Billas Nėra
@@ -1086,9 +1096,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,laikas lapas
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Žaliavos remiantis
 DocType: Sales Invoice,Port Code,Uosto kodas
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Rezervų sandėlis
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Rezervų sandėlis
 DocType: Lead,Lead is an Organization,Švinas yra organizacija
-DocType: Guardian Interest,Interest,palūkanos
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pre Pardavimai
 DocType: Instructor Log,Other Details,Kitos detalės
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1098,7 +1107,7 @@
 DocType: Account,Accounts,sąskaitos
 DocType: Vehicle,Odometer Value (Last),Odometras Vertė (Paskutinis)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Tiekimo rezultatų vertinimo kriterijų šablonai.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,prekyba
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,prekyba
 DocType: Sales Invoice,Redeem Loyalty Points,Išpirkti lojalumo taškus
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Mokėjimo įrašas jau yra sukurta
 DocType: Request for Quotation,Get Suppliers,Gaukite tiekėjus
@@ -1115,16 +1124,14 @@
 DocType: Crop,Crop Spacing UOM,Crop Spacing UOM
 DocType: Loyalty Program,Single Tier Program,Vienos pakopos programa
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Pasirinkite tik tada, jei turite nustatymus Pinigų srauto kartografavimo dokumentus"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Nuo adreso 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Nuo adreso 1
 DocType: Email Digest,Next email will be sent on:,Kitas laiškas bus išsiųstas į:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Po elemento {items} {verb} pažymėtas kaip {message} elementas. \ Jūs galite juos įgalinti kaip {message} elementą iš jo elemento meistro
 DocType: Supplier Scorecard,Per Week,Per savaitę
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Prekė turi variantus.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Prekė turi variantus.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Viso studento
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Prekė {0} nerastas
 DocType: Bin,Stock Value,vertybinių popierių kaina
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Įmonės {0} neegzistuoja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Įmonės {0} neegzistuoja
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} mokestis galioja iki {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,medis tipas
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Kiekis Suvartoti Vieneto
@@ -1140,7 +1147,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kreditinė kortelė įrašas
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Įmonė ir sąskaitos
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,vertės
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,vertės
 DocType: Asset Settings,Depreciation Options,Nusidėvėjimo galimybės
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Būtina reikalauti bet kurios vietos ar darbuotojo
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Neteisingas skelbimo laikas
@@ -1157,20 +1164,21 @@
 DocType: Leave Allocation,Allocation,Paskirstymas
 DocType: Purchase Order,Supply Raw Materials,Tiekimo Žaliavos
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Turimas turtas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} nėra sandėlyje punktas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} nėra sandėlyje punktas
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Prašome pasidalinti savo atsiliepimais su mokymu spustelėdami &quot;Mokymo atsiliepimai&quot;, tada &quot;Naujas&quot;"
 DocType: Mode of Payment Account,Default Account,numatytoji paskyra
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Pirmiausia pasirinkite &quot;Sample Storage Warehouse&quot; atsargų nustatymuose
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Pirmiausia pasirinkite &quot;Sample Storage Warehouse&quot; atsargų nustatymuose
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Pasirinkite daugialypės pakopos programos tipą daugiau nei vienai rinkimo taisyklėms.
 DocType: Payment Entry,Received Amount (Company Currency),Gautos sumos (Įmonės valiuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Švinas turi būti nustatyti, jei galimybės yra pagamintas iš švino"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Mokėjimas atšauktas. Prašome patikrinti savo &quot;GoCardless&quot; sąskaitą, kad gautumėte daugiau informacijos"
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Siųsti su priedu
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Prašome pasirinkti savaitę nuo dieną
 DocType: Inpatient Record,O Negative,O neigiamas
 DocType: Work Order Operation,Planned End Time,Planuojamas Pabaigos laikas
 ,Sales Person Target Variance Item Group-Wise,Pardavimų Asmuo Tikslinė Dispersija punktas grupė-Išminčius
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Sąskaita su esamais sandoris negali būti konvertuojamos į sąskaitų knygos
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Sąskaita su esamais sandoris negali būti konvertuojamos į sąskaitų knygos
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Mokesčių tipo duomenys
 DocType: Delivery Note,Customer's Purchase Order No,Kliento Užsakymo Nėra
 DocType: Clinical Procedure,Consume Stock,Vartoti atsargas
@@ -1183,26 +1191,26 @@
 DocType: Soil Texture,Sand,Smėlis
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,energija
 DocType: Opportunity,Opportunity From,galimybė Nuo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Eilutė {0}: {1} {2} elementui reikalingi eilės numeriai. Jūs pateikė {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Eilutė {0}: {1} {2} elementui reikalingi eilės numeriai. Jūs pateikė {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Pasirinkite lentelę
 DocType: BOM,Website Specifications,Interneto svetainė duomenys
 DocType: Special Test Items,Particulars,Duomenys
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Nuo {0} tipo {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Eilutės {0}: konversijos faktorius yra privalomas
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Eilutės {0}: konversijos faktorius yra privalomas
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Keli Kaina Taisyklės egzistuoja tais pačiais kriterijais, prašome išspręsti konfliktą suteikti pirmenybę. Kaina Taisyklės: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Keli Kaina Taisyklės egzistuoja tais pačiais kriterijais, prašome išspręsti konfliktą suteikti pirmenybę. Kaina Taisyklės: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Valiutos kurso perkainojimo sąskaita
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Negalima išjungti arba atšaukti BOM kaip ji yra susijusi su kitais BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Negalima išjungti arba atšaukti BOM kaip ji yra susijusi su kitais BOMs
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"Jei norite gauti įrašus, pasirinkite Įmonės ir paskelbimo datą"
 DocType: Asset,Maintenance,priežiūra
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Gaukite &quot;Patient Encounter&quot;
 DocType: Subscriber,Subscriber,Abonentas
 DocType: Item Attribute Value,Item Attribute Value,Prekė Pavadinimas Reikšmė
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Atnaujinkite savo projekto būseną
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Atnaujinkite savo projekto būseną
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valiutos keitimas turi būti taikomas pirkimui arba pardavimui.
 DocType: Item,Maximum sample quantity that can be retained,"Maksimalus mėginių kiekis, kurį galima išsaugoti"
 DocType: Project Update,How is the Project Progressing Right Now?,Kaip projektas tęsiasi dabar?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Eilutė {0} # Item {1} negalima perkelti daugiau nei {2} prieš pirkimo užsakymą {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Eilutė {0} # Item {1} negalima perkelti daugiau nei {2} prieš pirkimo užsakymą {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Pardavimų kampanijas.
 DocType: Project Task,Make Timesheet,Padaryti žiniaraštis
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1231,36 +1239,38 @@
 DocType: Lab Test,Lab Test,Laboratorijos testas
 DocType: Student Report Generation Tool,Student Report Generation Tool,Studentų ataskaitos kūrimo įrankis
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Sveikatos priežiūros tvarkaraščio laiko tarpsnis
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Dok. Vardas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Dok. Vardas
 DocType: Expense Claim Detail,Expense Claim Type,Kompensuojamos Paraiškos tipas
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Numatytieji nustatymai krepšelį
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Pridėti &quot;Timeslots&quot;
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Turto sunaikintas per žurnalo įrašą {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Nustatykite sąskaitą sandėlyje {0} arba numatytąją atsargų sąskaitą bendrovei {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Turto sunaikintas per žurnalo įrašą {0}
 DocType: Loan,Interest Income Account,Palūkanų pajamų sąskaita
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Maksimali nauda turėtų būti didesnė už nulį, kad būtų galima atsisakyti išmokų"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Maksimali nauda turėtų būti didesnė už nulį, kad būtų galima atsisakyti išmokų"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Išsiųsta pakvietimo peržiūra
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,Darbuotojo perleidimo turtas
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Laikas turi būti mažesnis nei laikas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnologija
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Prekė {0} (serijos numeris: {1}) negali būti suvartota, kaip yra reserverd \ užpildyti Pardavimų užsakymą {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Biuro išlaikymo sąnaudos
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Eiti į
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Atnaujinkite kainą iš &quot;Shopify&quot; į ERPNext kainyną
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Įsteigti pašto dėžutę
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Prašome įvesti Elementą pirmas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Poreikių analizė
 DocType: Asset Repair,Downtime,Prastovos laikas
 DocType: Account,Liability,atsakomybė
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcijos suma negali būti didesnė nei ieškinio suma eilutėje {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcijos suma negali būti didesnė nei ieškinio suma eilutėje {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademinis semestras:
 DocType: Salary Component,Do not include in total,Neįtraukite iš viso
 DocType: Company,Default Cost of Goods Sold Account,Numatytasis išlaidos parduotų prekių sąskaita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Mėginio kiekis {0} negali būti didesnis nei gautas kiekis {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Kainų sąrašas nepasirinkote
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Mėginio kiekis {0} negali būti didesnis nei gautas kiekis {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Kainų sąrašas nepasirinkote
 DocType: Employee,Family Background,šeimos faktai
 DocType: Request for Quotation Supplier,Send Email,Siųsti laišką
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Įspėjimas: Neteisingas Priedas {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Įspėjimas: Neteisingas Priedas {0}
 DocType: Item,Max Sample Quantity,Maksimalus mėginio kiekis
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nėra leidimo
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Sutarties įvykdymo kontrolinis sąrašas
@@ -1292,15 +1302,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kaina centras {2} nepriklauso Company {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Įkelkite savo laiško galva (laikykite jį tinkamu kaip 900 pikselių 100 pikselių)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Sąskaitos {2} negali būti Grupė
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Prekė eilutė {IDX}: {DOCTYPE} {DOCNAME} neegzistuoja viršaus &quot;{DOCTYPE}&quot; stalo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Lapą {0} jau baigė arba atšaukti
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Lapą {0} jau baigė arba atšaukti
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,nėra užduotys
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Pardavimų sąskaita {0} sukurta kaip sumokėta
 DocType: Item Variant Settings,Copy Fields to Variant,Kopijuoti laukus į variantą
 DocType: Asset,Opening Accumulated Depreciation,Atidarymo sukauptas nusidėvėjimas
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Rezultatas turi būti mažesnis arba lygus 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Programos Įrašas įrankis
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,"įrašų, C-forma"
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,"įrašų, C-forma"
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Akcijos jau yra
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Klientų ir tiekėjas
 DocType: Email Digest,Email Digest Settings,Siųsti Digest Nustatymai
@@ -1313,12 +1323,12 @@
 DocType: Production Plan,Select Items,pasirinkite prekę
 DocType: Share Transfer,To Shareholder,Akcininkui
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} prieš Bill {1} {2} data
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Iš valstybės
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Iš valstybės
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Sąrankos institucija
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Paskirti lapus ...
 DocType: Program Enrollment,Vehicle/Bus Number,Transporto priemonė / autobusai Taškų
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Žinoma Tvarkaraštis
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Turite atimti mokestį už neapmokestinamojo mokesčio išimties įrodymą ir nepareikalaujamą / darbuotojo pašalpą per paskutinį atlyginimo užmokesčio užmokesčio laikotarpį
 DocType: Request for Quotation Supplier,Quote Status,Citata statusas
 DocType: GoCardless Settings,Webhooks Secret,Webhooks paslaptis
@@ -1344,13 +1354,13 @@
 DocType: Sales Invoice,Payment Due Date,Sumokėti iki
 DocType: Drug Prescription,Interval UOM,Intervalas UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Iš naujo pažymėkite, jei pasirinktas adresas yra redaguotas po įrašymo"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Prekė variantas {0} jau egzistuoja su tais pačiais atributais
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Prekė variantas {0} jau egzistuoja su tais pačiais atributais
 DocType: Item,Hub Publishing Details,Hub Publishing duomenys
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Atidarymas&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Atidarymas&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Atidarykite daryti
 DocType: Issue,Via Customer Portal,Per klientų portalą
 DocType: Notification Control,Delivery Note Message,Važtaraštis pranešimas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST suma
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST suma
 DocType: Lab Test Template,Result Format,Rezultato formatas
 DocType: Expense Claim,Expenses,išlaidos
 DocType: Item Variant Attribute,Item Variant Attribute,Prekė variantas Įgūdis
@@ -1358,14 +1368,12 @@
 DocType: Payroll Entry,Bimonthly,Dviejų mėnesių
 DocType: Vehicle Service,Brake Pad,stabdžių bloknotas
 DocType: Fertilizer,Fertilizer Contents,Trąšų turinys
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Tyrimai ir plėtra
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Tyrimai ir plėtra
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Suma Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Pradžios data ir pabaigos data sutampa su darbo dokumentu <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registracija detalės
 DocType: Timesheet,Total Billed Amount,Iš viso mokesčio suma
 DocType: Item Reorder,Re-Order Qty,Re Užsakomas kiekis
 DocType: Leave Block List Date,Leave Block List Date,Palikite Blokuoti sąrašą data
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Prašome nustatyti &quot;Instruktorių pavadinimo&quot; sistemą &quot;Education&quot;&gt; &quot;Education Settings&quot;
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: žaliava negali būti tokia pati kaip pagrindinis elementas
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Iš viso taikomi mokesčiai į pirkimo kvito sumų lentelė turi būti tokios pačios kaip viso mokesčių ir rinkliavų
 DocType: Sales Team,Incentives,paskatos
@@ -1379,7 +1387,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Pardavimo punktas
 DocType: Fee Schedule,Fee Creation Status,Mokesčio kūrimo būsena
 DocType: Vehicle Log,Odometer Reading,odometro parodymus
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Sąskaitos likutis jau kredito, jums neleidžiama nustatyti &quot;Balansas turi būti&quot; kaip &quot;debeto&quot;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Sąskaitos likutis jau kredito, jums neleidžiama nustatyti &quot;Balansas turi būti&quot; kaip &quot;debeto&quot;"
 DocType: Account,Balance must be,Balansas turi būti
 DocType: Notification Control,Expense Claim Rejected Message,Kompensuojamos teiginys atmetamas pranešimas
 ,Available Qty,Turimas Kiekis
@@ -1391,7 +1399,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Visada sinchronizuokite savo produktus iš Amazon MWS prieš sinchronizuojant užsakymų detales
 DocType: Delivery Trip,Delivery Stops,Pristatymas sustoja
 DocType: Salary Slip,Working Days,Darbo dienos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Negalima pakeisti tarnybos sustojimo datos eilutėje {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Negalima pakeisti tarnybos sustojimo datos eilutėje {0}
 DocType: Serial No,Incoming Rate,Priimamojo Balsuok
 DocType: Packing Slip,Gross Weight,Bendras svoris
 DocType: Leave Type,Encashment Threshold Days,Inkasavimo slenkstinės dienos
@@ -1410,31 +1418,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimali sėdimoji vietovė
 DocType: Item Attribute,Item Attribute Values,Prekė atributų reikšmes
 DocType: Examination Result,Examination Result,tyrimo rezultatas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,pirkimo kvito
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,pirkimo kvito
 ,Received Items To Be Billed,Gauti duomenys turi būti apmokestinama
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Valiutos kursas meistras.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Valiutos kursas meistras.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Nuoroda Dokumento tipo turi būti vienas iš {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtras iš viso nulinio kiekio
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Nepavyko rasti laiko tarpsnių per ateinančius {0} dienų darbui {1}
 DocType: Work Order,Plan material for sub-assemblies,Planas medžiaga mazgams
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Pardavimų Partneriai ir teritorija
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} turi būti aktyvus
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} turi būti aktyvus
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Nepavyko perkelti jokių elementų
 DocType: Employee Boarding Activity,Activity Name,Veiklos pavadinimas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Keisti išleidimo datą
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Galutinio produkto kiekis <b>{0}</b> ir Kiekis <b>{1}</b> negali būti kitoks
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Keisti išleidimo datą
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Galutinio produkto kiekis <b>{0}</b> ir Kiekis <b>{1}</b> negali būti kitoks
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Uždarymas (atidarymas + viso)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Prekės kodas&gt; Prekės grupė&gt; Gamintojas
+DocType: Delivery Settings,Dispatch Notification Attachment,Siuntimo pranešimo priedas
 DocType: Payroll Entry,Number Of Employees,Darbuotojų skaičius
 DocType: Journal Entry,Depreciation Entry,Nusidėvėjimas įrašas
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Prašome pasirinkti dokumento tipą pirmas
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Prašome pasirinkti dokumento tipą pirmas
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Atšaukti Medžiaga Apsilankymai {0} prieš atšaukiant šią Priežiūros vizitas
 DocType: Pricing Rule,Rate or Discount,Įkainiai arba nuolaidos
 DocType: Vital Signs,One Sided,Vienos pusės
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serijos Nr {0} nepriklauso punkte {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Reikalinga Kiekis
 DocType: Marketplace Settings,Custom Data,Tinkinti duomenys
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Sandėliai su esamais sandoris negali būti konvertuojamos į knygą.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serijos numeris yra privalomas elementui {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Sandėliai su esamais sandoris negali būti konvertuojamos į knygą.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serijos numeris yra privalomas elementui {0}
 DocType: Bank Reconciliation,Total Amount,Visas kiekis
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Nuo datos iki datos priklauso skirtingi finansiniai metai
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacientas {0} neturi kliento sąskaitos faktūros
@@ -1445,9 +1455,9 @@
 DocType: Soil Texture,Clay Composition (%),Molio sudėtis (%)
 DocType: Item Group,Item Group Defaults,Prekių grupės numatytuosius nustatymus
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Prašome išsaugoti prieš priskirdami užduotį.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,balansinė vertė
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,balansinė vertė
 DocType: Lab Test,Lab Technician,Laboratorijos technikas
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Pardavimų Kainų sąrašas
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Pardavimų Kainų sąrašas
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Jei pažymėsite, klientas bus sukurtas, priskirtas pacientui. Paciento sąskaita bus sukurta prieš šį Klientą. Kuriant pacientą galite pasirinkti esamą klientą."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Klientas nėra įtrauktas į bet kokią lojalumo programą
@@ -1461,13 +1471,13 @@
 DocType: Support Search Source,Search Term Param Name,Paieškos terminas param vardas
 DocType: Item Barcode,Item Barcode,Prekės brūkšninis kodas
 DocType: Woocommerce Settings,Endpoints,Galutiniai taškai
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Prekė Variantai {0} atnaujinama
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Prekė Variantai {0} atnaujinama
 DocType: Quality Inspection Reading,Reading 6,Skaitymas 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Negaliu {0} {1} {2} be jokio neigiamo išskirtinis sąskaita
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Negaliu {0} {1} {2} be jokio neigiamo išskirtinis sąskaita
 DocType: Share Transfer,From Folio No,Iš Folio Nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Pirkimo faktūros Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Eilutės {0}: Kredito įrašas negali būti susieta su {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Nustatykite biudžetą per finansinius metus.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Nustatykite biudžetą per finansinius metus.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext paskyra
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} blokuojamas, todėl šis sandoris negali būti tęsiamas"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Veiksmai, jei sukauptas mėnesinis biudžetas viršytas MR"
@@ -1483,19 +1493,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,pirkimo sąskaita faktūra
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Leiskite kelis medžiagos sunaudojimą pagal darbo tvarką
 DocType: GL Entry,Voucher Detail No,Bon Išsamiau Nėra
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nauja pardavimo sąskaita-faktūra
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nauja pardavimo sąskaita-faktūra
 DocType: Stock Entry,Total Outgoing Value,Iš viso Siuntimo kaina
 DocType: Healthcare Practitioner,Appointments,Paskyrimai
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Atidarymo data ir galutinis terminas turėtų būti per patį finansiniams metams
 DocType: Lead,Request for Information,Paprašyti informacijos
 ,LeaderBoard,Lyderių
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Norma su marža (įmonės valiuta)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos
 DocType: Payment Request,Paid,Mokama
 DocType: Program Fee,Program Fee,programos mokestis
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Pakeiskite tam tikrą BOM visose kitose BOM, kur jis naudojamas. Jis pakeis seną BOM nuorodą, atnaujins kainą ir atkurs &quot;BOM sprogimo elementą&quot; lentelę pagal naują BOM. Taip pat atnaujinama naujausia kaina visose BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Buvo sukurti šie darbo užsakymai:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Buvo sukurti šie darbo užsakymai:
 DocType: Salary Slip,Total in words,Iš viso žodžiais
 DocType: Inpatient Record,Discharged,Iškrautas
 DocType: Material Request Item,Lead Time Date,Švinas Laikas Data
@@ -1506,16 +1516,16 @@
 DocType: Support Settings,Get Started Sections,Pradėti skyrių
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sankcijos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,privalomas. Galbūt nebuvo sukurtas Valiutų Keitimo įrašas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Eilutės # {0}: Prašome nurodyti Serijos Nr už prekę {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Bendra įnašo suma: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Eilutės # {0}: Prašome nurodyti Serijos Nr už prekę {1}
 DocType: Payroll Entry,Salary Slips Submitted,Pateiktos atlyginimų lentelės
 DocType: Crop Cycle,Crop Cycle,Pasėlių ciklas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dėl &quot;produktas Bundle reikmenys, sandėlis, Serijos Nr paketais Nėra bus laikomas iš&quot; apyrašas stalo &quot;. Jei Sandėlio ir Serija Ne yra vienoda visoms pakavimo jokių daiktų &quot;produktas Bundle&quot; elemento, tos vertės gali būti įrašoma į pagrindinę punkto lentelėje, vertės bus nukopijuoti į &quot;apyrašas stalo."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dėl &quot;produktas Bundle reikmenys, sandėlis, Serijos Nr paketais Nėra bus laikomas iš&quot; apyrašas stalo &quot;. Jei Sandėlio ir Serija Ne yra vienoda visoms pakavimo jokių daiktų &quot;produktas Bundle&quot; elemento, tos vertės gali būti įrašoma į pagrindinę punkto lentelėje, vertės bus nukopijuoti į &quot;apyrašas stalo."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Iš vietos
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Neto mokestis negali būti neigiamas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Iš vietos
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Neto mokestis negali būti neigiamas
 DocType: Student Admission,Publish on website,Skelbti tinklapyje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Tiekėjas sąskaitos faktūros išrašymo data negali būti didesnis nei Skelbimo data
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Tiekėjas sąskaitos faktūros išrašymo data negali būti didesnis nei Skelbimo data
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Atšaukimo data
 DocType: Purchase Invoice Item,Purchase Order Item,Pirkimui užsakyti Elementą
@@ -1524,7 +1534,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Studentų dalyvavimas įrankis
 DocType: Restaurant Menu,Price List (Auto created),Kainoraštis (automatiškai sukurta)
 DocType: Cheque Print Template,Date Settings,data Nustatymai
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,variantiškumas
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,variantiškumas
 DocType: Employee Promotion,Employee Promotion Detail,Darbuotojų skatinimo detalės
 ,Company Name,Įmonės pavadinimas
 DocType: SMS Center,Total Message(s),Bendras pranešimas (-ai)
@@ -1554,7 +1564,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Nesiųskite Darbuotojų Gimimo diena Priminimai
 DocType: Expense Claim,Total Advance Amount,Visa avansinė suma
 DocType: Delivery Stop,Estimated Arrival,Numatytas atvykimas
-DocType: Delivery Stop,Notified by Email,Pranešta el. Paštu
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Žiūrėti visus straipsnius
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,įeiti
 DocType: Item,Inspection Criteria,tikrinimo kriterijai
@@ -1564,23 +1573,22 @@
 DocType: Timesheet Detail,Bill,sąskaita
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,baltas
 DocType: SMS Center,All Lead (Open),Visi švinas (Atviras)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Eilutės {0}: Kiekis neprieinama {4} sandėlyje {1} ne komandiruotės laiką įrašo ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Eilutės {0}: Kiekis neprieinama {4} sandėlyje {1} ne komandiruotės laiką įrašo ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Iš žymos langelių sąrašo galite pasirinkti tik vieną variantą.
 DocType: Purchase Invoice,Get Advances Paid,Gauti avansai Mokama
 DocType: Item,Automatically Create New Batch,Automatiškai Sukurti naują partiją
 DocType: Item,Automatically Create New Batch,Automatiškai Sukurti naują partiją
 DocType: Supplier,Represents Company,Atstovauja kompanijai
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,padaryti
 DocType: Student Admission,Admission Start Date,Priėmimo pradžios data
 DocType: Journal Entry,Total Amount in Words,Iš viso suma žodžiais
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Naujas darbuotojas
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Įvyko klaida. Vienas tikėtina priežastis gali būti, kad jūs neišsaugojote formą. Prašome susisiekti su support@erpnext.com jei problema išlieka."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mano krepšelis
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Pavedimo tipas turi būti vienas iš {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Pavedimo tipas turi būti vienas iš {0}
 DocType: Lead,Next Contact Date,Kitas Kontaktinė data
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,atidarymo Kiekis
 DocType: Healthcare Settings,Appointment Reminder,Paskyrimų priminimas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Prašome įvesti sąskaitą pokyčio sumą
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Prašome įvesti sąskaitą pokyčio sumą
 DocType: Program Enrollment Tool Student,Student Batch Name,Studentų Serija Vardas
 DocType: Holiday List,Holiday List Name,Atostogų sąrašo pavadinimas
 DocType: Repayment Schedule,Balance Loan Amount,Balansas Paskolos suma
@@ -1590,13 +1598,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Akcijų pasirinkimai
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nr elementai įtraukti į krepšelį
 DocType: Journal Entry Account,Expense Claim,Kompensuojamos Pretenzija
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Ar tikrai norite atstatyti šį metalo laužą turtą?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Ar tikrai norite atstatyti šį metalo laužą turtą?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Kiekis dėl {0}
 DocType: Leave Application,Leave Application,atostogos taikymas
 DocType: Patient,Patient Relation,Paciento santykis
 DocType: Item,Hub Category to Publish,Hub kategorija paskelbti
 DocType: Leave Block List,Leave Block List Dates,Palikite blokuojamų sąrašą Datos
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Pardavimų užsakymas {0} rezervuoja elementą {1}, galite tiekti tik {1} iki {0}. Serijos Nr. {2} negalima pristatyti"
 DocType: Sales Invoice,Billing Address GSTIN,Atsiskaitymo adresas GSTIN
@@ -1614,15 +1622,17 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Nurodykite {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,"Pašalinti elementai, be jokių kiekio ar vertės pokyčius."
 DocType: Delivery Note,Delivery To,Pristatyti
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variantų kūrimas buvo eilėje.
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variantų kūrimas buvo eilėje.
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pirmasis &quot;Atmetimo patvirtinimas&quot; sąraše bus nustatytas kaip numatytasis &quot;Palikimo patvirtinimas&quot;.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Įgūdis lentelė yra privalomi
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Įgūdis lentelė yra privalomi
 DocType: Production Plan,Get Sales Orders,Gauk Pardavimų Užsakymus
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} negali būti neigiamas
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Prijunkite prie &quot;Quickbooks&quot;
 DocType: Training Event,Self-Study,Savarankiškas mokymasis
 DocType: POS Closing Voucher,Period End Date,Laikotarpio pabaigos data
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Dirvožemio kompozicijos neprideda iki 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Nuolaida
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,"Rodyklė {0}: {1} reikalinga, norint sukurti atvirą {2} sąskaitą faktūrą"
 DocType: Membership,Membership,Narystė
 DocType: Asset,Total Number of Depreciations,Viso nuvertinimai
 DocType: Sales Invoice Item,Rate With Margin,Norma atsargos
@@ -1634,7 +1644,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Nurodykite tinkamą Row ID eilės {0} lentelėje {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Neįmanoma rasti kintamojo:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Pasirinkite lauką, kurį norite redaguoti iš numpad"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Negali būti elementas ilgalaikio turto, kaip sukuriamas atsargų vadovas."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Negali būti elementas ilgalaikio turto, kaip sukuriamas atsargų vadovas."
 DocType: Subscription Plan,Fixed rate,Fiksuota norma
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Pripažinti
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Eiti į Desktop ir pradėti naudoti ERPNext
@@ -1668,7 +1678,7 @@
 DocType: Tax Rule,Shipping State,Pristatymas valstybė
 ,Projected Quantity as Source,"Prognozuojama, Kiekis, kaip šaltinį"
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Prekė turi būti pridėta naudojant &quot;gauti prekes nuo pirkimo kvitus&quot; mygtuką
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Pristatymo kelionė
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Pristatymo kelionė
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Pervedimo tipas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,pardavimų sąnaudos
@@ -1681,8 +1691,9 @@
 DocType: Item Default,Default Selling Cost Center,Numatytasis Parduodami Kaina centras
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,diskas
 DocType: Buying Settings,Material Transferred for Subcontract,Subrangos sutarčiai perduota medžiaga
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Pašto kodas
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Pardavimų užsakymų {0} yra {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Įsigijimo pavedimai yra atidėti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Pašto kodas
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Pardavimų užsakymų {0} yra {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Pasirinkite palūkanų pajamų sąskaitą paskolai {0}
 DocType: Opportunity,Contact Info,Kontaktinė informacija
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Padaryti atsargų papildymams
@@ -1695,12 +1706,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Sąskaitą faktūrą atlikti negalima už nulinę atsiskaitymo valandą
 DocType: Company,Date of Commencement,Pradžios data
 DocType: Sales Person,Select company name first.,Pasirinkite įmonės pavadinimas pirmas.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},El. Laiškas išsiųstas {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},El. Laiškas išsiųstas {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,"Citatos, gautų iš tiekėjų."
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Pakeiskite BOM ir atnaujinkite naujausią kainą visose BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Norėdami {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Tai yra pagrindinė tiekėjų grupė ir jos negalima redaguoti.
-DocType: Delivery Trip,Driver Name,Vairuotojo vardas
+DocType: Delivery Note,Driver Name,Vairuotojo vardas
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Vidutinis amžius
 DocType: Education Settings,Attendance Freeze Date,Lankomumas nuo užšalimo data
 DocType: Education Settings,Attendance Freeze Date,Lankomumas nuo užšalimo data
@@ -1713,7 +1724,7 @@
 DocType: Company,Parent Company,Motininė kompanija
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Viešbučio kambario tipo {0} negalima {1}
 DocType: Healthcare Practitioner,Default Currency,Pirminė kainoraščio valiuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maksimali nuolaida {0} vienetui yra {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maksimali nuolaida {0} vienetui yra {1}%
 DocType: Asset Movement,From Employee,iš darbuotojo
 DocType: Driver,Cellphone Number,Mobiliojo telefono numeris
 DocType: Project,Monitor Progress,Stebėti progresą
@@ -1729,19 +1740,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Kiekis turi būti mažesnis arba lygus {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},"Maksimali komponento, galiojančio komponentui {0}, viršija {1}"
 DocType: Department Approver,Department Approver,Skyriaus įgaliotinis
+DocType: QuickBooks Migrator,Application Settings,Programos nustatymai
 DocType: SMS Center,Total Characters,Iš viso Veikėjai
 DocType: Employee Advance,Claimed,Pateikta pretenzija
 DocType: Crop,Row Spacing,Eilučių tarpas
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Prašome pasirinkti BOM BOM į lauką punkte {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Prašome pasirinkti BOM BOM į lauką punkte {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Pasirinktam elementui nėra jokių variantų
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-formos sąskaita faktūra detalės
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Mokėjimo Susitaikymas Sąskaita
 DocType: Clinical Procedure,Procedure Template,Procedūros šablonas
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,indėlis%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kaip už pirkimo parametrus, jei pirkimas įsakymu Reikalinga == &quot;Taip&quot;, tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkinių užsakymą už prekę {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,indėlis%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kaip už pirkimo parametrus, jei pirkimas įsakymu Reikalinga == &quot;Taip&quot;, tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkinių užsakymą už prekę {0}"
 ,HSN-wise-summary of outward supplies,&quot;HSN-wise&quot; - išvežamų prekių santrauka
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Įmonės registracijos numeriai jūsų nuoroda. Mokesčių numeriai ir kt
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Valstybei
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Valstybei
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,skirstytuvas
 DocType: Asset Finance Book,Asset Finance Book,Turto finansų knyga
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Krepšelis Pristatymas taisyklė
@@ -1750,7 +1762,7 @@
 ,Ordered Items To Be Billed,Užsakytas prekes Norėdami būti mokami
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Iš klasės turi būti mažesnis nei svyruoja
 DocType: Global Defaults,Global Defaults,Global Numatytasis
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projektų Bendradarbiavimas Kvietimas
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projektų Bendradarbiavimas Kvietimas
 DocType: Salary Slip,Deductions,atskaitymai
 DocType: Setup Progress Action,Action Name,Veiksmo pavadinimas
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,pradžios metus
@@ -1764,11 +1776,12 @@
 DocType: Lead,Consultant,konsultantas
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Tėvų mokytojų susitikimų lankymas
 DocType: Salary Slip,Earnings,Pajamos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Baigė punktas {0} reikia įvesti Gamyba tipo įrašas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Baigė punktas {0} reikia įvesti Gamyba tipo įrašas
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Atidarymo Apskaitos balansas
 ,GST Sales Register,"Paaiškėjo, kad GST Pardavimų Registruotis"
 DocType: Sales Invoice Advance,Sales Invoice Advance,Pardavimų sąskaita faktūra Išankstinis
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nieko prašyti
+DocType: Stock Settings,Default Return Warehouse,Numatytasis grąžinimo sandėlis
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Pasirinkite savo domenus
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify tiekėjas
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Mokėjimo sąskaitos faktūros elementai
@@ -1778,15 +1791,16 @@
 DocType: Setup Progress Action,Domains,Domenai
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"'Pradžios data' negali būti didesnė nei 
 'Pabaigos data'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,valdymas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,valdymas
 DocType: Cheque Print Template,Payer Settings,mokėtojo Nustatymai
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Nebuvo laukiamų medžiagų prašymų, susijusių su nurodytais elementais."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Pirmiausia pasirinkite įmonę
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tai bus pridėtas prie elemento kodekso variante. Pavyzdžiui, jei jūsų santrumpa yra &quot;S.&quot;, o prekės kodas yra T-shirt &quot;, elementas kodas variantas bus&quot; T-shirt-SM &quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto darbo užmokestis (žodžiais) bus matomas, kai jums sutaupyti darbo užmokestį."
 DocType: Delivery Note,Is Return,Ar Grįžti
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Atsargiai
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Pradžios diena yra didesnė nei pabaigos diena užduočiai &quot;{0}&quot;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Prekių grąžinimas / debeto aviza
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Prekių grąžinimas / debeto aviza
 DocType: Price List Country,Price List Country,Kainų sąrašas Šalis
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} galioja eilės numeriai už prekę {1}
@@ -1799,13 +1813,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Informacija apie dotaciją.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tiekėjas duomenų bazę.
 DocType: Contract Template,Contract Terms and Conditions,Sutarties sąlygos ir sąlygos
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Jūs negalite iš naujo paleisti Prenumeratos, kuri nėra atšaukta."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Jūs negalite iš naujo paleisti Prenumeratos, kuri nėra atšaukta."
 DocType: Account,Balance Sheet,Balanso lapas
 DocType: Leave Type,Is Earned Leave,Yra uždirbtas atostogas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Kainuos centras už prekę su Prekės kodas &quot;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Kainuos centras už prekę su Prekės kodas &quot;
 DocType: Fee Validity,Valid Till,Galioja iki
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Viso tėvų mokytojų susitikimas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mokėjimo būdas yra neužpildė. Prašome patikrinti, ar sąskaita buvo nustatytas mokėjimų Mode arba POS profilis."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mokėjimo būdas yra neužpildė. Prašome patikrinti, ar sąskaita buvo nustatytas mokėjimų Mode arba POS profilis."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Tas pats daiktas negali būti įrašytas kelis kartus.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daugiau sąskaitos gali būti grupėse, tačiau įrašai gali būti pareikštas ne grupės"
 DocType: Lead,Lead,Vadovauti
@@ -1814,11 +1828,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,"Atsargų, {0} sukūrė"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Jūs neturite nusipirkti lojalumo taškų išpirkti
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Eilutės # {0}: Atmesta Kiekis negali būti įrašytas į pirkimo Grįžti
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Nustatykite susietą paskyrą &quot;Tax Withholding&quot; kategorijoje {0} prieš Bendrovę {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Eilutės # {0}: Atmesta Kiekis negali būti įrašytas į pirkimo Grįžti
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Kliento grupės keitimas pasirinktam Klientui yra draudžiamas.
 ,Purchase Order Items To Be Billed,Pirkimui užsakyti klausimai turi būti apmokestinama
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Atnaujintas numatomas atvykimo laikas.
 DocType: Program Enrollment Tool,Enrollment Details,Registracijos duomenys
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Negalima nustatyti kelios įmonės numatytosios pozicijos.
 DocType: Purchase Invoice Item,Net Rate,grynasis Balsuok
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Pasirinkite klientą
 DocType: Leave Policy,Leave Allocations,Palikite asignavimus
@@ -1849,7 +1865,7 @@
 DocType: Loan Application,Repayment Info,grąžinimas Informacija
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&quot;Įrašai&quot; negali būti tuščias
 DocType: Maintenance Team Member,Maintenance Role,Priežiūros vaidmuo
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Dubliuoti eilutė {0} su tuo pačiu {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Dubliuoti eilutė {0} su tuo pačiu {1}
 DocType: Marketplace Settings,Disable Marketplace,Išjungti Marketplace
 ,Trial Balance,bandomasis balansas
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Finansiniai metai {0} nerastas
@@ -1860,9 +1876,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Prenumeratos nustatymai
 DocType: Purchase Invoice,Update Auto Repeat Reference,Atnaujinti automatinio kartojimo nuorodą
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},"Neprivalomas atostogų sąrašas, nenustatytas atostogų laikotarpiui {0}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},"Neprivalomas atostogų sąrašas, nenustatytas atostogų laikotarpiui {0}"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,tyrimas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Adresu 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Adresu 2
 DocType: Maintenance Visit Purpose,Work Done,Darbas pabaigtas
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Prašome nurodyti bent vieną atributą Atributų lentelės
 DocType: Announcement,All Students,Visi studentai
@@ -1872,16 +1888,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Suderinti sandoriai
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Seniausi
 DocType: Crop Cycle,Linked Location,Susieta vieta
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Prekę grupė egzistuoja to paties pavadinimo, prašom pakeisti elementą vardą ar pervardyti elementą grupę"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Prekę grupė egzistuoja to paties pavadinimo, prašom pakeisti elementą vardą ar pervardyti elementą grupę"
 DocType: Crop Cycle,Less than a year,Mažiau nei metus
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studentų Mobilus Ne
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Likęs pasaulis
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Likęs pasaulis
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Naudodami {0} punktas negali turėti Serija
 DocType: Crop,Yield UOM,Išeiga UOM
 ,Budget Variance Report,Biudžeto Dispersija ataskaita
 DocType: Salary Slip,Gross Pay,Pilna Mokėti
 DocType: Item,Is Item from Hub,Ar prekė iš centro
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Gauti daiktus iš sveikatos priežiūros paslaugų
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Gauti daiktus iš sveikatos priežiūros paslaugų
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Eilutės {0}: veiklos rūšis yra privalomas.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividendai
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,apskaitos Ledgeris
@@ -1896,6 +1912,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Mokėjimo būdas
 DocType: Purchase Invoice,Supplied Items,"prekių tiekimu,"
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Nustatykite aktyvų Restorano {0} meniu
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Komisijos procentas%
 DocType: Work Order,Qty To Manufacture,Kiekis gaminti
 DocType: Email Digest,New Income,nauja pajamos
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Išlaikyti tą patį tarifą visoje pirkimo ciklo
@@ -1910,12 +1927,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},"Vertinimo tarifas, kurio reikia už prekę iš eilės {0}"
 DocType: Supplier Scorecard,Scorecard Actions,Rezultatų kortelės veiksmai
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Pavyzdys: magistro Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Tiekėjas {0} nerastas {1}
 DocType: Purchase Invoice,Rejected Warehouse,atmesta sandėlis
 DocType: GL Entry,Against Voucher,prieš kupono
 DocType: Item Default,Default Buying Cost Center,Numatytasis Ieško kaina centras
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Norėdami gauti geriausią iš ERPNext, mes rekomenduojame, kad jūs šiek tiek laiko ir žiūrėti šiuos pagalbos video."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Numatytam tiekėjui (neprivaloma)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,į
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Numatytam tiekėjui (neprivaloma)
 DocType: Supplier Quotation Item,Lead Time in days,Švinas Laikas dienų
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Mokėtinos sumos Santrauka
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Neregistruota redaguoti įšaldytą sąskaitą {0}
@@ -1924,7 +1941,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Įspėti apie naują prašymą dėl pasiūlymų
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Pirkimo pavedimai padės jums planuoti ir sekti savo pirkimų
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab testo rekvizitai
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Bendras išdavimas / Pervežimas kiekis {0} Krovimas Užsisakyti {1} \ negali būti didesnis nei prašomo kiekio {2} už prekę {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,mažas
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Jei &quot;Shopify&quot; nėra kliento pagal užsakymą, tada, sinchronizuojant Užsakymus, sistema pagal užsakymą bus laikoma numatytu klientu"
@@ -1936,6 +1953,7 @@
 DocType: Project,% Completed,% Baigtas
 ,Invoiced Amount (Exculsive Tax),Sąskaitoje suma (Exculsive Mokesčių)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,2 punktas
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorizacijos pabaiga
 DocType: Travel Request,International,Tarptautinis
 DocType: Training Event,Training Event,Kvalifikacijos tobulinimo renginys
 DocType: Item,Auto re-order,Auto naujo užsakymas
@@ -1944,24 +1962,24 @@
 DocType: Contract,Contract,sutartis
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorijos bandymo data laikas
 DocType: Email Digest,Add Quote,Pridėti Citata
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktorius reikalingas UOM: {0} prekės: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktorius reikalingas UOM: {0} prekės: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,netiesioginės išlaidos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Eilutės {0}: Kiekis yra privalomi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Eilutės {0}: Kiekis yra privalomi
 DocType: Agriculture Analysis Criteria,Agriculture,Žemdirbystė
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Sukurkite pardavimo užsakymą
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Apskaitos įrašas apie turtą
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokuoti sąskaitą faktūrą
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Apskaitos įrašas apie turtą
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokuoti sąskaitą faktūrą
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,"Kiekis, kurį reikia padaryti"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sinchronizavimo Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sinchronizavimo Master Data
 DocType: Asset Repair,Repair Cost,Remonto kaina
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Savo produktus ar paslaugas
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Nepavyko prisijungti
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Turtas {0} sukurtas
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Turtas {0} sukurtas
 DocType: Special Test Items,Special Test Items,Specialūs testo elementai
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Turite būti su Sistemos valdytoju ir &quot;Item Manager&quot; vartotojais, kad galėtumėte užsiregistruoti &quot;Marketplace&quot;."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,mokėjimo būdas
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Pagal jūsų paskirtą darbo užmokesčio struktūrą negalite kreiptis dėl išmokų
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Interneto svetainė Paveikslėlis turėtų būti valstybės failą ar svetainės URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Interneto svetainė Paveikslėlis turėtų būti valstybės failą ar svetainės URL
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Tai yra šaknis punktas grupė ir negali būti pakeisti.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Sujungti
@@ -1970,7 +1988,8 @@
 DocType: Warehouse,Warehouse Contact Info,Sandėlių Kontaktinė informacija
 DocType: Payment Entry,Write Off Difference Amount,Nurašyti skirtumo suma
 DocType: Volunteer,Volunteer Name,Savanorio vardas
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Darbuotojų elektroninis paštas nerastas, todėl elektroninis laiškas neišsiųstas"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Rastos su pasikartojančiomis datomis kitose eilutėse buvo rasta: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Darbuotojų elektroninis paštas nerastas, todėl elektroninis laiškas neišsiųstas"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Nė viena atlyginimo struktūra darbuotojui {0} nurodytoje datoje {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Pristatymo taisyklė netaikoma šaliai {0}
 DocType: Item,Foreign Trade Details,Užsienio prekybos informacija
@@ -1978,17 +1997,17 @@
 DocType: Email Digest,Annual Income,Metinės pajamos
 DocType: Serial No,Serial No Details,Serijos Nr detalės
 DocType: Purchase Invoice Item,Item Tax Rate,Prekė Mokesčio tarifas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Iš partijos vardo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Iš partijos vardo
 DocType: Student Group Student,Group Roll Number,Grupė salė Taškų
 DocType: Student Group Student,Group Roll Number,Grupė salė Taškų
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",Dėl {0} tik kredito sąskaitos gali būti susijęs su kitos debeto įrašą
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Važtaraštis {0} nebus pateiktas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Važtaraštis {0} nebus pateiktas
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Prekė {0} turi būti Prekė pagal subrangos sutartis
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,kapitalo įranga
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Kainodaros taisyklė pirmiausia atrenkami remiantis &quot;Taikyti&quot; srityje, kuris gali būti punktas, punktas Grupė ar prekės ženklą."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Pirmiausia nustatykite elemento kodą
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc tipas
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Iš viso skyrė procentas pardavimų vadybininkas turi būti 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc tipas
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Iš viso skyrė procentas pardavimų vadybininkas turi būti 100
 DocType: Subscription Plan,Billing Interval Count,Atsiskaitymo interviu skaičius
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Paskyrimai ir pacientų susitikimai
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Trūksta vertės
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Sukurti Spausdinti formatas
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Sukurtas mokestis
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},"Neradote bet kurį elementą, vadinamą {0}"
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Elementų filtras
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterijų formulė
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Iš viso Siunčiami
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Gali būti tik vienas Pristatymas taisyklė Būklė 0 arba tuščią vertės &quot;vertė&quot;
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Prekės {0} atveju kiekis turi būti teigiamas
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Pastaba: Ši kaina centras yra grupė. Negali padaryti apskaitos įrašus pagal grupes.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Kompensuojamųjų atostogų prašymo dienos netaikomos galiojančiomis atostogomis
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Vaikų sandėlis egzistuoja šiame sandėlyje. Jūs negalite trinti šį sandėlį.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Vaikų sandėlis egzistuoja šiame sandėlyje. Jūs negalite trinti šį sandėlį.
 DocType: Item,Website Item Groups,Interneto svetainė punktas Grupės
 DocType: Purchase Invoice,Total (Company Currency),Iš viso (Įmonės valiuta)
 DocType: Daily Work Summary Group,Reminder,Priminimas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Prieinama vertė
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Prieinama vertė
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serijos numeris {0} įvesta daugiau nei vieną kartą
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,žurnalo įrašą
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Iš GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Iš GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Neprašyta suma
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} elementų pažangą
 DocType: Workstation,Workstation Name,Kompiuterizuotos darbo vietos Vardas
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS punktas grupė
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Siųskite Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternatyvus elementas negali būti toks pats kaip prekės kodas
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} nepriklauso punkte {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} nepriklauso punkte {1}
 DocType: Sales Partner,Target Distribution,Tikslinė pasiskirstymas
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Laikinojo vertinimo finalizavimas
 DocType: Salary Slip,Bank Account No.,Banko sąskaitos Nr
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Galima naudoti rodiklių kortelių kintamieji, taip pat: {total_score} (bendras rezultatas iš šio laikotarpio), {period_number} (laikotarpių skaičius iki dabartinės dienos)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Sutraukti visus
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Sutraukti visus
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Sukurkite pirkimo užsakymą
 DocType: Quality Inspection Reading,Reading 8,Skaitymas 8
 DocType: Inpatient Record,Discharge Note,Pranešimas apie išleidimą
@@ -2051,7 +2071,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,privilegija atostogos
 DocType: Purchase Invoice,Supplier Invoice Date,Tiekėjas sąskaitos faktūros išrašymo data
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ši vertė naudojama pro rata temporis apskaičiavimui
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Jums reikia įgalinti Prekių krepšelis
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Jums reikia įgalinti Prekių krepšelis
 DocType: Payment Entry,Writeoff,Nusirašinėti
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Vardų serijos prefiksas
@@ -2066,11 +2086,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,rasti tarp sutampančių sąlygos:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Prieš leidinyje Įėjimo {0} jau koreguojama kitu kuponą
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Iš viso užsakymo vertė
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,maistas
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,maistas
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Senėjimas klasės 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS uždarymo kupono duomenys
 DocType: Shopify Log,Shopify Log,Shopify žurnalas
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nustatymų seriją galite nustatyti {0} naudodami sąranką&gt; Nustatymai&gt; pavadinimo serija
 DocType: Inpatient Occupancy,Check In,Įsiregistruoti
 DocType: Maintenance Schedule Item,No of Visits,Nėra apsilankymų
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Techninės priežiūros grafikas {0} egzistuoja nuo {1}
@@ -2110,6 +2129,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimalios išmokos (suma)
 DocType: Purchase Invoice,Contact Person,kontaktinis asmuo
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Tikėtina pradžios data"" negali būti didesnis nei ""Tikėtina pabaigos data"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nėra šio laikotarpio duomenų
 DocType: Course Scheduling Tool,Course End Date,Žinoma Pabaigos data
 DocType: Holiday List,Holidays,Šventės
 DocType: Sales Order Item,Planned Quantity,planuojamas kiekis
@@ -2121,7 +2141,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Grynasis pokytis ilgalaikio turto
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Palikite tuščią, jei laikomas visų pavadinimų"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mokesčio tipas &quot;Tikrasis&quot; iš eilės {0} negali būti įtraukti į klausimus lygis
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mokesčio tipas &quot;Tikrasis&quot; iš eilės {0} negali būti įtraukti į klausimus lygis
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,nuo datetime
 DocType: Shopify Settings,For Company,dėl Company
@@ -2134,9 +2154,9 @@
 DocType: Material Request,Terms and Conditions Content,Terminai ir sąlygos turinys
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Kuriant tvarkaraštį sukūrėme klaidų
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Pirmasis išlaidų patvirtiniklis sąraše bus nustatytas kaip numatytasis išlaidų patvirtinimas.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,negali būti didesnis nei 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,negali būti didesnis nei 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Jums reikia būti kitam vartotojui nei administratorius su Sistemos valdytoju ir &quot;Item Manager&quot; vaidmenimis, kad užsiregistruotumėte &quot;Marketplace&quot;."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Prekė {0} nėra sandėlyje punktas
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Prekė {0} nėra sandėlyje punktas
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Neplanuotai
 DocType: Employee,Owned,Priklausė
@@ -2164,7 +2184,7 @@
 DocType: HR Settings,Employee Settings,darbuotojų Nustatymai
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Įkraunama mokėjimo sistema
 ,Batch-Wise Balance History,Serija-Išminčius Balansas istorija
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Eilutė # {0}: negalima nustatyti rodiklio, jei suma yra didesnė už {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Eilutė # {0}: negalima nustatyti rodiklio, jei suma yra didesnė už {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Spausdinimo parametrai atnaujinama atitinkamos spausdinimo formatą
 DocType: Package Code,Package Code,Pakuotės kodas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,mokinys
@@ -2172,7 +2192,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Neigiama Kiekis neleidžiama
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Mokesčių detalė stalo nerealu iš punkto meistras kaip eilutę ir saugomi šioje srityje. Naudojama mokesčių ir rinkliavų
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Darbuotojas negali pranešti pats.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Darbuotojas negali pranešti pats.
 DocType: Leave Type,Max Leaves Allowed,Maksimalus leidžiamų lapų skaičius
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jei sąskaita yra sušaldyti, įrašai leidžiama ribojamų vartotojams."
 DocType: Email Digest,Bank Balance,banko balansas
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Banko operacijų įrašai
 DocType: Quality Inspection,Readings,Skaitiniai
 DocType: Stock Entry,Total Additional Costs,Iš viso papildomų išlaidų
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Sąveikos Nr
 DocType: BOM,Scrap Material Cost(Company Currency),Laužas Medžiaga Kaina (Įmonės valiuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,sub Agregatai
 DocType: Asset,Asset Name,"turto pavadinimas,"
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,Vertinti
 DocType: Loyalty Program,Loyalty Program Type,Lojalumo programos tipas
 DocType: Asset Movement,Stock Manager,akcijų direktorius
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Šaltinis sandėlis yra privalomas eilės {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Šaltinis sandėlis yra privalomas eilės {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Apmokėjimo terminas eilutėje {0} yra galimas dublikatas.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Žemės ūkis (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Pakavimo lapelis
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Pakavimo lapelis
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Biuro nuoma
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Sąranka SMS Gateway nustatymai
 DocType: Disease,Common Name,Dažnas vardas
@@ -2240,20 +2261,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Siųsti darbo užmokestį į darbuotojų
 DocType: Cost Center,Parent Cost Center,Tėvų Kaina centras
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Pasirinkite Galima Tiekėjo
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Pasirinkite Galima Tiekėjo
 DocType: Sales Invoice,Source,šaltinis
 DocType: Customer,"Select, to make the customer searchable with these fields","Pasirinkite, kad klientas galėtų ieškoti šių laukų"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importuokite &quot;Shopify&quot; pristatymo pastabas iš siuntos
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Rodyti uždarytas
 DocType: Leave Type,Is Leave Without Pay,Ar palikti be Pay
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Turto Kategorija privaloma ilgalaikio turto
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Turto Kategorija privaloma ilgalaikio turto
 DocType: Fee Validity,Fee Validity,Mokesčio galiojimas
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,rasti Mokėjimo stalo Nėra įrašų
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Šis {0} prieštarauja {1} ir {2} {3}
 DocType: Student Attendance Tool,Students HTML,studentai HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Prašome ištrinti Darbuotoją <a href=""#Form/Employee/{0}"">{0}</a> \, kad atšauktumėte šį dokumentą"
 DocType: POS Profile,Apply Discount,taikyti nuolaidą
 DocType: GST HSN Code,GST HSN Code,"Paaiškėjo, kad GST HSN kodas"
 DocType: Employee External Work History,Total Experience,Iš viso Patirtis
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,tvarkaraščiai
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,"Pozicijos profilis reikalingas, norint naudoti &quot;Point-of-Sale&quot;"
 DocType: Cashier Closing,Net Amount,Grynoji suma
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nebuvo pateikta ir todėl veiksmai negali būti užbaigti
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nebuvo pateikta ir todėl veiksmai negali būti užbaigti
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Išsamiau Nėra
 DocType: Landed Cost Voucher,Additional Charges,Papildomi mokesčiai
 DocType: Support Search Source,Result Route Field,Rezultato maršruto laukas
@@ -2305,11 +2323,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Sąskaitų atidarymas
 DocType: Contract,Contract Details,Sutarties aprašymas
 DocType: Employee,Leave Details,Palikti išsamią informaciją
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Prašome nustatyti vartotojo ID lauką darbuotojas įrašo nustatyti Darbuotojų vaidmuo
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Prašome nustatyti vartotojo ID lauką darbuotojas įrašo nustatyti Darbuotojų vaidmuo
 DocType: UOM,UOM Name,UOM Vardas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Adresu 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Adresu 1
 DocType: GST HSN Code,HSN Code,HSN kodas
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,įnašo suma
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,įnašo suma
 DocType: Inpatient Record,Patient Encounter,Pacientų susidūrimas
 DocType: Purchase Invoice,Shipping Address,Pristatymo adresas
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Šis įrankis padeda jums atnaujinti arba pataisyti kiekį ir vertinimui atsargų sistemoje. Ji paprastai naudojama sinchronizuoti sistemos vertybes ir kas iš tikrųjų yra jūsų sandėlių.
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,Kelionės būdas
 DocType: Sales Invoice Item,Brand Name,Markės pavadinimas
 DocType: Purchase Receipt,Transporter Details,Transporter detalės
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Numatytasis sandėlis reikalingas pasirinktą elementą
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Numatytasis sandėlis reikalingas pasirinktą elementą
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Dėžė
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,galimas Tiekėjas
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,galimas Tiekėjas
 DocType: Budget,Monthly Distribution,Mėnesio pasiskirstymas
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Imtuvas sąrašas tuščias. Prašome sukurti imtuvas sąrašas
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Sveikatos priežiūra (beta)
@@ -2350,6 +2368,7 @@
 ,Lead Name,Švinas Vardas
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Žvalgyba
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Atidarymo sandėlyje balansas
 DocType: Asset Category Account,Capital Work In Progress Account,Sukaupta sąskaita
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Turto vertės koregavimas
@@ -2358,7 +2377,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lapai Paskirti sėkmingai {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Neturite prekių pakuotės
 DocType: Shipping Rule Condition,From Value,nuo Vertė
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Gamyba Kiekis yra privalomi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Gamyba Kiekis yra privalomi
 DocType: Loan,Repayment Method,grąžinimas būdas
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jei pažymėta, Titulinis puslapis bus numatytasis punktas grupė svetainėje"
 DocType: Quality Inspection Reading,Reading 4,svarstymą 4
@@ -2383,7 +2402,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Darbuotojo kreipimasis
 DocType: Student Group,Set 0 for no limit,Nustatykite 0 jokios ribos
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Dieną (-os), kada prašote atostogų yra šventės. Jums nereikia prašyti atostogų."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,"Rida {idx}: {field} reikalinga, kad būtų sukurtos &quot;Opening {invoice_type}&quot; sąskaitos faktūros"
 DocType: Customer,Primary Address and Contact Detail,Pirminis adresas ir kontaktiniai duomenys
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Persiųsti Mokėjimo paštu
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nauja užduotis
@@ -2393,22 +2411,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Pasirinkite bent vieną domeną.
 DocType: Dependent Task,Dependent Task,priklauso nuo darbo
 DocType: Shopify Settings,Shopify Tax Account,Shopify mokesčių sąskaita
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijos koeficientas pagal nutylėjimą Matavimo vienetas turi būti 1 eilės {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Atostogos tipo {0} negali būti ilgesnis nei {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijos koeficientas pagal nutylėjimą Matavimo vienetas turi būti 1 eilės {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Atostogos tipo {0} negali būti ilgesnis nei {1}
 DocType: Delivery Trip,Optimize Route,Optimizuoti maršrutą
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pabandykite planuoja operacijas X dienų iš anksto.
 DocType: HR Settings,Stop Birthday Reminders,Sustabdyti Gimimo diena Priminimai
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Prašome Set Default Darbo užmokesčio MOKĖTINOS Narystė Bendrovėje {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Gaukite finansinį &quot;Amazon&quot; mokesčių ir mokesčių duomenų sulūžimą
 DocType: SMS Center,Receiver List,imtuvas sąrašas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Paieška punktas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Paieška punktas
 DocType: Payment Schedule,Payment Amount,Mokėjimo suma
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Pusės dienos data turėtų būti tarp darbo nuo datos iki darbo pabaigos datos
 DocType: Healthcare Settings,Healthcare Service Items,Sveikatos priežiūros paslaugos
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,suvartoti suma
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Grynasis Pakeisti pinigais
 DocType: Assessment Plan,Grading Scale,vertinimo skalė
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Matavimo vienetas {0} buvo įrašytas daugiau nei vieną kartą konversijos koeficientas lentelėje
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Matavimo vienetas {0} buvo įrašytas daugiau nei vieną kartą konversijos koeficientas lentelėje
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,jau baigtas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Akcijų In Hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2431,25 +2449,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serijos Nr {0} kiekis {1} negali būti frakcija
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Įveskite Woocommerce serverio URL
 DocType: Purchase Order Item,Supplier Part Number,Tiekėjas Dalies numeris
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Perskaičiavimo kursas negali būti 0 arba 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Perskaičiavimo kursas negali būti 0 arba 1
 DocType: Share Balance,To No,Ne
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Visi privalomi Darbuotojų kūrimo uždaviniai dar nebuvo atlikti.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} yra atšauktas arba sustabdytas
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} yra atšauktas arba sustabdytas
 DocType: Accounts Settings,Credit Controller,kredito valdiklis
 DocType: Loan,Applicant Type,Pareiškėjo tipas
 DocType: Purchase Invoice,03-Deficiency in services,03-paslaugų trūkumas
 DocType: Healthcare Settings,Default Medical Code Standard,Numatytasis medicinos kodekso standartas
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Pirkimo kvito {0} nebus pateiktas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Pirkimo kvito {0} nebus pateiktas
 DocType: Company,Default Payable Account,Numatytasis Mokėtina paskyra
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nustatymai internetinėje krepšelį pavyzdžiui, laivybos taisykles, kainoraštį ir tt"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Sąskaitos išrašytos
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,saugomos Kiekis
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,saugomos Kiekis
 DocType: Party Account,Party Account,šalis paskyra
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Pasirinkite bendrovę ir žymėjimą
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Žmogiškieji ištekliai
-DocType: Lead,Upper Income,viršutinė pajamos
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,viršutinė pajamos
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,atmesti
 DocType: Journal Entry Account,Debit in Company Currency,Debeto įmonėje Valiuta
 DocType: BOM Item,BOM Item,BOM punktas
@@ -2466,7 +2484,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}","Darbo atrankos, skirtos paskirti {0} jau atidaryti / išsinuomoti pagal personalo planą {1}"
 DocType: Vital Signs,Constipated,Užkietėjimas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Prieš tiekėjo sąskaitoje {0} data {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Prieš tiekėjo sąskaitoje {0} data {1}
 DocType: Customer,Default Price List,Numatytasis Kainų sąrašas
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Turto Judėjimo įrašas {0} sukūrė
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nerasta daiktų.
@@ -2482,17 +2500,18 @@
 DocType: Journal Entry,Entry Type,įrašo tipas
 ,Customer Credit Balance,Klientų kredito likučio
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Grynasis pokytis mokėtinos sumos
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kredito limitas buvo perkeltas klientui {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nustatymų seriją galite nustatyti {0} naudodami sąranką&gt; Nustatymai&gt; pavadinimo serija
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kredito limitas buvo perkeltas klientui {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Klientų reikalinga &quot;Customerwise nuolaidų&quot;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Atnaujinkite banko mokėjimo datos ir žurnaluose.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Kainos
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Kainos
 DocType: Quotation,Term Details,Terminuoti detalės
 DocType: Employee Incentive,Employee Incentive,Darbuotojų skatinimas
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Negalima registruotis daugiau nei {0} studentams šio studentų grupę.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Iš viso (be mokesčio)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Švinas Grafas
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Švinas Grafas
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Sandėlyje galima
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Sandėlyje galima
 DocType: Manufacturing Settings,Capacity Planning For (Days),Talpa planavimas (dienos)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Viešųjų pirkimų
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Nė vienas iš daiktų turite kokių nors kiekio ar vertės pokyčius.
@@ -2517,7 +2536,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Palikite ir lankymas
 DocType: Asset,Comprehensive Insurance,Visapusiškas draudimas
 DocType: Maintenance Visit,Partially Completed,dalinai užpildytą
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Lojalumo taškas: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Lojalumo taškas: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Pridėti sidabrą
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Vidutinis jautrumas
 DocType: Leave Type,Include holidays within leaves as leaves,Įtraukti atostogas per lapus kaip lapai
 DocType: Loyalty Program,Redemption,Išpirkimas
@@ -2551,7 +2571,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,rinkodaros išlaidos
 ,Item Shortage Report,Prekė trūkumas ataskaita
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Negalima sukurti standartinių kriterijų. Pervardykite kriterijus
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",Svoris paminėta \ nLūdzu paminėti &quot;Svoris UOM&quot; per
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",Svoris paminėta \ nLūdzu paminėti &quot;Svoris UOM&quot; per
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Medžiaga Prašymas naudojamas, kad šių išteklių įrašas"
 DocType: Hub User,Hub Password,Hubo slaptažodis
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Atskiras kursas grindžiamas grupė kiekvieną partiją
@@ -2566,15 +2586,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Paskyrimo trukmė (min.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Padaryti apskaitos įrašas Kiekvienas vertybinių popierių judėjimo
 DocType: Leave Allocation,Total Leaves Allocated,Iš viso Lapai Paskirti
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Prašome įvesti galiojantį finansinių metų pradžios ir pabaigos datos
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Prašome įvesti galiojantį finansinių metų pradžios ir pabaigos datos
 DocType: Employee,Date Of Retirement,Data nuo išėjimo į pensiją
 DocType: Upload Attendance,Get Template,Gauk šabloną
+,Sales Person Commission Summary,Pardavimų asmenybės komisijos suvestinė
 DocType: Additional Salary Component,Additional Salary Component,Papildoma atlyginimo dalis
 DocType: Material Request,Transferred,Perduotas
 DocType: Vehicle,Doors,durys
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext sąranka baigta
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext sąranka baigta
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Rinkti paciento registracijos mokestį
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Negalima keisti požymių po atsargų sandorio. Padarykite naują prekę ir perkelkite akcijas į naują prekę
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Negalima keisti požymių po atsargų sandorio. Padarykite naują prekę ir perkelkite akcijas į naują prekę
 DocType: Course Assessment Criteria,Weightage,weightage
 DocType: Purchase Invoice,Tax Breakup,mokesčių Breakup
 DocType: Employee,Joining Details,Prisijungimas prie informacijos
@@ -2602,14 +2623,15 @@
 DocType: Lead,Next Contact By,Kitas Susisiekti
 DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensacinis atostogų prašymas
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},reikalingas punktas {0} iš eilės Kiekis {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sandėlių {0} negali būti išbrauktas, nes egzistuoja kiekis už prekę {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sandėlių {0} negali būti išbrauktas, nes egzistuoja kiekis už prekę {1}"
 DocType: Blanket Order,Order Type,pavedimo tipas
 ,Item-wise Sales Register,Prekė išmintingas Pardavimų Registruotis
 DocType: Asset,Gross Purchase Amount,Pilna Pirkimo suma
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Atidarymo likučiai
 DocType: Asset,Depreciation Method,nusidėvėjimo metodas
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ar šis mokestis įtrauktas į bazinę palūkanų normą?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Iš viso Tikslinė
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Iš viso Tikslinė
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Suvokimo analizė
 DocType: Soil Texture,Sand Composition (%),Smėlio sudedamoji dalis (%)
 DocType: Job Applicant,Applicant for a Job,Pareiškėjas dėl darbo
 DocType: Production Plan Material Request,Production Plan Material Request,Gamybos planas Medžiaga Prašymas
@@ -2625,23 +2647,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Vertinimo ženklas (iš 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobilus Nėra
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,pagrindinis
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Sekantis {0} elementas nėra pažymėtas {1} elementu. Galite įgalinti juos kaip {1} elementą iš jo &quot;Item master&quot;
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,variantas
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Prekės {0} atveju kiekis turi būti neigiamas
 DocType: Naming Series,Set prefix for numbering series on your transactions,Nustatyti priešdėlis numeracijos seriją apie sandorius savo
 DocType: Employee Attendance Tool,Employees HTML,darbuotojai HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Numatytasis BOM ({0}) turi būti aktyvus šią prekę ar jo šabloną
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Numatytasis BOM ({0}) turi būti aktyvus šią prekę ar jo šabloną
 DocType: Employee,Leave Encashed?,Palikite Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Galimybė Nuo srityje yra privalomas
 DocType: Email Digest,Annual Expenses,metinės išlaidos
 DocType: Item,Variants,variantai
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Padaryti pirkinių užsakymą
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Padaryti pirkinių užsakymą
 DocType: SMS Center,Send To,siųsti
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Nėra pakankamai atostogos balansas Palikti tipas {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Nėra pakankamai atostogos balansas Palikti tipas {0}
 DocType: Payment Reconciliation Payment,Allocated amount,skirtos sumos
 DocType: Sales Team,Contribution to Net Total,Indėlis į grynuosius
 DocType: Sales Invoice Item,Customer's Item Code,Kliento punktas kodas
 DocType: Stock Reconciliation,Stock Reconciliation,akcijų suderinimas
 DocType: Territory,Territory Name,teritorija Vardas
+DocType: Email Digest,Purchase Orders to Receive,Pirkimo užsakymai gauti
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Darbas-in-progress sandėlio reikalingas prieš Pateikti
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Prenumeruojant galite turėti tik planus su tuo pačiu atsiskaitymo ciklu
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Įrašyti duomenys
@@ -2658,9 +2682,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicate Serijos Nr įvestas punkte {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Stebėkite laidų šaltinius.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Sąlyga Pristatymo taisyklei
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Prašome įvesti
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Prašome įvesti
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Techninės priežiūros žurnalas
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą remiantis punktą arba sandėlyje
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą remiantis punktą arba sandėlyje
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Grynasis svoris šio paketo. (Skaičiuojama automatiškai suma neto masė daiktų)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Padaryti &quot;Inter Company Journal Entry&quot;
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Nuolaida negali būti didesnė nei 100%
@@ -2669,15 +2693,15 @@
 DocType: Sales Order,To Deliver and Bill,Pristatyti ir Bill
 DocType: Student Group,Instructors,instruktoriai
 DocType: GL Entry,Credit Amount in Account Currency,Kredito sumą sąskaitos valiuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} turi būti pateiktas
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Dalinkis valdymu
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} turi būti pateiktas
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Dalinkis valdymu
 DocType: Authorization Control,Authorization Control,autorizacija Valdymo
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Eilutės # {0}: Atmesta Sandėlis yra privalomas prieš atmetė punkte {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,mokėjimas
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Eilutės # {0}: Atmesta Sandėlis yra privalomas prieš atmetė punkte {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,mokėjimas
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Sandėlių {0} nėra susijęs su bet kokios sąskaitos, nurodykite Sandėlį įrašo sąskaitą arba nustatyti numatytąją inventoriaus sąskaitą įmonę {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Tvarkykite savo užsakymus
 DocType: Work Order Operation,Actual Time and Cost,Tikrasis Laikas ir kaina
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Medžiaga Prašymas maksimalių {0} galima už prekę {1} prieš Pardavimų ordino {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Medžiaga Prašymas maksimalių {0} galima už prekę {1} prieš Pardavimų ordino {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Pasėlių atstumas
 DocType: Course,Course Abbreviation,Žinoma santrumpa
@@ -2689,6 +2713,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Iš viso darbo valandų turi būti ne didesnis nei maks darbo valandų {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,apie
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Rinkinys daiktų metu pardavimas.
+DocType: Delivery Settings,Dispatch Settings,Siuntimo nustatymai
 DocType: Material Request Plan Item,Actual Qty,Tikrasis Kiekis
 DocType: Sales Invoice Item,References,Nuorodos
 DocType: Quality Inspection Reading,Reading 10,Skaitymas 10
@@ -2698,11 +2723,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Jūs įvedėte pasikartojančius elementus. Prašome ištaisyti ir bandykite dar kartą.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Bendradarbis
 DocType: Asset Movement,Asset Movement,turto judėjimas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Darbų užsakymas {0} turi būti pateiktas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,nauja krepšelį
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Darbų užsakymas {0} turi būti pateiktas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,nauja krepšelį
 DocType: Taxable Salary Slab,From Amount,Iš sumos
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Prekė {0} nėra išspausdintas punktas
 DocType: Leave Type,Encashment,Inkasas
+DocType: Delivery Settings,Delivery Settings,Pristatymo nustatymai
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Paimkite duomenis
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Didžiausias leistinas atostogas tipo atostogų {0} yra {1}
 DocType: SMS Center,Create Receiver List,Sukurti imtuvas sąrašas
 DocType: Vehicle,Wheels,ratai
@@ -2718,7 +2745,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,"Atsiskaitymo valiuta turi būti lygi arba numatytojo įmonės valiuta, arba šalies sąskaitos valiuta"
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Nurodo, kad paketas yra šio pristatymo (tik projekto) dalis"
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Eilutė {0}: mokėjimo data negali būti prieš paskelbimo datą
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Eilutė {0}: mokėjimo data negali būti prieš paskelbimo datą
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Padaryti Mokėjimo įrašą
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Kiekis už prekę {0} turi būti mažesnis nei {1}
 ,Sales Invoice Trends,Pardavimo sąskaita-faktūra tendencijos
@@ -2726,12 +2753,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Gali kreiptis eilutę tik jei įkrova tipas &quot;Dėl ankstesnės eilės suma&quot; ar &quot;ankstesnės eilės Total&quot;
 DocType: Sales Order Item,Delivery Warehouse,Pristatymas sandėlis
 DocType: Leave Type,Earned Leave Frequency,Gaminamos atostogų dažnumas
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Medis finansinių išlaidų centrai.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Subtipas
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Medis finansinių išlaidų centrai.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Subtipas
 DocType: Serial No,Delivery Document No,Pristatymas dokumentas Nr
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Užtikrinti pristatymą pagal pagamintą serijos numerį
 DocType: Vital Signs,Furry,Skustis
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prašome nustatyti &quot;Gain / Loss sąskaitą turto perdavimo&quot; Bendrovėje {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prašome nustatyti &quot;Gain / Loss sąskaitą turto perdavimo&quot; Bendrovėje {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Gauti prekes iš įsigijimo kvitai
 DocType: Serial No,Creation Date,Sukūrimo data
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Tikslinė vieta reikalinga turtui {0}
@@ -2745,11 +2772,12 @@
 DocType: Item,Has Variants,turi variantams
 DocType: Employee Benefit Claim,Claim Benefit For,Pretenzijos išmoka už
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Atnaujinti atsakymą
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Jūs jau pasirinkote elementus iš {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Jūs jau pasirinkote elementus iš {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Pavadinimas Mėnesio pasiskirstymas
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Serija ID privalomi
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Serija ID privalomi
 DocType: Sales Person,Parent Sales Person,Tėvų pardavimų asmuo
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Nepateikiama jokių daiktų
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Pardavėjas ir pirkėjas negali būti vienodi
 DocType: Project,Collect Progress,Rinkti pažangą
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2765,7 +2793,7 @@
 DocType: Bank Guarantee,Margin Money,Maržos pinigai
 DocType: Budget,Budget,biudžetas
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Nustatyti Atidaryti
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Ilgalaikio turto turi būti ne akcijų punktas.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Ilgalaikio turto turi būti ne akcijų punktas.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Biudžetas negali būti skiriamas prieš {0}, nes tai ne pajamos ar sąnaudos sąskaita"
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,pasiektas
 DocType: Student Admission,Application Form Route,Prašymo forma Vartojimo būdas
@@ -2782,9 +2810,9 @@
 ,Amount to Deliver,Suma pristatyti
 DocType: Asset,Insurance Start Date,Draudimo pradžios data
 DocType: Salary Component,Flexible Benefits,Lankstūs pranašumai
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Tas pats elementas buvo įvestas keletą kartų. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Tas pats elementas buvo įvestas keletą kartų. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term pradžios data negali būti vėlesnė nei metų pradžioje data mokslo metams, kuris terminas yra susijęs (akademiniai metai {}). Ištaisykite datas ir bandykite dar kartą."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Nebuvo klaidų.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Nebuvo klaidų.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Darbuotojas {0} jau pateikė paraišką {1} nuo {2} iki {3}:
 DocType: Guardian,Guardian Interests,Guardian Pomėgiai
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Atnaujinti paskyros pavadinimą / numerį
@@ -2823,9 +2851,9 @@
 ,Item-wise Purchase History,Prekė išmintingas pirkimas Istorija
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Prašome spausti &quot;Generuoti grafiką&quot; parsiųsti Serijos Nr pridėta punkte {0}
 DocType: Account,Frozen,užšalęs
-DocType: Delivery Note,Vehicle Type,Transporto priemonės tipas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Transporto priemonės tipas
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Bazinė suma (Įmonės valiuta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Žaliavos
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Žaliavos
 DocType: Payment Reconciliation Payment,Reference Row,nuoroda eilutė
 DocType: Installation Note,Installation Time,montavimo laikas
 DocType: Sales Invoice,Accounting Details,apskaitos informacija
@@ -2834,12 +2862,13 @@
 DocType: Inpatient Record,O Positive,O teigiamas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,investicijos
 DocType: Issue,Resolution Details,geba detalės
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Sandorio tipas
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Sandorio tipas
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,priimtinumo kriterijai
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Prašome įvesti Materialieji prašymus pirmiau pateiktoje lentelėje
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Negalima grąžinti žurnalo įrašo
 DocType: Hub Tracked Item,Image List,Vaizdų sąrašas
 DocType: Item Attribute,Attribute Name,atributo pavadinimas
+DocType: Subscription,Generate Invoice At Beginning Of Period,Sukurkite sąskaitą pradžioje
 DocType: BOM,Show In Website,Rodyti svetainė
 DocType: Loan Application,Total Payable Amount,Iš viso mokėtina suma
 DocType: Task,Expected Time (in hours),Numatomas laikas (valandomis)
@@ -2876,8 +2905,8 @@
 DocType: Employee,Resignation Letter Date,Atsistatydinimas raštas data
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Kainodaros taisyklės yra toliau filtruojamas remiantis kiekį.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,nenustatyta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Prašome nustatykite data Prisijungimas darbuotojo {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Prašome nustatykite data Prisijungimas darbuotojo {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Prašome nustatykite data Prisijungimas darbuotojo {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Prašome nustatykite data Prisijungimas darbuotojo {0}
 DocType: Inpatient Record,Discharge,Išleidimas
 DocType: Task,Total Billing Amount (via Time Sheet),Iš viso Atsiskaitymo suma (per Time lapas)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Pakartokite Klientų pajamos
@@ -2887,13 +2916,13 @@
 DocType: Chapter,Chapter,Skyrius
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pora
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Numatytoji paskyra bus automatiškai atnaujinama POS sąskaitoje, kai bus pasirinktas šis režimas."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Pasirinkite BOM ir Kiekis dėl gamybos
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Pasirinkite BOM ir Kiekis dėl gamybos
 DocType: Asset,Depreciation Schedule,Nusidėvėjimas Tvarkaraštis
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Pardavimų Partnerių Adresai ir kontaktai
 DocType: Bank Reconciliation Detail,Against Account,prieš sąskaita
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Pusė dienos data turi būti tarp Nuo datos ir iki šiol
 DocType: Maintenance Schedule Detail,Actual Date,Tikrasis data
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Nustatykite &quot;Numatytųjų kainų centro&quot; skaičių {0} kompanijoje.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Nustatykite &quot;Numatytųjų kainų centro&quot; skaičių {0} kompanijoje.
 DocType: Item,Has Batch No,Turi Serijos Nr
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Metinė Atsiskaitymo: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify &quot;Webhook&quot; Išsamiau
@@ -2905,7 +2934,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift tipo
 DocType: Student,Personal Details,Asmeninės detalės
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Prašome nustatyti &quot;turto nusidėvėjimo sąnaudų centro&quot; įmonėje {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Prašome nustatyti &quot;turto nusidėvėjimo sąnaudų centro&quot; įmonėje {0}
 ,Maintenance Schedules,priežiūros Tvarkaraščiai
 DocType: Task,Actual End Date (via Time Sheet),Tikrasis Pabaigos data (per Time lapas)
 DocType: Soil Texture,Soil Type,Dirvožemio tipas
@@ -2913,10 +2942,10 @@
 ,Quotation Trends,Kainų tendencijos
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Prekė Grupė nepaminėta prekės šeimininkui už prekę {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless įgaliojimas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debeto sąskaitą turi būti Gautinos sąskaitos
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debeto sąskaitą turi būti Gautinos sąskaitos
 DocType: Shipping Rule,Shipping Amount,Pristatymas suma
 DocType: Supplier Scorecard Period,Period Score,Laikotarpio balas
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Pridėti klientams
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Pridėti klientams
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,kol suma
 DocType: Lab Test Template,Special,Specialus
 DocType: Loyalty Program,Conversion Factor,konversijos koeficientas
@@ -2933,7 +2962,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Pridėti burtinę
 DocType: Program Enrollment,Self-Driving Vehicle,Savęs Vairavimas automobiliai
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tiekėjo rezultatų lentelė nuolatinė
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Eilutė {0}: bilis medžiagas prekė nerasta {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Eilutė {0}: bilis medžiagas prekė nerasta {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Iš viso skiriami lapai {0} negali būti mažesnė nei jau patvirtintų lapų {1} laikotarpiu
 DocType: Contract Fulfilment Checklist,Requirement,Reikalavimas
 DocType: Journal Entry,Accounts Receivable,gautinos
@@ -2950,16 +2979,16 @@
 DocType: Projects Settings,Timesheets,laiko apskaitos žiniaraščiai
 DocType: HR Settings,HR Settings,HR Nustatymai
 DocType: Salary Slip,net pay info,neto darbo užmokestis informacijos
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS suma
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS suma
 DocType: Woocommerce Settings,Enable Sync,Įgalinti sinchronizavimą
 DocType: Tax Withholding Rate,Single Transaction Threshold,Vieno sandorio slenkstis
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ši vertė yra atnaujinta pagal numatytą pardavimo kainoraštį.
 DocType: Email Digest,New Expenses,Nauja išlaidos
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC suma
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC suma
 DocType: Shareholder,Shareholder,Akcininkas
 DocType: Purchase Invoice,Additional Discount Amount,Papildoma Nuolaida suma
 DocType: Cash Flow Mapper,Position,Pozicija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Gauti daiktus iš receptų
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Gauti daiktus iš receptų
 DocType: Patient,Patient Details,Paciento duomenys
 DocType: Inpatient Record,B Positive,B teigiamas
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2971,8 +3000,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupė ne grupės
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,sporto
 DocType: Loan Type,Loan Name,paskolos Vardas
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Iš viso Tikrasis
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Iš viso Tikrasis
 DocType: Student Siblings,Student Siblings,studentų seserys
 DocType: Subscription Plan Detail,Subscription Plan Detail,Išsami prenumeratos plano informacija
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,vienetas
@@ -3000,7 +3028,6 @@
 DocType: Workstation,Wages per hour,Darbo užmokestis per valandą
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Akcijų balansas Serija {0} taps neigiamas {1} už prekę {2} į sandėlį {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Šios medžiagos prašymai buvo iškeltas automatiškai pagal elemento naujo užsakymo lygio
-DocType: Email Digest,Pending Sales Orders,Laukiantieji sprendimo Pardavimo Užsakymai
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Sąskaita {0} yra neteisinga. Sąskaitos valiuta turi būti {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Nuo datos {0} negali būti po darbuotojo atleidimo data {1}
 DocType: Supplier,Is Internal Supplier,Ar yra vidinis tiekėjas
@@ -3009,13 +3036,14 @@
 DocType: Healthcare Settings,Remind Before,Prisiminti anksčiau
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konversijos koeficientas yra reikalaujama iš eilės {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pardavimų užsakymų, pardavimo sąskaitoje-faktūroje ar žurnalo įrašą"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pardavimų užsakymų, pardavimo sąskaitoje-faktūroje ar žurnalo įrašą"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 lojalumo taškai = kiek pagrindinės valiutos?
 DocType: Salary Component,Deduction,Atskaita
 DocType: Item,Retain Sample,Išsaugoti pavyzdį
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Eilutės {0}: Nuo Laikas ir laiko yra privalomas.
 DocType: Stock Reconciliation Item,Amount Difference,suma skirtumas
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Prekė Kaina pridėta {0} kainoraštis {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Prekė Kaina pridėta {0} kainoraštis {1}
+DocType: Delivery Stop,Order Information,Užsakymo informacija
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Prašome įvesti darbuotojo ID Šio pardavimo asmuo
 DocType: Territory,Classification of Customers by region,Klasifikacija klientams regione
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Gamyboje
@@ -3026,8 +3054,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Apskaičiuota bankas pareiškimas balansas
 DocType: Normal Test Template,Normal Test Template,Normalioji bandymo šablonas
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,neįgaliesiems vartotojas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Pasiūlymas
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Negalima nustatyti gauta RFQ jokiai citata
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Pasiūlymas
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Negalima nustatyti gauta RFQ jokiai citata
 DocType: Salary Slip,Total Deduction,Iš viso išskaičiavimas
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Pasirinkite paskyrą, kurią norite spausdinti paskyros valiuta"
 ,Production Analytics,gamybos Analytics &quot;
@@ -3040,14 +3068,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tiekėjo rezultatų kortelės sąranka
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Vertinimo plano pavadinimas
 DocType: Work Order Operation,Work Order Operation,Darbų užsakymo operacija
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Įspėjimas: Neteisingas SSL sertifikatas nuo prisirišimo {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Įspėjimas: Neteisingas SSL sertifikatas nuo prisirišimo {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Laidai padėti jums gauti verslo, pridėti visus savo kontaktus ir daugiau kaip jūsų laidų"
 DocType: Work Order Operation,Actual Operation Time,Tikrasis veikimo laikas
 DocType: Authorization Rule,Applicable To (User),Taikoma (Vartotojas)
 DocType: Purchase Taxes and Charges,Deduct,atskaityti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Darbo aprašymas
 DocType: Student Applicant,Applied,taikomas
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Iš naujo atidarykite
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Iš naujo atidarykite
 DocType: Sales Invoice Item,Qty as per Stock UOM,Kiekis pagal vertybinių popierių UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Vardas
 DocType: Attendance,Attendance Request,Dalyvavimo užklausa
@@ -3065,7 +3093,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijos Nr {0} yra garantija net iki {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Mažiausias leistinas dydis
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Naudotojas {0} jau egzistuoja
-apps/erpnext/erpnext/hooks.py +114,Shipments,vežimas
+apps/erpnext/erpnext/hooks.py +115,Shipments,vežimas
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Visos skirtos sumos (Įmonės valiuta)
 DocType: Purchase Order Item,To be delivered to customer,Turi būti pristatytas pirkėjui
 DocType: BOM,Scrap Material Cost,Laužas medžiagų sąnaudos
@@ -3073,11 +3101,12 @@
 DocType: Grant Application,Email Notification Sent,Siunčiamas pranešimas el. Paštu
 DocType: Purchase Invoice,In Words (Company Currency),Žodžiais (Įmonės valiuta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Įmonė administruoja įmonės sąskaitą
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Prekės kodas, sandėlis, kiekis eilutėje"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Prekės kodas, sandėlis, kiekis eilutėje"
 DocType: Bank Guarantee,Supplier,tiekėjas
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Gauti iš
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,"Tai yra šakninis skyrius, kurio negalima redaguoti."
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Rodyti mokėjimo informaciją
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Trukmė dienomis
 DocType: C-Form,Quarter,ketvirtis
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Įvairūs išlaidos
 DocType: Global Defaults,Default Company,numatytasis Įmonės
@@ -3085,7 +3114,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kompensuojamos ar Skirtumas sąskaitos yra privalomas punktas {0} kaip ji įtakoja bendra akcijų vertė
 DocType: Bank,Bank Name,Banko pavadinimas
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Virš
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Palikite lauką tuščią, kad pirkimo užsakymai būtų tiekiami visiems tiekėjams"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Palikite lauką tuščią, kad pirkimo užsakymai būtų tiekiami visiems tiekėjams"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stacionarus apsilankymo mokestis
 DocType: Vital Signs,Fluid,Skystis
 DocType: Leave Application,Total Leave Days,Iš viso nedarbingumo dienų
@@ -3095,7 +3124,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Elemento variantų nustatymai
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Pasirinkite bendrovė ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Palikite tuščią, jei manoma, skirtų visiems departamentams"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} yra privalomas punktas {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} yra privalomas punktas {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",Prekė {0}: {1} pagamintas kiekis
 DocType: Payroll Entry,Fortnightly,kas dvi savaitės
 DocType: Currency Exchange,From Currency,nuo valiuta
@@ -3145,7 +3174,7 @@
 DocType: Account,Fixed Asset,Ilgalaikio turto
 DocType: Amazon MWS Settings,After Date,Po datos
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serijinis Inventorius
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Netinkama {0} sąskaita faktūrai &quot;Inter&quot;.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Netinkama {0} sąskaita faktūrai &quot;Inter&quot;.
 ,Department Analytics,Departamentas &quot;Analytics&quot;
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Numatytojo adreso el. Pašto adresas nerastas
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generuoti paslaptį
@@ -3164,6 +3193,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Vadovas
 DocType: Purchase Invoice,With Payment of Tax,Mokesčio mokėjimas
 DocType: Expense Claim Detail,Expense Claim Detail,Kompensuojamos Pretenzija detalės
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Prašome nustatyti &quot;Instruktorių pavadinimo&quot; sistemą &quot;Education&quot;&gt; &quot;Education Settings&quot;
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Trimis egzemplioriais tiekėjas
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Naujas balansas bazine valiuta
 DocType: Location,Is Container,Yra konteineris
@@ -3171,13 +3201,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Prašome pasirinkti tinkamą sąskaitą
 DocType: Salary Structure Assignment,Salary Structure Assignment,Atlyginimo struktūros paskyrimas
 DocType: Purchase Invoice Item,Weight UOM,Svoris UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Turimų akcininkų sąrašas su folio numeriais
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Turimų akcininkų sąrašas su folio numeriais
 DocType: Salary Structure Employee,Salary Structure Employee,"Darbo užmokesčio struktūrą, darbuotojų"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Rodyti variantų savybes
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Rodyti variantų savybes
 DocType: Student,Blood Group,Kraujo grupė
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Plano {0} mokėjimo sąsajos sąskaita skiriasi nuo mokėjimo sąsajos sąskaitos šiame mokėjimo prašyme
 DocType: Course,Course Name,Kurso pavadinimas
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nenurodytų duomenų apie mokesčius už dabartinius finansinius metus.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nenurodytų duomenų apie mokesčius už dabartinius finansinius metus.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Vartotojai, kurie gali patvirtinti konkretaus darbuotojo atostogų prašymus"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Biuro įranga
 DocType: Purchase Invoice Item,Qty,Kiekis
@@ -3185,6 +3215,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Balų nustatymas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debetas ({0})
+DocType: BOM,Allow Same Item Multiple Times,Leisti tą patį elementą keletą kartų
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Pakelkite Material užklausą Kai akcijų pasiekia naujo užsakymo lygį
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Pilnas laikas
 DocType: Payroll Entry,Employees,darbuotojai
@@ -3196,11 +3227,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Mokėjimo patvirtinimas
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Kainos nebus rodomas, jei Kainų sąrašas nenustatytas"
 DocType: Stock Entry,Total Incoming Value,Iš viso Priimamojo Vertė
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debeto reikalingas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debeto reikalingas
 DocType: Clinical Procedure,Inpatient Record,Stacionarus įrašas
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Laiko apskaitos žiniaraščiai padėti sekti laiko, išlaidų ir sąskaitų už veiklose padaryti jūsų komanda"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Pirkimo Kainų sąrašas
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Sandorio data
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Pirkimo Kainų sąrašas
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Sandorio data
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Tiekimo rezultatų kortelės kintamųjų šablonai.
 DocType: Job Offer Term,Offer Term,Siūlau terminas
 DocType: Asset,Quality Manager,Kokybės vadybininkas
@@ -3221,11 +3252,11 @@
 DocType: Cashier Closing,To Time,laiko
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) už {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Patvirtinimo vaidmenį (virš įgalioto vertės)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kreditas sąskaitos turi būti mokėtinos sąskaitos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kreditas sąskaitos turi būti mokėtinos sąskaitos
 DocType: Loan,Total Amount Paid,Visa sumokėta suma
 DocType: Asset,Insurance End Date,Draudimo pabaigos data
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Prašome pasirinkti Studentų priėmimą, kuris yra privalomas mokamam studento pareiškėjui"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekursija: {0} negali būti tėvų ar vaikas {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekursija: {0} negali būti tėvų ar vaikas {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Biudžeto sąrašas
 DocType: Work Order Operation,Completed Qty,užbaigtas Kiekis
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Dėl {0}, tik debeto sąskaitos gali būti susijęs su kitos kredito įrašą"
@@ -3233,7 +3264,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serijinis {0} Prekė negali būti atnaujintas naudojant Inventorinis susitaikymo, prašome naudoti Inventorinis įrašą"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serijinis {0} Prekė negali būti atnaujintas naudojant Inventorinis susitaikymo, prašome naudoti Inventorinis įrašą"
 DocType: Training Event Employee,Training Event Employee,Mokymai Renginių Darbuotojų
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimalūs mėginiai - {0} gali būti laikomi paketui {1} ir vienetui {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimalūs mėginiai - {0} gali būti laikomi paketui {1} ir vienetui {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Pridėti laiko laiko tarpsnius
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial numeriai reikalingi punkte {1}. Jūs sąlyga {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Dabartinis vertinimas Balsuok
@@ -3264,11 +3295,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijos Nr {0} nerastas
 DocType: Fee Schedule Program,Fee Schedule Program,Mokesčių tvarkaraščio programa
 DocType: Fee Schedule Program,Student Batch,Studentų Serija
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Prašome ištrinti Darbuotoją <a href=""#Form/Employee/{0}"">{0}</a> \, kad atšauktumėte šį dokumentą"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Padaryti Studentas
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min. Kategorija
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Sveikatos priežiūros tarnybos vieneto tipas
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Jūs buvote pakviestas bendradarbiauti su projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Jūs buvote pakviestas bendradarbiauti su projektu: {0}
 DocType: Supplier Group,Parent Supplier Group,Patronuojanti tiekėjų grupė
+DocType: Email Digest,Purchase Orders to Bill,Pirkimo užsakymai Billui
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Grupės įmonės akumuliuotos vertės
 DocType: Leave Block List Date,Block Date,Blokuoti data
 DocType: Crop,Crop,Apkarpyti
@@ -3281,6 +3315,7 @@
 DocType: Sales Order,Not Delivered,Nepristatytas
 ,Bank Clearance Summary,Bankas Sąskaitų santrauka
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Kurkite ir tvarkykite savo dienos, savaitės ir mėnesio el suskaldyti."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Tai grindžiama sandoriais su šiuo pardavėjo asmeniu. Išsamiau žr. Toliau pateiktą laiko juostą
 DocType: Appraisal Goal,Appraisal Goal,vertinimas tikslas
 DocType: Stock Reconciliation Item,Current Amount,Dabartinis suma
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Pastatai
@@ -3307,7 +3342,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Programinė įranga
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Kitas Kontaktinė data negali būti praeityje
 DocType: Company,For Reference Only.,Tik nuoroda.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Pasirinkite Serija Nėra
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Pasirinkite Serija Nėra
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Neteisingas {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Informacinė investicija
@@ -3325,16 +3360,16 @@
 DocType: Normal Test Items,Require Result Value,Reikalauti rezultato vertės
 DocType: Item,Show a slideshow at the top of the page,Rodyti skaidrių peržiūrą į puslapio viršuje
 DocType: Tax Withholding Rate,Tax Withholding Rate,Mokesčių palūkanų norma
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,parduotuvės
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,parduotuvės
 DocType: Project Type,Projects Manager,Projektų vadovas
 DocType: Serial No,Delivery Time,Pristatymo laikas
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Senėjimo remiantis
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Paskyrimas atšauktas
 DocType: Item,End of Life,Gyvenimo pabaiga
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Kelionė
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Kelionė
 DocType: Student Report Generation Tool,Include All Assessment Group,Įtraukti visą vertinimo grupę
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Nėra aktyvus arba numatytąjį darbo užmokesčio struktūrą ir darbuotojo {0} nerasta pagal nurodytą datą
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Nėra aktyvus arba numatytąjį darbo užmokesčio struktūrą ir darbuotojo {0} nerasta pagal nurodytą datą
 DocType: Leave Block List,Allow Users,leisti vartotojams
 DocType: Purchase Order,Customer Mobile No,Klientų Mobilus Nėra
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pinigų srautų žemėlapių šablono detalės
@@ -3343,15 +3378,16 @@
 DocType: Rename Tool,Rename Tool,pervadinti įrankis
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Atnaujinti Kaina
 DocType: Item Reorder,Item Reorder,Prekė Pertvarkyti
+DocType: Delivery Note,Mode of Transport,Transporto rūšis
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Rodyti Pajamos Kuponas
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,perduoti medžiagą
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,perduoti medžiagą
 DocType: Fees,Send Payment Request,Siųsti mokėjimo užklausą
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Nurodykite operacijas, veiklos sąnaudas ir suteikti unikalią eksploatuoti ne savo operacijas."
 DocType: Travel Request,Any other details,Bet kokia kita informacija
 DocType: Water Analysis,Origin,Kilmė
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Šis dokumentas yra virš ribos iki {0} {1} už prekę {4}. Darai dar {3} prieš patį {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Prašome nustatyti pasikartojančių po taupymo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Pasirinkite Keisti suma sąskaita
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Prašome nustatyti pasikartojančių po taupymo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Pasirinkite Keisti suma sąskaita
 DocType: Purchase Invoice,Price List Currency,Kainų sąrašas Valiuta
 DocType: Naming Series,User must always select,Vartotojas visada turi pasirinkti
 DocType: Stock Settings,Allow Negative Stock,Leiskite Neigiama Stock
@@ -3372,9 +3408,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,atsekamumas
 DocType: Asset Maintenance Log,Actions performed,Veiksmai atlikti
 DocType: Cash Flow Mapper,Section Leader,Skyriaus vedėjas
+DocType: Delivery Note,Transport Receipt No,Transporto gavimo Nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Lėšų šaltinis (įsipareigojimai)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Šaltinio ir tikslo vieta negali būti vienoda
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kiekis eilės {0} ({1}) turi būti toks pat, kaip gaminamo kiekio {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kiekis eilės {0} ({1}) turi būti toks pat, kaip gaminamo kiekio {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Darbuotojas
 DocType: Bank Guarantee,Fixed Deposit Number,Fiksuotas indėlio numeris
 DocType: Asset Repair,Failure Date,Gedimo data
@@ -3388,16 +3425,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Apmokėjimo Atskaitymai arba nuostolis
 DocType: Soil Analysis,Soil Analysis Criterias,Dirvožemio analizės kriterijai
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standartinės sutarčių sąlygos pardavimo ar pirkimo.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Ar tikrai norite atšaukti šį susitikimą?
+DocType: BOM Item,Item operation,Prekės operacija
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Ar tikrai norite atšaukti šį susitikimą?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Viešbučių kainų nustatymo paketas
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,pardavimų vamzdynų
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,pardavimų vamzdynų
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Prašome nustatyti numatytąją sąskaitą užmokesčių Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Reikalinga Apie
 DocType: Rename Tool,File to Rename,Failo pervadinti
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Prašome pasirinkti BOM už prekę eilutėje {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Atsisiųskite prenumeratos naujinius
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Sąskaita {0} nesutampa su kompanija {1} iš sąskaitos būdas: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Neapibūdintas BOM {0} neegzistuoja punkte {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Neapibūdintas BOM {0} neegzistuoja punkte {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kursas:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Priežiūros planas {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų
@@ -3406,7 +3444,7 @@
 DocType: Notification Control,Expense Claim Approved,Kompensuojamos Pretenzija Patvirtinta
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Nustatyti avansus ir paskirstyti (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nepavyko sukurti užsakymų
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Pajamos Kuponas darbuotojo {0} jau sukurta per šį laikotarpį
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Pajamos Kuponas darbuotojo {0} jau sukurta per šį laikotarpį
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmacijos
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Galite pateikti tik &quot;Inacment&quot; palikimą už galiojančią inkasavimo sumą
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kaina įsigytų daiktų
@@ -3414,7 +3452,8 @@
 DocType: Selling Settings,Sales Order Required,Pardavimų užsakymų Reikalinga
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Tapk pardavėju
 DocType: Purchase Invoice,Credit To,Kreditas
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktyvios laidai / Klientai
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktyvios laidai / Klientai
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Palikite tuščią, kad galėtumėte naudoti standartinį pristatymo formos įrašą"
 DocType: Employee Education,Post Graduate,Doktorantas
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Priežiūros planas Išsamiau
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Įspėti apie naujus pirkimo užsakymus
@@ -3428,14 +3467,14 @@
 DocType: Support Search Source,Post Title Key,Pavadinimo raktas
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Už darbo kortelę
 DocType: Warranty Claim,Raised By,Užaugino
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Rekordai
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Rekordai
 DocType: Payment Gateway Account,Payment Account,Mokėjimo sąskaita
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Prašome nurodyti Bendrovei toliau
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Prašome nurodyti Bendrovei toliau
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Grynasis pokytis gautinos
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,kompensacinė Išjungtas
 DocType: Job Offer,Accepted,priimtas
 DocType: POS Closing Voucher,Sales Invoices Summary,Pardavimų sąskaitos santrauka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Šalies vardui
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Šalies vardui
 DocType: Grant Application,Organization,organizacija
 DocType: Grant Application,Organization,organizacija
 DocType: BOM Update Tool,BOM Update Tool,BOM naujinimo įrankis
@@ -3445,7 +3484,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Prašome įsitikinkite, kad jūs tikrai norite ištrinti visus šios bendrovės sandorius. Jūsų pagrindiniai duomenys liks kaip ji yra. Šis veiksmas negali būti atšauktas."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Paieškos rezultatai
 DocType: Room,Room Number,Kambario numeris
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Neteisingas nuoroda {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Neteisingas nuoroda {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) negali būti didesnis nei planuotas kiekis ({2}) Gamybos Užsakyme {3}
 DocType: Shipping Rule,Shipping Rule Label,Pristatymas taisyklė Etiketė
 DocType: Journal Entry Account,Payroll Entry,Darbo užmokesčio įrašas
@@ -3453,8 +3492,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Padaryti mokesčių šabloną
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,vartotojas Forumas
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Žaliavos negali būti tuščias.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Eilutė # {0} (mokėjimo lentelė): suma turi būti neigiama
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nepavyko atnaujinti atsargų, sąskaitos faktūros yra lašas laivybos elementą."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Eilutė # {0} (mokėjimo lentelė): suma turi būti neigiama
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nepavyko atnaujinti atsargų, sąskaitos faktūros yra lašas laivybos elementą."
 DocType: Contract,Fulfilment Status,Įvykdymo būsena
 DocType: Lab Test Sample,Lab Test Sample,Laboratorinio bandinio pavyzdys
 DocType: Item Variant Settings,Allow Rename Attribute Value,Leisti pervardyti atributo reikšmę
@@ -3496,11 +3535,11 @@
 DocType: BOM,Show Operations,Rodyti operacijos
 ,Minutes to First Response for Opportunity,Minučių iki Pirmosios atsakas Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Iš viso Nėra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Punktas arba sandėlis eilės {0} nesutampa Medžiaga Užsisakyti
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Punktas arba sandėlis eilės {0} nesutampa Medžiaga Užsisakyti
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Matavimo vienetas
 DocType: Fiscal Year,Year End Date,Metų pabaigos data
 DocType: Task Depends On,Task Depends On,Užduotis Priklauso nuo
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,galimybė
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,galimybė
 DocType: Operation,Default Workstation,numatytasis Workstation
 DocType: Notification Control,Expense Claim Approved Message,Kompensuojamos Pretenzija Patvirtinta pranešimas
 DocType: Payment Entry,Deductions or Loss,Atskaitymai arba nuostolis
@@ -3538,21 +3577,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Patvirtinimo vartotoją negali būti tas pats kaip vartotojas taisyklė yra taikoma
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Bazinis tarifas (pagal vertybinių popierių UOM)
 DocType: SMS Log,No of Requested SMS,Ne prašomosios SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Palikite be darbo užmokesčio nesutampa su patvirtintais prašymo suteikti atostogas įrašų
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Palikite be darbo užmokesčio nesutampa su patvirtintais prašymo suteikti atostogas įrašų
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Tolesni žingsniai
 DocType: Travel Request,Domestic,Vidaus
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Prašome pateikti nurodytus elementus ne į geriausias įmanomas normas
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Prašome pateikti nurodytus elementus ne į geriausias įmanomas normas
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Darbuotojų pervedimas negali būti pateiktas prieš pervedimo datą
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Padaryti sąskaitą faktūrą
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Esamas likutis
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Esamas likutis
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto arti Galimybė po 15 dienų
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,"Įsigijimo užsakymai neleidžiami {0} dėl rodiklio, kuris yra {1}."
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Brūkšninis kodas {0} nėra galiojantis {1} kodas
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Brūkšninis kodas {0} nėra galiojantis {1} kodas
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,pabaigos metai
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Švinas%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Švinas%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Sutarties pabaigos data turi būti didesnis nei įstoti data
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Sutarties pabaigos data turi būti didesnis nei įstoti data
 DocType: Driver,Driver,Vairuotojas
 DocType: Vital Signs,Nutrition Values,Mitybos vertės
 DocType: Lab Test Template,Is billable,Apmokestinamas
@@ -3563,7 +3602,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,"Tai yra pavyzdys, svetainė Automatiškai sugeneruota iš ERPNext"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Senėjimas klasės 1
 DocType: Shopify Settings,Enable Shopify,Įjunkite &quot;Shopify&quot;
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Bendra išankstinė suma negali būti didesnė už visą reikalaujamą sumą
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Bendra išankstinė suma negali būti didesnė už visą reikalaujamą sumą
 DocType: Purchase Taxes and Charges Template,"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
@@ -3590,12 +3629,12 @@
 DocType: Employee Separation,Employee Separation,Darbuotojų atskyrimas
 DocType: BOM Item,Original Item,Originalus elementas
 DocType: Purchase Receipt Item,Recd Quantity,Recd Kiekis
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Dokumento data
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Dokumento data
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Įrašai Sukurta - {0}
 DocType: Asset Category Account,Asset Category Account,Turto Kategorija paskyra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Eilutė # {0} (mokėjimo lentelė): suma turi būti teigiama
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Eilutė # {0} (mokėjimo lentelė): suma turi būti teigiama
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Negali gaminti daugiau Elementą {0} nei pardavimų užsakymų kiekio {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Pasirinkite atributo reikšmes
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Pasirinkite atributo reikšmes
 DocType: Purchase Invoice,Reason For Issuing document,Paaiškinimas Dokumento išdavimas
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,"Atsargų, {0} nebus pateiktas"
 DocType: Payment Reconciliation,Bank / Cash Account,Bankas / Pinigų paskyra
@@ -3604,8 +3643,10 @@
 DocType: Asset,Manual,vadovas
 DocType: Salary Component Account,Salary Component Account,Pajamos Sudėtinės paskyra
 DocType: Global Defaults,Hide Currency Symbol,Slėpti valiutos simbolį
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Pardavimų galimybės pagal šaltinį
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Donoro informacija.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","pvz bankas, grynieji pinigai, kreditinės kortelės"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nustatykite numeriravimo serijas lankytojams per sąranką&gt; numeravimo serija
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","pvz bankas, grynieji pinigai, kreditinės kortelės"
 DocType: Job Applicant,Source Name,šaltinis Vardas
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Suaugusio kraujo spaudimo normalus palaikymas yra maždaug 120 mmHg sistolinis ir 80 mmHg diastolinis, sutrumpintas &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Nustatykite daiktų saugojimo trukmę dienomis, norėdami nustatyti galiojimo laiką pagal gamintojo datą ir savaiminį gyvenimą"
@@ -3635,7 +3676,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Kiekis turi būti mažesnis nei kiekis {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Eilutės {0}: pradžios data turi būti prieš End data
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimali išmoka (metinė)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Rate%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Rate%
 DocType: Crop,Planting Area,Apželdinimo zona
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Iš viso (Kiekis)
 DocType: Installation Note Item,Installed Qty,įdiegta Kiekis
@@ -3657,8 +3698,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Palikti patvirtinimo pranešimą
 DocType: Buying Settings,Default Buying Price List,Numatytasis Ieško Kainų sąrašas
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Pajamos Kuponas Remiantis darbo laiko apskaitos žiniaraštis
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Pirkimo norma
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Eilutė {0}: įveskite turto objekto vietą {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Pirkimo norma
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Eilutė {0}: įveskite turto objekto vietą {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Apie bendrovę
 DocType: Notification Control,Sales Order Message,Pardavimų užsakymų pranešimas
@@ -3725,10 +3766,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Eilutėje {0}: įveskite numatytą kiekį
 DocType: Account,Income Account,pajamų sąskaita
 DocType: Payment Request,Amount in customer's currency,Suma kliento valiuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,pristatymas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,pristatymas
 DocType: Volunteer,Weekdays,Darbo dienomis
 DocType: Stock Reconciliation Item,Current Qty,Dabartinis Kiekis
 DocType: Restaurant Menu,Restaurant Menu,Restorano meniu
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Pridėti tiekėjų
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Pagalbos skyrius
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Ankstesnis
@@ -3740,19 +3782,20 @@
 												fullfill Sales Order {2}","Negali pristatyti eilės Nr {0} elemento {1}, nes jis yra rezervuotas \ fillfill Pardavimų užsakymas {2}"
 DocType: Item Reorder,Material Request Type,Medžiaga Prašymas tipas
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Siųsti grantų peržiūrą el. Paštu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage &quot;yra pilna, neišsaugojo"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Eilutės {0}: UOM konversijos faktorius yra privalomas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage &quot;yra pilna, neišsaugojo"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Eilutės {0}: UOM konversijos faktorius yra privalomas
 DocType: Employee Benefit Claim,Claim Date,Pretenzijos data
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kambarių talpa
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Jau įrašas egzistuoja elementui {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,teisėjas
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Jūs prarasite ankstesnių sąskaitų faktūrų įrašus. Ar tikrai norite iš naujo paleisti šį prenumeratą?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Registracijos mokestis
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojalumo programos kolekcija
 DocType: Stock Entry Detail,Subcontracted Item,Subrangos punktas
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Studentas {0} nepriklauso grupei {1}
 DocType: Budget,Cost Center,kaina centras
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Bon #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Bon #
 DocType: Notification Control,Purchase Order Message,Pirkimui užsakyti pranešimas
 DocType: Tax Rule,Shipping Country,Pristatymas Šalis
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Slėpti Kliento mokesčių ID iš pardavimo sandorių
@@ -3771,23 +3814,22 @@
 DocType: Subscription,Cancel At End Of Period,Atšaukti pabaigos laikotarpį
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Turtas jau pridėtas
 DocType: Item Supplier,Item Supplier,Prekė Tiekėjas
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Prašome įvesti Prekės kodas gauti partiją nėra
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Prašome pasirinkti vertę už {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Prašome įvesti Prekės kodas gauti partiją nėra
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Prašome pasirinkti vertę už {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Neleidžiama perkelti elementų
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Visi adresai.
 DocType: Company,Stock Settings,Akcijų Nustatymai
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sujungimas yra galimas tik tada, jei šie savybės yra tos pačios tiek įrašų. Ar grupė, Šaknų tipas, Įmonės"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sujungimas yra galimas tik tada, jei šie savybės yra tos pačios tiek įrašų. Ar grupė, Šaknų tipas, Įmonės"
 DocType: Vehicle,Electric,elektros
 DocType: Task,% Progress,% Progresas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Pelnas / nuostolis turto perdavimo
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.","Toliau esančioje lentelėje bus parinkta tik kandidatė-studentė, turinti statusą &quot;Patvirtinta&quot;."
 DocType: Tax Withholding Category,Rates,Kainos
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Paskyros numeris sąskaitai {0} nėra. <br> Tinkamai nustatykite savo sąskaitų planą.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Paskyros numeris sąskaitai {0} nėra. <br> Tinkamai nustatykite savo sąskaitų planą.
 DocType: Task,Depends on Tasks,Priklauso nuo Užduotys
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Valdyti klientų grupei medį.
 DocType: Normal Test Items,Result Value,Rezultato vertė
 DocType: Hotel Room,Hotels,Viešbučiai
-DocType: Delivery Note,Transporter Date,Transporterio data
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nauja kaina centras vardas
 DocType: Leave Control Panel,Leave Control Panel,Palikite Valdymo skydas
 DocType: Project,Task Completion,užduotis užbaigimas
@@ -3834,11 +3876,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Visi Vertinimo Grupės
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Naujas sandėlys Vardas
 DocType: Shopify Settings,App Type,Programos tipas
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Viso {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Viso {0} ({1})
 DocType: C-Form Invoice Detail,Territory,teritorija
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Paminėkite nėra apsilankymų reikalingų
 DocType: Stock Settings,Default Valuation Method,Numatytasis vertinimo metodas
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Rinkliava
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Rodyti bendrą sumą
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Atnaujinimas vyksta. Tai gali užtrukti.
 DocType: Production Plan Item,Produced Qty,Pagamintas kiekis
 DocType: Vehicle Log,Fuel Qty,kuro Kiekis
@@ -3846,7 +3889,7 @@
 DocType: Work Order Operation,Planned Start Time,Planuojamas Pradžios laikas
 DocType: Course,Assessment,įvertinimas
 DocType: Payment Entry Reference,Allocated,Paskirti
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Uždaryti Balansas ir knyga pelnas arba nuostolis.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Uždaryti Balansas ir knyga pelnas arba nuostolis.
 DocType: Student Applicant,Application Status,paraiškos būseną
 DocType: Additional Salary,Salary Component Type,Atlyginimo komponento tipas
 DocType: Sensitivity Test Items,Sensitivity Test Items,Jautrumo testo elementai
@@ -3857,10 +3900,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Iš viso neapmokėta suma
 DocType: Sales Partner,Targets,tikslai
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Prašome įregistruoti SIREN numerį bendrovės informacijos byloje
+DocType: Email Digest,Sales Orders to Bill,Pardavimo užsakymai Billui
 DocType: Price List,Price List Master,Kainų sąrašas magistras
 DocType: GST Account,CESS Account,CESS sąskaita
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Visi pardavimo sandoriai gali būti pažymėti prieš kelis ** pardavėjai **, kad būtų galima nustatyti ir stebėti tikslus."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Nuoroda į medžiagos prašymą
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Nuoroda į medžiagos prašymą
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forumo veikla
 ,S.O. No.,SO Nr
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Banko ataskaita &quot;Sandorio parametrų elementas&quot;
@@ -3875,7 +3919,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Tai yra šaknis klientas grupė ir negali būti pakeisti.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Veiksmas, jei sukauptas mėnesinis biudžetas viršytas PO"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Į vietą
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Į vietą
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valiutos kurso perkainojimas
 DocType: POS Profile,Ignore Pricing Rule,Ignoruoti kainodaros taisyklė
 DocType: Employee Education,Graduate,absolventas
@@ -3912,6 +3956,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Nustatykite numatytąjį klientą Restoranų nustatymuose
 ,Salary Register,Pajamos Registruotis
 DocType: Warehouse,Parent Warehouse,tėvų sandėlis
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Diagrama
 DocType: Subscription,Net Total,grynasis Iš viso
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Numatytąją BOM ne punktą rasti {0} ir projekto {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Apibrėžti įvairių paskolų tipų
@@ -3944,24 +3989,26 @@
 DocType: Membership,Membership Status,Narystės statusas
 DocType: Travel Itinerary,Lodging Required,Būtinas būstas
 ,Requested,prašoma
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,nėra Pastabos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,nėra Pastabos
 DocType: Asset,In Maintenance,Priežiūra
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Spustelėkite šį mygtuką, kad ištrauktumėte pardavimo užsakymo duomenis iš &quot;Amazon MWS&quot;."
 DocType: Vital Signs,Abdomen,Pilvas
 DocType: Purchase Invoice,Overdue,Pavėluota
 DocType: Account,Stock Received But Not Billed,"Vertybinių popierių gaunamas, bet nereikia mokėti"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Šaknų sąskaita turi būti grupė
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Šaknų sąskaita turi būti grupė
 DocType: Drug Prescription,Drug Prescription,Narkotikų recepcija
 DocType: Loan,Repaid/Closed,Grąžinama / Uždarymo
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Iš viso prognozuojama Kiekis
 DocType: Monthly Distribution,Distribution Name,platinimo Vardas
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Įtraukti UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Prekės {0} neįvertinta, kuri reikalinga apskaitos įrašams atlikti {1} {2}. Jei objektas sandoriuos kaip nulinis vertinimo koeficiento elementas {1}, prašome paminėti tai {1} elemento lentelėje. Priešingu atveju, sukurkite gautą atsarginį sandorį elementui arba paminėkite vertinimo rodiklį elemento įraše, tada pabandykite pateikti / atšaukti šį įrašą"
 DocType: Course,Course Code,Dalyko kodas
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kokybės inspekcija privalo už prekę {0}
 DocType: Location,Parent Location,Tėvų vieta
 DocType: POS Settings,Use POS in Offline Mode,Naudokite POS neprisijungus
 DocType: Supplier Scorecard,Supplier Variables,Tiekėjo kintamieji
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} yra privalomas. Galbūt valiutos keitimo įrašas nėra sukurtas {1} iki {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Norma, pagal kurią klientas valiuta yra konvertuojamos į įmonės bazine valiuta"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Grynoji palūkanų normos (Įmonės valiuta)
 DocType: Salary Detail,Condition and Formula Help,Būklė ir &quot;Formula Pagalba
@@ -3970,19 +4017,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,pardavimų sąskaita faktūra
 DocType: Journal Entry Account,Party Balance,šalis balansas
 DocType: Cash Flow Mapper,Section Subtotal,Tarpinė dalis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Prašome pasirinkti Taikyti nuolaidą
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Prašome pasirinkti Taikyti nuolaidą
 DocType: Stock Settings,Sample Retention Warehouse,Mėginio saugojimo sandėlis
 DocType: Company,Default Receivable Account,Numatytasis Gautinos sąskaitos
 DocType: Purchase Invoice,Deemed Export,Laikomas eksportas
 DocType: Stock Entry,Material Transfer for Manufacture,Medžiagos pernešimas gamybai
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Nuolaida procentas gali būti taikomas bet prieš kainoraštis arba visų kainų sąrašas.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Apskaitos įrašas už Sandėlyje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Apskaitos įrašas už Sandėlyje
 DocType: Lab Test,LabTest Approver,&quot;LabTest&quot; patvirtintojai
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Jūs jau įvertintas vertinimo kriterijus {}.
 DocType: Vehicle Service,Engine Oil,Variklio alyva
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Sukurtas darbo užsakymas: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Sukurtas darbo užsakymas: {0}
 DocType: Sales Invoice,Sales Team1,pardavimų team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Prekė {0} neegzistuoja
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Prekė {0} neegzistuoja
 DocType: Sales Invoice,Customer Address,Klientų Adresas
 DocType: Loan,Loan Details,paskolos detalės
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Nepavyko nustatyti posto firmos
@@ -4002,34 +4049,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Parodyti šią demonstraciją prie puslapio viršuje
 DocType: BOM,Item UOM,Prekė UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),"Mokesčių suma, nuolaidos suma (Įmonės valiuta)"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Tikslinė sandėlis yra privalomas eilės {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Tikslinė sandėlis yra privalomas eilės {0}
 DocType: Cheque Print Template,Primary Settings,pirminiai nustatymai
 DocType: Attendance Request,Work From Home,Darbas iš namų
 DocType: Purchase Invoice,Select Supplier Address,Pasirinkite Tiekėjas Adresas
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Pridėti Darbuotojai
 DocType: Purchase Invoice Item,Quality Inspection,kokybės inspekcija
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Papildomas Mažas
 DocType: Company,Standard Template,standartinį šabloną
 DocType: Training Event,Theory,teorija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Įspėjimas: Medžiaga Prašoma Kiekis yra mažesnis nei minimalus užsakymas Kiekis
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Įspėjimas: Medžiaga Prašoma Kiekis yra mažesnis nei minimalus užsakymas Kiekis
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Sąskaita {0} yra sušaldyti
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridinio asmens / Dukterinė įmonė su atskiru Chart sąskaitų, priklausančių organizacijos."
 DocType: Payment Request,Mute Email,Nutildyti paštas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Maistas, gėrimai ir tabako"
 DocType: Account,Account Number,Paskyros numeris
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Gali tik sumokėti prieš Neapmokestinama {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Komisinis mokestis gali būti ne didesnė kaip 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Gali tik sumokėti prieš Neapmokestinama {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Komisinis mokestis gali būti ne didesnė kaip 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Automatiškai paskirstyti avansus (FIFO)
 DocType: Volunteer,Volunteer,Savanoris
 DocType: Buying Settings,Subcontract,subrangos sutartys
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Prašome įvesti {0} pirmas
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Nėra atsakymų
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Nėra atsakymų
 DocType: Work Order Operation,Actual End Time,Tikrasis Pabaigos laikas
 DocType: Item,Manufacturer Part Number,Gamintojo kodas
 DocType: Taxable Salary Slab,Taxable Salary Slab,Apmokestinama atlyginimų lentelė
 DocType: Work Order Operation,Estimated Time and Cost,Numatoma trukmė ir kaina
 DocType: Bin,Bin,dėžė
 DocType: Crop,Crop Name,Paskirstymo pavadinimas
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,"&quot;Marketplace&quot; gali registruotis tik naudotojai, turintys {0} vaidmenį"
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,"&quot;Marketplace&quot; gali registruotis tik naudotojai, turintys {0} vaidmenį"
 DocType: SMS Log,No of Sent SMS,Nėra išsiųstų SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Paskyrimai ir susitikimai
@@ -4058,7 +4106,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Keisti kodą
 DocType: Purchase Invoice Item,Valuation Rate,Vertinimo Balsuok
 DocType: Vehicle,Diesel,dyzelinis
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Kainų sąrašas Valiuta nepasirinkote
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Kainų sąrašas Valiuta nepasirinkote
 DocType: Purchase Invoice,Availed ITC Cess,Pasinaudojo ITC Cess
 ,Student Monthly Attendance Sheet,Studentų Mėnesio Lankomumas lapas
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Pristatymo taisyklė taikoma tik Pardavimui
@@ -4075,7 +4123,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Tvarkyti Pardavimų Partneriai.
 DocType: Quality Inspection,Inspection Type,Patikrinimo tipas
 DocType: Fee Validity,Visited yet,Aplankė dar
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Sandėliai su esamais sandoris negali būti konvertuojamos į grupę.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Sandėliai su esamais sandoris negali būti konvertuojamos į grupę.
 DocType: Assessment Result Tool,Result HTML,rezultatas HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kaip dažnai reikia atnaujinti projektą ir įmonę remiantis pardavimo sandoriais.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Baigia galioti
@@ -4083,7 +4131,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Prašome pasirinkti {0}
 DocType: C-Form,C-Form No,C-formos Nėra
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Atstumas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Atstumas
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Nurodykite savo produktus ar paslaugas, kurias perkate ar parduodate."
 DocType: Water Analysis,Storage Temperature,Laikymo temperatūra
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4099,19 +4147,19 @@
 DocType: Shopify Settings,Delivery Note Series,Pristatymo pastabos serija
 DocType: Purchase Order Item,Returned Qty,grįžo Kiekis
 DocType: Student,Exit,išeiti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Šaknų tipas yra privalomi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Šaknų tipas yra privalomi
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Nepavyko įdiegti išankstinių nustatymų
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM konversija valandomis
 DocType: Contract,Signee Details,Signee detalės
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} šiuo metu turi {1} tiekėjų rezultatų kortelę, o šio tiekėjo RFQ turėtų būti pateikiama atsargiai."
 DocType: Certified Consultant,Non Profit Manager,Ne pelno administratorius
 DocType: BOM,Total Cost(Company Currency),Iš viso išlaidų (Įmonės valiuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serijos Nr {0} sukūrė
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serijos Nr {0} sukūrė
 DocType: Homepage,Company Description for website homepage,Įmonės aprašymas interneto svetainės pagrindiniame puslapyje
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Dėl klientų patogumui, šie kodai gali būti naudojami spausdinimo formatus, pavyzdžiui, sąskaitose ir važtaraščiuose"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Vardas
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nepavyko gauti informacijos apie {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Atidarymo leidinys
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Atidarymo leidinys
 DocType: Contract,Fulfilment Terms,Įvykdymo sąlygos
 DocType: Sales Invoice,Time Sheet List,Laikas lapas sąrašas
 DocType: Employee,You can enter any date manually,Galite įvesti bet kokį datą rankiniu būdu
@@ -4147,7 +4195,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Jūsų organizacija
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Praleidžiant išeitį iš toliau nurodytų darbuotojų, nes prieš juos jau yra įrašų apie pasidalijimo atsiribojimą. {0}"
 DocType: Fee Component,Fees Category,Mokesčiai Kategorija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Prašome įvesti malšinančių datą.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Prašome įvesti malšinančių datą.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Rėmėjo duomenys (pavadinimas, vieta)"
 DocType: Supplier Scorecard,Notify Employee,Pranešti darbuotojui
@@ -4160,9 +4208,9 @@
 DocType: Company,Chart Of Accounts Template,Sąskaitų planas Šablonas
 DocType: Attendance,Attendance Date,lankomumas data
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Įsigijimo sąskaita faktūrai {0} turi būti įgalinta atnaujinti vertybinius popierius
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Prekė Kaina atnaujintas {0} kainoraštis {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Prekė Kaina atnaujintas {0} kainoraštis {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Pajamos Griauti remiantis uždirbti ir atskaitą.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Sąskaita su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Sąskaita su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos
 DocType: Purchase Invoice Item,Accepted Warehouse,Priimamos sandėlis
 DocType: Bank Reconciliation Detail,Posting Date,Išsiuntimo data
 DocType: Item,Valuation Method,vertinimo metodas
@@ -4199,6 +4247,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Prašome pasirinkti partiją
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Kelionės ir išlaidų reikalavimas
 DocType: Sales Invoice,Redemption Cost Center,Išpirkimo mokesčio centras
+DocType: QuickBooks Migrator,Scope,Taikymo sritis
 DocType: Assessment Group,Assessment Group Name,Vertinimas Grupės pavadinimas
 DocType: Manufacturing Settings,Material Transferred for Manufacture,"Medžiagos, perduotos gamybai"
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Pridėti į išsamią informaciją
@@ -4206,6 +4255,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Paskutinė sintezė Datetime
 DocType: Landed Cost Item,Receipt Document Type,Gavimas Dokumento tipas
 DocType: Daily Work Summary Settings,Select Companies,Atrenkame įmones
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Pasiūlymas / kainos pasiūlymas
 DocType: Antibiotic,Healthcare,Sveikatos apsauga
 DocType: Target Detail,Target Detail,Tikslinė detalės
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Vienas variantas
@@ -4215,6 +4265,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Laikotarpis uždarymas Įėjimas
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Pasirinkite skyrių ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Kaina centras su esamais sandoriai negali būti konvertuojamos į grupės
+DocType: QuickBooks Migrator,Authorization URL,Autorizacijos URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
 DocType: Account,Depreciation,amortizacija
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Akcijų skaičius ir akcijų skaičius yra nenuoseklūs
@@ -4237,13 +4288,14 @@
 DocType: Support Search Source,Source DocType,Šaltinis DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Atidarykite naują bilietą
 DocType: Training Event,Trainer Email,treneris paštas
+DocType: Driver,Transporter,Transporteris
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Medžiaga Prašymai {0} sukūrė
 DocType: Restaurant Reservation,No of People,Žmonių skaičius
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Šablonas terminų ar sutarties.
 DocType: Bank Account,Address and Contact,Adresas ir kontaktai
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Ar sąskaita Mokėtinos sumos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},"Akcijų, negali būti atnaujintas prieš pirkimo kvito {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},"Akcijų, negali būti atnaujintas prieš pirkimo kvito {0}"
 DocType: Support Settings,Auto close Issue after 7 days,Auto arti išdavimas po 7 dienų
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Palikite negali būti skiriama iki {0}, kaip atostogos balansas jau perkėlimo persiunčiami būsimos atostogos paskirstymo įrašo {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Pastaba: Dėl / Nuoroda data viršija leidžiama klientų kredito dienas iki {0} dieną (-ai)
@@ -4261,7 +4313,7 @@
 ,Qty to Deliver,Kiekis pristatyti
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"&quot;Amazon&quot; sinchronizuos duomenis, atnaujintus po šios datos"
 ,Stock Analytics,Akcijų Analytics &quot;
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operacijos negali būti paliktas tuščias
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operacijos negali būti paliktas tuščias
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Laboratorijos testas (-ai)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Su dokumentų Išsamiau Nėra
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Pašalinti neleidžiama šaliai {0}
@@ -4269,13 +4321,12 @@
 DocType: Quality Inspection,Outgoing,išeinantis
 DocType: Material Request,Requested For,prašoma Dėl
 DocType: Quotation Item,Against Doctype,prieš DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} yra atšauktas arba uždarytas
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} yra atšauktas arba uždarytas
 DocType: Asset,Calculate Depreciation,Apskaičiuokite nusidėvėjimą
 DocType: Delivery Note,Track this Delivery Note against any Project,Sekti šią važtaraštyje prieš bet kokį projektą
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Grynieji pinigų srautai iš investicinės
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klientas&gt; Klientų grupė&gt; Teritorija
 DocType: Work Order,Work-in-Progress Warehouse,Darbas-in-progress Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Turto {0} turi būti pateiktas
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Turto {0} turi būti pateiktas
 DocType: Fee Schedule Program,Total Students,Iš viso studentų
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Lankomumas Įrašų {0} egzistuoja nuo Studentų {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Nuoroda # {0} data {1}
@@ -4295,7 +4346,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Negalite sukurti išsaugojimo premijos už likusius Darbuotojai
 DocType: Lead,Market Segment,Rinkos segmentas
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Žemės ūkio vadybininkas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Sumokėta suma negali būti didesnė nei visos neigiamos nesumokėtos sumos {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Sumokėta suma negali būti didesnė nei visos neigiamos nesumokėtos sumos {0}
 DocType: Supplier Scorecard Period,Variables,Kintamieji
 DocType: Employee Internal Work History,Employee Internal Work History,Darbuotojų vidaus darbo Istorija
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Uždarymo (dr)
@@ -4320,22 +4371,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Produktai
 DocType: Loyalty Point Entry,Loyalty Program,Lojalumo programa
 DocType: Student Guardian,Father,Fėvas
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Palaikymo bilietai
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Atnaujinti sandėlį"" negali būti patikrintas dėl ilgalaikio turto pardavimo."
 DocType: Bank Reconciliation,Bank Reconciliation,bankas suderinimas
 DocType: Attendance,On Leave,atostogose
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Gaukite atnaujinimus
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Sąskaitos {2} nepriklauso Company {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Pasirinkite bent vieną vertę iš kiekvieno atributo.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Pasirinkite bent vieną vertę iš kiekvieno atributo.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Medžiaga Prašymas {0} atšauktas ar sustabdytas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Siuntimo būsena
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Siuntimo būsena
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Palikite valdymas
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupės
 DocType: Purchase Invoice,Hold Invoice,Laikykite sąskaitą faktūrą
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Pasirinkite darbuotoją
 DocType: Sales Order,Fully Delivered,pilnai Paskelbta
-DocType: Lead,Lower Income,mažesnes pajamas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,mažesnes pajamas
 DocType: Restaurant Order Entry,Current Order,Dabartinis užsakymas
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Serijos numerių skaičius ir kiekis turi būti vienodi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Originalo ir vertimo sandėlis negali būti vienodi eilės {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Originalo ir vertimo sandėlis negali būti vienodi eilės {0}
 DocType: Account,Asset Received But Not Billed,"Turtas gauta, bet ne išrašyta"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Skirtumas paskyra turi būti turto / įsipareigojimų tipo sąskaita, nes tai sandėlyje Susitaikymas yra atidarymas įrašas"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Išmokėta suma negali būti didesnis nei paskolos suma {0}
@@ -4344,7 +4397,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},"Pirkimo užsakymo numerį, reikalingą punkto {0}"
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&quot;Nuo data&quot; turi būti po &quot;Iki datos&quot;
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Nė vienas personalo planas nerasta tokio pavadinimo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Prekės {1} partija {0} išjungta.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Prekės {1} partija {0} išjungta.
 DocType: Leave Policy Detail,Annual Allocation,Metinis paskirstymas
 DocType: Travel Request,Address of Organizer,Organizatoriaus adresas
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Pasirinkite sveikatos priežiūros specialistą ...
@@ -4353,12 +4406,12 @@
 DocType: Asset,Fully Depreciated,visiškai nusidėvėjusi
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Akcijų Numatoma Kiekis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Klientų {0} nepriklauso projekto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Klientų {0} nepriklauso projekto {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Pažymėti Lankomumas HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citatos yra pasiūlymų, pasiūlymai turite atsiųsti savo klientams"
 DocType: Sales Invoice,Customer's Purchase Order,Kliento Užsakymo
 DocType: Clinical Procedure,Patient,Pacientas
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Atidaryti kredito patikrą Pardavimų užsakymas
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Atidaryti kredito patikrą Pardavimų užsakymas
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Darbuotojų laivybos veikla
 DocType: Location,Check if it is a hydroponic unit,"Patikrinkite, ar tai hidroponinis blokas"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serijos Nr paketais
@@ -4368,7 +4421,7 @@
 DocType: Supplier Scorecard Period,Calculations,Skaičiavimai
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Vertė arba Kiekis
 DocType: Payment Terms Template,Payment Terms,Mokėjimo sąlygos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions pavedimai negali būti padidinta:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions pavedimai negali būti padidinta:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minutė
 DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkimo mokesčius bei rinkliavas
 DocType: Chapter,Meetup Embed HTML,&quot;Embedup&quot; HTML įvestis
@@ -4376,7 +4429,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Eikite į tiekėjus
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS uždarymo vaučerio mokesčiai
 ,Qty to Receive,Kiekis Gavimo
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Pradžios ir pabaigos datos nėra galiojančiame darbo užmokesčio laikotarpyje, negali apskaičiuoti {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Pradžios ir pabaigos datos nėra galiojančiame darbo užmokesčio laikotarpyje, negali apskaičiuoti {0}."
 DocType: Leave Block List,Leave Block List Allowed,Palikite Blokuoti sąrašas Leido
 DocType: Grading Scale Interval,Grading Scale Interval,Rūšiavimas padalos
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kompensuojamos Prašymas Transporto Prisijungti {0}
@@ -4384,10 +4437,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Nuolaida (%) nuo Kainų sąrašas norma atsargos
 DocType: Healthcare Service Unit Type,Rate / UOM,Reitingas / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Visi Sandėliai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nebuvo nustatyta {0} &quot;Inter&quot; kompanijos sandoriams.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nebuvo nustatyta {0} &quot;Inter&quot; kompanijos sandoriams.
 DocType: Travel Itinerary,Rented Car,Išnuomotas automobilis
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Apie jūsų įmonę
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kreditas sąskaitos turi būti balansas sąskaitos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kreditas sąskaitos turi būti balansas sąskaitos
 DocType: Donor,Donor,Donoras
 DocType: Global Defaults,Disable In Words,Išjungti žodžiais
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Prekės kodas yra privalomas, nes prekės nėra automatiškai sunumeruoti"
@@ -4399,14 +4452,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bankas Overdraftas paskyra
 DocType: Patient,Patient ID,Paciento ID
 DocType: Practitioner Schedule,Schedule Name,Tvarkaraščio pavadinimas
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pardavimų vamzdynas pagal sceną
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Padaryti darbo užmokestį
 DocType: Currency Exchange,For Buying,Pirkimas
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Pridėti visus tiekėjus
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Pridėti visus tiekėjus
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Eilutė # {0}: Paskirstytas suma gali būti ne didesnis nei likutinę sumą.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Žmonės BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,užtikrintos paskolos
 DocType: Purchase Invoice,Edit Posting Date and Time,Redaguoti Siunčiamos data ir laikas
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Prašome nustatyti Nusidėvėjimas susijusias sąskaitas Turto kategorija {0} ar kompanija {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Prašome nustatyti Nusidėvėjimas susijusias sąskaitas Turto kategorija {0} ar kompanija {1}
 DocType: Lab Test Groups,Normal Range,Normalus diapazonas
 DocType: Academic Term,Academic Year,Akademiniai metai
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Galima parduoti
@@ -4435,26 +4489,26 @@
 DocType: Patient Appointment,Patient Appointment,Paciento paskyrimas
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Patvirtinimo vaidmuo gali būti ne tas pats kaip vaidmens taisyklė yra taikoma
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Atsisakyti Šis el.pašto Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Gaukite tiekėjų
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Gaukite tiekėjų
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nerasta {1} elementui
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Eikite į kursus
 DocType: Accounts Settings,Show Inclusive Tax In Print,Rodyti inkliuzinį mokestį spausdinant
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",Banko sąskaita nuo datos iki datos yra privaloma
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Žinutė išsiųsta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Sąskaita su vaikų mazgų negali būti nustatyti kaip knygoje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Sąskaita su vaikų mazgų negali būti nustatyti kaip knygoje
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Norma, pagal kurią Kainoraštis valiuta konvertuojama į kliento bazine valiuta"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Grynasis kiekis (Įmonės valiuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Bendra avanso suma negali būti didesnė už visą sankcionuotą sumą
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Bendra avanso suma negali būti didesnė už visą sankcionuotą sumą
 DocType: Salary Slip,Hour Rate,Valandinis įkainis
 DocType: Stock Settings,Item Naming By,Prekė Pavadinimų Iki
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Kitas Laikotarpis uždarymas Įėjimas {0} buvo padaryta po {1}
 DocType: Work Order,Material Transferred for Manufacturing,"Medžiagos, perduotos gamybos"
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Sąskaita {0} neegzistuoja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Pasirinkite lojalumo programą
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Pasirinkite lojalumo programą
 DocType: Project,Project Type,projekto tipas
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Ši užduotis yra vaiko užduotis. Negalite ištrinti šios užduotys.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Bet tikslas Kiekis arba planuojama suma yra privalomas.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Bet tikslas Kiekis arba planuojama suma yra privalomas.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Išlaidos įvairiose veiklos
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nustatymas įvykių {0}, nes pridedamas prie žemiau pardavėjai darbuotojas neturi naudotojo ID {1}"
 DocType: Timesheet,Billing Details,Atsiskaitymo informacija
@@ -4512,13 +4566,13 @@
 DocType: Inpatient Record,A Negative,Neigiamas
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nieko daugiau parodyti.
 DocType: Lead,From Customer,nuo Klientui
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ragina
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,ragina
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Produktas
 DocType: Employee Tax Exemption Declaration,Declarations,Deklaracijos
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,partijos
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Padaryti mokestį
 DocType: Purchase Order Item Supplied,Stock UOM,akcijų UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Pirkimui užsakyti {0} nebus pateiktas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Pirkimui užsakyti {0} nebus pateiktas
 DocType: Account,Expenses Included In Asset Valuation,Į turto vertę įtrauktos sąnaudos
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Suaugusioji normali referencinė diapazona yra 16-20 kvėpavimo takų per minutę (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tarifas Taškų
@@ -4531,6 +4585,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Pirmiausia išsaugokite pacientą
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Žiūrovų buvo pažymėta sėkmingai.
 DocType: Program Enrollment,Public Transport,Viešasis transportas
+DocType: Delivery Note,GST Vehicle Type,GST automobilio tipas
 DocType: Soil Texture,Silt Composition (%),Stiklo sudėtis (%)
 DocType: Journal Entry,Remark,pastaba
 DocType: Healthcare Settings,Avoid Confirmation,Venkite patvirtinimo
@@ -4540,11 +4595,10 @@
 DocType: Education Settings,Current Academic Term,Dabartinis akademinės terminas
 DocType: Education Settings,Current Academic Term,Dabartinis akademinės terminas
 DocType: Sales Order,Not Billed,ne Įvardintas
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Tiek Sandėlis turi priklausyti pati bendrovė
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Tiek Sandėlis turi priklausyti pati bendrovė
 DocType: Employee Grade,Default Leave Policy,Numatyta atostogų politika
 DocType: Shopify Settings,Shop URL,Parduotuvės URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,pridėjo dar neturi kontaktai.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nustatykite numeriravimo serijas lankytojams per sąranką&gt; numeravimo serija
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Nusileido kaina kupono suma
 ,Item Balance (Simple),Prekės balansas (paprastas)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Vekseliai iškelti tiekėjų.
@@ -4569,7 +4623,7 @@
 DocType: Shopping Cart Settings,Quotation Series,citata serija
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Elementas egzistuoja to paties pavadinimo ({0}), prašome pakeisti elementą grupės pavadinimą ar pervardyti elementą"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Dirvožemio analizės kriterijai
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Prašome pasirinkti klientui
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Prašome pasirinkti klientui
 DocType: C-Form,I,aš
 DocType: Company,Asset Depreciation Cost Center,Turto nusidėvėjimo išlaidos centras
 DocType: Production Plan Sales Order,Sales Order Date,Pardavimų užsakymų data
@@ -4582,8 +4636,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Šiuo metu nėra nei viename sandėlyje.
 ,Payment Period Based On Invoice Date,Mokėjimo periodas remiantis sąskaitos faktūros išrašymo data
 DocType: Sample Collection,No. of print,Spaudos numeris
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Gimtadienio priminimas
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Viešbučio kambario rezervavimo punktas
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Trūksta Valiutų kursai už {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Trūksta Valiutų kursai už {0}
 DocType: Employee Health Insurance,Health Insurance Name,Sveikatos draudimo pavadinimas
 DocType: Assessment Plan,Examiner,egzaminuotojas
 DocType: Student,Siblings,broliai ir seserys
@@ -4600,19 +4655,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nauji klientai
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bendrasis pelnas %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Paskyrimas {0} ir pardavimo sąskaita {1} atšaukti
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Švino šaltinio galimybės
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Keisti POS profilį
 DocType: Bank Reconciliation Detail,Clearance Date,Sąskaitų data
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Turtas jau egzistuoja prieš elementą {0}, jūs negalite pakeisti, turi serijos Nr vertės"
+DocType: Delivery Settings,Dispatch Notification Template,Išsiuntimo pranešimo šablonas
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Turtas jau egzistuoja prieš elementą {0}, jūs negalite pakeisti, turi serijos Nr vertės"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Vertinimo ataskaita
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Gaukite darbuotojų
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Pilna Pirkimo suma yra privalomi
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Įmonės pavadinimas nėra tas pats
 DocType: Lead,Address Desc,Adresas desc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Šalis yra privalomi
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Rastos su dviem egzemplioriais nurodytų datų kitose eilutėse buvo rasta: {list}
 DocType: Topic,Topic Name,Temos pavadinimas
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Prašome nustatyti numatytąjį šabloną, skirtą palikti patvirtinimo pranešimą HR nuostatuose."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Prašome nustatyti numatytąjį šabloną, skirtą palikti patvirtinimo pranešimą HR nuostatuose."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,"Atleast vienas, pardavimas arba pirkimas turi būti parenkamas"
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Pasirinkite darbuotoją, kad darbuotojas gautų anksčiau."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Pasirinkite teisingą datą
@@ -4646,6 +4702,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Klientas ar tiekėjas detalės
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Dabartinė turto vert ÷
+DocType: QuickBooks Migrator,Quickbooks Company ID,&quot;Quickbooks&quot; įmonės ID
 DocType: Travel Request,Travel Funding,Kelionių finansavimas
 DocType: Loan Application,Required by Date,Reikalauja data
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Nuoroda į visas vietas, kuriose auga augalas"
@@ -4659,9 +4716,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Turimas Serija Kiekis ne iš sandėlio
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pilna darbo užmokestis - Iš viso išskaičiavimas - Paskolų grąžinimas
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Dabartinis BOM ir Naujoji BOM negali būti tas pats
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Dabartinis BOM ir Naujoji BOM negali būti tas pats
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Pajamos Kuponas ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Data nuo išėjimo į pensiją turi būti didesnis nei įstoti data
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Data nuo išėjimo į pensiją turi būti didesnis nei įstoti data
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Keli variantai
 DocType: Sales Invoice,Against Income Account,Prieš pajamų sąskaita
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Pristatyta
@@ -4690,7 +4747,7 @@
 DocType: POS Profile,Update Stock,Atnaujinti sandėlyje
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Įvairūs UOM daiktų bus neteisinga (iš viso) Grynasis svoris vertės. Įsitikinkite, kad grynasis svoris kiekvieno elemento yra toje pačioje UOM."
 DocType: Certification Application,Payment Details,Mokėjimo detalės
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Balsuok
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Balsuok
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Sustabdyto darbo užsakymas negali būti atšauktas. Išjunkite jį iš pradžių, kad atšauktumėte"
 DocType: Asset,Journal Entry for Scrap,Žurnalo įrašą laužo
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Prašome traukti elementus iš važtaraštyje
@@ -4713,11 +4770,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Iš viso sankcijos suma
 ,Purchase Analytics,pirkimo Analytics &quot;
 DocType: Sales Invoice Item,Delivery Note Item,Važtaraštis punktas
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Trūksta dabartinės sąskaitos {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Trūksta dabartinės sąskaitos {0}
 DocType: Asset Maintenance Log,Task,užduotis
 DocType: Purchase Taxes and Charges,Reference Row #,Nuoroda eilutė #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Partijos numeris yra privalomas punktas {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Tai yra šaknų pardavimo asmuo ir negali būti pakeisti.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Tai yra šaknų pardavimo asmuo ir negali būti pakeisti.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jei pasirinkta, nenurodyti arba apskaičiuojama šio komponento vertė nebus prisidedama prie savo uždarbio ar atskaitymų. Tačiau, tai vertė gali būti nurodoma kitų komponentų, kurie gali būti pridedamos arba atimamos."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jei pasirinkta, nenurodyti arba apskaičiuojama šio komponento vertė nebus prisidedama prie savo uždarbio ar atskaitymų. Tačiau, tai vertė gali būti nurodoma kitų komponentų, kurie gali būti pridedamos arba atimamos."
 DocType: Asset Settings,Number of Days in Fiscal Year,Dienų skaičius fiskaliniais metais
@@ -4726,7 +4783,7 @@
 DocType: Company,Exchange Gain / Loss Account,Valiutų Pelnas / nuostolis paskyra
 DocType: Amazon MWS Settings,MWS Credentials,MWS įgaliojimai
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Darbuotojų ir lankymas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Tikslas turi būti vienas iš {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Tikslas turi būti vienas iš {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Užpildykite formą ir išsaugokite jį
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Bendruomenė Forumas
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Tikrasis Kiekis sandėlyje
@@ -4742,7 +4799,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standartinė pardavimo kursą
 DocType: Account,Rate at which this tax is applied,"Norma, kuri yra taikoma ši mokesčių"
 DocType: Cash Flow Mapper,Section Name,Skyriaus pavadinimas
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Pertvarkyti Kiekis
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Pertvarkyti Kiekis
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Nusidėvėjimo eilutė {0}: numatoma vertė po naudingo tarnavimo laiko turi būti didesnė arba lygi {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Dabartinis darbas Angos
 DocType: Company,Stock Adjustment Account,Vertybinių popierių reguliavimas paskyra
@@ -4752,8 +4809,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistemos vartotojas (Prisijunk) adresas. Jei nustatyta, ji taps nutylėjimą visiems HR formas."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Įveskite nusidėvėjimo duomenis
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Nuo {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Palikite paraišką {0} jau prieš studentą {1}
 DocType: Task,depends_on,priklauso nuo
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kviečiame atnaujinti naujausią kainą visame medžiagų sąraše. Tai gali užtrukti kelias minutes.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kviečiame atnaujinti naujausią kainą visame medžiagų sąraše. Tai gali užtrukti kelias minutes.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Pavadinimas naują paskyrą. Pastaba: nekurkite sąskaitas klientai ir tiekėjai
 DocType: POS Profile,Display Items In Stock,Rodyti daiktus sandėlyje
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Šalis protinga numatytasis adresas Šablonai
@@ -4783,16 +4841,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Lizdai ({0}) nėra pridėti prie tvarkaraščio
 DocType: Product Bundle,List items that form the package.,"Sąrašas daiktų, kurie sudaro paketą."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Neleistina. Prašome išjungti testo šabloną
+DocType: Delivery Note,Distance (in km),Atstumas (km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Procentas paskirstymas turi būti lygus 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Prašome pasirinkti Skelbimo data prieš pasirinkdami Šaliai
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Prašome pasirinkti Skelbimo data prieš pasirinkdami Šaliai
 DocType: Program Enrollment,School House,Mokykla Namas
 DocType: Serial No,Out of AMC,Iš AMC
+DocType: Opportunity,Opportunity Amount,Galimybių suma
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Taškų nuvertinimai REZERVUOTA negali būti didesnis nei bendras skaičius nuvertinimai
 DocType: Purchase Order,Order Confirmation Date,Užsakymo patvirtinimo data
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Padaryti Priežiūros vizitas
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Pradžios data ir pabaigos data sutampa su darbo dokumentu <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Darbuotojų pervedimo detalės
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Prašome susisiekti su vartotojo, kuris turi pardavimo magistras Manager {0} vaidmenį"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Prašome susisiekti su vartotojo, kuris turi pardavimo magistras Manager {0} vaidmenį"
 DocType: Company,Default Cash Account,Numatytasis pinigų sąskaitos
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Įmonės (ne klientas ar tiekėjas) meistras.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,"Tai yra, remiantis šio mokinių lankomumą"
@@ -4800,9 +4861,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Pridėti daugiau elementų arba atidaryti visą formą
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Pristatymo Pastabos {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Eikite į &quot;Vartotojai&quot;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Mokama suma + nurašyti suma negali būti didesnė nei IŠ VISO
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Mokama suma + nurašyti suma negali būti didesnė nei IŠ VISO
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} yra neteisingas SERIJOS NUMERIS už prekę {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Pastaba: Nėra pakankamai atostogos balansas Palikti tipas {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Pastaba: Nėra pakankamai atostogos balansas Palikti tipas {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Neteisingas GSTIN ar Įveskite NA neregistruotas
 DocType: Training Event,Seminar,seminaras
 DocType: Program Enrollment Fee,Program Enrollment Fee,Programos Dalyvio mokestis
@@ -4819,7 +4880,7 @@
 DocType: Fee Schedule,Fee Schedule,mokestis Tvarkaraštis
 DocType: Company,Create Chart Of Accounts Based On,Sukurti sąskaitų planą remiantis
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Negalima konvertuoti į ne grupę. Vaikų užduotys egzistuoja.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Gimimo data negali būti didesnis nei dabar.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Gimimo data negali būti didesnis nei dabar.
 ,Stock Ageing,akcijų senėjimas
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Dalinai finansuojami, reikalauja dalinio finansavimo"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Studentų {0} egzistuoja nuo studento pareiškėjo {1}
@@ -4866,11 +4927,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,prieš susitaikymo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Norėdami {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Mokesčiai ir rinkliavos Pridėta (Įmonės valiuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Prekė Mokesčių eilutė {0} turi atsižvelgti tipo mokesčio ar pajamų ar sąnaudų arba Apmokestinimo
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Prekė Mokesčių eilutė {0} turi atsižvelgti tipo mokesčio ar pajamų ar sąnaudų arba Apmokestinimo
 DocType: Sales Order,Partly Billed,dalinai Įvardintas
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Prekė {0} turi būti ilgalaikio turto
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Padaryti variantus
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Padaryti variantus
 DocType: Item,Default BOM,numatytasis BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Visa išleista suma (per pardavimo sąskaitas faktūras)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debeto Pastaba suma
@@ -4899,14 +4960,14 @@
 DocType: Notification Control,Custom Message,Pasirinktinis pranešimas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investicinės bankininkystės
 DocType: Purchase Invoice,input,įvestis
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Pinigais arba banko sąskaitos yra privalomas priimant mokėjimo įrašą
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Pinigais arba banko sąskaitos yra privalomas priimant mokėjimo įrašą
 DocType: Loyalty Program,Multiple Tier Program,Kelių pakopų programa
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentų Adresas
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentų Adresas
 DocType: Purchase Invoice,Price List Exchange Rate,Kainų sąrašas Valiutų kursai
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Visos tiekėjų grupės
 DocType: Employee Boarding Activity,Required for Employee Creation,Reikalingas darbuotojo kūrimui
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},"Sąskaitos numeris {0}, jau naudojamas paskyroje {1}"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},"Sąskaitos numeris {0}, jau naudojamas paskyroje {1}"
 DocType: GoCardless Mandate,Mandate,Mandatas
 DocType: POS Profile,POS Profile Name,POS profilio vardas
 DocType: Hotel Room Reservation,Booked,Rezervuota
@@ -4922,18 +4983,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Nuorodos Nr yra privaloma, jei įvedėte Atskaitos data"
 DocType: Bank Reconciliation Detail,Payment Document,mokėjimo dokumentą
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Klaida įvertinant kriterijų formulę
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Stojant data turi būti didesnis nei gimimo data
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Stojant data turi būti didesnis nei gimimo data
 DocType: Subscription,Plans,Planai
 DocType: Salary Slip,Salary Structure,Pajamos struktūra
 DocType: Account,Bank,Bankas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Aviakompanija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,klausimas Medžiaga
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,klausimas Medžiaga
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Susisiekite Shopify su ERPNext
 DocType: Material Request Item,For Warehouse,Sandėliavimo
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Pristatymo pastabos {0} atnaujintos
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Pristatymo pastabos {0} atnaujintos
 DocType: Employee,Offer Date,Pasiūlymo data
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,citatos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Jūs esate neprisijungę. Jūs negalite įkelti, kol turite tinklą."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,citatos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Jūs esate neprisijungę. Jūs negalite įkelti, kol turite tinklą."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Nėra Studentų grupės sukurta.
 DocType: Purchase Invoice Item,Serial No,Serijos Nr
@@ -4945,24 +5006,26 @@
 DocType: Sales Invoice,Customer PO Details,Kliento PO duomenys
 DocType: Stock Entry,Including items for sub assemblies,Įskaitant daiktų sub asamblėjose
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Laikina atidarymo sąskaita
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Įveskite vertė turi būti teigiamas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Įveskite vertė turi būti teigiamas
 DocType: Asset,Finance Books,Finansų knygos
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Darbuotojų atleidimo nuo mokesčio deklaracijos kategorija
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,visos teritorijos
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Nustatykite darbuotojų atostogų politiką {0} Darbuotojų / Įvertinimo įraše
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Neteisingas užpildo užsakymas pasirinktam klientui ir elementui
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Neteisingas užpildo užsakymas pasirinktam klientui ir elementui
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Pridėti kelis uždavinius
 DocType: Purchase Invoice,Items,Daiktai
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Pabaigos data negali būti prieš pradžios datą.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Studentų jau mokosi.
 DocType: Fiscal Year,Year Name,metai Vardas
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Yra daugiau švenčių nei darbo dienas šį mėnesį.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Nuoroda
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Yra daugiau švenčių nei darbo dienas šį mėnesį.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Šie elementai {0} nėra pažymėti {1} elementu. Galite įgalinti juos kaip {1} elementą iš jo &quot;Item master&quot;
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Nuoroda
 DocType: Production Plan Item,Product Bundle Item,Prekės Rinkinys punktas
 DocType: Sales Partner,Sales Partner Name,Partneriai pardavimo Vardas
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Prašymas citatos
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Prašymas citatos
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalus Sąskaitos faktūros suma
 DocType: Normal Test Items,Normal Test Items,Normalūs testo elementai
+DocType: QuickBooks Migrator,Company Settings,Bendrovės nustatymai
 DocType: Additional Salary,Overwrite Salary Structure Amount,Perrašyti darbo užmokesčio struktūros sumą
 DocType: Student Language,Student Language,Studentų kalba
 apps/erpnext/erpnext/config/selling.py +23,Customers,klientai
@@ -4975,22 +5038,24 @@
 DocType: Issue,Opening Time,atidarymo laikas
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,"Iš ir į datas, reikalingų"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Vertybinių popierių ir prekių biržose
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Numatytasis vienetas priemonė variantas &quot;{0}&quot; turi būti toks pat, kaip Šablonas &quot;{1}&quot;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Numatytasis vienetas priemonė variantas &quot;{0}&quot; turi būti toks pat, kaip Šablonas &quot;{1}&quot;"
 DocType: Shipping Rule,Calculate Based On,Apskaičiuoti remiantis
 DocType: Contract,Unfulfilled,Nepakankamai
 DocType: Delivery Note Item,From Warehouse,iš sandėlio
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Nė vienas iš minėtų kriterijų darbuotojų nėra
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,"Neturite prekių su Bill iš medžiagų, Gamyba"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,"Neturite prekių su Bill iš medžiagų, Gamyba"
 DocType: Shopify Settings,Default Customer,Numatytasis klientas
+DocType: Sales Stage,Stage Name,Sceninis vardas
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,priežiūros Vardas
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Nenurodykite, ar paskyrimas sukurtas tą pačią dieną"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Laivas į valstybę
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Laivas į valstybę
 DocType: Program Enrollment Course,Program Enrollment Course,Programos Priėmimas kursai
 DocType: Program Enrollment Course,Program Enrollment Course,Programos Priėmimas kursai
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Naudotojas {0} jau yra priskirtas sveikatos priežiūros specialistui {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Atlikite mėginių laikymo atsargų įrašą
 DocType: Purchase Taxes and Charges,Valuation and Total,Vertinimas ir viso
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Derybos / apžvalga
 DocType: Leave Encashment,Encashment Amount,Inkassacinė suma
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Rezultatų kortelės
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Pasibaigę partijos
@@ -5000,7 +5065,7 @@
 DocType: Staffing Plan Detail,Current Openings,Dabartinės atidarymo vietos
 DocType: Notification Control,Customize the Notification,Tinkinti Pranešimas
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Pinigų srautai iš operacijų
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST suma
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST suma
 DocType: Purchase Invoice,Shipping Rule,Pristatymas taisyklė
 DocType: Patient Relation,Spouse,Sutuoktinis
 DocType: Lab Test Groups,Add Test,Pridėti testą
@@ -5014,14 +5079,14 @@
 DocType: Payroll Entry,Payroll Frequency,Darbo užmokesčio Dažnio
 DocType: Lab Test Template,Sensitivity,Jautrumas
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Sinchronizavimas buvo laikinai išjungtas, nes maksimalūs bandymai buvo viršyti"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,žaliava
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,žaliava
 DocType: Leave Application,Follow via Email,Sekite elektroniniu paštu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Augalai ir išstumti
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,"Mokesčių suma, nuolaidos suma"
 DocType: Patient,Inpatient Status,Stacionarus būklė
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dienos darbo santrauka Nustatymai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Pasirinktame kainoraštyje turėtų būti patikrinti pirkimo ir pardavimo laukai.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Prašome įvesti reqd pagal datą
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Pasirinktame kainoraštyje turėtų būti patikrinti pirkimo ir pardavimo laukai.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Prašome įvesti reqd pagal datą
 DocType: Payment Entry,Internal Transfer,vidaus perkėlimo
 DocType: Asset Maintenance,Maintenance Tasks,Techninės priežiūros užduotys
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Bet tikslas Kiekis arba planuojama suma yra privalomi
@@ -5043,7 +5108,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Paskutinis Bendravimas
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Paskutinis Bendravimas
 ,TDS Payable Monthly,TDS mokamas kas mėnesį
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Buvo pakeista eilės tvarka. Tai gali užtrukti kelias minutes.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Buvo pakeista eilės tvarka. Tai gali užtrukti kelias minutes.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Negali atskaityti, kai kategorija skirta &quot;Vertinimo&quot; arba &quot;vertinimo ir viso&quot;"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Eilės Nr Reikalinga už Serijinis punkte {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Rungtynių Mokėjimai sąskaitų faktūrų
@@ -5056,7 +5121,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Į krepšelį
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Grupuoti pagal
 DocType: Guardian,Interests,Pomėgiai
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Įjungti / išjungti valiutas.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Įjungti / išjungti valiutas.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nepavyko pateikti kai kurių atlyginimų užmokesčių
 DocType: Exchange Rate Revaluation,Get Entries,Gauti užrašus
 DocType: Production Plan,Get Material Request,Gauk Material užklausa
@@ -5078,15 +5143,16 @@
 DocType: Lead,Lead Type,Švinas tipas
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Jūs nesate įgaliotas tvirtinti lapus Block Datos
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Visi šie elementai jau buvo sąskaitoje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Nustatyti naują išleidimo datą
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Nustatyti naują išleidimo datą
 DocType: Company,Monthly Sales Target,Mėnesio pardavimo tikslai
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Gali būti patvirtintas {0}
 DocType: Hotel Room,Hotel Room Type,Viešbučio kambario tipas
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Tiekėjas&gt; Tiekėjo tipas
 DocType: Leave Allocation,Leave Period,Palikti laikotarpį
 DocType: Item,Default Material Request Type,Numatytasis Medžiaga Prašymas tipas
 DocType: Supplier Scorecard,Evaluation Period,Vertinimo laikotarpis
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,nežinomas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Darbo užsakymas nerastas
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Darbo užsakymas nerastas
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{0} suma, kurią jau reikalaujama dėl komponento {1}, \ nustatyti sumą, lygią arba didesnę nei {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Pristatymas taisyklė sąlygos
@@ -5121,15 +5187,15 @@
 DocType: Batch,Source Document Name,Šaltinis Dokumento pavadinimas
 DocType: Production Plan,Get Raw Materials For Production,Gauk žaliavą gamybai
 DocType: Job Opening,Job Title,Darbo pavadinimas
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} rodo, kad {1} nepateiks citatos, bet visi daiktai \ &quot;buvo cituoti. RFQ citatos statuso atnaujinimas."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Didžiausi mėginiai - {0} jau buvo išsaugoti paketui {1} ir elementui {2} partijoje {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Didžiausi mėginiai - {0} jau buvo išsaugoti paketui {1} ir elementui {2} partijoje {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Atnaujinti BOM kainą automatiškai
 DocType: Lab Test,Test Name,Testo pavadinimas
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinikinio proceso elementas
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Sukurti Vartotojai
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,gramas
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Prenumeratos
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Prenumeratos
 DocType: Supplier Scorecard,Per Month,Per mėnesį
 DocType: Education Settings,Make Academic Term Mandatory,Padaryti akademinį terminą privaloma
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,"Kiekis, Gamyba turi būti didesnis nei 0."
@@ -5138,10 +5204,10 @@
 DocType: Stock Entry,Update Rate and Availability,Atnaujinti Įvertinti ir prieinamumas
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procentas jums leidžiama gauti arba pristatyti daugiau prieš užsakyto kiekio. Pavyzdžiui: Jei užsisakėte 100 vienetų. ir jūsų pašalpa yra 10%, tada jums yra leidžiama gauti 110 vienetų."
 DocType: Loyalty Program,Customer Group,Klientų grupė
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Eilutė # {0}: operacija {1} neužpildyta už {2} gatavų prekių kiekį darbo užsakyme Nr. {3}. Atnaujinkite operacijos būseną per laiko žurnalus
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Eilutė # {0}: operacija {1} neužpildyta už {2} gatavų prekių kiekį darbo užsakyme Nr. {3}. Atnaujinkite operacijos būseną per laiko žurnalus
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nauja Serija kodas (neprivaloma)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nauja Serija kodas (neprivaloma)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Kompensuojamos sąskaitos yra privalomas už prekę {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Kompensuojamos sąskaitos yra privalomas už prekę {0}
 DocType: BOM,Website Description,Interneto svetainė Aprašymas
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Grynasis pokytis nuosavo kapitalo
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Prašome anuliuoti sąskaitą-faktūrą {0} pirmas
@@ -5156,7 +5222,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Nėra nieko keisti.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Formos peržiūra
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Išlaidų patvirtinimo priemonė privaloma išlaidų deklaracijoje
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Santrauka šį mėnesį ir laukiant veikla
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Santrauka šį mėnesį ir laukiant veikla
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Nustatykite nerealizuotą vertybinių popierių biržos pelno / nuostolių sąskaitą bendrovei {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Pridėkite naudotojų prie savo organizacijos, išskyrus save."
 DocType: Customer Group,Customer Group Name,Klientų Grupės pavadinimas
@@ -5166,14 +5232,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Nepateiktas jokių svarbių užklausų
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Paskolos suma negali viršyti maksimalios paskolos sumos iš {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licencija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Prašome pašalinti šioje sąskaitoje faktūroje {0} iš C formos {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Prašome pašalinti šioje sąskaitoje faktūroje {0} iš C formos {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prašome pasirinkti perkelti skirtumą, jei taip pat norite įtraukti praėjusius finansinius metus balanso palieka šią fiskalinių metų"
 DocType: GL Entry,Against Voucher Type,Prieš čekių tipas
 DocType: Healthcare Practitioner,Phone (R),Telefonas (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Laiko laiko intervalai pridedami
 DocType: Item,Attributes,atributai
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Įgalinti šabloną
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Prašome įvesti nurašyti paskyrą
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Prašome įvesti nurašyti paskyrą
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Paskutinė užsakymo data
 DocType: Salary Component,Is Payable,Yra mokama
 DocType: Inpatient Record,B Negative,B neigiamas
@@ -5184,7 +5250,7 @@
 DocType: Hotel Room,Hotel Room,Viešbučio kambarys
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Sąskaita {0} nėra siejamas su kompanijos {1}
 DocType: Leave Type,Rounding,Apvalinimas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Serijiniai numeriai {0} eilės nesutampa su Važtaraštis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Serijiniai numeriai {0} eilės nesutampa su Važtaraštis
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Išparduota suma (iš anksto įvertinta)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Tada kainos nustatymo taisyklės yra išfiltruojamos pagal kliento, klientų grupės, teritorijos, tiekėjo, tiekėjų grupės, kampanijos, pardavimų partnerio ir tt"
 DocType: Student,Guardian Details,&quot;guardian&quot; informacija
@@ -5193,10 +5259,10 @@
 DocType: Vehicle,Chassis No,Važiuoklės Nėra
 DocType: Payment Request,Initiated,inicijuotas
 DocType: Production Plan Item,Planned Start Date,Planuojama pradžios data
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Pasirinkite BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Pasirinkite BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Pasinaudojo ITC integruotu mokesčiu
 DocType: Purchase Order Item,Blanket Order Rate,Antklodžių užsakymų norma
-apps/erpnext/erpnext/hooks.py +156,Certification,Sertifikavimas
+apps/erpnext/erpnext/hooks.py +157,Certification,Sertifikavimas
 DocType: Bank Guarantee,Clauses and Conditions,Taisyklės ir sąlygos
 DocType: Serial No,Creation Document Type,Kūrimas Dokumento tipas
 DocType: Project Task,View Timesheet,Žiūrėti laiko juostą
@@ -5221,6 +5287,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Tėvų {0} Prekė turi būti ne riedmenys
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Svetainių sąrašas
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Visi produktus ar paslaugas.
+DocType: Email Digest,Open Quotations,Atidaryti citatos
 DocType: Expense Claim,More Details,Daugiau informacijos
 DocType: Supplier Quotation,Supplier Address,tiekėjas Adresas
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} biudžetas paskyra {1} prieš {2} {3} yra {4}. Jis bus viršyti {5}
@@ -5235,12 +5302,11 @@
 DocType: Training Event,Exam,Egzaminas
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Prekybos vietos klaida
 DocType: Complaint,Complaint,Skundas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Sandėlių reikalingas akcijų punkte {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Sandėlių reikalingas akcijų punkte {0}
 DocType: Leave Allocation,Unused leaves,nepanaudoti lapai
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Atlikti grąžinimo įmoką
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Visi departamentai
 DocType: Healthcare Service Unit,Vacant,Laisva
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Tiekėjas&gt; Tiekėjo tipas
 DocType: Patient,Alcohol Past Use,Alkoholio praeities vartojimas
 DocType: Fertilizer Content,Fertilizer Content,Trąšų turinys
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,kr
@@ -5248,7 +5314,7 @@
 DocType: Tax Rule,Billing State,atsiskaitymo valstybė
 DocType: Share Transfer,Transfer,perkėlimas
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Darbo užsakymas {0} turi būti atšauktas prieš atšaukiant šį pardavimo užsakymą
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Paduok sprogo BOM (įskaitant mazgus)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Paduok sprogo BOM (įskaitant mazgus)
 DocType: Authorization Rule,Applicable To (Employee),Taikoma (Darbuotojų)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Terminas yra privalomi
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Taškinis atributas {0} negali būti 0
@@ -5264,7 +5330,7 @@
 DocType: Disease,Treatment Period,Gydymo laikotarpis
 DocType: Travel Itinerary,Travel Itinerary,Kelionės maršrutas
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Rezultatas jau pateiktas
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervuota sandėlis yra privalomas prekėms {0} pristatytose žaliavose
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervuota sandėlis yra privalomas prekėms {0} pristatytose žaliavose
 ,Inactive Customers,neaktyvūs Klientai
 DocType: Student Admission Program,Maximum Age,Didžiausias amžius
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,"Prašome palaukti 3 dienas, kol vėl persiųsite priminimą."
@@ -5273,7 +5339,6 @@
 DocType: Stock Entry,Delivery Note No,Važtaraštis Nėra
 DocType: Cheque Print Template,Message to show,Žinutė rodoma
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Mažmeninė
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Tvarkyti paskyrimo sąskaitą automatiškai
 DocType: Student Attendance,Absent,Nėra
 DocType: Staffing Plan,Staffing Plan Detail,Personalo plano detalės
 DocType: Employee Promotion,Promotion Date,Reklamos data
@@ -5295,7 +5360,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Padaryti Švinas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Spausdinti Kanceliarinės
 DocType: Stock Settings,Show Barcode Field,Rodyti Brūkšninis kodas laukas
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Siųsti Tiekėjo laiškus
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Siųsti Tiekėjo laiškus
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Pajamos jau tvarkomi laikotarpį tarp {0} ir {1}, palikite taikymo laikotarpį negali būti tarp šios datos intervalą."
 DocType: Fiscal Year,Auto Created,Sukurta automatiškai
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Pateikite šį, kad sukurtumėte Darbuotojo įrašą"
@@ -5304,7 +5369,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Sąskaita {0} nebėra
 DocType: Guardian Interest,Guardian Interest,globėjas Palūkanos
 DocType: Volunteer,Availability,Prieinamumas
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Nustatykite POS sąskaitų faktūrų numatytasis vertes
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Nustatykite POS sąskaitų faktūrų numatytasis vertes
 apps/erpnext/erpnext/config/hr.py +248,Training,mokymas
 DocType: Project,Time to send,Laikas siųsti
 DocType: Timesheet,Employee Detail,Darbuotojų detalės
@@ -5328,7 +5393,7 @@
 DocType: Training Event Employee,Optional,Neprivaloma
 DocType: Salary Slip,Earning & Deduction,Pelningiausi &amp; išskaičiavimas
 DocType: Agriculture Analysis Criteria,Water Analysis,Vandens analizė
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Sukurta {0} variantų.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Sukurta {0} variantų.
 DocType: Amazon MWS Settings,Region,regionas
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Neprivaloma. Šis nustatymas bus naudojami filtruoti įvairiais sandoriais.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Neigiamas vertinimas Balsuok neleidžiama
@@ -5347,7 +5412,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Išlaidos metalo laužą turto
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kaina centras yra privalomas punktas {2}
 DocType: Vehicle,Policy No,politikos Nėra
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Gauti prekes iš prekė Bundle
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Gauti prekes iš prekė Bundle
 DocType: Asset,Straight Line,Tiesi linija
 DocType: Project User,Project User,Projektų Vartotojas
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,skilimas
@@ -5356,7 +5421,7 @@
 DocType: GL Entry,Is Advance,Ar Išankstinis
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Darbuotojų gyvenimo ciklas
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Lankomumas Iš data ir lankomumo data yra privalomi
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Prašome įvesti &quot;subrangos sutartis&quot;, nes taip ar ne"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Prašome įvesti &quot;subrangos sutartis&quot;, nes taip ar ne"
 DocType: Item,Default Purchase Unit of Measure,Numatytasis pirkimo vienetas
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Paskutinis Bendravimas data
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Paskutinis Bendravimas data
@@ -5382,6 +5447,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nauja Serija Kiekis
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Drabužiai ir aksesuarai
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Nepavyko išspręsti svorio rezultatų funkcijos. Įsitikinkite, kad formulė galioja."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Pirkimo užsakymo elementai nėra laiku gauti
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Taškų ordino
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML / reklama, kuri parodys ant produkto sąrašo viršuje."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Nurodykite sąlygas apskaičiuoti siuntimo sumą
@@ -5390,9 +5456,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Kelias
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Negali konvertuoti Cost centrą knygoje, nes ji turi vaikų mazgai"
 DocType: Production Plan,Total Planned Qty,Bendras planuojamas kiekis
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,atidarymo kaina
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,atidarymo kaina
 DocType: Salary Component,Formula,formulė
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serijinis #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serijinis #
 DocType: Lab Test Template,Lab Test Template,Laboratorijos bandymo šablonas
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Pardavimų sąskaita
 DocType: Purchase Invoice Item,Total Weight,Bendras svoris
@@ -5410,7 +5476,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Padaryti Material užklausa
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Atviras punktas {0}
 DocType: Asset Finance Book,Written Down Value,Įrašyta vertė
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Prašome nustatyti darbuotojų pavadinimo sistemą žmogiškųjų išteklių&gt; HR nustatymai
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Pardavimų sąskaita faktūra {0} turi būti atšauktas iki atšaukti šį pardavimo užsakymų
 DocType: Clinical Procedure,Age,amžius
 DocType: Sales Invoice Timesheet,Billing Amount,atsiskaitymo suma
@@ -5419,11 +5484,11 @@
 DocType: Company,Default Employee Advance Account,Numatytasis darbuotojo išankstinis sąskaita
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Paieškos elementas (&quot;Ctrl&quot; + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Sąskaita su esamais sandoris negali būti išbrauktas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Sąskaita su esamais sandoris negali būti išbrauktas
 DocType: Vehicle,Last Carbon Check,Paskutinis Anglies Atvykimas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,teisinės išlaidos
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Prašome pasirinkti kiekį ant eilėje
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Atlikti pardavimo ir pirkimo sąskaitas faktūras
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Atlikti pardavimo ir pirkimo sąskaitas faktūras
 DocType: Purchase Invoice,Posting Time,Siunčiamos laikas
 DocType: Timesheet,% Amount Billed,% Suma Įvardintas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,telefono išlaidas
@@ -5438,14 +5503,14 @@
 DocType: Maintenance Visit,Breakdown,Palaužti
 DocType: Travel Itinerary,Vegetarian,Vegetaras
 DocType: Patient Encounter,Encounter Date,Susitikimo data
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Sąskaita: {0} su valiutos: {1} negalima pasirinkti
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Sąskaita: {0} su valiutos: {1} negalima pasirinkti
 DocType: Bank Statement Transaction Settings Item,Bank Data,Banko duomenys
 DocType: Purchase Receipt Item,Sample Quantity,Mėginio kiekis
 DocType: Bank Guarantee,Name of Beneficiary,Gavėjo vardas ir pavardė
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Atnaujinti BOM išlaidas automatiškai per planuotoją, remiantis naujausiu žaliavų įvertinimo / kainų sąrašo norma / paskutine pirkimo norma."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,čekis data
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Sąskaita {0}: Tėvų sąskaitą {1} nepriklauso įmonės: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Sąskaita {0}: Tėvų sąskaitą {1} nepriklauso įmonės: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,"Sėkmingai ištrinta visus sandorius, susijusius su šios bendrovės!"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Kaip ir data
 DocType: Additional Salary,HR,HR
@@ -5453,7 +5518,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Išeina pacientų SMS perspėjimai
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,išbandymas
 DocType: Program Enrollment Tool,New Academic Year,Nauja akademiniai metai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Prekių grąžinimas / Kredito Pastaba
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Prekių grąžinimas / Kredito Pastaba
 DocType: Stock Settings,Auto insert Price List rate if missing,"Automatinis įterpti Kainų sąrašas norma, jei trūksta"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Iš viso sumokėta suma
 DocType: GST Settings,B2C Limit,B2C riba
@@ -5471,10 +5536,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Vaiko mazgai gali būti kuriamos tik pagal &quot;grupė&quot; tipo mazgų
 DocType: Attendance Request,Half Day Date,Pusė dienos data
 DocType: Academic Year,Academic Year Name,Akademiniai metai Vardas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} neleidžiama prekiauti {1}. Prašome pakeisti įmonę.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} neleidžiama prekiauti {1}. Prašome pakeisti įmonę.
 DocType: Sales Partner,Contact Desc,Kontaktinė Aprašymo
 DocType: Email Digest,Send regular summary reports via Email.,Siųsti reguliarius suvestines ataskaitas elektroniniu paštu.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Prašome nustatyti numatytąją sąskaitą išlaidų teiginio tipas {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Prašome nustatyti numatytąją sąskaitą išlaidų teiginio tipas {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Galimos lapai
 DocType: Assessment Result,Student Name,Studento vardas
 DocType: Hub Tracked Item,Item Manager,Prekė direktorius
@@ -5499,9 +5564,10 @@
 DocType: Subscription,Trial Period End Date,Bandymo pabaigos data
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized nuo {0} viršija ribas
 DocType: Serial No,Asset Status,Turto statusas
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Virš matmenų krovinių (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restorano stalas
 DocType: Hotel Room,Hotel Manager,Viešbučių vadybininkas
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Nustatyti Mokesčių taisyklė krepšelį
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Nustatyti Mokesčių taisyklė krepšelį
 DocType: Purchase Invoice,Taxes and Charges Added,Mokesčiai ir rinkliavos Pridėta
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Nusidėvėjimo eilutė {0}: tolimesnė nusidėvėjimo data negali būti ankstesnė. Galima naudoti data
 ,Sales Funnel,pardavimų piltuvas
@@ -5517,10 +5583,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Visi klientų grupėms
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,sukauptas Mėnesio
 DocType: Attendance Request,On Duty,Vykdantis pareigas
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} yra privalomas. Gal Valiutų įrašas nėra sukurtas {1} ir {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} yra privalomas. Gal Valiutų įrašas nėra sukurtas {1} ir {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Personalo planas {0} jau egzistuoja paskyrimui {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Mokesčių šablonas yra privalomi.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Sąskaita {0}: Tėvų sąskaitą {1} neegzistuoja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Sąskaita {0}: Tėvų sąskaitą {1} neegzistuoja
 DocType: POS Closing Voucher,Period Start Date,Laikotarpio pradžios data
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Kainų sąrašas greitis (Įmonės valiuta)
 DocType: Products Settings,Products Settings,produktai Nustatymai
@@ -5540,7 +5606,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Šis veiksmas sustabdo atsiskaitymą ateityje. Ar tikrai norite atšaukti šią prenumeratą?
 DocType: Serial No,Distinct unit of an Item,Skirtingai vienetas elementą
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriterijos pavadinimas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Prašome nurodyti Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Prašome nurodyti Company
 DocType: Procedure Prescription,Procedure Created,Procedūra sukurta
 DocType: Pricing Rule,Buying,pirkimas
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Ligos ir trąšos
@@ -5557,43 +5623,44 @@
 DocType: Employee Onboarding,Job Offer,Darbo pasiūlymas
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,institutas santrumpa
 ,Item-wise Price List Rate,Prekė išmintingas Kainų sąrašas Balsuok
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,tiekėjas Citata
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,tiekėjas Citata
 DocType: Quotation,In Words will be visible once you save the Quotation.,"Žodžiais bus matomas, kai jūs išgelbėti citatos."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Kiekis ({0}) negali būti iš eilės frakcija {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Kiekis ({0}) negali būti iš eilės frakcija {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Kiekis ({0}) negali būti iš eilės frakcija {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Kiekis ({0}) negali būti iš eilės frakcija {1}
 DocType: Contract,Unsigned,Nepasirašyta
 DocType: Selling Settings,Each Transaction,Kiekvienas sandoris
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Brūkšninis kodas {0} jau naudojamas prekės {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Brūkšninis kodas {0} jau naudojamas prekės {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Taisyklės pridedant siuntimo išlaidas.
 DocType: Hotel Room,Extra Bed Capacity,Papildomos lovos talpa
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,atidarymo sandėlyje
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klientas turi
 DocType: Lab Test,Result Date,Rezultato data
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC data
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC data
 DocType: Purchase Order,To Receive,Gauti
 DocType: Leave Period,Holiday List for Optional Leave,Atostogų sąrašas pasirinktinai
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Turto savininkas
 DocType: Purchase Invoice,Reason For Putting On Hold,Prisilietimo priežastys
 DocType: Employee,Personal Email,Asmeniniai paštas
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Iš viso Dispersija
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Iš viso Dispersija
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jei įjungta, sistema bus po apskaitos įrašus inventoriaus automatiškai."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,tarpininkavimas
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Lankomumas už {0} darbuotojas jau yra pažymėtas šiai dienai
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Lankomumas už {0} darbuotojas jau yra pažymėtas šiai dienai
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",minutėmis Atnaujinta per &quot;Time Prisijungti&quot;
 DocType: Customer,From Lead,nuo švino
 DocType: Amazon MWS Settings,Synch Orders,Sinchronizuoti užsakymus
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Užsakymai išleido gamybai.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Pasirinkite fiskalinių metų ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,"POS profilis reikalaujama, kad POS įrašą"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,"POS profilis reikalaujama, kad POS įrašą"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Lojalumo taškai bus skaičiuojami iš panaudoto atlikto (per pardavimo sąskaitą) remiantis nurodytu surinkimo faktoriumi.
 DocType: Program Enrollment Tool,Enroll Students,stoti Studentai
 DocType: Company,HRA Settings,HRA nustatymai
 DocType: Employee Transfer,Transfer Date,Persiuntimo data
 DocType: Lab Test,Approved Date,Patvirtinta data
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standartinė Parduodami
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast vienas sandėlis yra privalomas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast vienas sandėlis yra privalomas
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigūruoti elemento laukus, pvz., UOM, elementų grupę, aprašymą ir valandų skaičių."
 DocType: Certification Application,Certification Status,Sertifikavimo būsena
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5613,6 +5680,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Atitinkančios sąskaitos faktūros
 DocType: Work Order,Required Items,Reikalingi daiktai
 DocType: Stock Ledger Entry,Stock Value Difference,Akcijų vertės skirtumas
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Lentelėje aukščiau &quot;{1}&quot; eilutė {0}: {1} {2} nėra
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Žmogiškasis išteklis
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Mokėjimo Susitaikymas Mokėjimo
 DocType: Disease,Treatment Task,Gydymo užduotis
@@ -5630,7 +5698,8 @@
 DocType: Account,Debit,debetas
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Lapai turi būti skiriama kartotinus 0,5"
 DocType: Work Order,Operation Cost,operacijos išlaidas
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,neįvykdyti Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Sprendimų priėmėjų nustatymas
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,neįvykdyti Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nustatyti tikslai punktas grupė-protingas šiam Pardavimų asmeniui.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Atsargos senesnis nei [diena]
 DocType: Payment Request,Payment Ordered,Mokėjimas užsakytas
@@ -5642,14 +5711,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Leiskite šie vartotojai patvirtinti Leave Paraiškos bendrosios dienų.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Gyvenimo ciklas
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Padaryti BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pardavimo normą punkto {0} yra mažesnis nei {1}. Pardavimo kursas turėtų būti atleast {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pardavimo normą punkto {0} yra mažesnis nei {1}. Pardavimo kursas turėtų būti atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pardavimo normą punkto {0} yra mažesnis nei {1}. Pardavimo kursas turėtų būti atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pardavimo normą punkto {0} yra mažesnis nei {1}. Pardavimo kursas turėtų būti atleast {2}
 DocType: Subscription,Taxes,Mokesčiai
 DocType: Purchase Invoice,capital goods,kapitalo prekės
 DocType: Purchase Invoice Item,Weight Per Unit,Svoris vienetui
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Mokama ir nepareiškė
-DocType: Project,Default Cost Center,Numatytasis Kaina centras
-DocType: Delivery Note,Transporter Doc No,Transporterio Nr
+DocType: QuickBooks Migrator,Default Cost Center,Numatytasis Kaina centras
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Akcijų sandoriai
 DocType: Budget,Budget Accounts,Biudžetinėse sąskaitose
 DocType: Employee,Internal Work History,Vidaus darbo istoriją
@@ -5682,7 +5750,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Sveikatos priežiūros specialistas nėra {0}
 DocType: Stock Entry Detail,Additional Cost,Papildoma Kaina
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Negali filtruoti pagal lakšto, jei grupuojamas kuponą"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Padaryti Tiekėjo Citata
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Padaryti Tiekėjo Citata
 DocType: Quality Inspection,Incoming,įeinantis
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Sukuriami numatyti mokesčių šablonai pardavimui ir pirkimui.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Vertinimo rezultatų įrašas {0} jau egzistuoja.
@@ -5698,7 +5766,7 @@
 DocType: Batch,Batch ID,Serija ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Pastaba: {0}
 ,Delivery Note Trends,Važtaraštis tendencijos
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Šios savaitės suvestinė
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Šios savaitės suvestinė
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Sandėlyje Kiekis
 ,Daily Work Summary Replies,Dienos darbo santraukos atsakymai
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Apskaičiuokite numatytą atvykimo laiką
@@ -5708,7 +5776,7 @@
 DocType: Bank Account,Party,šalis
 DocType: Healthcare Settings,Patient Name,Paciento vardas
 DocType: Variant Field,Variant Field,Variantas laukas
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Tikslinė vieta
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Tikslinė vieta
 DocType: Sales Order,Delivery Date,Pristatymo data
 DocType: Opportunity,Opportunity Date,galimybė data
 DocType: Employee,Health Insurance Provider,Sveikatos draudimo paslaugų teikėjas
@@ -5727,7 +5795,7 @@
 DocType: Employee,History In Company,Istorija Company
 DocType: Customer,Customer Primary Address,Pirminis kliento adresas
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Naujienų prenumerata
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Nuoroda ne.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Nuoroda ne.
 DocType: Drug Prescription,Description/Strength,Aprašymas / stiprumas
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Sukurkite naują mokestį / žurnalo įrašą
 DocType: Certification Application,Certification Application,Sertifikavimo paraiška
@@ -5738,10 +5806,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Tas pats daiktas buvo įvesta kelis kartus
 DocType: Department,Leave Block List,Palikite Blokuoti sąrašas
 DocType: Purchase Invoice,Tax ID,Mokesčių ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Prekė {0} nėra setup Serijos Nr. Skiltis turi būti tuščias
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Prekė {0} nėra setup Serijos Nr. Skiltis turi būti tuščias
 DocType: Accounts Settings,Accounts Settings,Sąskaitos Nustatymai
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,patvirtinti
 DocType: Loyalty Program,Customer Territory,Klientų teritorija
+DocType: Email Digest,Sales Orders to Deliver,Pardavimo užsakymai pristatyti
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Naujos sąskaitos numeris, jis bus įtrauktas į sąskaitos pavadinimą kaip prefiksą"
 DocType: Maintenance Team Member,Team Member,Komandos narys
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Nėra rezultato pateikti
@@ -5751,7 +5820,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Viso {0} visoms prekėms yra lygus nuliui, gali būti, jūs turėtumėte pakeisti &quot;Paskirstyti mokesčius pagal&quot;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Šiandien negali būti mažiau nei nuo datos
 DocType: Opportunity,To Discuss,Diskutuoti
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Tai grindžiama sandoriais su šiuo abonentu. Išsamiau žr. Toliau pateiktą laiko juostą
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} vienetai {1} reikia {2} užbaigti šį sandorį.
 DocType: Loan Type,Rate of Interest (%) Yearly,Palūkanų norma (%) Metinės
 DocType: Support Settings,Forum URL,Forumo URL
@@ -5766,7 +5834,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Sužinoti daugiau
 DocType: Cheque Print Template,Distance from top edge,Atstumas nuo viršutinio krašto
 DocType: POS Closing Voucher Invoices,Quantity of Items,Daiktų skaičius
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Kainų sąrašas {0} yra išjungtas arba neegzistuoja
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Kainų sąrašas {0} yra išjungtas arba neegzistuoja
 DocType: Purchase Invoice,Return,sugrįžimas
 DocType: Pricing Rule,Disable,išjungti
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,mokėjimo būdas turi atlikti mokėjimą
@@ -5774,18 +5842,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Visame puslapyje redaguokite daugiau pasirinkčių, pvz., Turto, serijos numerių, siuntų ir pan."
 DocType: Leave Type,Maximum Continuous Days Applicable,Taikomos maksimalios tęstinės dienos
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nėra įtraukti į Seriją {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Turto {0} negali būti sunaikintas, nes jis jau yra {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Turto {0} negali būti sunaikintas, nes jis jau yra {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Reikalingi čekiai
 DocType: Task,Total Expense Claim (via Expense Claim),Bendras išlaidų pretenzija (per expense punktą)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Pažymėti Nėra
 DocType: Job Applicant Source,Job Applicant Source,Darbo ieškančiojo šaltinis
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST suma
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST suma
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Nepavyko sukonfiguruoti įmonę
 DocType: Asset Repair,Asset Repair,Turto remontas
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Eilutės {0}: Valiuta BOM # {1} turi būti lygus pasirinkta valiuta {2}
 DocType: Journal Entry Account,Exchange Rate,Valiutos kursas
 DocType: Patient,Additional information regarding the patient,Papildoma informacija apie pacientą
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Pardavimų užsakymų {0} nebus pateiktas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Pardavimų užsakymų {0} nebus pateiktas
 DocType: Homepage,Tag Line,Gairė linija
 DocType: Fee Component,Fee Component,mokestis komponentas
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,laivyno valdymo
@@ -5800,7 +5868,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobilus
 ,Sales Person-wise Transaction Summary,Pardavimų Asmuo išmintingas Sandorio santrauka
 DocType: Training Event,Contact Number,Kontaktinis telefono numeris
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Sandėlių {0} neegzistuoja
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Sandėlių {0} neegzistuoja
 DocType: Cashier Closing,Custody,Globa
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Darbuotojų mokesčio išimties įrodymo pateikimo detalės
 DocType: Monthly Distribution,Monthly Distribution Percentages,Mėnesio Paskirstymo Procentai
@@ -5815,7 +5883,7 @@
 DocType: Payment Entry,Paid Amount,sumokėta suma
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Naršyti pardavimo ciklą
 DocType: Assessment Plan,Supervisor,vadovas
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Saugojimo atsargos įrašas
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Saugojimo atsargos įrašas
 ,Available Stock for Packing Items,Turimas sandėlyje pakuoti prekės
 DocType: Item Variant,Item Variant,Prekė variantas
 ,Work Order Stock Report,Darbų užsakymų atsargų ataskaita
@@ -5824,9 +5892,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Kaip vadovas
 DocType: Leave Policy Detail,Leave Policy Detail,Išsaugokite išsamią informaciją apie politiką
 DocType: BOM Scrap Item,BOM Scrap Item,BOM laužas punktas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Pateikė užsakymai negali būti ištrintas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Sąskaitos likutis jau debeto, jums neleidžiama nustatyti &quot;Balansas turi būti&quot; kaip &quot;Kreditas&quot;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,kokybės valdymas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Pateikė užsakymai negali būti ištrintas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Sąskaitos likutis jau debeto, jums neleidžiama nustatyti &quot;Balansas turi būti&quot; kaip &quot;Kreditas&quot;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,kokybės valdymas
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Prekė {0} buvo išjungta
 DocType: Project,Total Billable Amount (via Timesheets),Visa apmokestinamoji suma (per laiko lapus)
 DocType: Agriculture Task,Previous Business Day,Ankstesne darbo diena
@@ -5849,15 +5917,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,sąnaudų centrams
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Iš naujo prenumeruoti
 DocType: Linked Plant Analysis,Linked Plant Analysis,Susijusi augalų analizė
-DocType: Delivery Note,Transporter ID,Transporterio ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporterio ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Vertės pasiūlymas
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Norma, pagal kurią tiekėjas valiuta yra konvertuojamos į įmonės bazine valiuta"
-DocType: Sales Invoice Item,Service End Date,Paslaugos pabaigos data
+DocType: Purchase Invoice Item,Service End Date,Paslaugos pabaigos data
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Eilutės # {0}: laikus prieštarauja eilės {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Leiskite Zero Vertinimo Balsuok
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Leiskite Zero Vertinimo Balsuok
 DocType: Bank Guarantee,Receiving,Priėmimas
 DocType: Training Event Employee,Invited,kviečiami
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Parametrų Gateway sąskaitos.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Parametrų Gateway sąskaitos.
 DocType: Employee,Employment Type,Užimtumas tipas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Ilgalaikis turtas
 DocType: Payment Entry,Set Exchange Gain / Loss,Nustatyti keitimo pelnas / nuostolis
@@ -5873,7 +5942,7 @@
 DocType: Tax Rule,Sales Tax Template,Pardavimo mokestis Šablono
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Mokėti nuo išmokų reikalavimo
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Atnaujinti mokesčio centro numerį
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Pasirinkite elementus išsaugoti sąskaitą faktūrą
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Pasirinkite elementus išsaugoti sąskaitą faktūrą
 DocType: Employee,Encashment Date,išgryninimo data
 DocType: Training Event,Internet,internetas
 DocType: Special Test Template,Special Test Template,Specialusis bandomasis šablonas
@@ -5881,13 +5950,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Numatytasis Veiklos sąnaudos egzistuoja veiklos rūšis - {0}
 DocType: Work Order,Planned Operating Cost,Planuojamas eksploatavimo išlaidos
 DocType: Academic Term,Term Start Date,Kadencijos pradžios data
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Visų akcijų sandorių sąrašas
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Visų akcijų sandorių sąrašas
+DocType: Supplier,Is Transporter,Yra vežėjas
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"&quot;Shopify&quot; importo pardavimo sąskaita, jei pažymėtas &quot;Payment&quot;"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,opp Grafas
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,opp Grafas
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,"Turi būti nustatyta tiek bandomojo laikotarpio pradžios data, tiek bandomojo laikotarpio pabaigos data"
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Vidutinė norma
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Bendra mokėjimo suma mokėjimo grafike turi būti lygi Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Bendra mokėjimo suma mokėjimo grafike turi būti lygi Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Suplanuoti
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Banko pažyma likutis vienam General Ledger
 DocType: Job Applicant,Applicant Name,Vardas pareiškėjas
@@ -5915,7 +5985,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Turimas Kiekis prie šaltinio Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,garantija
 DocType: Purchase Invoice,Debit Note Issued,Debeto Pastaba Išduotas
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtras, pagrįstas &quot;Mokesčių centru&quot;, taikomas tik tuo atveju, jei &quot;Biudžetas prieš&quot; yra pasirinktas kaip Mokesčių centras"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtras, pagrįstas &quot;Mokesčių centru&quot;, taikomas tik tuo atveju, jei &quot;Biudžetas prieš&quot; yra pasirinktas kaip Mokesčių centras"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Ieškoti pagal prekės kodą, serijos numerį, serijos numerį ar brūkšninį kodą"
 DocType: Work Order,Warehouses,Sandėliai
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} turtas negali būti perduotas
@@ -5926,9 +5996,9 @@
 DocType: Workstation,per hour,per valandą
 DocType: Blanket Order,Purchasing,Pirkimas
 DocType: Announcement,Announcement,skelbimas
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Kliento LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Kliento LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","UŽ SERIJŲ remiantis studentų grupę, studentas Serija bus patvirtintas kiekvienas studentas iš programos registraciją."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Sandėlių negali būti išbrauktas, nes egzistuoja akcijų knygos įrašas šiame sandėlyje."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Sandėlių negali būti išbrauktas, nes egzistuoja akcijų knygos įrašas šiame sandėlyje."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,pasiskirstymas
 DocType: Journal Entry Account,Loan,Paskola
 DocType: Expense Claim Advance,Expense Claim Advance,Išankstinio išlaidų reikalavimas
@@ -5937,7 +6007,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projekto vadovas
 ,Quoted Item Comparison,Cituojamas punktas Palyginimas
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Pervykimas taškų tarp {0} ir {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,išsiuntimas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,išsiuntimas
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maksimali nuolaida leidžiama punktu: {0} yra {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,"Grynoji turto vertė, nuo"
 DocType: Crop,Produce,Gaminti
@@ -5947,20 +6017,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Medžiagų sunaudojimas gamybai
 DocType: Item Alternative,Alternative Item Code,Alternatyvus elemento kodas
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Vaidmenį, kurį leidžiama pateikti sandorius, kurie viršija nustatytus kredito limitus."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Pasirinkite prekę Gamyba
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Pasirinkite prekę Gamyba
 DocType: Delivery Stop,Delivery Stop,Pristatymas Stotelė
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master Data sinchronizavimą, tai gali užtrukti šiek tiek laiko"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master Data sinchronizavimą, tai gali užtrukti šiek tiek laiko"
 DocType: Item,Material Issue,medžiaga išdavimas
 DocType: Employee Education,Qualification,kvalifikacija
 DocType: Item Price,Item Price,Prekė Kaina
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,"Muilas, skalbimo"
 DocType: BOM,Show Items,Rodyti prekių
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Nuo laikas negali būti didesnis nei laiko.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Ar norite pranešti visiems klientams elektroniniu paštu?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Ar norite pranešti visiems klientams elektroniniu paštu?
 DocType: Subscription Plan,Billing Interval,Atsiskaitymo intervalas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Filmavimo ir vaizdo
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Užsakytas
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Tikroji pradžios data ir faktinė pabaigos data yra privalomi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klientas&gt; Klientų grupė&gt; Teritorija
 DocType: Salary Detail,Component,Komponentas
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Eilutė {0}: {1} turi būti didesnė už 0
 DocType: Assessment Criteria,Assessment Criteria Group,Vertinimo kriterijai grupė
@@ -5991,11 +6062,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,"Prieš pateikdami, įveskite banko ar skolinančios įstaigos pavadinimą."
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} turi būti pateiktas
 DocType: POS Profile,Item Groups,Prekė Grupės
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Šiandien {0} gimtadienis!
 DocType: Sales Order Item,For Production,gamybai
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Balansas sąskaitos valiuta
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Pridėkite laikinąją atidarymo sąskaitą sąskaitų grafike
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Pridėkite laikinąją atidarymo sąskaitą sąskaitų grafike
 DocType: Customer,Customer Primary Contact,Pirmasis kliento kontaktas
 DocType: Project Task,View Task,Peržiūrėti Užduotis
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Švinas%
@@ -6009,11 +6079,11 @@
 DocType: Sales Invoice,Get Advances Received,Gauti gautų išankstinių
 DocType: Email Digest,Add/Remove Recipients,Įdėti / pašalinti gavėjus
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Norėdami nustatyti šią fiskalinių metų kaip numatytąjį, spustelėkite ant &quot;Set as Default&quot;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS suma išskaičiuojama
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS suma išskaičiuojama
 DocType: Production Plan,Include Subcontracted Items,Įtraukite subrangos elementus
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,prisijungti
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,trūkumo Kiekis
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,prisijungti
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,trūkumo Kiekis
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių
 DocType: Loan,Repay from Salary,Grąžinti iš Pajamos
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},"Prašančioji mokėjimą nuo {0} {1} už sumą, {2}"
 DocType: Additional Salary,Salary Slip,Pajamos Kuponas
@@ -6029,7 +6099,7 @@
 DocType: Patient,Dormant,neveikiantis
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Atskaitykite mokestį už nepaskirstytas išmokas darbuotojams
 DocType: Salary Slip,Total Interest Amount,Bendra palūkanų suma
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Sandėliai su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Sandėliai su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos
 DocType: BOM,Manage cost of operations,Tvarkyti išlaidas operacijoms
 DocType: Accounts Settings,Stale Days,Pasenusios dienos
 DocType: Travel Itinerary,Arrival Datetime,Atvykimo data laikas
@@ -6041,7 +6111,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Vertinimo rezultatas detalės
 DocType: Employee Education,Employee Education,Darbuotojų Švietimas
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Dubliuoti punktas grupė rastas daiktas grupės lentelėje
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"Jis reikalingas, kad parsiųsti Išsamesnė informacija."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"Jis reikalingas, kad parsiųsti Išsamesnė informacija."
 DocType: Fertilizer,Fertilizer Name,Trąšų pavadinimas
 DocType: Salary Slip,Net Pay,Grynasis darbo užmokestis
 DocType: Cash Flow Mapping Accounts,Account,sąskaita
@@ -6052,14 +6122,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Sukurkite atskirą mokėjimo užrašą prieš išmokų prašymą
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Karščiavimas (temperatūra&gt; 38,5 ° C / 101,3 ° F arba išlaikoma temperatūra&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Sales Team detalės
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Ištrinti visam laikui?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Ištrinti visam laikui?
 DocType: Expense Claim,Total Claimed Amount,Iš viso ieškinių suma
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Galimas galimybės pardavinėti.
 DocType: Shareholder,Folio no.,Folio Nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Neteisingas {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,atostogos dėl ligos
 DocType: Email Digest,Email Digest,paštas Digest &quot;
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,nėra
 DocType: Delivery Note,Billing Address Name,Atsiskaitymo Adresas Pavadinimas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Universalinės parduotuvės
 ,Item Delivery Date,Prekės pristatymo data
@@ -6075,16 +6144,16 @@
 DocType: Account,Chargeable,Apmokestinimo
 DocType: Company,Change Abbreviation,Pakeisti santrumpa
 DocType: Contract,Fulfilment Details,Išsami informacija apie įvykdymą
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Pay {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Pay {0} {1}
 DocType: Employee Onboarding,Activities,Veikla
 DocType: Expense Claim Detail,Expense Date,Kompensuojamos data
 DocType: Item,No of Months,Mėnesių skaičius
 DocType: Item,Max Discount (%),Maksimali nuolaida (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kreditų dienos negali būti neigiamas skaičius
-DocType: Sales Invoice Item,Service Stop Date,Paslaugos sustabdymo data
+DocType: Purchase Invoice Item,Service Stop Date,Paslaugos sustabdymo data
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Paskutinė užsakymo suma
 DocType: Cash Flow Mapper,e.g Adjustments for:,"pvz., koregavimai:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Išsaugoti pavyzdį yra pagrįstas partija, prašome patikrinti, ar turi partijos Nr, kad būtų išsaugotas prekės pavyzdys"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Išsaugoti pavyzdį yra pagrįstas partija, prašome patikrinti, ar turi partijos Nr, kad būtų išsaugotas prekės pavyzdys"
 DocType: Task,Is Milestone,Ar Milestone
 DocType: Certification Application,Yet to appear,Dar atrodo
 DocType: Delivery Stop,Email Sent To,Paštas siunčiami
@@ -6092,16 +6161,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Leisti išlaidų centre įrašyti balanso sąskaitą
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Sujungti su esama sąskaita
 DocType: Budget,Warn,įspėti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Visi daiktai jau buvo perkelti už šį darbo užsakymą.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Visi daiktai jau buvo perkelti už šį darbo užsakymą.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bet koks kitas pastabas, pažymėtina pastangų, kad reikia eiti į apskaitą."
 DocType: Asset Maintenance,Manufacturing User,gamyba Vartotojas
 DocType: Purchase Invoice,Raw Materials Supplied,Žaliavos Pateikiamas
 DocType: Subscription Plan,Payment Plan,Mokesčių planas
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Įgalinkite elementų pirkimą per svetainę
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Kainų sąrašo {0} valiuta turi būti {1} arba {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Prenumeratos valdymas
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Prenumeratos valdymas
 DocType: Appraisal,Appraisal Template,vertinimas Šablono
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Pin kodas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Pin kodas
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Pažymėkite tai, kad įjungtumėte planuotų kasdieninių sinchronizavimo tvarką per tvarkaraštį"
 DocType: Item Group,Item Classification,Prekė klasifikavimas
@@ -6111,6 +6180,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Sąskaitos pacientų registracija
 DocType: Crop,Period,laikotarpis
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Bendra Ledgeris
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Į fiskalinius metus
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Peržiūrėti laidai
 DocType: Program Enrollment Tool,New Program,nauja programa
 DocType: Item Attribute Value,Attribute Value,Pavadinimas Reikšmė
@@ -6118,11 +6188,11 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test_list.js +16,Create Multiple,Sukurti kelis
 ,Itemwise Recommended Reorder Level,Itemwise Rekomenduojama Pertvarkyti lygis
 DocType: Salary Detail,Salary Detail,Pajamos detalės
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Prašome pasirinkti {0} pirmas
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Prašome pasirinkti {0} pirmas
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Pridėta {0} naudotojų
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Kalbant apie daugiapakopę programą, klientai bus automatiškai priskirti atitinkamam lygmeniui, atsižvelgiant į jų išleidimą"
 DocType: Appointment Type,Physician,Gydytojas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Serija {0} punkto {1} yra pasibaigęs.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Serija {0} punkto {1} yra pasibaigęs.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konsultacijos
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Baigta gera
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Prekė Kaina rodoma kelis kartus pagal kainoraštį, tiekėją / klientą, valiutą, prekę, UOM, kiekį ir datą."
@@ -6131,22 +6201,21 @@
 DocType: Certification Application,Name of Applicant,Pareiškėjo vardas ir pavardė
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Laikas lapas gamybai.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Tarpinė suma
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Negalima keisti Variantų savybių po sandorio su akcijomis. Norėdami tai padaryti, turėsite padaryti naują punktą."
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Negalima keisti Variantų savybių po sandorio su akcijomis. Norėdami tai padaryti, turėsite padaryti naują punktą."
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,&quot;GoCardless&quot; SEPA mandatas
 DocType: Healthcare Practitioner,Charges,Mokesčiai
 DocType: Production Plan,Get Items For Work Order,Gauti daiktus darbui
 DocType: Salary Detail,Default Amount,numatytasis dydis
 DocType: Lab Test Template,Descriptive,Apibūdinamasis
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Sandėlių nerastas sistemos
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Šio mėnesio suvestinė
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Šio mėnesio suvestinė
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kokybės inspekcija skaitymas
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,"""Užšaldyti atsargas senesnes negu` turėtų būti mažesnis nei% d dienų."
 DocType: Tax Rule,Purchase Tax Template,Pirkimo Mokesčių šabloną
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Nustatykite pardavimo tikslą, kurį norite pasiekti savo bendrovei."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Sveikatos priežiūros paslaugos
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Sveikatos priežiūros paslaugos
 ,Project wise Stock Tracking,Projektų protinga sandėlyje sekimo
 DocType: GST HSN Code,Regional,regioninis
-DocType: Delivery Note,Transport Mode,Transporto režimas
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorija
 DocType: UOM Category,UOM Category,UOM kategorija
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Tikrasis Kiekis (bent šaltinio / target)
@@ -6169,17 +6238,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Nepavyko sukurti svetainės
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM konversijos detalės
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Sulaikymo atsargų įrašas jau sukurtas arba nepateiktas mėginio kiekis
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Sulaikymo atsargų įrašas jau sukurtas arba nepateiktas mėginio kiekis
 DocType: Program,Program Abbreviation,programos santrumpa
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Gamybos nurodymas negali būti iškeltas prieš Prekės Šablonas
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Mokesčiai yra atnaujinama pirkimo kvitą su kiekvieno elemento
 DocType: Warranty Claim,Resolved By,sprendžiami
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Tvarkaraščio įvykdymas
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čekiai ir užstatai neteisingai išvalytas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Sąskaita {0}: Jūs negalite priskirti save kaip patronuojančios sąskaitą
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Sąskaita {0}: Jūs negalite priskirti save kaip patronuojančios sąskaitą
 DocType: Purchase Invoice Item,Price List Rate,Kainų sąrašas Balsuok
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Sukurti klientų citatos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Aptarnavimo sustabdymo data negali būti po tarnybos pabaigos datos
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Aptarnavimo sustabdymo data negali būti po tarnybos pabaigos datos
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Rodyti &quot;Sandėlyje&quot; arba &quot;nėra sandėlyje&quot; remiantis sandėlyje turimus šiame sandėlį.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bilis medžiagos (BOM)
 DocType: Item,Average time taken by the supplier to deliver,"Vidutinis laikas, per kurį tiekėjas pateikia"
@@ -6191,11 +6260,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Valandos
 DocType: Project,Expected Start Date,"Tikimasi, pradžios data"
 DocType: Purchase Invoice,04-Correction in Invoice,04-taisymas sąskaitoje faktūroje
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Darbų užsakymas jau sukurtas visiems elementams su BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Darbų užsakymas jau sukurtas visiems elementams su BOM
 DocType: Payment Request,Party Details,Šalies duomenys
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variantas išsamios ataskaitos
 DocType: Setup Progress Action,Setup Progress Action,&quot;Progress&quot; veiksmo nustatymas
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Pirkimo kainoraštis
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Pirkimo kainoraštis
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Pašalinti elementą jei mokesčiai nėra taikomi šio elemento
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Atšaukti prenumeratą
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Pasirinkite techninės priežiūros būseną kaip užbaigtą arba pašalinkite užbaigimo datą
@@ -6213,7 +6282,7 @@
 DocType: Asset,Disposal Date,Atliekų data
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Laiškai bus siunčiami į visus aktyvius bendrovės darbuotojams už tam tikrą valandą, jei jie neturi atostogų. Atsakymų santrauka bus išsiųstas vidurnaktį."
 DocType: Employee Leave Approver,Employee Leave Approver,Darbuotojų atostogos Tvirtintojas
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Eilutės {0}: an Pertvarkyti įrašas jau yra šiam sandėlį {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Eilutės {0}: an Pertvarkyti įrašas jau yra šiam sandėlį {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Negali paskelbti, kad prarastas, nes Citata buvo padaryta."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP sąskaita
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Mokymai Atsiliepimai
@@ -6225,7 +6294,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Iki šiol gali būti ne anksčiau iš dienos
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc dokumentų tipas
 DocType: Cash Flow Mapper,Section Footer,Sekcijos pataisa
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Įdėti / Redaguoti kainas
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Įdėti / Redaguoti kainas
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Darbuotojų skatinimas negali būti pateiktas prieš Reklamos datą
 DocType: Batch,Parent Batch,tėvų Serija
 DocType: Batch,Parent Batch,tėvų Serija
@@ -6236,6 +6305,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Pavyzdžių rinkinys
 ,Requested Items To Be Ordered,Pageidaujami Daiktai nurodoma padengti
 DocType: Price List,Price List Name,Kainų sąrašas vardas
+DocType: Delivery Stop,Dispatch Information,Siuntimo informacija
 DocType: Blanket Order,Manufacturing,gamyba
 ,Ordered Items To Be Delivered,Užsakytas prekes turi būti pateikta
 DocType: Account,Income,Pajamos
@@ -6254,17 +6324,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} vienetai {1} reikia {2} į {3} {4} ir {5} užbaigti šį sandorį.
 DocType: Fee Schedule,Student Category,Studentų Kategorija
 DocType: Announcement,Student,Studentas
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Sandėlio sandėlyje nėra sandėlio kiekio, kad būtų galima pradėti procedūrą. Ar norite įrašyti vertybinių popierių pervedimą?"
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Sandėlio sandėlyje nėra sandėlio kiekio, kad būtų galima pradėti procedūrą. Ar norite įrašyti vertybinių popierių pervedimą?"
 DocType: Shipping Rule,Shipping Rule Type,Pristatymo taisyklės tipas
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Eikite į kambarius
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Bendrovė, mokėjimo sąskaita, nuo datos iki datos yra privaloma"
 DocType: Company,Budget Detail,Išsami informacija apie biudžetą
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Prašome įvesti žinutę prieš išsiunčiant
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUBLIKATAS tiekėjas
-DocType: Email Digest,Pending Quotations,kol Citatos
-DocType: Delivery Note,Distance (KM),Atstumas (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Tiekėjas&gt; Tiekėjo grupė
 DocType: Asset,Custodian,Saugotojas
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale profilis
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale profilis
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} turėtų būti vertė nuo 0 iki 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Mokėjimas {0} nuo {1} iki {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,neužtikrintas paskolas
@@ -6296,10 +6365,10 @@
 DocType: Lead,Converted,Perskaičiuotas
 DocType: Item,Has Serial No,Turi Serijos Nr
 DocType: Employee,Date of Issue,Išleidimo data
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kaip už pirkimo parametrus, jei pirkimas Čekio Reikalinga == &quot;Taip&quot;, tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkimo kvitą už prekę {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kaip už pirkimo parametrus, jei pirkimas Čekio Reikalinga == &quot;Taip&quot;, tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkimo kvitą už prekę {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Eilutės # {0}: Nustatykite Tiekėjas už prekę {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Eilutės {0}: valandos vertė turi būti didesnė už nulį.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Interneto svetainė Paveikslėlis {0} pridedamas prie punkto {1} negali būti rastas
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Interneto svetainė Paveikslėlis {0} pridedamas prie punkto {1} negali būti rastas
 DocType: Issue,Content Type,turinio tipas
 DocType: Asset,Assets,Turtas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Kompiuteris
@@ -6310,7 +6379,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} neegzistuoja
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Prašome patikrinti Multi Valiuta galimybę leisti sąskaitas kita valiuta
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Punktas: {0} neegzistuoja sistemoje
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Jūs nesate įgaliotas nustatyti Frozen vertę
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Jūs nesate įgaliotas nustatyti Frozen vertę
 DocType: Payment Reconciliation,Get Unreconciled Entries,Gauk Unreconciled įrašai
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Darbuotojas {0} yra Atostogos {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nepasirinkta atlyginimo žurnalo įrašui
@@ -6328,13 +6397,14 @@
 ,Average Commission Rate,Vidutinis Komisija Balsuok
 DocType: Share Balance,No of Shares,Akcijų skaičius
 DocType: Taxable Salary Slab,To Amount,Sumai
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Turi serijinį Nr."" negali būti ""Taip"" , daiktui kurio nėra sandelyje."
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Turi serijinį Nr."" negali būti ""Taip"" , daiktui kurio nėra sandelyje."
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Pasirinkite būseną
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Dalyvavimas negali būti ženklinami ateities datas
 DocType: Support Search Source,Post Description Key,Skelbimo aprašymo raktas
 DocType: Pricing Rule,Pricing Rule Help,Kainodaros taisyklė Pagalba
 DocType: School House,House Name,Namas Vardas
 DocType: Fee Schedule,Total Amount per Student,Bendra suma studentui
+DocType: Opportunity,Sales Stage,Pardavimo etapas
 DocType: Purchase Taxes and Charges,Account Head,sąskaita vadovas
 DocType: Company,HRA Component,HRA komponentas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,elektros
@@ -6342,15 +6412,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Viso vertės skirtumas (iš - į)
 DocType: Grant Application,Requested Amount,Prašoma suma
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Eilutės {0}: Valiutų kursai yra privalomi
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Vartotojo ID nenustatyti Darbuotojo {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Vartotojo ID nenustatyti Darbuotojo {0}
 DocType: Vehicle,Vehicle Value,Automobilio Vertė
 DocType: Crop Cycle,Detected Diseases,Aptikta ligų
 DocType: Stock Entry,Default Source Warehouse,Numatytasis Šaltinis sandėlis
 DocType: Item,Customer Code,Kliento kodas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Gimimo diena priminimas {0}
 DocType: Asset Maintenance Task,Last Completion Date,Paskutinė užbaigimo data
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dienas nuo paskutinė užsakymo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debeto sąskaitą turi būti balansas sąskaitos
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debeto sąskaitą turi būti balansas sąskaitos
 DocType: Asset,Naming Series,Pavadinimų serija
 DocType: Vital Signs,Coated,Padengtas
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Eilutė {0}: numatoma vertė po naudingo tarnavimo laiko turi būti mažesnė už bendrąją pirkimo sumą
@@ -6368,15 +6437,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Važtaraštis {0} negali būti pateikta
 DocType: Notification Control,Sales Invoice Message,Pardavimų sąskaita faktūra pranešimas
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Uždarymo Narystė {0} turi būti tipo atsakomybės / nuosavas kapitalas
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Pajamos Kuponas darbuotojo {0} jau sukurta laiko lape {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Pajamos Kuponas darbuotojo {0} jau sukurta laiko lape {1}
 DocType: Vehicle Log,Odometer,odometras
 DocType: Production Plan Item,Ordered Qty,Užsakytas Kiekis
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Prekė {0} yra išjungtas
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Prekė {0} yra išjungtas
 DocType: Stock Settings,Stock Frozen Upto,Akcijų Šaldyti upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM nėra jokių akcijų elementą
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM nėra jokių akcijų elementą
 DocType: Chapter,Chapter Head,Skyrius vadovas
 DocType: Payment Term,Month(s) after the end of the invoice month,Mėnuo (-os) po sąskaitos faktūros mėnesio pabaigos
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Atlyginimo struktūra turėtų turėti lankstų išmokų komponentą (-us), kad būtų galima atsisakyti išmokų sumos"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Atlyginimo struktūra turėtų turėti lankstų išmokų komponentą (-us), kad būtų galima atsisakyti išmokų sumos"
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projekto veikla / užduotis.
 DocType: Vital Signs,Very Coated,Labai padengtas
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Tik mokesčio poveikis (negalima reikalauti, bet dalis apmokestinamų pajamų)"
@@ -6394,7 +6463,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Atsiskaitymo laikas
 DocType: Project,Total Sales Amount (via Sales Order),Bendra pardavimo suma (per pardavimo užsakymą)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Numatytasis BOM už {0} nerastas
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Eilutės # {0}: Prašome nustatyti pertvarkyti kiekį
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Eilutės # {0}: Prašome nustatyti pertvarkyti kiekį
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Bakstelėkite elementus įtraukti juos čia
 DocType: Fees,Program Enrollment,programos Įrašas
 DocType: Share Transfer,To Folio No,Folio Nr
@@ -6436,9 +6505,9 @@
 DocType: SG Creation Tool Course,Max Strength,Maksimali jėga
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Iš anksto įdiegti
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Kliento pasirinkta pristatymo pastaba ()
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Kliento pasirinkta pristatymo pastaba ()
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Darbuotojas {0} neturi didžiausios naudos sumos
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Pasirinkite elementus pagal pristatymo datą
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Pasirinkite elementus pagal pristatymo datą
 DocType: Grant Application,Has any past Grant Record,Turi bet kokį ankstesnį &quot;Grant Record&quot;
 ,Sales Analytics,pardavimų Analytics &quot;
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Turimas {0}
@@ -6447,12 +6516,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Gamybos Nustatymai
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Įsteigti paštu
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobilus Nėra
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Prašome įvesti numatytasis valiuta įmonėje Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Prašome įvesti numatytasis valiuta įmonėje Master
 DocType: Stock Entry Detail,Stock Entry Detail,Akcijų įrašo informaciją
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Dienos Priminimai
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Dienos Priminimai
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Žiūrėkite visus atvirus bilietus
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Sveikatos priežiūros tarnybos vieneto medis
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produktas
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produktas
 DocType: Products Settings,Home Page is Products,Titulinis puslapis yra Produktai
 ,Asset Depreciation Ledger,Turto nusidėvėjimas Ledgeris
 DocType: Salary Structure,Leave Encashment Amount Per Day,Palikite inkaso sumą per dieną
@@ -6462,8 +6531,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Žaliavos Pateikiamas Kaina
 DocType: Selling Settings,Settings for Selling Module,Nustatymai parduoti modulis
 DocType: Hotel Room Reservation,Hotel Room Reservation,Viešbučių kambario rezervacija
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Klientų aptarnavimas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Klientų aptarnavimas
 DocType: BOM,Thumbnail,Miniatiūra
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nerasta jokių kontaktų su el. Pašto ID.
 DocType: Item Customer Detail,Item Customer Detail,Prekė Klientų detalės
 DocType: Notification Control,Prompt for Email on Submission of,Klausti Email pateikus
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maksimalus darbuotojo naudos dydis {0} viršija {1}
@@ -6472,7 +6542,7 @@
 DocType: Pricing Rule,Percentage,procentas
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Prekė {0} turi būti akcijų punktas
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Numatytasis nebaigtos Warehouse
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Numatytieji nustatymai apskaitos operacijų.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Numatytieji nustatymai apskaitos operacijų.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grantų lapai
 DocType: Restaurant,Default Tax Template,Numatytas mokesčio šablonas
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Įstojo mokiniai
@@ -6480,6 +6550,7 @@
 DocType: Purchase Invoice Item,Stock Qty,akcijų Kiekis
 DocType: Purchase Invoice Item,Stock Qty,akcijų Kiekis
 DocType: Contract,Requires Fulfilment,Reikalingas įvykdymas
+DocType: QuickBooks Migrator,Default Shipping Account,Numatytoji siuntimo sąskaita
 DocType: Loan,Repayment Period in Months,Grąžinimo laikotarpis mėnesiais
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Klaida: Negaliojantis tapatybės?
 DocType: Naming Series,Update Series Number,Atnaujinti serijos numeris
@@ -6493,11 +6564,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Didžiausia suma
 DocType: Journal Entry,Total Amount Currency,Bendra suma Valiuta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Paieška Sub Agregatai
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Prekės kodas reikalaujama Row Nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Prekės kodas reikalaujama Row Nr {0}
 DocType: GST Account,SGST Account,SGST sąskaita
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Eiti į elementus
 DocType: Sales Partner,Partner Type,partnerio tipas
-DocType: Purchase Taxes and Charges,Actual,faktinis
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,faktinis
 DocType: Restaurant Menu,Restaurant Manager,Restorano vadybininkas
 DocType: Authorization Rule,Customerwise Discount,Customerwise nuolaida
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Lapą užduotims.
@@ -6518,7 +6589,7 @@
 DocType: Employee,Cheque,Tikrinti
 DocType: Training Event,Employee Emails,Darbuotojų el. Laiškai
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,serija Atnaujinta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Ataskaitos tipas yra privalomi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Ataskaitos tipas yra privalomi
 DocType: Item,Serial Number Series,Eilės numeris serija
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Sandėlių yra privalomas akcijų punkte {0} iš eilės {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Mažmeninė prekyba ir didmeninė prekyba
@@ -6549,7 +6620,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Atnaujinti apmokestinamąją sumą pardavimo užsakyme
 DocType: BOM,Materials,medžiagos
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jei nepažymėta, sąrašas turi būti pridedamas prie kiekvieno padalinio, kuriame jis turi būti taikomas."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Siunčiamos datą ir paskelbimo laiką yra privalomas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Siunčiamos datą ir paskelbimo laiką yra privalomas
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Mokesčių šablonas pirkti sandorius.
 ,Item Prices,Prekė Kainos
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Žodžiais bus matomas, kai jūs išgelbėti pirkimo pavedimu."
@@ -6565,12 +6636,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Turto nusidėvėjimo įrašas (žurnalo įrašas)
 DocType: Membership,Member Since,Narys nuo
 DocType: Purchase Invoice,Advance Payments,išankstiniai mokėjimai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Pasirinkite sveikatos priežiūros paslaugą
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Pasirinkite sveikatos priežiūros paslaugą
 DocType: Purchase Taxes and Charges,On Net Total,Dėl grynuosius
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vertė Attribute {0} turi būti intervale {1} ir {2} į žingsniais {3} už prekę {4}
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Išimties kategorija
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,"Valiuta negali būti pakeistas po to, kai įrašus naudojant kai kita valiuta"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,"Valiuta negali būti pakeistas po to, kai įrašus naudojant kai kita valiuta"
 DocType: Shipping Rule,Fixed,Fiksuotas
 DocType: Vehicle Service,Clutch Plate,Sankabos diskas
 DocType: Company,Round Off Account,Suapvalinti paskyrą
@@ -6579,7 +6650,7 @@
 DocType: Subscription Plan,Based on price list,Remiantis kainoraščiu
 DocType: Customer Group,Parent Customer Group,Tėvų Klientų grupė
 DocType: Vehicle Service,Change,pokytis
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Prenumerata
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Prenumerata
 DocType: Purchase Invoice,Contact Email,kontaktinis elektroninio pašto adresas
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Mokesčio kūrimas laukiamas
 DocType: Appraisal Goal,Score Earned,balas uždirbo
@@ -6607,23 +6678,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Gautinos / mokėtinos sąskaitos
 DocType: Delivery Note Item,Against Sales Order Item,Pagal Pardavimo Užsakymo Objektą
 DocType: Company,Company Logo,Įmonės logotipas
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Prašome nurodyti Įgūdis požymio reikšmę {0}
-DocType: Item Default,Default Warehouse,numatytasis sandėlis
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Prašome nurodyti Įgūdis požymio reikšmę {0}
+DocType: QuickBooks Migrator,Default Warehouse,numatytasis sandėlis
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Biudžetas negali būti skiriamas prieš grupės sąskaitoje {0}
 DocType: Shopping Cart Settings,Show Price,Rodyti kainą
 DocType: Healthcare Settings,Patient Registration,Paciento registracija
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Prašome įvesti patronuojanti kaštų centrą
 DocType: Delivery Note,Print Without Amount,Spausdinti Be Suma
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Nusidėvėjimas data
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Nusidėvėjimas data
 ,Work Orders in Progress,Darbų užsakymai vyksta
 DocType: Issue,Support Team,Palaikymo komanda
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Galiojimo (dienomis)
 DocType: Appraisal,Total Score (Out of 5),Iš viso balas (iš 5)
 DocType: Student Attendance Tool,Batch,Partija
 DocType: Support Search Source,Query Route String,Query Route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Atnaujinimo norma pagal paskutinį pirkinį
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Atnaujinimo norma pagal paskutinį pirkinį
 DocType: Donor,Donor Type,Donoro tipas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Auto pakartotinis dokumentas atnaujintas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Auto pakartotinis dokumentas atnaujintas
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Balansas
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Pasirinkite bendrovę
 DocType: Job Card,Job Card,Darbo kortelė
@@ -6637,7 +6708,7 @@
 DocType: Assessment Result,Total Score,Galutinis rezultatas
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standartas
 DocType: Journal Entry,Debit Note,debeto aviza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Galite išpirkti tik {0} taškus šia tvarka.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Galite išpirkti tik {0} taškus šia tvarka.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Įveskite API vartotojų paslaptį
 DocType: Stock Entry,As per Stock UOM,Kaip per vertybinių popierių UOM
@@ -6651,10 +6722,11 @@
 DocType: Journal Entry,Total Debit,Iš viso Debeto
 DocType: Travel Request Costing,Sponsored Amount,Finansuojama suma
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Numatytieji gatavų prekių sandėlis
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Pasirinkite pacientą
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Pasirinkite pacientą
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Pardavėjas
 DocType: Hotel Room Package,Amenities,Patogumai
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Biudžeto ir išlaidų centras
+DocType: QuickBooks Migrator,Undeposited Funds Account,Nepaskirstyta lėšų sąskaita
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Biudžeto ir išlaidų centras
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Kelis numatytasis mokėjimo būdas neleidžiamas
 DocType: Sales Invoice,Loyalty Points Redemption,Lojalumo taškų išpirkimas
 ,Appointment Analytics,Paskyrimų analizė
@@ -6668,6 +6740,7 @@
 DocType: Batch,Manufacturing Date,Pagaminimo data
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Mokesčio sukūrimas nepavyko
 DocType: Opening Invoice Creation Tool,Create Missing Party,Sukurti trūkstamą vakarėlį
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Bendras biudžetas
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Palikite tuščią, jei jūs padarote studentų grupes per metus"
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Palikite tuščią, jei jūs padarote studentų grupes per metus"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Jei pažymėta, viso nėra. darbo dienų bus atostogų, o tai sumažins Atlyginimas diena vertę"
@@ -6685,20 +6758,19 @@
 DocType: Opportunity Item,Basic Rate,bazinis tarifas
 DocType: GL Entry,Credit Amount,kredito suma
 DocType: Cheque Print Template,Signatory Position,signataras pozicijos
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Nustatyti kaip Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Nustatyti kaip Lost
 DocType: Timesheet,Total Billable Hours,Iš viso apmokamas valandas
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Dienų, per kurias abonentas turi sumokėti sąskaitas, gautas pagal šią prenumeratą, skaičius"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Darbuotojo naudos paraiškos detalės
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Mokėjimo kvitą Pastaba
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Tai grindžiama sandorių atžvilgiu šis klientas. Žiūrėti grafikas žemiau detales
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Eilutės {0}: Paskirti suma {1} turi būti mažesnis arba lygus Mokėjimo Entry suma {2}
 DocType: Program Enrollment Tool,New Academic Term,Naujas akademinis terminas
 ,Course wise Assessment Report,Žinoma protinga vertinimo ataskaita
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Pasinaudojo ITC valstybės / UT mokesčiu
 DocType: Tax Rule,Tax Rule,mokesčių taisyklė
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Išlaikyti tą patį tarifą Kiaurai pardavimo ciklą
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Prašome prisijungti kaip kitas vartotojas užsiregistruoti Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Prašome prisijungti kaip kitas vartotojas užsiregistruoti Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planuokite laiką rąstų lauko Workstation &quot;darbo valandomis.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Klientai eilėje
 DocType: Driver,Issuing Date,Išleidimo data
@@ -6707,11 +6779,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Pateikite šį darbo užsakymą tolimesniam apdorojimui.
 ,Items To Be Requested,"Daiktai, kurių bus prašoma"
 DocType: Company,Company Info,Įmonės informacija
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Pasirinkite arba pridėti naujų klientų
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Pasirinkite arba pridėti naujų klientų
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Kaina centras privalo užsakyti sąnaudomis pretenziją
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Taikymas lėšos (turtas)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,"Tai yra, remiantis šio darbuotojo dalyvavimo"
-DocType: Assessment Result,Summary,Santrauka
 DocType: Payment Request,Payment Request Type,Mokėjimo užklausos tipas
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Pažymėti lankomumą
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,debeto sąskaita
@@ -6719,7 +6790,7 @@
 DocType: Additional Salary,Employee Name,Darbuotojo vardas
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restorano užsakymo įrašas
 DocType: Purchase Invoice,Rounded Total (Company Currency),Suapvalinti Iš viso (Įmonės valiuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Negalima paslėptas į grupę, nes sąskaitos tipas yra pasirinktas."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Negalima paslėptas į grupę, nes sąskaitos tipas yra pasirinktas."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} buvo pakeistas. Prašome atnaujinti.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop vartotojus nuo priėmimo prašymų įstoti į šių dienų.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Jei neribotas lojalumo taškų galiojimo laikas, laikymo galiojimo laikas tuščias arba 0."
@@ -6740,11 +6811,12 @@
 DocType: Asset,Out of Order,Neveikia
 DocType: Purchase Receipt Item,Accepted Quantity,Priimamos Kiekis
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignoruoti darbo vietos laiko dubliavimą
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Prašome nustatyti numatytąjį Atostogų sąrašas Darbuotojo {0} arba Įmonės {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Prašome nustatyti numatytąjį Atostogų sąrašas Darbuotojo {0} arba Įmonės {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} neegzistuoja
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Pasirinkite partijų numeriai
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Vekseliai iškelti į klientams.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Sąskaitų paskirties paskyrimai automatiškai
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projektų ID
 DocType: Salary Component,Variable Based On Taxable Salary,Kintamasis pagal apmokestinamąją algą
 DocType: Company,Basic Component,Pagrindinis komponentas
@@ -6757,10 +6829,10 @@
 DocType: Stock Entry,Source Warehouse Address,Šaltinio sandėlio adresas
 DocType: GL Entry,Voucher Type,Bon tipas
 DocType: Amazon MWS Settings,Max Retry Limit,Maksimalus pakartotinis limitas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas
 DocType: Student Applicant,Approved,patvirtinta
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,kaina
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Darbuotojų atleidžiamas nuo {0} turi būti nustatyti kaip &quot;Left&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Darbuotojų atleidžiamas nuo {0} turi būti nustatyti kaip &quot;Left&quot;
 DocType: Marketplace Settings,Last Sync On,Paskutinė sinchronizacija įjungta
 DocType: Guardian,Guardian,globėjas
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Visi pranešimai, įskaitant ir virš jo, turi būti perkeliami į naują klausimą"
@@ -6783,14 +6855,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lauke aptiktų ligų sąrašas. Pasirinkus, jis bus automatiškai pridėti užduočių sąrašą kovai su liga"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,"Tai pagrindinė sveikatos priežiūros tarnybos dalis, kurios negalima redaguoti."
 DocType: Asset Repair,Repair Status,Taisyklės būklė
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Pridėkite pardavimo partnerių
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Apskaitos žurnalo įrašai.
 DocType: Travel Request,Travel Request,Kelionės prašymas
 DocType: Delivery Note Item,Available Qty at From Warehouse,Turimas Kiekis ne iš sandėlio
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Prašome pasirinkti Darbuotojų įrašai pirmą kartą.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Lankymas nėra pateiktas {0}, nes tai yra atostogos."
 DocType: POS Profile,Account for Change Amount,Sąskaita už pokyčio sumą
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Prisijungimas prie &quot;QuickBooks&quot;
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Bendras padidėjimas / nuostolis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Neteisinga bendrovė &quot;Inter&quot; kompanijos sąskaitai faktūrai.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Neteisinga bendrovė &quot;Inter&quot; kompanijos sąskaitai faktūrai.
 DocType: Purchase Invoice,input service,įvesties paslauga
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Eilutės {0}: Šalis / Sąskaita nesutampa su {1} / {2} į {3} {4}
 DocType: Employee Promotion,Employee Promotion,Darbuotojų skatinimas
@@ -6799,12 +6873,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Modulio kodas:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Prašome įvesti sąskaita paskyrą
 DocType: Account,Stock,ištekliai
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pirkimo tvarka, pirkimo sąskaitoje faktūroje ar žurnalo įrašą"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pirkimo tvarka, pirkimo sąskaitoje faktūroje ar žurnalo įrašą"
 DocType: Employee,Current Address,Dabartinis adresas
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jei elementas yra kito elemento, tada aprašymas, vaizdo, kainodara, mokesčiai ir tt bus nustatytas nuo šablono variantas, nebent aiškiai nurodyta"
 DocType: Serial No,Purchase / Manufacture Details,Pirkimas / Gamyba detalės
 DocType: Assessment Group,Assessment Group,vertinimo grupė
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Serija Inventorius
+DocType: Supplier,GST Transporter ID,GST Transportero ID
 DocType: Procedure Prescription,Procedure Name,Procedūros pavadinimas
 DocType: Employee,Contract End Date,Sutarties pabaigos data
 DocType: Amazon MWS Settings,Seller ID,Pardavėjo ID
@@ -6824,12 +6899,12 @@
 DocType: Company,Date of Incorporation,Įsteigimo data
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Iš viso Mokesčių
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Paskutinė pirkimo kaina
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Dėl Kiekis (Pagaminta Kiekis) yra privalomi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Dėl Kiekis (Pagaminta Kiekis) yra privalomi
 DocType: Stock Entry,Default Target Warehouse,Numatytasis Tikslinė sandėlis
 DocType: Purchase Invoice,Net Total (Company Currency),Grynasis viso (Įmonės valiuta)
 DocType: Delivery Note,Air,Oras
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Dienos iki metų pabaigos data negali būti vėlesnė nei metų pradžioje data. Ištaisykite datas ir bandykite dar kartą.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nėra pasirinktinio atostogų sąraše
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nėra pasirinktinio atostogų sąraše
 DocType: Notification Control,Purchase Receipt Message,Pirkimo kvito pranešimas
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,laužas daiktai
@@ -6852,23 +6927,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Įvykdymas
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Dėl ankstesnės eilės Suma
 DocType: Item,Has Expiry Date,Turi galiojimo datą
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,perduoto turto
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,perduoto turto
 DocType: POS Profile,POS Profile,POS profilis
 DocType: Training Event,Event Name,Įvykio pavadinimas
 DocType: Healthcare Practitioner,Phone (Office),Telefonas (biuras)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Negali pateikti, Darbuotojai liko pažymėti lankomumą"
 DocType: Inpatient Record,Admission,priėmimas
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Priėmimo dėl {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatymo biudžetai, tikslai ir tt"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatymo biudžetai, tikslai ir tt"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Kintamasis pavadinimas
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Prekė {0} yra šablonas, prašome pasirinkti vieną iš jo variantai"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Prašome nustatyti darbuotojų pavadinimo sistemą žmogiškųjų išteklių&gt; HR nustatymai
+DocType: Purchase Invoice Item,Deferred Expense,Atidėtasis sąnaudos
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Nuo datos {0} negali būti iki darbuotojo prisijungimo data {1}
 DocType: Asset,Asset Category,turto Kategorija
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Neto darbo užmokestis negali būti neigiamas
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Neto darbo užmokestis negali būti neigiamas
 DocType: Purchase Order,Advance Paid,sumokėto avanso
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Perprodukcijos procentas pardavimo užsakymui
 DocType: Item,Item Tax,Prekė Mokesčių
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,"Medžiaga, iš Tiekėjui"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,"Medžiaga, iš Tiekėjui"
 DocType: Soil Texture,Loamy Sand,Gluosnių smėlis
 DocType: Production Plan,Material Request Planning,Medžiagų užklausos planavimas
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,akcizo Sąskaita
@@ -6890,11 +6967,11 @@
 DocType: Scheduling Tool,Scheduling Tool,planavimas įrankis
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kreditinė kortelė
 DocType: BOM,Item to be manufactured or repacked,Prekė turi būti pagaminti arba perpakuoti
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Sintaksės klaida sąlygoje: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Sintaksės klaida sąlygoje: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Pagrindinės / Laisvai pasirenkami dalykai
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Nurodykite tiekėjų grupę pirkimo nustatymuose.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Nurodykite tiekėjų grupę pirkimo nustatymuose.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Visa lankstus išmokų komponento suma {0} neturi būti mažesnė nei maksimali išmoka {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Sustabdyta
@@ -6913,7 +6990,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +51,Stock Levels,atsargų kiekis
 DocType: Customer,Commission Rate,Komisija Balsuok
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Sėkmingai sukurtos mokėjimo įrašai
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Padaryti variantas
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Padaryti variantas
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",Mokėjimo tipas turi būti vienas iš Gauti Pay ir vidaus perkėlimo
 DocType: Travel Itinerary,Preferred Area for Lodging,Gyvenamasis sklypas
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Google Analytics
@@ -6924,7 +7001,7 @@
 DocType: Work Order,Actual Operating Cost,Tikrasis eksploatavimo išlaidos
 DocType: Payment Entry,Cheque/Reference No,Čekis / Nuorodos Nr
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Šaknų negali būti redaguojami.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Šaknų negali būti redaguojami.
 DocType: Item,Units of Measure,Matavimo vienetai
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Išnuomotas Metro mieste
 DocType: Supplier,Default Tax Withholding Config,Numatytasis mokesčių išskaičiavimo konfigūravimas
@@ -6942,21 +7019,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po mokėjimo pabaigos nukreipti vartotoją į pasirinktame puslapyje.
 DocType: Company,Existing Company,Esama Įmonės
 DocType: Healthcare Settings,Result Emailed,Rezultatas išsiųstas el. Paštu
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Mokesčių Kategorija buvo pakeistas į &quot;Total&quot;, nes visi daiktai yra ne atsargos"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Mokesčių Kategorija buvo pakeistas į &quot;Total&quot;, nes visi daiktai yra ne atsargos"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Iki šiol negali būti lygus ar mažesnis nei nuo datos
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nieko keisti
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Prašome pasirinkti CSV failą
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Prašome pasirinkti CSV failą
 DocType: Holiday List,Total Holidays,Bendras atostogos
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Trūksta el. Pašto šablono siuntimui. Nustatykite vieną &quot;Delivery Settings&quot;.
 DocType: Student Leave Application,Mark as Present,Žymėti kaip dabartis
 DocType: Supplier Scorecard,Indicator Color,Rodiklio spalva
 DocType: Purchase Order,To Receive and Bill,Gauti ir Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Eilutė # {0}: Reqd pagal datą negali būti prieš Transakcijos datą
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Eilutė # {0}: Reqd pagal datą negali būti prieš Transakcijos datą
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Panašūs produktai
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Pasirinkite serijos numerį
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Pasirinkite serijos numerį
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,dizaineris
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Terminai ir sąlygos Šablono
 DocType: Serial No,Delivery Details,Pristatymo informacija
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Kaina centras reikalingas eilės {0} mokesčių lentelė tipo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Kaina centras reikalingas eilės {0} mokesčių lentelė tipo {1}
 DocType: Program,Program Code,programos kodas
 DocType: Terms and Conditions,Terms and Conditions Help,Terminai ir sąlygos Pagalba
 ,Item-wise Purchase Register,Prekė išmintingas pirkimas Registruotis
@@ -6969,15 +7047,16 @@
 DocType: Contract,Contract Terms,Sutarties sąlygos
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Nerodyti kaip $ ir tt simbolis šalia valiutomis.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Komponento {0} didžiausias naudos kiekis viršija {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Pusė dienos)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Pusė dienos)
 DocType: Payment Term,Credit Days,kredito dienų
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Prašome pasirinkti &quot;Pacientas&quot;, kad gautumėte &quot;Lab&quot; testus"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Padaryti Studentų Serija
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Leisti perduoti gamybai
 DocType: Leave Type,Is Carry Forward,Ar perkelti
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Gauti prekes iš BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Gauti prekes iš BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Švinas Laikas dienas
 DocType: Cash Flow Mapping,Is Income Tax Expense,Yra pajamų mokesčio sąnaudos
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Jūsų užsakymas pristatytas!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Eilutės # {0}: Siunčiamos data turi būti tokia pati kaip pirkimo datos {1} Turto {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Pažymėkite, jei tas studentas gyvena institute bendrabutyje."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Prašome įvesti pardavimų užsakymų pirmiau pateiktoje lentelėje
@@ -6985,10 +7064,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Perduoti turtą iš vieno sandėlio į kitą
 DocType: Vehicle,Petrol,benzinas
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Likusios naudos (kasmet)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Sąmata
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Sąmata
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Eilutės {0}: Šalis tipas ir partijos reikalingas gautinos / mokėtinos sąskaitos {1}
 DocType: Employee,Leave Policy,Palikti politiką
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Atnaujinti elementus
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Atnaujinti elementus
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,teisėjas data
 DocType: Employee,Reason for Leaving,Išvykimo priežastis
 DocType: BOM Operation,Operating Cost(Company Currency),Operacinė Kaina (Įmonės valiuta)
@@ -6999,7 +7078,7 @@
 DocType: Department,Expense Approvers,Išlaidų patvirtinėjai
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Eilutės {0}: debeto įrašą negali būti susieta su {1}
 DocType: Journal Entry,Subscription Section,Prenumeratos skyrius
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Sąskaita {0} neegzistuoja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Sąskaita {0} neegzistuoja
 DocType: Training Event,Training Program,Treniravimosi programa
 DocType: Account,Cash,pinigai
 DocType: Employee,Short biography for website and other publications.,Trumpa biografija interneto svetainės ir kitų leidinių.
diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv
index a56815d..b210303 100644
--- a/erpnext/translations/lv.csv
+++ b/erpnext/translations/lv.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Klientu Items
 DocType: Project,Costing and Billing,Izmaksu un Norēķinu
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Avansa konta valūtā jābūt tādai pašai kā uzņēmuma valūtai {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Konts {0}: Mātes vērā {1} nevar būt grāmata
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Konts {0}: Mātes vērā {1} nevar būt grāmata
 DocType: Item,Publish Item to hub.erpnext.com,Publicēt postenis uz hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nevar atrast aktīvo atlikušo periodu
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nevar atrast aktīvo atlikušo periodu
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,novērtējums
 DocType: Item,Default Unit of Measure,Default Mērvienība
 DocType: SMS Center,All Sales Partner Contact,Visi Sales Partner Kontakti
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,"Noklikšķiniet uz Ievadīt, lai pievienotu"
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Trūkst paroles, API atslēgas vai Shopify URL vērtības"
 DocType: Employee,Rented,Īrēts
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Visi konti
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Visi konti
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Nevar pārcelt Darbinieks ar statusu pa kreisi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Pārtraucis ražošanu rīkojums nevar tikt atcelts, Unstop to vispirms, lai atceltu"
 DocType: Vehicle Service,Mileage,Nobraukums
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Vai jūs tiešām vēlaties atteikties šo aktīvu?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Vai jūs tiešām vēlaties atteikties šo aktīvu?
 DocType: Drug Prescription,Update Schedule,Atjaunināt plānu
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Select Default piegādātājs
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Rādīt darbinieku
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Jauns valūtas kurss
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valūta ir nepieciešama Cenrāža {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valūta ir nepieciešama Cenrāža {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Tiks aprēķināts darījumā.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Klientu Kontakti
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Tas ir balstīts uz darījumiem pret šo piegādātāju. Skatīt grafiku zemāk informāciju
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Pārprodukcijas procents par darba kārtību
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Juridisks
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Juridisks
+DocType: Delivery Note,Transport Receipt Date,Transporta saņemšanas datums
 DocType: Shopify Settings,Sales Order Series,Pārdošanas pasūtījumu sērija
 DocType: Vital Signs,Tongue,Mēle
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA atbrīvojums
 DocType: Sales Invoice,Customer Name,Klienta vārds
 DocType: Vehicle,Natural Gas,Dabasgāze
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankas konts nevar tikt nosaukts par {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankas konts nevar tikt nosaukts par {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA kā algu struktūra
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vadītāji (vai grupas), pret kuru grāmatvedības ieraksti tiek veikti, un atlikumi tiek uzturēti."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Iekavēti {0} nevar būt mazāka par nulli ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Pakalpojuma apstāšanās datums nevar būt pirms pakalpojuma sākuma datuma
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Pakalpojuma apstāšanās datums nevar būt pirms pakalpojuma sākuma datuma
 DocType: Manufacturing Settings,Default 10 mins,Pēc noklusējuma 10 min
 DocType: Leave Type,Leave Type Name,Atstājiet veida nosaukums
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Rādīt open
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Rādīt open
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Series Atjaunots Veiksmīgi
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,izrakstīšanās
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} rindā {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} rindā {1}
 DocType: Asset Finance Book,Depreciation Start Date,Nolietojuma sākuma datums
 DocType: Pricing Rule,Apply On,Piesakies On
 DocType: Item Price,Multiple Item prices.,Vairāki Izstrādājumu cenas.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,atbalsta iestatījumi
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,"Paredzams, beigu datums nevar būt mazāki nekā paredzēts sākuma datuma"
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS iestatījumi
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Novērtēt jābūt tāda pati kā {1} {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Novērtēt jābūt tāda pati kā {1} {2} ({3} / {4})
 ,Batch Item Expiry Status,Partijas Prece derīguma statuss
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Banka projekts
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primārā kontaktinformācija
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Atvērt jautājumi
 DocType: Production Plan Item,Production Plan Item,Ražošanas plāna punktu
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Lietotāja {0} jau ir piešķirts Darbinieku {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Lietotāja {0} jau ir piešķirts Darbinieku {1}
 DocType: Lab Test Groups,Add new line,Pievienot jaunu rindu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Veselības aprūpe
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Maksājuma kavējums (dienas)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab prescription
 ,Delay Days,Kavēšanās dienas
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Servisa izdevumu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Sērijas numurs: {0} jau ir atsauce pārdošanas rēķina: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Sērijas numurs: {0} jau ir atsauce pārdošanas rēķina: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Pavadzīme
 DocType: Purchase Invoice Item,Item Weight Details,Vienuma svara dati
 DocType: Asset Maintenance Log,Periodicity,Periodiskums
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskālā gads {0} ir vajadzīga
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Piegādātājs&gt; Piegādātāju grupa
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimālais attālums starp augu rindām optimālai augšanai
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Aizstāvēšana
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Brīvdienu saraksts
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Grāmatvedis
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Pārdošanas cenrādis
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Pārdošanas cenrādis
 DocType: Patient,Tobacco Current Use,Tabakas patēriņš
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Pārdošanas likme
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Pārdošanas likme
 DocType: Cost Center,Stock User,Stock User
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontaktinformācija
 DocType: Company,Phone No,Tālruņa Nr
 DocType: Delivery Trip,Initial Email Notification Sent,Sūtīts sākotnējais e-pasta paziņojums
 DocType: Bank Statement Settings,Statement Header Mapping,Paziņojuma galvenes kartēšana
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Abonēšanas sākuma datums
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Neapstiprinātie debitoru parādi, kas jāizmanto, ja pacienti nav noteikti, lai rezervētu iecelšanas maksas."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Pievienojiet .csv failu ar divām kolonnām, viena veco nosaukumu un vienu jaunu nosaukumu"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,No 2. adreses
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Vienības kods&gt; Vienības grupa&gt; Zīmols
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,No 2. adreses
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} nekādā aktīvajā fiskālajā gadā.
 DocType: Packed Item,Parent Detail docname,Parent Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Reference: {0}, Produkta kods: {1} un Klients: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} mātes sabiedrībā nav
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} mātes sabiedrībā nav
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Pārbaudes beigu datums nevar būt pirms pārbaudes laika sākuma datuma
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Nodokļu ieturēšanas kategorija
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklāma
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Pats uzņēmums ir reģistrēts vairāk nekā vienu reizi
 DocType: Patient,Married,Precējies
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Aizliegts {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Aizliegts {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Dabūtu preces no
 DocType: Price List,Price Not UOM Dependant,Cena nav atkarīga no UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Piesakies nodokļa ieturējuma summai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Preces nevar atjaunināt pret piegāde piezīme {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Kopējā kredīta summa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Preces nevar atjaunināt pret piegāde piezīme {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Kopējā kredīta summa
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkta {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nav minētie posteņi
 DocType: Asset Repair,Error Description,Kļūdas apraksts
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Izmantojiet pielāgotu naudas plūsmas formātu
 DocType: SMS Center,All Sales Person,Visi Sales Person
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mēneša Distribution ** palīdz izplatīt Budžeta / Target pāri mēnešiem, ja jums ir sezonalitātes jūsu biznesu."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nav atrastas preces
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Algu struktūra Trūkst
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nav atrastas preces
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Algu struktūra Trūkst
 DocType: Lead,Person Name,Persona Name
 DocType: Sales Invoice Item,Sales Invoice Item,PPR produkts
 DocType: Account,Credit,Kredīts
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,akciju Ziņojumi
 DocType: Warehouse,Warehouse Detail,Noliktava Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Beigu datums nedrīkst būt vēlāk kā gadu beigu datums akadēmiskā gada, uz kuru termiņš ir saistīts (akadēmiskais gads {}). Lūdzu izlabojiet datumus un mēģiniet vēlreiz."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Vai pamatlīdzeklis&quot; nevar būt nekontrolēti, jo Asset ieraksts pastāv pret posteņa"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Vai pamatlīdzeklis&quot; nevar būt nekontrolēti, jo Asset ieraksts pastāv pret posteņa"
 DocType: Delivery Trip,Departure Time,Izbraukšanas laiks
 DocType: Vehicle Service,Brake Oil,bremžu eļļa
 DocType: Tax Rule,Tax Type,Nodokļu Type
 ,Completed Work Orders,Pabeigti darba uzdevumi
 DocType: Support Settings,Forum Posts,Foruma ziņas
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Ar nodokli apliekamā summa
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Ar nodokli apliekamā summa
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Jums nav atļauts pievienot vai atjaunināt ierakstus pirms {0}
 DocType: Leave Policy,Leave Policy Details,Atstājiet politikas informāciju
 DocType: BOM,Item Image (if not slideshow),Postenis attēls (ja ne slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Stundas likme / 60) * Faktiskais darba laiks
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rinda # {0}: atsauces dokumenta tipam jābūt vienam no izdevumu pieprasījuma vai žurnāla ieraksta
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Select BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rinda # {0}: atsauces dokumenta tipam jābūt vienam no izdevumu pieprasījuma vai žurnāla ieraksta
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Select BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Izmaksas piegādāto preču
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Svētki uz {0} nav starp No Datums un līdz šim
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Piegādātāja pozīciju veidnes.
 DocType: Lead,Interested,Ieinteresēts
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Atklāšana
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},No {0} uz {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},No {0} uz {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programma:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Neizdevās iestatīt nodokļus
 DocType: Item,Copy From Item Group,Kopēt no posteņa grupas
-DocType: Delivery Trip,Delivery Notification,Piegādes paziņojums
 DocType: Journal Entry,Opening Entry,Atklāšanas Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konts Pay Tikai
 DocType: Loan,Repay Over Number of Periods,Atmaksāt Over periodu skaits
 DocType: Stock Entry,Additional Costs,Papildu izmaksas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Konts ar esošo darījumu nevar pārvērst grupai.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Konts ar esošo darījumu nevar pārvērst grupai.
 DocType: Lead,Product Enquiry,Produkts Pieprasījums
 DocType: Education Settings,Validate Batch for Students in Student Group,Apstiprināt partiju studentiem Studentu grupas
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nav atvaļinājums ieraksts down darbiniekam {0} uz {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ievadiet uzņēmuma pirmais
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Lūdzu, izvēlieties Company pirmais"
 DocType: Employee Education,Under Graduate,Zem absolvents
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"Lūdzu, iestatiet noklusējuma veidni statusam Paziņojums par atstāšanu personāla iestatījumos."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"Lūdzu, iestatiet noklusējuma veidni statusam Paziņojums par atstāšanu personāla iestatījumos."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Mērķa On
 DocType: BOM,Total Cost,Kopējās izmaksas
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Paziņojums par konta
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Pharmaceuticals
 DocType: Purchase Invoice Item,Is Fixed Asset,Vai pamatlīdzekļa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Pieejams Daudzums ir {0}, jums ir nepieciešams, {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Pieejams Daudzums ir {0}, jums ir nepieciešams, {1}"
 DocType: Expense Claim Detail,Claim Amount,Prasības summa
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Darba pasūtījums ir {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Kvalitātes pārbaudes veidne
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Vai vēlaties atjaunināt apmeklēšanu? <br> Present: {0} \ <br> Nekonstatē: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pieņemts + Noraidīts Daudz ir jābūt vienādam ar Saņemts daudzumu postenī {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pieņemts + Noraidīts Daudz ir jābūt vienādam ar Saņemts daudzumu postenī {0}
 DocType: Item,Supply Raw Materials for Purchase,Piegādes izejvielas iegādei
 DocType: Agriculture Analysis Criteria,Fertilizer,Mēslojums
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Nevaru nodrošināt piegādi ar kārtas numuru, jo \ Item {0} tiek pievienots ar un bez nodrošināšanas piegādes ar \ Serial Nr."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Vismaz viens maksājuma veids ir nepieciešams POS rēķinu.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Vismaz viens maksājuma veids ir nepieciešams POS rēķinu.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankas izziņa Darījuma rēķina postenis
 DocType: Products Settings,Show Products as a List,Rādīt produktus kā sarakstu
 DocType: Salary Detail,Tax on flexible benefit,Nodoklis par elastīgu pabalstu
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Materiāla pieprasījums detalizēti
 DocType: Selling Settings,Default Quotation Validity Days,Nokotināšanas cesijas derīguma dienas
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Lai iekļautu nodokli rindā {0} vienības likmes, nodokļi rindās {1} ir jāiekļauj arī"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Lai iekļautu nodokli rindā {0} vienības likmes, nodokļi rindās {1} ir jāiekļauj arī"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Apstiprināt apmeklējumu
 DocType: Sales Invoice,Change Amount,Mainīt Summa
 DocType: Party Tax Withholding Config,Certificate Received,Saņemts sertifikāts
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,"Iestatīt rēķina vērtību B2C. B2CL un B2CS, kas aprēķināti, pamatojoties uz šo rēķina vērtību."
 DocType: BOM Update Tool,New BOM,Jaunais BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Noteiktas procedūras
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Noteiktas procedūras
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Rādīt tikai POS
 DocType: Supplier Group,Supplier Group Name,Piegādātāja grupas nosaukums
 DocType: Driver,Driving License Categories,Vadītāja apliecību kategorijas
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Algu periodi
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Izveidot darbinieku
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Apraides
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS (tiešsaistes / bezsaistes) iestatīšanas režīms
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS (tiešsaistes / bezsaistes) iestatīšanas režīms
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Atspējo laika žurnālu izveidi pret darba uzdevumiem. Darbības netiek izsekotas saskaņā ar darba kārtību
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Izpildīšana
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Sīkāka informācija par veiktajām darbībām.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Atlaide Cenrādis Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Vienuma veidne
 DocType: Job Offer,Select Terms and Conditions,Izvēlieties Noteikumi un nosacījumi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,out Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,out Value
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Bankas pārskata iestatījumu postenis
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce iestatījumi
 DocType: Production Plan,Sales Orders,Pārdošanas pasūtījumu
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,"Par citāts pieprasījumu var piekļūt, uzklikšķinot uz šīs saites"
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Maksājuma apraksts
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,nepietiekama Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,nepietiekama Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Atslēgt Capacity plānošana un laika uzskaites
 DocType: Email Digest,New Sales Orders,Jauni Pārdošanas pasūtījumu
 DocType: Bank Account,Bank Account,Bankas konts
 DocType: Travel Itinerary,Check-out Date,Izbraukšanas datums
 DocType: Leave Type,Allow Negative Balance,Atļaut negatīvo atlikumu
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Jūs nevarat izdzēst projekta veidu &quot;Ārējais&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Izvēlieties alternatīvo vienumu
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Izvēlieties alternatīvo vienumu
 DocType: Employee,Create User,Izveidot lietotāju
 DocType: Selling Settings,Default Territory,Default Teritorija
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televīzija
 DocType: Work Order Operation,Updated via 'Time Log',"Atjaunināt, izmantojot ""Time Ieiet"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Izvēlieties klientu vai piegādātāju.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Advance summa nevar būt lielāka par {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Advance summa nevar būt lielāka par {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Laika niša ir izlaista, slots {0} līdz {1} pārklājas, kas atrodas slotā {2} līdz {3}"
 DocType: Naming Series,Series List for this Transaction,Sērija saraksts par šo darījumu
 DocType: Company,Enable Perpetual Inventory,Iespējot nepārtrauktās inventarizācijas
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Pret pārdošanas rēķinu posteni
 DocType: Agriculture Analysis Criteria,Linked Doctype,Saistīts doktīks
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Neto naudas no finansēšanas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage ir pilna, nebija glābt"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage ir pilna, nebija glābt"
 DocType: Lead,Address & Contact,Adrese un kontaktinformācija
 DocType: Leave Allocation,Add unused leaves from previous allocations,Pievienot neizmantotās lapas no iepriekšējiem piešķīrumiem
 DocType: Sales Partner,Partner website,Partner mājas lapa
@@ -447,10 +447,10 @@
 ,Open Work Orders,Atvērt darba pasūtījumus
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Pacientu konsultāciju maksas postenis
 DocType: Payment Term,Credit Months,Kredīta mēneši
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Net Pay nedrīkst būt mazāka par 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Net Pay nedrīkst būt mazāka par 0
 DocType: Contract,Fulfilled,Izpildīts
 DocType: Inpatient Record,Discharge Scheduled,Izlaide ir plānota
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Atbrīvojot datums nedrīkst būt lielāks par datums savienošana
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Atbrīvojot datums nedrīkst būt lielāks par datums savienošana
 DocType: POS Closing Voucher,Cashier,Kasieris
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Lapām gadā
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rinda {0}: Lūdzu, pārbaudiet ""Vai Advance"" pret kontā {1}, ja tas ir iepriekš ieraksts."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Lūdzu, izveidojiet Studentu grupas Studentu grupas ietvaros"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Pabeigt darbu
 DocType: Item Website Specification,Item Website Specification,Postenis Website Specifikācija
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Atstājiet Bloķēts
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Postenis {0} ir sasniedzis beigas dzīves uz {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Atstājiet Bloķēts
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Postenis {0} ir sasniedzis beigas dzīves uz {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,bankas ieraksti
 DocType: Customer,Is Internal Customer,Ir iekšējais klients
 DocType: Crop,Annual,Gada
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ja tiek atzīmēta opcija Automātiskā opcija, klienti tiks automātiski saistīti ar attiecīgo lojalitātes programmu (saglabājot)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Samierināšanās postenis
 DocType: Stock Entry,Sales Invoice No,PPR Nr
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Piegādes tips
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Piegādes tips
 DocType: Material Request Item,Min Order Qty,Min Order Daudz
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studentu grupa Creation Tool Course
 DocType: Lead,Do Not Contact,Nesazināties
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publicē Hub
 DocType: Student Admission,Student Admission,Studentu uzņemšana
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Postenis {0} ir atcelts
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Postenis {0} ir atcelts
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Nolietojuma rinda {0}: nolietojuma sākuma datums tiek ierakstīts kā pagājis datums
 DocType: Contract Template,Fulfilment Terms and Conditions,Izpildes noteikumi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materiāls Pieprasījums
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materiāls Pieprasījums
 DocType: Bank Reconciliation,Update Clearance Date,Update Klīrenss Datums
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Pirkuma Details
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},{0} Prece nav atrasts &quot;Izejvielu Kopā&quot; tabulā Pirkuma pasūtījums {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},{0} Prece nav atrasts &quot;Izejvielu Kopā&quot; tabulā Pirkuma pasūtījums {1}
 DocType: Salary Slip,Total Principal Amount,Kopējā pamatkapitāla summa
 DocType: Student Guardian,Relation,Attiecība
 DocType: Student Guardian,Mother,māte
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Piegāde County
 DocType: Currency Exchange,For Selling,Pārdošanai
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Mācīties
+DocType: Purchase Invoice Item,Enable Deferred Expense,Iespējot atliktos izdevumus
 DocType: Asset,Next Depreciation Date,Nākamais Nolietojums Datums
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitāte izmaksas uz vienu darbinieku
 DocType: Accounts Settings,Settings for Accounts,Iestatījumi kontu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Piegādātājs Invoice Nr pastāv pirkuma rēķina {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Piegādātājs Invoice Nr pastāv pirkuma rēķina {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Pārvaldīt pārdošanas persona Tree.
 DocType: Job Applicant,Cover Letter,Pavadvēstule
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"Izcilas Čeki un noguldījumi, lai nodzēstu"
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Ārējā Work Vēsture
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Apļveida Reference kļūda
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studentu ziņojuma karte
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,No PIN koda
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,No PIN koda
 DocType: Appointment Type,Is Inpatient,Ir stacionārs
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 vārds
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Vārdos (eksportam) būs redzams pēc tam, kad jums ietaupīt pavadzīmi."
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Multi Valūtas
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Rēķins Type
 DocType: Employee Benefit Claim,Expense Proof,Izdevumu pierādījums
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Piegāde Note
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Saglabājot {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Piegāde Note
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Iestatīšana Nodokļi
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Izmaksas Sold aktīva
 DocType: Volunteer,Morning,Rīts
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksājums Entry ir modificēts pēc velk to. Lūdzu, velciet to vēlreiz."
 DocType: Program Enrollment Tool,New Student Batch,Jauna studentu partija
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ieraksta divreiz Vienības nodokli
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Kopsavilkums par šo nedēļu un izskatāmo darbību
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ieraksta divreiz Vienības nodokli
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Kopsavilkums par šo nedēļu un izskatāmo darbību
 DocType: Student Applicant,Admitted,uzņemta
 DocType: Workstation,Rent Cost,Rent izmaksas
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Summa Pēc nolietojums
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Summa Pēc nolietojums
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Gaidāmie Kalendāra notikumi
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant atribūti
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Lūdzu, izvēlieties mēnesi un gadu"
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Tur var būt tikai 1 konts per Company {0} {1}
 DocType: Support Search Source,Response Result Key Path,Atbildes rezultātu galvenais ceļš
 DocType: Journal Entry,Inter Company Journal Entry,Inter uzņēmuma žurnāla ieraksts
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Daudzumam {0} nevajadzētu būt lielākam par darba pasūtījuma daudzumu {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Lūdzu, skatiet pielikumu"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Daudzumam {0} nevajadzētu būt lielākam par darba pasūtījuma daudzumu {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Lūdzu, skatiet pielikumu"
 DocType: Purchase Order,% Received,% Saņemts
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Izveidot studentu grupas
 DocType: Volunteer,Weekends,Brīvdienās
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Kopā izcilā
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mainīt sākuma / pašreizējo kārtas numuru esošam sēriju.
 DocType: Dosage Strength,Strength,Stiprums
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Izveidot jaunu Klientu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Izveidot jaunu Klientu
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Beidzas uz
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ja vairāki Cenu Noteikumi turpina dominēt, lietotāji tiek aicināti noteikt prioritāti manuāli atrisināt konfliktu."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Izveidot pirkuma pasūtījumu
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Patērējamās izmaksas
 DocType: Purchase Receipt,Vehicle Date,Transportlīdzekļu Datums
 DocType: Student Log,Medical,Medicīnisks
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Iemesls zaudēt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,"Lūdzu, izvēlieties Drug"
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Iemesls zaudēt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,"Lūdzu, izvēlieties Drug"
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Svins Īpašnieks nevar būt tāds pats kā galvenajam
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Piešķirtā summa nevar pārsniedz nekoriģētajām summu
 DocType: Announcement,Receiver,Saņēmējs
 DocType: Location,Area UOM,Platība UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"Darbstacija ir slēgta šādos datumos, kā par Holiday saraksts: {0}"
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Iespējas
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Iespējas
 DocType: Lab Test Template,Single,Viens
 DocType: Compensatory Leave Request,Work From Date,Darbs no datuma
 DocType: Salary Slip,Total Loan Repayment,Kopā Aizdevuma atmaksa
+DocType: Project User,View attachments,Skatīt pielikumus
 DocType: Account,Cost of Goods Sold,Pārdotās produkcijas ražošanas izmaksas
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Ievadiet izmaksu centram
 DocType: Drug Prescription,Dosage,Devas
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Daudzums un Rate
 DocType: Delivery Note,% Installed,% Uzstādīts
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Klases / Laboratories etc kur lekcijas var tikt plānots.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Abu uzņēmumu kompāniju valūtām vajadzētu atbilst Inter uzņēmuma darījumiem.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Abu uzņēmumu kompāniju valūtām vajadzētu atbilst Inter uzņēmuma darījumiem.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Ievadiet uzņēmuma nosaukumu pirmais
 DocType: Travel Itinerary,Non-Vegetarian,Ne-veģetārietis
 DocType: Purchase Invoice,Supplier Name,Piegādātājs Name
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Uz laiku turēts
 DocType: Account,Is Group,Is Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kredīta piezīme {0} ir izveidota automātiski
-DocType: Email Digest,Pending Purchase Orders,Kamēr pirkuma pasūtījumu
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automātiski iestata Serial Nos pamatojoties uz FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Pārbaudiet Piegādātājs Rēķina numurs Unikalitāte
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primārās adreses dati
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Pielāgot ievada tekstu, kas iet kā daļu no šīs e-pastu. Katrs darījums ir atsevišķa ievada tekstu."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Rinda {0}: darbībai nepieciešama izejvielu vienība {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Lūdzu iestatīt noklusēto maksājams konts uzņēmumam {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Darījums nav atļauts pret apstādināto darbu Pasūtījums {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Darījums nav atļauts pret apstādināto darbu Pasūtījums {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globālie uzstādījumi visām ražošanas procesiem.
 DocType: Accounts Settings,Accounts Frozen Upto,Konti Frozen Līdz pat
 DocType: SMS Log,Sent On,Nosūtīts
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Prasme {0} izvēlēts vairākas reizes atribūtos tabulā
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Prasme {0} izvēlēts vairākas reizes atribūtos tabulā
 DocType: HR Settings,Employee record is created using selected field. ,"Darbinieku ieraksts tiek izveidota, izmantojot izvēlēto laukumu."
 DocType: Sales Order,Not Applicable,Nav piemērojams
 DocType: Amazon MWS Settings,UK,Lielbritānija
@@ -753,21 +755,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Darbinieks {0} jau ir iesniedzis {1} pieteikumu {2}:
 DocType: Inpatient Record,AB Positive,AB pozitīvs
 DocType: Job Opening,Description of a Job Opening,Apraksts par vakanču
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Neapstiprinātas aktivitātes šodienu
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Neapstiprinātas aktivitātes šodienu
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Alga Component kontrolsaraksts balstīta algas.
+DocType: Driver,Applicable for external driver,Attiecas uz ārēju draiveri
 DocType: Sales Order Item,Used for Production Plan,Izmanto ražošanas plānu
 DocType: Loan,Total Payment,kopējais maksājums
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Nevar atcelt darījumu Pabeigtajam darba uzdevumam.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Nevar atcelt darījumu Pabeigtajam darba uzdevumam.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Laiks starp operācijām (Min)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO jau izveidots visiem pārdošanas pasūtījumu posteņiem
 DocType: Healthcare Service Unit,Occupied,Aizņemts
 DocType: Clinical Procedure,Consumables,Izejmateriāli
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} tiek anulēts tā darbība nevar tikt pabeigta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} tiek anulēts tā darbība nevar tikt pabeigta
 DocType: Customer,Buyer of Goods and Services.,Pircējs Preču un pakalpojumu.
 DocType: Journal Entry,Accounts Payable,Kreditoru
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Šajā maksājuma pieprasījumā iestatītā {0} summa atšķiras no aprēķināto visu maksājumu plānu summas: {1}. Pirms dokumenta iesniegšanas pārliecinieties, vai tas ir pareizi."
 DocType: Patient,Allergies,Alerģijas
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Izvēlētie BOMs nav par to pašu posteni
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Izvēlētie BOMs nav par to pašu posteni
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Mainīt vienības kodu
 DocType: Supplier Scorecard Standing,Notify Other,Paziņot par citu
 DocType: Vital Signs,Blood Pressure (systolic),Asinsspiediens (sistolisks)
@@ -779,7 +782,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Pietiekami Parts Build
 DocType: POS Profile User,POS Profile User,POS lietotāja profils
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Rinda {0}: ir jānosaka nolietojuma sākuma datums
-DocType: Sales Invoice Item,Service Start Date,Pakalpojuma sākuma datums
+DocType: Purchase Invoice Item,Service Start Date,Pakalpojuma sākuma datums
 DocType: Subscription Invoice,Subscription Invoice,Abonēšanas rēķins
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Direct Ienākumi
 DocType: Patient Appointment,Date TIme,Datums Laiks
@@ -799,7 +802,7 @@
 DocType: Lab Test Template,Lab Routine,Laboratorijas kārtība
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmētika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,"Lūdzu, atlasiet pabeigtā īpašuma uzturēšanas žurnāla pabeigšanas datumu"
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Apvienoties, šādi īpašībām jābūt vienādam abiem posteņiem"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Apvienoties, šādi īpašībām jābūt vienādam abiem posteņiem"
 DocType: Supplier,Block Supplier,Bloķēt piegādātāju
 DocType: Shipping Rule,Net Weight,Neto svars
 DocType: Job Opening,Planned number of Positions,Plānotais pozīciju skaits
@@ -821,19 +824,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Naudas plūsmas kartēšanas veidne
 DocType: Travel Request,Costing Details,Izmaksu detalizācija
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Rādīt atgriešanās ierakstus
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Sērijas neviens punkts nevar būt daļa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Sērijas neviens punkts nevar būt daļa
 DocType: Journal Entry,Difference (Dr - Cr),Starpība (Dr - Cr)
 DocType: Bank Guarantee,Providing,Nodrošināt
 DocType: Account,Profit and Loss,Peļņa un zaudējumi
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nav atļauts, konfigurēt Laba testa veidni, ja nepieciešams"
 DocType: Patient,Risk Factors,Riska faktori
 DocType: Patient,Occupational Hazards and Environmental Factors,Darba vides apdraudējumi un vides faktori
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,"Rezerves ieraksti, kas jau ir izveidoti darba uzdevumā"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,"Rezerves ieraksti, kas jau ir izveidoti darba uzdevumā"
 DocType: Vital Signs,Respiratory rate,Elpošanas ātrums
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Managing Apakšuzņēmēji
 DocType: Vital Signs,Body Temperature,Ķermeņa temperatūra
 DocType: Project,Project will be accessible on the website to these users,Projekts būs pieejams tīmekļa vietnē ar šo lietotāju
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Nevar atcelt {0} {1}, jo sērijas Nr. {2} neietilpst noliktavā {3}"
 DocType: Detected Disease,Disease,Slimība
+DocType: Company,Default Deferred Expense Account,Noklusētā atliktā izdevumu konts
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definējiet projekta veidu.
 DocType: Supplier Scorecard,Weighting Function,Svēršanas funkcija
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting maksas
@@ -850,7 +855,7 @@
 DocType: Crop,Produced Items,Ražotie vienumi
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Darīt darījumu ar rēķiniem
 DocType: Sales Order Item,Gross Profit,Bruto peļņa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Atbloķēt rēķinu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Atbloķēt rēķinu
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Pieaugums nevar būt 0
 DocType: Company,Delete Company Transactions,Dzēst Uzņēmums Darījumi
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Atsauces Nr un atsauces datums ir obligāta Bank darījumu
@@ -871,11 +876,11 @@
 DocType: Budget,Ignore,Ignorēt
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} nav aktīvs
 DocType: Woocommerce Settings,Freight and Forwarding Account,Kravu un pārsūtīšanas konts
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Setup pārbaudīt izmēri drukāšanai
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Setup pārbaudīt izmēri drukāšanai
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Izmaksāt algas
 DocType: Vital Signs,Bloated,Uzpūsts
 DocType: Salary Slip,Salary Slip Timesheet,Alga Slip laika kontrolsaraksts
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Piegādātājs Noliktava obligāta nolīgta apakšuzņēmuma pirkuma čeka
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Piegādātājs Noliktava obligāta nolīgta apakšuzņēmuma pirkuma čeka
 DocType: Item Price,Valid From,Derīgs no
 DocType: Sales Invoice,Total Commission,Kopā Komisija
 DocType: Tax Withholding Account,Tax Withholding Account,Nodokļu ieturēšanas konts
@@ -883,12 +888,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Visi Piegādātāju rādītāju kartes.
 DocType: Buying Settings,Purchase Receipt Required,Pirkuma čeka Nepieciešamais
 DocType: Delivery Note,Rail,Dzelzceļš
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Mērķa noliktavā rindā {0} jābūt tādam pašam kā darba kārtībā
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Vērtēšana Rate ir obligāta, ja atvēršana Stock ievadīts"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Mērķa noliktavā rindā {0} jābūt tādam pašam kā darba kārtībā
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Vērtēšana Rate ir obligāta, ja atvēršana Stock ievadīts"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nav atrasti rēķinu tabulas ieraksti
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Lūdzu, izvēlieties Uzņēmumu un Party tips pirmais"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Lietotājam {1} jau ir iestatīts noklusējuma profils {0}, lūdzu, atspējots noklusējums"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finanšu / grāmatvedības gadā.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finanšu / grāmatvedības gadā.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Uzkrātās vērtības
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Atvainojiet, Serial Nos nevar tikt apvienots"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Klientu grupa iestatīta uz izvēlēto grupu, kamēr tiek slēgta Shopify klientu skaits"
@@ -902,7 +907,7 @@
 ,Lead Id,Potenciālā klienta ID
 DocType: C-Form Invoice Detail,Grand Total,Pavisam kopā
 DocType: Assessment Plan,Course,kurss
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Nodaļas kods
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Nodaļas kods
 DocType: Timesheet,Payslip,algas lapu
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Pusdienas dienas datumam jābūt starp datumu un datumu
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Prece grozs
@@ -911,7 +916,8 @@
 DocType: Employee,Personal Bio,Personīgais Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Dalības ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Piegādāts: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Piegādāts: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Savienots ar QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Maksājama konts
 DocType: Payment Entry,Type of Payment,Apmaksas veids
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Pusdienu datums ir obligāts
@@ -923,7 +929,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Piegādes norēķinu datums
 DocType: Production Plan,Production Plan,Ražošanas plāns
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Rēķinu izveides rīka atvēršana
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Sales Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Piezīme: Kopā piešķirtie lapas {0} nedrīkst būt mazāks par jau apstiprināto lapām {1} par periodu
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Iestatiet daudzumu darījumos, kuru pamatā ir sērijas Nr. Ievade"
 ,Total Stock Summary,Kopā Stock kopsavilkums
@@ -936,9 +942,9 @@
 DocType: Authorization Rule,Customer or Item,Klients vai postenis
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Klientu datu bāzi.
 DocType: Quotation,Quotation To,Piedāvājums:
-DocType: Lead,Middle Income,Middle Ienākumi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Middle Ienākumi
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Atvere (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default mērvienība postenī {0} nevar mainīt tieši tāpēc, ka jums jau ir zināma darījuma (-us) ar citu UOM. Jums būs nepieciešams, lai izveidotu jaunu posteni, lai izmantotu citu Default UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default mērvienība postenī {0} nevar mainīt tieši tāpēc, ka jums jau ir zināma darījuma (-us) ar citu UOM. Jums būs nepieciešams, lai izveidotu jaunu posteni, lai izmantotu citu Default UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Piešķirtā summa nevar būt negatīvs
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Lūdzu noteikt Company
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Lūdzu noteikt Company
@@ -956,15 +962,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Izvēlieties Maksājumu konts padarīt Banka Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Noklusējuma rēķina nosaukumu sērija
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Izveidot Darbinieku uzskaiti, lai pārvaldītu lapiņas, izdevumu deklarācijas un algas"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Atjaunināšanas procesa laikā radās kļūda
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Atjaunināšanas procesa laikā radās kļūda
 DocType: Restaurant Reservation,Restaurant Reservation,Restorāna rezervēšana
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Priekšlikums Writing
 DocType: Payment Entry Deduction,Payment Entry Deduction,Maksājumu Entry atskaitīšana
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Iesaiņošana
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Paziņojiet klientiem pa e-pastu
 DocType: Item,Batch Number Series,Sērijas numuru sērija
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Vēl Sales Person {0} pastāv ar to pašu darbinieku id
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Vēl Sales Person {0} pastāv ar to pašu darbinieku id
 DocType: Employee Advance,Claimed Amount,Pieprasītā summa
+DocType: QuickBooks Migrator,Authorization Settings,Autorizācijas iestatījumi
 DocType: Travel Itinerary,Departure Datetime,Izlidošanas datuma laiks
 DocType: Customer,CUST-.YYYY.-,CUST -.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Travel pieprasījumu izmaksu aprēķins
@@ -1004,26 +1011,29 @@
 DocType: Buying Settings,Supplier Naming By,Piegādātājs nosaukšana Līdz
 DocType: Activity Type,Default Costing Rate,Default Izmaksu Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Uzturēšana grafiks
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Tad Cenu Noteikumi tiek filtrētas, balstoties uz klientu, klientu grupā, teritorija, piegādātājs, piegādātāju veida, kampaņas, pārdošanas partneris uc"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Tad Cenu Noteikumi tiek filtrētas, balstoties uz klientu, klientu grupā, teritorija, piegādātājs, piegādātāju veida, kampaņas, pārdošanas partneris uc"
 DocType: Employee Promotion,Employee Promotion Details,Darbinieku veicināšanas dati
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Neto Izmaiņas sarakstā
 DocType: Employee,Passport Number,Pases numurs
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Saistība ar Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Vadītājs
 DocType: Payment Entry,Payment From / To,Maksājums no / uz
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,No fiskālā gada
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Jaunais kredītlimits ir mazāks nekā pašreizējais nesamaksātās summas par klientam. Kredīta limits ir jābūt atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},"Lūdzu, iestatiet kontu noliktavā {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},"Lūdzu, iestatiet kontu noliktavā {0}"
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Pamatojoties uz"" un ""Grupēt pēc"", nevar būt vienādi"
 DocType: Sales Person,Sales Person Targets,Sales Person Mērķi
 DocType: Work Order Operation,In minutes,Minūtēs
 DocType: Issue,Resolution Date,Izšķirtspēja Datums
 DocType: Lab Test Template,Compound,Savienojums
+DocType: Opportunity,Probability (%),Varbūtība (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Paziņojums par nosūtīšanu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Atlasiet Īpašums
 DocType: Student Batch Name,Batch Name,partijas nosaukums
 DocType: Fee Validity,Max number of visit,Maksimālais apmeklējuma skaits
 ,Hotel Room Occupancy,Viesnīcas istabu aizņemšana
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Kontrolsaraksts izveidots:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Lūdzu iestatītu standarta kases vai bankas kontu maksājuma veidu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Lūdzu iestatītu standarta kases vai bankas kontu maksājuma veidu {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,uzņemt
 DocType: GST Settings,GST Settings,GST iestatījumi
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valūtam jābūt tādam pašam kā Cenrādī Valūta: {0}
@@ -1064,12 +1074,12 @@
 DocType: Loan,Total Interest Payable,Kopā maksājamie procenti
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Izkrauti Izmaksu nodokļi un maksājumi
 DocType: Work Order Operation,Actual Start Time,Faktiskais Sākuma laiks
+DocType: Purchase Invoice Item,Deferred Expense Account,Atliktā izdevumu konts
 DocType: BOM Operation,Operation Time,Darbība laiks
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,apdare
 DocType: Salary Structure Assignment,Base,bāze
 DocType: Timesheet,Total Billed Hours,Kopā Apmaksājamie Stundas
 DocType: Travel Itinerary,Travel To,Ceļot uz
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nav
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Uzrakstiet Off summa
 DocType: Leave Block List Allow,Allow User,Atļaut lietotāju
 DocType: Journal Entry,Bill No,Bill Nr
@@ -1087,9 +1097,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Laika uzskaites tabula
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush izejvielas Based On
 DocType: Sales Invoice,Port Code,Ostas kods
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Rezerves noliktava
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Rezerves noliktava
 DocType: Lead,Lead is an Organization,Svins ir organizācija
-DocType: Guardian Interest,Interest,Interese
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pre Sales
 DocType: Instructor Log,Other Details,Cita informācija
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1099,7 +1108,7 @@
 DocType: Account,Accounts,Konti
 DocType: Vehicle,Odometer Value (Last),Odometra vērtību (Pēdējā)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Piegādes rezultātu rādītāju kritēriju kritēriji.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Mārketings
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Mārketings
 DocType: Sales Invoice,Redeem Loyalty Points,Izpirkt lojalitātes punktus
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Maksājums ieraksts ir jau radīta
 DocType: Request for Quotation,Get Suppliers,Iegūt piegādātājus
@@ -1116,16 +1125,14 @@
 DocType: Crop,Crop Spacing UOM,Crop starpība UOM
 DocType: Loyalty Program,Single Tier Program,Vienpakāpes programma
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Atlasiet tikai tad, ja esat iestatījis naudas plūsmas mapera dokumentus"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,No 1. adreses
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,No 1. adreses
 DocType: Email Digest,Next email will be sent on:,Nākamais e-pastu tiks nosūtīts uz:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master","Pēc vienuma {items} {verb}, kas atzīmēts kā {message} item. \ Jūs varat tos iespējot kā {message} vienību no objekta meistara"
 DocType: Supplier Scorecard,Per Week,Nedēļā
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Prece ir varianti.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Prece ir varianti.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Kopējais studējošais
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,{0} prece nav atrasta
 DocType: Bin,Stock Value,Stock Value
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Uzņēmuma {0} neeksistē
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Uzņēmuma {0} neeksistē
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} maksa ir spēkā līdz {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Daudz Patērētā Vienības
@@ -1141,7 +1148,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kredītkarte Entry
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Kompānija un konti
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,vērtība
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,vērtība
 DocType: Asset Settings,Depreciation Options,Nolietojuma iespējas
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Nepieciešama vieta vai darbinieks
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Nederīgs publicēšanas laiks
@@ -1158,20 +1165,21 @@
 DocType: Leave Allocation,Allocation,Piešķiršana
 DocType: Purchase Order,Supply Raw Materials,Piegādes izejvielas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Ilgtermiņa aktīvi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} nav krājums punkts
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} nav krājums punkts
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Lūdzu, dalīties ar jūsu atsauksmēm par apmācību, noklikšķinot uz &quot;Apmācības atsauksmes&quot; un pēc tam uz &quot;Jauns&quot;"
 DocType: Mode of Payment Account,Default Account,Default Account
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Vispirms izvēlieties parauga saglabāšanas noliktavu krājumu iestatījumos
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Vispirms izvēlieties parauga saglabāšanas noliktavu krājumu iestatījumos
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,"Lūdzu, izvēlieties vairāku līmeņu programmas tipu vairāk nekā vienam kolekcijas noteikumam."
 DocType: Payment Entry,Received Amount (Company Currency),Saņemtā summa (Company valūta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Potenciālais klients ir jānosaka, ja IESPĒJA ir izveidota no Potenciālā klienta"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Maksājums atcelts. Lai saņemtu sīkāku informāciju, lūdzu, pārbaudiet GoCardless kontu"
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Nosūtīt ar pielikumu
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Lūdzu, izvēlieties nedēļas off diena"
 DocType: Inpatient Record,O Negative,O negatīvs
 DocType: Work Order Operation,Planned End Time,Plānotais Beigu laiks
 ,Sales Person Target Variance Item Group-Wise,Sales Person Mērķa Variance Prece Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Konts ar esošo darījumu nevar pārvērst par virsgrāmatā
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Konts ar esošo darījumu nevar pārvērst par virsgrāmatā
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Mītnes veida dati
 DocType: Delivery Note,Customer's Purchase Order No,Klienta Pasūtījuma Nr
 DocType: Clinical Procedure,Consume Stock,Paturiet krājumus
@@ -1184,26 +1192,26 @@
 DocType: Soil Texture,Sand,Smiltis
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Enerģija
 DocType: Opportunity,Opportunity From,Iespēja no
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rinda {0}: {1} {2} vienumam ir vajadzīgi sērijas numuri. Jūs esat iesniedzis {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rinda {0}: {1} {2} vienumam ir vajadzīgi sērijas numuri. Jūs esat iesniedzis {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,"Lūdzu, atlasiet tabulu"
 DocType: BOM,Website Specifications,Website specifikācijas
 DocType: Special Test Items,Particulars,Daži dati
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: No {0} tipa {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Rinda {0}: pārveidošanas koeficients ir obligāta
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Rinda {0}: pārveidošanas koeficients ir obligāta
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Vairāki Cena Noteikumi pastāv ar tiem pašiem kritērijiem, lūdzu atrisināt konfliktus, piešķirot prioritāti. Cena Noteikumi: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Vairāki Cena Noteikumi pastāv ar tiem pašiem kritērijiem, lūdzu atrisināt konfliktus, piešķirot prioritāti. Cena Noteikumi: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Valūtas kursa pārvērtēšanas konts
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nevar atslēgt vai anulēt BOM, jo tas ir saistīts ar citām BOMs"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nevar atslēgt vai anulēt BOM, jo tas ir saistīts ar citām BOMs"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"Lūdzu, izvēlieties Uzņēmums un Publicēšanas datums, lai saņemtu ierakstus"
 DocType: Asset,Maintenance,Uzturēšana
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Iegūstiet no pacientu sastopas
 DocType: Subscriber,Subscriber,Abonents
 DocType: Item Attribute Value,Item Attribute Value,Postenis īpašības vērtība
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,"Lūdzu, atjauniniet savu projekta statusu"
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,"Lūdzu, atjauniniet savu projekta statusu"
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valūtas maiņa ir jāpiemēro pirkšanai vai pārdošanai.
 DocType: Item,Maximum sample quantity that can be retained,"Maksimālais parauga daudzums, ko var saglabāt"
 DocType: Project Update,How is the Project Progressing Right Now?,Kā projekts attīstās tieši tagad?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rinda {0} # Item {1} nevar tikt pārsūtīta vairāk nekā {2} pret pirkuma pasūtījumu {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rinda {0} # Item {1} nevar tikt pārsūtīta vairāk nekā {2} pret pirkuma pasūtījumu {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Pārdošanas kampaņas.
 DocType: Project Task,Make Timesheet,veikt laika kontrolsaraksts
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1232,36 +1240,38 @@
 DocType: Lab Test,Lab Test,Lab tests
 DocType: Student Report Generation Tool,Student Report Generation Tool,Studentu pārskata veidošanas rīks
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Veselības aprūpes grafiks laika nišā
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Name
 DocType: Expense Claim Detail,Expense Claim Type,Izdevumu Pretenzija Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Noklusējuma iestatījumi Grozs
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Pievienot laika vietnes
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset metāllūžņos via Journal Entry {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Lūdzu, iestatiet kontu noliktavā {0} vai noklusējuma inventarizācijas kontā uzņēmumā {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset metāllūžņos via Journal Entry {0}
 DocType: Loan,Interest Income Account,Procentu ienākuma konts
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Maksimālajiem pabalstiem jābūt lielākiem par nulli, lai atbrīvotu pabalstus"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Maksimālajiem pabalstiem jābūt lielākiem par nulli, lai atbrīvotu pabalstus"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Pārskatīt ielūgumu
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,Darbinieku pārskaitījuma īpašums
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Laika laikam jābūt mazākam par laiku
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotehnoloģija
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Vienums {0} (kārtas numurs: {1}) nevar tikt iztērēts, kā tas ir reserverd \, lai aizpildītu pārdošanas pasūtījumu {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Biroja uzturēšanas izdevumiem
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Iet uz
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Update Price no Shopify uz ERPNext cenu sarakstu
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Iestatīšana e-pasta konts
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Ievadiet Prece pirmais
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Vajadzību analīze
 DocType: Asset Repair,Downtime,Dīkstāves
 DocType: Account,Liability,Atbildība
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sodīt Summa nevar būt lielāka par prasības summas rindā {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sodīt Summa nevar būt lielāka par prasības summas rindā {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akadēmiskais termiņš:
 DocType: Salary Component,Do not include in total,Neiekļaujiet kopā
 DocType: Company,Default Cost of Goods Sold Account,Default pārdotās produkcijas ražošanas izmaksas konta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Paraugu skaits {0} nevar būt lielāks par saņemto daudzumu {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Cenrādis nav izvēlēts
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Paraugu skaits {0} nevar būt lielāks par saņemto daudzumu {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Cenrādis nav izvēlēts
 DocType: Employee,Family Background,Ģimene Background
 DocType: Request for Quotation Supplier,Send Email,Sūtīt e-pastu
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Brīdinājums: Invalid Pielikums {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Brīdinājums: Invalid Pielikums {0}
 DocType: Item,Max Sample Quantity,Maksimālais paraugu daudzums
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nav Atļaujas
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Līguma izpildes kontrolsaraksts
@@ -1293,15 +1303,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} nepieder Uzņēmumu {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Augšupielādējiet vēstules galvu (Saglabājiet to draudzīgai vietnei ar 900 pikseļu līdz 100 pikseļiem)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: kontu {2} nevar būt grupa
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Prece Row {idx}: {DOCTYPE} {DOCNAME} neeksistē iepriekš &#39;{DOCTYPE}&#39; tabula
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Kontrolsaraksts {0} jau ir pabeigts vai atcelts
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Kontrolsaraksts {0} jau ir pabeigts vai atcelts
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks migrators
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nav uzdevumi
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Pārdošanas rēķins {0} izveidots kā apmaksāts
 DocType: Item Variant Settings,Copy Fields to Variant,Kopēt laukus variējumam
 DocType: Asset,Opening Accumulated Depreciation,Atklāšanas Uzkrātais nolietojums
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Rezultāts ir mazāks par vai vienāds ar 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Uzņemšanas Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form ieraksti
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form ieraksti
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Akcijas jau pastāv
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Klientu un piegādātāju
 DocType: Email Digest,Email Digest Settings,E-pasta Digest iestatījumi
@@ -1314,12 +1324,12 @@
 DocType: Production Plan,Select Items,Izvēlieties preces
 DocType: Share Transfer,To Shareholder,Akcionāram
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} pret likumprojektu {1} datēts {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,No valsts
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,No valsts
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Uzstādīšanas iestāde
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Izdalot lapas ...
 DocType: Program Enrollment,Vehicle/Bus Number,Transportlīdzekļa / Autobusu skaits
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kursu grafiks
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Jums jāatskaita nodoklis par neizsniegto nodokļu atvieglojumu apliecinošiem un neprasītajiem / darba ņēmēju pabalstiem pēdējā algas slīdā no algu perioda
 DocType: Request for Quotation Supplier,Quote Status,Citāts statuss
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1345,13 +1355,13 @@
 DocType: Sales Invoice,Payment Due Date,Maksājuma Due Date
 DocType: Drug Prescription,Interval UOM,Intervāls UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Atkārtoti atlasiet, ja pēc saglabāšanas izvēlētā adrese tiek rediģēta"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Postenis Variant {0} jau eksistē ar tiem pašiem atribūtiem
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Postenis Variant {0} jau eksistē ar tiem pašiem atribūtiem
 DocType: Item,Hub Publishing Details,Hub Publicēšanas informācija
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Atklāšana&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Atklāšana&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Atvērt darīt
 DocType: Issue,Via Customer Portal,Pa klientu portālu
 DocType: Notification Control,Delivery Note Message,Piegāde Note Message
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST summa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST summa
 DocType: Lab Test Template,Result Format,Rezultātu formāts
 DocType: Expense Claim,Expenses,Izdevumi
 DocType: Item Variant Attribute,Item Variant Attribute,Prece Variant Prasme
@@ -1359,14 +1369,12 @@
 DocType: Payroll Entry,Bimonthly,reizi divos mēnešos
 DocType: Vehicle Service,Brake Pad,Bremžu kluči
 DocType: Fertilizer,Fertilizer Contents,Mēslojuma saturs
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Pētniecība un attīstība
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Pētniecība un attīstība
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,"Summa, Bill"
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Sākuma datums un beigu datums pārklājas ar darba karti <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Reģistrācija Details
 DocType: Timesheet,Total Billed Amount,Kopējā maksājamā summa
 DocType: Item Reorder,Re-Order Qty,Re-Order Daudz
 DocType: Leave Block List Date,Leave Block List Date,Atstājiet Block saraksts datums
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Lūdzu, uzstādiet Instruktoru nosaukumu sistēmu izglītībā&gt; Izglītības iestatījumi"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: izejviela nevar būt tāda pati kā galvenais postenis
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Kopā piemērojamām izmaksām, kas pirkuma čeka Items galda jābūt tāds pats kā Kopā nodokļiem un nodevām"
 DocType: Sales Team,Incentives,Stimuli
@@ -1380,7 +1388,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Tirdzniecības vieta
 DocType: Fee Schedule,Fee Creation Status,Maksas izveidošanas statuss
 DocType: Vehicle Log,Odometer Reading,odometra Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konta atlikums jau Kredīts, jums nav atļauts noteikt ""Balance Must Be"", jo ""debets"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konta atlikums jau Kredīts, jums nav atļauts noteikt ""Balance Must Be"", jo ""debets"""
 DocType: Account,Balance must be,Līdzsvars ir jābūt
 DocType: Notification Control,Expense Claim Rejected Message,Izdevumu noraida prasību Message
 ,Available Qty,Pieejams Daudz
@@ -1392,7 +1400,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Vienmēr sinhronizējiet savus produktus no Amazon MWS pirms sinhronizējot Pasūtījumu informāciju
 DocType: Delivery Trip,Delivery Stops,Piegādes apstāšanās
 DocType: Salary Slip,Working Days,Darba dienas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Vienumu {0} nevar mainīt pakalpojuma beigu datumu.
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Vienumu {0} nevar mainīt pakalpojuma beigu datumu.
 DocType: Serial No,Incoming Rate,Ienākošais Rate
 DocType: Packing Slip,Gross Weight,Bruto svars
 DocType: Leave Type,Encashment Threshold Days,Inkassācijas sliekšņa dienas
@@ -1411,30 +1419,32 @@
 DocType: Restaurant Table,Minimum Seating,Minimālais sēdvietu skaits
 DocType: Item Attribute,Item Attribute Values,Postenis Prasme Vērtības
 DocType: Examination Result,Examination Result,eksāmens rezultāts
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Pirkuma čeka
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Pirkuma čeka
 ,Received Items To Be Billed,Saņemtie posteņi ir Jāmaksā
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Valūtas maiņas kurss meistars.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Valūtas maiņas kurss meistars.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Atsauce Doctype jābūt vienam no {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtrējiet kopējo nulles daudzumu
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Nevar atrast laika nišu nākamajos {0} dienas ekspluatācijai {1}
 DocType: Work Order,Plan material for sub-assemblies,Plāns materiāls mezgliem
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Pārdošanas Partneri un teritorija
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} jābūt aktīvam
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} jābūt aktīvam
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Nav pieejams neviens elements pārsūtīšanai
 DocType: Employee Boarding Activity,Activity Name,Aktivitātes nosaukums
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Mainīt izlaiduma datumu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Mainīt izlaiduma datumu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Slēgšana (atvēršana + kopā)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Vienības kods&gt; Vienības grupa&gt; Zīmols
+DocType: Delivery Settings,Dispatch Notification Attachment,Nosūtīšanas paziņojuma pielikums
 DocType: Payroll Entry,Number Of Employees,Darbinieku skaits
 DocType: Journal Entry,Depreciation Entry,nolietojums Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Lūdzu, izvēlieties dokumenta veidu pirmais"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Lūdzu, izvēlieties dokumenta veidu pirmais"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Atcelt Materiāls Vizītes {0} pirms lauzt šo apkopes vizīte
 DocType: Pricing Rule,Rate or Discount,Likme vai atlaide
 DocType: Vital Signs,One Sided,Vienpusējs
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Sērijas Nr {0} nepieder posteni {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Nepieciešamais Daudz
 DocType: Marketplace Settings,Custom Data,Pielāgoti dati
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Noliktavas ar esošo darījumu nevar pārvērst par virsgrāmatu.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Sērijas numurs ir obligāts vienumam {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Noliktavas ar esošo darījumu nevar pārvērst par virsgrāmatu.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Sērijas numurs ir obligāts vienumam {0}
 DocType: Bank Reconciliation,Total Amount,Kopējā summa
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,No datuma līdz datumam ir atšķirīgs fiskālais gads
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacientam {0} nav klienta atbildes uz faktūrrēķinu
@@ -1445,9 +1455,9 @@
 DocType: Soil Texture,Clay Composition (%),Māla sastāvs (%)
 DocType: Item Group,Item Group Defaults,Vienumu grupas noklusējumi
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,"Lūdzu, saglabājiet pirms uzdevuma piešķiršanas."
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Bilance Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Bilance Value
 DocType: Lab Test,Lab Technician,Lab tehniķis
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Pārdošanas Cenrādis
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Pārdošanas Cenrādis
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ja tiek atzīmēts, klients tiks izveidots, piesaistīts pacientam. Pacienta rēķini tiks radīti pret šo Klientu. Jūs varat arī izvēlēties pašreizējo Klientu, veidojot pacientu."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Klients nav reģistrēts nevienā Lojalitātes programmā
@@ -1461,13 +1471,13 @@
 DocType: Support Search Source,Search Term Param Name,Meklēšanas vārds param vārds
 DocType: Item Barcode,Item Barcode,Postenis Barcode
 DocType: Woocommerce Settings,Endpoints,Galarezultāti
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Postenis Variants {0} atjaunināta
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Postenis Variants {0} atjaunināta
 DocType: Quality Inspection Reading,Reading 6,Lasīšana 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Nevar {0} {1} {2} bez jebkāda negatīva izcili rēķins
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Nevar {0} {1} {2} bez jebkāda negatīva izcili rēķins
 DocType: Share Transfer,From Folio No,No Folio Nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Pirkuma rēķins Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Rinda {0}: Credit ierakstu nevar saistīt ar {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definēt budžetu finanšu gada laikā.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definēt budžetu finanšu gada laikā.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext konts
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} ir bloķēts, tāpēc šis darījums nevar turpināties"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Darbība, ja uzkrātais ikmēneša budžets ir pārsniegts MR"
@@ -1483,19 +1493,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Pirkuma rēķins
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Atļaut vairāku materiālu patēriņu pret darba kārtību
 DocType: GL Entry,Voucher Detail No,Kuponu Detail Nr
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Jaunu pārdošanas rēķinu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Jaunu pārdošanas rēķinu
 DocType: Stock Entry,Total Outgoing Value,Kopā Izejošais vērtība
 DocType: Healthcare Practitioner,Appointments,Tikšanās
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Atvēršanas datums un aizvēršanas datums ir jāatrodas vienā fiskālā gada
 DocType: Lead,Request for Information,Lūgums sniegt informāciju
 ,LeaderBoard,Līderu saraksts
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Likmes ar peļņu (uzņēmuma valūta)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline rēķini
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline rēķini
 DocType: Payment Request,Paid,Samaksāts
 DocType: Program Fee,Program Fee,Program Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Aizstāt konkrētu BOM visos citos BOM, kur tā tiek izmantota. Tas aizstās veco BOM saiti, atjauninās izmaksas un atjaunos tabulu &quot;BOM sprādziena postenis&quot;, kā jauno BOM. Tā arī atjaunina jaunāko cenu visās BOMs."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Tika izveidoti šādi darba uzdevumi:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Tika izveidoti šādi darba uzdevumi:
 DocType: Salary Slip,Total in words,Kopā ar vārdiem
 DocType: Inpatient Record,Discharged,Izlādējies
 DocType: Material Request Item,Lead Time Date,Izpildes laiks Datums
@@ -1506,16 +1516,16 @@
 DocType: Support Settings,Get Started Sections,Sāciet sākuma sadaļas
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sodīts
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,ir obligāta. Varbūt Valūtas ieraksts nav izveidots
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Lūdzu, norādiet Sērijas Nr postenī {1}"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Kopējais ieguldījuma apjoms: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Lūdzu, norādiet Sērijas Nr postenī {1}"
 DocType: Payroll Entry,Salary Slips Submitted,Iesniegts atalgojuma slīdums
 DocType: Crop Cycle,Crop Cycle,Kultūru cikls
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Par &quot;produkts saišķis&quot; vienību, noliktavu, Serial Nr un partijas Nr tiks uzskatīta no &quot;iepakojumu sarakstu&quot; tabulā. Ja Noliktavu un partijas Nr ir vienādas visiem iepakojuma vienības par jebkuru &quot;produkts saišķis&quot; posteni, šīs vērtības var ievadīt galvenajā postenis tabulas vērtības tiks kopēts &quot;iepakojumu sarakstu galda."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Par &quot;produkts saišķis&quot; vienību, noliktavu, Serial Nr un partijas Nr tiks uzskatīta no &quot;iepakojumu sarakstu&quot; tabulā. Ja Noliktavu un partijas Nr ir vienādas visiem iepakojuma vienības par jebkuru &quot;produkts saišķis&quot; posteni, šīs vērtības var ievadīt galvenajā postenis tabulas vērtības tiks kopēts &quot;iepakojumu sarakstu galda."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,No vietas
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Neto maksa nedrīkst būt negatīva
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,No vietas
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Neto maksa nedrīkst būt negatīva
 DocType: Student Admission,Publish on website,Publicēt mājas lapā
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Piegādātājs Rēķina datums nevar būt lielāks par norīkošanu Datums
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Piegādātājs Rēķina datums nevar būt lielāks par norīkošanu Datums
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Atcelšanas datums
 DocType: Purchase Invoice Item,Purchase Order Item,Pasūtījuma postenis
@@ -1524,7 +1534,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Apmeklējumu Tool
 DocType: Restaurant Menu,Price List (Auto created),Cenrādis (automātiski izveidots)
 DocType: Cheque Print Template,Date Settings,Datums iestatījumi
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Pretruna
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Pretruna
 DocType: Employee Promotion,Employee Promotion Detail,Darbinieku veicināšanas detaļas
 ,Company Name,Uzņēmuma nosaukums
 DocType: SMS Center,Total Message(s),Kopējais ziņojumu (-i)
@@ -1554,7 +1564,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Nesūtiet darbinieku dzimšanas dienu atgādinājumus
 DocType: Expense Claim,Total Advance Amount,Kopējā avansa summa
 DocType: Delivery Stop,Estimated Arrival,Paredzamais ierašanās laiks
-DocType: Delivery Stop,Notified by Email,Paziņots pa e-pastu
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Skatīt visus rakstus
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,Pārbaudes kritēriji
@@ -1564,23 +1573,22 @@
 DocType: Timesheet Detail,Bill,Rēķins
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Balts
 DocType: SMS Center,All Lead (Open),Visi Svins (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rinda {0}: Daudz nav pieejams {4} noliktavā {1} pēc norīkojuma laiku ieraksta ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rinda {0}: Daudz nav pieejams {4} noliktavā {1} pēc norīkojuma laiku ieraksta ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,No izvēles rūtiņu saraksta var atlasīt ne vairāk kā vienu opciju.
 DocType: Purchase Invoice,Get Advances Paid,Get Avansa Paid
 DocType: Item,Automatically Create New Batch,Automātiski Izveidot jaunu partiju
 DocType: Item,Automatically Create New Batch,Automātiski Izveidot jaunu partiju
 DocType: Supplier,Represents Company,Pārstāv Sabiedrību
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Izveidot
 DocType: Student Admission,Admission Start Date,Uzņemšana sākuma datums
 DocType: Journal Entry,Total Amount in Words,Kopā summa vārdiem
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Jauns darbinieks
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Tur bija kļūda. Viens iespējamais iemesls varētu būt, ka jūs neesat saglabājis formu. Lūdzu, sazinieties ar support@erpnext.com ja problēma joprojām pastāv."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Grozs
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Rīkojums Type jābūt vienam no {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Rīkojums Type jābūt vienam no {0}
 DocType: Lead,Next Contact Date,Nākamais Contact Datums
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Atklāšanas Daudzums
 DocType: Healthcare Settings,Appointment Reminder,Atgādinājums par iecelšanu amatā
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Ievadiet Kontu pārmaiņu summa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Ievadiet Kontu pārmaiņu summa
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Partijas nosaukums
 DocType: Holiday List,Holiday List Name,Brīvdienu saraksta Nosaukums
 DocType: Repayment Schedule,Balance Loan Amount,Balance Kredīta summa
@@ -1590,13 +1598,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Akciju opcijas
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Neviens vienums nav pievienots grozam
 DocType: Journal Entry Account,Expense Claim,Izdevumu Pretenzija
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Vai jūs tiešām vēlaties atjaunot šo metāllūžņos aktīvu?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Vai jūs tiešām vēlaties atjaunot šo metāllūžņos aktīvu?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Daudz par {0}
 DocType: Leave Application,Leave Application,Atvaļinājuma pieteikums
 DocType: Patient,Patient Relation,Pacienta saistība
 DocType: Item,Hub Category to Publish,Hub kategorijas publicēšanai
 DocType: Leave Block List,Leave Block List Dates,Atstājiet Block List Datumi
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Pārdošanas pasūtījumam {0} ir rezervācija vienumam {1}, jūs varat piegādāt tikai rezervēto {1} pret {0}. Sērijas Nr. {2} nevar piegādāt"
 DocType: Sales Invoice,Billing Address GSTIN,Norēķinu adrese GSTIN
@@ -1614,16 +1622,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},"Lūdzu, norādiet {0}"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Noņemts preces bez izmaiņām daudzumā vai vērtībā.
 DocType: Delivery Note,Delivery To,Piegāde uz
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variantu radīšana ir rindā.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Darba kopsavilkums par {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variantu radīšana ir rindā.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Darba kopsavilkums par {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pirmais izlaiduma apstiprinātājs sarakstā tiks iestatīts kā noklusējuma atstājēja apstiprinātājs.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Atribūts tabula ir obligāta
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Atribūts tabula ir obligāta
 DocType: Production Plan,Get Sales Orders,Saņemt klientu pasūtījumu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} nevar būt negatīvs
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Savienojieties ar Quickbooks
 DocType: Training Event,Self-Study,Pašmācība
 DocType: POS Closing Voucher,Period End Date,Perioda beigu datums
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Augsnes kompozīcijas nepievieno līdz pat 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Atlaide
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,"Rinda {0}: {1} ir nepieciešama, lai izveidotu atvēršanas {2} rēķinus"
 DocType: Membership,Membership,Dalība
 DocType: Asset,Total Number of Depreciations,Kopējais skaits nolietojuma
 DocType: Sales Invoice Item,Rate With Margin,Novērtēt Ar Margin
@@ -1635,7 +1645,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},"Lūdzu, norādiet derīgu Row ID kārtas {0} tabulā {1}"
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Nevar atrast mainīgo:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Lūdzu, izvēlieties lauku, kuru vēlaties rediģēt no numpad"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Nevar būt fiksētais postenis, jo tiek izveidots krājumu grāmatvedis."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Nevar būt fiksētais postenis, jo tiek izveidots krājumu grāmatvedis."
 DocType: Subscription Plan,Fixed rate,Fiksēta likme
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Uzņemt
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Iet uz Desktop un sākt izmantot ERPNext
@@ -1669,7 +1679,7 @@
 DocType: Tax Rule,Shipping State,Piegāde Valsts
 ,Projected Quantity as Source,Prognozēts daudzums kā resurss
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Postenī, jāpievieno, izmantojot ""dabūtu preces no pirkumu čekus 'pogu"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Piegādes ceļojums
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Piegādes ceļojums
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Pārsūtīšanas veids
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Pārdošanas izmaksas
@@ -1682,8 +1692,9 @@
 DocType: Item Default,Default Selling Cost Center,Default pārdošana Izmaksu centrs
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,disks
 DocType: Buying Settings,Material Transferred for Subcontract,Materiāls nodots apakšlīgumam
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Pasta indekss
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Pārdošanas pasūtījums {0} ir {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Pirkuma pasūtījumi priekšmetus kavējas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Pasta indekss
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Pārdošanas pasūtījums {0} ir {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Atlasiet procentu ienākumu kontu aizdevumā {0}
 DocType: Opportunity,Contact Info,Kontaktinformācija
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Making Krājumu
@@ -1696,12 +1707,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Rēķinu nevar veikt par nulles norēķinu stundu
 DocType: Company,Date of Commencement,Sākuma datums
 DocType: Sales Person,Select company name first.,Izvēlieties uzņēmuma nosaukums pirmo reizi.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-pasts nosūtīts uz {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-pasts nosūtīts uz {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,"Citāti, kas saņemti no piegādātājiem."
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Aizstāt BOM un atjaunināt jaunāko cenu visās BOMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Uz {0} | {1}{2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,"Šī ir sakņu piegādātāju grupa, un to nevar rediģēt."
-DocType: Delivery Trip,Driver Name,Vadītāja vārds
+DocType: Delivery Note,Driver Name,Vadītāja vārds
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Vidējais vecums
 DocType: Education Settings,Attendance Freeze Date,Apmeklējums Freeze Datums
 DocType: Education Settings,Attendance Freeze Date,Apmeklējums Freeze Datums
@@ -1714,7 +1725,7 @@
 DocType: Company,Parent Company,Mātes uzņēmums
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Viesnīca numuri {0} nav pieejami {1}
 DocType: Healthcare Practitioner,Default Currency,Noklusējuma Valūtas
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Vienuma {0} maksimālā atlaide ir {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Vienuma {0} maksimālā atlaide ir {1}%
 DocType: Asset Movement,From Employee,No darbinieka
 DocType: Driver,Cellphone Number,Mobilā tālruņa numurs
 DocType: Project,Monitor Progress,Pārraudzīt Progress
@@ -1730,19 +1741,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Daudzumam ir jābūt mazākam vai vienādam ar {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Komponentam {0} piemērotākais maksimālais daudzums pārsniedz {1}
 DocType: Department Approver,Department Approver,Nodaļas apstiprinātājs
+DocType: QuickBooks Migrator,Application Settings,Lietojumprogrammas iestatījumi
 DocType: SMS Center,Total Characters,Kopā rakstzīmes
 DocType: Employee Advance,Claimed,Pretenzija
 DocType: Crop,Row Spacing,Rindas atstarpe
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Lūdzu, izvēlieties BOM BOM jomā postenim {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Lūdzu, izvēlieties BOM BOM jomā postenim {0}"
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Atlasītajam vienumam nav neviena vienuma varianta
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form rēķinu Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksājumu Samierināšanās rēķins
 DocType: Clinical Procedure,Procedure Template,Kārtības veidne
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Ieguldījums%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma pasūtījums == &quot;JĀ&quot;, tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma pasūtījumu vispirms posteni {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Ieguldījums%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma pasūtījums == &quot;JĀ&quot;, tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma pasūtījumu vispirms posteni {0}"
 ,HSN-wise-summary of outward supplies,HSN-gudrs kopsavilkums par ārējām piegādēm
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Uzņēmuma reģistrācijas numuri jūsu atsauci. Nodokļu numurus uc
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Valstij
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Valstij
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Izplatītājs
 DocType: Asset Finance Book,Asset Finance Book,Aktīvu finanšu grāmata
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Grozs Piegāde noteikums
@@ -1751,7 +1763,7 @@
 ,Ordered Items To Be Billed,Pasūtītās posteņi ir Jāmaksā
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,No Range ir jābūt mazāk nekā svārstās
 DocType: Global Defaults,Global Defaults,Globālie Noklusējumi
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projektu Sadarbība Ielūgums
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projektu Sadarbība Ielūgums
 DocType: Salary Slip,Deductions,Atskaitījumi
 DocType: Setup Progress Action,Action Name,Darbības nosaukums
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Start gads
@@ -1765,11 +1777,12 @@
 DocType: Lead,Consultant,Konsultants
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Vecāku skolotāju sanāksmju apmeklējums
 DocType: Salary Slip,Earnings,Peļņa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,"Gatavo postenis {0} ir jāieraksta, lai ražošana tipa ierakstu"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,"Gatavo postenis {0} ir jāieraksta, lai ražošana tipa ierakstu"
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Atvēršanas Grāmatvedības bilance
 ,GST Sales Register,GST Pārdošanas Reģistrēties
 DocType: Sales Invoice Advance,Sales Invoice Advance,PPR Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nav ko pieprasīt
+DocType: Stock Settings,Default Return Warehouse,Noklusējuma atgriešanas noliktava
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Atlasiet savus domēnus
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify piegādātājs
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksājuma rēķina vienumi
@@ -1778,15 +1791,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Lauki tiks kopēti tikai izveidošanas laikā.
 DocType: Setup Progress Action,Domains,Domains
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Faktiskais sākuma datums"" nevar būt lielāks par ""Faktisko beigu datumu"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Vadība
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Vadība
 DocType: Cheque Print Template,Payer Settings,maksātājs iestatījumi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Netika atrasts materiālu pieprasījums, kas saistīts ar konkrētajiem priekšmetiem."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Vispirms izvēlieties uzņēmumu
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tas tiks pievienots Vienības kodeksa variantu. Piemēram, ja jūsu saīsinājums ir ""SM"", un pozīcijas kods ir ""T-krekls"", postenis kods variants būs ""T-krekls-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto Pay (vārdiem), būs redzams pēc tam, kad esat saglabāt algas aprēķinu."
 DocType: Delivery Note,Is Return,Vai Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Uzmanību!
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Sākuma diena ir lielāka par beigu dienu uzdevumā &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Atgriešana / debeta Note
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Atgriešana / debeta Note
 DocType: Price List Country,Price List Country,Cenrādis Valsts
 DocType: Item,UOMs,Mērvienības
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} derīgas sērijas nos postenim {1}
@@ -1799,13 +1813,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Piešķirt informāciju.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Piegādātājs datu bāze.
 DocType: Contract Template,Contract Terms and Conditions,Līguma noteikumi un nosacījumi
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Jūs nevarat atsākt Abonementu, kas nav atcelts."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Jūs nevarat atsākt Abonementu, kas nav atcelts."
 DocType: Account,Balance Sheet,Bilance
 DocType: Leave Type,Is Earned Leave,Ir nopelnīta atvaļinājums
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',"Izmaksās Center postenī ar Preces kods """
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',"Izmaksās Center postenī ar Preces kods """
 DocType: Fee Validity,Valid Till,Derīgs līdz
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Kopā vecāku skolotāju sanāksme
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksājums Mode nav konfigurēta. Lūdzu, pārbaudiet, vai konts ir iestatīts uz maksājumu Mode vai POS profils."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksājums Mode nav konfigurēta. Lūdzu, pārbaudiet, vai konts ir iestatīts uz maksājumu Mode vai POS profils."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Pašu posteni nevar ievadīt vairākas reizes.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Turpmākas kontus var veikt saskaņā grupās, bet ierakstus var izdarīt pret nepilsoņu grupām"
 DocType: Lead,Lead,Potenciālie klienti
@@ -1814,11 +1828,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} izveidots
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Jums nav lojalitātes punktu atpirkt
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Noraidīts Daudz nevar jāieraksta Pirkuma Atgriezties
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},"Lūdzu, iestatiet saistīto kontu nodokļu ieturēšanas kategorijā {0} pret uzņēmumu {1}"
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Noraidīts Daudz nevar jāieraksta Pirkuma Atgriezties
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Klienta grupas maiņa izvēlētajam klientam nav atļauta.
 ,Purchase Order Items To Be Billed,Pirkuma pasūtījuma posteņi ir Jāmaksā
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Aptuveno ierašanās laiku atjaunināšana.
 DocType: Program Enrollment Tool,Enrollment Details,Reģistrēšanās informācija
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Nevar iestatīt vairākus uzņēmuma vienumu noklusējuma iestatījumus.
 DocType: Purchase Invoice Item,Net Rate,Net Rate
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,"Lūdzu, izvēlieties klientu"
 DocType: Leave Policy,Leave Allocations,Atstājiet asignējumus
@@ -1849,7 +1865,7 @@
 DocType: Loan Application,Repayment Info,atmaksas info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Ieraksti"" nevar būt tukšs"
 DocType: Maintenance Team Member,Maintenance Role,Uzturēšanas loma
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Dublikāts rinda {0} ar pašu {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Dublikāts rinda {0} ar pašu {1}
 DocType: Marketplace Settings,Disable Marketplace,Atslēgt tirgu
 ,Trial Balance,Trial Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Fiskālā gads {0} nav atrasts
@@ -1860,9 +1876,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Abonēšanas iestatījumi
 DocType: Purchase Invoice,Update Auto Repeat Reference,Atjaunināt automātiskās atkārtotas atsauces
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},"Izvēles brīvdienu saraksts, kas nav noteikts atvaļinājuma periodam {0}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},"Izvēles brīvdienu saraksts, kas nav noteikts atvaļinājuma periodam {0}"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Pētniecība
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Uz adresi 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Uz adresi 2
 DocType: Maintenance Visit Purpose,Work Done,Darbs Gatavs
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Lūdzu, norādiet vismaz vienu atribūtu Atribūti tabulā"
 DocType: Announcement,All Students,Visi studenti
@@ -1872,16 +1888,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Saskaņotie darījumi
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Senākās
 DocType: Crop Cycle,Linked Location,Saistītā atrašanās vieta
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Prece Group pastāv ar tādu pašu nosaukumu, lūdzu mainīt rindas nosaukumu vai pārdēvēt objektu grupu"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Prece Group pastāv ar tādu pašu nosaukumu, lūdzu mainīt rindas nosaukumu vai pārdēvēt objektu grupu"
 DocType: Crop Cycle,Less than a year,Mazāk par gadu
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Pārējā pasaule
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Pārējā pasaule
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,{0} postenis nevar būt partijas
 DocType: Crop,Yield UOM,Iegūt UOM
 ,Budget Variance Report,Budžets Variance ziņojums
 DocType: Salary Slip,Gross Pay,Bruto Pay
 DocType: Item,Is Item from Hub,Ir vienība no centrmezgla
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Saņemiet preces no veselības aprūpes pakalpojumiem
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Saņemiet preces no veselības aprūpes pakalpojumiem
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Rinda {0}: darbības veids ir obligāta.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Izmaksātajām dividendēm
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Grāmatvedības Ledger
@@ -1896,6 +1912,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Maksājumu Mode
 DocType: Purchase Invoice,Supplied Items,Komplektā Items
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},"Lūdzu, iestatiet aktīvo izvēlni restorānā {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Komisijas likme%
 DocType: Work Order,Qty To Manufacture,Daudz ražot
 DocType: Email Digest,New Income,Jauns Ienākumi
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Uzturēt pašu likmi visā pirkuma ciklu
@@ -1910,12 +1927,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Vērtēšana Rate nepieciešama postenī rindā {0}
 DocType: Supplier Scorecard,Scorecard Actions,Rezultātu kartes darbības
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Piemērs: Masters in Datorzinātnes
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Piegādātājs {0} nav atrasts {1}
 DocType: Purchase Invoice,Rejected Warehouse,Noraidīts Noliktava
 DocType: GL Entry,Against Voucher,Pret kuponu
 DocType: Item Default,Default Buying Cost Center,Default Pirkšana Izmaksu centrs
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Lai iegūtu labāko no ERPNext, mēs iesakām veikt kādu laiku, un skatīties šos palīdzības video."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Paredzētajam piegādātājam (neobligāti)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,līdz
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Paredzētajam piegādātājam (neobligāti)
 DocType: Supplier Quotation Item,Lead Time in days,Izpildes laiks dienās
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Kreditoru kopsavilkums
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Nav atļauts rediģēt iesaldētā kontā {0}
@@ -1924,7 +1941,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Brīdinājums par jaunu kvotu pieprasījumu
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Pirkuma pasūtījumu palīdzēt jums plānot un sekot līdzi saviem pirkumiem
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab testēšanas priekšraksti
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Kopējais Issue / Transfer daudzums {0} Iekraušanas Pieprasījums {1} \ nedrīkst būt lielāks par pieprasīto daudzumu {2} postenim {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Mazs
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ja pakalpojumā Shopify klientam nav pasūtījuma, tad, sinhronizējot pasūtījumus, sistēma par pasūtījumu apsvērs noklusējuma klientu"
@@ -1936,6 +1953,7 @@
 DocType: Project,% Completed,% Pabeigts
 ,Invoiced Amount (Exculsive Tax),Rēķinā Summa (Exculsive nodoklis)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Prece 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorizācijas parametrs
 DocType: Travel Request,International,Starptautisks
 DocType: Training Event,Training Event,Training Event
 DocType: Item,Auto re-order,Auto re-pasūtīt
@@ -1944,24 +1962,24 @@
 DocType: Contract,Contract,Līgums
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorijas testēšanas datuma laiks
 DocType: Email Digest,Add Quote,Pievienot Citēt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM Coversion faktors nepieciešama UOM: {0} postenī: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM Coversion faktors nepieciešama UOM: {0} postenī: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Netiešie izdevumi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Rinda {0}: Daudz ir obligāta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Rinda {0}: Daudz ir obligāta
 DocType: Agriculture Analysis Criteria,Agriculture,Lauksaimniecība
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Izveidot pārdošanas pasūtījumu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Grāmatvedības ieraksts par aktīviem
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Bloķēt rēķinu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Grāmatvedības ieraksts par aktīviem
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Bloķēt rēķinu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Marka daudzums
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Remonta izmaksas
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Jūsu Produkti vai Pakalpojumi
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Neizdevās pieslēgties
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Aktīvs {0} izveidots
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Aktīvs {0} izveidots
 DocType: Special Test Items,Special Test Items,Īpašie testa vienumi
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Lai reģistrētos vietnē Marketplace, jums ir jābūt lietotājam ar sistēmas pārvaldnieka un vienumu pārvaldnieka lomu."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Maksājuma veidu
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"Jūs nevarat pieteikties pabalstu saņemšanai, ņemot vērā jūsu piešķirto algu struktūru"
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Website Image vajadzētu būt publiski failu vai tīmekļa URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Website Image vajadzētu būt publiski failu vai tīmekļa URL
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Tas ir sakne posteni grupas un to nevar rediģēt.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Sapludināt
@@ -1970,7 +1988,8 @@
 DocType: Warehouse,Warehouse Contact Info,Noliktava Kontaktinformācija
 DocType: Payment Entry,Write Off Difference Amount,Norakstīt starpības summa
 DocType: Volunteer,Volunteer Name,Brīvprātīgo vārds
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Darbinieku e-pasts nav atrasts, līdz ar to e-pasts nav nosūtīts"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Tika atrastas rindas ar dublējošiem termiņiem citās rindās: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Darbinieku e-pasts nav atrasts, līdz ar to e-pasts nav nosūtīts"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Darba algas struktūra nav piešķirta darbiniekam {0} noteiktā datumā {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Piegādes noteikumi nav piemērojami valstij {0}
 DocType: Item,Foreign Trade Details,Ārējās tirdzniecības Detaļas
@@ -1978,17 +1997,17 @@
 DocType: Email Digest,Annual Income,Gada ienākumi
 DocType: Serial No,Serial No Details,Sērijas Nr Details
 DocType: Purchase Invoice Item,Item Tax Rate,Postenis Nodokļu likme
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,No partijas vārda
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,No partijas vārda
 DocType: Student Group Student,Group Roll Number,Grupas Roll skaits
 DocType: Student Group Student,Group Roll Number,Grupas Roll skaits
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Par {0}, tikai kredīta kontus var saistīt pret citu debeta ierakstu"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Piegāde piezīme {0} nav iesniegta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Piegāde piezīme {0} nav iesniegta
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Postenis {0} jābūt Apakšuzņēmēju postenis
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitāla Ekipējums
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cenu noteikums vispirms izvēlas, pamatojoties uz ""Apply On 'jomā, kas var būt punkts, punkts Koncerns vai Brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,"Lūdzu, vispirms iestatiet preces kodu"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Kopējais piešķirtais procentuālu pārdošanas komanda būtu 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Kopējais piešķirtais procentuālu pārdošanas komanda būtu 100
 DocType: Subscription Plan,Billing Interval Count,Norēķinu intervāla skaits
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Tikšanās un pacientu tikšanās
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Trūkst vērtības
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Izveidot Drukas formāts
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Izveidota maksa
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Neatradām nevienu objektu nosaukumu {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filtru vienumi
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kritēriju formula
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Kopā Izejošais
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tur var būt tikai viens Shipping pants stāvoklis ar 0 vai tukšu vērtību ""vērtēt"""
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Vienumam {0} daudzumam jābūt pozitīvam skaitlim
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Piezīme: Šis Izmaksas centrs ir Group. Nevar veikt grāmatvedības ierakstus pret grupām.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Kompensācijas atvaļinājuma pieprasījuma dienas nav derīgas brīvdienās
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Bērnu noliktava pastāv šajā noliktavā. Jūs nevarat izdzēst šo noliktavā.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Bērnu noliktava pastāv šajā noliktavā. Jūs nevarat izdzēst šo noliktavā.
 DocType: Item,Website Item Groups,Mājas lapa punkts Grupas
 DocType: Purchase Invoice,Total (Company Currency),Kopā (Uzņēmējdarbības valūta)
 DocType: Daily Work Summary Group,Reminder,Atgādinājums
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Pieejamā vērtība
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Pieejamā vērtība
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Sērijas numurs {0} ieraksta vairāk nekā vienu reizi
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Journal Entry
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,No GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,No GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Nepieprasītā summa
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} preces progress
 DocType: Workstation,Workstation Name,Darba vietas nosaukums
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS Prece Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-pasts Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternatīvajam vienumam nedrīkst būt tāds pats kā vienuma kods
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} nepieder posteni {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} nepieder posteni {1}
 DocType: Sales Partner,Target Distribution,Mērķa Distribution
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06. Pagaidu novērtējuma pabeigšana
 DocType: Salary Slip,Bank Account No.,Banka Konta Nr
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard variables var izmantot, kā arī: {total_score} (kopējais rezultāts no šī perioda), {period_number} (periodu skaits līdz mūsdienām)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Sakļaut visu
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Sakļaut visu
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Izveidojiet pirkuma pasūtījumu
 DocType: Quality Inspection Reading,Reading 8,Lasīšana 8
 DocType: Inpatient Record,Discharge Note,Izpildes piezīme
@@ -2051,7 +2071,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Piegādātāju rēķinu Datums
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Šo vērtību izmanto pro rata temporis aprēķināšanai
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,"Jums ir nepieciešams, lai dotu iespēju Grozs"
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,"Jums ir nepieciešams, lai dotu iespēju Grozs"
 DocType: Payment Entry,Writeoff,Norakstīt
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Nosaukumu sērijas prefikss
@@ -2066,11 +2086,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Pārklāšanās apstākļi atrasts starp:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Pret Vēstnesī Entry {0} jau ir koriģēts pret kādu citu talonu
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Kopā pasūtījuma vērtība
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Pārtika
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Pārtika
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Novecošana Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS slēgšanas kvīts informācija
 DocType: Shopify Log,Shopify Log,Shopify žurnāls
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Lūdzu, iestatiet Nosaukumu sēriju {0}, izmantojot iestatījumu&gt; Iestatījumi&gt; Nosaukumu sērija"
 DocType: Inpatient Occupancy,Check In,Reģistrēties
 DocType: Maintenance Schedule Item,No of Visits,Nē apmeklējumu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Maintenance grafiks {0} eksistē pret {1}
@@ -2110,6 +2129,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimālie pabalsti (summa)
 DocType: Purchase Invoice,Contact Person,Kontaktpersona
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Sagaidāmais Sākuma datums"" nevar būt lielāka par ""Sagaidāmais beigu datums"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nav datu par šo periodu
 DocType: Course Scheduling Tool,Course End Date,"Protams, beigu datums"
 DocType: Holiday List,Holidays,Brīvdienas
 DocType: Sales Order Item,Planned Quantity,Plānotais daudzums
@@ -2121,7 +2141,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Neto izmaiņas pamatlīdzekļa
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Atstāt tukšu, ja to uzskata par visiem apzīmējumiem"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Lādiņš tips ""Faktiskais"" rindā {0} nevar iekļaut postenī Rate"
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Lādiņš tips ""Faktiskais"" rindā {0} nevar iekļaut postenī Rate"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,No DATETIME
 DocType: Shopify Settings,For Company,Par Company
@@ -2134,9 +2154,9 @@
 DocType: Material Request,Terms and Conditions Content,Noteikumi un nosacījumi saturs
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,"Izveidojot kursu grafiku, radās kļūdas"
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Pirmais izdevumu apstiprinātājs sarakstā tiks iestatīts kā noklusējuma izdevumu apstiprinātājs.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,nevar būt lielāks par 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,nevar būt lielāks par 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Lai reģistrētos vietnē Marketplace, jums ir jābūt lietotājam, kas nav Administrators ar sistēmas pārvaldnieku un vienumu pārvaldnieka lomu."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Postenis {0} nav krājums punkts
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Postenis {0} nav krājums punkts
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Neplānotā
 DocType: Employee,Owned,Pieder
@@ -2164,7 +2184,7 @@
 DocType: HR Settings,Employee Settings,Darbinieku iestatījumi
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Maksājumu sistēmas ielāde
 ,Batch-Wise Balance History,Partijas-Wise Balance Vēsture
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Row # {0}: nevar iestatīt vērtējumu, ja summa {1} ir lielāka par rēķināto summu."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Row # {0}: nevar iestatīt vērtējumu, ja summa {1} ir lielāka par rēķināto summu."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Drukas iestatījumi atjaunināti attiecīgajā drukas formātā
 DocType: Package Code,Package Code,Package Kods
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Māceklis
@@ -2172,7 +2192,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negatīva Daudzums nav atļauta
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Nodokļu detaļa galda paņemti no postenis kapteiņa kā stīgu un uzglabā šajā jomā. Lieto nodokļiem un nodevām
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Darbinieks nevar ziņot sev.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Darbinieks nevar ziņot sev.
 DocType: Leave Type,Max Leaves Allowed,Max Leaves Atļauts
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ja konts ir sasalusi, ieraksti ir atļauts ierobežotas lietotājiem."
 DocType: Email Digest,Bank Balance,Bankas bilance
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Bankas darījumu ieraksti
 DocType: Quality Inspection,Readings,Rādījumus
 DocType: Stock Entry,Total Additional Costs,Kopējās papildu izmaksas
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Mijiedarbības Nr
 DocType: BOM,Scrap Material Cost(Company Currency),Lūžņi materiālu izmaksas (Company valūta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub Kompleksi
 DocType: Asset,Asset Name,Asset Name
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,Vērtēt
 DocType: Loyalty Program,Loyalty Program Type,Lojalitātes programmas veids
 DocType: Asset Movement,Stock Manager,Krājumu pārvaldnieks
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Source noliktava ir obligāta rindā {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Source noliktava ir obligāta rindā {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,"Maksājuma termiņš rindā {0}, iespējams, ir dublikāts."
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Lauksaimniecība (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Iepakošanas Slip
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Iepakošanas Slip
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Office Rent
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Setup SMS vārti iestatījumi
 DocType: Disease,Common Name,Parastie vārdi
@@ -2240,20 +2261,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Alga Slip darbiniekam
 DocType: Cost Center,Parent Cost Center,Parent Izmaksu centrs
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Izvēlieties Iespējamais Piegādātāja
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Izvēlieties Iespējamais Piegādātāja
 DocType: Sales Invoice,Source,Avots
 DocType: Customer,"Select, to make the customer searchable with these fields","Atlasiet, lai klients meklētu šos laukus"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importa piegādes piezīmes no Shopify par sūtījumu
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Rādīt slēgts
 DocType: Leave Type,Is Leave Without Pay,Vai atstāt bez Pay
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset kategorija ir obligāta ilgtermiņa ieguldījumu postenim
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset kategorija ir obligāta ilgtermiņa ieguldījumu postenim
 DocType: Fee Validity,Fee Validity,Maksa derīguma termiņš
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nav atrasti Maksājuma tabulā ieraksti
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Šī {0} konflikti ar {1} uz {2} {3}
 DocType: Student Attendance Tool,Students HTML,studenti HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Lūdzu, izdzēsiet Darbinieku <a href=""#Form/Employee/{0}"">{0}</a> \, lai atceltu šo dokumentu"
 DocType: POS Profile,Apply Discount,Piesakies Atlaide
 DocType: GST HSN Code,GST HSN Code,GST HSN kodekss
 DocType: Employee External Work History,Total Experience,Kopā pieredze
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,Saraksti
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,"POS profils ir nepieciešams, lai izmantotu pārdošanas vietas"
 DocType: Cashier Closing,Net Amount,Neto summa
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nav iesniegts tā darbību nevar pabeigt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nav iesniegts tā darbību nevar pabeigt
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nr
 DocType: Landed Cost Voucher,Additional Charges,papildu maksa
 DocType: Support Search Source,Result Route Field,Rezultātu maršruta lauks
@@ -2305,11 +2323,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Rēķinu atvēršana
 DocType: Contract,Contract Details,Līguma detaļas
 DocType: Employee,Leave Details,Atstājiet detaļas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Lūdzu noteikt lietotāja ID lauku darbinieks ierakstā noteikt darbinieku lomu
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Lūdzu noteikt lietotāja ID lauku darbinieks ierakstā noteikt darbinieku lomu
 DocType: UOM,UOM Name,Mervienības nosaukums
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Uz adresi 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Uz adresi 1
 DocType: GST HSN Code,HSN Code,HSN kodekss
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Ieguldījums Summa
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Ieguldījums Summa
 DocType: Inpatient Record,Patient Encounter,Pacientu saskarsme
 DocType: Purchase Invoice,Shipping Address,Piegādes adrese
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Šis rīks palīdz jums, lai atjauninātu vai noteikt daudzumu un novērtēšanu krājumu sistēmā. To parasti izmanto, lai sinhronizētu sistēmas vērtības un to, kas patiesībā pastāv jūsu noliktavās."
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,Ceļojuma veids
 DocType: Sales Invoice Item,Brand Name,Brand Name
 DocType: Purchase Receipt,Transporter Details,Transporter Details
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Default noliktava ir nepieciešama atsevišķiem posteni
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Default noliktava ir nepieciešama atsevišķiem posteni
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Kaste
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,iespējams piegādātājs
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,iespējams piegādātājs
 DocType: Budget,Monthly Distribution,Mēneša Distribution
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Uztvērējs saraksts ir tukšs. Lūdzu, izveidojiet Uztvērēja saraksts"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Veselības aprūpe (beta)
@@ -2350,6 +2368,7 @@
 ,Lead Name,Lead Name
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Izpēte
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Atvēršanas Stock Balance
 DocType: Asset Category Account,Capital Work In Progress Account,Kapitāla darbs kontā
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Aktīvu vērtības korekcija
@@ -2358,7 +2377,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lapām Piešķirts Veiksmīgi par {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Nav Preces pack
 DocType: Shipping Rule Condition,From Value,No vērtība
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Ražošanas daudzums ir obligāta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Ražošanas daudzums ir obligāta
 DocType: Loan,Repayment Method,atmaksas metode
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ja ieslēgts, tad mājas lapa būs noklusējuma punkts grupa mājas lapā"
 DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -2383,7 +2402,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Darbinieku nosūtīšana
 DocType: Student Group,Set 0 for no limit,Uzstādīt 0 bez ierobežojuma
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Diena (-s), kad jūs piesakāties atvaļinājumu ir brīvdienas. Jums ir nepieciešams, neattiecas uz atvaļinājumu."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,"Rinda {idx}: {lauks} ir nepieciešama, lai izveidotu rēķinu atvēršanas {invoice_type}"
 DocType: Customer,Primary Address and Contact Detail,Primārā adrese un kontaktinformācija
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Atkārtoti nosūtīt maksājumu E-pasts
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,jauns uzdevums
@@ -2393,8 +2411,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,"Lūdzu, atlasiet vismaz vienu domēnu."
 DocType: Dependent Task,Dependent Task,Atkarīgs Task
 DocType: Shopify Settings,Shopify Tax Account,Shopify nodokļu konts
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijas faktors noklusējuma mērvienība ir 1 kārtas {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Atvaļinājums tipa {0} nevar būt ilgāks par {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijas faktors noklusējuma mērvienība ir 1 kārtas {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Atvaļinājums tipa {0} nevar būt ilgāks par {1}
 DocType: Delivery Trip,Optimize Route,Maršruta optimizēšana
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Mēģiniet plānojot operācijas X dienas iepriekš.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2403,14 +2421,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Lūdzu noteikt Noklusējuma Algas Kreditoru kontu Uzņēmumu {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Iegūstiet finansiālu sabrukumu par Nodokļiem un nodevām Amazon
 DocType: SMS Center,Receiver List,Uztvērējs Latviešu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Meklēt punkts
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Meklēt punkts
 DocType: Payment Schedule,Payment Amount,Maksājuma summa
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Pusdiena datumam jābūt starp darbu no datuma un darba beigu datuma
 DocType: Healthcare Settings,Healthcare Service Items,Veselības aprūpes dienesta priekšmeti
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Patērētā summa
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Neto izmaiņas naudas
 DocType: Assessment Plan,Grading Scale,Šķirošana Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mērvienība {0} ir ievadīts vairāk nekā vienu reizi Conversion Factor tabulā
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mērvienība {0} ir ievadīts vairāk nekā vienu reizi Conversion Factor tabulā
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,jau pabeigts
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock In Hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2433,25 +2451,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Sērijas Nr {0} daudzums {1} nevar būt daļa
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,"Lūdzu, ievadiet Woocommerce servera URL"
 DocType: Purchase Order Item,Supplier Part Number,Piegādātājs Part Number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Konversijas ātrums nevar būt 0 vai 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Konversijas ātrums nevar būt 0 vai 1
 DocType: Share Balance,To No,Nē
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Viss obligātais darbinieka izveides uzdevums vēl nav izdarīts.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} tiek atcelts vai pārtraukta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} tiek atcelts vai pārtraukta
 DocType: Accounts Settings,Credit Controller,Kredīts Controller
 DocType: Loan,Applicant Type,Pieteikuma iesniedzēja tips
 DocType: Purchase Invoice,03-Deficiency in services,03 - pakalpojumu trūkums
 DocType: Healthcare Settings,Default Medical Code Standard,Noklusētais medicīnisko kodu standarts
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Pirkuma saņemšana {0} nav iesniegta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Pirkuma saņemšana {0} nav iesniegta
 DocType: Company,Default Payable Account,Default Kreditoru konts
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Iestatījumi tiešsaistes iepirkšanās grozs, piemēram, kuģošanas noteikumus, cenrādi uc"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Jāmaksā
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Rezervēts Daudz
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Rezervēts Daudz
 DocType: Party Account,Party Account,Party konts
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,"Lūdzu, atlasiet Uzņēmums un Apzīmējums"
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Cilvēkresursi
-DocType: Lead,Upper Income,Upper Ienākumi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Upper Ienākumi
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,noraidīt
 DocType: Journal Entry Account,Debit in Company Currency,Debeta uzņēmumā Valūta
 DocType: BOM Item,BOM Item,BOM postenis
@@ -2468,7 +2486,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}","Darba uzsākšana, lai apzīmētu {0} jau atvērtu vai pieņemtu darbā saskaņā ar Personāla plānu {1}"
 DocType: Vital Signs,Constipated,Aizcietējums
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Pret Piegādātāju rēķinu {0} datēts {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Pret Piegādātāju rēķinu {0} datēts {1}
 DocType: Customer,Default Price List,Default Cenrādis
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Asset Kustība ierakstīt {0} izveidots
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nav atrasts neviens vienums.
@@ -2484,17 +2502,18 @@
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Klientu kredīta atlikuma
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Neto izmaiņas Kreditoru
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kredīta limits ir šķērsots klientam {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Lūdzu, iestatiet Nosaukumu sēriju {0}, izmantojot iestatījumu&gt; Iestatījumi&gt; Nosaukumu sērija"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kredīta limits ir šķērsots klientam {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Klientam nepieciešams ""Customerwise Atlaide"""
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Atjaunināt banku maksājumu datumus ar žurnāliem.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Cenu
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Cenu
 DocType: Quotation,Term Details,Term Details
 DocType: Employee Incentive,Employee Incentive,Darbinieku stimuls
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nevar uzņemt vairāk nekā {0} studentiem šai studentu grupai.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Kopā (bez nodokļiem)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead skaits
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead skaits
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Krājums pieejams
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Krājums pieejams
 DocType: Manufacturing Settings,Capacity Planning For (Days),Capacity Planning For (dienas)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,iepirkums
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Neviens no priekšmetiem ir kādas izmaiņas daudzumā vai vērtībā.
@@ -2519,7 +2538,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Atstājiet un apmeklējums
 DocType: Asset,Comprehensive Insurance,Visaptveroša apdrošināšana
 DocType: Maintenance Visit,Partially Completed,Daļēji Pabeigts
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Lojalitātes punkts: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Lojalitātes punkts: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Pievienot līderus
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Mērena jutība
 DocType: Leave Type,Include holidays within leaves as leaves,"Iekļaut brīvdienas laikā lapām, lapas"
 DocType: Loyalty Program,Redemption,Izpirkšana
@@ -2553,7 +2573,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Mārketinga izdevumi
 ,Item Shortage Report,Postenis trūkums ziņojums
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,"Nevar izveidot standarta kritērijus. Lūdzu, pārdēvējiet kritērijus"
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Svars ir minēts, \ nLūdzu nerunājot ""Svara UOM"" too"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Svars ir minēts, \ nLūdzu nerunājot ""Svara UOM"" too"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Materiāls Pieprasījums izmantoti, lai šā krājuma Entry"
 DocType: Hub User,Hub Password,Hub parole
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Atsevišķa kurss balstās grupa katru Partijas
@@ -2568,15 +2588,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Iecelšanas ilgums (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Padarīt grāmatvedības ieraksts Katrs krājumu aprites
 DocType: Leave Allocation,Total Leaves Allocated,Kopā Leaves Piešķirtie
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Ievadiet derīgu finanšu gada sākuma un beigu datumi
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Ievadiet derīgu finanšu gada sākuma un beigu datumi
 DocType: Employee,Date Of Retirement,Brīža līdz pensionēšanās
 DocType: Upload Attendance,Get Template,Saņemt Template
+,Sales Person Commission Summary,Pārdošanas personas kopsavilkums
 DocType: Additional Salary Component,Additional Salary Component,Papildu algas komponents
 DocType: Material Request,Transferred,Pārskaitīts
 DocType: Vehicle,Doors,durvis
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Savākt maksu par pacienta reģistrāciju
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nevar mainīt atribūtus pēc akciju darījuma. Izveidojiet jaunu Preci un pārsūtiet akciju uz jauno Preci
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nevar mainīt atribūtus pēc akciju darījuma. Izveidojiet jaunu Preci un pārsūtiet akciju uz jauno Preci
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Nodokļu sabrukuma
 DocType: Employee,Joining Details,Pievienošanās informācijai
@@ -2604,14 +2625,15 @@
 DocType: Lead,Next Contact By,Nākamais Kontakti Pēc
 DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensācijas atvaļinājuma pieprasījums
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},"Daudzumu, kas vajadzīgs postenī {0} rindā {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Noliktava {0} nevar izdzēst, jo pastāv postenī daudzums {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Noliktava {0} nevar izdzēst, jo pastāv postenī daudzums {1}"
 DocType: Blanket Order,Order Type,Order Type
 ,Item-wise Sales Register,Postenis gudrs Sales Reģistrēties
 DocType: Asset,Gross Purchase Amount,Gross Pirkuma summa
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Atvēršanas atlikumi
 DocType: Asset,Depreciation Method,nolietojums metode
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Vai šis nodoklis iekļauts pamatlikmes?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Kopā Mērķa
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Kopā Mērķa
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Uztveres analīze
 DocType: Soil Texture,Sand Composition (%),Smilšu sastāvs (%)
 DocType: Job Applicant,Applicant for a Job,Pretendents uz darbu
 DocType: Production Plan Material Request,Production Plan Material Request,Ražošanas plāns Materiāls pieprasījums
@@ -2627,23 +2649,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Novērtējuma zīme (no 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobilo Nr
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Galvenais
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Pēc vienuma {0} nav atzīmēts kā {1} vienums. Jūs varat tos iespējot kā {1} vienību no tā vienuma meistara
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variants
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Vienumam {0} daudzumam jābūt negatīvam skaitlim
 DocType: Naming Series,Set prefix for numbering series on your transactions,Uzstādīt tituls numerāciju sērijas par jūsu darījumiem
 DocType: Employee Attendance Tool,Employees HTML,darbinieki HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ir jābūt aktīvam par šo priekšmetu vai tās veidni
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ir jābūt aktīvam par šo priekšmetu vai tās veidni
 DocType: Employee,Leave Encashed?,Atvaļinājums inkasēta?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Iespēja No jomā ir obligāta
 DocType: Email Digest,Annual Expenses,gada izdevumi
 DocType: Item,Variants,Varianti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Izveidot pirkuma pasūtījumu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Izveidot pirkuma pasūtījumu
 DocType: SMS Center,Send To,Sūtīt
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Nav pietiekami daudz atvaļinājums bilance Atstāt tipa {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Nav pietiekami daudz atvaļinājums bilance Atstāt tipa {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Piešķirtā summa
 DocType: Sales Team,Contribution to Net Total,Ieguldījums kopējiem neto
 DocType: Sales Invoice Item,Customer's Item Code,Klienta Produkta kods
 DocType: Stock Reconciliation,Stock Reconciliation,Stock Izlīgums
 DocType: Territory,Territory Name,Teritorija Name
+DocType: Email Digest,Purchase Orders to Receive,"Pirkuma pasūtījumi, lai saņemtu"
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse ir nepieciešams, pirms iesniegt"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Abonementā var būt tikai plāni ar tādu pašu norēķinu ciklu
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mape dati
@@ -2662,9 +2686,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Dublēt Sērijas Nr stājās postenī {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Track Leades ar svina avots.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Nosacījums Shipping Reglamenta
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,ievadiet
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,ievadiet
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Servisa žurnāls
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Lūdzu iestatīt filtru pamatojoties postenī vai noliktavā
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Lūdzu iestatīt filtru pamatojoties postenī vai noliktavā
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),"Neto svars šīs paketes. (Aprēķināts automātiski, kā summa neto svara vienību)"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Padarīt &quot;Inter Company Journal Entry&quot;
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Atlaides summa nedrīkst būt lielāka par 100%
@@ -2673,15 +2697,15 @@
 DocType: Sales Order,To Deliver and Bill,Rīkoties un Bill
 DocType: Student Group,Instructors,instruktori
 DocType: GL Entry,Credit Amount in Account Currency,Kredīta summa konta valūtā
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} jāiesniedz
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Dalieties vadībā
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} jāiesniedz
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Dalieties vadībā
 DocType: Authorization Control,Authorization Control,Autorizācija Control
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Noraidīts Warehouse ir obligāta pret noraidīts postenī {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Maksājums
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Noraidīts Warehouse ir obligāta pret noraidīts postenī {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Maksājums
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Noliktava {0} nav saistīta ar jebkuru kontu, lūdzu, norādiet kontu šajā noliktavas ierakstā vai iestatīt noklusējuma inventāra kontu uzņēmumā {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Pārvaldīt savus pasūtījumus
 DocType: Work Order Operation,Actual Time and Cost,Faktiskais laiks un izmaksas
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiāls pieprasījums maksimāli {0} var izdarīt postenī {1} pret pārdošanas ordeņa {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiāls pieprasījums maksimāli {0} var izdarīt postenī {1} pret pārdošanas ordeņa {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Crop starpība
 DocType: Course,Course Abbreviation,Protams saīsinājums
@@ -2693,6 +2717,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Kopējais darba laiks nedrīkst būt lielāks par max darba stundas {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Par
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Paka posteņus pēc pārdošanas laikā.
+DocType: Delivery Settings,Dispatch Settings,Nosūtīšanas iestatījumi
 DocType: Material Request Plan Item,Actual Qty,Faktiskais Daudz
 DocType: Sales Invoice Item,References,Atsauces
 DocType: Quality Inspection Reading,Reading 10,Reading 10
@@ -2702,11 +2727,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Esat ievadījis dublikātus preces. Lūdzu, labot un mēģiniet vēlreiz."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Līdzstrādnieks
 DocType: Asset Movement,Asset Movement,Asset kustība
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Darba kārtojums {0} jāiesniedz
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Jauns grozs
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Darba kārtojums {0} jāiesniedz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Jauns grozs
 DocType: Taxable Salary Slab,From Amount,No summas
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Postenis {0} nav sērijveida punkts
 DocType: Leave Type,Encashment,Inkassācija
+DocType: Delivery Settings,Delivery Settings,Piegādes iestatījumi
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Ielādēt datus
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Atvaļinājuma maksimālais atvaļinājums veids {0} ir {1}
 DocType: SMS Center,Create Receiver List,Izveidot Uztvērēja sarakstu
 DocType: Vehicle,Wheels,Riteņi
@@ -2722,7 +2749,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Norēķinu valūtai jābūt vienādai ar noklusējuma uzņēmuma valūtas vai partijas konta valūtu
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Norāda, ka pakete ir daļa no šīs piegādes (Tikai projekts)"
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Rinda {0}: maksājuma datums nevar būt pirms izlikšanas datuma
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Rinda {0}: maksājuma datums nevar būt pirms izlikšanas datuma
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Izveidot maksājuma Ierakstu
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Daudzums postenī {0} nedrīkst būt mazāks par {1}
 ,Sales Invoice Trends,PPR tendences
@@ -2730,12 +2757,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Var attiekties rindu tikai tad, ja maksa tips ir ""On iepriekšējās rindas summu"" vai ""iepriekšējās rindas Kopā"""
 DocType: Sales Order Item,Delivery Warehouse,Piegādes Noliktava
 DocType: Leave Type,Earned Leave Frequency,Nopelnītās atvaļinājuma biežums
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tree finanšu izmaksu centriem.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Apakšvirsraksts
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tree finanšu izmaksu centriem.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Apakšvirsraksts
 DocType: Serial No,Delivery Document No,Piegāde Dokuments Nr
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,"Nodrošināt piegādi, pamatojoties uz sērijas Nr"
 DocType: Vital Signs,Furry,Pūkains
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Lūdzu noteikt &quot;Gain / zaudējumu aprēķinā par aktīvu aizvākšanu&quot; uzņēmumā {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Lūdzu noteikt &quot;Gain / zaudējumu aprēķinā par aktīvu aizvākšanu&quot; uzņēmumā {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dabūtu preces no pirkumu čekus
 DocType: Serial No,Creation Date,Izveides datums
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Mērķa atrašanās vieta ir vajadzīga aktīva {0}
@@ -2749,11 +2776,12 @@
 DocType: Item,Has Variants,Ir Varianti
 DocType: Employee Benefit Claim,Claim Benefit For,Pretenzijas pabalsts
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Atjaunināt atbildi
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Jūs jau atsevišķus posteņus {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Jūs jau atsevišķus posteņus {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nosaukums Mēneša Distribution
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Partijas ID ir obligāta
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Partijas ID ir obligāta
 DocType: Sales Person,Parent Sales Person,Parent Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Neviens saņemamais priekšmets nav nokavēts
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Pārdevējs un pircējs nevar būt vienādi
 DocType: Project,Collect Progress,Savākt progresu
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2769,7 +2797,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Money
 DocType: Budget,Budget,Budžets
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Iestatīt atvērtu
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Ilgtermiņa ieguldījumu postenim jābūt ne-akciju posteni.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Ilgtermiņa ieguldījumu postenim jābūt ne-akciju posteni.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budžets nevar iedalīt pret {0}, jo tas nav ienākumu vai izdevumu kontu"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maksimālā atbrīvojuma summa par {0} ir {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Izpildīts
@@ -2787,9 +2815,9 @@
 ,Amount to Deliver,Summa rīkoties
 DocType: Asset,Insurance Start Date,Apdrošināšanas sākuma datums
 DocType: Salary Component,Flexible Benefits,Elastīgi ieguvumi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Viens un tas pats priekšmets ir ievadīts vairākas reizes. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Viens un tas pats priekšmets ir ievadīts vairākas reizes. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Sākuma datums nevar būt pirms Year Sākuma datums mācību gada, uz kuru termiņš ir saistīts (akadēmiskais gads {}). Lūdzu izlabojiet datumus un mēģiniet vēlreiz."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Bija kļūdas.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Bija kļūdas.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Darbinieks {0} jau ir iesniedzis {1} pieteikumu starp {2} un {3}:
 DocType: Guardian,Guardian Interests,Guardian intereses
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Atjauniniet konta nosaukumu / numuru
@@ -2828,9 +2856,9 @@
 ,Item-wise Purchase History,Postenis gudrs Pirkumu vēsture
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Lūdzu, noklikšķiniet uz ""Generate grafiks"" atnest Sērijas Nr piebilda postenī {0}"
 DocType: Account,Frozen,Sasalis
-DocType: Delivery Note,Vehicle Type,Transportlīdzekļa tips
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Transportlīdzekļa tips
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Summa (Company valūta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Izejvielas
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Izejvielas
 DocType: Payment Reconciliation Payment,Reference Row,atsauce Row
 DocType: Installation Note,Installation Time,Uzstādīšana laiks
 DocType: Sales Invoice,Accounting Details,Grāmatvedības Details
@@ -2839,12 +2867,13 @@
 DocType: Inpatient Record,O Positive,O Pozitīvs
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investīcijas
 DocType: Issue,Resolution Details,Izšķirtspēja Details
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Darījuma veids
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Darījuma veids
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Pieņemšanas kritēriji
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Ievadiet Materiālu Pieprasījumi tabulā iepriekš
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Par žurnāla ierakstu nav atmaksājumu
 DocType: Hub Tracked Item,Image List,Attēlu saraksts
 DocType: Item Attribute,Attribute Name,Atribūta nosaukums
+DocType: Subscription,Generate Invoice At Beginning Of Period,Izveidojiet rēķinu sākuma periodā
 DocType: BOM,Show In Website,Show In Website
 DocType: Loan Application,Total Payable Amount,Kopējā maksājamā summa
 DocType: Task,Expected Time (in hours),Sagaidāmais laiks (stundās)
@@ -2882,8 +2911,8 @@
 DocType: Employee,Resignation Letter Date,Atkāpšanās no amata vēstule Datums
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,"Cenu Noteikumi tālāk filtrē, pamatojoties uz daudzumu."
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Not Set
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Lūdzu datumu nosaka Pievienojoties par darbiniekam {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Lūdzu datumu nosaka Pievienojoties par darbiniekam {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Lūdzu datumu nosaka Pievienojoties par darbiniekam {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Lūdzu datumu nosaka Pievienojoties par darbiniekam {0}
 DocType: Inpatient Record,Discharge,Izlaidums
 DocType: Task,Total Billing Amount (via Time Sheet),Kopā Norēķinu Summa (via laiks lapas)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Atkārtot Klientu Ieņēmumu
@@ -2893,13 +2922,13 @@
 DocType: Chapter,Chapter,Nodaļa
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pāris
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Noklusētais konts tiks automātiski atjaunināts POS rēķinā, kad būs atlasīts šis režīms."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Izvēlieties BOM un Daudzums nobarojamām
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Izvēlieties BOM un Daudzums nobarojamām
 DocType: Asset,Depreciation Schedule,nolietojums grafiks
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Pārdošanas Partner adreses un kontakti
 DocType: Bank Reconciliation Detail,Against Account,Pret kontu
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Half Day Date jābūt starp No Datums un līdz šim
 DocType: Maintenance Schedule Detail,Actual Date,Faktiskais datums
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,"Lūdzu, iestatiet noklusējuma izmaksu centru uzņēmumā {0}."
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,"Lūdzu, iestatiet noklusējuma izmaksu centru uzņēmumā {0}."
 DocType: Item,Has Batch No,Partijas Nr
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Gada Norēķinu: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhok detaļas
@@ -2911,7 +2940,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift tipa
 DocType: Student,Personal Details,Personīgie Details
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Lūdzu noteikt &quot;nolietojuma izmaksas centrs&quot; uzņēmumā {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Lūdzu noteikt &quot;nolietojuma izmaksas centrs&quot; uzņēmumā {0}
 ,Maintenance Schedules,Apkopes grafiki
 DocType: Task,Actual End Date (via Time Sheet),Faktiskā Beigu datums (via laiks lapas)
 DocType: Soil Texture,Soil Type,Augsnes tips
@@ -2919,10 +2948,10 @@
 ,Quotation Trends,Piedāvājumu tendences
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Postenis Group vienības kapteinis nav minēts par posteni {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless mandāts
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debets Lai kontā jābūt pasūtītāju konta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debets Lai kontā jābūt pasūtītāju konta
 DocType: Shipping Rule,Shipping Amount,Piegāde Summa
 DocType: Supplier Scorecard Period,Period Score,Perioda rādītājs
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Pievienot Klienti
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Pievienot Klienti
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kamēr Summa
 DocType: Lab Test Template,Special,Īpašs
 DocType: Loyalty Program,Conversion Factor,Conversion Factor
@@ -2939,7 +2968,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Pievienojiet burtu galu
 DocType: Program Enrollment,Self-Driving Vehicle,Self-Braukšanas Transportlīdzekļu
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Piegādātāju rādītāju karte pastāvīga
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Rinda {0}: Bill of Materials nav atrasta postenī {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Rinda {0}: Bill of Materials nav atrasta postenī {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Kopā piešķirtie lapas {0} nevar būt mazāka par jau apstiprināto lapām {1} par periodu
 DocType: Contract Fulfilment Checklist,Requirement,Prasība
 DocType: Journal Entry,Accounts Receivable,Debitoru parādi
@@ -2956,16 +2985,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR iestatījumi
 DocType: Salary Slip,net pay info,Neto darba samaksa info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS summa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS summa
 DocType: Woocommerce Settings,Enable Sync,Iespējot sinhronizāciju
 DocType: Tax Withholding Rate,Single Transaction Threshold,Viena darījuma slieksnis
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Šī vērtība tiek atjaunināta Noklusējuma pārdošanas cenu sarakstā.
 DocType: Email Digest,New Expenses,Jauni izdevumi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC summa
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC summa
 DocType: Shareholder,Shareholder,Akcionārs
 DocType: Purchase Invoice,Additional Discount Amount,Papildus Atlaides summa
 DocType: Cash Flow Mapper,Position,Amats
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Iegūstiet preces no priekšrakstiem
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Iegūstiet preces no priekšrakstiem
 DocType: Patient,Patient Details,Pacienta detaļas
 DocType: Inpatient Record,B Positive,B Pozitīvs
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2977,8 +3006,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Group Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sporta
 DocType: Loan Type,Loan Name,aizdevums Name
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Kopā Faktiskais
-DocType: Lab Test UOM,Test UOM,Pārbaudīt UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Kopā Faktiskais
 DocType: Student Siblings,Student Siblings,studentu Brāļi un māsas
 DocType: Subscription Plan Detail,Subscription Plan Detail,Abonēšanas plāna detaļas
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Vienība
@@ -3006,7 +3034,6 @@
 DocType: Workstation,Wages per hour,Algas stundā
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Krājumu atlikumu partijā {0} kļūs negatīvs {1} postenī {2} pie Warehouse {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,"Šāds materiāls Pieprasījumi tika automātiski izvirzīts, balstoties uz posteni atjaunotne pasūtījuma līmenī"
-DocType: Email Digest,Pending Sales Orders,Kamēr klientu pasūtījumu
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Konts {0} ir nederīgs. Konta valūta ir {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},No Datuma {0} nevar būt pēc darbinieku atlaišanas Datums {1}
 DocType: Supplier,Is Internal Supplier,Iekšējais piegādātājs
@@ -3015,13 +3042,14 @@
 DocType: Healthcare Settings,Remind Before,Atgādināt pirms
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM pārrēķināšanas koeficients ir nepieciešams rindā {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no pārdošanas rīkojumu, pārdošanas rēķinu vai Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no pārdošanas rīkojumu, pārdošanas rēķinu vai Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojalitātes punkti = Cik bāzes valūta?
 DocType: Salary Component,Deduction,Atskaitīšana
 DocType: Item,Retain Sample,Saglabājiet paraugu
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Rinda {0}: laiku un uz laiku ir obligāta.
 DocType: Stock Reconciliation Item,Amount Difference,summa Starpība
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Prece Cena pievienots {0} Cenrādī {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Prece Cena pievienots {0} Cenrādī {1}
+DocType: Delivery Stop,Order Information,Pasūtīt informāciju
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ievadiet Darbinieku Id šīs pārdošanas persona
 DocType: Territory,Classification of Customers by region,Klasifikācija klientiem pa reģioniem
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Ražošanā
@@ -3032,8 +3060,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Aprēķinātais Bankas pārskats bilance
 DocType: Normal Test Template,Normal Test Template,Normālās pārbaudes veidne
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,invalīdiem lietotāju
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Piedāvājums
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,"Nevar iestatīt saņemto RFQ, ja nav citēta"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Piedāvājums
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,"Nevar iestatīt saņemto RFQ, ja nav citēta"
 DocType: Salary Slip,Total Deduction,Kopā atskaitīšana
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Izvēlieties kontu, kuru drukāt konta valūtā"
 ,Production Analytics,ražošanas Analytics
@@ -3046,14 +3074,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Piegādātāju veiktspējas kartes iestatīšana
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Vērtēšanas plāna nosaukums
 DocType: Work Order Operation,Work Order Operation,Darba pasūtījuma darbība
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Brīdinājums: Invalid SSL sertifikātu par arestu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Brīdinājums: Invalid SSL sertifikātu par arestu {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Sasaistes palīdzēt jums iegūt biznesa, pievienot visus savus kontaktus un vairāk kā jūsu rezultātā"
 DocType: Work Order Operation,Actual Operation Time,Faktiskais Darbības laiks
 DocType: Authorization Rule,Applicable To (User),Piemērojamais Lai (lietotājs)
 DocType: Purchase Taxes and Charges,Deduct,Atskaitīt
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Darba apraksts
 DocType: Student Applicant,Applied,praktisks
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-open
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-open
 DocType: Sales Invoice Item,Qty as per Stock UOM,Daudz kā vienu akciju UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 vārds
 DocType: Attendance,Attendance Request,Apmeklējuma pieprasījums
@@ -3071,7 +3099,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Sērijas Nr {0} ir garantijas līdz pat {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimālā pieļaujamā vērtība
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Lietotājs {0} jau eksistē
-apps/erpnext/erpnext/hooks.py +114,Shipments,Sūtījumi
+apps/erpnext/erpnext/hooks.py +115,Shipments,Sūtījumi
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Kopējā piešķirtā summa (Company valūta)
 DocType: Purchase Order Item,To be delivered to customer,Jāpiegādā klientam
 DocType: BOM,Scrap Material Cost,Lūžņi materiālu izmaksas
@@ -3079,11 +3107,12 @@
 DocType: Grant Application,Email Notification Sent,E-pasta paziņojums nosūtīts
 DocType: Purchase Invoice,In Words (Company Currency),Vārdos (Company valūta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Uzņēmums ir administratīvs uzņēmums kontu
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Rindā ir jānorāda vienība Kods, noliktava, daudzums"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Rindā ir jānorāda vienība Kods, noliktava, daudzums"
 DocType: Bank Guarantee,Supplier,Piegādātājs
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Nokļūt no
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,"Šī ir saknes nodaļa, un to nevar rediģēt."
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Rādīt maksājuma datus
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Ilgums dienās
 DocType: C-Form,Quarter,Ceturksnis
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Dažādi izdevumi
 DocType: Global Defaults,Default Company,Noklusējuma uzņēmums
@@ -3091,7 +3120,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Izdevumu vai Atšķirība konts ir obligāta postenī {0}, kā tā ietekmē vispārējo akciju vērtības"
 DocType: Bank,Bank Name,Bankas nosaukums
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Virs
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Atstājiet lauku tukšu, lai veiktu pirkšanas pasūtījumus visiem piegādātājiem"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Atstājiet lauku tukšu, lai veiktu pirkšanas pasūtījumus visiem piegādātājiem"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stacionārā apmeklējuma maksas vienība
 DocType: Vital Signs,Fluid,Šķidrums
 DocType: Leave Application,Total Leave Days,Kopā atvaļinājuma dienām
@@ -3101,7 +3130,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Vienuma variantu iestatījumi
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Izvēlieties Company ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Atstāt tukšu, ja to uzskata par visu departamentu"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} ir obligāta postenī {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} ir obligāta postenī {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",Vienums {0}: {1} izgatavots daudzums
 DocType: Payroll Entry,Fortnightly,divnedēļu
 DocType: Currency Exchange,From Currency,No Valūta
@@ -3151,7 +3180,7 @@
 DocType: Account,Fixed Asset,Pamatlīdzeklis
 DocType: Amazon MWS Settings,After Date,Pēc datuma
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serializēja inventarizācija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Nederīgs {0} Inter uzņēmuma rēķins.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Nederīgs {0} Inter uzņēmuma rēķins.
 ,Department Analytics,Departamenta analīze
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-pasta adrese nav atrasta noklusējuma kontā
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Izveidot slepenu
@@ -3170,6 +3199,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Ar nodokļa samaksu
 DocType: Expense Claim Detail,Expense Claim Detail,Izdevumu Pretenzija Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Lūdzu, uzstādiet Instruktoru nosaukumu sistēmu izglītībā&gt; Izglītības iestatījumi"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Trīs eksemplāros piegādātājs
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Jauns atlikums pamatvalūtā
 DocType: Location,Is Container,Ir konteiners
@@ -3177,13 +3207,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Lūdzu, izvēlieties pareizo kontu"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Algu struktūras uzdevums
 DocType: Purchase Invoice Item,Weight UOM,Svara Mērvienība
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Pieejamo Akcionāru saraksts ar folio numuriem
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Pieejamo Akcionāru saraksts ar folio numuriem
 DocType: Salary Structure Employee,Salary Structure Employee,Alga Struktūra Darbinieku
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Rādīt variantu atribūtus
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Rādīt variantu atribūtus
 DocType: Student,Blood Group,Asins Group
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Plāna {0} maksājuma vārtejas konts atšķiras no maksājuma vārtejas konta šajā maksājuma pieprasījumā
 DocType: Course,Course Name,Kursa nosaukums
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nav pieejami nodokļa ieturēšanas dati par pašreizējo fiskālo gadu.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nav pieejami nodokļa ieturēšanas dati par pašreizējo fiskālo gadu.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Lietotāji, kuri var apstiprināt konkrētā darbinieka atvaļinājumu pieteikumus"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Biroja iekārtas
 DocType: Purchase Invoice Item,Qty,Daudz
@@ -3191,6 +3221,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Novērtēšanas iestatīšana
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debets ({0})
+DocType: BOM,Allow Same Item Multiple Times,Atļaut vienu un to pašu vienumu vairākas reizes
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Paaugstināt Materiālu pieprasījums kad akciju sasniedz atkārtoti pasūtījuma līmeni
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Pilna laika
 DocType: Payroll Entry,Employees,darbinieki
@@ -3202,11 +3233,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Maksājuma apstiprinājums
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Cenas netiks parādīts, ja Cenrādis nav noteikts"
 DocType: Stock Entry,Total Incoming Value,Kopā Ienākošais vērtība
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debets ir nepieciešama
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debets ir nepieciešama
 DocType: Clinical Procedure,Inpatient Record,Stacionārais ieraksts
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets palīdz sekot līdzi laika, izmaksu un rēķinu par aktivitātēm, ko veic savu komandu"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Pirkuma Cenrādis
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Darījuma datums
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Pirkuma Cenrādis
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Darījuma datums
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Piegādes rezultātu tabulas mainīgie modeļi.
 DocType: Job Offer Term,Offer Term,Piedāvājums Term
 DocType: Asset,Quality Manager,Kvalitātes vadītājs
@@ -3227,11 +3258,11 @@
 DocType: Cashier Closing,To Time,Uz laiku
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) par {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Apstiprinot loma (virs atļautā vērtība)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredīts kontā jābūt Kreditoru konts
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredīts kontā jābūt Kreditoru konts
 DocType: Loan,Total Amount Paid,Kopējā samaksātā summa
 DocType: Asset,Insurance End Date,Apdrošināšanas beigu datums
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Lūdzu, izvēlieties Studentu uzņemšanu, kas ir obligāta apmaksātajam studenta pretendentam"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekursijas: {0} nevar būt vecāks vai bērns {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekursijas: {0} nevar būt vecāks vai bērns {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Budžeta saraksts
 DocType: Work Order Operation,Completed Qty,Pabeigts Daudz
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Par {0}, tikai debeta kontus var saistīt pret citu kredīta ierakstu"
@@ -3239,7 +3270,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serializēta Prece {0} nevar atjaunināt, izmantojot Fondu samierināšanās, lūdzu, izmantojiet Fondu Entry"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serializēta Prece {0} nevar atjaunināt, izmantojot Fondu samierināšanās, lūdzu, izmantojiet Fondu Entry"
 DocType: Training Event Employee,Training Event Employee,Training Event Darbinieku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimālais paraugu skaits - {0} var tikt saglabāts partijai {1} un vienumam {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimālais paraugu skaits - {0} var tikt saglabāts partijai {1} un vienumam {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Pievienot laika nišas
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} kārtas numurus, kas nepieciešami postenī {1}. Jums ir sniegušas {2}."
 DocType: Stock Reconciliation Item,Current Valuation Rate,Pašreizējais Vērtēšanas Rate
@@ -3270,11 +3301,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Sērijas Nr {0} nav atrasts
 DocType: Fee Schedule Program,Fee Schedule Program,Maksu grafika programma
 DocType: Fee Schedule Program,Student Batch,Student Partijas
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Lūdzu, izdzēsiet Darbinieku <a href=""#Form/Employee/{0}"">{0}</a> \, lai atceltu šo dokumentu"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,padarīt Students
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Minimālais vērtējums
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Veselības aprūpes dienesta vienības tips
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Jūs esat uzaicināts sadarboties projektam: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Jūs esat uzaicināts sadarboties projektam: {0}
 DocType: Supplier Group,Parent Supplier Group,Vecāku piegādātāju grupa
+DocType: Email Digest,Purchase Orders to Bill,Iegādājieties pasūtījumu Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Uzkrātās vērtības grupas sabiedrībā
 DocType: Leave Block List Date,Block Date,Block Datums
 DocType: Crop,Crop,Apgriezt
@@ -3287,6 +3321,7 @@
 DocType: Sales Order,Not Delivered,Nav sniegusi
 ,Bank Clearance Summary,Banka Klīrenss kopsavilkums
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Izveidot un pārvaldīt ikdienas, iknedēļas un ikmēneša e-pasta hidrolizātus."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Tas ir balstīts uz darījumiem pret šo Pārdošanas Personu. Sīkāku informāciju skatiet tālāk redzamajā laika grafikā
 DocType: Appraisal Goal,Appraisal Goal,Izvērtēšana Goal
 DocType: Stock Reconciliation Item,Current Amount,pašreizējais Summa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ēkas
@@ -3313,7 +3348,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,programmatūra
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Nākamais Kontaktinformācija datums nedrīkst būt pagātnē
 DocType: Company,For Reference Only.,Tikai atsaucei.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Izvēlieties Partijas Nr
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Izvēlieties Partijas Nr
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Nederīga {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Atsauces ieguldījums
@@ -3331,16 +3366,16 @@
 DocType: Normal Test Items,Require Result Value,Pieprasīt rezultātu vērtību
 DocType: Item,Show a slideshow at the top of the page,Parādiet slaidrādi augšpusē lapas
 DocType: Tax Withholding Rate,Tax Withholding Rate,Nodokļu ieturējuma likme
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Veikali
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Veikali
 DocType: Project Type,Projects Manager,Projektu vadītāja
 DocType: Serial No,Delivery Time,Piegādes laiks
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Novecošanās Based On
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Iecelšana atcelta
 DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Ceļot
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Ceļot
 DocType: Student Report Generation Tool,Include All Assessment Group,Iekļaut visu novērtēšanas grupu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Nav aktīvas vai noklusējuma Alga struktūra down darbiniekam {0} par dotajiem datumiem
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Nav aktīvas vai noklusējuma Alga struktūra down darbiniekam {0} par dotajiem datumiem
 DocType: Leave Block List,Allow Users,Atļaut lietotājiem
 DocType: Purchase Order,Customer Mobile No,Klientu Mobile Nr
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Naudas plūsmas kartēšanas veidnes detaļas
@@ -3349,15 +3384,16 @@
 DocType: Rename Tool,Rename Tool,Pārdēvēt rīks
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Atjaunināt izmaksas
 DocType: Item Reorder,Item Reorder,Postenis Pārkārtot
+DocType: Delivery Note,Mode of Transport,Transporta veids
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Rādīt Alga Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer Materiāls
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer Materiāls
 DocType: Fees,Send Payment Request,Sūtīt maksājuma pieprasījumu
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Norādiet operācijas, ekspluatācijas izmaksas un sniegt unikālu ekspluatācijā ne jūsu darbībām."
 DocType: Travel Request,Any other details,Jebkura cita informācija
 DocType: Water Analysis,Origin,Izcelsme
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Šis dokuments ir pāri robežai ar {0} {1} par posteni {4}. Jūs padarīt vēl {3} pret pats {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Lūdzu noteikt atkārtojas pēc glābšanas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Izvēlieties Mainīt summu konts
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Lūdzu noteikt atkārtojas pēc glābšanas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Izvēlieties Mainīt summu konts
 DocType: Purchase Invoice,Price List Currency,Cenrādis Currency
 DocType: Naming Series,User must always select,Lietotājam ir vienmēr izvēlēties
 DocType: Stock Settings,Allow Negative Stock,Atļaut negatīvs Stock
@@ -3378,9 +3414,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,izsekojamība
 DocType: Asset Maintenance Log,Actions performed,Veiktās darbības
 DocType: Cash Flow Mapper,Section Leader,Sadaļas vadītājs
+DocType: Delivery Note,Transport Receipt No,Transporta kvīts Nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Līdzekļu avots (Pasīvi)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Avota un mērķa atrašanās vieta nevar būt vienāda
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Daudzums rindā {0} ({1}) jābūt tādai pašai kā saražotā apjoma {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Daudzums rindā {0} ({1}) jābūt tādai pašai kā saražotā apjoma {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Darbinieks
 DocType: Bank Guarantee,Fixed Deposit Number,Fiksētā depozīta numurs
 DocType: Asset Repair,Failure Date,Neveiksmes datums
@@ -3394,16 +3431,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Maksājumu Atskaitījumi vai zaudējumi
 DocType: Soil Analysis,Soil Analysis Criterias,Augsnes analīzes kritēriji
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standarta līguma noteikumi par pārdošanu vai pirkšanu.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Vai tiešām vēlaties atcelt šo tikšanos?
+DocType: BOM Item,Item operation,Vienuma darbība
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Vai tiešām vēlaties atcelt šo tikšanos?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Viesnīcas numuru cenas pakete
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Sales Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Lūdzu iestatīt noklusēto kontu Algu komponentes {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nepieciešamais On
 DocType: Rename Tool,File to Rename,Failu pārdēvēt
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Lūdzu, izvēlieties BOM par posteni rindā {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Ielādēt abonēšanas atjauninājumus
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konta {0} nesakrīt ar uzņēmumu {1} no konta režīms: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Noteiktais BOM {0} nepastāv postenī {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Noteiktais BOM {0} nepastāv postenī {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kurss:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Uzturēšana Kalendārs {0} ir atcelts pirms anulējot šo klientu pasūtījumu
@@ -3412,7 +3450,7 @@
 DocType: Notification Control,Expense Claim Approved,Izdevumu Pretenzija Apstiprināts
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Iestatīt avansa maksājumus (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nav izveidoti darba pasūtījumi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Alga Slip darbinieka {0} jau izveidotas šajā periodā
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Alga Slip darbinieka {0} jau izveidotas šajā periodā
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceitisks
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Jūs varat iesniegt tikai Atstāt inkasāciju par derīgu inkasācijas summu
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Izmaksas iegādātās preces
@@ -3420,7 +3458,8 @@
 DocType: Selling Settings,Sales Order Required,Pasūtījumu Nepieciešamais
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Kļūstiet par Pārdevēju
 DocType: Purchase Invoice,Credit To,Kredīts Lai
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktīvās pievadi / Klienti
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktīvās pievadi / Klienti
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Atstājiet tukšu, lai izmantotu standarta piegādes piezīmes formātu"
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Uzturēšanas grafika detaļas
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Brīdiniet par jauniem pirkuma pasūtījumiem
@@ -3434,14 +3473,14 @@
 DocType: Support Search Source,Post Title Key,Nosaukuma atslēgas nosaukums
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Darba karti
 DocType: Warranty Claim,Raised By,Paaugstināts Līdz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Priekšraksti
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Priekšraksti
 DocType: Payment Gateway Account,Payment Account,Maksājumu konts
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Lūdzu, norādiet Company, lai turpinātu"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Lūdzu, norādiet Company, lai turpinātu"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Neto izmaiņas debitoru
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompensējošs Off
 DocType: Job Offer,Accepted,Pieņemts
 DocType: POS Closing Voucher,Sales Invoices Summary,Pārdošanas rēķinu kopsavilkums
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Puses vārds
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Puses vārds
 DocType: Grant Application,Organization,organizēšana
 DocType: Grant Application,Organization,organizēšana
 DocType: BOM Update Tool,BOM Update Tool,BOM atjaunināšanas rīks
@@ -3451,7 +3490,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Lūdzu, pārliecinieties, ka jūs tiešām vēlaties dzēst visus darījumus šajā uzņēmumā. Jūsu meistars dati paliks kā tas ir. Šo darbību nevar atsaukt."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Meklēšanas rezultāti
 DocType: Room,Room Number,Istabas numurs
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Nederīga atsauce {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Nederīga atsauce {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}), nevar būt lielāks par plānoto daudzumu ({2}) ražošanas pasūtījumā {3}"
 DocType: Shipping Rule,Shipping Rule Label,Piegāde noteikums Label
 DocType: Journal Entry Account,Payroll Entry,Algas ieraksts
@@ -3459,8 +3498,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Veidojiet nodokļu veidlapu
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,lietotāju forums
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Izejvielas nevar būt tukšs.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Rinda # {0} (Maksājumu tabula): summai jābūt negatīvai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nevarēja atjaunināt sastāvu, rēķins ir piliens kuģniecības objektu."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Rinda # {0} (Maksājumu tabula): summai jābūt negatīvai
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nevarēja atjaunināt sastāvu, rēķins ir piliens kuģniecības objektu."
 DocType: Contract,Fulfilment Status,Izpildes statuss
 DocType: Lab Test Sample,Lab Test Sample,Laba testa paraugs
 DocType: Item Variant Settings,Allow Rename Attribute Value,Atļaut pārdēvēt atribūtu vērtību
@@ -3502,11 +3541,11 @@
 DocType: BOM,Show Operations,Rādīt Operations
 ,Minutes to First Response for Opportunity,Minūtes First Response par Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Kopā Nav
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Postenis vai noliktava rindā {0} nesakrīt Material pieprasījumu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Postenis vai noliktava rindā {0} nesakrīt Material pieprasījumu
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Mērvienības
 DocType: Fiscal Year,Year End Date,Gada beigu datums
 DocType: Task Depends On,Task Depends On,Uzdevums Atkarīgs On
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Iespējas
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Iespējas
 DocType: Operation,Default Workstation,Default Workstation
 DocType: Notification Control,Expense Claim Approved Message,Izdevumu Pretenzija Apstiprināts Message
 DocType: Payment Entry,Deductions or Loss,Samazinājumus vai zaudēšana
@@ -3544,21 +3583,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,"Apstiprinot lietotājs nevar pats, lietotājs noteikums ir piemērojams"
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (par katru akciju UOM)
 DocType: SMS Log,No of Requested SMS,Neviens pieprasījuma SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Atstāt bez samaksas nesakrīt ar apstiprināto atvaļinājums ierakstus
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Atstāt bez samaksas nesakrīt ar apstiprināto atvaļinājums ierakstus
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Nākamie soļi
 DocType: Travel Request,Domestic,Iekšzemes
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Lūdzu sniegt norādītos objektus pēc iespējas zemas cenas
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Lūdzu sniegt norādītos objektus pēc iespējas zemas cenas
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Darbinieku pārskaitījumu nevar iesniegt pirms pārskaitījuma datuma
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Veikt rēķinu
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Atlikušais atlikums
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Atlikušais atlikums
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto tuvu Opportunity pēc 15 dienām
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Pirkuma pasūtījumi nav atļauti {0} dēļ rezultātu rādītāja statusā {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Svītrkods {0} nav derīgs {1} kods
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Svītrkods {0} nav derīgs {1} kods
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,beigu gads
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Līguma beigu datums ir jābūt lielākam nekā datums savienošana
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Līguma beigu datums ir jābūt lielākam nekā datums savienošana
 DocType: Driver,Driver,Vadītājs
 DocType: Vital Signs,Nutrition Values,Uztura vērtības
 DocType: Lab Test Template,Is billable,Ir apmaksājams
@@ -3569,7 +3608,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Šis ir piemērs mājas lapā automātiski ģenerēts no ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Novecošana Range 1
 DocType: Shopify Settings,Enable Shopify,Iespējot Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Kopējā avansa summa nevar būt lielāka par kopējo pieprasīto summu
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Kopējā avansa summa nevar būt lielāka par kopējo pieprasīto summu
 DocType: Purchase Taxes and Charges Template,"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
@@ -3596,12 +3635,12 @@
 DocType: Employee Separation,Employee Separation,Darbinieku nodalīšana
 DocType: BOM Item,Original Item,Oriģināla prece
 DocType: Purchase Receipt Item,Recd Quantity,Recd daudzums
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Datums
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Datums
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Maksa Records Izveidoja - {0}
 DocType: Asset Category Account,Asset Category Account,Asset kategorija konts
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Maksājumu tabula): summai jābūt pozitīvai
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Maksājumu tabula): summai jābūt pozitīvai
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Nevar ražot vairāk Vienību {0} nekā Pasūtījumu daudzums {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Atlasiet Atribūtu vērtības
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Atlasiet Atribūtu vērtības
 DocType: Purchase Invoice,Reason For Issuing document,Iemesls dokumentu izsniegšanai
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Entry {0} nav iesniegts
 DocType: Payment Reconciliation,Bank / Cash Account,Bankas / Naudas konts
@@ -3610,8 +3649,10 @@
 DocType: Asset,Manual,rokasgrāmata
 DocType: Salary Component Account,Salary Component Account,Algas Component konts
 DocType: Global Defaults,Hide Currency Symbol,Slēpt valūtas simbolu
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Pārdošanas iespējas pēc avota
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Dāvinātāja informācija.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","piemēram, Bank, Cash, Credit Card"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Lūdzu, uzstādiet apmeklētāju numerācijas sēriju, izmantojot iestatīšanas&gt; numerācijas sēriju"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","piemēram, Bank, Cash, Credit Card"
 DocType: Job Applicant,Source Name,Source Name
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Parastā asinsspiediena atgūšana pieaugušajam ir aptuveni 120 mmHg sistoliskā un 80 mmHg diastoliskā, saīsināti &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Iestatīt sezonas derīguma termiņu dienās, lai noteiktu derīguma termiņu, pamatojoties uz ražošanas_datemu un pašnodarbinātību"
@@ -3641,7 +3682,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Daudzumam jābūt mazākam par daudzumu {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rinda {0}: Sākuma datumam jābūt pirms beigu datuma
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimālā pabalsta summa (reizi gadā)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS likme%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS likme%
 DocType: Crop,Planting Area,Stādīšanas zona
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Kopā (Daudz)
 DocType: Installation Note Item,Installed Qty,Uzstādītas Daudz
@@ -3663,8 +3704,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Atteikt apstiprinājuma paziņojumu
 DocType: Buying Settings,Default Buying Price List,Default Pirkšana Cenrādis
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Alga Slip Pamatojoties uz laika kontrolsaraksts
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Pirkšanas līmenis
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Rinda {0}: ievadiet aktīvu posteņa atrašanās vietu {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Pirkšanas līmenis
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Rinda {0}: ievadiet aktīvu posteņa atrašanās vietu {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Par kompāniju
 DocType: Notification Control,Sales Order Message,Sales Order Message
@@ -3731,10 +3772,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Rindai {0}: ievadiet plānoto daudzumu
 DocType: Account,Income Account,Ienākumu konta
 DocType: Payment Request,Amount in customer's currency,Summa klienta valūtā
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Nodošana
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Nodošana
 DocType: Volunteer,Weekdays,Nedēļas dienas
 DocType: Stock Reconciliation Item,Current Qty,Pašreizējais Daudz
 DocType: Restaurant Menu,Restaurant Menu,Restorāna ēdienkarte
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Pievienojiet piegādātājus
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Palīdzības sadaļa
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Iepriekšējā
@@ -3746,19 +3788,20 @@
 												fullfill Sales Order {2}","Nevaru piegādāt vienības {1} sērijas numuru {0}, jo tas ir rezervēts \ fillfill pārdošanas pasūtījumam {2}"
 DocType: Item Reorder,Material Request Type,Materiāls Pieprasījuma veids
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Nosūtiet Granta pārskata e-pastu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage ir pilna, nav ietaupīt"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor ir obligāta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage ir pilna, nav ietaupīt"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor ir obligāta
 DocType: Employee Benefit Claim,Claim Date,Pretenzijas datums
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Telpas ietilpība
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Vienums {0} jau ir ieraksts
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Jūs zaudēsiet iepriekš izveidoto rēķinu ierakstus. Vai tiešām vēlaties atjaunot šo abonementu?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Reģistrācijas maksa
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojalitātes programmu kolekcija
 DocType: Stock Entry Detail,Subcontracted Item,Apakšuzņēmuma līgums
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Students {0} nepieder pie grupas {1}
 DocType: Budget,Cost Center,Izmaksas Center
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Kuponu #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Kuponu #
 DocType: Notification Control,Purchase Order Message,Pasūtījuma Ziņa
 DocType: Tax Rule,Shipping Country,Piegāde Country
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Slēpt Klienta nodokļu ID no pārdošanas darījumu
@@ -3777,23 +3820,22 @@
 DocType: Subscription,Cancel At End Of Period,Atcelt beigās periodā
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Īpašums jau ir pievienots
 DocType: Item Supplier,Item Supplier,Postenis piegādātājs
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Ievadiet posteņu kodu, lai iegūtu partiju nē"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Lūdzu, izvēlieties vērtību {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Ievadiet posteņu kodu, lai iegūtu partiju nē"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Lūdzu, izvēlieties vērtību {0} quotation_to {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Pārvietošanai nav atlasīts neviens vienums
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Visas adreses.
 DocType: Company,Stock Settings,Akciju iestatījumi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Apvienošana ir iespējama tikai tad, ja šādas īpašības ir vienādas abos ierakstos. Vai Group, Root Type, Uzņēmuma"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Apvienošana ir iespējama tikai tad, ja šādas īpašības ir vienādas abos ierakstos. Vai Group, Root Type, Uzņēmuma"
 DocType: Vehicle,Electric,elektrības
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Peļņa / zaudējumi aktīva atsavināšana
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Zemāk esošajā tabulā būs atlasīts tikai Studentu pretendents ar statusu &quot;Apstiprināts&quot;.
 DocType: Tax Withholding Category,Rates,Cenas
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Konta numurs kontam {0} nav pieejams. <br> Lūdzu, pareizi iestatiet savu kontu karti."
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Konta numurs kontam {0} nav pieejams. <br> Lūdzu, pareizi iestatiet savu kontu karti."
 DocType: Task,Depends on Tasks,Atkarīgs no uzdevumiem
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Pārvaldīt Klientu grupa Tree.
 DocType: Normal Test Items,Result Value,Rezultātu vērtība
 DocType: Hotel Room,Hotels,Viesnīcas
-DocType: Delivery Note,Transporter Date,Transportera datums
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Jaunais Izmaksu centrs Name
 DocType: Leave Control Panel,Leave Control Panel,Atstājiet Control Panel
 DocType: Project,Task Completion,uzdevums pabeigšana
@@ -3840,11 +3882,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Visi novērtēšanas grupas
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Jauns Noliktava vārds
 DocType: Shopify Settings,App Type,Lietotnes veids
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Kopā {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Kopā {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Teritorija
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Lūdzu, norādiet neviena apmeklējumu nepieciešamo"
 DocType: Stock Settings,Default Valuation Method,Default Vērtēšanas metode
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Maksa
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Rādīt kumulatīvo summu
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Atjaunināšana notiek Tas var aizņemt laiku.
 DocType: Production Plan Item,Produced Qty,Ražots daudzums
 DocType: Vehicle Log,Fuel Qty,degvielas Daudz
@@ -3852,7 +3895,7 @@
 DocType: Work Order Operation,Planned Start Time,Plānotais Sākuma laiks
 DocType: Course,Assessment,novērtējums
 DocType: Payment Entry Reference,Allocated,Piešķirtas
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Close Bilance un grāmatu peļņa vai zaudējumi.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Close Bilance un grāmatu peļņa vai zaudējumi.
 DocType: Student Applicant,Application Status,Application Status
 DocType: Additional Salary,Salary Component Type,Algu komponentu tips
 DocType: Sensitivity Test Items,Sensitivity Test Items,Jutīguma testa vienumi
@@ -3863,10 +3906,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Kopējā nesaņemtā summa
 DocType: Sales Partner,Targets,Mērķi
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,"Lūdzu, reģistrējiet SIREN numuru uzņēmuma informācijas failā"
+DocType: Email Digest,Sales Orders to Bill,Pārdošanas pasūtījumi Billam
 DocType: Price List,Price List Master,Cenrādis Master
 DocType: GST Account,CESS Account,CESS konts
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Visi pārdošanas darījumi var tagged pret vairāku ** pārdevēji **, lai jūs varat noteikt un kontrolēt mērķus."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Saite uz materiālu pieprasījumu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Saite uz materiālu pieprasījumu
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Foruma aktivitāte
 ,S.O. No.,SO No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Bankas paziņojums Darījuma parametru postenis
@@ -3881,7 +3925,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,"Tas ir sakne klientu grupai, un to nevar rediģēt."
 DocType: Student,AB-,Ab
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Darbība, ja uzkrātais ikmēneša budžets ir pārsniegts par PO"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Uz vietu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Uz vietu
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valūtas kursa pārvērtēšana
 DocType: POS Profile,Ignore Pricing Rule,Ignorēt cenu veidošanas likumu
 DocType: Employee Education,Graduate,Absolvents
@@ -3918,6 +3962,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,"Lūdzu, iestatiet noklusējuma klientu restorāna iestatījumos"
 ,Salary Register,alga Reģistrēties
 DocType: Warehouse,Parent Warehouse,Parent Noliktava
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Diagramma
 DocType: Subscription,Net Total,Net Kopā
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Default BOM nav atrasts postenī {0} un Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definēt dažādus aizdevumu veidus
@@ -3950,24 +3995,26 @@
 DocType: Membership,Membership Status,Dalības statuss
 DocType: Travel Itinerary,Lodging Required,Naktsmītne ir obligāta
 ,Requested,Pieprasīts
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Nav Piezīmes
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Nav Piezīmes
 DocType: Asset,In Maintenance,Uzturēšanā
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Noklikšķiniet uz šīs pogas, lai noņemtu savus pārdošanas pasūtījumu datus no Amazon MWS."
 DocType: Vital Signs,Abdomen,Vēders
 DocType: Purchase Invoice,Overdue,Nokavēts
 DocType: Account,Stock Received But Not Billed,Stock Saņemtā Bet ne Jāmaksā
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root Jāņem grupa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root Jāņem grupa
 DocType: Drug Prescription,Drug Prescription,Zāļu recepte
 DocType: Loan,Repaid/Closed,/ Atmaksāto Slēgts
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Kopā prognozēts Daudz
 DocType: Monthly Distribution,Distribution Name,Distribution vārds
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Iekļaut UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Novērtējuma pakāpe nav atrasta vienumam {0}, kas jāveic, lai veiktu grāmatvedības ierakstus par {1} {2}. Ja vienums darījums tiek veikts kā nulles vērtēšanas pakāpes postenis {1}, lūdzu, norādiet to {1} vienumu tabulā. Pretējā gadījumā, lūdzu, izveidojiet priekšmeta ienākošo krājumu darījumu vai norādiet vērtēšanas pakāpi vienuma ierakstā un pēc tam mēģiniet iesniegt / atcelt šo ierakstu"
 DocType: Course,Course Code,kursa kods
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kvalitātes pārbaudes nepieciešamas postenī {0}
 DocType: Location,Parent Location,Vecāku atrašanās vieta
 DocType: POS Settings,Use POS in Offline Mode,Izmantojiet POS bezsaistes režīmā
 DocType: Supplier Scorecard,Supplier Variables,Piegādātāja mainīgie
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} ir obligāts. Varbūt valūtas maiņas ieraksts nav izveidots {1} līdz {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Likmi, pēc kuras klienta valūtā tiek konvertēta uz uzņēmuma bāzes valūtā"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (Uzņēmējdarbības valūta)
 DocType: Salary Detail,Condition and Formula Help,Stāvoklis un Formula Palīdzība
@@ -3976,19 +4023,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,PPR (Pārdošanas Pavadzīme)
 DocType: Journal Entry Account,Party Balance,Party Balance
 DocType: Cash Flow Mapper,Section Subtotal,Iedaļa Starpsumma
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Lūdzu, izvēlieties Piesakies atlaide"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Lūdzu, izvēlieties Piesakies atlaide"
 DocType: Stock Settings,Sample Retention Warehouse,Paraugu uzglabāšanas noliktava
 DocType: Company,Default Receivable Account,Default pasūtītāju konta
 DocType: Purchase Invoice,Deemed Export,Atzīta eksporta
 DocType: Stock Entry,Material Transfer for Manufacture,Materiāls pārsūtīšana Ražošana
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Atlaide Procentos var piemērot vai nu pret Cenrādī vai visām Cenrāža.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Grāmatvedības Entry par noliktavā
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Grāmatvedības Entry par noliktavā
 DocType: Lab Test,LabTest Approver,LabTest apstiprinātājs
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Jūs jau izvērtēta vērtēšanas kritērijiem {}.
 DocType: Vehicle Service,Engine Oil,Motora eļļas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Izveidoti darba uzdevumi: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Izveidoti darba uzdevumi: {0}
 DocType: Sales Invoice,Sales Team1,Sales team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Postenis {0} nepastāv
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Postenis {0} nepastāv
 DocType: Sales Invoice,Customer Address,Klientu adrese
 DocType: Loan,Loan Details,aizdevums Details
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Neizdevās iestatīt pēc firmas ķermeņus
@@ -4009,34 +4056,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Parādiet šo slaidrādi augšpusē lapas
 DocType: BOM,Item UOM,Postenis(Item) UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Nodokļa summa pēc atlaides apmērs (Uzņēmējdarbības valūta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Mērķa noliktava ir obligāta rindā {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Mērķa noliktava ir obligāta rindā {0}
 DocType: Cheque Print Template,Primary Settings,primārās iestatījumi
 DocType: Attendance Request,Work From Home,Darbs no mājām
 DocType: Purchase Invoice,Select Supplier Address,Select Piegādātājs adrese
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Pievienot Darbinieki
 DocType: Purchase Invoice Item,Quality Inspection,Kvalitātes pārbaudes
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Standard Template
 DocType: Training Event,Theory,teorija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Brīdinājums: Materiāls Pieprasītā Daudz ir mazāks nekā minimālais pasūtījums Daudz
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Brīdinājums: Materiāls Pieprasītā Daudz ir mazāks nekā minimālais pasūtījums Daudz
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Konts {0} ir sasalusi
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridiskā persona / meitas uzņēmums ar atsevišķu kontu plānu, kas pieder Organizācijai."
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Pārtika, dzērieni un tabakas"
 DocType: Account,Account Number,Konta numurs
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Var tikai veikt maksājumus pret unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Komisijas likme nevar būt lielāka par 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Var tikai veikt maksājumus pret unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Komisijas likme nevar būt lielāka par 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Automātiski piešķirt avansa maksājumus (FIFO)
 DocType: Volunteer,Volunteer,Brīvprātīgais
 DocType: Buying Settings,Subcontract,Apakšlīgumu
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Ievadiet {0} pirmais
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Nav atbildes
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Nav atbildes
 DocType: Work Order Operation,Actual End Time,Faktiskais Beigu laiks
 DocType: Item,Manufacturer Part Number,Ražotāja daļas numurs
 DocType: Taxable Salary Slab,Taxable Salary Slab,Nodokļa algu plāksne
 DocType: Work Order Operation,Estimated Time and Cost,Paredzamais laiks un izmaksas
 DocType: Bin,Bin,Kaste
 DocType: Crop,Crop Name,Apgriešanas nosaukums
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Tirgū var reģistrēties tikai lietotāji ar {0} lomu
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Tirgū var reģistrēties tikai lietotāji ar {0} lomu
 DocType: SMS Log,No of Sent SMS,Nosūtīto SMS skaits
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Tikšanās un tikšanās
@@ -4065,7 +4113,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Mainīt kodu
 DocType: Purchase Invoice Item,Valuation Rate,Vērtēšanas Rate
 DocType: Vehicle,Diesel,dīzelis
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Cenrādis Valūtu nav izvēlēta
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Cenrādis Valūtu nav izvēlēta
 DocType: Purchase Invoice,Availed ITC Cess,Izmantojis ITC Sess
 ,Student Monthly Attendance Sheet,Student Mēneša Apmeklējumu lapa
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Piegādes noteikums attiecas tikai uz Pārdošanu
@@ -4082,7 +4130,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Pārvaldīt tirdzniecības partneri.
 DocType: Quality Inspection,Inspection Type,Inspekcija Type
 DocType: Fee Validity,Visited yet,Apmeklēts vēl
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Noliktavas ar esošo darījumu nevar pārvērst grupai.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Noliktavas ar esošo darījumu nevar pārvērst grupai.
 DocType: Assessment Result Tool,Result HTML,rezultāts HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,"Cik bieži ir jāuzlabo projekts un uzņēmums, pamatojoties uz pārdošanas darījumiem."
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Beigu termiņš
@@ -4090,7 +4138,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Lūdzu, izvēlieties {0}"
 DocType: C-Form,C-Form No,C-Form Nr
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Attālums
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Attālums
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Ierakstiet savus produktus vai pakalpojumus, kurus jūs pērkat vai pārdodat."
 DocType: Water Analysis,Storage Temperature,Uzglabāšanas temperatūra
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4106,19 +4154,19 @@
 DocType: Shopify Settings,Delivery Note Series,Piegādes piezīmju sērija
 DocType: Purchase Order Item,Returned Qty,Atgriezās Daudz
 DocType: Student,Exit,Izeja
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Sakne Type ir obligāts
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Sakne Type ir obligāts
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Neizdevās instalēt presetes
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM reklāmguvums stundās
 DocType: Contract,Signee Details,Signee detaļas
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} pašlaik ir {1} Piegādātāju rādītāju karte, un šī piegādātāja RFQ ir jāizsaka piesardzīgi."
 DocType: Certified Consultant,Non Profit Manager,Bezpeļņas vadītājs
 DocType: BOM,Total Cost(Company Currency),Kopējās izmaksas (Company valūta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Sērijas Nr {0} izveidots
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Sērijas Nr {0} izveidots
 DocType: Homepage,Company Description for website homepage,Uzņēmuma apraksts mājas lapas sākumlapā
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Par ērtības klientiem, šie kodi var izmantot drukas formātos, piemēram, rēķinos un pavadzīmēs"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Name
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nevarēja izgūt informāciju par {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Atklāšanas ierakstu žurnāls
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Atklāšanas ierakstu žurnāls
 DocType: Contract,Fulfilment Terms,Izpildes noteikumi
 DocType: Sales Invoice,Time Sheet List,Time Sheet saraksts
 DocType: Employee,You can enter any date manually,Jūs varat ievadīt jebkuru datumu manuāli
@@ -4154,7 +4202,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Jūsu organizācija
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Izlaist atlikušo izlaidi šādiem darbiniekiem, jo attiecībā uz tiem jau ir pieejami atlaižu piešķiršanas ieraksti. {0}"
 DocType: Fee Component,Fees Category,maksas kategorija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Ievadiet atbrīvojot datumu.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Ievadiet atbrīvojot datumu.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Sīkāka informācija par sponsoru (nosaukums, atrašanās vieta)"
 DocType: Supplier Scorecard,Notify Employee,Paziņot darbiniekam
@@ -4167,9 +4215,9 @@
 DocType: Company,Chart Of Accounts Template,Kontu plāns Template
 DocType: Attendance,Attendance Date,Apmeklējumu Datums
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},"Rēķina atjaunošanai jābūt iespējotam, lai iegādātos rēķinu {0}"
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Prece Cena atjaunināts {0} Cenrādī {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Prece Cena atjaunināts {0} Cenrādī {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Alga sabrukuma pamatojoties uz izpeļņu un atskaitīšana.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Konts ar bērniem mezglu nevar pārvērst par virsgrāmatā
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Konts ar bērniem mezglu nevar pārvērst par virsgrāmatā
 DocType: Purchase Invoice Item,Accepted Warehouse,Pieņemts Noliktava
 DocType: Bank Reconciliation Detail,Posting Date,Norīkošanu Datums
 DocType: Item,Valuation Method,Vērtēšanas metode
@@ -4206,6 +4254,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,"Lūdzu, izvēlieties partiju"
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Ceļojuma un izdevumu pieprasījums
 DocType: Sales Invoice,Redemption Cost Center,Izpirkšanas izmaksu centrs
+DocType: QuickBooks Migrator,Scope,Darbības joma
 DocType: Assessment Group,Assessment Group Name,Novērtējums Grupas nosaukums
 DocType: Manufacturing Settings,Material Transferred for Manufacture,"Materiāls pārvietoti, lai ražošana"
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Pievienot detaļām
@@ -4213,6 +4262,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Pēdējā sinhronizācija Datetime
 DocType: Landed Cost Item,Receipt Document Type,Kvīts Dokumenta tips
 DocType: Daily Work Summary Settings,Select Companies,izvēlieties Uzņēmumi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Piedāvājuma / cenu cenas
 DocType: Antibiotic,Healthcare,Veselības aprūpe
 DocType: Target Detail,Target Detail,Mērķa Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Viens variants
@@ -4222,6 +4272,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Periods Noslēguma Entry
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Izvēlieties nodaļu ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,"Izmaksas Center ar esošajiem darījumiem, nevar pārvērst par grupai"
+DocType: QuickBooks Migrator,Authorization URL,Autorizācijas URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Summa {0} {1} {2} {3}
 DocType: Account,Depreciation,Nolietojums
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Akciju skaits un akciju skaits ir pretrunīgi
@@ -4244,13 +4295,14 @@
 DocType: Support Search Source,Source DocType,Avots DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Atveriet jaunu biļeti
 DocType: Training Event,Trainer Email,treneris Email
+DocType: Driver,Transporter,Transporteris
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materiāls Pieprasījumi {0} izveidoti
 DocType: Restaurant Reservation,No of People,Cilvēku skaits
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Šablons noteikumiem vai līgumu.
 DocType: Bank Account,Address and Contact,Adrese un kontaktinformācija
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Vai Konta Kreditoru
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Preces nevar atjaunināt pret pirkuma čeka {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Preces nevar atjaunināt pret pirkuma čeka {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto tuvu Issue pēc 7 dienām
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Atvaļinājumu nevar tikt piešķirts pirms {0}, jo atvaļinājumu bilance jau ir rokas nosūtīja nākotnē atvaļinājumu piešķiršanas ierakstu {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Piezīme: Due / Reference Date pārsniedz ļāva klientu kredītu dienām ar {0} dienā (s)
@@ -4268,7 +4320,7 @@
 ,Qty to Deliver,Daudz rīkoties
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon sinhronizēs datus, kas atjaunināti pēc šī datuma"
 ,Stock Analytics,Akciju Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Darbības nevar atstāt tukšu
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Darbības nevar atstāt tukšu
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Laboratorijas tests (-i)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Pret Dokumentu Detail Nr
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Dzēšana nav atļauta valstij {0}
@@ -4276,13 +4328,12 @@
 DocType: Quality Inspection,Outgoing,Izejošs
 DocType: Material Request,Requested For,Pieprasīts Par
 DocType: Quotation Item,Against Doctype,Pret DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ir atcelts vai aizvērts
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ir atcelts vai aizvērts
 DocType: Asset,Calculate Depreciation,Aprēķināt nolietojumu
 DocType: Delivery Note,Track this Delivery Note against any Project,Sekot šim pavadzīmi pret jebkuru projektu
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Neto naudas no Investing
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Pasūtītājs&gt; Klientu grupa&gt; Teritorija
 DocType: Work Order,Work-in-Progress Warehouse,Work-in-Progress noliktavā
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} jāiesniedz
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} jāiesniedz
 DocType: Fee Schedule Program,Total Students,Kopā studenti
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Apmeklējumu Record {0} nepastāv pret Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Atsauce # {0} datēts {1}
@@ -4302,7 +4353,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Nevar izveidot atlikušo darbinieku saglabāšanas bonusu
 DocType: Lead,Market Segment,Tirgus segmentā
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Lauksaimniecības vadītājs
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Samaksātā summa nedrīkst būt lielāka par kopējo negatīvo nenomaksātās summas {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Samaksātā summa nedrīkst būt lielāka par kopējo negatīvo nenomaksātās summas {0}
 DocType: Supplier Scorecard Period,Variables,Mainīgie
 DocType: Employee Internal Work History,Employee Internal Work History,Darbinieku Iekšējā Work Vēsture
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Noslēguma (Dr)
@@ -4327,22 +4378,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Produkti
 DocType: Loyalty Point Entry,Loyalty Program,Lojalitātes programma
 DocType: Student Guardian,Father,tēvs
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Atbalsta biļetes
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&quot;Update Stock&quot; nevar pārbaudīta pamatlīdzekļu pārdošana
 DocType: Bank Reconciliation,Bank Reconciliation,Banku samierināšanās
 DocType: Attendance,On Leave,Atvaļinājumā
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Saņemt atjauninājumus
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} nepieder Uzņēmumu {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Atlasiet vismaz vienu vērtību no katra atribūta.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Atlasiet vismaz vienu vērtību no katra atribūta.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materiāls Pieprasījums {0} ir atcelts vai pārtraukta
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Nosūtīšanas valsts
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Nosūtīšanas valsts
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Atstājiet Management
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupas
 DocType: Purchase Invoice,Hold Invoice,Turiet rēķinu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,"Lūdzu, atlasiet Darbinieku"
 DocType: Sales Order,Fully Delivered,Pilnībā Pasludināts
-DocType: Lead,Lower Income,Lower Ienākumi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Lower Ienākumi
 DocType: Restaurant Order Entry,Current Order,Kārtējais pasūtījums
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Sērijas numuriem un daudzumam jābūt vienādam
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Avota un mērķa noliktava nevar būt vienāda rindā {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Avota un mērķa noliktava nevar būt vienāda rindā {0}
 DocType: Account,Asset Received But Not Billed,"Aktīvs saņemts, bet nav iekasēts"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Starpība Konts jābūt aktīva / saistību veidu konts, jo šis fonds Salīdzināšana ir atklāšana Entry"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Izmaksātā summa nedrīkst būt lielāka par aizdevuma summu {0}
@@ -4351,7 +4404,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},"Pasūtījuma skaitu, kas nepieciešams postenī {0}"
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""No Datuma 'jābūt pēc"" Uz Datumu'"
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Šim apzīmējumam nav atrasts personāla plāns
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Vienuma {1} partija {0} ir atspējota.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Vienuma {1} partija {0} ir atspējota.
 DocType: Leave Policy Detail,Annual Allocation,Gada sadalījums
 DocType: Travel Request,Address of Organizer,Rīkotāja adrese
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Atlasiet veselības aprūpes speciālistu ...
@@ -4360,12 +4413,12 @@
 DocType: Asset,Fully Depreciated,pilnībā amortizēta
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stock Plānotais Daudzums
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Klientu {0} nepieder projekta {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Klientu {0} nepieder projekta {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Ievērojama Apmeklējumu HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citāti ir priekšlikumi, cenas jums ir nosūtīti uz jūsu klientiem"
 DocType: Sales Invoice,Customer's Purchase Order,Klienta Pasūtījuma
 DocType: Clinical Procedure,Patient,Pacienta
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Apvedceļa kredīta pārbaude pārdošanas pasūtījumā
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Apvedceļa kredīta pārbaude pārdošanas pasūtījumā
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Darbinieku borta darbība
 DocType: Location,Check if it is a hydroponic unit,"Pārbaudiet, vai tā ir hidroponiska ierīce"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Sērijas Nr un partijas
@@ -4375,7 +4428,7 @@
 DocType: Supplier Scorecard Period,Calculations,Aprēķini
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Vērtība vai Daudz
 DocType: Payment Terms Template,Payment Terms,Maksājuma nosacījumi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Iestudējumi Rīkojumi nevar izvirzīts par:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Iestudējumi Rīkojumi nevar izvirzīts par:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minūte
 DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkuma nodokļiem un maksājumiem
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4383,7 +4436,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Iet uz piegādātājiem
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS slēgšanas čeku nodokļi
 ,Qty to Receive,Daudz saņems
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Sākuma un beigu datumi nav derīgā algu perioda laikā, nevar aprēķināt {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Sākuma un beigu datumi nav derīgā algu perioda laikā, nevar aprēķināt {0}."
 DocType: Leave Block List,Leave Block List Allowed,Atstājiet Block Latviešu Atļauts
 DocType: Grading Scale Interval,Grading Scale Interval,Šķirošana Scale intervāls
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Izdevumu Prasība par servisa {0}
@@ -4391,10 +4444,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Atlaide (%) par Cenrādis likmi ar Margin
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Visas Noliktavas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Netika atrasta neviena {0} starpuzņēmuma Darījumu gadījumā.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Netika atrasta neviena {0} starpuzņēmuma Darījumu gadījumā.
 DocType: Travel Itinerary,Rented Car,Izīrēts auto
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Par jūsu uzņēmumu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredīts kontā jābūt bilance konts
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredīts kontā jābūt bilance konts
 DocType: Donor,Donor,Donors
 DocType: Global Defaults,Disable In Words,Atslēgt vārdos
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Postenis Kodekss ir obligāts, jo vienība nav automātiski numurētas"
@@ -4406,14 +4459,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Banka Overdrafts konts
 DocType: Patient,Patient ID,Pacienta ID
 DocType: Practitioner Schedule,Schedule Name,Saraksta nosaukums
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pārdošanas cauruļvads pa posmiem
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Padarīt par atalgojumu
 DocType: Currency Exchange,For Buying,Pirkšanai
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Pievienot visus piegādātājus
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Pievienot visus piegādātājus
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: piešķirtā summa nedrīkst būt lielāka par nesamaksāto summu.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Pārlūkot BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Nodrošināti aizdevumi
 DocType: Purchase Invoice,Edit Posting Date and Time,Labot ziņas datums un laiks
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Lūdzu noteikt nolietojuma saistīti konti aktīvu kategorijā {0} vai Uzņēmumu {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Lūdzu noteikt nolietojuma saistīti konti aktīvu kategorijā {0} vai Uzņēmumu {1}
 DocType: Lab Test Groups,Normal Range,Normālais diapazons
 DocType: Academic Term,Academic Year,Akadēmiskais gads
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Pieejams pārdošana
@@ -4442,26 +4496,26 @@
 DocType: Patient Appointment,Patient Appointment,Pacienta iecelšana
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Apstiprinot loma nevar būt tāds pats kā loma noteikums ir piemērojams
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Atteikties no šo e-pastu Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Iegūt piegādātājus līdz
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Iegūt piegādātājus līdz
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nav atrasts vienumam {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Iet uz kursiem
 DocType: Accounts Settings,Show Inclusive Tax In Print,Rādīt iekļaujošu nodokli drukāt
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankas konts, sākot no datuma un datuma, ir obligāts"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Ziņojums nosūtīts
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Konts ar bērnu mezglu nevar iestatīt kā virsgrāmatā
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Konts ar bērnu mezglu nevar iestatīt kā virsgrāmatā
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Ātrums, kādā cenrādis valūta tiek pārvērsts klienta bāzes valūtā"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Net Summa (Uzņēmējdarbības valūta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Kopējā avansa summa nevar būt lielāka par kopējo sankciju summu
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Kopējā avansa summa nevar būt lielāka par kopējo sankciju summu
 DocType: Salary Slip,Hour Rate,Stundas likme
 DocType: Stock Settings,Item Naming By,Postenis nosaukšana Līdz
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Vēl viens periods Noslēguma Entry {0} ir veikts pēc {1}
 DocType: Work Order,Material Transferred for Manufacturing,"Materiāls pārvietoti, lai Manufacturing"
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Konts {0} neeksistē
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Izvēlieties lojalitātes programmu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Izvēlieties lojalitātes programmu
 DocType: Project,Project Type,Projekts Type
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Bērna uzdevums pastāv šim uzdevumam. Jūs nevarat izdzēst šo uzdevumu.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Nu mērķa Daudzums vai paredzētais apjoms ir obligāta.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Nu mērķa Daudzums vai paredzētais apjoms ir obligāta.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Izmaksas dažādu aktivitāšu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Setting notikumi {0}, jo darbinieku pievienots zemāk Sales personām nav lietotāja ID {1}"
 DocType: Timesheet,Billing Details,Norēķinu Details
@@ -4519,13 +4573,13 @@
 DocType: Inpatient Record,A Negative,Negatīvs
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,"Nekas vairāk, lai parādītu."
 DocType: Lead,From Customer,No Klienta
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Zvani
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Zvani
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Produkts
 DocType: Employee Tax Exemption Declaration,Declarations,Deklarācijas
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,partijām
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Veidojiet maksas rēķinu
 DocType: Purchase Order Item Supplied,Stock UOM,Krājumu Mērvienība
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Pasūtījuma {0} nav iesniegta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Pasūtījuma {0} nav iesniegta
 DocType: Account,Expenses Included In Asset Valuation,Aktīvu vērtēšanā iekļautie izdevumi
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Parastais atsauces diapazons pieaugušajam ir 16-20 elpas / minūtē (RCP 2012).
 DocType: Customs Tariff Number,Tariff Number,tarifu skaits
@@ -4538,6 +4592,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,"Lūdzu, vispirms saglabājiet pacientu"
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Apmeklētība ir veiksmīgi atzīmēts.
 DocType: Program Enrollment,Public Transport,Sabiedriskais transports
+DocType: Delivery Note,GST Vehicle Type,GST transportlīdzekļa tips
 DocType: Soil Texture,Silt Composition (%),Silta sastāvs (%)
 DocType: Journal Entry,Remark,Piezīme
 DocType: Healthcare Settings,Avoid Confirmation,Izvairieties no Apstiprinājuma
@@ -4547,11 +4602,10 @@
 DocType: Education Settings,Current Academic Term,Pašreizējais Akadēmiskā Term
 DocType: Education Settings,Current Academic Term,Pašreizējais Akadēmiskā Term
 DocType: Sales Order,Not Billed,Nav Jāmaksā
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Gan Noliktavas jāpieder pie pats uzņēmums
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Gan Noliktavas jāpieder pie pats uzņēmums
 DocType: Employee Grade,Default Leave Policy,Noklusējuma atstāšanas politika
 DocType: Shopify Settings,Shop URL,Veikala URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nav kontaktpersonu vēl nav pievienota.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Lūdzu, uzstādiet apmeklētāju numerācijas sēriju, izmantojot iestatīšanas&gt; numerācijas sēriju"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Izkrauti izmaksas kuponu Summa
 ,Item Balance (Simple),Preces balanss (vienkāršs)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Rēķini, ko piegādātāji izvirzītie."
@@ -4576,7 +4630,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Piedāvājuma sērija
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Priekšmets pastāv ar tādu pašu nosaukumu ({0}), lūdzu, nomainiet priekšmets grupas nosaukumu vai pārdēvēt objektu"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Augsnes analīzes kritēriji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,"Lūdzu, izvēlieties klientu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,"Lūdzu, izvēlieties klientu"
 DocType: C-Form,I,es
 DocType: Company,Asset Depreciation Cost Center,Aktīvu amortizācijas izmaksas Center
 DocType: Production Plan Sales Order,Sales Order Date,Pārdošanas pasūtījuma Datums
@@ -4589,8 +4643,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Pašlaik nav nevienas noliktavas noliktavā
 ,Payment Period Based On Invoice Date,"Samaksa periodā, pamatojoties uz rēķina datuma"
 DocType: Sample Collection,No. of print,Drukas numurs
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Dzimšanas dienu atgādne
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Viesnīcas rezervācijas numurs
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Trūkst Valūtu kursi par {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Trūkst Valūtu kursi par {0}
 DocType: Employee Health Insurance,Health Insurance Name,Veselības apdrošināšanas nosaukums
 DocType: Assessment Plan,Examiner,eksaminētājs
 DocType: Student,Siblings,Brāļi un māsas
@@ -4607,19 +4662,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Jauni klienti
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruto peļņa%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Apstiprināšana {0} un pārdošanas rēķins {1} tika atcelti
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,"Iespējas, ko rada svina avots"
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Mainīt POS profilu
 DocType: Bank Reconciliation Detail,Clearance Date,Klīrenss Datums
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aktīvs jau pastāv attiecībā pret vienumu {0}, jūs nevarat mainīt ir sērijas Nr vērtība"
+DocType: Delivery Settings,Dispatch Notification Template,Nosūtīšanas paziņojuma veidne
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aktīvs jau pastāv attiecībā pret vienumu {0}, jūs nevarat mainīt ir sērijas Nr vērtība"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Novērtējuma ziņojums
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Iegūstiet darbiniekus
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruto Pirkuma summa ir obligāta
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Uzņēmuma nosaukums nav vienāds
 DocType: Lead,Address Desc,Adrese Dilst
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Puse ir obligāta
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Tika atrastas rindas ar dubultiem izpildes termiņiem citās rindās: {list}
 DocType: Topic,Topic Name,Tēma Name
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Lūdzu, iestatiet noklusējuma veidni paziņojumam par atstāšanu apstiprinājumā personāla iestatījumos."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Lūdzu, iestatiet noklusējuma veidni paziņojumam par atstāšanu apstiprinājumā personāla iestatījumos."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Jāizvēlas Vismaz viens pirkšana vai pārdošana
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Izvēlieties darbinieku, lai saņemtu darbinieku iepriekš."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,"Lūdzu, izvēlieties derīgu datumu"
@@ -4653,6 +4709,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Klientu vai piegādātājs detaļas
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Apgrozāmā aktīva vērtība
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Ceļojumu finansēšana
 DocType: Loan Application,Required by Date,Pieprasa Datums
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Saite uz visām vietām, kurās aug kultūraugs"
@@ -4666,9 +4723,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Pieejams Partijas Daudz at No noliktavas
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Kopā atskaitīšana - Kredīta atmaksas
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Pašreizējā BOM un New BOM nevar būt vienādi
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Pašreizējā BOM un New BOM nevar būt vienādi
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Alga Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Brīža līdz pensionēšanās jābūt lielākam nekā datums savienošana
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Brīža līdz pensionēšanās jābūt lielākam nekā datums savienošana
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Vairāki varianti
 DocType: Sales Invoice,Against Income Account,Pret ienākuma kontu
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Pasludināts
@@ -4697,7 +4754,7 @@
 DocType: POS Profile,Update Stock,Update Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Different UOM objektus, novedīs pie nepareizas (kopā) Neto svars vērtību. Pārliecinieties, ka neto svars katru posteni ir tādā pašā UOM."
 DocType: Certification Application,Payment Details,Maksājumu informācija
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Apstāšanās darba kārtību nevar atcelt, vispirms atceļiet to, lai atceltu"
 DocType: Asset,Journal Entry for Scrap,Journal Entry metāllūžņos
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Lūdzu pull preces no piegādes pavadzīmē
@@ -4720,11 +4777,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Kopā sodīts summa
 ,Purchase Analytics,Pirkuma Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Piegāde Note postenis
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Trūkst pašreizējā rēķina {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Trūkst pašreizējā rēķina {0}
 DocType: Asset Maintenance Log,Task,Uzdevums
 DocType: Purchase Taxes and Charges,Reference Row #,Atsauce Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Partijas numurs ir obligāta postenī {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,"Tas ir sakņu pārdošanas persona, un to nevar rediģēt."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,"Tas ir sakņu pārdošanas persona, un to nevar rediģēt."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ja izvēlēts, norādītais vai aprēķināta šā komponenta vērtība neveicinās ieņēmumiem vai atskaitījumiem. Tomēr tas ir vērtību var atsauce ar citiem komponentiem, kas var pievienot vai atskaita."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ja izvēlēts, norādītais vai aprēķināta šā komponenta vērtība neveicinās ieņēmumiem vai atskaitījumiem. Tomēr tas ir vērtību var atsauce ar citiem komponentiem, kas var pievienot vai atskaita."
 DocType: Asset Settings,Number of Days in Fiscal Year,Dienu skaits fiskālajā gadā
@@ -4733,7 +4790,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain / zaudējumu aprēķins
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Darbinieku un apmeklējums
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Mērķim ir jābūt vienam no {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Mērķim ir jābūt vienam no {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Aizpildiet formu un saglabājiet to
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forums
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Faktiskais Daudzums noliktavā
@@ -4749,7 +4806,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard pārdošanas kurss
 DocType: Account,Rate at which this tax is applied,"Ātrums, kādā tiek piemērots šis nodoklis"
 DocType: Cash Flow Mapper,Section Name,Sadaļas nosaukums
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Pārkārtot Daudz
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Pārkārtot Daudz
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Nolietojuma rinda {0}: paredzamā vērtība pēc lietderīgās lietošanas laika ir lielāka vai vienāda ar {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Pašreizējās vakanču
 DocType: Company,Stock Adjustment Account,Stock konta korekcijas
@@ -4759,8 +4816,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Ja kas, tas kļūs noklusējuma visiem HR formām."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Ievadiet nolietojuma datus
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: No {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Atstāt lietojumprogrammu {0} jau pastāv pret studentu {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Rindā tiek atjaunināta pēdējā cena visās materiālu bilancēs. Tas var aizņemt dažas minūtes.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Rindā tiek atjaunināta pēdējā cena visās materiālu bilancēs. Tas var aizņemt dažas minūtes.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Nosaukums jaunu kontu. Piezīme: Lūdzu, nav izveidot klientu kontus un piegādātājiem"
 DocType: POS Profile,Display Items In Stock,Displeja preces noliktavā
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Valsts gudrs noklusējuma Adrese veidnes
@@ -4790,16 +4848,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots for {0} netiek pievienoti grafikam
 DocType: Product Bundle,List items that form the package.,"Saraksts priekšmeti, kas veido paketi."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,"Nav atļauts. Lūdzu, deaktivizējiet pārbaudes veidni"
+DocType: Delivery Note,Distance (in km),Attālums (km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Procentuālais sadalījums būtu vienāda ar 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Lūdzu, izvēlieties Publicēšanas datums pirms izvēloties puse"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Lūdzu, izvēlieties Publicēšanas datums pirms izvēloties puse"
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Out of AMC
+DocType: Opportunity,Opportunity Amount,Iespējas summa
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Skaits nolietojuma kartīti nedrīkst būt lielāks par kopskaita nolietojuma
 DocType: Purchase Order,Order Confirmation Date,Pasūtījuma apstiprinājuma datums
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Izveidot tehniskās apkopes vizīti
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Sākuma datums un beigu datums pārklājas ar darba karti <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Darbinieku pārsūtīšanas dati
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Lūdzu, sazinieties ar lietotāju, kurš ir Sales Master vadītājs {0} lomu"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Lūdzu, sazinieties ar lietotāju, kurš ir Sales Master vadītājs {0} lomu"
 DocType: Company,Default Cash Account,Default Naudas konts
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (nav Klients vai piegādātājs) kapteinis.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Tas ir balstīts uz piedalīšanos šajā Student
@@ -4807,9 +4868,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Pievienotu citus objektus vai Atvērt pilnu formu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Piegāde Notes {0} ir atcelts pirms anulējot šo klientu pasūtījumu
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Iet uz Lietotājiem
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Samaksāta summa + norakstīt summa nedrīkst būt lielāka par Grand Kopā
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Samaksāta summa + norakstīt summa nedrīkst būt lielāka par Grand Kopā
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nav derīgs Partijas skaits postenī {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Piezīme: Nav pietiekami daudz atvaļinājums bilance Atstāt tipa {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Piezīme: Nav pietiekami daudz atvaļinājums bilance Atstāt tipa {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Nederīga GSTIN vai Enter NA par Nereģistrēts
 DocType: Training Event,Seminar,seminārs
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program iestāšanās maksa
@@ -4826,7 +4887,7 @@
 DocType: Fee Schedule,Fee Schedule,maksa grafiks
 DocType: Company,Create Chart Of Accounts Based On,"Izveidot kontu plāns, pamatojoties uz"
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Nevar pārvērst to par nekonfidenciālu. Bērnu uzdevumi pastāv.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Dzimšanas datums nevar būt lielāks nekā šodien.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Dzimšanas datums nevar būt lielāks nekā šodien.
 ,Stock Ageing,Stock Novecošana
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Daļēji sponsorēti, prasa daļēju finansējumu"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} nepastāv pret studenta pieteikuma {1}
@@ -4873,11 +4934,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Pirms samierināšanās
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Uz {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Nodokļi un maksājumi Pievienoja (Company valūta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Postenis Nodokļu Row {0} ir jābūt vērā tipa nodokli vai ienākumu vai izdevumu, vai jāmaksā"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Postenis Nodokļu Row {0} ir jābūt vērā tipa nodokli vai ienākumu vai izdevumu, vai jāmaksā"
 DocType: Sales Order,Partly Billed,Daļēji Jāmaksā
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Prece {0} ir jābūt pamatlīdzekļu posteni
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Make Variants
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Make Variants
 DocType: Item,Default BOM,Default BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Kopējā iekasētā summa (izmantojot pārdošanas rēķinus)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debeta piezīme Summa
@@ -4906,14 +4967,14 @@
 DocType: Notification Control,Custom Message,Custom Message
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investīciju banku
 DocType: Purchase Invoice,input,ieeja
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,"Nauda vai bankas konts ir obligāta, lai padarītu maksājumu ierakstu"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,"Nauda vai bankas konts ir obligāta, lai padarītu maksājumu ierakstu"
 DocType: Loyalty Program,Multiple Tier Program,Vairāklīmeņu programma
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentu adrese
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentu adrese
 DocType: Purchase Invoice,Price List Exchange Rate,Cenrādis Valūtas kurss
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Visas piegādātāju grupas
 DocType: Employee Boarding Activity,Required for Employee Creation,Nepieciešams darbinieku izveidei
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},"Konta numurs {0}, kas jau ir izmantots kontā {1}"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},"Konta numurs {0}, kas jau ir izmantots kontā {1}"
 DocType: GoCardless Mandate,Mandate,Mandāts
 DocType: POS Profile,POS Profile Name,POS Profila nosaukums
 DocType: Hotel Room Reservation,Booked,Rezervēts
@@ -4929,18 +4990,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Atsauces Nr ir obligāta, ja esat norādījis atsauces datumā"
 DocType: Bank Reconciliation Detail,Payment Document,maksājuma dokumentu
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,"Kļūda, novērtējot kritēriju formulu"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datums Savieno jābūt lielākam nekā Dzimšanas datums
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datums Savieno jābūt lielākam nekā Dzimšanas datums
 DocType: Subscription,Plans,Plāni
 DocType: Salary Slip,Salary Structure,Algu struktūra
 DocType: Account,Bank,Banka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Aviokompānija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Jautājums Materiāls
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Jautājums Materiāls
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Savienojiet Shopify ar ERPNext
 DocType: Material Request Item,For Warehouse,Noliktavai
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Piegādes piezīmes {0} ir atjauninātas
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Piegādes piezīmes {0} ir atjauninātas
 DocType: Employee,Offer Date,Piedāvājuma Datums
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citāti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Jūs esat bezsaistes režīmā. Jūs nevarēsiet, lai pārlādētu, kamēr jums ir tīkls."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Citāti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Jūs esat bezsaistes režīmā. Jūs nevarēsiet, lai pārlādētu, kamēr jums ir tīkls."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Dotācija
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Nav Studentu grupas izveidots.
 DocType: Purchase Invoice Item,Serial No,Sērijas Nr
@@ -4952,24 +5013,26 @@
 DocType: Sales Invoice,Customer PO Details,Klienta PO sīkāk
 DocType: Stock Entry,Including items for sub assemblies,Ieskaitot posteņiem apakš komplektiem
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Pagaidu atvēršanas konts
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Ievadiet vērtība ir pozitīva
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Ievadiet vērtība ir pozitīva
 DocType: Asset,Finance Books,Finanšu grāmatas
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Darbinieku atbrīvojuma no nodokļu deklarācijas kategorija
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Visas teritorijas
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,"Lūdzu, iestatiet darbinieku atlaišanas politiku {0} Darbinieku / Novērtējuma reģistrā"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Neatbilstošs segas pasūtījums izvēlētajam klientam un vienumam
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Neatbilstošs segas pasūtījums izvēlētajam klientam un vienumam
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Pievienot vairākus uzdevumus
 DocType: Purchase Invoice,Items,Preces
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Beigu datums nevar būt pirms sākuma datuma.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Students jau ir uzņemti.
 DocType: Fiscal Year,Year Name,Gadā Name
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Ir vairāk svētku nekā darba dienu šajā mēnesī.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC atsauces Nr
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Ir vairāk svētku nekā darba dienu šajā mēnesī.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Pēc vienumiem {0} netiek atzīmēti kā {1} vienumi. Jūs varat tos iespējot kā {1} vienību no tā vienuma meistara
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC atsauces Nr
 DocType: Production Plan Item,Product Bundle Item,Produkta Bundle Prece
 DocType: Sales Partner,Sales Partner Name,Sales Partner Name
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Pieprasījums citāti
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Pieprasījums citāti
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimālais Rēķina summa
 DocType: Normal Test Items,Normal Test Items,Normālie pārbaudes vienumi
+DocType: QuickBooks Migrator,Company Settings,Uzņēmuma iestatījumi
 DocType: Additional Salary,Overwrite Salary Structure Amount,Pārrakstīt algas struktūru
 DocType: Student Language,Student Language,Student valoda
 apps/erpnext/erpnext/config/selling.py +23,Customers,Klienti
@@ -4981,22 +5044,24 @@
 DocType: Issue,Opening Time,Atvēršanas laiks
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,No un uz datumiem nepieciešamo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Vērtspapīru un preču biržu
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default mērvienība Variant &#39;{0}&#39; jābūt tāds pats kā Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default mērvienība Variant &#39;{0}&#39; jābūt tāds pats kā Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,"Aprēķināt, pamatojoties uz"
 DocType: Contract,Unfulfilled,Nepiepildīts
 DocType: Delivery Note Item,From Warehouse,No Noliktavas
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Nav minētu kritēriju darbinieku
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Nav Preces ar Bill materiālu ražošana
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Nav Preces ar Bill materiālu ražošana
 DocType: Shopify Settings,Default Customer,Noklusējuma klients
+DocType: Sales Stage,Stage Name,Skatuves vārds
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,uzraudzītājs Name
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Nevar apstiprināt, vai tikšanās ir izveidota tajā pašā dienā"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Kuģis uz valsti
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Kuģis uz valsti
 DocType: Program Enrollment Course,Program Enrollment Course,Programmas Uzņemšana kurss
 DocType: Program Enrollment Course,Program Enrollment Course,Programmas Uzņemšana kurss
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Lietotājs {0} jau ir piešķirts veselības aprūpes speciālistam {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Paraugu ņemšanas krājumu ievadīšana
 DocType: Purchase Taxes and Charges,Valuation and Total,Vērtēšana un Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Sarunas / pārskatīšana
 DocType: Leave Encashment,Encashment Amount,Inkasācijas summa
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Rezultātu kartes
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Izstājās partijas
@@ -5006,7 +5071,7 @@
 DocType: Staffing Plan Detail,Current Openings,Pašreizējās atveres
 DocType: Notification Control,Customize the Notification,Pielāgot paziņojumu
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Naudas plūsma no darbības
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST summa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST summa
 DocType: Purchase Invoice,Shipping Rule,Piegāde noteikums
 DocType: Patient Relation,Spouse,Laulātais
 DocType: Lab Test Groups,Add Test,Pievienot testu
@@ -5020,14 +5085,14 @@
 DocType: Payroll Entry,Payroll Frequency,Algas Frequency
 DocType: Lab Test Template,Sensitivity,Jutīgums
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Sinhronizācija ir īslaicīgi atspējota, jo maksimālais mēģinājums ir pārsniegts"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Izejviela
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Izejviela
 DocType: Leave Application,Follow via Email,Sekot pa e-pastu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Augi un mehānika
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Nodokļu summa pēc Atlaide Summa
 DocType: Patient,Inpatient Status,Stacionārs statuss
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ikdienas darba kopsavilkums Settings
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Izvēlētajā cenrāžā jāpārbauda pirkšanas un pārdošanas lauki.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,"Lūdzu, ievadiet Reqd pēc datuma"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Izvēlētajā cenrāžā jāpārbauda pirkšanas un pārdošanas lauki.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,"Lūdzu, ievadiet Reqd pēc datuma"
 DocType: Payment Entry,Internal Transfer,iekšējā Transfer
 DocType: Asset Maintenance,Maintenance Tasks,Apkopes uzdevumi
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Nu mērķa Daudzums vai paredzētais apjoms ir obligāta
@@ -5049,7 +5114,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Pēdējais paziņojums
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Pēdējais paziņojums
 ,TDS Payable Monthly,TDS maksājams katru mēnesi
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,"Rindas, lai aizstātu BOM. Tas var aizņemt dažas minūtes."
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,"Rindas, lai aizstātu BOM. Tas var aizņemt dažas minūtes."
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nevar atskaitīt, ja kategorija ir ""vērtēšanas"" vai ""Novērtēšanas un Total"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Sērijas Nos Nepieciešamais par sērijveida postenī {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match Maksājumi ar rēķini
@@ -5062,7 +5127,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Pievienot grozam
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Group By
 DocType: Guardian,Interests,intereses
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Ieslēgt / izslēgt valūtas.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Ieslēgt / izslēgt valūtas.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nevarēja iesniegt kādu atalgojuma slīdni
 DocType: Exchange Rate Revaluation,Get Entries,Iegūt ierakstus
 DocType: Production Plan,Get Material Request,Iegūt Material pieprasījums
@@ -5084,15 +5149,16 @@
 DocType: Lead,Lead Type,Potenciālā klienta Veids (Type)
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Jums nav atļauts apstiprināt lapas par Grantu datumi
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Visi šie posteņi jau rēķinā
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Iestatiet jaunu izlaišanas datumu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Iestatiet jaunu izlaišanas datumu
 DocType: Company,Monthly Sales Target,Ikmēneša pārdošanas mērķis
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Var apstiprināt ar {0}
 DocType: Hotel Room,Hotel Room Type,Viesnīcas tipa numuros
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Piegādātājs&gt; Piegādātāja tips
 DocType: Leave Allocation,Leave Period,Atstāt periodu
 DocType: Item,Default Material Request Type,Default Materiāls Pieprasījuma veids
 DocType: Supplier Scorecard,Evaluation Period,Novērtēšanas periods
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,nezināms
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Darba uzdevums nav izveidots
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Darba uzdevums nav izveidots
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Summa {0}, kas jau ir pieprasīta komponentam {1}, \ nosaka summu, kas ir vienāda vai lielāka par {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Piegāde pants Nosacījumi
@@ -5127,15 +5193,15 @@
 DocType: Batch,Source Document Name,Avota Dokumenta nosaukums
 DocType: Production Plan,Get Raw Materials For Production,Iegūstiet izejvielas ražošanas vajadzībām
 DocType: Job Opening,Job Title,Amats
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} norāda, ka {1} nesniegs citātu, bet visas pozīcijas \ ir citētas. RFQ citātu statusa atjaunināšana."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimālais paraugu skaits - {0} jau ir saglabāts partijai {1} un vienumam {2} partijā {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimālais paraugu skaits - {0} jau ir saglabāts partijai {1} un vienumam {2} partijā {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Automātiski atjauniniet BOM izmaksas
 DocType: Lab Test,Test Name,Pārbaudes nosaukums
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,"Klīniskā procedūra, ko patērē"
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Izveidot lietotāju
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,grams
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Abonementi
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Abonementi
 DocType: Supplier Scorecard,Per Month,Mēnesī
 DocType: Education Settings,Make Academic Term Mandatory,Padarīt akadēmisko termiņu obligāti
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,"Daudzums, ražošana jābūt lielākam par 0."
@@ -5144,10 +5210,10 @@
 DocType: Stock Entry,Update Rate and Availability,Atjaunināšanas ātrumu un pieejamība
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procents jums ir atļauts saņemt vai piegādāt vairāk pret pasūtīto daudzumu. Piemēram: Ja esi pasūtījis 100 vienības. un jūsu pabalsts ir, tad jums ir atļauts saņemt 110 vienības 10%."
 DocType: Loyalty Program,Customer Group,Klientu Group
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Row # {0}: operācija {1} nav pabeigta {2} daudzumam gatavās produkcijas darba kārtībā Nr. {3}. Lūdzu, atjauniniet darbības statusu, izmantojot Laika žurnālus"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Row # {0}: operācija {1} nav pabeigta {2} daudzumam gatavās produkcijas darba kārtībā Nr. {3}. Lūdzu, atjauniniet darbības statusu, izmantojot Laika žurnālus"
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Jaunais grupas ID (pēc izvēles)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Jaunais grupas ID (pēc izvēles)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Izdevumu konts ir obligāta posteni {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Izdevumu konts ir obligāta posteni {0}
 DocType: BOM,Website Description,Mājas lapa Apraksts
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Neto pašu kapitāla izmaiņas
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Lūdzu atcelt pirkuma rēķina {0} pirmais
@@ -5162,7 +5228,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,"Nav nekas, lai rediģētu."
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Veidlapas skats
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Izdevumu apstiprinātājs obligāts izdevumu pieprasījumā
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Kopsavilkums par šo mēnesi un izskatāmo darbību
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Kopsavilkums par šo mēnesi un izskatāmo darbību
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Lūdzu, iestatiet nerealizēto apmaiņas peļņas / zaudējumu kontu uzņēmumā {0}"
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Pievienojiet lietotājus savai organizācijai, izņemot sevi."
 DocType: Customer Group,Customer Group Name,Klientu Grupas nosaukums
@@ -5172,14 +5238,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Nav izveidots neviens materiāls pieprasījums
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredīta summa nedrīkst pārsniegt maksimālo summu {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licence
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Lūdzu, noņemiet šo rēķinu {0} no C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Lūdzu, noņemiet šo rēķinu {0} no C-Form {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Lūdzu, izvēlieties Carry priekšu, ja jūs arī vēlaties iekļaut iepriekšējā finanšu gadā bilance atstāj šajā fiskālajā gadā"
 DocType: GL Entry,Against Voucher Type,Pret kupona Tips
 DocType: Healthcare Practitioner,Phone (R),Tālrunis (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Pievienotie laika intervāli
 DocType: Item,Attributes,Atribūti
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Iespējot veidni
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Ievadiet norakstīt kontu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Ievadiet norakstīt kontu
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Pēdējā pasūtījuma datums
 DocType: Salary Component,Is Payable,Ir maksājams
 DocType: Inpatient Record,B Negative,B negatīvs
@@ -5190,7 +5256,7 @@
 DocType: Hotel Room,Hotel Room,Viesnicas istaba
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Konts {0} nav pieder uzņēmumam {1}
 DocType: Leave Type,Rounding,Noapaļošana
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Sērijas numurus kārtas {0} nesakrīt ar piegādes piezīme
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Sērijas numurus kārtas {0} nesakrīt ar piegādes piezīme
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Apmaksātā summa (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Tad cenu noteikumi tiek filtrēti, pamatojoties uz Klientu, Klientu grupu, Teritoriju, Piegādātāju, Piegādātāju grupu, Kampaņu, Pārdošanas partneri utt."
 DocType: Student,Guardian Details,Guardian Details
@@ -5199,10 +5265,10 @@
 DocType: Vehicle,Chassis No,šasijas Nr
 DocType: Payment Request,Initiated,Uzsāka
 DocType: Production Plan Item,Planned Start Date,Plānotais sākuma datums
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,"Lūdzu, izvēlieties BOM"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,"Lūdzu, izvēlieties BOM"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Izmantojis ITC integrēto nodokli
 DocType: Purchase Order Item,Blanket Order Rate,Sega pasūtījuma likme
-apps/erpnext/erpnext/hooks.py +156,Certification,Sertifikācija
+apps/erpnext/erpnext/hooks.py +157,Certification,Sertifikācija
 DocType: Bank Guarantee,Clauses and Conditions,Klauzulas un nosacījumi
 DocType: Serial No,Creation Document Type,Izveide Dokumenta tips
 DocType: Project Task,View Timesheet,Skatīt laika kontrolsaraksts
@@ -5227,6 +5293,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent postenis {0} nedrīkst būt Stock Vienība
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Vietņu saraksts
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Visi Produkti vai Pakalpojumi.
+DocType: Email Digest,Open Quotations,Atvērtās kvotas
 DocType: Expense Claim,More Details,Sīkāka informācija
 DocType: Supplier Quotation,Supplier Address,Piegādātājs adrese
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budžets konta {1} pret {2} {3} ir {4}. Tas pārsniegs līdz {5}
@@ -5241,12 +5308,11 @@
 DocType: Training Event,Exam,eksāmens
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Tirgus kļūda
 DocType: Complaint,Complaint,Sūdzība
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Noliktava nepieciešama krājumu postenī {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Noliktava nepieciešama krājumu postenī {0}
 DocType: Leave Allocation,Unused leaves,Neizmantotās lapas
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Veikt atmaksu ierakstu
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Visi departamenti
 DocType: Healthcare Service Unit,Vacant,Brīvs
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Piegādātājs&gt; Piegādātāja tips
 DocType: Patient,Alcohol Past Use,Alkohola iepriekšējā lietošana
 DocType: Fertilizer Content,Fertilizer Content,Mēslošanas līdzekļa saturs
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5254,7 +5320,7 @@
 DocType: Tax Rule,Billing State,Norēķinu Valsts
 DocType: Share Transfer,Transfer,Nodošana
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Pirms šī Pārdošanas pasūtījuma anulēšanas ir jāanulē darba kārtība {0}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Atnest eksplodēja BOM (ieskaitot mezglus)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Atnest eksplodēja BOM (ieskaitot mezglus)
 DocType: Authorization Rule,Applicable To (Employee),Piemērojamais Lai (Darbinieku)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Due Date ir obligāts
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Pieaugums par atribūtu {0} nevar būt 0
@@ -5270,7 +5336,7 @@
 DocType: Disease,Treatment Period,Ārstēšanas periods
 DocType: Travel Itinerary,Travel Itinerary,Ceļojuma maršruts
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Rezultāts jau ir iesniegts
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervēta Noliktava ir obligāta vienumam {0} Piegādātajā izejvielā
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervēta Noliktava ir obligāta vienumam {0} Piegādātajā izejvielā
 ,Inactive Customers,neaktīvi Klienti
 DocType: Student Admission Program,Maximum Age,Maksimālais vecums
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,"Lūdzu, uzgaidiet 3 dienas pirms atgādinājuma atkārtotas nosūtīšanas."
@@ -5279,7 +5345,6 @@
 DocType: Stock Entry,Delivery Note No,Piegāde Note Nr
 DocType: Cheque Print Template,Message to show,"Ziņa, lai parādītu"
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Mazumtirdzniecība
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Automātiski pārvaldīt iecelšanas rēķinu
 DocType: Student Attendance,Absent,Nekonstatē
 DocType: Staffing Plan,Staffing Plan Detail,Personāla plāns
 DocType: Employee Promotion,Promotion Date,Reklamēšanas datums
@@ -5301,7 +5366,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,padarīt Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Drukas un Kancelejas
 DocType: Stock Settings,Show Barcode Field,Rādīt Svītrkoda Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Nosūtīt Piegādātāja e-pastu
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Nosūtīt Piegādātāja e-pastu
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Alga jau sagatavotas laika posmā no {0} un {1}, atstājiet piemērošanas periods nevar būt starp šo datumu diapazonā."
 DocType: Fiscal Year,Auto Created,Auto izveidots
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Iesniedziet to, lai izveidotu darbinieku ierakstu"
@@ -5310,7 +5375,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Rēķins {0} vairs nepastāv
 DocType: Guardian Interest,Guardian Interest,Guardian Procentu
 DocType: Volunteer,Availability,Pieejamība
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Iestatiet POS rēķinu noklusējuma vērtības
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Iestatiet POS rēķinu noklusējuma vērtības
 apps/erpnext/erpnext/config/hr.py +248,Training,treniņš
 DocType: Project,Time to send,"Laiks, lai nosūtītu"
 DocType: Timesheet,Employee Detail,Darbinieku Detail
@@ -5334,7 +5399,7 @@
 DocType: Training Event Employee,Optional,Pēc izvēles
 DocType: Salary Slip,Earning & Deduction,Nopelnot & atskaitīšana
 DocType: Agriculture Analysis Criteria,Water Analysis,Ūdens analīze
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Izveidoti {0} varianti.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Izveidoti {0} varianti.
 DocType: Amazon MWS Settings,Region,Apgabals
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Pēc izvēles. Šis iestatījums tiks izmantota, lai filtrētu dažādos darījumos."
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negatīva Vērtēšana Rate nav atļauta
@@ -5353,7 +5418,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Izmaksas metāllūžņos aktīva
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0}{1}: Izmaksu centrs ir obligāta postenī {2}
 DocType: Vehicle,Policy No,politikas Nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Dabūtu preces no produkta Bundle
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Dabūtu preces no produkta Bundle
 DocType: Asset,Straight Line,Taisne
 DocType: Project User,Project User,projekta User
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,sadalīt
@@ -5362,7 +5427,7 @@
 DocType: GL Entry,Is Advance,Vai Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Darbinieku dzīves cikls
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Apmeklējumu No Datums un apmeklētība līdz šim ir obligāta
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Ievadiet ""tiek slēgti apakšuzņēmuma līgumi"", kā jā vai nē"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Ievadiet ""tiek slēgti apakšuzņēmuma līgumi"", kā jā vai nē"
 DocType: Item,Default Purchase Unit of Measure,Noklusējuma iegādes mērvienība
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Pēdējais Komunikācijas Datums
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Pēdējais Komunikācijas Datums
@@ -5388,6 +5453,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Jaunais Partijas Daudz
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Apģērbs un Aksesuāri
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Nevarēja atrisināt svērto rezultātu funkciju. Pārliecinieties, vai formula ir derīga."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Pirkuma pasūtījuma posteņi nav saņemti laikā
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Skaits ordeņa
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML / Banner, kas parādīsies uz augšu produktu sarakstu."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,"Norādiet apstākļus, lai aprēķinātu kuģniecības summu"
@@ -5396,9 +5462,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Ceļš
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Nevar pārvērst izmaksu centru, lai grāmatai, jo tā ir bērnu mezgliem"
 DocType: Production Plan,Total Planned Qty,Kopējais plānotais daudzums
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,atklāšanas Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,atklāšanas Value
 DocType: Salary Component,Formula,Formula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Sērijas #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Sērijas #
 DocType: Lab Test Template,Lab Test Template,Lab testēšanas veidne
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Pārdošanas konts
 DocType: Purchase Invoice Item,Total Weight,Kopējais svars
@@ -5416,7 +5482,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Padarīt Material pieprasījums
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Atvērt Preci {0}
 DocType: Asset Finance Book,Written Down Value,Rakstītā vērtība
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Lūdzu, izveidojiet darbinieku nosaukumu sistēmu cilvēkresursu vadībā&gt; Personāla iestatījumi"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Pārdošanas rēķins {0} ir atcelts pirms anulējot šo klientu pasūtījumu
 DocType: Clinical Procedure,Age,Vecums
 DocType: Sales Invoice Timesheet,Billing Amount,Norēķinu summa
@@ -5425,11 +5490,11 @@
 DocType: Company,Default Employee Advance Account,Nodarbinātāja avansa konts
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Meklēt vienumu (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Konts ar esošo darījumu nevar izdzēst
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Konts ar esošo darījumu nevar izdzēst
 DocType: Vehicle,Last Carbon Check,Pēdējais Carbon pārbaude
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Juridiskie izdevumi
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,"Lūdzu, izvēlieties daudzums uz rindu"
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Veikt pārdošanas un pirkšanas rēķinu atvēršanu
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Veikt pārdošanas un pirkšanas rēķinu atvēršanu
 DocType: Purchase Invoice,Posting Time,Norīkošanu laiks
 DocType: Timesheet,% Amount Billed,% Summa Jāmaksā
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefona izdevumi
@@ -5444,14 +5509,14 @@
 DocType: Maintenance Visit,Breakdown,Avārija
 DocType: Travel Itinerary,Vegetarian,Veģetārietis
 DocType: Patient Encounter,Encounter Date,Saskarsmes datums
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Konts: {0} ar valūtu: {1} nevar atlasīt
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Konts: {0} ar valūtu: {1} nevar atlasīt
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankas dati
 DocType: Purchase Receipt Item,Sample Quantity,Parauga daudzums
 DocType: Bank Guarantee,Name of Beneficiary,Saņēmēja nosaukums
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Automātiski atjaunināt BOM izmaksas, izmantojot plānotāju, pamatojoties uz jaunāko novērtēšanas likmi / cenrāžu likmi / izejvielu pēdējo pirkumu likmi."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Čeku Datums
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Konts {0}: Mātes vērā {1} nepieder uzņēmumam: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Konts {0}: Mātes vērā {1} nepieder uzņēmumam: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Veiksmīgi svītrots visas ar šo uzņēmumu darījumus!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Kā datumā
 DocType: Additional Salary,HR,HR
@@ -5459,7 +5524,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Notiek pacientu SMS brīdinājumi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Probācija
 DocType: Program Enrollment Tool,New Academic Year,Jaunā mācību gada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Atgriešana / kredītu piezīmi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Atgriešana / kredītu piezīmi
 DocType: Stock Settings,Auto insert Price List rate if missing,"Auto ievietot Cenrādis likme, ja trūkst"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Kopējais samaksāto summu
 DocType: GST Settings,B2C Limit,B2C robeža
@@ -5477,10 +5542,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Bērnu mezgli var izveidot tikai ar &quot;grupa&quot; tipa mezgliem
 DocType: Attendance Request,Half Day Date,Half Day Date
 DocType: Academic Year,Academic Year Name,Akadēmiskais gads Name
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,"{0} nav atļauts veikt darījumus ar {1}. Lūdzu, mainiet uzņēmumu."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,"{0} nav atļauts veikt darījumus ar {1}. Lūdzu, mainiet uzņēmumu."
 DocType: Sales Partner,Contact Desc,Contact Desc
 DocType: Email Digest,Send regular summary reports via Email.,Regulāri jānosūta kopsavilkuma ziņojumu pa e-pastu.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Lūdzu iestatīt noklusēto kontu Izdevumu prasījuma veida {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Lūdzu iestatīt noklusēto kontu Izdevumu prasījuma veida {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Pieejamie lapas
 DocType: Assessment Result,Student Name,Studenta vārds
 DocType: Hub Tracked Item,Item Manager,Prece vadītājs
@@ -5505,9 +5570,10 @@
 DocType: Subscription,Trial Period End Date,Pārbaudes beigu datums
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized kopš {0} pārsniedz ierobežojumus
 DocType: Serial No,Asset Status,Aktīva statuss
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Virs izmēru kravas (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restorāna galds
 DocType: Hotel Room,Hotel Manager,Viesnīcas vadītājs
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Uzstādīt Nodokļu noteikums par iepirkumu grozs
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Uzstādīt Nodokļu noteikums par iepirkumu grozs
 DocType: Purchase Invoice,Taxes and Charges Added,Nodokļi un maksājumi Pievienoja
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Nolietojuma rinda {0}: Nākamais nolietojuma datums nevar būt pirms pieejamā datuma
 ,Sales Funnel,Pārdošanas piltuve
@@ -5523,10 +5589,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Visas klientu grupas
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,uzkrātais Mēneša
 DocType: Attendance Request,On Duty,Darbā
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ir obligāta. Varbūt Valūtas ieraksts nav izveidots {1} uz {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ir obligāta. Varbūt Valūtas ieraksts nav izveidots {1} uz {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Personāla plāns {0} jau ir paredzēts apzīmējumam {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Nodokļu veidne ir obligāta.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Konts {0}: Mātes vērā {1} neeksistē
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Konts {0}: Mātes vērā {1} neeksistē
 DocType: POS Closing Voucher,Period Start Date,Perioda sākuma datums
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cenrādis Rate (Company valūta)
 DocType: Products Settings,Products Settings,Produkcija iestatījumi
@@ -5546,7 +5612,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Šī darbība apturēs norēķinus nākotnē. Vai tiešām vēlaties atcelt šo abonementu?
 DocType: Serial No,Distinct unit of an Item,Atsevišķu vienību posteņa
 DocType: Supplier Scorecard Criteria,Criteria Name,Kritērija nosaukums
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Lūdzu noteikt Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Lūdzu noteikt Company
 DocType: Procedure Prescription,Procedure Created,Izveidota procedūra
 DocType: Pricing Rule,Buying,Iepirkumi
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Slimības un mēslojumi
@@ -5563,43 +5629,44 @@
 DocType: Employee Onboarding,Job Offer,Darba piedāvājums
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institute saīsinājums
 ,Item-wise Price List Rate,Postenis gudrs Cenrādis Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Piegādātāja Piedāvājums
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Piegādātāja Piedāvājums
 DocType: Quotation,In Words will be visible once you save the Quotation.,"Vārdos būs redzami, kad saglabājat citāts."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Daudzums ({0}) nevar būt daļa rindā {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Daudzums ({0}) nevar būt daļa rindā {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Daudzums ({0}) nevar būt daļa rindā {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Daudzums ({0}) nevar būt daļa rindā {1}
 DocType: Contract,Unsigned,Neparakstīts
 DocType: Selling Settings,Each Transaction,Katrs darījums
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Svītrkodu {0} jau izmanto postenī {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Svītrkodu {0} jau izmanto postenī {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Noteikumi par piebilstot piegādes izmaksas.
 DocType: Hotel Room,Extra Bed Capacity,Papildu gulta jauda
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Atklāšanas Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klientam ir pienākums
 DocType: Lab Test,Result Date,Rezultāta datums
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC datums
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC datums
 DocType: Purchase Order,To Receive,Saņemt
 DocType: Leave Period,Holiday List for Optional Leave,Brīvdienu saraksts izvēles atvaļinājumam
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Īpašuma īpašnieks
 DocType: Purchase Invoice,Reason For Putting On Hold,Iemesls aizturēšanai
 DocType: Employee,Personal Email,Personal Email
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Kopējās dispersijas
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Kopējās dispersijas
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ja ieslēgts, sistēma būs pēc grāmatvedības ierakstus inventāru automātiski."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokeru
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Apmeklējumu par darbiniekam {0} jau ir atzīmēts par šo dienu
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Apmeklējumu par darbiniekam {0} jau ir atzīmēts par šo dienu
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","minūtēs Atjaunināts izmantojot 'Time Ieiet """
 DocType: Customer,From Lead,No Lead
 DocType: Amazon MWS Settings,Synch Orders,Sinhronizācijas pasūtījumi
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pasūtījumi izlaists ražošanai.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Izvēlieties fiskālajā gadā ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profile jāveic POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profile jāveic POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Lojalitātes punkti tiks aprēķināti no iztērētās pabeigtās summas (izmantojot pārdošanas rēķinu), pamatojoties uz minētajiem savākšanas koeficientiem."
 DocType: Program Enrollment Tool,Enroll Students,uzņemt studentus
 DocType: Company,HRA Settings,HRA iestatījumi
 DocType: Employee Transfer,Transfer Date,Pārsūtīšanas datums
 DocType: Lab Test,Approved Date,Apstiprināts datums
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard pārdošana
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Vismaz viena noliktava ir obligāta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Vismaz viena noliktava ir obligāta
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurēt vienuma laukus, piemēram, UOM, vienumu grupa, apraksts un stundu skaits."
 DocType: Certification Application,Certification Status,Sertifikācijas statuss
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Tirgus laukums
@@ -5619,6 +5686,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Atbilstołi rēķiniem
 DocType: Work Order,Required Items,Nepieciešamie Items
 DocType: Stock Ledger Entry,Stock Value Difference,Preces vērtība Starpība
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Rindā {0}: {1} {2} nav tabulas augšpusē &quot;{1}&quot;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Cilvēkresursi
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Maksājumu Samierināšanās Maksājumu
 DocType: Disease,Treatment Task,Ārstēšanas uzdevums
@@ -5636,7 +5704,8 @@
 DocType: Account,Debit,Debets
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Lapas jāpiešķir var sastāvēt no 0.5
 DocType: Work Order,Operation Cost,Darbība izmaksas
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Izcila Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Lēmumu pieņēmēju identifikācija
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Izcila Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Noteikt mērķus Prece Group-gudrs šai Sales Person.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Iesaldēt Krājumi Vecāki par [dienas]
 DocType: Payment Request,Payment Ordered,Maksājums ir pasūtīts
@@ -5648,14 +5717,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Ļauj šie lietotāji apstiprināt Leave Pieteikumi grupveida dienas.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Dzīves cikls
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Padarīt BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pārdošanas likmi postenī {0} ir zemāks nekā tā {1}. Pārdošanas kursa vajadzētu būt atleast {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pārdošanas likmi postenī {0} ir zemāks nekā tā {1}. Pārdošanas kursa vajadzētu būt atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pārdošanas likmi postenī {0} ir zemāks nekā tā {1}. Pārdošanas kursa vajadzētu būt atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pārdošanas likmi postenī {0} ir zemāks nekā tā {1}. Pārdošanas kursa vajadzētu būt atleast {2}
 DocType: Subscription,Taxes,Nodokļi
 DocType: Purchase Invoice,capital goods,ražošanas līdzekļi
 DocType: Purchase Invoice Item,Weight Per Unit,Svars vienībā
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Maksas un nav sniegusi
-DocType: Project,Default Cost Center,Default Izmaksu centrs
-DocType: Delivery Note,Transporter Doc No,Transporter Dok. Nr
+DocType: QuickBooks Migrator,Default Cost Center,Default Izmaksu centrs
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,akciju Darījumi
 DocType: Budget,Budget Accounts,budžeta konti
 DocType: Employee,Internal Work History,Iekšējā Work Vēsture
@@ -5688,7 +5756,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Veselības aprūpes speciālists nav pieejams {0}
 DocType: Stock Entry Detail,Additional Cost,Papildu izmaksas
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Nevar filtrēt balstīta uz kupona, ja grupēti pēc kuponu"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Izveidot Piegādātāja piedāvājumu
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Izveidot Piegādātāja piedāvājumu
 DocType: Quality Inspection,Incoming,Ienākošs
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Tiek veidoti noklusējuma nodokļu veidnes pārdošanai un pirkšanai.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Novērtējuma rezultātu reģistrs {0} jau eksistē.
@@ -5704,7 +5772,7 @@
 DocType: Batch,Batch ID,Partijas ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Piezīme: {0}
 ,Delivery Note Trends,Piegāde Piezīme tendences
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,ŠONEDĒĻ kopsavilkums
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,ŠONEDĒĻ kopsavilkums
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Noliktavā Daudz
 ,Daily Work Summary Replies,Ikdienas darba kopsavilkuma atbildes
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Aprēķiniet aptuveno ierašanās laiku
@@ -5714,7 +5782,7 @@
 DocType: Bank Account,Party,Partija
 DocType: Healthcare Settings,Patient Name,Pacienta nosaukums
 DocType: Variant Field,Variant Field,Variants lauks
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Mērķa atrašanās vieta
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Mērķa atrašanās vieta
 DocType: Sales Order,Delivery Date,Piegāde Datums
 DocType: Opportunity,Opportunity Date,Iespējas Datums
 DocType: Employee,Health Insurance Provider,Veselības apdrošināšanas pakalpojumu sniedzējs
@@ -5733,7 +5801,7 @@
 DocType: Employee,History In Company,Vēsture Company
 DocType: Customer,Customer Primary Address,Klienta primārā adrese
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Biļeteni
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Atsauces Nr.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Atsauces Nr.
 DocType: Drug Prescription,Description/Strength,Apraksts / izturība
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Izveidot jaunu maksājumu / žurnāla ierakstu
 DocType: Certification Application,Certification Application,Sertifikācijas pieteikums
@@ -5744,10 +5812,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Same postenis ir ievadīts vairākas reizes
 DocType: Department,Leave Block List,Atstājiet Block saraksts
 DocType: Purchase Invoice,Tax ID,Nodokļu ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Postenis {0} nav setup Serial Nr. Kolonnas jābūt tukšs
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Postenis {0} nav setup Serial Nr. Kolonnas jābūt tukšs
 DocType: Accounts Settings,Accounts Settings,Konti Settings
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,apstiprināt
 DocType: Loyalty Program,Customer Territory,Klientu teritorija
+DocType: Email Digest,Sales Orders to Deliver,Pārdošanas pasūtījumi piegādei
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Jaunas Konta numurs, tas tiks iekļauts konta nosaukumā kā priedēklis"
 DocType: Maintenance Team Member,Team Member,Komandas biedrs
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Nav iesniegts rezultāts
@@ -5757,7 +5826,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Kopā {0} uz visiem posteņiem ir nulle, var būt jums vajadzētu mainīt &quot;Sadalīt maksa ir atkarīga no&quot;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Līdz šim nevar būt mazāks par datumu
 DocType: Opportunity,To Discuss,Apspriediet
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Tas ir balstīts uz darījumiem pret šo abonentu. Sīkāku informāciju skatiet tālāk redzamajā laika grafikā
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,"{0} vienības {1} nepieciešama {2}, lai pabeigtu šo darījumu."
 DocType: Loan Type,Rate of Interest (%) Yearly,Procentu likme (%) Gada
 DocType: Support Settings,Forum URL,Foruma vietrādis URL
@@ -5772,7 +5840,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Uzzināt vairāk
 DocType: Cheque Print Template,Distance from top edge,Attālums no augšējās malas
 DocType: POS Closing Voucher Invoices,Quantity of Items,Preces daudzums
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Cenrādis {0} ir invalīds vai neeksistē
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Cenrādis {0} ir invalīds vai neeksistē
 DocType: Purchase Invoice,Return,Atgriešanās
 DocType: Pricing Rule,Disable,Atslēgt
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,"maksāšanas režīmā ir nepieciešams, lai veiktu maksājumu"
@@ -5780,18 +5848,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Rediģējiet pilnā lapā, lai iegūtu vairāk iespēju, piemēram, aktīvus, sērijas numurus, sērijas utt."
 DocType: Leave Type,Maximum Continuous Days Applicable,"Maksimālās nepārtrauktās dienas, kas piemērojamas"
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nav uzņemts Batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nevar tikt izmesta, jo tas jau ir {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nevar tikt izmesta, jo tas jau ir {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Obligāti jāpārbauda
 DocType: Task,Total Expense Claim (via Expense Claim),Kopējo izdevumu Pretenzijas (via Izdevumu Claim)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Nekonstatē
 DocType: Job Applicant Source,Job Applicant Source,Darba meklētāja avots
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST summa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST summa
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Neizdevās iestatīt uzņēmumu
 DocType: Asset Repair,Asset Repair,Aktīvu remonts
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rinda {0}: valūta BOM # {1} jābūt vienādam ar izvēlētās valūtas {2}
 DocType: Journal Entry Account,Exchange Rate,Valūtas kurss
 DocType: Patient,Additional information regarding the patient,Papildu informācija par pacientu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Pārdošanas pasūtījums {0} netiek iesniegts
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Pārdošanas pasūtījums {0} netiek iesniegts
 DocType: Homepage,Tag Line,Tag Line
 DocType: Fee Component,Fee Component,maksa Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Fleet Management
@@ -5806,7 +5874,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobilais
 ,Sales Person-wise Transaction Summary,Sales Person-gudrs Transaction kopsavilkums
 DocType: Training Event,Contact Number,Kontaktpersonas numurs
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Noliktava {0} nepastāv
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Noliktava {0} nepastāv
 DocType: Cashier Closing,Custody,Aizbildnība
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Darbinieku atbrīvojuma no nodokļa pierādīšanas iesnieguma detaļas
 DocType: Monthly Distribution,Monthly Distribution Percentages,Mēneša procentuālo sadalījumu
@@ -5821,7 +5889,7 @@
 DocType: Payment Entry,Paid Amount,Samaksāta summa
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Izpētiet pārdošanas ciklu
 DocType: Assessment Plan,Supervisor,uzraugs
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Uzglabāšanas krājumu ievadīšana
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Uzglabāšanas krājumu ievadīšana
 ,Available Stock for Packing Items,Pieejams Stock uz iepakojuma vienības
 DocType: Item Variant,Item Variant,Postenis Variant
 ,Work Order Stock Report,Darbu pasūtījumu akciju pārskats
@@ -5830,9 +5898,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Kā uzraudzītājs
 DocType: Leave Policy Detail,Leave Policy Detail,Atstāt politiku detaļas
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Metāllūžņu punkts
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Iesniegtie pasūtījumus nevar izdzēst
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konta atlikums jau debets, jums nav atļauts noteikt ""Balance Must Be"", jo ""Kredīts"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Kvalitātes vadība
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Iesniegtie pasūtījumus nevar izdzēst
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konta atlikums jau debets, jums nav atļauts noteikt ""Balance Must Be"", jo ""Kredīts"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Kvalitātes vadība
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Prece {0} ir atspējota
 DocType: Project,Total Billable Amount (via Timesheets),Kopējā apmaksājamā summa (izmantojot laika kontrolsaraksts)
 DocType: Agriculture Task,Previous Business Day,Iepriekšējā darba diena
@@ -5855,15 +5923,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Izmaksu centri
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Restartēt abonementu
 DocType: Linked Plant Analysis,Linked Plant Analysis,Saistītā augu analīze
-DocType: Delivery Note,Transporter ID,Transportera ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transportera ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Vērtību piedāvājums
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Likmi, pēc kuras piegādātāja valūtā tiek konvertēta uz uzņēmuma bāzes valūtā"
-DocType: Sales Invoice Item,Service End Date,Pakalpojuma beigu datums
+DocType: Purchase Invoice Item,Service End Date,Pakalpojuma beigu datums
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: hronometrāžu konflikti ar kārtas {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Atļaut Zero vērtēšanas likme
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Atļaut Zero vērtēšanas likme
 DocType: Bank Guarantee,Receiving,Saņemšana
 DocType: Training Event Employee,Invited,uzaicināts
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup Gateway konti.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup Gateway konti.
 DocType: Employee,Employment Type,Nodarbinātības Type
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Pamatlīdzekļi
 DocType: Payment Entry,Set Exchange Gain / Loss,Uzstādīt Exchange Peļņa / zaudējumi
@@ -5879,7 +5948,7 @@
 DocType: Tax Rule,Sales Tax Template,Sales Tax Template
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Maksāt pret pabalsta pieprasījumu
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Atjaunināt izmaksu centra numuru
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,"Izvēlētos objektus, lai saglabātu rēķinu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,"Izvēlētos objektus, lai saglabātu rēķinu"
 DocType: Employee,Encashment Date,Inkasācija Datums
 DocType: Training Event,Internet,internets
 DocType: Special Test Template,Special Test Template,Īpašās pārbaudes veidne
@@ -5887,13 +5956,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Default darbības izmaksas pastāv darbības veidam - {0}
 DocType: Work Order,Planned Operating Cost,Plānotais ekspluatācijas izmaksas
 DocType: Academic Term,Term Start Date,Term sākuma datums
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Visu akciju darījumu saraksts
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Visu akciju darījumu saraksts
+DocType: Supplier,Is Transporter,Ir pārvadātājs
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Importēt pārdošanas rēķinu no Shopify, ja tiek atzīmēts maksājums"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp skaits
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp skaits
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,"Ir jānosaka gan izmēģinājuma perioda sākuma datums, gan izmēģinājuma perioda beigu datums"
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Vidējā likme
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksājuma grafikam kopējam maksājuma summai jābūt vienādai ar Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksājuma grafikam kopējam maksājuma summai jābūt vienādai ar Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Plānu
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bankas paziņojums bilance kā vienu virsgrāmatas
 DocType: Job Applicant,Applicant Name,Pieteikuma iesniedzēja nosaukums
@@ -5921,7 +5991,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Pieejams Daudz at Avots noliktavā
 apps/erpnext/erpnext/config/support.py +22,Warranty,garantija
 DocType: Purchase Invoice,Debit Note Issued,Parādzīme Izdoti
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtrs, kas balstīts uz izmaksu centru, ir piemērojams tikai tad, ja budžets ir izvēlēts kā izmaksu centrs"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtrs, kas balstīts uz izmaksu centru, ir piemērojams tikai tad, ja budžets ir izvēlēts kā izmaksu centrs"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Meklēt pēc vienuma koda, sērijas numura, partijas numura vai svītrkoda"
 DocType: Work Order,Warehouses,Noliktavas
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} aktīvu nevar nodot
@@ -5932,9 +6002,9 @@
 DocType: Workstation,per hour,stundā
 DocType: Blanket Order,Purchasing,Purchasing
 DocType: Announcement,Announcement,paziņojums
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Klientu LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Klientu LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Par Partijas balstīta studentu grupas, tad Studentu Partijas tiks apstiprināts katram studentam no Programmas Uzņemšanas."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Noliktava nevar izdzēst, jo pastāv šī noliktava akciju grāmata ierakstu."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Noliktava nevar izdzēst, jo pastāv šī noliktava akciju grāmata ierakstu."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Sadale
 DocType: Journal Entry Account,Loan,Aizdevums
 DocType: Expense Claim Advance,Expense Claim Advance,Izdevumu pieprasīšanas avanss
@@ -5943,7 +6013,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projekta vadītājs
 ,Quoted Item Comparison,Citēts Prece salīdzinājums
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},"Pārklāšanās, vērtējot no {0} līdz {1}"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Nosūtīšana
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Nosūtīšana
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max atlaide atļauta posteni: {0}{1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,"Neto aktīvu vērtības, kā uz"
 DocType: Crop,Produce,Ražot
@@ -5953,20 +6023,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Materiāla patēriņš ražošanai
 DocType: Item Alternative,Alternative Item Code,Alternatīvās vienības kods
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Loma, kas ir atļauts iesniegt darījumus, kas pārsniedz noteiktos kredīta limitus."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Izvēlieties preces Rūpniecība
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Izvēlieties preces Rūpniecība
 DocType: Delivery Stop,Delivery Stop,Piegādes apturēšana
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master datu sinhronizācija, tas var aizņemt kādu laiku"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master datu sinhronizācija, tas var aizņemt kādu laiku"
 DocType: Item,Material Issue,Materiāls Issue
 DocType: Employee Education,Qualification,Kvalifikācija
 DocType: Item Price,Item Price,Vienība Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Ziepes un mazgāšanas
 DocType: BOM,Show Items,Rādīt preces
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,No laiks nedrīkst būt lielāks par uz laiku.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Vai vēlaties paziņot visiem klientiem pa e-pastu?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Vai vēlaties paziņot visiem klientiem pa e-pastu?
 DocType: Subscription Plan,Billing Interval,Norēķinu intervāls
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Pasūtīts
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Faktiskais sākuma datums un faktiskais beigu datums ir obligāts
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Pasūtītājs&gt; Klientu grupa&gt; Teritorija
 DocType: Salary Detail,Component,komponents
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Rindai {0}: {1} jābūt lielākam par 0
 DocType: Assessment Criteria,Assessment Criteria Group,Vērtēšanas kritēriji Group
@@ -5997,11 +6068,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Pirms iesniegšanas ievadiet bankas vai kredītiestādes nosaukumu.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} jāiesniedz
 DocType: POS Profile,Item Groups,postenis Grupas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Šodien ir {0} 's dzimšanas diena!
 DocType: Sales Order Item,For Production,Par ražošanu
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Bilance konta valūtā
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,"Lūdzu, pievienojiet pagaidu atvēršanas kontu kontu diagrammā"
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,"Lūdzu, pievienojiet pagaidu atvēršanas kontu kontu diagrammā"
 DocType: Customer,Customer Primary Contact,Klienta primārā kontaktinformācija
 DocType: Project Task,View Task,Skatīt Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / Lead%
@@ -6015,11 +6085,11 @@
 DocType: Sales Invoice,Get Advances Received,Get Saņemtā Avansa
 DocType: Email Digest,Add/Remove Recipients,Add / Remove saņēmējus
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Lai uzstādītu šo taksācijas gadu kā noklusējumu, noklikšķiniet uz ""Set as Default"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS summa ir atskaitīta
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS summa ir atskaitīta
 DocType: Production Plan,Include Subcontracted Items,Iekļaujiet apakšuzņēmuma priekšmetus
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,pievienoties
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Trūkums Daudz
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,pievienoties
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Trūkums Daudz
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem
 DocType: Loan,Repay from Salary,Atmaksāt no algas
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Pieprasot samaksu pret {0} {1} par summu {2}
 DocType: Additional Salary,Salary Slip,Alga Slip
@@ -6035,7 +6105,7 @@
 DocType: Patient,Dormant,potenciāls
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Atskaitīt nodokļus par neapmaksātiem darbinieku pabalstiem
 DocType: Salary Slip,Total Interest Amount,Kopējā procentu summa
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Noliktavas ar bērnu mezglu nevar pārvērst par virsgrāmatā
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Noliktavas ar bērnu mezglu nevar pārvērst par virsgrāmatā
 DocType: BOM,Manage cost of operations,Pārvaldīt darbības izmaksām
 DocType: Accounts Settings,Stale Days,Stale dienas
 DocType: Travel Itinerary,Arrival Datetime,Ierašanās datuma laiks
@@ -6047,7 +6117,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Novērtējums rezultāts Detail
 DocType: Employee Education,Employee Education,Darbinieku izglītība
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Dublikāts postenis grupa atrodama postenī grupas tabulas
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"Tas ir vajadzīgs, lai atnest Papildus informācija."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"Tas ir vajadzīgs, lai atnest Papildus informācija."
 DocType: Fertilizer,Fertilizer Name,Mēslojuma nosaukums
 DocType: Salary Slip,Net Pay,Net Pay
 DocType: Cash Flow Mapping Accounts,Account,Konts
@@ -6058,14 +6128,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Izveidojiet atsevišķu maksājumu veikšanu pret pabalsta pieprasījumu
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Drudzis (temp&gt; 38.5 ° C / 101.3 ° F vai ilgstoša temperatūra&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Sales Team Details
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Izdzēst neatgriezeniski?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Izdzēst neatgriezeniski?
 DocType: Expense Claim,Total Claimed Amount,Kopējais pieprasītā summa
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciālie iespējas pārdot.
 DocType: Shareholder,Folio no.,Folio Nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Nederīga {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Slimības atvaļinājums
 DocType: Email Digest,Email Digest,E-pasts Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,nav
 DocType: Delivery Note,Billing Address Name,Norēķinu Adrese Nosaukums
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Departaments veikali
 ,Item Delivery Date,Vienības piegādes datums
@@ -6081,16 +6150,16 @@
 DocType: Account,Chargeable,Iekasējams
 DocType: Company,Change Abbreviation,Mainīt saīsinājums
 DocType: Contract,Fulfilment Details,Izpildes dati
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Maksājiet {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Maksājiet {0} {1}
 DocType: Employee Onboarding,Activities,Aktivitātes
 DocType: Expense Claim Detail,Expense Date,Izdevumu Datums
 DocType: Item,No of Months,Mēnešu skaits
 DocType: Item,Max Discount (%),Max Atlaide (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kredītu dienas nevar būt negatīvs skaitlis
-DocType: Sales Invoice Item,Service Stop Date,Servisa pārtraukšanas datums
+DocType: Purchase Invoice Item,Service Stop Date,Servisa pārtraukšanas datums
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Pēdējā pasūtījuma Summa
 DocType: Cash Flow Mapper,e.g Adjustments for:,Pielāgojumi:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Saglabāt paraugu, pamatojoties uz partiju, lūdzu, pārbaudiet, vai ir bijis partijas Nr, lai saglabātu objekta paraugu"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Saglabāt paraugu, pamatojoties uz partiju, lūdzu, pārbaudiet, vai ir bijis partijas Nr, lai saglabātu objekta paraugu"
 DocType: Task,Is Milestone,Vai Milestone
 DocType: Certification Application,Yet to appear,Tomēr parādās
 DocType: Delivery Stop,Email Sent To,E-pasts nosūtīts
@@ -6098,16 +6167,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Atļaut izmaksu centru bilances konta ievadīšanā
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Apvienot ar esošo kontu
 DocType: Budget,Warn,Brīdināt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Visi priekšmeti jau ir nodoti šim darba pasūtījumam.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Visi priekšmeti jau ir nodoti šim darba pasūtījumam.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Jebkādas citas piezīmes, ievērības cienīgs piepūles ka jāiet ierakstos."
 DocType: Asset Maintenance,Manufacturing User,Manufacturing User
 DocType: Purchase Invoice,Raw Materials Supplied,Izejvielas Kopā
 DocType: Subscription Plan,Payment Plan,Maksājumu plāns
 DocType: Shopping Cart Settings,Enable purchase of items via the website,"Iespējot preču iegādi, izmantojot vietni"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Cenrādi {0} valūtā jābūt {1} vai {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Abonēšanas pārvaldība
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Abonēšanas pārvaldība
 DocType: Appraisal,Appraisal Template,Izvērtēšana Template
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Piesaistīt kodu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Piesaistīt kodu
 DocType: Soil Texture,Ternary Plot,Trīs gadi
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Atzīmējiet šo, lai iespējotu plānoto ikdienas sinhronizācijas rutīnu, izmantojot plānotāju"
 DocType: Item Group,Item Classification,Postenis klasifikācija
@@ -6117,6 +6186,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Rēķina pacientu reģistrācija
 DocType: Crop,Period,Periods
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,General Ledger
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Uz fiskālo gadu
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Skatīt Leads
 DocType: Program Enrollment Tool,New Program,jaunā programma
 DocType: Item Attribute Value,Attribute Value,Atribūta vērtība
@@ -6125,11 +6195,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Ieteicams Pārkārtot Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Darbiniekam {0} pakāpē {1} nav paredzētas atvaļinājuma politikas
 DocType: Salary Detail,Salary Detail,alga Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Lūdzu, izvēlieties {0} pirmais"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Lūdzu, izvēlieties {0} pirmais"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Pievienoti {0} lietotāji
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Daudzpakāpju programmas gadījumā Klienti tiks automātiski piešķirti attiecīgajam līmenim, salīdzinot ar viņu iztērēto"
 DocType: Appointment Type,Physician,Ārsts
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Sērija {0} no posteņa {1} ir beidzies.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Sērija {0} no posteņa {1} ir beidzies.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konsultācijas
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Gatavs labs
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Prece Cena tiek parādīta vairākas reizes, pamatojoties uz cenu sarakstu, Piegādātājs / Klients, Valūta, Vienība, UOM, Skaits un Datumi."
@@ -6138,22 +6208,21 @@
 DocType: Certification Application,Name of Applicant,Dalībnieka vārds
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet for ražošanā.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Starpsumma
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Variantu īpašības nevar mainīt pēc akciju darījuma. Lai to paveiktu, jums būs jāveic jauns punkts."
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Variantu īpašības nevar mainīt pēc akciju darījuma. Lai to paveiktu, jums būs jāveic jauns punkts."
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA mandāts
 DocType: Healthcare Practitioner,Charges,Maksas
 DocType: Production Plan,Get Items For Work Order,Iegūstiet preces par darba kārtību
 DocType: Salary Detail,Default Amount,Default Summa
 DocType: Lab Test Template,Descriptive,Aprakstošs
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Noliktava nav atrasts sistēmā
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Šī mēneša kopsavilkums
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Šī mēneša kopsavilkums
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kvalitātes pārbaudes Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Iesaldēt Krājumus vecākus par` jābūt mazākam par %d dienām.
 DocType: Tax Rule,Purchase Tax Template,Iegādāties Nodokļu veidne
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Iestatiet pārdošanas mērķi, kuru vēlaties sasniegt jūsu uzņēmumam."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Veselības aprūpes pakalpojumi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Veselības aprūpes pakalpojumi
 ,Project wise Stock Tracking,Projekts gudrs Stock izsekošana
 DocType: GST HSN Code,Regional,reģionāls
-DocType: Delivery Note,Transport Mode,Transporta režīms
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorija
 DocType: UOM Category,UOM Category,UOM kategorija
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Faktiskā Daudz (pie avota / mērķa)
@@ -6176,17 +6245,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Neizdevās izveidot vietni
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Saglabāto krājumu ieraksts jau ir izveidots vai parauga daudzums nav norādīts
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Saglabāto krājumu ieraksts jau ir izveidots vai parauga daudzums nav norādīts
 DocType: Program,Program Abbreviation,Program saīsinājums
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Ražošanas rīkojums nevar tikt izvirzīts pret Vienības Template
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Izmaksas tiek atjauninātas pirkuma čeka pret katru posteni
 DocType: Warranty Claim,Resolved By,Atrisināts Līdz
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Grafiks izlaidums
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čeki un noguldījumi nepareizi noskaidroti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Konts {0}: Jūs nevarat piešķirt sevi kā mātes kontu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Konts {0}: Jūs nevarat piešķirt sevi kā mātes kontu
 DocType: Purchase Invoice Item,Price List Rate,Cenrādis Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Izveidot klientu citātus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Pakalpojuma beigu datums nevar būt pēc pakalpojuma beigu datuma
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Pakalpojuma beigu datums nevar būt pēc pakalpojuma beigu datuma
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Parādiet ""noliktavā"", vai ""nav noliktavā"", pamatojoties uz pieejamā krājuma šajā noliktavā."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
 DocType: Item,Average time taken by the supplier to deliver,"Vidējais laiks, ko piegādātājs piegādāt"
@@ -6198,11 +6267,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Stundas
 DocType: Project,Expected Start Date,"Paredzams, sākuma datums"
 DocType: Purchase Invoice,04-Correction in Invoice,04-korekcija rēķinā
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Darba pasūtījums jau ir izveidots visiem vienumiem ar BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Darba pasūtījums jau ir izveidots visiem vienumiem ar BOM
 DocType: Payment Request,Party Details,Party Details
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variantu detalizētās informācijas pārskats
 DocType: Setup Progress Action,Setup Progress Action,Uzstādīšanas progresa darbība
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Pircēju cenu saraksts
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Pircēju cenu saraksts
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Noņemt objektu, ja maksa nav piemērojama šim postenim"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Atcelt abonementu
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,"Lūdzu, atlasiet uzturēšanas statusu kā pabeigtu vai noņemiet pabeigšanas datumu"
@@ -6220,7 +6289,7 @@
 DocType: Asset,Disposal Date,Atbrīvošanās datums
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-pastu tiks nosūtīts visiem Active uzņēmuma darbiniekiem tajā konkrētajā stundā, ja viņiem nav brīvdienu. Atbilžu kopsavilkums tiks nosūtīts pusnaktī."
 DocType: Employee Leave Approver,Employee Leave Approver,Darbinieku Leave apstiprinātājs
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Rinda {0}: Pārkārtot ieraksts jau eksistē šī noliktava {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Rinda {0}: Pārkārtot ieraksts jau eksistē šī noliktava {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Nevar atzīt par zaudēto, jo citāts ir veikts."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP konts
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,apmācības Atsauksmes
@@ -6232,7 +6301,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Līdz šim nevar būt agrāk no dienas
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Iedaļas pēdējā daļa
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Pievienot / rediģēt Cenas
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Pievienot / rediģēt Cenas
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Darbinieku veicināšana nevar tikt iesniegta pirms paaugstināšanas datuma
 DocType: Batch,Parent Batch,Mātes Partijas
 DocType: Batch,Parent Batch,Mātes Partijas
@@ -6243,6 +6312,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Paraugu kolekcija
 ,Requested Items To Be Ordered,Pieprasītās Preces jāpasūta
 DocType: Price List,Price List Name,Cenrādis Name
+DocType: Delivery Stop,Dispatch Information,Nosūtīšanas informācija
 DocType: Blanket Order,Manufacturing,Ražošana
 ,Ordered Items To Be Delivered,Pasūtītās preces jāpiegādā
 DocType: Account,Income,Ienākums
@@ -6261,17 +6331,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,"{0} vienības {1} nepieciešama {2} uz {3} {4} uz {5}, lai pabeigtu šo darījumu."
 DocType: Fee Schedule,Student Category,Student kategorija
 DocType: Announcement,Student,students
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Krājuma daudzums, lai sāktu procedūru, nav pieejams noliktavā. Vai vēlaties ierakstīt krājumu pārskaitījumu?"
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Krājuma daudzums, lai sāktu procedūru, nav pieejams noliktavā. Vai vēlaties ierakstīt krājumu pārskaitījumu?"
 DocType: Shipping Rule,Shipping Rule Type,Piegādes noteikuma veids
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Doties uz Istabas
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Uzņēmums, maksājuma konts, no datuma līdz datumam ir obligāts"
 DocType: Company,Budget Detail,Budžets Detail
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ievadiet ziņu pirms nosūtīšanas
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Dublikāts piegādātājs
-DocType: Email Digest,Pending Quotations,Līdz Citāti
-DocType: Delivery Note,Distance (KM),Attālums (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Piegādātājs&gt; Piegādātāju grupa
 DocType: Asset,Custodian,Turētājbanka
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profils
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profils
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} jābūt vērtībai no 0 līdz 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{0} maksājums no {1} līdz {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Nenodrošināti aizdevumi
@@ -6303,10 +6372,10 @@
 DocType: Lead,Converted,Konvertē
 DocType: Item,Has Serial No,Ir Sērijas nr
 DocType: Employee,Date of Issue,Izdošanas datums
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma čeka Nepieciešams == &quot;JĀ&quot;, tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma kvīts vispirms posteni {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma čeka Nepieciešams == &quot;JĀ&quot;, tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma kvīts vispirms posteni {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Set Piegādātājs posteni {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Rinda {0}: Stundas vērtībai ir jābūt lielākai par nulli.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Website Image {0} pievienots posteni {1} nevar atrast
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Website Image {0} pievienots posteni {1} nevar atrast
 DocType: Issue,Content Type,Content Type
 DocType: Asset,Assets,Aktīvi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Dators
@@ -6317,7 +6386,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} neeksistē
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Lūdzu, pārbaudiet multi valūtu iespēju ļaut konti citā valūtā"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Prece: {0} neeksistē sistēmā
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Jums nav atļauts uzstādīt Frozen vērtību
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Jums nav atļauts uzstādīt Frozen vērtību
 DocType: Payment Reconciliation,Get Unreconciled Entries,Saņemt Unreconciled Ieraksti
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Darbinieks {0} ir atlicis uz {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,No žurnāla ierakstiem nav atgriezta atmaksa
@@ -6335,13 +6404,14 @@
 ,Average Commission Rate,Vidēji Komisija likme
 DocType: Share Balance,No of Shares,Akciju skaits
 DocType: Taxable Salary Slab,To Amount,Uz summu
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Ir Sērijas Nr"" nevar būt ""Jā"", ja nav krājumu postenis"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Ir Sērijas Nr"" nevar būt ""Jā"", ja nav krājumu postenis"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Atlasiet statusu
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Apmeklējumu nevar atzīmēti nākamajām datumiem
 DocType: Support Search Source,Post Description Key,Ziņojuma apraksta atslēga
 DocType: Pricing Rule,Pricing Rule Help,Cenu noteikums Palīdzība
 DocType: School House,House Name,Māja vārds
 DocType: Fee Schedule,Total Amount per Student,Kopējā summa uz vienu studentu
+DocType: Opportunity,Sales Stage,Pārdošanas posms
 DocType: Purchase Taxes and Charges,Account Head,Konts Head
 DocType: Company,HRA Component,HRA sastāvdaļa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektrības
@@ -6349,15 +6419,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Kopējā vērtība Starpība (Out - In)
 DocType: Grant Application,Requested Amount,Pieprasītā summa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Valūtas kurss ir obligāta
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},"Lietotāja ID nav noteikts, Darbinieka {0}"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},"Lietotāja ID nav noteikts, Darbinieka {0}"
 DocType: Vehicle,Vehicle Value,Transportlīdzekļu Value
 DocType: Crop Cycle,Detected Diseases,Noteiktas slimības
 DocType: Stock Entry,Default Source Warehouse,Default Source Noliktava
 DocType: Item,Customer Code,Klienta kods
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Dzimšanas dienu atgādinājums par {0}
 DocType: Asset Maintenance Task,Last Completion Date,Pēdējā pabeigšanas datums
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dienas Kopš pēdējā pasūtījuma
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debets kontā jābūt bilance konts
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debets kontā jābūt bilance konts
 DocType: Asset,Naming Series,Nosaucot Series
 DocType: Vital Signs,Coated,Pārklāts
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rinda {0}: paredzamā vērtība pēc derīguma termiņa beigām ir mazāka nekā bruto pirkuma summa
@@ -6375,15 +6444,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Piegāde piezīme {0} nedrīkst jāiesniedz
 DocType: Notification Control,Sales Invoice Message,PPR ziņojums
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Noslēguma kontu {0} jābūt tipa Atbildības / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Alga Slip darbinieka {0} jau radīts laiks lapas {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Alga Slip darbinieka {0} jau radīts laiks lapas {1}
 DocType: Vehicle Log,Odometer,odometra
 DocType: Production Plan Item,Ordered Qty,Pasūtīts daudzums
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Postenis {0} ir invalīds
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Postenis {0} ir invalīds
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Līdz pat
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM nesatur krājuma priekšmetu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM nesatur krājuma priekšmetu
 DocType: Chapter,Chapter Head,Nodaļas vadītājs
 DocType: Payment Term,Month(s) after the end of the invoice month,Mēnesis (-i) pēc rēķina mēneša beigām
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Atalgojuma struktūrai jābūt elastīgam pabalsta komponentam (-iem), lai atteiktos no pabalsta summas"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Atalgojuma struktūrai jābūt elastīgam pabalsta komponentam (-iem), lai atteiktos no pabalsta summas"
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projekta aktivitāte / uzdevums.
 DocType: Vital Signs,Very Coated,Ļoti pārklāts
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Tikai nodokļu ietekme (nevar pieprasīt, bet daļa no apliekamajiem ienākumiem)"
@@ -6401,7 +6470,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Norēķinu Stundas
 DocType: Project,Total Sales Amount (via Sales Order),Kopējā pārdošanas summa (ar pārdošanas pasūtījumu)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Default BOM par {0} nav atrasts
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Lūdzu noteikt pasūtīšanas daudzumu
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Lūdzu noteikt pasūtīšanas daudzumu
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Pieskarieties objektus, lai pievienotu tos šeit"
 DocType: Fees,Program Enrollment,Program Uzņemšanas
 DocType: Share Transfer,To Folio No,Folio Nr
@@ -6443,9 +6512,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Stiprums
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Iepriekš iestatīto instalēšana
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Klientam nav izvēlēta piegādes piezīme {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Klientam nav izvēlēta piegādes piezīme {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Darbiniekam {0} nav maksimālās labuma summas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,"Atlasiet vienumus, pamatojoties uz piegādes datumu"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,"Atlasiet vienumus, pamatojoties uz piegādes datumu"
 DocType: Grant Application,Has any past Grant Record,Vai ir kāds pagātnes Granta ieraksts
 ,Sales Analytics,Pārdošanas Analīze
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Pieejams {0}
@@ -6454,12 +6523,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Ražošanas iestatījumi
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Iestatīšana E-pasts
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobilo Nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Ievadiet noklusējuma valūtu Uzņēmuma Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Ievadiet noklusējuma valūtu Uzņēmuma Master
 DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Ikdienas atgādinājumi
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Ikdienas atgādinājumi
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Skatīt visas atvērtās biļetes
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Veselības aprūpes dienesta vienības koks
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produkts
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produkts
 DocType: Products Settings,Home Page is Products,Mājas lapa ir produkti
 ,Asset Depreciation Ledger,Aktīvu nolietojums Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Atstājiet inkasācijas daudzumu dienā
@@ -6469,8 +6538,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Izejvielas Kopā izmaksas
 DocType: Selling Settings,Settings for Selling Module,Iestatījumi Pārdošana modulis
 DocType: Hotel Room Reservation,Hotel Room Reservation,Viesnīcas numuru rezervēšana
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Klientu apkalpošana
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Klientu apkalpošana
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Netika atrasts neviens kontakts ar e-pasta ID.
 DocType: Item Customer Detail,Item Customer Detail,Postenis Klientu Detail
 DocType: Notification Control,Prompt for Email on Submission of,Jautāt e-pastu uz iesniegšanai
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Darbinieka maksimālais pabalsta apmērs {0} pārsniedz {1}
@@ -6480,7 +6550,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Postenis {0} jābūt krājums punkts
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Default nepabeigtie Noliktava
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Plānojumi {0} pārklājumiem, vai vēlaties turpināt pēc pārklājušo laika nišu izlaišanas?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Noklusējuma iestatījumi grāmatvedības darījumiem.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Noklusējuma iestatījumi grāmatvedības darījumiem.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Stipendijas lapas
 DocType: Restaurant,Default Tax Template,Noklusējuma nodokļu veidlapa
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studenti ir uzņemti
@@ -6488,6 +6558,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Stock Daudz
 DocType: Purchase Invoice Item,Stock Qty,Stock Daudz
 DocType: Contract,Requires Fulfilment,Nepieciešama izpilde
+DocType: QuickBooks Migrator,Default Shipping Account,Piegādes noklusējuma konts
 DocType: Loan,Repayment Period in Months,Atmaksas periods mēnešos
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Kļūda: Nav derīgs id?
 DocType: Naming Series,Update Series Number,Update Series skaits
@@ -6501,11 +6572,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksimālā summa
 DocType: Journal Entry,Total Amount Currency,Kopējā summa valūta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Meklēt Sub Kompleksi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Postenis Code vajadzīga Row Nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Postenis Code vajadzīga Row Nr {0}
 DocType: GST Account,SGST Account,SGST konts
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Doties uz vienumiem
 DocType: Sales Partner,Partner Type,Partner Type
-DocType: Purchase Taxes and Charges,Actual,Faktisks
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Faktisks
 DocType: Restaurant Menu,Restaurant Manager,Restorāna vadītājs
 DocType: Authorization Rule,Customerwise Discount,Customerwise Atlaide
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Kontrolsaraksts uzdevumiem.
@@ -6526,7 +6597,7 @@
 DocType: Employee,Cheque,Čeks
 DocType: Training Event,Employee Emails,Darbinieku e-pasta ziņojumi
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Series Atjaunots
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Ziņojums Type ir obligāts
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Ziņojums Type ir obligāts
 DocType: Item,Serial Number Series,Sērijas numurs Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Noliktava ir obligāta krājuma priekšmetu {0} rindā {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Tirdzniecība un vairumtirdzniecība
@@ -6557,7 +6628,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Atjaunināt norēķinu summu pārdošanas rīkojumā
 DocType: BOM,Materials,Materiāli
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ja nav atzīmēts, sarakstā būs jāpievieno katrā departamentā, kur tas ir jāpiemēro."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Norīkošanu datumu un norīkošanu laiks ir obligāta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Norīkošanu datumu un norīkošanu laiks ir obligāta
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Nodokļu veidni pārdošanas darījumus.
 ,Item Prices,Izstrādājumu cenas
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Vārdos būs redzams pēc tam, kad esat saglabāt pirkuma pasūtījuma."
@@ -6573,12 +6644,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Aktīvu nolietojuma ierakstu sērija (žurnāla ieraksts)
 DocType: Membership,Member Since,Biedrs kopš
 DocType: Purchase Invoice,Advance Payments,Avansa maksājumi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,"Lūdzu, atlasiet Veselības aprūpes pakalpojumu"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,"Lūdzu, atlasiet Veselības aprūpes pakalpojumu"
 DocType: Purchase Taxes and Charges,On Net Total,No kopējiem neto
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Cenas atribūtu {0} ir jābūt robežās no {1} līdz {2} Jo soli {3} uz posteni {4}
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Atbrīvojuma kategorija
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valūtas nevar mainīt pēc tam ierakstus izmantojot kādu citu valūtu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valūtas nevar mainīt pēc tam ierakstus izmantojot kādu citu valūtu
 DocType: Shipping Rule,Fixed,Fiksēts
 DocType: Vehicle Service,Clutch Plate,sajūga Plate
 DocType: Company,Round Off Account,Noapaļot kontu
@@ -6587,7 +6658,7 @@
 DocType: Subscription Plan,Based on price list,Pamatojoties uz cenu sarakstu
 DocType: Customer Group,Parent Customer Group,Parent Klientu Group
 DocType: Vehicle Service,Change,Maiņa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Abonēšana
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Abonēšana
 DocType: Purchase Invoice,Contact Email,Kontaktpersonas e-pasta
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Maksas izveidošana ir gaidāma
 DocType: Appraisal Goal,Score Earned,Score Nopelnītās
@@ -6615,23 +6686,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Debitoru / kreditoru konts
 DocType: Delivery Note Item,Against Sales Order Item,Pret Sales Order posteni
 DocType: Company,Company Logo,Uzņēmuma logotips
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Lūdzu, norādiet īpašības Value atribūtam {0}"
-DocType: Item Default,Default Warehouse,Default Noliktava
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Lūdzu, norādiet īpašības Value atribūtam {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Default Noliktava
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budžets nevar iedalīt pret grupas kontā {0}
 DocType: Shopping Cart Settings,Show Price,Rādīt cenu
 DocType: Healthcare Settings,Patient Registration,Pacienta reģistrācija
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Ievadiet mātes izmaksu centru
 DocType: Delivery Note,Print Without Amount,Izdrukāt Bez summa
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,nolietojums datums
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,nolietojums datums
 ,Work Orders in Progress,Darba uzdevumi tiek veikti
 DocType: Issue,Support Team,Atbalsta komanda
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Derīguma (dienās)
 DocType: Appraisal,Total Score (Out of 5),Total Score (no 5)
 DocType: Student Attendance Tool,Batch,Partijas
 DocType: Support Search Source,Query Route String,Vaicājuma maršruta virkne
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,"Atjaunināšanas likme, salīdzinot ar pēdējo pirkumu"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,"Atjaunināšanas likme, salīdzinot ar pēdējo pirkumu"
 DocType: Donor,Donor Type,Donora veids
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Auto atkārtots dokuments ir atjaunināts
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Auto atkārtots dokuments ir atjaunināts
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Līdzsvars
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,"Lūdzu, izvēlieties uzņēmumu"
 DocType: Job Card,Job Card,Darba kartiņa
@@ -6645,7 +6716,7 @@
 DocType: Assessment Result,Total Score,Total Score
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standarts
 DocType: Journal Entry,Debit Note,Parādzīmi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Šajā pasūtījumā varat izpirkt tikai maksimālo {0} punktu.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Šajā pasūtījumā varat izpirkt tikai maksimālo {0} punktu.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP -.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,"Lūdzu, ievadiet API Patērētāju noslēpumu"
 DocType: Stock Entry,As per Stock UOM,Kā vienu Fondu UOM
@@ -6659,10 +6730,11 @@
 DocType: Journal Entry,Total Debit,Kopējais debets
 DocType: Travel Request Costing,Sponsored Amount,Sponsorētā summa
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Noklusējuma Gatavās produkcijas noliktava
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,"Lūdzu, izvēlieties pacientu"
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,"Lūdzu, izvēlieties pacientu"
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Sales Person
 DocType: Hotel Room Package,Amenities,Ērtības
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Budžets un izmaksu centrs
+DocType: QuickBooks Migrator,Undeposited Funds Account,Nemainīgo līdzekļu konts
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Budžets un izmaksu centrs
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Vairāki noklusējuma maksājuma veidi nav atļauti
 DocType: Sales Invoice,Loyalty Points Redemption,Lojalitātes punkti Izpirkšana
 ,Appointment Analytics,Iecelšana par Analytics
@@ -6676,6 +6748,7 @@
 DocType: Batch,Manufacturing Date,Ražošanas datums
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Maksas izveidošana neizdevās
 DocType: Opening Invoice Creation Tool,Create Missing Party,Izveidot pazudušo pusi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Kopējais budžets
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Atstājiet tukšu, ja jūs veicat studentu grupas gadā"
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Atstājiet tukšu, ja jūs veicat studentu grupas gadā"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ja ieslēgts, Total nē. Darbadienu būs brīvdienas, un tas samazinātu vērtību Alga dienā"
@@ -6693,20 +6766,19 @@
 DocType: Opportunity Item,Basic Rate,Basic Rate
 DocType: GL Entry,Credit Amount,Kredīta summa
 DocType: Cheque Print Template,Signatory Position,Parakstītājs Position
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Uzstādīt kā Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Uzstādīt kā Lost
 DocType: Timesheet,Total Billable Hours,Kopējais apmaksājamo stundu
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Dienu skaits, kad abonents ir jāmaksā rēķini, kas radīti ar šo abonementu"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Darbinieku pabalsta pieteikuma detaļas
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Maksājumu saņemšana Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Tas ir balstīts uz darījumiem pret šo klientu. Skatīt grafiku zemāk informāciju
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rinda {0}: piešķirtā summa {1} ir jābūt mazākam par vai vienāds ar Maksājuma Entry summai {2}
 DocType: Program Enrollment Tool,New Academic Term,Jauns akadēmiskais termiņš
 ,Course wise Assessment Report,Kurss gudrs novērtējuma ziņojums
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Izmantojis ITC valsts / UT nodokli
 DocType: Tax Rule,Tax Rule,Nodokļu noteikums
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Uzturēt pašu likmi VISĀ pārdošanas ciklā
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Lūdzu, piesakieties kā citam lietotājam, lai reģistrētos vietnē Marketplace"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Lūdzu, piesakieties kā citam lietotājam, lai reģistrētos vietnē Marketplace"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plānot laiku ārpus Darba vietas darba laika.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Klienti rindā
 DocType: Driver,Issuing Date,Izdošanas datums
@@ -6715,11 +6787,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Iesniedziet šo darba kārtību tālākai apstrādei.
 ,Items To Be Requested,"Preces, kas jāpieprasa"
 DocType: Company,Company Info,Uzņēmuma informācija
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Izvēlieties vai pievienot jaunu klientu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Izvēlieties vai pievienot jaunu klientu
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Izmaksu centrs ir nepieciešams rezervēt izdevumu prasību
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Līdzekļu (aktīvu)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Tas ir balstīts uz piedalīšanos šī darbinieka
-DocType: Assessment Result,Summary,Kopsavilkums
 DocType: Payment Request,Payment Request Type,Maksājuma pieprasījuma veids
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Atzīmējiet apmeklējumu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debeta kontu
@@ -6727,7 +6798,7 @@
 DocType: Additional Salary,Employee Name,Darbinieku Name
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restorāna pasūtījuma ieraksta vienība
 DocType: Purchase Invoice,Rounded Total (Company Currency),Noapaļota Kopā (Company valūta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Nevar slēptu to grupai, jo ir izvēlēta Account Type."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Nevar slēptu to grupai, jo ir izvēlēta Account Type."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0}{1} ir mainīta. Lūdzu atsvaidzināt.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Pietura lietotājiem veikt Leave Pieteikumi uz nākamajās dienās.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ja neierobežots derīguma termiņš ir Lojalitātes punktiem, derīguma termiņš ir tukšs vai 0."
@@ -6748,11 +6819,12 @@
 DocType: Asset,Out of Order,Nestrādā
 DocType: Purchase Receipt Item,Accepted Quantity,Pieņemts daudzums
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorēt darbstacijas laika pārklāšanos
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Lūdzu iestatīt noklusējuma brīvdienu sarakstu par darbinieka {0} vai Company {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Lūdzu iestatīt noklusējuma brīvdienu sarakstu par darbinieka {0} vai Company {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} neeksistē
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Izvēlieties Partijas Numbers
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Uz GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Uz GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Rēķinus izvirzīti klientiem.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Rēķina iecelšana automātiski
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekts Id
 DocType: Salary Component,Variable Based On Taxable Salary,"Mainīgs, pamatojoties uz aplikšanu ar nodokli"
 DocType: Company,Basic Component,Pamatkomponents
@@ -6765,10 +6837,10 @@
 DocType: Stock Entry,Source Warehouse Address,Avota noliktavas adrese
 DocType: GL Entry,Voucher Type,Kuponu Type
 DocType: Amazon MWS Settings,Max Retry Limit,Maksimālais retrīta ierobežojums
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Cenrādis nav atrasts vai invalīds
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cenrādis nav atrasts vai invalīds
 DocType: Student Applicant,Approved,Apstiprināts
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Cena
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Darbinieku atvieglots par {0} ir jānosaka kā ""Kreisais"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Darbinieku atvieglots par {0} ir jānosaka kā ""Kreisais"""
 DocType: Marketplace Settings,Last Sync On,Pēdējā sinhronizācija ir ieslēgta
 DocType: Guardian,Guardian,aizbildnis
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Visus paziņojumus, ieskaitot un virs tā, pārvieto jaunajā izdevumā"
@@ -6791,14 +6863,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Laukā konstatēto slimību saraksts. Pēc izvēles tas automātiski pievienos uzdevumu sarakstu, lai risinātu šo slimību"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,"Šī ir galvenā veselības aprūpes pakalpojumu vienība, un to nevar rediģēt."
 DocType: Asset Repair,Repair Status,Remonta stāvoklis
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Pievienojiet tirdzniecības partnerus
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Grāmatvedības dienasgrāmatas ieraksti.
 DocType: Travel Request,Travel Request,Ceļojuma pieprasījums
 DocType: Delivery Note Item,Available Qty at From Warehouse,Pieejams Daudz at No noliktavas
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Lūdzu, izvēlieties Darbinieku Ierakstīt pirmās."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Apmeklējums nav iesniegts {0}, jo tas ir brīvdiena."
 DocType: POS Profile,Account for Change Amount,Konts Mainīt summa
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Savienošana ar QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Kopējā peļņa / zaudējumi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Nederīgs uzņēmums Inter uzņēmuma rēķinam.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Nederīgs uzņēmums Inter uzņēmuma rēķinam.
 DocType: Purchase Invoice,input service,ievades pakalpojums
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Account nesakrīt ar {1} / {2} jo {3} {4}
 DocType: Employee Promotion,Employee Promotion,Darbinieku veicināšana
@@ -6807,12 +6881,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kursa kods:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Ievadiet izdevumu kontu
 DocType: Account,Stock,Noliktava
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no Pirkuma ordeņa, Pirkuma rēķins vai Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no Pirkuma ordeņa, Pirkuma rēķins vai Journal Entry"
 DocType: Employee,Current Address,Pašreizējā adrese
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ja prece ir variants citā postenī, tad aprakstu, attēlu, cenas, nodokļi utt tiks noteikts no šablona, ja vien nav skaidri norādīts"
 DocType: Serial No,Purchase / Manufacture Details,Pirkuma / Ražošana Details
 DocType: Assessment Group,Assessment Group,novērtējums Group
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Partijas inventarizācija
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Procedūras nosaukums
 DocType: Employee,Contract End Date,Līgums beigu datums
 DocType: Amazon MWS Settings,Seller ID,Pārdevēja ID
@@ -6832,12 +6907,12 @@
 DocType: Company,Date of Incorporation,Reģistrācijas datums
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Kopā Nodokļu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Pēdējā pirkuma cena
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Par Daudzums (Rūpniecības Daudzums) ir obligāts
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Par Daudzums (Rūpniecības Daudzums) ir obligāts
 DocType: Stock Entry,Default Target Warehouse,Default Mērķa Noliktava
 DocType: Purchase Invoice,Net Total (Company Currency),Neto Kopā (Company valūta)
 DocType: Delivery Note,Air,Gaiss
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Gads beigu datums nevar būt agrāk kā gadu sākuma datuma. Lūdzu izlabojiet datumus un mēģiniet vēlreiz.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nav izvēles brīvdienu sarakstā
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nav izvēles brīvdienu sarakstā
 DocType: Notification Control,Purchase Receipt Message,Pirkuma čeka Message
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,lūžņi Items
@@ -6860,23 +6935,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Izpilde
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Uz iepriekšējo rindu summas
 DocType: Item,Has Expiry Date,Ir derīguma termiņš
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfer Asset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfer Asset
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Event Name
 DocType: Healthcare Practitioner,Phone (Office),Tālrunis (birojs)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nevar iesniegt, darbinieki atstāja, lai atzīmētu apmeklējumu"
 DocType: Inpatient Record,Admission,uzņemšana
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Uzņemšana par {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezonalitāte, nosakot budžetu, mērķus uc"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezonalitāte, nosakot budžetu, mērķus uc"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Mainīgais nosaukums
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Prece {0} ir veidne, lūdzu, izvēlieties vienu no saviem variantiem"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Lūdzu, izveidojiet darbinieku nosaukumu sistēmu cilvēkresursu vadībā&gt; Personāla iestatījumi"
+DocType: Purchase Invoice Item,Deferred Expense,Nākamo periodu izdevumi
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},No Datuma {0} nevar būt pirms darbinieka pievienošanās Datums {1}
 DocType: Asset,Asset Category,Asset kategorija
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Neto darba samaksa nevar būt negatīvs
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Neto darba samaksa nevar būt negatīvs
 DocType: Purchase Order,Advance Paid,Izmaksāto avansu
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Pārprodukcijas procents pārdošanas pasūtījumam
 DocType: Item,Item Tax,Postenis Nodokļu
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiāls piegādātājam
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiāls piegādātājam
 DocType: Soil Texture,Loamy Sand,Lūga smiltis
 DocType: Production Plan,Material Request Planning,Materiālu pieprasījuma plānošana
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Akcīzes Invoice
@@ -6898,11 +6975,11 @@
 DocType: Scheduling Tool,Scheduling Tool,plānošana Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kredītkarte
 DocType: BOM,Item to be manufactured or repacked,Postenis tiks ražots pārsaiņojamā
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Sintakses kļūda stāvoklī: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Sintakses kļūda stāvoklī: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Lielākie / Izvēles priekšmeti
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,"Lūdzu, iestatiet piegādātāju grupu iestatījumu pirkšanā."
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,"Lūdzu, iestatiet piegādātāju grupu iestatījumu pirkšanā."
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Kopējā elastīgā pabalsta komponenta summa {0} nedrīkst būt mazāka par maksimālo pabalstu {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Apturēts
@@ -6922,7 +6999,7 @@
 DocType: Customer,Commission Rate,Komisija Rate
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Veiksmīgi izveidoti maksājumu ieraksti
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Izveidoja {0} rādītāju kartes par {1} starp:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Izveidot Variantu
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Izveidot Variantu
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Maksājuma veids ir viens no saņemšana, Pay un Iekšējās Transfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Ierašanās priekšrocība
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6933,7 +7010,7 @@
 DocType: Work Order,Actual Operating Cost,Faktiskā ekspluatācijas izmaksas
 DocType: Payment Entry,Cheque/Reference No,Čeks / Reference Nr
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Saknes nevar rediģēt.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Saknes nevar rediģēt.
 DocType: Item,Units of Measure,Mērvienību
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Iznomāts Metro pilsētā
 DocType: Supplier,Default Tax Withholding Config,Noklusētā nodokļu ieturēšanas konfigurācija
@@ -6951,21 +7028,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Pēc maksājuma pabeigšanas novirzīt lietotāju uz izvēlētā lapā.
 DocType: Company,Existing Company,esošās Company
 DocType: Healthcare Settings,Result Emailed,Rezultāts nosūtīts pa e-pastu
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Nodokļu kategorija ir mainīts uz &quot;Kopā&quot;, jo visi priekšmeti ir nenoteiktas akciju preces"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Nodokļu kategorija ir mainīts uz &quot;Kopā&quot;, jo visi priekšmeti ir nenoteiktas akciju preces"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Līdz šim nevar būt vienāds vai mazāks par datumu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nekas mainīt
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Lūdzu, izvēlieties csv failu"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,"Lūdzu, izvēlieties csv failu"
 DocType: Holiday List,Total Holidays,Kopējās svētku dienas
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,"Trūkst e-pasta veidnes nosūtīšanai. Lūdzu, iestatiet to piegādes iestatījumos."
 DocType: Student Leave Application,Mark as Present,Atzīmēt kā Present
 DocType: Supplier Scorecard,Indicator Color,Indikatora krāsa
 DocType: Purchase Order,To Receive and Bill,Lai saņemtu un Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Rinda # {0}: Reqd pēc datuma nevar būt pirms darījuma datuma
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Rinda # {0}: Reqd pēc datuma nevar būt pirms darījuma datuma
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,piedāvātie produkti
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Izvēlieties kārtas numuru
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Izvēlieties kārtas numuru
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Dizainers
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Noteikumi un nosacījumi Template
 DocType: Serial No,Delivery Details,Piegādes detaļas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Izmaksas Center ir nepieciešama rindā {0} nodokļos tabula veidam {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Izmaksas Center ir nepieciešama rindā {0} nodokļos tabula veidam {1}
 DocType: Program,Program Code,programmas kods
 DocType: Terms and Conditions,Terms and Conditions Help,Noteikumi Palīdzība
 ,Item-wise Purchase Register,Postenis gudrs iegāde Reģistrēties
@@ -6978,15 +7056,16 @@
 DocType: Contract,Contract Terms,Līguma noteikumi
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Nerādīt kādu simbolu, piemēram, $$ utt blakus valūtām."
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Komponenta maksimālā pabalsta summa {0} pārsniedz {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Puse dienas)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Puse dienas)
 DocType: Payment Term,Credit Days,Kredīta dienas
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Lūdzu, izvēlieties Pacientu, lai saņemtu Lab testus"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Padarīt Student Sērija
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,"Atļaut pārsūtīšanu, lai izgatavotu"
 DocType: Leave Type,Is Carry Forward,Vai Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Dabūtu preces no BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Dabūtu preces no BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Izpildes laiks dienas
 DocType: Cash Flow Mapping,Is Income Tax Expense,Ir ienākumu nodokļa izdevumi
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Jūsu pasūtījums ir paredzēts piegādei!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: norīkošana datums jābūt tāds pats kā iegādes datums {1} no aktīva {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Atzīmējiet šo, ja students dzīvo pie institūta Hostel."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Ievadiet klientu pasūtījumu tabulā iepriekš
@@ -6994,10 +7073,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Nodot aktīvus no vienas noliktavas uz otru
 DocType: Vehicle,Petrol,benzīns
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Atlikušie pabalsti (katru gadu)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,BOM
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Party Tips un partija ir nepieciešama debitoru / kreditoru kontā {1}
 DocType: Employee,Leave Policy,Atstāt politiku
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Atjaunināt preces
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Atjaunināt preces
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Datums
 DocType: Employee,Reason for Leaving,Iemesls Atstājot
 DocType: BOM Operation,Operating Cost(Company Currency),Ekspluatācijas izmaksas (Company valūta)
@@ -7008,7 +7087,7 @@
 DocType: Department,Expense Approvers,Izdevumu apstiprinātāji
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Rinda {0}: debeta ierakstu nevar saistīt ar {1}
 DocType: Journal Entry,Subscription Section,Abonēšanas sadaļa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Konts {0} nepastāv
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Konts {0} nepastāv
 DocType: Training Event,Training Program,Apmācības programma
 DocType: Account,Cash,Nauda
 DocType: Employee,Short biography for website and other publications.,Īsa biogrāfija mājas lapas un citas publikācijas.
diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv
index d287b66..c210ff8 100644
--- a/erpnext/translations/mk.csv
+++ b/erpnext/translations/mk.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Теми на клиентите
 DocType: Project,Costing and Billing,Трошоци и регистрации
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Авансната валута на сметката треба да биде иста како валута на компанијата {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,На сметка {0}: Родител на сметка {1} не може да биде Леџер
+DocType: QuickBooks Migrator,Token Endpoint,Крајна точка на токенот
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,На сметка {0}: Родител на сметка {1} не може да биде Леџер
 DocType: Item,Publish Item to hub.erpnext.com,"Објавуваат елемент, за да hub.erpnext.com"
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Не може да се најде активен период на напуштање
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Не може да се најде активен период на напуштање
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,евалуација
 DocType: Item,Default Unit of Measure,Стандардно единица мерка
 DocType: SMS Center,All Sales Partner Contact,Сите Продажбата партнер контакт
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Кликнете Enter за да додадете
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Недостасува вредност за лозинка, API клуч или Употреба на УРЛ-адреса"
 DocType: Employee,Rented,Изнајмени
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Сите сметки
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Сите сметки
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Не може да се префрли на вработениот со статус Лево
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Престана производството со цел да не може да биде укинат, отпушвам тоа прво да го откажете"
 DocType: Vehicle Service,Mileage,километражата
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Дали навистина сакате да ја укине оваа предност?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Дали навистина сакате да ја укине оваа предност?
 DocType: Drug Prescription,Update Schedule,Распоред за ажурирање
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Одберете Default Добавувачот
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Прикажи го вработениот
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Нов девизен курс
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Е потребно валута за Ценовник {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Е потребно валута за Ценовник {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Ќе се пресметува во трансакцијата.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Контакт со клиентите
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Ова е врз основа на трансакции против оваа Добавувачот. Види времеплов подолу за детали
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Процент на препроизводство за работна нарачка
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Правни
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Правни
+DocType: Delivery Note,Transport Receipt Date,Датум на потврда за транспорт
 DocType: Shopify Settings,Sales Order Series,Серија на нарачки за продажба
 DocType: Vital Signs,Tongue,Јазик
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA исклучок
 DocType: Sales Invoice,Customer Name,Име на Клиент
 DocType: Vehicle,Natural Gas,Природен гас
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Банкарска сметка не може да се именува како {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Банкарска сметка не може да се именува како {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA според плата Структура
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Глави (или групи), против кои се направени на сметководствените ставки и рамнотежи се одржува."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Најдобро за {0} не може да биде помала од нула ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Датумот за запирање на услугата не може да биде пред датумот на стартување на услугата
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Датумот за запирање на услугата не може да биде пред датумот на стартување на услугата
 DocType: Manufacturing Settings,Default 10 mins,Стандардно 10 минути
 DocType: Leave Type,Leave Type Name,Остави видот на името
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Show open
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Show open
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Серија успешно ажурирани
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Плаќање
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} во ред {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} во ред {1}
 DocType: Asset Finance Book,Depreciation Start Date,Датум на почеток на амортизацијата
 DocType: Pricing Rule,Apply On,Apply On
 DocType: Item Price,Multiple Item prices.,Повеќекратни цени точка.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Прилагодувања за поддршка
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Се очекува Крај Датум не може да биде помал од очекуваниот почеток Датум
 DocType: Amazon MWS Settings,Amazon MWS Settings,Амазон MWS поставувања
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Оцени мора да биде иста како {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Оцени мора да биде иста како {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Серија ставка истечен статус
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Банкарски Draft
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Основни детали за контакт
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,отворени прашања
 DocType: Production Plan Item,Production Plan Item,Производство план Точка
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Корисник {0} е веќе доделен на вработените {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Корисник {0} е веќе доделен на вработените {1}
 DocType: Lab Test Groups,Add new line,Додај нова линија
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Здравствена заштита
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Задоцнување на плаќањето (во денови)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Рецепт за лабораторија
 ,Delay Days,Денови на одложување
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Расходи на услуги
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериски број: {0} веќе е наведено во Продај фактура: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериски број: {0} веќе е наведено во Продај фактура: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Фактура
 DocType: Purchase Invoice Item,Item Weight Details,Детали за телесната тежина
 DocType: Asset Maintenance Log,Periodicity,Поените
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} е потребен
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Добавувачот&gt; Група на снабдувачи
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минималното растојание меѓу редовите на растенијата за оптимален раст
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Одбрана
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Список со Празници
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Сметководител
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Продажба на ценовник
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Продажба на ценовник
 DocType: Patient,Tobacco Current Use,Тековна употреба на тутун
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Продажба стапка
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Продажба стапка
 DocType: Cost Center,Stock User,Акциите пристап
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Контакт информации
 DocType: Company,Phone No,Телефон број
 DocType: Delivery Trip,Initial Email Notification Sent,Испратена е почетна е-пошта
 DocType: Bank Statement Settings,Statement Header Mapping,Мапирање на заглавјето на изјавите
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Датум на почеток на претплата
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Неподдржани сметки за побарувања кои ќе се користат ако не се поставени во Пациентот за да ги наплаќаат трошоците за назначување.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Прикачи CSV датотека со две колони, еден за старото име и еден за ново име"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Од адреса 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Код Код&gt; Точка група&gt; Бренд
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Од адреса 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} не во било кој активно фискална година.
 DocType: Packed Item,Parent Detail docname,Родител Детална docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Суд: {0}, Точка Код: {1} и од купувачи: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} не е присутен во матичната компанија
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} не е присутен во матичната компанија
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Крајниот датум на судечкиот период не може да биде пред датумот на започнување на судечкиот период
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Кг
 DocType: Tax Withholding Category,Tax Withholding Category,Категорија на задржување на данок
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Рекламирање
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Истата компанија се внесе повеќе од еднаш
 DocType: Patient,Married,Брак
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Не се дозволени за {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Не се дозволени за {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Се предмети од
 DocType: Price List,Price Not UOM Dependant,Цена Не зависена од UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Да го примени износот на задржување на данокот
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Акции не може да се ажурира против Испратница {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Вкупен износ на кредит
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Акции не може да се ажурира против Испратница {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Вкупен износ на кредит
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Производ {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Нема ставки наведени
 DocType: Asset Repair,Error Description,Грешка Опис
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Користете формат за прилагодени парични текови
 DocType: SMS Center,All Sales Person,Сите продажбата на лице
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** ** Месечен Дистрибуција помага да се дистрибуираат на буџетот / Целна низ месеци, ако има сезоната во вашиот бизнис."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Не се пронајдени производи
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Плата Структура исчезнати
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Не се пронајдени производи
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Плата Структура исчезнати
 DocType: Lead,Person Name,Име лице
 DocType: Sales Invoice Item,Sales Invoice Item,Продажна Фактура Артикал
 DocType: Account,Credit,Кредит
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,акции на извештаи
 DocType: Warehouse,Warehouse Detail,Магацински Детал
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Термин Датум на завршување не може да биде подоцна од годината Датум на завршување на учебната година во која е поврзана на зборот (академска година {}). Ве молам поправете датумите и обидете се повторно.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Дали е фиксни средства"" не може да е немаркирано , како што постои евиденција на средствата во однос на ставките"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Дали е фиксни средства"" не може да е немаркирано , како што постои евиденција на средствата во однос на ставките"
 DocType: Delivery Trip,Departure Time,Време на заминување
 DocType: Vehicle Service,Brake Oil,кочница нафта
 DocType: Tax Rule,Tax Type,Тип на данок
 ,Completed Work Orders,Завршени работни налози
 DocType: Support Settings,Forum Posts,Форуми
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,оданочливиот износ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,оданочливиот износ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Немате дозвола за да додадете или да ги ажурирате записи пред {0}
 DocType: Leave Policy,Leave Policy Details,Остави детали за политиката
 DocType: BOM,Item Image (if not slideshow),Точка слика (доколку не слајдшоу)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Час Оцени / 60) * Крај на време операција
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Тип на референтен документ мора да биде еден од тврдењата за трошок или запис на дневникот
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,изберете Бум
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Тип на референтен документ мора да биде еден од тврдењата за трошок или запис на дневникот
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,изберете Бум
 DocType: SMS Log,SMS Log,SMS Влез
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Цената на испорачани материјали
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Празникот на {0} не е меѓу Од датум и до денес
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Шаблони на позицијата на добавувачи.
 DocType: Lead,Interested,Заинтересирани
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Отворање
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Од {0} до {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Од {0} до {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Програма:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Не успеа да се постават даноци
 DocType: Item,Copy From Item Group,Копија од Група ставки
-DocType: Delivery Trip,Delivery Notification,Известување за испорака
 DocType: Journal Entry,Opening Entry,Отворање Влегување
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Сметка плаќаат само
 DocType: Loan,Repay Over Number of Periods,Отплати текот број на периоди
 DocType: Stock Entry,Additional Costs,Е вклучена во цената
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Сметка со постојните трансакцијата не може да се конвертира во групата.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Сметка со постојните трансакцијата не може да се конвертира во групата.
 DocType: Lead,Product Enquiry,Производ пребарување
 DocType: Education Settings,Validate Batch for Students in Student Group,Потврдете Batch за студентите во студентските група
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Не остава рекорд најде за вработените {0} {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ве молиме внесете компанија прв
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Ве молиме изберете ја првата компанија
 DocType: Employee Education,Under Graduate,Под Додипломски
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Ве молиме поставете стандарден образец за известување за статусот за напуштање во поставките за човечки ресурси.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Ве молиме поставете стандарден образец за известување за статусот за напуштање во поставките за човечки ресурси.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,На цел
 DocType: BOM,Total Cost,Вкупно Трошоци
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Состојба на сметката
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Лекови
 DocType: Purchase Invoice Item,Is Fixed Asset,Е фиксни средства
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Достапно Количина е {0}, треба {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Достапно Количина е {0}, треба {1}"
 DocType: Expense Claim Detail,Claim Amount,Износ барање
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Работна нарачка е {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Шаблон за проверка на квалитетот
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Дали сакате да го обновите присуство? <br> Присутни: {0} \ <br> Отсутни: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прифатени + Отфрлени Количина мора да биде еднаков Доби количество за Точка {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прифатени + Отфрлени Количина мора да биде еднаков Доби количество за Точка {0}
 DocType: Item,Supply Raw Materials for Purchase,Снабдување на суровини за набавка
 DocType: Agriculture Analysis Criteria,Fertilizer,Ѓубрива
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Не може да се обезбеди испорака од страна на Сериски број како што се додава \ Item {0} со и без Обезбедете испорака со \ Сериски број
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Потребна е барем еден начин за плаќање на POS фактура.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Потребна е барем еден начин за плаќање на POS фактура.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Точка за трансакциска фактура на банкарска изјава
 DocType: Products Settings,Show Products as a List,Прикажи производи во облик на листа
 DocType: Salary Detail,Tax on flexible benefit,Данок на флексибилна корист
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Материјал Барам детали
 DocType: Selling Settings,Default Quotation Validity Days,Стандардни дена за валидност на понудата
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да го вклучите данок во ред {0} на стапката точка, даноци во редови {1} исто така, мора да бидат вклучени"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да го вклучите данок во ред {0} на стапката точка, даноци во редови {1} исто така, мора да бидат вклучени"
 DocType: SMS Center,SMS Center,SMS центарот
 DocType: Payroll Entry,Validate Attendance,Потврди присуство
 DocType: Sales Invoice,Change Amount,промени Износ
 DocType: Party Tax Withholding Config,Certificate Received,Добиен сертификат
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Постави вредност за фактура за B2C. B2CL и B2CS пресметани врз основа на оваа вредност на фактурата.
 DocType: BOM Update Tool,New BOM,Нов Бум
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Пропишани процедури
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Пропишани процедури
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Прикажи само POS
 DocType: Supplier Group,Supplier Group Name,Име на група на набавувач
 DocType: Driver,Driving License Categories,Категории за возачка дозвола
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Периоди на платен список
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Направете вработените
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Емитување
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Режим на поставување на ПОС (онлајн / офлајн)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Режим на поставување на ПОС (онлајн / офлајн)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Оневозможува создавање на логови за време на работните налози. Операциите нема да се следат против работниот налог
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Извршување
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Детали за операции извршени.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Попуст на Ценовник стапка (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Шаблон за предметот
 DocType: Job Offer,Select Terms and Conditions,Изберете Услови и правила
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Од вредност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Од вредност
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Точка за подесување на изјава за банка
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings
 DocType: Production Plan,Sales Orders,Продај Нарачка
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Барањето за прибирање на понуди може да се пристапи со кликнување на следниов линк
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG инструмент за создавање на курсот
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис на плаќањето
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,недоволна Акции
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,недоволна Акции
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Оневозможи капацитет за планирање и време Следење
 DocType: Email Digest,New Sales Orders,Продажбата на нови нарачки
 DocType: Bank Account,Bank Account,Банкарска сметка
 DocType: Travel Itinerary,Check-out Date,Датум на заминување
 DocType: Leave Type,Allow Negative Balance,Им овозможи на негативното салдо
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Не можете да го избришете Типот на проектот &#39;External&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Изберете алтернативна ставка
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Изберете алтернативна ставка
 DocType: Employee,Create User,Креирај пристап
 DocType: Selling Settings,Default Territory,Стандардно Територија
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Телевизија
 DocType: Work Order Operation,Updated via 'Time Log',Ажурираат преку &quot;Време Вклучи се &#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Изберете го купувачот или добавувачот.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Однапред сума не може да биде поголема од {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Однапред сума не може да биде поголема од {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временскиот слот е прескокнат, слотот {0} до {1} се преклопува со постоечкиот слот {2} до {3}"
 DocType: Naming Series,Series List for this Transaction,Серија Листа за оваа трансакција
 DocType: Company,Enable Perpetual Inventory,Овозможи Вечен Инвентар
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Во однос на ставка од Продажна фактура
 DocType: Agriculture Analysis Criteria,Linked Doctype,Поврзан Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Нето паричен тек од финансирањето
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage е полна, не штедеше"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage е полна, не штедеше"
 DocType: Lead,Address & Contact,Адреса и контакт
 DocType: Leave Allocation,Add unused leaves from previous allocations,Додади неискористени листови од претходните алокации
 DocType: Sales Partner,Partner website,веб-страница партнер
@@ -447,10 +447,10 @@
 ,Open Work Orders,Отвори работни задачи
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Надвор од точка за консултации на пациентите
 DocType: Payment Term,Credit Months,Кредитни месеци
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Нето плата не може да биде помал од 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Нето плата не може да биде помал од 0
 DocType: Contract,Fulfilled,Исполнет
 DocType: Inpatient Record,Discharge Scheduled,Испуштање е закажано
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Ослободување Датум мора да биде поголема од датумот на пристап
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Ослободување Датум мора да биде поголема од датумот на пристап
 DocType: POS Closing Voucher,Cashier,Касиер
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Остава на годишно ниво
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ред {0}: Ве молиме проверете &quot;Дали напредување против сметка {1} Ако ова е однапред влез.
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Те молам постави ученици од студентски групи
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Целосно работа
 DocType: Item Website Specification,Item Website Specification,Точка на вебсајт Спецификација
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Остави блокирани
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Точка {0} достигна својот крај на животот на {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Остави блокирани
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Точка {0} достигна својот крај на животот на {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Банката записи
 DocType: Customer,Is Internal Customer,Е внатрешна клиент
 DocType: Crop,Annual,Годишен
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ако се провери автоматското вклучување, корисниците ќе бидат автоматски врзани со соодветната Програма за лојалност (при заштеда)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Акции помирување Точка
 DocType: Stock Entry,Sales Invoice No,Продажна Фактура Бр.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Тип на снабдување
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Тип на снабдување
 DocType: Material Request Item,Min Order Qty,Минимална Подреди Количина
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Група на студенти инструмент за создавање на курсот
 DocType: Lead,Do Not Contact,Не го допирајте
@@ -483,13 +483,13 @@
 DocType: Item,Publish in Hub,Објави во Hub
 DocType: Student Admission,Student Admission,за прием на студентите
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Точка {0} е откажана
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Точка {0} е откажана
 DocType: Contract Template,Fulfilment Terms and Conditions,Условите и условите за исполнување
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Материјал Барање
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Материјал Барање
 DocType: Bank Reconciliation,Update Clearance Date,Ажурирање Чистење Датум
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Купување Детали за
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Точка {0} не се најде во &quot;суровини испорачува&quot; маса во нарачката {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Точка {0} не се најде во &quot;суровини испорачува&quot; маса во нарачката {1}
 DocType: Salary Slip,Total Principal Amount,Вкупен главен износ
 DocType: Student Guardian,Relation,Врска
 DocType: Student Guardian,Mother,мајка
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,округот превозот
 DocType: Currency Exchange,For Selling,За продажба
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Научат
+DocType: Purchase Invoice Item,Enable Deferred Expense,Овозможи одложен расход
 DocType: Asset,Next Depreciation Date,Следна Амортизација Датум
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Трошоци активност по вработен
 DocType: Accounts Settings,Settings for Accounts,Поставки за сметки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Добавувачот фактура не постои во Набавка фактура {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Добавувачот фактура не постои во Набавка фактура {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управување со продажбата на лице дрвото.
 DocType: Job Applicant,Cover Letter,мотивационо писмо
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Најдобро Чекови и депозити да се расчисти
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Надворешни Историја работа
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Кружни Суд Грешка
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Студентски извештај картичка
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Од Пин код
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Од Пин код
 DocType: Appointment Type,Is Inpatient,Е болен
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Име Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Во зборови (извоз) ќе биде видлив откако ќе ја зачувате за испорака.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Мулти Валута
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип на фактура
 DocType: Employee Benefit Claim,Expense Proof,Доказ за трошоци
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Потврда за испорака
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Зачувување {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Потврда за испорака
 DocType: Patient Encounter,Encounter Impression,Се судрите со впечатокот
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Поставување Даноци
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Трошоци на продадени средства
 DocType: Volunteer,Morning,Утро
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Плаќање Влегување е изменета откако ќе го влечат. Ве молиме да се повлече повторно.
 DocType: Program Enrollment Tool,New Student Batch,Нова студентска серија
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} влезе двапати во ставка Данок
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,"Резимето на оваа недела, а во очекување на активности"
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} влезе двапати во ставка Данок
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,"Резимето на оваа недела, а во очекување на активности"
 DocType: Student Applicant,Admitted,призна
 DocType: Workstation,Rent Cost,Изнајмување на трошоците
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Износ по амортизација
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Износ по амортизација
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Претстојните Календар на настани
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Варијанта атрибути
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Ве молиме изберете месец и година
@@ -616,8 +618,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Може да има само 1 профил на компанијата во {0} {1}
 DocType: Support Search Source,Response Result Key Path,Клучна патека со резултати од одговор
 DocType: Journal Entry,Inter Company Journal Entry,Влегување во журналот Интер
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},За квантитет {0} не треба да биде поголема од работната количина {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Ве молиме погледнете приврзаност
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},За квантитет {0} не треба да биде поголема од работната количина {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Ве молиме погледнете приврзаност
 DocType: Purchase Order,% Received,% Доби
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Креирај студентски групи
 DocType: Volunteer,Weekends,Викенди
@@ -659,7 +661,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Вкупно Најдобро
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промените почетниот / тековниот број на секвенца на постоечки серија.
 DocType: Dosage Strength,Strength,Сила
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Креирај нов клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Креирај нов клиент
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Истекува на
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако има повеќе Правила Цените и понатаму преовладуваат, корисниците се бара да поставите приоритет рачно за решавање на конфликтот."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Создаде купување на налози
@@ -670,17 +672,18 @@
 DocType: Workstation,Consumable Cost,Потрошни Цена
 DocType: Purchase Receipt,Vehicle Date,Датум на возилото
 DocType: Student Log,Medical,Медицинска
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Причина за губење
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Изберете дрога
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Причина за губење
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Изберете дрога
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Водечкиот сопственикот не може да биде ист како олово
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Распределени износ може да не е поголема од износот нерегулиран
 DocType: Announcement,Receiver,приемник
 DocType: Location,Area UOM,Површина UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Работна станица е затворена на следните датуми како на летни Листа на: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Можности
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Можности
 DocType: Lab Test Template,Single,Еден
 DocType: Compensatory Leave Request,Work From Date,Работа од датум
 DocType: Salary Slip,Total Loan Repayment,Вкупно кредит Отплата
+DocType: Project User,View attachments,Приказ на прилози
 DocType: Account,Cost of Goods Sold,Трошоците на продадени производи
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Ве молиме внесете цена центар
 DocType: Drug Prescription,Dosage,Дозирање
@@ -691,7 +694,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Количина и брзина
 DocType: Delivery Note,% Installed,% Инсталирана
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Училници / лаборатории итн, каде што можат да бидат закажани предавања."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Валутите на компанијата и на двете компании треба да се совпаѓаат за трансакциите на Интер.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Валутите на компанијата и на двете компании треба да се совпаѓаат за трансакциите на Интер.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Ве молиме внесете го името на компанијата прв
 DocType: Travel Itinerary,Non-Vegetarian,Не-вегетаријанска
 DocType: Purchase Invoice,Supplier Name,Добавувачот Име
@@ -701,7 +704,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Привремено на чекање
 DocType: Account,Is Group,Е група
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Кредитна белешка {0} е креирана автоматски
-DocType: Email Digest,Pending Purchase Orders,Во очекување на нарачки
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Автоматски го менува Сериски броеви врз основа на правилото FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Проверете Добавувачот број на фактурата Единственост
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Детали за примарна адреса
@@ -719,12 +721,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Персонализација на воведниот текст што оди како дел од е-мејл. Секоја трансакција има посебна воведен текст.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Ред {0}: Операцијата е потребна против елементот суровина {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Поставете стандардно треба да се плати сметка за компанијата {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Трансакцијата не е дозволена против прекинатиот работен налог {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Трансакцијата не е дозволена против прекинатиот работен налог {0}
 DocType: Setup Progress Action,Min Doc Count,Мини Док Грофот
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобалните поставувања за сите производствени процеси.
 DocType: Accounts Settings,Accounts Frozen Upto,Сметки замрзнати до
 DocType: SMS Log,Sent On,Испрати на
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} одбрани неколку пати во атрибути на табелата
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} одбрани неколку пати во атрибути на табелата
 DocType: HR Settings,Employee record is created using selected field. ,Рекорд вработен е креирана преку избрани поле.
 DocType: Sales Order,Not Applicable,Не е применливо
 DocType: Amazon MWS Settings,UK,Велика Британија
@@ -753,21 +755,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Вработениот {0} веќе аплицираше за {1} на {2}:
 DocType: Inpatient Record,AB Positive,АБ Позитивен
 DocType: Job Opening,Description of a Job Opening,Опис на работно место
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Во очекување на активности за денес
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Во очекување на активности за денес
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Плата Компонента за timesheet врз основа на платен список.
+DocType: Driver,Applicable for external driver,Применливо за надворешен возач
 DocType: Sales Order Item,Used for Production Plan,Се користат за производство план
 DocType: Loan,Total Payment,Вкупно исплата
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Не може да се откаже трансакцијата за Завршено работно уредување.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Не може да се откаже трансакцијата за Завршено работно уредување.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Време помеѓу операции (во минути)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO веќе креиран за сите нарачки за нарачки
 DocType: Healthcare Service Unit,Occupied,Окупирана
 DocType: Clinical Procedure,Consumables,Потрошни средства
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} е откажана, па не може да се заврши на акција"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} е откажана, па не може да се заврши на акција"
 DocType: Customer,Buyer of Goods and Services.,Купувач на стоки и услуги.
 DocType: Journal Entry,Accounts Payable,Сметки се плаќаат
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Износот на {0} поставен во ова барање за плаќање е различен од пресметаниот износ на сите планови за плаќање: {1}. Бидете сигурни дека ова е точно пред да го поднесете документот.
 DocType: Patient,Allergies,Алергии
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Избраните BOMs не се за истата ставка
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Избраните BOMs не се за истата ставка
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Промени го кодот на предметот
 DocType: Supplier Scorecard Standing,Notify Other,Известете друго
 DocType: Vital Signs,Blood Pressure (systolic),Крвен притисок (систолен)
@@ -779,7 +782,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Доволно делови да се изгради
 DocType: POS Profile User,POS Profile User,POS профил корисник
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Ред {0}: Датумот на амортизација е потребен
-DocType: Sales Invoice Item,Service Start Date,Датум на почеток на услугата
+DocType: Purchase Invoice Item,Service Start Date,Датум на почеток на услугата
 DocType: Subscription Invoice,Subscription Invoice,Фактура за претплата
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Директните приходи
 DocType: Patient Appointment,Date TIme,Датум време
@@ -799,7 +802,7 @@
 DocType: Lab Test Template,Lab Routine,Лабораторија рутински
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Козметика
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Изберете датум за завршување на дневник за одржување на средствата
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","За да се логирате, следниве својства мора да биде иста за двата предмети"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","За да се логирате, следниве својства мора да биде иста за двата предмети"
 DocType: Supplier,Block Supplier,Блок снабдувач
 DocType: Shipping Rule,Net Weight,Нето тежина
 DocType: Job Opening,Planned number of Positions,Планиран број на позиции
@@ -821,19 +824,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Шаблон за мапирање на готовинскиот тек
 DocType: Travel Request,Costing Details,Детали за трошоците
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Прикажи вратени записи
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Сериски број ставка не може да биде дел
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Сериски број ставка не може да биде дел
 DocType: Journal Entry,Difference (Dr - Cr),Разлика (Д-р - Cr)
 DocType: Bank Guarantee,Providing,Обезбедување
 DocType: Account,Profit and Loss,Добивка и загуба
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Не е дозволено, конфигурирајте го Шаблонот за тестирање за тестирање по потреба"
 DocType: Patient,Risk Factors,Фактори на ризик
 DocType: Patient,Occupational Hazards and Environmental Factors,Професионални опасности и фактори за животната средина
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Записи на акции веќе креирани за работна нарачка
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Записи на акции веќе креирани за работна нарачка
 DocType: Vital Signs,Respiratory rate,Респираторна стапка
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Управување Склучување
 DocType: Vital Signs,Body Temperature,Температура на телото
 DocType: Project,Project will be accessible on the website to these users,Проектот ќе биде достапен на веб страната за овие корисници
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Не може да се откаже {0} {1}, бидејќи Серискиот број {2} не припаѓа на магацин {3}"
 DocType: Detected Disease,Disease,Болест
+DocType: Company,Default Deferred Expense Account,Стандардна одложена сметка за расходи
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Дефинирајте го типот на проектот.
 DocType: Supplier Scorecard,Weighting Function,Функција за мерење
 DocType: Healthcare Practitioner,OP Consulting Charge,ОП Консалтинг задолжен
@@ -850,7 +855,7 @@
 DocType: Crop,Produced Items,Произведени предмети
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Трансферот на натпревар на фактури
 DocType: Sales Order Item,Gross Profit,Бруто добивка
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Деблокирај фактура
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Деблокирај фактура
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Зголемување не може да биде 0
 DocType: Company,Delete Company Transactions,Избриши компанијата Трансакции
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Референтен број и референтен датум е задолжително за банкарски трансакции
@@ -871,11 +876,11 @@
 DocType: Budget,Ignore,Игнорирај
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} не е активен
 DocType: Woocommerce Settings,Freight and Forwarding Account,Сметка за товар и шпедиција
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,проверка подесување димензии за печатење
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,проверка подесување димензии за печатење
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Креирај лизгалки
 DocType: Vital Signs,Bloated,Подуени
 DocType: Salary Slip,Salary Slip Timesheet,Плата фиш timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Добавувачот Магацински задолжително за под-договор Набавка Потврда
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Добавувачот Магацински задолжително за под-договор Набавка Потврда
 DocType: Item Price,Valid From,Важи од
 DocType: Sales Invoice,Total Commission,Вкупно Маргина
 DocType: Tax Withholding Account,Tax Withholding Account,Данок за задржување на данок
@@ -883,12 +888,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Сите броеви за оценување на добавувачи.
 DocType: Buying Settings,Purchase Receipt Required,Купување Прием Потребно
 DocType: Delivery Note,Rail,Железнички
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Целниот магацин во ред {0} мора да биде ист како Работна нарачка
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Вреднување курс е задолжително ако влезе отворање на Акции
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Целниот магацин во ред {0} мора да биде ист како Работна нарачка
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Вреднување курс е задолжително ако влезе отворање на Акции
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Не се пронајдени во табелата Фактура рекорди
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Ве молиме изберете компанија и Партијата Тип прв
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Веќе поставите стандардно во профилниот профи {0} за корисникот {1}, љубезно е оневозможено"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Финансиски / пресметковната година.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Финансиски / пресметковната година.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Акумулирана вредности
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","За жал, сериски броеви не можат да се спојат"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Групата на клиенти ќе се постави на избрана група додека ги синхронизирате купувачите од Shopify
@@ -902,7 +907,7 @@
 ,Lead Id,Потенцијален клиент Id
 DocType: C-Form Invoice Detail,Grand Total,Сѐ Вкупно
 DocType: Assessment Plan,Course,Курс
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Деловниот код
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Деловниот код
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Половина ден треба да биде помеѓу датум и датум
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,точка кошничка
@@ -911,7 +916,8 @@
 DocType: Employee,Personal Bio,Лична Био
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Идентификација на членство
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Испорачани: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Испорачани: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Поврзан со QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Треба да се плати сметката
 DocType: Payment Entry,Type of Payment,Тип на плаќање
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Датумот на половина ден е задолжителен
@@ -923,7 +929,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Предавање Бил Датум
 DocType: Production Plan,Production Plan,План за производство
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Отворање алатка за создавање фактура
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Продажбата Враќање
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Продажбата Враќање
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Забелешка: Вкупно распределени лисја {0} не треба да биде помал од веќе одобрен лисја {1} за периодот
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Поставете Кол во трансакции врз основа на сериски број за внесување
 ,Total Stock Summary,Вкупно Акции Резиме
@@ -936,9 +942,9 @@
 DocType: Authorization Rule,Customer or Item,Клиент или Точка
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Клиент база на податоци.
 DocType: Quotation,Quotation To,Понуда за
-DocType: Lead,Middle Income,Среден приход
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Среден приход
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Отворање (ЦР)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Стандардна единица мерка за ставка {0} не можат да се менуваат директно затоа што веќе се направени некои трансакција (и) со друг UOM. Ќе треба да се создаде нова ставка и да се користи различен стандарден UOM.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Стандардна единица мерка за ставка {0} не можат да се менуваат директно затоа што веќе се направени некои трансакција (и) со друг UOM. Ќе треба да се создаде нова ставка и да се користи различен стандарден UOM.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Распределени износ не може да биде негативен
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Ве молиме да се постави на компанијата
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Ве молиме да се постави на компанијата
@@ -956,15 +962,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Изберете Account плаќање да се направи банка Влегување
 DocType: Hotel Settings,Default Invoice Naming Series,Стандардна линија за наведување на фактури
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Креирај вработен евиденција за управување со лисја, барања за трошоци и плати"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Се појави грешка за време на процесот на ажурирање
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Се појави грешка за време на процесот на ажурирање
 DocType: Restaurant Reservation,Restaurant Reservation,Ресторан резерви
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Пишување предлози
 DocType: Payment Entry Deduction,Payment Entry Deduction,Плаќање за влез Одбивање
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Завиткување
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Известување на клиенти преку е-пошта
 DocType: Item,Batch Number Series,Сериски број на серии
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Постои уште еден продажбата на лице {0} со истиот Вработен проект
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Постои уште еден продажбата на лице {0} со истиот Вработен проект
 DocType: Employee Advance,Claimed Amount,Обвинетиот износ
+DocType: QuickBooks Migrator,Authorization Settings,Поставки за авторизација
 DocType: Travel Itinerary,Departure Datetime,Поаѓање за Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Цена за патување
@@ -1004,26 +1011,29 @@
 DocType: Buying Settings,Supplier Naming By,Добавувачот грабеж на име со
 DocType: Activity Type,Default Costing Rate,Чини стандардниот курс
 DocType: Maintenance Schedule,Maintenance Schedule,Распоред за одржување
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Потоа цени Правила се филтрирани врз основа на клиент, група на потрошувачи, територија, Добавувачот, Набавувачот Тип на кампањата, продажба партнер итн"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Потоа цени Правила се филтрирани врз основа на клиент, група на потрошувачи, територија, Добавувачот, Набавувачот Тип на кампањата, продажба партнер итн"
 DocType: Employee Promotion,Employee Promotion Details,Детали за промоција на вработените
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Нето промени во Инвентар
 DocType: Employee,Passport Number,Број на пасош
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Врска со Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Менаџер
 DocType: Payment Entry,Payment From / To,Плаќање од / до
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Од фискалната година
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нов кредитен лимит е помала од сегашната преостанатиот износ за клиентите. Кредитен лимит мора да биде барем {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Поставете сметка во Магацин {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Поставете сметка во Магацин {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&quot;Врз основа на&quot; и &quot;група Со&quot; не може да биде ист
 DocType: Sales Person,Sales Person Targets,Продажбата на лице Цели
 DocType: Work Order Operation,In minutes,Во минути
 DocType: Issue,Resolution Date,Резолуцијата Датум
 DocType: Lab Test Template,Compound,Соединение
+DocType: Opportunity,Probability (%),Веројатност (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Известување за испраќање
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Изберете својство
 DocType: Student Batch Name,Batch Name,Име на серијата
 DocType: Fee Validity,Max number of visit,Макс број на посети
 ,Hotel Room Occupancy,Хотелско сместување
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet е основан:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Ве молиме да поставите основен готовина или Банкарска сметка во начинот на плаќање {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Ве молиме да поставите основен готовина или Банкарска сметка во начинот на плаќање {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,запишат
 DocType: GST Settings,GST Settings,GST Settings
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Валутата треба да биде иста со ценовникот Валута: {0}
@@ -1064,12 +1074,12 @@
 DocType: Loan,Total Interest Payable,Вкупно камати
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Слета Цена даноци и такси
 DocType: Work Order Operation,Actual Start Time,Старт на проектот Време
+DocType: Purchase Invoice Item,Deferred Expense Account,Одложена сметка за расходи
 DocType: BOM Operation,Operation Time,Операција Време
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Заврши
 DocType: Salary Structure Assignment,Base,база
 DocType: Timesheet,Total Billed Hours,Вкупно Опишан часа
 DocType: Travel Itinerary,Travel To,Патувај до
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,не е
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Отпише Износ
 DocType: Leave Block List Allow,Allow User,Овозможи пристап
 DocType: Journal Entry,Bill No,Бил Не
@@ -1088,9 +1098,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,време лист
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Суровини врз основа на
 DocType: Sales Invoice,Port Code,Пристаниште код
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Резервен магацин
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Резервен магацин
 DocType: Lead,Lead is an Organization,Олово е организација
-DocType: Guardian Interest,Interest,интерес
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,пред продажбата
 DocType: Instructor Log,Other Details,Други детали
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1100,7 +1109,7 @@
 DocType: Account,Accounts,Сметки
 DocType: Vehicle,Odometer Value (Last),Километража вредност (последна)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Шаблони за критериуми за оценување на добавувачот.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Маркетинг
 DocType: Sales Invoice,Redeem Loyalty Points,Побарајте поени за лојалност
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Плаќање Влегување веќе е создадена
 DocType: Request for Quotation,Get Suppliers,Добивај добавувачи
@@ -1117,16 +1126,14 @@
 DocType: Crop,Crop Spacing UOM,Распределба на култури UOM
 DocType: Loyalty Program,Single Tier Program,Единечна програма
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Изберете само ако имате инсталирано документи за прилив на готовински тек
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Од адреса 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Од адреса 1
 DocType: Email Digest,Next email will be sent on:,Следната е-мејл ќе бидат испратени на:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Следната ставка {items} {глагол} означена како {порака} елемент. \ Можете да ги овозможите како {порака} од предметот господар
 DocType: Supplier Scorecard,Per Week,Неделно
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Ставка има варијанти.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Ставка има варијанти.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Вкупно студент
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Точка {0} не е пронајдена
 DocType: Bin,Stock Value,Акции вредност
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Компанијата {0} не постои
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Компанијата {0} не постои
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} има валидност на плаќање до {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Тип на дрвото
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Количина Потрошена по единица
@@ -1142,7 +1149,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Кредитна картичка за влез
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Компанија и сметки
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,во вредност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,во вредност
 DocType: Asset Settings,Depreciation Options,Опции за амортизација
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Мора да се бара локација или вработен
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Невалидно време за објавување
@@ -1159,20 +1166,21 @@
 DocType: Leave Allocation,Allocation,Распределба
 DocType: Purchase Order,Supply Raw Materials,Снабдување со суровини
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Тековни средства
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} не е складишна ставка
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} не е складишна ставка
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Ве молиме споделете ги вашите повратни информации на обуката со кликнување на &quot;Feedback Feedback&quot; и потоа &quot;New&quot;
 DocType: Mode of Payment Account,Default Account,Стандардно профил
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Ве молиме изберете прво складирање на примероци за складирање на примероци
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Ве молиме изберете прво складирање на примероци за складирање на примероци
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Ве молиме изберете го типот на повеќе нивоа за повеќе правила за собирање.
 DocType: Payment Entry,Received Amount (Company Currency),Добиениот износ (Фирма валута)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Мора да се креира Потенцијален клиент ако Можноста е направена од Потенцијален клиент
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Откажаното плаќање. Ве молиме проверете ја вашата GoCardless сметка за повеќе детали
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Испрати со прилогот
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Ве молиме изберете неделно слободен ден
 DocType: Inpatient Record,O Negative,О негативно
 DocType: Work Order Operation,Planned End Time,Планирани Крај
 ,Sales Person Target Variance Item Group-Wise,Продажбата на лице Целна група Варијанса точка-wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Сметка со постоечките трансакцијата не може да се конвертира Леџер
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Сметка со постоечките трансакцијата не може да се конвертира Леџер
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Детали за типот на меморија
 DocType: Delivery Note,Customer's Purchase Order No,Клиентите нарачка Не
 DocType: Clinical Procedure,Consume Stock,Конзумирајте акции
@@ -1185,26 +1193,26 @@
 DocType: Soil Texture,Sand,Песок
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Енергија
 DocType: Opportunity,Opportunity From,Можност од
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ред {0}: {1} Сериски броеви потребни за точка {2}. Вие сте доставиле {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ред {0}: {1} Сериски броеви потребни за точка {2}. Вие сте доставиле {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Изберете табела
 DocType: BOM,Website Specifications,Веб-страница Спецификации
 DocType: Special Test Items,Particulars,Спецификации
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Од {0} од типот на {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор на конверзија е задолжително
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор на конверзија е задолжително
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Повеќе Правила Цена постои со истите критериуми, ве молиме да го реши конфликтот со давање приоритет. Правила Цена: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Повеќе Правила Цена постои со истите критериуми, ве молиме да го реши конфликтот со давање приоритет. Правила Цена: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Сметка за ревалоризација на девизниот курс
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да го деактивирате или да го откажете Бум како што е поврзано со други BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да го деактивирате или да го откажете Бум како што е поврзано со други BOMs
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Ве молиме изберете Компанија и Датум на објавување за да добивате записи
 DocType: Asset,Maintenance,Одржување
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Земете од средбата со пациенти
 DocType: Subscriber,Subscriber,Претплатник
 DocType: Item Attribute Value,Item Attribute Value,Точка вредноста на атрибутот
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Ве молиме да го ажурирате статусот на проектот
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Ве молиме да го ажурирате статусот на проектот
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Размена на валута мора да се примени за купување или за продажба.
 DocType: Item,Maximum sample quantity that can be retained,Максимална количина на примерокот што може да се задржи
 DocType: Project Update,How is the Project Progressing Right Now?,Како проектот напредува токму сега?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ред {0} # Точката {1} не може да се пренесе повеќе од {2} против нарачката {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ред {0} # Точката {1} не може да се пренесе повеќе од {2} против нарачката {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Продажбата на кампањи.
 DocType: Project Task,Make Timesheet,Направете timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1233,36 +1241,38 @@
 DocType: Lab Test,Lab Test,Лабораториски тест
 DocType: Student Report Generation Tool,Student Report Generation Tool,Алатка за генерирање на извештај за учениците
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Временска рамка за здравствена заштита
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Име
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Име
 DocType: Expense Claim Detail,Expense Claim Type,Сметка побарувањето Вид
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Стандардните поставувања за Кошничка
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Додај Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Средства укинати преку весник Влегување {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Поставете профил во Магацин {0} или Стандардна инвентарна сметка во компанијата {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Средства укинати преку весник Влегување {0}
 DocType: Loan,Interest Income Account,Сметка приход од камата
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Макс придобивките треба да бидат поголеми од нула за да се ослободат бенефициите
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Макс придобивките треба да бидат поголеми од нула за да се ослободат бенефициите
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Испратена покана за преглед
 DocType: Shift Assignment,Shift Assignment,Смена на задачата
 DocType: Employee Transfer Property,Employee Transfer Property,Сопственост за трансфер на вработените
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Од времето треба да биде помалку од времето
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Биотехнологијата
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Точката {0} (сериски број: {1}) не може да се конзумира како што е презаречено \ за да се исполни нарачката за продажба {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Канцеларија Одржување трошоци
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Оди до
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ажурирај цена од Shopify до ERPNext ценовник
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Поставување на e-mail сметка
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Ве молиме внесете стварта прв
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Анализа на потребите
 DocType: Asset Repair,Downtime,Прекини
 DocType: Account,Liability,Одговорност
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да биде поголема од Тврдат Износ во ред {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да биде поголема од Тврдат Износ во ред {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Академски термин:
 DocType: Salary Component,Do not include in total,Не вклучувајте вкупно
 DocType: Company,Default Cost of Goods Sold Account,Стандардно трошоците на продадени производи профил
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Количината на примерокот {0} не може да биде повеќе од добиената количина {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Ценовник не е избрано
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Количината на примерокот {0} не може да биде повеќе од добиената количина {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Ценовник не е избрано
 DocType: Employee,Family Background,Семејно потекло
 DocType: Request for Quotation Supplier,Send Email,Испрати E-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Предупредување: Невалиден прилог {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Предупредување: Невалиден прилог {0}
 DocType: Item,Max Sample Quantity,Максимална количина на примероци
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Нема дозвола
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контролна листа за исполнување на договорот
@@ -1294,15 +1304,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Цена Центар {2} не припаѓа на компанијата {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Подигни ја главата на писмото (држете го веб-пријателски како 900px на 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Сметка {2} не може да биде група
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Точка ред IDX {}: {DOCTYPE} {docname} не постои во над &quot;{DOCTYPE}&quot; маса
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} е веќе завршен проект или откажани
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} е веќе завршен проект или откажани
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks мигратор
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Не задачи
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Фактура за продажба {0} креирана како платена
 DocType: Item Variant Settings,Copy Fields to Variant,Копирај полиња на варијанта
 DocType: Asset,Opening Accumulated Depreciation,Отворање Акумулирана амортизација
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Поени мора да е помала или еднаква на 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Програма за запишување на алатката
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Форма записи
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Форма записи
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Акциите веќе постојат
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Клиентите и вршителите
 DocType: Email Digest,Email Digest Settings,E-mail билтени Settings
@@ -1315,12 +1325,12 @@
 DocType: Production Plan,Select Items,Одбирајте ги изборните ставки
 DocType: Share Transfer,To Shareholder,За Содружник
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} од Бил {1} датум {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Од држава
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Од држава
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Поставување институција
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Распределувањето на лисјата ...
 DocType: Program Enrollment,Vehicle/Bus Number,Возила / автобус број
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Распоред на курсот
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Треба да го одземете данокот за непотполно ослободување од даночно ослободување и неповреден \ бенефиции за вработените во последниот фискален лимит на платен список
 DocType: Request for Quotation Supplier,Quote Status,Статус на цитат
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1346,13 +1356,13 @@
 DocType: Sales Invoice,Payment Due Date,Плаќање најдоцна до Датум
 DocType: Drug Prescription,Interval UOM,Интервал UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Ресетирај, ако избраната адреса е изменета по зачувување"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Ставка Варијанта {0} веќе постои со истите атрибути
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Ставка Варијанта {0} веќе постои со истите атрибути
 DocType: Item,Hub Publishing Details,Детали за објавување на центар
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Отворање&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Отворање&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Отворете го направите
 DocType: Issue,Via Customer Portal,Преку клиент портал
 DocType: Notification Control,Delivery Note Message,Испратница порака
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Износ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Износ
 DocType: Lab Test Template,Result Format,Формат на резултати
 DocType: Expense Claim,Expenses,Трошоци
 DocType: Item Variant Attribute,Item Variant Attribute,Ставка Варијанта Атрибут
@@ -1360,14 +1370,12 @@
 DocType: Payroll Entry,Bimonthly,на секои два месеци
 DocType: Vehicle Service,Brake Pad,Влошка
 DocType: Fertilizer,Fertilizer Contents,Содржина на ѓубрива
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Истражување и развој
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Истражување и развој
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Износ за Наплата
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Датумот и датумот на почеток се преклопуваат со работната картичка <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Детали за регистрација
 DocType: Timesheet,Total Billed Amount,Вкупно Опишан Износ
 DocType: Item Reorder,Re-Order Qty,Повторно да Количина
 DocType: Leave Block List Date,Leave Block List Date,Остави Забрани Листа Датум
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Ве молиме поставете Систем за именување на инструктори во образованието&gt; Образование
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Суровината не може да биде иста како главната ставка
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Вкупно применливи давачки во Набавка Потврда Предмети маса мора да биде иста како и вкупните даноци и давачки
 DocType: Sales Team,Incentives,Стимулации
@@ -1381,7 +1389,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-of-Продажба
 DocType: Fee Schedule,Fee Creation Status,Статус на креирање надоместоци
 DocType: Vehicle Log,Odometer Reading,километражата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс на сметка веќе во кредит, не Ви е дозволено да се постави рамнотежа мора да биде &quot;како&quot; дебитни &quot;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс на сметка веќе во кредит, не Ви е дозволено да се постави рамнотежа мора да биде &quot;како&quot; дебитни &quot;"
 DocType: Account,Balance must be,Рамнотежа мора да биде
 DocType: Notification Control,Expense Claim Rejected Message,Сметка Тврдат Отфрлени порака
 ,Available Qty,На располагање Количина
@@ -1393,7 +1401,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Секогаш ги синхронизирате вашите производи од Amazon MWS пред да ги синхронизирате деталите за нарачки
 DocType: Delivery Trip,Delivery Stops,Испораката се прекинува
 DocType: Salary Slip,Working Days,Работни дена
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Не може да се промени Датум за запирање на услуги за ставка во ред {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Не може да се промени Датум за запирање на услуги за ставка во ред {0}
 DocType: Serial No,Incoming Rate,Влезна Цена
 DocType: Packing Slip,Gross Weight,Бруто тежина на апаратот
 DocType: Leave Type,Encashment Threshold Days,Дневни прагови за инкасирање
@@ -1412,31 +1420,33 @@
 DocType: Restaurant Table,Minimum Seating,Минимално седење
 DocType: Item Attribute,Item Attribute Values,Точка атрибут вредности
 DocType: Examination Result,Examination Result,испитување резултат
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Купување Потврда
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Купување Потврда
 ,Received Items To Be Billed,Примените предмети да бидат фактурирани
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Валута на девизниот курс господар.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Валута на девизниот курс господар.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Суд DOCTYPE мора да биде еден од {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Филтрирај Вкупно нула количина
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Не можам да најдам временски слот во следните {0} денови за работа {1}
 DocType: Work Order,Plan material for sub-assemblies,План материјал за потсклопови
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Продај Партнери и територија
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} мора да биде активен
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} мора да биде активен
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Нема достапни ставки за пренос
 DocType: Employee Boarding Activity,Activity Name,Име на активност
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Промени го датумот на издавање
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Готовината количина на производот <b>{0}</b> и For Quantity <b>{1} не</b> можат да бидат различни
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Промени го датумот на издавање
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Готовината количина на производот <b>{0}</b> и For Quantity <b>{1} не</b> можат да бидат различни
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Затворање (отворање + вкупно)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Код на ставка&gt; Група на производи&gt; Бренд
+DocType: Delivery Settings,Dispatch Notification Attachment,Прилог за известување за испраќање
 DocType: Payroll Entry,Number Of Employees,Број на вработени
 DocType: Journal Entry,Depreciation Entry,амортизација за влез
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Изберете го типот на документот прв
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Изберете го типот на документот прв
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Откажи материјал Посети {0} пред да го раскине овој Одржување Посета
 DocType: Pricing Rule,Rate or Discount,Стапка или попуст
 DocType: Vital Signs,One Sided,Едностран
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Сериски № {0} не припаѓаат на Точка {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Потребни Количина
 DocType: Marketplace Settings,Custom Data,Прилагодени податоци
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Магацини со постоечките трансакцијата не може да се конвертира во главната книга.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Сериската бр е задолжителна за предметот {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Магацини со постоечките трансакцијата не може да се конвертира во главната книга.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Сериската бр е задолжителна за предметот {0}
 DocType: Bank Reconciliation,Total Amount,Вкупен износ
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Од датумот и датумот лежат во различна фискална година
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Пациентот {0} нема клиент рефренс на фактура
@@ -1447,9 +1457,9 @@
 DocType: Soil Texture,Clay Composition (%),Состав на глина (%)
 DocType: Item Group,Item Group Defaults,Стандардни групи на ставка
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Те молам снимете пред доделување задача.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Биланс вредност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Биланс вредност
 DocType: Lab Test,Lab Technician,Лаборант
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Цена за продажба Листа
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Цена за продажба Листа
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Доколку се провери, клиентот ќе биде креиран, мапиран на пациент. Парични фактури ќе бидат креирани против овој клиент. Можете исто така да изберете постоечки клиент додека креирате пациент."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Клиентот не е запишан во ниту една Програма за лојалност
@@ -1463,13 +1473,13 @@
 DocType: Support Search Source,Search Term Param Name,Термин за пребарување Име на Param
 DocType: Item Barcode,Item Barcode,Точка Баркод
 DocType: Woocommerce Settings,Endpoints,Крајни точки
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Точка Варијанти {0} ажурирани
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Точка Варијанти {0} ажурирани
 DocType: Quality Inspection Reading,Reading 6,Читање 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да се {0} {1} {2} без никакви негативни извонредна фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да се {0} {1} {2} без никакви негативни извонредна фактура
 DocType: Share Transfer,From Folio No,Од фолија бр
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Купување на фактура напредување
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Ред {0}: Кредитни влез не можат да бидат поврзани со {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Дефинирање на буџетот за финансиската година.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Дефинирање на буџетот за финансиската година.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext сметка
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} е блокиран така што оваа трансакција не може да продолжи
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Акција, ако акумулираниот месечен буџет е надминат на MR"
@@ -1485,19 +1495,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Купување на фактура
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Дозволи повеќе потрошувачка на материјал против работниот налог
 DocType: GL Entry,Voucher Detail No,Ваучер Детална Не
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Нов почеток на продажбата на фактура
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Нов почеток на продажбата на фактура
 DocType: Stock Entry,Total Outgoing Value,Вкупна Тековна Вредност
 DocType: Healthcare Practitioner,Appointments,Назначувања
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Датум на отворање и затворање Датум треба да биде во рамките на истата фискална година
 DocType: Lead,Request for Information,Барање за информации
 ,LeaderBoard,табла
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Стапка со маргина (Валута на компанијата)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Офлајн Фактури
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Офлајн Фактури
 DocType: Payment Request,Paid,Платени
 DocType: Program Fee,Program Fee,Надомест програма
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Заменете одредена спецификација за BOM во сите други спецификации каде што се користи. Ќе ја замени старата Бум-врска, ќе ги ажурира трошоците и ќе ја регенерира табелата &quot;BOM Explosion Item&quot; според новата BOM. Таа, исто така ја ажурира најновата цена во сите спецификации."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Беа креирани следните работни налози:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Беа креирани следните работни налози:
 DocType: Salary Slip,Total in words,Вкупно со зборови
 DocType: Inpatient Record,Discharged,Празен
 DocType: Material Request Item,Lead Time Date,Потенцијален клиент Време Датум
@@ -1508,16 +1518,16 @@
 DocType: Support Settings,Get Started Sections,Започни секции
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,санкционирани
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,е задолжително. Можеби не е создаден запис Девизен за
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Ве молиме наведете Сериски Не за Точка {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Вкупен износ на придонес: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Ве молиме наведете Сериски Не за Точка {1}
 DocType: Payroll Entry,Salary Slips Submitted,План за плати поднесен
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За предмети од ""Пакет производ"", Складиште, сериски број и Batch нема да се смета од табелата ""Паковна Листа"". Ако магацински и Batch број не се исти за сите ставки за пакување во ""Пакет производи"", тие вредности може да се внесат во главната табела со ставки, вредностите ќе бидат копирани во табелата ""Паковна Листа""."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За предмети од ""Пакет производ"", Складиште, сериски број и Batch нема да се смета од табелата ""Паковна Листа"". Ако магацински и Batch број не се исти за сите ставки за пакување во ""Пакет производи"", тие вредности може да се внесат во главната табела со ставки, вредностите ќе бидат копирани во табелата ""Паковна Листа""."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Од место
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Нето исплата не може да биде негативна
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Од место
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Нето исплата не може да биде негативна
 DocType: Student Admission,Publish on website,Објавуваат на веб-страницата
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Датум на Добавувачот фактура не може да биде поголем од објавувањето Датум
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Датум на Добавувачот фактура не може да биде поголем од објавувањето Датум
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Датум на откажување
 DocType: Purchase Invoice Item,Purchase Order Item,Нарачка Точка
@@ -1526,7 +1536,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Студентски Публика алатката
 DocType: Restaurant Menu,Price List (Auto created),Ценовник (автоматски креиран)
 DocType: Cheque Print Template,Date Settings,датум Settings
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Варијанса
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Варијанса
 DocType: Employee Promotion,Employee Promotion Detail,Детална промоција на вработените
 ,Company Name,Име на компанијата
 DocType: SMS Center,Total Message(s),Вкупно пораки
@@ -1556,7 +1566,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Не праќај вработените роденден потсетници
 DocType: Expense Claim,Total Advance Amount,Вкупно авансно износ
 DocType: Delivery Stop,Estimated Arrival,Предвидено пристигнување
-DocType: Delivery Stop,Notified by Email,Пријавено преку е-пошта
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Видете ги сите написи
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Прошетка во
 DocType: Item,Inspection Criteria,Критериуми за инспекција
@@ -1566,23 +1575,22 @@
 DocType: Timesheet Detail,Bill,Бил
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Бела
 DocType: SMS Center,All Lead (Open),Сите Потенцијални клиенти (Отворени)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина не се достапни за {4} во магацин {1} на објавување времето на стапување ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина не се достапни за {4} во магацин {1} на објавување времето на стапување ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Можете да изберете само максимум една опција од листата на наога.
 DocType: Purchase Invoice,Get Advances Paid,Се Напредокот Платени
 DocType: Item,Automatically Create New Batch,Автоматски Креирај нова серија
 DocType: Item,Automatically Create New Batch,Автоматски Креирај нова серија
 DocType: Supplier,Represents Company,Претставува компанија
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Направете
 DocType: Student Admission,Admission Start Date,Услови за прием Дата на започнување
 DocType: Journal Entry,Total Amount in Words,Вкупен износ со зборови
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Нов вработен
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Се случи грешка. Можеби не сте ја зачувале формата. Ве молиме контактирајте не на support@erpnext.com ако проблемот продолжи.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моја кошничка
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Цел типот мора да биде еден од {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Цел типот мора да биде еден од {0}
 DocType: Lead,Next Contact Date,Следна Контакт Датум
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Отворање Количина
 DocType: Healthcare Settings,Appointment Reminder,Потсетник за назначување
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ
 DocType: Program Enrollment Tool Student,Student Batch Name,Студентски Серија Име
 DocType: Holiday List,Holiday List Name,Одмор Листа на Име
 DocType: Repayment Schedule,Balance Loan Amount,Биланс на кредит Износ
@@ -1592,13 +1600,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Опции на акции
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Нема додадени ставки во кошничка
 DocType: Journal Entry Account,Expense Claim,Сметка побарување
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Дали навистина сакате да го направите ова укинати средства?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Дали навистина сакате да го направите ова укинати средства?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Количина за {0}
 DocType: Leave Application,Leave Application,Отсуство на апликација
 DocType: Patient,Patient Relation,Однос на пациенти
 DocType: Item,Hub Category to Publish,Категорија на хаб за објавување
 DocType: Leave Block List,Leave Block List Dates,Остави Забрани Листа Датуми
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Нарачката за продажба {0} има резервација за ставка {1}, можете да доставите само резервирани {1} на {0}. Сериската број {2} не може да се достави"
 DocType: Sales Invoice,Billing Address GSTIN,Адреса за фактурирање GSTIN
@@ -1616,16 +1624,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ве молиме наведете {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Отстранет предмети без промена во количината или вредноста.
 DocType: Delivery Note,Delivery To,Испорака на
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Создавањето на варијанта е ставено во ред.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Краток преглед на работа за {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Создавањето на варијанта е ставено во ред.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Краток преглед на работа за {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Првиот одобрение за напуштање на списокот ќе биде поставен како стандарден Останат одобрувач.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Атрибут маса е задолжително
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Атрибут маса е задолжително
 DocType: Production Plan,Get Sales Orders,Земете Продај Нарачка
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} не може да биде негативен
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Поврзете се со Quickbooks
 DocType: Training Event,Self-Study,Самопроучување
 DocType: POS Closing Voucher,Period End Date,Датум на завршување на периодот
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Состојките на почвата не содржат до 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Попуст
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Ред {0}: {1} е потребно да се креираат Отворање {2} фактури
 DocType: Membership,Membership,Членство
 DocType: Asset,Total Number of Depreciations,Вкупен број на амортизација
 DocType: Sales Invoice Item,Rate With Margin,Стапка со маргина
@@ -1637,7 +1647,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Ве молиме наведете валидна ред проект за спорот {0} во табелата {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Не може да се најде променлива:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Изберете поле за уредување од numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Не може да биде елемент на фиксна актива како што се креира Фондовата книга.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Не може да биде елемент на фиксна актива како што се креира Фондовата книга.
 DocType: Subscription Plan,Fixed rate,Фиксна стапка
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Признај
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Одат на десктоп и да почне со користење ERPNext
@@ -1671,7 +1681,7 @@
 DocType: Tax Rule,Shipping State,Превозот држава
 ,Projected Quantity as Source,Проектирани Кол како Извор
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Ставка мора да се додаде со користење на &quot;се предмети од Набавка Разписки&quot; копчето
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Пат за испорака
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Пат за испорака
 DocType: Student,A-,А-
 DocType: Share Transfer,Transfer Type,Вид на трансфер
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Трошоци за продажба
@@ -1684,8 +1694,9 @@
 DocType: Item Default,Default Selling Cost Center,Стандарден Продажен трошочен центар
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,диск
 DocType: Buying Settings,Material Transferred for Subcontract,Пренесен материјал за поддоговор
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Поштенски
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Продај Побарувања {0} е {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Нарачка за нарачки за нарачка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Поштенски
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Продај Побарувања {0} е {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Изберете сметка за приход од камата во заем {0}
 DocType: Opportunity,Contact Info,Контакт инфо
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Акции правење записи
@@ -1698,12 +1709,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Фактурата не може да се направи за час на фактурирање
 DocType: Company,Date of Commencement,Датум на започнување
 DocType: Sales Person,Select company name first.,Изберете името на компанијата во прв план.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Е-мејл испратен до {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Е-мејл испратен до {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Понуди добиени од Добавувачи.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Заменете Бум и ажурирајте ја најновата цена во сите спецификации
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ова е група на коренови на добавувачи и не може да се уредува.
-DocType: Delivery Trip,Driver Name,Име на возачот
+DocType: Delivery Note,Driver Name,Име на возачот
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Просечна возраст
 DocType: Education Settings,Attendance Freeze Date,Публика замрзнување Датум
 DocType: Education Settings,Attendance Freeze Date,Публика замрзнување Датум
@@ -1716,7 +1727,7 @@
 DocType: Company,Parent Company,Родителска компанија
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Хотелските соби од тип {0} не се достапни на {1}
 DocType: Healthcare Practitioner,Default Currency,Стандардна валута
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Максимален попуст за Точка {0} е {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Максимален попуст за Точка {0} е {1}%
 DocType: Asset Movement,From Employee,Од Вработен
 DocType: Driver,Cellphone Number,Број на мобилен телефон
 DocType: Project,Monitor Progress,Следи напредок
@@ -1732,19 +1743,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Количините може да биде помалку од или еднакво на {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Максималниот износ кој е подобен за компонентата {0} надминува {1}
 DocType: Department Approver,Department Approver,Оддел одобрен
+DocType: QuickBooks Migrator,Application Settings,Поставки за апликации
 DocType: SMS Center,Total Characters,Вкупно Карактери
 DocType: Employee Advance,Claimed,Тврдеше
 DocType: Crop,Row Spacing,Растојание меѓу редови
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Ве молиме изберете Бум Бум во полето за предмет {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Ве молиме изберете Бум Бум во полето за предмет {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Нема варијанта на ставка за избраната ставка
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Детална C-Образец Фактура
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Плаќање помирување Фактура
 DocType: Clinical Procedure,Procedure Template,Шаблон за постапката
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Учество%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Како на Settings Купување ако нарачка задолжителни == &quot;ДА&quot;, тогаш за создавање Набавка фактура, корисникот треба да се создаде нарачка прво за ставка {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Учество%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Како на Settings Купување ако нарачка задолжителни == &quot;ДА&quot;, тогаш за создавање Набавка фактура, корисникот треба да се создаде нарачка прво за ставка {0}"
 ,HSN-wise-summary of outward supplies,HSN-мудро-резиме на надворешни резерви
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Броеви за регистрација на фирма за вашата препорака. Даночни броеви итн
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Да држава
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Да држава
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Дистрибутер
 DocType: Asset Finance Book,Asset Finance Book,Асет финансии книга
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа за испорака Правило
@@ -1753,7 +1765,7 @@
 ,Ordered Items To Be Billed,Нареди ставки за да бидат фактурирани
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Од опсег мора да биде помала од на опсег
 DocType: Global Defaults,Global Defaults,Глобална Стандардни
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Проектот Соработка Покана
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Проектот Соработка Покана
 DocType: Salary Slip,Deductions,Одбивања
 DocType: Setup Progress Action,Action Name,Име на акција
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Почетна година
@@ -1767,11 +1779,12 @@
 DocType: Lead,Consultant,Консултант
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Посетеност на состаноци на наставниците за родители
 DocType: Salary Slip,Earnings,Приходи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Заврши Точка {0} Мора да се внесе за влез тип Производство
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Заврши Точка {0} Мора да се внесе за влез тип Производство
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Отворање Сметководство Биланс
 ,GST Sales Register,GST продажба Регистрирај се
 DocType: Sales Invoice Advance,Sales Invoice Advance,Продажна Про-Фактура
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Ништо да побара
+DocType: Stock Settings,Default Return Warehouse,Стандардно враќање на магацин
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Изберете ги вашите домени
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Купувај снабдувач
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ставки за плаќање на фактурата
@@ -1780,15 +1793,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Полињата ќе бидат копирани само во времето на создавањето.
 DocType: Setup Progress Action,Domains,Домени
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&quot;Старт на проектот Датум &#39;не може да биде поголема од&#39; Крај на екстремна датум&quot;
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,За управување со
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,За управување со
 DocType: Cheque Print Template,Payer Settings,Прилагодување обврзник
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Не се очекуваат материјални барања што се очекуваат за да се поврзат за дадени предмети.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Прво изберете компанија
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ова ќе биде додаден на Кодексот точка на варијанта. На пример, ако вашиот кратенката е &quot;СМ&quot; и кодот на предметот е &quot;Т-маица&quot;, кодот го ставка на варијанта ќе биде &quot;Т-маица-СМ&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Нето плати (со зборови) ќе биде видлив откако ќе ја зачувате фиш плата.
 DocType: Delivery Note,Is Return,Е враќање
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Внимание
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Почетен ден е поголем од крајниот ден во задачата &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Враќање / задолжување
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Враќање / задолжување
 DocType: Price List Country,Price List Country,Ценовник Земја
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} валидна сериски броеви за ставката {1}
@@ -1801,13 +1815,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Информации за грант.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Снабдувач база на податоци.
 DocType: Contract Template,Contract Terms and Conditions,Услови на договорот
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Не можете да ја рестартирате претплатата која не е откажана.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Не можете да ја рестартирате претплатата која не е откажана.
 DocType: Account,Balance Sheet,Биланс на состојба
 DocType: Leave Type,Is Earned Leave,Заработено е
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Цена центар за предмет со точка законик &quot;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Цена центар за предмет со точка законик &quot;
 DocType: Fee Validity,Valid Till,Валидно до
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Вкупно Средба на наставниците со родители
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Начин на плаќање не е конфигуриран. Ве молиме проверете, дали сметка е поставен на режим на пари или на POS профил."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Начин на плаќање не е конфигуриран. Ве молиме проверете, дали сметка е поставен на режим на пари или на POS профил."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Истата ставка не може да се внесе повеќе пати.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Понатаму сметки може да се направи под Групи, но записи може да се направи врз несрпското групи"
 DocType: Lead,Lead,Потенцијален клиент
@@ -1816,11 +1830,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Акции Влегување {0} создадена
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Вие не сте донеле лојални точки за откуп
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Отфрлени Количина не може да се влезе во Набавка Враќање
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Ве молиме наведете поврзана сметка во Категорија на задржување на даноците {0} против Компанијата {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Отфрлени Количина не може да се влезе во Набавка Враќање
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Промена на група клиенти за избраниот клиент не е дозволено.
 ,Purchase Order Items To Be Billed,"Нарачката елементи, за да бидат фактурирани"
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Ажурирање на времето за пристигнување.
 DocType: Program Enrollment Tool,Enrollment Details,Детали за запишување
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Не може да се постават повеќекратни преференции на ставка за компанијата.
 DocType: Purchase Invoice Item,Net Rate,Нето стапката
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Ве молиме изберете клиент
 DocType: Leave Policy,Leave Allocations,Оставете распределби
@@ -1851,7 +1867,7 @@
 DocType: Loan Application,Repayment Info,Информации за отплата
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Записи"" не може да биде празно"
 DocType: Maintenance Team Member,Maintenance Role,Одржување улога
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Дупликат ред {0} со истиот {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Дупликат ред {0} со истиот {1}
 DocType: Marketplace Settings,Disable Marketplace,Оневозможи пазар
 ,Trial Balance,Судскиот биланс
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Фискалната година {0} не е пронајден
@@ -1862,9 +1878,9 @@
 DocType: Student,O-,О-
 DocType: Subscription Settings,Subscription Settings,Подесувања на претплата
 DocType: Purchase Invoice,Update Auto Repeat Reference,Ажурирај автоматско повторување на референцата
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Изборна листа за одмор не е поставена за период на одмор {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Изборна листа за одмор не е поставена за период на одмор {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Истражување
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Да адреса 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Да адреса 2
 DocType: Maintenance Visit Purpose,Work Done,Работата е завршена
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Ве молиме да наведете барем еден атрибут во табелата атрибути
 DocType: Announcement,All Students,сите студенти
@@ -1874,16 +1890,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Усогласени трансакции
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Први
 DocType: Crop Cycle,Linked Location,Поврзана локација
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Ставка група постои со истото име, Ве молиме да се промени името на точка или преименувате групата точка"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Ставка група постои со истото име, Ве молиме да се промени името на точка или преименувате групата точка"
 DocType: Crop Cycle,Less than a year,Помалку од една година
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Студентски мобилен број
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Остатокот од светот
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Остатокот од светот
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Ставката {0} не може да има Batch
 DocType: Crop,Yield UOM,Принос UOM
 ,Budget Variance Report,Буџетот Варијанса Злоупотреба
 DocType: Salary Slip,Gross Pay,Бруто плата
 DocType: Item,Is Item from Hub,Е предмет од Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Добијте предмети од здравствени услуги
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Добијте предмети од здравствени услуги
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Ред {0}: Тип на активност е задолжително.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Дивидендите кои ги исплатува
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Сметководство Леџер
@@ -1898,6 +1914,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Начин на плаќање
 DocType: Purchase Invoice,Supplied Items,Испорачани делови
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Поставете активен мени за Ресторан {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Стапка на Комисијата%
 DocType: Work Order,Qty To Manufacture,Количина на производство
 DocType: Email Digest,New Income,нови приходи
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Одржување на иста стапка во текот на купувањето циклус
@@ -1912,12 +1929,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Вреднување курс потребен за ставка во ред {0}
 DocType: Supplier Scorecard,Scorecard Actions,Акции на картички
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Пример: Мастерс во Компјутерски науки
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Добавувачот {0} не е пронајден во {1}
 DocType: Purchase Invoice,Rejected Warehouse,Одбиени Магацински
 DocType: GL Entry,Against Voucher,Против ваучер
 DocType: Item Default,Default Buying Cost Center,Стандардно Купување цена центар
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","За да го добиете најдоброто од ERPNext, ви препорачуваме да се земе некое време и да се види овие видеа помош."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),За стандарден добавувач (опционално)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,до
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),За стандарден добавувач (опционално)
 DocType: Supplier Quotation Item,Lead Time in days,Потенцијален клиент Време во денови
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Сметки се плаќаат Резиме
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Кои не се овластени да ги уредувате замрзната сметка {0}
@@ -1926,7 +1943,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Предупреди за ново барање за цитати
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Купување на налози да ви помогне да планираат и да се надоврзе на вашите купувања
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Рецепти за лабораториски тестови
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",вкупната количина на прашањето / Трансфер {0} во Материјал Барање {1} \ не може да биде поголема од бараната количина {2} за ставката {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Мали
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ако Shopify не содржи клиент по Ред, тогаш додека ги синхронизира Нарачките, системот ќе го разгледа стандардниот клиент за цел"
@@ -1938,6 +1955,7 @@
 DocType: Project,% Completed,% Завршено
 ,Invoiced Amount (Exculsive Tax),Фактурираниот износ (Exculsive на доход)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Точка 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Крајна точка на авторизација
 DocType: Travel Request,International,Меѓународен
 DocType: Training Event,Training Event,обука на настанот
 DocType: Item,Auto re-order,Автоматско повторно цел
@@ -1946,24 +1964,24 @@
 DocType: Contract,Contract,Договор
 DocType: Plant Analysis,Laboratory Testing Datetime,Лабораториско тестирање на податоци
 DocType: Email Digest,Add Quote,Додади цитат
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM фактор coversion потребни за UOM: {0} во точка: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM фактор coversion потребни за UOM: {0} во точка: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Индиректни трошоци
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Ред {0}: Количина е задолжително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Ред {0}: Количина е задолжително
 DocType: Agriculture Analysis Criteria,Agriculture,Земјоделството
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Креирај налог за продажба
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Сметководствен влез за средства
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Блок фактура
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Сметководствен влез за средства
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Блок фактура
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Количина да се направи
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync мајстор на податоци
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync мајстор на податоци
 DocType: Asset Repair,Repair Cost,Поправка трошоци
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Вашите производи или услуги
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Не успеав да се најавам
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Средство {0} создадено
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Средство {0} создадено
 DocType: Special Test Items,Special Test Items,Специјални тестови
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Треба да бидете корисник со улогите на System Manager и менаџерот на елемент за да се регистрирате на Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Начин на плаќање
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Според вашата распределена платежна структура не можете да аплицирате за бенефиции
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Веб-страница на слика треба да биде јавен датотеката или URL на веб страната
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Веб-страница на слика треба да биде јавен датотеката или URL на веб страната
 DocType: Purchase Invoice Item,BOM,BOM (Список на материјали)
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Ова е корен елемент група и не може да се уредува.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Спојување
@@ -1972,7 +1990,8 @@
 DocType: Warehouse,Warehouse Contact Info,Магацински Контакт Инфо
 DocType: Payment Entry,Write Off Difference Amount,Отпише разликата Износ
 DocType: Volunteer,Volunteer Name,Име на волонтерот
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: е-маил на вработените не се најде, па затоа не е-мејл испратен"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Редови со дупликат датуми на достасаност во други редови беа пронајдени: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: е-маил на вработените не се најде, па затоа не е-мејл испратен"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Структура за плата доделена за вработените {0} на даден датум {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Правилото за пренесување не важи за земја {0}
 DocType: Item,Foreign Trade Details,Надворешна трговија Детали
@@ -1980,17 +1999,17 @@
 DocType: Email Digest,Annual Income,Годишен приход
 DocType: Serial No,Serial No Details,Сериски № Детали за
 DocType: Purchase Invoice Item,Item Tax Rate,Точка даночна стапка
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Од партија име
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Од партија име
 DocType: Student Group Student,Group Roll Number,Група тек број
 DocType: Student Group Student,Group Roll Number,Група тек број
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитни сметки може да се поврзат против друг запис дебитна"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Испратница {0} не е поднесен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Испратница {0} не е поднесен
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Точка {0} мора да биде под-договор Точка
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Капитал опрема
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цените правило е првата избрана врз основа на &quot;Apply On&quot; поле, која може да биде точка, точка група или бренд."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Те молам прво наместете го Код
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Тип
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Вкупно одобрени процентот за продажбата на тимот треба да биде 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Тип
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Вкупно одобрени процентот за продажбата на тимот треба да биде 100
 DocType: Subscription Plan,Billing Interval Count,Интервал на фактурирање
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Назначувања и средби со пациентите
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Недостасува вредност
@@ -2004,6 +2023,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Креирај печати формат
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Создадена такса
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Не е најдена ставката {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Филтри за предмети
 DocType: Supplier Scorecard Criteria,Criteria Formula,Критериум Формула
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Вкупно Тековно
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Може да има само еден испорака Правило Состојба со 0 или празно вредност за &quot;да го вреднуваат&quot;
@@ -2012,14 +2032,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","За ставка {0}, количината мора да биде позитивен број"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Забелешка: Оваа цена центар е група. Не може да се направи на сметководствените ставки против групи.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Денови за барање компензаторско отсуство не се во валидни празници
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,постои склад дете за овој склад. Не можете да ја избришете оваа склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,постои склад дете за овој склад. Не можете да ја избришете оваа склад.
 DocType: Item,Website Item Groups,Веб-страница Точка групи
 DocType: Purchase Invoice,Total (Company Currency),Вкупно (Валута на Фирма )
 DocType: Daily Work Summary Group,Reminder,Потсетник
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Достапна вредност
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Достапна вредност
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Сериски број {0} влегоа повеќе од еднаш
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Весник Влегување
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Од GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Од GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Неизвесен износ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} ставки во тек
 DocType: Workstation,Workstation Name,Работна станица Име
@@ -2027,7 +2047,7 @@
 DocType: POS Item Group,POS Item Group,ПОС Точка група
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail билтени:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Алтернативната ставка не смее да биде иста како код на ставка
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} не му припаѓа на идентот {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} не му припаѓа на идентот {1}
 DocType: Sales Partner,Target Distribution,Целна Дистрибуција
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Завршување на привремена проценка
 DocType: Salary Slip,Bank Account No.,Жиро сметка број
@@ -2036,7 +2056,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Може да се користат променливи за картичка, како и: {total_score} (вкупниот резултат од тој период), {period_number} (бројот на периоди за даден ден)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Намали се
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Намали се
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Креирај Нарачка за нарачка
 DocType: Quality Inspection Reading,Reading 8,Читање 8
 DocType: Inpatient Record,Discharge Note,Забелешка за празнење
@@ -2053,7 +2073,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Привилегија Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Добавувачот датум на фактурата
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Оваа вредност се користи за пресметка на пропорционално време
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Вие треба да им овозможи на Корпа
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Вие треба да им овозможи на Корпа
 DocType: Payment Entry,Writeoff,Отпише
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Префикс на именување на серии
@@ -2068,11 +2088,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Преклопување состојби помеѓу:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Против весник Влегување {0} е веќе приспособена против некои други ваучер
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Вкупна Вредност на Нарачка
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Храна
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Храна
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Стареењето опсег од 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Детали за ваучер за затворање
 DocType: Shopify Log,Shopify Log,Купувај дневник
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ве молиме наместете го Селектирањето за {0} преку Setup&gt; Settings&gt; Series за именување
 DocType: Inpatient Occupancy,Check In,Проверете
 DocType: Maintenance Schedule Item,No of Visits,Број на посети
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},"Одржување распоред {0} постои се против, {1}"
@@ -2112,6 +2131,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Макс бенефиции (износ)
 DocType: Purchase Invoice,Contact Person,Лице за контакт
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Очекуваниот почетен датум"" не може да биде поголем од 'очекуван краен датум """
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Нема податоци за овој период
 DocType: Course Scheduling Tool,Course End Date,Курс Датум на завршување
 DocType: Holiday List,Holidays,Празници
 DocType: Sales Order Item,Planned Quantity,Планирана количина
@@ -2123,7 +2143,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Нето промени во основни средства
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Оставете го празно ако се земе предвид за сите ознаки
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Полнење од типот &quot;Крај&quot; во ред {0} не може да бидат вклучени во точка Оцени
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Полнење од типот &quot;Крај&quot; во ред {0} не може да бидат вклучени во точка Оцени
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Макс: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Од DateTime
 DocType: Shopify Settings,For Company,За компанијата
@@ -2136,9 +2156,9 @@
 DocType: Material Request,Terms and Conditions Content,Услови и правила Содржина
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Имаше грешки во креирањето на наставниот план
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Првиот одобрение за трошоци во листата ќе биде поставен како стандарден Expens Approver.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,не може да биде поголема од 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,не може да биде поголема од 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Треба да бидете корисник, освен Администратор, со Управување со System Manager и Управувачот со ставка за да се регистрирате на Marketplace."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Ставка {0} не е складишна ставка
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Ставка {0} не е складишна ставка
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Непланирана
 DocType: Employee,Owned,Сопственост
@@ -2166,7 +2186,7 @@
 DocType: HR Settings,Employee Settings,Подесувања на вработените
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Вчитување на платниот систем
 ,Batch-Wise Balance History,Според групата биланс Историја
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Ред # {0}: Не може да се постави Стапка ако износот е поголем од фактурираниот износ за Точка {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Ред # {0}: Не може да се постави Стапка ако износот е поголем од фактурираниот износ за Точка {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Поставки за печатење ажурирани во соодветните формат за печатење
 DocType: Package Code,Package Code,пакет законик
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Чирак
@@ -2174,7 +2194,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Негативни Кол не е дозволено
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Данок детали табелата се донесени од точка господар како стринг и се чуваат во оваа област. Се користи за даноци и такси
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Вработените не можат да известуваат за себе.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Вработените не можат да известуваат за себе.
 DocType: Leave Type,Max Leaves Allowed,Дозволено Макс Лист
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако на сметката е замрзната, записи им е дозволено да ограничено корисници."
 DocType: Email Digest,Bank Balance,Банката биланс
@@ -2200,6 +2220,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Записи за банкарски трансакции
 DocType: Quality Inspection,Readings,Читања
 DocType: Stock Entry,Total Additional Costs,Вкупно Дополнителни трошоци
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Број на интеракции
 DocType: BOM,Scrap Material Cost(Company Currency),Отпад материјални трошоци (Фирма валута)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Под собранија
 DocType: Asset,Asset Name,Име на средства
@@ -2207,10 +2228,10 @@
 DocType: Shipping Rule Condition,To Value,На вредноста
 DocType: Loyalty Program,Loyalty Program Type,Тип на програма за лојалност
 DocType: Asset Movement,Stock Manager,Акции менаџер
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Извор склад е задолжително за спорот {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Извор склад е задолжително за спорот {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Терминот за плаќање по ред {0} е веројатно дупликат.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Земјоделство (бета)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Пакување фиш
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Пакување фиш
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Канцеларијата изнајмување
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Поставките за поставка на SMS портал
 DocType: Disease,Common Name,Заедничко име
@@ -2242,20 +2263,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Е-пошта Плата лизга на вработените
 DocType: Cost Center,Parent Cost Center,Родител цена центар
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Изберете Можни Добавувачот
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Изберете Можни Добавувачот
 DocType: Sales Invoice,Source,Извор
 DocType: Customer,"Select, to make the customer searchable with these fields","Изберете, за да го направите клиентот да се пребарува со овие полиња"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Белешки за увоз на увоз од Shopify на пратката
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Прикажи затворени
 DocType: Leave Type,Is Leave Without Pay,Е неплатено отсуство
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Категорија средства е задолжително за ставка од основните средства
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Категорија средства е задолжително за ставка од основните средства
 DocType: Fee Validity,Fee Validity,Валидност на надоместокот
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Не се пронајдени во табелата за платен записи
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ова {0} конфликти со {1} и {2} {3}
 DocType: Student Attendance Tool,Students HTML,студентите HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Избришете го вработениот <a href=""#Form/Employee/{0}"">{0}</a> \ за да го откажете овој документ"
 DocType: POS Profile,Apply Discount,Спроведување на попуст
 DocType: GST HSN Code,GST HSN Code,GST HSN законик
 DocType: Employee External Work History,Total Experience,Вкупно Искуство
@@ -2278,7 +2296,7 @@
 DocType: Maintenance Schedule,Schedules,Распоред
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,ПОС профилот е потребен за користење на Point-of-Sale
 DocType: Cashier Closing,Net Amount,Нето износ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е поднесено, па не може да се заврши на акција"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е поднесено, па не може да се заврши на акција"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM детален број
 DocType: Landed Cost Voucher,Additional Charges,дополнителни трошоци
 DocType: Support Search Source,Result Route Field,Поле поле за резултати
@@ -2307,11 +2325,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Отворање фактури
 DocType: Contract,Contract Details,Детали за договорот
 DocType: Employee,Leave Details,Остави детали
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Ве молиме поставете го полето корисничко име во евиденција на вработените да го поставите Улогата на вработените
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Ве молиме поставете го полето корисничко име во евиденција на вработените да го поставите Улогата на вработените
 DocType: UOM,UOM Name,UOM Име
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,На адреса 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,На адреса 1
 DocType: GST HSN Code,HSN Code,HSN законик
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Придонес Износ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Придонес Износ
 DocType: Inpatient Record,Patient Encounter,Средба со пациенти
 DocType: Purchase Invoice,Shipping Address,Адреса за Испорака
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Оваа алатка ви помага да се ажурира или поправат количина и вреднување на акциите во системот. Тоа обично се користи за да ги синхронизирате вредности на системот и она што навистина постои во вашиот магацини.
@@ -2328,9 +2346,9 @@
 DocType: Travel Itinerary,Mode of Travel,Начин на патување
 DocType: Sales Invoice Item,Brand Name,Името на брендот
 DocType: Purchase Receipt,Transporter Details,Транспортерот Детали
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Потребен е стандарден магацин за избраната ставка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Потребен е стандарден магацин за избраната ставка
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Кутија
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,можни Добавувачот
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,можни Добавувачот
 DocType: Budget,Monthly Distribution,Месечен Дистрибуција
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Листа на приемник е празна. Ве молиме да се создаде листа ресивер
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Здравство (бета)
@@ -2352,6 +2370,7 @@
 ,Lead Name,Име на Потенцијален клиент
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Проверка
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Отворање берза Биланс
 DocType: Asset Category Account,Capital Work In Progress Account,Капиталната работа е во тек на сметка
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Прилагодување на вредноста на средствата
@@ -2360,7 +2379,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Остава распределени успешно за {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Нема податоци за пакет
 DocType: Shipping Rule Condition,From Value,Од вредност
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Производна количина е задолжително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Производна количина е задолжително
 DocType: Loan,Repayment Method,Начин на отплата
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако е означено, на почетната страница ќе биде стандардно Точка група за веб-страницата на"
 DocType: Quality Inspection Reading,Reading 4,Читање 4
@@ -2385,7 +2404,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Препораки за вработените
 DocType: Student Group,Set 0 for no limit,Поставете 0 за да нема ограничување
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Ден (а) на која аплицирате за дозвола се одмори. Вие не треба да аплицираат за одмор.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Ред {idx}: {field} е потребен за создавање на фактури за отворање {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Примарна адреса и контакт детали
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Препратат на плаќање E-mail
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,нова задача
@@ -2395,8 +2413,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Ве молиме изберете барем еден домен.
 DocType: Dependent Task,Dependent Task,Зависни Task
 DocType: Shopify Settings,Shopify Tax Account,Да купува даночна сметка
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Фактор на конверзија за стандардно единица мерка мора да биде 1 во ред {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Отсуство од типот {0} не може да биде подолг од {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Фактор на конверзија за стандардно единица мерка мора да биде 1 во ред {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Отсуство од типот {0} не може да биде подолг од {1}
 DocType: Delivery Trip,Optimize Route,Оптимизирајте ја маршрутата
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Обидете се планира операции за X дена однапред.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2405,14 +2423,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Поставете Стандардна Даноци се плаќаат сметка во Друштвото {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Добијте финансиски распадот на Даноците и давачките на податоците од Амазон
 DocType: SMS Center,Receiver List,Листа на примачот
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Барај точка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Барај точка
 DocType: Payment Schedule,Payment Amount,Исплата Износ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Датумот на половина ден треба да биде помеѓу работа од датум и датум на завршување на работата
 DocType: Healthcare Settings,Healthcare Service Items,Теми за здравствена заштита
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Конзумира Износ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Нето промени во Пари
 DocType: Assessment Plan,Grading Scale,скала за оценување
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица мерка {0} е внесен повеќе од еднаш во конверзија Фактор Табела
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица мерка {0} е внесен повеќе од еднаш во конверзија Фактор Табела
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,веќе завршени
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Акции во рака
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2435,25 +2453,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} количина {1} не може да биде дел
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Внесете URL на Woocommerce Server
 DocType: Purchase Order Item,Supplier Part Number,Добавувачот Дел број
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Стапка на конверзија не може да биде 0 или 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Стапка на конверзија не може да биде 0 или 1
 DocType: Share Balance,To No,Да Не
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Сите задолжителни задачи за креирање на вработени сè уште не се направени.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{1} {0} е откажана или запрена
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{1} {0} е откажана или запрена
 DocType: Accounts Settings,Credit Controller,Кредитна контролор
 DocType: Loan,Applicant Type,Тип на апликант
 DocType: Purchase Invoice,03-Deficiency in services,03-Недостаток во услугите
 DocType: Healthcare Settings,Default Medical Code Standard,Стандарден стандард за медицински кодови
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Купување Потврда {0} не е поднесен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Купување Потврда {0} не е поднесен
 DocType: Company,Default Payable Account,Стандардно се плаќаат профил
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Подесувања за онлајн шопинг количка како и со правилата за испорака, ценовник, итн"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Опишан
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Количина задржани
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Количина задржани
 DocType: Party Account,Party Account,Партијата на профилот
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Изберете компанија и ознака
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Човечки ресурси
-DocType: Lead,Upper Income,Горниот дел од приходите
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Горниот дел од приходите
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Reject
 DocType: Journal Entry Account,Debit in Company Currency,Дебитна во компанијата Валута
 DocType: BOM Item,BOM Item,BOM ставки
@@ -2470,7 +2488,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Отворени работни места за назначување {0} веќе отворени \ или ангажирање завршени според планот за вработување {1}
 DocType: Vital Signs,Constipated,Запечатен
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Против Добавувачот Фактура {0} датум {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Против Добавувачот Фактура {0} датум {1}
 DocType: Customer,Default Price List,Стандардно Ценовник
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,рекорд движење средства {0} создадена
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Нема пронајдени предмети.
@@ -2486,17 +2504,18 @@
 DocType: Journal Entry,Entry Type,Тип на влез
 ,Customer Credit Balance,Клиент кредитна биланс
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Нето промени во сметки се плаќаат
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитниот лимит е преминал за клиент {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ве молиме наместете го Селектирањето за {0} преку Setup&gt; Settings&gt; Series за именување
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитниот лимит е преминал за клиент {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Клиент потребни за &quot;Customerwise попуст&quot;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Ажурирање на датуми банка плаќање со списанија.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,цените
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,цените
 DocType: Quotation,Term Details,Рок Детали за
 DocType: Employee Incentive,Employee Incentive,Поттик на вработените
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не може да се запишат повеќе од {0} студентите за оваа група студенти.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Вкупно (без данок)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Водач Грофот
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Водач Грофот
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Достапни акции
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Достапни акции
 DocType: Manufacturing Settings,Capacity Planning For (Days),Планирање на капацитет за (во денови)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,набавки
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ниту еден од предметите имаат каква било промена во количината или вредноста.
@@ -2521,7 +2540,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Остави и Публика
 DocType: Asset,Comprehensive Insurance,Сеопфатно осигурување
 DocType: Maintenance Visit,Partially Completed,Делумно завршени
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Точка на лојалност: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Точка на лојалност: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Додај води
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Умерена чувствителност
 DocType: Leave Type,Include holidays within leaves as leaves,Вклучи празници во листовите како лисја
 DocType: Loyalty Program,Redemption,Откуп
@@ -2555,7 +2575,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Маркетинг трошоци
 ,Item Shortage Report,Точка Недостаток Извештај
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Не може да се креираат стандардни критериуми. Преименувајте ги критериумите
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се споменува, \ Променете спомене &quot;Тежина UOM&quot; премногу"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се споменува, \ Променете спомене &quot;Тежина UOM&quot; премногу"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материјал Барање користат да се направи овој парк Влегување
 DocType: Hub User,Hub Password,Hub Password
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Посебен разбира врз основа група за секоја серија
@@ -2570,15 +2590,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Времетраење на назначување (мин.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Направете влез сметководството за секој берза движење
 DocType: Leave Allocation,Total Leaves Allocated,Вкупно Отсуства Распределени
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Ве молиме внесете валидна Финансиска година на отпочнување и завршување
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Ве молиме внесете валидна Финансиска година на отпочнување и завршување
 DocType: Employee,Date Of Retirement,Датум на заминување во пензија
 DocType: Upload Attendance,Get Template,Земете Шаблон
+,Sales Person Commission Summary,Резиме на Комисијата за продажба
 DocType: Additional Salary Component,Additional Salary Component,Дополнителна компонента за плата
 DocType: Material Request,Transferred,пренесени
 DocType: Vehicle,Doors,врати
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Наплати надоместок за регистрација на пациентите
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Не може да се променат атрибутите по трансакција со акции. Направете нова ставка и да пренесете акции на новата ставка
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Не може да се променат атрибутите по трансакција со акции. Направете нова ставка и да пренесете акции на новата ставка
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,данок распад
 DocType: Employee,Joining Details,Детали за приклучување
@@ -2606,14 +2627,15 @@
 DocType: Lead,Next Contact By,Следна Контакт Со
 DocType: Compensatory Leave Request,Compensatory Leave Request,Компензаторско барање за напуштање
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Количината потребна за Точка {0} во ред {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацински {0} не може да биде избришан како што постои количина за ставката {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацински {0} не може да биде избришан како што постои количина за ставката {1}
 DocType: Blanket Order,Order Type,Цел Тип
 ,Item-wise Sales Register,Точка-мудар Продажбата Регистрирај се
 DocType: Asset,Gross Purchase Amount,Бруто купување износ
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Отворање на салда
 DocType: Asset,Depreciation Method,амортизација Метод
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Е овој данок се вклучени во основната стапка?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Вкупно Целна вредност
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Вкупно Целна вредност
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Анализа на перцепција
 DocType: Soil Texture,Sand Composition (%),Композиција на песок (%)
 DocType: Job Applicant,Applicant for a Job,Подносителот на барањето за работа
 DocType: Production Plan Material Request,Production Plan Material Request,Производство план материјал Барање
@@ -2629,23 +2651,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Оценка за оценка (од 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Мобилен телефон
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Главните
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Следната ставка {0} не е означена како {1} ставка. Можете да ги овозможите како {1} елемент од главниот елемент
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Варијанта
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","За ставка {0}, количината мора да биде негативен број"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Намести префикс за нумерирање серија на вашиот трансакции
 DocType: Employee Attendance Tool,Employees HTML,вработените HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Стандардно Бум ({0}) мора да бидат активни за оваа стварта или нејзиниот дефиниција
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Стандардно Бум ({0}) мора да бидат активни за оваа стварта или нејзиниот дефиниција
 DocType: Employee,Leave Encashed?,Остави Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Можност од поле е задолжително
 DocType: Email Digest,Annual Expenses,годишните трошоци
 DocType: Item,Variants,Варијанти
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Направи нарачка
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Направи нарачка
 DocType: SMS Center,Send To,Испрати до
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Нема доволно одмор биланс за Оставете Тип {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Нема доволно одмор биланс за Оставете Тип {0}
 DocType: Payment Reconciliation Payment,Allocated amount,"Лимит,"
 DocType: Sales Team,Contribution to Net Total,Придонес на Нето Вкупно
 DocType: Sales Invoice Item,Customer's Item Code,Купувачи Точка законик
 DocType: Stock Reconciliation,Stock Reconciliation,Акции помирување
 DocType: Territory,Territory Name,Име територија
+DocType: Email Digest,Purchase Orders to Receive,Нарачка за набавка
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Работа во прогрес Магацински се бара пред Прати
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Можете да имате само Планови со ист платежен циклус во претплата
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Мапирани податоци
@@ -2664,9 +2688,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},СТРОГО серија № влезе за точка {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Следете ги главните извори на енергија.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Услов за испорака Правило
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Ве молиме внесете
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Ве молиме внесете
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Пријава за одржување
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Поставете филтер врз основа на точка или Магацински
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Поставете филтер врз основа на точка или Магацински
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето-тежината на овој пакет. (Се пресметува автоматски како збир на нето-тежината на предмети)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Внесете го внесот на весници во Интер
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Износот на попуст не може да биде поголем од 100%
@@ -2675,15 +2699,15 @@
 DocType: Sales Order,To Deliver and Bill,Да дава и Бил
 DocType: Student Group,Instructors,инструктори
 DocType: GL Entry,Credit Amount in Account Currency,Износ на кредитот во профил Валута
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Бум {0} мора да се поднесе
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Управување со акции
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Бум {0} мора да се поднесе
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Управување со акции
 DocType: Authorization Control,Authorization Control,Овластување за контрола
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Отфрлени Магацински е задолжително против отфрли Точка {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Плаќање
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Отфрлени Магацински е задолжително против отфрли Точка {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Плаќање
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Магацински {0} не е поврзана со било која сметка, ве молиме наведете сметка во рекордно магацин или во собата попис стандардно сметка во друштво {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Управување со вашите нарачки
 DocType: Work Order Operation,Actual Time and Cost,Крај на време и трошоци
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материјал Барање за максимум {0} може да се направи за ставката {1} против Продај Побарувања {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материјал Барање за максимум {0} може да се направи за ставката {1} против Продај Побарувања {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Растојание на култури
 DocType: Course,Course Abbreviation,Кратенка на курсот
@@ -2695,6 +2719,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Вкупно работно време не смее да биде поголема од работното време max {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,На
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Група предмети во моментот на продажба
+DocType: Delivery Settings,Dispatch Settings,Поставки за испраќање
 DocType: Material Request Plan Item,Actual Qty,Крај на Количина
 DocType: Sales Invoice Item,References,Референци
 DocType: Quality Inspection Reading,Reading 10,Читањето 10
@@ -2704,11 +2729,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Внесовте дупликат предмети. Ве молиме да се поправат и обидете се повторно.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Соработник
 DocType: Asset Movement,Asset Movement,средства движење
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Работен налог {0} мора да биде поднесен
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,нов кошничка
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Работен налог {0} мора да биде поднесен
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,нов кошничка
 DocType: Taxable Salary Slab,From Amount,Од износ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Ставка {0} не е во серија
 DocType: Leave Type,Encashment,Вклучување
+DocType: Delivery Settings,Delivery Settings,Поставки за испорака
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Донеси податоци
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Максимално дозволено отсуство во типот на одмор {0} е {1}
 DocType: SMS Center,Create Receiver List,Креирај Листа ресивер
 DocType: Vehicle,Wheels,тркала
@@ -2724,7 +2751,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Монетарната валута мора да биде еднаква на валутата на валутата на девизната или партиската сметка на друштвото
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Покажува дека пакетот е дел од оваа испорака (Само Предлог)
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Ред {0}: Датумот на достасаност не може да биде пред датумот на објавување
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Ред {0}: Датумот на достасаност не може да биде пред датумот на објавување
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Направете плаќање Влегување
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Кол за ставката {0} мора да биде помала од {1}
 ,Sales Invoice Trends,Продажбата Трендови Фактура
@@ -2732,12 +2759,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Може да се однесува на ред само ако видот на пресметување е 'Износ на претходниот ред' или 'Вкупно на претходниот ред'
 DocType: Sales Order Item,Delivery Warehouse,Испорака Магацински
 DocType: Leave Type,Earned Leave Frequency,Заработена фреквенција
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Дрвото на Центрите финансиски трошоци.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Под-тип
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Дрвото на Центрите финансиски трошоци.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Под-тип
 DocType: Serial No,Delivery Document No,Испорака л.к
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обезбеди испорака врз основа на произведената сериска бр
 DocType: Vital Signs,Furry,Кожен
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Поставете &quot;добивка / загуба сметка за располагање со средства во компанијата {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Поставете &quot;добивка / загуба сметка за располагање со средства во компанијата {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Се предмети од Набавка Разписки
 DocType: Serial No,Creation Date,Датум на креирање
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Целна локација е потребна за средството {0}
@@ -2751,11 +2778,12 @@
 DocType: Item,Has Variants,Има варијанти
 DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Ажурирај го одговорот
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Веќе сте одбрале предмети од {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Веќе сте одбрале предмети од {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Име на месечна Дистрибуција
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID е задолжително
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID е задолжително
 DocType: Sales Person,Parent Sales Person,Родител продажбата на лице
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Нема да бидат доставени никакви ставки
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Продавачот и купувачот не можат да бидат исти
 DocType: Project,Collect Progress,Собери напредок
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2771,7 +2799,7 @@
 DocType: Bank Guarantee,Margin Money,Маргина пари
 DocType: Budget,Budget,Буџет
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Поставете го отворен
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Фиксни средства точка мора да биде точка на не-парк.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Фиксни средства точка мора да биде точка на не-парк.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Буџетот не може да биде доделен од {0}, како што не е сметката за приходи и трошоци"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Макс износот на изземање за {0} е {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнати
@@ -2789,9 +2817,9 @@
 ,Amount to Deliver,Износ за да овозможи
 DocType: Asset,Insurance Start Date,Датум на осигурување
 DocType: Salary Component,Flexible Benefits,Флексибилни придобивки
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Истата ставка е внесена неколку пати. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Истата ставка е внесена неколку пати. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Датум на поимот на проектот не може да биде порано од годината Датум на почеток на академската година на кој е поврзан на зборот (академска година {}). Ве молам поправете датумите и обидете се повторно.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Имаше грешки.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Имаше грешки.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Вработениот {0} веќе аплицираше за {1} помеѓу {2} и {3}:
 DocType: Guardian,Guardian Interests,Гардијан Интереси
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Ажурирај име на профил / број
@@ -2830,9 +2858,9 @@
 ,Item-wise Purchase History,Точка-мудар Набавка Историја
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Ве молиме кликнете на &quot;Генерирање Распоред&quot; да достигне цена Сериски Без додадеме точка за {0}
 DocType: Account,Frozen,Замрзнати
-DocType: Delivery Note,Vehicle Type,Тип на возило
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Тип на возило
 DocType: Sales Invoice Payment,Base Amount (Company Currency),База Износ (Фирма валута)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Суровини
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Суровини
 DocType: Payment Reconciliation Payment,Reference Row,Суд ред
 DocType: Installation Note,Installation Time,Инсталација време
 DocType: Sales Invoice,Accounting Details,Детали за сметководство
@@ -2841,12 +2869,13 @@
 DocType: Inpatient Record,O Positive,О Позитивно
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Инвестиции
 DocType: Issue,Resolution Details,Резолуцијата Детали за
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Тип на трансакција
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Тип на трансакција
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Прифаќање критериуми
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Ве молиме внесете Материјал Барања во горната табела
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Нема достапни отплати за внесување на весници
 DocType: Hub Tracked Item,Image List,Листа на слики
 DocType: Item Attribute,Attribute Name,Атрибут Име
+DocType: Subscription,Generate Invoice At Beginning Of Period,Генерирање на фактура на почеток на периодот
 DocType: BOM,Show In Website,Прикажи Во вебсајт
 DocType: Loan Application,Total Payable Amount,Вкупно се плаќаат Износ
 DocType: Task,Expected Time (in hours),Се очекува времето (во часови)
@@ -2884,8 +2913,8 @@
 DocType: Employee,Resignation Letter Date,Оставка писмо Датум
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Правила цените се уште се филтрирани врз основа на квантитетот.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Не е поставена
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Поставете го датумот на пристап за вработените {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Поставете го датумот на пристап за вработените {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Поставете го датумот на пристап за вработените {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Поставете го датумот на пристап за вработените {0}
 DocType: Inpatient Record,Discharge,Исцедок
 DocType: Task,Total Billing Amount (via Time Sheet),Вкупен износ за наплата (преку време лист)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторете приходи за корисници
@@ -2895,13 +2924,13 @@
 DocType: Chapter,Chapter,Поглавје
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Пар
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Стандардната сметка автоматски ќе се ажурира во POS фактура кога е избран овој режим.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Изберете BOM и Количина за производство
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Изберете BOM и Количина за производство
 DocType: Asset,Depreciation Schedule,амортизација Распоред
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Продажбата партнер адреси и контакти
 DocType: Bank Reconciliation Detail,Against Account,Против профил
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Половина ден датум треба да биде помеѓу Од датум и до денес
 DocType: Maintenance Schedule Detail,Actual Date,Крај Датум
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Поставете го Центарот за стандардни трошоци во {0} компанија.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Поставете го Центарот за стандардни трошоци во {0} компанија.
 DocType: Item,Has Batch No,Има Batch Не
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Годишен регистрации: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Шопирај детали за веб-шоу
@@ -2913,7 +2942,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Тип на промена
 DocType: Student,Personal Details,Лични податоци
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Поставете &quot;Асет Амортизација трошоците центар во компанијата {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Поставете &quot;Асет Амортизација трошоците центар во компанијата {0}
 ,Maintenance Schedules,Распоред за одржување
 DocType: Task,Actual End Date (via Time Sheet),Крај Крај Датум (преку време лист)
 DocType: Soil Texture,Soil Type,Тип на почва
@@ -2921,10 +2950,10 @@
 ,Quotation Trends,Трендови на Понуди
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Точка Група кои не се споменати во точка мајстор за ставката {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless мандат
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Дебит сметка мора да биде побарувања сметка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Дебит сметка мора да биде побарувања сметка
 DocType: Shipping Rule,Shipping Amount,Испорака Износ
 DocType: Supplier Scorecard Period,Period Score,Период на рејтинг
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Додади Клиентите
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Додади Клиентите
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Во очекување Износ
 DocType: Lab Test Template,Special,Специјални
 DocType: Loyalty Program,Conversion Factor,Конверзија Фактор
@@ -2941,7 +2970,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Додај меморандум
 DocType: Program Enrollment,Self-Driving Vehicle,Само-управување со моторно возило
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Постојана
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Бил на материјали не најде за Точка {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Бил на материјали не најде за Точка {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Вкупно одобрени лисја {0} не може да биде помал од веќе одобрен лисја {1} за периодот
 DocType: Contract Fulfilment Checklist,Requirement,Барање
 DocType: Journal Entry,Accounts Receivable,Побарувања
@@ -2958,16 +2987,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,Поставки за човечки ресурси
 DocType: Salary Slip,net pay info,нето плата информации
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Износ на CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Износ на CESS
 DocType: Woocommerce Settings,Enable Sync,Овозможи синхронизација
 DocType: Tax Withholding Rate,Single Transaction Threshold,Еден праг на трансакција
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Оваа вредност се ажурира на ценовната листа на стандардни продажби.
 DocType: Email Digest,New Expenses,нови трошоци
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Износ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Износ
 DocType: Shareholder,Shareholder,Акционер
 DocType: Purchase Invoice,Additional Discount Amount,Дополнителен попуст Износ
 DocType: Cash Flow Mapper,Position,Позиција
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Добијте предмети од рецепти
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Добијте предмети од рецепти
 DocType: Patient,Patient Details,Детали за пациентот
 DocType: Inpatient Record,B Positive,Б Позитивен
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2979,8 +3008,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Група за Не-групата
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Спорт
 DocType: Loan Type,Loan Name,заем Име
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Вкупно Крај
-DocType: Lab Test UOM,Test UOM,Тест UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Вкупно Крај
 DocType: Student Siblings,Student Siblings,студентски Браќа и сестри
 DocType: Subscription Plan Detail,Subscription Plan Detail,Детален план за претплати
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Единица
@@ -3008,7 +3036,6 @@
 DocType: Workstation,Wages per hour,Плати по час
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Акции рамнотежа во Серија {0} ќе стане негативна {1} за Точка {2} На Магацински {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следните Материјал Барања биле воспитани автоматски врз основа на нивото повторно цел елемент
-DocType: Email Digest,Pending Sales Orders,Во очекување Продај Нарачка
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Сметка {0} не е валиден. Валута сметка мора да биде {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Од датумот {0} не може да биде по ослободување на вработениот Датум {1}
 DocType: Supplier,Is Internal Supplier,Е внатрешен снабдувач
@@ -3017,13 +3044,14 @@
 DocType: Healthcare Settings,Remind Before,Потсетете претходно
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор UOM конверзија е потребно во ред {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од Продај Побарувања, продажба фактура или весник Влегување"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од Продај Побарувања, продажба фактура или весник Влегување"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Поени за лојалност = Колку основна валута?
 DocType: Salary Component,Deduction,Одбивање
 DocType: Item,Retain Sample,Задржете го примерокот
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од време и на време е задолжително.
 DocType: Stock Reconciliation Item,Amount Difference,износот на разликата
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Ставка Цена додаде за {0} во Ценовник {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Ставка Цена додаде за {0} во Ценовник {1}
+DocType: Delivery Stop,Order Information,Информации за нарачка
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ве молиме внесете Id на вработените на ова продажбата на лице
 DocType: Territory,Classification of Customers by region,Класификација на клиенти од регионот
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Во продукција
@@ -3034,8 +3062,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Пресметаната извод од банка биланс
 DocType: Normal Test Template,Normal Test Template,Нормален тест образец
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,корисник со посебни потреби
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Понуда
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Не може да се постави примена RFQ во Нема Цитат
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Понуда
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Не може да се постави примена RFQ во Нема Цитат
 DocType: Salary Slip,Total Deduction,Вкупно Расходи
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Изберете сметка за печатење во валута на сметката
 ,Production Analytics,производство и анализатор
@@ -3048,14 +3076,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставување на картичка за снабдувач
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Име на планот за проценка
 DocType: Work Order Operation,Work Order Operation,Работен налог за работа
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Предупредување: Невалиден SSL сертификат прикачување {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Предупредување: Невалиден SSL сертификат прикачување {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Води да ви помогне да се бизнис, да додадете сите ваши контакти и повеќе како вашиот води"
 DocType: Work Order Operation,Actual Operation Time,Крај на време операција
 DocType: Authorization Rule,Applicable To (User),Се применуваат за (Корисник)
 DocType: Purchase Taxes and Charges,Deduct,Одземе
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Опис на работата
 DocType: Student Applicant,Applied,Аплицира
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Повторно да се отвори
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Повторно да се отвори
 DocType: Sales Invoice Item,Qty as per Stock UOM,Количина како на берза UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Име Guardian2
 DocType: Attendance,Attendance Request,Барање за пуштање
@@ -3073,7 +3101,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Сериски № {0} е под гаранција до {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална дозволена вредност
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Корисникот {0} веќе постои
-apps/erpnext/erpnext/hooks.py +114,Shipments,Пратки
+apps/erpnext/erpnext/hooks.py +115,Shipments,Пратки
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Вкупно одобрени Износ (Фирма валута)
 DocType: Purchase Order Item,To be delivered to customer,Да бидат доставени до клиентите
 DocType: BOM,Scrap Material Cost,Отпад материјални трошоци
@@ -3081,11 +3109,12 @@
 DocType: Grant Application,Email Notification Sent,Испратено е известување за е-пошта
 DocType: Purchase Invoice,In Words (Company Currency),Во зборови (компанија валута)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Компанијата е рационална за сметка на компанијата
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Код Код, магацин, количина се потребни за ред"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Код Код, магацин, количина се потребни за ред"
 DocType: Bank Guarantee,Supplier,Добавувачот
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Добие од
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ова е корен оддел и не може да се уредува.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Прикажи Детали за плаќање
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Времетраење во денови
 DocType: C-Form,Quarter,Четвртина
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Останати трошоци
 DocType: Global Defaults,Default Company,Стандардно компанијата
@@ -3093,7 +3122,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Сметка или сметка разликата е задолжително за ставката {0} што вкупната вредност на акции што влијанија
 DocType: Bank,Bank Name,Име на банка
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Оставете го полето празно за да ги направите купувачките нарачки за сите добавувачи
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Оставете го полето празно за да ги направите купувачките нарачки за сите добавувачи
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Стационарен посета на болничка посета
 DocType: Vital Signs,Fluid,Течност
 DocType: Leave Application,Total Leave Days,Вкупно Денови Отсуство
@@ -3103,7 +3132,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Поставки за варијанта на ставка
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Изберете компанијата ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Оставете го празно ако се земе предвид за сите одделенија
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} е задолжително за ставката {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} е задолжително за ставката {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Точка {0}: {1} количина произведена,"
 DocType: Payroll Entry,Fortnightly,на секои две недели
 DocType: Currency Exchange,From Currency,Од валутен
@@ -3153,7 +3182,7 @@
 DocType: Account,Fixed Asset,Основни средства
 DocType: Amazon MWS Settings,After Date,По Датум
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Серијали Инвентар
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Невалиден {0} за Inter Company фактура.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Невалиден {0} за Inter Company фактура.
 ,Department Analytics,Одделот за анализи
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Е-пошта не е пронајдена во стандардниот контакт
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Генерирање на тајната
@@ -3172,6 +3201,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,извршен директор
 DocType: Purchase Invoice,With Payment of Tax,Со плаќање на данок
 DocType: Expense Claim Detail,Expense Claim Detail,Барање Детална сметка
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Ве молиме поставете Систем за именување на инструктори во образованието&gt; Образование
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Три примероци за обезбедувачот
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Нов биланс во основната валута
 DocType: Location,Is Container,Е контејнер
@@ -3179,13 +3209,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Ве молиме изберете ја точната сметка
 DocType: Salary Structure Assignment,Salary Structure Assignment,Зададена структура на плата
 DocType: Purchase Invoice Item,Weight UOM,Тежина UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Листа на достапни акционери со фолио броеви
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Листа на достапни акционери со фолио броеви
 DocType: Salary Structure Employee,Salary Structure Employee,Плата Структура на вработените
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Прикажи атрибути на варијанта
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Прикажи атрибути на варијанта
 DocType: Student,Blood Group,Крвна група
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Сметката за платежна портал во планот {0} е различна од сметката на платежната порта во ова барање за плаќање
 DocType: Course,Course Name,Име на курсот
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Нема податоци за задржување на данок за тековната фискална година.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Нема податоци за задржување на данок за тековната фискална година.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Корисниците кои може да одобри апликации одмор одредена вработениот
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Канцеларија опрема
 DocType: Purchase Invoice Item,Qty,Количина
@@ -3193,6 +3223,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Поставување на бодување
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Електроника
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Дебит ({0})
+DocType: BOM,Allow Same Item Multiple Times,Дозволи истата точка повеќе пати
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Подигне материјал Барање кога акциите достигне нивото повторно цел
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Со полно работно време
 DocType: Payroll Entry,Employees,вработени
@@ -3204,11 +3235,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Потврда за исплата
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Цените нема да бидат прикажани ако цената листата не е поставена
 DocType: Stock Entry,Total Incoming Value,Вкупно Вредност на Прилив
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Дебитна Да се бара
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Дебитна Да се бара
 DocType: Clinical Procedure,Inpatient Record,Зборот за бебиња
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets помогне да ги пратите на време, трошоци и платежна за активности направено од страна на вашиот тим"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Откупната цена Листа
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Датум на трансакција
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Откупната цена Листа
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Датум на трансакција
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Шаблони на променливите на резултатите од добавувачот.
 DocType: Job Offer Term,Offer Term,Понуда Рок
 DocType: Asset,Quality Manager,Менаџер за квалитет
@@ -3229,11 +3260,11 @@
 DocType: Cashier Closing,To Time,На време
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) за {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Одобрување Улогата (над овластени вредност)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Кредит на сметка мора да биде плаќаат сметка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Кредит на сметка мора да биде плаќаат сметка
 DocType: Loan,Total Amount Paid,Вкупен износ платен
 DocType: Asset,Insurance End Date,Датум на осигурување
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Ве молиме изберете Студентски прием кој е задолжителен за платен студент апликант
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Бум на рекурзијата: {0} не може да биде родител или дете на {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Бум на рекурзијата: {0} не може да биде родител или дете на {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Буџетска листа
 DocType: Work Order Operation,Completed Qty,Завршено Количина
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само задолжува сметки може да се поврзат против друга кредитна влез"
@@ -3241,7 +3272,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Серијали Точка {0} не може да се ажурираат со користење Акции на помирување, ве молиме користете Акции Влегување"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Серијали Точка {0} не може да се ажурираат со користење Акции на помирување, ве молиме користете Акции Влегување"
 DocType: Training Event Employee,Training Event Employee,Обука на вработените на настанот
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максималните примероци - {0} може да се задржат за серија {1} и точка {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максималните примероци - {0} може да се задржат за серија {1} и точка {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Додади временски слотови
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} сериски броеви потребно за ставка {1}. Сте ги доставиле {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Тековни Вреднување стапка
@@ -3272,11 +3303,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Сериски № {0} не е пронајдена
 DocType: Fee Schedule Program,Fee Schedule Program,Програма Распоред програма
 DocType: Fee Schedule Program,Student Batch,студентски Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Избришете го вработениот <a href=""#Form/Employee/{0}"">{0}</a> \ за да го откажете овој документ"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Направете Студентски
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min одделение
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Вид на единица за здравствена заштита
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Вие сте поканети да соработуваат на проектот: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Вие сте поканети да соработуваат на проектот: {0}
 DocType: Supplier Group,Parent Supplier Group,Група за снабдувачи на родители
+DocType: Email Digest,Purchase Orders to Bill,Набавка на налози за нацрт-законот
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Акумулирани вредности во Групацијата
 DocType: Leave Block List Date,Block Date,Датум на блок
 DocType: Crop,Crop,Поправете
@@ -3289,6 +3323,7 @@
 DocType: Sales Order,Not Delivered,Не Дадени
 ,Bank Clearance Summary,Банката Чистење Резиме
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Креирање и управување со дневни, неделни и месечни Е-содржините."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Ова се базира на трансакции против ова лице за продажба. Погледнете временска рамка подолу за детали
 DocType: Appraisal Goal,Appraisal Goal,Процена Цел
 DocType: Stock Reconciliation Item,Current Amount,тековната вредност
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,згради
@@ -3315,7 +3350,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,софтвери
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Следна Контакт датум не може да биде во минатото
 DocType: Company,For Reference Only.,За повикување само.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Изберете Серија Не
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Изберете Серија Не
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Невалиден {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Референтен инв
@@ -3333,16 +3368,16 @@
 DocType: Normal Test Items,Require Result Value,Потребна вредност на резултатот
 DocType: Item,Show a slideshow at the top of the page,Прикажи слајдшоу на врвот на страната
 DocType: Tax Withholding Rate,Tax Withholding Rate,Данок за задржување на данок
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Продавници
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Продавници
 DocType: Project Type,Projects Manager,Проект менаџер
 DocType: Serial No,Delivery Time,Време на испорака
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Стареењето Врз основа на
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Назначувањето е откажано
 DocType: Item,End of Life,Крајот на животот
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Патување
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Патување
 DocType: Student Report Generation Tool,Include All Assessment Group,Вклучете ја целата група за проценка
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Нема активни или стандардно Плата Структура најде за вработените {0} за дадените датуми
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Нема активни или стандардно Плата Структура најде за вработените {0} за дадените датуми
 DocType: Leave Block List,Allow Users,Им овозможи на корисниците
 DocType: Purchase Order,Customer Mobile No,Клиент Мобилни Не
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детали за шаблони за мапирање на готовинскиот тек
@@ -3351,15 +3386,16 @@
 DocType: Rename Tool,Rename Tool,Преименувај алатката
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Ажурирање на трошоците
 DocType: Item Reorder,Item Reorder,Пренареждане точка
+DocType: Delivery Note,Mode of Transport,Начин на транспорт
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Прикажи Плата фиш
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Пренос на материјал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Пренос на материјал
 DocType: Fees,Send Payment Request,Испрати барање за исплата
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Наведете операции, оперативните трошоци и даде единствена работа нема да вашето работење."
 DocType: Travel Request,Any other details,Сите други детали
 DocType: Water Analysis,Origin,Потекло
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Овој документ е над границата од {0} {1} за ставката {4}. Ви се прави уште една {3} против истиот {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Поставете се повторуваат по спасување
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,износот сметка Одберете промени
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Поставете се повторуваат по спасување
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,износот сметка Одберете промени
 DocType: Purchase Invoice,Price List Currency,Ценовник Валута
 DocType: Naming Series,User must always select,Корисникот мора секогаш изберете
 DocType: Stock Settings,Allow Negative Stock,Дозволете негативна состојба
@@ -3380,9 +3416,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Следење
 DocType: Asset Maintenance Log,Actions performed,Извршени акции
 DocType: Cash Flow Mapper,Section Leader,Лидер на одделот
+DocType: Delivery Note,Transport Receipt No,Транспортна потврда бр
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Извор на фондови (Пасива)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Изворот и целните локација не можат да бидат исти
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Кол во ред {0} ({1}) мора да биде иста како произведени количини {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Кол во ред {0} ({1}) мора да биде иста како произведени количини {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Вработен
 DocType: Bank Guarantee,Fixed Deposit Number,Број за фиксен депозит
 DocType: Asset Repair,Failure Date,Датум на откажување
@@ -3396,16 +3433,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Плаќање одбивања или загуба
 DocType: Soil Analysis,Soil Analysis Criterias,Критериуми за анализа на почвата
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандардна условите на договорот за продажба или купување.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Дали сте сигурни дека сакате да го откажете овој состанок?
+DocType: BOM Item,Item operation,Операција со ставка
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Дали сте сигурни дека сакате да го откажете овој состанок?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Пакет за цени за хотелска соба
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,гасоводот продажба
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,гасоводот продажба
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Поставете стандардна сметка во Плата Компонента {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Потребни на
 DocType: Rename Tool,File to Rename,Датотека за да ја преименувате
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Ве молам изберете Бум објект во ред {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Земи ги ажурирањата на претплатата
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Сметка {0} не се поклопува со компанијата {1} во режим на сметка: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Назначена Бум {0} не постои точка за {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Назначена Бум {0} не постои точка за {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Курс:
 DocType: Soil Texture,Sandy Loam,Сенди Лоам
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Распоред за одржување {0} мора да биде укинат пред да го раскине овој Продај Побарувања
@@ -3414,7 +3452,7 @@
 DocType: Notification Control,Expense Claim Approved,Сметка Тврдат Одобрени
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Постави напред и распредели (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Создадени работни нарачки
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Плата фиш на вработените {0} веќе создадена за овој период
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Плата фиш на вработените {0} веќе создадена за овој период
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Фармацевтската
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Вие можете да поднесете Leave Encashment само за валидна вредност на инка
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Цената на купените предмети
@@ -3422,7 +3460,8 @@
 DocType: Selling Settings,Sales Order Required,Продај Побарувања задолжителни
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Станете продавач
 DocType: Purchase Invoice,Credit To,Кредитите за
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Активни Потенцијални клиенти / Клиенти
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Активни Потенцијални клиенти / Клиенти
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Оставете празно за да го користите стандардниот формат Забелешка за испорака
 DocType: Employee Education,Post Graduate,Постдипломски
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Распоред за одржување Детална
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Предупреди за нови налози за набавки
@@ -3436,14 +3475,14 @@
 DocType: Support Search Source,Post Title Key,Клуч за наслов на наслов
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,За работна карта
 DocType: Warranty Claim,Raised By,Покренати од страна на
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Рецепти
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Рецепти
 DocType: Payment Gateway Account,Payment Account,Уплатна сметка
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Ве молиме назначете фирма, да се продолжи"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Ве молиме назначете фирма, да се продолжи"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Нето промени во Побарувања
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Обесштетување Off
 DocType: Job Offer,Accepted,Прифатени
 DocType: POS Closing Voucher,Sales Invoices Summary,Резиме на фактури за продажба
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Име на партија
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Име на партија
 DocType: Grant Application,Organization,организација
 DocType: Grant Application,Organization,организација
 DocType: BOM Update Tool,BOM Update Tool,Алатка за ажурирање на BOM
@@ -3453,7 +3492,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Ве молиме бидете сигурни дека навистина сакате да ги избришете сите трансакции за оваа компанија. Вашиот господар на податоци ќе остане како што е. Ова дејство не може да се врати назад.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Резултати од пребарувањето
 DocType: Room,Room Number,Број на соба
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Невалидна референца {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Невалидна референца {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да биде поголема од планираното quanitity ({2}) во продукција налог {3}
 DocType: Shipping Rule,Shipping Rule Label,Испорака Правило Етикета
 DocType: Journal Entry Account,Payroll Entry,Влез во платниот список
@@ -3461,8 +3500,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Направете даночен образец
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,корисникот форум
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,"Суровини, не може да биде празна."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Ред # {0} (Платежна табела): Износот мора да биде негативен
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Не може да го ажурира трговија, фактура содржи капка превозот ставка."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Ред # {0} (Платежна табела): Износот мора да биде негативен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Не може да го ажурира трговија, фактура содржи капка превозот ставка."
 DocType: Contract,Fulfilment Status,Статус на исполнување
 DocType: Lab Test Sample,Lab Test Sample,Примерок за лабораториски испитувања
 DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволи преименување на вредноста на атрибутот
@@ -3504,11 +3543,11 @@
 DocType: BOM,Show Operations,Прикажи операции
 ,Minutes to First Response for Opportunity,Минути за прв одговор за можности
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Вкупно Отсутни
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Точка или складиште ред {0} не се поклопува материјал Барање
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Точка или складиште ред {0} не се поклопува материјал Барање
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Единица мерка
 DocType: Fiscal Year,Year End Date,Годината завршува на Датум
 DocType: Task Depends On,Task Depends On,Задача зависи од
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Можност
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Можност
 DocType: Operation,Default Workstation,Стандардно Workstation
 DocType: Notification Control,Expense Claim Approved Message,Сметка Тврдат Одобрени порака
 DocType: Payment Entry,Deductions or Loss,Одбивања или загуба
@@ -3546,21 +3585,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Одобрување на корисникот не може да биде ист како корисник на владеењето се применува на
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Основната стапка (како на Акции UOM)
 DocType: SMS Log,No of Requested SMS,Број на Побарано СМС
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Неплатено отсуство не се поклопува со одобрен евиденција оставите апликацијата
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Неплатено отсуство не се поклопува со одобрен евиденција оставите апликацијата
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Следните чекори
 DocType: Travel Request,Domestic,Домашни
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Внесете ја определени предмети на најдобар можен стапки
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Внесете ја определени предмети на најдобар можен стапки
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Преносот на вработените не може да се поднесе пред датумот на пренос
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Направете Фактура
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Преостанато биланс
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Преостанато биланс
 DocType: Selling Settings,Auto close Opportunity after 15 days,Авто блиску можност по 15 дена
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Нарачките за нарачка не се дозволени за {0} поради картичка со резултати од {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Баркод {0} не е валиден {1} код
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Баркод {0} не е валиден {1} код
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,крајот на годината
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / олово%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / олово%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Договор Крај Датум мора да биде поголема од датумот на пристап
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Договор Крај Датум мора да биде поголема од датумот на пристап
 DocType: Driver,Driver,Возач
 DocType: Vital Signs,Nutrition Values,Вредности на исхрана
 DocType: Lab Test Template,Is billable,Дали е наплатлив
@@ -3571,7 +3610,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Ова е пример веб-сајт автоматски генерирани од ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Стареењето опсег 1
 DocType: Shopify Settings,Enable Shopify,Овозможи Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Вкупниот износ на авансот не може да биде поголем од вкупниот побаран износ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Вкупниот износ на авансот не може да биде поголем од вкупниот побаран износ
 DocType: Purchase Taxes and Charges Template,"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
@@ -3598,12 +3637,12 @@
 DocType: Employee Separation,Employee Separation,Одделување на вработените
 DocType: BOM Item,Original Item,Оригинална точка
 DocType: Purchase Receipt Item,Recd Quantity,Recd Кол
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Док Датум
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Док Датум
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Надомест записи создадени - {0}
 DocType: Asset Category Account,Asset Category Account,Средства Категорија сметка
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Платежна табела): Износот мора да биде позитивен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Платежна табела): Износот мора да биде позитивен
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Не може да произведе повеќе од ставка {0} од количина {1} во Продажна нарачка
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Изберете вредности за атрибути
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Изберете вредности за атрибути
 DocType: Purchase Invoice,Reason For Issuing document,Причина за издавање на документ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Акции Влегување {0} не е поднесен
 DocType: Payment Reconciliation,Bank / Cash Account,Банка / готовинска сметка
@@ -3612,8 +3651,10 @@
 DocType: Asset,Manual,прирачник
 DocType: Salary Component Account,Salary Component Account,Плата Компонента сметка
 DocType: Global Defaults,Hide Currency Symbol,Сокриј Валута Симбол
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Можности за продажба по извор
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Донаторски информации.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","на пример, банка, пари, кредитни картички"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ве молиме наместете серија за нумерација за Присуство преку Поставување&gt; Нумерирање
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","на пример, банка, пари, кредитни картички"
 DocType: Job Applicant,Source Name,извор Име
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормалниот крвен притисок за одмор кај возрасни е приближно 120 mmHg систолен и дијастолен 80 mmHg, со кратенка &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Поставете го рокот на траење на предметите во денови, за да поставите истекот врз основа на manufacturing_date плус саможивот"
@@ -3643,7 +3684,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},За количината мора да биде помала од количината {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ред {0}: Почеток Датум мора да биде пред Крај Датум
 DocType: Salary Component,Max Benefit Amount (Yearly),Макс бенефит (годишно)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Стапка%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Стапка%
 DocType: Crop,Planting Area,Површина за садење
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Вкупно (Количина)
 DocType: Installation Note Item,Installed Qty,Инсталиран Количина
@@ -3665,8 +3706,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Оставете го известувањето за одобрување
 DocType: Buying Settings,Default Buying Price List,Стандардно Купување Ценовник
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Плата фиш Врз основа на timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Стапка на купување
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Ред {0}: Внесете локација за ставката на средството {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Стапка на купување
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Ред {0}: Внесете локација за ставката на средството {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,За компанијата
 DocType: Notification Control,Sales Order Message,Продај Побарувања порака
@@ -3733,10 +3774,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,За ред {0}: Внесете го планираното количество
 DocType: Account,Income Account,Сметка приходи
 DocType: Payment Request,Amount in customer's currency,Износ во валута на клиентите
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Испорака
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Испорака
 DocType: Volunteer,Weekdays,Работни дена
 DocType: Stock Reconciliation Item,Current Qty,Тековни Количина
 DocType: Restaurant Menu,Restaurant Menu,Мени за ресторани
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Додај добавувачи
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Помош Секција
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Пред
@@ -3748,19 +3790,20 @@
 												fullfill Sales Order {2}","Не може да се испорача Сериски број {0} на ставката {1}, бидејќи е резервиран за \ fullfill Побарувања за продажба {2}"
 DocType: Item Reorder,Material Request Type,Материјал Тип на Барањето
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Испратете е-пошта за Грант Преглед
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage е полна, не штедеше"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: UOM конверзија фактор е задолжително
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage е полна, не штедеше"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: UOM конверзија фактор е задолжително
 DocType: Employee Benefit Claim,Claim Date,Датум на приговор
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Капацитет на соба
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Веќе постои запис за ставката {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Реф
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Ќе изгубите евиденција на претходно генерирани фактури. Дали сте сигурни дека сакате да ја рестартирате оваа претплата?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Такса за регистрација
 DocType: Loyalty Program Collection,Loyalty Program Collection,Колекција на Програмата за лојалност
 DocType: Stock Entry Detail,Subcontracted Item,Пододговорна точка
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Студент {0} не припаѓа на групата {1}
 DocType: Budget,Cost Center,Трошоците центар
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Ваучер #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Ваучер #
 DocType: Notification Control,Purchase Order Message,Нарачка порака
 DocType: Tax Rule,Shipping Country,Превозот Земја
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Скриј даночен број купувачи од продажбата на трансакции
@@ -3779,23 +3822,22 @@
 DocType: Subscription,Cancel At End Of Period,Откажи на крајот на периодот
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Имотот веќе е додаден
 DocType: Item Supplier,Item Supplier,Точка Добавувачот
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Ве молиме внесете Точка законик за да се добие серија не
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Ве молиме изберете вредност за {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Ве молиме внесете Точка законик за да се добие серија не
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Ве молиме изберете вредност за {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Нема селектирани ставки за пренос
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Сите адреси.
 DocType: Company,Stock Settings,Акции Settings
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Спојувањето е можно само ако следниве својства се исти во двата записи. Е група, корен Тип компанијата"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Спојувањето е можно само ако следниве својства се исти во двата записи. Е група, корен Тип компанијата"
 DocType: Vehicle,Electric,електричен
 DocType: Task,% Progress,напредок%
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Добивка / загуба за располагање со средства
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Само во студентската апликација со статус &quot;Одобрено&quot; ќе бидат избрани во табелата подолу.
 DocType: Tax Withholding Category,Rates,Стапки
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Бројот на сметката за сметката {0} не е достапен. <br> Те молам правилно поставете го сметковниот план.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Бројот на сметката за сметката {0} не е достапен. <br> Те молам правилно поставете го сметковниот план.
 DocType: Task,Depends on Tasks,Зависи Задачи
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управување на клиентите група на дрвото.
 DocType: Normal Test Items,Result Value,Резултат вредност
 DocType: Hotel Room,Hotels,Хотели
-DocType: Delivery Note,Transporter Date,Дата на транспортот
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Нова цена центар Име
 DocType: Leave Control Panel,Leave Control Panel,Остави контролен панел
 DocType: Project,Task Completion,задача Завршување
@@ -3842,11 +3884,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Сите оценка групи
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Нова Магацински Име
 DocType: Shopify Settings,App Type,Тип на апликација
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Вкупно {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Вкупно {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Територија
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Ве молиме спомнете Број на посети бара
 DocType: Stock Settings,Default Valuation Method,Метод за проценка стандардно
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Провизија
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Прикажи кумулативен износ
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Ажурирањето е во тек. Тоа може да потрае некое време.
 DocType: Production Plan Item,Produced Qty,Произведено количество
 DocType: Vehicle Log,Fuel Qty,Количина на гориво
@@ -3854,7 +3897,7 @@
 DocType: Work Order Operation,Planned Start Time,Планирани Почеток Време
 DocType: Course,Assessment,проценка
 DocType: Payment Entry Reference,Allocated,Распределуваат
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Затвори Биланс на состојба и книга добивка или загуба.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Затвори Биланс на состојба и книга добивка или загуба.
 DocType: Student Applicant,Application Status,Статус апликација
 DocType: Additional Salary,Salary Component Type,Тип на компонента за плата
 DocType: Sensitivity Test Items,Sensitivity Test Items,Тестови за чувствителност
@@ -3865,10 +3908,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Вкупно Неизмирен Износ
 DocType: Sales Partner,Targets,Цели
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Ве молиме регистрирајте го бројот SIREN во информативната датотека на компанијата
+DocType: Email Digest,Sales Orders to Bill,Продажни налози за нацрт
 DocType: Price List,Price List Master,Ценовник мајстор
 DocType: GST Account,CESS Account,CESS сметка
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Сите Продажбата Трансакцијата може да бидат означени против повеќе ** продажба на лица **, така што ќе може да се постави и да се следи цели."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Линк до материјално барање
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Линк до материјално барање
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Форум активност
 ,S.O. No.,ПА број
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Точка на поставување трансакција за банкарска изјава
@@ -3883,7 +3927,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Ова е коренот на клиентите група и не може да се уредува.
 DocType: Student,AB-,амортизираат
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Акција доколку превземениот месечен буџет е надминат на PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Да се постави
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Да се постави
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Ревалоризација на девизниот курс
 DocType: POS Profile,Ignore Pricing Rule,Игнорирај Цените Правило
 DocType: Employee Education,Graduate,Дипломиран
@@ -3920,6 +3964,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Ве молиме поставете стандарден клиент во поставките за ресторани
 ,Salary Register,плата Регистрирај се
 DocType: Warehouse,Parent Warehouse,родител Магацински
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Табела
 DocType: Subscription,Net Total,Нето Вкупно
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Аватарот на Бум не е најдена Точка {0} и Проектот {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Дефинирање на различни видови на кредитот
@@ -3952,24 +3997,26 @@
 DocType: Membership,Membership Status,Статус на членство
 DocType: Travel Itinerary,Lodging Required,Потребна е сместување
 ,Requested,Побарано
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Нема забелешки
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Нема забелешки
 DocType: Asset,In Maintenance,Во одржување
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Кликнете на ова копче за да ги повлечете податоците за продажниот налог од MWS на Amazon.
 DocType: Vital Signs,Abdomen,Абдомен
 DocType: Purchase Invoice,Overdue,Задоцнета
 DocType: Account,Stock Received But Not Billed,"Акции примени, но не Опишан"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root сметката мора да биде група
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root сметката мора да биде група
 DocType: Drug Prescription,Drug Prescription,Рецепт на лекови
 DocType: Loan,Repaid/Closed,Вратени / Затворено
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Вкупно планираните Количина
 DocType: Monthly Distribution,Distribution Name,Дистрибуција Име
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Вклучете UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Стапката на проценка не е пронајдена за Точката {0}, што е потребно да се извршат сметководствени записи за {1} {2}. Ако предметот е склучен како ставка за проценка на нулта вредност во {1}, наведете го тоа во табелата {1} Точка. Во спротивно, ве молиме креирајте дојдовна трансакција на акции за ставката или споменете проценка на проценката во записот Ставка, а потоа пробајте да го поднесете / откажете овој запис"
 DocType: Course,Course Code,Код на предметната програма
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Квалитет инспекција потребни за Точка {0}
 DocType: Location,Parent Location,Локација на родителите
 DocType: POS Settings,Use POS in Offline Mode,Користете POS во Offline режим
 DocType: Supplier Scorecard,Supplier Variables,Променливи на добавувачи
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} е задолжително. Можеби евиденцијата за размена на валута не се создава за {1} до {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Стапка по која клиентите валута е претворена во основна валута компанијата
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Нето стапката (Фирма валута)
 DocType: Salary Detail,Condition and Formula Help,Состојба и Формула Помош
@@ -3978,19 +4025,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Продажна Фактура
 DocType: Journal Entry Account,Party Balance,Партијата Биланс
 DocType: Cash Flow Mapper,Section Subtotal,Секторски сегмент
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Ве молиме изберете Примени попуст на
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Ве молиме изберете Примени попуст на
 DocType: Stock Settings,Sample Retention Warehouse,Магацин за чување примероци
 DocType: Company,Default Receivable Account,Стандардно побарувања профил
 DocType: Purchase Invoice,Deemed Export,Се смета дека е извоз
 DocType: Stock Entry,Material Transfer for Manufacture,Материјал трансфер за Производство
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Попуст Процент може да се примени или против некој Ценовник или за сите ценовникот.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Сметководство за влез на берза
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Сметководство за влез на берза
 DocType: Lab Test,LabTest Approver,LabTest одобрувач
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Веќе сте се проценува за критериумите за оценување {}.
 DocType: Vehicle Service,Engine Oil,на моторното масло
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Создадени работни задачи: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Создадени работни задачи: {0}
 DocType: Sales Invoice,Sales Team1,Продажбата Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Точка {0} не постои
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Точка {0} не постои
 DocType: Sales Invoice,Customer Address,Клиент адреса
 DocType: Loan,Loan Details,Детали за заем
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Не успеав да ги поставам фирмите за објавување на пораки
@@ -4011,34 +4058,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Прикажи Овој слајдшоу на врвот на страната
 DocType: BOM,Item UOM,Точка UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Износот на данокот По Износ попуст (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Целна склад е задолжително за спорот {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Целна склад е задолжително за спорот {0}
 DocType: Cheque Print Template,Primary Settings,Примарен Settings
 DocType: Attendance Request,Work From Home,Работа од дома
 DocType: Purchase Invoice,Select Supplier Address,Изберете Добавувачот адреса
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Додај вработени
 DocType: Purchase Invoice Item,Quality Inspection,Квалитет инспекција
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Екстра Мали
 DocType: Company,Standard Template,стандардна дефиниција
 DocType: Training Event,Theory,теорија
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Предупредување: Материјал Бараниот Количина е помалку од Минимална Подреди Количина
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Предупредување: Материјал Бараниот Количина е помалку од Минимална Подреди Количина
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,На сметка {0} е замрзнат
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правното лице / Подружница со посебен сметковен кои припаѓаат на Организацијата.
 DocType: Payment Request,Mute Email,Неми-пошта
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Храна, пијалаци и тутун"
 DocType: Account,Account Number,Број на сметка
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Може само да се направи исплата против нефактурираното {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Комисијата стапка не може да биде поголема од 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Може само да се направи исплата против нефактурираното {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Комисијата стапка не може да биде поголема од 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Автоматско распределување на напредокот (FIFO)
 DocType: Volunteer,Volunteer,Волонтер
 DocType: Buying Settings,Subcontract,Поддоговор
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Ве молиме внесете {0} прв
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Нема одговори од
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Нема одговори од
 DocType: Work Order Operation,Actual End Time,Крај Крај
 DocType: Item,Manufacturer Part Number,Производителот Дел број
 DocType: Taxable Salary Slab,Taxable Salary Slab,Оданочлива плата
 DocType: Work Order Operation,Estimated Time and Cost,Проценето време и трошоци
 DocType: Bin,Bin,Бин
 DocType: Crop,Crop Name,Име на култура
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Само корисниците со улога {0} можат да се регистрираат на Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Само корисниците со улога {0} можат да се регистрираат на Marketplace
 DocType: SMS Log,No of Sent SMS,Број на испратени СМС
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Назначувања и средби
@@ -4067,7 +4115,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Промени го кодот
 DocType: Purchase Invoice Item,Valuation Rate,Вреднување стапка
 DocType: Vehicle,Diesel,дизел
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Ценовник Валута не е избрано
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Ценовник Валута не е избрано
 DocType: Purchase Invoice,Availed ITC Cess,Искористил ИТЦ Cess
 ,Student Monthly Attendance Sheet,Студентски Месечен евидентен лист
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Правило за испорака единствено применливо за Продажба
@@ -4083,7 +4131,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управуваат со продажбата партнери.
 DocType: Quality Inspection,Inspection Type,Тип на инспекцијата
 DocType: Fee Validity,Visited yet,Посетено досега
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Магацини со постоечките трансакцијата не може да се конвертира во групата.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Магацини со постоечките трансакцијата не може да се конвертира во групата.
 DocType: Assessment Result Tool,Result HTML,резултат HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колку често треба да се ажурираат проектите и компанијата врз основа на продажните трансакции.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,истекува на
@@ -4091,7 +4139,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Ве молиме изберете {0}
 DocType: C-Form,C-Form No,C-Образец бр
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Растојание
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Растојание
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Наведете ги вашите производи или услуги што ги купувате или продавате.
 DocType: Water Analysis,Storage Temperature,Температура на складирање
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4107,19 +4155,19 @@
 DocType: Shopify Settings,Delivery Note Series,Серија за белешки за испорака
 DocType: Purchase Order Item,Returned Qty,Врати Количина
 DocType: Student,Exit,Излез
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Корен Тип е задолжително
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Корен Тип е задолжително
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Не успеа да се инсталира меморија
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM конверзија во часови
 DocType: Contract,Signee Details,Детали за Сигните
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} во моментов има {1} Побарувач за оценувачи, и RFQ на овој добавувач треба да се издаде со претпазливост."
 DocType: Certified Consultant,Non Profit Manager,Непрофитен менаџер
 DocType: BOM,Total Cost(Company Currency),Вкупно трошоци (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Сериски № {0} создаден
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Сериски № {0} создаден
 DocType: Homepage,Company Description for website homepage,Опис на компанијата за веб-сајт почетната страница од пребарувачот
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За погодност на клиентите, овие кодови може да се користи во печатените формати како Фактури и испорака белешки"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Име suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Не може да се добијат информации за {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Отворање Влезен весник
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Отворање Влезен весник
 DocType: Contract,Fulfilment Terms,Условите за исполнување
 DocType: Sales Invoice,Time Sheet List,Време Листа на состојба
 DocType: Employee,You can enter any date manually,Можете да внесете кој било датум рачно
@@ -4155,7 +4203,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,вашата организација
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Прескокнувајќи ги Оставете Распределба за следните вработени, бидејќи веќе постојат записи за напуштање на распределбата. {0}"
 DocType: Fee Component,Fees Category,надоместоци Категорија
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Ве молиме внесете ослободување датум.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Ве молиме внесете ослободување датум.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,АМТ
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Детали за спонзор (име, локација)"
 DocType: Supplier Scorecard,Notify Employee,Извести го вработениот
@@ -4168,9 +4216,9 @@
 DocType: Company,Chart Of Accounts Template,Сметковниот план Шаблон
 DocType: Attendance,Attendance Date,Публика Датум
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Ажурираниот фонд мора да биде овозможен за фактурата за купување {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Точка Цена ажурирани за {0} во Ценовникот {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Точка Цена ажурирани за {0} во Ценовникот {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Плата распадот врз основа на заработка и одбивање.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Сметка со дете јазли не можат да се конвертираат во Леџер
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Сметка со дете јазли не можат да се конвертираат во Леџер
 DocType: Purchase Invoice Item,Accepted Warehouse,Прифатени Магацински
 DocType: Bank Reconciliation Detail,Posting Date,Датум на објавување
 DocType: Item,Valuation Method,Начин на вреднување
@@ -4207,6 +4255,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Ве молиме изберете една серија
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Патни трошоци и трошоци
 DocType: Sales Invoice,Redemption Cost Center,Центар за трошоци за откуп
+DocType: QuickBooks Migrator,Scope,Обем
 DocType: Assessment Group,Assessment Group Name,Името на групата за процена
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Материјал префрлени за Производство
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Додај во детали
@@ -4214,6 +4263,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Last Sync Datetime
 DocType: Landed Cost Item,Receipt Document Type,Потврда за тип документ
 DocType: Daily Work Summary Settings,Select Companies,Избор на компании
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Предлог / Цена Цитат
 DocType: Antibiotic,Healthcare,Здравствена грижа
 DocType: Target Detail,Target Detail,Целна Детална
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Единствена варијанта
@@ -4223,6 +4273,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Период Затворање Влегување
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Изберете оддел ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Трошоците центар со постојните трансакции не може да се конвертира во групата
+DocType: QuickBooks Migrator,Authorization URL,URL на авторизација
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Износот {0} {1} {2} {3}
 DocType: Account,Depreciation,Амортизација
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Бројот на акции и бројот на акции се недоследни
@@ -4245,13 +4296,14 @@
 DocType: Support Search Source,Source DocType,Извор DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Отворете нов билет
 DocType: Training Event,Trainer Email,тренер-пошта
+DocType: Driver,Transporter,Транспортер
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Материјал Барања {0} создаден
 DocType: Restaurant Reservation,No of People,Број на луѓе
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Дефиниција на условите или договор.
 DocType: Bank Account,Address and Contact,Адреса и контакт
 DocType: Vital Signs,Hyper,Хипер
 DocType: Cheque Print Template,Is Account Payable,Е сметка се плаќаат
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Акции не може да се ажурира против Набавка Потврда {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Акции не може да се ажурира против Набавка Потврда {0}
 DocType: Support Settings,Auto close Issue after 7 days,Авто блиску прашање по 7 дена
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Одмор не може да се одвои пред {0}, како рамнотежа одмор веќе е рачна пренасочат во рекордно идната распределба одмор {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забелешка: Поради / референтен датум надминува дозволено клиент кредит дена од {0} ден (а)
@@ -4269,7 +4321,7 @@
 ,Qty to Deliver,Количина да Избави
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Амазон ќе ги синхронизира податоците што се ажурираат по овој датум
 ,Stock Analytics,Акции анализи
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Работење не може да се остави празно
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Работење не може да се остави празно
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Лабораториски тест (и)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Против Детална л.к
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Бришењето не е дозволено за земјата {0}
@@ -4277,13 +4329,12 @@
 DocType: Quality Inspection,Outgoing,Заминување
 DocType: Material Request,Requested For,Се бара за
 DocType: Quotation Item,Against Doctype,Против DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} е укинат или затворени
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} е укинат или затворени
 DocType: Asset,Calculate Depreciation,Пресметајте ја амортизацијата
 DocType: Delivery Note,Track this Delivery Note against any Project,Следење на овој Испратница против било кој проект
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Нето парични текови од инвестициони
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Група на клиенти&gt; Територија
 DocType: Work Order,Work-in-Progress Warehouse,Работа во прогрес Магацински
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Асет {0} мора да се поднесе
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Асет {0} мора да се поднесе
 DocType: Fee Schedule Program,Total Students,Вкупно студенти
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Присуство евиденција {0} постои против Студентски {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Референтен # {0} датум {1}
@@ -4303,7 +4354,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Не може да се создаде бонус за задржување за лево вработените
 DocType: Lead,Market Segment,Сегмент од пазарот
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Земјоделски менаџер
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Уплатениот износ нема да биде поголема од вкупните одобрени негативен износ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Уплатениот износ нема да биде поголема од вкупните одобрени негативен износ {0}
 DocType: Supplier Scorecard Period,Variables,Променливи
 DocType: Employee Internal Work History,Employee Internal Work History,Вработен внатрешна работа Историја
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Затворање (д-р)
@@ -4328,22 +4379,24 @@
 DocType: Amazon MWS Settings,Synch Products,Синчови производи
 DocType: Loyalty Point Entry,Loyalty Program,Програма за лојалност
 DocType: Student Guardian,Father,татко
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Поддршка на билети
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&quot;Ажурирање Акции&quot; не може да се провери за фиксни продажба на средства
 DocType: Bank Reconciliation,Bank Reconciliation,Банка помирување
 DocType: Attendance,On Leave,на одмор
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Добијат ажурирања
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Сметка {2} не припаѓа на компанијата {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Изберете барем една вредност од секоја од атрибутите.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Изберете барем една вредност од секоја од атрибутите.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Материјал Барање {0} е откажана или запрена
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Држава за испраќање
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Држава за испраќање
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Остави менаџмент
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Групи
 DocType: Purchase Invoice,Hold Invoice,Држете Фактура
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Ве молиме изберете Вработен
 DocType: Sales Order,Fully Delivered,Целосно Дадени
-DocType: Lead,Lower Income,Помал приход
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Помал приход
 DocType: Restaurant Order Entry,Current Order,Тековен ред
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Бројот на сериски број и количество мора да биде ист
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Изворот и целните склад не може да биде иста за спорот {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Изворот и целните склад не може да биде иста за спорот {0}
 DocType: Account,Asset Received But Not Billed,"Средства добиени, но не се наплаќаат"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разликата сметките мора да бидат типот на средствата / одговорност сметка, бидејќи овој парк помирување претставува Отворање Влегување"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Повлечениот износ не може да биде поголема од кредит Износ {0}
@@ -4352,7 +4405,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Нарачка број потребен за Точка {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Од датум"" мора да биде по ""до датум"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Не се утврдени планови за вработување за оваа одредница
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Партијата {0} на точка {1} е оневозможена.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Партијата {0} на точка {1} е оневозможена.
 DocType: Leave Policy Detail,Annual Allocation,Годишна распределба
 DocType: Travel Request,Address of Organizer,Адреса на организаторот
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Изберете здравствен работник ...
@@ -4361,12 +4414,12 @@
 DocType: Asset,Fully Depreciated,целосно амортизираните
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Акции Проектирани Количина
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Клиент {0} не му припаѓа на проектот {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Клиент {0} не му припаѓа на проектот {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Забележително присуство на HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",Цитати се и понудите што сте ги испратиле на вашите клиенти
 DocType: Sales Invoice,Customer's Purchase Order,Нарачка на купувачот
 DocType: Clinical Procedure,Patient,Трпелив
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Обиколен кредит за проверка на Нарачка за продажба
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Обиколен кредит за проверка на Нарачка за продажба
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Вработување на вработените
 DocType: Location,Check if it is a hydroponic unit,Проверете дали тоа е хидропонска единица
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Сериски Не и серија
@@ -4376,7 +4429,7 @@
 DocType: Supplier Scorecard Period,Calculations,Пресметки
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Вредност или Количина
 DocType: Payment Terms Template,Payment Terms,Услови на плаќање
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,"Продукција наредби, а не може да се зголеми за:"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,"Продукција наредби, а не може да се зголеми за:"
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Минута
 DocType: Purchase Invoice,Purchase Taxes and Charges,Купување на даноци и такси
 DocType: Chapter,Meetup Embed HTML,Meetup Вградување на HTML
@@ -4384,7 +4437,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Одете на добавувачи
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS затворање на ваучерски такси
 ,Qty to Receive,Количина да добијам
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Датумот на почеток и крај не е во валиден перолошки период, не може да се пресмета {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Датумот на почеток и крај не е во валиден перолошки период, не може да се пресмета {0}."
 DocType: Leave Block List,Leave Block List Allowed,Остави Забрани листата на дозволени
 DocType: Grading Scale Interval,Grading Scale Interval,Скала за оценување Интервал
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Сметка Барање за Возило Влез {0}
@@ -4392,10 +4445,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Попуст (%) на цени за курс со Разлика
 DocType: Healthcare Service Unit Type,Rate / UOM,Оцени / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,сите Магацини
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Не {0} пронајдени за интер-трансакции на компанијата.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Не {0} пронајдени за интер-трансакции на компанијата.
 DocType: Travel Itinerary,Rented Car,Изнајмен автомобил
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,За вашата компанија
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Кредит на сметка мора да биде на сметка Биланс на состојба
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Кредит на сметка мора да биде на сметка Биланс на состојба
 DocType: Donor,Donor,Донатор
 DocType: Global Defaults,Disable In Words,Оневозможи со зборови
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Точка законик е задолжително, бидејќи точка не се нумерирани автоматски"
@@ -4407,14 +4460,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Банка пречекорување на профилот
 DocType: Patient,Patient ID,ID на пациентот
 DocType: Practitioner Schedule,Schedule Name,Распоред име
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Продажен гасовод по сцена
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Направете Плата фиш
 DocType: Currency Exchange,For Buying,За купување
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Додај ги сите добавувачи
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Додај ги сите добавувачи
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"Ред # {0}: лимит, не може да биде поголем од преостанатиот износ."
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Преглед на бирото
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Препорачана кредити
 DocType: Purchase Invoice,Edit Posting Date and Time,Измени Праќање пораки во Датум и време
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Поставете Амортизација поврзани сметки во Категорија Средства {0} или куќа {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Поставете Амортизација поврзани сметки во Категорија Средства {0} или куќа {1}
 DocType: Lab Test Groups,Normal Range,Нормален опсег
 DocType: Academic Term,Academic Year,Академска година
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Достапно Продажба
@@ -4443,26 +4497,26 @@
 DocType: Patient Appointment,Patient Appointment,Именување на пациентот
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Одобрување улога не може да биде иста како и улогата на владеење е се применуваат на
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Се откажете од оваа е-мејл билтени
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Добивај добавувачи
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Добивај добавувачи
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} не е пронајден за Точка {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Оди на курсеви
 DocType: Accounts Settings,Show Inclusive Tax In Print,Прикажи инклузивен данок во печатење
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Банкарската сметка, од датумот и датумот, се задолжителни"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Пораката испратена
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Сметка со дете јазли не можат да се постават како Леџер
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Сметка со дете јазли не можат да се постават како Леџер
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Стапка по која Ценовник валута е претворена во основна валута купувачи
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Нето износ (Фирма валута)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Вкупниот износ на претплата не може да биде поголем од вкупниот санкциониран износ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Вкупниот износ на претплата не може да биде поголем од вкупниот санкциониран износ
 DocType: Salary Slip,Hour Rate,Цена на час
 DocType: Stock Settings,Item Naming By,Точка грабеж на име со
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Уште еден период Затворање Влегување {0} е направен по {1}
 DocType: Work Order,Material Transferred for Manufacturing,Материјал пренесен за производство
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,На сметка {0} не постои
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Изберете Програма за лојалност
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Изберете Програма за лојалност
 DocType: Project,Project Type,Тип на проект
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Дете задача е за оваа задача. Не можете да ја избришете оваа задача.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Или цел количество: Контакт лице или целниот износ е задолжително.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Или цел количество: Контакт лице или целниот износ е задолжително.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Цената на различни активности
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Поставување на настани во {0}, бидејќи вработените во прилог на подолу продажба на лица нема User ID {1}"
 DocType: Timesheet,Billing Details,Детали за наплата
@@ -4520,13 +4574,13 @@
 DocType: Inpatient Record,A Negative,Негативно
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ништо повеќе да се покаже.
 DocType: Lead,From Customer,Од Клиент
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Повици
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Повици
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,А производ
 DocType: Employee Tax Exemption Declaration,Declarations,Декларации
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,серии
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Направете распоред за плаќање
 DocType: Purchase Order Item Supplied,Stock UOM,Акции UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Нарачка {0} не е поднесен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Нарачка {0} не е поднесен
 DocType: Account,Expenses Included In Asset Valuation,Вклучени трошоци во вреднување на активата
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Нормален референтен опсег за возрасен е 16-20 вдишувања / минута (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,тарифен број
@@ -4539,6 +4593,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Ве молиме прво спаси го пациентот
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Присуство е обележан успешно.
 DocType: Program Enrollment,Public Transport,Јавен превоз
+DocType: Delivery Note,GST Vehicle Type,Тип на возило GST
 DocType: Soil Texture,Silt Composition (%),Силен состав (%)
 DocType: Journal Entry,Remark,Напомена
 DocType: Healthcare Settings,Avoid Confirmation,Избегнувајте потврда
@@ -4548,11 +4603,10 @@
 DocType: Education Settings,Current Academic Term,Тековни академски мандат
 DocType: Education Settings,Current Academic Term,Тековни академски мандат
 DocType: Sales Order,Not Billed,Не Опишан
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Двете Магацински мора да припаѓа на истата компанија
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Двете Магацински мора да припаѓа на истата компанија
 DocType: Employee Grade,Default Leave Policy,Стандардна политика за напуштање
 DocType: Shopify Settings,Shop URL,Продавница URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Не контакти додаде уште.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ве молиме наместете серија за нумерација за Присуство преку Поставување&gt; Нумерирање
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Слета Цена ваучер Износ
 ,Item Balance (Simple),Баланс на предметот (едноставен)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Сметки кои произлегуваат од добавувачи.
@@ -4577,7 +4631,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Серија на Понуди
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Ставка ({0}) со исто име веќе постои, ве молиме сменете го името на групата ставки или името на ставката"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Критериуми за анализа на почвата
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Ве молам изберете клиентите
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Ве молам изберете клиентите
 DocType: C-Form,I,јас
 DocType: Company,Asset Depreciation Cost Center,Центар Амортизација Трошоци средства
 DocType: Production Plan Sales Order,Sales Order Date,Продажбата на Ред Датум
@@ -4590,8 +4644,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Немам моментални ставки на пазарот
 ,Payment Period Based On Invoice Date,Плаќање период врз основа на датум на фактурата
 DocType: Sample Collection,No. of print,Бр. На печатење
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Потсетник за роденден
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Хотел соба резервација точка
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Недостасува размена на валута стапки за {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Недостасува размена на валута стапки за {0}
 DocType: Employee Health Insurance,Health Insurance Name,Име на здравственото осигурување
 DocType: Assessment Plan,Examiner,испитувачот
 DocType: Student,Siblings,браќа и сестри
@@ -4608,19 +4663,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Нови клиенти
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Бруто добивка%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Именување {0} и Фактура за продажба {1} откажани
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Можности од извор на олово
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Промени ПОС Профил
 DocType: Bank Reconciliation Detail,Clearance Date,Чистење Датум
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Средството веќе постои против ставката {0}, не можете да го промените серискиот без вредност"
+DocType: Delivery Settings,Dispatch Notification Template,Шаблон за известување за испраќање
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Средството веќе постои против ставката {0}, не можете да го промените серискиот без вредност"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Извештај за проценка
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Добијте вработени
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Бруто купување износ е задолжително
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Името на компанијата не е исто
 DocType: Lead,Address Desc,Адреса Desc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Партијата е задолжително
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Редови со дупликат датуми на достасаност во други редови беа пронајдени: {list}
 DocType: Topic,Topic Name,Име на тема
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Ве молиме поставете стандарден образец за известување за дозвола за одобрение во поставките за човечки ресурси.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Ве молиме поставете стандарден образец за известување за дозвола за одобрение во поставките за човечки ресурси.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Најмалку едно мора да биде избрано од Продажби или Купување
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Изберете вработен за да го унапредите работникот.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Ве молиме изберете важечки Датум
@@ -4654,6 +4710,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Клиент или снабдувачот
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Тековна вредност на средствата
+DocType: QuickBooks Migrator,Quickbooks Company ID,Идентификациски број за Quickbooks
 DocType: Travel Request,Travel Funding,Патничко финансирање
 DocType: Loan Application,Required by Date,Потребни по датум
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Линк до сите локации во кои културата расте
@@ -4667,9 +4724,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Серија на располагање Количина од магацин
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Бруто плата - Вкупно Одбивање - Кредитот пресудите
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Тековни Бум и Нов Бум не може да биде ист
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Тековни Бум и Нов Бум не може да биде ист
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Плата фиш проект
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Денот на неговото пензионирање мора да биде поголема од датумот на пристап
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Денот на неговото пензионирање мора да биде поголема од датумот на пристап
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Повеќе варијанти
 DocType: Sales Invoice,Against Income Account,Против профил доход
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Дадени
@@ -4698,7 +4755,7 @@
 DocType: POS Profile,Update Stock,Ажурирање берза
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Различни ЕМ за Артикли ќе доведе до Неточна (Вкупно) вредност за Нето тежина. Проверете дали Нето тежината на секој артикал е во иста ЕМ.
 DocType: Certification Application,Payment Details,Детали за плаќањата
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Бум стапка
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Бум стапка
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Прекинувањето на работната нарачка не може да се откаже, исклучете го прво да го откажете"
 DocType: Asset,Journal Entry for Scrap,Весник за влез Отпад
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Ве молиме да се повлече предмети од Испратница
@@ -4721,11 +4778,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Вкупно санкционира Износ
 ,Purchase Analytics,Купување анализи
 DocType: Sales Invoice Item,Delivery Note Item,Испратница Точка
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Тековната фактура {0} недостасува
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Тековната фактура {0} недостасува
 DocType: Asset Maintenance Log,Task,Задача
 DocType: Purchase Taxes and Charges,Reference Row #,Референтен Ред #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Серија број е задолжително за Точка {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Ова е лице корен продажба и не може да се уредува.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Ова е лице корен продажба и не може да се уредува.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ако е избрано, вредноста определена или пресметува во оваа компонента нема да придонесе за добивка или одбивања. Сепак, тоа е вредност може да се референцирани од други компоненти кои може да се додаде или одземе."
 DocType: Asset Settings,Number of Days in Fiscal Year,Број на денови во фискалната година
 ,Stock Ledger,Акции Леџер
@@ -4733,7 +4790,7 @@
 DocType: Company,Exchange Gain / Loss Account,Размена добивка / загуба сметка
 DocType: Amazon MWS Settings,MWS Credentials,MWS акредитиви
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Вработените и Публика
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Целта мора да биде еден од {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Целта мора да биде еден од {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Пополнете го формуларот и го спаси
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Форуми во заедницата
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Крај на количество на залиха
@@ -4749,7 +4806,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Стандардна Продажба курс
 DocType: Account,Rate at which this tax is applied,Стапка по која се применува овој данок
 DocType: Cash Flow Mapper,Section Name,Име на делот
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Пренареждане Количина
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Пренареждане Количина
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Тековни работни места
 DocType: Company,Stock Adjustment Account,Акциите прилагодување профил
 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Отпис
@@ -4758,8 +4815,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Систем за корисници (Најавете се) проект. Ако е поставено, тоа ќе биде стандардно за сите форми на човечките ресурси."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Внесете детали за амортизација
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Од {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Оставете апликација {0} веќе постои против ученикот {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Редовна за ажурирање на најновата цена во сите нацрт материјали. Може да потрае неколку минути.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Редовна за ажурирање на најновата цена во сите нацрт материјали. Може да потрае неколку минути.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Име на нова сметка. Забелешка: Ве молиме да не се создаде сметки за клиентите и добавувачите
 DocType: POS Profile,Display Items In Stock,Покажи Теми Има во залиха
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Земја мудро стандардно адреса Урнеци
@@ -4789,16 +4847,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Вреќите за {0} не се додаваат во распоредот
 DocType: Product Bundle,List items that form the package.,Листа на предмети кои ја формираат пакет.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Не е дозволено. Ве молиме оневозможете Тест Шаблон
+DocType: Delivery Note,Distance (in km),Растојание (во km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Процент распределба треба да биде еднаква на 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Ве молам изберете Праќање пораки во Датум пред изборот партија
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Ве молам изберете Праќање пораки во Датум пред изборот партија
 DocType: Program Enrollment,School House,школа куќа
 DocType: Serial No,Out of AMC,Од АМЦ
+DocType: Opportunity,Opportunity Amount,Износ на можност
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Број на амортизациони резервација не може да биде поголем од вкупниот број на амортизација
 DocType: Purchase Order,Order Confirmation Date,Датум за потврда на нарачката
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Направете Одржување Посета
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Датумот и датумот на почеток се преклопуваат со работната картичка <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Детали за трансфер на вработените
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Ве молиме контактирајте на корисникот кој има {0} функции Продажбата мајстор менаџер
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Ве молиме контактирајте на корисникот кој има {0} функции Продажбата мајстор менаџер
 DocType: Company,Default Cash Account,Стандардно готовинска сметка
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Компанијата (не клиент или добавувач) господар.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ова се базира на присуството на овој студент
@@ -4806,9 +4867,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Додај повеќе ставки или отвори образец
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Испорака белешки {0} мора да биде укинат пред да го раскине овој Продај Побарувања
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Одете на Корисниците
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Уплатениот износ + Отпишана сума не може да биде поголемо од Сѐ Вкупно
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Уплатениот износ + Отпишана сума не може да биде поголемо од Сѐ Вкупно
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не е валиден сериски број за ставката {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Забелешка: Не е доволно одмор биланс за Оставете Тип {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Забелешка: Не е доволно одмор биланс за Оставете Тип {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Внесете NA за нерегистрирани
 DocType: Training Event,Seminar,Семинар
 DocType: Program Enrollment Fee,Program Enrollment Fee,Програмата за запишување такса
@@ -4825,7 +4886,7 @@
 DocType: Fee Schedule,Fee Schedule,Провизија Распоред
 DocType: Company,Create Chart Of Accounts Based On,Креирај сметковниот план врз основа на
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Не може да се претвори во некоја група. Постојат задачи за деца.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Датум на раѓање не може да биде поголема отколку денес.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Датум на раѓање не може да биде поголема отколку денес.
 ,Stock Ageing,Акции стареење
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Делумно спонзорирани, бараат делумно финансирање"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Студентски {0} постојат против студентот барателот {1}
@@ -4872,11 +4933,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Пред помирување
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Даноци и давачки Додадено (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Точка Даночниот спор во {0} мора да има предвид типот Данок или на приход или трошок или Наплатлив
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Точка Даночниот спор во {0} мора да има предвид типот Данок или на приход или трошок или Наплатлив
 DocType: Sales Order,Partly Billed,Делумно Опишан
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Ставка {0} мора да биде основни средства
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,ХСН
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Направете варијанти
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,ХСН
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Направете варијанти
 DocType: Item,Default BOM,Стандардно Бум
 DocType: Project,Total Billed Amount (via Sales Invoices),Вкупен износ на фактури (преку фактури за продажба)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Задолжување Износ
@@ -4905,14 +4966,14 @@
 DocType: Notification Control,Custom Message,Прилагодено порака
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Инвестициско банкарство
 DocType: Purchase Invoice,input,влез
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Парични средства или банкарска сметка е задолжително за правење влез плаќање
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Парични средства или банкарска сметка е задолжително за правење влез плаќање
 DocType: Loyalty Program,Multiple Tier Program,Повеќекратна програма
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студентски адреса
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студентски адреса
 DocType: Purchase Invoice,Price List Exchange Rate,Ценовник курс
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Сите групи на добавувачи
 DocType: Employee Boarding Activity,Required for Employee Creation,Потребно за создавање на вработените
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Број на сметката {0} веќе се користи на сметка {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Број на сметката {0} веќе се користи на сметка {1}
 DocType: GoCardless Mandate,Mandate,Мандатот
 DocType: POS Profile,POS Profile Name,ПОС профил име
 DocType: Hotel Room Reservation,Booked,Резервирано
@@ -4928,18 +4989,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Референтен број е задолжително ако влезе референтен датум
 DocType: Bank Reconciliation Detail,Payment Document,плаќање документ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Грешка при проценката на формулата за критериуми
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Датум на приклучување мора да биде поголем Датум на раѓање
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Датум на приклучување мора да биде поголем Датум на раѓање
 DocType: Subscription,Plans,Планови
 DocType: Salary Slip,Salary Structure,Структура плата
 DocType: Account,Bank,Банка
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Авиокомпанијата
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Материјал прашање
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Материјал прашање
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Поврзете го Shopify со ERPNext
 DocType: Material Request Item,For Warehouse,За Магацински
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Белешки за испорака {0} ажурирани
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Белешки за испорака {0} ажурирани
 DocType: Employee,Offer Date,Датум на понуда
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Понуди
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Вие сте моментално во режим без мрежа. Вие нема да бидете во можност да ја превчитате додека имате мрежа.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Понуди
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Вие сте моментално во режим без мрежа. Вие нема да бидете во можност да ја превчитате додека имате мрежа.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Не студентски групи создадени.
 DocType: Purchase Invoice Item,Serial No,Сериски Не
@@ -4951,24 +5012,26 @@
 DocType: Sales Invoice,Customer PO Details,Детали на клиентот
 DocType: Stock Entry,Including items for sub assemblies,Вклучувајќи и предмети за суб собранија
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Привремена сметка за отворање
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Внесете ја вредноста мора да биде позитивен
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Внесете ја вредноста мора да биде позитивен
 DocType: Asset,Finance Books,Финансиски книги
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Категорија на декларација за даночно ослободување од вработените
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Сите територии
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Ве молиме наведете политика за напуштање на вработените {0} во записник за вработените / одделенијата
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Неважечки редослед за избраниот клиент и точка
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Неважечки редослед за избраниот клиент и точка
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Додај повеќе задачи
 DocType: Purchase Invoice,Items,Теми
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Крајниот датум не може да биде пред датата на започнување.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Студентот се веќе запишани.
 DocType: Fiscal Year,Year Name,Име на Година
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Постојат повеќе одмори од работни дена овој месец.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Реф
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Постојат повеќе одмори од работни дена овој месец.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Следниве елементи {0} не се означени како {1} ставка. Можете да ги овозможите како {1} елемент од главниот елемент
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Реф
 DocType: Production Plan Item,Product Bundle Item,Производ Бовча Точка
 DocType: Sales Partner,Sales Partner Name,Продажбата партнер Име
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Барање за прибирање на понуди
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Барање за прибирање на понуди
 DocType: Payment Reconciliation,Maximum Invoice Amount,Максималниот износ на фактура
 DocType: Normal Test Items,Normal Test Items,Нормални тестови
+DocType: QuickBooks Migrator,Company Settings,Поставувања на компанијата
 DocType: Additional Salary,Overwrite Salary Structure Amount,Запиши ја износот на платата на платата
 DocType: Student Language,Student Language,студентски јазик
 apps/erpnext/erpnext/config/selling.py +23,Customers,клиентите
@@ -4981,22 +5044,24 @@
 DocType: Issue,Opening Time,Отворање Време
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Од и до датуми потребни
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Хартии од вредност и стоковни берзи
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Стандардно единица мерка за Варијанта &#39;{0}&#39; мора да биде иста како и во Мострата &quot;{1}&quot;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Стандардно единица мерка за Варијанта &#39;{0}&#39; мора да биде иста како и во Мострата &quot;{1}&quot;
 DocType: Shipping Rule,Calculate Based On,Се пресмета врз основа на
 DocType: Contract,Unfulfilled,Неуспешен
 DocType: Delivery Note Item,From Warehouse,Од Магацин
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Нема вработени за наведените критериуми
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Нема предмети со Бил на материјали за производство на
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Нема предмети со Бил на материјали за производство на
 DocType: Shopify Settings,Default Customer,Стандарден клиент
+DocType: Sales Stage,Stage Name,Сценско име
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Име супервизор
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Не потврдувајте дали состанок е креиран за истиот ден
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Брод до држава
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Брод до држава
 DocType: Program Enrollment Course,Program Enrollment Course,Програма за запишување на курсот
 DocType: Program Enrollment Course,Program Enrollment Course,Програма за запишување на курсот
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Корисникот {0} веќе е назначен на Здравствениот лекар {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Направете запис за задржување на примерокот
 DocType: Purchase Taxes and Charges,Valuation and Total,Вреднување и Вкупно
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Преговарање / преглед
 DocType: Leave Encashment,Encashment Amount,Вредност на инкасацијата
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Истечени серии
@@ -5006,7 +5071,7 @@
 DocType: Staffing Plan Detail,Current Openings,Тековни отворања
 DocType: Notification Control,Customize the Notification,Персонализација на известувањето
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Парични текови од работење
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Износ на CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Износ на CGST
 DocType: Purchase Invoice,Shipping Rule,Испорака Правило
 DocType: Patient Relation,Spouse,Сопруг
 DocType: Lab Test Groups,Add Test,Додај тест
@@ -5020,14 +5085,14 @@
 DocType: Payroll Entry,Payroll Frequency,Даноци на фреквенција
 DocType: Lab Test Template,Sensitivity,Чувствителност
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Синхронизацијата е привремено оневозможена бидејќи се надминати максималните обиди
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Суровина
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Суровина
 DocType: Leave Application,Follow via Email,Следете ги преку E-mail
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Постројки и машинерии
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Износот на данокот По Износ попуст
 DocType: Patient,Inpatient Status,Статус на стационар
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Дневен работа поставувања Резиме
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Избраните ценовници треба да имаат проверени купување и продавање на полиња.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Ве молиме внесете Reqd по датум
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Избраните ценовници треба да имаат проверени купување и продавање на полиња.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Ве молиме внесете Reqd по датум
 DocType: Payment Entry,Internal Transfer,внатрешен трансфер
 DocType: Asset Maintenance,Maintenance Tasks,Задачи за одржување
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Или цел количество: Контакт лице или целниот износ е задолжително
@@ -5049,7 +5114,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,последната комуникација
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,последната комуникација
 ,TDS Payable Monthly,TDS се плаќа месечно
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Наведени за замена на Бум. Може да потрае неколку минути.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Наведени за замена на Бум. Може да потрае неколку минути.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се одземе кога категорија е за 'Вреднување' или 'Вреднување и Вкупно'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Сериски броеви кои се потребни за серијали Точка {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Натпреварот плаќања со фактури
@@ -5062,7 +5127,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Додади во кошничка
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Со група
 DocType: Guardian,Interests,Интереси
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Овозможи / оневозможи валути.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Овозможи / оневозможи валути.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Не може да се достават некои износи за заработувачка
 DocType: Exchange Rate Revaluation,Get Entries,Земи записи
 DocType: Production Plan,Get Material Request,Земете материјал Барање
@@ -5084,15 +5149,16 @@
 DocType: Lead,Lead Type,Потенцијален клиент Тип
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Немате дозвола да го одобри лисјата Забрани Термини
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Сите овие ставки се веќе фактурирани
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Поставете нов датум на издавање
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Поставете нов датум на издавање
 DocType: Company,Monthly Sales Target,Месечна продажна цел
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Може да биде одобрена од страна на {0}
 DocType: Hotel Room,Hotel Room Type,Тип на хотелска соба
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Добавувачот&gt; Тип на добавувач
 DocType: Leave Allocation,Leave Period,Оставете период
 DocType: Item,Default Material Request Type,Аватарот на материјал Барање Тип
 DocType: Supplier Scorecard,Evaluation Period,Период на евалуација
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,непознат
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Работната нарачка не е креирана
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Работната нарачка не е креирана
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Количина од {0} веќе се тврди за компонентата {1}, \ поставете го износот еднаков или поголем од {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Услови за испорака Правило
@@ -5127,15 +5193,15 @@
 DocType: Batch,Source Document Name,Извор документ Име
 DocType: Production Plan,Get Raw Materials For Production,Земете сирови материјали за производство
 DocType: Job Opening,Job Title,Работно место
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} покажува дека {1} нема да обезбеди цитат, но сите елементи \ биле цитирани. Ажурирање на статусот на понуда за понуда."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максималните примероци - {0} веќе се задржани за Серија {1} и Точка {2} во Серија {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максималните примероци - {0} веќе се задржани за Серија {1} и Точка {2} во Серија {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Ажурирајте го BOM трошокот автоматски
 DocType: Lab Test,Test Name,Име на тестирање
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Клиничка процедура потрошна точка
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,креирате корисници
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,грам
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Претплати
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Претплати
 DocType: Supplier Scorecard,Per Month,Месечно
 DocType: Education Settings,Make Academic Term Mandatory,Направете академски термин задолжително
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Количина за производство мора да биде поголем од 0.
@@ -5144,10 +5210,10 @@
 DocType: Stock Entry,Update Rate and Availability,Ажурирање курс и Достапност
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Процент ви е дозволено да примате или да испорача повеќе во однос на количината нареди. На пример: Ако го наредил 100 единици. и вашиот додаток е 10%, тогаш ви е дозволено да се добијат 110 единици."
 DocType: Loyalty Program,Customer Group,Група на потрошувачи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Ред # {0}: Операцијата {1} не е завршена за {2} количина на готови производи во работниот налог # {3}. Ве молиме ажурирајте го статусот на работа преку Временски дневници
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Ред # {0}: Операцијата {1} не е завршена за {2} количина на готови производи во работниот налог # {3}. Ве молиме ажурирајте го статусот на работа преку Временски дневници
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Нова серија проект (по избор)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Нова серија проект (по избор)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Сметка сметка е задолжително за ставката {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Сметка сметка е задолжително за ставката {0}
 DocType: BOM,Website Description,Веб-сајт Опис
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Нето промени во капиталот
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Ве молиме откажете купувањето фактура {0} првиот
@@ -5162,7 +5228,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Нема ништо да се променат.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Преглед на форма
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Трошок за одобрување задолжителен во трошок
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Резиме за овој месец и во очекување на активности
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Резиме за овој месец и во очекување на активности
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ве молиме наведете Неостварена сметка за стекнување / загуба на размена во компанијата {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Додајте корисници во вашата организација, освен вас."
 DocType: Customer Group,Customer Group Name,Клиент Име на групата
@@ -5172,14 +5238,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Нема креирано материјално барање
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ на кредитот не може да надмине максимален заем во износ од {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,лиценца
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Ве молиме да се отстрани оваа фактура {0} од C-Форма {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Ве молиме да се отстрани оваа фактура {0} од C-Форма {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Ве молиме изберете ја носи напред ако вие исто така сакаат да се вклучат во претходната фискална година биланс остава на оваа фискална година
 DocType: GL Entry,Against Voucher Type,Против ваучер Тип
 DocType: Healthcare Practitioner,Phone (R),Телефон (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Додадени се временски слотови
 DocType: Item,Attributes,Атрибути
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Овозможи дефиниција
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Ве молиме внесете го отпише профил
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Ве молиме внесете го отпише профил
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последните Ред Датум
 DocType: Salary Component,Is Payable,Се плаќа
 DocType: Inpatient Record,B Negative,Б Негативно
@@ -5190,7 +5256,7 @@
 DocType: Hotel Room,Hotel Room,Хотелска соба
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},На сметка {0} не припаѓа на компанијата {1}
 DocType: Leave Type,Rounding,Заокружување
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Сериски броеви во ред {0} не се поклопува со Потврда за испорака
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Сериски броеви во ред {0} не се поклопува со Потврда за испорака
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Дистрибуиран износ (проценети)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Потоа ценовните правила се филтрираат врз основа на клиент, група клиенти, територија, снабдувач, група за набавувачи, кампања, партнер за продажба итн."
 DocType: Student,Guardian Details,Гардијан Детали
@@ -5199,10 +5265,10 @@
 DocType: Vehicle,Chassis No,Не шасија
 DocType: Payment Request,Initiated,Инициран
 DocType: Production Plan Item,Planned Start Date,Планираниот почеток Датум
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Ве молиме изберете Бум
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Ве молиме изберете Бум
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Искористениот ИТЦ интегриран данок
 DocType: Purchase Order Item,Blanket Order Rate,Стапка на нарачка
-apps/erpnext/erpnext/hooks.py +156,Certification,Сертификација
+apps/erpnext/erpnext/hooks.py +157,Certification,Сертификација
 DocType: Bank Guarantee,Clauses and Conditions,Клаузули и услови
 DocType: Serial No,Creation Document Type,Креирање Вид на документ
 DocType: Project Task,View Timesheet,Преглед на табела
@@ -5227,6 +5293,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Родител Точка {0} не мора да биде Акции Точка
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Листа на веб-страници
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Сите производи или услуги.
+DocType: Email Digest,Open Quotations,Отвори цитати
 DocType: Expense Claim,More Details,Повеќе детали
 DocType: Supplier Quotation,Supplier Address,Добавувачот адреса
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} буџетот на сметка {1} од {2} {3} е {4}. Тоа ќе се надмине со {5}
@@ -5241,12 +5308,11 @@
 DocType: Training Event,Exam,испит
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Грешка на пазарот
 DocType: Complaint,Complaint,Жалба
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Магацински потребни за акции Точка {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Магацински потребни за акции Точка {0}
 DocType: Leave Allocation,Unused leaves,Неискористени листови
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Внесете го отплатата
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Сите одделенија
 DocType: Healthcare Service Unit,Vacant,Празен
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Добавувачот&gt; Тип на добавувач
 DocType: Patient,Alcohol Past Use,Користење на алкохол за минатото
 DocType: Fertilizer Content,Fertilizer Content,Содржина на ѓубрива
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5254,7 +5320,7 @@
 DocType: Tax Rule,Billing State,Платежна држава
 DocType: Share Transfer,Transfer,Трансфер
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Работната нарачка {0} мора да биде откажана пред да ја откажете оваа Продажна нарачка
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Земи експлодира Бум (вклучувајќи ги и потсклопови)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Земи експлодира Бум (вклучувајќи ги и потсклопови)
 DocType: Authorization Rule,Applicable To (Employee),Применливи To (вработените)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Поради Датум е задолжително
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Интервалот за Атрибут {0} не може да биде 0
@@ -5270,7 +5336,7 @@
 DocType: Disease,Treatment Period,Период на лекување
 DocType: Travel Itinerary,Travel Itinerary,Патување Рок
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Резултат веќе поднесен
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Резервираниот Магацин е задолжителен за Точка {0} во испорачаните суровини
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Резервираниот Магацин е задолжителен за Точка {0} во испорачаните суровини
 ,Inactive Customers,неактивни корисници
 DocType: Student Admission Program,Maximum Age,Максимална возраст
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Почекајте 3 дена пред да го испратите потсетникот.
@@ -5279,7 +5345,6 @@
 DocType: Stock Entry,Delivery Note No,Испратница Не
 DocType: Cheque Print Template,Message to show,Порака за да се покаже
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Трговија на мало
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Управувајте со фактурата за назначување автоматски
 DocType: Student Attendance,Absent,Отсутен
 DocType: Staffing Plan,Staffing Plan Detail,Детален план за персонал
 DocType: Employee Promotion,Promotion Date,Датум на промоција
@@ -5301,7 +5366,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Направете Водач
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Печатење и идентитет
 DocType: Stock Settings,Show Barcode Field,Прикажи Баркод поле
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Испрати Добавувачот пораки
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Испрати Добавувачот пораки
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Плата веќе обработени за периодот од {0} и {1} Остави период апликација не може да биде помеѓу овој период.
 DocType: Fiscal Year,Auto Created,Автоматски креирано
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Поднесете го ова за да креирате записник за вработените
@@ -5310,7 +5375,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Фактурата {0} повеќе не постои
 DocType: Guardian Interest,Guardian Interest,Гардијан камати
 DocType: Volunteer,Availability,Достапност
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Поставување на стандардните вредности за POS фактури
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Поставување на стандардните вредности за POS фактури
 apps/erpnext/erpnext/config/hr.py +248,Training,обука
 DocType: Project,Time to send,Време за испраќање
 DocType: Timesheet,Employee Detail,детали за вработените
@@ -5334,7 +5399,7 @@
 DocType: Training Event Employee,Optional,Факултативно
 DocType: Salary Slip,Earning & Deduction,Заработувајќи &amp; Одбивање
 DocType: Agriculture Analysis Criteria,Water Analysis,Анализа на вода
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} создадени варијанти.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} создадени варијанти.
 DocType: Amazon MWS Settings,Region,Регионот
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Опционални. Оваа поставка ќе се користи за филтрирање на различни трансакции.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Негативни Вреднување стапка не е дозволено
@@ -5353,7 +5418,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Цената на расходувани средства
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Цена центар е задолжително за ставката {2}
 DocType: Vehicle,Policy No,Не политика
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Се предмети од производот Бовча
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Се предмети од производот Бовча
 DocType: Asset,Straight Line,Права линија
 DocType: Project User,Project User,корисник на проектот
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Подели
@@ -5362,7 +5427,7 @@
 DocType: GL Entry,Is Advance,Е напредување
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Животниот циклус на вработените
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Публика од денот и Публика во тек е задолжително
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Ве молиме внесете &#39;се дава под договор &quot;, како Да или Не"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Ве молиме внесете &#39;се дава под договор &quot;, како Да или Не"
 DocType: Item,Default Purchase Unit of Measure,Стандардна набавна единица за мерка
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Датум на последната комуникација
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Датум на последната комуникација
@@ -5372,7 +5437,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Недостасуваат URL-то за пристап или Успешно
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,отпад Магацински
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Магацинот е потребен на редот бр. {0}, ве молиме поставете стандардно складиште за ставката {1} за компанијата {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Магацинот е потребен на редот бр. {0}, ве молиме поставете стандардно складиште за ставката {1} за компанијата {2}"
 DocType: Work Order,Check if material transfer entry is not required,Проверете дали не е потребно влез материјал трансфер
 DocType: Work Order,Check if material transfer entry is not required,Проверете дали не е потребно влез материјал трансфер
 DocType: Program Enrollment Tool,Get Students From,Земете студенти од
@@ -5389,6 +5454,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Нова серија Количина
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Облека и додатоци
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Не може да се реши пондерирана оценка. Осигурајте се дека формулата е валидна.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Предлози за нарачки не се добиени на време
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Број на нарачка
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Банер кои ќе се појавуваат на врвот од листата на производи.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Наведете услови за да се пресмета износот за испорака
@@ -5397,9 +5463,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Патека
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Не може да се конвертира цена центар за книга како што има дете јазли
 DocType: Production Plan,Total Planned Qty,Вкупно планирано количество
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,отворање вредност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,отворање вредност
 DocType: Salary Component,Formula,формула
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Сериски #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Сериски #
 DocType: Lab Test Template,Lab Test Template,Лабораториски тест обрасци
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Продажна сметка
 DocType: Purchase Invoice Item,Total Weight,Вкупна тежина
@@ -5417,7 +5483,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Направете материјал Барање
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Отвори Точка {0}
 DocType: Asset Finance Book,Written Down Value,Пишана вредност
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ве молиме подесете Систем за имиџ на вработените во човечки ресурси&gt; Поставувања за човечки ресурси
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Продажната Фактура {0} мора да поништи пред да се поништи оваа Продажна Нарачка
 DocType: Clinical Procedure,Age,Години
 DocType: Sales Invoice Timesheet,Billing Amount,Платежна Износ
@@ -5426,11 +5491,11 @@
 DocType: Company,Default Employee Advance Account,Стандардна сметка на вработените
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Барај точка (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Сметка со постоечките трансакцијата не може да се избришат
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Сметка со постоечките трансакцијата не може да се избришат
 DocType: Vehicle,Last Carbon Check,Последните јаглерод Проверете
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Правни трошоци
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Ве молиме изберете количина на ред
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Испратете ги фактурите за продажба и купување
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Испратете ги фактурите за продажба и купување
 DocType: Purchase Invoice,Posting Time,Праќање пораки во Време
 DocType: Timesheet,% Amount Billed,% Износ Опишан
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Телефонски трошоци
@@ -5445,14 +5510,14 @@
 DocType: Maintenance Visit,Breakdown,Дефект
 DocType: Travel Itinerary,Vegetarian,Вегетаријанец
 DocType: Patient Encounter,Encounter Date,Датум на средба
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Сметка: {0} со валутна: не може да се одбрани {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Сметка: {0} со валутна: не може да се одбрани {1}
 DocType: Bank Statement Transaction Settings Item,Bank Data,Податоци за банка
 DocType: Purchase Receipt Item,Sample Quantity,Количина на примероци
 DocType: Bank Guarantee,Name of Beneficiary,Име на корисникот
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Ажурирајте го БОМ трошокот автоматски преку Распоредувачот, врз основа на најновата проценка за стапката / ценовниот лист / последната стапка на набавка на суровини."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Чек Датум
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},На сметка {0}: Родител на сметка {1} не припаѓа на компанијата: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},На сметка {0}: Родител на сметка {1} не припаѓа на компанијата: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Успешно избришани сите трансакции поврзани со оваа компанија!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Како на датум
 DocType: Additional Salary,HR,човечки ресурси
@@ -5460,7 +5525,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Извештаи за пациентите на SMS
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Условна казна
 DocType: Program Enrollment Tool,New Academic Year,Новата академска година
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Врати / кредит Забелешка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Врати / кредит Забелешка
 DocType: Stock Settings,Auto insert Price List rate if missing,Авто вметнете Ценовник стапка ако недостасува
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Вкупно Исплатен износ
 DocType: GST Settings,B2C Limit,Ограничување на B2C
@@ -5478,10 +5543,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,јазли дете може да се создаде само под јазли типот &quot;група&quot;
 DocType: Attendance Request,Half Day Date,Половина ден Датум
 DocType: Academic Year,Academic Year Name,Академска година име
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} не е дозволено да се справи со {1}. Ве молиме да ја смените компанијата.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} не е дозволено да се справи со {1}. Ве молиме да ја смените компанијата.
 DocType: Sales Partner,Contact Desc,Контакт Desc
 DocType: Email Digest,Send regular summary reports via Email.,Испрати редовни збирни извештаи преку E-mail.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Поставете стандардна сметка во трошок Тип на приговор {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Поставете стандардна сметка во трошок Тип на приговор {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Достапни листови
 DocType: Assessment Result,Student Name,студентски Име
 DocType: Hub Tracked Item,Item Manager,Точка менаџер
@@ -5506,9 +5571,10 @@
 DocType: Subscription,Trial Period End Date,Датум на завршување на судечкиот период
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не authroized од {0} надминува граници
 DocType: Serial No,Asset Status,Статус на состојба
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Преку димензионален товар (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Ресторан Табела
 DocType: Hotel Room,Hotel Manager,Менаџер на хотели
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Постави Данок Правило за количката
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Постави Данок Правило за количката
 DocType: Purchase Invoice,Taxes and Charges Added,Даноци и давачки Додадено
 ,Sales Funnel,Продажбата на инка
 apps/erpnext/erpnext/setup/doctype/company/company.py +53,Abbreviation is mandatory,Кратенка задолжително
@@ -5523,10 +5589,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Сите групи потрошувачи
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Акумулирана Месечни
 DocType: Attendance Request,On Duty,На должност
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задолжително. Можеби рекорд размена на валута не е создадена за {1} до {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задолжително. Можеби рекорд размена на валута не е создадена за {1} до {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Планот за вработување {0} веќе постои за означување {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Данок Шаблон е задолжително.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,На сметка {0}: Родител на сметка {1} не постои
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,На сметка {0}: Родител на сметка {1} не постои
 DocType: POS Closing Voucher,Period Start Date,Датум на почеток на периодот
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценовник стапка (Фирма валута)
 DocType: Products Settings,Products Settings,производи Settings
@@ -5546,7 +5612,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Оваа акција ќе го спречи идното наплата. Дали сте сигурни дека сакате да ја откажете претплатата?
 DocType: Serial No,Distinct unit of an Item,Посебна единица мерка на ставката
 DocType: Supplier Scorecard Criteria,Criteria Name,Критериум Име
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Поставете компанијата
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Поставете компанијата
 DocType: Procedure Prescription,Procedure Created,Создадена е постапка
 DocType: Pricing Rule,Buying,Купување
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Болести и ѓубрива
@@ -5563,43 +5629,44 @@
 DocType: Employee Onboarding,Job Offer,Понуда за работа
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Институтот Кратенка
 ,Item-wise Price List Rate,Точка-мудар Ценовник стапка
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Понуда од Добавувач
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Понуда од Добавувач
 DocType: Quotation,In Words will be visible once you save the Quotation.,Во Зборови ќе бидат видливи откако ќе го спаси котација.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може да биде дел во ред {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може да биде дел во ред {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може да биде дел во ред {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може да биде дел во ред {1}
 DocType: Contract,Unsigned,Непотпишан
 DocType: Selling Settings,Each Transaction,Секоја трансакција
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Баркод {0} веќе се користи во ставка {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Баркод {0} веќе се користи во ставка {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила за додавање на трошоците за испорака.
 DocType: Hotel Room,Extra Bed Capacity,Капацитет со дополнителен кревет
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,отворање на Акции
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Се бара купувачи
 DocType: Lab Test,Result Date,Датум на резултати
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Датум
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Датум
 DocType: Purchase Order,To Receive,За да добиете
 DocType: Leave Period,Holiday List for Optional Leave,Листа на летови за изборно напуштање
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Сопственик на средства
 DocType: Purchase Invoice,Reason For Putting On Hold,Причина за ставање на чекање
 DocType: Employee,Personal Email,Личен е-маил
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Вкупна Варијанса
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Вкупна Варијанса
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е овозможено, системот ќе ја објавите на сметководствените ставки за попис автоматски."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Брокерски
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Публика за вработените {0} веќе е означен за овој ден
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Публика за вработените {0} веќе е означен за овој ден
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",во минути освежено преку &quot;Време Вклучи се &#39;
 DocType: Customer,From Lead,Од Потенцијален клиент
 DocType: Amazon MWS Settings,Synch Orders,Налози за синхронизација
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Нарачка пуштени во производство.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Изберете фискалната година ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Профил потребно да се направи ПОС Влегување
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Профил потребно да се направи ПОС Влегување
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Точките за лојалност ќе се пресметаат од потрошеното (преку фактурата за продажба), врз основа на споменатиот фактор на наплата."
 DocType: Program Enrollment Tool,Enroll Students,Студентите кои се запишуваат
 DocType: Company,HRA Settings,Поставувања за HRA
 DocType: Employee Transfer,Transfer Date,Датум на пренос
 DocType: Lab Test,Approved Date,Датум на одобрување
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандардна Продажба
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Барем еден магацин е задолжително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Барем еден магацин е задолжително
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Конфигурирај ги Полето на предметот како UOM, група на предмети, Опис и број на часови."
 DocType: Certification Application,Certification Status,Статус на сертификација
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Пазар
@@ -5619,6 +5686,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Соодветни фактури
 DocType: Work Order,Required Items,Задолжителни предмети
 DocType: Stock Ledger Entry,Stock Value Difference,Акции Вредност разликата
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Ред број {0}: {1} {2} не постои во горната табела &quot;{1}&quot;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Човечки ресурси
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Плаќање помирување на плаќање
 DocType: Disease,Treatment Task,Третман задача
@@ -5636,7 +5704,8 @@
 DocType: Account,Debit,Дебитна
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Листови мора да бидат распределени во мултипли од 0,5"
 DocType: Work Order,Operation Cost,Оперативни трошоци
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Најдобро Амт
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Идентификување на одлуки
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Најдобро Амт
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Поставените таргети Точка група-мудар за ова продажбата на лице.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Замрзнување резерви постари од [Денови]
 DocType: Payment Request,Payment Ordered,Нареди исплата
@@ -5648,14 +5717,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Им овозможи на овие корисници да се одобри отсуство Апликации за блок дена.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Животен циклус
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Направете Бум
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},стапка за продажба точка {0} е пониска од својот {1}. продажба стапка треба да биде барем {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},стапка за продажба точка {0} е пониска од својот {1}. продажба стапка треба да биде барем {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},стапка за продажба точка {0} е пониска од својот {1}. продажба стапка треба да биде барем {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},стапка за продажба точка {0} е пониска од својот {1}. продажба стапка треба да биде барем {2}
 DocType: Subscription,Taxes,Даноци
 DocType: Purchase Invoice,capital goods,капитални добра
 DocType: Purchase Invoice Item,Weight Per Unit,Тежина по единица
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Платени и не предаде
-DocType: Project,Default Cost Center,Стандардната цена центар
-DocType: Delivery Note,Transporter Doc No,Документ за транспортер бр
+DocType: QuickBooks Migrator,Default Cost Center,Стандардната цена центар
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,акции трансакции
 DocType: Budget,Budget Accounts,буџетски сметки
 DocType: Employee,Internal Work History,Внатрешна работа Историја
@@ -5688,7 +5756,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Здравствениот лекар не е достапен на {0}
 DocType: Stock Entry Detail,Additional Cost,Дополнителни трошоци
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрираат врз основа на ваучер Не, ако се групираат според ваучер"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Направете Добавувачот цитат
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Направете Добавувачот цитат
 DocType: Quality Inspection,Incoming,Дојдовни
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Основни даночни обрасци за продажба и купување се создаваат.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Оценка Резултатот од резултатот {0} веќе постои.
@@ -5704,7 +5772,7 @@
 DocType: Batch,Batch ID,Серија проект
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Забелешка: {0}
 ,Delivery Note Trends,Испратница трендови
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Краток преглед на оваа недела
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Краток преглед на оваа недела
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Во акциите на количество
 ,Daily Work Summary Replies,Дневни резимеа
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Пресметајте ги проценетите времиња на пристигнување
@@ -5714,7 +5782,7 @@
 DocType: Bank Account,Party,Партија
 DocType: Healthcare Settings,Patient Name,Име на пациентот
 DocType: Variant Field,Variant Field,Варијантско поле
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Целна локација
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Целна локација
 DocType: Sales Order,Delivery Date,Датум на испорака
 DocType: Opportunity,Opportunity Date,Можност Датум
 DocType: Employee,Health Insurance Provider,Провајдер за здравствено осигурување
@@ -5733,7 +5801,7 @@
 DocType: Employee,History In Company,Во историјата на компанијата
 DocType: Customer,Customer Primary Address,Примарна адреса на потрошувачот
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Билтени
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Референтен број
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Референтен број
 DocType: Drug Prescription,Description/Strength,Опис / сила
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Креирај нова исплата / запис во дневникот
 DocType: Certification Application,Certification Application,Сертификација апликација
@@ -5744,10 +5812,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Истата ставка се внесени повеќе пати
 DocType: Department,Leave Block List,Остави Забрани Листа
 DocType: Purchase Invoice,Tax ID,Данок проект
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Ставка {0} не е подесување за сериски бр. Колоната мора да биде празна
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Ставка {0} не е подесување за сериски бр. Колоната мора да биде празна
 DocType: Accounts Settings,Accounts Settings,Сметки Settings
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,одобри
 DocType: Loyalty Program,Customer Territory,Клиентска територија
+DocType: Email Digest,Sales Orders to Deliver,Продажни налози за да се испорачаат
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Број на нова сметка, таа ќе биде вклучена во името на сметката како префикс"
 DocType: Maintenance Team Member,Team Member,Член на тимот
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Нема резултат што треба да се поднесе
@@ -5757,7 +5826,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Вкупно {0} за сите предмети е нула, може да треба да се менува &quot;Дистрибуирање промени врз основа на&quot;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,До денес не може да биде помала од датумот
 DocType: Opportunity,To Discuss,За да дискутираат
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Ова се базира на трансакции против овој претплатник. Погледнете временска рамка подолу за детали
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} единици од {1} потребни {2} за да се заврши оваа трансакција.
 DocType: Loan Type,Rate of Interest (%) Yearly,Каматна стапка (%) Годишен
 DocType: Support Settings,Forum URL,URL на форумот
@@ -5772,7 +5840,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Научи повеќе
 DocType: Cheque Print Template,Distance from top edge,Одалеченост од горниот раб
 DocType: POS Closing Voucher Invoices,Quantity of Items,Број на предмети
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Ценовник {0} е оневозможено или не постои
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Ценовник {0} е оневозможено или не постои
 DocType: Purchase Invoice,Return,Враќање
 DocType: Pricing Rule,Disable,Оневозможи
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Начин на плаќање е потребно да се изврши плаќање
@@ -5780,18 +5848,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Уредете во целосна страница за повеќе опции како средства, сериски број, партии итн."
 DocType: Leave Type,Maximum Continuous Days Applicable,Применливи се максимални континуирани денови
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не е запишано во серијата {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Асет {0} не може да се уништи, како што е веќе {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Асет {0} не може да се уништи, како што е веќе {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Потребни проверки
 DocType: Task,Total Expense Claim (via Expense Claim),Вкупно Побарување за Расход (преку Побарување за Расход)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Марк Отсутни
 DocType: Job Applicant Source,Job Applicant Source,Извор на апликација за работа
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Износ на IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Износ на IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Не успеа да се постави компанија
 DocType: Asset Repair,Asset Repair,Поправка на средства
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута на Бум # {1} треба да биде еднаква на избраната валута {2}
 DocType: Journal Entry Account,Exchange Rate,На девизниот курс
 DocType: Patient,Additional information regarding the patient,Дополнителни информации во врска со пациентот
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Продај Побарувања {0} не е поднесен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Продај Побарувања {0} не е поднесен
 DocType: Homepage,Tag Line,таг линија
 DocType: Fee Component,Fee Component,надомест Компонента
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,транспортен менаџмент
@@ -5806,7 +5874,7 @@
 DocType: Healthcare Practitioner,Mobile,Мобилен
 ,Sales Person-wise Transaction Summary,Продажбата на лице-мудар Преглед на трансакциите
 DocType: Training Event,Contact Number,Број за контакт
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Магацински {0} не постои
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Магацински {0} не постои
 DocType: Cashier Closing,Custody,Притвор
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Детали за поднесување на даночни ослободувања од вработените
 DocType: Monthly Distribution,Monthly Distribution Percentages,Месечен Процентите Дистрибуција
@@ -5821,7 +5889,7 @@
 DocType: Payment Entry,Paid Amount,Уплатениот износ
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Истражувај го циклусот на продажба
 DocType: Assessment Plan,Supervisor,супервизор
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Задржување на акции за задржување
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Задржување на акции за задржување
 ,Available Stock for Packing Items,Достапни берза за материјали за пакување
 DocType: Item Variant,Item Variant,Точка Варијанта
 ,Work Order Stock Report,Извештај за работен налог
@@ -5830,9 +5898,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Како супервизор
 DocType: Leave Policy Detail,Leave Policy Detail,Остави детали за политиката
 DocType: BOM Scrap Item,BOM Scrap Item,BOM на отпад/кало
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Поднесени налози не може да биде избришан
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс на сметка веќе во Дебитна, не Ви е дозволено да се постави рамнотежа мора да биде &quot;како&quot; кредит &quot;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Управување со квалитет
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Поднесени налози не може да биде избришан
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс на сметка веќе во Дебитна, не Ви е дозволено да се постави рамнотежа мора да биде &quot;како&quot; кредит &quot;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Управување со квалитет
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Точка {0} е исклучена
 DocType: Project,Total Billable Amount (via Timesheets),Вкупно наплатен износ (преку тајмс)
 DocType: Agriculture Task,Previous Business Day,Претходен работен ден
@@ -5855,15 +5923,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Трошковни центри
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Рестартирај претплата
 DocType: Linked Plant Analysis,Linked Plant Analysis,Анализа на поврзаните фабрики
-DocType: Delivery Note,Transporter ID,ID на транспортер
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID на транспортер
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Вредност
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Стапка по која добавувачот валута е претворена во основна валута компанијата
-DocType: Sales Invoice Item,Service End Date,Датум за завршување на услугата
+DocType: Purchase Invoice Item,Service End Date,Датум за завршување на услугата
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ред # {0}: Timings конфликти со ред {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволете нула Вреднување курс
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволете нула Вреднување курс
 DocType: Bank Guarantee,Receiving,Примање
 DocType: Training Event Employee,Invited,поканети
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Портал сметки поставување.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Портал сметки поставување.
 DocType: Employee,Employment Type,Тип на вработување
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,"Основни средства,"
 DocType: Payment Entry,Set Exchange Gain / Loss,Внесени курсни добивка / загуба
@@ -5879,7 +5948,7 @@
 DocType: Tax Rule,Sales Tax Template,Данок на промет Шаблон
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Плати против приговор за добивка
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Ажурирајте го бројот на центарот за трошоци
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Изберете предмети за да се спаси фактура
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Изберете предмети за да се спаси фактура
 DocType: Employee,Encashment Date,Датум на инкасо
 DocType: Training Event,Internet,интернет
 DocType: Special Test Template,Special Test Template,Специјален тест образец
@@ -5887,13 +5956,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Постои Цена стандардно активност за Тип на активност - {0}
 DocType: Work Order,Planned Operating Cost,Планираните оперативни трошоци
 DocType: Academic Term,Term Start Date,Терминот Дата на започнување
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Листа на сите удели во акции
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Листа на сите удели во акции
+DocType: Supplier,Is Transporter,Е транспортер
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Увези Продај фактура од Shopify ако е означено плаќањето
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Грофот
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Грофот
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Мора да се постави датумот на завршување на датумот на судењето и датумот на завршување на судечкиот период
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Просечна стапка
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Вкупниот износ на исплата во распоредот за плаќање мора да биде еднаков на Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Вкупниот износ на исплата во распоредот за плаќање мора да биде еднаков на Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,План
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,"Извод од банка биланс, како на генералниот Леџер"
 DocType: Job Applicant,Applicant Name,Подносител на барањето Име
@@ -5921,7 +5991,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Достапно Количина на изворот Магацински
 apps/erpnext/erpnext/config/support.py +22,Warranty,гаранција
 DocType: Purchase Invoice,Debit Note Issued,Задолжување Издадено
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Филтерот базиран на Центар за трошоци е применлив само ако Буџетот Против е избран како Центар за трошоци
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Филтерот базиран на Центар за трошоци е применлив само ако Буџетот Против е избран како Центар за трошоци
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Пребарување по код на предмет, сериски број, сериски број или баркод"
 DocType: Work Order,Warehouses,Магацини
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} средства не можат да се пренесат
@@ -5932,9 +6002,9 @@
 DocType: Workstation,per hour,на час
 DocType: Blanket Order,Purchasing,купување
 DocType: Announcement,Announcement,најава
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Клиент LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Клиент LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За Batch врз основа Група на студенти, Студентската серија ќе биде потврдена за секој студент од програма за запишување."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не може да биде избришан како што постои влез акции Леџер за оваа склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не може да биде избришан како што постои влез акции Леџер за оваа склад.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Дистрибуција
 DocType: Journal Entry Account,Loan,Заем
 DocType: Expense Claim Advance,Expense Claim Advance,Надоместок за наплата на трошоци
@@ -5943,7 +6013,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Проект менаџер
 ,Quoted Item Comparison,Цитирано Точка споредба
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Преклопување во постигнувајќи помеѓу {0} и {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Испраќање
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Испраќање
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Макс попуст дозволено за ставка: {0} е {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,"Нето вредноста на средствата, како на"
 DocType: Crop,Produce,Производство
@@ -5953,20 +6023,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Потрошувачка на материјал за производство
 DocType: Item Alternative,Alternative Item Code,Код на алтернативна точка
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Улогата што може да поднесе трансакции кои надминуваат кредитни лимити во собата.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Изберете предмети за производство
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Изберете предмети за производство
 DocType: Delivery Stop,Delivery Stop,Испорака Стоп
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време"
 DocType: Item,Material Issue,Материјал Број
 DocType: Employee Education,Qualification,Квалификација
 DocType: Item Price,Item Price,Ставка Цена
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Сапун и детергент
 DocType: BOM,Show Items,Прикажи Теми
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Од време не може да биде поголема отколку на време.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Дали сакате да ги известите сите клиенти преку е-пошта?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Дали сакате да ги известите сите клиенти преку е-пошта?
 DocType: Subscription Plan,Billing Interval,Интервал на фактурирање
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Филмски и видео
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Нареди
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Крајниот датум на почеток и вистинскиот краен датум е задолжителен
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Група на клиенти&gt; Територија
 DocType: Salary Detail,Component,компонента
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Редот {0}: {1} мора да биде поголем од 0
 DocType: Assessment Criteria,Assessment Criteria Group,Критериуми за оценување група
@@ -5997,11 +6068,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Внесете го името на банката или кредитната институција пред да поднесете.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} мора да бидат поднесени
 DocType: POS Profile,Item Groups,точка групи
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Денес е {0} &#39;е роденден!
 DocType: Sales Order Item,For Production,За производство
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Биланс на валута Валута
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Ве молиме додадете сметка за привремено отворање во сметковниот план
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Ве молиме додадете сметка за привремено отворање во сметковниот план
 DocType: Customer,Customer Primary Contact,Основен контакт на купувачи
 DocType: Project Task,View Task,Види Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / олово%
@@ -6015,11 +6085,11 @@
 DocType: Sales Invoice,Get Advances Received,Се аванси
 DocType: Email Digest,Add/Remove Recipients,Додадете / отстраните примачи
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Да го поставите на оваа фискална година како стандарден, кликнете на &quot;Постави како стандарден&quot;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Износ на TDS одбиен
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Износ на TDS одбиен
 DocType: Production Plan,Include Subcontracted Items,Вклучете ги предметите на субдоговор
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Зачлени се
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Недостаток Количина
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Зачлени се
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Недостаток Количина
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути
 DocType: Loan,Repay from Salary,Отплати од плата
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Барајќи исплата од {0} {1} за износот {2}
 DocType: Additional Salary,Salary Slip,Плата фиш
@@ -6035,7 +6105,7 @@
 DocType: Patient,Dormant,хибернација
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Даночен данок за непризнаени придобивки од вработените
 DocType: Salary Slip,Total Interest Amount,Вкупен износ на камата
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Магацини со дете јазли не може да се конвертира Леџер
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Магацини со дете јазли не може да се конвертира Леџер
 DocType: BOM,Manage cost of operations,Управување со трошоците на работење
 DocType: Accounts Settings,Stale Days,Стари денови
 DocType: Travel Itinerary,Arrival Datetime,Пристигнување на податоци
@@ -6047,7 +6117,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Проценка Резултат детали
 DocType: Employee Education,Employee Education,Вработен образование
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Дупликат група точка најде во табелата на точката група
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Потребно е да се достигне цена Ставка Детали.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Потребно е да се достигне цена Ставка Детали.
 DocType: Fertilizer,Fertilizer Name,Име на ѓубриво
 DocType: Salary Slip,Net Pay,Нето плати
 DocType: Cash Flow Mapping Accounts,Account,Сметка
@@ -6058,14 +6128,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Направете одделен платен влез против приговор за добивка
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Присуство на температура (температура&gt; 38,5 ° C / 101,3 ° F или постојана температура&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Тим за продажба Детали за
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Избриши засекогаш?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Избриши засекогаш?
 DocType: Expense Claim,Total Claimed Amount,Вкупен Износ на Побарувања
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенцијални можности за продажба.
 DocType: Shareholder,Folio no.,Фолио бр.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Неважечки {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Боледување
 DocType: Email Digest,Email Digest,Е-билтени
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,не се
 DocType: Delivery Note,Billing Address Name,Платежна адреса Име
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Одделот на мало
 ,Item Delivery Date,Датум на испорака
@@ -6081,16 +6150,16 @@
 DocType: Account,Chargeable,Наплатени
 DocType: Company,Change Abbreviation,Промена Кратенка
 DocType: Contract,Fulfilment Details,Детали за исполнување
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Плаќаат {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Плаќаат {0} {1}
 DocType: Employee Onboarding,Activities,Активности
 DocType: Expense Claim Detail,Expense Date,Датум на сметка
 DocType: Item,No of Months,Број на месеци
 DocType: Item,Max Discount (%),Макс попуст (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Кредитните денови не можат да бидат негативен број
-DocType: Sales Invoice Item,Service Stop Date,Датум за прекин на услуга
+DocType: Purchase Invoice Item,Service Stop Date,Датум за прекин на услуга
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Последна нарачана Износ
 DocType: Cash Flow Mapper,e.g Adjustments for:,"на пример, прилагодувања за:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Задржете го примерокот врз основа на серијата, ве молиме проверете Has Batch No за да го зачувате примерокот од ставката"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Задржете го примерокот врз основа на серијата, ве молиме проверете Has Batch No за да го зачувате примерокот од ставката"
 DocType: Task,Is Milestone,е Milestone
 DocType: Certification Application,Yet to appear,Сепак да се појави
 DocType: Delivery Stop,Email Sent To,-Мејл испратен до
@@ -6098,16 +6167,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Дозволи Центар за трошоци при внесувањето на билансната сметка
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Спојување со постоечка сметка
 DocType: Budget,Warn,Предупреди
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Сите предмети веќе се префрлени за овој работен налог.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Сите предмети веќе се префрлени за овој работен налог.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Било други забелешки, да се спомене напори кои треба да одат во евиденцијата."
 DocType: Asset Maintenance,Manufacturing User,Производство корисник
 DocType: Purchase Invoice,Raw Materials Supplied,Суровини Опрема што се испорачува
 DocType: Subscription Plan,Payment Plan,План за исплата
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Овозможете купување на предмети преку веб-страницата
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Валутата на ценовникот {0} мора да биде {1} или {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Управување со претплата
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Управување со претплата
 DocType: Appraisal,Appraisal Template,Процена Шаблон
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Напиши го кодот
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Напиши го кодот
 DocType: Soil Texture,Ternary Plot,Тернарско земјиште
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Проверете го ова за да овозможите закажана дневна рутинска синхронизација преку распоредувачот
 DocType: Item Group,Item Classification,Точка Класификација
@@ -6117,6 +6186,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Фактура за регистрација на пациенти
 DocType: Crop,Period,Период
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Општи Леџер
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,До фискалната година
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Прикажи ги Потенцијалните клиенти
 DocType: Program Enrollment Tool,New Program,нова програма
 DocType: Item Attribute Value,Attribute Value,Вредноста на атрибутот
@@ -6125,11 +6195,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Препорачани Пренареждане ниво
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Вработениот {0} од одделение {1} нема политика за напуштање на стандард
 DocType: Salary Detail,Salary Detail,плата детали
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Ве молиме изберете {0} Првиот
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Ве молиме изберете {0} Првиот
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Додадено е {0} корисници
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Во случај на повеќеслојна програма, корисниците ќе бидат автоматски доделени на засегнатите нивоа, како на нивните потрошени"
 DocType: Appointment Type,Physician,Лекар
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Серија {0} од ставка {1} е истечен.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Серија {0} од ставка {1} е истечен.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Консултации
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Завршено добро
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Цената Цената се појавува неколку пати врз основа на ценовник, снабдувач / клиент, валута, точка, UOM, Qty и датуми."
@@ -6138,22 +6208,21 @@
 DocType: Certification Application,Name of Applicant,Име на апликантот
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Временски план за производство.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,субтотална
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Не може да се променат својствата на варијанта по трансакција со акции. Ќе треба да направите нова ставка за да го направите тоа.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Не може да се променат својствата на варијанта по трансакција со акции. Ќе треба да направите нова ставка за да го направите тоа.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Мапа на SEPA без овластување
 DocType: Healthcare Practitioner,Charges,Надоместоци
 DocType: Production Plan,Get Items For Work Order,Добијте предмети за работна нарачка
 DocType: Salary Detail,Default Amount,Стандардно Износ
 DocType: Lab Test Template,Descriptive,Описни
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Магацински не се најде во системот
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Резиме Овој месец
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Резиме Овој месец
 DocType: Quality Inspection Reading,Quality Inspection Reading,Квалитет инспекција читање
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Замрзнување резерви Постарите Than` треба да биде помала од% d дена.
 DocType: Tax Rule,Purchase Tax Template,Купување Данок Шаблон
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Поставете продажбата цел што сакате да постигнете за вашата компанија.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Здравствени услуги
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Здравствени услуги
 ,Project wise Stock Tracking,Проектот мудро берза за следење
 DocType: GST HSN Code,Regional,регионалната
-DocType: Delivery Note,Transport Mode,Режим на транспорт
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Лабораторија
 DocType: UOM Category,UOM Category,УОМ категорија
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Крај Количина (на изворот на / target)
@@ -6176,17 +6245,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Не успеа да создаде веб-локација
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Детална UOM конверзија
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Веќе креиран запис за задржување на акции или не е обезбеден примерок
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Веќе креиран запис за задржување на акции или не е обезбеден примерок
 DocType: Program,Program Abbreviation,Програмата Кратенка
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Производство цел не може да се зголеми во однос на точка Шаблон
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Обвиненијата се ажурирани Набавка Потврда против секоја ставка
 DocType: Warranty Claim,Resolved By,Реши со
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Распоред на празнење
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Чекови и депозити неправилно исчистена
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,На сметка {0}: Вие не може да се додели како родител сметка
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,На сметка {0}: Вие не може да се додели како родител сметка
 DocType: Purchase Invoice Item,Price List Rate,Ценовник стапка
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Креирај понуди на клиентите
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Датум за Услуга на сервисот не може да биде по датумот за завршување на услугата
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Датум за Услуга на сервисот не може да биде по датумот за завршување на услугата
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Покажуваат &quot;Залиха&quot; или &quot;Не во парк&quot; врз основа на акции на располагање во овој склад.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Бил на материјали (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Просечно време преземени од страна на снабдувачот да испорача
@@ -6198,11 +6267,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Часови
 DocType: Project,Expected Start Date,Се очекува Почеток Датум
 DocType: Purchase Invoice,04-Correction in Invoice,04-корекција во фактура
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Работниот ред е веќе креиран за сите предмети со BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Работниот ред е веќе креиран за сите предмети со BOM
 DocType: Payment Request,Party Details,Детали за партијата
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Извештај за детали од варијанта
 DocType: Setup Progress Action,Setup Progress Action,Поставување Акција за напредок
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Купување на ценовник
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Купување на ценовник
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Отстрани точка ако обвиненијата не се применува на таа ставка
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Откажи претплата
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Ве молиме изберете Maintenance Status as Completed или отстранете го датумот на комплетирање
@@ -6220,7 +6289,7 @@
 DocType: Asset,Disposal Date,отстранување Датум
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Пораките ќе бидат испратени до сите активни вработени на компанијата во дадениот час, ако тие немаат одмор. Резиме на одговорите ќе бидат испратени на полноќ."
 DocType: Employee Leave Approver,Employee Leave Approver,Вработен Остави Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: Тоа е внесување Пренареждане веќе постои за оваа магацин {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: Тоа е внесување Пренареждане веќе постои за оваа магацин {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Не може да се декларираат како изгубени, бидејќи цитат е направен."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Сметка за CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,обука Повратни информации
@@ -6232,7 +6301,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,До денес не може да биде пред од денот
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Дел нозе
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Додај / Уреди цени
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Додај / Уреди цени
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Промоцијата на вработените не може да се поднесе пред Датум на промоција
 DocType: Batch,Parent Batch,родител Batch
 DocType: Batch,Parent Batch,родител Batch
@@ -6243,6 +6312,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Збирка примероци
 ,Requested Items To Be Ordered,Бара предмети да се средат
 DocType: Price List,Price List Name,Ценовник Име
+DocType: Delivery Stop,Dispatch Information,Информации за испраќање
 DocType: Blanket Order,Manufacturing,Производство
 ,Ordered Items To Be Delivered,Нарачани да бидат испорачани
 DocType: Account,Income,Приходи
@@ -6261,17 +6331,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} единици од {1} потребни {2} на {3} {4} {5} за да се заврши оваа трансакција.
 DocType: Fee Schedule,Student Category,студентски Категорија
 DocType: Announcement,Student,студент
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедурата за почеток на количината не е достапна во складот. Дали сакате да снимите пренос на акции?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедурата за почеток на количината не е достапна во складот. Дали сакате да снимите пренос на акции?
 DocType: Shipping Rule,Shipping Rule Type,Тип на пратка за испорака
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Оди во соби
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Друштвото, платежната сметка, датумот и датумот е задолжително"
 DocType: Company,Budget Detail,Буџетот Детална
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ве молиме внесете ја пораката пред испраќањето
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Дупликат за добавувачот
-DocType: Email Digest,Pending Quotations,Во очекување Цитати
-DocType: Delivery Note,Distance (KM),Растојание (КМ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Добавувачот&gt; Група на снабдувачи
 DocType: Asset,Custodian,Чувар
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Продажба Профил
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Продажба Профил
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} треба да биде вредност помеѓу 0 и 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Плаќање на {0} од {1} до {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Необезбедени кредити
@@ -6303,10 +6372,10 @@
 DocType: Lead,Converted,Конвертираната
 DocType: Item,Has Serial No,Има серија №
 DocType: Employee,Date of Issue,Датум на издавање
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Како на Settings Купување ако Набавка Reciept задолжителни == &quot;ДА&quot;, тогаш за создавање Набавка фактура, корисникот треба да се создаде Набавка Потврда за прв елемент {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Како на Settings Купување ако Набавка Reciept задолжителни == &quot;ДА&quot;, тогаш за создавање Набавка фактура, корисникот треба да се создаде Набавка Потврда за прв елемент {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Ред # {0}: Постави Добавувачот за ставката {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Ред {0}: часови вредност мора да биде поголема од нула.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Веб-страница на слика {0} прилог Точка {1} Не може да се најде
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Веб-страница на слика {0} прилог Точка {1} Не може да се најде
 DocType: Issue,Content Type,Типот на содржина
 DocType: Asset,Assets,Средства
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Компјутер
@@ -6317,7 +6386,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} не постои
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Ве молиме проверете ја опцијата Мулти Валута да им овозможи на сметки со друга валута
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Точка: {0} не постои во системот
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Немате дозвола да го поставите Замрзнати вредност
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Немате дозвола да го поставите Замрзнати вредност
 DocType: Payment Reconciliation,Get Unreconciled Entries,Земете неусогласеност записи
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Вработениот {0} е на Остави на {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Нема избрани отплати за внесување на весници
@@ -6335,13 +6404,14 @@
 ,Average Commission Rate,Просечната стапка на Комисијата
 DocType: Share Balance,No of Shares,Број на акции
 DocType: Taxable Salary Slab,To Amount,За износот
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Серискиот број"" не може да биде ""Да"" за не-складишни ставки"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Серискиот број"" не може да биде ""Да"" за не-складишни ставки"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Изберете Статус
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Публика не можат да бидат означени за идните датуми
 DocType: Support Search Source,Post Description Key,Пост Опис клуч
 DocType: Pricing Rule,Pricing Rule Help,Цените Правило Помош
 DocType: School House,House Name,Име куќа
 DocType: Fee Schedule,Total Amount per Student,Вкупен износ по ученик
+DocType: Opportunity,Sales Stage,Продажен фаза
 DocType: Purchase Taxes and Charges,Account Head,Сметка на главата
 DocType: Company,HRA Component,HRA компонента
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Електрични
@@ -6349,15 +6419,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Вкупно Разлика во Вредност (Излез - Влез)
 DocType: Grant Application,Requested Amount,Баран износ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Ред {0}: курс е задолжително
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID на корисникот не е поставена за вработените {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID на корисникот не е поставена за вработените {0}
 DocType: Vehicle,Vehicle Value,вредноста на возилото
 DocType: Crop Cycle,Detected Diseases,Откриени болести
 DocType: Stock Entry,Default Source Warehouse,Стандардно Извор Магацински
 DocType: Item,Customer Code,Код на клиентите
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Роденден Потсетник за {0}
 DocType: Asset Maintenance Task,Last Completion Date,Последен датум на комплетирање
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дена од денот на нарачка
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Должење на сметка мора да биде на сметка Биланс на состојба
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Должење на сметка мора да биде на сметка Биланс на состојба
 DocType: Asset,Naming Series,Именување Серија
 DocType: Vital Signs,Coated,Обложени
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ред {0}: Очекувана вредност по корисен животен век мора да биде помала од износот на бруто-откуп
@@ -6375,15 +6444,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Испратница {0} не мора да се поднесе
 DocType: Notification Control,Sales Invoice Message,Продажна Фактура Порака
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Завршната сметка {0} мора да биде од типот Одговорност / инвестициски фондови
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Плата фиш на вработените {0} веќе создадена за време лист {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Плата фиш на вработените {0} веќе создадена за време лист {1}
 DocType: Vehicle Log,Odometer,километража
 DocType: Production Plan Item,Ordered Qty,Нареди Количина
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Ставката {0} е оневозможено
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Ставката {0} е оневозможено
 DocType: Stock Settings,Stock Frozen Upto,Акции Замрзнати до
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM не содржи количини
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM не содржи количини
 DocType: Chapter,Chapter Head,Глава глава
 DocType: Payment Term,Month(s) after the end of the invoice month,Месец (и) по крајот на фактурата месец
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структурата на платите треба да има флексибилни компоненти за придобивки за да го ослободи износот на користа
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структурата на платите треба да има флексибилни компоненти за придобивки за да го ослободи износот на користа
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Проектна активност / задача.
 DocType: Vital Signs,Very Coated,Многу обложени
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Само даночно влијание (не може да се тврди, но дел од оданочен приход)"
@@ -6401,7 +6470,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,платежна часа
 DocType: Project,Total Sales Amount (via Sales Order),Вкупен износ на продажба (преку нарачка за продажба)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Аватарот на бирото за {0} не е пронајден
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Ред # {0}: Поставете редоследот квантитетот
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Ред # {0}: Поставете редоследот квантитетот
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Допрете ставки за да го додадете ги овде
 DocType: Fees,Program Enrollment,програма за запишување
 DocType: Share Transfer,To Folio No,На фолио бр
@@ -6443,9 +6512,9 @@
 DocType: SG Creation Tool Course,Max Strength,Макс Сила
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Инсталирање на меморија
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Нема избрана белешка за избор за клиент {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Нема избрана белешка за избор за клиент {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Вработениот {0} нема максимален износ на корист
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Изберете предмети врз основа на датумот на испорака
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Изберете предмети врз основа на датумот на испорака
 DocType: Grant Application,Has any past Grant Record,Има некое минато грант рекорд
 ,Sales Analytics,Продажбата анализи
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Достапно {0}
@@ -6454,12 +6523,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,"Подесување ""Производство"""
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Поставување Е-пошта
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Мобилен телефон
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Ве молиме внесете го стандардно валута во компанијата мајстор
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Ве молиме внесете го стандардно валута во компанијата мајстор
 DocType: Stock Entry Detail,Stock Entry Detail,Акции Влегување Детална
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Дневен Потсетници
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Дневен Потсетници
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Погледнете ги сите отворени билети
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Единица за здравствена грижа
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Производ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Производ
 DocType: Products Settings,Home Page is Products,Главна страница е Производи
 ,Asset Depreciation Ledger,Асет Амортизација Леџер
 DocType: Salary Structure,Leave Encashment Amount Per Day,Остави го износот за инкасирање на ден
@@ -6469,8 +6538,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Суровини и материјали обезбедени Цена
 DocType: Selling Settings,Settings for Selling Module,Нагодувања за модулот Продажби
 DocType: Hotel Room Reservation,Hotel Room Reservation,Резервација на хотелот
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Услуги за Потрошувачи
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Услуги за Потрошувачи
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Не се пронајдени контакти со идентификација на е-пошта.
 DocType: Item Customer Detail,Item Customer Detail,Точка Детали за корисници
 DocType: Notification Control,Prompt for Email on Submission of,Прашај за е-мејл за доставување на
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Максималниот износ на корист на вработениот {0} надминува {1}
@@ -6480,7 +6550,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Точка {0} мора да биде акции Точка
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Стандардно работа во магацин за напредокот
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Распоредот за {0} се преклопува, дали сакате да продолжите по прескокнување на преклопени слотови?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Стандардните поставувања за сметководствени трансакции.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Стандардните поставувања за сметководствени трансакции.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Грантови
 DocType: Restaurant,Default Tax Template,Стандардна даночна образец
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Студентите се запишани
@@ -6488,6 +6558,7 @@
 DocType: Purchase Invoice Item,Stock Qty,акции Количина
 DocType: Purchase Invoice Item,Stock Qty,акции Количина
 DocType: Contract,Requires Fulfilment,Потребна е исполнување
+DocType: QuickBooks Migrator,Default Shipping Account,Стандардна сметка за испорака
 DocType: Loan,Repayment Period in Months,Отплата Период во месеци
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Грешка: Не е валидна проект?
 DocType: Naming Series,Update Series Number,Ажурирање Серија број
@@ -6501,11 +6572,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Максимална сума
 DocType: Journal Entry,Total Amount Currency,Вкупниот износ Валута
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Барај Под собранија
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Точка законик бара во ред Нема {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Точка законик бара во ред Нема {0}
 DocType: GST Account,SGST Account,Сметка SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Одете во Предмети
 DocType: Sales Partner,Partner Type,Тип партнер
-DocType: Purchase Taxes and Charges,Actual,Крај
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Крај
 DocType: Restaurant Menu,Restaurant Manager,Ресторан менаџер
 DocType: Authorization Rule,Customerwise Discount,Customerwise попуст
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet за задачите.
@@ -6526,7 +6597,7 @@
 DocType: Employee,Cheque,Чек
 DocType: Training Event,Employee Emails,Е-пошта на вработените
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Серија освежено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Тип на излагањето е задолжително
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Тип на излагањето е задолжително
 DocType: Item,Serial Number Series,Сериски број Серија
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Складиште е задолжително за акциите Точка {0} во ред {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Мало и големо
@@ -6557,7 +6628,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Ажурирајте го платениот износ во нарачката за продажба
 DocType: BOM,Materials,Материјали
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако не е означено, листата ќе мора да се додаде на секој оддел каде што треба да се примени."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Праќање пораки во денот и објавување време е задолжително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Праќање пораки во денот и објавување време е задолжително
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Данок дефиниција за купување трансакции.
 ,Item Prices,Точка цени
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Во Зборови ќе бидат видливи откако ќе го спаси нарачка.
@@ -6573,12 +6644,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серија за внесување на амортизацијата на средствата (запис на дневникот)
 DocType: Membership,Member Since,Член од
 DocType: Purchase Invoice,Advance Payments,Аконтации
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Ве молиме изберете Здравствена служба
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Ве молиме изберете Здравствена служба
 DocType: Purchase Taxes and Charges,On Net Total,На Нето Вкупно
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Вредноста за атрибутот {0} мора да биде во рамките на опсег од {1} до {2} во интервали од {3} за Точка {4}
 DocType: Restaurant Reservation,Waitlisted,Листа на чекање
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорија на ослободување
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Валута не може да се промени по правење записи со употреба на други валута
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Валута не може да се промени по правење записи со употреба на други валута
 DocType: Shipping Rule,Fixed,Фиксна
 DocType: Vehicle Service,Clutch Plate,спојката Плоча
 DocType: Company,Round Off Account,Заокружуваат профил
@@ -6587,7 +6658,7 @@
 DocType: Subscription Plan,Based on price list,Врз основа на ценовникот
 DocType: Customer Group,Parent Customer Group,Родител група на потрошувачи
 DocType: Vehicle Service,Change,Промени
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Претплата
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Претплата
 DocType: Purchase Invoice,Contact Email,Контакт E-mail
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Во тек е создавање на надоместоци
 DocType: Appraisal Goal,Score Earned,Резултат Заработени
@@ -6615,23 +6686,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Побарувања / Платив сметка
 DocType: Delivery Note Item,Against Sales Order Item,Во однос на ставка од продажна нарачка
 DocType: Company,Company Logo,Лого на компанијата
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Ве молиме наведете Атрибут Вредноста за атрибутот {0}
-DocType: Item Default,Default Warehouse,Стандардно Магацински
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Ве молиме наведете Атрибут Вредноста за атрибутот {0}
+DocType: QuickBooks Migrator,Default Warehouse,Стандардно Магацински
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Буџетот не може да биде доделен од група на сметка {0}
 DocType: Shopping Cart Settings,Show Price,Прикажи цена
 DocType: Healthcare Settings,Patient Registration,Регистрација на пациенти
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Ве молиме внесете цена центар родител
 DocType: Delivery Note,Print Without Amount,Печати Без Износ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,амортизација Датум
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,амортизација Датум
 ,Work Orders in Progress,Работа нарачки во тек
 DocType: Issue,Support Team,Тим за поддршка
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Застареност (во денови)
 DocType: Appraisal,Total Score (Out of 5),Вкупен Резултат (Од 5)
 DocType: Student Attendance Tool,Batch,Серија
 DocType: Support Search Source,Query Route String,Стринг на маршрутата за пребарување
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Стапка на ажурирање според последната набавка
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Стапка на ажурирање според последната набавка
 DocType: Donor,Donor Type,Тип на донатор
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Автоматско повторување на документот се ажурира
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Автоматско повторување на документот се ажурира
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Биланс
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Ве молиме изберете ја компанијата
 DocType: Job Card,Job Card,Работа карта
@@ -6645,7 +6716,7 @@
 DocType: Assessment Result,Total Score,вкупниот резултат
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 стандард
 DocType: Journal Entry,Debit Note,Задолжување
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Можете да ги откупите само максимум {0} поени во овој редослед.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Можете да ги откупите само максимум {0} поени во овој редослед.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Ве молиме внесете тајната за потрошувачите на API
 DocType: Stock Entry,As per Stock UOM,Како по акција UOM
@@ -6659,10 +6730,11 @@
 DocType: Journal Entry,Total Debit,Вкупно Побарува
 DocType: Travel Request Costing,Sponsored Amount,Спонзориран износ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Стандардно готови стоки Магацински
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Изберете пациент
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Изберете пациент
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Продажбата на лице
 DocType: Hotel Room Package,Amenities,Услуги
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Буџетот и трошоците центар
+DocType: QuickBooks Migrator,Undeposited Funds Account,Сметка за недоделени фондови
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Буџетот и трошоците центар
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Не е дозволен повеќекратен стандарден начин на плаќање
 DocType: Sales Invoice,Loyalty Points Redemption,Откуп на поени за лојалност
 ,Appointment Analytics,Именување на анализи
@@ -6676,6 +6748,7 @@
 DocType: Batch,Manufacturing Date,Датум на производство
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Создавањето на провизии не успеа
 DocType: Opening Invoice Creation Tool,Create Missing Party,Креирај недостасувачка партија
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Вкупен буџет
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставете го празно ако се направи на студентите групи годишно
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставете го празно ако се направи на студентите групи годишно
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ако е обележано, Вкупно бр. на работните денови ќе бидат вклучени празници, а со тоа ќе се намали вредноста на платата по ден"
@@ -6693,20 +6766,19 @@
 DocType: Opportunity Item,Basic Rate,Основната стапка
 DocType: GL Entry,Credit Amount,Износ на кредитот
 DocType: Cheque Print Template,Signatory Position,потписник Позиција
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Постави како изгубени
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Постави како изгубени
 DocType: Timesheet,Total Billable Hours,Вкупно фактурираните часа
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Број на денови што претплатникот мора да ги плати фактурите генерирани од оваа претплата
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Детали за апликација за вработените
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Плаќање Потврда Забелешка
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ова е врз основа на трансакциите од овој корисник. Види времеплов подолу за детали
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Ред {0}: висината на посебниот {1} мора да биде помала или еднаква на износот на плаќање за влез {2}
 DocType: Program Enrollment Tool,New Academic Term,Нов академски термин
 ,Course wise Assessment Report,Курс мудро Елаборат
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Искористена ИТС држава / UT данок
 DocType: Tax Rule,Tax Rule,Данок Правило
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Одржување на иста стапка текот продажбата циклус
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Пријавете се како друг корисник за да се регистрирате на Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Пријавете се како друг корисник за да се регистрирате на Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,План Време на дневници надвор Workstation работно време.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Клиенти во редицата
 DocType: Driver,Issuing Date,Датум на издавање
@@ -6715,11 +6787,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Поднесете го овој работен налог за понатамошна обработка.
 ,Items To Be Requested,Предмети да се бара
 DocType: Company,Company Info,Инфо за компанијата
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Изберете или да додадете нови клиенти
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Изберете или да додадете нови клиенти
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,центар за трошоци е потребно да се резервира на барање за сметка
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Примена на средства (средства)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ова се базира на присуството на вработениот
-DocType: Assessment Result,Summary,Резиме
 DocType: Payment Request,Payment Request Type,Тип на барањето за исплата
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Означи присуство
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Дебитни сметка
@@ -6727,7 +6798,7 @@
 DocType: Additional Salary,Employee Name,Име на вработениот
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Ресторан Цел Влезна точка
 DocType: Purchase Invoice,Rounded Total (Company Currency),Вкупно Заокружено (Валута на Фирма)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Не може да се тајните на група, бидејќи е избран тип на сметка."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Не може да се тајните на група, бидејќи е избран тип на сметка."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} е изменета. Ве молиме да се одмориме.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп за корисниците од правење Остави апликации на наредните денови.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ако неограничен рок на употреба за Поени за Доверба, оставете траење на траење празно или 0."
@@ -6748,11 +6819,12 @@
 DocType: Asset,Out of Order,Надвор од нарачката
 DocType: Purchase Receipt Item,Accepted Quantity,Прифатени Кол
 DocType: Projects Settings,Ignore Workstation Time Overlap,Игнорирај преклопување на работната станица
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Поставете стандардно летни Листа за вработените {0} или куќа {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Поставете стандардно летни Листа за вработените {0} или куќа {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} не постои
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Изберете Серија броеви
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,За GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,За GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Сметки се зголеми на клиенти.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Автоматско назначување на фактурата
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,На проект
 DocType: Salary Component,Variable Based On Taxable Salary,Променлива врз основа на оданочлива плата
 DocType: Company,Basic Component,Основна компонента
@@ -6765,10 +6837,10 @@
 DocType: Stock Entry,Source Warehouse Address,Адреса на изворна магацин
 DocType: GL Entry,Voucher Type,Ваучер Тип
 DocType: Amazon MWS Settings,Max Retry Limit,Макс Повторно Ограничување
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби
 DocType: Student Applicant,Approved,Одобрени
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Цена
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Вработен ослободен на {0} мора да биде поставено како &quot;Лево&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Вработен ослободен на {0} мора да биде поставено како &quot;Лево&quot;
 DocType: Marketplace Settings,Last Sync On,Последно синхронизирање е вклучено
 DocType: Guardian,Guardian,Гардијан
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Сите комуникации, вклучувајќи и над ова, ќе бидат преместени во новото издание"
@@ -6791,14 +6863,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Листа на болести откриени на терен. Кога е избрано, автоматски ќе додаде листа на задачи за справување со болеста"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Ова е единица за здравствена заштита на root и не може да се уредува.
 DocType: Asset Repair,Repair Status,Поправка статус
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Додај партнери за продажба
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Сметководствени записи во дневникот.
 DocType: Travel Request,Travel Request,Барање за патување
 DocType: Delivery Note Item,Available Qty at From Warehouse,Количина на располагање од магацин
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Ве молиме изберете Снимај вработените во прв план.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Публика не е поднесена за {0} како што е одмор.
 DocType: POS Profile,Account for Change Amount,Сметка за промени Износ
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Поврзување со QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Вкупно добивка / загуба
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Невалидна фирма за фактура на Интер Компани.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Невалидна фирма за фактура на Интер Компани.
 DocType: Purchase Invoice,input service,услуга за внесување
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ред {0}: Забава / профилот не се поклопува со {1} / {2} со {3} {4}
 DocType: Employee Promotion,Employee Promotion,Промоција на вработените
@@ -6807,12 +6881,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Код:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Ве молиме внесете сметка сметка
 DocType: Account,Stock,На акции
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од нарачка, купување фактура или весник Влегување"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од нарачка, купување фактура или весник Влегување"
 DocType: Employee,Current Address,Тековна адреса
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако предмет е варијанта на друг елемент тогаш опис, слики, цени, даноци и слично ќе бидат поставени од дефиниција освен ако експлицитно не е наведено"
 DocType: Serial No,Purchase / Manufacture Details,Купување / Производство Детали за
 DocType: Assessment Group,Assessment Group,група оценување
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Серија Инвентар
+DocType: Supplier,GST Transporter ID,ID на транспортер на GST
 DocType: Procedure Prescription,Procedure Name,Име на постапката
 DocType: Employee,Contract End Date,Договор Крај Датум
 DocType: Amazon MWS Settings,Seller ID,ID на продавачот
@@ -6832,12 +6907,12 @@
 DocType: Company,Date of Incorporation,Датум на основање
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Вкупен Данок
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Последна набавна цена
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,За Кол (Произведени Количина) се задолжителни
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,За Кол (Произведени Количина) се задолжителни
 DocType: Stock Entry,Default Target Warehouse,Стандардно Целна Магацински
 DocType: Purchase Invoice,Net Total (Company Currency),Нето Вкупно (Валута на Фирма)
 DocType: Delivery Note,Air,Воздух
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Датумот на крајот на годинава не може да биде порано од датумот Година на започнување. Ве молам поправете датумите и обидете се повторно.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} не е во Изборниот летен список
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} не е во Изборниот летен список
 DocType: Notification Control,Purchase Receipt Message,Купување Потврда порака
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,старо материјали
@@ -6860,23 +6935,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Исполнување
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На претходниот ред Износ
 DocType: Item,Has Expiry Date,Има датум на истекување
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,пренос на средствата;
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,пренос на средствата;
 DocType: POS Profile,POS Profile,POS Профил
 DocType: Training Event,Event Name,Име на настанот
 DocType: Healthcare Practitioner,Phone (Office),Телефон (канцеларија)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Не можам да поднесам, Вработените оставени да го одбележат присуството"
 DocType: Inpatient Record,Admission,Услови за прием
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Запишување за {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Сезоната за поставување на буџети, цели итн"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Сезоната за поставување на буџети, цели итн"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Име на променлива
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Точка {0} е шаблон, ве молиме изберете една од неговите варијанти"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ве молиме подесете Систем за имиџ на вработените во човечки ресурси&gt; Поставувања за човечки ресурси
+DocType: Purchase Invoice Item,Deferred Expense,Одложен трошок
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Од датумот {0} не може да биде пред да се приклучи на работникот Датум {1}
 DocType: Asset,Asset Category,средства Категорија
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Нето плата со која не може да биде негативен
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Нето плата со која не може да биде негативен
 DocType: Purchase Order,Advance Paid,Однапред платени
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент на прекумерно производство за редослед на продажба
 DocType: Item,Item Tax,Точка Данок
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Материјал на Добавувачот
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Материјал на Добавувачот
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Планирање на барања за материјали
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Акцизни Фактура
@@ -6898,11 +6975,11 @@
 DocType: Scheduling Tool,Scheduling Tool,распоред алатка
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Со кредитна картичка
 DocType: BOM,Item to be manufactured or repacked,"Елемент, за да се произведе или да се препакува"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Синтаксичка грешка во состојба: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Синтаксичка грешка во состојба: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Големи / изборни предмети
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Те молам Поставете група на добавувачи во Поставките за купување.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Те молам Поставете група на добавувачи во Поставките за купување.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Вкупната количина на флексибилен придонес {0} не треба да биде помала од максималните придобивки {1}
 DocType: Sales Invoice Item,Drop Ship,Капка Брод
 DocType: Driver,Suspended,Суспендирани
@@ -6922,7 +6999,7 @@
 DocType: Customer,Commission Rate,Комисијата стапка
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Успешно се креираа записи за плаќања
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Создадени {0} броеви за карти за {1} помеѓу:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Направи Варијанта
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Направи Варијанта
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Тип на плаќање мора да биде еден од примање, Плати и внатрешен трансфер"
 DocType: Travel Itinerary,Preferred Area for Lodging,Преферираната површина за сместување
 apps/erpnext/erpnext/config/selling.py +184,Analytics,анализатор
@@ -6933,7 +7010,7 @@
 DocType: Work Order,Actual Operating Cost,Крај на оперативни трошоци
 DocType: Payment Entry,Cheque/Reference No,Чек / Референтен број
 DocType: Soil Texture,Clay Loam,Клеј Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Корен не може да се уредува.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Корен не може да се уредува.
 DocType: Item,Units of Measure,На мерните единици
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Изнајмено во Метро Сити
 DocType: Supplier,Default Tax Withholding Config,Конфигурација за задржување на неплатени даноци
@@ -6951,21 +7028,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,По уплатата пренасочува корисникот да избраната страница.
 DocType: Company,Existing Company,постојните компанија
 DocType: Healthcare Settings,Result Emailed,Резултат е-пошта
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Данок Категорија е променето во &quot;Вкупно&quot;, бидејќи сите предмети се не-акции ставки"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Данок Категорија е променето во &quot;Вкупно&quot;, бидејќи сите предмети се не-акции ставки"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,До денес не може да биде еднаква или помала од датумот
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Нема ништо да се промени
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Ве молиме изберете CSV датотека
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Ве молиме изберете CSV датотека
 DocType: Holiday List,Total Holidays,Вкупно празници
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Недостасува е-пошта за испраќање. Поставете го едно во поставките за испорака.
 DocType: Student Leave Application,Mark as Present,Означи како Тековен
 DocType: Supplier Scorecard,Indicator Color,Боја на индикаторот
 DocType: Purchase Order,To Receive and Bill,За да примите и Бил
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Редот # {0}: Reqd од Датум не може да биде пред датумот на трансакција
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Редот # {0}: Reqd од Датум не може да биде пред датумот на трансакција
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Избрана Производи
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Изберете сериски број
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Изберете сериски број
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Дизајнер
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Услови и правила Шаблон
 DocType: Serial No,Delivery Details,Детали за испорака
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Цена центар е потребно во ред {0} даноци во табелата за видот {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Цена центар е потребно во ред {0} даноци во табелата за видот {1}
 DocType: Program,Program Code,Code програмата
 DocType: Terms and Conditions,Terms and Conditions Help,Услови и правила Помош
 ,Item-wise Purchase Register,Точка-мудар Набавка Регистрирај се
@@ -6978,15 +7056,16 @@
 DocType: Contract,Contract Terms,Услови на договорот
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Не покажува никакви симбол како $ итн до валути.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Максималната корисна количина на компонентата {0} надминува {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Пола ден)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Пола ден)
 DocType: Payment Term,Credit Days,Кредитна дена
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Изберете пациент за да добиете лабораториски тестови
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Направете Студентски Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Дозволи пренос за производство
 DocType: Leave Type,Is Carry Forward,Е пренесување
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Земи ставки од BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Земи ставки од BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Потенцијален клиент Време Денови
 DocType: Cash Flow Mapping,Is Income Tax Expense,Дали трошоците за данок на доход
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Вашата нарачка е надвор за испорака!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Праќање пораки во Датум мора да биде иста како датум на купување {1} на средства {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Изберете го ова ако ученикот е престојуваат во Хостел на Институтот.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Ве молиме внесете Продај Нарачка во горната табела
@@ -6994,10 +7073,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Трансфер на средства од еден склад во друг
 DocType: Vehicle,Petrol,Петрол
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Преостанати придобивки (годишно)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Бил на материјали
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Бил на материјали
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ред {0}: Тип партија и Партијата е потребно за побарувања / Платив сметка {1}
 DocType: Employee,Leave Policy,Оставете политика
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Ажурирање на предметите
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Ажурирање на предметите
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Реф Датум
 DocType: Employee,Reason for Leaving,Причина за напуштање
 DocType: BOM Operation,Operating Cost(Company Currency),Оперативни трошоци (Фирма валута)
@@ -7008,7 +7087,7 @@
 DocType: Department,Expense Approvers,Одобрувачи на трошоци
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Ред {0}: Дебитна влез не можат да бидат поврзани со {1}
 DocType: Journal Entry,Subscription Section,Секција за претплата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,На сметка {0} не постои
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,На сметка {0} не постои
 DocType: Training Event,Training Program,Програма за обука
 DocType: Account,Cash,Пари
 DocType: Employee,Short biography for website and other publications.,Кратка биографија за веб-страница и други публикации.
diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv
index 48b19fc..353e118 100644
--- a/erpnext/translations/ml.csv
+++ b/erpnext/translations/ml.csv
@@ -11,9 +11,10 @@
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js +52,Please select Party Type first,പാർട്ടി ടൈപ്പ് ആദ്യം തിരഞ്ഞെടുക്കുക
 DocType: Item,Customer Items,ഉപഭോക്തൃ ഇനങ്ങൾ
 DocType: Project,Costing and Billing,ആറെണ്ണവും ബില്ലിംഗ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} അതെല്ലാം ഒരു ആകാൻ പാടില്ല
+DocType: QuickBooks Migrator,Token Endpoint,ടോക്കൺ അവസാനസ്ഥാനം
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} അതെല്ലാം ഒരു ആകാൻ പാടില്ല
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com വരെ ഇനം പ്രസിദ്ധീകരിക്കുക
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,സജീവ അവധി കാലാവധി കണ്ടെത്താനായില്ല
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,സജീവ അവധി കാലാവധി കണ്ടെത്താനായില്ല
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,മൂല്യനിർണ്ണയം
 DocType: Item,Default Unit of Measure,അളവു സ്ഥിരസ്ഥിതി യൂണിറ്റ്
 DocType: SMS Center,All Sales Partner Contact,എല്ലാ സെയിൽസ് പങ്കാളി കോണ്ടാക്ട്
@@ -23,16 +24,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Add to Enter ക്ലിക്ക് ചെയ്യുക
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","പാസ്വേഡ്, API കീ അല്ലെങ്കിൽ Shopify URL എന്നിവയ്ക്കായി മൂല്യം നഷ്ടമായിരിക്കുന്നു"
 DocType: Employee,Rented,വാടകയ്ക്ക് എടുത്തത്
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,എല്ലാ അക്കൗണ്ടുകളും
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,എല്ലാ അക്കൗണ്ടുകളും
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,ജീവനക്കാരനെ സ്റ്റാറ്റസ് ഇടത്തേക്ക് കൈമാറാനാകില്ല
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","പ്രൊഡക്ഷൻ ഓർഡർ റദ്ദാക്കാൻ ആദ്യം Unstop, റദ്ദാക്കാൻ കഴിയില്ല നിർത്തി"
 DocType: Vehicle Service,Mileage,മൈലേജ്
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,ശരിക്കും ഈ അസറ്റ് മുൻസർക്കാരിന്റെ ആഗ്രഹിക്കുന്നുണ്ടോ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,ശരിക്കും ഈ അസറ്റ് മുൻസർക്കാരിന്റെ ആഗ്രഹിക്കുന്നുണ്ടോ?
 DocType: Drug Prescription,Update Schedule,ഷെഡ്യൂൾ അപ്ഡേറ്റുചെയ്യുക
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,സ്വതേ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,ജീവനക്കാരനെ കാണിക്കുക
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,പുതിയ എക്സ്ചേഞ്ച് നിരക്ക്
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},കറൻസി വില പട്ടിക {0} ആവശ്യമാണ്
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},കറൻസി വില പട്ടിക {0} ആവശ്യമാണ്
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ഇടപാടിലും കണക്കു കൂട്ടുക.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,കസ്റ്റമർ കോൺടാക്റ്റ്
@@ -42,7 +43,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,ഇത് ഈ വിതരണക്കാരൻ നേരെ ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ടൈംലൈൻ കാണുക
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ഓവർപ്രൊഡ്ഷൻ വർക്ക് ഓർഡറിന്
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV -YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,നിയമ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,നിയമ
+DocType: Delivery Note,Transport Receipt Date,ട്രാൻസ്ഫർ രസീത് തീയതി
 DocType: Shopify Settings,Sales Order Series,സെൽസ് ഓർഡർ സീരീസ്
 DocType: Vital Signs,Tongue,നാവ്
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -58,17 +60,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA ഒഴിവാക്കൽ
 DocType: Sales Invoice,Customer Name,ഉപഭോക്താവിന്റെ പേര്
 DocType: Vehicle,Natural Gas,പ്രകൃതി വാതകം
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},ബാങ്ക് അക്കൗണ്ട് {0} എന്ന് നാമകരണം ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},ബാങ്ക് അക്കൗണ്ട് {0} എന്ന് നാമകരണം ചെയ്യാൻ കഴിയില്ല
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,ശമ്പളം ഘടന പ്രകാരം എച്ച്ആർഎ
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,മേധാവികൾ (അല്ലെങ്കിൽ ഗ്രൂപ്പുകൾ) അക്കൗണ്ടിംഗ് വിഭാഗരേഖകൾ തീർത്തതു നീക്കിയിരിപ്പും സൂക്ഷിക്കുന്ന ഏത് നേരെ.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),പ്രമുഖ {0} പൂജ്യം ({1}) കുറവായിരിക്കണം കഴിയില്ല വേണ്ടി
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,സേവനം ആരംഭ തീയതിക്ക് മുമ്പുള്ള സേവന നിർത്തൽ തീയതി ദൈർഘ്യമുള്ളതായിരിക്കരുത്
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,സേവനം ആരംഭ തീയതിക്ക് മുമ്പുള്ള സേവന നിർത്തൽ തീയതി ദൈർഘ്യമുള്ളതായിരിക്കരുത്
 DocType: Manufacturing Settings,Default 10 mins,10 മിനിറ്റ് സ്വതേ സ്വതേ
 DocType: Leave Type,Leave Type Name,ടൈപ്പ് പേര് വിടുക
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,തുറക്കുക കാണിക്കുക
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,തുറക്കുക കാണിക്കുക
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,സീരീസ് വിജയകരമായി അപ്ഡേറ്റ്
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,ചെക്ക് ഔട്ട്
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} വരിയിൽ {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} വരിയിൽ {0}
 DocType: Asset Finance Book,Depreciation Start Date,ഡിസ്രിരിസേഷൻ ആരംഭ തീയതി
 DocType: Pricing Rule,Apply On,പുരട്ടുക
 DocType: Item Price,Multiple Item prices.,മൾട്ടിപ്പിൾ ഇനം വില.
@@ -77,7 +79,7 @@
 DocType: Support Settings,Support Settings,പിന്തുണ സജ്ജീകരണങ്ങൾ
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,പ്രതീക്ഷിച്ച അവസാന തീയതി പ്രതീക്ഷിച്ച ആരംഭ തീയതി കുറവായിരിക്കണം കഴിയില്ല
 DocType: Amazon MWS Settings,Amazon MWS Settings,ആമസോൺ MWS സജ്ജീകരണങ്ങൾ
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,വരി # {0}: {2} ({3} / {4}): റേറ്റ് {1} അതേ ആയിരിക്കണം
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,വരി # {0}: {2} ({3} / {4}): റേറ്റ് {1} അതേ ആയിരിക്കണം
 ,Batch Item Expiry Status,ബാച്ച് ഇനം കാലഹരണപ്പെടൽ അവസ്ഥ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,ബാങ്ക് ഡ്രാഫ്റ്റ്
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV- .YYYY.-
@@ -104,7 +106,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,പ്രാഥമിക കോൺടാക്റ്റ് വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,തുറന്ന പ്രശ്നങ്ങൾ
 DocType: Production Plan Item,Production Plan Item,പ്രൊഡക്ഷൻ പ്ലാൻ ഇനം
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},ഉപയോക്താവ് {0} ഇതിനകം എംപ്ലോയിസ് {1} നിയോഗിക്കുന്നു
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},ഉപയോക്താവ് {0} ഇതിനകം എംപ്ലോയിസ് {1} നിയോഗിക്കുന്നു
 DocType: Lab Test Groups,Add new line,പുതിയ വരി ചേർക്കുക
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,ആരോഗ്യ പരിരക്ഷ
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),പേയ്മെന്റ് കാലതാമസം (ദിവസം)
@@ -114,12 +116,11 @@
 DocType: Lab Prescription,Lab Prescription,പ്രിസ്ക്രിപ്ഷൻ ലാബ്
 ,Delay Days,കാലതാമസം ഒഴിവാക്കുക
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,സേവന ചിലവേറിയ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},സീരിയൽ നമ്പർ: {0} ഇതിനകം സെയിൽസ് ഇൻവോയ്സ് പരാമർശിച്ചിരിക്കുന്ന ആണ്: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},സീരിയൽ നമ്പർ: {0} ഇതിനകം സെയിൽസ് ഇൻവോയ്സ് പരാമർശിച്ചിരിക്കുന്ന ആണ്: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,വികയപതം
 DocType: Purchase Invoice Item,Item Weight Details,ഇനം ഭാരം വിശദാംശങ്ങൾ
 DocType: Asset Maintenance Log,Periodicity,ഇതേ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,സാമ്പത്തിക വർഷത്തെ {0} ആവശ്യമാണ്
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,വിതരണക്കാരൻ&gt; വിതരണക്കാരൻ ഗ്രൂപ്പ്
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,പരമാവധി വളർച്ചയ്ക്ക് സസ്യങ്ങളുടെ വരികൾ തമ്മിലുള്ള ഏറ്റവും കുറഞ്ഞ ദൂരം
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,പ്രതിരോധ
 DocType: Salary Component,Abbr,Abbr
@@ -138,11 +139,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC -YYYY.-
 DocType: Daily Work Summary Group,Holiday List,ഹോളിഡേ പട്ടിക
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,കണക്കെഴുത്തുകാരന്
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,വില ലിസ്റ്റ് വിൽക്കുന്നു
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,വില ലിസ്റ്റ് വിൽക്കുന്നു
 DocType: Patient,Tobacco Current Use,പുകയില നിലവിലുളള ഉപയോഗം
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,വിൽക്കുന്ന നിരക്ക്
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,വിൽക്കുന്ന നിരക്ക്
 DocType: Cost Center,Stock User,സ്റ്റോക്ക് ഉപയോക്താവ്
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,ബന്ധപ്പെടാനുള്ള വിവരങ്ങൾ
 DocType: Company,Phone No,ഫോൺ ഇല്ല
 DocType: Delivery Trip,Initial Email Notification Sent,പ്രാരംഭ ഇമെയിൽ അറിയിപ്പ് അയച്ചു
 DocType: Bank Statement Settings,Statement Header Mapping,ഹെഡ്ഡർ മാപ്പിംഗ് സ്റ്റേഷൻ
@@ -166,12 +168,11 @@
 DocType: Subscription,Subscription Start Date,സബ്സ്ക്രിപ്ഷൻ ആരംഭ തീയതി
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,അപ്പോയിന്റ്മെന്റ് ചാർജുകൾ ബുക്കുചെയ്യാൻ രോഗിയിൽ സജ്ജമാക്കാതിരിക്കുകയാണെങ്കിൽ സ്വീകാര്യമായ സ്വീകാര്യമായ അക്കൗണ്ടുകൾ ഉപയോഗിക്കേണ്ടതാണ്.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","രണ്ടു നിരകൾ, പഴയ പേര് ഒന്നു പുതിയ പേര് ഒന്നു കൂടി .csv ഫയൽ അറ്റാച്ച്"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,വിലാസം 2 മുതൽ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,ഇനം കോഡ്&gt; ഇനം ഗ്രൂപ്പ്&gt; ബ്രാൻഡ്
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,വിലാസം 2 മുതൽ
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} അല്ല സജീവമായ സാമ്പത്തിക വർഷത്തിൽ.
 DocType: Packed Item,Parent Detail docname,പാരന്റ് വിശദാംശം docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","പരാമർശം: {2}: {0}, ഇനം കോഡ്: {1} ഉപഭോക്തൃ"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} മാതാപിതാക്കളുടെ കമ്പനിയിൽ ഇല്ല
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} മാതാപിതാക്കളുടെ കമ്പനിയിൽ ഇല്ല
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,ട്രയൽ കാലാവധി അവസാന തീയതി ട്രയൽ കാലയളവ് ആരംഭിക്കുന്ന തീയതിക്ക് മുമ്പായിരിക്കരുത്
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,കി. ഗ്രാം
 DocType: Tax Withholding Category,Tax Withholding Category,നികുതി പിരിച്ചെടുത്ത വിഭാഗം
@@ -187,12 +188,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,അഡ്വർടൈസിങ്
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ഒരേ കമ്പനി ഒന്നിലധികം തവണ നൽകുമ്പോഴുള്ള
 DocType: Patient,Married,വിവാഹിത
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} അനുവദനീയമല്ല
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} അനുവദനീയമല്ല
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,നിന്ന് ഇനങ്ങൾ നേടുക
 DocType: Price List,Price Not UOM Dependant,വിലയല്ല UOM ആശ്രയിച്ചത്
 DocType: Purchase Invoice,Apply Tax Withholding Amount,നികുതി പിരിച്ചെടുക്കൽ തുക അപേക്ഷിക്കുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},ഓഹരി ഡെലിവറി നോട്ട് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,മൊത്തം തുക ലഭിച്ചു
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},ഓഹരി ഡെലിവറി നോട്ട് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,മൊത്തം തുക ലഭിച്ചു
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ഉൽപ്പന്ന {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,ഇനങ്ങളൊന്നും ലിസ്റ്റ്
 DocType: Asset Repair,Error Description,പിശക് വിവരണം
@@ -206,8 +207,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,കസ്റ്റം ക്യാഷ് ഫ്ലോ ഫോർമാറ്റ് ഉപയോഗിക്കുക
 DocType: SMS Center,All Sales Person,എല്ലാ സെയിൽസ് വ്യാക്തി
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** പ്രതിമാസ വിതരണം ** നിങ്ങളുടെ ബിസിനസ്സിൽ seasonality ഉണ്ടെങ്കിൽ മാസം ഉടനീളം ബജറ്റ് / target വിതരണം സഹായിക്കുന്നു.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,കണ്ടെത്തിയില്ല ഇനങ്ങൾ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,ശമ്പള ഘടന കാണാതായ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,കണ്ടെത്തിയില്ല ഇനങ്ങൾ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,ശമ്പള ഘടന കാണാതായ
 DocType: Lead,Person Name,വ്യക്തി നാമം
 DocType: Sales Invoice Item,Sales Invoice Item,സെയിൽസ് ഇൻവോയിസ് ഇനം
 DocType: Account,Credit,ക്രെഡിറ്റ്
@@ -216,19 +217,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,ഓഹരി റിപ്പോർട്ടുകൾ
 DocType: Warehouse,Warehouse Detail,വെയർഹൗസ് വിശദാംശം
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ടേം അവസാന തീയതി പിന്നീട് ഏത് പദം (അക്കാദമിക് വർഷം {}) ബന്ധിപ്പിച്ചിട്ടുള്ളാതാവനായി അക്കാദമിക വർഷത്തിന്റെ വർഷം അവസാനം തീയതി കൂടുതലാകാൻ പാടില്ല. എൻറർ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;ഫിക്സ്ഡ് സ്വത്ത്&quot; അസറ്റ് റെക്കോർഡ് ഇനം നേരെ നിലവിലുള്ളതിനാൽ, അൺചെക്കുചെയ്തു പാടില്ല"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;ഫിക്സ്ഡ് സ്വത്ത്&quot; അസറ്റ് റെക്കോർഡ് ഇനം നേരെ നിലവിലുള്ളതിനാൽ, അൺചെക്കുചെയ്തു പാടില്ല"
 DocType: Delivery Trip,Departure Time,പുറപ്പെടൽ സമയം
 DocType: Vehicle Service,Brake Oil,ബ്രേക്ക് ഓയിൽ
 DocType: Tax Rule,Tax Type,നികുതി തരം
 ,Completed Work Orders,പൂർത്തിയായ തൊഴിൽ ഉത്തരവുകൾ
 DocType: Support Settings,Forum Posts,ഫോറം പോസ്റ്റുകൾ
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,ടാക്സബിളല്ല തുക
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,ടാക്സബിളല്ല തുക
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},നിങ്ങൾ {0} മുമ്പായി എൻട്രികൾ ചേർക്കാൻ അല്ലെങ്കിൽ അപ്ഡേറ്റ് ചെയ്യാൻ അധികാരമില്ല
 DocType: Leave Policy,Leave Policy Details,നയ വിശദാംശങ്ങൾ വിടുക
 DocType: BOM,Item Image (if not slideshow),ഇനം ഇമേജ് (അതില് അല്ല എങ്കിൽ)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(അന്ത്യസമയം റേറ്റ് / 60) * യഥാർത്ഥ ഓപ്പറേഷൻ സമയം
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,വരി # {0}: റഫറൻസ് പ്രമാണ തരം ചെലവിൽ ക്ലെയിമുകളോ ജേർണൽ എൻട്രിയിലോ ആയിരിക്കണം
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM ൽ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,വരി # {0}: റഫറൻസ് പ്രമാണ തരം ചെലവിൽ ക്ലെയിമുകളോ ജേർണൽ എൻട്രിയിലോ ആയിരിക്കണം
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM ൽ തിരഞ്ഞെടുക്കുക
 DocType: SMS Log,SMS Log,എസ്എംഎസ് ലോഗ്
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,കൈമാറി ഇനങ്ങൾ ചെലവ്
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,ന് {0} അവധി തീയതി മുതൽ ദിവസവും തമ്മിലുള്ള അല്ല
@@ -237,16 +238,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,വിതരണ സ്റ്റാൻഡിംഗുകളുടെ കൊമേഴ്സ്യലുകൾ.
 DocType: Lead,Interested,താല്പര്യം
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,തുറക്കുന്നു
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},{0} നിന്ന് {1} വരെ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},{0} നിന്ന് {1} വരെ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,പ്രോഗ്രാം:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,നികുതികൾ സജ്ജമാക്കുന്നതിൽ പരാജയപ്പെട്ടു
 DocType: Item,Copy From Item Group,ഇനം ഗ്രൂപ്പിൽ നിന്നും പകർത്തുക
-DocType: Delivery Trip,Delivery Notification,ഡെലിവറി അറിയിപ്പ്
 DocType: Journal Entry,Opening Entry,എൻട്രി തുറക്കുന്നു
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,അക്കൗണ്ട് മാത്രം പണം നൽകുക
 DocType: Loan,Repay Over Number of Periods,കാലയളവിന്റെ എണ്ണം ഓവർ പകരം
 DocType: Stock Entry,Additional Costs,അധിക ചെലവ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
 DocType: Lead,Product Enquiry,ഉൽപ്പന്ന അറിയുവാനുള്ള
 DocType: Education Settings,Validate Batch for Students in Student Group,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് വിദ്യാർത്ഥികളുടെ ബാച്ച് സാധൂകരിക്കൂ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},വേണ്ടി {1} {0} ജീവനക്കാരൻ കണ്ടെത്തിയില്ല ലീവ് റിക്കോർഡുകളൊന്നും
@@ -254,7 +254,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ആദ്യം കമ്പനി നൽകുക
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,കമ്പനി ആദ്യം തിരഞ്ഞെടുക്കുക
 DocType: Employee Education,Under Graduate,ഗ്രാജ്വേറ്റ് കീഴിൽ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ലെവൽ സ്റ്റാറ്റസ് അറിയിപ്പിന് സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് സജ്ജീകരിക്കുക.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ലെവൽ സ്റ്റാറ്റസ് അറിയിപ്പിന് സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് സജ്ജീകരിക്കുക.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ടാർഗറ്റിൽ
 DocType: BOM,Total Cost,മൊത്തം ചെലവ്
 DocType: Soil Analysis,Ca/K,സി / കെ
@@ -267,7 +267,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,അക്കൗണ്ട് പ്രസ്താവന
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ഫാർമസ്യൂട്ടിക്കൽസ്
 DocType: Purchase Invoice Item,Is Fixed Asset,ഫിക്സ്ഡ് സ്വത്ത്
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","ലഭ്യമായ അളവ് {0}, നിങ്ങൾ വേണമെങ്കിൽ {1} ആണ്"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","ലഭ്യമായ അളവ് {0}, നിങ്ങൾ വേണമെങ്കിൽ {1} ആണ്"
 DocType: Expense Claim Detail,Claim Amount,ക്ലെയിം തുക
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT- .YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},വർക്ക് ഓർഡർ {0}
@@ -301,10 +301,10 @@
 DocType: BOM,Quality Inspection Template,നിലവാര പരിശോധന ടെംപ്ലേറ്റ്
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",നിങ്ങൾ ഹാജർ അപ്ഡേറ്റ് ചെയ്യാൻ താൽപ്പര്യമുണ്ടോ? <br> അവതരിപ്പിക്കുക: {0} \ <br> നിലവില്ല: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},സമ്മതിച്ച + Qty ഇനം {0} ലഭിച്ചത് അളവ് തുല്യമോ ആയിരിക്കണം നിരസിച്ചു
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},സമ്മതിച്ച + Qty ഇനം {0} ലഭിച്ചത് അളവ് തുല്യമോ ആയിരിക്കണം നിരസിച്ചു
 DocType: Item,Supply Raw Materials for Purchase,വാങ്ങൽ വേണ്ടി സപ്ലൈ അസംസ്കൃത വസ്തുക്കൾ
 DocType: Agriculture Analysis Criteria,Fertilizer,വളം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,പേയ്മെന്റ് കുറഞ്ഞത് ഒരു മോഡ് POS ൽ ഇൻവോയ്സ് ആവശ്യമാണ്.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,പേയ്മെന്റ് കുറഞ്ഞത് ഒരു മോഡ് POS ൽ ഇൻവോയ്സ് ആവശ്യമാണ്.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ട്രാൻസാക്ഷൻ ഇൻവോയ്സ് ആക്റ്റ്
 DocType: Products Settings,Show Products as a List,ഒരു പട്ടിക ഉൽപ്പന്നങ്ങൾ കാണിക്കുക
 DocType: Salary Detail,Tax on flexible benefit,ഇഷ്ടാനുസരണം ബെനിഫിറ്റ് നികുതി
@@ -315,14 +315,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,വ്യത്യാസം
 DocType: Production Plan,Material Request Detail,മെറ്റീരിയൽ അഭ്യർത്ഥന വിശദാംശം
 DocType: Selling Settings,Default Quotation Validity Days,സ്ഥിരസ്ഥിതി ഉദ്ധരണിക്കൽ സാധുത ദിവസങ്ങൾ
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","നികുതി ഉൾപ്പെടുത്തുന്നതിനായി നിരയിൽ {0} ഇനം നിരക്ക്, വരികൾ {1} ലെ നികുതികൾ കൂടി ഉൾപ്പെടുത്തും വേണം"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","നികുതി ഉൾപ്പെടുത്തുന്നതിനായി നിരയിൽ {0} ഇനം നിരക്ക്, വരികൾ {1} ലെ നികുതികൾ കൂടി ഉൾപ്പെടുത്തും വേണം"
 DocType: SMS Center,SMS Center,എസ്എംഎസ് കേന്ദ്രം
 DocType: Payroll Entry,Validate Attendance,അറ്റൻഡൻസ് പരിശോധിക്കുക
 DocType: Sales Invoice,Change Amount,തുക മാറ്റുക
 DocType: Party Tax Withholding Config,Certificate Received,സർട്ടിഫിക്കറ്റ് ലഭിച്ചു
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,"B2C- യ്ക്കുള്ള ഇൻവോയ്സ് മൂല്യം സജ്ജമാക്കുക. ഈ ഇൻവോയ്സ് മൂല്യത്തെ അടിസ്ഥാനമാക്കി B2CL, B2CS എന്നിവ കണക്കാക്കി."
 DocType: BOM Update Tool,New BOM,പുതിയ BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,നിർദ്ദിഷ്ട നടപടികൾ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,നിർദ്ദിഷ്ട നടപടികൾ
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,POS മാത്രം കാണിക്കുക
 DocType: Supplier Group,Supplier Group Name,വിതരണക്കാരൻ ഗ്രൂപ്പ് നാമം
 DocType: Driver,Driving License Categories,ഡ്രൈവിംഗ് ലൈസൻസ് വിഭാഗങ്ങൾ
@@ -337,7 +337,7 @@
 DocType: Payroll Period,Payroll Periods,ശമ്പള കാലയളവുകൾ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,ജീവനക്കാരുടെ നിർമ്മിക്കുക
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,പ്രക്ഷേപണം
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS- യുടെ സെറ്റ്അപ്പ് മോഡ് (ഓൺലൈൻ / ഓഫ്ലൈൻ)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS- യുടെ സെറ്റ്അപ്പ് മോഡ് (ഓൺലൈൻ / ഓഫ്ലൈൻ)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,വർക്ക് ഓർഡറുകളിലേക്കുള്ള സമയരേഖകൾ സൃഷ്ടിക്കുന്നത് അപ്രാപ്തമാക്കുന്നു. പ്രവർത്തന ഓർഡർക്കെതിരെയുള്ള പ്രവർത്തനം ട്രാക്കുചെയ്യരുത്
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,വധശിക്ഷയുടെ
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,പ്രവർത്തനങ്ങൾ വിശദാംശങ്ങൾ പുറത്തു കൊണ്ടുപോയി.
@@ -371,7 +371,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),വില പട്ടിക നിരക്ക് (%) ന് ഡിസ്കൗണ്ട്
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,ഇനം ടെംപ്ലേറ്റ്
 DocType: Job Offer,Select Terms and Conditions,നിബന്ധനകളും വ്യവസ്ഥകളും തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,മൂല്യം ഔട്ട്
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,മൂല്യം ഔട്ട്
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ക്രമീകരണങ്ങളുടെ ഇനം
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ക്രമീകരണങ്ങൾ
 DocType: Production Plan,Sales Orders,സെയിൽസ് ഉത്തരവുകൾ
@@ -384,20 +384,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,ഉദ്ധരണി അഭ്യർത്ഥന ഇനിപ്പറയുന്ന ലിങ്കിൽ ക്ലിക്കുചെയ്ത് ആക്സസ് ചെയ്യാം
 DocType: SG Creation Tool Course,SG Creation Tool Course,എസ്.ജി ക്രിയേഷൻ ടൂൾ കോഴ്സ്
 DocType: Bank Statement Transaction Invoice Item,Payment Description,പേയ്മെന്റ് വിവരണം
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,അപര്യാപ്തമായ സ്റ്റോക്ക്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,അപര്യാപ്തമായ സ്റ്റോക്ക്
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ശേഷി ആസൂത്രണ സമയം ട്രാക്കിംഗ് പ്രവർത്തനരഹിതമാക്കുക
 DocType: Email Digest,New Sales Orders,പുതിയ സെയിൽസ് ഓർഡറുകൾ
 DocType: Bank Account,Bank Account,ബാങ്ക് അക്കൗണ്ട്
 DocType: Travel Itinerary,Check-out Date,പരിശോധന തീയതി
 DocType: Leave Type,Allow Negative Balance,നെഗറ്റീവ് ബാലൻസ് അനുവദിക്കുക
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',നിങ്ങൾക്ക് പദ്ധതി തരം &#39;ബാഹ്യ&#39; ഇല്ലാതാക്കാൻ കഴിയില്ല
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,ഇതര ഇനം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,ഇതര ഇനം തിരഞ്ഞെടുക്കുക
 DocType: Employee,Create User,ഉപയോക്താവ് സൃഷ്ടിക്കുക
 DocType: Selling Settings,Default Territory,സ്ഥിരസ്ഥിതി ടെറിട്ടറി
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,ടെലിവിഷൻ
 DocType: Work Order Operation,Updated via 'Time Log',&#39;ടൈം ലോഗ്&#39; വഴി അപ്ഡേറ്റ്
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ഉപഭോക്താവ് അല്ലെങ്കിൽ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},അഡ്വാൻസ് തുക {0} {1} ശ്രേഷ്ഠ പാടില്ല
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},അഡ്വാൻസ് തുക {0} {1} ശ്രേഷ്ഠ പാടില്ല
 DocType: Naming Series,Series List for this Transaction,ഈ ഇടപാടിനായി സീരീസ് പട്ടിക
 DocType: Company,Enable Perpetual Inventory,ഞാനാകട്ടെ ഇൻവെന്ററി പ്രവർത്തനക്ഷമമാക്കുക
 DocType: Bank Guarantee,Charges Incurred,ചാർജ് തന്നു
@@ -417,7 +417,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,സെയിൽസ് ഇൻവോയിസ് ഇനം എഗെൻസ്റ്റ്
 DocType: Agriculture Analysis Criteria,Linked Doctype,ലിങ്ക് ഡോക് ടൈപ്പ്
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,ഫിനാൻസിംഗ് നിന്നുള്ള നെറ്റ് ക്യാഷ്
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു"
 DocType: Lead,Address & Contact,വിലാസം &amp; ബന്ധപ്പെടാനുള്ള
 DocType: Leave Allocation,Add unused leaves from previous allocations,മുൻ വിഹിതം നിന്ന് ഉപയോഗിക്കാത്ത ഇലകൾ ചേർക്കുക
 DocType: Sales Partner,Partner website,പങ്കാളി വെബ്സൈറ്റ്
@@ -440,10 +440,10 @@
 ,Open Work Orders,വർക്ക് ഓർഡറുകൾ തുറക്കുക
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,ഔട്ട് രോഗി കൺസൾട്ടിംഗ് ചാർജ് ഇനം
 DocType: Payment Term,Credit Months,ക്രെഡിറ്റ് മാസങ്ങൾ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,നെറ്റ് ശമ്പള 0 കുറവ് പാടില്ല
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,നെറ്റ് ശമ്പള 0 കുറവ് പാടില്ല
 DocType: Contract,Fulfilled,നിറഞ്ഞു
 DocType: Inpatient Record,Discharge Scheduled,ഡിസ്ചാർജ് ഷെഡ്യൂൾ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,തീയതി വിടുതൽ ചേരുന്നു തീയതി വലുതായിരിക്കണം
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,തീയതി വിടുതൽ ചേരുന്നു തീയതി വലുതായിരിക്കണം
 DocType: POS Closing Voucher,Cashier,കാഷ്യയർ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,പ്രതിവർഷം ഇലകൾ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,വരി {0}: ഈ അഡ്വാൻസ് എൻട്രി ആണ് എങ്കിൽ {1} അക്കൗണ്ട് നേരെ &#39;അഡ്വാൻസ് തന്നെയല്ലേ&#39; പരിശോധിക്കുക.
@@ -454,15 +454,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,സ്റ്റുഡന്റ് ഗ്രൂപ്പുകൾക്ക് കീഴിലുള്ള വിദ്യാർത്ഥികളെ ക്രമീകരിക്കുക
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,ജോബ് പൂർത്തിയാക്കി
 DocType: Item Website Specification,Item Website Specification,ഇനം വെബ്സൈറ്റ് സ്പെസിഫിക്കേഷൻ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,വിടുക തടയപ്പെട്ട
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},ഇനം {0} {1} ജീവിതം അതിന്റെ അവസാനം എത്തിയിരിക്കുന്നു
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,വിടുക തടയപ്പെട്ട
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},ഇനം {0} {1} ജീവിതം അതിന്റെ അവസാനം എത്തിയിരിക്കുന്നു
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,ബാങ്ക് എൻട്രികൾ
 DocType: Customer,Is Internal Customer,ആന്തരിക ഉപഭോക്താവ് ആണോ
 DocType: Crop,Annual,വാർഷിക
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ഓട്ടോ ഓപ്റ്റ് ഇൻ ചെക്ക് ചെയ്തിട്ടുണ്ടെങ്കിൽ, ഉപഭോക്താക്കൾക്ക് തപാലിൽ ബന്ധപ്പെട്ട ലോയൽറ്റി പ്രോഗ്രാം (സേവ് ഓൺ)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,ഓഹരി അനുരഞ്ജനം ഇനം
 DocType: Stock Entry,Sales Invoice No,സെയിൽസ് ഇൻവോയിസ് ഇല്ല
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,സപ്ലൈ തരം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,സപ്ലൈ തരം
 DocType: Material Request Item,Min Order Qty,കുറഞ്ഞത് ഓർഡർ Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ക്രിയേഷൻ ടൂൾ കോഴ്സ്
 DocType: Lead,Do Not Contact,ബന്ധപ്പെടുക ചെയ്യരുത്
@@ -476,14 +476,14 @@
 DocType: Item,Publish in Hub,ഹബ് ലെ പ്രസിദ്ധീകരിക്കുക
 DocType: Student Admission,Student Admission,വിദ്യാർത്ഥിയുടെ അഡ്മിഷൻ
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,ഇനം {0} റദ്ദാക്കി
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,ഇനം {0} റദ്ദാക്കി
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,മൂല്യശോഷണ വരി {0}: കഴിഞ്ഞദിവസം പോലെ മൂല്യത്തകർച്ച ആരംഭ തീയതി നൽകി
 DocType: Contract Template,Fulfilment Terms and Conditions,നിർവ്വഹണ നിബന്ധനകളും വ്യവസ്ഥകളും
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന
 DocType: Bank Reconciliation,Update Clearance Date,അപ്ഡേറ്റ് ക്ലിയറൻസ് തീയതി
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,വിശദാംശങ്ങൾ വാങ്ങുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ഇനം {0} വാങ്ങൽ ഓർഡർ {1} ൽ &#39;അസംസ്കൃത വസ്തുക്കളുടെ നൽകിയത് മേശയിൽ കണ്ടെത്തിയില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ഇനം {0} വാങ്ങൽ ഓർഡർ {1} ൽ &#39;അസംസ്കൃത വസ്തുക്കളുടെ നൽകിയത് മേശയിൽ കണ്ടെത്തിയില്ല
 DocType: Salary Slip,Total Principal Amount,മൊത്തം പ്രിൻസിപ്പൽ തുക
 DocType: Student Guardian,Relation,ബന്ധം
 DocType: Student Guardian,Mother,അമ്മ
@@ -528,10 +528,11 @@
 DocType: Tax Rule,Shipping County,ഷിപ്പിംഗ് കൗണ്ടി
 DocType: Currency Exchange,For Selling,വിൽപ്പനയ്ക്കായി
 apps/erpnext/erpnext/config/desktop.py +159,Learn,അറിയുക
+DocType: Purchase Invoice Item,Enable Deferred Expense,നിശ്ചിത ചെലവ് പ്രവർത്തനക്ഷമമാക്കുക
 DocType: Asset,Next Depreciation Date,അടുത്ത മൂല്യത്തകർച്ച തീയതി
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ജീവനക്കാർ ശതമാനം പ്രവർത്തനം ചെലവ്
 DocType: Accounts Settings,Settings for Accounts,അക്കൗണ്ടുകൾക്കുമുള്ള ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},വിതരണക്കാരൻ ഇൻവോയ്സ് വാങ്ങൽ ഇൻവോയ്സ് {0} നിലവിലുണ്ട്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},വിതരണക്കാരൻ ഇൻവോയ്സ് വാങ്ങൽ ഇൻവോയ്സ് {0} നിലവിലുണ്ട്
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,സെയിൽസ് പേഴ്സൺ ട്രീ നിയന്ത്രിക്കുക.
 DocType: Job Applicant,Cover Letter,കവർ ലെറ്റർ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ക്ലിയർ നിലവിലുള്ള ചെക്കുകൾ ആൻഡ് നിക്ഷേപങ്ങൾ
@@ -546,7 +547,7 @@
 DocType: Employee,External Work History,പുറത്തേക്കുള്ള വർക്ക് ചരിത്രം
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,വൃത്താകൃതിയിലുള്ള റഫറൻസ് പിശക്
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,സ്റ്റുഡന്റ് റിപ്പോർട്ട് കാർഡ്
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,പിൻ കോഡിൽ നിന്ന്
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,പിൻ കോഡിൽ നിന്ന്
 DocType: Appointment Type,Is Inpatient,ഇൻപേഷ്യന്റ് ആണ്
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ഗുഅര്ദിഅന്൧ പേര്
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,നിങ്ങൾ ഡെലിവറി നോട്ട് ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകൾ (എക്സ്പോർട്ട്) ൽ ദൃശ്യമാകും.
@@ -561,18 +562,18 @@
 DocType: Journal Entry,Multi Currency,മൾട്ടി കറൻസി
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ഇൻവോയിസ് തരം
 DocType: Employee Benefit Claim,Expense Proof,ചെലവ് തെളിയിക്കുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,ഡെലിവറി നോട്ട്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,ഡെലിവറി നോട്ട്
 DocType: Patient Encounter,Encounter Impression,എൻകോർട്ട് ഇംപ്രഷൻ
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,നികുതികൾ സജ്ജമാക്കുന്നു
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,വിറ്റത് അസറ്റ് ചെലവ്
 DocType: Volunteer,Morning,രാവിലെ
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,നിങ്ങൾ അതു കടിച്ചുകീറി ശേഷം പെയ്മെന്റ് എൻട്രി പരിഷ്ക്കരിച്ചു. വീണ്ടും തുടയ്ക്കുക ദയവായി.
 DocType: Program Enrollment Tool,New Student Batch,പുതിയ വിദ്യാർത്ഥി ബാച്ച്
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ഇനം നികുതി തവണ പ്രവേശിച്ചപ്പോൾ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,ഈ ആഴ്ച തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾക്കായി ചുരുക്കം
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ഇനം നികുതി തവണ പ്രവേശിച്ചപ്പോൾ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,ഈ ആഴ്ച തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾക്കായി ചുരുക്കം
 DocType: Student Applicant,Admitted,പ്രവേശിപ്പിച്ചു
 DocType: Workstation,Rent Cost,രെംട് ചെലവ്
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,മൂല്യത്തകർച്ച ശേഷം തുക
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,മൂല്യത്തകർച്ച ശേഷം തുക
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,വരാനിരിക്കുന്ന കലണ്ടർ ഇവന്റുകൾ
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,വേരിയന്റ് ആട്രിബ്യൂട്ടുകൾ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,മാസം വർഷം തിരഞ്ഞെടുക്കുക
@@ -610,7 +611,7 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},മാത്രം {0} {1} കമ്പനി 1 അക്കൗണ്ട് ഉണ്ട് ആകാം
 DocType: Support Search Source,Response Result Key Path,പ്രതികരണ ഫലം കീ പാത്ത്
 DocType: Journal Entry,Inter Company Journal Entry,ഇൻറർ കമ്പനി ജേണൽ എൻട്രി
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,അറ്റാച്ച്മെന്റ് ദയവായി
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,അറ്റാച്ച്മെന്റ് ദയവായി
 DocType: Purchase Order,% Received,% ലഭിച്ചു
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,വിദ്യാർത്ഥി ഗ്രൂപ്പുകൾ സൃഷ്ടിക്കുക
 DocType: Volunteer,Weekends,വാരാന്ത്യങ്ങൾ
@@ -652,7 +653,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,മൊത്തം ശ്രദ്ധേയമായത്
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,നിലവിലുള്ള ഒരു പരമ്പരയിലെ തുടങ്ങുന്ന / നിലവിലെ ക്രമസംഖ്യ മാറ്റുക.
 DocType: Dosage Strength,Strength,ശക്തി
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ഒരു പുതിയ കസ്റ്റമർ സൃഷ്ടിക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,ഒരു പുതിയ കസ്റ്റമർ സൃഷ്ടിക്കുക
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,കാലഹരണപ്പെടും
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ഒന്നിലധികം പ്രൈസിങ് നിയമങ്ങൾ വിജയം തുടരുകയാണെങ്കിൽ, ഉപയോക്താക്കൾക്ക് വൈരുദ്ധ്യം പരിഹരിക്കാൻ മാനുവലായി മുൻഗണന സജ്ജീകരിക്കാൻ ആവശ്യപ്പെട്ടു."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,വാങ്ങൽ ഓർഡറുകൾ സൃഷ്ടിക്കുക
@@ -663,17 +664,18 @@
 DocType: Workstation,Consumable Cost,Consumable ചെലവ്
 DocType: Purchase Receipt,Vehicle Date,വാഹന തീയതി
 DocType: Student Log,Medical,മെഡിക്കൽ
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,നഷ്ടപ്പെടുമെന്നു കാരണം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,ദയവായി ഡ്രഗ് തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,നഷ്ടപ്പെടുമെന്നു കാരണം
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,ദയവായി ഡ്രഗ് തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,ലീഡ് ഉടമ ലീഡ് അതേ പാടില്ല
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,പദ്ധതി തുക unadjusted തുക ശ്രേഷ്ഠ കഴിയില്ല
 DocType: Announcement,Receiver,റിസീവർ
 DocType: Location,Area UOM,പ്രദേശം UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},വർക്ക്സ്റ്റേഷൻ ഹോളിഡേ പട്ടിക പ്രകാരം താഴെപ്പറയുന്ന തീയതികളിൽ അടച്ചിടുന്നു: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,അവസരങ്ങൾ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,അവസരങ്ങൾ
 DocType: Lab Test Template,Single,സിംഗിൾ
 DocType: Compensatory Leave Request,Work From Date,തീയതി മുതൽ ജോലി
 DocType: Salary Slip,Total Loan Repayment,ആകെ വായ്പ തിരിച്ചടവ്
+DocType: Project User,View attachments,അറ്റാച്ചുമെന്റുകൾ കാണുക
 DocType: Account,Cost of Goods Sold,വിറ്റ സാധനങ്ങളുടെ വില
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,കോസ്റ്റ് കേന്ദ്രം നൽകുക
 DocType: Drug Prescription,Dosage,മരുന്നിന്റെ
@@ -684,7 +686,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,"ക്വാണ്ടിറ്റി, റേറ്റ്"
 DocType: Delivery Note,% Installed,% ഇൻസ്റ്റാളുചെയ്തു
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,ക്ലാസ്മുറിയുടെ / ലബോറട്ടറീസ് തുടങ്ങിയവ പ്രഭാഷണങ്ങളും ഷെഡ്യൂൾ കഴിയും.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,രണ്ട് കമ്പനികളുടെയും കമ്പനിയുടെ കറൻസിയും ഇന്റർ കമ്പനിയുടെ ഇടപാടുകൾക്ക് യോജിച്ചതായിരിക്കണം.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,രണ്ട് കമ്പനികളുടെയും കമ്പനിയുടെ കറൻസിയും ഇന്റർ കമ്പനിയുടെ ഇടപാടുകൾക്ക് യോജിച്ചതായിരിക്കണം.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,കമ്പനിയുടെ പേര് ആദ്യം നൽകുക
 DocType: Travel Itinerary,Non-Vegetarian,നോൺ-വെജിറ്റേറിയൻ
 DocType: Purchase Invoice,Supplier Name,വിതരണക്കാരൻ പേര്
@@ -694,7 +696,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,താൽക്കാലികമായി ഹോൾഡ് ആണ്
 DocType: Account,Is Group,ഗ്രൂപ്പ് തന്നെയല്ലേ
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,ക്രെഡിറ്റ് നോട്ട് {0} ഓട്ടോമാറ്റിക്കായി സൃഷ്ടിച്ചിരിക്കുന്നു
-DocType: Email Digest,Pending Purchase Orders,തീർച്ചപ്പെടുത്തിയിട്ടില്ല വാങ്ങൽ ഓർഡറുകൾ
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Fifo തുറക്കാന്കഴിയില്ല അടിസ്ഥാനമാക്കി യാന്ത്രികമായി സജ്ജമാക്കുക സീരിയൽ ഒഴിവ്
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,വിതരണക്കാരൻ ഇൻവോയിസ് നമ്പർ അദ്വിതീയമാണ് പരിശോധിക്കുക
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,പ്രാഥമിക വിലാസ വിശദാംശങ്ങൾ
@@ -712,12 +713,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ആ ഇമെയിൽ ഭാഗമായി പോകുന്ന ആമുഖ വാചകം ഇഷ്ടാനുസൃതമാക്കുക. ഓരോ ഇടപാട് ഒരു പ്രത്യേക ആമുഖ ടെക്സ്റ്റ് ഉണ്ട്.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},വരി {0}: അസംസ്കൃത വസ്തുവിനുമേലുള്ള പ്രവർത്തനം {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},കമ്പനി {0} സ്ഥിരസ്ഥിതി മാറാവുന്ന അക്കൗണ്ട് സജ്ജീകരിക്കുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},ജോലി നിർത്തലാക്കുന്നത് നിർത്തിവയ്ക്കുന്നതിന് ഇടപാട് ഇടപെടരുത് {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},ജോലി നിർത്തലാക്കുന്നത് നിർത്തിവയ്ക്കുന്നതിന് ഇടപാട് ഇടപെടരുത് {0}
 DocType: Setup Progress Action,Min Doc Count,മിനി ഡോക് കൌണ്ട്
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,എല്ലാ നിർമാണ പ്രക്രിയകൾ വേണ്ടി ആഗോള ക്രമീകരണങ്ങൾ.
 DocType: Accounts Settings,Accounts Frozen Upto,ശീതീകരിച്ച വരെ അക്കൗണ്ടുകൾ
 DocType: SMS Log,Sent On,ദിവസം അയച്ചു
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,ഗുണ {0} വിശേഷണങ്ങൾ പട്ടിക ഒന്നിലധികം തവണ തെരഞ്ഞെടുത്തു
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,ഗുണ {0} വിശേഷണങ്ങൾ പട്ടിക ഒന്നിലധികം തവണ തെരഞ്ഞെടുത്തു
 DocType: HR Settings,Employee record is created using selected field. ,ജീവനക്കാർ റെക്കോർഡ് തിരഞ്ഞെടുത്ത ഫീൽഡ് ഉപയോഗിച്ച് സൃഷ്ടിക്കപ്പെട്ടിരിക്കുന്നത്.
 DocType: Sales Order,Not Applicable,ബാധകമല്ല
 DocType: Amazon MWS Settings,UK,യുകെ
@@ -745,21 +746,22 @@
 DocType: Student Report Generation Tool,Attended by Parents,മാതാപിതാക്കൾ പങ്കെടുക്കുന്നു
 DocType: Inpatient Record,AB Positive,AB പോസിറ്റീവ്
 DocType: Job Opening,Description of a Job Opening,ഒരു ഇയ്യോബ് തുറക്കുന്നു വിവരണം
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,ഇന്ന് അവശേഷിക്കുന്ന പ്രവർത്തനങ്ങൾ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,ഇന്ന് അവശേഷിക്കുന്ന പ്രവർത്തനങ്ങൾ
 DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet അടിസ്ഥാനമാക്കിയുള്ള പേറോളിന് ശമ്പളം ഘടകം.
+DocType: Driver,Applicable for external driver,ബാഹ്യ ഡ്രൈവർക്ക് ബാധകമാണ്
 DocType: Sales Order Item,Used for Production Plan,പ്രൊഡക്ഷൻ പ്ലാൻ ഉപയോഗിച്ച
 DocType: Loan,Total Payment,ആകെ പേയ്മെന്റ്
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,പൂർത്തിയാക്കിയ വർക്ക് ഓർഡറിന് ഇടപാട് റദ്ദാക്കാൻ കഴിയില്ല.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,പൂർത്തിയാക്കിയ വർക്ക് ഓർഡറിന് ഇടപാട് റദ്ദാക്കാൻ കഴിയില്ല.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(മിനിറ്റ്) ഓപ്പറേഷൻസ് നുമിടയിൽ സമയം
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,എല്ലാ വിൽപന ഓർഡറുകൾക്കും PO ഇതിനകം സൃഷ്ടിച്ചു
 DocType: Healthcare Service Unit,Occupied,അധിനിവേശം
 DocType: Clinical Procedure,Consumables,ഉപഭോഗം
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,അങ്ങനെ നടപടി പൂർത്തിയാക്കാൻ കഴിയില്ല {1} {0} റദ്ദാക്കി
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,അങ്ങനെ നടപടി പൂർത്തിയാക്കാൻ കഴിയില്ല {1} {0} റദ്ദാക്കി
 DocType: Customer,Buyer of Goods and Services.,ചരക്കും സേവനങ്ങളും വാങ്ങുന്നയാൾ.
 DocType: Journal Entry,Accounts Payable,നൽകാനുള്ള പണം
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"ഈ പേയ്മെന്റ് അഭ്യർത്ഥനയിലെ {0} സെറ്റ് തുക, എല്ലാ പേയ്മെന്റ് പ്ലാനുകളുടെയും കണക്കു കൂട്ടുന്നതിൽ നിന്ന് വ്യത്യസ്തമാണ്: {1}. പ്രമാണം സമർപ്പിക്കുന്നതിന് മുമ്പ് ഇത് ശരിയാണെന്ന് ഉറപ്പുവരുത്തുക."
 DocType: Patient,Allergies,അലർജികൾ
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,തിരഞ്ഞെടുത്ത BOMs ഒരേ ഇനം മാത്രമുള്ളതല്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,തിരഞ്ഞെടുത്ത BOMs ഒരേ ഇനം മാത്രമുള്ളതല്ല
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,ഇനം കോഡ് മാറ്റുക
 DocType: Supplier Scorecard Standing,Notify Other,മറ്റുള്ളവയെ അറിയിക്കുക
 DocType: Vital Signs,Blood Pressure (systolic),രക്തസമ്മർദം (സിസോളിക്)
@@ -771,7 +773,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,ബിൽഡ് മതിയായ ഭാഗങ്ങൾ
 DocType: POS Profile User,POS Profile User,POS പ്രൊഫൈൽ ഉപയോക്താവ്
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,വരി {0}: അഴിമതി ആരംഭ തീയതി ആവശ്യമാണ്
-DocType: Sales Invoice Item,Service Start Date,സേവനം ആരംഭിക്കുന്ന തീയതി
+DocType: Purchase Invoice Item,Service Start Date,സേവനം ആരംഭിക്കുന്ന തീയതി
 DocType: Subscription Invoice,Subscription Invoice,സബ്സ്ക്രിപ്ഷൻ ഇൻവോയ്സ്
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,നേരിട്ടുള്ള ആദായ
 DocType: Patient Appointment,Date TIme,തീയതി സമയം
@@ -791,7 +793,7 @@
 DocType: Lab Test Template,Lab Routine,ലാബ് റൗണ്ടീൻ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,കോസ്മെറ്റിക്സ്
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,ദയവായി പൂർത്തിയാക്കിയ അസറ്റ് മെയിന്റനൻസ് ലോഗ് പൂർത്തിയാക്കാൻ ദയവായി പൂർത്തിയാക്കിയ തീയതി തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","ലയിപ്പിക്കാൻ, താഴെ പറയുന്ന ആണ് ഇരു ഇനങ്ങളുടെ ഒരേ ആയിരിക്കണം"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","ലയിപ്പിക്കാൻ, താഴെ പറയുന്ന ആണ് ഇരു ഇനങ്ങളുടെ ഒരേ ആയിരിക്കണം"
 DocType: Supplier,Block Supplier,ബ്ലോക്ക് വിതരണക്കാരൻ
 DocType: Shipping Rule,Net Weight,മൊത്തം ഭാരം
 DocType: Job Opening,Planned number of Positions,സ്ഥാനങ്ങളുടെ ആസൂത്രണത്തിന്റെ എണ്ണം
@@ -813,19 +815,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,ക്യാഷ് ഫ്ലോ മാപ്പിംഗ് ടെംപ്ലേറ്റ്
 DocType: Travel Request,Costing Details,ചെലവ് വിവരങ്ങൾ
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,റിട്ടേൺ എൻട്രികൾ കാണിക്കുക
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,സീരിയൽ യാതൊരു ഇനം ഒരു അംശം കഴിയില്ല
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,സീരിയൽ യാതൊരു ഇനം ഒരു അംശം കഴിയില്ല
 DocType: Journal Entry,Difference (Dr - Cr),വ്യത്യാസം (ഡോ - CR)
 DocType: Bank Guarantee,Providing,നൽകൽ
 DocType: Account,Profit and Loss,ലാഭവും നഷ്ടവും
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","അനുവദനീയമല്ല, ആവശ്യമെങ്കിൽ ലാബ് ടെസ്റ്റ് ടെംപ്ലേറ്റ് ക്രമീകരിക്കുക"
 DocType: Patient,Risk Factors,അപകടസാധ്യത ഘടകങ്ങൾ
 DocType: Patient,Occupational Hazards and Environmental Factors,തൊഴിൽ അപകടങ്ങളും പരിസ്ഥിതി ഘടകങ്ങളും
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,വർക്ക് ഓർഡറിനായി സ്റ്റോക്ക് എൻട്രികൾ ഇതിനകം സൃഷ്ടിച്ചു
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,വർക്ക് ഓർഡറിനായി സ്റ്റോക്ക് എൻട്രികൾ ഇതിനകം സൃഷ്ടിച്ചു
 DocType: Vital Signs,Respiratory rate,ശ്വസന നിരക്ക്
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,മാനേജിംഗ് ചൂടുകാലമാണെന്നത്
 DocType: Vital Signs,Body Temperature,ശരീര താപനില
 DocType: Project,Project will be accessible on the website to these users,പ്രോജക്ട് ഈ ഉപയോക്താക്കൾക്ക് വെബ്സൈറ്റിൽ ആക്സസ്സുചെയ്യാനാവൂ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} റദ്ദാക്കാൻ കഴിയില്ല കാരണം Serial No {2} വെയർഹൗസിലുള്ളതല്ല. {3}
 DocType: Detected Disease,Disease,രോഗം
+DocType: Company,Default Deferred Expense Account,സ്ഥിര ഡിഫൻഡഡ് ചെലവ് അക്കൗണ്ട്
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,പ്രോജക്റ്റ് തരം നിർവ്വചിക്കുക.
 DocType: Supplier Scorecard,Weighting Function,തൂക്കമുള്ള പ്രവർത്തനം
 DocType: Healthcare Practitioner,OP Consulting Charge,ഒപി കൺസൾട്ടിംഗ് ചാർജ്
@@ -842,7 +846,7 @@
 DocType: Crop,Produced Items,ഉല്പന്ന വസ്തുക്കൾ
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ഇൻവോയിസുകളിലേക്ക് മാച്ച് ട്രാൻസാക്ഷൻ
 DocType: Sales Order Item,Gross Profit,മൊത്തം ലാഭം
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,ഇൻവോയ്സ് അൺബ്ലോക്ക് ചെയ്യുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,ഇൻവോയ്സ് അൺബ്ലോക്ക് ചെയ്യുക
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,വർദ്ധന 0 ആയിരിക്കും കഴിയില്ല
 DocType: Company,Delete Company Transactions,കമ്പനി ഇടപാടുകൾ ഇല്ലാതാക്കുക
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,യാതൊരു പരാമർശവുമില്ല ആൻഡ് റഫറൻസ് തീയതി ബാങ്ക് ഇടപാട് നിര്ബന്ധമാണ്
@@ -863,11 +867,11 @@
 DocType: Budget,Ignore,അവഗണിക്കുക
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} സജീവമല്ല
 DocType: Woocommerce Settings,Freight and Forwarding Account,ഫ്രൈയും കൈമാറ്റം ചെയ്യുന്ന അക്കൗണ്ടും
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,അച്ചടിക്കുള്ള സെറ്റപ്പ് ചെക്ക് അളവുകൾ
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,അച്ചടിക്കുള്ള സെറ്റപ്പ് ചെക്ക് അളവുകൾ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,ശമ്പള സ്ലിപ്പുകൾ സൃഷ്ടിക്കുക
 DocType: Vital Signs,Bloated,മന്ദത
 DocType: Salary Slip,Salary Slip Timesheet,ശമ്പള ജി Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,സബ്-ചുരുങ്ങി വാങ്ങൽ റെസീപ്റ്റ് നിയമപരമായി വിതരണക്കാരൻ വെയർഹൗസ്
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,സബ്-ചുരുങ്ങി വാങ്ങൽ റെസീപ്റ്റ് നിയമപരമായി വിതരണക്കാരൻ വെയർഹൗസ്
 DocType: Item Price,Valid From,വരെ സാധുതയുണ്ട്
 DocType: Sales Invoice,Total Commission,ആകെ കമ്മീഷൻ
 DocType: Tax Withholding Account,Tax Withholding Account,ടാക്സ് വിത്ത്ഹോൾഡിംഗ് അക്കൗണ്ട്
@@ -875,12 +879,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,എല്ലാ വിതരണ സ്റ്റോർകാർഡ്സും.
 DocType: Buying Settings,Purchase Receipt Required,വാങ്ങൽ രസീത് ആവശ്യമാണ്
 DocType: Delivery Note,Rail,റെയിൽ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,വർക്ക് ഓർഡറിന്റെ അതേ വരിയിൽ {0} ടാർജറ്റ് വെയർഹൗസ് വേണം
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,ഓപ്പണിങ് സ്റ്റോക്ക് നൽകിയിട്ടുണ്ടെങ്കിൽ മൂലധനം നിരക്ക് നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,വർക്ക് ഓർഡറിന്റെ അതേ വരിയിൽ {0} ടാർജറ്റ് വെയർഹൗസ് വേണം
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,ഓപ്പണിങ് സ്റ്റോക്ക് നൽകിയിട്ടുണ്ടെങ്കിൽ മൂലധനം നിരക്ക് നിര്ബന്ധമാണ്
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,ഇൻവോയിസ് പട്ടികയിൽ കണ്ടെത്തിയില്ല റെക്കോർഡുകൾ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"ആദ്യം കമ്പനി, പാർട്ടി ടൈപ്പ് തിരഞ്ഞെടുക്കുക"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",ദയനീയമായി അപ്രാപ്തമാക്കിയ ഉപയോക്താവ് {1} എന്ന ഉപയോക്താവിനായി പാസ് പ്രൊഫൈലിൽ {0} സ്ഥിരസ്ഥിതിയായി സജ്ജമാക്കിയിരിക്കുന്നു
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,ഫിനാൻഷ്യൽ / അക്കൌണ്ടിംഗ് വർഷം.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,ഫിനാൻഷ്യൽ / അക്കൌണ്ടിംഗ് വർഷം.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,കുമിഞ്ഞു മൂല്യങ്ങൾ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","ക്ഷമിക്കണം, സീരിയൽ ഒഴിവ് ലയിപ്പിക്കാൻ കഴിയില്ല"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify ൽ നിന്ന് ഉപയോക്താക്കളെ സമന്വയിപ്പിക്കുമ്പോൾ തിരഞ്ഞെടുത്ത ഗ്രൂപ്പിലേക്ക് ഉപഭോക്തൃ ഗ്രൂപ്പ് ക്രമീകരിക്കും
@@ -894,7 +898,7 @@
 ,Lead Id,ലീഡ് ഐഡി
 DocType: C-Form Invoice Detail,Grand Total,ആകെ തുക
 DocType: Assessment Plan,Course,ഗതി
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,സെക്ഷൻ കോഡ്
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,സെക്ഷൻ കോഡ്
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,തീയതി മുതൽ ഇന്നുവരെ വരെ ഇടവേളയുള്ള തീയതി ഉണ്ടായിരിക്കണം
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,ഇനം കാർട്ട്
@@ -903,7 +907,8 @@
 DocType: Employee,Personal Bio,സ്വകാര്യ ബയോ
 DocType: C-Form,IV,ഐ.വി.
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,അംഗത്വ ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},കൈമാറി: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},കൈമാറി: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks- ലേക്ക് കണക്റ്റുചെയ്തു
 DocType: Bank Statement Transaction Entry,Payable Account,അടയ്ക്കേണ്ട അക്കൗണ്ട്
 DocType: Payment Entry,Type of Payment,അടക്കേണ്ട ഇനം
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,ഹാഫ് ഡേ ഡേറ്റ് തീയതി നിർബന്ധമാണ്
@@ -915,7 +920,7 @@
 DocType: Sales Invoice,Shipping Bill Date,ഷിപ്പിംഗ് ബിൽ തീയതി
 DocType: Production Plan,Production Plan,ഉല്പാദന പദ്ധതി
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ഇൻവോയ്സ് ക്രിയേഷൻ ടൂൾ തുറക്കുന്നു
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,സെയിൽസ് മടങ്ങിവരവ്
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,സെയിൽസ് മടങ്ങിവരവ്
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ശ്രദ്ധിക്കുക: നീക്കിവെച്ചത് മൊത്തം ഇല {0} കാലയളവിൽ {1} ഇതിനകം അംഗീകാരം ഇല കുറവ് പാടില്ല
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,സീരിയൽ നോട്ടിഫിക്കേഷൻ അടിസ്ഥാനമാക്കി ഇടപാടുകാരെ ക്യൂട്ടി സജ്ജമാക്കുക
 ,Total Stock Summary,ആകെ ഓഹരി ചുരുക്കം
@@ -926,9 +931,9 @@
 DocType: Authorization Rule,Customer or Item,കസ്റ്റമർ അല്ലെങ്കിൽ ഇനം
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,കസ്റ്റമർ ഡാറ്റാബേസ്.
 DocType: Quotation,Quotation To,ക്വട്ടേഷൻ ചെയ്യുക
-DocType: Lead,Middle Income,മിഡിൽ ആദായ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,മിഡിൽ ആദായ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),തുറക്കുന്നു (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,നിങ്ങൾ ഇതിനകം മറ്റൊരു UOM കൊണ്ട് ചില ഇടപാട് (ങ്ങൾ) നടത്തിയതിനാലോ ഇനം അളവ് സ്വതവേയുള്ള യൂണിറ്റ് {0} നേരിട്ട് മാറ്റാൻ കഴിയില്ല. നിങ്ങൾ ഒരു വ്യത്യസ്ത സ്വതേ UOM ഉപയോഗിക്കാൻ ഒരു പുതിയ ഇനം സൃഷ്ടിക്കേണ്ടതുണ്ട്.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,നിങ്ങൾ ഇതിനകം മറ്റൊരു UOM കൊണ്ട് ചില ഇടപാട് (ങ്ങൾ) നടത്തിയതിനാലോ ഇനം അളവ് സ്വതവേയുള്ള യൂണിറ്റ് {0} നേരിട്ട് മാറ്റാൻ കഴിയില്ല. നിങ്ങൾ ഒരു വ്യത്യസ്ത സ്വതേ UOM ഉപയോഗിക്കാൻ ഒരു പുതിയ ഇനം സൃഷ്ടിക്കേണ്ടതുണ്ട്.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,പദ്ധതി തുക നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,കമ്പനി സജ്ജീകരിക്കുക
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,കമ്പനി സജ്ജീകരിക്കുക
@@ -946,15 +951,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,ബാങ്ക് എൻട്രി ഉണ്ടാക്കുവാൻ പേയ്മെന്റ് അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
 DocType: Hotel Settings,Default Invoice Naming Series,സ്ഥിരസ്ഥിതി ഇൻവോയ്സ് നേമിംഗ് സീരിസ്
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","ഇല, ചെലവിൽ വാദങ്ങളിൽ പേറോളിന് നിയന്ത്രിക്കാൻ ജീവനക്കാരൻ റെക്കോർഡുകൾ സൃഷ്ടിക്കുക"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,അപ്ഡേറ്റ് പ്രോസസ്സ് സമയത്ത് ഒരു പിശക് സംഭവിച്ചു
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,അപ്ഡേറ്റ് പ്രോസസ്സ് സമയത്ത് ഒരു പിശക് സംഭവിച്ചു
 DocType: Restaurant Reservation,Restaurant Reservation,റെസ്റ്റോറന്റ് റിസർവേഷൻ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Proposal എഴുത്ത്
 DocType: Payment Entry Deduction,Payment Entry Deduction,പേയ്മെന്റ് എൻട്രി കിഴിച്ചുകൊണ്ടു
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,പൊതിയുക
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ഇമെയിൽ വഴി ഉപഭോക്താക്കളെ അറിയിക്കുക
 DocType: Item,Batch Number Series,ബാച്ച് നമ്പർ സീരീസ്
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,മറ്റൊരു സെയിൽസ് പേഴ്സൺ {0} ഒരേ ജീവനക്കാരന്റെ ഐഡി നിലവിലുണ്ട്
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,മറ്റൊരു സെയിൽസ് പേഴ്സൺ {0} ഒരേ ജീവനക്കാരന്റെ ഐഡി നിലവിലുണ്ട്
 DocType: Employee Advance,Claimed Amount,ക്ലെയിം ചെയ്ത തുക
+DocType: QuickBooks Migrator,Authorization Settings,അംഗീകൃത ക്രമീകരണങ്ങൾ
 DocType: Travel Itinerary,Departure Datetime,പുറപ്പെടൽ സമയം
 DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,യാത്ര അഭ്യർത്ഥന ചെലവ്
@@ -994,25 +1000,28 @@
 DocType: Buying Settings,Supplier Naming By,ആയപ്പോഴേക്കും വിതരണക്കാരൻ നാമകരണ
 DocType: Activity Type,Default Costing Rate,സ്ഥിരസ്ഥിതി ആറെണ്ണവും റേറ്റ്
 DocType: Maintenance Schedule,Maintenance Schedule,മെയിൻറനൻസ് ഷെഡ്യൂൾ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","അപ്പോൾ വിലനിർണ്ണയത്തിലേക്ക് കസ്റ്റമർ, കസ്റ്റമർ ഗ്രൂപ്പ്, ടെറിട്ടറി, വിതരണക്കാരൻ, വിതരണക്കാരൻ ടൈപ്പ്, കാമ്പയിൻ, തുടങ്ങിയവ സെയിൽസ് പങ്കാളി അടിസ്ഥാനമാക്കി ഔട്ട് ഫിൽറ്റർ"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","അപ്പോൾ വിലനിർണ്ണയത്തിലേക്ക് കസ്റ്റമർ, കസ്റ്റമർ ഗ്രൂപ്പ്, ടെറിട്ടറി, വിതരണക്കാരൻ, വിതരണക്കാരൻ ടൈപ്പ്, കാമ്പയിൻ, തുടങ്ങിയവ സെയിൽസ് പങ്കാളി അടിസ്ഥാനമാക്കി ഔട്ട് ഫിൽറ്റർ"
 DocType: Employee Promotion,Employee Promotion Details,തൊഴിലുടമ പ്രമോഷൻ വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,ഇൻവെന്ററി ലെ മൊത്തം മാറ്റം
 DocType: Employee,Passport Number,പാസ്പോർട്ട് നമ്പർ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ഗുഅര്ദിഅന്൨ കൂടെ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,മാനേജർ
 DocType: Payment Entry,Payment From / To,/ To നിന്നുള്ള പേയ്മെന്റ്
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,ധനകാര്യ വർഷം മുതൽ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},പുതിയ ക്രെഡിറ്റ് പരിധി ഉപഭോക്താവിന് നിലവിലെ മുന്തിയ തുക കുറവാണ്. വായ്പാ പരിധി ആയിരിക്കും കുറഞ്ഞത് {0} ഉണ്ട്
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;അടിസ്ഥാനമാക്കി&#39; എന്നതും &#39;ഗ്രൂപ്പ് സത്യം ഒന്നുതന്നെയായിരിക്കരുത്
 DocType: Sales Person,Sales Person Targets,സെയിൽസ് വ്യാക്തി ടാർഗെറ്റ്
 DocType: Work Order Operation,In minutes,മിനിറ്റുകൾക്കുള്ളിൽ
 DocType: Issue,Resolution Date,റെസല്യൂഷൻ തീയതി
 DocType: Lab Test Template,Compound,കോമ്പൗണ്ട്
+DocType: Opportunity,Probability (%),സംഭാവ്യത (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,ഡിസ്പാച്ച് അറിയിപ്പ്
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,പ്രോപ്പർട്ടി തിരഞ്ഞെടുക്കുക
 DocType: Student Batch Name,Batch Name,ബാച്ച് പേര്
 DocType: Fee Validity,Max number of visit,സന്ദർശിക്കുന്ന പരമാവധി എണ്ണം
 ,Hotel Room Occupancy,ഹോട്ടൽ മുറികൾ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet സൃഷ്ടിച്ചത്:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},അടക്കേണ്ട രീതി {0} ൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},അടക്കേണ്ട രീതി {0} ൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജീകരിക്കുക
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,പേരെഴുതുക
 DocType: GST Settings,GST Settings,ചരക്കുസേവന ക്രമീകരണങ്ങൾ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},കറൻസി പ്രൈസ് ലിസ്റ്റ് പോലെ ആയിരിക്കണം: {0}
@@ -1053,12 +1062,12 @@
 DocType: Loan,Total Interest Payable,ആകെ തുകയും
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ചെലവ് നികുതികളും ചുമത്തിയിട്ടുള്ള റജിസ്റ്റർ
 DocType: Work Order Operation,Actual Start Time,യഥാർത്ഥ ആരംഭിക്കേണ്ട സമയം
+DocType: Purchase Invoice Item,Deferred Expense Account,വ്യതിരിക്ത ചെലവ് അക്കൗണ്ട്
 DocType: BOM Operation,Operation Time,ഓപ്പറേഷൻ സമയം
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,തീര്ക്കുക
 DocType: Salary Structure Assignment,Base,അടിത്തറ
 DocType: Timesheet,Total Billed Hours,ആകെ ബില്ലുചെയ്യുന്നത് മണിക്കൂർ
 DocType: Travel Itinerary,Travel To,യാത്ര
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,അല്ല
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,തുക ഓഫാക്കുക എഴുതുക
 DocType: Leave Block List Allow,Allow User,ഉപയോക്താവ് അനുവദിക്കുക
 DocType: Journal Entry,Bill No,ബിൽ ഇല്ല
@@ -1077,9 +1086,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,സമയം ഷീറ്റ്
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush അസംസ്കൃത വസ്തുക്കൾ അടിസ്ഥാനത്തിൽ ഓൺ
 DocType: Sales Invoice,Port Code,പോർട്ട് കോഡ്
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,റിസർവ് വെയർഹൗസ്
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,റിസർവ് വെയർഹൗസ്
 DocType: Lead,Lead is an Organization,ലീഡ് ഒരു ഓർഗനൈസേഷനാണ്
-DocType: Guardian Interest,Interest,പലിശ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,പ്രീ സെയിൽസ്
 DocType: Instructor Log,Other Details,മറ്റ് വിവരങ്ങൾ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1089,7 +1097,7 @@
 DocType: Account,Accounts,അക്കൗണ്ടുകൾ
 DocType: Vehicle,Odometer Value (Last),ഓഡോമീറ്റർ മൂല്യം (അവസാനം)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,വിതരണക്കാരൻ സ്കോർകാർഡ് മാനദണ്ഡങ്ങളുടെ ഫലകങ്ങൾ.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,മാർക്കറ്റിംഗ്
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,മാർക്കറ്റിംഗ്
 DocType: Sales Invoice,Redeem Loyalty Points,ലോയൽറ്റി പോയിന്റുകൾ വീണ്ടെടുക്കുക
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,പേയ്മെന്റ് എൻട്രി സൃഷ്ടിക്കപ്പെടാത്ത
 DocType: Request for Quotation,Get Suppliers,വിതരണക്കാരെ നേടുക
@@ -1105,16 +1113,14 @@
 DocType: Crop,Crop Spacing UOM,ക്രോപ്പ് സ്പേസിംഗ് UOM
 DocType: Loyalty Program,Single Tier Program,സിംഗിൾ ടയർ പ്രോഗ്രാം
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,നിങ്ങൾ ക്യാറ്റ് ഫ്ലോ മാപ്പർ രേഖകൾ ഉണ്ടെങ്കിൽ മാത്രം തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,വിലാസം 1 മുതൽ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,വിലാസം 1 മുതൽ
 DocType: Email Digest,Next email will be sent on:,അടുത്തത് ഇമെയിൽ ന് അയയ്ക്കും:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",{Item} {verb} എന്ന ഇനത്തിനു ശേഷം {message} ഇനം ആയി അടയാളപ്പെടുത്തി. \
 DocType: Supplier Scorecard,Per Week,ആഴ്ചയിൽ
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,ഇനം വകഭേദങ്ങളും ഉണ്ട്.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,ഇനം വകഭേദങ്ങളും ഉണ്ട്.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,ആകെ വിദ്യാർത്ഥി
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ഇനം {0} കാണാനായില്ല
 DocType: Bin,Stock Value,സ്റ്റോക്ക് മൂല്യം
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,കമ്പനി {0} നിലവിലില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,കമ്പനി {0} നിലവിലില്ല
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,ട്രീ തരം
 DocType: BOM Explosion Item,Qty Consumed Per Unit,യൂണിറ്റിന് ക്ഷയിച്ചിരിക്കുന്നു Qty
 DocType: GST Account,IGST Account,IGST അക്കൗണ്ട്
@@ -1129,7 +1135,7 @@
 ,Fichier des Ecritures Comptables [FEC],ഫിചിയർ ഡെസ് ഇക്വിറ്ററീസ് കോംപ്ലബിൾസ് [FEC]
 DocType: Journal Entry,Credit Card Entry,ക്രെഡിറ്റ് കാർഡ് എൻട്രി
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,അക്കൗണ്ടുകൾ കമ്പനി ആൻഡ്
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,മൂല്യത്തിൽ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,മൂല്യത്തിൽ
 DocType: Asset Settings,Depreciation Options,ഡിപ്രീസിയേഷൻ ഓപ്ഷനുകൾ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,സ്ഥലം അല്ലെങ്കിൽ ജോലിക്കാരന് ആവശ്യമാണ്
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,പോസ്റ്റ് ചെയ്യുന്ന സമയം അസാധുവാണ്
@@ -1146,20 +1152,21 @@
 DocType: Leave Allocation,Allocation,വിഹിതം
 DocType: Purchase Order,Supply Raw Materials,സപ്ലൈ അസംസ്കൃത വസ്തുക്കൾ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,നിലവിലെ ആസ്തി
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"പരിശീലന ഫീഡ്ബാക്ക്, തുടർന്ന് &#39;പുതിയത്&#39; എന്നിവ ക്ലിക്കുചെയ്ത് പരിശീലനത്തിലേക്ക് നിങ്ങളുടെ ഫീഡ്ബാക്ക് പങ്കിടുക."
 DocType: Mode of Payment Account,Default Account,സ്ഥിര അക്കൗണ്ട്
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,ആദ്യം സ്റ്റോക്ക് ക്രമീകരണങ്ങളിൽ സാമ്പിൾ Retention Warehouse തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,ആദ്യം സ്റ്റോക്ക് ക്രമീകരണങ്ങളിൽ സാമ്പിൾ Retention Warehouse തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,ഒന്നിലധികം കളക്ഷൻ നിയമങ്ങൾക്കായി ഒന്നിലധികം ടൈയർ പ്രോഗ്രാം തരം തിരഞ്ഞെടുക്കുക.
 DocType: Payment Entry,Received Amount (Company Currency),ലഭിച്ച തുകയുടെ (കമ്പനി കറൻസി)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,അവസരം ലീഡ് നിന്നും ചെയ്താൽ ലീഡ് സജ്ജമാക്കാൻ വേണം
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,പെയ്മെന്റ് റദ്ദാക്കി. കൂടുതൽ വിശദാംശങ്ങൾക്ക് നിങ്ങളുടെ GoCardless അക്കൗണ്ട് പരിശോധിക്കുക
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,അറ്റാച്ചുമെന്റിൽ അയയ്ക്കുക
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,പ്രതിവാര അവധി ദിവസം തിരഞ്ഞെടുക്കുക
 DocType: Inpatient Record,O Negative,ഹേ ന്യൂക്ലിയർ
 DocType: Work Order Operation,Planned End Time,പ്ലാൻ ചെയ്തു അവസാനിക്കുന്ന സമയം
 ,Sales Person Target Variance Item Group-Wise,സെയിൽസ് പേഴ്സൺ ടാര്ഗറ്റ് പൊരുത്തമില്ലായ്മ ഇനം ഗ്രൂപ്പ് യുക്തിമാനുമാണ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,മെമ്മറിർഷിപ്പ് വിശദാംശങ്ങൾ
 DocType: Delivery Note,Customer's Purchase Order No,കസ്റ്റമർ പർച്ചേസ് ഓർഡർ ഇല്ല
 DocType: Clinical Procedure,Consume Stock,സ്റ്റോക്ക് ഉപയോഗിക്കുക
@@ -1172,22 +1179,22 @@
 DocType: Soil Texture,Sand,മണല്
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,എനർജി
 DocType: Opportunity,Opportunity From,നിന്ന് ഓപ്പർച്യൂനിറ്റി
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,വരി {0}: {1} ഇനം {2} എന്നതിന് സീരിയൽ നമ്പറുകൾ ആവശ്യമാണ്. നിങ്ങൾ {3} നൽകി.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,വരി {0}: {1} ഇനം {2} എന്നതിന് സീരിയൽ നമ്പറുകൾ ആവശ്യമാണ്. നിങ്ങൾ {3} നൽകി.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,ദയവായി ഒരു പട്ടിക തിരഞ്ഞെടുക്കുക
 DocType: BOM,Website Specifications,വെബ്സൈറ്റ് വ്യതിയാനങ്ങൾ
 DocType: Special Test Items,Particulars,വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: {1} തരത്തിലുള്ള {0} നിന്ന്
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,വരി {0}: പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,വരി {0}: പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും
 DocType: Student,A+,എ +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ഒന്നിലധികം വില നിയമങ്ങൾ തിരയാം നിലവിലുള്ളതിനാൽ, മുൻഗണന നൽകിക്കൊണ്ട് വൈരുദ്ധ്യം പരിഹരിക്കുക. വില നിയമങ്ങൾ: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ഒന്നിലധികം വില നിയമങ്ങൾ തിരയാം നിലവിലുള്ളതിനാൽ, മുൻഗണന നൽകിക്കൊണ്ട് വൈരുദ്ധ്യം പരിഹരിക്കുക. വില നിയമങ്ങൾ: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,എക്സ്ചേഞ്ച് റേറ്റ് റീവേയുവേഷൻ അക്കൗണ്ട്
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,അത് മറ്റ് BOMs ബന്ധിപ്പിച്ചിരിക്കുന്നതു പോലെ BOM നിർജ്ജീവമാക്കി അല്ലെങ്കിൽ റദ്ദാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,അത് മറ്റ് BOMs ബന്ധിപ്പിച്ചിരിക്കുന്നതു പോലെ BOM നിർജ്ജീവമാക്കി അല്ലെങ്കിൽ റദ്ദാക്കാൻ കഴിയില്ല
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"എൻട്രികൾ ലഭിക്കുന്നതിന് കമ്പനി, പോസ്റ്റിംഗ് തീയതി എന്നിവ തിരഞ്ഞെടുക്കുക"
 DocType: Asset,Maintenance,മെയിൻറനൻസ്
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,രോഗിയുടെ എൻകോർട്ടിൽ നിന്ന് നേടുക
 DocType: Subscriber,Subscriber,സബ്സ്ക്രൈബർ
 DocType: Item Attribute Value,Item Attribute Value,ഇനത്തിനും മൂല്യം
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,നിങ്ങളുടെ പ്രോജക്റ്റ് സ്റ്റാറ്റസ് ദയവായി അപ്ഡേറ്റ് ചെയ്യുക
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,നിങ്ങളുടെ പ്രോജക്റ്റ് സ്റ്റാറ്റസ് ദയവായി അപ്ഡേറ്റ് ചെയ്യുക
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,വാങ്ങൽ അല്ലെങ്കിൽ വിൽപ്പനയ്ക്കായി കറൻസി എക്സ്ചേഞ്ച് പ്രവർത്തിക്കണം.
 DocType: Item,Maximum sample quantity that can be retained,നിലനിർത്താൻ കഴിയുന്ന പരമാവധി സാമ്പിൾ അളവ്
 DocType: Project Update,How is the Project Progressing Right Now?,ഇപ്പോൾ പ്രോജക്റ്റ് പുരോഗമിക്കുന്നതെങ്ങനെ?
@@ -1219,36 +1226,37 @@
 DocType: Lab Test,Lab Test,ലാബ് ടെസ്റ്റ്
 DocType: Student Report Generation Tool,Student Report Generation Tool,വിദ്യാർത്ഥികളുടെ റിപ്പോർട്ട് ജനറേഷൻ ഉപകരണം
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ഹെൽത്ത് ഷെഡ്യൂൾ ടൈം സ്ലോട്ട്
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,ഡോക് പേര്
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,ഡോക് പേര്
 DocType: Expense Claim Detail,Expense Claim Type,ചിലവേറിയ ക്ലെയിം തരം
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,ഷോപ്പിംഗ് കാർട്ട് സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,ടൈംലോട്ടുകൾ ചേർക്കുക
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},ജേർണൽ എൻട്രി {0} വഴി തയ്യാർ അസറ്റ്
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},ജേർണൽ എൻട്രി {0} വഴി തയ്യാർ അസറ്റ്
 DocType: Loan,Interest Income Account,പലിശ വരുമാനം അക്കൗണ്ട്
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,ആനുകൂല്യങ്ങൾ നൽകുന്നതിനായി പരമാവധി ശ്രേണി പൂജ്യം ആയിരിക്കണം
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,ആനുകൂല്യങ്ങൾ നൽകുന്നതിനായി പരമാവധി ശ്രേണി പൂജ്യം ആയിരിക്കണം
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,ക്ഷണം അയയ്ക്കുക
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,എംപ്ലോയീസ് ട്രാൻസ്ഫർ പ്രോപ്പർട്ടി
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,സമയം മുതൽ കുറച്ചു കാലം കുറവായിരിക്കണം
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,ബയോടെക്നോളജി
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",{2} (സീരിയൽ നം: {1}) റീസെർവേർഡ് ആയി ഉപയോഗിക്കുന്നത് {2} സെയിൽസ് ഓർഡർ മുഴുവനായും ഉപയോഗിക്കാൻ കഴിയില്ല.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,ഓഫീസ് മെയിൻറനൻസ് ചെലവുകൾ
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,പോകുക
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ൽ നിന്ന് വില പരിഷ്കരിക്കുക ERPNext വില ലിസ്റ്റിലേക്ക്
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ഇമെയിൽ അക്കൗണ്ട് സജ്ജീകരിക്കുന്നതിന്
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,ആദ്യം ഇനം നൽകുക
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,ആവശ്യകത വിശകലനം
 DocType: Asset Repair,Downtime,പ്രവർത്തനരഹിതമായി
 DocType: Account,Liability,ബാധ്യത
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,അനുവദിക്കപ്പെട്ട തുക വരി {0} ൽ ക്ലെയിം തുക വലുതായിരിക്കണം കഴിയില്ല.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,അനുവദിക്കപ്പെട്ട തുക വരി {0} ൽ ക്ലെയിം തുക വലുതായിരിക്കണം കഴിയില്ല.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,അക്കാദമിക് ടേം:
 DocType: Salary Component,Do not include in total,മൊത്തം ഉൾപ്പെടുത്തരുത്
 DocType: Company,Default Cost of Goods Sold Account,ഗുഡ്സ് സ്വതവേയുള്ള ചെലവ് അക്കൗണ്ട് വിറ്റു
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},സാമ്പിൾ അളവ് {0} ലഭിച്ച തുകയേക്കാൾ കൂടുതൽ ആകരുത് {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,വില പട്ടിക തിരഞ്ഞെടുത്തിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},സാമ്പിൾ അളവ് {0} ലഭിച്ച തുകയേക്കാൾ കൂടുതൽ ആകരുത് {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,വില പട്ടിക തിരഞ്ഞെടുത്തിട്ടില്ല
 DocType: Employee,Family Background,കുടുംബ പശ്ചാത്തലം
 DocType: Request for Quotation Supplier,Send Email,ഇമെയിൽ അയയ്ക്കുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},മുന്നറിയിപ്പ്: അസാധുവായ സഹപത്രങ്ങൾ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},മുന്നറിയിപ്പ്: അസാധുവായ സഹപത്രങ്ങൾ {0}
 DocType: Item,Max Sample Quantity,പരമാവധി സാമ്പിൾ അളവ്
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,ഇല്ല അനുമതി
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,കരാർ പൂർത്തീകരണം ചെക്ക്ലിസ്റ്റ്
@@ -1280,15 +1288,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: കോസ്റ്റ് സെന്റർ {2} കമ്പനി {3} സ്വന്തമല്ല
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),നിങ്ങളുടെ കത്ത് ഹെഡ് അപ്ലോഡ് ചെയ്യുക (വെബ് പോക്കറ്റായി 100px കൊണ്ട് 900px ആയി നിലനിർത്തുക)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: അക്കൗണ്ട് {2} ഒരു ഗ്രൂപ്പ് കഴിയില്ല
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ഇനം വരി {IDX}: {doctype} {DOCNAME} മുകളിൽ &#39;{doctype}&#39; പട്ടികയിൽ നിലവിലില്ല
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} ഇതിനകം പൂർത്തിയായി അല്ലെങ്കിൽ റദ്ദാക്കി
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} ഇതിനകം പൂർത്തിയായി അല്ലെങ്കിൽ റദ്ദാക്കി
+DocType: QuickBooks Migrator,QuickBooks Migrator,ക്വിക് ബുക്ക്സ് മൈഗ്രേറ്റർ
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ടാസ്ക്കുകളൊന്നുമില്ല
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,പണമടച്ചുള്ള സെയിൽസ് ഇൻവോയ്സ് {0} സൃഷ്ടിച്ചു
 DocType: Item Variant Settings,Copy Fields to Variant,വേരിയന്റിലേക്ക് ഫീൽഡുകൾ പകർത്തുക
 DocType: Asset,Opening Accumulated Depreciation,സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച തുറക്കുന്നു
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,സ്കോർ കുറവോ അല്ലെങ്കിൽ 5 വരെയോ ആയിരിക്കണം
 DocType: Program Enrollment Tool,Program Enrollment Tool,പ്രോഗ്രാം എൻറോൾമെന്റ് ടൂൾ
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,സി-ഫോം റെക്കോർഡുകൾ
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,സി-ഫോം റെക്കോർഡുകൾ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,ഓഹരികൾ ഇതിനകം നിലവിലുണ്ട്
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,കസ്റ്റമർ വിതരണക്കാരൻ
 DocType: Email Digest,Email Digest Settings,ഇമെയിൽ ഡൈജസ്റ്റ് സജ്ജീകരണങ്ങൾ
@@ -1301,12 +1309,12 @@
 DocType: Production Plan,Select Items,ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
 DocType: Share Transfer,To Shareholder,ഷെയർഹോൾഡർക്ക്
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} ബിൽ {1} നേരെ {2} dated
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,സംസ്ഥാനം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,സംസ്ഥാനം
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,സെറ്റപ്പ് സ്ഥാപനം
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,ഇലകൾ അനുവദിക്കൽ ...
 DocType: Program Enrollment,Vehicle/Bus Number,വാഹന / ബസ് നമ്പർ
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,കോഴ്സ് ഷെഡ്യൂൾ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",ശമ്പള കാലയളവിൽ അവസാനത്തെ ശമ്പള സ്ലിപ്പിൽ നിങ്ങൾക്ക് അൺസബ്സ്ക്രൈ്ഡ് ടാക്സ് എക്സംപ്ഷൻ പ്രൂഫ് ആൻഡ് ക്ലെയിം ചെയ്യാത്ത \ എംപ്ലോയറി ബെനഫിറ്റുകൾക്ക് നികുതി കിഴിവയ്ക്കേണ്ടതാണ്
 DocType: Request for Quotation Supplier,Quote Status,ക്വോട്ട് നില
 DocType: GoCardless Settings,Webhooks Secret,Webhooks രഹസ്യം
@@ -1332,13 +1340,13 @@
 DocType: Sales Invoice,Payment Due Date,പെയ്മെന്റ് നിശ്ചിത തീയതിയിൽ
 DocType: Drug Prescription,Interval UOM,ഇടവേള UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","തിരഞ്ഞെടുത്തതിനുശേഷം തിരഞ്ഞെടുത്ത വിലാസം എഡിറ്റുചെയ്തിട്ടുണ്ടെങ്കിൽ, തിരഞ്ഞെടുപ്പ് മാറ്റുക"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,ഇനം വേരിയന്റ് {0} ഇതിനകം അതേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,ഇനം വേരിയന്റ് {0} ഇതിനകം അതേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
 DocType: Item,Hub Publishing Details,ഹബ് പബ്ലിഷിംഗ് വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;തുറക്കുന്നു&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;തുറക്കുന്നു&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ചെയ്യാനുള്ളത് തുറക്കുക
 DocType: Issue,Via Customer Portal,കസ്റ്റമർ പോർട്ടൽ വഴി
 DocType: Notification Control,Delivery Note Message,ഡെലിവറി നോട്ട് സന്ദേശം
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST തുക
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST തുക
 DocType: Lab Test Template,Result Format,ഫല ഫോർമാറ്റ്
 DocType: Expense Claim,Expenses,ചെലവുകൾ
 DocType: Item Variant Attribute,Item Variant Attribute,ഇനം മാറ്റമുള്ള ഗുണം
@@ -1346,14 +1354,12 @@
 DocType: Payroll Entry,Bimonthly,രണ്ടുമാസത്തിലൊരിക്കൽ
 DocType: Vehicle Service,Brake Pad,ബ്രേക്ക് പാഡ്
 DocType: Fertilizer,Fertilizer Contents,രാസവസ്തുക്കൾ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,ഗവേഷണവും വികസനവും
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,ഗവേഷണവും വികസനവും
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ബിൽ തുക
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ആരംഭ തീയതിയും അവസാന തീയതിയും തൊഴിൽ കാർഡ് ഉപയോഗിച്ച് ഓവർലാപ്പുചെയ്യുന്നു <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,രജിസ്ട്രേഷൻ വിവരങ്ങൾ
 DocType: Timesheet,Total Billed Amount,ആകെ ബില്ലുചെയ്യുന്നത് തുക
 DocType: Item Reorder,Re-Order Qty,വീണ്ടും ഓർഡർ Qty
 DocType: Leave Block List Date,Leave Block List Date,ബ്ലോക്ക് പട്ടിക തീയതി വിടുക
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,ദയവായി വിദ്യാഭ്യാസം&gt; വിദ്യാഭ്യാസ സജ്ജീകരണങ്ങളിൽ സജ്ജീകരണ അധ്യാപിക നാമനിർദേശം ചെയ്യുന്ന സംവിധാനം
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: അസംസ്കൃത വസ്തു പ്രധാന മൂലകമായിരിക്കരുത്
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,വാങ്ങൽ രസീത് ഇനങ്ങൾ പട്ടികയിൽ ആകെ ബാധകമായ നിരക്കുകളും ആകെ നികുതി ചാർജുകളും തുല്യമായിരിക്കണം
 DocType: Sales Team,Incentives,ഇൻസെന്റീവ്സ്
@@ -1367,7 +1373,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക്
 DocType: Fee Schedule,Fee Creation Status,ഫീ ക്രിയേഷൻ നില
 DocType: Vehicle Log,Odometer Reading,ഒരു തലത്തില്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","അക്കൗണ്ട് ബാലൻസ് ഇതിനകം ക്രെഡിറ്റ്, നിങ്ങൾ സജ്ജീകരിക്കാൻ അനുവദനീയമല്ല &#39;ഡെബിറ്റ്&#39; ആയി &#39;ബാലൻസ് ആയിരിക്കണം&#39;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","അക്കൗണ്ട് ബാലൻസ് ഇതിനകം ക്രെഡിറ്റ്, നിങ്ങൾ സജ്ജീകരിക്കാൻ അനുവദനീയമല്ല &#39;ഡെബിറ്റ്&#39; ആയി &#39;ബാലൻസ് ആയിരിക്കണം&#39;"
 DocType: Account,Balance must be,ബാലൻസ് ആയിരിക്കണം
 DocType: Notification Control,Expense Claim Rejected Message,ചിലവിടൽ ക്ലെയിം സന്ദേശം നിരസിച്ചു
 ,Available Qty,ലഭ്യമായ Qty
@@ -1379,7 +1385,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ഓർഡറുകൾ വിശദാംശങ്ങൾ സമന്വയിപ്പിക്കുന്നതിനുമുമ്പ് എല്ലായ്പ്പോഴും നിങ്ങളുടെ ഉൽപ്പന്നങ്ങൾ ആമസോൺ MWS- യിൽ നിന്ന് സമന്വയിപ്പിക്കുക
 DocType: Delivery Trip,Delivery Stops,ഡെലിവറി സ്റ്റോപ്പുകൾ
 DocType: Salary Slip,Working Days,പ്രവർത്തി ദിവസങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},{0} വരിയിലെ ഇനത്തിനായി സേവന നിർത്തൽ തീയതി മാറ്റാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},{0} വരിയിലെ ഇനത്തിനായി സേവന നിർത്തൽ തീയതി മാറ്റാൻ കഴിയില്ല
 DocType: Serial No,Incoming Rate,ഇൻകമിംഗ് റേറ്റ്
 DocType: Packing Slip,Gross Weight,ആകെ ഭാരം
 DocType: Leave Type,Encashment Threshold Days,എൻറാഷ്മെന്റ് ത്രെഷോൾഡ് ഡെയ്സ്
@@ -1398,31 +1404,33 @@
 DocType: Restaurant Table,Minimum Seating,കുറഞ്ഞ സീറ്റിംഗ്
 DocType: Item Attribute,Item Attribute Values,ഇനം ഗുണ മൂല്യങ്ങൾ
 DocType: Examination Result,Examination Result,പരീക്ഷാ ഫലം
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,വാങ്ങൽ രസീത്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,വാങ്ങൽ രസീത്
 ,Received Items To Be Billed,ബില്ല് ലഭിച്ച ഇനങ്ങൾ
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,നാണയ വിനിമയ നിരക്ക് മാസ്റ്റർ.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,നാണയ വിനിമയ നിരക്ക് മാസ്റ്റർ.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},പരാമർശം Doctype {0} ഒന്ന് ആയിരിക്കണം
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,മൊത്തം സീറോ ക്വാട്ട ഫിൽട്ടർ ചെയ്യുക
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ഓപ്പറേഷൻ {1} അടുത്ത {0} ദിവസങ്ങളിൽ സമയം സ്ലോട്ട് കണ്ടെത്താൻ കഴിഞ്ഞില്ല
 DocType: Work Order,Plan material for sub-assemblies,സബ് സമ്മേളനങ്ങൾ പദ്ധതി മെറ്റീരിയൽ
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,സെയിൽസ് പങ്കാളികളും ടെറിട്ടറി
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM ലേക്ക് {0} സജീവ ആയിരിക്കണം
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM ലേക്ക് {0} സജീവ ആയിരിക്കണം
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,ട്രാൻസ്ഫർ ചെയ്യാനായി ഇനങ്ങളൊന്നും ലഭ്യമല്ല
 DocType: Employee Boarding Activity,Activity Name,പ്രവർത്തന നാമം
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,റിലീസ് തിയതി മാറ്റുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,"പൂർത്തിയായ ഉല്പന്ന അളവ് <b>{0}</b> , കൂടാതെ <b>{1}</b> എന്നത് വ്യത്യസ്തമായിരിക്കില്ല"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,റിലീസ് തിയതി മാറ്റുക
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,"പൂർത്തിയായ ഉല്പന്ന അളവ് <b>{0}</b> , കൂടാതെ <b>{1}</b> എന്നത് വ്യത്യസ്തമായിരിക്കില്ല"
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),അടച്ചു (മൊത്തം + എണ്ണം തുറക്കൽ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,ഇനം കോഡ്&gt; ഇനം ഗ്രൂപ്പ്&gt; ബ്രാൻഡ്
+DocType: Delivery Settings,Dispatch Notification Attachment,ഡിസ്പാച്ച് അറിയിപ്പ് അറ്റാച്ച്മെന്റ്
 DocType: Payroll Entry,Number Of Employees,ജീവനക്കാരുടെ എണ്ണം
 DocType: Journal Entry,Depreciation Entry,മൂല്യത്തകർച്ച എൻട്രി
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,ആദ്യം ഡോക്യുമെന്റ് തരം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,ആദ്യം ഡോക്യുമെന്റ് തരം തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ഈ മെയിൻറനൻസ് സന്ദർശനം റദ്ദാക്കുന്നതിൽ മുമ്പ് മെറ്റീരിയൽ സന്ദർശനങ്ങൾ {0} റദ്ദാക്കുക
 DocType: Pricing Rule,Rate or Discount,നിരക്ക് അല്ലെങ്കിൽ കിഴിവ്
 DocType: Vital Signs,One Sided,ഏകപക്ഷീയമായ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},സീരിയൽ ഇല്ല {0} ഇനം വരെ {1} സ്വന്തമല്ല
 DocType: Purchase Receipt Item Supplied,Required Qty,ആവശ്യമായ Qty
 DocType: Marketplace Settings,Custom Data,ഇഷ്ടാനുസൃത ഡാറ്റ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},ഇനത്തിന് {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},ഇനത്തിന് {0}
 DocType: Bank Reconciliation,Total Amount,മൊത്തം തുക
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,തീയതി മുതൽ ടുഡേ വരെ വ്യത്യസ്ത ധനനയവർഷത്തിൽ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +32,Internet Publishing,ഇന്റർനെറ്റ് പ്രസിദ്ധീകരിക്കൽ
@@ -1432,9 +1440,9 @@
 DocType: Soil Texture,Clay Composition (%),ക്ലേ കോമ്പോസിഷൻ (%)
 DocType: Item Group,Item Group Defaults,ഇനം ഗ്രൂപ്പ് സ്ഥിരസ്ഥിതികൾ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,ചുമതല നിർവ്വഹിക്കുന്നതിന് മുമ്പ് ദയവായി സംരക്ഷിക്കുക.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ബാലൻസ് മൂല്യം
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ബാലൻസ് മൂല്യം
 DocType: Lab Test,Lab Technician,ലാബ് ടെക്നീഷ്യൻ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,സെയിൽസ് വില പട്ടിക
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,സെയിൽസ് വില പട്ടിക
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","പരിശോധിച്ചാൽ, ഒരു ഉപഭോക്താവ് സൃഷ്ടിക്കും, രോഗിക്ക് മാപ്പ് നൽകും. ഈ കസ്റ്റമർക്കെതിരെ രോഗി ഇൻവോയ്സുകൾ സൃഷ്ടിക്കും. രോഗിയെ സൃഷ്ടിക്കുന്ന സമയത്ത് നിങ്ങൾക്ക് നിലവിലുള്ള കസ്റ്റമർ തിരഞ്ഞെടുക്കാം."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ഒരു ലോയൽറ്റി പ്രോഗ്രാമിൽ ഉപഭോക്താവ് എൻറോൾ ചെയ്തിട്ടില്ല
@@ -1448,13 +1456,13 @@
 DocType: Support Search Source,Search Term Param Name,തിരയൽ പദം പാരാം നാമം
 DocType: Item Barcode,Item Barcode,ഇനം ബാർകോഡ്
 DocType: Woocommerce Settings,Endpoints,എൻഡ്പോയിന്റുകൾ
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,ഇനം രൂപഭേദങ്ങൾ {0} നവീകരിച്ചത്
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,ഇനം രൂപഭേദങ്ങൾ {0} നവീകരിച്ചത്
 DocType: Quality Inspection Reading,Reading 6,6 Reading
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,അല്ല {0} കഴിയുമോ {1} {2} നെഗറ്റിവ് കുടിശ്ശിക ഇൻവോയ്സ് ഇല്ലാതെ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,അല്ല {0} കഴിയുമോ {1} {2} നെഗറ്റിവ് കുടിശ്ശിക ഇൻവോയ്സ് ഇല്ലാതെ
 DocType: Share Transfer,From Folio No,ഫോളിയോ നമ്പറിൽ നിന്ന്
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,വാങ്ങൽ ഇൻവോയിസ് അഡ്വാൻസ്
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},വരി {0}: ക്രെഡിറ്റ് എൻട്രി ഒരു {1} ലിങ്കുചെയ്തിരിക്കുന്നതിനാൽ ചെയ്യാൻ കഴിയില്ല
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,ഒരു സാമ്പത്തിക വർഷം ബജറ്റ് നിർവചിക്കുക.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,ഒരു സാമ്പത്തിക വർഷം ബജറ്റ് നിർവചിക്കുക.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext അക്കൌണ്ട്
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} തടഞ്ഞുവച്ചിരിക്കുന്നതിനാൽ ഈ ഇടപാട് തുടരാൻ കഴിയില്ല
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,എം.ആർ.
@@ -1469,19 +1477,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,വാങ്ങൽ ഇൻവോയിസ്
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,ഒരു വർക്ക് ഓർഡറിനെതിരെ ഒന്നിലധികം മെറ്റീരിയൽ അനുവാദം അനുവദിക്കുക
 DocType: GL Entry,Voucher Detail No,സാക്ഷപ്പെടുത്തല് വിശദാംശം ഇല്ല
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,പുതിയ സെയിൽസ് ഇൻവോയ്സ്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,പുതിയ സെയിൽസ് ഇൻവോയ്സ്
 DocType: Stock Entry,Total Outgoing Value,ആകെ ഔട്ട്ഗോയിംഗ് മൂല്യം
 DocType: Healthcare Practitioner,Appointments,നിയമനങ്ങൾ
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,തീയതിയും അടയ്ക്കുന്ന തീയതി തുറക്കുന്നു ഒരേ സാമ്പത്തിക വർഷത്തിൽ ഉള്ളിൽ ആയിരിക്കണം
 DocType: Lead,Request for Information,വിവരങ്ങൾ അഭ്യർത്ഥന
 ,LeaderBoard,ലീഡർബോർഡ്
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),മാർജിനോടെയുള്ള നിരക്ക് (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ
 DocType: Payment Request,Paid,പണമടച്ചു
 DocType: Program Fee,Program Fee,പ്രോഗ്രാം ഫീസ്
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","മറ്റെല്ലാ BOM- കളിലും ഉപയോഗിക്കപ്പെടുന്ന ഒരു പ്രത്യേക BOM- നെ മാറ്റി എഴുതുക. പഴയ ബോം ലിങ്ക്, അപ്ഡേറ്റ് ചെലവ്, പുതിയ ബോം അനുസരിച്ചുള്ള &quot;ബോം സ്ഫോടനം ഇനം&quot; എന്നിവ പുനഃസ്ഥാപിക്കും. എല്ലാ BOM കളിലും പുതിയ വിലയും പുതുക്കുന്നു."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,താഴെ പറയുന്ന വർക്ക് ഓർഡറുകൾ സൃഷ്ടിച്ചു:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,താഴെ പറയുന്ന വർക്ക് ഓർഡറുകൾ സൃഷ്ടിച്ചു:
 DocType: Salary Slip,Total in words,വാക്കുകളിൽ ആകെ
 DocType: Inpatient Record,Discharged,ഡിസ്ചാർജ്
 DocType: Material Request Item,Lead Time Date,ലീഡ് സമയം തീയതി
@@ -1492,16 +1500,16 @@
 DocType: Support Settings,Get Started Sections,വിഭാഗങ്ങൾ ആരംഭിക്കുക
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,അനുവദിച്ചു
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോഡ് സൃഷ്ടിച്ചു ചെയ്തിട്ടില്ല
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},വരി # {0}: ഇനം {1} വേണ്ടി സീരിയൽ ഇല്ല വ്യക്തമാക്കുക
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},ആകെ സംഭാവന തുക: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},വരി # {0}: ഇനം {1} വേണ്ടി സീരിയൽ ഇല്ല വ്യക്തമാക്കുക
 DocType: Payroll Entry,Salary Slips Submitted,ശമ്പളം സ്ലിപ്പുകൾ സമർപ്പിച്ചു
 DocType: Crop Cycle,Crop Cycle,ക്രോപ്പ് സൈക്കിൾ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;ഉൽപ്പന്ന ബണ്ടിൽ&#39; ഇനങ്ങൾ, വെയർഹൗസ്, സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച് യാതൊരു &#39;പായ്ക്കിംഗ് ലിസ്റ്റ് മേശയിൽ നിന്നും പരിഗണിക്കും. സംഭരണശാല ആൻഡ് ബാച്ച് ഇല്ല ഏതെങ്കിലും &#39;ഉൽപ്പന്ന ബണ്ടിൽ&#39; ഇനത്തിനായി എല്ലാ പാക്കിംഗ് ഇനങ്ങളും ഒരേ എങ്കിൽ, ആ മൂല്യങ്ങൾ പ്രധാന ഇനം പട്ടികയിൽ നേടിയെടുക്കുകയും ചെയ്യാം, മൂല്യങ്ങൾ &#39;പാക്കിംഗ് പട്ടിക&#39; മേശയുടെ പകർത്തുന്നു."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;ഉൽപ്പന്ന ബണ്ടിൽ&#39; ഇനങ്ങൾ, വെയർഹൗസ്, സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച് യാതൊരു &#39;പായ്ക്കിംഗ് ലിസ്റ്റ് മേശയിൽ നിന്നും പരിഗണിക്കും. സംഭരണശാല ആൻഡ് ബാച്ച് ഇല്ല ഏതെങ്കിലും &#39;ഉൽപ്പന്ന ബണ്ടിൽ&#39; ഇനത്തിനായി എല്ലാ പാക്കിംഗ് ഇനങ്ങളും ഒരേ എങ്കിൽ, ആ മൂല്യങ്ങൾ പ്രധാന ഇനം പട്ടികയിൽ നേടിയെടുക്കുകയും ചെയ്യാം, മൂല്യങ്ങൾ &#39;പാക്കിംഗ് പട്ടിക&#39; മേശയുടെ പകർത്തുന്നു."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,സ്ഥലം മുതൽ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay cannnot നെഗറ്റീവ് ആയിരിക്കും
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,സ്ഥലം മുതൽ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay cannnot നെഗറ്റീവ് ആയിരിക്കും
 DocType: Student Admission,Publish on website,വെബ്സൈറ്റിൽ പ്രസിദ്ധീകരിക്കുക
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,വിതരണക്കാരൻ ഇൻവോയ്സ് തീയതി തീയതി നോട്സ് ശ്രേഷ്ഠ പാടില്ല
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,വിതരണക്കാരൻ ഇൻവോയ്സ് തീയതി തീയതി നോട്സ് ശ്രേഷ്ഠ പാടില്ല
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.-
 DocType: Subscription,Cancelation Date,റദ്ദാക്കൽ തീയതി
 DocType: Purchase Invoice Item,Purchase Order Item,വാങ്ങൽ ഓർഡർ ഇനം
@@ -1510,7 +1518,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,വിദ്യാർത്ഥിയുടെ ഹാജർ ടൂൾ
 DocType: Restaurant Menu,Price List (Auto created),വിലവിവരങ്ങൾ (സ്വയമേവ സൃഷ്ടിച്ചത്)
 DocType: Cheque Print Template,Date Settings,തീയതി ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,ഭിന്നിച്ചു
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,ഭിന്നിച്ചു
 DocType: Employee Promotion,Employee Promotion Detail,തൊഴിലുടമ പ്രമോഷൻ വിശദാംശം
 ,Company Name,കമ്പനി പേര്
 DocType: SMS Center,Total Message(s),ആകെ സന്ദേശം (ങ്ങൾ)
@@ -1540,7 +1548,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,എംപ്ലോയീസ് ജന്മദിന ഓർമ്മക്കുറിപ്പുകൾ അയയ്ക്കരുത്
 DocType: Expense Claim,Total Advance Amount,ആകെ അഡ്വാൻസ് തുക
 DocType: Delivery Stop,Estimated Arrival,എത്തിച്ചേരുന്നതിനുള്ള ഏകദേശ സമയം
-DocType: Delivery Stop,Notified by Email,ഇമെയിൽ വഴി അറിയിപ്പ് ലഭിച്ചിരിക്കുന്നു
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,എല്ലാ ലേഖനങ്ങളും കാണുക
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,നടപ്പാൻ
 DocType: Item,Inspection Criteria,ഇൻസ്പെക്ഷൻ മാനദണ്ഡം
@@ -1550,23 +1557,22 @@
 DocType: Timesheet Detail,Bill,ബില്
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,വൈറ്റ്
 DocType: SMS Center,All Lead (Open),എല്ലാ ലീഡ് (തുറക്കുക)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),വരി {0}: അളവ് ({2} {3}) വെയർഹൗസിൽ ലെ {4} ലഭ്യമല്ല {1} ചേരുന്ന സമയത്ത് പോസ്റ്റുചെയ്യുന്നതിൽ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),വരി {0}: അളവ് ({2} {3}) വെയർഹൗസിൽ ലെ {4} ലഭ്യമല്ല {1} ചേരുന്ന സമയത്ത് പോസ്റ്റുചെയ്യുന്നതിൽ
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,ചെക്ക് ബോക്സുകളുടെ പട്ടികയിൽ നിന്ന് പരമാവധി ഓപ്ഷൻ മാത്രമേ നിങ്ങൾക്ക് തിരഞ്ഞെടുക്കാനാവൂ.
 DocType: Purchase Invoice,Get Advances Paid,അഡ്വാൻസുകളും പണം ലഭിക്കുന്നത്
 DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് യാന്ത്രികമായി സൃഷ്ടിക്കുക
 DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് യാന്ത്രികമായി സൃഷ്ടിക്കുക
 DocType: Supplier,Represents Company,കമ്പനി പ്രതിനിധീകരിക്കുന്നു
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,നിർമ്മിക്കുക
 DocType: Student Admission,Admission Start Date,അഡ്മിഷൻ ആരംഭ തീയതി
 DocType: Journal Entry,Total Amount in Words,വാക്കുകൾ മൊത്തം തുക
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,പുതിയ ജീവനക്കാരൻ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ഒരു പിശക് ഉണ്ടായിരുന്നു. ഒന്ന് ഇതെന്നു കാരണം ഫോം രക്ഷിച്ചു ചെയ്തിട്ടില്ല വരാം. പ്രശ്നം നിലനിൽക്കുകയാണെങ്കിൽ support@erpnext.com ബന്ധപ്പെടുക.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,എന്റെ വണ്ടി
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ഓർഡർ ടൈപ്പ് {0} ഒന്നാണ് ആയിരിക്കണം
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ഓർഡർ ടൈപ്പ് {0} ഒന്നാണ് ആയിരിക്കണം
 DocType: Lead,Next Contact Date,അടുത്തത് കോൺടാക്റ്റ് തീയതി
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty തുറക്കുന്നു
 DocType: Healthcare Settings,Appointment Reminder,അപ്പോയിന്മെന്റ് റിമൈൻഡർ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,ദയവായി തുക മാറ്റത്തിനായി അക്കൗണ്ട് നൽകുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,ദയവായി തുക മാറ്റത്തിനായി അക്കൗണ്ട് നൽകുക
 DocType: Program Enrollment Tool Student,Student Batch Name,വിദ്യാർത്ഥിയുടെ ബാച്ച് പേര്
 DocType: Holiday List,Holiday List Name,ഹോളിഡേ പട്ടിക പേര്
 DocType: Repayment Schedule,Balance Loan Amount,ബാലൻസ് വായ്പാ തുക
@@ -1576,7 +1582,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,സ്റ്റോക്ക് ഓപ്ഷനുകൾ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,കാർട്ടിൽ ഇനങ്ങളൊന്നും ചേർത്തിട്ടില്ല
 DocType: Journal Entry Account,Expense Claim,ചിലവേറിയ ക്ലെയിം
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,നിങ്ങൾക്ക് ശരിക്കും ഈ എന്തുതോന്നുന്നു അസറ്റ് പുനഃസ്ഥാപിക്കാൻ ആഗ്രഹിക്കുന്നുണ്ടോ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,നിങ്ങൾക്ക് ശരിക്കും ഈ എന്തുതോന്നുന്നു അസറ്റ് പുനഃസ്ഥാപിക്കാൻ ആഗ്രഹിക്കുന്നുണ്ടോ?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},{0} വേണ്ടി Qty
 DocType: Leave Application,Leave Application,ആപ്ലിക്കേഷൻ വിടുക
 DocType: Patient,Patient Relation,രോഗി ബന്ധം
@@ -1597,12 +1603,13 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ദയവായി ഒരു {0} വ്യക്തമാക്കുക
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,അളവ് അല്ലെങ്കിൽ മൂല്യം മാറ്റമൊന്നും വരുത്താതെ ഇനങ്ങളെ നീക്കംചെയ്തു.
 DocType: Delivery Note,Delivery To,ഡെലിവറി
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,വേരിയന്റ് ക്രിയ ക്യൂവിലാണ്.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} എന്നതിനുള്ള ഔദ്യോഗിക സംഗ്രഹം
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,വേരിയന്റ് ക്രിയ ക്യൂവിലാണ്.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} എന്നതിനുള്ള ഔദ്യോഗിക സംഗ്രഹം
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ലിസ്റ്റിലെ ആദ്യ അവധി അംഗീകരിക്കൽ സ്ഥിര ലീഡ് അപ്പെൻറോവർ ആയി സജ്ജമാക്കും.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,ഗുണ മേശ നിർബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,ഗുണ മേശ നിർബന്ധമാണ്
 DocType: Production Plan,Get Sales Orders,സെയിൽസ് ഉത്തരവുകൾ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Quickbooks- ലേക്ക് കണക്റ്റുചെയ്യുക
 DocType: Training Event,Self-Study,സ്വയം പഠനം
 DocType: POS Closing Voucher,Period End Date,കാലാവധി അവസാനിക്കുന്ന തീയതി
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,മണ്ണ് കോമ്പോസിഷനുകൾ 100 വരെ ചേർക്കരുത്
@@ -1618,7 +1625,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},{1} പട്ടികയിലെ വരി {0} ഒരു സാധുതയുള്ള വരി ID വ്യക്തമാക്കുക
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,വേരിയബിനെ കണ്ടെത്താനായില്ല:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,നോർമപ്പിൽ നിന്ന് എഡിറ്റുചെയ്യാൻ ദയവായി ഒരു ഫീൽഡ് തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,സ്റ്റോക്ക് ലെഡ്ജർ ഉണ്ടാക്കിയത് പോലെ ഒരു നിശ്ചിത അസറ്റ് ഇനം ആകരുത്.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,സ്റ്റോക്ക് ലെഡ്ജർ ഉണ്ടാക്കിയത് പോലെ ഒരു നിശ്ചിത അസറ്റ് ഇനം ആകരുത്.
 DocType: Subscription Plan,Fixed rate,നിശ്ചിത നിരക്ക്
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,സമ്മതിക്കുക
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ഡെസ്ക്ടോപ്പ് ലേക്ക് പോയി ERPNext ഉപയോഗിച്ച് തുടങ്ങുക
@@ -1652,7 +1659,7 @@
 DocType: Tax Rule,Shipping State,ഷിപ്പിംഗ് സ്റ്റേറ്റ്
 ,Projected Quantity as Source,ഉറവിടം പ്രൊജക്റ്റുചെയ്തു ക്വാണ്ടിറ്റി
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,ഇനം ബട്ടൺ &#39;വാങ്ങൽ വരവ് നിന്നുള്ള ഇനങ്ങൾ നേടുക&#39; ഉപയോഗിച്ച് ചേർക്കണം
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,ഡെലിവറി ട്രിപ്പ്
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,ഡെലിവറി ട്രിപ്പ്
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,ട്രാൻസ്ഫർ തരം
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,സെയിൽസ് ചെലവുകൾ
@@ -1665,8 +1672,9 @@
 DocType: Item Default,Default Selling Cost Center,സ്ഥിരസ്ഥിതി അതേസമയം ചെലവ് കേന്ദ്രം
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ഡിസ്ക്
 DocType: Buying Settings,Material Transferred for Subcontract,ഉപഘടകത്തിൽ വസ്തുക്കള് കൈമാറി
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,സിപ്പ് കോഡ്
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},സെയിൽസ് ഓർഡർ {0} {1} ആണ്
+DocType: Email Digest,Purchase Orders Items Overdue,ഓർഡറിന്റെ ഇനങ്ങൾ വാങ്ങുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,സിപ്പ് കോഡ്
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},സെയിൽസ് ഓർഡർ {0} {1} ആണ്
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},വായ്പയിൽ പലിശ വരുമാനം അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക {0}
 DocType: Opportunity,Contact Info,ബന്ധപ്പെടുന്നതിനുള്ള വിവരം
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,സ്റ്റോക്ക് എൻട്രികളിൽ ഉണ്ടാക്കുന്നു
@@ -1679,12 +1687,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,പൂജ്യം ബില്ലിങ് മണിക്കൂറിന് ഇൻവോയ്സ് ഉണ്ടാക്കാനാകില്ല
 DocType: Company,Date of Commencement,ആരംഭിക്കുന്ന ദിവസം
 DocType: Sales Person,Select company name first.,ആദ്യം കമ്പനിയുടെ പേര് തിരഞ്ഞെടുക്കുക.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},{0} ലേക്ക് അയച്ച ഇമെയിൽ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},{0} ലേക്ക് അയച്ച ഇമെയിൽ
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ഉദ്ധരണികളും വിതരണക്കാരിൽനിന്നുമാണ് ലഭിച്ചു.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM മാറ്റി പകരം എല്ലാ BOM- കളിൽ ഏറ്റവും പുതിയ വിലയും പുതുക്കുക
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} ചെയ്യുക | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,"ഇത് ഒരു റൂട്ട് വിതരണ ഗ്രൂപ്പാണ്, അത് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല."
-DocType: Delivery Trip,Driver Name,ഡ്രൈവർ നാമം
+DocType: Delivery Note,Driver Name,ഡ്രൈവർ നാമം
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,ശരാശരി പ്രായം
 DocType: Education Settings,Attendance Freeze Date,ഹാജർ ഫ്രീസ് തീയതി
 DocType: Education Settings,Attendance Freeze Date,ഹാജർ ഫ്രീസ് തീയതി
@@ -1711,19 +1719,20 @@
 DocType: Buying Settings,Default Supplier Group,Default Supplier Group
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},ക്വാണ്ടിറ്റി കുറവോ {0} തുല്യമായിരിക്കണം
 DocType: Department Approver,Department Approver,ഡിപ്പാർട്ട്മെന്റ്അപ്രോവർ
+DocType: QuickBooks Migrator,Application Settings,അപ്ലിക്കേഷൻ ക്രമീകരണങ്ങൾ
 DocType: SMS Center,Total Characters,ആകെ പ്രതീകങ്ങൾ
 DocType: Employee Advance,Claimed,ക്ലെയിം ചെയ്തു
 DocType: Crop,Row Spacing,വരി വിടവ്
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},ഇനം വേണ്ടി BOM ലേക്ക് വയലിൽ {0} BOM തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},ഇനം വേണ്ടി BOM ലേക്ക് വയലിൽ {0} BOM തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,തിരഞ്ഞെടുത്ത ഇനത്തിന് ഒരു ഇനം ഇനം ഇല്ല
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,സി-ഫോം ഇൻവോയിസ് വിശദാംശം
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,പേയ്മെന്റ് അനുരഞ്ജനം ഇൻവോയിസ്
 DocType: Clinical Procedure,Procedure Template,നടപടിക്രമം ടെംപ്ലേറ്റ്
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,സംഭാവന%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ഓർഡർ ആവശ്യമുണ്ട് വാങ്ങൽ == &#39;അതെ&#39;, പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം പർച്ചേസ് ഓർഡർ സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,സംഭാവന%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ഓർഡർ ആവശ്യമുണ്ട് വാങ്ങൽ == &#39;അതെ&#39;, പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം പർച്ചേസ് ഓർഡർ സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം"
 ,HSN-wise-summary of outward supplies,എച്ച്എസ്എൻ തിരിച്ചുള്ള - ബാഹ്യ വിതരണങ്ങളുടെ സംഗ്രഹം
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,നിങ്ങളുടെ റഫറൻസിനായി കമ്പനി രജിസ്ട്രേഷൻ നമ്പറുകൾ. നികുതി നമ്പറുകൾ തുടങ്ങിയവ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,സംസ്ഥാനം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,സംസ്ഥാനം
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,വിതരണക്കാരൻ
 DocType: Asset Finance Book,Asset Finance Book,അസറ്റ് ഫിനാൻസ് ബുക്ക്
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ഷോപ്പിംഗ് കാർട്ട് ഷിപ്പിംഗ് റൂൾ
@@ -1732,7 +1741,7 @@
 ,Ordered Items To Be Billed,ബില്ല് ഉത്തരവിട്ടു ഇനങ്ങൾ
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,റേഞ്ച് നിന്നും പരിധി വരെ കുറവ് ഉണ്ട്
 DocType: Global Defaults,Global Defaults,ആഗോള സ്ഥിരസ്ഥിതികൾ
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,പ്രോജക്റ്റ് സഹകരണത്തിന് ക്ഷണം
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,പ്രോജക്റ്റ് സഹകരണത്തിന് ക്ഷണം
 DocType: Salary Slip,Deductions,പൂർണമായും
 DocType: Setup Progress Action,Action Name,പ്രവർത്തന നാമം
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,ആരംഭ വർഷം
@@ -1746,11 +1755,12 @@
 DocType: Lead,Consultant,ഉപദേഷ്ടാവ്
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,മാതാപിതാക്കൾക്കു വേണ്ടിയുള്ള യോഗത്തിൽ പങ്കെടുക്കുക
 DocType: Salary Slip,Earnings,വരുമാനം
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,ഫിനിഷ്ഡ് ഇനം {0} ഉൽപാദനം തരം എൻട്രി നൽകിയ വേണം
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,ഫിനിഷ്ഡ് ഇനം {0} ഉൽപാദനം തരം എൻട്രി നൽകിയ വേണം
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,തുറക്കുന്നു അക്കൗണ്ടിംഗ് ബാലൻസ്
 ,GST Sales Register,ചരക്കുസേവന സെയിൽസ് രജിസ്റ്റർ
 DocType: Sales Invoice Advance,Sales Invoice Advance,സെയിൽസ് ഇൻവോയിസ് അഡ്വാൻസ്
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,അഭ്യർത്ഥിക്കാൻ ഒന്നുമില്ല
+DocType: Stock Settings,Default Return Warehouse,Default Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,നിങ്ങളുടെ ഡൊമെയ്നുകൾ തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,ഷോപ്ടിപ് വിതരണക്കാരൻ
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,പേയ്മെന്റ് ഇൻവോയ്സ് ഇനങ്ങൾ
@@ -1759,15 +1769,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,സൃഷ്ടിയുടെ സമയത്ത് മാത്രമേ ഫീൽഡുകൾ പകർത്തൂ.
 DocType: Setup Progress Action,Domains,മണ്ഡലങ്ങൾ
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;യഥാർത്ഥ ആരംഭ തീയതി&#39; &#39;യഥാർത്ഥ അവസാന തീയതി&#39; വലുതായിരിക്കും കഴിയില്ല
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,മാനേജ്മെന്റ്
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,മാനേജ്മെന്റ്
 DocType: Cheque Print Template,Payer Settings,പണത്തിന് ക്രമീകരണങ്ങൾ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,തന്നിരിക്കുന്ന ഇനങ്ങൾക്ക് ലിങ്കുചെയ്യാൻ തീർപ്പുകൽപ്പിക്കാത്ത മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഒന്നും കണ്ടെത്തിയില്ല.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,കമ്പനി ആദ്യം തിരഞ്ഞെടുക്കുക
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ഈ വകഭേദം എന്ന ഇനം കോഡ് ചേർക്കപ്പെടുകയും ചെയ്യും. നിങ്ങളുടെ ചുരുക്കെഴുത്ത് &quot;എസ് എം &#39;എന്താണ്, ഐറ്റം കോഡ്&#39; ടി-ഷർട്ട് &#39;ഉദാഹരണത്തിന്, വകഭേദം എന്ന ഐറ്റം കോഡ്&#39; ടി-ഷർട്ട്-എസ് എം&quot; ആയിരിക്കും"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,നിങ്ങൾ ശമ്പളം ജി ലാഭിക്കാൻ ഒരിക്കൽ (വാക്കുകളിൽ) നെറ്റ് വേതനം ദൃശ്യമാകും.
 DocType: Delivery Note,Is Return,മടക്കം
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,ജാഗ്രത
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',ടേബിളിൽ &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,മടക്ക / ഡെബിറ്റ് നോട്ട്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,മടക്ക / ഡെബിറ്റ് നോട്ട്
 DocType: Price List Country,Price List Country,വില പട്ടിക രാജ്യം
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},ഇനം {1} വേണ്ടി {0} സാധുവായ സീരിയൽ എണ്ണം
@@ -1780,13 +1791,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,വിവരങ്ങൾ നൽകുക.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,വിതരണക്കാരൻ ഡാറ്റാബേസ്.
 DocType: Contract Template,Contract Terms and Conditions,കരാർ വ്യവസ്ഥകളും നിബന്ധനകളും
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,നിങ്ങൾക്ക് റദ്ദാക്കാത്ത ഒരു സബ്സ്ക്രിപ്ഷൻ പുനഃരാരംഭിക്കാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,നിങ്ങൾക്ക് റദ്ദാക്കാത്ത ഒരു സബ്സ്ക്രിപ്ഷൻ പുനഃരാരംഭിക്കാൻ കഴിയില്ല.
 DocType: Account,Balance Sheet,ബാലൻസ് ഷീറ്റ്
 DocType: Leave Type,Is Earned Leave,നേടിയത് അവശേഷിക്കുന്നു
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',ഇനം കോഡ് ഉപയോഗിച്ച് ഇനം വേണ്ടി ചെലവ് കേന്ദ്രം &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',ഇനം കോഡ് ഉപയോഗിച്ച് ഇനം വേണ്ടി ചെലവ് കേന്ദ്രം &#39;
 DocType: Fee Validity,Valid Till,സാധുവാണ്
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,ആകെ രക്ഷിതാക്കൾ ഗുരുദർശന യോഗം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","പേയ്മെന്റ് മോഡ് ക്രമീകരിച്ചിട്ടില്ല. അക്കൗണ്ട് പെയ്മെന്റിന്റെയും മോഡ് അല്ലെങ്കിൽ POS ൽ പ്രൊഫൈൽ വെച്ചിരിക്കുന്ന എന്ന്, പരിശോധിക്കുക."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","പേയ്മെന്റ് മോഡ് ക്രമീകരിച്ചിട്ടില്ല. അക്കൗണ്ട് പെയ്മെന്റിന്റെയും മോഡ് അല്ലെങ്കിൽ POS ൽ പ്രൊഫൈൽ വെച്ചിരിക്കുന്ന എന്ന്, പരിശോധിക്കുക."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി കഴിയില്ല.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","കൂടുതലായ അക്കൗണ്ടുകൾ ഗ്രൂപ്പ്സ് കീഴിൽ കഴിയും, പക്ഷേ എൻട്രികൾ നോൺ-ഗ്രൂപ്പുകൾ നേരെ കഴിയും"
 DocType: Lead,Lead,ഈയം
@@ -1795,11 +1806,12 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth ടോക്കൺ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,ഓഹരി എൻട്രി {0} സൃഷ്ടിച്ചു
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,നിങ്ങൾക്ക് വീണ്ടെടുക്കാനുള്ള വിശ്വസ്ത ടയറുകൾ ആവശ്യമില്ല
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,വരി # {0}: നിരസിച്ചു Qty വാങ്ങൽ പകരമായി പ്രവേശിക്കുവാൻ പാടില്ല
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,വരി # {0}: നിരസിച്ചു Qty വാങ്ങൽ പകരമായി പ്രവേശിക്കുവാൻ പാടില്ല
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,തിരഞ്ഞെടുത്ത കസ്റ്റമർക്കായി ഉപഭോക്തൃ ഗ്രൂപ്പ് മാറ്റുന്നത് അനുവദനീയമല്ല.
 ,Purchase Order Items To Be Billed,ബില്ല് ക്രമത്തിൽ ഇനങ്ങൾ വാങ്ങുക
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,കണക്കാക്കിയ സമയം അപ്ഡേറ്റ് ചെയ്യുന്നു.
 DocType: Program Enrollment Tool,Enrollment Details,എൻറോൾമെൻറ് വിശദാംശങ്ങൾ
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,ഒരു കമ്പനിക്കായി ഒന്നിലധികം ഇനം സ്ഥിരസ്ഥിതികൾ സജ്ജമാക്കാൻ കഴിയില്ല.
 DocType: Purchase Invoice Item,Net Rate,നെറ്റ് റേറ്റ്
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,ഒരു ഉപഭോക്താവിനെ തിരഞ്ഞെടുക്കുക
 DocType: Leave Policy,Leave Allocations,വിഹിതം വിടുക
@@ -1830,7 +1842,7 @@
 DocType: Loan Application,Repayment Info,തിരിച്ചടവ് വിവരങ്ങളും
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;എൻട്രികൾ&#39; ഒഴിച്ചിടാനാവില്ല
 DocType: Maintenance Team Member,Maintenance Role,മെയിൻറനൻസ് റോൾ
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},{1} അതേ കൂടെ വരി {0} തനിപ്പകർപ്പെടുക്കുക
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},{1} അതേ കൂടെ വരി {0} തനിപ്പകർപ്പെടുക്കുക
 DocType: Marketplace Settings,Disable Marketplace,Marketplace അപ്രാപ്തമാക്കുക
 ,Trial Balance,ട്രയൽ ബാലൻസ്
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,സാമ്പത്തിക വർഷത്തെ {0} കണ്ടെത്തിയില്ല
@@ -1842,7 +1854,7 @@
 DocType: Subscription Settings,Subscription Settings,സബ്സ്ക്രിപ്ഷൻ ക്രമീകരണങ്ങൾ
 DocType: Purchase Invoice,Update Auto Repeat Reference,സ്വയം ആവർത്തിക്കുന്ന റഫറൻസ് അപ്ഡേറ്റുചെയ്യുക
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,റിസർച്ച്
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,വിലാസം 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,വിലാസം 2
 DocType: Maintenance Visit Purpose,Work Done,വർക്ക് ചെയ്തുകഴിഞ്ഞു
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,വിശേഷണങ്ങൾ പട്ടികയിൽ കുറഞ്ഞത് ഒരു ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക
 DocType: Announcement,All Students,എല്ലാ വിദ്യാർത്ഥികൾക്കും
@@ -1852,16 +1864,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,റീകോൺ ചെയ്ത ഇടപാടുകൾ
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,പഴയവ
 DocType: Crop Cycle,Linked Location,ലിങ്ക് ചെയ്ത സ്ഥാനം
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","ഒരു ഇനം ഗ്രൂപ്പ് ഇതേ പേരിലുള്ള നിലവിലുണ്ട്, ഐറ്റം പേര് മാറ്റാനോ ഐറ്റം ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","ഒരു ഇനം ഗ്രൂപ്പ് ഇതേ പേരിലുള്ള നിലവിലുണ്ട്, ഐറ്റം പേര് മാറ്റാനോ ഐറ്റം ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി"
 DocType: Crop Cycle,Less than a year,ഒരു വർഷത്തിൽ താഴെ
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,വിദ്യാർത്ഥി മൊബൈൽ നമ്പർ
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,ലോകം റെസ്റ്റ്
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,ലോകം റെസ്റ്റ്
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ഇനം {0} ബാച്ച് പാടില്ല
 DocType: Crop,Yield UOM,യീൽഡ് UOM
 ,Budget Variance Report,ബജറ്റ് പൊരുത്തമില്ലായ്മ റിപ്പോർട്ട്
 DocType: Salary Slip,Gross Pay,മൊത്തം വേതനം
 DocType: Item,Is Item from Hub,ഇനം ഹബ് ആണ്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,ഹെൽത്ത് സർവീസിൽ നിന്ന് ഇനങ്ങൾ നേടുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,ഹെൽത്ത് സർവീസിൽ നിന്ന് ഇനങ്ങൾ നേടുക
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,വരി {0}: പ്രവർത്തന തരം നിർബന്ധമാണ്.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,പണമടച്ചു ഡിവിഡന്റ്
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,ലെഡ്ജർ എണ്ണുകയും
@@ -1875,6 +1887,7 @@
 DocType: Student Sibling,Student Sibling,സ്റ്റുഡന്റ് സിബ്ലിംഗ്
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,പേയ്മെന്റ് മോഡ്
 DocType: Purchase Invoice,Supplied Items,സപ്ലൈ ഇനങ്ങൾ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,കമ്മീഷൻ നിരക്ക്%
 DocType: Work Order,Qty To Manufacture,നിർമ്മിക്കാനുള്ള Qty
 DocType: Email Digest,New Income,പുതിയ വരുമാന
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,വാങ്ങൽ സൈക്കിൾ ഉടനീളം ഒരേ നിരക്ക് നിലനിറുത്തുക
@@ -1893,8 +1906,7 @@
 DocType: GL Entry,Against Voucher,വൗച്ചർ എഗെൻസ്റ്റ്
 DocType: Item Default,Default Buying Cost Center,സ്ഥിരസ്ഥിതി വാങ്ങൽ ചെലവ് കേന്ദ്രം
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext നിന്നു മികച്ച ലഭിക്കാൻ, ഞങ്ങൾ നിങ്ങൾക്ക് കുറച്ച് സമയം എടുത്തു ഈ സഹായം വീഡിയോകൾ കാണാൻ ഞങ്ങൾ ശുപാർശ."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),സ്ഥിര വിതരണക്കാരന് (ഓപ്ഷണൽ)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,വരെ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),സ്ഥിര വിതരണക്കാരന് (ഓപ്ഷണൽ)
 DocType: Supplier Quotation Item,Lead Time in days,ദിവസങ്ങളിൽ സമയം Lead
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,അക്കൗണ്ടുകൾ അടയ്ക്കേണ്ട ചുരുക്കം
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},ശീതീകരിച്ച അക്കൗണ്ട് {0} എഡിറ്റുചെയ്യാൻ
@@ -1903,7 +1915,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,ഉദ്ധരണികൾക്കുള്ള പുതിയ അഭ്യർത്ഥനയ്ക്കായി മുന്നറിയിപ്പ് നൽകുക
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,വാങ്ങൽ ഓർഡറുകൾ നിങ്ങളുടെ വാങ്ങലുകൾ ന് ആസൂത്രണം ഫോളോ അപ്പ് സഹായിക്കാൻ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,ലാബ് ടെസ്റ്റ് കുറിപ്പുകൾ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",മൊത്തം ഇഷ്യു / ട്രാൻസ്ഫർ അളവ് {0} മെറ്റീരിയൽ അഭ്യർത്ഥനയിൽ {1} \ അഭ്യർത്ഥിച്ച അളവ് {2} ഇനം {3} വേണ്ടി ശ്രേഷ്ഠ പാടില്ല
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,ചെറുകിട
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","ഓർഡർ അനുസരിച്ച് ഉപഭോക്താവ് ഷോപ്പിംഗിൽ ഇല്ലെങ്കിൽ, ഓർഡറുകൾ സമന്വയിപ്പിക്കുമ്പോൾ സിസ്റ്റം ക്രമപ്രകാരം സ്ഥിരമായി ഉപഭോക്താവിനെ പരിഗണിക്കും"
@@ -1915,6 +1927,7 @@
 DocType: Project,% Completed,% പൂർത്തിയാക്കിയത്
 ,Invoiced Amount (Exculsive Tax),Invoiced തുക (Exculsive നികുതി)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ഇനം 2
+DocType: QuickBooks Migrator,Authorization Endpoint,പ്രാമാണീകരണ Endpoint
 DocType: Travel Request,International,ഇന്റർനാഷണൽ
 DocType: Training Event,Training Event,പരിശീലന ഇവന്റ്
 DocType: Item,Auto re-order,ഓട്ടോ റീ-ഓർഡർ
@@ -1923,24 +1936,24 @@
 DocType: Contract,Contract,കരാര്
 DocType: Plant Analysis,Laboratory Testing Datetime,ലാബറട്ടറി ടെസ്റ്റിംഗ് ഡേറ്റാ ടൈം
 DocType: Email Digest,Add Quote,ഉദ്ധരണി ചേർക്കുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM വേണ്ടി ആവശ്യമായ UOM coversion ഘടകം: ഇനം ലെ {0}: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM വേണ്ടി ആവശ്യമായ UOM coversion ഘടകം: ഇനം ലെ {0}: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,പരോക്ഷമായ ചെലവുകൾ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,വരി {0}: Qty നിർബന്ധമായും
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,വരി {0}: Qty നിർബന്ധമായും
 DocType: Agriculture Analysis Criteria,Agriculture,കൃഷി
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,വിൽപ്പന ക്രമം സൃഷ്ടിക്കുക
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,അസറ്റിനായി അക്കൌണ്ടിംഗ് എൻട്രി
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,ബ്ലോക്ക് ഇൻവോയ്സ്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,അസറ്റിനായി അക്കൌണ്ടിംഗ് എൻട്രി
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,ബ്ലോക്ക് ഇൻവോയ്സ്
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,വരുത്താനുള്ള അളവ്
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,സമന്വയം മാസ്റ്റർ ഡാറ്റ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,സമന്വയം മാസ്റ്റർ ഡാറ്റ
 DocType: Asset Repair,Repair Cost,റിട്ടേൺ ചെലവ്
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,നിങ്ങളുടെ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,പ്രവേശിക്കുന്നത് പരാജയപ്പെട്ടു
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,അസറ്റ് {0} സൃഷ്ടിച്ചു
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,അസറ്റ് {0} സൃഷ്ടിച്ചു
 DocType: Special Test Items,Special Test Items,പ്രത്യേക ടെസ്റ്റ് ഇനങ്ങൾ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace- ൽ രജിസ്റ്റർ ചെയ്യുന്നതിന് സിസ്റ്റം മാനേജറും ഒരു ഇനം മാനേജുമെന്റ് റോളുകളും ഉള്ള ഒരു ഉപയോക്താവായിരിക്കണം നിങ്ങൾ.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,അടക്കേണ്ട മോഡ്
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,നിങ്ങളുടെ ശമ്പള ശമ്പളം അനുസരിച്ച് ആനുകൂല്യങ്ങൾക്ക് അപേക്ഷിക്കാൻ കഴിയില്ല
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,വെബ്സൈറ്റ് ചിത്രം ഒരു പൊതു ഫയൽ അല്ലെങ്കിൽ വെബ്സൈറ്റ് URL ആയിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,വെബ്സൈറ്റ് ചിത്രം ഒരു പൊതു ഫയൽ അല്ലെങ്കിൽ വെബ്സൈറ്റ് URL ആയിരിക്കണം
 DocType: Purchase Invoice Item,BOM,BOM ൽ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,ഇത് ഒരു റൂട്ട് ഐറ്റം ഗ്രൂപ്പ് ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,ലയിപ്പിക്കുക
@@ -1949,23 +1962,24 @@
 DocType: Warehouse,Warehouse Contact Info,വെയർഹൗസ് ബന്ധപ്പെടാനുള്ള വിവരങ്ങളും
 DocType: Payment Entry,Write Off Difference Amount,വ്യത്യാസം തുക എഴുതുക
 DocType: Volunteer,Volunteer Name,വോളന്റിയുടെ പേര്
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: ജീവനക്കാരുടെ ഇമെയിൽ കണ്ടെത്തിയില്ല, ഇവിടെനിന്നു മെയിൽ അയച്ചിട്ടില്ല"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},മറ്റ് വരികളിലെ ഡ്യൂപ്ലിക്കേറ്റ് തീയതികൾ ഉള്ള വരികൾ കണ്ടെത്തി: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: ജീവനക്കാരുടെ ഇമെയിൽ കണ്ടെത്തിയില്ല, ഇവിടെനിന്നു മെയിൽ അയച്ചിട്ടില്ല"
 DocType: Item,Foreign Trade Details,വിദേശ വ്യാപാര വിവരങ്ങൾ
 ,Assessment Plan Status,അസസ്സ്മെന്റ് പ്ലാൻ സ്റ്റാറ്റസ്
 DocType: Email Digest,Annual Income,വാർഷിക വരുമാനം
 DocType: Serial No,Serial No Details,സീരിയൽ വിശദാംശങ്ങളൊന്നും
 DocType: Purchase Invoice Item,Item Tax Rate,ഇനം നിരക്ക്
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,പാർട്ടി നാമത്തിൽ നിന്ന്
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,പാർട്ടി നാമത്തിൽ നിന്ന്
 DocType: Student Group Student,Group Roll Number,ഗ്രൂപ്പ് റോൾ നമ്പർ
 DocType: Student Group Student,Group Roll Number,ഗ്രൂപ്പ് റോൾ നമ്പർ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0} മാത്രം ക്രെഡിറ്റ് അക്കൗണ്ടുകൾ മറ്റൊരു ഡെബിറ്റ് എൻട്രി നേരെ ലിങ്ക്ഡ് കഴിയും
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,ഇനം {0} ഒരു സബ് കരാറിൽ ഇനം ആയിരിക്കണം
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,ക്യാപ്പിറ്റൽ ഉപകരണങ്ങൾ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","പ്രൈസിങ് റൂൾ ആദ്യം ഇനം, ഇനം ഗ്രൂപ്പ് അല്ലെങ്കിൽ ബ്രാൻഡ് ആകാം വയലിലെ &#39;പുരട്ടുക&#39; അടിസ്ഥാനമാക്കി തിരഞ്ഞെടുത്തുവെന്ന്."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,ആദ്യം ഇനം കോഡ് സജ്ജീകരിക്കുക
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ഡോക് തരം
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,വിൽപ്പന സംഘത്തെ വേണ്ടി ആകെ നീക്കിവച്ചിരുന്നു ശതമാനം 100 ആയിരിക്കണം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ഡോക് തരം
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,വിൽപ്പന സംഘത്തെ വേണ്ടി ആകെ നീക്കിവച്ചിരുന്നു ശതമാനം 100 ആയിരിക്കണം
 DocType: Subscription Plan,Billing Interval Count,ബില്ലിംഗ് ഇന്റർവൽ കൗണ്ട്
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,അപ്പോയിൻമെൻറ് ആൻഡ് പേയ്മെന്റ് എൻകൌണ്ടറുകൾ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,മൂല്യം നഷ്ടമായി
@@ -1979,6 +1993,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,പ്രിന്റ് ഫോർമാറ്റ് സൃഷ്ടിക്കുക
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,ഫീസ് സൃഷ്ടിച്ചു
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},{0} വിളിച്ചു ഏതെങ്കിലും ഇനം കണ്ടെത്തിയില്ല
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,ഇനങ്ങൾ ഫിൽട്ടർ ചെയ്യുക
 DocType: Supplier Scorecard Criteria,Criteria Formula,മാനദണ്ഡ ഫോർമുല
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,ആകെ അയയ്ക്കുന്ന
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",മാത്രം &quot;ചെയ്യുക മൂല്യം&quot; എന്ന 0 അല്ലെങ്കിൽ ശൂന്യം മൂല്യം കൂടെ ഒരു ഷിപ്പിങ് റൂൾ കണ്ടീഷൻ ഉണ്ട് ആകാം
@@ -1987,14 +2002,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","ഒരു ഇനത്തിന് {0}, എണ്ണം പോസിറ്റീവ് സംഖ്യയായിരിക്കണം"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ശ്രദ്ധിക്കുക: ഈ കോസ്റ്റ് സെന്റർ ഒരു ഗ്രൂപ്പ് ആണ്. ഗ്രൂപ്പുകൾ നേരെ അക്കൗണ്ടിങ് എൻട്രികൾ കഴിയില്ല.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,നഷ്ടമായ അവധിദിനങ്ങളിൽ നഷ്ടപ്പെടാത്ത നഷ്ടപരിഹാര അഭ്യർത്ഥന ദിവസം
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,ശിശു വെയർഹൗസ് ഈ വെയർഹൗസിൽ നിലവിലുണ്ട്. ഈ വെയർഹൗസിൽ ഇല്ലാതാക്കാൻ കഴിയില്ല.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ശിശു വെയർഹൗസ് ഈ വെയർഹൗസിൽ നിലവിലുണ്ട്. ഈ വെയർഹൗസിൽ ഇല്ലാതാക്കാൻ കഴിയില്ല.
 DocType: Item,Website Item Groups,വെബ്സൈറ്റ് ഇനം ഗ്രൂപ്പുകൾ
 DocType: Purchase Invoice,Total (Company Currency),ആകെ (കമ്പനി കറൻസി)
 DocType: Daily Work Summary Group,Reminder,ഓർമ്മപ്പെടുത്തൽ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,ആക്സസ് ചെയ്യാവുന്ന മൂല്യം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,ആക്സസ് ചെയ്യാവുന്ന മൂല്യം
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,സീരിയൽ നമ്പർ {0} ഒരിക്കൽ അധികം പ്രവേശിച്ചപ്പോൾ
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,ജേർണൽ എൻട്രി
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN ൽ നിന്ന്
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN ൽ നിന്ന്
 DocType: Expense Claim Advance,Unclaimed amount,ക്ലെയിം ചെയ്യാത്ത തുക
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} പുരോഗതിയിലാണ് ഇനങ്ങൾ
 DocType: Workstation,Workstation Name,വറ്ക്ക്സ്റ്റേഷൻ പേര്
@@ -2002,7 +2017,7 @@
 DocType: POS Item Group,POS Item Group,POS ഇനം ഗ്രൂപ്പ്
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ഡൈജസ്റ്റ് ഇമെയിൽ:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,ഇതര ഇനം ഇനം കോഡായിരിക്കാൻ പാടില്ല
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM ലേക്ക് {0} ഇനം വരെ {1} സ്വന്തമല്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM ലേക്ക് {0} ഇനം വരെ {1} സ്വന്തമല്ല
 DocType: Sales Partner,Target Distribution,ടാർജറ്റ് വിതരണം
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-താൽക്കാലിക മൂല്യനിർണ്ണയത്തിനുള്ള അന്തിമരൂപം
 DocType: Salary Slip,Bank Account No.,ബാങ്ക് അക്കൗണ്ട് നമ്പർ
@@ -2011,7 +2026,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","സ്കോർബോർഡ് വേരിയബിളുകൾ ഉപയോഗിക്കും, കൂടാതെ: {total_score} (ആ കാലഘട്ടത്തിലെ ആകെ സ്കോർ), {period_number} (ഇന്നത്തെ കാലഘട്ടങ്ങളുടെ എണ്ണം)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,എല്ലാം സങ്കോചിപ്പിക്കുക
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,എല്ലാം സങ്കോചിപ്പിക്കുക
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,വാങ്ങൽ ഓർഡർ സൃഷ്ടിക്കുക
 DocType: Quality Inspection Reading,Reading 8,8 Reading
 DocType: Inpatient Record,Discharge Note,ഡിസ്ചാർജ് നോട്ട്
@@ -2028,7 +2043,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,പ്രിവിലേജ് അവധി
 DocType: Purchase Invoice,Supplier Invoice Date,വിതരണക്കാരൻ ഇൻവോയിസ് തീയതി
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,പ്രോ-റേറ്റ ടെമ്പറീസ് കണക്കുകൂട്ടലിന് ഈ മൂല്യം ഉപയോഗിക്കുന്നു
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,നിങ്ങൾ ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കേണ്ടതുണ്ട്
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,നിങ്ങൾ ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കേണ്ടതുണ്ട്
 DocType: Payment Entry,Writeoff,എഴുതുക
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,സീരിസി പ്രിഫിക്സ് നേടുന്നതിന്
@@ -2043,11 +2058,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,തമ്മിൽ ഓവർലാപ്പുചെയ്യുന്ന അവസ്ഥ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ജേർണൽ എൻട്രി {0} എഗെൻസ്റ്റ് ഇതിനകം മറ്റ് ചില വൗച്ചർ നേരെ ക്രമീകരിക്കുന്ന
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,ആകെ ഓർഡർ മൂല്യം
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ഭക്ഷ്യ
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,ഭക്ഷ്യ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,എയ്ജിങ് ശ്രേണി 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,പിഒസ് അടയ്ക്കുന്ന വൗച്ചറുടെ വിശദാംശങ്ങൾ
 DocType: Shopify Log,Shopify Log,ലോഗ് ഷോപ്പ് ചെയ്യൂ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Setup&gt; Settings&gt; Naming Series വഴി {0} നാമത്തിനായുള്ള പരമ്പര സജ്ജീകരിക്കുക
 DocType: Inpatient Occupancy,Check In,വന്നുചേരുകയും പേര്രജിസ്റ്റര് ചെയ്യുകയും ചെയ്യുക
 DocType: Maintenance Schedule Item,No of Visits,സന്ദർശനങ്ങൾ ഒന്നും
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},മെയിൻറനൻസ് ഷെഡ്യൂൾ {0} നേരെ {1} നിലവിലുണ്ട്
@@ -2087,6 +2101,7 @@
 DocType: Salary Structure,Max Benefits (Amount),പരമാവധി ആനുകൂല്യങ്ങൾ (തുക)
 DocType: Purchase Invoice,Contact Person,സമ്പർക്ക വ്യക്തി
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;പ്രതീക്ഷിച്ച ആരംഭ തീയതി&#39; &#39;പ്രതീക്ഷിച്ച അവസാന തീയതി&#39; വലുതായിരിക്കും കഴിയില്ല
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,ഈ കാലയളവിനുള്ള ഡാറ്റ ഇല്ല
 DocType: Course Scheduling Tool,Course End Date,കോഴ്സ് അവസാന തീയതി
 DocType: Holiday List,Holidays,അവധിദിനങ്ങൾ
 DocType: Sales Order Item,Planned Quantity,ആസൂത്രണം ചെയ്ത ക്വാണ്ടിറ്റി
@@ -2098,7 +2113,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,സ്ഥിര അസറ്റ് ലെ നെറ്റ് മാറ്റുക
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,റിയഡ് കാട്ടി
 DocType: Leave Control Panel,Leave blank if considered for all designations,എല്ലാ തരത്തിലുള്ള വേണ്ടി പരിഗണിക്കും എങ്കിൽ ശൂന്യമായിടൂ
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,&#39;യഥാർത്ഥ&#39; തരം ചുമതലയുള്ള വരിയിലെ {0} ഇനം റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,&#39;യഥാർത്ഥ&#39; തരം ചുമതലയുള്ള വരിയിലെ {0} ഇനം റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചെയ്യാൻ കഴിയില്ല
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},പരമാവധി: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,തീയതി-ൽ
 DocType: Shopify Settings,For Company,കമ്പനിക്ക് വേണ്ടി
@@ -2111,9 +2126,9 @@
 DocType: Material Request,Terms and Conditions Content,നിബന്ധനകളും വ്യവസ്ഥകളും ഉള്ളടക്കം
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,കോഴ്സ് ഷെഡ്യൂൾ സൃഷ്ടിക്കുന്നതിൽ പിശകുകൾ ഉണ്ടായിരുന്നു
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,"ലിസ്റ്റിലെ ആദ്യ ചെലവ് അംഗീകൃതമായത്, സാധാരണ ചിലവ് അപ്പാരവർ ആയി സജ്ജമാക്കിയിരിക്കും."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 വലുതായിരിക്കും കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 വലുതായിരിക്കും കഴിയില്ല
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Marketplace- ൽ രജിസ്റ്റർ ചെയ്യുന്നതിന് സിസ്റ്റം മാനേജറും ഉപയോക്തൃ മാനേജർ റോളുകളും ഉള്ള അഡ്മിനിസ്ട്രേറ്റർ അല്ലാത്ത ഒരു ഉപയോക്താവായിരിക്കണം നിങ്ങൾ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC- .YYYY.-
 DocType: Maintenance Visit,Unscheduled,വരണേ
 DocType: Employee,Owned,ഉടമസ്ഥതയിലുള്ളത്
@@ -2141,7 +2156,7 @@
 DocType: HR Settings,Employee Settings,ജീവനക്കാരുടെ ക്രമീകരണങ്ങൾ
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,പേയ്മെന്റ് സിസ്റ്റം ലോഡുചെയ്യുന്നു
 ,Batch-Wise Balance History,ബാച്ച് യുക്തിമാനും ബാലൻസ് ചരിത്രം
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,വരി # {0}: ഇനം {1} എന്നതിന്റെ ബില്ല്യൺ തുകയേക്കാൾ കൂടുതലാണെങ്കിൽ നിരക്ക് ക്രമീകരിക്കാൻ കഴിയില്ല.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,വരി # {0}: ഇനം {1} എന്നതിന്റെ ബില്ല്യൺ തുകയേക്കാൾ കൂടുതലാണെങ്കിൽ നിരക്ക് ക്രമീകരിക്കാൻ കഴിയില്ല.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,അച്ചടി ക്രമീകരണങ്ങൾ അതാത് പ്രിന്റ് ഫോർമാറ്റിൽ അപ്ഡേറ്റ്
 DocType: Package Code,Package Code,പാക്കേജ് കോഡ്
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,വിദേശികൾക്ക്
@@ -2149,7 +2164,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,നെഗറ്റീവ് ക്വാണ്ടിറ്റി അനുവദനീയമല്ല
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",നികുതി വിശദമായി ടേബിൾ സ്ടിംഗ് ഐറ്റം മാസ്റ്റർ നിന്നും പിടിച്ചു ഈ വയലിൽ സൂക്ഷിച്ചു. നികുതികളും ചാർജുകളും ഉപയോഗിച്ച
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,ജീവനക്കാർ തനിക്കായി റിപ്പോർട്ട് ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,ജീവനക്കാർ തനിക്കായി റിപ്പോർട്ട് ചെയ്യാൻ കഴിയില്ല.
 DocType: Leave Type,Max Leaves Allowed,മാക്സ് ഇലകൾ അനുവദനീയം
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","അക്കൗണ്ട് മരവിപ്പിച്ചു എങ്കിൽ, എൻട്രികൾ നിയന്ത്രിത ഉപയോക്താക്കൾക്ക് അനുവദിച്ചിരിക്കുന്ന."
 DocType: Email Digest,Bank Balance,ബാങ്ക് ബാലൻസ്
@@ -2175,6 +2190,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,ബാങ്ക് ഇടപാട് എൻട്രികൾ
 DocType: Quality Inspection,Readings,വായന
 DocType: Stock Entry,Total Additional Costs,ആകെ അധിക ചെലവ്
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,ഇടപെടലുകളുടെ എണ്ണം
 DocType: BOM,Scrap Material Cost(Company Currency),സ്ക്രാപ്പ് വസ്തുക്കളുടെ വില (കമ്പനി കറൻസി)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,സബ് അസംബ്ലീസ്
 DocType: Asset,Asset Name,അസറ്റ് പേര്
@@ -2182,10 +2198,10 @@
 DocType: Shipping Rule Condition,To Value,മൂല്യത്തിലേക്ക്
 DocType: Loyalty Program,Loyalty Program Type,ലോയൽറ്റി പ്രോഗ്രാം തരം
 DocType: Asset Movement,Stock Manager,സ്റ്റോക്ക് മാനേജർ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},ഉറവിട വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},ഉറവിട വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,വരിയിൽ വരുന്ന പെയ്മെന്റ് ടേം {0} ഒരു തനിപ്പകർപ്പാണ്.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),കൃഷി (ബീറ്റ)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,പാക്കിംഗ് സ്ലിപ്പ്
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,പാക്കിംഗ് സ്ലിപ്പ്
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,ഓഫീസ് രെംട്
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,സെറ്റപ്പ് എസ്എംഎസ് ഗേറ്റ്വേ ക്രമീകരണങ്ങൾ
 DocType: Disease,Common Name,പൊതുവായ പേര്
@@ -2217,20 +2233,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,രേഖയെ ഇമെയിൽ ശമ്പളം ജി
 DocType: Cost Center,Parent Cost Center,പാരന്റ് ചെലവ് കേന്ദ്രം
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക
 DocType: Sales Invoice,Source,ഉറവിടം
 DocType: Customer,"Select, to make the customer searchable with these fields",ഈ ഫീൽഡുകൾ ഉപയോഗിച്ച് ഉപഭോക്താവിനെ തിരയാൻ കഴിയുന്നതിനായി തിരഞ്ഞെടുക്കുക
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,ഷിപ്പിംഗിൽ നിന്ന് Shopify ൽ നിന്നുള്ള Import Delivery Notes
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,അടച്ചു കാണിക്കുക
 DocType: Leave Type,Is Leave Without Pay,ശമ്പള ഇല്ലാതെ തന്നെ തന്നു
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,അസറ്റ് വിഭാഗം ഫിക്സ്ഡ് അസറ്റ് ഇനം നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,അസറ്റ് വിഭാഗം ഫിക്സ്ഡ് അസറ്റ് ഇനം നിര്ബന്ധമാണ്
 DocType: Fee Validity,Fee Validity,ഫീസ് സാധുത
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,പേയ്മെന്റ് പട്ടികയിൽ കണ്ടെത്തിയില്ല റെക്കോർഡുകൾ
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},ഈ {0} {2} {3} ഉപയോഗിച്ച് {1} വൈരുദ്ധ്യങ്ങൾ
 DocType: Student Attendance Tool,Students HTML,വിദ്യാർത്ഥികൾ എച്ച്ടിഎംഎൽ
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ഈ പ്രമാണം റദ്ദാക്കാൻ ജീവനക്കാരനെ <a href=""#Form/Employee/{0}"">{0}</a> \ remove"
 DocType: POS Profile,Apply Discount,ഡിസ്കൗണ്ട് പ്രയോഗിക്കുക
 DocType: GST HSN Code,GST HSN Code,ചരക്കുസേവന ഹ്സ്ന് കോഡ്
 DocType: Employee External Work History,Total Experience,ആകെ അനുഭവം
@@ -2253,7 +2266,7 @@
 DocType: Maintenance Schedule,Schedules,സമയക്രമങ്ങൾ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Point-of-Sale ഉപയോഗിക്കുന്നതിന് POS പ്രൊഫൈൽ ആവശ്യമാണ്
 DocType: Cashier Closing,Net Amount,ആകെ തുക
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} അങ്ങനെ നടപടി പൂർത്തിയാക്കാൻ കഴിയില്ല സമർപ്പിച്ചിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} അങ്ങനെ നടപടി പൂർത്തിയാക്കാൻ കഴിയില്ല സമർപ്പിച്ചിട്ടില്ല
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM വിശദാംശം ഇല്ല
 DocType: Landed Cost Voucher,Additional Charges,അധിക ചാര്ജ്
 DocType: Support Search Source,Result Route Field,ഫലം റൂട്ട് ഫീൽഡ്
@@ -2281,11 +2294,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,ഇൻവോയിസുകൾ തുറക്കുന്നു
 DocType: Contract,Contract Details,കരാര് വിശദാംശങ്ങള്
 DocType: Employee,Leave Details,വിശദാംശങ്ങൾ വിടുക
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,ജീവനക്കാരുടെ റോൾ സജ്ജീകരിക്കാൻ ജീവനക്കാരിയെ രേഖയിൽ ഉപയോക്തൃ ഐഡി ഫീൽഡ് സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,ജീവനക്കാരുടെ റോൾ സജ്ജീകരിക്കാൻ ജീവനക്കാരിയെ രേഖയിൽ ഉപയോക്തൃ ഐഡി ഫീൽഡ് സജ്ജീകരിക്കുക
 DocType: UOM,UOM Name,UOM പേര്
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,വിലാസം 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,വിലാസം 1
 DocType: GST HSN Code,HSN Code,ഹ്സ്ന് കോഡ്
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,സംഭാവനത്തുക
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,സംഭാവനത്തുക
 DocType: Inpatient Record,Patient Encounter,രോഗിയുടെ ആശയം
 DocType: Purchase Invoice,Shipping Address,ഷിപ്പിംഗ് വിലാസം
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ഈ ഉപകരണം നിങ്ങളെ സിസ്റ്റം സ്റ്റോക്ക് അളവ് മൂലധനം അപ്ഡേറ്റുചെയ്യാനോ പരിഹരിക്കാൻ സഹായിക്കുന്നു. ഇത് സിസ്റ്റം മൂല്യങ്ങളും യഥാർത്ഥമാക്കുകയും നിങ്ങളുടെ അബദ്ധങ്ങളും നിലവിലുണ്ട് സമന്വയിപ്പിക്കുക ഉപയോഗിക്കുന്നു.
@@ -2302,9 +2315,9 @@
 DocType: Travel Itinerary,Mode of Travel,യാത്രയുടെ സഞ്ചാരം
 DocType: Sales Invoice Item,Brand Name,ബ്രാൻഡ് പേര്
 DocType: Purchase Receipt,Transporter Details,ട്രാൻസ്പോർട്ടർ വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,സ്വതേ വെയർഹൗസ് തിരഞ്ഞെടുത്ത ഇനം ആവശ്യമാണ്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,സ്വതേ വെയർഹൗസ് തിരഞ്ഞെടുത്ത ഇനം ആവശ്യമാണ്
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,ബോക്സ്
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ
 DocType: Budget,Monthly Distribution,പ്രതിമാസ വിതരണം
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,റിസീവർ പട്ടിക ശൂന്യമാണ്. റിസീവർ പട്ടിക സൃഷ്ടിക്കാൻ ദയവായി
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),ഹെൽത്ത് (ബീറ്റ)
@@ -2326,6 +2339,7 @@
 ,Lead Name,ലീഡ് പേര്
 ,POS,POS
 DocType: C-Form,III,മൂന്നാമൻ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,പ്രതീക്ഷിക്കുന്നു
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,ഓഹരി ബാലൻസ് തുറക്കുന്നു
 DocType: Asset Category Account,Capital Work In Progress Account,കാപിറ്റൽ വർക്ക് പുരോഗതി അക്കൗണ്ട്
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,അസറ്റ് മൂല്യം അഡ്ജസ്റ്റ്മെന്റ്
@@ -2334,7 +2348,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0} വിജയകരമായി നീക്കിവച്ചിരുന്നു ഇലകൾ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,പാക്ക് ഇനങ്ങൾ ഇല്ല
 DocType: Shipping Rule Condition,From Value,മൂല്യം നിന്നും
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,ണം ക്വാണ്ടിറ്റി നിർബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,ണം ക്വാണ്ടിറ്റി നിർബന്ധമാണ്
 DocType: Loan,Repayment Method,തിരിച്ചടവ് രീതി
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","പരിശോധിച്ചാൽ, ഹോം പേജ് വെബ്സൈറ്റ് സ്ഥിര ഇനം ഗ്രൂപ്പ് ആയിരിക്കും"
 DocType: Quality Inspection Reading,Reading 4,4 Reading
@@ -2358,7 +2372,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,തൊഴിലുടമ റഫറൽ
 DocType: Student Group,Set 0 for no limit,പരിധികൾ 0 സജ്ജീകരിക്കുക
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,നിങ്ങൾ അനുവാദം അപേക്ഷിക്കുന്ന ചെയ്തിട്ടുള്ള ദിവസം (ങ്ങൾ) വിശേഷദിവസങ്ങൾ ആകുന്നു. നിങ്ങൾ അനുവാദം അപേക്ഷ നല്കേണ്ടതില്ല.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,വരി {idx}: തുറക്കൽ {invoice_type} ഇൻവോയിസുകൾ സൃഷ്ടിക്കുന്നതിന് {field} ആവശ്യമാണ്
 DocType: Customer,Primary Address and Contact Detail,"പ്രാഥമിക വിലാസം, ബന്ധപ്പെടാനുള്ള വിശദാംശം"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,പേയ്മെന്റ് ഇമെയിൽ വീണ്ടും
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,പുതിയ ചുമതല
@@ -2368,22 +2381,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,കുറഞ്ഞത് ഒരു ഡൊമെയ്നിൽ തിരഞ്ഞെടുക്കുക.
 DocType: Dependent Task,Dependent Task,ആശ്രിത ടാസ്ക്
 DocType: Shopify Settings,Shopify Tax Account,ടാക്സ് അക്കൌണ്ട് ഷോപ്പുചെയ്യുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},അളവു സ്വതവേയുള്ള യൂണിറ്റ് വേണ്ടി പരിവർത്തന ഘടകം വരി 1 {0} ആയിരിക്കണം
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},{0} ഇനി {1} അധികം ആകാൻ പാടില്ല തരത്തിലുള്ള വിടുക
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},അളവു സ്വതവേയുള്ള യൂണിറ്റ് വേണ്ടി പരിവർത്തന ഘടകം വരി 1 {0} ആയിരിക്കണം
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},{0} ഇനി {1} അധികം ആകാൻ പാടില്ല തരത്തിലുള്ള വിടുക
 DocType: Delivery Trip,Optimize Route,റൂട്ട് ഒപ്റ്റിമൈസുചെയ്യുക
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,മുൻകൂട്ടി എക്സ് ദിവസം വേണ്ടി ഓപ്പറേഷൻസ് ആസൂത്രണം ശ്രമിക്കുക.
 DocType: HR Settings,Stop Birthday Reminders,ജന്മദിന ഓർമ്മക്കുറിപ്പുകൾ നിർത്തുക
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},കമ്പനി {0} ൽ സ്ഥിര ശമ്പളപ്പട്ടിക പേയബിൾ അക്കൗണ്ട് സജ്ജീകരിക്കുക
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,ആമസോണിന്റെ നികുതികളും ചാർജുകളും ഡാറ്റയുടെ സാമ്പത്തിക വിഭജനം നേടുക
 DocType: SMS Center,Receiver List,റിസീവർ പട്ടിക
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,തിരയൽ ഇനം
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,തിരയൽ ഇനം
 DocType: Payment Schedule,Payment Amount,പേയ്മെന്റ് തുക
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,തീയതി മുതൽ പ്രവർത്തി തീയതി വരെയുള്ള തീയതി മുതൽ പകുതി ദിവസം വരെ ദൈർഘ്യം ഉണ്ടായിരിക്കണം
 DocType: Healthcare Settings,Healthcare Service Items,ഹെൽത്ത് സേവന ഇനങ്ങൾ
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,ക്ഷയിച്ചിരിക്കുന്നു തുക
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,പണമായി നെറ്റ് മാറ്റുക
 DocType: Assessment Plan,Grading Scale,ഗ്രേഡിംഗ് സ്കെയിൽ
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,മെഷർ {0} യൂണിറ്റ് ഒരിക്കൽ പരിവർത്തന ഫാക്ടർ പട്ടികയിലെ അധികം നൽകി
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,മെഷർ {0} യൂണിറ്റ് ഒരിക്കൽ പരിവർത്തന ഫാക്ടർ പട്ടികയിലെ അധികം നൽകി
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ഇതിനകം പൂർത്തിയായ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,കയ്യിൽ ഓഹരി
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2406,25 +2419,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,സീരിയൽ ഇല്ല {0} അളവ് {1} ഒരു ഭാഗം ആകാൻ പാടില്ല
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,ദയവായി Woocommerce സെർവർ URL നൽകുക
 DocType: Purchase Order Item,Supplier Part Number,വിതരണക്കമ്പനിയായ ഭാഗം നമ്പർ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,പരിവർത്തന നിരക്ക് 0 അല്ലെങ്കിൽ 1 കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,പരിവർത്തന നിരക്ക് 0 അല്ലെങ്കിൽ 1 കഴിയില്ല
 DocType: Share Balance,To No,ഇല്ല
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ജീവനക്കാർ സൃഷ്ടിക്കുന്നതിനുള്ള എല്ലാ നിർബന്ധിത ജോലികളും ഇതുവരെ നടപ്പാക്കിയിട്ടില്ല.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി
 DocType: Accounts Settings,Credit Controller,ക്രെഡിറ്റ് കൺട്രോളർ
 DocType: Loan,Applicant Type,അപേക്ഷകന്റെ തരം
 DocType: Purchase Invoice,03-Deficiency in services,03-സേവനങ്ങളുടെ കുറവ്
 DocType: Healthcare Settings,Default Medical Code Standard,സ്ഥിരസ്ഥിതി മെഡിക്കൽ കോഡ് സ്റ്റാൻഡേർഡ്
 DocType: Purchase Invoice Item,HSN/SAC,ഹ്സ്ന് / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,പർച്ചേസ് റെസീപ്റ്റ് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,പർച്ചേസ് റെസീപ്റ്റ് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
 DocType: Company,Default Payable Account,സ്ഥിരസ്ഥിതി അടയ്ക്കേണ്ട അക്കൗണ്ട്
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","മുതലായ ഷിപ്പിംഗ് നിയമങ്ങൾ, വില ലിസ്റ്റ് പോലെ ഓൺലൈൻ ഷോപ്പിംഗ് കാർട്ട് ക്രമീകരണങ്ങൾ"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,ഈടാക്കൂ {0}%
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,നിക്ഷിപ്തം Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,നിക്ഷിപ്തം Qty
 DocType: Party Account,Party Account,പാർട്ടി അക്കൗണ്ട്
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,ദയവായി കമ്പനിയും ഡയറക്ടറിയും തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,ഹ്യൂമൻ റിസോഴ്സസ്
-DocType: Lead,Upper Income,അപ്പർ ആദായ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,അപ്പർ ആദായ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,നിരസിക്കുക
 DocType: Journal Entry Account,Debit in Company Currency,കമ്പനി കറൻസി ഡെബിറ്റ്
 DocType: BOM Item,BOM Item,BOM ഇനം
@@ -2439,7 +2452,7 @@
 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py +21,Payroll date can not be less than employee's joining date,ജോലിക്കാരന്റെ ചേരുന്ന തീയതിയിൽ പേയൽ തീയതി കുറവായിരിക്കരുത്
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py +87,{0} {1} created,{0} {1} സൃഷ്ടിച്ചു
 DocType: Vital Signs,Constipated,മലബന്ധം
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},വിതരണക്കാരൻ ഇൻവോയിസ് {0} എഗെൻസ്റ്റ് {1} dated
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},വിതരണക്കാരൻ ഇൻവോയിസ് {0} എഗെൻസ്റ്റ് {1} dated
 DocType: Customer,Default Price List,സ്ഥിരസ്ഥിതി വില പട്ടിക
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,അസറ്റ് മൂവ്മെന്റ് റെക്കോർഡ് {0} സൃഷ്ടിച്ചു
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,ഇനങ്ങളൊന്നും കണ്ടെത്തിയില്ല.
@@ -2455,16 +2468,17 @@
 DocType: Journal Entry,Entry Type,എൻട്രി തരം
 ,Customer Credit Balance,കസ്റ്റമർ ക്രെഡിറ്റ് ബാലൻസ്
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,അടയ്ക്കേണ്ട തുക ലെ നെറ്റ് മാറ്റുക
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Setup&gt; Settings&gt; Naming Series വഴി {0} നാമത്തിനായുള്ള പരമ്പര സജ്ജീകരിക്കുക
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&#39;Customerwise കിഴിവും&#39; ആവശ്യമുള്ളതിൽ കസ്റ്റമർ
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,ഡയറിയിലെ ബാങ്ക് പേയ്മെന്റ് തീയതികൾ അപ്ഡേറ്റ്.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,പ്രൈസിങ്
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,പ്രൈസിങ്
 DocType: Quotation,Term Details,ടേം വിശദാംശങ്ങൾ
 DocType: Employee Incentive,Employee Incentive,ജീവനക്കാരുടെ ഇൻസെന്റീവ്
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} ഈ വിദ്യാർത്ഥി ഗ്രൂപ്പിനായി വിദ്യാർത്ഥികൾ കൂടുതൽ എൻറോൾ ചെയ്യാൻ കഴിയില്ല.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),ആകെ (നികുതി കൂടാതെ)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ലീഡ് എണ്ണം
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ലീഡ് എണ്ണം
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,സ്റ്റോക്ക് ലഭ്യമാണ്
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,സ്റ്റോക്ക് ലഭ്യമാണ്
 DocType: Manufacturing Settings,Capacity Planning For (Days),(ദിവസം) ശേഷി ആസൂത്രണ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,നിർവഹണവും
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,ഇനങ്ങളുടെ ഒന്നുമില്ല അളവിലും അല്ലെങ്കിൽ മൂല്യം എന്തെങ്കിലും മാറ്റം ഉണ്ടാകും.
@@ -2486,7 +2500,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,"ഉപേക്ഷിക്കുക, ഹാജർ"
 DocType: Asset,Comprehensive Insurance,സമഗ്ര ഇൻഷുറൻസ്
 DocType: Maintenance Visit,Partially Completed,ഭാഗികമായി പൂർത്തിയാക്കി
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},ലോയൽറ്റി പോയിന്റ്: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},ലോയൽറ്റി പോയിന്റ്: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,ലീഡ്സ് ചേർക്കുക
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,മോഡറേറ്റ് സെൻസിറ്റിവിറ്റി
 DocType: Leave Type,Include holidays within leaves as leaves,ഇല പോലെ ഇല ഉള്ളിൽ അവധി ദിവസങ്ങൾ ഉൾപ്പെടുത്തുക
 DocType: Loyalty Program,Redemption,വീണ്ടെടുക്കൽ
@@ -2520,7 +2535,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,മാർക്കറ്റിംഗ് ചെലവുകൾ
 ,Item Shortage Report,ഇനം ദൗർലഭ്യം റിപ്പോർട്ട്
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,അടിസ്ഥാന മാനദണ്ഡങ്ങൾ സൃഷ്ടിക്കാൻ കഴിയില്ല. മാനദണ്ഡത്തിന്റെ പേരുമാറ്റുക
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ഭാരോദ്വഹനം പരാമർശിച്ചിരിക്കുന്നത്, \ n ദയവായി വളരെ &quot;ഭാരോദ്വഹനം UOM&quot; മറന്ന"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ഭാരോദ്വഹനം പരാമർശിച്ചിരിക്കുന്നത്, \ n ദയവായി വളരെ &quot;ഭാരോദ്വഹനം UOM&quot; മറന്ന"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ഈ ഓഹരി എൻട്രി ചെയ്യുന്നതിനുപയോഗിക്കുന്ന മെറ്റീരിയൽ അഭ്യർത്ഥന
 DocType: Hub User,Hub Password,ഹബ് പാസ്വേഡ്
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,അടിസ്ഥാനമാക്കിയുള്ള ഗ്രൂപ്പ് പ്രത്യേക കോഴ്സ് ഓരോ ബാച്ച് വേണ്ടി
@@ -2535,15 +2550,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),നിയമന കാലാവധി (മിനിറ്റ്)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ഓരോ ഓഹരി പ്രസ്ഥാനത്തിന് വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി വരുത്തുക
 DocType: Leave Allocation,Total Leaves Allocated,അനുവദിച്ച മൊത്തം ഇലകൾ
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"സാധുവായ സാമ്പത്തിക വർഷം ആരംഭ, അവസാന തീയതി നൽകുക"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"സാധുവായ സാമ്പത്തിക വർഷം ആരംഭ, അവസാന തീയതി നൽകുക"
 DocType: Employee,Date Of Retirement,വിരമിക്കൽ തീയതി
 DocType: Upload Attendance,Get Template,ഫലകം നേടുക
+,Sales Person Commission Summary,സെയിൽസ് ആൻസി കമ്മീഷൻ സംഗ്രഹം
 DocType: Additional Salary Component,Additional Salary Component,കൂടുതൽ ശമ്പളം ഘടക
 DocType: Material Request,Transferred,മാറ്റിയത്
 DocType: Vehicle,Doors,ഡോറുകൾ
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,സമ്പൂർണ്ണ ERPNext സജ്ജീകരണം!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,സമ്പൂർണ്ണ ERPNext സജ്ജീകരണം!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,രോഗി രജിസ്ട്രേഷനായി ഫീസ് വാങ്ങുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ഓഹരി ഇടപാട് കഴിഞ്ഞ് ആട്രിബ്യൂട്ടുകൾ മാറ്റാൻ കഴിയില്ല. പുതിയ ഇനത്തിലേക്ക് പുതിയ ഇനവും സ്റ്റോക്കും കൈമാറുക
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ഓഹരി ഇടപാട് കഴിഞ്ഞ് ആട്രിബ്യൂട്ടുകൾ മാറ്റാൻ കഴിയില്ല. പുതിയ ഇനത്തിലേക്ക് പുതിയ ഇനവും സ്റ്റോക്കും കൈമാറുക
 DocType: Course Assessment Criteria,Weightage,വെയിറ്റേജ്
 DocType: Purchase Invoice,Tax Breakup,നികുതി ഖണ്ഡങ്ങളായി
 DocType: Employee,Joining Details,വിശദാംശങ്ങളിൽ ചേരുക
@@ -2570,14 +2586,15 @@
 DocType: Lead,Next Contact By,അടുത്തത് കോൺടാക്റ്റ് തന്നെയാണ
 DocType: Compensatory Leave Request,Compensatory Leave Request,നഷ്ടപരിഹാര അവധി അപേക്ഷ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},നിരയിൽ ഇനം {0} ആവശ്യമുള്ളതിൽ ക്വാണ്ടിറ്റി {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},അളവ് ഇനം {1} വേണ്ടി നിലവിലുണ്ട് പോലെ വെയർഹൗസ് {0} ഇല്ലാതാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},അളവ് ഇനം {1} വേണ്ടി നിലവിലുണ്ട് പോലെ വെയർഹൗസ് {0} ഇല്ലാതാക്കാൻ കഴിയില്ല
 DocType: Blanket Order,Order Type,ഓർഡർ തരം
 ,Item-wise Sales Register,ഇനം തിരിച്ചുള്ള സെയിൽസ് രജിസ്റ്റർ
 DocType: Asset,Gross Purchase Amount,മൊത്തം വാങ്ങൽ തുക
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ബാലൻസ് തുറക്കുന്നു
 DocType: Asset,Depreciation Method,മൂല്യത്തകർച്ച രീതി
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ബേസിക് റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ഈ നികുതി ആണോ?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,ആകെ ടാർഗെറ്റ്
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,ആകെ ടാർഗെറ്റ്
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,സൂക്ഷ്മപരിശോധന
 DocType: Soil Texture,Sand Composition (%),സാൻഡ് കോമ്പോസിഷൻ (%)
 DocType: Job Applicant,Applicant for a Job,ഒരു ജോലിക്കായി അപേക്ഷകന്
 DocType: Production Plan Material Request,Production Plan Material Request,പ്രൊഡക്ഷൻ പ്ലാൻ മെറ്റീരിയൽ അഭ്യർത്ഥന
@@ -2593,23 +2610,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),അസ്സസ്മെന്റ് മാർക്ക് (10 ൽ 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,ഗുഅര്ദിഅന്൨ മൊബൈൽ ഇല്ല
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,പ്രധാന
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,ഇനത്തെ തുടർന്ന് {0} {1} ഇനമായി അടയാളപ്പെടുത്തിയിട്ടില്ല. നിങ്ങൾക്ക് അവരുടെ ഇനം മാസ്റ്ററിൽ നിന്ന് {1} ഇനം ആയി സജ്ജമാക്കാൻ കഴിയും
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,മാറ്റമുള്ള
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","ഒരു ഇനത്തിന് {0}, എണ്ണം നെഗറ്റീവ് നമ്പറായിരിക്കണം"
 DocType: Naming Series,Set prefix for numbering series on your transactions,നിങ്ങളുടെ ഇടപാടുകൾ പരമ്പര എണ്ണം പ്രിഫിക്സ് സജ്ജമാക്കുക
 DocType: Employee Attendance Tool,Employees HTML,എംപ്ലോയീസ് എച്ച്ടിഎംഎൽ
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,സ്വതേ BOM ({0}) ഈ ഇനം അല്ലെങ്കിൽ അതിന്റെ ടെംപ്ലേറ്റ് സജീവമാകും ആയിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,സ്വതേ BOM ({0}) ഈ ഇനം അല്ലെങ്കിൽ അതിന്റെ ടെംപ്ലേറ്റ് സജീവമാകും ആയിരിക്കണം
 DocType: Employee,Leave Encashed?,കാശാക്കാം വിടണോ?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,വയലിൽ നിന്ന് ഓപ്പർച്യൂനിറ്റി നിർബന്ധമാണ്
 DocType: Email Digest,Annual Expenses,വാർഷിക ചെലവുകൾ
 DocType: Item,Variants,വകഭേദങ്ങളും
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,വാങ്ങൽ ഓർഡർ നിർമ്മിക്കുക
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,വാങ്ങൽ ഓർഡർ നിർമ്മിക്കുക
 DocType: SMS Center,Send To,അയക്കുക
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},അനുവാദ ടൈപ്പ് {0} മതി ലീവ് ബാലൻസ് ഒന്നും ഇല്ല
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},അനുവാദ ടൈപ്പ് {0} മതി ലീവ് ബാലൻസ് ഒന്നും ഇല്ല
 DocType: Payment Reconciliation Payment,Allocated amount,പദ്ധതി തുക
 DocType: Sales Team,Contribution to Net Total,നെറ്റ് ആകെ വരെ സംഭാവന
 DocType: Sales Invoice Item,Customer's Item Code,കസ്റ്റമർ ന്റെ ഇനം കോഡ്
 DocType: Stock Reconciliation,Stock Reconciliation,ഓഹരി അനുരഞ്ജനം
 DocType: Territory,Territory Name,ടെറിട്ടറി പേര്
+DocType: Email Digest,Purchase Orders to Receive,സ്വീകരിക്കുന്നതിനുള്ള ഓർഡറുകൾ വാങ്ങുക
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,വർക്ക്-ഇൻ-പുരോഗതി വെയർഹൗസ് മുമ്പ് സമർപ്പിക്കുക ആവശ്യമാണ്
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,ഒരു സബ്സ്ക്രിപ്ഷനിൽ നിങ്ങൾ ഒരേ ബില്ലിംഗ് സൈക്കിൾ മാത്രമുള്ള പ്ലാനുകൾ മാത്രമേ നിങ്ങൾക്ക് ഉൾപ്പെടുത്താൻ കഴിയൂ
 DocType: Bank Statement Transaction Settings Item,Mapped Data,മാപ്പുചെയ്ത ഡാറ്റ
@@ -2626,9 +2645,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},സീരിയൽ ഇല്ല ഇനം {0} നൽകിയ തനിപ്പകർപ്പെടുക്കുക
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,ലീഡ് ഉറവിടം ലീഡ് നയിക്കുന്നു.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,ഒരു ഷിപ്പിംഗ് റൂൾ വ്യവസ്ഥ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,ദയവായി നൽകുക
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,ദയവായി നൽകുക
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,പരിപാലന ലോഗ്
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,ഇനം അപാകതയുണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,ഇനം അപാകതയുണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ഈ പാക്കേജിന്റെ മൊത്തം ഭാരം. (ഇനങ്ങളുടെ മൊത്തം ഭാരം തുകയുടെ ഒരു സ്വയം കണക്കുകൂട്ടുന്നത്)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,ഇന്റർ കമ്പനീസ് ജേർണൽ എൻട്രി ചെയ്യുക
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,ഡിസ്കൗണ്ട് തുക 100% ൽ അധികമായിരിക്കരുത്
@@ -2637,15 +2656,15 @@
 DocType: Sales Order,To Deliver and Bill,എത്തിക്കേണ്ടത് ബിൽ ചെയ്യുക
 DocType: Student Group,Instructors,ഗുരുക്കന്മാർ
 DocType: GL Entry,Credit Amount in Account Currency,അക്കൗണ്ട് കറൻസി ക്രെഡിറ്റ് തുക
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM ലേക്ക് {0} സമർപ്പിക്കേണ്ടതാണ്
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,ഷെയർ മാനേജ്മെന്റ്
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM ലേക്ക് {0} സമർപ്പിക്കേണ്ടതാണ്
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,ഷെയർ മാനേജ്മെന്റ്
 DocType: Authorization Control,Authorization Control,അംഗീകാര നിയന്ത്രണ
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},വരി # {0}: നിരസിച്ചു വെയർഹൗസ് തള്ളിക്കളഞ്ഞ ഇനം {1} നേരെ നിർബന്ധമായും
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,പേയ്മെന്റ്
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},വരി # {0}: നിരസിച്ചു വെയർഹൗസ് തള്ളിക്കളഞ്ഞ ഇനം {1} നേരെ നിർബന്ധമായും
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,പേയ്മെന്റ്
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","വെയർഹൗസ് {0} ഏത് അക്കൗണ്ടിൽ ലിങ്കുചെയ്തിട്ടില്ല, കമ്പനി {1} വെയർഹൗസിൽ റെക്കോർഡ്, സെറ്റ് സ്ഥിര സാധനങ്ങളും അക്കൗണ്ടിൽ അക്കൗണ്ട് പരാമർശിക്കുക."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,നിങ്ങളുടെ ഓർഡറുകൾ നിയന്ത്രിക്കുക
 DocType: Work Order Operation,Actual Time and Cost,യഥാർത്ഥ സമയവും ചെലവ്
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},പരമാവധി ഭൗതിക അഭ്യർത്ഥന {0} സെയിൽസ് ഓർഡർ {2} നേരെ ഇനം {1} വേണ്ടി കഴിയും
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},പരമാവധി ഭൗതിക അഭ്യർത്ഥന {0} സെയിൽസ് ഓർഡർ {2} നേരെ ഇനം {1} വേണ്ടി കഴിയും
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,വിളകൾ അകലം
 DocType: Course,Course Abbreviation,കോഴ്സ് സംഗ്രഹം
@@ -2657,6 +2676,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},ആകെ തൊഴിൽ സമയം ജോലി സമയം {0} MAX ശ്രേഷ്ഠ പാടില്ല
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,ഓൺ
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,വില്പനയ്ക്ക് സമയത്ത് ഇനങ്ങളുടെ ചേർത്തുവെക്കുന്നു.
+DocType: Delivery Settings,Dispatch Settings,ഡിസ്പാച്ച് ക്രമീകരണങ്ങൾ
 DocType: Material Request Plan Item,Actual Qty,യഥാർത്ഥ Qty
 DocType: Sales Invoice Item,References,അവലംബം
 DocType: Quality Inspection Reading,Reading 10,10 Reading
@@ -2666,11 +2686,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,നിങ്ങൾ ഡ്യൂപ്ലിക്കേറ്റ് ഇനങ്ങളുടെ പ്രവേശിച്ചിരിക്കുന്നു. പരിഹരിക്കാൻ വീണ്ടും ശ്രമിക്കുക.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,അസോസിയേറ്റ്
 DocType: Asset Movement,Asset Movement,അസറ്റ് പ്രസ്ഥാനം
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,വർക്ക് ഓർഡർ {0} സമർപ്പിക്കേണ്ടതുണ്ട്
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,പുതിയ കാർട്ട്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,വർക്ക് ഓർഡർ {0} സമർപ്പിക്കേണ്ടതുണ്ട്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,പുതിയ കാർട്ട്
 DocType: Taxable Salary Slab,From Amount,തുക മുതൽ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ഇനം {0} ഒരു സീരിയൽ ഇനം അല്ല
 DocType: Leave Type,Encashment,എൻക്യാഷ്മെന്റ്
+DocType: Delivery Settings,Delivery Settings,ഡെലിവറി ക്രമീകരണങ്ങൾ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ഡാറ്റ ലഭ്യമാക്കുക
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},ലീവ് തരം അനുവദനീയമായ പരമാവധി അവധി {0} ആണ് {1}
 DocType: SMS Center,Create Receiver List,റിസീവർ ലിസ്റ്റ് സൃഷ്ടിക്കുക
 DocType: Vehicle,Wheels,ചക്രങ്ങളും
@@ -2686,7 +2708,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,ബില്ലിംഗ് കറൻസി സ്ഥിര കമ്പനിയുടെ കറൻസി അല്ലെങ്കിൽ കക്ഷി അക്കൗണ്ട് കറൻസിക്ക് തുല്യമാണ്
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),(മാത്രം ഡ്രാഫ്റ്റ്) പാക്കേജ് ഈ ഡെലിവറി ഒരു ഭാഗമാണ് സൂചിപ്പിക്കുന്നു
 DocType: Soil Texture,Loam,ഹരം
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,വരി {0}: തീയതി തീയതി പോസ്റ്റുചെയ്യുന്നതിനു മുമ്പുള്ള തീയതി അല്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,വരി {0}: തീയതി തീയതി പോസ്റ്റുചെയ്യുന്നതിനു മുമ്പുള്ള തീയതി അല്ല
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,പേയ്മെന്റ് എൻട്രി നിർമ്മിക്കുക
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},ഇനം {0} വേണ്ടി ക്വാണ്ടിറ്റി {1} താഴെ ആയിരിക്കണം
 ,Sales Invoice Trends,സെയിൽസ് ഇൻവോയിസ് ട്രെൻഡുകൾ
@@ -2694,12 +2716,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',അല്ലെങ്കിൽ &#39;മുൻ വരി ആകെ&#39; &#39;മുൻ വരി തുകയ്ക്ക്&#39; ചാർജ് തരം മാത്രമേ വരി പരാമർശിക്കാൻ കഴിയും
 DocType: Sales Order Item,Delivery Warehouse,ഡെലിവറി വെയർഹൗസ്
 DocType: Leave Type,Earned Leave Frequency,നേടിയിട്ടിരുന്ന ഫ്രീക്വെൻസി
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,സാമ്പത്തിക ചെലവ് സെന്റേഴ്സ് ട്രീ.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,സബ് തരം
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,സാമ്പത്തിക ചെലവ് സെന്റേഴ്സ് ട്രീ.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,സബ് തരം
 DocType: Serial No,Delivery Document No,ഡെലിവറി ഡോക്യുമെന്റ് ഇല്ല
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ഉൽപ്പാദിപ്പിക്കൽ പരമ്പര നം
 DocType: Vital Signs,Furry,വൃത്തികെട്ട
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},&#39;അസറ്റ് തീർപ്പ് ന് ഗെയിൻ / നഷ്ടം അക്കൗണ്ട്&#39; സജ്ജമാക്കുക കമ്പനി {0} ൽ
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},&#39;അസറ്റ് തീർപ്പ് ന് ഗെയിൻ / നഷ്ടം അക്കൗണ്ട്&#39; സജ്ജമാക്കുക കമ്പനി {0} ൽ
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,വാങ്ങൽ വരവ് നിന്നുള്ള ഇനങ്ങൾ നേടുക
 DocType: Serial No,Creation Date,ക്രിയേഷൻ തീയതി
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},അസറ്റിന് ടാർഗെറ്റ് ലൊക്കേഷൻ ആവശ്യമാണ് {0}
@@ -2713,11 +2735,12 @@
 DocType: Item,Has Variants,രൂപഭേദങ്ങൾ ഉണ്ട്
 DocType: Employee Benefit Claim,Claim Benefit For,ക്ലെയിം ബെനിഫിറ്റ് ഫോർ ഫോർ
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,പ്രതികരണം അപ്ഡേറ്റുചെയ്യുക
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},നിങ്ങൾ ഇതിനകം നിന്ന് {0} {1} ഇനങ്ങൾ തിരഞ്ഞെടുത്തു
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},നിങ്ങൾ ഇതിനകം നിന്ന് {0} {1} ഇനങ്ങൾ തിരഞ്ഞെടുത്തു
 DocType: Monthly Distribution,Name of the Monthly Distribution,പ്രതിമാസ വിതരണം പേര്
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ബാച്ച് ഐഡി നിർബന്ധമായും
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ബാച്ച് ഐഡി നിർബന്ധമായും
 DocType: Sales Person,Parent Sales Person,പേരന്റ്ഫോള്ഡര് സെയിൽസ് വ്യാക്തി
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,ലഭിക്കേണ്ട ഇനങ്ങളൊന്നും നിങ്ങളുടെ കാലത്തേയ്ക്കില്ല
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,വിൽക്കുന്നവനും വാങ്ങുന്നവനും ഒന്നു തന്നെ ആകരുത്
 DocType: Project,Collect Progress,ശേഖരം പുരോഗതി
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2732,7 +2755,7 @@
 DocType: Bank Guarantee,Margin Money,മാർജിൻ മണി
 DocType: Budget,Budget,ബജറ്റ്
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,തുറക്കുക സജ്ജമാക്കുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,ഫിക്സ്ഡ് അസറ്റ് ഇനം ഒരു നോൺ-സ്റ്റോക്ക് ഇനം ആയിരിക്കണം.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,ഫിക്സ്ഡ് അസറ്റ് ഇനം ഒരു നോൺ-സ്റ്റോക്ക് ഇനം ആയിരിക്കണം.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","അത് ഒരു ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ല പോലെ ബജറ്റ്, {0} നേരെ നിയോഗിക്കുകയും കഴിയില്ല"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} എന്നതിനായുള്ള പരമാവധി ഒഴിവാക്കൽ തുക {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,കൈവരിച്ച
@@ -2750,9 +2773,9 @@
 ,Amount to Deliver,വിടുവിപ്പാൻ തുക
 DocType: Asset,Insurance Start Date,ഇൻഷുറൻസ് ആരംഭ തീയതി
 DocType: Salary Component,Flexible Benefits,സൌകര്യപ്രദമായ ആനുകൂല്യങ്ങൾ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},ഇതേ ഇനം ഒന്നിലധികം തവണ നൽകി. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},ഇതേ ഇനം ഒന്നിലധികം തവണ നൽകി. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ടേം ആരംഭ തീയതി ഏത് പദം (അക്കാദമിക് വർഷം {}) ബന്ധിപ്പിച്ചിട്ടുള്ളാതാവനായി അക്കാദമിക വർഷത്തിന്റെ വർഷം ആരംഭിക്കുന്ന തീയതിയ്ക്ക് നേരത്തെ പാടില്ല. എൻറർ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,പിശകുകളുണ്ടായിരുന്നു.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,പിശകുകളുണ്ടായിരുന്നു.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,{2} ഉം {2} ഉം {3} നും ഇടയിലുള്ള {1} ജീവനക്കാരി ഇതിനകം അപേക്ഷിച്ചു.
 DocType: Guardian,Guardian Interests,ഗാർഡിയൻ താൽപ്പര്യങ്ങൾ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,അക്കൗണ്ട് പേര് / നമ്പർ അപ്ഡേറ്റുചെയ്യുക
@@ -2791,9 +2814,9 @@
 ,Item-wise Purchase History,ഇനം തിരിച്ചുള്ള വാങ്ങൽ ചരിത്രം
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},സീരിയൽ ഇല്ല കൊണ്ടുവരുവാൻ &#39;ജനറേറ്റ് ഷെഡ്യൂൾ&#39; ക്ലിക്ക് ചെയ്യുക ദയവായി ഇനം {0} വേണ്ടി ചേർത്തു
 DocType: Account,Frozen,ശീതീകരിച്ച
-DocType: Delivery Note,Vehicle Type,വാഹന തരം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,വാഹന തരം
 DocType: Sales Invoice Payment,Base Amount (Company Currency),അടിസ്ഥാന സംഖ്യ (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,അസംസ്കൃത വസ്തുക്കൾ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,അസംസ്കൃത വസ്തുക്കൾ
 DocType: Payment Reconciliation Payment,Reference Row,റഫറൻസ് വരി
 DocType: Installation Note,Installation Time,ഇന്സ്റ്റലേഷന് സമയം
 DocType: Sales Invoice,Accounting Details,അക്കൗണ്ടിംഗ് വിശദാംശങ്ങൾ
@@ -2802,12 +2825,13 @@
 DocType: Inpatient Record,O Positive,പോസിറ്റീവ്
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,നിക്ഷേപങ്ങൾ
 DocType: Issue,Resolution Details,മിഴിവ് വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,ഇടപാട് തരം
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,ഇടപാട് തരം
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,സ്വീകാര്യത മാനദണ്ഡം
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,മുകളിലുള്ള പട്ടികയിൽ മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ നൽകുക
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,ജേർണൽ എൻട്രിക്ക് റീഫേൻസുകൾ ലഭ്യമല്ല
 DocType: Hub Tracked Item,Image List,ഇമേജ് ലിസ്റ്റ്
 DocType: Item Attribute,Attribute Name,പേര് ആട്രിബ്യൂട്ട്
+DocType: Subscription,Generate Invoice At Beginning Of Period,കാലാവധിയുടെ തുടക്കത്തിൽ ഇൻവോയ്സ് സൃഷ്ടിക്കുക
 DocType: BOM,Show In Website,വെബ്സൈറ്റ് കാണിക്കുക
 DocType: Loan Application,Total Payable Amount,ആകെ അടയ്ക്കേണ്ട തുക
 DocType: Task,Expected Time (in hours),(മണിക്കൂറിനുള്ളിൽ) പ്രതീക്ഷിക്കുന്ന സമയം
@@ -2844,8 +2868,8 @@
 DocType: Employee,Resignation Letter Date,രാജിക്കത്ത് തീയതി
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,പ്രൈസിങ് നിയമങ്ങൾ കൂടുതൽ അളവ് അടിസ്ഥാനമാക്കി ഫിൽറ്റർ.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,സജ്ജമാക്കിയിട്ടില്ല
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ജീവനക്കാരൻ {0} പ്രവേശനത്തിനുള്ള തീയതി സജ്ജീകരിക്കുക
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ജീവനക്കാരൻ {0} പ്രവേശനത്തിനുള്ള തീയതി സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ജീവനക്കാരൻ {0} പ്രവേശനത്തിനുള്ള തീയതി സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ജീവനക്കാരൻ {0} പ്രവേശനത്തിനുള്ള തീയതി സജ്ജീകരിക്കുക
 DocType: Inpatient Record,Discharge,ഡിസ്ചാർജ്
 DocType: Task,Total Billing Amount (via Time Sheet),ആകെ ബില്ലിംഗ് തുക (ടൈം ഷീറ്റ് വഴി)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ആവർത്തിക്കുക കസ്റ്റമർ റവന്യൂ
@@ -2855,13 +2879,13 @@
 DocType: Chapter,Chapter,ചാപ്റ്റർ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,ജോഡി
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ഈ മോഡ് തിരഞ്ഞെടുക്കുമ്പോൾ POS ഇൻവോയിസായി സ്ഥിരസ്ഥിതി അക്കൌണ്ട് സ്വയമായി അപ്ഡേറ്റ് ചെയ്യപ്പെടും.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ഉത്പാദനം BOM ലേക്ക് ആൻഡ് അളവ് തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ഉത്പാദനം BOM ലേക്ക് ആൻഡ് അളവ് തിരഞ്ഞെടുക്കുക
 DocType: Asset,Depreciation Schedule,മൂല്യത്തകർച്ച ഷെഡ്യൂൾ
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,സെയിൽസ് പങ്കാളി വിലാസങ്ങളും ബന്ധങ്ങൾ
 DocType: Bank Reconciliation Detail,Against Account,അക്കൗണ്ടിനെതിരായ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,അര ദിവസം തീയതി തീയതി മുതൽ ദിവസവും തമ്മിലുള്ള ആയിരിക്കണം
 DocType: Maintenance Schedule Detail,Actual Date,യഥാർഥ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,{0} കമ്പനിയിൽ സ്ഥിരസ്ഥിതി കോസ്റ്റ് സെന്റർ ക്രമീകരിക്കുക.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,{0} കമ്പനിയിൽ സ്ഥിരസ്ഥിതി കോസ്റ്റ് സെന്റർ ക്രമീകരിക്കുക.
 DocType: Item,Has Batch No,ബാച്ച് ഇല്ല ഉണ്ട്
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},വാർഷിക ബില്ലിംഗ്: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Webhook വിശദമായി Shopify ചെയ്യുക
@@ -2873,7 +2897,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY.-
 DocType: Shift Assignment,Shift Type,Shift തരം
 DocType: Student,Personal Details,പേഴ്സണൽ വിവരങ്ങൾ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},കമ്പനി {0} ൽ &#39;അസറ്റ് മൂല്യത്തകർച്ച കോസ്റ്റ് സെന്റർ&#39; സജ്ജമാക്കുക
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},കമ്പനി {0} ൽ &#39;അസറ്റ് മൂല്യത്തകർച്ച കോസ്റ്റ് സെന്റർ&#39; സജ്ജമാക്കുക
 ,Maintenance Schedules,മെയിൻറനൻസ് സമയക്രമങ്ങൾ
 DocType: Task,Actual End Date (via Time Sheet),യഥാർത്ഥ അവസാന തീയതി (ടൈം ഷീറ്റ് വഴി)
 DocType: Soil Texture,Soil Type,മണ്ണ് തരം
@@ -2881,10 +2905,10 @@
 ,Quotation Trends,ക്വട്ടേഷൻ ട്രെൻഡുകൾ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},ഐറ്റം {0} ഐറ്റം മാസ്റ്റർ പരാമർശിച്ചു അല്ല ഇനം ഗ്രൂപ്പ്
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless മാൻഡേറ്റ്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു സ്വീകാ അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു സ്വീകാ അക്കൗണ്ട് ആയിരിക്കണം
 DocType: Shipping Rule,Shipping Amount,ഷിപ്പിംഗ് തുക
 DocType: Supplier Scorecard Period,Period Score,കാലയളവ് സ്കോർ
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,ഉപഭോക്താക്കൾ ചേർക്കുക
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,ഉപഭോക്താക്കൾ ചേർക്കുക
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,തീർച്ചപ്പെടുത്തിയിട്ടില്ല തുക
 DocType: Lab Test Template,Special,പ്രത്യേക
 DocType: Loyalty Program,Conversion Factor,പരിവർത്തന ഫാക്ടർ
@@ -2901,7 +2925,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,ലെറ്റർഹെഡ് ചേർക്കുക
 DocType: Program Enrollment,Self-Driving Vehicle,സ്വയം-ഡ്രൈവിംഗ് വാഹനം
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,വിതരണക്കാരൻ സ്കോറർ സ്റ്റാൻഡിംഗ്
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},വരി {0}: വസ്തുക്കൾ ബിൽ ഇനം {1} കണ്ടില്ല
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},വരി {0}: വസ്തുക്കൾ ബിൽ ഇനം {1} കണ്ടില്ല
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ആകെ അലോക്കേറ്റഡ് ഇല {0} കാലയളവിലേക്ക് ഇതിനകം അംഗീകരിച്ച ഇല {1} കുറവായിരിക്കണം കഴിയില്ല
 DocType: Contract Fulfilment Checklist,Requirement,ആവശ്യമുണ്ട്
 DocType: Journal Entry,Accounts Receivable,സ്വീകാരയോഗ്യമായ കണക്കുകള്
@@ -2918,16 +2942,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,എച്ച് ക്രമീകരണങ്ങൾ
 DocType: Salary Slip,net pay info,വല ശമ്പള വിവരം
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,സെസ് തുക
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,സെസ് തുക
 DocType: Woocommerce Settings,Enable Sync,സമന്വയം പ്രാപ്തമാക്കുക
 DocType: Tax Withholding Rate,Single Transaction Threshold,സിംഗിൾ ട്രാൻസാക്ഷൻ ത്രെഷോൾഡ്
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ഈ മൂല്യം സ്ഥിരസ്ഥിതി വിലകളുടെ പട്ടികയിൽ അപ്ഡേറ്റ് ചെയ്തിരിക്കുന്നു.
 DocType: Email Digest,New Expenses,പുതിയ ചെലവുകൾ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC തുക
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC തുക
 DocType: Shareholder,Shareholder,ഓഹരി ഉടമ
 DocType: Purchase Invoice,Additional Discount Amount,അധിക ഡിസ്ക്കൌണ്ട് തുക
 DocType: Cash Flow Mapper,Position,സ്ഥാനം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,കുറിപ്പുകളിൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,കുറിപ്പുകളിൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
 DocType: Patient,Patient Details,രോഗിയുടെ വിശദാംശങ്ങൾ
 DocType: Inpatient Record,B Positive,ബി പോസിറ്റീവ്
 apps/erpnext/erpnext/controllers/accounts_controller.py +655,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","വരി # {0}: അളവ് 1, ഇനം ഒരു നിശ്ചിത അസറ്റ് പോലെ ആയിരിക്കണം. ഒന്നിലധികം അളവ് പ്രത്യേകം വരി ഉപയോഗിക്കുക."
@@ -2937,8 +2961,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,നോൺ-ഗ്രൂപ്പ് വരെ ഗ്രൂപ്പ്
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,സ്പോർട്സ്
 DocType: Loan Type,Loan Name,ലോൺ പേര്
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,യഥാർത്ഥ ആകെ
-DocType: Lab Test UOM,Test UOM,പരിശോധന UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,യഥാർത്ഥ ആകെ
 DocType: Student Siblings,Student Siblings,സ്റ്റുഡന്റ് സഹോദരങ്ങള്
 DocType: Subscription Plan Detail,Subscription Plan Detail,സബ്സ്ക്രിപ്ഷൻ പ്ലാൻ വിശദാംശം
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,യൂണിറ്റ്
@@ -2966,7 +2989,6 @@
 DocType: Workstation,Wages per hour,മണിക്കൂറിൽ വേതനം
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ബാച്ച് ലെ സ്റ്റോക്ക് ബാലൻസ് {0} സംഭരണശാല {3} ചെയ്തത് ഇനം {2} വേണ്ടി {1} നെഗറ്റീവ് ആയിത്തീരും
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,തുടർന്ന് മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഇനത്തിന്റെ റീ-ഓർഡർ തലത്തിൽ അടിസ്ഥാനമാക്കി സ്വയം ഉൾപ്പെടും
-DocType: Email Digest,Pending Sales Orders,തീർച്ചപ്പെടുത്തിയിട്ടില്ല സെയിൽസ് ഓർഡറുകൾ
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},അക്കൗണ്ട് {0} അസാധുവാണ്. അക്കൗണ്ട് കറന്സി {1} ആയിരിക്കണം
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},തീയതി മുതൽ {0} ജീവനക്കാരന്റെ ഒഴിവാക്കൽ തീയതിക്ക് ശേഷം ആയിരിക്കരുത് {1}
 DocType: Supplier,Is Internal Supplier,ആന്തരിക വിതരണക്കാരൻ
@@ -2975,13 +2997,14 @@
 DocType: Healthcare Settings,Remind Before,മുമ്പ് ഓർമ്മിപ്പിക്കുക
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM പരിവർത്തന ഘടകം വരി {0} ആവശ്യമാണ്
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം വിൽപ്പന ഓർഡർ, സെയിൽസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം വിൽപ്പന ഓർഡർ, സെയിൽസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ലോയൽറ്റി പോയിന്റുകൾ = ബേസ് കറൻസി എത്രയാണ്?
 DocType: Salary Component,Deduction,കുറയ്ക്കല്
 DocType: Item,Retain Sample,സാമ്പിൾ നിലനിർത്തുക
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,വരി {0}: സമയവും സമയാസമയങ്ങളിൽ നിർബന്ധമാണ്.
 DocType: Stock Reconciliation Item,Amount Difference,തുക വ്യത്യാസം
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},ഇനം വില വില പട്ടിക {1} ൽ {0} വേണ്ടി ചേർത്തു
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},ഇനം വില വില പട്ടിക {1} ൽ {0} വേണ്ടി ചേർത്തു
+DocType: Delivery Stop,Order Information,ഓർഡർ വിവരം
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ഈ വിൽപ്പന ആളിന്റെ ജീവനക്കാരന്റെ ഐഡി നൽകുക
 DocType: Territory,Classification of Customers by region,പ്രാദേശികതയും ഉപഭോക്താക്കൾക്ക് തിരിക്കൽ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,ഉല്പാദനത്തിൽ
@@ -2991,8 +3014,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,കണക്കുകൂട്ടിയത് ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ബാലൻസ്
 DocType: Normal Test Template,Normal Test Template,സാധാരണ ടെസ്റ്റ് ടെംപ്ലേറ്റ്
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,അപ്രാപ്തമാക്കിയ ഉപയോക്താവിനെ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,ഉദ്ധരണി
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,ലഭിച്ചിട്ടില്ല RFQ എന്നതിന് ഒരു ഉദ്ധരണിയും നൽകാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,ഉദ്ധരണി
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,ലഭിച്ചിട്ടില്ല RFQ എന്നതിന് ഒരു ഉദ്ധരണിയും നൽകാൻ കഴിയില്ല
 DocType: Salary Slip,Total Deduction,ആകെ കിഴിച്ചുകൊണ്ടു
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,അക്കൗണ്ട് കറൻസിയിൽ അച്ചടിക്കാൻ ഒരു അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
 ,Production Analytics,പ്രൊഡക്ഷൻ അനലിറ്റിക്സ്
@@ -3005,14 +3028,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,വിതരണ സ്കോർബോർഡ് സജ്ജീകരണം
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,അസസ്സ്മെന്റ് പ്ലാൻ നാമം
 DocType: Work Order Operation,Work Order Operation,വർക്ക് ഓർഡർ ഓപ്പറേഷൻ
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},മുന്നറിയിപ്പ്: അറ്റാച്ച്മെന്റ് {0} ന് അസാധുവായ SSL സർട്ടിഫിക്കറ്റ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},മുന്നറിയിപ്പ്: അറ്റാച്ച്മെന്റ് {0} ന് അസാധുവായ SSL സർട്ടിഫിക്കറ്റ്
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","ലീഡുകൾ നിങ്ങളുടെ നയിക്കുന്നത് പോലെയും നിങ്ങളുടെ എല്ലാ ബന്ധങ്ങൾ കൂടുതൽ ചേർക്കുക, നിങ്ങൾ ബിസിനസ്സ് ലഭിക്കാൻ സഹായിക്കും"
 DocType: Work Order Operation,Actual Operation Time,യഥാർത്ഥ ഓപ്പറേഷൻ സമയം
 DocType: Authorization Rule,Applicable To (User),(ഉപയോക്താവ്) ബാധകമായ
 DocType: Purchase Taxes and Charges,Deduct,കുറയ്ക്കാവുന്നതാണ്
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,ജോലി വിവരണം
 DocType: Student Applicant,Applied,അപ്ലൈഡ്
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,വീണ്ടും തുറക്കുക
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,വീണ്ടും തുറക്കുക
 DocType: Sales Invoice Item,Qty as per Stock UOM,ഓഹരി UOM പ്രകാരം Qty
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ഗുഅര്ദിഅന്൨ പേര്
 DocType: Attendance,Attendance Request,ഹാജർ അഭ്യർത്ഥന
@@ -3030,7 +3053,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},സീരിയൽ ഇല്ല {0} {1} വരെ വാറന്റി കീഴിൽ ആണ്
 DocType: Plant Analysis Criteria,Minimum Permissible Value,കുറഞ്ഞത് അനുവദനീയമായ മൂല്യം
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,ഉപയോക്താവ് {0} ഇതിനകം നിലവിലുണ്ട്
-apps/erpnext/erpnext/hooks.py +114,Shipments,കയറ്റുമതി
+apps/erpnext/erpnext/hooks.py +115,Shipments,കയറ്റുമതി
 DocType: Payment Entry,Total Allocated Amount (Company Currency),ആകെ തുക (കമ്പനി കറൻസി)
 DocType: Purchase Order Item,To be delivered to customer,ഉപഭോക്താവിന് പ്രസവം
 DocType: BOM,Scrap Material Cost,സ്ക്രാപ്പ് വസ്തുക്കളുടെ വില
@@ -3038,11 +3061,12 @@
 DocType: Grant Application,Email Notification Sent,ഇമെയിൽ അറിയിപ്പ് അയച്ചത്
 DocType: Purchase Invoice,In Words (Company Currency),വാക്കുകൾ (കമ്പനി കറൻസി) ൽ
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,കമ്പനിയുടെ അക്കൗണ്ടിന് ഉടമസ്ഥതയുണ്ട്
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","ഇനം കോഡ്, വെയർഹൗസ്, വരിയിൽ വരികൾ ആവശ്യമുണ്ട്"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","ഇനം കോഡ്, വെയർഹൗസ്, വരിയിൽ വരികൾ ആവശ്യമുണ്ട്"
 DocType: Bank Guarantee,Supplier,സപൈ്ളയര്
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,നിന്നും നേടുക
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,"ഇത് ഒരു റൂട്ട് വകുപ്പാണ്, എഡിറ്റുചെയ്യാൻ കഴിയില്ല."
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,പേയ്മെന്റ് വിശദാംശങ്ങൾ കാണിക്കുക
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,ദിവസത്തിൽ ദൈർഘ്യം
 DocType: C-Form,Quarter,ക്വാര്ട്ടര്
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,പലവക ചെലവുകൾ
 DocType: Global Defaults,Default Company,സ്ഥിരസ്ഥിതി കമ്പനി
@@ -3050,7 +3074,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ചിലവേറിയ അല്ലെങ്കിൽ ഈ വ്യത്യാസം അത് കൂട്ടിയിടികൾ പോലെ ഇനം {0} മൊത്തത്തിലുള്ള ഓഹരി മൂല്യം നിര്ബന്ധമാണ്
 DocType: Bank,Bank Name,ബാങ്ക് പേര്
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,എല്ലാ വിതരണക്കാരും വാങ്ങൽ ഓർഡറുകൾ നിർമ്മിക്കാൻ ഫീൽഡ് ശൂന്യമായി വിടുക
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,എല്ലാ വിതരണക്കാരും വാങ്ങൽ ഓർഡറുകൾ നിർമ്മിക്കാൻ ഫീൽഡ് ശൂന്യമായി വിടുക
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ഇൻപെഡേഷ്യന്റ് വിസ ചാർജ് ഇനം
 DocType: Vital Signs,Fluid,ഫ്ലൂയിഡ്
 DocType: Leave Application,Total Leave Days,ആകെ അനുവാദ ദിനങ്ങൾ
@@ -3060,7 +3084,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,ഇനം ഭേദം സജ്ജീകരണങ്ങൾ
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,കമ്പനി തിരഞ്ഞെടുക്കുക ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,എല്ലാ വകുപ്പുകളുടെയും വേണ്ടി പരിഗണിക്കും എങ്കിൽ ശൂന്യമായിടൂ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} ഇനം {1} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} ഇനം {1} നിര്ബന്ധമാണ്
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",ഇനം {0}: {1}
 DocType: Payroll Entry,Fortnightly,രണ്ടാഴ്ചയിലൊരിക്കൽ
 DocType: Currency Exchange,From Currency,കറൻസി
@@ -3110,7 +3134,7 @@
 DocType: Account,Fixed Asset,സ്ഥിര അസറ്റ്
 DocType: Amazon MWS Settings,After Date,തീയതിക്ക് ശേഷം
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,സീരിയൽ ഇൻവെന്ററി
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,ഇന്റർ കമ്പനി ഇൻവോയ്സിനായി {0} അസാധുവാണ്.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,ഇന്റർ കമ്പനി ഇൻവോയ്സിനായി {0} അസാധുവാണ്.
 ,Department Analytics,ഡിപ്പാർട്ട്മെൻറ് അനലിറ്റിക്സ്
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,സ്ഥിരസ്ഥിതി സമ്പർക്കത്തിൽ ഇമെയിൽ കണ്ടെത്തിയില്ല
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,രഹസ്യം സൃഷ്ടിക്കുക
@@ -3128,6 +3152,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,സിഇഒ
 DocType: Purchase Invoice,With Payment of Tax,നികുതി അടച്ചുകൊണ്ട്
 DocType: Expense Claim Detail,Expense Claim Detail,ചിലവേറിയ ക്ലെയിം വിശദാംശം
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,ദയവായി വിദ്യാഭ്യാസം&gt; വിദ്യാഭ്യാസ സജ്ജീകരണങ്ങളിൽ സജ്ജീകരണ അധ്യാപിക നാമനിർദേശം ചെയ്യുന്ന സംവിധാനം
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,വിതരണക്കാരൻ നുവേണ്ടി ത്രിപ്ലിചതെ
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,അടിസ്ഥാന കറൻസിയിൽ പുതിയ ബാലൻസ്
 DocType: Location,Is Container,കണ്ടെയ്നർ ആണ്
@@ -3135,12 +3160,12 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,ശരിയായ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
 DocType: Salary Structure Assignment,Salary Structure Assignment,ശമ്പളം ഘടന നിർണയം
 DocType: Purchase Invoice Item,Weight UOM,ഭാരോദ്വഹനം UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ഫോളിയോ നമ്പറുകളുള്ള ഷെയർഹോൾഡർമാരുടെ പട്ടിക
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ഫോളിയോ നമ്പറുകളുള്ള ഷെയർഹോൾഡർമാരുടെ പട്ടിക
 DocType: Salary Structure Employee,Salary Structure Employee,ശമ്പള ഘടന ജീവനക്കാരുടെ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,വേരിയന്റ് ആട്രിബ്യൂട്ടുകൾ കാണിക്കുക
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,വേരിയന്റ് ആട്രിബ്യൂട്ടുകൾ കാണിക്കുക
 DocType: Student,Blood Group,രക്ത ഗ്രൂപ്പ്
 DocType: Course,Course Name,കോഴ്സിന്റെ പേര്
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,നിലവിലെ ധനനയ വർഷത്തിനായുള്ള ടാക്സ് പിക്ക്ഹോൾഡിംഗ് ഡാറ്റയില്ല.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,നിലവിലെ ധനനയ വർഷത്തിനായുള്ള ടാക്സ് പിക്ക്ഹോൾഡിംഗ് ഡാറ്റയില്ല.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ഒരു പ്രത്യേക ജീവനക്കാരന്റെ ലീവ് അപേക്ഷകൾ അംഗീകരിക്കാം ഉപയോക്താക്കൾ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,ഓഫീസ് ഉപകരണങ്ങൾ
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3148,6 +3173,7 @@
 DocType: Supplier Scorecard,Scoring Setup,സ്കോറിംഗ് സെറ്റ്അപ്പ്
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,ഇലക്ട്രോണിക്സ്
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ഡെബിറ്റ് ({0})
+DocType: BOM,Allow Same Item Multiple Times,ഒന്നിൽ കൂടുതൽ ഇനം അനുവദിക്കുക
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,സ്റ്റോക്ക് റീ-ഓർഡർ തലത്തിൽ എത്തുമ്പോൾ മെറ്റീരിയൽ അഭ്യർത്ഥന ഉയർത്തലും
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,മുഴുവൻ സമയവും
 DocType: Payroll Entry,Employees,എംപ്ലോയീസ്
@@ -3159,11 +3185,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,പണമടച്ചതിന്റെ സ്ഥിരീകരണം
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,വിലവിവര ലിസ്റ്റ് സജ്ജമാക്കിയിട്ടില്ലെങ്കിൽ വിലകൾ കാണിക്കില്ല
 DocType: Stock Entry,Total Incoming Value,ആകെ ഇൻകമിംഗ് മൂല്യം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ഡെബിറ്റ് ആവശ്യമാണ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ഡെബിറ്റ് ആവശ്യമാണ്
 DocType: Clinical Procedure,Inpatient Record,ഇൻപെഷ്യൻറ് റിക്കോർഡ്
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","തിമെശെഎത്സ് സമയം, നിങ്ങളുടെ ടീം നടക്കുന്ന പ്രവർത്തനങ്ങൾ ചിലവു ബില്ലിംഗ് ട്രാക്ക് സൂക്ഷിക്കാൻ സഹായിക്കുന്നു"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,വാങ്ങൽ വില പട്ടിക
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,ഇടപാട് തീയതി
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,വാങ്ങൽ വില പട്ടിക
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,ഇടപാട് തീയതി
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,വിതരണക്കാരന്റെ സ്കോർബോർഡ് വേരിയബിളുകൾ.
 DocType: Job Offer Term,Offer Term,ആഫര് ടേം
 DocType: Asset,Quality Manager,ക്വാളിറ്റി മാനേജർ
@@ -3183,11 +3209,11 @@
 apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ഉൽപ്പന്ന തിരച്ചിൽ
 DocType: Cashier Closing,To Time,സമയം ചെയ്യുന്നതിനായി
 DocType: Authorization Rule,Approving Role (above authorized value),(അംഗീകൃത മൂല്യം മുകളിൽ) അംഗീകരിച്ചതിന് റോൾ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു അടയ്ക്കേണ്ട അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു അടയ്ക്കേണ്ട അക്കൗണ്ട് ആയിരിക്കണം
 DocType: Loan,Total Amount Paid,പണമടച്ച തുക
 DocType: Asset,Insurance End Date,ഇൻഷുറൻസ് അവസാനിക്കുന്ന തീയതി
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,വിദ്യാർത്ഥി അപേക്ഷകന് നിർബന്ധിതമായ വിദ്യാർത്ഥി അഡ്മിഷൻ തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM ലേക്ക് വിശകലനത്തിനുവേണ്ടിയാണീ: {0} {2} മാതാപിതാക്കൾ കുട്ടികളുടെ ആകാൻ പാടില്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM ലേക്ക് വിശകലനത്തിനുവേണ്ടിയാണീ: {0} {2} മാതാപിതാക്കൾ കുട്ടികളുടെ ആകാൻ പാടില്ല
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,ബജറ്റ് പട്ടിക
 DocType: Work Order Operation,Completed Qty,പൂർത്തിയാക്കി Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0} മാത്രം ഡെബിറ്റ് അക്കൗണ്ടുകൾ മറ്റൊരു ക്രെഡിറ്റ് എൻട്രി നേരെ ലിങ്ക്ഡ് കഴിയും
@@ -3195,7 +3221,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","സീരിയൽ ഇനം {0} ഓഹരി അനുരഞ്ജനം ഉപയോഗിച്ച് അപ്ഡേറ്റ് കഴിയില്ല, ഓഹരി എൻട്രി ഉപയോഗിക്കുക"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","സീരിയൽ ഇനം {0} ഓഹരി അനുരഞ്ജനം ഉപയോഗിച്ച് അപ്ഡേറ്റ് കഴിയില്ല, ഓഹരി എൻട്രി ഉപയോഗിക്കുക"
 DocType: Training Event Employee,Training Event Employee,പരിശീലന ഇവന്റ് ജീവനക്കാരുടെ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,"പരമാവധി മാതൃകകൾ - {0} ബാച്ച് {1}, ഇനം {2} എന്നിവയ്ക്കായി നിലനിർത്താം."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,"പരമാവധി മാതൃകകൾ - {0} ബാച്ച് {1}, ഇനം {2} എന്നിവയ്ക്കായി നിലനിർത്താം."
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,സമയം സ്ലോട്ടുകൾ ചേർക്കുക
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,ഇനം {1} വേണ്ടി ആവശ്യമായ {0} സീരിയൽ സംഖ്യാപുസ്തകം. നിങ്ങൾ {2} നൽകിയിട്ടുള്ള.
 DocType: Stock Reconciliation Item,Current Valuation Rate,ഇപ്പോഴത്തെ മൂലധനം റേറ്റ്
@@ -3224,11 +3250,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} കാണാനായില്ല സീരിയൽ ഇല്ല
 DocType: Fee Schedule Program,Fee Schedule Program,ഫീസ് ഷെഡ്യൂൾ പ്രോഗ്രാം
 DocType: Fee Schedule Program,Student Batch,വിദ്യാർത്ഥിയുടെ ബാച്ച്
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ഈ പ്രമാണം റദ്ദാക്കാൻ ജീവനക്കാരനെ <a href=""#Form/Employee/{0}"">{0}</a> \ remove"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,കുട്ടിയാണെന്ന്
 DocType: Supplier Scorecard Scoring Standing,Min Grade,കുറഞ്ഞ ഗ്രേഡ്
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ഹെൽത്ത് സർവീസ് യൂണിറ്റ് തരം
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},നിങ്ങൾ പദ്ധതി സഹകരിക്കുക ക്ഷണിച്ചു: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},നിങ്ങൾ പദ്ധതി സഹകരിക്കുക ക്ഷണിച്ചു: {0}
 DocType: Supplier Group,Parent Supplier Group,പാരന്റ് വിതരണക്കാരൻ ഗ്രൂപ്പ്
+DocType: Email Digest,Purchase Orders to Bill,ബിൽ വാങ്ങുക
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,ഗ്രൂപ്പിലെ കമ്പനിയുടെ മൂലധനം
 DocType: Leave Block List Date,Block Date,ബ്ലോക്ക് തീയതി
 DocType: Crop,Crop,വിള
@@ -3241,6 +3270,7 @@
 DocType: Sales Order,Not Delivered,കൈമാറിയില്ല
 ,Bank Clearance Summary,ബാങ്ക് ക്ലിയറൻസ് ചുരുക്കം
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","സൃഷ്ടിക്കുക ദിവസേന നിയന്ത്രിക്കുക, പ്രതിവാര മാസ ഇമെയിൽ digests."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,ഈ സെയിൽസ് പേഴ്സനായുള്ള ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ചുവടെയുള്ള ടൈംലൈൻ കാണുക
 DocType: Appraisal Goal,Appraisal Goal,മൂല്യനിർണയം ഗോൾ
 DocType: Stock Reconciliation Item,Current Amount,ഇപ്പോഴത്തെ തുക
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,കെട്ടിടങ്ങൾ
@@ -3266,7 +3296,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,സോഫ്റ്റ്വെയറുകൾ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,അടുത്ത ബന്ധപ്പെടുക തീയതി കഴിഞ്ഞ ലെ പാടില്ല
 DocType: Company,For Reference Only.,മാത്രം റഫറൻസിനായി.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,തിരഞ്ഞെടുക്കുക ബാച്ച് ഇല്ല
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,തിരഞ്ഞെടുക്കുക ബാച്ച് ഇല്ല
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},അസാധുവായ {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,റെഫറൻസ് ആഹ്
@@ -3284,16 +3314,16 @@
 DocType: Normal Test Items,Require Result Value,റിസൾട്ട് മൂല്യം ആവശ്യമാണ്
 DocType: Item,Show a slideshow at the top of the page,പേജിന്റെ മുകളിൽ ഒരു സ്ലൈഡ്ഷോ കാണിക്കുക
 DocType: Tax Withholding Rate,Tax Withholding Rate,ടാക്സ് വിത്ത്ഹോൾഡിംഗ് റേറ്റ്
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,സ്റ്റോറുകൾ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,സ്റ്റോറുകൾ
 DocType: Project Type,Projects Manager,പ്രോജക്റ്റുകൾ മാനേജർ
 DocType: Serial No,Delivery Time,വിതരണ സമയം
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,എയ്ജിങ് അടിസ്ഥാനത്തിൽ ഓൺ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,നിയമനം റദ്ദാക്കി
 DocType: Item,End of Life,ജീവിതാവസാനം
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,യാത്ര
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,യാത്ര
 DocType: Student Report Generation Tool,Include All Assessment Group,എല്ലാ വിലയിരുത്തൽ ഗ്രൂപ്പും ഉൾപ്പെടുത്തുക
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,സജീവ അല്ലെങ്കിൽ സ്ഥിര ശമ്പള ഘടന തന്നിരിക്കുന്ന തീയതികളിൽ ജീവനക്കാരൻ {0} കണ്ടെത്തിയില്ല
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,സജീവ അല്ലെങ്കിൽ സ്ഥിര ശമ്പള ഘടന തന്നിരിക്കുന്ന തീയതികളിൽ ജീവനക്കാരൻ {0} കണ്ടെത്തിയില്ല
 DocType: Leave Block List,Allow Users,അനുവദിക്കുക ഉപയോക്താക്കൾ
 DocType: Purchase Order,Customer Mobile No,കസ്റ്റമർ മൊബൈൽ ഇല്ല
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ക്യാഷ് ഫ്ലോ മാപ്പിംഗ് ടെംപ്ലേറ്റ് വിശദാംശങ്ങൾ
@@ -3302,15 +3332,16 @@
 DocType: Rename Tool,Rename Tool,ടൂൾ പുനർനാമകരണം ചെയ്യുക
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,അപ്ഡേറ്റ് ചെലവ്
 DocType: Item Reorder,Item Reorder,ഇനം പുനഃക്രമീകരിക്കുക
+DocType: Delivery Note,Mode of Transport,ഗതാഗത മാർഗ്ഗം
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,ശമ്പള ജി കാണിക്കുക
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,മെറ്റീരിയൽ കൈമാറുക
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,മെറ്റീരിയൽ കൈമാറുക
 DocType: Fees,Send Payment Request,പേയ്മെന്റ് അഭ്യർത്ഥന അയയ്ക്കുക
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",", ഓപ്പറേഷൻസ് വ്യക്തമാക്കുക ഓപ്പറേറ്റിങ് വില നിങ്ങളുടെ പ്രവർത്തനങ്ങൾക്ക് ഒരു അതുല്യമായ ഓപ്പറേഷൻ ഒന്നും തരും."
 DocType: Travel Request,Any other details,മറ്റേതൊരു വിശദാംശവും
 DocType: Water Analysis,Origin,ഉത്ഭവം
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ഈ പ്രമാണം ഇനം {4} വേണ്ടി {0} {1} വഴി പരിധിക്കു. നിങ്ങൾ നിർമ്മിക്കുന്നത് ഒരേ {2} നേരെ മറ്റൊരു {3}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,സംരക്ഷിക്കുന്നതിൽ ശേഷം ആവർത്തിക്കുന്ന സജ്ജമാക്കുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,മാറ്റം തുക അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,സംരക്ഷിക്കുന്നതിൽ ശേഷം ആവർത്തിക്കുന്ന സജ്ജമാക്കുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,മാറ്റം തുക അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
 DocType: Purchase Invoice,Price List Currency,വില പട്ടിക കറന്സി
 DocType: Naming Series,User must always select,ഉപയോക്താവ് എപ്പോഴും തിരഞ്ഞെടുക്കണം
 DocType: Stock Settings,Allow Negative Stock,നെഗറ്റീവ് സ്റ്റോക്ക് അനുവദിക്കുക
@@ -3331,9 +3362,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
 DocType: Asset Maintenance Log,Actions performed,പ്രവർത്തനങ്ങൾ നടത്തി
 DocType: Cash Flow Mapper,Section Leader,സെക്ഷൻ ലീഡർ
+DocType: Delivery Note,Transport Receipt No,ട്രാൻസ്ഫർ രസീത് നം
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),ഫണ്ട് സ്രോതസ്സ് (ബാധ്യതകളും)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,ഉറവിടവും ടാർഗെറ്റിന്റെ ലൊക്കേഷനും ഒരേതാകരുത്
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},നിരയിൽ ക്വാണ്ടിറ്റി {0} ({1}) നിർമിക്കുന്ന അളവ് {2} അതേ ആയിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},നിരയിൽ ക്വാണ്ടിറ്റി {0} ({1}) നിർമിക്കുന്ന അളവ് {2} അതേ ആയിരിക്കണം
 DocType: Supplier Scorecard Scoring Standing,Employee,ജീവനക്കാരുടെ
 DocType: Bank Guarantee,Fixed Deposit Number,ഫിക്സഡ് ഡെപ്പോസിറ്റ് നമ്പർ
 DocType: Asset Repair,Failure Date,പരാജയ തീയതി
@@ -3347,16 +3379,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,പേയ്മെന്റ് ിയിളവുകള്ക്ക് അല്ലെങ്കിൽ നഷ്ടം
 DocType: Soil Analysis,Soil Analysis Criterias,മണ്ണ് അനാലിസിസ് ക്രൈറ്റീരിയസ്
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,സെയിൽസ് വാങ്ങാനും സ്റ്റാൻഡേർഡ് കരാർ നിബന്ധനകൾ.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,ഈ അപ്പോയിന്റ്മെന്റ് റദ്ദാക്കണമെന്ന് നിങ്ങൾക്ക് തീർച്ചയാണോ?
+DocType: BOM Item,Item operation,ഇനം പ്രവർത്തനം
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,ഈ അപ്പോയിന്റ്മെന്റ് റദ്ദാക്കണമെന്ന് നിങ്ങൾക്ക് തീർച്ചയാണോ?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotel Room Pricing Package ൻറെ ഹോട്ടൽ നിരക്കുകൾ പുതുക്കുന്നതിനായി തീയതികൾ എൻറർ ചെയ്യുക
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,സെയിൽസ് പൈപ്പ്ലൈൻ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,സെയിൽസ് പൈപ്പ്ലൈൻ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},ശമ്പള ഘടക {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ആവശ്യമാണ്
 DocType: Rename Tool,File to Rename,പേരു്മാറ്റുക ഫയൽ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},ദയവായി വരി {0} ൽ ഇനം വേണ്ടി BOM ൽ തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,സബ്സ്ക്രിപ്ഷൻ അപ്ഡേറ്റുകൾ ലഭ്യമാക്കുക
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},"അക്കൗണ്ട് {0}, വിചാരണയുടെ മോഡിൽ കമ്പനി {1} ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല: {2}"
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},സൂചിപ്പിച്ചിരിക്കുന്ന BOM ലേക്ക് {0} ഇനം {1} വേണ്ടി നിലവിലില്ല
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},സൂചിപ്പിച്ചിരിക്കുന്ന BOM ലേക്ക് {0} ഇനം {1} വേണ്ടി നിലവിലില്ല
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,കോഴ്സ്:
 DocType: Soil Texture,Sandy Loam,സാൻഡി ലോവം
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,മെയിൻറനൻസ് ഷെഡ്യൂൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം
@@ -3365,7 +3398,7 @@
 DocType: Notification Control,Expense Claim Approved,ചിലവേറിയ ക്ലെയിം അംഗീകരിച്ചു
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),അഡ്വാൻസുകളും അലോക്കേറ്റും (FIFO) സജ്ജമാക്കുക
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,സൃഷ്ടി ഉത്തരവുകളൊന്നും സൃഷ്ടിച്ചിട്ടില്ല
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം ഈ കാലയളവിൽ സൃഷ്ടിച്ച
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം ഈ കാലയളവിൽ സൃഷ്ടിച്ച
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ഫാർമസ്യൂട്ടിക്കൽ
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,സാധുതയുള്ള എൻഹാൻസ്മെന്റ് തുകയ്ക്കായി നിങ്ങൾക്ക് ലീഡ് എൻക്യാഷ്മെന്റ് സമർപ്പിക്കാൻ മാത്രമേ കഴിയൂ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,വാങ്ങിയ ഇനങ്ങൾ ചെലവ്
@@ -3373,7 +3406,8 @@
 DocType: Selling Settings,Sales Order Required,സെയിൽസ് ഓർഡർ ആവശ്യമുണ്ട്
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,ഒരു വിൽപ്പനക്കാരനാവുക
 DocType: Purchase Invoice,Credit To,ക്രെഡിറ്റ് ചെയ്യുക
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,സജീവ നയിക്കുന്നു / കസ്റ്റമറുകൾക്ക്
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,സജീവ നയിക്കുന്നു / കസ്റ്റമറുകൾക്ക്
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,സ്റ്റാൻഡേർഡ് ഡെലിവറി നോട്ട് ഫോർമാറ്റ് ഉപയോഗിക്കാൻ ശൂന്യമായി വിടുക
 DocType: Employee Education,Post Graduate,പോസ്റ്റ് ഗ്രാജ്വേറ്റ്
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,മെയിൻറനൻസ് ഷെഡ്യൂൾ വിശദാംശം
 DocType: Supplier Scorecard,Warn for new Purchase Orders,പുതിയ വാങ്ങൽ ഓർഡറുകൾക്ക് മുന്നറിയിപ്പ് നൽകുക
@@ -3387,14 +3421,14 @@
 DocType: Support Search Source,Post Title Key,തലക്കെട്ട് കീ പോസ്റ്റുചെയ്യുക
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,ജോബ് കാർഡിനായി
 DocType: Warranty Claim,Raised By,ഉന്നയിക്കുന്ന
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,കുറിപ്പുകളും
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,കുറിപ്പുകളും
 DocType: Payment Gateway Account,Payment Account,പേയ്മെന്റ് അക്കൗണ്ട്
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,തുടരാനായി കമ്പനി വ്യക്തമാക്കുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,തുടരാനായി കമ്പനി വ്യക്തമാക്കുക
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,അക്കൗണ്ടുകൾ സ്വീകാര്യം ലെ നെറ്റ് മാറ്റുക
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,ഓഫാക്കുക നഷ്ടപരിഹാര
 DocType: Job Offer,Accepted,സ്വീകരിച്ചു
 DocType: POS Closing Voucher,Sales Invoices Summary,സെയിൽ ഇൻവോയിസ് സംഗ്രഹം
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,പാർട്ടിയുടെ പേര്
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,പാർട്ടിയുടെ പേര്
 DocType: Grant Application,Organization,സംഘടന
 DocType: Grant Application,Organization,സംഘടന
 DocType: BOM Update Tool,BOM Update Tool,BOM അപ്ഡേറ്റ് ടൂൾ
@@ -3404,7 +3438,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ശരിക്കും ഈ കമ്പനിയുടെ എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കാൻ ആഗ്രഹിക്കുന്ന ദയവായി ഉറപ്പാക്കുക. അത് പോലെ നിങ്ങളുടെ മാസ്റ്റർ ഡാറ്റ തുടരും. ഈ പ്രവർത്തനം തിരുത്താൻ കഴിയില്ല.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,തിരയൽ ഫലങ്ങൾ
 DocType: Room,Room Number,മുറി നമ്പർ
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},അസാധുവായ റഫറൻസ് {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},അസാധുവായ റഫറൻസ് {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) പ്രൊഡക്ഷൻ ഓർഡർ {3} ആസൂത്രണം quanitity ({2}) വലുതായിരിക്കും കഴിയില്ല
 DocType: Shipping Rule,Shipping Rule Label,ഷിപ്പിംഗ് റൂൾ ലേബൽ
 DocType: Journal Entry Account,Payroll Entry,പേരോൾ എൻട്രി
@@ -3412,8 +3446,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,ടാക്സ് ടെംപ്ലേറ്റ് ഉണ്ടാക്കുക
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ഉപയോക്തൃ ഫോറം
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,അസംസ്കൃത വസ്തുക്കൾ ശൂന്യമായിരിക്കാൻ കഴിയില്ല.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,വരി # {0} (പേയ്മെന്റ് ടേബിൾ): തുക നെഗറ്റീവ് ആയിരിക്കണം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","ഇൻവോയ്സ് ഡ്രോപ്പ് ഷിപ്പിംഗ് ഇനം ഉൾപ്പെടുന്നു, സ്റ്റോക്ക് അപ്ഡേറ്റുചെയ്യാനായില്ല."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,വരി # {0} (പേയ്മെന്റ് ടേബിൾ): തുക നെഗറ്റീവ് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","ഇൻവോയ്സ് ഡ്രോപ്പ് ഷിപ്പിംഗ് ഇനം ഉൾപ്പെടുന്നു, സ്റ്റോക്ക് അപ്ഡേറ്റുചെയ്യാനായില്ല."
 DocType: Contract,Fulfilment Status,പൂരിപ്പിക്കൽ നില
 DocType: Lab Test Sample,Lab Test Sample,ലാബ് ടെസ്റ്റ് സാമ്പിൾ
 DocType: Item Variant Settings,Allow Rename Attribute Value,ഗുണനാമത്തിന്റെ പ്രതീക മൂല്യം അനുവദിക്കുക
@@ -3455,11 +3489,11 @@
 DocType: BOM,Show Operations,ഓപ്പറേഷൻസ് കാണിക്കുക
 ,Minutes to First Response for Opportunity,അവസരം ആദ്യപ്രതികരണം ലേക്കുള്ള മിനിറ്റ്
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,ആകെ േചാദി
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,വരി ഐറ്റം അപാകതയുണ്ട് {0} മെറ്റീരിയൽ അഭ്യർത്ഥന പൊരുത്തപ്പെടുന്നില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,വരി ഐറ്റം അപാകതയുണ്ട് {0} മെറ്റീരിയൽ അഭ്യർത്ഥന പൊരുത്തപ്പെടുന്നില്ല
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,അളവുകോൽ
 DocType: Fiscal Year,Year End Date,വർഷം അവസാന തീയതി
 DocType: Task Depends On,Task Depends On,ടാസ്ക് ആശ്രയിച്ചിരിക്കുന്നു
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,അവസരം
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,അവസരം
 DocType: Operation,Default Workstation,സ്ഥിരസ്ഥിതി വർക്ക്സ്റ്റേഷൻ
 DocType: Notification Control,Expense Claim Approved Message,ചിലവിടൽ ക്ലെയിം അംഗീകരിച്ചു സന്ദേശം
 DocType: Payment Entry,Deductions or Loss,പൂർണമായും അല്ലെങ്കിൽ നഷ്ടം
@@ -3497,21 +3531,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,ഉപയോക്താവ് അംഗീകരിക്കുന്നതിൽ ഭരണം ബാധകമാകുന്നതാണ് ഉപയോക്താവിന് അതേ ആകും കഴിയില്ല
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),(സ്റ്റോക്ക് UOM പ്രകാരം) അടിസ്ഥാന റേറ്റ്
 DocType: SMS Log,No of Requested SMS,അഭ്യർത്ഥിച്ച എസ്എംഎസ് ഒന്നും
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,ശമ്പള വിടണമെന്ന് അംഗീകൃത അനുവാദ ആപ്ലിക്കേഷന് രേഖകളുമായി പൊരുത്തപ്പെടുന്നില്ല
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,ശമ്പള വിടണമെന്ന് അംഗീകൃത അനുവാദ ആപ്ലിക്കേഷന് രേഖകളുമായി പൊരുത്തപ്പെടുന്നില്ല
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,അടുത്ത ഘട്ടങ്ങൾ
 DocType: Travel Request,Domestic,ഗാർഹിക
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,മികച്ച സാധ്യത നിരക്കിൽ വ്യക്തമാക്കിയ ഇനങ്ങൾ നൽകുക
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,മികച്ച സാധ്യത നിരക്കിൽ വ്യക്തമാക്കിയ ഇനങ്ങൾ നൽകുക
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,ട്രാൻസ്ഫർ തീയതിക്ക് മുമ്പ് ജീവനക്കാർ കൈമാറ്റം സമർപ്പിക്കാൻ കഴിയില്ല
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,ഇൻവോയ്സ് ഉണ്ടാക്കുക
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,ശേഷിക്കുന്ന പണം
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,ശേഷിക്കുന്ന പണം
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 ദിവസം കഴിഞ്ഞ് ഓട്ടോ അടയ്ക്കൂ അവസരം
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} എന്ന സ്കോർക്കോർഡ് നിലയ്ക്കൽ കാരണം {0} വാങ്ങൽ ഓർഡറുകൾ അനുവദനീയമല്ല.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,ബാർകോഡ് {0} സാധുവായ {1} കോഡ് അല്ല
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,ബാർകോഡ് {0} സാധുവായ {1} കോഡ് അല്ല
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,അവസാനിക്കുന്ന വർഷം
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot /% Lead
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot /% Lead
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,കരാര് അവസാനിക്കുന്ന തീയതി ചേരുന്നു തീയതി വലുതായിരിക്കണം
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,കരാര് അവസാനിക്കുന്ന തീയതി ചേരുന്നു തീയതി വലുതായിരിക്കണം
 DocType: Driver,Driver,ഡ്രൈവർ
 DocType: Vital Signs,Nutrition Values,പോഷകാഹാര മൂല്യങ്ങൾ
 DocType: Lab Test Template,Is billable,ബിൽ ചെയ്യാവുന്നതാണ്
@@ -3522,7 +3556,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,ഈ ERPNext നിന്നുള്ള സ്വയം സൃഷ്ടിച്ചതാണ് ഒരു ഉദാഹരണം വെബ്സൈറ്റ് ആണ്
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,എയ്ജിങ് ശ്രേണി 1
 DocType: Shopify Settings,Enable Shopify,Shopify പ്രാപ്തമാക്കുക
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,മൊത്തം മുൻകൂറായി നൽകിയ തുകയേക്കാൾ കൂടുതൽ മുൻകൂർ തുകയായിരിക്കരുത്
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,മൊത്തം മുൻകൂറായി നൽകിയ തുകയേക്കാൾ കൂടുതൽ മുൻകൂർ തുകയായിരിക്കരുത്
 DocType: Purchase Taxes and Charges Template,"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
@@ -3549,12 +3583,12 @@
 DocType: Employee Separation,Employee Separation,തൊഴിലുടമ വേർപിരിയൽ
 DocType: BOM Item,Original Item,യഥാർത്ഥ ഇനം
 DocType: Purchase Receipt Item,Recd Quantity,Recd ക്വാണ്ടിറ്റി
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,പ്രമാണ തീയതി
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,പ്രമാണ തീയതി
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},സൃഷ്ടിച്ചു ഫീസ് റെക്കോർഡ്സ് - {0}
 DocType: Asset Category Account,Asset Category Account,അസറ്റ് വർഗ്ഗം അക്കൗണ്ട്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,വരി # {0} (പേയ്മെന്റ് ടേബിൾ): തുക പോസിറ്റീവ് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,വരി # {0} (പേയ്മെന്റ് ടേബിൾ): തുക പോസിറ്റീവ് ആയിരിക്കണം
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},സെയിൽസ് ഓർഡർ അളവ് {1} അധികം ഇനം {0} ഉത്പാദിപ്പിക്കാനുള്ള കഴിയുന്നില്ലേ
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,ആട്രിബ്യൂട്ട് മൂല്യങ്ങൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,ആട്രിബ്യൂട്ട് മൂല്യങ്ങൾ തിരഞ്ഞെടുക്കുക
 DocType: Purchase Invoice,Reason For Issuing document,രേഖ രേഖപ്പെടുത്തുന്നതിനുള്ള കാരണം
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,ഓഹരി എൻട്രി {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
 DocType: Payment Reconciliation,Bank / Cash Account,ബാങ്ക് / ക്യാഷ് അക്കൗണ്ട്
@@ -3563,8 +3597,10 @@
 DocType: Asset,Manual,കൈകൊണ്ടുള്ള
 DocType: Salary Component Account,Salary Component Account,ശമ്പള ഘടകങ്ങളുടെ അക്കൗണ്ട്
 DocType: Global Defaults,Hide Currency Symbol,കറൻസി ചിഹ്നം മറയ്ക്കുക
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ഉറവിടത്തിലൂടെ സെയിൽസ് അവസരങ്ങൾ
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,സംഭാവനകളുടെ വിവരം.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ഉദാ ബാങ്ക്, ക്യാഷ്, ക്രെഡിറ്റ് കാർഡ്"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,സെറ്റപ്പ്&gt; നമ്പറിംഗ് സീരീസുകൾ വഴി ഹാജരാക്കാനായി സെറ്റപ്പ് നമ്പറുകൾ ക്രമീകരിക്കുക
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ഉദാ ബാങ്ക്, ക്യാഷ്, ക്രെഡിറ്റ് കാർഡ്"
 DocType: Job Applicant,Source Name,ഉറവിട പേര്
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","മുതിർന്നവരിൽ സാധാരണ രക്തസമ്മർദ്ദം 120 mmHg systolic, 80 mmHg ഡയസ്റ്റോളിക്, ചുരുക്കി &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",നിർമ്മാണ_തീയതിയും ആത്മജീവിയും എന്ന അടിസ്ഥാനത്തിൽ കാലാവധി സജ്ജമാക്കുന്നതിന് ദിവസങ്ങളിൽ അവശേഷിക്കുന്ന ഇനങ്ങൾ ഷെൽഫ് ജീവിതം സജ്ജമാക്കുക
@@ -3593,7 +3629,7 @@
 DocType: Guardian,Occupation,തൊഴില്
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,വരി {0}: ആരംഭ തീയതി അവസാന തീയതി മുമ്പ് ആയിരിക്കണം
 DocType: Salary Component,Max Benefit Amount (Yearly),പരമാവധി ബെനിഫിറ്റ് തുക (വാർഷികം)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,ടിഡിഎസ് നിരക്ക്%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,ടിഡിഎസ് നിരക്ക്%
 DocType: Crop,Planting Area,നടീൽ പ്രദേശം
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),ആകെ (Qty)
 DocType: Installation Note Item,Installed Qty,ഇൻസ്റ്റോൾ ചെയ്ത Qty
@@ -3615,7 +3651,7 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,അംഗീകാര അറിയിപ്പ് വിടുക
 DocType: Buying Settings,Default Buying Price List,സ്ഥിരസ്ഥിതി വാങ്ങൽ വില പട്ടിക
 DocType: Payroll Entry,Salary Slip Based on Timesheet,ശമ്പള ജി Timesheet അടിസ്ഥാനമാക്കി
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,വാങ്ങൽ നിരക്ക്
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,വാങ്ങൽ നിരക്ക്
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ- .YYYY.-
 DocType: Company,About the Company,കമ്പനിയെക്കുറിച്ച്
 DocType: Notification Control,Sales Order Message,സെയിൽസ് ഓർഡർ സന്ദേശം
@@ -3681,10 +3717,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,വരിയ്ക്കായി {0}: ആസൂത്രിത അളവുകൾ നൽകുക
 DocType: Account,Income Account,ആദായ അക്കൗണ്ട്
 DocType: Payment Request,Amount in customer's currency,ഉപഭോക്താവിന്റെ കറൻസി തുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,ഡെലിവറി
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,ഡെലിവറി
 DocType: Volunteer,Weekdays,ആഴ്ച ദിനങ്ങൾ
 DocType: Stock Reconciliation Item,Current Qty,ഇപ്പോഴത്തെ Qty
 DocType: Restaurant Menu,Restaurant Menu,റെസ്റ്റോറന്റ് മെനു
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,സപ്ലയർമാരെ ചേർക്കുക
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV -YYYY.-
 DocType: Loyalty Program,Help Section,സഹായ വിഭാഗം
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,മുമ്പത്തെ
@@ -3694,18 +3731,19 @@
 apps/erpnext/erpnext/setup/doctype/company/company.py +163,Set default inventory account for perpetual inventory,ശാശ്വതമായ സാധനങ്ങളും സ്ഥിരസ്ഥിതി സാധനങ്ങളും അക്കൗണ്ട് സജ്ജമാക്കുക
 DocType: Item Reorder,Material Request Type,മെറ്റീരിയൽ അഭ്യർത്ഥന തരം
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,ഗ്രാന്റ് അവലോകന ഇമെയിൽ അയയ്ക്കുക
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,വരി {0}: UOM പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,വരി {0}: UOM പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും
 DocType: Employee Benefit Claim,Claim Date,ക്ലെയിം തീയതി
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,റൂം ശേഷി
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},വസ്തുവിനായി ഇതിനകം റെക്കോർഡ് നിലവിലുണ്ട് {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,റഫറൻസ്
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,മുമ്പ് സൃഷ്ടിച്ച ഇൻവോയ്സുകളുടെ റെക്കോർഡുകൾ നിങ്ങൾക്ക് നഷ്ടപ്പെടും. ഈ സബ്സ്ക്രിപ്ഷൻ പുനരാരംഭിക്കാൻ നിങ്ങൾ ആഗ്രഹിക്കുന്നുവെന്ന് ഉറപ്പാണോ?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,രജിസ്ട്രേഷൻ ഫീസ്
 DocType: Loyalty Program Collection,Loyalty Program Collection,ലോയൽറ്റി പ്രോഗ്രാം ശേഖരണം
 DocType: Stock Entry Detail,Subcontracted Item,സബ്ക്യുട്ടഡ് ചെയ്ത ഇനം
 DocType: Budget,Cost Center,ചെലവ് കേന്ദ്രം
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,സാക്ഷപ്പെടുത്തല് #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,സാക്ഷപ്പെടുത്തല് #
 DocType: Notification Control,Purchase Order Message,ഓർഡർ സന്ദേശം വാങ്ങുക
 DocType: Tax Rule,Shipping Country,ഷിപ്പിംഗ് രാജ്യം
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,സെയിൽസ് ഇടപാടുകളിൽ നിന്നുള്ള ഉപഭോക്താവിന്റെ ടാക്സ് ഐഡി മറയ്ക്കുക
@@ -3724,23 +3762,22 @@
 DocType: Subscription,Cancel At End Of Period,അവസാന കാലത്ത് റദ്ദാക്കുക
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,പ്രോപ്പർട്ടി ഇതിനകം ചേർത്തു
 DocType: Item Supplier,Item Supplier,ഇനം വിതരണക്കാരൻ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,യാതൊരു ബാച്ച് ലഭിക്കാൻ ഇനം കോഡ് നൽകുക
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{1} quotation_to {0} ഒരു മൂല്യം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,യാതൊരു ബാച്ച് ലഭിക്കാൻ ഇനം കോഡ് നൽകുക
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{1} quotation_to {0} ഒരു മൂല്യം തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,കൈമാറാൻ ഇനങ്ങൾ ഒന്നും തിരഞ്ഞെടുത്തിട്ടില്ല
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,എല്ലാ വിലാസങ്ങൾ.
 DocType: Company,Stock Settings,സ്റ്റോക്ക് ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","താഴെ പ്രോപ്പർട്ടികൾ ഇരു രേഖകളിൽ ഒരേ തന്നെയുള്ള സംയോജിപ്പിച്ചുകൊണ്ട് മാത്രമേ സാധിക്കുകയുള്ളൂ. ഗ്രൂപ്പ്, റൂട്ട് ടൈപ്പ്, കമ്പനിയാണ്"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","താഴെ പ്രോപ്പർട്ടികൾ ഇരു രേഖകളിൽ ഒരേ തന്നെയുള്ള സംയോജിപ്പിച്ചുകൊണ്ട് മാത്രമേ സാധിക്കുകയുള്ളൂ. ഗ്രൂപ്പ്, റൂട്ട് ടൈപ്പ്, കമ്പനിയാണ്"
 DocType: Vehicle,Electric,ഇലക്ട്രിക്
 DocType: Task,% Progress,% പുരോഗതി
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,അസറ്റ് തീർപ്പ് ന് ഗെയിൻ / നഷ്ടം
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",ചുവടെയുള്ള പട്ടികയിൽ &quot;അംഗീകാരം&quot; എന്ന സ്റ്റാറ്റസ് അപേക്ഷകൻ മാത്രമേ തിരഞ്ഞെടുക്കാവൂ.
 DocType: Tax Withholding Category,Rates,നിരക്കുകൾ
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,അക്കൗണ്ടിനായുള്ള അക്കൗണ്ട് നമ്പർ {0} ലഭ്യമല്ല. <br> നിങ്ങളുടെ ചാർട്ട് ഓഫ് അക്കൗണ്ട് ശരിയായി സജ്ജമാക്കുക.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,അക്കൗണ്ടിനായുള്ള അക്കൗണ്ട് നമ്പർ {0} ലഭ്യമല്ല. <br> നിങ്ങളുടെ ചാർട്ട് ഓഫ് അക്കൗണ്ട് ശരിയായി സജ്ജമാക്കുക.
 DocType: Task,Depends on Tasks,ചുമതലകൾ ആശ്രയിച്ചിരിക്കുന്നു
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,കസ്റ്റമർ ഗ്രൂപ്പ് ട്രീ നിയന്ത്രിക്കുക.
 DocType: Normal Test Items,Result Value,ഫല മൂല്യം
 DocType: Hotel Room,Hotels,ഹോട്ടലുകൾ
-DocType: Delivery Note,Transporter Date,ട്രാൻസ്പോർട്ടർ തിയതി
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,പുതിയ ചെലവ് കേന്ദ്രം പേര്
 DocType: Leave Control Panel,Leave Control Panel,നിയന്ത്രണ പാനൽ വിടുക
 DocType: Project,Task Completion,ടാസ്ക് പൂർത്തീകരണവും
@@ -3787,11 +3824,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,എല്ലാ അസസ്മെന്റ് ഗ്രൂപ്പുകൾ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,പുതിയ വെയർഹൗസ് പേര്
 DocType: Shopify Settings,App Type,അപ്ലിക്കേഷൻ തരം
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),ആകെ {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),ആകെ {0} ({1})
 DocType: C-Form Invoice Detail,Territory,ടെറിട്ടറി
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,ആവശ്യമായ സന്ദർശനങ്ങൾ യാതൊരു സൂചിപ്പിക്കുക
 DocType: Stock Settings,Default Valuation Method,സ്ഥിരസ്ഥിതി മൂലധനം രീതിയുടെ
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ഫീസ്
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,മൊത്തം തുക കാണിക്കുക
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,അപ്ഡേറ്റ് പുരോഗതിയിലാണ്. ഇതിന് കുറച്ച് സമയമെടുത്തേക്കാം.
 DocType: Production Plan Item,Produced Qty,ഉല്പാദിപ്പിച്ച Qty
 DocType: Vehicle Log,Fuel Qty,ഇന്ധന അളവ്
@@ -3799,7 +3837,7 @@
 DocType: Work Order Operation,Planned Start Time,ആസൂത്രണം ചെയ്ത ആരംഭിക്കുക സമയം
 DocType: Course,Assessment,നികുതിചുമത്തല്
 DocType: Payment Entry Reference,Allocated,അലോക്കേറ്റഡ്
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,ബാലൻസ് ഷീറ്റും പുസ്തകം പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം അടയ്ക്കുക.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,ബാലൻസ് ഷീറ്റും പുസ്തകം പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം അടയ്ക്കുക.
 DocType: Student Applicant,Application Status,അപ്ലിക്കേഷൻ നില
 DocType: Additional Salary,Salary Component Type,ശമ്പളം ഘടക തരം
 DocType: Sensitivity Test Items,Sensitivity Test Items,സെൻസിറ്റിവിറ്റി പരിശോധനാ വസ്തുക്കൾ
@@ -3810,10 +3848,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,മൊത്തം തുക
 DocType: Sales Partner,Targets,ടാർഗെറ്റ്
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,കമ്പനി വിവര ഫയലിൽ SIREN നമ്പർ രജിസ്റ്റർ ചെയ്യുക
+DocType: Email Digest,Sales Orders to Bill,ബിൽ
 DocType: Price List,Price List Master,വില പട്ടിക മാസ്റ്റർ
 DocType: GST Account,CESS Account,അക്കൗണ്ട് കുറവ്
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,എല്ലാ സെയിൽസ് ഇടപാട് ഒന്നിലധികം ** സെയിൽസ് പേഴ്സൺസ് നേരെ ടാഗ് ചെയ്യാൻ കഴിയും ** നിങ്ങൾ ലക്ഷ്യങ്ങളിലൊന്നാണ് സജ്ജമാക്കാൻ നിരീക്ഷിക്കുവാനും കഴിയും.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥനയുമായി ലിങ്ക്
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥനയുമായി ലിങ്ക്
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,ഫോറം പ്രവർത്തനം
 ,S.O. No.,ഷൂട്ട്ഔട്ട് നമ്പർ
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ട്രാൻസാക്ഷൻ ക്രമീകരണങ്ങളുടെ ഇനം
@@ -3828,7 +3867,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,ഇത് ഒരു റൂട്ട് ഉപഭോക്തൃ ഗ്രൂപ്പ് ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,സമയാസമയങ്ങളിലുള്ള പ്രതിമാസ ബജറ്റ് പിഒയിൽ കവിഞ്ഞതാണോ?
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,സ്ഥലം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,സ്ഥലം
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,എക്സ്ചേഞ്ച് റേറ്റ് റീവേയുവേഷൻ
 DocType: POS Profile,Ignore Pricing Rule,പ്രൈസിങ് റൂൾ അവഗണിക്കുക
 DocType: Employee Education,Graduate,ബിരുദധാരി
@@ -3865,6 +3904,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,റെസ്റ്റോറന്റ് ക്രമീകരണങ്ങളിൽ സ്ഥിരസ്ഥിതി ഉപഭോക്താവിനെ സജ്ജീകരിക്കുക
 ,Salary Register,ശമ്പള രജിസ്റ്റർ
 DocType: Warehouse,Parent Warehouse,രക്ഷാകർതൃ വെയർഹൗസ്
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,ചാർട്ട്
 DocType: Subscription,Net Total,നെറ്റ് ആകെ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},സ്വതേ BOM ലേക്ക് ഇനം {0} കണ്ടില്ല പദ്ധതി {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,വിവിധ വായ്പാ തരം നിർവചിക്കുക
@@ -3897,24 +3937,26 @@
 DocType: Membership,Membership Status,അംഗത്വ സ്റ്റാറ്റസ്
 DocType: Travel Itinerary,Lodging Required,ലോഡ്ജിംഗ് ആവശ്യമാണ്
 ,Requested,അഭ്യർത്ഥിച്ചു
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,ഇല്ല അഭിപ്രായപ്രകടനം
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,ഇല്ല അഭിപ്രായപ്രകടനം
 DocType: Asset,In Maintenance,അറ്റകുറ്റപ്പണികൾ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ആമസോൺ MWS- ൽ നിന്നും നിങ്ങളുടെ സെയിൽസ് ഓർഡർ ഡാറ്റ പിൻവലിക്കുന്നതിന് ഈ ബട്ടൺ ക്ലിക്കുചെയ്യുക.
 DocType: Vital Signs,Abdomen,അടിവയറി
 DocType: Purchase Invoice,Overdue,അവധികഴിഞ്ഞ
 DocType: Account,Stock Received But Not Billed,ഓഹരി ലഭിച്ചു എന്നാൽ ഈടാക്കൂ ഒരിക്കലും പാടില്ല
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,റൂട്ട് അക്കൗണ്ട് ഒരു ഗ്രൂപ്പ് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,റൂട്ട് അക്കൗണ്ട് ഒരു ഗ്രൂപ്പ് ആയിരിക്കണം
 DocType: Drug Prescription,Drug Prescription,മരുന്ന് കുറിപ്പടി
 DocType: Loan,Repaid/Closed,പ്രതിഫലം / അടച്ചു
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,ആകെ പ്രൊജക്റ്റുചെയ്തു അളവ്
 DocType: Monthly Distribution,Distribution Name,വിതരണ പേര്
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM ഉൾപ്പെടുത്തുക
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","{0} {2} for accounting entries ചെയ്യേണ്ട ഇനം {0} എന്നതിന് മൂല്യനിർണ്ണയ നിരക്ക് കണ്ടെത്തിയില്ല. {1} പൂജ്യം മൂല്യം പൂരിപ്പിച്ച വസ്തു എന്ന സ്ഥാനത്തേക്കാണ് ഇനം വരുന്നതെങ്കിൽ, അത് {1} ഇന പട്ടികയിൽ പരാമർശിക്കുക. അല്ലെങ്കിൽ, ഇനത്തിനായുള്ള ഒരു ഇൻകമിംഗ് സ്റ്റോക്ക് ട്രാൻസാക്ഷൻ ഉണ്ടാക്കുക അല്ലെങ്കിൽ ഇനം റിക്കോർഡിലെ മൂല്യനിർണ്ണയ നിരക്ക് പരാമർശിക്കുക, തുടർന്ന് ഈ എൻട്രി സമർപ്പിക്കുന്നതിൽ / സമർപ്പിക്കുന്നതിനായി ശ്രമിക്കുക"
 DocType: Course,Course Code,കോഴ്സ് കോഡ്
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},ഇനം {0} ആവശ്യമുള്ളതിൽ ഗുണനിലവാര പരിശോധന
 DocType: Location,Parent Location,പാരന്റ് ലൊക്കേഷൻ
 DocType: POS Settings,Use POS in Offline Mode,ഓഫ്സ് മോഡിൽ POS ഉപയോഗിക്കുക
 DocType: Supplier Scorecard,Supplier Variables,വിതരണ വേരിയബിളുകൾ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} നിർബന്ധമാണ്. {1} {2} -ലേക്കുള്ള കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് സൃഷ്ടിക്കാൻ സാധിക്കില്ല
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ഉപഭോക്താവിന്റെ കറൻസി കമ്പനിയുടെ അടിത്തറ കറൻസി മാറ്റുമ്പോൾ തോത്
 DocType: Purchase Invoice Item,Net Rate (Company Currency),അറ്റ നിരക്ക് (കമ്പനി കറൻസി)
 DocType: Salary Detail,Condition and Formula Help,കണ്ടീഷൻ ഫോര്മുല സഹായം
@@ -3923,19 +3965,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,സെയിൽസ് ഇൻവോയിസ്
 DocType: Journal Entry Account,Party Balance,പാർട്ടി ബാലൻസ്
 DocType: Cash Flow Mapper,Section Subtotal,വിഭാഗം ഉപവിഭാഗം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,ഡിസ്കൌണ്ട് പ്രയോഗിക്കുക തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,ഡിസ്കൌണ്ട് പ്രയോഗിക്കുക തിരഞ്ഞെടുക്കുക
 DocType: Stock Settings,Sample Retention Warehouse,സാമ്പിൾ Retention Warehouse
 DocType: Company,Default Receivable Account,സ്ഥിരസ്ഥിതി സ്വീകാ അക്കൗണ്ട്
 DocType: Purchase Invoice,Deemed Export,എക്സ്പോർട്ട് ഡിമാൻഡ്
 DocType: Stock Entry,Material Transfer for Manufacture,ഉല്പാദനത്തിനുള്ള മെറ്റീരിയൽ ട്രാൻസ്ഫർ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,കിഴിവും ശതമാനം ഒരു വില പട്ടിക നേരെ അല്ലെങ്കിൽ എല്ലാ വില പട്ടിക വേണ്ടി ഒന്നുകിൽ പ്രയോഗിക്കാൻ കഴിയും.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,ഓഹരി വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,ഓഹരി വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ഇതിനകം നിങ്ങൾ വിലയിരുത്തൽ മാനദണ്ഡങ്ങൾ {} വേണ്ടി വിലയിരുത്തി ചെയ്തു.
 DocType: Vehicle Service,Engine Oil,എഞ്ചിൻ ഓയിൽ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},സൃഷ്ടികൾ ഓർഡറുകൾ സൃഷ്ടിച്ചു: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},സൃഷ്ടികൾ ഓർഡറുകൾ സൃഷ്ടിച്ചു: {0}
 DocType: Sales Invoice,Sales Team1,സെയിൽസ് ടീം 1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,ഇനം {0} നിലവിലില്ല
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,ഇനം {0} നിലവിലില്ല
 DocType: Sales Invoice,Customer Address,കസ്റ്റമർ വിലാസം
 DocType: Loan,Loan Details,വായ്പ വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,പോസ്റ്റ് കമ്പനിയായ സെറ്റ്അപ്പ് സജ്ജമാക്കുന്നത് പരാജയപ്പെട്ടു
@@ -3956,34 +3998,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,പേജിന്റെ മുകളിലുള്ള ഈ സ്ലൈഡ്ഷോ കാണിക്കുക
 DocType: BOM,Item UOM,ഇനം UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ഡിസ്കൗണ്ട് തുക (കമ്പനി കറന്സി) ശേഷം നികുതിയും
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},ടാർജറ്റ് വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},ടാർജറ്റ് വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
 DocType: Cheque Print Template,Primary Settings,പ്രാഥമിക ക്രമീകരണങ്ങൾ
 DocType: Attendance Request,Work From Home,വീട്ടില് നിന്ന് പ്രവര്ത്തിക്കുക
 DocType: Purchase Invoice,Select Supplier Address,വിതരണക്കാരൻ വിലാസം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,ജീവനക്കാരെ ചേർക്കുക
 DocType: Purchase Invoice Item,Quality Inspection,ക്വാളിറ്റി ഇൻസ്പെക്ഷൻ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,എക്സ്ട്രാ ചെറുകിട
 DocType: Company,Standard Template,സ്റ്റാൻഡേർഡ് ഫലകം
 DocType: Training Event,Theory,സിദ്ധാന്തം
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,മുന്നറിയിപ്പ്: Qty അഭ്യർത്ഥിച്ചു മെറ്റീരിയൽ മിനിമം ഓർഡർ Qty കുറവാണ്
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,മുന്നറിയിപ്പ്: Qty അഭ്യർത്ഥിച്ചു മെറ്റീരിയൽ മിനിമം ഓർഡർ Qty കുറവാണ്
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,അക്കൗണ്ട് {0} മരവിച്ചു
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,സംഘടന പെടുന്ന അക്കൗണ്ടുകൾ ഒരു പ്രത്യേക ചാർട്ട് കൊണ്ട് നിയമ വിഭാഗമായാണ് / സബ്സിഡിയറി.
 DocType: Payment Request,Mute Email,നിശബ്ദമാക്കുക ഇമെയിൽ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","ഫുഡ്, ബീവറേജ് &amp; പുകയില"
 DocType: Account,Account Number,അക്കൗണ്ട് നമ്പർ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},മാത്രം unbilled {0} നേരെ തീർക്കാം കഴിയുമോ
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,കമ്മീഷൻ നിരക്ക് 100 വലുതായിരിക്കും കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},മാത്രം unbilled {0} നേരെ തീർക്കാം കഴിയുമോ
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,കമ്മീഷൻ നിരക്ക് 100 വലുതായിരിക്കും കഴിയില്ല
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),ഓട്ടോമാറ്റിക്കായി സ്പോൺസർ ചെയ്യുക (ഫിഫ)
 DocType: Volunteer,Volunteer,സദ്ധന്നസേവിക
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,ആദ്യം {0} നൽകുക
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,നിന്ന് മറുപടികൾ ഇല്ല
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,നിന്ന് മറുപടികൾ ഇല്ല
 DocType: Work Order Operation,Actual End Time,യഥാർത്ഥ അവസാനിക്കുന്ന സമയം
 DocType: Item,Manufacturer Part Number,നിർമ്മാതാവ് ഭാഗം നമ്പർ
 DocType: Taxable Salary Slab,Taxable Salary Slab,നികുതി അടയ്ക്കാവുന്ന ശമ്പളം സ്ലാബ്
 DocType: Work Order Operation,Estimated Time and Cost,കണക്കാക്കിയ സമയവും ചെലവ്
 DocType: Bin,Bin,ബിൻ
 DocType: Crop,Crop Name,ക്രോപ്പ് പേര്
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,{0} റോൾ ഉള്ള ഉപയോക്താക്കൾക്ക് മാത്രം Marketplace- ൽ രജിസ്റ്റർ ചെയ്യാം
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,{0} റോൾ ഉള്ള ഉപയോക്താക്കൾക്ക് മാത്രം Marketplace- ൽ രജിസ്റ്റർ ചെയ്യാം
 DocType: SMS Log,No of Sent SMS,അയയ്ക്കുന്ന എസ്എംഎസ് ഒന്നും
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-. YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,"നിയമനങ്ങൾ, എൻകൌണ്ടറുകൾ"
@@ -4012,7 +4055,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,കോഡ് മാറ്റുക
 DocType: Purchase Invoice Item,Valuation Rate,മൂലധനം റേറ്റ്
 DocType: Vehicle,Diesel,ഡീസൽ
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,വില പട്ടിക കറന്സി തിരഞ്ഞെടുത്തിട്ടില്ല
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,വില പട്ടിക കറന്സി തിരഞ്ഞെടുത്തിട്ടില്ല
 DocType: Purchase Invoice,Availed ITC Cess,ഐടിസി സെസ്സ് ഉപയോഗിച്ചു
 ,Student Monthly Attendance Sheet,വിദ്യാർത്ഥി പ്രതിമാസ ഹാജർ ഷീറ്റ്
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,വിൽപ്പനയ്ക്കായി മാത്രം ഷിപ്പിംഗ് നിയമം ബാധകമാക്കുന്നു
@@ -4029,7 +4072,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,സെയിൽസ് പങ്കാളികൾ നിയന്ത്രിക്കുക.
 DocType: Quality Inspection,Inspection Type,ഇൻസ്പെക്ഷൻ തരം
 DocType: Fee Validity,Visited yet,ഇതുവരെ സന്ദർശിച്ചു
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
 DocType: Assessment Result Tool,Result HTML,ഫലം എച്ച്ടിഎംഎൽ
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,"സെയിൽ ട്രാൻസാക്ഷന്റെ അടിസ്ഥാനത്തിൽ പ്രൊജക്റ്റ്, കമ്പനി എത്രമാത്രം അപ്ഡേറ്റുചെയ്യണം."
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ഓൺ കാലഹരണപ്പെടുന്നു
@@ -4037,7 +4080,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},{0} തിരഞ്ഞെടുക്കുക
 DocType: C-Form,C-Form No,സി-ഫോം ഇല്ല
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,ദൂരം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,ദൂരം
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,നിങ്ങൾ വാങ്ങുന്നതോ വിൽക്കുന്നതോ ആയ ഉൽപ്പന്നങ്ങളോ സേവനങ്ങളോ ലിസ്റ്റ് ചെയ്യുക.
 DocType: Water Analysis,Storage Temperature,സംഭരണ താപനില
 DocType: Sales Order,SAL-ORD-.YYYY.-,സാൽ- ORD- .YYYY.-
@@ -4053,19 +4096,19 @@
 DocType: Shopify Settings,Delivery Note Series,ഡെലിവറി നോട്ട് സീരിസ്
 DocType: Purchase Order Item,Returned Qty,മടങ്ങിയ Qty
 DocType: Student,Exit,പുറത്ത്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,റൂട്ട് തരം നിർബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,റൂട്ട് തരം നിർബന്ധമാണ്
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,പ്രീസെറ്റുകൾ ഇൻസ്റ്റാളുചെയ്യുന്നതിൽ പരാജയപ്പെട്ടു
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,മണിക്കൂറിൽ UOM കൺവേർഷൻ
 DocType: Contract,Signee Details,സൂചന വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} നിലവിൽ ഒരു {1} സപ്ലിയർ സ്കോർകാർഡ് സ്റ്റാൻഡേർഡ് നിലയുമുണ്ട്, കൂടാതെ ഈ വിതരണക്കാരന്റെ RFQ കളും മുൻകരുതൽ നൽകണം."
 DocType: Certified Consultant,Non Profit Manager,ലാഭേച്ഛയില്ലാത്ത മാനേജർ
 DocType: BOM,Total Cost(Company Currency),മൊത്തം ചെലവ് (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,സീരിയൽ ഇല്ല {0} സൃഷ്ടിച്ചു
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,സീരിയൽ ഇല്ല {0} സൃഷ്ടിച്ചു
 DocType: Homepage,Company Description for website homepage,വെബ്സൈറ്റ് ഹോംപേജിൽ കമ്പനിയുടെ വിവരണം
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ഉപഭോക്താക്കൾക്ക് സൗകര്യത്തിനായി, ഈ കോഡുകൾ ഇൻവോയ്സുകളും ഡെലിവറി കുറിപ്പുകൾ പോലെ പ്രിന്റ് രൂപങ്ങളിലും ഉപയോഗിക്കാൻ കഴിയും"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier പേര്
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} എന്നതിനായുള്ള വിവരം വീണ്ടെടുക്കാൻ കഴിഞ്ഞില്ല.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,എൻട്രി ജേർണൽ തുറക്കുന്നു
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,എൻട്രി ജേർണൽ തുറക്കുന്നു
 DocType: Contract,Fulfilment Terms,നിർവ്വഹണ നിബന്ധനകൾ
 DocType: Sales Invoice,Time Sheet List,സമയം ഷീറ്റ് പട്ടിക
 DocType: Employee,You can enter any date manually,"നിങ്ങൾ സ്വയം ഏതെങ്കിലും തീയതി നൽകാം,"
@@ -4101,7 +4144,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,നിങ്ങളുടെ ഓർഗനൈസേഷൻ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","അവശേഷിക്കുന്ന വിഹിത രേഖകൾക്കായി, നിലവിലുള്ള ജീവനക്കാർക്ക് വിഹിതം ഒഴിവാക്കുക. {0}"
 DocType: Fee Component,Fees Category,ഫീസ് വർഗ്ഗം
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,തീയതി വിടുതൽ നൽകുക.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,തീയതി വിടുതൽ നൽകുക.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,ശാരീരിക
 DocType: Travel Request,"Details of Sponsor (Name, Location)","സ്പോൺസറുടെ (പേര്, സ്ഥാനം) വിശദാംശങ്ങൾ"
 DocType: Supplier Scorecard,Notify Employee,തൊഴിലുടമയെ അറിയിക്കുക
@@ -4114,9 +4157,9 @@
 DocType: Company,Chart Of Accounts Template,അക്കൗണ്ടുകൾ ഫലകം ചാർട്ട്
 DocType: Attendance,Attendance Date,ഹാജർ തീയതി
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},വാങ്ങൽ ഇൻവോയ്സിന് {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},ഇനത്തിന്റെ വില വില പട്ടിക {1} ൽ {0} അപ്ഡേറ്റുചെയ്തിട്ടുള്ളൂ
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},ഇനത്തിന്റെ വില വില പട്ടിക {1} ൽ {0} അപ്ഡേറ്റുചെയ്തിട്ടുള്ളൂ
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,വരുമാനമുള്ളയാളും കിഴിച്ചുകൊണ്ടു അടിസ്ഥാനമാക്കി ശമ്പളം ഖണ്ഡങ്ങളായി.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
 DocType: Purchase Invoice Item,Accepted Warehouse,അംഗീകരിച്ച വെയർഹൗസ്
 DocType: Bank Reconciliation Detail,Posting Date,പോസ്റ്റിംഗ് തീയതി
 DocType: Item,Valuation Method,മൂലധനം രീതിയുടെ
@@ -4153,6 +4196,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,യാത്രയും ചെലവും ക്ലെയിം
 DocType: Sales Invoice,Redemption Cost Center,വീണ്ടെടുക്കൽ ചെലവ് കേന്ദ്രം
+DocType: QuickBooks Migrator,Scope,സാധ്യത
 DocType: Assessment Group,Assessment Group Name,അസസ്മെന്റ് ഗ്രൂപ്പ് പേര്
 DocType: Manufacturing Settings,Material Transferred for Manufacture,ഉല്പാദനത്തിനുള്ള മാറ്റിയത് മെറ്റീരിയൽ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,വിശദാംശങ്ങളിലേക്ക് ചേർക്കുക
@@ -4160,6 +4204,7 @@
 DocType: Shopify Settings,Last Sync Datetime,അവസാന സമന്വയ തീയതി സമയം
 DocType: Landed Cost Item,Receipt Document Type,രസീത് ഡോക്യുമെന്റ് തരം
 DocType: Daily Work Summary Settings,Select Companies,കമ്പനികൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,പ്രൊപ്പോസൽ / പ്രൈസ് ക്വാട്ട്
 DocType: Antibiotic,Healthcare,ആരോഗ്യ പരിരക്ഷ
 DocType: Target Detail,Target Detail,ടാർജറ്റ് വിശദാംശം
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,സിംഗിൾ വേരിയന്റ്
@@ -4169,6 +4214,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,കാലയളവ് സമാപന എൻട്രി
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,ഡിപ്പാർട്ട്മെന്റ് തിരഞ്ഞെടുക്കുക ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,നിലവിലുള്ള ഇടപാടുകൾ ചെലവ് കേന്ദ്രം ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
+DocType: QuickBooks Migrator,Authorization URL,അംഗീകാര URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},തുക {0} {1} {2} {3}
 DocType: Account,Depreciation,മൂല്യശോഷണം
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,ഷെയറുകളുടെയും പങ്കിടൽ നമ്പറുകളുടെയും എണ്ണം അസ്ഥിരമാണ്
@@ -4189,13 +4235,14 @@
 DocType: Support Search Source,Source DocType,ഉറവിടം ഡോക്ടിപ്പ്
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,ഒരു പുതിയ ടിക്കറ്റ് തുറക്കുക
 DocType: Training Event,Trainer Email,പരിശീലകൻ ഇമെയിൽ
+DocType: Driver,Transporter,ട്രാൻസ്പോർട്ടർ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ {0} സൃഷ്ടിച്ചു
 DocType: Restaurant Reservation,No of People,ആളുകളുടെ എണ്ണം
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,നിബന്ധനകളോ കരാറിലെ ഫലകം.
 DocType: Bank Account,Address and Contact,വിശദാംശവും ബന്ധപ്പെടാനുള്ള
 DocType: Vital Signs,Hyper,ഹൈപ്പർ
 DocType: Cheque Print Template,Is Account Payable,അക്കൗണ്ട് നൽകപ്പെടും
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},ഓഹരി വാങ്ങൽ രസീത് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},ഓഹരി വാങ്ങൽ രസീത് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല
 DocType: Support Settings,Auto close Issue after 7 days,7 ദിവസം കഴിഞ്ഞശേഷം ഓട്ടോ അടയ്ക്കൂ പ്രശ്നം
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ലീവ് ബാലൻസ് ഇതിനകം ഭാവിയിൽ ലീവ് അലോക്കേഷൻ റെക്കോർഡ് {1} ൽ കാരി മുന്നോട്ടയയ്ക്കുകയും ലീവ്, {0} മുമ്പ് വിഹിതം കഴിയില്ല"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),കുറിപ്പ്: ചില / പരാമർശം തീയതി {0} ദിവസം (ങ്ങൾ) അനുവദിച്ചിരിക്കുന്ന ഉപഭോക്തൃ ക്രെഡിറ്റ് ദിവസം അധികരിക്കുന്നു
@@ -4213,7 +4260,7 @@
 ,Qty to Deliver,വിടുവിപ്പാൻ Qty
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ഈ തീയതിക്ക് ശേഷം അപ്ഡേറ്റ് ചെയ്ത ഡാറ്റ ആമസോൺ സമന്വയിപ്പിക്കും
 ,Stock Analytics,സ്റ്റോക്ക് അനലിറ്റിക്സ്
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ഓപ്പറേഷൻ ശൂന്യമായിടാൻ കഴിയില്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ഓപ്പറേഷൻ ശൂന്യമായിടാൻ കഴിയില്ല
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,ലാബ് ടെസ്റ്റ് (കൾ)
 DocType: Maintenance Visit Purpose,Against Document Detail No,ഡോക്യുമെന്റ് വിശദാംശം പോസ്റ്റ് എഗൻസ്റ്റ്
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},രാജ്യം {0} എന്നതിനായി ഇല്ലാതാക്കൽ അനുവദനീയമല്ല
@@ -4221,13 +4268,12 @@
 DocType: Quality Inspection,Outgoing,അയയ്ക്കുന്ന
 DocType: Material Request,Requested For,ഇൻവേർനോ
 DocType: Quotation Item,Against Doctype,Doctype എഗെൻസ്റ്റ്
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ അടച്ച
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ അടച്ച
 DocType: Asset,Calculate Depreciation,മൂല്യശേഖരം കണക്കാക്കുക
 DocType: Delivery Note,Track this Delivery Note against any Project,ഏതെങ്കിലും പ്രോജക്ട് നേരെ ഈ ഡെലിവറി നോട്ട് ട്രാക്ക്
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,മുടക്കുന്ന നിന്നും നെറ്റ് ക്യാഷ്
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ഉപഭോക്താവ്&gt; കസ്റ്റമർ ഗ്രൂപ്പ്&gt; ടെറിട്ടറി
 DocType: Work Order,Work-in-Progress Warehouse,പ്രവർത്തിക്കുക-ഇൻ-പ്രോഗ്രസ് വെയർഹൗസ്
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,അസറ്റ് {0} സമർപ്പിക്കേണ്ടതാണ്
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,അസറ്റ് {0} സമർപ്പിക്കേണ്ടതാണ്
 DocType: Fee Schedule Program,Total Students,ആകെ വിദ്യാർത്ഥികൾ
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ഹാജർ റെക്കോർഡ് {0} സ്റ്റുഡന്റ് {1} നേരെ നിലവിലുണ്ട്
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},റഫറൻസ് # {0} {1} dated
@@ -4247,7 +4293,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,ഇടത് ജീവനക്കാർക്കായി നിലനിർത്തൽ ബോണസ് സൃഷ്ടിക്കാൻ കഴിയില്ല
 DocType: Lead,Market Segment,മാർക്കറ്റ് സെഗ്മെന്റ്
 DocType: Agriculture Analysis Criteria,Agriculture Manager,കൃഷി മാനേജർ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},തുക മൊത്തം നെഗറ്റീവ് ശേഷിക്കുന്ന തുക {0} ശ്രേഷ്ഠ പാടില്ല
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},തുക മൊത്തം നെഗറ്റീവ് ശേഷിക്കുന്ന തുക {0} ശ്രേഷ്ഠ പാടില്ല
 DocType: Supplier Scorecard Period,Variables,വേരിയബിളുകൾ
 DocType: Employee Internal Work History,Employee Internal Work History,ജീവനക്കാർ ആന്തരിക വർക്ക് ചരിത്രം
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),(ഡോ) അടയ്ക്കുന്നു
@@ -4272,22 +4318,24 @@
 DocType: Amazon MWS Settings,Synch Products,ഉൽപ്പന്നങ്ങൾ സമന്വയിപ്പിക്കുക
 DocType: Loyalty Point Entry,Loyalty Program,ലോയൽറ്റി പ്രോഗ്രാം
 DocType: Student Guardian,Father,പിതാവ്
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,പിന്തുണ ടിക്കറ്റ്
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;അപ്ഡേറ്റ് ഓഹരി&#39; നിർണയത്തിനുള്ള അസറ്റ് വില്പനയ്ക്ക് പരിശോധിക്കാൻ കഴിയുന്നില്ല
 DocType: Bank Reconciliation,Bank Reconciliation,ബാങ്ക് അനുരഞ്ജനം
 DocType: Attendance,On Leave,അവധിയിലാണ്
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,അപ്ഡേറ്റുകൾ നേടുക
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: അക്കൗണ്ട് {2} കമ്പനി {3} സ്വന്തമല്ല
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,ഓരോ ആട്രിബ്യൂട്ടുകളിൽ നിന്നും കുറഞ്ഞത് ഒരു മൂല്യമെങ്കിലും തിരഞ്ഞെടുക്കുക.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,ഓരോ ആട്രിബ്യൂട്ടുകളിൽ നിന്നും കുറഞ്ഞത് ഒരു മൂല്യമെങ്കിലും തിരഞ്ഞെടുക്കുക.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,മെറ്റീരിയൽ അഭ്യർത്ഥന {0} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,ഡിസ്പാച്ച് സംസ്ഥാനം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,ഡിസ്പാച്ച് സംസ്ഥാനം
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,മാനേജ്മെന്റ് വിടുക
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,ഗ്രൂപ്പുകൾ
 DocType: Purchase Invoice,Hold Invoice,ഇൻവോയ്സ് പിടിക്കുക
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,തൊഴിലുടമ തിരഞ്ഞെടുക്കുക
 DocType: Sales Order,Fully Delivered,പൂർണ്ണമായി കൈമാറി
-DocType: Lead,Lower Income,ലോവർ ആദായ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,ലോവർ ആദായ
 DocType: Restaurant Order Entry,Current Order,നിലവിലെ ഓർഡർ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,"സീരിയൽ എണ്ണം, അളവ് എന്നിവ ഒരേ പോലെയായിരിക്കണം"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},ഉറവിടം ടാർഗെറ്റ് വെയർഹൗസ് വരി {0} ഒരേ ആയിരിക്കും കഴിയില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},ഉറവിടം ടാർഗെറ്റ് വെയർഹൗസ് വരി {0} ഒരേ ആയിരിക്കും കഴിയില്ല
 DocType: Account,Asset Received But Not Billed,"അസറ്റ് ലഭിച്ചു, പക്ഷേ ബില്ലിങ്ങിയിട്ടില്ല"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ഈ ഓഹരി അനുരഞ്ജനം ഒരു തുറക്കുന്നു എൻട്രി മുതൽ വ്യത്യാസം അക്കൗണ്ട്, ഒരു അസറ്റ് / ബാധ്യത തരം അക്കൌണ്ട് ആയിരിക്കണം"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},വിതരണം തുക വായ്പാ തുക {0} അധികമാകരുത് കഴിയില്ല
@@ -4303,12 +4351,12 @@
 DocType: Asset,Fully Depreciated,പൂർണ്ണമായി മൂല്യത്തകർച്ചയുണ്ടായ
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,ഓഹരി Qty അനുമാനിക്കപ്പെടുന്ന
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},കസ്റ്റമർ {0} {1} പ്രൊജക്ട് സ്വന്തമല്ല
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},കസ്റ്റമർ {0} {1} പ്രൊജക്ട് സ്വന്തമല്ല
 DocType: Employee Attendance Tool,Marked Attendance HTML,അടയാളപ്പെടുത്തിയിരിക്കുന്ന ഹാജർ എച്ച്ടിഎംഎൽ
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","ഉദ്ധരണികൾ നിർദേശങ്ങൾ, നിങ്ങളുടെ ഉപഭോക്താക്കൾക്ക് അയച്ചിരിക്കുന്നു ബിഡ്ഡുകൾ ആകുന്നു"
 DocType: Sales Invoice,Customer's Purchase Order,കസ്റ്റമർ പർച്ചേസ് ഓർഡർ
 DocType: Clinical Procedure,Patient,രോഗി
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,വിൽപ്പന ഉത്തരവിലുള്ള ബൈപ്പാസ് ക്രെഡിറ്റ് പരിശോധന
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,വിൽപ്പന ഉത്തരവിലുള്ള ബൈപ്പാസ് ക്രെഡിറ്റ് പരിശോധന
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,ജീവനക്കാരുടെ മേൽനടത്തുന്ന പ്രവർത്തനം
 DocType: Location,Check if it is a hydroponic unit,ഇത് ഒരു ഹൈഡ്രോപോണിക് യൂണിറ്റ് ആണെങ്കിൽ പരിശോധിക്കുക
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച്
@@ -4318,7 +4366,7 @@
 DocType: Supplier Scorecard Period,Calculations,കണക്കുകൂട്ടലുകൾ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,മൂല്യം അഥവാ Qty
 DocType: Payment Terms Template,Payment Terms,പേയ്മെന്റ് നിബന്ധനകൾ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,പ്രൊഡക്ഷൻസ് ഓർഡറുകൾ ഉയിർപ്പിച്ചുമിരിക്കുന്ന കഴിയില്ല:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,പ്രൊഡക്ഷൻസ് ഓർഡറുകൾ ഉയിർപ്പിച്ചുമിരിക്കുന്ന കഴിയില്ല:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,മിനിറ്റ്
 DocType: Purchase Invoice,Purchase Taxes and Charges,നികുതി ചാർജുകളും വാങ്ങുക
 DocType: Chapter,Meetup Embed HTML,മീറ്റ്അപ് എംബഡ് HTML
@@ -4326,7 +4374,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,സപ്ലയർമാർക്ക് പോകുക
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,പിഒസ് അടച്ച വൗച്ചർ നികുതി
 ,Qty to Receive,സ്വീകരിക്കാൻ Qty
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","സാധുതയുള്ള ശീർഷ കാലയളവിൽ ആരംഭിക്കുന്നതും അവസാനിക്കുന്നതുമായ തീയതികൾ, {0} കണക്കാക്കാൻ കഴിയില്ല."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","സാധുതയുള്ള ശീർഷ കാലയളവിൽ ആരംഭിക്കുന്നതും അവസാനിക്കുന്നതുമായ തീയതികൾ, {0} കണക്കാക്കാൻ കഴിയില്ല."
 DocType: Leave Block List,Leave Block List Allowed,ബ്ലോക്ക് പട്ടിക അനുവദനീയം വിടുക
 DocType: Grading Scale Interval,Grading Scale Interval,സ്കെയിൽ ഇടവേള ഗ്രേഡിംഗ്
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},വാഹന ലോഗ് {0} രൂപായും ക്ലെയിം
@@ -4334,10 +4382,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,വില പട്ടിക നിരക്ക് ഡിസ്കൗണ്ട് (%) മാർജിൻ കൊണ്ട്
 DocType: Healthcare Service Unit Type,Rate / UOM,റേറ്റുചെയ്യുക / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,എല്ലാ അബദ്ധങ്ങളും
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,ഇൻറർ കമ്പനി ഇടപാടുകൾക്ക് {0} കണ്ടെത്തിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,ഇൻറർ കമ്പനി ഇടപാടുകൾക്ക് {0} കണ്ടെത്തിയില്ല.
 DocType: Travel Itinerary,Rented Car,വാടകയ്ക്കെടുത്ത കാർ
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,നിങ്ങളുടെ കമ്പനിയെക്കുറിച്ച്
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
 DocType: Donor,Donor,ദാതാവിന്
 DocType: Global Defaults,Disable In Words,വാക്കുകളിൽ പ്രവർത്തനരഹിതമാക്കുക
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,ഇനം സ്വയം നമ്പരുള്ള കാരണം ഇനം കോഡ് നിർബന്ധമാണ്
@@ -4349,14 +4397,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,ബാങ്ക് ഓവർഡ്രാഫ്റ്റിലായില്ല അക്കൗണ്ട്
 DocType: Patient,Patient ID,രോഗിയുടെ ഐഡി
 DocType: Practitioner Schedule,Schedule Name,ഷെഡ്യൂൾ പേര്
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,സെസ് പൈപ്പ്ലൈൻ സ്റ്റേജ് ആണ്
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,ശമ്പളം വ്യതിചലിപ്പിച്ചു
 DocType: Currency Exchange,For Buying,വാങ്ങുന്നതിനായി
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,എല്ലാ വിതരണക്കാരെയും ചേർക്കുക
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,എല്ലാ വിതരണക്കാരെയും ചേർക്കുക
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,വരി # {0}: തുക കുടിശ്ശിക തുക അധികമാകരുത് കഴിയില്ല.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,ബ്രൗസ് BOM ലേക്ക്
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,അടച്ച് വായ്പകൾ
 DocType: Purchase Invoice,Edit Posting Date and Time,എഡിറ്റ് പോസ്റ്റിംഗ് തീയതിയും സമയവും
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},അസറ്റ് വർഗ്ഗം {0} അല്ലെങ്കിൽ കമ്പനി {1} ൽ മൂല്യത്തകർച്ച ബന്ധപ്പെട്ട അക്കൗണ്ടുകൾ സജ്ജമാക്കുക
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},അസറ്റ് വർഗ്ഗം {0} അല്ലെങ്കിൽ കമ്പനി {1} ൽ മൂല്യത്തകർച്ച ബന്ധപ്പെട്ട അക്കൗണ്ടുകൾ സജ്ജമാക്കുക
 DocType: Lab Test Groups,Normal Range,സാധാരണ ശ്രേണി
 DocType: Academic Term,Academic Year,അധ്യയന വർഷം
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,വിൽക്കൽ ലഭ്യമാണ്
@@ -4385,26 +4434,26 @@
 DocType: Patient Appointment,Patient Appointment,രോഗി നിയമനം
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,റോൾ അംഗീകരിക്കുന്നതിൽ ഭരണം ബാധകമാകുന്നതാണ് പങ്ക് അതേ ആകും കഴിയില്ല
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ഈ ഇമെയിൽ ഡൈജസ്റ്റ് നിന്ന് അൺസബ്സ്ക്രൈബ്
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,വഴി വിതരണക്കാരെ നേടുക
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,വഴി വിതരണക്കാരെ നേടുക
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ഇനത്തിനായുള്ള {0} കണ്ടെത്തിയില്ല
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,കോഴ്സിലേക്ക് പോകുക
 DocType: Accounts Settings,Show Inclusive Tax In Print,അച്ചടിച്ച ഇൻകമിങ് ടാക്സ് കാണിക്കുക
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","ബാങ്ക് അക്കൗണ്ട്, തീയതി മുതൽ അതിലേക്കുള്ള നിയമനം നിർബന്ധമാണ്"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,സന്ദേശം അയച്ചു
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ ആയി സജ്ജമാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ ആയി സജ്ജമാക്കാൻ കഴിയില്ല
 DocType: C-Form,II,രണ്ടാം
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,വില പട്ടിക കറൻസി ഉപഭോക്താവിന്റെ അടിസ്ഥാന കറൻസി മാറ്റുമ്പോൾ തോത്
 DocType: Purchase Invoice Item,Net Amount (Company Currency),തുക (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,മൊത്തം മുൻകൂർ തുകയിൽ കൂടുതൽ മുൻകൂർ തുകയായിരിക്കില്ല
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,മൊത്തം മുൻകൂർ തുകയിൽ കൂടുതൽ മുൻകൂർ തുകയായിരിക്കില്ല
 DocType: Salary Slip,Hour Rate,അന്ത്യസമയം റേറ്റ്
 DocType: Stock Settings,Item Naming By,തന്നെയാണ നാമകരണം ഇനം
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},{0} {1} ശേഷം ഇതുവരെ ലഭിച്ചിട്ടുള്ള മറ്റൊരു കാലയളവ് സമാപന എൻട്രി
 DocType: Work Order,Material Transferred for Manufacturing,ണം വേണ്ടി മാറ്റിയത് മെറ്റീരിയൽ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,അക്കൗണ്ട് {0} നിലവിലുണ്ട് ഇല്ല
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,ലോയൽറ്റി പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,ലോയൽറ്റി പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക
 DocType: Project,Project Type,പ്രോജക്ട് തരം
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,ഈ ടാസ്ക്കിനായി ചൈൽഡ് ടാസ്ക് നിലവിലുണ്ട്. നിങ്ങൾക്ക് ഈ ടാസ്ക് ഇല്ലാതാക്കാൻ കഴിയില്ല.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ലക്ഷ്യം qty അല്ലെങ്കിൽ ലക്ഷ്യം തുക ഒന്നുകിൽ നിർബന്ധമാണ്.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ലക്ഷ്യം qty അല്ലെങ്കിൽ ലക്ഷ്യം തുക ഒന്നുകിൽ നിർബന്ധമാണ്.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,വിവിധ പ്രവർത്തനങ്ങളുടെ ചെലവ്
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","സെയിൽസ് പേഴ്സൺസ് താഴെ ഘടിപ്പിച്ചിരിക്കുന്ന ജീവനക്കാർ {1} ഒരു ഉപയോക്താവിന്റെ ഐഡി ഇല്ല ശേഷം, ലേക്കുള്ള {0} ഇവന്റുകൾ ക്രമീകരിക്കുന്നു"
 DocType: Timesheet,Billing Details,ബില്ലിംഗ് വിശദാംശങ്ങൾ
@@ -4462,13 +4511,13 @@
 DocType: Inpatient Record,A Negative,ഒരു നെഗറ്റീവ്
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,കാണിക്കാൻ കൂടുതൽ ഒന്നും.
 DocType: Lead,From Customer,കസ്റ്റമർ നിന്ന്
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,കോളുകൾ
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,കോളുകൾ
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,ഒരു ഉൽപ്പന്നം
 DocType: Employee Tax Exemption Declaration,Declarations,ഡിക്ലറേഷൻ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,ബാച്ചുകൾ
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,ഫീസ് ഷെഡ്യൂൾ ഉണ്ടാക്കുക
 DocType: Purchase Order Item Supplied,Stock UOM,ഓഹരി UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,വാങ്ങൽ ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,വാങ്ങൽ ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
 DocType: Account,Expenses Included In Asset Valuation,അസറ്റ് മൂല്യനിർണ്ണയത്തിൽ ഉൾപ്പെടുത്തിയ ചെലവുകൾ
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),മുതിർന്നവർക്ക് സാധാരണ റഫറൻസ് പരിധി 16-20 ശ്വസിക്കുമ്പോൾ / മിനിറ്റ് (ആർസിപി 2012)
 DocType: Customs Tariff Number,Tariff Number,താരിഫ് നമ്പർ
@@ -4481,6 +4530,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,ആദ്യം രോഗിയെ രക്ഷിക്കൂ
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,ഹാജർ വിജയകരമായി അടയാളപ്പെടുത്തി.
 DocType: Program Enrollment,Public Transport,പൊതു ഗതാഗതം
+DocType: Delivery Note,GST Vehicle Type,ജിഎസ്ടി വാഹന വാഹനം
 DocType: Soil Texture,Silt Composition (%),സിൽറ്റ് കോമ്പോസിഷൻ (%)
 DocType: Journal Entry,Remark,അഭിപായപ്പെടുക
 DocType: Healthcare Settings,Avoid Confirmation,സ്ഥിരീകരണം ഒഴിവാക്കുക
@@ -4490,11 +4540,10 @@
 DocType: Education Settings,Current Academic Term,നിലവിലെ അക്കാദമിക് ടേം
 DocType: Education Settings,Current Academic Term,നിലവിലെ അക്കാദമിക് ടേം
 DocType: Sales Order,Not Billed,ഈടാക്കൂ ഒരിക്കലും പാടില്ല
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,രണ്ടും വെയർഹൗസ് ഒരേ കമ്പനി സ്വന്തമായിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,രണ്ടും വെയർഹൗസ് ഒരേ കമ്പനി സ്വന്തമായിരിക്കണം
 DocType: Employee Grade,Default Leave Policy,സ്ഥിരസ്ഥിതി Leave Policy
 DocType: Shopify Settings,Shop URL,URL ഷോപ്പുചെയ്യുക
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,കോൺടാക്റ്റുകളൊന്നും ഇതുവരെ ചേർത്തു.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,സെറ്റപ്പ്&gt; നമ്പറിംഗ് സീരീസുകൾ വഴി ഹാജരാക്കാനായി സെറ്റപ്പ് നമ്പറുകൾ ക്രമീകരിക്കുക
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,കോസ്റ്റ് വൗച്ചർ തുക റജിസ്റ്റർ
 ,Item Balance (Simple),ഐറ്റം ബാലൻസ് (സിമ്പിൾ)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,വിതരണക്കാരും ഉയര്ത്തുന്ന ബില്ലുകള്.
@@ -4518,7 +4567,7 @@
 DocType: Shopping Cart Settings,Quotation Series,ക്വട്ടേഷൻ സീരീസ്
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","ഒരു ഇനം ഇതേ പേര് ({0}) നിലവിലുണ്ട്, ഐറ്റം ഗ്രൂപ്പിന്റെ പേര് മാറ്റാനോ ഇനം പുനർനാമകരണം ദയവായി"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,മണ്ണ് അനാലിസിസ് മാനദണ്ഡം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,കസ്റ്റമർ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,കസ്റ്റമർ തിരഞ്ഞെടുക്കുക
 DocType: C-Form,I,ഞാന്
 DocType: Company,Asset Depreciation Cost Center,അസറ്റ് മൂല്യത്തകർച്ച കോസ്റ്റ് സെന്റർ
 DocType: Production Plan Sales Order,Sales Order Date,സെയിൽസ് ഓർഡർ തീയതി
@@ -4531,8 +4580,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,ഏതൊരു വെയർഹൌസിലും നിലവിൽ സ്റ്റോക്കില്ല
 ,Payment Period Based On Invoice Date,ഇൻവോയിസ് തീയതി അടിസ്ഥാനമാക്കി പേയ്മെന്റ് പിരീഡ്
 DocType: Sample Collection,No. of print,പ്രിന്റ് ഇല്ല
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,ജന്മദിനം ഓർമ്മപ്പെടുത്തൽ
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ഹോട്ടൽ റൂൾ റിസർവേഷൻ ഇനം
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} വേണ്ടി കറൻസി എക്സ്ചേഞ്ച് നിരക്കുകൾ കാണാതായ
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},{0} വേണ്ടി കറൻസി എക്സ്ചേഞ്ച് നിരക്കുകൾ കാണാതായ
 DocType: Employee Health Insurance,Health Insurance Name,ആരോഗ്യ ഇൻഷ്വറൻസ് നാമം
 DocType: Assessment Plan,Examiner,എക്സാമിനർ
 DocType: Student,Siblings,സഹോദരങ്ങള്
@@ -4549,19 +4599,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,പുതിയ ഉപഭോക്താക്കളെ
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,മൊത്തം ലാഭം %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,"നിയമനം {0}, വിൽപ്പന ഇൻവോയ്സ് {1} റദ്ദാക്കപ്പെട്ടു"
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,ലീഡ് സ്രോതസിലൂടെ അവസരങ്ങൾ
 DocType: Appraisal Goal,Weightage (%),വെയിറ്റേജ് (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS പ്രൊഫൈൽ മാറ്റുക
 DocType: Bank Reconciliation Detail,Clearance Date,ക്ലിയറൻസ് തീയതി
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","ഇനത്തിന് {0} എന്നതിന് നേരെ അസറ്റ് നിലവിലുണ്ട്, നിങ്ങൾക്ക് സീരിയൽ മൂല്യമൊന്നും മാറ്റാൻ കഴിയില്ല"
+DocType: Delivery Settings,Dispatch Notification Template,ഡിസ്പാച്ച് അറിയിപ്പ് ടെംപ്ലേറ്റ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","ഇനത്തിന് {0} എന്നതിന് നേരെ അസറ്റ് നിലവിലുണ്ട്, നിങ്ങൾക്ക് സീരിയൽ മൂല്യമൊന്നും മാറ്റാൻ കഴിയില്ല"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,അസ്സസ്മെന്റ് റിപ്പോർട്ട്
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,ജീവനക്കാരെ നേടുക
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,ഗ്രോസ് വാങ്ങൽ തുക നിര്ബന്ധമാണ്
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,കമ്പനിയുടെ പേര് ഒന്നല്ല
 DocType: Lead,Address Desc,DESC വിലാസ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,പാർട്ടി നിർബന്ധമായും
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},മറ്റ് വരികളിലെ തനിപ്പകർപ്പായ തീയതികൾ ഉള്ള വരികൾ കണ്ടെത്തി: {list}
 DocType: Topic,Topic Name,വിഷയം പേര്
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ലെവൽ അംഗീകാര അറിയിപ്പ് സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് സജ്ജീകരിക്കുക.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ലെവൽ അംഗീകാര അറിയിപ്പ് സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് സജ്ജീകരിക്കുക.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,കച്ചവടവും അല്ലെങ്കിൽ വാങ്ങുന്നതിനു കുറഞ്ഞത് ഒരു തിരഞ്ഞെടുത്ത വേണം
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,ജീവനക്കാരുടെ മുൻകൂറായി ലഭിക്കാൻ ഒരു ജീവനക്കാരനെ തിരഞ്ഞെടുക്കുക.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,സാധുതയുള്ള ഒരു തീയതി തിരഞ്ഞെടുക്കുക
@@ -4595,6 +4646,7 @@
 DocType: Stock Entry,Customer or Supplier Details,കസ്റ്റമർ അല്ലെങ്കിൽ വിതരണക്കാരൻ വിവരങ്ങൾ
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,നിലവിലെ അസറ്റ് മൂല്യം
+DocType: QuickBooks Migrator,Quickbooks Company ID,ക്വിക്ക്ബുക്ക്സ് കമ്പനി ഐഡി
 DocType: Travel Request,Travel Funding,ട്രാവൽ ഫണ്ടിംഗ്
 DocType: Loan Application,Required by Date,തീയതി പ്രകാരം ആവശ്യമാണ്
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,വിളവെടുപ്പ് നടക്കുന്ന എല്ലാ സ്ഥലങ്ങളിലേക്കും ഒരു ലിങ്ക്
@@ -4608,9 +4660,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,വെയർഹൗസിൽ നിന്ന് ലഭ്യമായ ബാച്ച് Qty
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,ഗ്രോസ് പേ - ആകെ കിഴിച്ചുകൊണ്ടു - വായ്പാ തിരിച്ചടവ്
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,ഇപ്പോഴത്തെ BOM ലേക്ക് ന്യൂ BOM ഒന്നുതന്നെയായിരിക്കരുത്
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,ഇപ്പോഴത്തെ BOM ലേക്ക് ന്യൂ BOM ഒന്നുതന്നെയായിരിക്കരുത്
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ശമ്പള ജി ഐഡി
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,വിരമിക്കുന്ന തീയതി ചേരുന്നു തീയതി വലുതായിരിക്കണം
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,വിരമിക്കുന്ന തീയതി ചേരുന്നു തീയതി വലുതായിരിക്കണം
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,വിവിധ വകഭേദങ്ങൾ
 DocType: Sales Invoice,Against Income Account,ആദായ അക്കൗണ്ടിനെതിരായ
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,കൈമാറി {0}%
@@ -4639,7 +4691,7 @@
 DocType: POS Profile,Update Stock,സ്റ്റോക്ക് അപ്ഡേറ്റ്
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ഇനങ്ങളുടെ വ്യത്യസ്ത UOM തെറ്റായ (ആകെ) മൊത്തം ഭാരം മൂല്യം നയിക്കും. ഓരോ ഇനത്തിന്റെ മൊത്തം ഭാരം ഇതേ UOM ഉണ്ടു എന്ന് ഉറപ്പു വരുത്തുക.
 DocType: Certification Application,Payment Details,പേയ്മെന്റ് വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM റേറ്റ്
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM റേറ്റ്
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","നിർത്തി ജോലി ഓർഡർ റദ്ദാക്കാൻ കഴിയുന്നില്ല, റദ്ദാക്കാൻ ആദ്യം അതിനെ തടഞ്ഞുനിർത്തുക"
 DocType: Asset,Journal Entry for Scrap,സ്ക്രാപ്പ് ജേണൽ എൻട്രി
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ഡെലിവറി നോട്ട് നിന്നുള്ള ഇനങ്ങൾ pull ദയവായി
@@ -4660,11 +4712,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,ആകെ അനുവദിക്കപ്പെട്ട തുക
 ,Purchase Analytics,വാങ്ങൽ അനലിറ്റിക്സ്
 DocType: Sales Invoice Item,Delivery Note Item,ഡെലിവറി നോട്ട് ഇനം
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,നിലവിലെ ഇൻവോയ്സ് {0} കാണുന്നില്ല
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,നിലവിലെ ഇൻവോയ്സ് {0} കാണുന്നില്ല
 DocType: Asset Maintenance Log,Task,ടാസ്ക്
 DocType: Purchase Taxes and Charges,Reference Row #,റഫറൻസ് വരി #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},ബാച്ച് സംഖ്യ ഇനം {0} നിര്ബന്ധമാണ്
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,ഇത് ഒരു റൂട്ട് വിൽപന വ്യക്തി ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,ഇത് ഒരു റൂട്ട് വിൽപന വ്യക്തി ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","തിരഞ്ഞെടുത്താൽ, ഈ ഘടകം വ്യക്തമാക്കിയ അല്ലെങ്കിൽ കണക്കാക്കുന്നത് മൂല്യം വരുമാനം അല്ലെങ്കിൽ പൂർണമായും സംഭാവന ചെയ്യും. എന്നാൽ, അത് മൂല്യവർധിത അല്ലെങ്കിൽ വെട്ടിക്കുറയ്ക്കും കഴിയുന്ന മറ്റ് ഘടകങ്ങൾ വഴി റഫറൻസുചെയ്ത കഴിയും തുടർന്ന്."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","തിരഞ്ഞെടുത്താൽ, ഈ ഘടകം വ്യക്തമാക്കിയ അല്ലെങ്കിൽ കണക്കാക്കുന്നത് മൂല്യം വരുമാനം അല്ലെങ്കിൽ പൂർണമായും സംഭാവന ചെയ്യും. എന്നാൽ, അത് മൂല്യവർധിത അല്ലെങ്കിൽ വെട്ടിക്കുറയ്ക്കും കഴിയുന്ന മറ്റ് ഘടകങ്ങൾ വഴി റഫറൻസുചെയ്ത കഴിയും തുടർന്ന്."
 DocType: Asset Settings,Number of Days in Fiscal Year,ധനനയത്തിനുള്ള ദിവസങ്ങളുടെ എണ്ണം
@@ -4673,7 +4725,7 @@
 DocType: Company,Exchange Gain / Loss Account,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം അക്കൗണ്ട്
 DocType: Amazon MWS Settings,MWS Credentials,MWS ക്രെഡൻഷ്യലുകൾ
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,ജീവനക്കാർ എന്നാല് ബി
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},ഉദ്ദേശ്യം {0} ഒന്നാണ് ആയിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},ഉദ്ദേശ്യം {0} ഒന്നാണ് ആയിരിക്കണം
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,ഫോം പൂരിപ്പിച്ച് സേവ്
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,കമ്മ്യൂണിറ്റി ഫോറം
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,സ്റ്റോക്ക് ലെ യഥാർത്ഥ അളവ്
@@ -4689,7 +4741,7 @@
 DocType: Lab Test Template,Standard Selling Rate,സ്റ്റാൻഡേർഡ് വിറ്റുപോകുന്ന നിരക്ക്
 DocType: Account,Rate at which this tax is applied,ഈ നികുതി പ്രയോഗിക്കുന്നു തോത്
 DocType: Cash Flow Mapper,Section Name,വിഭാഗത്തിന്റെ പേര്
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,പുനഃക്രമീകരിക്കുക Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,പുനഃക്രമീകരിക്കുക Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},മൂല്യശേഖരം നിര {0}: ഉപയോഗപ്രദമായ ജീവിതത്തിന് ശേഷം പ്രതീക്ഷിച്ച മൂല്യം {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,നിലവിൽ ജോലികൾ
 DocType: Company,Stock Adjustment Account,സ്റ്റോക്ക് ക്രമീകരണ അക്കൗണ്ട്
@@ -4700,7 +4752,7 @@
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,വിലയിരുത്തൽ വിശദാംശങ്ങൾ നൽകുക
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: {1} നിന്ന്
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,എല്ലാ ബില്ലും മെറ്റീരിയലുകളിൽ ഏറ്റവും പുതിയ വില അപ്ഡേറ്റ് ചെയ്യുന്നതിനായി ക്യൂവിലാണ്. ഇതിന് അൽപ്പസമയമെടുത്തേക്കാം.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,എല്ലാ ബില്ലും മെറ്റീരിയലുകളിൽ ഏറ്റവും പുതിയ വില അപ്ഡേറ്റ് ചെയ്യുന്നതിനായി ക്യൂവിലാണ്. ഇതിന് അൽപ്പസമയമെടുത്തേക്കാം.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,പുതിയ അക്കൗണ്ട് പേര്. കുറിപ്പ്: ഉപയോക്താക്കൾക്ക് വിതരണക്കാർക്കും അക്കൗണ്ടുകൾ സൃഷ്ടിക്കാൻ ദയവായി
 DocType: POS Profile,Display Items In Stock,സ്റ്റോക്കിനുള്ള ഇനങ്ങൾ പ്രദർശിപ്പിക്കുക
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,രാജ്യം ജ്ഞാനികൾ സഹജമായ വിലാസം ഫലകങ്ങൾ
@@ -4730,16 +4782,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} എന്നതിനുള്ള സ്ലോട്ടുകൾ ഷെഡ്യൂളിലേക്ക് ചേർക്കില്ല
 DocType: Product Bundle,List items that form the package.,പാക്കേജ് രൂപീകരിക്കുന്നു ഇനങ്ങൾ കാണിയ്ക്കുക.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,അനുവദനീയമല്ല. ടെസ്റ്റ് ടെംപ്ലേറ്റ് ദയവായി അപ്രാപ്തമാക്കുക
+DocType: Delivery Note,Distance (in km),ദൂരം (കിലോമീറ്ററിൽ)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ശതമാന അലോക്കേഷൻ 100% തുല്യമോ വേണം
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,പാർട്ടി തിരഞ്ഞെടുക്കുന്നതിന് മുമ്പ് പോസ്റ്റിംഗ് തീയതി തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,പാർട്ടി തിരഞ്ഞെടുക്കുന്നതിന് മുമ്പ് പോസ്റ്റിംഗ് തീയതി തിരഞ്ഞെടുക്കുക
 DocType: Program Enrollment,School House,സ്കൂൾ ഹൗസ്
 DocType: Serial No,Out of AMC,എഎംസി പുറത്താണ്
+DocType: Opportunity,Opportunity Amount,അവസര തുക
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ബുക്കുചെയ്തു Depreciations എണ്ണം Depreciations മൊത്തം എണ്ണം വലുതായിരിക്കും കഴിയില്ല
 DocType: Purchase Order,Order Confirmation Date,ഓർഡർ സ്ഥിരീകരണ തീയതി
 DocType: Driver,HR-DRI-.YYYY.-,എച്ച്ആർ-ഡിആർഐ .YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,മെയിൻറനൻസ് സന്ദർശനം നിർമ്മിക്കുക
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ആരംഭ തീയതിയും അവസാന തീയതിയും തൊഴിൽ കാർഡ് ഉപയോഗിച്ച് ഓവർലാപ്പുചെയ്യുന്നു <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,എംപ്ലോയീസ് ട്രാൻസ്ഫർ വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,സെയിൽസ് മാസ്റ്റർ മാനേജർ {0} പങ്കുണ്ട് ആർ ഉപയോക്താവിന് ബന്ധപ്പെടുക
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,സെയിൽസ് മാസ്റ്റർ മാനേജർ {0} പങ്കുണ്ട് ആർ ഉപയോക്താവിന് ബന്ധപ്പെടുക
 DocType: Company,Default Cash Account,സ്ഥിരസ്ഥിതി ക്യാഷ് അക്കൗണ്ട്
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,കമ്പനി (അല്ല കസ്റ്റമർ അല്ലെങ്കിൽ വിതരണക്കാരൻ) മാസ്റ്റർ.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ഇത് ഈ വിദ്യാർത്ഥി ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ്
@@ -4747,9 +4802,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,കൂടുതൽ ഇനങ്ങൾ അല്ലെങ്കിൽ തുറക്കാറുണ്ട് ഫോം ചേർക്കുക
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ഡെലിവറി കുറിപ്പുകൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,ഉപയോക്താക്കളിലേക്ക് പോകുക
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,തുക + തുക ആകെ മൊത്തം വലുതായിരിക്കും കഴിയില്ല ഓഫാക്കുക എഴുതുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,തുക + തുക ആകെ മൊത്തം വലുതായിരിക്കും കഴിയില്ല ഓഫാക്കുക എഴുതുക
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ഇനം {1} ഒരു സാധുവായ ബാച്ച് നമ്പർ അല്ല
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},കുറിപ്പ്: വേണ്ടത്ര ലീവ് ബാലൻസ് അനുവാദ ടൈപ്പ് {0} വേണ്ടി ഇല്ല
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},കുറിപ്പ്: വേണ്ടത്ര ലീവ് ബാലൻസ് അനുവാദ ടൈപ്പ് {0} വേണ്ടി ഇല്ല
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,അസാധുവായ ഗ്സ്തിന് അല്ലെങ്കിൽ രജിസ്റ്റർ വേണ്ടി ബാധകമല്ല നൽകുക
 DocType: Training Event,Seminar,സെമിനാര്
 DocType: Program Enrollment Fee,Program Enrollment Fee,പ്രോഗ്രാം എൻറോൾമെന്റ് ഫീസ്
@@ -4766,7 +4821,7 @@
 DocType: Fee Schedule,Fee Schedule,ഷെഡ്യുള്
 DocType: Company,Create Chart Of Accounts Based On,അക്കൗണ്ടുകൾ അടിസ്ഥാനമാക്കിയുള്ള ചാർട്ട് സൃഷ്ടിക്കുക
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,ഗ്രൂപ്പ് അല്ലാത്തവരെ ഇത് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല. ശിശു ചുമതലകൾ നിലവിലുണ്ട്.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,ജനന തീയതി ഇന്ന് വലുതായിരിക്കും കഴിയില്ല.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,ജനന തീയതി ഇന്ന് വലുതായിരിക്കും കഴിയില്ല.
 ,Stock Ageing,സ്റ്റോക്ക് എയ്ജിങ്
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","ഭാഗികമായി സ്പോൺസർ ചെയ്തത്, ഭാഗിക ഫണ്ടിംഗ് ആവശ്യമാണ്"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},വിദ്യാർത്ഥി {0} വിദ്യാർത്ഥി അപേക്ഷകൻ {1} നേരെ നിലവിലില്ല
@@ -4813,11 +4868,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,"നിരപ്പു മുമ്പ്,"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} ചെയ്യുക
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ചേർത്തു നികുതി ചാർജുകളും (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ഇനം നികുതി റോ {0} ടൈപ്പ് നികുതി അഥവാ ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ലെങ്കിൽ ഈടാക്കുന്നതല്ല എന്ന അക്കൗണ്ട് ഉണ്ടായിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ഇനം നികുതി റോ {0} ടൈപ്പ് നികുതി അഥവാ ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ലെങ്കിൽ ഈടാക്കുന്നതല്ല എന്ന അക്കൗണ്ട് ഉണ്ടായിരിക്കണം
 DocType: Sales Order,Partly Billed,ഭാഗികമായി ഈടാക്കൂ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,ഇനം {0} ഒരു നിശ്ചിത അസറ്റ് ഇനം ആയിരിക്കണം
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,വേരിയൻറുകൾ ഉണ്ടാക്കുക
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,വേരിയൻറുകൾ ഉണ്ടാക്കുക
 DocType: Item,Default BOM,സ്വതേ BOM ലേക്ക്
 DocType: Project,Total Billed Amount (via Sales Invoices),മൊത്തം ബില്ലും തുക (വിൽപ്പന ഇൻവോയ്സുകളിലൂടെ)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ഡെബിറ്റ് നോട്ട് തുക
@@ -4846,14 +4901,14 @@
 DocType: Notification Control,Custom Message,കസ്റ്റം സന്ദേശം
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,നിക്ഷേപ ബാങ്കിംഗ്
 DocType: Purchase Invoice,input,ഇൻപുട്ട്
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് പേയ്മെന്റ് എൻട്രി നടത്തുന്നതിനുള്ള നിർബന്ധമായും
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് പേയ്മെന്റ് എൻട്രി നടത്തുന്നതിനുള്ള നിർബന്ധമായും
 DocType: Loyalty Program,Multiple Tier Program,ഒന്നിലധികം ടയർ പരിപാടി
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,വിദ്യാർത്ഥിയുടെ വിലാസം
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,വിദ്യാർത്ഥിയുടെ വിലാസം
 DocType: Purchase Invoice,Price List Exchange Rate,വില പട്ടിക എക്സ്ചേഞ്ച് റേറ്റ്
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,എല്ലാ വിതരണ ഗ്രൂപ്പുകളും
 DocType: Employee Boarding Activity,Required for Employee Creation,എംപ്ലോയി ക്രിയേഷൻ ആവശ്യമുണ്ട്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},അക്കൗണ്ടിൽ ഇതിനകം ഉപയോഗിച്ച {0} അക്കൗണ്ട് നമ്പർ {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},അക്കൗണ്ടിൽ ഇതിനകം ഉപയോഗിച്ച {0} അക്കൗണ്ട് നമ്പർ {1}
 DocType: GoCardless Mandate,Mandate,ജനവിധി
 DocType: POS Profile,POS Profile Name,POS പ്രൊഫൈൽ നാമം
 DocType: Hotel Room Reservation,Booked,ബുക്ക് ചെയ്തു
@@ -4869,18 +4924,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,റഫറൻസ് നിങ്ങൾ റഫറൻസ് തീയതി നൽകിയിട്ടുണ്ടെങ്കിൽ ഇല്ല നിർബന്ധമായും
 DocType: Bank Reconciliation Detail,Payment Document,പേയ്മെന്റ് പ്രമാണം
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,മാനദണ്ഡ ഫോർമുല മൂല്യനിർണ്ണയിക്കുന്നതിൽ പിശക്
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,ചേരുന്നു തീയതി ജനന തീയതി വലുതായിരിക്കണം
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,ചേരുന്നു തീയതി ജനന തീയതി വലുതായിരിക്കണം
 DocType: Subscription,Plans,പ്ലാനുകൾ
 DocType: Salary Slip,Salary Structure,ശമ്പളം ഘടന
 DocType: Account,Bank,ബാങ്ക്
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,എയർ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,പ്രശ്നം മെറ്റീരിയൽ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,പ്രശ്നം മെറ്റീരിയൽ
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext ഉപയോഗിച്ച് Shopify കണക്റ്റുചെയ്യുക
 DocType: Material Request Item,For Warehouse,വെയർഹൗസ് വേണ്ടി
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,ഡെലിവറി കുറിപ്പുകൾ {0} അപ്ഡേറ്റുചെയ്തു
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,ഡെലിവറി കുറിപ്പുകൾ {0} അപ്ഡേറ്റുചെയ്തു
 DocType: Employee,Offer Date,ആഫര് തീയതി
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ഉദ്ധരണികളും
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,നിങ്ങൾ ഓഫ്ലൈൻ മോഡിലാണ്. നിങ്ങൾ നെറ്റ്വർക്ക് ഞങ്ങൾക്കുണ്ട് വരെ ലോഡുചെയ്യണോ കഴിയില്ല.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,ഉദ്ധരണികളും
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,നിങ്ങൾ ഓഫ്ലൈൻ മോഡിലാണ്. നിങ്ങൾ നെറ്റ്വർക്ക് ഞങ്ങൾക്കുണ്ട് വരെ ലോഡുചെയ്യണോ കഴിയില്ല.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,അനുവദിക്കുക
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,ഇല്ല സ്റ്റുഡന്റ് ഗ്രൂപ്പുകൾ സൃഷ്ടിച്ചു.
 DocType: Purchase Invoice Item,Serial No,സീരിയൽ ഇല്ല
@@ -4892,24 +4947,26 @@
 DocType: Sales Invoice,Customer PO Details,കസ്റ്റമർ പി.ഒ.
 DocType: Stock Entry,Including items for sub assemblies,സബ് സമ്മേളനങ്ങൾ ഇനങ്ങൾ ഉൾപ്പെടെ
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,താൽക്കാലിക തുറക്കൽ അക്കൗണ്ട്
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,നൽകുക മൂല്യം പോസിറ്റീവ് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,നൽകുക മൂല്യം പോസിറ്റീവ് ആയിരിക്കണം
 DocType: Asset,Finance Books,ധനകാര്യ പുസ്തകങ്ങൾ
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,എംപ്ലോയീസ് ടാക്സ് എക്സംപ്ഷൻ ഡിക്ലറേഷൻ വിഭാഗം
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,എല്ലാ പ്രദേശങ്ങളും
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,ജീവനക്കാരന് / ഗ്രേഡ് റെക്കോർഡിലെ ജീവനക്കാരന് {0} എന്നതിനുള്ള അവധി നയം സജ്ജീകരിക്കുക
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,"തിരഞ്ഞെടുത്ത കസ്റ്റമർ, ഇനം എന്നിവയ്ക്കായി അസാധുവായ ബ്ലാങ്കറ്റ് ഓർഡർ"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,"തിരഞ്ഞെടുത്ത കസ്റ്റമർ, ഇനം എന്നിവയ്ക്കായി അസാധുവായ ബ്ലാങ്കറ്റ് ഓർഡർ"
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,ഒന്നിലധികം ടാസ്ക്കുകൾ ചേർക്കൂ
 DocType: Purchase Invoice,Items,ഇനങ്ങൾ
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,അവസാന തീയതി ആരംഭിക്കുന്ന തീയതിക്ക് മുമ്പായിരിക്കരുത്.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,വിദ്യാർത്ഥി ഇതിനകം എൻറോൾ ചെയ്തു.
 DocType: Fiscal Year,Year Name,വർഷം പേര്
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,ഈ മാസം പ്രവർത്തി ദിവസങ്ങളിൽ അധികം വിശേഷദിവസങ്ങൾ ഉണ്ട്.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / എൽ സി റഫർ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,ഈ മാസം പ്രവർത്തി ദിവസങ്ങളിൽ അധികം വിശേഷദിവസങ്ങൾ ഉണ്ട്.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,ഇനങ്ങൾക്ക് ശേഷം {0} {1} ഇനം ആയി അടയാളപ്പെടുത്തിയിട്ടില്ല. നിങ്ങൾക്ക് അവരുടെ ഇനം മാസ്റ്ററിൽ നിന്ന് {1} ഇനം ആയി സജ്ജമാക്കാൻ കഴിയും
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / എൽ സി റഫർ
 DocType: Production Plan Item,Product Bundle Item,ഉൽപ്പന്ന ബണ്ടിൽ ഇനം
 DocType: Sales Partner,Sales Partner Name,സെയിൽസ് പങ്കാളി പേര്
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,ഉദ്ധരണികൾ അഭ്യർത്ഥന
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,ഉദ്ധരണികൾ അഭ്യർത്ഥന
 DocType: Payment Reconciliation,Maximum Invoice Amount,പരമാവധി ഇൻവോയിസ് തുക
 DocType: Normal Test Items,Normal Test Items,സാധാരണ പരീക്ഷണ ഇനങ്ങൾ
+DocType: QuickBooks Migrator,Company Settings,കമ്പനി ക്രമീകരണങ്ങൾ
 DocType: Additional Salary,Overwrite Salary Structure Amount,ശമ്പള ഘടനയുടെ തുക തിരുത്തിയെഴുതുക
 DocType: Student Language,Student Language,വിദ്യാർത്ഥിയുടെ ഭാഷ
 apps/erpnext/erpnext/config/selling.py +23,Customers,ഇടപാടുകാർ
@@ -4922,22 +4979,24 @@
 DocType: Issue,Opening Time,സമയം തുറക്കുന്നു
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,നിന്ന് ആവശ്യമായ തീയതികൾ ചെയ്യുക
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,സെക്യൂരിറ്റീസ് &amp; ചരക്ക് കൈമാറ്റ
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',മോഡലിന് അളവു യൂണിറ്റ് &#39;{0}&#39; ഫലകം അതേ ആയിരിക്കണം &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',മോഡലിന് അളവു യൂണിറ്റ് &#39;{0}&#39; ഫലകം അതേ ആയിരിക്കണം &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,അടിസ്ഥാനത്തിൽ ഓൺ കണക്കുകൂട്ടുക
 DocType: Contract,Unfulfilled,പൂർത്തിയാകാത്ത
 DocType: Delivery Note Item,From Warehouse,വെയർഹൗസിൽ നിന്ന്
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,പരാമർശിക്കപ്പെട്ട മാനദണ്ഡത്തിനായി ജീവനക്കാർ ഇല്ല
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,നിർമ്മിക്കാനുള്ള വസ്തുക്കളുടെ ബിൽ കൂടിയ ഇനങ്ങൾ ഇല്ല
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,നിർമ്മിക്കാനുള്ള വസ്തുക്കളുടെ ബിൽ കൂടിയ ഇനങ്ങൾ ഇല്ല
 DocType: Shopify Settings,Default Customer,സ്ഥിരസ്ഥിതി ഉപഭോക്താവ്
+DocType: Sales Stage,Stage Name,സ്റ്റേജ് പേര്
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,സൂപ്പർവൈസർ പേര്
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,ഒരേ ദിവസം തന്നെ അസൈൻ ചെയ്യപ്പെട്ടാൽ അത് സ്ഥിരീകരിക്കരുത്
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,കപ്പൽ സന്ദർശിക്കുക
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,കപ്പൽ സന്ദർശിക്കുക
 DocType: Program Enrollment Course,Program Enrollment Course,പ്രോഗ്രാം എൻറോൾമെന്റ് കോഴ്സ്
 DocType: Program Enrollment Course,Program Enrollment Course,പ്രോഗ്രാം എൻറോൾമെന്റ് കോഴ്സ്
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},യൂസർ {0} ഇതിനകം ആരോഗ്യപരിപാലന സഹായിക്കായി നൽകിയിരിക്കുന്നു {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,മാതൃക നിലനിർത്തൽ സ്റ്റോക്ക് എൻട്രി ഉണ്ടാക്കുക
 DocType: Purchase Taxes and Charges,Valuation and Total,"മൂലധനം, മൊത്ത"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,സംഭാഷണം / അവലോകനം
 DocType: Leave Encashment,Encashment Amount,എൻക്യാഷ്മെന്റ് തുക
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,സ്കോർകാർഡ്സ്
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,കാലഹരണപ്പെട്ട തുലാസ്
@@ -4947,7 +5006,7 @@
 DocType: Staffing Plan Detail,Current Openings,ഇപ്പോഴത്തെ ഓപ്പണിംഗ്
 DocType: Notification Control,Customize the Notification,അറിയിപ്പ് ഇഷ്ടാനുസൃതമാക്കുക
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,ഓപ്പറേഷൻസ് നിന്നുള്ള ക്യാഷ് ഫ്ളോ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST തുക
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST തുക
 DocType: Purchase Invoice,Shipping Rule,ഷിപ്പിംഗ് റൂൾ
 DocType: Patient Relation,Spouse,ജീവിത പങ്കാളി
 DocType: Lab Test Groups,Add Test,ടെസ്റ്റ് ചേർക്കുക
@@ -4961,14 +5020,14 @@
 DocType: Payroll Entry,Payroll Frequency,ശമ്പളപ്പട്ടിക ഫ്രീക്വൻസി
 DocType: Lab Test Template,Sensitivity,സെൻസിറ്റിവിറ്റി
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,പരമാവധി ശ്രമങ്ങൾ കവിഞ്ഞതിനാൽ സമന്വയം താൽക്കാലികമായി അപ്രാപ്തമാക്കി
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,അസംസ്കൃത വസ്തു
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,അസംസ്കൃത വസ്തു
 DocType: Leave Application,Follow via Email,ഇമെയിൽ വഴി പിന്തുടരുക
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,"സസ്യങ്ങൾ, യന്ത്രസാമഗ്രികളും"
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ഡിസ്കൗണ്ട് തുക ശേഷം നികുതിയും
 DocType: Patient,Inpatient Status,ഇൻപേഷ്യൻറ് സ്റ്റാറ്റസ്
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,നിത്യജീവിതത്തിലെ ഔദ്യോഗിക ചുരുക്കം ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,തിരഞ്ഞെടുക്കപ്പെട്ട വില ലിസ്റ്റ് പരിശോധിച്ച ഫീൽഡുകൾ വാങ്ങലും വിൽക്കുന്നതും ആയിരിക്കണം.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,ദയവായി തീയതി അനുസരിച്ച് Reqd നൽകുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,തിരഞ്ഞെടുക്കപ്പെട്ട വില ലിസ്റ്റ് പരിശോധിച്ച ഫീൽഡുകൾ വാങ്ങലും വിൽക്കുന്നതും ആയിരിക്കണം.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,ദയവായി തീയതി അനുസരിച്ച് Reqd നൽകുക
 DocType: Payment Entry,Internal Transfer,ആന്തരിക ട്രാൻസ്ഫർ
 DocType: Asset Maintenance,Maintenance Tasks,മെയിൻറനൻസ് ടാസ്കുകൾ
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ലക്ഷ്യം qty അല്ലെങ്കിൽ ലക്ഷ്യം തുക ഒന്നുകിൽ നിർബന്ധമായും
@@ -4990,7 +5049,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,അവസാനം കമ്യൂണിക്കേഷൻ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,അവസാനം കമ്യൂണിക്കേഷൻ
 ,TDS Payable Monthly,ടി ടി എസ് മാസിക മാസം
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM- യ്ക്കു പകരം ക്യൂവിലുള്ള. ഇതിന് അൽപ്പസമയമെടുത്തേക്കാം.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM- യ്ക്കു പകരം ക്യൂവിലുള്ള. ഇതിന് അൽപ്പസമയമെടുത്തേക്കാം.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"വിഭാഗം &#39;മൂലധനം&#39; അഥവാ &#39;മൂലധനം, മൊത്ത&#39; വേണ്ടി എപ്പോൾ കുറയ്ക്കാവുന്നതാണ് ചെയ്യാൻ കഴിയില്ല"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},സീരിയൽ ഇനം {0} വേണ്ടി സീരിയൽ ഒഴിവ് ആവശ്യമുണ്ട്
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,ഇൻവോയിസുകൾ കളിയിൽ പേയ്മെന്റുകൾ
@@ -5003,7 +5062,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,കാർട്ടിലേക്ക് ചേർക്കുക
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,ഗ്രൂപ്പ്
 DocType: Guardian,Interests,താൽപ്പര്യങ്ങൾ
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,പ്രാപ്തമാക്കുക / കറൻസിയുടെ അപ്രാപ്തമാക്കാൻ.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,പ്രാപ്തമാക്കുക / കറൻസിയുടെ അപ്രാപ്തമാക്കാൻ.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,ചില ശമ്പള സ്ലിപ്പുകൾ സമർപ്പിക്കാൻ കഴിഞ്ഞില്ല
 DocType: Exchange Rate Revaluation,Get Entries,എൻട്രികൾ സ്വീകരിക്കുക
 DocType: Production Plan,Get Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന നേടുക
@@ -5024,15 +5083,16 @@
 DocType: Lead,Lead Type,ലീഡ് തരം
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,നിങ്ങൾ തടയുക തീയതികളിൽ ഇല അംഗീകരിക്കാൻ അംഗീകാരമില്ല
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,ഇവർ എല്ലാവരും ഇനങ്ങളും ഇതിനകം invoiced ചെയ്തു
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,പുതിയ റിലീസ് തീയതി സജ്ജമാക്കുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,പുതിയ റിലീസ് തീയതി സജ്ജമാക്കുക
 DocType: Company,Monthly Sales Target,മാസംതോറുമുള്ള ടാർഗെറ്റ്
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} അംഗീകരിച്ച കഴിയുമോ
 DocType: Hotel Room,Hotel Room Type,ഹോട്ടൽ റൂം തരത്തിലുള്ള
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,വിതരണക്കാരൻ&gt; വിതരണക്കാരൻ തരം
 DocType: Leave Allocation,Leave Period,കാലയളവ് വിടുക
 DocType: Item,Default Material Request Type,സ്വതേ മെറ്റീരിയൽ അഭ്യർത്ഥന ഇനം
 DocType: Supplier Scorecard,Evaluation Period,വിലയിരുത്തൽ കാലയളവ്
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,അറിയപ്പെടാത്ത
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,വർക്ക് ഓർഡർ സൃഷ്ടിച്ചില്ല
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,വർക്ക് ഓർഡർ സൃഷ്ടിച്ചില്ല
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{0} എന്ന ഘടകത്തിന് ഇതിനകം ക്ലെയിം ചെയ്ത {0} തുക, {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,ഷിപ്പിംഗ് റൂൾ അവസ്ഥകൾ
@@ -5067,14 +5127,14 @@
 DocType: Batch,Source Document Name,ഉറവിട പ്രമാണം പേര്
 DocType: Production Plan,Get Raw Materials For Production,ഉത്പാദനത്തിനായി അസംസ്കൃത വസ്തുക്കൾ ലഭിക്കുക
 DocType: Job Opening,Job Title,തൊഴില് പേര്
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0}, {1} ഒരു ഉദ്ധരണനം നൽകില്ലെന്ന് സൂചിപ്പിക്കുന്നു, എന്നാൽ എല്ലാ ഇനങ്ങളും ഉദ്ധരിക്കുന്നു. RFQ ഉദ്ധരണി നില അപ്ഡേറ്റുചെയ്യുന്നു."
 DocType: Manufacturing Settings,Update BOM Cost Automatically,BOM നിര സ്വയമേ അപ്ഡേറ്റ് ചെയ്യുക
 DocType: Lab Test,Test Name,ടെസ്റ്റ് നാമം
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,ക്ലിനിക്കൽ പ്രോസസ്ചർ കൺസൂമബിൾ ഇനം
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,ഉപയോക്താക്കളെ സൃഷ്ടിക്കുക
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,പയറ്
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,സബ്സ്ക്രിപ്ഷനുകൾ
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,സബ്സ്ക്രിപ്ഷനുകൾ
 DocType: Supplier Scorecard,Per Month,മാസം തോറും
 DocType: Education Settings,Make Academic Term Mandatory,അക്കാദമിക് ടേം നിർബന്ധിതം ഉണ്ടാക്കുക
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,നിർമ്മിക്കാനുള്ള ക്വാണ്ടിറ്റി 0 വലുതായിരിക്കണം.
@@ -5083,10 +5143,10 @@
 DocType: Stock Entry,Update Rate and Availability,റേറ്റ് ലഭ്യത അപ്ഡേറ്റ്
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ശതമാനം നിങ്ങളെ ഉത്തരവിട്ടു അളവ് നേരെ കൂടുതൽ സ്വീകരിക്കാനോ വിടുവിപ്പാൻ അനുവദിച്ചിരിക്കുന്ന. ഉദാഹരണം: 100 യൂണിറ്റ് ഉത്തരവിട്ടു ഉണ്ടെങ്കിൽ. ഒപ്പം നിങ്ങളുടെ അലവൻസ് നിങ്ങളെ 110 യൂണിറ്റുകൾ സ്വീകരിക്കാൻ അനുവദിച്ചിരിക്കുന്ന പിന്നീട് 10% ആണ്.
 DocType: Loyalty Program,Customer Group,കസ്റ്റമർ ഗ്രൂപ്പ്
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,വരി # {0}: വർക്ക് ഓർഡർ # {3} ൽ പൂർത്തിയാക്കിയ സാധനങ്ങളുടെ {2} ഇനത്തിനായി ഓപ്പറേഷൻ {1} പൂർത്തിയാക്കിയിട്ടില്ല. സമയം ലോഗ്സ് വഴി ഓപ്പറേഷൻ സ്റ്റാറ്റസ് അപ്ഡേറ്റുചെയ്യുക
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,വരി # {0}: വർക്ക് ഓർഡർ # {3} ൽ പൂർത്തിയാക്കിയ സാധനങ്ങളുടെ {2} ഇനത്തിനായി ഓപ്പറേഷൻ {1} പൂർത്തിയാക്കിയിട്ടില്ല. സമയം ലോഗ്സ് വഴി ഓപ്പറേഷൻ സ്റ്റാറ്റസ് അപ്ഡേറ്റുചെയ്യുക
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),പുതിയ ബാച്ച് ഐഡി (ഓപ്ഷണൽ)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),പുതിയ ബാച്ച് ഐഡി (ഓപ്ഷണൽ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},ചിലവേറിയ ഇനത്തിന്റെ {0} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},ചിലവേറിയ ഇനത്തിന്റെ {0} നിര്ബന്ധമാണ്
 DocType: BOM,Website Description,വെബ്സൈറ്റ് വിവരണം
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ഇക്വിറ്റി ലെ മൊത്തം മാറ്റം
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,വാങ്ങൽ ഇൻവോയ്സ് {0} ആദ്യം റദ്ദാക്കുകയോ ചെയ്യുക
@@ -5101,7 +5161,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,തിരുത്തിയെഴുതുന്നത് ഒന്നുമില്ല.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,ഫോം കാഴ്ച
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ചെലവ് ക്ലെയിമിലെ ചെലവ് സമീപനം നിർബന്ധിതം
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,ഈ മാസത്തെ ചുരുക്കം തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,ഈ മാസത്തെ ചുരുക്കം തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},കമ്പനിയിൽ അജ്ഞാതമല്ലാത്ത എക്സ്ചേഞ്ച് നേട്ടം സജ്ജീകരിക്കുക {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","നിങ്ങളെക്കാളുപരി, നിങ്ങളുടെ ഓർഗനൈസേഷനിൽ ഉപയോക്താക്കളെ ചേർക്കുക."
 DocType: Customer Group,Customer Group Name,കസ്റ്റമർ ഗ്രൂപ്പ് പേര്
@@ -5111,14 +5171,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,ഭൌതിക അഭ്യർത്ഥനയൊന്നും സൃഷ്ടിച്ചിട്ടില്ല
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},വായ്പാ തുക {0} പരമാവധി വായ്പാ തുക കവിയാൻ പാടില്ല
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,അനുമതി
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},സി-ഫോം {1} നിന്നും ഈ ഇൻവോയിസ് {0} നീക്കം ദയവായി
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},സി-ഫോം {1} നിന്നും ഈ ഇൻവോയിസ് {0} നീക്കം ദയവായി
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,നിങ്ങൾക്ക് മുൻ സാമ്പത്തിക വർഷത്തെ ബാലൻസ് ഈ സാമ്പത്തിക വർഷം വിട്ടുതരുന്നു ഉൾപ്പെടുത്താൻ ആഗ്രഹിക്കുന്നുവെങ്കിൽ മുന്നോട്ട് തിരഞ്ഞെടുക്കുക
 DocType: GL Entry,Against Voucher Type,വൗച്ചർ തരം എഗെൻസ്റ്റ്
 DocType: Healthcare Practitioner,Phone (R),ഫോൺ (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,ടൈം സ്ലോട്ടുകൾ ചേർത്തു
 DocType: Item,Attributes,വിശേഷണങ്ങൾ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,ടെംപ്ലേറ്റ് പ്രാപ്തമാക്കുക
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക നൽകുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക നൽകുക
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,അവസാന ഓർഡർ തീയതി
 DocType: Salary Component,Is Payable,പേ ആണ്
 DocType: Inpatient Record,B Negative,ബി നെഗറ്റീവ്
@@ -5129,7 +5189,7 @@
 DocType: Hotel Room,Hotel Room,ഹോട്ടൽ റൂം
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},അക്കൗണ്ട് {0} കമ്പനി {1} വകയാണ് ഇല്ല
 DocType: Leave Type,Rounding,വൃത്താകം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,തുടർച്ചയായ സീരിയൽ നമ്പറുകൾ {0} ഡെലിവറി നോട്ട് ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,തുടർച്ചയായ സീരിയൽ നമ്പറുകൾ {0} ഡെലിവറി നോട്ട് ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),ഡിസ്പെന്ഡ് തുക (പ്രോ-റേറ്റുചെയ്തത്)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","പിന്നെ കസ്റ്റമർ, കസ്റ്റമർ ഗ്രൂപ്പ്, ടെറിട്ടറി, വിതരണക്കാരൻ, വിതരണക്കാരൻ ഗ്രൂപ്പ്, കാമ്പെയ്ൻ, സെയിൽസ് പാർട്ട്നർ എന്നിവ അടിസ്ഥാനമാക്കിയുള്ള വിലനിർണ്ണയ വ്യവസ്ഥകൾ ഫിൽട്ടർ ചെയ്യപ്പെടുന്നു."
 DocType: Student,Guardian Details,ഗാർഡിയൻ വിവരങ്ങൾ
@@ -5138,10 +5198,10 @@
 DocType: Vehicle,Chassis No,ഷാസി ഇല്ല
 DocType: Payment Request,Initiated,ആകൃഷ്ടനായി
 DocType: Production Plan Item,Planned Start Date,ആസൂത്രണം ചെയ്ത ആരംഭ തീയതി
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,ദയവായി ഒരു BOM തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,ദയവായി ഒരു BOM തിരഞ്ഞെടുക്കുക
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ഐടിസി ഇന്റഗ്രേറ്റഡ് ടാക്സ് പ്രയോജനപ്പെടുത്തി
 DocType: Purchase Order Item,Blanket Order Rate,ബ്ലാങ്കറ്റ് ഓർഡർ റേറ്റ്
-apps/erpnext/erpnext/hooks.py +156,Certification,സർട്ടിഫിക്കേഷൻ
+apps/erpnext/erpnext/hooks.py +157,Certification,സർട്ടിഫിക്കേഷൻ
 DocType: Bank Guarantee,Clauses and Conditions,നിബന്ധനകളും വ്യവസ്ഥകളും
 DocType: Serial No,Creation Document Type,ക്രിയേഷൻ ഡോക്യുമെന്റ് തരം
 DocType: Project Task,View Timesheet,ടൈംഷീറ്റ് കാണുക
@@ -5166,6 +5226,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,പാരന്റ് ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം പാടില്ല
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,വെബ്സൈറ്റ് ലിസ്റ്റിംഗ്
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,എല്ലാ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ.
+DocType: Email Digest,Open Quotations,ഉദ്ധരണികൾ തുറക്കുക
 DocType: Expense Claim,More Details,കൂടുതൽ വിശദാംശങ്ങൾ
 DocType: Supplier Quotation,Supplier Address,വിതരണക്കാരൻ വിലാസം
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} അക്കൗണ്ട് ബജറ്റ് {1} {2} {3} നേരെ {4} ആണ്. ഇത് {5} വഴി കവിയുമെന്നും
@@ -5180,12 +5241,11 @@
 DocType: Training Event,Exam,പരീക്ഷ
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marketplace പിശക്
 DocType: Complaint,Complaint,പരാതി
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},ഓഹരി ഇനം {0} ആവശ്യമുള്ളതിൽ വെയർഹൗസ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},ഓഹരി ഇനം {0} ആവശ്യമുള്ളതിൽ വെയർഹൗസ്
 DocType: Leave Allocation,Unused leaves,ഉപയോഗിക്കപ്പെടാത്ത ഇല
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,തിരിച്ചടയ്ക്കാനുള്ള എൻട്രി ചെയ്യുക
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,എല്ലാ വകുപ്പുകളും
 DocType: Healthcare Service Unit,Vacant,ഒഴിവുള്ള
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,വിതരണക്കാരൻ&gt; വിതരണക്കാരൻ തരം
 DocType: Patient,Alcohol Past Use,മദ്യപിക്കുന്ന ഭൂതകാല ഉപയോഗം
 DocType: Fertilizer Content,Fertilizer Content,വളപ്രയോഗം ഉള്ളടക്കം
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,കോടിയുടെ
@@ -5193,7 +5253,7 @@
 DocType: Tax Rule,Billing State,ബില്ലിംഗ് സ്റ്റേറ്റ്
 DocType: Share Transfer,Transfer,ട്രാൻസ്ഫർ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിന് മുമ്പ് വർക്ക് ഓർഡർ {0} റദ്ദാക്കണം
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(സബ്-സമ്മേളനങ്ങൾ ഉൾപ്പെടെ) പൊട്ടിത്തെറിക്കുന്ന BOM ലഭ്യമാക്കുക
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(സബ്-സമ്മേളനങ്ങൾ ഉൾപ്പെടെ) പൊട്ടിത്തെറിക്കുന്ന BOM ലഭ്യമാക്കുക
 DocType: Authorization Rule,Applicable To (Employee),(ജീവനക്കാർ) ബാധകമായ
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,അവസാന തീയതി നിർബന്ധമാണ്
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,ഗുണ {0} 0 ആകാൻ പാടില്ല വേണ്ടി വർദ്ധന
@@ -5217,7 +5277,6 @@
 DocType: Stock Entry,Delivery Note No,ഡെലിവറി നോട്ട് ഇല്ല
 DocType: Cheque Print Template,Message to show,കാണിക്കാൻ സന്ദേശം
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,റീട്ടെയിൽ
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,അസൈൻമെൻറ് ഇൻവോയ്സ് ഓട്ടോമാറ്റിക്കായി കൈകാര്യം ചെയ്യുക
 DocType: Student Attendance,Absent,അസാന്നിദ്ധ്യം
 DocType: Staffing Plan,Staffing Plan Detail,സ്റ്റാഫ് പ്ലാൻ വിശദാംശം
 DocType: Employee Promotion,Promotion Date,പ്രമോഷൻ തീയതി
@@ -5239,7 +5298,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,ലീഡ് നിർമ്മിക്കുക
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,അച്ചടിച്ച് സ്റ്റേഷനറി
 DocType: Stock Settings,Show Barcode Field,കാണിക്കുക ബാർകോഡ് ഫീൽഡ്
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,വിതരണക്കാരൻ ഇമെയിലുകൾ അയയ്ക്കുക
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,വിതരണക്കാരൻ ഇമെയിലുകൾ അയയ്ക്കുക
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ശമ്പള ഇതിനകം തമ്മിലുള്ള {0} കാലയളവിൽ പ്രോസസ്സ് {1}, അപ്ലിക്കേഷൻ കാലയളവിൽ വിടുക ഈ തീയതി പരിധിയിൽ തമ്മിലുള്ള പാടില്ല."
 DocType: Fiscal Year,Auto Created,യാന്ത്രികമായി സൃഷ്ടിച്ചു
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,എംപ്ലോയർ റെക്കോർഡ് സൃഷ്ടിക്കാൻ ഇത് സമർപ്പിക്കുക
@@ -5248,7 +5307,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ഇൻവോയ്സ് {0} നിലവിലില്ല
 DocType: Guardian Interest,Guardian Interest,ഗാർഡിയൻ പലിശ
 DocType: Volunteer,Availability,ലഭ്യത
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS ഇൻവോയിസുകൾക്കായി സ്ഥിര മൂല്യങ്ങൾ സജ്ജമാക്കുക
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS ഇൻവോയിസുകൾക്കായി സ്ഥിര മൂല്യങ്ങൾ സജ്ജമാക്കുക
 apps/erpnext/erpnext/config/hr.py +248,Training,പരിശീലനം
 DocType: Project,Time to send,അയയ്ക്കാനുള്ള സമയം
 DocType: Timesheet,Employee Detail,ജീവനക്കാരുടെ വിശദാംശം
@@ -5269,7 +5328,7 @@
 DocType: Training Event Employee,Optional,ഓപ്ഷണൽ
 DocType: Salary Slip,Earning & Deduction,സമ്പാദിക്കാനുള്ള &amp; കിഴിച്ചുകൊണ്ടു
 DocType: Agriculture Analysis Criteria,Water Analysis,ജല വിശകലനം
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} വകഭേദങ്ങൾ സൃഷ്ടിച്ചു.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} വകഭേദങ്ങൾ സൃഷ്ടിച്ചു.
 DocType: Amazon MWS Settings,Region,പ്രവിശ്യ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ഓപ്ഷണൽ. ഈ ക്രമീകരണം വിവിധ വ്യവഹാരങ്ങളിൽ ഫിൽട്ടർ ഉപയോഗിക്കും.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,നെഗറ്റീവ് മൂലധനം റേറ്റ് അനുവദനീയമല്ല
@@ -5288,7 +5347,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,എന്തുതോന്നുന്നു അസറ്റ് ചെലവ്
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: കോസ്റ്റ് കേന്ദ്രം ഇനം {2} നിര്ബന്ധമാണ്
 DocType: Vehicle,Policy No,നയം
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,ഉൽപ്പന്ന ബണ്ടിൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,ഉൽപ്പന്ന ബണ്ടിൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
 DocType: Asset,Straight Line,വര
 DocType: Project User,Project User,പദ്ധതി ഉപയോക്താവ്
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,രണ്ടായി പിരിയുക
@@ -5297,7 +5356,7 @@
 DocType: GL Entry,Is Advance,മുൻകൂർ തന്നെയല്ലേ
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,ജീവനക്കാരുടെ ലൈഫ്സൈഫ്
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,തീയതി ആരംഭിക്കുന്ന തീയതിയും ഹാജർ നിന്ന് ഹാജർ നിർബന്ധമാണ്
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,നൽകുക അതെ അല്ലെങ്കിൽ അല്ല ആയി &#39;Subcontracted മാത്രമാവില്ലല്ലോ&#39;
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,നൽകുക അതെ അല്ലെങ്കിൽ അല്ല ആയി &#39;Subcontracted മാത്രമാവില്ലല്ലോ&#39;
 DocType: Item,Default Purchase Unit of Measure,മെഷർ സ്ഥിരസ്ഥിതിയായി വാങ്ങൽ യൂണിറ്റ്
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,അവസാനം കമ്യൂണിക്കേഷൻ തീയതി
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,അവസാനം കമ്യൂണിക്കേഷൻ തീയതി
@@ -5323,6 +5382,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,പുതിയ ബാച്ച് അളവ്
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,അപ്പാരൽ ആക്സസ്സറികളും
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,വെയ്റ്റഡ് സ്കോർ ഫംഗ്ഷൻ പരിഹരിക്കാനായില്ല. സമവാക്യം സാധുവാണെന്ന് ഉറപ്പുവരുത്തുക.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,കൃത്യസമയത്ത് ഓർഡർ ഇനങ്ങൾ വാങ്ങരുത്
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ഓർഡർ എണ്ണം
 DocType: Item Group,HTML / Banner that will show on the top of product list.,ഉൽപ്പന്ന പട്ടികയിൽ മുകളിൽ കാണിച്ചുതരുന്ന HTML / ബാനർ.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,ഷിപ്പിംഗ് തുക കണക്കുകൂട്ടാൻ വ്യവസ്ഥകൾ വ്യക്തമാക്കുക
@@ -5331,9 +5391,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,പാത
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,അത് കുട്ടി റോഡുകളുണ്ട് പോലെ ലെഡ്ജർ വരെ ചെലവ് കേന്ദ്രം പരിവർത്തനം ചെയ്യാൻ കഴിയുമോ
 DocType: Production Plan,Total Planned Qty,മൊത്തം ആസൂത്രണ കോഡ്
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,തുറക്കുന്നു മൂല്യം
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,തുറക്കുന്നു മൂല്യം
 DocType: Salary Component,Formula,ഫോർമുല
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,സീരിയൽ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,സീരിയൽ #
 DocType: Lab Test Template,Lab Test Template,ടെസ്റ്റ് ടെംപ്ലേറ്റ് ടെംപ്ലേറ്റ്
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,സെൽ അക്കൌണ്ട്
 DocType: Purchase Invoice Item,Total Weight,ആകെ ഭാരം
@@ -5351,7 +5411,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന നടത്തുക
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},തുറക്കുക ഇനം {0}
 DocType: Asset Finance Book,Written Down Value,എഴുതി വെച്ച മൂല്യം
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,മാനവ വിഭവശേഷി&gt; എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ദയവായി എംപ്ലോയീ നെയിമിങ് സിസ്റ്റം സെറ്റപ്പ് ചെയ്യുക
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,സെയിൽസ് ഇൻവോയിസ് {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം
 DocType: Clinical Procedure,Age,പ്രായം
 DocType: Sales Invoice Timesheet,Billing Amount,ബില്ലിംഗ് തുക
@@ -5360,11 +5419,11 @@
 DocType: Company,Default Employee Advance Account,സ്ഥിരസ്ഥിതി ജീവനക്കാരന്റെ അഡ്വാൻസ് അക്കൗണ്ട്
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),ഇനം തിരയുക (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഇല്ലാതാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഇല്ലാതാക്കാൻ കഴിയില്ല
 DocType: Vehicle,Last Carbon Check,അവസാനം കാർബൺ ചെക്ക്
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,നിയമ ചെലവുകൾ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,വരിയിൽ അളവ് തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,"വിൽപന ആരംഭിക്കുക, വാങ്ങൽ ഇൻവോയ്സുകൾ സൃഷ്ടിക്കുക"
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,"വിൽപന ആരംഭിക്കുക, വാങ്ങൽ ഇൻവോയ്സുകൾ സൃഷ്ടിക്കുക"
 DocType: Purchase Invoice,Posting Time,പോസ്റ്റിംഗ് സമയം
 DocType: Timesheet,% Amount Billed,ഈടാക്കൂ% തുക
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,ടെലിഫോൺ ചെലവുകൾ
@@ -5379,14 +5438,14 @@
 DocType: Maintenance Visit,Breakdown,പ്രവർത്തന രഹിതം
 DocType: Travel Itinerary,Vegetarian,വെജിറ്റേറിയൻ
 DocType: Patient Encounter,Encounter Date,എൻകണറ്റ് തീയതി
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,അക്കൗണ്ട്: {0} കറൻസി കൂടെ: {1} തിരഞ്ഞെടുത്ത ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,അക്കൗണ്ട്: {0} കറൻസി കൂടെ: {1} തിരഞ്ഞെടുത്ത ചെയ്യാൻ കഴിയില്ല
 DocType: Bank Statement Transaction Settings Item,Bank Data,ബാങ്ക് ഡാറ്റ
 DocType: Purchase Receipt Item,Sample Quantity,സാമ്പിൾ അളവ്
 DocType: Bank Guarantee,Name of Beneficiary,ഗുണഭോക്താവിന്റെ പേര്
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",ഏറ്റവും പുതിയ മൂല്യനിർണ്ണയ നിരക്ക് / വിലനിർണയ നിരക്ക് / അസംസ്കൃത വസ്തുക്കളുടെ അവസാന വാങ്ങൽ നിരക്ക് എന്നിവ അടിസ്ഥാനമാക്കി ഷെഡ്യൂളർ വഴി BOM നിരക്ക് അപ്ഡേറ്റ് ചെയ്യുക.
 DocType: Supplier,SUP-.YYYY.-,SUP- .YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,ചെക്ക് തീയതി
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} കമ്പനി ഭാഗമല്ല: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} കമ്പനി ഭാഗമല്ല: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,വിജയകരമായി ഈ കമ്പനിയുമായി ബന്ധപ്പെട്ട എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കി!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,തീയതിയിൽ
 DocType: Additional Salary,HR,എച്ച്
@@ -5394,7 +5453,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,രോഗിയുടെ എസ്എംഎസ് അലേർട്ടുകൾ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,പരീക്ഷണകാലഘട്ടം
 DocType: Program Enrollment Tool,New Academic Year,ന്യൂ അക്കാദമിക് വർഷം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,മടക്ക / ക്രെഡിറ്റ് നോട്ട്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,മടക്ക / ക്രെഡിറ്റ് നോട്ട്
 DocType: Stock Settings,Auto insert Price List rate if missing,ഓട്ടോ insert വില പട്ടിക നിരക്ക് കാണാനില്ല എങ്കിൽ
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,ആകെ തുക
 DocType: GST Settings,B2C Limit,B2C പരിധി
@@ -5412,10 +5471,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ശിശു നോഡുകൾ മാത്രം &#39;ഗ്രൂപ്പ്&#39; തരം നോഡുകൾ കീഴിൽ സൃഷ്ടിക്കാൻ കഴിയും
 DocType: Attendance Request,Half Day Date,അര ദിവസം തീയതി
 DocType: Academic Year,Academic Year Name,അക്കാദമിക് വർഷം പേര്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} ഉപയോഗിച്ച് കൈമാറാൻ {0} അനുവാദമില്ല. കമ്പനി മാറ്റൂ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} ഉപയോഗിച്ച് കൈമാറാൻ {0} അനുവാദമില്ല. കമ്പനി മാറ്റൂ.
 DocType: Sales Partner,Contact Desc,കോൺടാക്റ്റ് DESC
 DocType: Email Digest,Send regular summary reports via Email.,ഇമെയിൽ വഴി പതിവ് സംഗ്രഹം റിപ്പോർട്ടുകൾ അയയ്ക്കുക.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},ചിലവേറിയ ക്ലെയിം തരം {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},ചിലവേറിയ ക്ലെയിം തരം {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,ലഭ്യമായ ഇലകൾ
 DocType: Assessment Result,Student Name,വിദ്യാർഥിയുടെ പേര്
 DocType: Hub Tracked Item,Item Manager,ഇനം മാനേജർ
@@ -5440,9 +5499,10 @@
 DocType: Subscription,Trial Period End Date,ട്രയൽ കാലയളവ് അവസാനിക്കുന്ന തീയതി
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} പരിധികൾ കവിയുന്നു മുതലുള്ള authroized ഒരിക്കലും പാടില്ല
 DocType: Serial No,Asset Status,അസറ്റ് നില
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ഓവർ ഡൈമൻഷണൽ കാർഗോ (ഒഡിസി)
 DocType: Restaurant Order Entry,Restaurant Table,റെസ്റ്റോറന്റ് ടേബിൾ
 DocType: Hotel Room,Hotel Manager,ഹോട്ടൽ മാനേജർ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ഷോപ്പിംഗ് കാർട്ട് നികുതി റൂൾ സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,ഷോപ്പിംഗ് കാർട്ട് നികുതി റൂൾ സജ്ജീകരിക്കുക
 DocType: Purchase Invoice,Taxes and Charges Added,നികുതി ചാർജുകളും ചേർത്തു
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,മൂല്യശുദ്ധീകരണ വരി {0}: ലഭ്യമായ മൂല്യവിനിമയ തീയതിയ്ക്ക് തൊട്ടടുത്തുള്ള വില വ്യത്യാസം തീയതി ഉണ്ടായിരിക്കരുത്
 ,Sales Funnel,സെയിൽസ് നാലുവിക്കറ്റ്
@@ -5458,9 +5518,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,എല്ലാ ഉപഭോക്തൃ ഗ്രൂപ്പുകൾ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,പ്രതിമാസം കുമിഞ്ഞു
 DocType: Attendance Request,On Duty,ഡ്യൂട്ടിയിൽ
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് {1} {2} വേണ്ടി സൃഷ്ടിക്കപ്പെട്ടിട്ടില്ല.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് {1} {2} വേണ്ടി സൃഷ്ടിക്കപ്പെട്ടിട്ടില്ല.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,നികുതി ഫലകം നിർബന്ധമാണ്.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} നിലവിലില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} നിലവിലില്ല
 DocType: POS Closing Voucher,Period Start Date,ആരംഭ തീയതി കാലാവധി
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),വില പട്ടിക നിരക്ക് (കമ്പനി കറൻസി)
 DocType: Products Settings,Products Settings,ഉല്പന്നങ്ങൾ ക്രമീകരണങ്ങൾ
@@ -5480,7 +5540,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,ഈ പ്രവർത്തനം ഭാവി ബില്ലിംഗ് നിർത്തും. ഈ സബ്സ്ക്രിപ്ഷൻ റദ്ദാക്കണമെന്ന് നിങ്ങൾക്ക് തീർച്ചയാണോ?
 DocType: Serial No,Distinct unit of an Item,ഒരു ഇനം വ്യക്തമായ യൂണിറ്റ്
 DocType: Supplier Scorecard Criteria,Criteria Name,മാനദണ്ഡനാമ നാമം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,കമ്പനി സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,കമ്പനി സജ്ജീകരിക്കുക
 DocType: Procedure Prescription,Procedure Created,നടപടിക്രമം സൃഷ്ടിച്ചു
 DocType: Pricing Rule,Buying,വാങ്ങൽ
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,രോഗങ്ങൾ &amp; രാസവളങ്ങൾ
@@ -5497,43 +5557,44 @@
 DocType: Employee Onboarding,Job Offer,ജോലി വാഗ്ദാനം
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,ഇൻസ്റ്റിറ്റ്യൂട്ട് സംഗ്രഹം
 ,Item-wise Price List Rate,ഇനം തിരിച്ചുള്ള വില പട്ടിക റേറ്റ്
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ
 DocType: Quotation,In Words will be visible once you save the Quotation.,നിങ്ങൾ ക്വട്ടേഷൻ ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ക്വാണ്ടിറ്റി ({0}) വരി {1} ഒരു അംശം പാടില്ല
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ക്വാണ്ടിറ്റി ({0}) വരി {1} ഒരു അംശം പാടില്ല
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ക്വാണ്ടിറ്റി ({0}) വരി {1} ഒരു അംശം പാടില്ല
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ക്വാണ്ടിറ്റി ({0}) വരി {1} ഒരു അംശം പാടില്ല
 DocType: Contract,Unsigned,സൈൻ ചെയ്യാത്തത്
 DocType: Selling Settings,Each Transaction,ഓരോ ഇടപാടിനും
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},ബാർകോഡ് {0} ഇതിനകം ഇനം {1} ഉപയോഗിക്കുന്ന
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},ബാർകോഡ് {0} ഇതിനകം ഇനം {1} ഉപയോഗിക്കുന്ന
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ഷിപ്പിംഗ് ചിലവും ചേർത്ത് നിയമങ്ങൾ.
 DocType: Hotel Room,Extra Bed Capacity,അധിക ബെഡ് ശേഷി
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varianiance
 DocType: Item,Opening Stock,ഓഹരി തുറക്കുന്നു
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,കസ്റ്റമർ ആവശ്യമാണ്
 DocType: Lab Test,Result Date,ഫലം തീയതി
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC തീയതി
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC തീയതി
 DocType: Purchase Order,To Receive,സ്വീകരിക്കാൻ
 DocType: Leave Period,Holiday List for Optional Leave,ഓപ്ഷണൽ അവധിക്കുള്ള അവധി ലിസ്റ്റ്
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,അസറ്റ് ഉടമസ്ഥൻ
 DocType: Purchase Invoice,Reason For Putting On Hold,തുടരുന്നതിന് കാരണം
 DocType: Employee,Personal Email,സ്വകാര്യ ഇമെയിൽ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,ആകെ പൊരുത്തമില്ലായ്മ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,ആകെ പൊരുത്തമില്ലായ്മ
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","പ്രവർത്തനക്ഷമമായാൽ, സിസ്റ്റം ഓട്ടോമാറ്റിക്കായി സാധനങ്ങളും വേണ്ടി അക്കൗണ്ടിങ് എൻട്രികൾ പോസ്റ്റ് ചെയ്യും."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,ബ്രോക്കറേജ്
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ജീവനക്കാർക്ക് ഹാജർ {0} ഇതിനകം ഈ ദിവസം അടയാളപ്പെടുത്തി
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ജീവനക്കാർക്ക് ഹാജർ {0} ഇതിനകം ഈ ദിവസം അടയാളപ്പെടുത്തി
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",&#39;ടൈം ലോഗ്&#39; വഴി അപ്ഡേറ്റ് മിനിറ്റിനുള്ളിൽ
 DocType: Customer,From Lead,ലീഡ് നിന്ന്
 DocType: Amazon MWS Settings,Synch Orders,സമന്വയ ഓർഡറുകൾ
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ഉത്പാദനത്തിന് പുറത്തുവിട്ട ഉത്തരവ്.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,ധനകാര്യ വർഷം തിരഞ്ഞെടുക്കുക ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS ൽ എൻട്രി ഉണ്ടാക്കുവാൻ ആവശ്യമായ POS പ്രൊഫൈൽ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS ൽ എൻട്രി ഉണ്ടാക്കുവാൻ ആവശ്യമായ POS പ്രൊഫൈൽ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",സൂചിപ്പിച്ച ശേഖര ഘടകം അടിസ്ഥാനമാക്കിയുള്ള ചെലവിൽ (വിൽപ്പന ഇൻവോയ്സ് വഴി) ലോയൽറ്റി പോയിന്റുകൾ കണക്കാക്കപ്പെടും.
 DocType: Program Enrollment Tool,Enroll Students,വിദ്യാർഥികൾ എൻറോൾ
 DocType: Company,HRA Settings,HRA സജ്ജീകരണങ്ങൾ
 DocType: Employee Transfer,Transfer Date,തീയതി കൈമാറുക
 DocType: Lab Test,Approved Date,അംഗീകരിച്ച തീയതി
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,സ്റ്റാൻഡേർഡ് വിൽപ്പനയുള്ളത്
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,കുറഞ്ഞത് ഒരു പണ്ടകശാല നിർബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,കുറഞ്ഞത് ഒരു പണ്ടകശാല നിർബന്ധമാണ്
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, ഇനം ഗ്രൂപ്പ്, വിവരണം കൂടാതെ മണിക്കൂർ എന്നിവ പോലെ ഐറ്റം ഫീൽഡുകൾ കോൺഫിഗർ ചെയ്യുക."
 DocType: Certification Application,Certification Status,സർട്ടിഫിക്കേഷൻ സ്റ്റാറ്റസ്
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5553,6 +5614,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,പൊരുത്തപ്പെടുന്ന ഇൻവോയ്സുകൾ
 DocType: Work Order,Required Items,ആവശ്യമായ ഇനങ്ങൾ
 DocType: Stock Ledger Entry,Stock Value Difference,സ്റ്റോക്ക് മൂല്യം വ്യത്യാസം
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,ഇനം നിര {0}: {1} {2} മുകളിൽ &#39;{1}&#39; പട്ടികയിൽ ഇല്ല
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,മാനവ വിഭവശേഷി
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,പേയ്മെന്റ് അനുരഞ്ജനം പേയ്മെന്റ്
 DocType: Disease,Treatment Task,ചികിത്സ ടാസ്ക്
@@ -5570,7 +5632,8 @@
 DocType: Account,Debit,ഡെബിറ്റ്
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,ഇലകൾ 0.5 ഗുണിതങ്ങളായി നീക്കിവച്ചിരുന്നു വേണം
 DocType: Work Order,Operation Cost,ഓപ്പറേഷൻ ചെലവ്
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,നിലവിലുള്ള ശാരീരിക
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,തീരുമാന നിർമാതാക്കളെ തിരിച്ചറിയുക
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,നിലവിലുള്ള ശാരീരിക
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ഈ സെയിൽസ് പേഴ്സൺ വേണ്ടി ലക്ഷ്യങ്ങളിലൊന്നാണ് ഇനം ഗ്രൂപ്പ് തിരിച്ചുള്ള സജ്ജമാക്കുക.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],[ദിനങ്ങൾ] ചെന്നവർ സ്റ്റോക്കുകൾ ഫ്രീസ്
 DocType: Payment Request,Payment Ordered,പെയ്മെന്റ് ക്രമപ്പെടുത്തി
@@ -5582,14 +5645,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,താഴെ ഉപയോക്താക്കളെ ബ്ലോക്ക് ദിവസം വേണ്ടി ലീവ് ആപ്ലിക്കേഷൻസ് അംഗീകരിക്കാൻ അനുവദിക്കുക.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,ജീവിത ചക്രം
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM ഉണ്ടാക്കുക
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ഇനം {0} നിരക്ക് വിൽക്കുന്ന അധികം അതിന്റെ {1} കുറവാണ്. വിൽക്കുന്ന നിരക്ക് കുറയാതെ {2} ആയിരിക്കണം
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ഇനം {0} നിരക്ക് വിൽക്കുന്ന അധികം അതിന്റെ {1} കുറവാണ്. വിൽക്കുന്ന നിരക്ക് കുറയാതെ {2} ആയിരിക്കണം
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ഇനം {0} നിരക്ക് വിൽക്കുന്ന അധികം അതിന്റെ {1} കുറവാണ്. വിൽക്കുന്ന നിരക്ക് കുറയാതെ {2} ആയിരിക്കണം
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ഇനം {0} നിരക്ക് വിൽക്കുന്ന അധികം അതിന്റെ {1} കുറവാണ്. വിൽക്കുന്ന നിരക്ക് കുറയാതെ {2} ആയിരിക്കണം
 DocType: Subscription,Taxes,നികുതികൾ
 DocType: Purchase Invoice,capital goods,മൂലധന സാമഗ്രികൾ
 DocType: Purchase Invoice Item,Weight Per Unit,യൂണിറ്റിന് ഒരു തൂക്കം
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറി"
-DocType: Project,Default Cost Center,സ്ഥിരസ്ഥിതി ചെലവ് കേന്ദ്രം
-DocType: Delivery Note,Transporter Doc No,ട്രാൻസ്പോർട്ടർ ഡോക് നം
+DocType: QuickBooks Migrator,Default Cost Center,സ്ഥിരസ്ഥിതി ചെലവ് കേന്ദ്രം
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ഓഹരി ഇടപാടുകൾ
 DocType: Budget,Budget Accounts,ബജറ്റ് അക്കൗണ്ടുകൾ
 DocType: Employee,Internal Work History,ആന്തരിക വർക്ക് ചരിത്രം
@@ -5622,7 +5684,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},ഹെൽത്ത് ഇൻഷുറൻസ് പ്രാക്ടീഷണർ {0}
 DocType: Stock Entry Detail,Additional Cost,അധിക ചെലവ്
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","വൗച്ചർ ഭൂഖണ്ടക്രമത്തിൽ എങ്കിൽ, വൗച്ചർ പോസ്റ്റ് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ നിർമ്മിക്കുക
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ നിർമ്മിക്കുക
 DocType: Quality Inspection,Incoming,ഇൻകമിംഗ്
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,വിൽപ്പനയ്ക്കായി വാങ്ങുന്നതിനും വാങ്ങുന്നതിനുമുള്ള സ്ഥിര ടാക്സ് ടെംപ്ലേറ്റുകൾ സൃഷ്ടിക്കുന്നു.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,മൂല്യനിർണ്ണയ ഫല റിക്കോഡ് {0} ഇതിനകം നിലവിലുണ്ട്.
@@ -5638,7 +5700,7 @@
 DocType: Batch,Batch ID,ബാച്ച് ഐഡി
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},കുറിപ്പ്: {0}
 ,Delivery Note Trends,ഡെലിവറി നോട്ട് ട്രെൻഡുകൾ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,ഈ ആഴ്ചത്തെ ചുരുക്കം
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,ഈ ആഴ്ചത്തെ ചുരുക്കം
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,ഓഹരി അളവ് ൽ
 ,Daily Work Summary Replies,ദിവസേനയുള്ള ജോലി സംഗ്രഹം മറുപടികൾ
 DocType: Delivery Trip,Calculate Estimated Arrival Times,കണക്കാക്കപ്പെട്ട വരവ് സമയം കണക്കാക്കുക
@@ -5648,7 +5710,7 @@
 DocType: Bank Account,Party,പാർട്ടി
 DocType: Healthcare Settings,Patient Name,രോഗിയുടെ പേര്
 DocType: Variant Field,Variant Field,വേരിയന്റ് ഫീൽഡ്
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ടാർഗെറ്റ് ലൊക്കേഷൻ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ടാർഗെറ്റ് ലൊക്കേഷൻ
 DocType: Sales Order,Delivery Date,ഡെലിവറി തീയതി
 DocType: Opportunity,Opportunity Date,ഓപ്പർച്യൂനിറ്റി തീയതി
 DocType: Employee,Health Insurance Provider,ആരോഗ്യ ഇൻഷ്വറൻസ് ദാതാക്കൾ
@@ -5667,7 +5729,7 @@
 DocType: Employee,History In Company,കമ്പനിയിൽ ചരിത്രം
 DocType: Customer,Customer Primary Address,ഉപഭോക്താവ് പ്രൈമറി വിലാസം
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,വാർത്താക്കുറിപ്പുകൾ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,റഫറൻസ് നമ്പർ.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,റഫറൻസ് നമ്പർ.
 DocType: Drug Prescription,Description/Strength,വിവരണം / ദൃഢത
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,പുതിയ പേയ്മെന്റ് / ജേണൽ എൻട്രി സൃഷ്ടിക്കുക
 DocType: Certification Application,Certification Application,സർട്ടിഫിക്കേഷൻ അപ്ലിക്കേഷൻ
@@ -5678,10 +5740,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി
 DocType: Department,Leave Block List,ബ്ലോക്ക് ലിസ്റ്റ് വിടുക
 DocType: Purchase Invoice,Tax ID,നികുതി ഐഡി
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. കോളം ശ്യൂന്യമായിടണം
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. കോളം ശ്യൂന്യമായിടണം
 DocType: Accounts Settings,Accounts Settings,ക്രമീകരണങ്ങൾ അക്കൗണ്ടുകൾ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,അംഗീകരിക്കുക
 DocType: Loyalty Program,Customer Territory,ഉപഭോക്തൃ പ്രദേശം
+DocType: Email Digest,Sales Orders to Deliver,വിൽക്കാൻ ഉത്തരവുകൾ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","പുതിയ അക്കൌണ്ടിന്റെ എണ്ണം, അത് മുൻഗണനയായി അക്കൗണ്ട് നാമത്തിൽ ഉൾപ്പെടുത്തും"
 DocType: Maintenance Team Member,Team Member,ടീം അംഗം
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,സമർപ്പിക്കുന്നതിന് ഫലങ്ങളൊന്നുമില്ല
@@ -5691,7 +5754,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","ആകെ {0} എല്ലാ ഇനങ്ങൾ, പൂജ്യമാണ് നിങ്ങൾ &#39;അടിസ്ഥാനമാക്കി ചുമത്തിയിട്ടുള്ള വിതരണം&#39; മാറേണ്ടത് വരാം"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,തീയതി മുതൽ തീയതി കുറവാണ് കഴിയില്ല
 DocType: Opportunity,To Discuss,ചർച്ച ചെയ്യാൻ
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,ഇത് ഈ വരിക്കാരന് എതിരായ ഇടപാടുകളുടെ അടിസ്ഥാനത്തിലാണ്. വിശദാംശങ്ങൾക്ക് ചുവടെയുള്ള ടൈംലൈൻ കാണുക
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} ഈ ഇടപാട് പൂർത്തിയാക്കാൻ {2} ൽ ആവശ്യമായ {1} യൂണിറ്റ്.
 DocType: Loan Type,Rate of Interest (%) Yearly,പലിശ നിരക്ക് (%) വാർഷികം
 DocType: Support Settings,Forum URL,ഫോറം URL
@@ -5706,7 +5768,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,കൂടുതലറിവ് നേടുക
 DocType: Cheque Print Template,Distance from top edge,മുകളറ്റത്തെ നിന്നുള്ള ദൂരം
 DocType: POS Closing Voucher Invoices,Quantity of Items,ഇനങ്ങളുടെ അളവ്
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,വില ലിസ്റ്റ് {0} പ്രവർത്തനരഹിതമാക്കി അല്ലെങ്കിൽ നിലവിലില്ല
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,വില ലിസ്റ്റ് {0} പ്രവർത്തനരഹിതമാക്കി അല്ലെങ്കിൽ നിലവിലില്ല
 DocType: Purchase Invoice,Return,മടങ്ങിവരവ്
 DocType: Pricing Rule,Disable,അപ്രാപ്തമാക്കുക
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,പേയ്മെന്റ് മോഡ് പേയ്മെന്റ് നടത്താൻ ആവശ്യമാണ്
@@ -5714,18 +5776,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","കൂടുതൽ ഓപ്ഷനുകൾക്ക് ആസ്തി, സീരിയൽ നോസ്, ബാച്ച്സ് മുതലായവക്കായി പൂർണ്ണമായി എഡിറ്റുചെയ്യുക."
 DocType: Leave Type,Maximum Continuous Days Applicable,പരമാവധി നിരന്തരമായ ദിവസങ്ങൾ ബാധകം
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ബാച്ച് {2} എൻറോൾ ചെയ്തിട്ടില്ല
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","അത് ഇതിനകം {1} പോലെ അസറ്റ്, {0} ബോംബെടുക്കുന്നവനും കഴിയില്ല"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","അത് ഇതിനകം {1} പോലെ അസറ്റ്, {0} ബോംബെടുക്കുന്നവനും കഴിയില്ല"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,പരിശോധനകൾ ആവശ്യമാണ്
 DocType: Task,Total Expense Claim (via Expense Claim),(ചിലവിടൽ ക്ലെയിം വഴി) ആകെ ചിലവേറിയ ക്ലെയിം
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,മാർക് േചാദി
 DocType: Job Applicant Source,Job Applicant Source,ജോബ് അപേക്ഷകൻ ഉറവിടം
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST തുക
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST തുക
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,കമ്പനി സജ്ജമാക്കുന്നതിൽ പരാജയപ്പെട്ടു
 DocType: Asset Repair,Asset Repair,അസറ്റ് റിപ്പയർ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},വരി {0}: കറന്സി BOM ൽ # ന്റെ {1} {2} തിരഞ്ഞെടുത്തു കറൻസി തുല്യമോ വേണം
 DocType: Journal Entry Account,Exchange Rate,വിനിമയ നിരക്ക്
 DocType: Patient,Additional information regarding the patient,രോഗിയെ സംബന്ധിച്ച കൂടുതൽ വിവരങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,സെയിൽസ് ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,സെയിൽസ് ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
 DocType: Homepage,Tag Line,ടാഗ് ലൈൻ
 DocType: Fee Component,Fee Component,ഫീസ്
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,ഫ്ലീറ്റ് മാനേജ്മെന്റ്
@@ -5740,7 +5802,7 @@
 DocType: Healthcare Practitioner,Mobile,മൊബൈൽ
 ,Sales Person-wise Transaction Summary,സെയിൽസ് പേഴ്സൺ തിരിച്ചുള്ള ഇടപാട് ചുരുക്കം
 DocType: Training Event,Contact Number,കോൺടാക്റ്റ് നമ്പർ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,വെയർഹൗസ് {0} നിലവിലില്ല
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,വെയർഹൗസ് {0} നിലവിലില്ല
 DocType: Cashier Closing,Custody,കസ്റ്റഡി
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,എംപ്ലോയീസ് ടാക്സ് എക്സംപ്ഷൻ പ്രൂഫ് സമർപ്പണ വിശദാംശം
 DocType: Monthly Distribution,Monthly Distribution Percentages,പ്രതിമാസ വിതരണ ശതമാനങ്ങൾ
@@ -5755,7 +5817,7 @@
 DocType: Payment Entry,Paid Amount,തുക
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,സെൽസ് സൈക്കിൾ പര്യവേക്ഷണം ചെയ്യുക
 DocType: Assessment Plan,Supervisor,പരിശോധക
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,സ്റ്റോക്ക് എൻട്രി നിലനിർത്തൽ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,സ്റ്റോക്ക് എൻട്രി നിലനിർത്തൽ
 ,Available Stock for Packing Items,ഇനങ്ങൾ ക്ലാസ്സിലേക് ലഭ്യമാണ് ഓഹരി
 DocType: Item Variant,Item Variant,ഇനം മാറ്റമുള്ള
 ,Work Order Stock Report,വർക്ക് ഓർഡർ സ്റ്റോക്ക് റിപ്പോർട്ട്
@@ -5764,9 +5826,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,സൂപ്പർവൈസർ ആയി
 DocType: Leave Policy Detail,Leave Policy Detail,നയ വിശദാംശം വിടുക
 DocType: BOM Scrap Item,BOM Scrap Item,BOM ലേക്ക് സ്ക്രാപ്പ് ഇനം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,സമർപ്പിച്ച ഓർഡറുകൾ ഇല്ലാതാക്കാൻ കഴിയില്ല
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ഡെബിറ്റ് ഇതിനകം അക്കൗണ്ട് ബാലൻസ്, നിങ്ങൾ &#39;ക്രെഡിറ്റ്&#39; ആയി &#39;ബാലൻസ് ആയിരിക്കണം&#39; സജ്ജീകരിക്കാൻ അനുവാദമില്ലാത്ത"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,ക്വാളിറ്റി മാനേജ്മെന്റ്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,സമർപ്പിച്ച ഓർഡറുകൾ ഇല്ലാതാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ഡെബിറ്റ് ഇതിനകം അക്കൗണ്ട് ബാലൻസ്, നിങ്ങൾ &#39;ക്രെഡിറ്റ്&#39; ആയി &#39;ബാലൻസ് ആയിരിക്കണം&#39; സജ്ജീകരിക്കാൻ അനുവാദമില്ലാത്ത"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,ക്വാളിറ്റി മാനേജ്മെന്റ്
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,ഇനം {0} അപ്രാപ്തമാക്കി
 DocType: Project,Total Billable Amount (via Timesheets),ആകെ ബില്ലബിൾ തുക (ടൈംഷെറ്റുകൾ വഴി)
 DocType: Agriculture Task,Previous Business Day,മുമ്പത്തെ വ്യാപാര ദിനം
@@ -5789,15 +5851,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,ചെലവ് സെന്ററുകൾ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,സബ്സ്ക്രിപ്ഷൻ പുനരാരംഭിക്കുക
 DocType: Linked Plant Analysis,Linked Plant Analysis,ലിങ്കുചെയ്ത പ്ലാൻ അനാലിസിസ്
-DocType: Delivery Note,Transporter ID,ട്രാൻസ്പോർട്ടർ ഐഡി
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ട്രാൻസ്പോർട്ടർ ഐഡി
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,മൂല്യപ്രചരണം
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,വിതരണക്കമ്പനിയായ നാണയത്തിൽ കമ്പനിയുടെ അടിത്തറ കറൻസി മാറ്റുമ്പോൾ തോത്
-DocType: Sales Invoice Item,Service End Date,സേവന അവസാന തീയതി
+DocType: Purchase Invoice Item,Service End Date,സേവന അവസാന തീയതി
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},വരി # {0}: വരി ടൈമിങ്സ് തർക്കങ്ങൾ {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,സീറോ മൂലധനം നിരക്ക് അനുവദിക്കുക
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,സീറോ മൂലധനം നിരക്ക് അനുവദിക്കുക
 DocType: Bank Guarantee,Receiving,സ്വീകരിക്കുന്നത്
 DocType: Training Event Employee,Invited,ക്ഷണിച്ചു
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,സെറ്റപ്പ് ഗേറ്റ്വേ അക്കൗണ്ടുകൾ.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,സെറ്റപ്പ് ഗേറ്റ്വേ അക്കൗണ്ടുകൾ.
 DocType: Employee,Employment Type,തൊഴിൽ തരം
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,നിശ്ചിത ആസ്തികൾ
 DocType: Payment Entry,Set Exchange Gain / Loss,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം സജ്ജമാക്കുക
@@ -5813,7 +5876,7 @@
 DocType: Tax Rule,Sales Tax Template,സെയിൽസ് ടാക്സ് ഫലകം
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,ബെനിഫിറ്റ് ക്ലെയിം എതിരെ പണമടയ്ക്കുക
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,കോസ്റ്റ് സെന്റർ നമ്പർ പുതുക്കുക
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
 DocType: Employee,Encashment Date,ലീവ് തീയതി
 DocType: Training Event,Internet,ഇന്റർനെറ്റ്
 DocType: Special Test Template,Special Test Template,പ്രത്യേക ടെസ്റ്റ് ടെംപ്ലേറ്റ്
@@ -5821,13 +5884,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},{0} - സ്വതേ പ്രവർത്തന ചെലവ് പ്രവർത്തനം ഇനം നിലവിലുണ്ട്
 DocType: Work Order,Planned Operating Cost,ആസൂത്രണം ചെയ്ത ഓപ്പറേറ്റിംഗ് ചെലവ്
 DocType: Academic Term,Term Start Date,ടേം ആരംഭ തീയതി
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,എല്ലാ പങ്കിടൽ ഇടപാടുകളുടെയും ലിസ്റ്റ്
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,എല്ലാ പങ്കിടൽ ഇടപാടുകളുടെയും ലിസ്റ്റ്
+DocType: Supplier,Is Transporter,ട്രാൻസ്പോർട്ടർ ആണ്
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,പേയ്മെൻറ് അടയാളപ്പെടുത്തിയിട്ടുണ്ടെങ്കിൽ Shopify ൽ നിന്ന് വിൽപ്പന ഇൻവോയിസ് ഇറക്കുമതി ചെയ്യുക
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,സ്ഥലം പരിശോധന എണ്ണം
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,സ്ഥലം പരിശോധന എണ്ണം
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,ട്രയൽ കാലയളവ് ആരംഭിക്കുക തീയതിയും ട്രയൽ കാലയളവും അവസാന തീയതി സജ്ജമാക്കണം
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,ശരാശരി നിരക്ക്
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,മൊത്തം പേയ്മെന്റ് തുക പേയ്മെന്റ് ഷെഡ്യൂൾ ഗ്രാൻഡ് / വൃത്തത്തിലുള്ള മൊത്തമായി തുല്യമായിരിക്കണം
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,മൊത്തം പേയ്മെന്റ് തുക പേയ്മെന്റ് ഷെഡ്യൂൾ ഗ്രാൻഡ് / വൃത്തത്തിലുള്ള മൊത്തമായി തുല്യമായിരിക്കണം
 DocType: Subscription Plan Detail,Plan,പദ്ധതി
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,ജനറൽ ലെഡ്ജർ പ്രകാരം ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ബാലൻസ്
 DocType: Job Applicant,Applicant Name,അപേക്ഷകന് പേര്
@@ -5855,7 +5919,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,ഉറവിടം വെയർഹൗസ് ലഭ്യമാണ് അളവ്
 apps/erpnext/erpnext/config/support.py +22,Warranty,ഉറപ്പ്
 DocType: Purchase Invoice,Debit Note Issued,ഡെബിറ്റ് കുറിപ്പ് നൽകിയത്
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,കോസ്റ്റ് സെന്ററായി ബജറ്റ് എഗൻസ്റ്റ് തിരഞ്ഞെടുത്തിട്ടുണ്ടെങ്കിൽ മാത്രം Cost Center അടിസ്ഥാനമാക്കിയുള്ള ഫിൽറ്റർ ബാധകമാണ്
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,കോസ്റ്റ് സെന്ററായി ബജറ്റ് എഗൻസ്റ്റ് തിരഞ്ഞെടുത്തിട്ടുണ്ടെങ്കിൽ മാത്രം Cost Center അടിസ്ഥാനമാക്കിയുള്ള ഫിൽറ്റർ ബാധകമാണ്
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","ഇനം കോഡ്, സീരിയൽ നമ്പർ, ബാച്ച് അല്ലെങ്കിൽ ബാർകോഡ് എന്നിവ ഉപയോഗിച്ച് തിരയുക"
 DocType: Work Order,Warehouses,അബദ്ധങ്ങളും
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} അസറ്റ് കൈമാറാൻ കഴിയില്ല
@@ -5866,9 +5930,9 @@
 DocType: Workstation,per hour,മണിക്കൂറിൽ
 DocType: Blanket Order,Purchasing,പർച്ചേസിംഗ്
 DocType: Announcement,Announcement,അറിയിപ്പ്
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,ഉപഭോക്താവ് LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,ഉപഭോക്താവ് LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","അടിസ്ഥാനമാക്കിയുള്ള സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ബാച്ച് വേണ്ടി, സ്റ്റുഡന്റ് ബാച്ച് പ്രോഗ്രാം എൻറോൾമെന്റ് നിന്നും എല്ലാ വിദ്യാർത്ഥികൾക്കും വേണ്ടി സാധൂകരിക്കാൻ ചെയ്യും."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,സ്റ്റോക്ക് ലെഡ്ജർ എൻട്രി ഈ വെയർഹൗസ് നിലവിലുണ്ട് പോലെ വെയർഹൗസ് ഇല്ലാതാക്കാൻ കഴിയില്ല.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,സ്റ്റോക്ക് ലെഡ്ജർ എൻട്രി ഈ വെയർഹൗസ് നിലവിലുണ്ട് പോലെ വെയർഹൗസ് ഇല്ലാതാക്കാൻ കഴിയില്ല.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,വിതരണം
 DocType: Journal Entry Account,Loan,വായ്പ
 DocType: Expense Claim Advance,Expense Claim Advance,ചെലവ് ക്ലെയിം അഡ്വാൻസ്
@@ -5877,7 +5941,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,പ്രോജക്റ്റ് മാനേജർ
 ,Quoted Item Comparison,ഉദ്ധരിച്ച ഇനം താരതമ്യം
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},"{0}, {1} എന്നിവയ്ക്കിടയിലുള്ള സ്കോറിംഗ് ഓവർലാപ്പ് ചെയ്യുക"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,ഡിസ്പാച്ച്
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,ഡിസ്പാച്ച്
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,ഇനത്തിന്റെ അനുവദിച്ചിട്ടുള്ള പരമാവധി കുറഞ്ഞ: {0} ആണ് {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,പോലെ വല അസറ്റ് മൂല്യം
 DocType: Crop,Produce,ഉൽപ്പാദിപ്പിക്കുക
@@ -5887,20 +5951,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,ഉല്പാദനത്തിനുള്ള മെറ്റീരിയൽ ഉപഭോഗം
 DocType: Item Alternative,Alternative Item Code,ഇതര ഇന കോഡ്
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,സജ്ജമാക്കാൻ ക്രെഡിറ്റ് പരിധി ഇടപാടുകള് സമർപ്പിക്കാൻ അനുവാദമുള്ളൂ ആ റോൾ.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,നിർമ്മിക്കാനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,നിർമ്മിക്കാനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
 DocType: Delivery Stop,Delivery Stop,ഡെലിവറി സ്റ്റോപ്പ്
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം"
 DocType: Item,Material Issue,മെറ്റീരിയൽ പ്രശ്നം
 DocType: Employee Education,Qualification,യോഗ്യത
 DocType: Item Price,Item Price,ഇനം വില
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,സോപ്പ് &amp; മാലിനനിര്മാര്ജനി
 DocType: BOM,Show Items,ഇനങ്ങൾ കാണിക്കുക
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,കാലാകാലങ്ങളിൽ ശ്രേഷ്ഠ പാടില്ല.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,ഇമെയിൽ വഴി എല്ലാ ഉപഭോക്താക്കളെയും നിങ്ങൾക്ക് അറിയിക്കാൻ താൽപ്പര്യമുണ്ടോ?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,ഇമെയിൽ വഴി എല്ലാ ഉപഭോക്താക്കളെയും നിങ്ങൾക്ക് അറിയിക്കാൻ താൽപ്പര്യമുണ്ടോ?
 DocType: Subscription Plan,Billing Interval,ബില്ലിംഗ് ഇടവേള
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,മോഷൻ പിക്ചർ &amp; വീഡിയോ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,ഉത്തരവിട്ടു
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,യഥാർത്ഥ ആരംഭ തീയതിയും യഥാർത്ഥ അന്തിമ തീയതിയും നിർബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ഉപഭോക്താവ്&gt; കസ്റ്റമർ ഗ്രൂപ്പ്&gt; ടെറിട്ടറി
 DocType: Salary Detail,Component,ഘടകം
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,വരി {0}: {1} 0-ത്തേക്കാൾ വലുതായിരിക്കണം
 DocType: Assessment Criteria,Assessment Criteria Group,അസസ്മെന്റ് മാനദണ്ഡം ഗ്രൂപ്പ്
@@ -5931,11 +5996,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,സമർപ്പിക്കുന്നതിനു മുമ്പായി ബാങ്കിന്റെ അല്ലെങ്കിൽ വായ്പ നൽകുന്ന സ്ഥാപനത്തിന്റെ പേര് നൽകുക.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} സമർപ്പിക്കേണ്ടതാണ്
 DocType: POS Profile,Item Groups,ഇനം ഗ്രൂപ്പുകൾ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,ഇന്ന് {0} ന്റെ ജന്മദിനം ആണ്!
 DocType: Sales Order Item,For Production,ഉത്പാദനത്തിന്
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,അക്കൗണ്ട് കറൻസിയിൽ ബാലൻസ്
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,അക്കൗണ്ടുകളുടെ ചാർട്ടിൽ ഒരു താൽക്കാലിക തുറക്കൽ അക്കൗണ്ട് ചേർക്കുക
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,അക്കൗണ്ടുകളുടെ ചാർട്ടിൽ ഒരു താൽക്കാലിക തുറക്കൽ അക്കൗണ്ട് ചേർക്കുക
 DocType: Customer,Customer Primary Contact,ഉപഭോക്താവ് പ്രാഥമിക കോൺടാക്റ്റ്
 DocType: Project Task,View Task,കാണുക ടാസ്ക്
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,സ്ഥലം പരിശോധന / ലീഡ്%
@@ -5949,11 +6013,11 @@
 DocType: Sales Invoice,Get Advances Received,അഡ്വാൻസുകളും സ്വീകരിച്ചു നേടുക
 DocType: Email Digest,Add/Remove Recipients,ചേർക്കുക / സ്വീകരിക്കുന്നവരെ നീക്കംചെയ്യുക
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","സഹജമായിസജ്ജീകരിയ്ക്കുക സാമ്പത്തിക വർഷം സജ്ജമാക്കാൻ, &#39;സഹജമായിസജ്ജീകരിയ്ക്കുക&#39; ക്ലിക്ക് ചെയ്യുക"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,ടിഡിഎസ് തുക കുറച്ചുകഴിഞ്ഞു
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,ടിഡിഎസ് തുക കുറച്ചുകഴിഞ്ഞു
 DocType: Production Plan,Include Subcontracted Items,സബ്കോൺട്രാക്റ്റഡ് ഇനങ്ങൾ ഉൾപ്പെടുത്തുക
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,ചേരുക
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,ദൌർലഭ്യം Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,ചേരുക
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,ദൌർലഭ്യം Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
 DocType: Loan,Repay from Salary,ശമ്പളത്തിൽ നിന്ന് പകരം
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},തുക {0} {1} നേരെ പേയ്മെന്റ് അഭ്യർത്ഥിക്കുന്നു {2}
 DocType: Additional Salary,Salary Slip,ശമ്പളം ജി
@@ -5969,7 +6033,7 @@
 DocType: Patient,Dormant,വായടക്ക്
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ക്ലെയിം ചെയ്യാത്ത തൊഴിലുടമയുടെ ആനുകൂല്യങ്ങൾക്ക് നികുതി ഇളവ് ചെയ്യുക
 DocType: Salary Slip,Total Interest Amount,മൊത്തം പലിശ തുക
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ ഉപയോഗിച്ച് അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ ഉപയോഗിച്ച് അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
 DocType: BOM,Manage cost of operations,ഓപ്പറേഷൻസ് ചെലവ് നിയന്ത്രിക്കുക
 DocType: Accounts Settings,Stale Days,പഴക്കം ചെന്ന ദിവസങ്ങൾ
 DocType: Travel Itinerary,Arrival Datetime,എത്തിച്ചേരൽ സമയം
@@ -5981,7 +6045,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,അസസ്മെന്റ് ഫലം വിശദാംശം
 DocType: Employee Education,Employee Education,ജീവനക്കാരുടെ വിദ്യാഭ്യാസം
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,ഇനം ഗ്രൂപ്പ് പട്ടികയിൽ കണ്ടെത്തി തനിപ്പകർപ്പ് ഇനം ഗ്രൂപ്പ്
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,ഇത് ഇനം വിശദാംശങ്ങൾ കൊണ്ടുവരാം ആവശ്യമാണ്.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,ഇത് ഇനം വിശദാംശങ്ങൾ കൊണ്ടുവരാം ആവശ്യമാണ്.
 DocType: Fertilizer,Fertilizer Name,രാസവളത്തിന്റെ പേര്
 DocType: Salary Slip,Net Pay,നെറ്റ് വേതനം
 DocType: Cash Flow Mapping Accounts,Account,അക്കൗണ്ട്
@@ -5992,14 +6056,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,ബെനിഫിറ്റ് ക്ലെയിമുകൾക്കെതിരെയുള്ള പ്രത്യേക പേയ്മെന്റ് എൻട്രി സൃഷ്ടിക്കുക
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),പനിവിന്റെ സാന്നിധ്യം (താൽക്കാലിക&gt; 38.5 ° C / 101.3 ° F അല്ലെങ്കിൽ സുസ്ഥിരമായ താപനില&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,സെയിൽസ് ടീം വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,ശാശ്വതമായി ഇല്ലാതാക്കുക?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,ശാശ്വതമായി ഇല്ലാതാക്കുക?
 DocType: Expense Claim,Total Claimed Amount,ആകെ ക്ലെയിം ചെയ്ത തുക
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,വില്ക്കുകയും വരാവുന്ന അവസരങ്ങൾ.
 DocType: Shareholder,Folio no.,ഫോളിയോ നം.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},അസാധുവായ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,അസുഖ അവധി
 DocType: Email Digest,Email Digest,ഇമെയിൽ ഡൈജസ്റ്റ്
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,അല്ല
 DocType: Delivery Note,Billing Address Name,ബില്ലിംഗ് വിലാസം പേര്
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ഡിപ്പാർട്ട്മെന്റ് സ്റ്റോറുകൾ
 ,Item Delivery Date,ഇനം ഡെലിവറി തീയതി
@@ -6014,16 +6077,16 @@
 DocType: Account,Chargeable,ഈടാക്കുന്നതല്ല
 DocType: Company,Change Abbreviation,മാറ്റുക സംഗ്രഹ
 DocType: Contract,Fulfilment Details,നിർവ്വഹണ വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1} പണമടയ്ക്കുക
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1} പണമടയ്ക്കുക
 DocType: Employee Onboarding,Activities,പ്രവർത്തനങ്ങൾ
 DocType: Expense Claim Detail,Expense Date,ചിലവേറിയ തീയതി
 DocType: Item,No of Months,മാസങ്ങളുടെ എണ്ണം
 DocType: Item,Max Discount (%),മാക്സ് കിഴിവും (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,ക്രെഡിറ്റ് ദിനങ്ങൾ ഒരു നെഗറ്റീവ് സംഖ്യയായിരിക്കരുത്
-DocType: Sales Invoice Item,Service Stop Date,സേവനം നിർത്തുക തീയതി
+DocType: Purchase Invoice Item,Service Stop Date,സേവനം നിർത്തുക തീയതി
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,കഴിഞ്ഞ ഓർഡർ തുക
 DocType: Cash Flow Mapper,e.g Adjustments for:,ഉദാഹരണത്തിന് ഇവയ്ക്കുള്ള ക്രമീകരണങ്ങൾ:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} സാമ്പിൾ ബാച്ച് അടിസ്ഥാനമാക്കിയുള്ളതാണ്, ദയവായി സാമ്പിൾ ഇനത്തെ നിലനിർത്താൻ &#39;ബാച്ച് നോ&#39; പരിശോധിക്കുക"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} സാമ്പിൾ ബാച്ച് അടിസ്ഥാനമാക്കിയുള്ളതാണ്, ദയവായി സാമ്പിൾ ഇനത്തെ നിലനിർത്താൻ &#39;ബാച്ച് നോ&#39; പരിശോധിക്കുക"
 DocType: Task,Is Milestone,Milestone ആണോ
 DocType: Certification Application,Yet to appear,ഇനിയും ദൃശ്യമാകും
 DocType: Delivery Stop,Email Sent To,അയച്ച ഇമെയിൽ
@@ -6031,16 +6094,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ബാലൻസ് ഷീറ്റിന്റെ എൻട്രിയിൽ കോസ്റ്റ് സെന്റർ അനുവദിക്കുക
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,നിലവിലുള്ള അക്കൗണ്ട് ഉപയോഗിച്ച് ലയിപ്പിക്കുക
 DocType: Budget,Warn,മുന്നറിയിപ്പുകൊടുക്കുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,ഈ വർക്ക് ഓർഡറിന് എല്ലാ ഇനങ്ങളും ഇതിനകം ട്രാൻസ്ഫർ ചെയ്തു.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,ഈ വർക്ക് ഓർഡറിന് എല്ലാ ഇനങ്ങളും ഇതിനകം ട്രാൻസ്ഫർ ചെയ്തു.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","മറ്റേതെങ്കിലും പരാമർശമാണ്, റെക്കോർഡുകൾ ചെല്ലേണ്ടതിന്നു ശ്രദ്ധേയമാണ് ശ്രമം."
 DocType: Asset Maintenance,Manufacturing User,ണം ഉപയോക്താവ്
 DocType: Purchase Invoice,Raw Materials Supplied,നൽകിയത് അസംസ്കൃത വസ്തുക്കൾ
 DocType: Subscription Plan,Payment Plan,പേയ്മെന്റ് പ്ലാൻ
 DocType: Shopping Cart Settings,Enable purchase of items via the website,വെബ്സൈറ്റ് വഴി ഇനങ്ങളുടെ വാങ്ങൽ പ്രവർത്തനക്ഷമമാക്കുക
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},വിലവിവരങ്ങളുടെ നാണയം {0} {1} അല്ലെങ്കിൽ {2} ആയിരിക്കണം
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,സബ്സ്ക്രിപ്ഷൻ മാനേജ്മെന്റ്
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,സബ്സ്ക്രിപ്ഷൻ മാനേജ്മെന്റ്
 DocType: Appraisal,Appraisal Template,അപ്രൈസൽ ഫലകം
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,കോഡ് പിൻ ചെയ്യുക
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,കോഡ് പിൻ ചെയ്യുക
 DocType: Soil Texture,Ternary Plot,ടെർണറി പ്ലോട്ട്
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,ഷെഡ്യൂളർ വഴി ഒരു ഷെഡ്യൂൾ ചെയ്ത ഡെയ്ലി സിൻക്രൊണൈസേഷൻ പതിവ് പ്രവർത്തനക്ഷമമാക്കാൻ ഇത് ചെക്ക് ചെയ്യുക
 DocType: Item Group,Item Classification,ഇനം തിരിക്കൽ
@@ -6050,6 +6113,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ഇൻവോയ്സ് രോഗി രജിസ്ട്രേഷൻ
 DocType: Crop,Period,കാലാവധി
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,ജനറൽ ലെഡ്ജർ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,ധനകാര്യ വർഷം
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,കാണുക നയിക്കുന്നു
 DocType: Program Enrollment Tool,New Program,പുതിയ പ്രോഗ്രാം
 DocType: Item Attribute Value,Attribute Value,ന്റെതിരച്ചറിവിനു്തെറ്റായധാര്മ്മികമൂല്യം
@@ -6057,11 +6121,11 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test_list.js +16,Create Multiple,ഒന്നിലധികം സൃഷ്ടിക്കുക
 ,Itemwise Recommended Reorder Level,Itemwise പുനഃക്രമീകരിക്കുക ലെവൽ ശുപാർശിത
 DocType: Salary Detail,Salary Detail,ശമ്പള വിശദാംശം
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,ആദ്യം {0} തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,ആദ്യം {0} തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} ഉപയോക്താക്കൾ ചേർത്തു
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","മൾട്ടി-ടയർ പരിപാടിയുടെ കാര്യത്തിൽ, കസ്റ്റമർമാർ ചെലവഴിച്ച തുക പ്രകാരം ബന്ധപ്പെട്ട ടീമിൽ ഓട്ടോ നിർണ്ണയിക്കും"
 DocType: Appointment Type,Physician,വൈദ്യൻ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,ബാച്ച് {0} ഇനത്തിന്റെ {1} കാലഹരണപ്പെട്ടു.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,ബാച്ച് {0} ഇനത്തിന്റെ {1} കാലഹരണപ്പെട്ടു.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,കൺസൾട്ടേഷനുകൾ
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,നന്നായിരിക്കുന്നു
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","വില ലിസ്റ്റ്, വിതരണക്കാരൻ / കസ്റ്റമർ, കറൻസി, ഇനം, UOM, ക്യൂട്ടി, തീയതി എന്നിവയെ അടിസ്ഥാനമാക്കി ഇനം വില പല തവണ ദൃശ്യമാകുന്നു."
@@ -6069,22 +6133,21 @@
 DocType: Certification Application,Name of Applicant,അപേക്ഷകൻറെ പേര്
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,നിർമാണ സമയം ഷീറ്റ്.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ആകെത്തുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,സ്റ്റോക്ക് ഇടപാടിനുശേഷം വ്യത്യാസമായ സ്വഭാവസവിശേഷത മാറ്റാനാവില്ല. ഇത് ചെയ്യുന്നതിന് നിങ്ങൾ ഒരു പുതിയ വസ്തു സൃഷ്ടിക്കേണ്ടി വരും.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,സ്റ്റോക്ക് ഇടപാടിനുശേഷം വ്യത്യാസമായ സ്വഭാവസവിശേഷത മാറ്റാനാവില്ല. ഇത് ചെയ്യുന്നതിന് നിങ്ങൾ ഒരു പുതിയ വസ്തു സൃഷ്ടിക്കേണ്ടി വരും.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA മാൻഡേറ്റ്
 DocType: Healthcare Practitioner,Charges,നിരക്കുകൾ
 DocType: Production Plan,Get Items For Work Order,വർക്ക് ഓർഡർ ഇനങ്ങൾ നേടുക
 DocType: Salary Detail,Default Amount,സ്ഥിരസ്ഥിതി തുക
 DocType: Lab Test Template,Descriptive,വിവരണാത്മക
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,വെയർഹൗസ് സിസ്റ്റം കണ്ടെത്തിയില്ല
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,ഈ മാസം ചുരുക്കം
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,ഈ മാസം ചുരുക്കം
 DocType: Quality Inspection Reading,Quality Inspection Reading,ക്വാളിറ്റി ഇൻസ്പെക്ഷൻ വായന
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`ഫ്രീസുചെയ്യുക സ്റ്റോക്കുകൾ പഴയ Than`% d ദിവസം കുറവായിരിക്കണം.
 DocType: Tax Rule,Purchase Tax Template,വാങ്ങൽ നികുതി ഫലകം
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,നിങ്ങളുടെ കമ്പനിയ്ക്കായി നിങ്ങൾ നേടാൻ ആഗ്രഹിക്കുന്ന ഒരു സെയിൽ ഗോൾ സജ്ജമാക്കുക.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,ഹെൽത്ത് സർവീസസ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,ഹെൽത്ത് സർവീസസ്
 ,Project wise Stock Tracking,പ്രോജക്ട് ജ്ഞാനികൾ സ്റ്റോക്ക് ട്രാക്കിംഗ്
 DocType: GST HSN Code,Regional,പ്രാദേശിക
-DocType: Delivery Note,Transport Mode,ഗതാഗത മോഡ്
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,ലബോറട്ടറി
 DocType: UOM Category,UOM Category,UOM വിഭാഗം
 DocType: Clinical Procedure Item,Actual Qty (at source/target),(ഉറവിടം / ലക്ഷ്യം ന്) യഥാർത്ഥ Qty
@@ -6107,17 +6170,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,വെബ്സൈറ്റ് സൃഷ്ടിക്കുന്നതിൽ പരാജയപ്പെട്ടു
 DocType: Soil Analysis,Mg/K,എം ജി / കെ
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM പരിവർത്തന വിശദാംശം
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,സൂക്ഷിക്കൽ സ്റ്റോക്ക് എൻട്രി ഇതിനകം സൃഷ്ടിച്ചു അല്ലെങ്കിൽ മാതൃകാ അളവ് നൽകിയിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,സൂക്ഷിക്കൽ സ്റ്റോക്ക് എൻട്രി ഇതിനകം സൃഷ്ടിച്ചു അല്ലെങ്കിൽ മാതൃകാ അളവ് നൽകിയിട്ടില്ല
 DocType: Program,Program Abbreviation,പ്രോഗ്രാം സംഗ്രഹം
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,പ്രൊഡക്ഷൻ ഓർഡർ ഒരു ഇനം ഫലകം ഈടിന്മേൽ ചെയ്യാൻ കഴിയില്ല
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,വിചാരണ ഓരോ ഇനത്തിനും നേരെ പർച്ചേസ് രസീതിലെ അപ്ഡേറ്റ്
 DocType: Warranty Claim,Resolved By,തന്നെയാണ പരിഹരിക്കപ്പെട്ട
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,ഷെഡ്യൂൾ ഷെഡ്യൂൾ ചെയ്യുക
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,തെറ്റായി മായ്ച്ചു ചെക്കുകൾ ആൻഡ് നിക്ഷേപങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,അക്കൗണ്ട് {0}: നിങ്ങൾ പാരന്റ് അക്കൌണ്ട് സ്വയം നിശ്ചയിക്കാന് കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,അക്കൗണ്ട് {0}: നിങ്ങൾ പാരന്റ് അക്കൌണ്ട് സ്വയം നിശ്ചയിക്കാന് കഴിയില്ല
 DocType: Purchase Invoice Item,Price List Rate,വില പട്ടിക റേറ്റ്
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,ഉപഭോക്തൃ ഉദ്ധരണികൾ സൃഷ്ടിക്കുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,സർവീസ് അവസാന തീയതിക്കുശേഷം സേവന നിർത്തൽ തീയതി ആകരുത്
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,സർവീസ് അവസാന തീയതിക്കുശേഷം സേവന നിർത്തൽ തീയതി ആകരുത്
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","ഈ ഗോഡൗണിലെ ലഭ്യമാണ് സ്റ്റോക്ക് അടിസ്ഥാനമാക്കി &#39;കണ്ടില്ലേ, ഓഹരി ലെ &quot;&quot; സ്റ്റോക്കുണ്ട് &quot;കാണിക്കുക അല്ലെങ്കിൽ."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),വസ്തുക്കളുടെ ബിൽ (DEL)
 DocType: Item,Average time taken by the supplier to deliver,ശരാശരി സമയം വിടുവിപ്പാൻ വിതരണക്കാരൻ എടുത്ത
@@ -6129,11 +6192,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,മണിക്കൂറുകൾ
 DocType: Project,Expected Start Date,പ്രതീക്ഷിച്ച ആരംഭ തീയതി
 DocType: Purchase Invoice,04-Correction in Invoice,04-ഇൻവോയ്സിലെ തിരുത്തൽ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,BOM- ൽ ഉള്ള എല്ലാ ഇനങ്ങൾക്കുമായി സൃഷ്ടിച്ച ഓർഡർ ഇതിനകം സൃഷ്ടിച്ചു
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,BOM- ൽ ഉള്ള എല്ലാ ഇനങ്ങൾക്കുമായി സൃഷ്ടിച്ച ഓർഡർ ഇതിനകം സൃഷ്ടിച്ചു
 DocType: Payment Request,Party Details,പാർട്ടി വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,വേരിയന്റ് വിശദാംശങ്ങൾ റിപ്പോർട്ട് ചെയ്യുക
 DocType: Setup Progress Action,Setup Progress Action,സെറ്റപ്പ് പുരോഗതി ആക്ഷൻ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,വിലവിപണി വാങ്ങൽ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,വിലവിപണി വാങ്ങൽ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ചാർജ് ആ ഇനത്തിനും ബാധകമായ എങ്കിൽ ഇനം നീക്കം
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,സബ്സ്ക്രിപ്ഷൻ റദ്ദാക്കുക
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,മെയിന്റനന്റ് സ്റ്റാറ്റസ് പൂർത്തിയാക്കുക അല്ലെങ്കിൽ പൂർത്തിയാക്കൽ തീയതി നീക്കം ചെയ്യുക തിരഞ്ഞെടുക്കുക
@@ -6151,7 +6214,7 @@
 DocType: Asset,Disposal Date,തീർപ്പ് തീയതി
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ഇമെയിലുകൾ അവർ അവധി ഇല്ലെങ്കിൽ, തന്നിരിക്കുന്ന നാഴിക കമ്പനിയുടെ എല്ലാ സജീവ ജീവനക്കാർക്ക് അയയ്ക്കും. പ്രതികരണങ്ങളുടെ സംഗ്രഹം അർദ്ധരാത്രിയിൽ അയയ്ക്കും."
 DocType: Employee Leave Approver,Employee Leave Approver,ജീവനക്കാരുടെ അവധി Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},വരി {0}: ഒരു പുനഃക്രമീകരിക്കുക എൻട്രി ഇതിനകം ഈ വെയർഹൗസ് {1} നിലവിലുണ്ട്
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},വരി {0}: ഒരു പുനഃക്രമീകരിക്കുക എൻട്രി ഇതിനകം ഈ വെയർഹൗസ് {1} നിലവിലുണ്ട്
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","നഷ്ടപ്പെട്ട പോലെ ക്വട്ടേഷൻ വെളിപ്പെടുത്താമോ കാരണം, വർണ്ണിക്കും ചെയ്യാൻ കഴിയില്ല."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP അക്കൗണ്ട്
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,പരിശീലന പ്രതികരണം
@@ -6163,7 +6226,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ഇന്നുവരെ തീയതി മുതൽ മുമ്പ് ആകാൻ പാടില്ല
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,വിഭാഗം അടിക്കുറിപ്പ്
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,എഡിറ്റ് വിലകൾ / ചേർക്കുക
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,എഡിറ്റ് വിലകൾ / ചേർക്കുക
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,പ്രമോഷൻ തീയതിക്ക് മുമ്പായി ജീവനക്കാർ പ്രമോഷൻ സമർപ്പിക്കാൻ കഴിയില്ല
 DocType: Batch,Parent Batch,പാരന്റ് ബാച്ച്
 DocType: Batch,Parent Batch,പാരന്റ് ബാച്ച്
@@ -6174,6 +6237,7 @@
 DocType: Clinical Procedure Template,Sample Collection,സാമ്പിൾ ശേഖരണം
 ,Requested Items To Be Ordered,ക്രമപ്പെടുത്തിയ അഭ്യർത്ഥിച്ചു ഇനങ്ങൾ
 DocType: Price List,Price List Name,വില പട്ടിക പേര്
+DocType: Delivery Stop,Dispatch Information,ഡിസ്പാച്ച് വിവരം
 DocType: Blanket Order,Manufacturing,ണം
 ,Ordered Items To Be Delivered,പ്രസവം ഉത്തരവിട്ടു ഇനങ്ങൾ
 DocType: Account,Income,ആദായ
@@ -6192,17 +6256,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {3} {4} {5} ഈ ഇടപാട് പൂർത്തിയാക്കാൻ വേണ്ടി ന് {2} ൽ ആവശ്യമായ {1} യൂണിറ്റ്.
 DocType: Fee Schedule,Student Category,വിദ്യാർത്ഥിയുടെ വർഗ്ഗം
 DocType: Announcement,Student,വിദ്യാർത്ഥി
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,വെയർഹൌസുകളിൽ സ്റ്റോക്ക് ചെയ്യുവാൻ ആരംഭിക്കുന്ന അളവ് ലഭ്യമല്ല. നിങ്ങൾ ഒരു സ്റ്റോക്ക് ട്രാൻസ്ഫർ രേഖപ്പെടുത്താൻ ആഗ്രഹിക്കുന്നുണ്ടോ?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,വെയർഹൌസുകളിൽ സ്റ്റോക്ക് ചെയ്യുവാൻ ആരംഭിക്കുന്ന അളവ് ലഭ്യമല്ല. നിങ്ങൾ ഒരു സ്റ്റോക്ക് ട്രാൻസ്ഫർ രേഖപ്പെടുത്താൻ ആഗ്രഹിക്കുന്നുണ്ടോ?
 DocType: Shipping Rule,Shipping Rule Type,ഷിപ്പിംഗ് റൂൾ തരം
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,റൂമിലേക്ക് പോകുക
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","കമ്പനി, പേയ്മെന്റ് അക്കൗണ്ട്, തീയതി മുതൽ തീയതി നിർബന്ധമാണ്"
 DocType: Company,Budget Detail,ബജറ്റ് വിശദാംശം
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,അയക്കുന്നതിന് മുമ്പ് സന്ദേശം നൽകുക
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,വിതരണക്കാരൻ ഡ്യൂപ്ലിക്കേറ്റ്
-DocType: Email Digest,Pending Quotations,തീർച്ചപ്പെടുത്തിയിട്ടില്ല ഉദ്ധരണികൾ
-DocType: Delivery Note,Distance (KM),ദൂരം (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,വിതരണക്കാരൻ&gt; വിതരണക്കാരൻ ഗ്രൂപ്പ്
 DocType: Asset,Custodian,സംരക്ഷകൻ
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക് പ്രൊഫൈൽ
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക് പ്രൊഫൈൽ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0-നും 100-നും ഇടയിലുള്ള ഒരു മൂല്യമായിരിക്കണം
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,മുൻവാതിൽ വായ്പകൾ
 DocType: Cost Center,Cost Center Name,കോസ്റ്റ് സെന്റർ പേര്
@@ -6233,10 +6296,10 @@
 DocType: Lead,Converted,പരിവർത്തനം
 DocType: Item,Has Serial No,സീരിയൽ പോസ്റ്റ് ഉണ്ട്
 DocType: Employee,Date of Issue,പുറപ്പെടുവിച്ച തീയതി
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","വാങ്ങൽ തല്ലാൻ ആവശ്യമുണ്ട് == &#39;അതെ&#39;, പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം വാങ്ങൽ രസീത് സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","വാങ്ങൽ തല്ലാൻ ആവശ്യമുണ്ട് == &#39;അതെ&#39;, പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം വാങ്ങൽ രസീത് സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},വരി # {0}: ഇനത്തിന്റെ വേണ്ടി സജ്ജമാക്കുക വിതരണക്കാരൻ {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,വരി {0}: മണിക്കൂറുകൾ മൂല്യം പൂജ്യത്തേക്കാൾ വലുതായിരിക്കണം.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,വെബ്സൈറ്റ് ചിത്രം {0} ഇനം ഘടിപ്പിച്ചിരിക്കുന്ന {1} കണ്ടെത്താൻ കഴിയുന്നില്ല
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,വെബ്സൈറ്റ് ചിത്രം {0} ഇനം ഘടിപ്പിച്ചിരിക്കുന്ന {1} കണ്ടെത്താൻ കഴിയുന്നില്ല
 DocType: Issue,Content Type,ഉള്ളടക്ക തരം
 DocType: Asset,Assets,അസറ്റുകൾ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,കമ്പ്യൂട്ടർ
@@ -6247,7 +6310,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} നിലവിലില്ല
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,മറ്റ് കറൻസി കൊണ്ട് അക്കൗണ്ടുകൾ അനുവദിക്കുന്നതിന് മൾട്ടി നാണയ ഓപ്ഷൻ പരിശോധിക്കുക
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ഇനം: {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,നിങ്ങൾ ശീതീകരിച്ച മൂല്യം സജ്ജീകരിക്കാൻ അംഗീകാരമില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,നിങ്ങൾ ശീതീകരിച്ച മൂല്യം സജ്ജീകരിക്കാൻ അംഗീകാരമില്ല
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled എൻട്രികൾ നേടുക
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},{1} ജീവനക്കാരൻ {0}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,ജേർണൽ എൻട്രിയ്ക്കായി റീഫെയ്നുകളൊന്നും തിരഞ്ഞെടുത്തിട്ടില്ല
@@ -6265,13 +6328,14 @@
 ,Average Commission Rate,ശരാശരി കമ്മീഷൻ നിരക്ക്
 DocType: Share Balance,No of Shares,ഷെയറുകളുടെ എണ്ണം
 DocType: Taxable Salary Slab,To Amount,തുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;അതെ&#39; നോൺ-ഓഹരി ഇനത്തിന്റെ വേണ്ടി ആകാൻ പാടില്ല &#39;സീരിയൽ നോ ഉണ്ട്&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;അതെ&#39; നോൺ-ഓഹരി ഇനത്തിന്റെ വേണ്ടി ആകാൻ പാടില്ല &#39;സീരിയൽ നോ ഉണ്ട്&#39;
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,നില തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,ഹാജർ ഭാവി തീയതി വേണ്ടി അടയാളപ്പെടുത്തും കഴിയില്ല
 DocType: Support Search Source,Post Description Key,പോസ്റ്റ് വിവരണം കീ
 DocType: Pricing Rule,Pricing Rule Help,പ്രൈസിങ് റൂൾ സഹായം
 DocType: School House,House Name,ഹൗസ് പേര്
 DocType: Fee Schedule,Total Amount per Student,വിദ്യാർത്ഥിക്ക് ആകെ തുക
+DocType: Opportunity,Sales Stage,വിൽപ്പന സ്റ്റേജ്
 DocType: Purchase Taxes and Charges,Account Head,അക്കൗണ്ട് ഹെഡ്
 DocType: Company,HRA Component,HRA ഘടക
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,ഇലക്ട്രിക്കൽ
@@ -6279,15 +6343,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),(- ഔട്ട്) ആകെ മൂല്യം വ്യത്യാസം
 DocType: Grant Application,Requested Amount,അഭ്യർത്ഥിച്ച തുക
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,വരി {0}: വിനിമയ നിരക്ക് നിർബന്ധമായും
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ഉപയോക്തൃ ഐഡി ജീവനക്കാരുടെ {0} വെച്ചിരിക്കുന്നു അല്ല
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ഉപയോക്തൃ ഐഡി ജീവനക്കാരുടെ {0} വെച്ചിരിക്കുന്നു അല്ല
 DocType: Vehicle,Vehicle Value,വാഹന മൂല്യം
 DocType: Crop Cycle,Detected Diseases,രോഗബാധയുള്ള രോഗങ്ങൾ
 DocType: Stock Entry,Default Source Warehouse,സ്ഥിരസ്ഥിതി ഉറവിട വെയർഹൗസ്
 DocType: Item,Customer Code,കസ്റ്റമർ കോഡ്
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},{0} വേണ്ടി ജന്മദിനം
 DocType: Asset Maintenance Task,Last Completion Date,അവസാനം പൂർത്തിയാക്കിയ തീയതി
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,കഴിഞ്ഞ ഓർഡർ നു ശേഷം ദിനങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
 DocType: Asset,Naming Series,സീരീസ് നാമകരണം
 DocType: Vital Signs,Coated,പൂമുഖം
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,വരി {0}: ഉപയോഗപ്രദമായ ലൈഫ് ശേഷം പ്രതീക്ഷിച്ച മൂല്യം മൊത്തം വാങ്ങൽ തുകയേക്കാൾ കുറവായിരിക്കണം
@@ -6305,15 +6368,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിയ്ക്കാൻ വേണം
 DocType: Notification Control,Sales Invoice Message,സെയിൽസ് ഇൻവോയിസ് സന്ദേശം
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,അക്കൗണ്ട് {0} അടയ്ക്കുന്നത് തരം ബാധ്യത / ഇക്വിറ്റി എന്ന ഉണ്ടായിരിക്കണം
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം സമയം ഷീറ്റ് {1} സൃഷ്ടിച്ച
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം സമയം ഷീറ്റ് {1} സൃഷ്ടിച്ച
 DocType: Vehicle Log,Odometer,ഓഡോമീറ്റർ
 DocType: Production Plan Item,Ordered Qty,ഉത്തരവിട്ടു Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,ഇനം {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,ഇനം {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ
 DocType: Stock Settings,Stock Frozen Upto,ഓഹരി ശീതീകരിച്ച വരെ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM ലേക്ക് ഏതെങ്കിലും ഓഹരി ഇനം അടങ്ങിയിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM ലേക്ക് ഏതെങ്കിലും ഓഹരി ഇനം അടങ്ങിയിട്ടില്ല
 DocType: Chapter,Chapter Head,അധ്യായം ശീർഷകം
 DocType: Payment Term,Month(s) after the end of the invoice month,ഇൻവോയ്സ് മാസം അവസാനിച്ചതിന് ശേഷം മാസം (മാസം)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ആനുകൂല്യം ലഭിക്കുന്നതിന് ആനുകൂല്യം ലഭിക്കണമെങ്കിൽ ശമ്പളം നൽകണം
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ആനുകൂല്യം ലഭിക്കുന്നതിന് ആനുകൂല്യം ലഭിക്കണമെങ്കിൽ ശമ്പളം നൽകണം
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,പ്രോജക്ട് പ്രവർത്തനം / ചുമതല.
 DocType: Vital Signs,Very Coated,വളരെ കോട
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"ടാക്സ് ഇംപാക്റ്റ് മാത്രം (അവകാശപ്പെടാൻ കഴിയില്ല, പക്ഷേ നികുതി രഹിത വരുമാനത്തിന്റെ ഭാഗം)"
@@ -6331,7 +6394,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,ബില്ലിംഗ് മണിക്കൂർ
 DocType: Project,Total Sales Amount (via Sales Order),ആകെ വില്പന തുക (സെയിൽസ് ഓർഡർ വഴി)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} കണ്ടെത്തിയില്ല സ്ഥിര BOM ൽ
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,വരി # {0}: സജ്ജീകരിക്കുക പുനഃക്രമീകരിക്കുക അളവ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,വരി # {0}: സജ്ജീകരിക്കുക പുനഃക്രമീകരിക്കുക അളവ്
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ഇവിടെ ചേർക്കാൻ ഇനങ്ങൾ ടാപ്പ്
 DocType: Fees,Program Enrollment,പ്രോഗ്രാം എൻറോൾമെന്റ്
 DocType: Share Transfer,To Folio No,ഫോളിയോ നമ്പറിലേക്ക്
@@ -6372,9 +6435,9 @@
 DocType: SG Creation Tool Course,Max Strength,മാക്സ് ദൃഢത
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,പ്രീസെറ്റുകൾ ഇൻസ്റ്റാൾ ചെയ്യുന്നു
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ഉപഭോക്താവിന് {@} ഡെലിവറി നോട്ട് തിരഞ്ഞെടുത്തിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ഉപഭോക്താവിന് {@} ഡെലിവറി നോട്ട് തിരഞ്ഞെടുത്തിട്ടില്ല
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,ജീവനക്കാരൻ {0} ന് പരമാവധി ആനുകൂല്യ തുക ഇല്ല
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,ഡെലിവറി തീയതി അടിസ്ഥാനമാക്കിയുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,ഡെലിവറി തീയതി അടിസ്ഥാനമാക്കിയുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
 DocType: Grant Application,Has any past Grant Record,ഏതെങ്കിലും മുൻകാല ഗ്രാന്റാഡ് റെക്കോർഡ് ഉണ്ട്
 ,Sales Analytics,സെയിൽസ് അനലിറ്റിക്സ്
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ലഭ്യമായ {0}
@@ -6383,12 +6446,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,ണം ക്രമീകരണങ്ങൾ
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ഇമെയിൽ സജ്ജീകരിക്കുന്നു
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,ഗുഅര്ദിഅന്൧ മൊബൈൽ ഇല്ല
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,കമ്പനി മാസ്റ്റർ സ്വതവേയുള്ള കറൻസി നൽകുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,കമ്പനി മാസ്റ്റർ സ്വതവേയുള്ള കറൻസി നൽകുക
 DocType: Stock Entry Detail,Stock Entry Detail,സ്റ്റോക്ക് എൻട്രി വിശദാംശം
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,പ്രതിദിന ഓർമപ്പെടുത്തലുകൾ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,പ്രതിദിന ഓർമപ്പെടുത്തലുകൾ
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,എല്ലാ ഓപ്പൺ ടിക്കറ്റുകളും കാണുക
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,ഹെൽത്ത് സർവീസ് യൂണിറ്റ് ട്രീ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,ഉൽപ്പന്നം
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,ഉൽപ്പന്നം
 DocType: Products Settings,Home Page is Products,ഹോം പേജ് ഉല്പന്നങ്ങൾ ആണ്
 ,Asset Depreciation Ledger,അസറ്റ് മൂല്യത്തകർച്ച ലെഡ്ജർ
 DocType: Salary Structure,Leave Encashment Amount Per Day,പ്രതിദിന എൻക്യാഷ്മെന്റ് തുക വിടുക
@@ -6398,8 +6461,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,അസംസ്കൃത വസ്തുക്കൾ ചെലവ് നൽകിയത്
 DocType: Selling Settings,Settings for Selling Module,അതേസമയം മൊഡ്യൂൾ വേണ്ടി ക്രമീകരണങ്ങൾ
 DocType: Hotel Room Reservation,Hotel Room Reservation,ഹോട്ടൽ മുറികൾ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,കസ്റ്റമർ സർവീസ്
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,കസ്റ്റമർ സർവീസ്
 DocType: BOM,Thumbnail,ലഘുചിത്രം
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ഇമെയിൽ ഐഡികളുമായി ബന്ധങ്ങളൊന്നും കണ്ടെത്തിയില്ല.
 DocType: Item Customer Detail,Item Customer Detail,ഇനം ഉപഭോക്തൃ വിശദാംശം
 DocType: Notification Control,Prompt for Email on Submission of,സമർപ്പിക്കുന്നതിന് ന് ഇമെയിൽ പ്രേരിപ്പിക്കരുത്
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +102,Total allocated leaves are more than days in the period,ആകെ അലോക്കേറ്റഡ് ഇല കാലയളവിൽ ദിവസം അധികം ആകുന്നു
@@ -6408,7 +6472,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം ആയിരിക്കണം
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,പ്രോഗ്രസ് വെയർഹൗസ് സ്വതവെയുള്ള വർക്ക്
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} ഓവർലാപ്സ്, നിങ്ങൾ ഓവർലാപ് ചെയ്ത സ്ലോട്ടുകൾ ഒഴിവാക്കിയതിനുശേഷം തുടരണോ?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,അക്കൗണ്ടിങ് ഇടപാടുകൾക്ക് സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,അക്കൗണ്ടിങ് ഇടപാടുകൾക്ക് സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,അനുവദിച്ച ഗ്രാൻറ്
 DocType: Restaurant,Default Tax Template,സ്ഥിര ടാക്സ് ടെംപ്ലേറ്റ്
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} വിദ്യാർത്ഥികൾ എൻറോൾ ചെയ്തു
@@ -6416,6 +6480,7 @@
 DocType: Purchase Invoice Item,Stock Qty,ഓഹരി അളവ്
 DocType: Purchase Invoice Item,Stock Qty,ഓഹരി അളവ്
 DocType: Contract,Requires Fulfilment,പൂർത്തീകരണം ആവശ്യമാണ്
+DocType: QuickBooks Migrator,Default Shipping Account,സ്ഥിര ഷിപ്പിംഗ് അക്കൗണ്ട്
 DocType: Loan,Repayment Period in Months,മാസങ്ങളിലെ തിരിച്ചടവ് കാലാവധി
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,പിശക്: സാധുവായ ഐഡി?
 DocType: Naming Series,Update Series Number,അപ്ഡേറ്റ് സീരീസ് നമ്പർ
@@ -6429,11 +6494,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,പരമാവധി തുക
 DocType: Journal Entry,Total Amount Currency,ആകെ തുക കറൻസി
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,തിരച്ചിൽ സബ് അസംബ്ലീസ്
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},വരി ഇല്ല {0} ആവശ്യമാണ് ഇനം കോഡ്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},വരി ഇല്ല {0} ആവശ്യമാണ് ഇനം കോഡ്
 DocType: GST Account,SGST Account,SGST അക്കൗണ്ട്
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,ഇനങ്ങൾ പോകുക
 DocType: Sales Partner,Partner Type,പങ്കാളി തരം
-DocType: Purchase Taxes and Charges,Actual,യഥാർത്ഥ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,യഥാർത്ഥ
 DocType: Restaurant Menu,Restaurant Manager,റെസ്റ്റോറന്റ് മാനേജർ
 DocType: Authorization Rule,Customerwise Discount,Customerwise ഡിസ്കൗണ്ട്
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,ടാസ്ക്കുകൾക്കായി Timesheet.
@@ -6454,7 +6519,7 @@
 DocType: Employee,Cheque,ചെക്ക്
 DocType: Training Event,Employee Emails,ജീവനക്കാരന്റെ ഇമെയിലുകൾ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,സീരീസ് അപ്ഡേറ്റ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,റിപ്പോർട്ട് തരം നിർബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,റിപ്പോർട്ട് തരം നിർബന്ധമാണ്
 DocType: Item,Serial Number Series,സീരിയൽ നമ്പർ സീരീസ്
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},വെയർഹൗസ് നിരയിൽ സ്റ്റോക്ക് ഇനം {0} നിര്ബന്ധമാണ് {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,"ലാഭേച്ചയില്ലാത്തതും, ചാരിറ്റിയും"
@@ -6485,7 +6550,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,വിൽപ്പന ഉത്തരവിലെ ബിൽഡ് തുക അപ്ഡേറ്റ് ചെയ്യുക
 DocType: BOM,Materials,മെറ്റീരിയൽസ്
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ചെക്കുചെയ്യാത്തത്, പട്ടിക അത് ബാധകമായി ഉണ്ട് എവിടെ ഓരോ വകുപ്പ് ചേർക്കും വരും."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,തീയതിയും പോസ്റ്റിംഗ് സമയം ചേർക്കൽ നിർബന്ധമായും
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,തീയതിയും പോസ്റ്റിംഗ് സമയം ചേർക്കൽ നിർബന്ധമായും
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ഇടപാടുകൾ വാങ്ങിയതിന് നികുതി ടെംപ്ലേറ്റ്.
 ,Item Prices,ഇനം വിലകൾ
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,നിങ്ങൾ വാങ്ങൽ ഓർഡർ രക്ഷിക്കും ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും.
@@ -6501,12 +6566,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),അസറ്റ് ഡിപ്രീസിയേഷൻ എൻട്രി (ജേർണൽ എൻട്രി)
 DocType: Membership,Member Since,അംഗം മുതൽ
 DocType: Purchase Invoice,Advance Payments,പേയ്മെൻറുകൾ അഡ്വാൻസ്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,ദയവായി ഹെൽത്ത് സർവീസ് തിരഞ്ഞെടുക്കൂ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,ദയവായി ഹെൽത്ത് സർവീസ് തിരഞ്ഞെടുക്കൂ
 DocType: Purchase Taxes and Charges,On Net Total,നെറ്റ് ആകെ ന്
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ആട്രിബ്യൂട്ട് {0} {4} ഇനം വേണ്ടി {1} എന്ന {3} വർദ്ധനവിൽ {2} ലേക്ക് പരിധി ആയിരിക്കണം മൂല്യം
 DocType: Restaurant Reservation,Waitlisted,കാത്തിരുന്നു
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ഒഴിവാക്കൽ വിഭാഗം
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,കറൻസി മറ്റ് ചില കറൻസി ഉപയോഗിച്ച് എൻട്രികൾ ചെയ്തശേഷം മാറ്റാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,കറൻസി മറ്റ് ചില കറൻസി ഉപയോഗിച്ച് എൻട്രികൾ ചെയ്തശേഷം മാറ്റാൻ കഴിയില്ല
 DocType: Shipping Rule,Fixed,നിശ്ചിത
 DocType: Vehicle Service,Clutch Plate,ക്ലച്ച് പ്ലേറ്റ്
 DocType: Company,Round Off Account,അക്കൗണ്ട് ഓഫാക്കുക റൌണ്ട്
@@ -6515,7 +6580,7 @@
 DocType: Subscription Plan,Based on price list,വിലയുടെ അടിസ്ഥാനത്തിൽ
 DocType: Customer Group,Parent Customer Group,പാരന്റ് ഉപഭോക്തൃ ഗ്രൂപ്പ്
 DocType: Vehicle Service,Change,മാറ്റുക
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,സബ്സ്ക്രിപ്ഷൻ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,സബ്സ്ക്രിപ്ഷൻ
 DocType: Purchase Invoice,Contact Email,കോൺടാക്റ്റ് ഇമെയിൽ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ഫീസ് ക്രിയേഷൻ തീർപ്പാക്കിയിരിക്കുന്നു
 DocType: Appraisal Goal,Score Earned,സ്കോർ നേടി
@@ -6543,23 +6608,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,സ്വീകാ / അടയ്ക്കേണ്ട അക്കൗണ്ട്
 DocType: Delivery Note Item,Against Sales Order Item,സെയിൽസ് ഓർഡർ ഇനം എഗെൻസ്റ്റ്
 DocType: Company,Company Logo,കമ്പനി ലോഗോ
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},ആട്രിബ്യൂട്ട് {0} മൂല്യം ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക
-DocType: Item Default,Default Warehouse,സ്ഥിരസ്ഥിതി വെയർഹൗസ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},ആട്രിബ്യൂട്ട് {0} മൂല്യം ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക
+DocType: QuickBooks Migrator,Default Warehouse,സ്ഥിരസ്ഥിതി വെയർഹൗസ്
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},ബജറ്റ് ഗ്രൂപ്പ് അക്കൗണ്ട് {0} നേരെ നിയോഗിക്കുകയും കഴിയില്ല
 DocType: Shopping Cart Settings,Show Price,വില കാണിക്കുക
 DocType: Healthcare Settings,Patient Registration,രോഗി രജിസ്ട്രേഷൻ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,പാരന്റ് കോസ്റ്റ് സെന്റർ നൽകുക
 DocType: Delivery Note,Print Without Amount,തുക ഇല്ലാതെ അച്ചടിക്കുക
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,മൂല്യത്തകർച്ച തീയതി
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,മൂല്യത്തകർച്ച തീയതി
 ,Work Orders in Progress,വർക്ക് ഓർഡറുകൾ പുരോഗമിക്കുന്നു
 DocType: Issue,Support Team,പിന്തുണ ടീം
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),കാലഹരണ (ദിവസങ്ങളിൽ)
 DocType: Appraisal,Total Score (Out of 5),(5) ആകെ സ്കോർ
 DocType: Student Attendance Tool,Batch,ബാച്ച്
 DocType: Support Search Source,Query Route String,ചോദ്യ റൂട്ട് സ്ട്രിംഗ്
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,അവസാന വാങ്ങലിന് അനുസരിച്ച് നിരക്ക് അപ്ഡേറ്റ് ചെയ്യുക
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,അവസാന വാങ്ങലിന് അനുസരിച്ച് നിരക്ക് അപ്ഡേറ്റ് ചെയ്യുക
 DocType: Donor,Donor Type,സംഭാവന തരം
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,സ്വയം ആവർത്തന പ്രമാണം അപ്ഡേറ്റുചെയ്തു
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,സ്വയം ആവർത്തന പ്രമാണം അപ്ഡേറ്റുചെയ്തു
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,ബാലൻസ്
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,കമ്പനി തിരഞ്ഞെടുക്കുക
 DocType: Job Card,Job Card,ജോബ് കാർഡ്
@@ -6573,7 +6638,7 @@
 DocType: Assessment Result,Total Score,ആകെ സ്കോർ
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 സ്റ്റാൻഡേർഡ്
 DocType: Journal Entry,Debit Note,ഡെബിറ്റ് കുറിപ്പ്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,നിങ്ങൾക്ക് ഈ ക്രമത്തിൽ പരമാവധി {0} പോയിന്റുകൾ മാത്രമേ റിഡീം ചെയ്യാനാകൂ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,നിങ്ങൾക്ക് ഈ ക്രമത്തിൽ പരമാവധി {0} പോയിന്റുകൾ മാത്രമേ റിഡീം ചെയ്യാനാകൂ.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,ദയവായി API കൺസ്യൂമർ സീക്രട്ട് നൽകുക
 DocType: Stock Entry,As per Stock UOM,ഓഹരി UOM അനുസരിച്ച്
@@ -6587,10 +6652,11 @@
 DocType: Journal Entry,Total Debit,ആകെ ഡെബിറ്റ്
 DocType: Travel Request Costing,Sponsored Amount,സ്പോൺസർ ചെയ്ത തുക
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,സ്വതേ ഉത്പ്പന്ന വെയർഹൗസ് പൂർത്തിയായി
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,ദയവായി രോഗി തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,ദയവായി രോഗി തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,സെയിൽസ് വ്യാക്തി
 DocType: Hotel Room Package,Amenities,സൌകര്യങ്ങൾ
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,ബജറ്റ് ചെലവ് കേന്ദ്രം
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited ഫണ്ടുകൾ അക്കൗണ്ട്
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,ബജറ്റ് ചെലവ് കേന്ദ്രം
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,പണമടയ്ക്കലിന്റെ സ്ഥിരസ്ഥിതി മോഡ് അനുവദനീയമല്ല
 DocType: Sales Invoice,Loyalty Points Redemption,ലോയൽറ്റി പോയിന്റുകൾ റിഡംപ്ഷൻ
 ,Appointment Analytics,അപ്പോയിന്റ്മെൻറ് അനലിറ്റിക്സ്
@@ -6604,6 +6670,7 @@
 DocType: Batch,Manufacturing Date,നിർമ്മാണ തീയതി
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,ഫീസ് സൃഷ്ടിക്കൽ പരാജയപ്പെട്ടു
 DocType: Opening Invoice Creation Tool,Create Missing Party,നഷ്ടമില്ലാത്ത പാർട്ടി സൃഷ്ടിക്കുക
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,മൊത്തം ബജറ്റ്
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,നിങ്ങൾ പ്രതിവർഷം വിദ്യാർത്ഥികളുടെ ഗ്രൂപ്പുകൾ ഉണ്ടാക്കുന്ന ശൂന്യമായിടൂ
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,നിങ്ങൾ പ്രതിവർഷം വിദ്യാർത്ഥികളുടെ ഗ്രൂപ്പുകൾ ഉണ്ടാക്കുന്ന ശൂന്യമായിടൂ
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ചെക്കുചെയ്തിട്ടുണ്ടെങ്കിൽ ആകെ എങ്കിൽ. ത്തി ദിവസം വരയന് ഉൾപ്പെടുത്തും, ഈ സാലറി ദിവസം മൂല്യം കുറയ്ക്കും"
@@ -6621,20 +6688,19 @@
 DocType: Opportunity Item,Basic Rate,അടിസ്ഥാന റേറ്റ്
 DocType: GL Entry,Credit Amount,ക്രെഡിറ്റ് തുക
 DocType: Cheque Print Template,Signatory Position,ഒപ്പുടമയുടെ സ്ഥാനം
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,ലോസ്റ്റ് സജ്ജമാക്കുക
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,ലോസ്റ്റ് സജ്ജമാക്കുക
 DocType: Timesheet,Total Billable Hours,ആകെ ബില്ലടയ്ക്കണം മണിക്കൂർ
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,വരിക്കാരൻ ഈ സബ്സ്ക്രിപ്ഷൻ സൃഷ്ടിച്ച ഇൻവോയ്സുകൾ അടയ്ക്കേണ്ട ദിവസങ്ങളുടെ എണ്ണം
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,തൊഴിലുടമ ആനുകൂല്യങ്ങൾ അപേക്ഷാ വിശദാംശം
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,പേയ്മെന്റ് രസീത് കുറിപ്പ്
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ഇത് ഈ കസ്റ്റമർ നേരെ ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ടൈംലൈൻ കാണുക
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},വരി {0}: തുക {1} പേയ്മെന്റ് എൻട്രി തുക {2} ലേക്ക് കുറവോ തുല്യം ആയിരിക്കണം
 DocType: Program Enrollment Tool,New Academic Term,പുതിയ അക്കാദമിക് ടേം
 ,Course wise Assessment Report,കോഴ്സ് ജ്ഞാനികൾ വിലയിരുത്തൽ റിപ്പോർട്ട്
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ഐടിസി സ്റ്റേറ്റ് / യുടി ടാക്സ് പ്രയോജനപ്പെടുത്തി
 DocType: Tax Rule,Tax Rule,നികുതി റൂൾ
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,സെയിൽസ് സൈക്കിൾ മുഴുവൻ അതേ നിലനിറുത്തുക
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Marketplace ൽ രജിസ്റ്റർ ചെയ്യുന്നതിന് മറ്റൊരു ഉപയോക്താവ് ലോഗിൻ ചെയ്യുക
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Marketplace ൽ രജിസ്റ്റർ ചെയ്യുന്നതിന് മറ്റൊരു ഉപയോക്താവ് ലോഗിൻ ചെയ്യുക
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,വർക്ക്സ്റ്റേഷൻ പ്രവൃത്തി സമയത്തിന് പുറത്തുള്ള സമയം പ്രവർത്തനരേഖകൾ ആസൂത്രണം ചെയ്യുക.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,ക്യൂവിൽ ഉപഭോക്താക്കൾ
 DocType: Driver,Issuing Date,വിതരണം ചെയ്യുന്ന തീയതി
@@ -6643,11 +6709,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,കൂടുതൽ പ്രോസസ്സുചെയ്യുന്നതിന് ഈ വർക്ക് ഓർഡർ സമർപ്പിക്കുക.
 ,Items To Be Requested,അഭ്യർത്ഥിച്ചു ഇനങ്ങൾ
 DocType: Company,Company Info,കമ്പനി വിവരങ്ങൾ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,പുതിയ ഉപഭോക്തൃ തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ചേർക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,പുതിയ ഉപഭോക്തൃ തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ചേർക്കുക
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,കോസ്റ്റ് സെന്റർ ഒരു ചെലവിൽ ക്ലെയിം ബുക്ക് ആവശ്യമാണ്
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ഫണ്ട് അപേക്ഷാ (ആസ്തികൾ)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ഈ ജോലിയില് ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ്
-DocType: Assessment Result,Summary,സംഗ്രഹം
 DocType: Payment Request,Payment Request Type,പേയ്മെന്റ് അഭ്യർത്ഥന തരം
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,മാർക്ക് അറ്റൻഡൻസ്
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ഡെബിറ്റ് അക്കൗണ്ട്
@@ -6655,7 +6720,7 @@
 DocType: Additional Salary,Employee Name,ജീവനക്കാരുടെ പേര്
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,റെസ്റ്റോറന്റ് ഓർഡർ ഇനം
 DocType: Purchase Invoice,Rounded Total (Company Currency),വൃത്തത്തിലുള്ള ആകെ (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,അക്കൗണ്ട് തരം തിരഞ്ഞെടുത്തുവെന്ന് കാരണം ഗ്രൂപ്പിലേക്ക് മറവിൽ ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,അക്കൗണ്ട് തരം തിരഞ്ഞെടുത്തുവെന്ന് കാരണം ഗ്രൂപ്പിലേക്ക് മറവിൽ ചെയ്യാൻ കഴിയില്ല.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} പരിഷ്ക്കരിച്ചു. പുതുക്കുക.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,താഴെ ദിവസങ്ങളിൽ അവധി അപേക്ഷിക്കുന്നതിനുള്ള നിന്നും ഉപയോക്താക്കളെ നിർത്തുക.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","ലോയൽറ്റി പോയിന്റുകൾക്കുള്ള പരിധിയില്ലാത്ത കാലാവധി, കാലഹരണപ്പെടൽ കാലാവധി കാലിയാക്കുക അല്ലെങ്കിൽ 0 ആയി നിലനിർത്തുക."
@@ -6676,11 +6741,12 @@
 DocType: Asset,Out of Order,പ്രവർത്തനരഹിതം
 DocType: Purchase Receipt Item,Accepted Quantity,അംഗീകരിച്ചു ക്വാണ്ടിറ്റി
 DocType: Projects Settings,Ignore Workstation Time Overlap,വർക്ക്സ്റ്റേഷൻ സമയം ഓവർലാപ്പ് അവഗണിക്കുക
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},ഒരു സ്ഥിര ഹോളിഡേ ലിസ്റ്റ് സജ്ജമാക്കാൻ ദയവായി എംപ്ലോയിസ് {0} അല്ലെങ്കിൽ കമ്പനി {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},ഒരു സ്ഥിര ഹോളിഡേ ലിസ്റ്റ് സജ്ജമാക്കാൻ ദയവായി എംപ്ലോയിസ് {0} അല്ലെങ്കിൽ കമ്പനി {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} നിലവിലുണ്ട് ഇല്ല
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,ബാച്ച് നമ്പറുകൾ തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN ലേക്ക്
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN ലേക്ക്
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ഉപഭോക്താക്കൾക്ക് ഉയർത്തുകയും ബില്ലുകള്.
+DocType: Healthcare Settings,Invoice Appointments Automatically,ഇൻവോയ്സ് അപ്പോയിൻമെന്റുകൾ സ്വപ്രേരിതമായി
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,പ്രോജക്ട് ഐഡി
 DocType: Salary Component,Variable Based On Taxable Salary,നികുതി അടക്കുന്ന ശമ്പളത്തെ അടിസ്ഥാനമാക്കിയുള്ള വേരിയബിൾ
 DocType: Company,Basic Component,അടിസ്ഥാന ഘടകം
@@ -6693,10 +6759,10 @@
 DocType: Stock Entry,Source Warehouse Address,ഉറവിട വെയർഹൗസ് വിലാസം
 DocType: GL Entry,Voucher Type,സാക്ഷപ്പെടുത്തല് തരം
 DocType: Amazon MWS Settings,Max Retry Limit,പരമാവധി വീണ്ടും ശ്രമിക്കുക പരിധി
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന്
 DocType: Student Applicant,Approved,അംഗീകരിച്ചു
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,വില
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} &#39;ഇടത്&#39; ആയി സജ്ജമാക്കാൻ വേണം ന് ആശ്വാസമായി ജീവനക്കാരൻ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} &#39;ഇടത്&#39; ആയി സജ്ജമാക്കാൻ വേണം ന് ആശ്വാസമായി ജീവനക്കാരൻ
 DocType: Marketplace Settings,Last Sync On,അവസാനമായി സമന്വയിപ്പിക്കുക ഓണാണ്
 DocType: Guardian,Guardian,ഗാർഡിയൻ
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,ഇതുൾപ്പെടെയുള്ള എല്ലാ ആശയവിനിമയങ്ങളും പുതിയ ഇഷ്യൂവിലേക്ക് നീക്കും
@@ -6719,14 +6785,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,വയലിൽ കണ്ടെത്തിയ രോഗങ്ങളുടെ ലിസ്റ്റ്. തിരഞ്ഞെടുക്കുമ്പോൾ അത് രോഗത്തെ നേരിടാൻ ചുമതലകളുടെ ഒരു ലിസ്റ്റ് ചേർക്കും
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,"ഇത് ഒരു റൂട്ട് ഹെൽത്ത്കെയർ സർവീസ് യൂണിറ്റ് ആണ്, അത് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല."
 DocType: Asset Repair,Repair Status,അറ്റകുറ്റപ്പണി നില
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,സെയിൽസ് പങ്കാളികൾ ചേർക്കുക
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,അക്കൗണ്ടിംഗ് എൻട്രികൾ.
 DocType: Travel Request,Travel Request,ട്രാവൽ അഭ്യർത്ഥന
 DocType: Delivery Note Item,Available Qty at From Warehouse,വെയർഹൗസിൽ നിന്ന് ലഭ്യമായ Qty
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,എംപ്ലോയീസ് റെക്കോർഡ് ആദ്യം തിരഞ്ഞെടുക്കുക.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,ഒരു അവധിക്കാലമെന്ന നിലയിൽ {0} എന്നതിനായുള്ള ഹാജർ സമർപ്പിച്ചില്ല.
 DocType: POS Profile,Account for Change Amount,തുക മാറ്റത്തിനായി അക്കൗണ്ട്
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks- ലേക്ക് കണക്റ്റുചെയ്യുന്നു
 DocType: Exchange Rate Revaluation,Total Gain/Loss,മൊത്തം നഷ്ടം / നഷ്ടം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,ഇൻറർ കമ്പനി ഇൻവോയ്സിന്റെ അസാധുവായ കമ്പനി.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,ഇൻറർ കമ്പനി ഇൻവോയ്സിന്റെ അസാധുവായ കമ്പനി.
 DocType: Purchase Invoice,input service,ഇൻപുട്ട് സേവനം
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},വരി {0}: പാർട്ടി / അക്കൗണ്ട് {3} {4} ൽ {1} / {2} കൂടെ പൊരുത്തപ്പെടുന്നില്ല
 DocType: Employee Promotion,Employee Promotion,തൊഴിലുടമ പ്രമോഷൻ
@@ -6735,12 +6803,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,കോഴ്സ് കോഡ്:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,ചിലവേറിയ നൽകുക
 DocType: Account,Stock,സ്റ്റോക്ക്
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം പർച്ചേസ് ഓർഡർ, പർച്ചേസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം പർച്ചേസ് ഓർഡർ, പർച്ചേസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
 DocType: Employee,Current Address,ഇപ്പോഴത്തെ വിലാസം
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ഇനത്തിന്റെ മറ്റൊരു ഇനത്തിന്റെ ഒരു വകഭേദം ഇതാണെങ്കിൽ കീഴ്വഴക്കമായി വ്യക്തമാക്കപ്പെടുന്നതുവരെ പിന്നെ വിവരണം, ചിത്രം, ഉള്ളവയും, നികുതികൾ തുടങ്ങിയവ ടെംപ്ലേറ്റിൽ നിന്നും ആയിരിക്കും"
 DocType: Serial No,Purchase / Manufacture Details,വാങ്ങൽ / ഉത്പാദനം വിവരങ്ങൾ
 DocType: Assessment Group,Assessment Group,അസസ്മെന്റ് ഗ്രൂപ്പ്
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,ബാച്ച് ഇൻവെന്ററി
+DocType: Supplier,GST Transporter ID,GST ട്രാൻസ്പോർട്ടർ ഐഡി
 DocType: Procedure Prescription,Procedure Name,പ്രക്രിയയുടെ പേര്
 DocType: Employee,Contract End Date,കരാര് അവസാനിക്കുന്ന തീയതി
 DocType: Amazon MWS Settings,Seller ID,വിൽപ്പനക്കാരന്റെ ഐഡി
@@ -6760,7 +6829,7 @@
 DocType: Company,Date of Incorporation,കമ്പനി രൂപീകരണം തീയതി
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ആകെ നികുതി
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,അവസാനം വാങ്ങൽ വില
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,ക്വാണ്ടിറ്റി എന്ന (Qty ഫാക്ടറി) നിർബന്ധമായും
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,ക്വാണ്ടിറ്റി എന്ന (Qty ഫാക്ടറി) നിർബന്ധമായും
 DocType: Stock Entry,Default Target Warehouse,സ്വതേ ടാര്ഗറ്റ് വെയർഹൗസ്
 DocType: Purchase Invoice,Net Total (Company Currency),അറ്റ ആകെ (കമ്പനി കറൻസി)
 DocType: Delivery Note,Air,എയർ
@@ -6787,23 +6856,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,പൂർത്തീകരണം
 DocType: Purchase Taxes and Charges,On Previous Row Amount,മുൻ വരി തുക
 DocType: Item,Has Expiry Date,കാലഹരണപ്പെടുന്ന തീയതി
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,അസറ്റ് കൈമാറൽ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,അസറ്റ് കൈമാറൽ
 DocType: POS Profile,POS Profile,POS പ്രൊഫൈൽ
 DocType: Training Event,Event Name,ഇവന്റ് പേര്
 DocType: Healthcare Practitioner,Phone (Office),ഫോൺ (ഓഫീസ്)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","സമർപ്പിക്കാൻ കഴിയില്ല, ജോലിക്കാർ അടയാളപ്പെടുത്താൻ അവശേഷിക്കുന്നു"
 DocType: Inpatient Record,Admission,അഡ്മിഷൻ
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},വേണ്ടി {0} പ്രവേശനം
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","ബജറ്റുകൾ സ്ഥാപിക്കുന്നതിനുള്ള Seasonality, ടാർഗറ്റുകൾ തുടങ്ങിയവ"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","ബജറ്റുകൾ സ്ഥാപിക്കുന്നതിനുള്ള Seasonality, ടാർഗറ്റുകൾ തുടങ്ങിയവ"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,വേരിയബിൾ പേര്
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",ഇനം {0} ഫലകം അതിന്റെ വകഭേദങ്ങളും തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,മാനവ വിഭവശേഷി&gt; എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ദയവായി എംപ്ലോയീ നെയിമിങ് സിസ്റ്റം സെറ്റപ്പ് ചെയ്യുക
+DocType: Purchase Invoice Item,Deferred Expense,വ്യതിരിക്ത ചെലവ്
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},തീയതി മുതൽ {0} ജീവനക്കാരുടെ ചേരുന്ന തീയതിക്ക് മുമ്പായിരിക്കരുത് {1}
 DocType: Asset,Asset Category,അസറ്റ് വർഗ്ഗം
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,നെറ്റ് വേതനം നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,നെറ്റ് വേതനം നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
 DocType: Purchase Order,Advance Paid,മുൻകൂർ പണമടച്ചു
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,വില്പന ക്രമത്തിനായി ഓവർപ്രഡ്ചേഞ്ച് ശതമാനം
 DocType: Item,Item Tax,ഇനം നികുതി
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,വിതരണക്കാരൻ വരെ മെറ്റീരിയൽ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,വിതരണക്കാരൻ വരെ മെറ്റീരിയൽ
 DocType: Soil Texture,Loamy Sand,ലോമഡി മണൽ
 DocType: Production Plan,Material Request Planning,മെറ്റീരിയൽ അഭ്യർത്ഥന ആസൂത്രണം
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,എക്സൈസ് ഇൻവോയിസ്
@@ -6825,11 +6896,11 @@
 DocType: Scheduling Tool,Scheduling Tool,സമയംസജ്ജീകരിയ്ക്കുന്നു ടൂൾ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,ക്രെഡിറ്റ് കാർഡ്
 DocType: BOM,Item to be manufactured or repacked,ഇനം നിർമിക്കുന്ന അല്ലെങ്കിൽ repacked ചെയ്യേണ്ട
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},അവസ്ഥയിലുള്ള വാക്യഘടന പിശക്: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},അവസ്ഥയിലുള്ള വാക്യഘടന പിശക്: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,മേജർ / ഓപ്ഷണൽ വിഷയങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,വാങ്ങൽ ക്രമീകരണങ്ങളിൽ വിതരണ ഗ്രൂപ്പ് സജ്ജീകരിക്കുക.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,വാങ്ങൽ ക്രമീകരണങ്ങളിൽ വിതരണ ഗ്രൂപ്പ് സജ്ജീകരിക്കുക.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",സൌകര്യപ്രദമായ ബെനിഫിറ്റ് ഘടക തുക {0} പരമാവധി പ്രയോജനങ്ങളെക്കാൾ കുറവായിരിക്കരുത് {1}
 DocType: Sales Invoice Item,Drop Ship,ഡ്രോപ്പ് കപ്പൽ
 DocType: Driver,Suspended,സസ്പെൻഡുചെയ്തു
@@ -6849,7 +6920,7 @@
 DocType: Customer,Commission Rate,കമ്മീഷൻ നിരക്ക്
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,പേയ്മെന്റ് എൻട്രികൾ വിജയകരമായി സൃഷ്ടിച്ചു
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{0} എന്നതിന് വേണ്ടി {1} എന്നതിനുള്ള സ്കോർകാർഡ് സൃഷ്ടിച്ചു:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,വേരിയന്റ് നിർമ്മിക്കുക
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,വേരിയന്റ് നിർമ്മിക്കുക
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","പേയ്മെന്റ് ഇനം, സ്വീകരിക്കുക ഒന്ന് ആയിരിക്കണം അടച്ച് ആന്തരിക ട്രാൻസ്ഫർ"
 DocType: Travel Itinerary,Preferred Area for Lodging,ലോഡ്ജിംഗിനായുള്ള അനുയോജ്യമായ വിസ്തീർണ്ണം
 apps/erpnext/erpnext/config/selling.py +184,Analytics,അനലിറ്റിക്സ്
@@ -6858,7 +6929,7 @@
 DocType: Work Order,Actual Operating Cost,യഥാർത്ഥ ഓപ്പറേറ്റിംഗ് ചെലവ്
 DocType: Payment Entry,Cheque/Reference No,ചെക്ക് / പരാമർശം ഇല്ല
 DocType: Soil Texture,Clay Loam,കളിമണ്ണ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,റൂട്ട് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,റൂട്ട് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
 DocType: Item,Units of Measure,അളവിന്റെ യൂണിറ്റുകൾ
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,മെട്രോ സിറ്റിയിൽ വാടകയ്ക്കെടുക്കുക
 DocType: Supplier,Default Tax Withholding Config,സ്ഥിര ടാക്സ് പിക്ക്ഹോൾഡിംഗ് കോൺഫിഗർ
@@ -6876,21 +6947,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,പേയ്മെന്റ് പൂർത്തിയായ ശേഷം തിരഞ്ഞെടുത്ത പേജിലേക്ക് ഉപയോക്താവിനെ തിരിച്ചുവിടൽ.
 DocType: Company,Existing Company,നിലവിലുള്ള കമ്പനി
 DocType: Healthcare Settings,Result Emailed,ഫലം ഇമെയിൽ ചെയ്തു
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",എല്ലാ ഇനങ്ങളും ഇതര ഓഹരി ഇനങ്ങൾ കാരണം നികുതി വിഭാഗം &quot;ആകെ&quot; മാറ്റി
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",എല്ലാ ഇനങ്ങളും ഇതര ഓഹരി ഇനങ്ങൾ കാരണം നികുതി വിഭാഗം &quot;ആകെ&quot; മാറ്റി
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,തീയതി മുതൽ തീയതി വരെ കുറവോ അല്ലെങ്കിൽ കുറവായി കഴിയില്ല
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,മാറ്റാൻ ഒന്നുമില്ല
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ഒരു CSV ഫയൽ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,ഒരു CSV ഫയൽ തിരഞ്ഞെടുക്കുക
 DocType: Holiday List,Total Holidays,ആകെ അവധിദിനങ്ങൾ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,ഡിസ്ചേസിനായി ഇമെയിൽ ടെംപ്ലേറ്റുകൾ കാണുന്നില്ല. ഡെലിവറി ക്രമീകരണങ്ങളിൽ ഒന്ന് സജ്ജീകരിക്കുക.
 DocType: Student Leave Application,Mark as Present,അവതരിപ്പിക്കുക അടയാളപ്പെടുത്തുക
 DocType: Supplier Scorecard,Indicator Color,സൂചക നിറം
 DocType: Purchase Order,To Receive and Bill,സ്വീകരിക്കുക ബിൽ ചെയ്യുക
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,വരി # {0}: തീയതി അനുസരിച്ച് ട്രാൻസാക്ഷൻ തീയതിക്ക് മുമ്പായിരിക്കരുത്
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,വരി # {0}: തീയതി അനുസരിച്ച് ട്രാൻസാക്ഷൻ തീയതിക്ക് മുമ്പായിരിക്കരുത്
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,തിരഞ്ഞെടുത്ത ഉൽപ്പന്നം
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,സീരിയൽ നം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,സീരിയൽ നം തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,ഡിസൈനർ
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,നിബന്ധനകളും വ്യവസ്ഥകളും ഫലകം
 DocType: Serial No,Delivery Details,ഡെലിവറി വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},കോസ്റ്റ് കേന്ദ്രം തരം {1} വേണ്ടി നികുതി പട്ടികയിലെ വരി {0} ആവശ്യമാണ്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},കോസ്റ്റ് കേന്ദ്രം തരം {1} വേണ്ടി നികുതി പട്ടികയിലെ വരി {0} ആവശ്യമാണ്
 DocType: Program,Program Code,പ്രോഗ്രാം കോഡ്
 DocType: Terms and Conditions,Terms and Conditions Help,ഉപാധികളും നിബന്ധനകളും സഹായം
 ,Item-wise Purchase Register,ഇനം തിരിച്ചുള്ള വാങ്ങൽ രജിസ്റ്റർ
@@ -6902,15 +6974,16 @@
 apps/erpnext/erpnext/controllers/status_updater.py +215,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","മേൽ-ബില്ലിംഗ് അല്ലെങ്കിൽ മേൽ-ക്രമം ഓഹരി ക്രമീകരണങ്ങൾ അല്ലെങ്കിൽ ഇനത്തിൽ, അപ്ഡേറ്റ് &quot;അലവൻസ്&quot; അനുവദിക്കുക."
 DocType: Contract,Contract Terms,കരാർ നിബന്ധനകൾ
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,കറൻസികൾ വരെ തുടങ്ങിയവ $ പോലുള്ള ഏതെങ്കിലും ചിഹ്നം അടുത്ത കാണിക്കരുത്.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(അര ദിവസം)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(അര ദിവസം)
 DocType: Payment Term,Credit Days,ക്രെഡിറ്റ് ദിനങ്ങൾ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,ലാ ടെസ്റ്റുകൾ നേടുന്നതിന് ദയവായി രോഗിയെ തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,വിദ്യാർത്ഥിയുടെ ബാച്ച് നിർമ്മിക്കുക
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,ഉല്പാദനത്തിനുള്ള ട്രാൻസ്ഫർ അനുവദിക്കുക
 DocType: Leave Type,Is Carry Forward,മുന്നോട്ട് വിലക്കുണ്ടോ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM ൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM ൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ലീഡ് സമയം ദിനങ്ങൾ
 DocType: Cash Flow Mapping,Is Income Tax Expense,ആദായ നികുതി ചെലവ്
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,നിങ്ങളുടെ ഓർഡർ ഡെലിവറിക്ക് പുറത്താണ്!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},വരി # {0}: {1} പോസ്റ്റുചെയ്ത തീയതി വാങ്ങൽ തീയതി തുല്യമായിരിക്കണം ആസ്തിയുടെ {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,വിദ്യാർത്ഥി ഇൻസ്റ്റിറ്റ്യൂട്ട് ഹോസ്റ്റൽ വസിക്കുന്നു എങ്കിൽ ഈ പരിശോധിക്കുക.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,മുകളിലുള്ള പട്ടികയിൽ സെയിൽസ് ഓർഡറുകൾ നൽകുക
@@ -6918,10 +6991,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,തമ്മിൽ വെയർഹൗസിൽ നിന്ന് ഒരു അസറ്റ് കൈമാറൽ
 DocType: Vehicle,Petrol,പെട്രോൾ
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),ശേഷിക്കുന്ന ആനുകൂല്യങ്ങൾ (വാർഷികം)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,വസ്തുക്കൾ ബിൽ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,വസ്തുക്കൾ ബിൽ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},വരി {0}: പാർട്ടി ടൈപ്പ് പാർട്ടി സ്വീകാ / അടയ്ക്കേണ്ട അക്കൌണ്ട് {1} ആവശ്യമാണ്
 DocType: Employee,Leave Policy,നയം ഉപേക്ഷിക്കുക
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,ഇനങ്ങൾ അപ്ഡേറ്റ് ചെയ്യുക
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,ഇനങ്ങൾ അപ്ഡേറ്റ് ചെയ്യുക
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,റഫറൻസ് തീയതി
 DocType: Employee,Reason for Leaving,പോകാനുള്ള കാരണം
 DocType: BOM Operation,Operating Cost(Company Currency),ഓപ്പറേറ്റിങ് ചെലവ് (കമ്പനി കറൻസി)
@@ -6932,7 +7005,7 @@
 DocType: Department,Expense Approvers,ചെലവ് പരിധികൾ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},വരി {0}: ഡെബിറ്റ് എൻട്രി ഒരു {1} ലിങ്കുചെയ്തിരിക്കുന്നതിനാൽ ചെയ്യാൻ കഴിയില്ല
 DocType: Journal Entry,Subscription Section,സബ്സ്ക്രിപ്ഷൻ വിഭാഗം
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,അക്കൗണ്ട് {0} നിലവിലില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,അക്കൗണ്ട് {0} നിലവിലില്ല
 DocType: Training Event,Training Program,പരിശീലന പരിപാടി
 DocType: Account,Cash,ക്യാഷ്
 DocType: Employee,Short biography for website and other publications.,വെബ്സൈറ്റ് മറ്റ് പ്രസിദ്ധീകരണങ്ങളിൽ ഷോർട്ട് ജീവചരിത്രം.
diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv
index ca8a654..603fd86 100644
--- a/erpnext/translations/mr.csv
+++ b/erpnext/translations/mr.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,ग्राहक आयटम
 DocType: Project,Costing and Billing,भांडवलाच्या आणि बिलिंग
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},अॅडव्हान्स खाते चलन कंपनीचे चलन {0} प्रमाणेच असावे
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,खाते {0}: पालक खाते {1} एक लेजर असू शकत नाही
+DocType: QuickBooks Migrator,Token Endpoint,टोकन एंडपॉइंट
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,खाते {0}: पालक खाते {1} एक लेजर असू शकत नाही
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com करण्यासाठी आयटम प्रकाशित
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,सक्रिय सुट्टी कालावधी शोधू शकत नाही
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,सक्रिय सुट्टी कालावधी शोधू शकत नाही
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,मूल्यमापन
 DocType: Item,Default Unit of Measure,माप डीफॉल्ट युनिट
 DocType: SMS Center,All Sales Partner Contact,सर्व विक्री भागीदार संपर्क
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,जोडण्यासाठी Enter क्लिक करा
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","पासवर्ड, API की किंवा Shopify URL साठी गहाळ मूल्य"
 DocType: Employee,Rented,भाड्याने
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,सर्व खाती
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,सर्व खाती
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,दर्जा असलेल्या डावीकडील कर्मचार्याकडे हस्तांतरित करू शकत नाही
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","थांबविलेली  उत्पादन ऑर्डर रद्द करता येणार नाही, रद्द करण्यासाठी प्रथम ती Unstop करा"
 DocType: Vehicle Service,Mileage,मायलेज
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,आपण खरोखर या मालमत्ता स्क्रॅप इच्छित आहे का?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,आपण खरोखर या मालमत्ता स्क्रॅप इच्छित आहे का?
 DocType: Drug Prescription,Update Schedule,वेळापत्रक अद्यतनित करा
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,निवडा मुलभूत पुरवठादार
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,कर्मचारी दाखवा
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,नवीन विनिमय दर
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},चलन दर सूची आवश्यक आहे {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},चलन दर सूची आवश्यक आहे {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* व्यवहारामधे  हिशोब केला जाईल.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,ग्राहक संपर्क
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,हे या पुरवठादार विरुद्ध व्यवहार आधारित आहे. तपशीलासाठी खालील टाइमलाइन पाहू
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,कामाच्या मागणीसाठी वाढीचा दर
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,मॅट- LCV- .YYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,कायदेशीर
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,कायदेशीर
+DocType: Delivery Note,Transport Receipt Date,परिवहन पावती तारीख
 DocType: Shopify Settings,Sales Order Series,विक्री ऑर्डर मालिका
 DocType: Vital Signs,Tongue,जीभ
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,एचआरए सवलत
 DocType: Sales Invoice,Customer Name,ग्राहक नाव
 DocType: Vehicle,Natural Gas,नैसर्गिक वायू
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},बँक खाते म्हणून नावाच्या करणे शक्य नाही {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},बँक खाते म्हणून नावाच्या करणे शक्य नाही {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,वेतन संरचनानुसार एचआरए
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,प्रमुख (किंवा गट) ज्या लेखा नोंदी केले जातात व शिल्लक ठेवली आहेत.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),{0} साठीची बाकी   शून्य ({1}) पेक्षा कमी असू शकत नाही
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,सेवा प्रारंभ तारीख सेवा प्रारंभ तारीख आधी असू शकत नाही
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,सेवा प्रारंभ तारीख सेवा प्रारंभ तारीख आधी असू शकत नाही
 DocType: Manufacturing Settings,Default 10 mins,10 मि डीफॉल्ट
 DocType: Leave Type,Leave Type Name,रजा प्रकारचे नाव
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,खुल्या दर्शवा
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,खुल्या दर्शवा
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,मालिका यशस्वीपणे अद्यतनित
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,चेकआऊट
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{1} सत्रात {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{1} सत्रात {0}
 DocType: Asset Finance Book,Depreciation Start Date,घसारा प्रारंभ तारीख
 DocType: Pricing Rule,Apply On,रोजी लागू करा
 DocType: Item Price,Multiple Item prices.,एकाधिक आयटम भाव.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,समर्थन सेटिंग्ज
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,अपेक्षित अंतिम तारीख अपेक्षित प्रारंभ तारीख पेक्षा कमी असू शकत नाही
 DocType: Amazon MWS Settings,Amazon MWS Settings,ऍमेझॉन एमडब्लूएस सेटिंग्ज
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,रो # {0}: दर सारखाच असणे आवश्यक आहे {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,रो # {0}: दर सारखाच असणे आवश्यक आहे {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,बॅच बाबींचा कालावधी समाप्ती स्थिती
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,बँक ड्राफ्ट
 DocType: Journal Entry,ACC-JV-.YYYY.-,एसीसी-जेव्ही- .YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,प्राथमिक संपर्क तपशील
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,खुल्या समस्या
 DocType: Production Plan Item,Production Plan Item,उत्पादन योजना आयटम
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},सदस्य {0} आधीच कर्मचारी  {1} ला  नियुक्त केले आहे
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},सदस्य {0} आधीच कर्मचारी  {1} ला  नियुक्त केले आहे
 DocType: Lab Test Groups,Add new line,नवीन ओळ जोडा
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,हेल्थ केअर
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),भरणा विलंब (दिवस)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,लॅब प्रिस्क्रिप्शन
 ,Delay Days,विलंब दिवस
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,सेवा खर्च
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},अनुक्रमांक: {0} आधीच विक्री चलन संदर्भ आहे: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},अनुक्रमांक: {0} आधीच विक्री चलन संदर्भ आहे: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,चलन
 DocType: Purchase Invoice Item,Item Weight Details,आयटम वजन तपशील
 DocType: Asset Maintenance Log,Periodicity,ठराविक मुदतीने पुन: पुन्हा उगवणे
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,आर्थिक वर्ष {0} आवश्यक आहे
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,पुरवठादार&gt; पुरवठादार गट
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,इष्टतम वाढीसाठी वनस्पतींच्या पंक्तींमधील किमान अंतर
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,संरक्षण
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,सुट्टी यादी
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,लेखापाल
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,किंमत सूची विक्री
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,किंमत सूची विक्री
 DocType: Patient,Tobacco Current Use,तंबाखू वर्तमान वापर
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,विक्री दर
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,विक्री दर
 DocType: Cost Center,Stock User,शेअर सदस्य
 DocType: Soil Analysis,(Ca+Mg)/K,(सीए + एमजी) / के
+DocType: Delivery Stop,Contact Information,संपर्क माहिती
 DocType: Company,Phone No,फोन नाही
 DocType: Delivery Trip,Initial Email Notification Sent,आरंभिक ईमेल सूचना पाठविले
 DocType: Bank Statement Settings,Statement Header Mapping,स्टेटमेंट शीर्षलेख मॅपिंग
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,सदस्यता प्रारंभ तारीख
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,अपॉइंटमेंट शुल्कास बुक करण्यासाठी रुग्णांमध्ये सेट न केल्यास डिफॉल्ट प्राप्य खाते.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","दोन स्तंभ, जुना नाव आणि एक नवीन नाव एक .csv फाइल संलग्न"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,पत्त्यावरून 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,आयटम कोड&gt; आयटम गट&gt; ब्रँड
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,पत्त्यावरून 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} कोणत्याही सक्रिय आर्थिक वर्षात.
 DocType: Packed Item,Parent Detail docname,पालक तपशील docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","संदर्भ: {0}, आयटम कोड: {1} आणि ग्राहक: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} मूळ कंपनीत नाही
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} मूळ कंपनीत नाही
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,चाचणी कालावधी समाप्ती तारीख चाचणी कालावधी प्रारंभ दिनांक आधी होऊ शकत नाही
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,किलो
 DocType: Tax Withholding Category,Tax Withholding Category,करसवलक्षण श्रेणी
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,जाहिरात
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,त्याच कंपनीने  एका  पेक्षा अधिक प्रवेश केला आहे
 DocType: Patient,Married,लग्न
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} ला परवानगी नाही
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} ला परवानगी नाही
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,आयटम मिळवा
 DocType: Price List,Price Not UOM Dependant,किंमत नाही UOM अवलंबित्व
 DocType: Purchase Invoice,Apply Tax Withholding Amount,कर रोकत रक्कम लागू करा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},शेअर वितरण टीप विरुद्ध अद्यतनित करणे शक्य नाही {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,एकूण रक्कम श्रेय
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},शेअर वितरण टीप विरुद्ध अद्यतनित करणे शक्य नाही {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,एकूण रक्कम श्रेय
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},उत्पादन {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,कोणतेही आयटम सूचीबद्ध
 DocType: Asset Repair,Error Description,त्रुटी वर्णन
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,कस्टम कॅश फ्लो स्वरूप वापरा
 DocType: SMS Center,All Sales Person,सर्व विक्री व्यक्ती
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** मासिक वितरण ** आपण आपल्या व्यवसायात हंगामी असेल तर बजेट / लक्ष्य महिने ओलांडून वितरण मदत करते.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,नाही आयटम आढळला
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,पगार संरचना गहाळ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,नाही आयटम आढळला
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,पगार संरचना गहाळ
 DocType: Lead,Person Name,व्यक्ती नाव
 DocType: Sales Invoice Item,Sales Invoice Item,विक्री चलन आयटम
 DocType: Account,Credit,क्रेडिट
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,शेअर अहवाल
 DocType: Warehouse,Warehouse Detail,वखार तपशील
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,मुदत समाप्ती तारीख नंतर जे मुदत लिंक आहे शैक्षणिक वर्ष वर्ष अंतिम तारीख पेक्षा असू शकत नाही (शैक्षणिक वर्ष {}). तारखा दुरुस्त करा आणि पुन्हा प्रयत्न करा.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;मुदत मालमत्ता आहे&quot; मालमत्ता रेकॉर्ड आयटम विरुद्ध अस्तित्वात आहे म्हणून, अनचेक केले जाऊ शकत नाही"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;मुदत मालमत्ता आहे&quot; मालमत्ता रेकॉर्ड आयटम विरुद्ध अस्तित्वात आहे म्हणून, अनचेक केले जाऊ शकत नाही"
 DocType: Delivery Trip,Departure Time,प्रस्थानाची वेळ
 DocType: Vehicle Service,Brake Oil,ब्रेक तेल
 DocType: Tax Rule,Tax Type,कर प्रकार
 ,Completed Work Orders,पूर्ण झालेले कार्य ऑर्डर
 DocType: Support Settings,Forum Posts,फोरम पोस्ट
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,करपात्र रक्कम
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,करपात्र रक्कम
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},आपल्याला आधी नोंदी जमा करण्यासाठी  किंवा सुधारणा करण्यासाठी अधिकृत नाही {0}
 DocType: Leave Policy,Leave Policy Details,पॉलिसीचे तपशील द्या
 DocType: BOM,Item Image (if not slideshow),आयटम प्रतिमा (स्लाईड शो नसेल  तर)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(तास रेट / 60) * प्रत्यक्ष ऑपरेशन वेळ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: संदर्भ दस्तऐवज प्रकार हा खर्च दावा किंवा जर्नल एंट्री असावा
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM निवडा
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: संदर्भ दस्तऐवज प्रकार हा खर्च दावा किंवा जर्नल एंट्री असावा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM निवडा
 DocType: SMS Log,SMS Log,एसएमएस लॉग
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,वितरित केले आयटम खर्च
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} वरील  सुट्टी तारखेपासून आणि तारखेपर्यंत  च्या दरम्यान नाही
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,पुरवठादार स्टँडिंगच्या टेम्पलेट्स.
 DocType: Lead,Interested,इच्छुक
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,उघडणे
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},{0} पासून आणि {1} पर्यंत
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},{0} पासून आणि {1} पर्यंत
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,कार्यक्रम:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,कर सेट करण्यात अयशस्वी
 DocType: Item,Copy From Item Group,आयटम गट पासून कॉपी
-DocType: Delivery Trip,Delivery Notification,वितरण सूचना
 DocType: Journal Entry,Opening Entry,उघडणे प्रवेश
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,केवळ खाते वेतन
 DocType: Loan,Repay Over Number of Periods,"कालावधी, म्हणजे क्रमांक परत फेड करा"
 DocType: Stock Entry,Additional Costs,अतिरिक्त खर्च
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,विद्यमान व्यवहार खाते गट मधे रूपांतरीत केले जाऊ शकत नाही.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,विद्यमान व्यवहार खाते गट मधे रूपांतरीत केले जाऊ शकत नाही.
 DocType: Lead,Product Enquiry,उत्पादन चौकशी
 DocType: Education Settings,Validate Batch for Students in Student Group,विद्यार्थी गट मध्ये विद्यार्थ्यांसाठी बॅच प्रमाणित
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},रजा रेकॉर्ड कर्मचारी आढळला नाही {0} साठी {1}
@@ -258,7 +258,7 @@
 यादी  प्रविष्ट करा"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,कृपया पहिले कंपनी निवडा
 DocType: Employee Education,Under Graduate,पदवीधर अंतर्गत
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,कृपया एचआर सेटिंग्जमध्ये रजा स्थिती सूचना देण्यासाठी डीफॉल्ट टेम्पलेट सेट करा.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,कृपया एचआर सेटिंग्जमध्ये रजा स्थिती सूचना देण्यासाठी डीफॉल्ट टेम्पलेट सेट करा.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,लक्ष्य रोजी
 DocType: BOM,Total Cost,एकूण खर्च
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -271,7 +271,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,खाते स्टेटमेंट
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,फार्मास्युटिकल्स
 DocType: Purchase Invoice Item,Is Fixed Asset,मुदत मालमत्ता आहे
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","उपलब्ध प्रमाण आहे {0}, आपल्याला आवश्यक {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","उपलब्ध प्रमाण आहे {0}, आपल्याला आवश्यक {1}"
 DocType: Expense Claim Detail,Claim Amount,दाव्याची रक्कम
 DocType: Patient,HLC-PAT-.YYYY.-,एचएलसी-पीएटी-. वाई वाई वाई.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},वर्क ऑर्डर {0} आहे
@@ -305,13 +305,13 @@
 DocType: BOM,Quality Inspection Template,गुणवत्ता निरीक्षण साचा
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",आपण उपस्थिती अद्यतनित करू इच्छिता का? <br> सादर करा: {0} \ <br> अनुपस्थित: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},प्रमाण नाकारलेले + स्वीकारले आयटम साठी प्राप्त प्रमाण समान असणे आवश्यक आहे {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},प्रमाण नाकारलेले + स्वीकारले आयटम साठी प्राप्त प्रमाण समान असणे आवश्यक आहे {0}
 DocType: Item,Supply Raw Materials for Purchase,पुरवठा कच्चा माल खरेदी
 DocType: Agriculture Analysis Criteria,Fertilizer,खते
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",सीरीयल नुसार डिलिव्हरीची खात्री करणे शक्य नाही कारण \ आयटम {0} सह आणि \ Serial No. द्वारे डिलिव्हरी सुनिश्चित केल्याशिवाय जोडली आहे.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,पैसे किमान एक मोड POS चलन आवश्यक आहे.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,पैसे किमान एक मोड POS चलन आवश्यक आहे.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,बँक स्टेटमेंट व्यवहार इनवॉइस आयटम
 DocType: Products Settings,Show Products as a List,उत्पादने शो सूची
 DocType: Salary Detail,Tax on flexible benefit,लवचिक लाभांवर कर
@@ -322,14 +322,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,डिफ अंदाजे
 DocType: Production Plan,Material Request Detail,साहित्य विनंती तपशील
 DocType: Selling Settings,Default Quotation Validity Days,डीफॉल्ट कोटेशन वैधता दिवस
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","आयटम दर सलग {0} मधे कर समाविष्ट करण्यासाठी, पंक्ती मध्ये कर {1} समाविष्ट करणे आवश्यक आहे"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","आयटम दर सलग {0} मधे कर समाविष्ट करण्यासाठी, पंक्ती मध्ये कर {1} समाविष्ट करणे आवश्यक आहे"
 DocType: SMS Center,SMS Center,एसएमएस केंद्र
 DocType: Payroll Entry,Validate Attendance,उपस्थिततेचे प्रमाणिकरण करा
 DocType: Sales Invoice,Change Amount,रक्कम बदल
 DocType: Party Tax Withholding Config,Certificate Received,प्रमाणपत्र प्राप्त झाले
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C साठी बीजक मूल्य सेट करा बी 2 सीसी आणि बीसीसीएस या चलन मूल्याच्या आधारावर मोजले जातात.
 DocType: BOM Update Tool,New BOM,नवीन BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,विहित कार्यपद्धती
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,विहित कार्यपद्धती
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,केवळ POS दर्शवा
 DocType: Supplier Group,Supplier Group Name,पुरवठादार गट नाव
 DocType: Driver,Driving License Categories,ड्रायव्हिंग लायसेन्स श्रेण्या
@@ -344,7 +344,7 @@
 DocType: Payroll Period,Payroll Periods,वेतनपट कालावधी
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,कर्मचारी करा
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,प्रसारण
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),पीओएसची सेटअप मोड (ऑनलाइन / ऑफलाइन)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),पीओएसची सेटअप मोड (ऑनलाइन / ऑफलाइन)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,कार्य ऑर्डर विरुद्ध वेळ लॉग तयार करणे अक्षम करते कार्य ऑर्डर विरुद्ध ऑपरेशन्सचा मागोवा घेतला जाणार नाही
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,कार्यवाही
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ऑपरेशन तपशील चालते.
@@ -378,7 +378,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),दर सूची रेट सूट (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,आयटम टेम्पलेट
 DocType: Job Offer,Select Terms and Conditions,अटी आणि नियम निवडा
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,मूल्य Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,मूल्य Qty
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,बँक स्टेटमेंट सेटिंग्ज आयटम
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce सेटिंग्ज
 DocType: Production Plan,Sales Orders,विक्री ऑर्डर
@@ -391,20 +391,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,अवतरण विनंती खालील लिंक वर क्लिक करून प्रवेश करणे शक्य
 DocType: SG Creation Tool Course,SG Creation Tool Course,एस निर्मिती साधन कोर्स
 DocType: Bank Statement Transaction Invoice Item,Payment Description,देयक वर्णन
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,अपुरा शेअर
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,अपुरा शेअर
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,क्षमता नियोजन आणि वेळ ट्रॅकिंग अक्षम करा
 DocType: Email Digest,New Sales Orders,नवी विक्री ऑर्डर
 DocType: Bank Account,Bank Account,बँक खाते
 DocType: Travel Itinerary,Check-out Date,चेक-आउट तारीख
 DocType: Leave Type,Allow Negative Balance,नकारात्मक शिल्लक परवानगी द्या
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',आपण प्रोजेक्ट प्रकार &#39;बाह्य&#39; हटवू शकत नाही
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,वैकल्पिक आयटम निवडा
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,वैकल्पिक आयटम निवडा
 DocType: Employee,Create User,वापरकर्ता तयार करा
 DocType: Selling Settings,Default Territory,मुलभूत प्रदेश
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,दूरदर्शन
 DocType: Work Order Operation,Updated via 'Time Log',&#39;वेळ लॉग&#39; द्वारे अद्यतनित
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ग्राहक किंवा पुरवठादार निवडा.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},आगाऊ रक्कम पेक्षा जास्त असू शकत नाही {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},आगाऊ रक्कम पेक्षा जास्त असू शकत नाही {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","वेळ स्लॉट वगळण्यात आला, स्लॉट {0} ते {1} ओव्हलजिंग स्लॉट {2} ते {3} ओव्हरलॅप"
 DocType: Naming Series,Series List for this Transaction,या व्यवहारासाठी मालिका यादी
 DocType: Company,Enable Perpetual Inventory,शा्वत यादी सक्षम
@@ -425,7 +425,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,विक्री चलन आयटम विरुद्ध
 DocType: Agriculture Analysis Criteria,Linked Doctype,दुवा साधलेला Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,आर्थिक निव्वळ रोख
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage पूर्ण आहे, जतन नाही"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage पूर्ण आहे, जतन नाही"
 DocType: Lead,Address & Contact,पत्ता व संपर्क
 DocType: Leave Allocation,Add unused leaves from previous allocations,मागील वाटप पासून न वापरलेल्या पाने जोडा
 DocType: Sales Partner,Partner website,भागीदार वेबसाइट
@@ -448,10 +448,10 @@
 ,Open Work Orders,ओपन वर्क ऑर्डर
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,आउट पेशंट कन्सल्टिंग चाजेस
 DocType: Payment Term,Credit Months,क्रेडिट महीना
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,निव्वळ वेतन 0 पेक्षा कमी असू शकत नाही
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,निव्वळ वेतन 0 पेक्षा कमी असू शकत नाही
 DocType: Contract,Fulfilled,पूर्ण
 DocType: Inpatient Record,Discharge Scheduled,अनुसूचित अनुसूचित
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,relieving तारीख  प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,relieving तारीख  प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे
 DocType: POS Closing Voucher,Cashier,रोखपाल
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,रजा वर्ष प्रति
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,रो {0}: कृपया  ' आगाऊ आहे' खाते {1} विरुद्ध  ही  एक आगाऊ नोंद असेल  तर तपासा.
@@ -462,15 +462,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,विद्यार्थी गटांद्वारे विद्यार्थी सेट करा
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,पूर्ण नोकरी
 DocType: Item Website Specification,Item Website Specification,आयटम वेबसाइट तपशील
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,रजा अवरोधित
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},आयटम {0} ने त्याच्या जीवनाचा शेवट  {1} वर गाठला  आहे
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,रजा अवरोधित
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},आयटम {0} ने त्याच्या जीवनाचा शेवट  {1} वर गाठला  आहे
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,बँक नोंदी
 DocType: Customer,Is Internal Customer,अंतर्गत ग्राहक आहे
 DocType: Crop,Annual,वार्षिक
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","आपोआप निवड केल्यास, ग्राहक आपोआप संबंधित लॉयल्टी प्रोग्रामशी (सेव्ह) वर जोडले जाईल."
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,शेअर मेळ आयटम
 DocType: Stock Entry,Sales Invoice No,विक्री चलन क्रमांक
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,पुरवठा प्रकार
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,पुरवठा प्रकार
 DocType: Material Request Item,Min Order Qty,किमान ऑर्डर Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,विद्यार्थी गट तयार साधन कोर्स
 DocType: Lead,Do Not Contact,संपर्क करू नका
@@ -484,14 +484,14 @@
 DocType: Item,Publish in Hub,हब मध्ये प्रकाशित
 DocType: Student Admission,Student Admission,विद्यार्थी प्रवेश
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} आयटम रद्द
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} आयटम रद्द
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,घसारा रो {0}: घसारा प्रारंभ तारीख मागील तारखेला दिली आहे
 DocType: Contract Template,Fulfilment Terms and Conditions,Fulfillment नियम आणि अटी
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,साहित्य विनंती
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,साहित्य विनंती
 DocType: Bank Reconciliation,Update Clearance Date,अद्यतन लाभ तारीख
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,खरेदी तपशील
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},आयटम {0} खरेदी ऑर्डर {1} मध्ये ' कच्चा माल पुरवठा ' टेबल मध्ये आढळला  नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},आयटम {0} खरेदी ऑर्डर {1} मध्ये ' कच्चा माल पुरवठा ' टेबल मध्ये आढळला  नाही
 DocType: Salary Slip,Total Principal Amount,एकूण मुद्दल रक्कम
 DocType: Student Guardian,Relation,नाते
 DocType: Student Guardian,Mother,आई
@@ -536,10 +536,11 @@
 DocType: Tax Rule,Shipping County,शिपिंग परगणा
 DocType: Currency Exchange,For Selling,विक्रीसाठी
 apps/erpnext/erpnext/config/desktop.py +159,Learn,जाणून घ्या
+DocType: Purchase Invoice Item,Enable Deferred Expense,डीफर्ड व्यय सक्षम करा
 DocType: Asset,Next Depreciation Date,पुढील घसारा दिनांक
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,कर्मचारी दर क्रियाकलाप खर्च
 DocType: Accounts Settings,Settings for Accounts,खाती सेटिंग्ज
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},पुरवठादार चलन कोणतेही चलन खरेदी अस्तित्वात {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},पुरवठादार चलन कोणतेही चलन खरेदी अस्तित्वात {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,विक्री व्यक्ती वृक्ष व्यवस्थापित करा.
 DocType: Job Applicant,Cover Letter,कव्हर पत्र
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,थकबाकी चेक आणि स्पष्ट ठेवी
@@ -554,7 +555,7 @@
 DocType: Employee,External Work History,बाह्य कार्य इतिहास
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,परिपत्रक संदर्भ त्रुटी
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,विद्यार्थी अहवाल कार्ड
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,पिन कोडवरून
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,पिन कोडवरून
 DocType: Appointment Type,Is Inpatient,रुग्णाची तक्रार आहे
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 नाव
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,शब्दा मध्ये   ( निर्यात करा) डिलिव्हरी टीप एकदा save केल्यावर दृश्यमान होईल
@@ -569,18 +570,19 @@
 DocType: Journal Entry,Multi Currency,मल्टी चलन
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,चलन प्रकार
 DocType: Employee Benefit Claim,Expense Proof,खर्चाचा पुरावा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,डिलिव्हरी टीप
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},जतन करीत आहे {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,डिलिव्हरी टीप
 DocType: Patient Encounter,Encounter Impression,एन्काउंटर इंप्रेशन
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,कर सेट अप
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,विक्री मालमत्ता खर्च
 DocType: Volunteer,Morning,मॉर्निंग
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,तुम्ही तो pull केल्यानंतर भरणा प्रवेशात   सुधारणा करण्यात आली आहे. तो पुन्हा  खेचा.
 DocType: Program Enrollment Tool,New Student Batch,नवीन विद्यार्थी बॅच
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ने आयटम कर दोनदा प्रवेश केला
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,या आठवड्यासाठी  आणि प्रलंबित उपक्रम सारांश
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ने आयटम कर दोनदा प्रवेश केला
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,या आठवड्यासाठी  आणि प्रलंबित उपक्रम सारांश
 DocType: Student Applicant,Admitted,दाखल
 DocType: Workstation,Rent Cost,भाडे खर्च
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,घसारा केल्यानंतर रक्कम
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,घसारा केल्यानंतर रक्कम
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,आगामी कॅलेंडर इव्हेंट
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,जिच्यामध्ये variant विशेषता
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,कृपया महिना आणि वर्ष निवडा
@@ -618,8 +620,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},{0} {1} मधे प्रत्येक  कंपनीला 1 खाते असू शकते
 DocType: Support Search Source,Response Result Key Path,प्रतिसाद परिणाम की पथ
 DocType: Journal Entry,Inter Company Journal Entry,आंतर कंपनी जर्नल प्रवेश
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},कार्यक्षेत्र {0} साठी काम करणा-या संख्येपेक्षा कमी नसावे {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,कृपया संलग्नक पहा
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},कार्यक्षेत्र {0} साठी काम करणा-या संख्येपेक्षा कमी नसावे {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,कृपया संलग्नक पहा
 DocType: Purchase Order,% Received,% मिळाले
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,विद्यार्थी गट तयार करा
 DocType: Volunteer,Weekends,आठवड्याचे शेवटचे दिवस
@@ -661,7 +663,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,एकूण शिल्लक
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,विद्यमान मालिकेत सुरू / वर्तमान क्रम संख्या बदला.
 DocType: Dosage Strength,Strength,सामर्थ्य
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,एक नवीन ग्राहक तयार करा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,एक नवीन ग्राहक तयार करा
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,कालबाह्य होत आहे
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","अनेक किंमत नियम विजय सुरू केल्यास, वापरकर्त्यांना संघर्षाचे निराकरण करण्यासाठी स्वतः प्राधान्य सेट करण्यास सांगितले जाते."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,खरेदी ऑर्डर तयार करा
@@ -672,17 +674,18 @@
 DocType: Workstation,Consumable Cost,Consumable खर्च
 DocType: Purchase Receipt,Vehicle Date,वाहन तारीख
 DocType: Student Log,Medical,वैद्यकीय
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,तोट्याचे  कारण
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,ड्रग निवडा
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,तोट्याचे  कारण
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,ड्रग निवडा
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,आघाडी मालक लीड म्हणून समान असू शकत नाही
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,रक्कम unadjusted रक्कम अधिक करू शकता
 DocType: Announcement,Receiver,स्वीकारणारा
 DocType: Location,Area UOM,क्षेत्र UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},वर्कस्टेशन सुट्टी यादी नुसार खालील तारखांना बंद आहे: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,संधी
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,संधी
 DocType: Lab Test Template,Single,सिंगल
 DocType: Compensatory Leave Request,Work From Date,कामाची तारीख
 DocType: Salary Slip,Total Loan Repayment,एकूण कर्ज परतफेड
+DocType: Project User,View attachments,संलग्नक पहा
 DocType: Account,Cost of Goods Sold,माल किंमत विक्री
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,खर्च केंद्र प्रविष्ट करा
 DocType: Drug Prescription,Dosage,डोस
@@ -693,7 +696,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,प्रमाण आणि दर
 DocType: Delivery Note,% Installed,% स्थापित
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,वर्ग / प्रयोगशाळा इत्यादी व्याख्याने होणार जाऊ शकतात.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,दोन्ही कंपन्यांची कंपनीची चलने इंटर कंपनी व्यवहारांसाठी जुळतात.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,दोन्ही कंपन्यांची कंपनीची चलने इंटर कंपनी व्यवहारांसाठी जुळतात.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,पहिल्या कंपनीचे नाव प्रविष्ट करा
 DocType: Travel Itinerary,Non-Vegetarian,नॉन-शाकाहारी
 DocType: Purchase Invoice,Supplier Name,पुरवठादार नाव
@@ -703,7 +706,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,तात्पुरता धरून ठेवा
 DocType: Account,Is Group,गट आहे
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,क्रेडिट नोट {0} स्वयंचलितरित्या तयार करण्यात आली आहे
-DocType: Email Digest,Pending Purchase Orders,खरेदी प्रलंबित आदेश
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,FIFO आधारित सिरिअल संख्या आपोआप सेट करा
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,चेक पुरवठादार चलन क्रमांक वैशिष्ट्य
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,प्राथमिक पत्ता तपशील
@@ -721,12 +723,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,प्रास्ताविक मजकूर सानुकूलित करा जो ईमेलचा  एक भाग म्हणून जातो.   प्रत्येक व्यवहाराला स्वतंत्र प्रास्ताविक मजकूर आहे.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},रो {0}: कच्चा माल आयटम {1} विरूद्ध ऑपरेशन आवश्यक आहे
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},कंपनी मुलभूत देय खाते सेट करा {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},स्टॉप वर्क ऑर्डर {0} विरुद्ध व्यवहाराला परवानगी नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},स्टॉप वर्क ऑर्डर {0} विरुद्ध व्यवहाराला परवानगी नाही
 DocType: Setup Progress Action,Min Doc Count,किमान डॉक्टर संख्या
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,सर्व उत्पादन प्रक्रिया साठीचे ग्लोबल सेटिंग्ज.
 DocType: Accounts Settings,Accounts Frozen Upto,खाती फ्रोजन पर्यंत
 DocType: SMS Log,Sent On,रोजी पाठविले
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,विशेषता {0} विशेषता टेबल अनेक वेळा निवडले
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,विशेषता {0} विशेषता टेबल अनेक वेळा निवडले
 DocType: HR Settings,Employee record is created using selected field. ,कर्मचारी रेकॉर्ड निवडलेले  फील्ड वापरून तयार आहे.
 DocType: Sales Order,Not Applicable,लागू नाही
 DocType: Amazon MWS Settings,UK,यूके
@@ -755,21 +757,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,कर्मचारी {0} आधीपासून {2} वर {1} साठी लागू केले आहे:
 DocType: Inpatient Record,AB Positive,अबाला सकारात्मक
 DocType: Job Opening,Description of a Job Opening,एक जॉब ओपनिंग वर्णन
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,आज प्रलंबित उपक्रम
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,आज प्रलंबित उपक्रम
 DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet आधारित उपयोग पे रोल पगार घटक.
+DocType: Driver,Applicable for external driver,बाह्य ड्राइव्हरसाठी लागू
 DocType: Sales Order Item,Used for Production Plan,उत्पादन योजना करीता वापरले जाते
 DocType: Loan,Total Payment,एकूण भरणा
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,पूर्ण वर्क ऑर्डरसाठी व्यवहार रद्द करू शकत नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,पूर्ण वर्क ऑर्डरसाठी व्यवहार रद्द करू शकत नाही
 DocType: Manufacturing Settings,Time Between Operations (in mins),(मि) प्रक्रिये च्या  दरम्यानची  वेळ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO सर्व विक्रय ऑर्डर आयटमसाठी आधीच तयार केले आहे
 DocType: Healthcare Service Unit,Occupied,व्यापलेल्या
 DocType: Clinical Procedure,Consumables,उपभोग्यता
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} कारवाई पूर्ण करणे शक्य नाही रद्द
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} कारवाई पूर्ण करणे शक्य नाही रद्द
 DocType: Customer,Buyer of Goods and Services.,वस्तू आणि सेवा खरेदीदार.
 DocType: Journal Entry,Accounts Payable,देय खाती
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,या देयक विनंतीमध्ये सेट केलेल्या {0} ची रक्कम सर्व देयक योजनांच्या गणना केलेल्या रकमेपेक्षा भिन्न आहे: {1}. दस्तऐवज सबमिट करण्यापूर्वी हे बरोबर आहे हे सुनिश्चित करा.
 DocType: Patient,Allergies,ऍलर्जी
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,निवडलेले BOMs सारख्या आयटमसाठी  नाहीत
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,निवडलेले BOMs सारख्या आयटमसाठी  नाहीत
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,आयटम कोड बदला
 DocType: Supplier Scorecard Standing,Notify Other,इतरांना सूचित करा
 DocType: Vital Signs,Blood Pressure (systolic),रक्तदाब (सिस्टल)
@@ -781,7 +784,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,बिल्ड पुरेसे भाग
 DocType: POS Profile User,POS Profile User,पीओएस प्रोफाइल वापरकर्ता
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,पंक्ती {0}: घसारा प्रारंभ तारीख आवश्यक आहे
-DocType: Sales Invoice Item,Service Start Date,सेवा प्रारंभ तारीख
+DocType: Purchase Invoice Item,Service Start Date,सेवा प्रारंभ तारीख
 DocType: Subscription Invoice,Subscription Invoice,सदस्यता बीजक
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,थेट उत्पन्न
 DocType: Patient Appointment,Date TIme,तारीख वेळ
@@ -801,7 +804,7 @@
 DocType: Lab Test Template,Lab Routine,लॅब नियमानुसार
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,सौंदर्यप्रसाधन
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,पूर्ण संपत्तीची पूर्तता कराराची पूर्ण तारीख निवडा
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","विलीन करण्यासाठी, खालील गुणधर्म दोन्ही आयटम समान असणे आवश्यक आहे"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","विलीन करण्यासाठी, खालील गुणधर्म दोन्ही आयटम समान असणे आवश्यक आहे"
 DocType: Supplier,Block Supplier,ब्लॉक पुरवठादार
 DocType: Shipping Rule,Net Weight,नेट वजन
 DocType: Job Opening,Planned number of Positions,नियोजित पोझिशन्स संख्या
@@ -823,19 +826,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,रोख प्रवाह मॅपिंग टेम्पलेट
 DocType: Travel Request,Costing Details,कॉस्टिंग तपशील
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,दाखवा प्रविष्ट्या दर्शवा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,सिरियल नाही आयटम एक अपूर्णांक असू शकत नाही
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,सिरियल नाही आयटम एक अपूर्णांक असू शकत नाही
 DocType: Journal Entry,Difference (Dr - Cr),फरक  (Dr - Cr)
 DocType: Bank Guarantee,Providing,पुरविणे
 DocType: Account,Profit and Loss,नफा व तोटा
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","परवानगी नाही, आवश्यक म्हणून लॅब टेस्ट टेम्पलेट कॉन्फिगर करा"
 DocType: Patient,Risk Factors,धोका कारक
 DocType: Patient,Occupational Hazards and Environmental Factors,व्यावसायिक धोका आणि पर्यावरणीय घटक
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,कार्य मागणीसाठी आधीपासून तयार केलेल्या स्टॉक प्रविष्ट्या
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,कार्य मागणीसाठी आधीपासून तयार केलेल्या स्टॉक प्रविष्ट्या
 DocType: Vital Signs,Respiratory rate,श्वसन दर
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,व्यवस्थापकीय Subcontracting
 DocType: Vital Signs,Body Temperature,शरीराचे तापमान
 DocType: Project,Project will be accessible on the website to these users,"प्रकल्प या वापरकर्त्यांना वेबसाइटवर उपलब्ध राहील,"
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} रद्द करू शकत नाही कारण सीरियल नं {2} वेअरहाऊसचे नाही {3}
 DocType: Detected Disease,Disease,आजार
+DocType: Company,Default Deferred Expense Account,डीफॉल्ट डेफर्ड एक्स्पेन्शन खाते
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,प्रकल्प प्रकार परिभाषित करा.
 DocType: Supplier Scorecard,Weighting Function,भार कार्य
 DocType: Healthcare Practitioner,OP Consulting Charge,ओपी सल्लागार शुल्क
@@ -852,7 +857,7 @@
 DocType: Crop,Produced Items,उत्पादित वस्तू
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,बीजकांवरील व्यवहार जुळवा
 DocType: Sales Order Item,Gross Profit,निव्वळ नफा
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,बीजक अनावरोधित करा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,बीजक अनावरोधित करा
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,बढती 0 असू शकत नाही
 DocType: Company,Delete Company Transactions,कंपनी व्यवहार हटवा
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ व संदर्भ तारीख बँक व्यवहार अनिवार्य आहे
@@ -873,11 +878,11 @@
 DocType: Budget,Ignore,दुर्लक्ष करा
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} सक्रिय नाही
 DocType: Woocommerce Settings,Freight and Forwarding Account,भाड्याने घेणे आणि अग्रेषण खाते
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,मुद्रणासाठी सेटअप तपासणी परिमाणे
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,मुद्रणासाठी सेटअप तपासणी परिमाणे
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,वेतन स्लिप तयार करा
 DocType: Vital Signs,Bloated,फुगलेला
 DocType: Salary Slip,Salary Slip Timesheet,पगाराच्या स्लिप्स Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप-करारबद्ध खरेदी पावती बंधनकारक पुरवठादार कोठार
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप-करारबद्ध खरेदी पावती बंधनकारक पुरवठादार कोठार
 DocType: Item Price,Valid From,पासून पर्यंत वैध
 DocType: Sales Invoice,Total Commission,एकूण आयोग
 DocType: Tax Withholding Account,Tax Withholding Account,करधारणा खाते
@@ -885,12 +890,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,सर्व पुरवठादार स्कोरकार्ड
 DocType: Buying Settings,Purchase Receipt Required,खरेदी पावती आवश्यक
 DocType: Delivery Note,Rail,रेल्वे
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,{0} पंक्तीमधील लक्ष्य वेअरहाऊस कामाचे ऑर्डर प्रमाणेच असणे आवश्यक आहे
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,शेअर उघडत प्रविष्ट केले असतील तर मूल्यांकन दर अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,{0} पंक्तीमधील लक्ष्य वेअरहाऊस कामाचे ऑर्डर प्रमाणेच असणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,शेअर उघडत प्रविष्ट केले असतील तर मूल्यांकन दर अनिवार्य आहे
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,चलन टेबल मधे  रेकॉर्ड आढळले नाहीत
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,कृपया पहिले कंपनी आणि पक्षाचे प्रकार निवडा
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","उपयोक्त्यास {0} साठी आधीच {0} प्रोफाईल प्रोफाइलमध्ये सेट केले आहे, कृपया दिलगिरी अक्षम"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,आर्थिक / लेखा वर्षी.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,आर्थिक / लेखा वर्षी.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,जमा मूल्ये
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","क्षमस्व, सिरीयल क्रमांक विलीन करणे शक्य नाही"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify मधील ग्राहकांना समक्रमित करताना ग्राहक गट निवडलेल्या गटात सेट होईल
@@ -904,7 +909,7 @@
 ,Lead Id,लीड आयडी
 DocType: C-Form Invoice Detail,Grand Total,एकूण
 DocType: Assessment Plan,Course,कोर्स
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,विभाग कोड
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,विभाग कोड
 DocType: Timesheet,Payslip,वेतनाच्या पाकिटात वेतनाचा तपशील असलेला कागद
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,अर्ध्या दिवसाची तारीख तारीख आणि तारीख दरम्यान असणे आवश्यक आहे
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,आयटम टाका
@@ -913,7 +918,8 @@
 DocType: Employee,Personal Bio,वैयक्तिक जैव
 DocType: C-Form,IV,चौथा
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,सदस्यता आयडी
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},वितरित: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},वितरित: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,क्विकबुकशी कनेक्ट केले
 DocType: Bank Statement Transaction Entry,Payable Account,देय खाते
 DocType: Payment Entry,Type of Payment,भरणा प्रकार
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,अर्धा दिवस दिनांक अनिवार्य आहे
@@ -925,7 +931,7 @@
 DocType: Sales Invoice,Shipping Bill Date,शिपिंग बिल तारीख
 DocType: Production Plan,Production Plan,उत्पादन योजना
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,चलन तयार करण्याचे साधन
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,विक्री परत
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,विक्री परत
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,टीप: एकूण वाटप पाने {0} आधीच मंजूर पाने कमी असू नये {1} कालावधीसाठी
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,अनुक्रमांक इनपुटवर आधारित व्यवहारांची संख्या सेट करा
 ,Total Stock Summary,एकूण शेअर सारांश
@@ -938,9 +944,9 @@
 DocType: Authorization Rule,Customer or Item,ग्राहक किंवा आयटम
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,ग्राहक डेटाबेस.
 DocType: Quotation,Quotation To,करण्यासाठी कोटेशन
-DocType: Lead,Middle Income,मध्यम उत्पन्न
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,मध्यम उत्पन्न
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),उघडणे (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आपण अगोदरच काही व्यवहार (चे) दुसर्या UOM केलेल्या कारण {0} थेट बदलले करू शकत नाही आयटम माप मुलभूत युनिट जाईल. आपण वेगळी डीफॉल्ट UOM वापरण्यासाठी एक नवीन आयटम तयार करणे आवश्यक आहे.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आपण अगोदरच काही व्यवहार (चे) दुसर्या UOM केलेल्या कारण {0} थेट बदलले करू शकत नाही आयटम माप मुलभूत युनिट जाईल. आपण वेगळी डीफॉल्ट UOM वापरण्यासाठी एक नवीन आयटम तयार करणे आवश्यक आहे.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,रक्कम नकारात्मक असू शकत नाही
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,कंपनी सेट करा
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,कंपनी सेट करा
@@ -958,15 +964,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,भरणा खाते निवडा बँक प्रवेश करण्यासाठी
 DocType: Hotel Settings,Default Invoice Naming Series,डिफॉल्ट इनवॉइस नेमिंग सीरी
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","पाने, खर्च दावे आणि उपयोग पे रोल व्यवस्थापित करण्यासाठी कर्मचारी रेकॉर्ड तयार"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,अद्यतन प्रक्रियेदरम्यान एक त्रुटी आली
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,अद्यतन प्रक्रियेदरम्यान एक त्रुटी आली
 DocType: Restaurant Reservation,Restaurant Reservation,रेस्टॉरन्ट आरक्षण
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,प्रस्ताव लेखन
 DocType: Payment Entry Deduction,Payment Entry Deduction,भरणा प्रवेश कापून
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,अप लपेटणे
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ईमेलद्वारे ग्राहकांना सूचित करा
 DocType: Item,Batch Number Series,बॅच क्रमांक मालिका
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,आणखी विक्री व्यक्ती {0} त्याच कर्मचारी ID अस्तित्वात
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,आणखी विक्री व्यक्ती {0} त्याच कर्मचारी ID अस्तित्वात
 DocType: Employee Advance,Claimed Amount,हक्क सांगितलेली रक्कम
+DocType: QuickBooks Migrator,Authorization Settings,अधिकृतता सेटिंग्ज
 DocType: Travel Itinerary,Departure Datetime,डिपार्चर डेट टाइम
 DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,प्रवास विनंती मूल्य
@@ -1006,26 +1013,29 @@
 DocType: Buying Settings,Supplier Naming By,ने पुरवठादार नामांकन
 DocType: Activity Type,Default Costing Rate,डीफॉल्ट कोटीच्या दर
 DocType: Maintenance Schedule,Maintenance Schedule,देखभाल वेळापत्रक
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","त्यानंतर किंमत नियम ग्राहक, ग्राहक गट, प्रदेश पुरवठादार, पुरवठादार प्रकार, मोहीम, विक्री भागीदार   इ  वर आधारित बाहेर फिल्टर आहेत"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","त्यानंतर किंमत नियम ग्राहक, ग्राहक गट, प्रदेश पुरवठादार, पुरवठादार प्रकार, मोहीम, विक्री भागीदार   इ  वर आधारित बाहेर फिल्टर आहेत"
 DocType: Employee Promotion,Employee Promotion Details,कर्मचारी प्रोत्साहन तपशील
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,यादी निव्वळ बदला
 DocType: Employee,Passport Number,पासपोर्ट क्रमांक
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 संबंध
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,व्यवस्थापक
 DocType: Payment Entry,Payment From / To,भरणा / मधून
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,आर्थिक वर्षापासून
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},नवीन क्रेडिट मर्यादा ग्राहक वर्तमान थकबाकी रक्कम कमी आहे. क्रेडिट मर्यादा किमान असणे आवश्यक आहे {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},कृपया वेअरहाऊसमध्ये खाते सेट करा {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},कृपया वेअरहाऊसमध्ये खाते सेट करा {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'आधारीत' आणि 'गट करून' समान असू शकत नाही
 DocType: Sales Person,Sales Person Targets,विक्री व्यक्ती लक्ष्य
 DocType: Work Order Operation,In minutes,मिनिटे
 DocType: Issue,Resolution Date,ठराव तारीख
 DocType: Lab Test Template,Compound,कंपाऊंड
+DocType: Opportunity,Probability (%),संभाव्यता (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,प्रेषण अधिसूचना
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,मालमत्ता निवडा
 DocType: Student Batch Name,Batch Name,बॅच नाव
 DocType: Fee Validity,Max number of visit,भेटीची कमाल संख्या
 ,Hotel Room Occupancy,हॉटेल रूम रहिवासी
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet तयार:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},मोड ऑफ पेमेंट्स मध्ये डीफॉल्ट रोख किंवा बँक खाते सेट करा {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},मोड ऑफ पेमेंट्स मध्ये डीफॉल्ट रोख किंवा बँक खाते सेट करा {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,नाव नोंदणी करा
 DocType: GST Settings,GST Settings,&#39;जीएसटी&#39; सेटिंग्ज
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},चलन किंमत सूची मुद्रा सारखीच असली पाहिजे: {0}
@@ -1066,12 +1076,12 @@
 DocType: Loan,Total Interest Payable,देय एकूण व्याज
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,स्थावर खर्च कर आणि शुल्क
 DocType: Work Order Operation,Actual Start Time,वास्तविक प्रारंभ वेळ
+DocType: Purchase Invoice Item,Deferred Expense Account,डीफर्ड एक्स्पेन्स खाते
 DocType: BOM Operation,Operation Time,ऑपरेशन वेळ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,समाप्त
 DocType: Salary Structure Assignment,Base,बेस
 DocType: Timesheet,Total Billed Hours,एकूण बिल आकारले तास
 DocType: Travel Itinerary,Travel To,पर्यटनासाठी
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,नाही
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Write Off रक्कम
 DocType: Leave Block List Allow,Allow User,सदस्य परवानगी द्या
 DocType: Journal Entry,Bill No,बिल नाही
@@ -1090,9 +1100,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,वेळ पत्रक
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush कच्चा माल आधारित रोजी
 DocType: Sales Invoice,Port Code,पोर्ट कोड
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,रिझर्व्ह वेअरहाऊस
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,रिझर्व्ह वेअरहाऊस
 DocType: Lead,Lead is an Organization,लीड एक संस्था आहे
-DocType: Guardian Interest,Interest,व्याज
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,पूर्व विक्री
 DocType: Instructor Log,Other Details,इतर तपशील
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1102,7 +1111,7 @@
 DocType: Account,Accounts,खाते
 DocType: Vehicle,Odometer Value (Last),ओडोमीटर मूल्य (अंतिम)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,पुरवठादार स्कोरकार्ड मापदंडाच्या टेम्पलेट
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,विपणन
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,विपणन
 DocType: Sales Invoice,Redeem Loyalty Points,लॉयल्टी पॉइंट्स परत मिळवा
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,भरणा प्रवेश आधीच तयार आहे
 DocType: Request for Quotation,Get Suppliers,पुरवठादार मिळवा
@@ -1119,16 +1128,14 @@
 DocType: Crop,Crop Spacing UOM,पीक अंतर UOM
 DocType: Loyalty Program,Single Tier Program,सिंगल टायर प्रोग्राम
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,आपण कॅप फ्लो मॅपर दस्तऐवज सेट केले असेल तरच निवडा
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,पत्त्यावरून 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,पत्त्यावरून 1
 DocType: Email Digest,Next email will be sent on:,पुढील ई-मेल वर पाठविण्यात येईल:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",खालील आयटम {आयटम} {क्रियापद} {message} आयटम म्हणून चिन्हांकित केले आहे. आपण त्यास आयटम मास्टर्समधून {message} आयटम म्हणून सक्षम करू शकता
 DocType: Supplier Scorecard,Per Week,प्रति आठवडा
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,आयटमला रूपे आहेत.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,आयटमला रूपे आहेत.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,एकूण विद्यार्थी
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,आयटम {0} आढळला नाही
 DocType: Bin,Stock Value,शेअर मूल्य
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,कंपनी {0} अस्तित्वात नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,कंपनी {0} अस्तित्वात नाही
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} चे शुल्क वैधता {1} पर्यंत आहे
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,वृक्ष प्रकार
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Qty प्रति युनिट नाश
@@ -1144,7 +1151,7 @@
 ,Fichier des Ecritures Comptables [FEC],फिचर्स डेस इक्वेटरीज कॉप्पीटेबल [एफईसी]
 DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड प्रवेश
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,कंपनी व लेखा
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,मूल्य
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,मूल्य
 DocType: Asset Settings,Depreciation Options,घसारा पर्याय
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,एकतर स्थान किंवा कर्मचारी आवश्यक असले पाहिजे
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,अवैध पोस्टिंग वेळ
@@ -1161,20 +1168,21 @@
 DocType: Leave Allocation,Allocation,वाटप
 DocType: Purchase Order,Supply Raw Materials,पुरवठा कच्चा माल
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,वर्तमान मालमत्ता
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} एक स्टॉक आयटम नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} एक स्टॉक आयटम नाही
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',ट्रेनिंग फीडबॅकवर क्लिक करून आणि नंतर &#39;नवीन&#39;
 DocType: Mode of Payment Account,Default Account,मुलभूत खाते
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,कृपया प्रथम स्टॉक सेटिंग्जमध्ये नमुना धारणा वेअरहाऊस निवडा
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,कृपया प्रथम स्टॉक सेटिंग्जमध्ये नमुना धारणा वेअरहाऊस निवडा
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,कृपया एकापेक्षा अधिक संग्रह नियमांसाठी एकाधिक टियर प्रोग्राम प्रकार निवडा.
 DocType: Payment Entry,Received Amount (Company Currency),प्राप्त केलेली रक्कम (कंपनी चलन)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,संधी आघाडी केले आहे तर आघाडी सेट करणे आवश्यक आहे
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,देयक रद्द झाले कृपया अधिक तपशीलांसाठी आपले GoCardless खाते तपासा
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,संलग्नक पाठवा
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,कृपया साप्ताहिक बंद दिवस निवडा
 DocType: Inpatient Record,O Negative,ओ नकारात्मक
 DocType: Work Order Operation,Planned End Time,नियोजनबद्ध समाप्ती वेळ
 ,Sales Person Target Variance Item Group-Wise,आयटम गट निहाय विक्री व्यक्ती लक्ष्य फरक
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,विद्यमान व्यवहार खाते लेजर रूपांतरीत केले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,विद्यमान व्यवहार खाते लेजर रूपांतरीत केले जाऊ शकत नाही
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,सदस्यता प्रकार तपशील
 DocType: Delivery Note,Customer's Purchase Order No,ग्राहकाच्या पर्चेस order क्रमांक
 DocType: Clinical Procedure,Consume Stock,स्टॉक वापरा
@@ -1187,26 +1195,26 @@
 DocType: Soil Texture,Sand,वाळू
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,ऊर्जा
 DocType: Opportunity,Opportunity From,पासून संधी
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} पंक्ती: {1} आयटम {2} साठी आवश्यक क्रम संख्या. आपण {3} प्रदान केले आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} पंक्ती: {1} आयटम {2} साठी आवश्यक क्रम संख्या. आपण {3} प्रदान केले आहे
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,कृपया एक सारणी निवडा
 DocType: BOM,Website Specifications,वेबसाइट वैशिष्ट्य
 DocType: Special Test Items,Particulars,तपशील
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: {0} पासून {1} प्रकारच्या
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,रो {0}: रूपांतरण फॅक्टर अनिवार्य आहे
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,रो {0}: रूपांतरण फॅक्टर अनिवार्य आहे
 DocType: Student,A+,अ +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","अनेक किंमतीचे  नियम समान निकषा सह  अस्तित्वात नाहीत , प्राधान्य सोपवून संघर्षाचे निराकरण करा. किंमत नियम: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","अनेक किंमतीचे  नियम समान निकषा सह  अस्तित्वात नाहीत , प्राधान्य सोपवून संघर्षाचे निराकरण करा. किंमत नियम: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,विनिमय दर पुनरुत्थान खाते
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,इतर BOMs निगडीत आहे म्हणून BOM निष्क्रिय किंवा रद्द करू शकत नाही
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,इतर BOMs निगडीत आहे म्हणून BOM निष्क्रिय किंवा रद्द करू शकत नाही
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,कृपया नोंदणीसाठी कंपनी आणि पोस्टिंग तारीख निवडा
 DocType: Asset,Maintenance,देखभाल
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,रुग्णांच्या चकमकीतुन मिळवा
 DocType: Subscriber,Subscriber,सदस्य
 DocType: Item Attribute Value,Item Attribute Value,आयटम मूल्य विशेषता
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,कृपया आपली प्रकल्प स्थिती अद्यतनित करा
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,कृपया आपली प्रकल्प स्थिती अद्यतनित करा
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,चलन विनिमय खरेदी किंवा विक्रीसाठी लागू असणे आवश्यक आहे.
 DocType: Item,Maximum sample quantity that can be retained,राखून ठेवता येईल असा जास्तीत जास्त नमुना प्रमाण
 DocType: Project Update,How is the Project Progressing Right Now?,प्रकल्प आता कशा प्रकारे प्रगती करत आहे?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},पंक्ती {0} # आयटम {1} खरेदी ऑर्डर {3} पेक्षा {2} पेक्षा अधिक हस्तांतरित करता येऊ शकत नाही.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},पंक्ती {0} # आयटम {1} खरेदी ऑर्डर {3} पेक्षा {2} पेक्षा अधिक हस्तांतरित करता येऊ शकत नाही.
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,विक्री मोहिम.
 DocType: Project Task,Make Timesheet,Timesheet करा
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1235,36 +1243,38 @@
 DocType: Lab Test,Lab Test,लॅब टेस्ट
 DocType: Student Report Generation Tool,Student Report Generation Tool,विद्यार्थी अहवाल निर्मिती साधन
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,हेल्थकेअर वेळापत्रक वेळ स्लॉट
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,दस्तऐवज नाव
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,दस्तऐवज नाव
 DocType: Expense Claim Detail,Expense Claim Type,खर्च हक्क प्रकार
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,हे खरेदी सूचीत टाका साठी मुलभूत सेटिंग्ज
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,टाईमस्लॉट जोडा
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},मालमत्ता जर्नल प्रवेश द्वारे रद्द {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},कृपया कंपनीतील वेअरहाऊस {0} किंवा डिफॉल्ट इन्व्हेस्टरी खात्यात खाते सेट करा {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},मालमत्ता जर्नल प्रवेश द्वारे रद्द {0}
 DocType: Loan,Interest Income Account,व्याज उत्पन्न खाते
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,फायदे वितरीत करण्यासाठी अधिकतम लाभ शून्यापेक्षा जास्त असले पाहिजेत
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,फायदे वितरीत करण्यासाठी अधिकतम लाभ शून्यापेक्षा जास्त असले पाहिजेत
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,आमंत्रण प्रेषित पुनरावलोकनासाठी
 DocType: Shift Assignment,Shift Assignment,शिफ्ट असाइनमेंट
 DocType: Employee Transfer Property,Employee Transfer Property,कर्मचारी हस्तांतरण मालमत्ता
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,वेळोवेळी वेळापेक्षा कमी असणे आवश्यक आहे
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,जैवतंत्रज्ञान
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",आयटम {0} (अनुक्रमांक: {1}) रीसर्व्हर्ड् \ पूर्ण भरले विकण्यासाठी ऑर्डर {2} म्हणून वापरता येत नाही.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,कार्यालय देखभाल खर्च
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,जा
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ते ERP पुढील किंमत सूचीची किंमत अद्ययावत करा
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ईमेल खाते सेट अप करत आहे
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,पहिल्या आयटम लिस्ट मधे प्रविष्ट करा
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,विश्लेषण आवश्यक आहे
 DocType: Asset Repair,Downtime,डाउनटाइम
 DocType: Account,Liability,दायित्व
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,मंजूर रक्कम रो {0} मधे मागणी रक्कमेपेक्षा  जास्त असू शकत नाही.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,मंजूर रक्कम रो {0} मधे मागणी रक्कमेपेक्षा  जास्त असू शकत नाही.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,शैक्षणिक कालावधी:
 DocType: Salary Component,Do not include in total,एकूण मध्ये समाविष्ट करू नका
 DocType: Company,Default Cost of Goods Sold Account,वस्तू विकल्या खाते डीफॉल्ट खर्च
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},नमुना प्रमाण {0} प्राप्त केलेल्या प्रमाणाहून अधिक असू शकत नाही {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,किंमत सूची निवडलेली  नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},नमुना प्रमाण {0} प्राप्त केलेल्या प्रमाणाहून अधिक असू शकत नाही {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,किंमत सूची निवडलेली  नाही
 DocType: Employee,Family Background,कौटुंबिक पार्श्वभूमी
 DocType: Request for Quotation Supplier,Send Email,ईमेल पाठवा
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},चेतावणी: अवैध संलग्नक {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},चेतावणी: अवैध संलग्नक {0}
 DocType: Item,Max Sample Quantity,कमाल नमुना प्रमाण
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,कोणतीही परवानगी नाही
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,करार पूर्तता चेकलिस्ट
@@ -1296,15 +1306,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: खर्च केंद्र {2} कंपनी संबंधित नाही {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),आपले लेटर हेडर अपलोड करा (ते वेब-मित्रत्वाचे म्हणून 900px 100px ठेवा)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: खाते {2} एक गट असू शकत नाही
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,आयटम रो {idx}: {doctype} {docName} वरील अस्तित्वात नाही &#39;{doctype}&#39; टेबल
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} आधीच पूर्ण किंवा रद्द
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} आधीच पूर्ण किंवा रद्द
+DocType: QuickBooks Migrator,QuickBooks Migrator,क्विकबुक्स मायग्रेटर
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,कोणतीही कार्ये
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,देयक म्हणून तयार केलेली {0} विक्री चलन
 DocType: Item Variant Settings,Copy Fields to Variant,फील्ड ते व्हेरियंट कॉपी करा
 DocType: Asset,Opening Accumulated Depreciation,जमा घसारा उघडत
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,धावसंख्या 5 या पेक्षा कमी किंवा या समान असणे आवश्यक आहे
 DocType: Program Enrollment Tool,Program Enrollment Tool,कार्यक्रम नावनोंदणी साधन
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,सी-फॉर्म रेकॉर्ड
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,सी-फॉर्म रेकॉर्ड
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,समभाग आधीपासून अस्तित्वात आहेत
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,ग्राहक आणि पुरवठादार
 DocType: Email Digest,Email Digest Settings,ईमेल डायजेस्ट सेटिंग्ज
@@ -1317,12 +1327,12 @@
 DocType: Production Plan,Select Items,निवडा
 DocType: Share Transfer,To Shareholder,शेअरहोल्डरकडे
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} बिल विरुद्ध {1} दिनांक {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,राज्य कडून
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,राज्य कडून
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,संस्था सेटअप
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,पत्त्यांचे वाटप करीत आहे ...
 DocType: Program Enrollment,Vehicle/Bus Number,वाहन / बस क्रमांक
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,अर्थात वेळापत्रक
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",पेरोल कालावधीच्या शेवटच्या पगाराच्या स्लिप मध्ये आपल्याला सबमिट न केलेले कर सवलत आणि हक्क न मिळालेल्या कर्मचारी कर्मचा-यांना कर नियुक्त करणे आवश्यक आहे.
 DocType: Request for Quotation Supplier,Quote Status,कोट स्थिती
 DocType: GoCardless Settings,Webhooks Secret,वेबहुक्स गुपित
@@ -1348,13 +1358,13 @@
 DocType: Sales Invoice,Payment Due Date,पैसे भरण्याची शेवटची तारिख
 DocType: Drug Prescription,Interval UOM,मध्यांतर UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","निवड रद्द केलेला पत्ता जतन केल्यानंतर संपादित केले असल्यास, निवड रद्द करा"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,आयटम व्हेरियंट {0} आधीच समान गुणधर्म अस्तित्वात आहे
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,आयटम व्हेरियंट {0} आधीच समान गुणधर्म अस्तित्वात आहे
 DocType: Item,Hub Publishing Details,हब प्रकाशन तपशील
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;उघडणे&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;उघडणे&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,का मुक्त
 DocType: Issue,Via Customer Portal,ग्राहक पोर्टल मार्गे
 DocType: Notification Control,Delivery Note Message,डिलिव्हरी टीप संदेश
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,एसजीएसटी रक्कम
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,एसजीएसटी रक्कम
 DocType: Lab Test Template,Result Format,परिणाम स्वरूप
 DocType: Expense Claim,Expenses,खर्च
 DocType: Item Variant Attribute,Item Variant Attribute,आयटम व्हेरियंट विशेषता
@@ -1362,14 +1372,12 @@
 DocType: Payroll Entry,Bimonthly,द्विमासिक
 DocType: Vehicle Service,Brake Pad,ब्रेक पॅड
 DocType: Fertilizer,Fertilizer Contents,खते सामग्री
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,संशोधन आणि विकास
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,संशोधन आणि विकास
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,बिल रक्कम
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","जॉब कार्डसह प्रारंभ तारीख आणि समाप्ती तारीख आच्छादित आहे <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,नोंदणी तपशील
 DocType: Timesheet,Total Billed Amount,एकुण बिल केलेली रक्कम
 DocType: Item Reorder,Re-Order Qty,पुन्हा-क्रम Qty
 DocType: Leave Block List Date,Leave Block List Date,रजा ब्लॉक यादी तारीख
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षण&gt; शिक्षण सेटिंग्जमध्ये शिक्षक नामांकन प्रणाली सेट करा
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: कच्चा माल मुख्य घटक म्हणून समान असू शकत नाही
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,खरेदी पावती आयटम टेबल एकूण लागू शुल्क एकूण कर आणि शुल्क म्हणून समान असणे आवश्यक आहे
 DocType: Sales Team,Incentives,प्रोत्साहन
@@ -1383,7 +1391,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,पॉइंट-ऑफ-सेल
 DocType: Fee Schedule,Fee Creation Status,शुल्काची निर्मिती स्थिती
 DocType: Vehicle Log,Odometer Reading,ओडोमीटर वाचन
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","आधीच क्रेडिट मध्ये खाते शिल्लक आहे , आपल्याला ' डेबिट ' म्हणून ' शिल्लक असणे आवश्यक ' सेट करण्याची परवानगी नाही"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","आधीच क्रेडिट मध्ये खाते शिल्लक आहे , आपल्याला ' डेबिट ' म्हणून ' शिल्लक असणे आवश्यक ' सेट करण्याची परवानगी नाही"
 DocType: Account,Balance must be,शिल्लक असणे आवश्यक आहे
 DocType: Notification Control,Expense Claim Rejected Message,खर्च हक्क नाकारला संदेश
 ,Available Qty,उपलब्ध Qty
@@ -1395,7 +1403,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ऑर्डर तपशील समजावून घेण्यापूर्वी आपल्या उत्पादनांना नेहमी ऍमेझॉन मेगावाट्सकडून एकत्र करा
 DocType: Delivery Trip,Delivery Stops,वितरण थांबे
 DocType: Salary Slip,Working Days,कामाचे दिवस
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},{0} पंक्तीमधील आयटमसाठी सेवा थांबवा तारीख बदलू शकत नाही
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},{0} पंक्तीमधील आयटमसाठी सेवा थांबवा तारीख बदलू शकत नाही
 DocType: Serial No,Incoming Rate,येणार्या दर
 DocType: Packing Slip,Gross Weight,एकूण वजन
 DocType: Leave Type,Encashment Threshold Days,कॅशॅशमेंट थ्रेशोल्ड डेस
@@ -1414,31 +1422,33 @@
 DocType: Restaurant Table,Minimum Seating,किमान आसन
 DocType: Item Attribute,Item Attribute Values,आयटम विशेषता मूल्ये
 DocType: Examination Result,Examination Result,परीक्षेचा निकाल
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,खरेदी पावती
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,खरेदी पावती
 ,Received Items To Be Billed,बिल करायचे प्राप्त आयटम
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,चलन विनिमय दर मास्टर.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,चलन विनिमय दर मास्टर.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},संदर्भ Doctype एक असणे आवश्यक आहे {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,एकूण शून्य मात्रा फिल्टर करा
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन  {1} साठी पुढील {0} दिवसांत वेळ शोधू शकला नाही
 DocType: Work Order,Plan material for sub-assemblies,उप-विधानसभा योजना साहित्य
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,विक्री भागीदार आणि प्रदेश
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} सक्रिय असणे आवश्यक आहे
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} सक्रिय असणे आवश्यक आहे
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,स्थानांतरणासाठी कोणतेही आयटम उपलब्ध नाहीत
 DocType: Employee Boarding Activity,Activity Name,गतिविधीचे नाव
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,प्रकाशन तारीख बदला
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,तयार उत्पाद प्रमाण <b>{0}</b> आणि प्रमाण <b>{1}</b> वेगळी असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,प्रकाशन तारीख बदला
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,तयार उत्पाद प्रमाण <b>{0}</b> आणि प्रमाण <b>{1}</b> वेगळी असू शकत नाही
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),बंद करणे (उघडणे + एकूण)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,आयटम कोड&gt; आयटम गट&gt; ब्रँड
+DocType: Delivery Settings,Dispatch Notification Attachment,प्रेषण अधिसूचना संलग्नक
 DocType: Payroll Entry,Number Of Employees,कर्मचारी संख्या
 DocType: Journal Entry,Depreciation Entry,घसारा प्रवेश
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,पहले दस्तऐवज प्रकार निवडा
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,पहले दस्तऐवज प्रकार निवडा
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,साहित्य भेट रद्द करा {0} ही  देखभाल भेट रद्द होण्यापुर्वी रद्द करा
 DocType: Pricing Rule,Rate or Discount,दर किंवा सवलत
 DocType: Vital Signs,One Sided,एक बाजू असलेला
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},सिरियल क्रमांक {0} आयटम  {1} शी संबंधित नाही
 DocType: Purchase Receipt Item Supplied,Required Qty,आवश्यक Qty
 DocType: Marketplace Settings,Custom Data,सानुकूल डेटा
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,विद्यमान व्यवहार गोदामे खातेवही रूपांतरीत केले जाऊ शकत नाही.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},{0} आयटमसाठी अनुक्रमांक अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,विद्यमान व्यवहार गोदामे खातेवही रूपांतरीत केले जाऊ शकत नाही.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},{0} आयटमसाठी अनुक्रमांक अनिवार्य आहे
 DocType: Bank Reconciliation,Total Amount,एकूण रक्कम
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,वेगवेगळ्या वित्तीय वर्षामध्ये दिनांक आणि वेळ पासून
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,रुग्ण {0} कडे चलन नुसार ग्राहकाची पुनरावृत्ती नाही
@@ -1449,9 +1459,9 @@
 DocType: Soil Texture,Clay Composition (%),चिकणमाती रचना (%)
 DocType: Item Group,Item Group Defaults,घटक गट मुलभूत
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,कार्य सोपण्यापूर्वी जतन करा.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,शिल्लक मूल्य
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,शिल्लक मूल्य
 DocType: Lab Test,Lab Technician,लॅब तंत्रज्ञ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,विक्री किंमत सूची
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,विक्री किंमत सूची
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","तपासले असल्यास, ग्राहक तयार केला जाईल, रुग्णांच्याकडे मॅप केला जाईल. या ग्राहकांविरुध्द रुग्ण बीजक तयार केले जातील. पेशंट तयार करताना आपण विद्यमान ग्राहक देखील निवडू शकता"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ग्राहकाला कोणत्याही लॉयल्टी प्रोग्राममध्ये नावनोंदणी केलेली नाही
@@ -1465,13 +1475,13 @@
 DocType: Support Search Source,Search Term Param Name,सर्च टर्म परराम नेम
 DocType: Item Barcode,Item Barcode,आयटम बारकोड
 DocType: Woocommerce Settings,Endpoints,अंत्यबिंदू
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,आयटम रूपे {0} सुधारित
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,आयटम रूपे {0} सुधारित
 DocType: Quality Inspection Reading,Reading 6,6 वाचन
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,नाही {0} {1} {2} कोणत्याही नकारात्मक थकबाकी चलन करू शकता
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,नाही {0} {1} {2} कोणत्याही नकारात्मक थकबाकी चलन करू शकता
 DocType: Share Transfer,From Folio No,फोलिओ नं
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,चलन आगाऊ खरेदी
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},रो {0}: क्रेडिट प्रवेश {1} सोबत  दुवा साधली  जाऊ शकत नाही
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,आर्थिक वर्षात अर्थसंकल्पात व्याख्या करा.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,आर्थिक वर्षात अर्थसंकल्पात व्याख्या करा.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext खाते
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} अवरोधित आहे म्हणून हा व्यवहार पुढे जाऊ शकत नाही
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,संचित मासिक बजेट एमआर वर अधिक असेल तर कारवाई
@@ -1487,19 +1497,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,खरेदी चलन
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,वर्क ऑर्डरच्या विरोधात बहुमोल सामग्रीच्या वापरास परवानगी द्या
 DocType: GL Entry,Voucher Detail No,प्रमाणक तपशील नाही
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,नवीन विक्री चलन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,नवीन विक्री चलन
 DocType: Stock Entry,Total Outgoing Value,एकूण जाणारे मूल्य
 DocType: Healthcare Practitioner,Appointments,नेमणूक
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,उघडण्याची  तारीख आणि अखेरची दिनांक त्याच आर्थिक वर्षात  असावे
 DocType: Lead,Request for Information,माहिती विनंती
 ,LeaderBoard,LEADERBOARD
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),मार्जिनसह रेट करा (कंपनी चलन)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या
 DocType: Payment Request,Paid,पेड
 DocType: Program Fee,Program Fee,कार्यक्रम शुल्क
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",हे वापरले जाते त्या सर्व इतर BOMs मध्ये विशिष्ट BOM बदला. नवीन BOM नुसार जुन्या BOM लिंकची अद्ययावत किंमत आणि &quot;BOM Explosion Item&quot; तक्ता पुनर्स्थित करेल. हे सर्व BOMs मधील ताजे किंमत देखील अद्ययावत करते.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,खालील कार्य ऑर्डर तयार केल्या होत्या:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,खालील कार्य ऑर्डर तयार केल्या होत्या:
 DocType: Salary Slip,Total in words,शब्दात एकूण
 DocType: Inpatient Record,Discharged,डिस्चार्ज
 DocType: Material Request Item,Lead Time Date,आघाडी वेळ दिनांक
@@ -1510,16 +1520,16 @@
 DocType: Support Settings,Get Started Sections,प्रारंभ विभाग
 DocType: Lead,CRM-LEAD-.YYYY.-,सीआरएम-LEAD -YYYY.-
 DocType: Loan,Sanctioned,मंजूर
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,बंधनकारक आहे. कदाचित त्यासाठी चलन विनिमय रेकॉर्ड तयार केलेले  नसेल.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},रो # {0}: आयटम {1} साठी   सिरियल क्रमांक निर्दिष्ट करा
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},एकूण योगदान रक्कम: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},रो # {0}: आयटम {1} साठी   सिरियल क्रमांक निर्दिष्ट करा
 DocType: Payroll Entry,Salary Slips Submitted,वेतन स्लिप सादर
 DocType: Crop Cycle,Crop Cycle,पीक सायकल
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","' उत्पादन बंडल ' आयटम, वखार , सिरीयल व बॅच नाही ' पॅकिंग यादी' टेबल पासून विचार केला जाईल. वखार आणि बॅच कोणत्याही ' उत्पादन बंडल ' आयटम सर्व पॅकिंग आयटम समान असतील तर, त्या मूल्ये मुख्य बाबींचा टेबल मध्ये प्रविष्ट केले जाऊ शकतात , मूल्ये टेबल ' यादी पॅकिंग ' कॉपी केली जाईल ."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","' उत्पादन बंडल ' आयटम, वखार , सिरीयल व बॅच नाही ' पॅकिंग यादी' टेबल पासून विचार केला जाईल. वखार आणि बॅच कोणत्याही ' उत्पादन बंडल ' आयटम सर्व पॅकिंग आयटम समान असतील तर, त्या मूल्ये मुख्य बाबींचा टेबल मध्ये प्रविष्ट केले जाऊ शकतात , मूल्ये टेबल ' यादी पॅकिंग ' कॉपी केली जाईल ."
 DocType: Amazon MWS Settings,BR,बीआर
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,ठिकाण पासून
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,निव्वळ वेतन नकारात्मक होऊ शकत नाही
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,ठिकाण पासून
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,निव्वळ वेतन नकारात्मक होऊ शकत नाही
 DocType: Student Admission,Publish on website,वेबसाइट वर प्रकाशित
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,पुरवठादार चलन तारीख पोस्ट दिनांक पेक्षा जास्त असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,पुरवठादार चलन तारीख पोस्ट दिनांक पेक्षा जास्त असू शकत नाही
 DocType: Installation Note,MAT-INS-.YYYY.-,मॅट-एन्एस- .YYY.-
 DocType: Subscription,Cancelation Date,रद्द करण्याची तारीख
 DocType: Purchase Invoice Item,Purchase Order Item,ऑर्डर आयटम खरेदी
@@ -1528,7 +1538,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,विद्यार्थी उपस्थिती साधन
 DocType: Restaurant Menu,Price List (Auto created),किंमत सूची (स्वयं तयार)
 DocType: Cheque Print Template,Date Settings,तारीख सेटिंग्ज
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,फरक
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,फरक
 DocType: Employee Promotion,Employee Promotion Detail,कर्मचारी प्रोत्साहन तपशील
 ,Company Name,कंपनी नाव
 DocType: SMS Center,Total Message(s),एकूण संदेशा  (चे)
@@ -1558,7 +1568,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,कर्मचारी वाढदिवस स्मरणपत्रे पाठवू नका
 DocType: Expense Claim,Total Advance Amount,एकूण आगाऊ रक्कम
 DocType: Delivery Stop,Estimated Arrival,अंदाजे आगमन
-DocType: Delivery Stop,Notified by Email,ईमेलद्वारे सूचित केले
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,सर्व लेख पहा
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,मध्ये चाला
 DocType: Item,Inspection Criteria,तपासणी निकष
@@ -1568,23 +1577,22 @@
 DocType: Timesheet Detail,Bill,बिल
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,व्हाइट
 DocType: SMS Center,All Lead (Open),सर्व लीड (उघडा)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),सलग {0}: प्रमाण उपलब्ध नाही {4} कोठार मध्ये {1} नोंद वेळ पोस्ट करण्यात ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),सलग {0}: प्रमाण उपलब्ध नाही {4} कोठार मध्ये {1} नोंद वेळ पोस्ट करण्यात ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,आपण केवळ चेक बॉक्सच्या सूचीमधून एक कमाल निवड करू शकता.
 DocType: Purchase Invoice,Get Advances Paid,सुधारण अदा करा
 DocType: Item,Automatically Create New Batch,नवीन बॅच आपोआप तयार करा
 DocType: Item,Automatically Create New Batch,नवीन बॅच आपोआप तयार करा
 DocType: Supplier,Represents Company,कंपनी दर्शवते
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,करा
 DocType: Student Admission,Admission Start Date,प्रवेश प्रारंभ तारीख
 DocType: Journal Entry,Total Amount in Words,शब्द एकूण रक्कम
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,नवीन कर्मचारी
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,एक त्रुटी होती . एक संभाव्य कारण तुम्ही  फॉर्म जतन केले नाहीत हे असू शकते. समस्या कायम राहिल्यास support@erpnext.com येथे संपर्क साधा.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,माझे टाका
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ऑर्डर प्रकार {0} पैकी एक असणे आवश्यक आहे
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ऑर्डर प्रकार {0} पैकी एक असणे आवश्यक आहे
 DocType: Lead,Next Contact Date,पुढील संपर्क तारीख
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty उघडणे
 DocType: Healthcare Settings,Appointment Reminder,नेमणूक स्मरणपत्र
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,रक्कम बदल खाते प्रविष्ट करा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,रक्कम बदल खाते प्रविष्ट करा
 DocType: Program Enrollment Tool Student,Student Batch Name,विद्यार्थी बॅच नाव
 DocType: Holiday List,Holiday List Name,सुट्टी यादी नाव
 DocType: Repayment Schedule,Balance Loan Amount,शिल्लक कर्ज रक्कम
@@ -1594,13 +1602,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,शेअर पर्याय
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,कार्टमध्ये कोणतीही आयटम जोडली नाहीत
 DocType: Journal Entry Account,Expense Claim,खर्च दावा
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,आपण खरोखर या रद्द मालमत्ता परत करू इच्छिता?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,आपण खरोखर या रद्द मालमत्ता परत करू इच्छिता?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},{0} साठी Qty
 DocType: Leave Application,Leave Application,रजेचा अर्ज
 DocType: Patient,Patient Relation,रुग्णांच्या संबंध
 DocType: Item,Hub Category to Publish,हब श्रेणी प्रकाशित करण्यासाठी
 DocType: Leave Block List,Leave Block List Dates,रजा ब्लॉक यादी तारखा
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","सेल्स ऑर्डर {0} मध्ये आयटम {1} साठी आरक्षण आहे, आपण {0} विरुद्ध केवळ राखीव {1} सुपूर्त करू शकता. अनुक्रमांक {2} वितरित करणे शक्य नाही"
 DocType: Sales Invoice,Billing Address GSTIN,बिलिंग पत्ता GSTIN
@@ -1618,16 +1626,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},निर्दिष्ट करा एक {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,प्रमाणात किंवा मूल्यात बदल नसलेले   आयटम काढले    .
 DocType: Delivery Note,Delivery To,वितरण
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,प्रकार निर्मिती रांगेत केली गेली आहे.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} साठी कार्य सारांश
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,प्रकार निर्मिती रांगेत केली गेली आहे.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} साठी कार्य सारांश
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,सूचीमधील प्रथम सुटलेला अपॉईव्हर डीफॉल्ट ड्रॉप अपॉओव्हर म्हणून सेट केला जाईल
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,विशेषता टेबल अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,विशेषता टेबल अनिवार्य आहे
 DocType: Production Plan,Get Sales Orders,विक्री ऑर्डर मिळवा
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} नकारात्मक असू शकत नाही
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,क्विकबुकशी कनेक्ट करा
 DocType: Training Event,Self-Study,स्वत: ची अभ्यास
 DocType: POS Closing Voucher,Period End Date,कालावधी समाप्ती तारीख
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,मृद रचना 100 पर्यंत जोडू शकत नाही
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,सवलत
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,पंक्ती {0}: {1} उघडणे {2} चलन तयार करणे आवश्यक आहे
 DocType: Membership,Membership,सदस्यता
 DocType: Asset,Total Number of Depreciations,Depreciations एकूण क्रमांक
 DocType: Sales Invoice Item,Rate With Margin,मार्जिन दर
@@ -1639,7 +1649,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},कृपया टेबल {1} मध्ये सलग {0}साठी  एक वैध रो ID निर्दिष्ट करा
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,व्हेरिएबल शोधण्यात अक्षम:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,कृपया नमपॅड मधून संपादित करण्यासाठी एक फील्ड निवडा
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,स्टॉक लेजर तयार केल्यामुळे निश्चित मालमत्ता आयटम असू शकत नाही.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,स्टॉक लेजर तयार केल्यामुळे निश्चित मालमत्ता आयटम असू शकत नाही.
 DocType: Subscription Plan,Fixed rate,मुदत दर
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,प्रवेश करा
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,डेस्कटॉप वर जा आणि ERPNext वापर सुरू करा
@@ -1673,7 +1683,7 @@
 DocType: Tax Rule,Shipping State,शिपिंग राज्य
 ,Projected Quantity as Source,स्रोत म्हणून प्रक्षेपित प्रमाण
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,आयटम ' खरेदी पावत्यापासून  आयटम मिळवा' या बटणाचा   वापर करून समाविष्ट करणे आवश्यक आहे
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,डिलिव्हरी ट्रिप
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,डिलिव्हरी ट्रिप
 DocType: Student,A-,अ-
 DocType: Share Transfer,Transfer Type,हस्तांतरण प्रकार
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,विक्री खर्च
@@ -1686,8 +1696,9 @@
 DocType: Item Default,Default Selling Cost Center,मुलभूत विक्री खर्च केंद्र
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,डिस्क
 DocType: Buying Settings,Material Transferred for Subcontract,उप-सामग्रीसाठी हस्तांतरित केलेली सामग्री
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,पिनकोड
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},विक्री ऑर्डर {0} हे  {1}आहे
+DocType: Email Digest,Purchase Orders Items Overdue,खरेदी ऑर्डर आयटम अतिदेय
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,पिनकोड
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},विक्री ऑर्डर {0} हे  {1}आहे
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},कर्जाचा व्याज उत्पन्न खाते निवडा {0}
 DocType: Opportunity,Contact Info,संपर्क माहिती
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,शेअर नोंदी करून देणे
@@ -1700,12 +1711,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,चलन शून्य बिलिंग तासांसाठी केले जाऊ शकत नाही
 DocType: Company,Date of Commencement,प्रारंभाची तारीख
 DocType: Sales Person,Select company name first.,प्रथम  कंपनीचे नाव निवडा
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ईमेल पाठविले {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ईमेल पाठविले {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,अवतरणे पुरवठादारांकडून   प्राप्त झाली.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM बदला आणि सर्व BOMs मध्ये नवीनतम किंमत अद्यतनित करा
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},करण्यासाठी {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,हे मूळ पुरवठादार गट आहे आणि ते संपादित केले जाऊ शकत नाही.
-DocType: Delivery Trip,Driver Name,ड्राइवरचे नाव
+DocType: Delivery Note,Driver Name,ड्राइवरचे नाव
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,सरासरी वय
 DocType: Education Settings,Attendance Freeze Date,उपस्थिती गोठवा तारीख
 DocType: Education Settings,Attendance Freeze Date,उपस्थिती गोठवा तारीख
@@ -1718,7 +1729,7 @@
 DocType: Company,Parent Company,पालक कंपनी
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},हॉटेलचे प्रकार {0} {1} वर अनुपलब्ध आहेत
 DocType: Healthcare Practitioner,Default Currency,पूर्वनिर्धारीत चलन
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,{0} आयटमसाठी कमाल सवलत {1}% आहे
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,{0} आयटमसाठी कमाल सवलत {1}% आहे
 DocType: Asset Movement,From Employee,कर्मचारी पासून
 DocType: Driver,Cellphone Number,भ्रमणध्वनी क्रमांक
 DocType: Project,Monitor Progress,मॉनिटर प्रगती
@@ -1734,19 +1745,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},प्रमाणात या पेक्षा कमी किंवा या समान असणे आवश्यक आहे {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},घटक {0} साठी पात्र असलेली जास्तीत जास्त रक्कम {1} पेक्षा अधिक आहे
 DocType: Department Approver,Department Approver,विभाग अपॉओव्हर
+DocType: QuickBooks Migrator,Application Settings,अनुप्रयोग सेटिंग्ज
 DocType: SMS Center,Total Characters,एकूण वर्ण
 DocType: Employee Advance,Claimed,हक्क सांगितले
 DocType: Crop,Row Spacing,पंक्ती अंतर
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},कृपया आयटम {0} साठी BOM क्षेत्रात BOM निवडा
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},कृपया आयटम {0} साठी BOM क्षेत्रात BOM निवडा
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,निवडलेल्या आयटमसाठी कोणतेही आयटम प्रकार नाही
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,सी-फॉर्म चलन तपशील
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,भरणा सलोखा बीजक
 DocType: Clinical Procedure,Procedure Template,प्रक्रिया टेम्पलेट
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,योगदान%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","प्रति खरेदी सेटिंग्ज तर ऑर्डर खरेदी आवश्यक == &#39;होय&#39;, नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम पर्चेस तयार करणे आवश्यक आहे {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,योगदान%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","प्रति खरेदी सेटिंग्ज तर ऑर्डर खरेदी आवश्यक == &#39;होय&#39;, नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम पर्चेस तयार करणे आवश्यक आहे {0}"
 ,HSN-wise-summary of outward supplies,बाह्य पुरवठाांचा एचएसएन-वार-सारांश
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,आपल्या संदर्भासाठी कंपनी नोंदणी क्रमांक. कर संख्या इ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,राज्यासाठी
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,राज्यासाठी
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,वितरक
 DocType: Asset Finance Book,Asset Finance Book,मालमत्ता वित्त बुक
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,हे खरेदी सूचीत टाका शिपिंग नियम
@@ -1755,7 +1767,7 @@
 ,Ordered Items To Be Billed,आदेश दिलेले  आयटम बिल करायचे
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,श्रेणी पासून श्रेणी पर्यंत कमी असली पाहिजे
 DocType: Global Defaults,Global Defaults,ग्लोबल डीफॉल्ट
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,प्रकल्प सहयोग आमंत्रण
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,प्रकल्प सहयोग आमंत्रण
 DocType: Salary Slip,Deductions,वजावट
 DocType: Setup Progress Action,Action Name,क्रिया नाव
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,प्रारंभ वर्ष
@@ -1769,11 +1781,12 @@
 DocType: Lead,Consultant,सल्लागार
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,पालक शिक्षक बैठक उपस्थिती
 DocType: Salary Slip,Earnings,कमाई
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,पूर्ण आयटम {0} उत्पादन प्रकार नोंदणी करीता प्रविष्ट करणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,पूर्ण आयटम {0} उत्पादन प्रकार नोंदणी करीता प्रविष्ट करणे आवश्यक आहे
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,उघडत लेखा शिल्लक
 ,GST Sales Register,जीएसटी विक्री नोंदणी
 DocType: Sales Invoice Advance,Sales Invoice Advance,विक्री चलन आगाऊ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,काहीही विनंती करण्यासाठी
+DocType: Stock Settings,Default Return Warehouse,डीफॉल्ट रिटर्न वेअरहाऊस
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,आपले डोमेन निवडा
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,शॉपिइटी पुरवठादार
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,भरणा इनवॉइस आयटम
@@ -1782,15 +1795,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,निर्मितीच्या वेळी केवळ फील्डवर कॉपी केली जाईल.
 DocType: Setup Progress Action,Domains,डोमेन
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','वास्तविक प्रारंभ तारीख' ही 'वास्तविक अंतिम तारीख' यापेक्षा जास्त असू शकत नाही
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,व्यवस्थापन
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,व्यवस्थापन
 DocType: Cheque Print Template,Payer Settings,देणारा सेटिंग्ज
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,दिलेल्या आयटमसाठी दुवा साधण्यासाठी कोणतीही प्रलंबित सामग्री विनंती आढळली नाही.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,प्रथम कंपनी निवडा
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","हा  जिच्यामध्ये variant आयटम कोड आहे त्यासाठी जोडला  जाईल. उदाहरणार्थ जर आपला  संक्षेप ""SM"", आहे आणि , आयटम कोड ""टी-शर्ट"", ""टी-शर्ट-एम"" असेल जिच्यामध्ये variant आयटम कोड आहे"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,आपल्या  पगाराच्या स्लिप्स  एकदा जतन केल्यावर  निव्वळ वेतन ( शब्दांत ) दृश्यमान होईल.
 DocType: Delivery Note,Is Return,परत आहे
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,खबरदारी
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',कार्य दिवस समाप्ती दिवसापेक्षा अधिक आहे &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,परत / डेबिट टीप
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,परत / डेबिट टीप
 DocType: Price List Country,Price List Country,किंमत यादी देश
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} हा आयटम {1} साठी वैध सिरीयल क्रमांक आहे
@@ -1803,13 +1817,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,माहिती द्या
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,पुरवठादार डेटाबेस.
 DocType: Contract Template,Contract Terms and Conditions,करार अटी आणि नियम
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,आपण रद्द न केलेली सबस्क्रिप्शन पुन्हा सुरू करू शकत नाही.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,आपण रद्द न केलेली सबस्क्रिप्शन पुन्हा सुरू करू शकत नाही.
 DocType: Account,Balance Sheet,ताळेबंद
 DocType: Leave Type,Is Earned Leave,कमावलेले रजा आहे
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',खर्च केंद्र आयटम साठी  'आयटम कोड' बरोबर
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',खर्च केंद्र आयटम साठी  'आयटम कोड' बरोबर
 DocType: Fee Validity,Valid Till,पर्यंत वैध
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,एकूण पालक शिक्षक बैठक
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",भरणा मोड कॉन्फिगर केलेली नाही. खाते मोड ऑफ पेमेंट्स किंवा पीओएस प्रोफाइल वर सेट केली गेली आहे का ते कृपया तपासा.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",भरणा मोड कॉन्फिगर केलेली नाही. खाते मोड ऑफ पेमेंट्स किंवा पीओएस प्रोफाइल वर सेट केली गेली आहे का ते कृपया तपासा.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,सारख्या आयटमचा एकाधिक वेळा प्रविष्ट करणे शक्य नाही.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","पुढील खाती गट अंतर्गत केले जाऊ शकते, पण नोंदी नॉन-गट  करू शकता"
 DocType: Lead,Lead,लीड
@@ -1818,11 +1832,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth टोकन
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,शेअर प्रवेश {0} तयार
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,आपण परत विकत घेण्यासाठी निष्ठावान बिंदू नाहीत
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,रो # {0}: नाकारलेली Qty खरेदी परत मधे  प्रविष्ट करणे शक्य नाही
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},कृपया कंपनी विरूद्ध कर प्रतिबंधक श्रेणी {0} मध्ये संबंधित खाते सेट करा {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,रो # {0}: नाकारलेली Qty खरेदी परत मधे  प्रविष्ट करणे शक्य नाही
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,निवडलेल्या ग्राहकांसाठी कस्टमर ग्रुप बदलण्याची परवानगी नाही.
 ,Purchase Order Items To Be Billed,पर्चेस आयटम बिल करायचे
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,अंदाजे आगमन वेळ अद्यतनित करणे
 DocType: Program Enrollment Tool,Enrollment Details,नावनोंदणी तपशील
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,कंपनीसाठी एकाधिक आयटम डीफॉल्ट सेट करू शकत नाही.
 DocType: Purchase Invoice Item,Net Rate,नेट दर
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,कृपया एक ग्राहक निवडा
 DocType: Leave Policy,Leave Allocations,वाटप सोडा
@@ -1853,7 +1869,7 @@
 DocType: Loan Application,Repayment Info,परतफेड माहिती
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;नोंदी&#39; रिकामे असू शकत नाही
 DocType: Maintenance Team Member,Maintenance Role,देखभाल भूमिका
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},डुप्लिकेट सलग {0} त्याच {1} सह
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},डुप्लिकेट सलग {0} त्याच {1} सह
 DocType: Marketplace Settings,Disable Marketplace,मार्केटप्लेस अक्षम करा
 ,Trial Balance,चाचणी शिल्लक
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,आर्थिक वर्ष {0} आढळले नाही
@@ -1864,9 +1880,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,सदस्यता सेटिंग्ज
 DocType: Purchase Invoice,Update Auto Repeat Reference,ऑटो पुनरावृत्ती सूचना अद्यतनित करा
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},सुट्टीचा कालावधी {0} साठी वैकल्पिक सुट्टीची सूची सेट केलेली नाही
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},सुट्टीचा कालावधी {0} साठी वैकल्पिक सुट्टीची सूची सेट केलेली नाही
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,संशोधन
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,पत्ता 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,पत्ता 2
 DocType: Maintenance Visit Purpose,Work Done,कार्य पूर्ण झाले
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,विशेषता टेबल मध्ये किमान एक गुणधर्म निर्दिष्ट करा
 DocType: Announcement,All Students,सर्व विद्यार्थी
@@ -1876,16 +1892,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,पुनर्रचना व्यवहार
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,लवकरात लवकर
 DocType: Crop Cycle,Linked Location,दुवा साधलेले स्थान
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","आयटम त्याच नावाने अस्तित्वात  असेल , तर आयटम गट नाव बदल  किंवा आयटम पुनर्नामित करा"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","आयटम त्याच नावाने अस्तित्वात  असेल , तर आयटम गट नाव बदल  किंवा आयटम पुनर्नामित करा"
 DocType: Crop Cycle,Less than a year,एक वर्षापेक्षा कमी
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,विद्यार्थी भ्रमणध्वनी क्रमांक
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,उर्वरित जग
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,उर्वरित जग
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,आयटम {0} बॅच असू शकत नाही
 DocType: Crop,Yield UOM,पीक यूओएम
 ,Budget Variance Report,अर्थसंकल्प फरक अहवाल
 DocType: Salary Slip,Gross Pay,एकूण वेतन
 DocType: Item,Is Item from Hub,आयटम हब पासून आहे
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,हेल्थकेअर सर्व्हिसेजकडून आयटम्स मिळवा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,हेल्थकेअर सर्व्हिसेजकडून आयटम्स मिळवा
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,सलग {0}: क्रियाकलाप प्रकार आवश्यक आहे.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,लाभांश पेड
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,लेखा लेजर
@@ -1900,6 +1916,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,भरणा मोड
 DocType: Purchase Invoice,Supplied Items,पुरवठा आयटम
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},कृपया रेस्टॉरन्ट {0} साठी सक्रिय मेनू सेट करा
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,आयोग दर%
 DocType: Work Order,Qty To Manufacture,निर्मिती करण्यासाठी  Qty
 DocType: Email Digest,New Income,नवीन उत्पन्न
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,खरेदी सायकल मधे संपूर्ण समान दर ठेवणे
@@ -1914,12 +1931,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},मूल्यांकन दर सलग आयटम आवश्यक {0}
 DocType: Supplier Scorecard,Scorecard Actions,स्कोअरकार्ड क्रिया
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,उदाहरण: संगणक विज्ञान मध्ये मास्टर्स
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},{1} मधील पुरवठादार {0} आढळला नाही
 DocType: Purchase Invoice,Rejected Warehouse,नाकारल्याचे कोठार
 DocType: GL Entry,Against Voucher,व्हाउचर विरुद्ध
 DocType: Item Default,Default Buying Cost Center,मुलभूत खरेदी खर्च केंद्र
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext पासून  सर्वोत्तम प्राप्त करण्यासाठी, आमच्याकडून तुम्हाला काही वेळ घ्या आणि हे मदत व्हिडिओ पाहा  अशी  शिफारसीय आहे."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),डीफॉल्ट सप्लायर (वैकल्पिक) साठी
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ते
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),डीफॉल्ट सप्लायर (वैकल्पिक) साठी
 DocType: Supplier Quotation Item,Lead Time in days,दिवस आघाडीची  वेळ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,खाती देय सारांश
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},गोठविलेले खाते   {0}  संपादित करण्यासाठी आपण अधिकृत नाही
@@ -1928,7 +1945,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,कोटेशनसाठी नवीन विनंतीसाठी चेतावणी द्या
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,खरेदी आदेश योजना मदत आणि आपल्या खरेदी पाठपुरावा
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,लॅब टेस्ट प्रिस्क्रिप्शन
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",एकूण अंक / हस्तांतरण प्रमाणात{0} साहित्य विनंती {1} मध्ये  \ विनंती प्रमाण {2} पेक्षा आयटम{3} साठी    जास्त असू शकत नाही
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,लहान
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",जर Shopify मध्ये ऑर्डर ग्राहका नसेल तर मग सिंकिंग ऑर्डर केल्यास सिस्टम ऑर्डरसाठी डीफॉल्ट ग्राहक विचारात घेईल
@@ -1940,6 +1957,7 @@
 DocType: Project,% Completed,% पूर्ण
 ,Invoiced Amount (Exculsive Tax),Invoiced रक्कम (Exculsive कर)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,आयटम 2
+DocType: QuickBooks Migrator,Authorization Endpoint,अधिकृतता समाप्तीबिंदू
 DocType: Travel Request,International,आंतरराष्ट्रीय
 DocType: Training Event,Training Event,प्रशिक्षण कार्यक्रम
 DocType: Item,Auto re-order,ऑटो पुन्हा आदेश
@@ -1948,24 +1966,24 @@
 DocType: Contract,Contract,करार
 DocType: Plant Analysis,Laboratory Testing Datetime,प्रयोगशाळा चाचणी Datetime
 DocType: Email Digest,Add Quote,कोट जोडा
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM आवश्यक UOM coversion घटक: {0} आयटम मध्ये: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM आवश्यक UOM coversion घटक: {0} आयटम मध्ये: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,अप्रत्यक्ष खर्च
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,रो {0}: Qty अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,रो {0}: Qty अनिवार्य आहे
 DocType: Agriculture Analysis Criteria,Agriculture,कृषी
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,विक्री ऑर्डर तयार करा
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,मालमत्तेसाठी लेखा परवाना
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,बीजक अवरोधित करा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,मालमत्तेसाठी लेखा परवाना
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,बीजक अवरोधित करा
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,कराची संख्या
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,समक्रमण मास्टर डेटा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,समक्रमण मास्टर डेटा
 DocType: Asset Repair,Repair Cost,दुरुस्ती मूल्य
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,आपली उत्पादने किंवा सेवा
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,लॉगइन करण्यात अयशस्वी
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,मालमत्ता {0} तयार केली
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,मालमत्ता {0} तयार केली
 DocType: Special Test Items,Special Test Items,स्पेशल टेस्ट आयटम्स
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,मार्केटप्लेसवर नोंदणी करण्यासाठी आपण सिस्टम मॅनेजर आणि आयटम व्यवस्थापक भूमिकेसह एक वापरकर्ता असणे आवश्यक आहे.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,मोड ऑफ पेमेंट्स
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,आपल्या नियुक्त सॅलरी संरचना नुसार आपण लाभांसाठी अर्ज करू शकत नाही
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,वेबसाइट प्रतिमा सार्वजनिक फाइल किंवा वेबसाइट URL असावी
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,वेबसाइट प्रतिमा सार्वजनिक फाइल किंवा वेबसाइट URL असावी
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,हा रूट आयटम गट आहे आणि संपादित केला जाऊ शकत नाही.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,विलीन
@@ -1974,7 +1992,8 @@
 DocType: Warehouse,Warehouse Contact Info,वखार संपर्क माहिती
 DocType: Payment Entry,Write Off Difference Amount,फरक रक्कम बंद लिहा
 DocType: Volunteer,Volunteer Name,स्वयंसेवक नाव
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल आढळले नाही, म्हणून पाठविले नाही ई-मेल"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},इतर पंक्तीमध्ये डुप्लिकेट देय तारखांसह पंक्ती आढळल्या: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल आढळले नाही, म्हणून पाठविले नाही ई-मेल"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},दिलेल्या तारखेला कर्मचारी {0} साठी नियुक्त केलेले कोणतेही वेतन रचना नाही {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},देशांकरिता शिपिंग नियम लागू नाही {0}
 DocType: Item,Foreign Trade Details,विदेश व्यापार तपशील
@@ -1982,17 +2001,17 @@
 DocType: Email Digest,Annual Income,वार्षिक उत्पन्न
 DocType: Serial No,Serial No Details,सिरियल क्रमांक तपशील
 DocType: Purchase Invoice Item,Item Tax Rate,आयटम कराचा दर
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,पक्षाचे नाव
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,पक्षाचे नाव
 DocType: Student Group Student,Group Roll Number,गट आसन क्रमांक
 DocType: Student Group Student,Group Roll Number,गट आसन क्रमांक
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, फक्त क्रेडिट खात्यांच्या दुसऱ्या नावे नोंद लिंक जाऊ शकते"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,"डिलिव्हरी टीप {0} सबमिट केलेली नाही,"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,"डिलिव्हरी टीप {0} सबमिट केलेली नाही,"
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,आयटम {0} सब-करारबद्ध आयटम असणे आवश्यक आहे
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,कॅपिटल उपकरणे
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","किंमत नियम 'रोजी लागू करा' field वर  आधारित पहिले निवडलेला आहे , जो आयटम, आयटम गट किंवा ब्रॅण्ड असू शकतो"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,कृपया प्रथम आयटम कोड सेट करा
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,दस्तऐवज प्रकार
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,विक्री संघ एकूण वाटप टक्केवारी 100 असावे
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,दस्तऐवज प्रकार
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,विक्री संघ एकूण वाटप टक्केवारी 100 असावे
 DocType: Subscription Plan,Billing Interval Count,बिलिंग मध्यांतर संख्या
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,भेटी आणि रुग्णांच्या उद्घोषक
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,मूल्य गहाळ
@@ -2006,6 +2025,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,प्रिंट स्वरूप तयार करा
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,फी तयार केली
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},म्हणतात कोणत्याही आयटम शोधण्यासाठी नाही {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,आयटम फिल्टर
 DocType: Supplier Scorecard Criteria,Criteria Formula,निकष फॉर्म्युला
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,एकूण जाणारे
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","तेथे 0 सोबत फक्त एक  शिपिंग नियम अट असू शकते किंवा  ""To Value"" साठी रिक्त मूल्य असू शकते"
@@ -2014,14 +2034,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","आयटम {0} साठी, प्रमाण सकारात्मक संख्या असणे आवश्यक आहे"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,टीप: हा खर्च केंद्र एक गट आहे. गट विरुद्ध लेखा नोंदी करू शकत नाही.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,वैध सुट्ट्या नसलेल्या सूट देण्याच्या रजेची विनंती दिवस
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल कोठार या कोठार अस्तित्वात नाही. आपण या कोठार हटवू शकत नाही.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल कोठार या कोठार अस्तित्वात नाही. आपण या कोठार हटवू शकत नाही.
 DocType: Item,Website Item Groups,वेबसाइट आयटम गट
 DocType: Purchase Invoice,Total (Company Currency),एकूण (कंपनी चलन)
 DocType: Daily Work Summary Group,Reminder,स्मरणपत्र
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,प्रवेशयोग्य मूल्य
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,प्रवेशयोग्य मूल्य
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,अनुक्रमांक {0}  एकापेक्षा अधिक वेळा  enter केला आहे
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,जर्नल प्रवेश
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,जीएसटीआयएन कडून
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,जीएसटीआयएन कडून
 DocType: Expense Claim Advance,Unclaimed amount,हक्क न सांगितलेला रक्कम
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} प्रगतीपथावर आयटम
 DocType: Workstation,Workstation Name,वर्कस्टेशन नाव
@@ -2029,7 +2049,7 @@
 DocType: POS Item Group,POS Item Group,POS बाबींचा गट
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ई-मेल सारांश:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,वैकल्पिक आयटम आयटम कोडप्रमाणेच नसणे आवश्यक आहे
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} आयटम संबंधित नाही {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} आयटम संबंधित नाही {1}
 DocType: Sales Partner,Target Distribution,लक्ष्य वितरण
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 अस्थायी मूल्यांकनाची अंमलबजावणी
 DocType: Salary Slip,Bank Account No.,बँक खाते क्रमांक
@@ -2038,7 +2058,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","स्कोअरकार्ड व्हेरिएबल्सचा वापर केला जाऊ शकतो, तसेच: {total_score} (त्या कालावधीतील एकूण गुण), {period_number} (दिवस सादर करण्यासाठी पूर्णविरामांची संख्या)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,सर्व संकुचित करा
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,सर्व संकुचित करा
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,खरेदी ऑर्डर तयार करा
 DocType: Quality Inspection Reading,Reading 8,8 वाचन
 DocType: Inpatient Record,Discharge Note,डिस्चार्ज नोट
@@ -2055,7 +2075,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,रजा
 DocType: Purchase Invoice,Supplier Invoice Date,पुरवठादार चलन तारीख
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,हे मूल्य प्रो-राटा टेम्पोर्स गणनासाठी वापरले जाते
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,आपण हे खरेदी सूचीत टाका सक्षम करणे आवश्यक आहे
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,आपण हे खरेदी सूचीत टाका सक्षम करणे आवश्यक आहे
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,मॅट-एमव्हीएस- .YYYY.-
 DocType: Stock Settings,Naming Series Prefix,नामकरण सिरीज उपसर्ग
@@ -2070,11 +2090,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,दरम्यान आढळलेल्या  आच्छादित अटी:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,जर्नल विरुद्ध प्रवेश {0} आधीच काही इतर व्हाउचर विरुद्ध सुस्थीत केले जाते
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,एकूण ऑर्डर मूल्य
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,अन्न
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,अन्न
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Ageing श्रेणी 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,पीओएस बंद व्हाउचर तपशील
 DocType: Shopify Log,Shopify Log,Shopify लॉग
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,कृपया सेट अप&gt; सेटिंग्ज&gt; नामांकन मालिकाद्वारे {0} साठी नामांकन शृंखला सेट करा
 DocType: Inpatient Occupancy,Check In,चेक इन
 DocType: Maintenance Schedule Item,No of Visits,भेटी क्रमांक
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},देखभाल वेळापत्रक {0} विरुद्ध अस्तित्वात {1}
@@ -2114,6 +2133,7 @@
 DocType: Salary Structure,Max Benefits (Amount),कमाल फायदे (रक्कम)
 DocType: Purchase Invoice,Contact Person,संपर्क व्यक्ती
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','अपेक्षित प्रारंभ तारीख' ही 'अपेक्षित शेवटची तारीख' पेक्षा जास्त असू शकत नाही.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,या कालावधीसाठी कोणताही डेटा नाही
 DocType: Course Scheduling Tool,Course End Date,अर्थात अंतिम तारीख
 DocType: Holiday List,Holidays,सुट्ट्या
 DocType: Sales Order Item,Planned Quantity,नियोजनबद्ध प्रमाण
@@ -2125,7 +2145,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,मुदत मालमत्ता निव्वळ बदला
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,रेखडि मात्रा
 DocType: Leave Control Panel,Leave blank if considered for all designations,सर्व पदांसाठी  विचारल्यास रिक्त सोडा
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार 'वास्तविक ' सलग शुल्क {0} आयटम रेट मधे  समाविष्ट केले जाऊ शकत नाही
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार 'वास्तविक ' सलग शुल्क {0} आयटम रेट मधे  समाविष्ट केले जाऊ शकत नाही
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},कमाल: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,DATETIME पासून
 DocType: Shopify Settings,For Company,कंपनी साठी
@@ -2138,9 +2158,9 @@
 DocType: Material Request,Terms and Conditions Content,अटी आणि शर्ती सामग्री
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,कोर्स वेळापत्रक तयार करण्यात त्रुटी होत्या
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,यादीतील पहिल्या खर्चाच्या अंदाजानुसार डिफॉल्ट एक्स्पेन्स अॅपरॉव्हर म्हणून सेट केले जाईल.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,पेक्षा जास्त 100 असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,पेक्षा जास्त 100 असू शकत नाही
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,आपण मार्केटप्लेसवर नोंदणी करण्यासाठी सिस्टम मॅनेजर आणि आयटम व्यवस्थापक भूमिकांबरोबर प्रशासक यांच्या व्यतिरिक्त एक वापरकर्ता असणे आवश्यक आहे.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} आयटम स्टॉक आयटम नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} आयटम स्टॉक आयटम नाही
 DocType: Packing Slip,MAT-PAC-.YYYY.-,मॅट- पीएसी- .YYY.-
 DocType: Maintenance Visit,Unscheduled,Unscheduled
 DocType: Employee,Owned,मालकीचे
@@ -2168,7 +2188,7 @@
 DocType: HR Settings,Employee Settings,कर्मचारी सेटिंग्ज
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,देयक भरणा पद्धत
 ,Batch-Wise Balance History,बॅच -वार शिल्लक इतिहास
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,पंक्ती # {0}: आयटम {1} साठी बिलामधून रक्कम मोठी असल्यास दर सेट करू शकत नाही.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,पंक्ती # {0}: आयटम {1} साठी बिलामधून रक्कम मोठी असल्यास दर सेट करू शकत नाही.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,मुद्रण सेटिंग्ज संबंधित प्रिंट स्वरूपात अद्ययावत
 DocType: Package Code,Package Code,पॅकेज कोड
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,शिकाऊ उमेदवार
@@ -2176,7 +2196,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,नकारात्मक प्रमाणाला     परवानगी नाही
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",स्ट्रिंग म्हणून आयटम मालक प्राप्त आणि या क्षेत्रात संग्रहित कर तपशील टेबल. कर आणि शुल्क करीता वापरले जाते
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,कर्मचारी स्वत: ला तक्रार करू शकत नाही.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,कर्मचारी स्वत: ला तक्रार करू शकत नाही.
 DocType: Leave Type,Max Leaves Allowed,कमाल पाने मंजूर
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","खाते गोठविले तर, नोंदी मर्यादित वापरकर्त्यांना परवानगी आहे."
 DocType: Email Digest,Bank Balance,बँक बॅलन्स
@@ -2202,6 +2222,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,बँक व्यवहार नोंदी
 DocType: Quality Inspection,Readings,वाचन
 DocType: Stock Entry,Total Additional Costs,एकूण अतिरिक्त खर्च
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,संवादाची नाही
 DocType: BOM,Scrap Material Cost(Company Currency),स्क्रॅप साहित्य खर्च (कंपनी चलन)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,उप विधानसभा
 DocType: Asset,Asset Name,मालमत्ता नाव
@@ -2209,10 +2230,10 @@
 DocType: Shipping Rule Condition,To Value,मूल्य
 DocType: Loyalty Program,Loyalty Program Type,निष्ठा कार्यक्रम प्रकार
 DocType: Asset Movement,Stock Manager,शेअर व्यवस्थापक
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},स्रोत कोठार सलग  {0} साठी  अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},स्रोत कोठार सलग  {0} साठी  अनिवार्य आहे
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,{0} पंक्तीमधील देयक टर्म संभवत: एक डुप्लिकेट आहे.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),कृषी (बीटा)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,पॅकिंग स्लिप्स
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,पॅकिंग स्लिप्स
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,कार्यालय भाडे
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,सेटअप एसएमएस गेटवे सेटिंग
 DocType: Disease,Common Name,सामान्य नाव
@@ -2244,20 +2265,17 @@
 DocType: Payment Order,PMO-,पीएमओ-
 DocType: HR Settings,Email Salary Slip to Employee,कर्मचारी ईमेल पगाराच्या स्लिप्स
 DocType: Cost Center,Parent Cost Center,पालक खर्च केंद्र
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,संभाव्य पुरवठादार निवडा
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,संभाव्य पुरवठादार निवडा
 DocType: Sales Invoice,Source,स्रोत
 DocType: Customer,"Select, to make the customer searchable with these fields","या फील्डसह ग्राहक शोधण्यायोग्य करण्यासाठी, निवडा"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,शिपमेंटवरील Shopify वरील वितरण सूचना आयात करा
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,बंद शो
 DocType: Leave Type,Is Leave Without Pay,पे न करता सोडू आहे
-DocType: Lab Test,HLC-LT-.YYYY.-,एचएलसी-एलटी-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,मालमत्ता वर्ग मुदत मालमत्ता आयटम अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,मालमत्ता वर्ग मुदत मालमत्ता आयटम अनिवार्य आहे
 DocType: Fee Validity,Fee Validity,फी वैधता
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,भरणा टेबल मधे रेकॉर्ड आढळले नाहीत
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},या {0} संघर्ष {1} साठी {2} {3}
 DocType: Student Attendance Tool,Students HTML,विद्यार्थी HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ हटवा"
 DocType: POS Profile,Apply Discount,सवलत लागू करा
 DocType: GST HSN Code,GST HSN Code,&#39;जीएसटी&#39; HSN कोड
 DocType: Employee External Work History,Total Experience,एकूण अनुभव
@@ -2280,7 +2298,7 @@
 DocType: Maintenance Schedule,Schedules,वेळापत्रक
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,पॉस-ऑफ-सेल वापरण्यासाठी POS प्रोफाईलची आवश्यकता आहे
 DocType: Cashier Closing,Net Amount,निव्वळ रक्कम
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} कारवाई पूर्ण करणे शक्य नाही सबमिट केला गेला नाही
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} कारवाई पूर्ण करणे शक्य नाही सबमिट केला गेला नाही
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM तपशील नाही
 DocType: Landed Cost Voucher,Additional Charges,अतिरिक्त शुल्क
 DocType: Support Search Source,Result Route Field,परिणाम मार्ग फील्ड
@@ -2309,11 +2327,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,उघडणे चलने
 DocType: Contract,Contract Details,करार तपशील
 DocType: Employee,Leave Details,तपशील सोडा
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,कर्मचारी भूमिका सेट करण्यासाठी एक कर्मचारी रेकॉर्ड वापरकर्ता आयडी फील्ड सेट करा
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,कर्मचारी भूमिका सेट करण्यासाठी एक कर्मचारी रेकॉर्ड वापरकर्ता आयडी फील्ड सेट करा
 DocType: UOM,UOM Name,UOM नाव
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,पत्त्यासाठी 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,पत्त्यासाठी 1
 DocType: GST HSN Code,HSN Code,HSN कोड
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,योगदान रक्कम
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,योगदान रक्कम
 DocType: Inpatient Record,Patient Encounter,रुग्णांच्या चकमकीत
 DocType: Purchase Invoice,Shipping Address,शिपिंग पत्ता
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,हे साधन आपल्याला सुधारीत किंवा प्रणाली मध्ये स्टॉक प्रमाण आणि मूल्यांकन निराकरण करण्यासाठी मदत करते. सामान्यत: प्रणाली मूल्ये आणि काय प्रत्यक्षात आपल्या गोदामे अस्तित्वात समक्रमित केले जाते त्यासाठी  वापरले जाते.
@@ -2330,9 +2348,9 @@
 DocType: Travel Itinerary,Mode of Travel,प्रवास मोड
 DocType: Sales Invoice Item,Brand Name,ब्रँड नाव
 DocType: Purchase Receipt,Transporter Details,वाहतुक तपशील
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,मुलभूत कोठार निवडलेले आयटम आवश्यक आहे
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,मुलभूत कोठार निवडलेले आयटम आवश्यक आहे
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,बॉक्स
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,शक्य पुरवठादार
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,शक्य पुरवठादार
 DocType: Budget,Monthly Distribution,मासिक वितरण
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,स्वीकारणार्याची सूची रिक्त आहे. स्वीकारणारा यादी तयार करा
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),हेल्थकेअर (बीटा)
@@ -2354,6 +2372,7 @@
 ,Lead Name,लीड नाव
 ,POS,पीओएस
 DocType: C-Form,III,तिसरा
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,प्रॉस्पेक्टिंग
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,स्टॉक शिल्लक उघडणे
 DocType: Asset Category Account,Capital Work In Progress Account,प्रगती खात्यात भांडवली काम
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,मालमत्ता मूल्य समायोजन
@@ -2362,7 +2381,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},रजा यशस्वीरित्या  {0} साठी वाटप केली
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,पॅक करण्यासाठी आयटम नाहीत
 DocType: Shipping Rule Condition,From Value,मूल्य
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,उत्पादन प्रमाण अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,उत्पादन प्रमाण अनिवार्य आहे
 DocType: Loan,Repayment Method,परतफेड पद्धत
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","चेक केलेले असल्यास, मुख्यपृष्ठ वेबसाइट मुलभूत बाबींचा गट असेल"
 DocType: Quality Inspection Reading,Reading 4,4 वाचन
@@ -2387,7 +2406,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,कर्मचा-रेफरल
 DocType: Student Group,Set 0 for no limit,कोणतीही मर्यादा नाही सेट करा 0
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,आपण ज्या दिवशी रजेचे  अर्ज करत आहात  ते दिवस  सुटीचे  आहेत. आपण रजा अर्ज करण्याची गरज नाही.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,पंक्ती {idx}: {field} उघडणे {invoice_type} चलने तयार करणे आवश्यक आहे
 DocType: Customer,Primary Address and Contact Detail,प्राथमिक पत्ता आणि संपर्क तपशील
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,भरणा ईमेल पुन्हा पाठवा
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,नवीन कार्य
@@ -2397,8 +2415,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,कृपया किमान एक डोमेन निवडा.
 DocType: Dependent Task,Dependent Task,अवलंबित कार्य
 DocType: Shopify Settings,Shopify Tax Account,Shopify कर खाते
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},रूपांतरण घटक माप मुलभूत युनिट साठी सलग {0} मधे 1 असणे आवश्यक आहे
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},{0} प्रकारच्या रजा  {1} पेक्षा  जास्त असू शकत नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},रूपांतरण घटक माप मुलभूत युनिट साठी सलग {0} मधे 1 असणे आवश्यक आहे
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},{0} प्रकारच्या रजा  {1} पेक्षा  जास्त असू शकत नाही
 DocType: Delivery Trip,Optimize Route,मार्ग ऑप्टिमाइझ करा
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,आगाऊ एक्स दिवस ऑपरेशन नियोजन प्रयत्न करा.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2407,14 +2425,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},कंपनी मध्ये डीफॉल्ट वेतनपट देय खाते सेट करा {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,अमेझॉन द्वारे कराचे आर्थिक भंग आणि शुल्क मिळवा
 DocType: SMS Center,Receiver List,स्वीकारण्याची  यादी
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,आयटम शोध
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,आयटम शोध
 DocType: Payment Schedule,Payment Amount,भरणा रक्कम
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,कामाची तारीख आणि कामाची समाप्ती तारीख यांच्या दरम्यान अर्ध दिवस तारीख असावी
 DocType: Healthcare Settings,Healthcare Service Items,हेल्थकेअर सेवा वस्तू
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,नाश रक्कम
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,रोख निव्वळ बदला
 DocType: Assessment Plan,Grading Scale,प्रतवारी स्केल
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,माप {0} युनिट रुपांतर फॅक्टर टेबलमधे  एका  पेक्षा अधिक प्रविष्ट केले गेले आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,माप {0} युनिट रुपांतर फॅक्टर टेबलमधे  एका  पेक्षा अधिक प्रविष्ट केले गेले आहे
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,आधीच पूर्ण
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,हातात शेअर
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2437,25 +2455,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,सिरियल क्रमांक {0} हा  {1} प्रमाणात एक अपूर्णांक असू शकत नाही
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,कृपया Woocommerce सर्व्हर URL प्रविष्ट करा
 DocType: Purchase Order Item,Supplier Part Number,पुरवठादार भाग क्रमांक
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 किंवा 1 असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 किंवा 1 असू शकत नाही
 DocType: Share Balance,To No,नाही ते
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,कर्मचारी निर्मितीसाठी सर्व अनिवार्य कार्य अद्याप केले गेले नाहीत
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} हे रद्द किंवा बंद आहे
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} हे रद्द किंवा बंद आहे
 DocType: Accounts Settings,Credit Controller,क्रेडिट कंट्रोलर
 DocType: Loan,Applicant Type,अर्जदार प्रकार
 DocType: Purchase Invoice,03-Deficiency in services,03 - सेवांमध्ये कमतरता
 DocType: Healthcare Settings,Default Medical Code Standard,डीफॉल्ट मेडिकल कोड मानक
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,"खरेदी पावती {0} सबमिट केलेली नाही,"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,"खरेदी पावती {0} सबमिट केलेली नाही,"
 DocType: Company,Default Payable Account,मुलभूत देय खाते
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","जसे शिपिंग नियम, किंमत सूची इत्यादी ऑनलाइन शॉपिंग कार्ट सेटिंग्ज"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,मॅट-प्री- .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% बिल
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,राखीव Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,राखीव Qty
 DocType: Party Account,Party Account,पार्टी खाते
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,कृपया कंपनी आणि पदनाम निवडा
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,मानव संसाधन
-DocType: Lead,Upper Income,उच्च उत्पन्न
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,उच्च उत्पन्न
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,नकार
 DocType: Journal Entry Account,Debit in Company Currency,कंपनी चलनात डेबिट
 DocType: BOM Item,BOM Item,BOM आयटम
@@ -2472,7 +2490,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",पदनामसाठी जॉब उघडणे {0} आधीपासूनच उघडे आहे / किंवा स्टाफिंग प्लॅन प्रमाणे काम पूर्ण केले आहे {1}
 DocType: Vital Signs,Constipated,कत्तल
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},पुरवठादार विरुद्ध चलन {0} दिनांक {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},पुरवठादार विरुद्ध चलन {0} दिनांक {1}
 DocType: Customer,Default Price List,मुलभूत दर सूची
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,मालमत्ता चळवळ रेकॉर्ड {0} तयार
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,कोणतेही आयटम आढळले नाहीत.
@@ -2488,17 +2506,18 @@
 DocType: Journal Entry,Entry Type,प्रवेश प्रकार
 ,Customer Credit Balance,ग्राहक क्रेडिट शिल्लक
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,देय खात्यांमध्ये  निव्वळ बदल
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),ग्राहकांकरिता क्रेडिट मर्यादा पार केली आहे. {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,कृपया सेट अप&gt; सेटिंग्ज&gt; नामांकन मालिकाद्वारे {0} साठी नामांकन शृंखला सेट करा
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),ग्राहकांकरिता क्रेडिट मर्यादा पार केली आहे. {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise सवलत' साठी आवश्यक ग्राहक
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,नियतकालिकेसह  बँकेच्या भरणा तारखा अद्यतनित करा.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,किंमत
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,किंमत
 DocType: Quotation,Term Details,मुदत तपशील
 DocType: Employee Incentive,Employee Incentive,कर्मचारी प्रोत्साहन
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} विद्यार्थी या विद्यार्थी गट जास्त नोंदणी करु शकत नाही.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),एकूण (कर न करता)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,लीड संख्या
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,लीड संख्या
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,स्टॉक उपलब्ध आहे
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,स्टॉक उपलब्ध आहे
 DocType: Manufacturing Settings,Capacity Planning For (Days),( दिवस) क्षमता नियोजन
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,खरेदी
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,कोणत्याही आयटमधे   प्रमाण किंवा मूल्यांमध्ये  बदल नाहीत .
@@ -2523,7 +2542,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,सोडा आणि विधान परिषदेच्या
 DocType: Asset,Comprehensive Insurance,व्यापक विमा
 DocType: Maintenance Visit,Partially Completed,अंशत: पूर्ण
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},लॉयल्टी पॉइंट: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},लॉयल्टी पॉइंट: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,लीड्स जोडा
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,मध्यम संवेदनाक्षमता
 DocType: Leave Type,Include holidays within leaves as leaves,leaves म्हणून leaves मध्ये सुट्ट्यांचा सामावेश करा
 DocType: Loyalty Program,Redemption,रिडेम्प्शन
@@ -2557,7 +2577,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,विपणन खर्च
 ,Item Shortage Report,आयटम कमतरता अहवाल
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,मानक निकष तयार करू शकत नाही कृपया मापदंड पुनर्नामित करा
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजनाचा उल्लेख आहे \ n कृपया खूप ""वजन UOM"" उल्लेख करा"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजनाचा उल्लेख आहे \ n कृपया खूप ""वजन UOM"" उल्लेख करा"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,साहित्य विनंती या शेअर नोंद करण्यासाठी   वापरले
 DocType: Hub User,Hub Password,हब पासवर्ड
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,प्रत्येक बॅच स्वतंत्र अभ्यासक्रम आधारित गट
@@ -2572,15 +2592,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),नियोजित कालावधी (मिनिटे)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,प्रत्येक स्टॉक चळवळीसाठी  Accounting प्रवेश करा
 DocType: Leave Allocation,Total Leaves Allocated,एकूण रजा  वाटप
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,वैध आर्थिक वर्ष प्रारंभ आणि समाप्त  तारखा प्रविष्ट करा
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,वैध आर्थिक वर्ष प्रारंभ आणि समाप्त  तारखा प्रविष्ट करा
 DocType: Employee,Date Of Retirement,निवृत्ती तारीख
 DocType: Upload Attendance,Get Template,साचा मिळवा
+,Sales Person Commission Summary,विक्री व्यक्ती आयोग सारांश
 DocType: Additional Salary Component,Additional Salary Component,अतिरिक्त वेतन घटक
 DocType: Material Request,Transferred,हस्तांतरित
 DocType: Vehicle,Doors,दारे
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext सेटअप पूर्ण!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext सेटअप पूर्ण!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,रुग्णांच्या नोंदणीसाठी फी गोळा करणे
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,स्टॉक व्यवहारा नंतर विशेषता बदलू शकत नाही. नवीन आयटम तयार करा आणि नवीन आयटमवर स्टॉक हस्तांतरित करा
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,स्टॉक व्यवहारा नंतर विशेषता बदलू शकत नाही. नवीन आयटम तयार करा आणि नवीन आयटमवर स्टॉक हस्तांतरित करा
 DocType: Course Assessment Criteria,Weightage,वजन
 DocType: Purchase Invoice,Tax Breakup,कर चित्रपटाने
 DocType: Employee,Joining Details,सामील होत आहे तपशील
@@ -2608,14 +2629,15 @@
 DocType: Lead,Next Contact By,पुढील संपर्क
 DocType: Compensatory Leave Request,Compensatory Leave Request,क्षतिपूर्ती सोडून विनंती
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},सलग  {1}  मधे आयटम {0}   साठी आवश्यक त्या प्रमाणात
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},प्रमाण आयटम विद्यमान म्हणून कोठार {0} हटविले जाऊ शकत नाही {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},प्रमाण आयटम विद्यमान म्हणून कोठार {0} हटविले जाऊ शकत नाही {1}
 DocType: Blanket Order,Order Type,ऑर्डर प्रकार
 ,Item-wise Sales Register,आयटमनूसार विक्री नोंदणी
 DocType: Asset,Gross Purchase Amount,एकूण खरेदी रक्कम
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,उघडणे बाकी
 DocType: Asset,Depreciation Method,घसारा पद्धत
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,हा कर बेसिक रेट मध्ये समाविष्ट केला आहे का ?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,एकूण लक्ष्य
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,एकूण लक्ष्य
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,दृष्टीकोन विश्लेषण
 DocType: Soil Texture,Sand Composition (%),वाळू रचना (%)
 DocType: Job Applicant,Applicant for a Job,नोकरी साठी अर्जदार
 DocType: Production Plan Material Request,Production Plan Material Request,उत्पादन योजना साहित्य विनंती
@@ -2631,23 +2653,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),आकलन चिन्ह (10 पैकी)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 मोबाइल नं
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,मुख्य
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,खालील आयटम {0} {1} आयटम म्हणून चिन्हांकित केलेला नाही. आपण त्यांना आयटम आयटममधून {1} आयटम म्हणून सक्षम करू शकता
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,जिच्यामध्ये variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","आयटम {0} साठी, प्रमाण नकारात्मक संख्या असणे आवश्यक आहे"
 DocType: Naming Series,Set prefix for numbering series on your transactions,तुमचा व्यवहार वर मालिका संख्या सेट पूर्वपद
 DocType: Employee Attendance Tool,Employees HTML,कर्मचारी एचटीएमएल
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,मुलभूत BOM ({0}) या आयटम किंवा त्याच्या साचा सक्रिय असणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,मुलभूत BOM ({0}) या आयटम किंवा त्याच्या साचा सक्रिय असणे आवश्यक आहे
 DocType: Employee,Leave Encashed?,रजा  मिळविता?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,field पासून संधी अनिवार्य आहे
 DocType: Email Digest,Annual Expenses,वार्षिक खर्च
 DocType: Item,Variants,रूपे
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,खरेदी ऑर्डर करा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,खरेदी ऑर्डर करा
 DocType: SMS Center,Send To,पाठवा
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},रजा प्रकार {0} साठी पुरेशी रजा शिल्लक नाही
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},रजा प्रकार {0} साठी पुरेशी रजा शिल्लक नाही
 DocType: Payment Reconciliation Payment,Allocated amount,रक्कम
 DocType: Sales Team,Contribution to Net Total,नेट एकूण अंशदान
 DocType: Sales Invoice Item,Customer's Item Code,ग्राहक आयटम कोड
 DocType: Stock Reconciliation,Stock Reconciliation,शेअर मेळ
 DocType: Territory,Territory Name,प्रदेश नाव
+DocType: Email Digest,Purchase Orders to Receive,खरेदी ऑर्डर प्राप्त करण्यासाठी
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,कार्य प्रगती मध्ये असलेले कोठार सबमिट करण्यापूर्वी आवश्यक आहे
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,आपण केवळ सबस्क्रिप्शनमधील समान बिलिंग सायकलसह योजना करू शकता
 DocType: Bank Statement Transaction Settings Item,Mapped Data,नकाशे डेटा
@@ -2664,9 +2688,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},आयटम  {0} साठी  डुप्लिकेट सिरियल क्रमांक प्रविष्ट केला नाही
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,लीड स्त्रोताद्वारे मागोवा घ्या.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,एक शिपिंग नियम एक अट
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,प्रविष्ट करा
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,प्रविष्ट करा
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,देखभाल लॉग
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,आयटम किंवा वखार आधारित फिल्टर सेट करा
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,आयटम किंवा वखार आधारित फिल्टर सेट करा
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),या पॅकेजमधील निव्वळ वजन. (आयटम निव्वळ वजन रक्कम म्हणून स्वयंचलितपणे गणना)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,इंटर कंपनी जर्नल एंट्री बनवा
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,सूट रक्कम 100% पेक्षा जास्त असू शकत नाही
@@ -2675,15 +2699,15 @@
 DocType: Sales Order,To Deliver and Bill,वितरीत आणि बिल
 DocType: Student Group,Instructors,शिक्षक
 DocType: GL Entry,Credit Amount in Account Currency,खाते चलनातील  क्रेडिट रक्कम
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} सादर करणे आवश्यक आहे
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,शेअर व्यवस्थापन
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} सादर करणे आवश्यक आहे
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,शेअर व्यवस्थापन
 DocType: Authorization Control,Authorization Control,प्राधिकृत नियंत्रण
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},रो # {0}: नाकारलेले वखार नाकारले आयटम विरुद्ध अनिवार्य आहे {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,भरणा
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},रो # {0}: नाकारलेले वखार नाकारले आयटम विरुद्ध अनिवार्य आहे {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,भरणा
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","वखार {0} कोणत्याही खात्याशी लिंक केले नाही, कंपनी मध्ये कोठार रेकॉर्ड मध्ये खाते किंवा सेट मुलभूत यादी खाते उल्लेख करा {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,आपल्या ऑर्डर व्यवस्थापित करा
 DocType: Work Order Operation,Actual Time and Cost,वास्तविक वेळ आणि खर्च
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},जास्तीत जास्त {0} साहित्याची  विनंती आयटम {1} साठी  विक्री आदेशा विरुद्ध केली  जाऊ शकते {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},जास्तीत जास्त {0} साहित्याची  विनंती आयटम {1} साठी  विक्री आदेशा विरुद्ध केली  जाऊ शकते {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,पीक अंतर
 DocType: Course,Course Abbreviation,अर्थात संक्षेप
@@ -2695,6 +2719,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},एकूण कामाचे तास कमाल कामाचे तास पेक्षा जास्त असू नये {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,रोजी
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,विक्रीच्या वेळी बंडल आयटम.
+DocType: Delivery Settings,Dispatch Settings,प्रेषण सेटिंग्ज
 DocType: Material Request Plan Item,Actual Qty,वास्तविक Qty
 DocType: Sales Invoice Item,References,संदर्भ
 DocType: Quality Inspection Reading,Reading 10,10 वाचन
@@ -2704,11 +2729,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,आपण ड्युप्लिकेट आयटम केला आहे. कृपया सरळ आणि पुन्हा प्रयत्न करा.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,सहकारी
 DocType: Asset Movement,Asset Movement,मालमत्ता चळवळ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,वर्क ऑर्डर {0} सादर करणे आवश्यक आहे
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,नवीन टाका
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,वर्क ऑर्डर {0} सादर करणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,नवीन टाका
 DocType: Taxable Salary Slab,From Amount,रकमेपेक्षा
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} आयटम सिरीयलाइज आयटम नाही
 DocType: Leave Type,Encashment,एनकॅशमेंट
+DocType: Delivery Settings,Delivery Settings,वितरण सेटिंग्ज
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,डेटा मिळवा
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},सुट्टीच्या प्रकार {0} मध्ये अनुमत कमाल सुट {1} आहे
 DocType: SMS Center,Create Receiver List,स्वीकारणारा यादी तयार करा
 DocType: Vehicle,Wheels,रणधुमाळी
@@ -2724,7 +2751,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,बिलिंग चलन एकतर डीफॉल्ट कंपनीच्या चलन किंवा पक्ष खाते चलनाच्या बरोबरीने असणे आवश्यक आहे
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),पॅकेज वितरण (फक्त मसुदा) एक भाग आहे असे दर्शवले
 DocType: Soil Texture,Loam,लोम
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,पंक्ती {0}: तारखेच्या तारखेची तारीख पोस्ट करण्यापूर्वी असू शकत नाही
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,पंक्ती {0}: तारखेच्या तारखेची तारीख पोस्ट करण्यापूर्वी असू शकत नाही
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,भरणा प्रवेश करा
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},आयटम  {0} साठी  प्रमाण  {1} पेक्षा कमी असणे आवश्यक आहे
 ,Sales Invoice Trends,विक्री चलन ट्रेन्ड
@@ -2732,12 +2759,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total','मागील पंक्ती एकूण' किंवा 'मागील पंक्ती रकमेवर' शुल्क प्रकार असेल तर सलग पाहू  शकता
 DocType: Sales Order Item,Delivery Warehouse,डिलिव्हरी कोठार
 DocType: Leave Type,Earned Leave Frequency,अर्जित लीव्ह फ्रिक्न्सी
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,आर्थिक खर्च केंद्रे Tree.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,उप प्रकार
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,आर्थिक खर्च केंद्रे Tree.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,उप प्रकार
 DocType: Serial No,Delivery Document No,डिलिव्हरी दस्तऐवज क्रमांक
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,उत्पादित सिरिअल नंबरवर आधारित डिलिव्हरीची खात्री करा
 DocType: Vital Signs,Furry,केसाळ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},कंपनी मध्ये &#39;लाभ / तोटा लेखा मालमत्ता विल्हेवाट वर&#39; सेट करा {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},कंपनी मध्ये &#39;लाभ / तोटा लेखा मालमत्ता विल्हेवाट वर&#39; सेट करा {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,खरेदी पावत्यांचे आयटम मिळवा
 DocType: Serial No,Creation Date,तयार केल्याची तारीख
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},{0} मालमत्तेसाठी लक्ष्य स्थान आवश्यक आहे
@@ -2751,11 +2778,12 @@
 DocType: Item,Has Variants,रूपे आहेत
 DocType: Employee Benefit Claim,Claim Benefit For,क्लेम बेनिफिटसाठी
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,प्रतिसाद अद्यतनित करा
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},आपण आधीच आयटम निवडले आहेत {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},आपण आधीच आयटम निवडले आहेत {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,मासिक वितरण नाव
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,बॅच आयडी आवश्यक आहे
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,बॅच आयडी आवश्यक आहे
 DocType: Sales Person,Parent Sales Person,पालक विक्री व्यक्ती
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,प्राप्त झालेली कोणतीही वस्तू अतिदेय नाही
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,विक्रेता आणि खरेदीदार समान असू शकत नाही
 DocType: Project,Collect Progress,प्रगती एकत्रित करा
 DocType: Delivery Note,MAT-DN-.YYYY.-,मॅट- DN- .YYY.-
@@ -2771,7 +2799,7 @@
 DocType: Bank Guarantee,Margin Money,मार्जिन मनी
 DocType: Budget,Budget,अर्थसंकल्प
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,उघडा सेट करा
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,मुदत मालमत्ता आयटम नॉन-स्टॉक आयटम असणे आवश्यक आहे.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,मुदत मालमत्ता आयटम नॉन-स्टॉक आयटम असणे आवश्यक आहे.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",प्राप्तिकर किंवा खर्च खाते नाही म्हणून बजेट विरुद्ध {0} नियुक्त केले जाऊ शकत नाही
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} साठी कमाल सूट रक्कम {1} आहे
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,साध्य
@@ -2789,9 +2817,9 @@
 ,Amount to Deliver,रक्कम वितरीत करण्यासाठी
 DocType: Asset,Insurance Start Date,विमा प्रारंभ तारीख
 DocType: Salary Component,Flexible Benefits,लवचिक फायदे
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},समान आयटम अनेक वेळा प्रविष्ट केले गेले आहे. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},समान आयटम अनेक वेळा प्रविष्ट केले गेले आहे. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,मुदत प्रारंभ तारीख मुदत लिंक आहे शैक्षणिक वर्ष वर्ष प्रारंभ तारीख पूर्वी पेक्षा असू शकत नाही (शैक्षणिक वर्ष {}). तारखा दुरुस्त करा आणि पुन्हा प्रयत्न करा.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,तेथे त्रुटी होत्या.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,तेथे त्रुटी होत्या.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,कर्मचारी {0} आधीपासून {2} आणि {3} दरम्यान {1} साठी अर्ज केला आहे:
 DocType: Guardian,Guardian Interests,पालक छंद
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,खाते नाव / क्रमांक अद्ययावत करा
@@ -2830,9 +2858,9 @@
 ,Item-wise Purchase History,आयटमनूसार खरेदी इतिहास
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},कृपया   आयटम {0} ला  जोडलेला सिरियल क्रमांक प्राप्त करण्यासाठी 'व्युत्पन्न वेळापत्रक' वर क्लिक करा
 DocType: Account,Frozen,फ्रोजन
-DocType: Delivery Note,Vehicle Type,वाहन प्रकार
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,वाहन प्रकार
 DocType: Sales Invoice Payment,Base Amount (Company Currency),बेस रक्कम (कंपनी चलन)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,कच्चा माल
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,कच्चा माल
 DocType: Payment Reconciliation Payment,Reference Row,संदर्भ पंक्ती
 DocType: Installation Note,Installation Time,प्रतिष्ठापन वेळ
 DocType: Sales Invoice,Accounting Details,लेखा माहिती
@@ -2841,12 +2869,13 @@
 DocType: Inpatient Record,O Positive,ओ सकारात्मक
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,गुंतवणूक
 DocType: Issue,Resolution Details,ठराव तपशील
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,व्यवहार प्रकार
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,व्यवहार प्रकार
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,स्वीकृती निकष
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,वरील टेबलमधे  साहित्य विनंत्या प्रविष्ट करा
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,जर्नल एन्ट्रीसाठी कोणतेही परतफेड उपलब्ध नाही
 DocType: Hub Tracked Item,Image List,प्रतिमा सूची
 DocType: Item Attribute,Attribute Name,विशेषता नाव
+DocType: Subscription,Generate Invoice At Beginning Of Period,कालावधी सुरू होणारी चलन व्युत्पन्न करा
 DocType: BOM,Show In Website,वेबसाइट मध्ये दर्शवा
 DocType: Loan Application,Total Payable Amount,एकूण देय रक्कम
 DocType: Task,Expected Time (in hours),अपेक्षित वेळ(तासामधे )
@@ -2884,8 +2913,8 @@
 DocType: Employee,Resignation Letter Date,राजीनामा तारीख
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,किंमत नियमांना   पुढील प्रमाणावर आधारित फिल्टर आहेत.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,सेट नाही
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},कर्मचारी सामील तारीख सेट करा {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},कर्मचारी सामील तारीख सेट करा {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},कर्मचारी सामील तारीख सेट करा {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},कर्मचारी सामील तारीख सेट करा {0}
 DocType: Inpatient Record,Discharge,डिस्चार्ज
 DocType: Task,Total Billing Amount (via Time Sheet),एकूण बिलिंग रक्कम (वेळ पत्रक द्वारे)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ग्राहक महसूल पुन्हा करा
@@ -2895,13 +2924,13 @@
 DocType: Chapter,Chapter,अध्याय
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,जोडी
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,जेव्हा ही मोड निवडली जाते तेव्हा डीओएसपी खाते आपोआप पीओएस इनव्हॉइसमध्ये अपडेट होईल.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,उत्पादन BOM आणि प्रमाण निवडा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,उत्पादन BOM आणि प्रमाण निवडा
 DocType: Asset,Depreciation Schedule,घसारा वेळापत्रक
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,विक्री भागीदार पत्ते आणि संपर्क
 DocType: Bank Reconciliation Detail,Against Account,खाते विरुद्ध
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,अर्धा दिवस तारीख पासून आणि तारिक करण्यासाठी दरम्यान असावे
 DocType: Maintenance Schedule Detail,Actual Date,वास्तविक तारीख
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,कृपया {0} कंपनीत डीफॉल्ट मूल्य केंद्र सेट करा.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,कृपया {0} कंपनीत डीफॉल्ट मूल्य केंद्र सेट करा.
 DocType: Item,Has Batch No,बॅच नाही आहे
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},वार्षिक बिलिंग: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify वेबहूक तपशील
@@ -2913,7 +2942,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,एसीसी- PRQ- .YYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,वैयक्तिक माहिती
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी मध्ये &#39;मालमत्ता घसारा खर्च केंद्र&#39; सेट करा {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी मध्ये &#39;मालमत्ता घसारा खर्च केंद्र&#39; सेट करा {0}
 ,Maintenance Schedules,देखभाल वेळापत्रक
 DocType: Task,Actual End Date (via Time Sheet),प्रत्यक्ष समाप्ती तारीख (वेळ पत्रक द्वारे)
 DocType: Soil Texture,Soil Type,मातीचा प्रकार
@@ -2921,10 +2950,10 @@
 ,Quotation Trends,कोटेशन ट्रेन्ड
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},आयटम गट आयटम मास्त्रे साठी आयटम  {0} मधे  नमूद केलेला नाही
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,खात्यात डेबिट एक प्राप्तीयोग्य खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,खात्यात डेबिट एक प्राप्तीयोग्य खाते असणे आवश्यक आहे
 DocType: Shipping Rule,Shipping Amount,शिपिंग रक्कम
 DocType: Supplier Scorecard Period,Period Score,कालावधी स्कोअर
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,ग्राहक जोडा
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,ग्राहक जोडा
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,प्रलंबित रक्कम
 DocType: Lab Test Template,Special,विशेष
 DocType: Loyalty Program,Conversion Factor,रूपांतरण फॅक्टर
@@ -2941,7 +2970,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,लेटरहेड जोडा
 DocType: Program Enrollment,Self-Driving Vehicle,-ड्राव्हिंग वाहन
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,पुरवठादार धावसंख्याकार्ड उभे राहणे
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},पंक्ती {0}: सामग्रीचा बिल आयटम आढळले नाही {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},पंक्ती {0}: सामग्रीचा बिल आयटम आढळले नाही {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,एकूण वाटप पाने {0} कालावधीसाठी यापूर्वीच मान्यता देण्यात आलेल्या रजा{1} पेक्षा   कमी असू शकत नाही
 DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता
 DocType: Journal Entry,Accounts Receivable,प्राप्तीयोग्य खाते
@@ -2958,16 +2987,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,एचआर सेटिंग्ज
 DocType: Salary Slip,net pay info,निव्वळ वेतन माहिती
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS रक्कम
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS रक्कम
 DocType: Woocommerce Settings,Enable Sync,समक्रमण सक्षम करा
 DocType: Tax Withholding Rate,Single Transaction Threshold,सिंगल ट्रांझॅक्शन थ्रेशोल्ड
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,हे मूल्य डीफॉल्ट विक्री किंमत सूचीमध्ये अद्यतनित केले आहे.
 DocType: Email Digest,New Expenses,नवीन खर्च
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,पीडीसी / एलसी रक्कम
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,पीडीसी / एलसी रक्कम
 DocType: Shareholder,Shareholder,शेअरहोल्डर
 DocType: Purchase Invoice,Additional Discount Amount,अतिरिक्त सवलत रक्कम
 DocType: Cash Flow Mapper,Position,स्थान
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,नियमांमधून वस्तू मिळवा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,नियमांमधून वस्तू मिळवा
 DocType: Patient,Patient Details,पेशंटचा तपशील
 DocType: Inpatient Record,B Positive,ब सकारात्मक
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2979,8 +3008,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,गट  पासून नॉन-गट पर्यंत
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,क्रीडा
 DocType: Loan Type,Loan Name,कर्ज नाव
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,वास्तविक एकूण
-DocType: Lab Test UOM,Test UOM,यूओएम चाचणी
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,वास्तविक एकूण
 DocType: Student Siblings,Student Siblings,विद्यार्थी भावंड
 DocType: Subscription Plan Detail,Subscription Plan Detail,सदस्यता योजना तपशील
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,युनिट
@@ -3008,7 +3036,6 @@
 DocType: Workstation,Wages per hour,ताशी वेतन
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},बॅच {0} मधील शेअर शिल्लक  नकारात्मक होईल{1}  आयटम {2} साठी वखार  {3} येथे
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,साहित्य विनंत्या खालील आयटम च्या पुन्हा ऑर्डर स्तरावर आधारित आपोआप उठविला गेला आहे
-DocType: Email Digest,Pending Sales Orders,प्रलंबित विक्री आदेश
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},खाते {0} अवैध आहे. खाते चलन {1} असणे आवश्यक आहे
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},{0} तारखेपासून कर्मचार्याच्या मुक्त करण्याच्या तारखेनंतर असू शकत नाही {1}
 DocType: Supplier,Is Internal Supplier,अंतर्गत पुरवठादार आहे
@@ -3017,24 +3044,26 @@
 DocType: Healthcare Settings,Remind Before,आधी स्मरण द्या
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM रुपांतर घटक सलग  {0} मधे आवश्यक आहे
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","सलग # {0}: संदर्भ दस्तऐवज प्रकार विक्री ऑर्डर एक, विक्री चलन किंवा जर्नल प्रवेश असणे आवश्यक आहे"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","सलग # {0}: संदर्भ दस्तऐवज प्रकार विक्री ऑर्डर एक, विक्री चलन किंवा जर्नल प्रवेश असणे आवश्यक आहे"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 लॉयल्टी पॉइंट्स = किती आधार चलन?
 DocType: Salary Component,Deduction,कपात
 DocType: Item,Retain Sample,नमुना ठेवा
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,सलग {0}: पासून वेळ आणि वेळ करणे बंधनकारक आहे.
 DocType: Stock Reconciliation Item,Amount Difference,रक्कम फरक
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},किंमत यादी  {1} मध्ये आयटम किंमत  {0} साठी जोडली आहे
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},किंमत यादी  {1} मध्ये आयटम किंमत  {0} साठी जोडली आहे
+DocType: Delivery Stop,Order Information,ऑर्डर माहिती
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,या विक्री व्यक्तीसाठी  कर्मचारी आयडी प्रविष्ट करा
 DocType: Territory,Classification of Customers by region,प्रदेशानुसार ग्राहक वर्गीकरण
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,उत्पादन
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +66,Difference Amount must be zero,फरक रक्कम शून्य असणे आवश्यक आहे
 DocType: Project,Gross Margin,एकूण मार्जिन
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +74,{0} applicable after {1} working days,{0} लागू {1} कामाचे दिवस
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +60,Please enter Production Item first,पहिले  उत्पादन आयटम प्रविष्ट करा
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,गणिती बँक स्टेटमेंट शिल्लक
 DocType: Normal Test Template,Normal Test Template,सामान्य टेस्ट टेम्पलेट
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,अक्षम वापरकर्ता
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,कोटेशन
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,कोणतेही भाव नाही प्राप्त आरएफक्यू सेट करू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,कोटेशन
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,कोणतेही भाव नाही प्राप्त आरएफक्यू सेट करू शकत नाही
 DocType: Salary Slip,Total Deduction,एकूण कपात
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,खाते चलनात मुद्रण करण्यासाठी एक खाते निवडा
 ,Production Analytics,उत्पादन विश्लेषण
@@ -3047,14 +3076,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,पुरवठादार धावसंख्याकार्ड सेटअप
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,मूल्यांकन योजना नाव
 DocType: Work Order Operation,Work Order Operation,वर्क ऑर्डर ऑपरेशन
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},चेतावणी: जोड वर अवैध SSL प्रमाणपत्र {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},चेतावणी: जोड वर अवैध SSL प्रमाणपत्र {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","निष्पन्न आपल्याला प्राप्त व्यवसाय, आपल्या निष्पन्न म्हणून सर्व आपले संपर्क जोडू शकता आणि अधिक मदत"
 DocType: Work Order Operation,Actual Operation Time,वास्तविक ऑपरेशन वेळ
 DocType: Authorization Rule,Applicable To (User),लागू करण्यासाठी (सदस्य)
 DocType: Purchase Taxes and Charges,Deduct,वजा
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,कामाचे वर्णन
 DocType: Student Applicant,Applied,लागू
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,पुन्हा उघडा
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,पुन्हा उघडा
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qty शेअर UOM नुसार
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 नाव
 DocType: Attendance,Attendance Request,उपस्थिततेची विनंती
@@ -3072,7 +3101,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},सिरियल क्रमांक {0} हा  {1} पर्यंत हमी अंतर्गत आहे
 DocType: Plant Analysis Criteria,Minimum Permissible Value,किमान परवानगीयोग्य मूल्य
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,वापरकर्ता {0} आधीच अस्तित्वात आहे
-apps/erpnext/erpnext/hooks.py +114,Shipments,निर्यात
+apps/erpnext/erpnext/hooks.py +115,Shipments,निर्यात
 DocType: Payment Entry,Total Allocated Amount (Company Currency),एकूण रक्कम (कंपनी चलन)
 DocType: Purchase Order Item,To be delivered to customer,ग्राहकाला वितरित करणे
 DocType: BOM,Scrap Material Cost,स्क्रॅप साहित्य खर्च
@@ -3080,11 +3109,12 @@
 DocType: Grant Application,Email Notification Sent,ईमेल सूचना पाठविले
 DocType: Purchase Invoice,In Words (Company Currency),शब्द मध्ये (कंपनी चलन)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,कंपनीच्या खात्यासाठी कंपनी व्यवहार्य आहे
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","आयटम कोड, कोठार, रकमेची संख्या आवश्यक आहे"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","आयटम कोड, कोठार, रकमेची संख्या आवश्यक आहे"
 DocType: Bank Guarantee,Supplier,पुरवठादार
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,पासून मिळवा
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,हे मूल विभाग आहे आणि संपादित केले जाऊ शकत नाही.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,देय तपशील दर्शवा
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,दिवसांमध्ये कालावधी
 DocType: C-Form,Quarter,तिमाहीत
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,मिश्र खर्च
 DocType: Global Defaults,Default Company,मुलभूत कंपनी
@@ -3092,7 +3122,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,खर्च किंवा फरक खाते आयटम {0} म्हणून परिणाम एकूणच स्टॉक मूल्य अनिवार्य आहे
 DocType: Bank,Bank Name,बँक नाव
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-वरती
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,सर्व पुरवठादारांसाठी खरेदी ऑर्डर करण्याकरिता फील्ड रिक्त सोडा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,सर्व पुरवठादारांसाठी खरेदी ऑर्डर करण्याकरिता फील्ड रिक्त सोडा
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,रुग्णवाहिका भेट द्या
 DocType: Vital Signs,Fluid,द्रवपदार्थ
 DocType: Leave Application,Total Leave Days,एकूण दिवस रजा
@@ -3102,7 +3132,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,आयटम वेरिएंट सेटिंग्ज
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,कंपनी निवडा ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,सर्व विभागांसाठी विचारल्यास रिक्त सोडा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} हा आयटम {1} साठी अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} हा आयटम {1} साठी अनिवार्य आहे
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","आयटम {0}: {1} qty उत्पादित,"
 DocType: Payroll Entry,Fortnightly,पाक्षिक
 DocType: Currency Exchange,From Currency,चलन पासून
@@ -3152,7 +3182,7 @@
 DocType: Account,Fixed Asset,निश्चित मालमत्ता
 DocType: Amazon MWS Settings,After Date,तारीख नंतर
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,सिरीयलाइज यादी
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,इंटर कंपनी इंवॉइससाठी अवैध {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,इंटर कंपनी इंवॉइससाठी अवैध {0}
 ,Department Analytics,विभाग Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ईमेल डीफॉल्ट संपर्कात सापडला नाही
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,गुप्त व्युत्पन्न करा
@@ -3171,6 +3201,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,मुख्य कार्यकारी अधिकारी
 DocType: Purchase Invoice,With Payment of Tax,कराचा भरणा सह
 DocType: Expense Claim Detail,Expense Claim Detail,खर्च हक्क तपशील
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षण&gt; शिक्षण सेटिंग्जमध्ये शिक्षक नामांकन प्रणाली सेट करा
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,पुरवठादार साठी तिप्पट
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,बेस चलनात नवीन शिल्लक
 DocType: Location,Is Container,कंटेनर आहे
@@ -3178,13 +3209,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,कृपया  योग्य खाते निवडा
 DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन रचना असाइनमेंट
 DocType: Purchase Invoice Item,Weight UOM,वजन UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,फोलीओ नंबरसह उपलब्ध भागधारकांची यादी
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,फोलीओ नंबरसह उपलब्ध भागधारकांची यादी
 DocType: Salary Structure Employee,Salary Structure Employee,पगार संरचना कर्मचारी
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,भिन्न वैशिष्ट्ये दर्शवा
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,भिन्न वैशिष्ट्ये दर्शवा
 DocType: Student,Blood Group,रक्त गट
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,योजना {0} मधील देयक गेटवे खाते या देयक विनंतीमध्ये देयक गेटवे खात्यापेक्षा वेगळे आहे
 DocType: Course,Course Name,अर्थातच नाव
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,चालू आथिर्क वर्षात कोणतीही कर बंद माहिती आढळले नाही
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,चालू आथिर्क वर्षात कोणतीही कर बंद माहिती आढळले नाही
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,जे वापरकर्ते विशिष्ट कर्मचारी सुट्टीच्या अनुप्रयोग मंजूर करू शकता
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,कार्यालय उपकरणे
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3192,6 +3223,7 @@
 DocType: Supplier Scorecard,Scoring Setup,स्कोअरिंग सेटअप
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,इलेक्ट्रॉनिक्स
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),डेबिट ({0})
+DocType: BOM,Allow Same Item Multiple Times,एकाधिक आयटम एकाच वेळी परवानगी द्या
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,स्टॉक पुन्हा आदेश स्तरावर पोहोचते तेव्हा साहित्य विनंती वाढवा
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,पूर्ण-वेळ
 DocType: Payroll Entry,Employees,कर्मचारी
@@ -3203,11 +3235,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,प्रदान खात्री
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,दर सूची सेट केले नसल्यास दर दर्शविली जाणार नाही
 DocType: Stock Entry,Total Incoming Value,एकूण येणारी  मूल्य
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,डेबिट करणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,डेबिट करणे आवश्यक आहे
 DocType: Clinical Procedure,Inpatient Record,इन पेशंट रेकॉर्ड
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets आपला संघ केले activites साठी वेळ, खर्च आणि बिलिंग ट्रॅक ठेवण्यात मदत"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,खरेदी दर सूची
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,व्यवहारांची तारीख
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,खरेदी दर सूची
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,व्यवहारांची तारीख
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,सप्लायर स्कोअरकार्ड व्हेरिएबल्सचे टेम्पलेट
 DocType: Job Offer Term,Offer Term,ऑफर मुदत
 DocType: Asset,Quality Manager,गुणवत्ता व्यवस्थापक
@@ -3228,11 +3260,11 @@
 DocType: Cashier Closing,To Time,वेळ
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},} साठी {0}
 DocType: Authorization Rule,Approving Role (above authorized value),(अधिकृत मूल्य वरील) भूमिका मंजूर
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,क्रेडिट खाते देय खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,क्रेडिट खाते देय खाते असणे आवश्यक आहे
 DocType: Loan,Total Amount Paid,देय एकूण रक्कम
 DocType: Asset,Insurance End Date,विमा समाप्ती तारीख
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,कृपया विद्यार्थी प्रवेश निवडा जे सशुल्क विद्यार्थ्यासाठी अनिवार्य आहे
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} पालक किंवा मुलाला होऊ शकत नाही {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} पालक किंवा मुलाला होऊ शकत नाही {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,बजेट सूची
 DocType: Work Order Operation,Completed Qty,पूर्ण झालेली  Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0}, फक्त डेबिट खाती दुसरे क्रेडिट नोंदणी लिंक जाऊ शकते"
@@ -3240,7 +3272,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",सिरीयलाइज आयटम {0} शेअर सलोखा वापरून कृपया शेअर प्रवेश केले जाऊ शकत नाही
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",सिरीयलाइज आयटम {0} शेअर सलोखा वापरून कृपया शेअर प्रवेश केले जाऊ शकत नाही
 DocType: Training Event Employee,Training Event Employee,प्रशिक्षण कार्यक्रम कर्मचारी
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,अधिकतम नमुने - {0} बॅच {1} आणि आयटम {2} साठी ठेवता येतात.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,अधिकतम नमुने - {0} बॅच {1} आणि आयटम {2} साठी ठेवता येतात.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,वेळ स्लॉट जोडा
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} सिरिअल क्रमांक हा आयटम {1} साठी आवश्यक आहे. आपल्याला {2} प्रदान केलेल्या आहेत
 DocType: Stock Reconciliation Item,Current Valuation Rate,वर्तमान मूल्यांकन दर
@@ -3271,11 +3303,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,सिरियल क्रमांक {0} आढळला  नाही
 DocType: Fee Schedule Program,Fee Schedule Program,फी अनुसूची कार्यक्रम
 DocType: Fee Schedule Program,Student Batch,विद्यार्थी बॅच
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ हटवा"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,विद्यार्थी करा
 DocType: Supplier Scorecard Scoring Standing,Min Grade,किमान ग्रेड
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,हेल्थकेअर सेवा युनिट प्रकार
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},आपण प्रकल्प सहयोग करण्यासाठी आमंत्रित आहेत: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},आपण प्रकल्प सहयोग करण्यासाठी आमंत्रित आहेत: {0}
 DocType: Supplier Group,Parent Supplier Group,पालक पुरवठादार गट
+DocType: Email Digest,Purchase Orders to Bill,खरेदी ऑर्डर बिल करण्यासाठी
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,ग्रुप कंपनीमधील संचित मूल्या
 DocType: Leave Block List Date,Block Date,ब्लॉक तारीख
 DocType: Crop,Crop,क्रॉप करा
@@ -3288,6 +3323,7 @@
 DocType: Sales Order,Not Delivered,वितरित नाही
 ,Bank Clearance Summary,बँक लाभ सारांश
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","दैनंदिन, साप्ताहिक आणि मासिक ईमेल digests तयार करा आणि व्यवस्थापित करा."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,हे या विक्री व्यक्ती विरुद्ध व्यवहारांवर आधारित आहे. तपशीलांसाठी खाली टाइमलाइन पहा
 DocType: Appraisal Goal,Appraisal Goal,मूल्यांकन लक्ष्य
 DocType: Stock Reconciliation Item,Current Amount,चालू रक्कम
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,इमारती
@@ -3314,7 +3350,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,सॉफ्टवेअर
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,पुढील संपर्क तारीख भूतकाळातील असू शकत नाही
 DocType: Company,For Reference Only.,संदर्भ केवळ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,बॅच निवडा कोणत्याही
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,बॅच निवडा कोणत्याही
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},अवैध {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,संदर्भ INV
@@ -3332,16 +3368,16 @@
 DocType: Normal Test Items,Require Result Value,परिणाम मूल्य आवश्यक आहे
 DocType: Item,Show a slideshow at the top of the page,पृष्ठाच्या शीर्षस्थानी स्लाईड शो दर्शवा
 DocType: Tax Withholding Rate,Tax Withholding Rate,कर विहहधन दर
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,स्टोअर्स
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,स्टोअर्स
 DocType: Project Type,Projects Manager,प्रकल्प व्यवस्थापक
 DocType: Serial No,Delivery Time,वितरण वेळ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,आधारित Ageing
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,भेटी रद्द
 DocType: Item,End of Life,आयुष्याच्या शेवटी
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,प्रवास
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,प्रवास
 DocType: Student Report Generation Tool,Include All Assessment Group,सर्व मूल्यांकन गट समाविष्ट करा
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,दिले तारखा कर्मचारी {0} आढळले सक्रिय नाही किंवा मुलभूत तत्वे
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,दिले तारखा कर्मचारी {0} आढळले सक्रिय नाही किंवा मुलभूत तत्वे
 DocType: Leave Block List,Allow Users,वापरकर्त्यांना परवानगी द्या
 DocType: Purchase Order,Customer Mobile No,ग्राहक मोबाइल नं
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,रोख प्रवाह मॅपिंग टेम्पलेट तपशील
@@ -3350,15 +3386,16 @@
 DocType: Rename Tool,Rename Tool,साधन पुनर्नामित करा
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,अद्यतन खर्च
 DocType: Item Reorder,Item Reorder,आयटम पुनर्क्रमित
+DocType: Delivery Note,Mode of Transport,वाहतूक साधन
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,पगार शो स्लिप्स
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,ट्रान्सफर साहित्य
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,ट्रान्सफर साहित्य
 DocType: Fees,Send Payment Request,पैसे विनंती पाठवा
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ऑपरेशन, ऑपरेटिंग खर्च  आणि आपल्या ऑपरेशनसाठी    एक अद्वितीय ऑपरेशन क्रमांक निर्देशीत करा ."
 DocType: Travel Request,Any other details,कोणतेही अन्य तपशील
 DocType: Water Analysis,Origin,मूळ
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,हा दस्तऐवज करून मर्यादेपेक्षा अधिक {0} {1} आयटम {4}. आपण करत आहेत दुसर्या {3} त्याच विरुद्ध {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,जतन केल्यानंतर आवर्ती सेट करा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,बदल निवडा रक्कम खाते
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,जतन केल्यानंतर आवर्ती सेट करा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,बदल निवडा रक्कम खाते
 DocType: Purchase Invoice,Price List Currency,किंमत सूची चलन
 DocType: Naming Series,User must always select,सदस्य नेहमी निवडणे आवश्यक आहे
 DocType: Stock Settings,Allow Negative Stock,नकारात्मक शेअर परवानगी द्या
@@ -3379,9 +3416,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
 DocType: Asset Maintenance Log,Actions performed,क्रिया पूर्ण
 DocType: Cash Flow Mapper,Section Leader,विभाग प्रमुख
+DocType: Delivery Note,Transport Receipt No,वाहतूक पावती क्रमांक
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),निधी स्रोत (दायित्व)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,स्रोत आणि लक्ष्य स्थान समान असू शकत नाही
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},सलग प्रमाण {0} ({1}) उत्पादित प्रमाणात समान असणे आवश्यक आहे {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},सलग प्रमाण {0} ({1}) उत्पादित प्रमाणात समान असणे आवश्यक आहे {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,कर्मचारी
 DocType: Bank Guarantee,Fixed Deposit Number,मुदत ठेव क्रमांक
 DocType: Asset Repair,Failure Date,अयशस्वी तारीख
@@ -3395,16 +3433,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,भरणा वजावट किंवा कमी होणे
 DocType: Soil Analysis,Soil Analysis Criterias,माती विश्लेषण खर्चाच्या
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,विक्री किंवा खरेदी करीता मानक करार अटी.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,आपली खात्री आहे की आपण ही नियोजित भेट रद्द करू इच्छिता?
+DocType: BOM Item,Item operation,आयटम ऑपरेशन
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,आपली खात्री आहे की आपण ही नियोजित भेट रद्द करू इच्छिता?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,हॉटेल रूम प्राइसिंग पॅकेज
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,विक्री पाईपलाईन
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,विक्री पाईपलाईन
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},पगार घटक मुलभूत खाते सेट करा {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,रोजी आवश्यक
 DocType: Rename Tool,File to Rename,फाइल पुनर्नामित करा
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},कृपया सलग {0} मधे  आयटम साठी BOM निवडा
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,सदस्यता अद्यतने प्राप्त करा
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},खाते {0} खाते मोड मध्ये {1} कंपनी जुळत नाही: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},आयटम  {1} साठी निर्दिष्ट BOM {0} अस्तित्वात नाही
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},आयटम  {1} साठी निर्दिष्ट BOM {0} अस्तित्वात नाही
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,कोर्स:
 DocType: Soil Texture,Sandy Loam,वाळूचा लोम
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,देखभाल वेळापत्रक {0} हि  विक्री ऑर्डर रद्द करण्याआधी रद्द करणे आवश्यक आहे
@@ -3413,7 +3452,7 @@
 DocType: Notification Control,Expense Claim Approved,खर्च क्लेम मंजूर
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),अॅडव्हान्स आणि ऑलोकेट (फीफो) सेट करा
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,कोणतेही कार्य ऑर्डर तयार नाहीत
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,कर्मचारी पगार स्लिप {0} आधीच या काळात निर्माण
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,कर्मचारी पगार स्लिप {0} आधीच या काळात निर्माण
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,फार्मास्युटिकल
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,आपण केवळ वैध एनकॅशमेंट रकमेसाठी लीव्ह एनकॅशमेंट सबमिट करु शकता
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,खरेदी आयटम खर्च
@@ -3421,7 +3460,8 @@
 DocType: Selling Settings,Sales Order Required,विक्री ऑर्डर आवश्यक
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,एक विक्रेता व्हा
 DocType: Purchase Invoice,Credit To,श्रेय
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,सक्रिय निष्पन्न / ग्राहक
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,सक्रिय निष्पन्न / ग्राहक
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,मानक वितरण नोट स्वरूप वापरण्यासाठी रिक्त सोडा
 DocType: Employee Education,Post Graduate,पोस्ट ग्रॅज्युएट
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,देखभाल वेळापत्रक तपशील
 DocType: Supplier Scorecard,Warn for new Purchase Orders,नवीन खरेदी ऑर्डरसाठी चेतावणी द्या
@@ -3435,14 +3475,14 @@
 DocType: Support Search Source,Post Title Key,पोस्ट शीर्षक की
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,जॉब कार्डासाठी
 DocType: Warranty Claim,Raised By,उपस्थित
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,प्रिस्क्रिप्शन
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,प्रिस्क्रिप्शन
 DocType: Payment Gateway Account,Payment Account,भरणा खाते
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,कृपया पुढे जाण्यासाठी कंपनी निर्दिष्ट करा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,कृपया पुढे जाण्यासाठी कंपनी निर्दिष्ट करा
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,खाते प्राप्तीयोग्य निव्वळ बदला
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,भरपाई देणारा बंद
 DocType: Job Offer,Accepted,स्वीकारले
 DocType: POS Closing Voucher,Sales Invoices Summary,विक्री चलन सारांश
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,पार्टीचे नाव
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,पार्टीचे नाव
 DocType: Grant Application,Organization,संघटना
 DocType: Grant Application,Organization,संघटना
 DocType: BOM Update Tool,BOM Update Tool,BOM अद्यतन साधन
@@ -3452,7 +3492,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,आपण खरोखर या कंपनीतील  सर्व व्यवहार हटवू इच्छिता याची खात्री करा. तुमचा master  data  आहे तसा राहील. ही क्रिया पूर्ववत केली जाऊ शकत नाही.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,शोध परिणाम
 DocType: Room,Room Number,खोली क्रमांक
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},अवैध संदर्भ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},अवैध संदर्भ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},उत्पादन ऑर्डर {3} मधे {0} ({1}) नियोजित प्रमाण पेक्षा जास्त असू शकत नाही ({2})
 DocType: Shipping Rule,Shipping Rule Label,शिपिंग नियम लेबल
 DocType: Journal Entry Account,Payroll Entry,वेतन प्रविष्ट करा
@@ -3460,8 +3500,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,कर टेम्पलेट करा
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,वापरकर्ता मंच
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,कच्चा माल रिक्त असू शकत नाही.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,पंक्ती # {0} (पेमेंट टेबल): रक्कम नकारात्मक असणे आवश्यक आहे
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","शेअर अद्यतनित करू शकत नाही, चलन ड्रॉप शिपिंग आयटम समाविष्टीत आहे."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,पंक्ती # {0} (पेमेंट टेबल): रक्कम नकारात्मक असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","शेअर अद्यतनित करू शकत नाही, चलन ड्रॉप शिपिंग आयटम समाविष्टीत आहे."
 DocType: Contract,Fulfilment Status,पूर्तता स्थिती
 DocType: Lab Test Sample,Lab Test Sample,लॅब चाचणी नमुना
 DocType: Item Variant Settings,Allow Rename Attribute Value,विशेषता नाव बदलण्याची अनुमती द्या
@@ -3503,11 +3543,11 @@
 DocType: BOM,Show Operations,ऑपरेशन्स शो
 ,Minutes to First Response for Opportunity,संधी प्रथम प्रतिसाद मिनिटे
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,एकूण अनुपिस्थत
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,आयटम किंवा कोठार सलग {0} साठी  सामग्री विनंती  जुळत नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,आयटम किंवा कोठार सलग {0} साठी  सामग्री विनंती  जुळत नाही
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,माप युनिट
 DocType: Fiscal Year,Year End Date,अंतिम वर्ष  तारीख
 DocType: Task Depends On,Task Depends On,कार्य अवलंबून असते
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,संधी
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,संधी
 DocType: Operation,Default Workstation,मुलभूत वर्कस्टेशन
 DocType: Notification Control,Expense Claim Approved Message,खर्च क्लेम मंजूर संदेश
 DocType: Payment Entry,Deductions or Loss,कपात किंवा कमी होणे
@@ -3545,21 +3585,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,सदस्य मंजूर नियम लागू आहे वापरकर्ता म्हणून समान असू शकत नाही
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),बेसिक रेट (शेअर UOM नुसार)
 DocType: SMS Log,No of Requested SMS,मागणी एसएमएस क्रमांक
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,वेतन न करता सोडू मंजूर रजा रेकॉर्ड जुळत नाही
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,वेतन न करता सोडू मंजूर रजा रेकॉर्ड जुळत नाही
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,पुढील पायऱ्या
 DocType: Travel Request,Domestic,घरगुती
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,शक्य तितका सर्वोत्कृष्ट दरात निर्दिष्ट आयटम पुरवठा करा
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,शक्य तितका सर्वोत्कृष्ट दरात निर्दिष्ट आयटम पुरवठा करा
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,हस्तांतरण तारीखपूर्वी कर्मचारी हस्तांतरण सादर करणे शक्य नाही
 DocType: Certification Application,USD,अमेरिकन डॉलर
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,चलन करा
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,बाकी शिल्लक
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,बाकी शिल्लक
 DocType: Selling Settings,Auto close Opportunity after 15 days,त्यानंतर 15 दिवसांनी ऑटो संधी बंद
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} च्या स्कोअरकार्ड स्टँडिंगमुळे {0} साठी खरेदी ऑर्डरची अनुमती नाही
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,बारकोड {0} एक वैध {1} कोड नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,बारकोड {0} एक वैध {1} कोड नाही
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,समाप्त वर्ष
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / लीड%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / लीड%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,कंत्राटी अंतिम तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,कंत्राटी अंतिम तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे
 DocType: Driver,Driver,ड्रायवर
 DocType: Vital Signs,Nutrition Values,पोषण मूल्ये
 DocType: Lab Test Template,Is billable,बिल करण्यायोग्य आहे
@@ -3570,7 +3610,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,हा नमुना वेबसाइट ERPNext पासून स्वयं-व्युत्पन्न केलेला  आहे
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Ageing श्रेणी 1
 DocType: Shopify Settings,Enable Shopify,हे दुकान सक्षम करा
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,एकूण आगाऊ रक्कम ही एकुण हक्क सांगितलेल्या रकमेपेक्षा जास्त असू शकत नाही
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,एकूण आगाऊ रक्कम ही एकुण हक्क सांगितलेल्या रकमेपेक्षा जास्त असू शकत नाही
 DocType: Purchase Taxes and Charges Template,"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
@@ -3597,12 +3637,12 @@
 DocType: Employee Separation,Employee Separation,कर्मचारी विभेदन
 DocType: BOM Item,Original Item,मूळ आयटम
 DocType: Purchase Receipt Item,Recd Quantity,Recd प्रमाण
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,दस्तऐवज तारीख
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,दस्तऐवज तारीख
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},फी रेकॉर्ड तयार - {0}
 DocType: Asset Category Account,Asset Category Account,मालमत्ता वर्ग खाते
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,पंक्ती # {0} (पेमेंट टेबल): रक्कम सकारात्मक असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,पंक्ती # {0} (पेमेंट टेबल): रक्कम सकारात्मक असणे आवश्यक आहे
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},विक्री ऑर्डर पेक्षा {1} प्रमाणात जास्त {0} item उत्पादन करू शकत नाही
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,विशेषता मूल्ये निवडा
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,विशेषता मूल्ये निवडा
 DocType: Purchase Invoice,Reason For Issuing document,दस्तऐवज जारी करण्याचे कारण
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,शेअर प्रवेश {0} सबमिट केलेला  नाही
 DocType: Payment Reconciliation,Bank / Cash Account,बँक / रोख खाते
@@ -3611,8 +3651,10 @@
 DocType: Asset,Manual,मॅन्युअल
 DocType: Salary Component Account,Salary Component Account,पगार घटक खाते
 DocType: Global Defaults,Hide Currency Symbol,चलन प्रतीक लपवा
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,स्रोत द्वारे विक्री संधी
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,दाता माहिती
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","उदा बँक, रोख, क्रेडिट कार्ड"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; क्रमांकन मालिकाद्वारे उपस्थित राहण्यासाठी नंबरिंग शृंखला सेट करा
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","उदा बँक, रोख, क्रेडिट कार्ड"
 DocType: Job Applicant,Source Name,स्रोत नाव
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","प्रौढांमध्ये साधारणतः आरामदायी रक्तदाब अंदाजे 120 एमएमएचजी सिस्टोलिक आणि 80 एमएमएचजी डायस्टोलिक असतो, संक्षिप्त &quot;120/80 मिमी एचजी&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","काही दिवसांमध्ये शेल्फ लाइफ सेट करा, मुदत वाढविण्याच्या व स्वनियंत्रणावर आधारित समाप्ती सेट करण्यासाठी"
@@ -3642,7 +3684,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},मात्रा {0} पेक्षा कमी असणे आवश्यक आहे
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,रो {0}: प्रारंभ तारीख अंतिम तारखेपूर्वी असणे आवश्यक आहे
 DocType: Salary Component,Max Benefit Amount (Yearly),कमाल बेनिफिट रक्कम (वार्षिक)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,टीडीएस दर%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,टीडीएस दर%
 DocType: Crop,Planting Area,लागवड क्षेत्र
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),एकूण (Qty)
 DocType: Installation Note Item,Installed Qty,स्थापित Qty
@@ -3664,8 +3706,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,स्वीकृति सूचना सोडून द्या
 DocType: Buying Settings,Default Buying Price List,मुलभूत खरेदी दर सूची
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Timesheet आधारित पगाराच्या स्लिप्स
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,खरेदी दर
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},पंक्ती {0}: मालमत्ता आयटम {1} साठी स्थान प्रविष्ट करा
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,खरेदी दर
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},पंक्ती {0}: मालमत्ता आयटम {1} साठी स्थान प्रविष्ट करा
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,कंपनी बद्दल
 DocType: Notification Control,Sales Order Message,विक्री ऑर्डर संदेश
@@ -3732,10 +3774,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,{0} पंक्तीसाठी: नियोजित प्रमाण प्रविष्ट करा
 DocType: Account,Income Account,उत्पन्न खाते
 DocType: Payment Request,Amount in customer's currency,ग्राहक चलनात रक्कम
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,डिलिव्हरी
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,डिलिव्हरी
 DocType: Volunteer,Weekdays,आठवड्यातील दिवस
 DocType: Stock Reconciliation Item,Current Qty,वर्तमान Qty
 DocType: Restaurant Menu,Restaurant Menu,रेस्टॉरन्ट मेनू
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,पुरवठादार जोडा
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,एसीसी- SINV- .YYY.-
 DocType: Loyalty Program,Help Section,मदत विभाग
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,मागील
@@ -3747,19 +3790,20 @@
 												fullfill Sales Order {2}",आयटम {1} ची {0} सीरियल नंबर वितरीत करू शकत नाही कारण हे {पूर्ण} विक्री आदेश {2} आरक्षित आहे
 DocType: Item Reorder,Material Request Type,साहित्य विनंती प्रकार
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,ग्रांन्ट रिव्यू ईमेल पाठवा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage पूर्ण आहे, जतन नाही"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,रो {0}: UOM रुपांतर फॅक्टर अनिवार्य आहे
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage पूर्ण आहे, जतन नाही"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,रो {0}: UOM रुपांतर फॅक्टर अनिवार्य आहे
 DocType: Employee Benefit Claim,Claim Date,दावा तारीख
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,खोली क्षमता
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},आयटम {0} साठी आधीपासूनच रेकॉर्ड अस्तित्वात आहे
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,संदर्भ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,आपण पूर्वी व्युत्पन्न केलेली इन्व्हॉइसेसचे रेकॉर्ड गमवाल. आपल्याला खात्री आहे की आपण ही सदस्यता रीस्टार्ट करू इच्छिता?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,नोंदणी शुल्क
 DocType: Loyalty Program Collection,Loyalty Program Collection,लॉयल्टी प्रोग्राम संकलन
 DocType: Stock Entry Detail,Subcontracted Item,उपकांक्षिक आयटम
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},विद्यार्थी {0} गटाशी संबंधित नाही {1}
 DocType: Budget,Cost Center,खर्च केंद्र
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,प्रमाणक #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,प्रमाणक #
 DocType: Notification Control,Purchase Order Message,ऑर्डर संदेश खरेदी
 DocType: Tax Rule,Shipping Country,शिपिंग देश
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,पासून विक्री व्यवहार ग्राहक कर आयडी लपवा
@@ -3778,23 +3822,22 @@
 DocType: Subscription,Cancel At End Of Period,कालावधी समाप्ती वर रद्द करा
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,गुणधर्म आधीपासून जोडले आहेत
 DocType: Item Supplier,Item Supplier,आयटम पुरवठादार
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,बॅच नाही मिळविण्यासाठी आयटम कोड प्रविष्ट करा
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},कृपया {0} साठी एक मूल्य निवडा quotation_to  {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,बॅच नाही मिळविण्यासाठी आयटम कोड प्रविष्ट करा
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},कृपया {0} साठी एक मूल्य निवडा quotation_to  {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,स्थानांतरणासाठी कोणतेही आयटम निवडले नाहीत
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,सर्व पत्ते.
 DocType: Company,Stock Settings,शेअर सेटिंग्ज
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","खालील गुणधर्म दोन्ही रेकॉर्ड मधे  समान आहेत तर, विलीन फक्त शक्य आहे. गट आहे, रूट प्रकार, कंपनी"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","खालील गुणधर्म दोन्ही रेकॉर्ड मधे  समान आहेत तर, विलीन फक्त शक्य आहे. गट आहे, रूट प्रकार, कंपनी"
 DocType: Vehicle,Electric,विद्युत
 DocType: Task,% Progress,% प्रगती
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,मालमत्ता विल्हेवाट वाढणे / कमी होणे
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",फक्त &quot;स्वीकृत&quot; दर्जा असलेला विद्यार्थी अर्जदार खालील तक्त्यामध्ये निवडला जाईल.
 DocType: Tax Withholding Category,Rates,दर
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,{0} खात्यासाठी खाते क्रमांक उपलब्ध नाही. <br> कृपया आपला चार्ट अचूकपणे सेटअप करा.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,{0} खात्यासाठी खाते क्रमांक उपलब्ध नाही. <br> कृपया आपला चार्ट अचूकपणे सेटअप करा.
 DocType: Task,Depends on Tasks,कार्ये अवलंबून
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ग्राहक गट वृक्ष व्यवस्थापित करा.
 DocType: Normal Test Items,Result Value,परिणाम मूल्य
 DocType: Hotel Room,Hotels,हॉटेल्स
-DocType: Delivery Note,Transporter Date,ट्रान्सपोर्टरची तारीख
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,नवी खर्च केंद्र नाव
 DocType: Leave Control Panel,Leave Control Panel,नियंत्रण पॅनेल सोडा
 DocType: Project,Task Completion,कार्य पूर्ण
@@ -3841,11 +3884,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,सर्व मूल्यांकन गट
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,नवीन वखार नाव
 DocType: Shopify Settings,App Type,अॅप प्रकार
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),एकूण {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),एकूण {0} ({1})
 DocType: C-Form Invoice Detail,Territory,प्रदेश
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,आवश्यक भेटी क्रमांकाचा उल्लेख करा
 DocType: Stock Settings,Default Valuation Method,मुलभूत मूल्यांकन पद्धत
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,फी
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,संचयी रक्कम दर्शवा
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,अद्यतन प्रगतीपथावर यास थोडा वेळ लागू शकतो.
 DocType: Production Plan Item,Produced Qty,उत्पादित प्रमाण
 DocType: Vehicle Log,Fuel Qty,इंधन प्रमाण
@@ -3853,7 +3897,7 @@
 DocType: Work Order Operation,Planned Start Time,नियोजनबद्ध प्रारंभ वेळ
 DocType: Course,Assessment,मूल्यांकन
 DocType: Payment Entry Reference,Allocated,वाटप
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,बंद करा ताळेबंद आणि नफा किंवा तोटा नोंद  करा .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,बंद करा ताळेबंद आणि नफा किंवा तोटा नोंद  करा .
 DocType: Student Applicant,Application Status,अर्ज
 DocType: Additional Salary,Salary Component Type,वेतन घटक प्रकार
 DocType: Sensitivity Test Items,Sensitivity Test Items,संवेदनशीलता चाचणी आयटम
@@ -3864,10 +3908,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,एकूण थकबाकी रक्कम
 DocType: Sales Partner,Targets,लक्ष्य
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,कृपया कंपनीच्या माहितीच्या फाइलमध्ये SIREN क्रमांक नोंदवा
+DocType: Email Digest,Sales Orders to Bill,विक्री ऑर्डर बिल करण्यासाठी
 DocType: Price List,Price List Master,किंमत सूची मास्टर
 DocType: GST Account,CESS Account,CESS खाते
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"सर्व विक्री व्यवहार अनेक ** विक्री व्यक्ती ** विरुद्ध टॅग केले जाऊ शकते यासाठी की, तुम्ही सेट आणि लक्ष्य निरीक्षण करू शकता"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,सामग्री विनंतीचा दुवा
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,सामग्री विनंतीचा दुवा
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,मंच क्रियाकलाप
 ,S.O. No.,S.O.  क्रमांक
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,बँक स्टेटमेंट व्यवहार सेटिंग्ज आयटम
@@ -3882,7 +3927,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,हा  मूळ ग्राहक गट आहे आणि संपादित केला जाऊ शकत नाही.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,पीओ वर जमा केलेले संचित मासिक बजेट केल्यास कारवाई
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,प्लेस करण्यासाठी
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,प्लेस करण्यासाठी
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,विनिमय दर पुनरुत्थान
 DocType: POS Profile,Ignore Pricing Rule,किंमत नियम दुर्लक्ष करा
 DocType: Employee Education,Graduate,पदवीधर
@@ -3919,6 +3964,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,कृपया रेस्टॉरंट सेटिंग्जमध्ये डीफॉल्ट ग्राहक सेट करा
 ,Salary Register,पगार नोंदणी
 DocType: Warehouse,Parent Warehouse,पालक वखार
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,चार्ट
 DocType: Subscription,Net Total,निव्वळ एकूण
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},डीफॉल्ट BOM आयटम आढळले नाही {0} आणि प्रकल्प {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,विविध कर्ज प्रकार काय हे स्पष्ट करा
@@ -3951,24 +3997,26 @@
 DocType: Membership,Membership Status,सदस्यता स्थिती
 DocType: Travel Itinerary,Lodging Required,लॉजिंग आवश्यक
 ,Requested,विनंती
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,शेरा नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,शेरा नाही
 DocType: Asset,In Maintenance,देखरेख मध्ये
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWS कडून आपल्या विकल्के आदेश डेटा खेचण्यासाठी हे बटण क्लिक करा
 DocType: Vital Signs,Abdomen,उदर
 DocType: Purchase Invoice,Overdue,मुदत संपलेला
 DocType: Account,Stock Received But Not Billed,शेअर प्राप्त पण बिल नाही
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,रूट खाते एक गट असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,रूट खाते एक गट असणे आवश्यक आहे
 DocType: Drug Prescription,Drug Prescription,ड्रग प्रिस्क्रिप्शन
 DocType: Loan,Repaid/Closed,परतफेड / बंद
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,एकूण अंदाज प्रमाण
 DocType: Monthly Distribution,Distribution Name,वितरण नाव
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,यूओएम समाविष्ट करा
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","आयटम {0} साठी मूल्यमापन दर सापडत नाही, ज्यासाठी {1} {2} साठी लेखा प्रविष्ट करणे आवश्यक आहे. आयटम {1} मध्ये शून्य मूल्यांकनातील दर आयटम म्हणून व्यवहार करत असल्यास, कृपया {1} आयटम सारणीमध्ये हे निर्दिष्ट करा. अन्यथा, कृपया आयटमसाठी येणारे स्टॉक ट्रान्झॅक्शन तयार करा किंवा आयटम रेकॉर्डमध्ये व्हॅल्यूशन रेट नमूद करा आणि नंतर ही नोंदणी सबमिट करण्याचा / रद्द करण्याचा प्रयत्न करा"
 DocType: Course,Course Code,अर्थात कोड
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},आयटम आवश्यक गुणवत्ता तपासणी {0}
 DocType: Location,Parent Location,पालक स्थान
 DocType: POS Settings,Use POS in Offline Mode,POS ऑफलाइन मोडमध्ये वापरा
 DocType: Supplier Scorecard,Supplier Variables,पुरवठादार चलने
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} अनिवार्य आहे. कदाचित {1} ते {2} साठी चलन विनिमय रेकॉर्ड तयार केलेला नाही
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ग्राहकांना चलनात दर कंपनीच्या बेस चलनात रुपांतरीत आहे
 DocType: Purchase Invoice Item,Net Rate (Company Currency),निव्वळ दर (कंपनी चलन)
 DocType: Salary Detail,Condition and Formula Help,परिस्थिती आणि फॉर्म्युला मदत
@@ -3977,19 +4025,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,विक्री चलन
 DocType: Journal Entry Account,Party Balance,पार्टी शिल्लक
 DocType: Cash Flow Mapper,Section Subtotal,विभाग उपकार्यक्रम
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,कृपया सवलत लागू निवडा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,कृपया सवलत लागू निवडा
 DocType: Stock Settings,Sample Retention Warehouse,नमुना धारण वेअरहाऊस
 DocType: Company,Default Receivable Account,मुलभूत प्राप्तीयोग्य खाते
 DocType: Purchase Invoice,Deemed Export,डीम्ड एक्सपोर्ट
 DocType: Stock Entry,Material Transfer for Manufacture,उत्पादन साठी साहित्य ट्रान्सफर
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,सवलत टक्केवारी एका दर सूची विरुद्ध किंवा सर्व दर सूची एकतर लागू होऊ शकते.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,शेअर एकट्या प्रवेश
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,शेअर एकट्या प्रवेश
 DocType: Lab Test,LabTest Approver,लॅबस्टेस्ट अॅपरॉव्हर
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,आपण मूल्यांकन निकष आधीच मूल्यमापन आहे {}.
 DocType: Vehicle Service,Engine Oil,इंजिन तेल
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},तयार केलेल्या कार्य ऑर्डर: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},तयार केलेल्या कार्य ऑर्डर: {0}
 DocType: Sales Invoice,Sales Team1,विक्री Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,आयटम {0} अस्तित्वात नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,आयटम {0} अस्तित्वात नाही
 DocType: Sales Invoice,Customer Address,ग्राहक पत्ता
 DocType: Loan,Loan Details,कर्ज तपशील
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,पोस्ट कंपनीची सामने सेट करण्यात अयशस्वी
@@ -4010,34 +4058,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,पृष्ठाच्या शीर्षस्थानी हा स्लाइडशो दर्शवा
 DocType: BOM,Item UOM,आयटम UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),सवलत रक्कम नंतर कर रक्कम (कंपनी चलन)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},लक्ष्य कोठार सलग {0} साठी अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},लक्ष्य कोठार सलग {0} साठी अनिवार्य आहे
 DocType: Cheque Print Template,Primary Settings,प्राथमिक सेटिंग्ज
 DocType: Attendance Request,Work From Home,घरून काम
 DocType: Purchase Invoice,Select Supplier Address,पुरवठादाराचा  पत्ता निवडा
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,कर्मचारी जोडा
 DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता तपासणी
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,अतिरिक्त लहान
 DocType: Company,Standard Template,मानक साचा
 DocType: Training Event,Theory,सिद्धांत
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी:  मागणी साहित्य Qty किमान Qty पेक्षा कमी आहे
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी:  मागणी साहित्य Qty किमान Qty पेक्षा कमी आहे
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,खाते {0} गोठविले
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,कायदेशीर अस्तित्व / उपकंपनी स्वतंत्र लेखा चार्ट सह संघटनेला संबंधित करते
 DocType: Payment Request,Mute Email,निःशब्द ईमेल
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","अन्न, पेय आणि तंबाखू"
 DocType: Account,Account Number,खाते क्रमांक
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},फक्त बिल न केलेली विरुद्ध रक्कम करू शकता {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,आयोग दर 100 पेक्षा जास्त असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},फक्त बिल न केलेली विरुद्ध रक्कम करू शकता {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,आयोग दर 100 पेक्षा जास्त असू शकत नाही
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),आपोआप अग्रेषित करा (FIFO)
 DocType: Volunteer,Volunteer,स्वयंसेवक
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,प्रथम {0} प्रविष्ट करा
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,पासून कोणतीही प्रत्युत्तरे
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,पासून कोणतीही प्रत्युत्तरे
 DocType: Work Order Operation,Actual End Time,वास्तविक समाप्ती वेळ
 DocType: Item,Manufacturer Part Number,निर्माता भाग क्रमांक
 DocType: Taxable Salary Slab,Taxable Salary Slab,करपात्र वेतन स्लॅब
 DocType: Work Order Operation,Estimated Time and Cost,अंदाजे वेळ आणि खर्च
 DocType: Bin,Bin,बिन
 DocType: Crop,Crop Name,क्रॉप नाव
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,{0} भूमिका असणारे वापरकर्ते मार्केटप्लेसवर नोंदणी करू शकतात
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,{0} भूमिका असणारे वापरकर्ते मार्केटप्लेसवर नोंदणी करू शकतात
 DocType: SMS Log,No of Sent SMS,पाठविलेला एसएमएस क्रमांक
 DocType: Leave Application,HR-LAP-.YYYY.-,एचआर-लॅप- .YYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,नेमणूक आणि भेटी
@@ -4066,7 +4115,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,कोड बदला
 DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर
 DocType: Vehicle,Diesel,डिझेल
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,किंमत सूची चलन निवडलेले नाही
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,किंमत सूची चलन निवडलेले नाही
 DocType: Purchase Invoice,Availed ITC Cess,लाभलेल्या आयटीसी उपकर
 ,Student Monthly Attendance Sheet,विद्यार्थी मासिक उपस्थिती पत्रक
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,शिपिंग नियम फक्त विक्रीसाठी लागू आहे
@@ -4083,7 +4132,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,विक्री भागीदार व्यवस्थापित करा.
 DocType: Quality Inspection,Inspection Type,तपासणी प्रकार
 DocType: Fee Validity,Visited yet,अद्याप भेट दिली
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,विद्यमान व्यवहार गोदामे गट रूपांतरीत केले जाऊ शकत नाही.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,विद्यमान व्यवहार गोदामे गट रूपांतरीत केले जाऊ शकत नाही.
 DocType: Assessment Result Tool,Result HTML,HTML निकाल
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,विक्रय व्यवहाराच्या आधारावर किती वेळा प्रकल्प आणि कंपनी अद्यतनित करावी
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,रोजी कालबाह्य
@@ -4091,7 +4140,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},कृपया  {0} निवडा
 DocType: C-Form,C-Form No,सी-फॉर्म नाही
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,अंतर
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,अंतर
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,आपण खरेदी किंवा विक्री केलेल्या वस्तू किंवा सेवांची सूची करा.
 DocType: Water Analysis,Storage Temperature,साठवण तापमान
 DocType: Sales Order,SAL-ORD-.YYYY.-,एसएएल- ORD- .YYY.-
@@ -4107,19 +4156,19 @@
 DocType: Shopify Settings,Delivery Note Series,वितरण टीप मालिका
 DocType: Purchase Order Item,Returned Qty,परत केलेली Qty
 DocType: Student,Exit,बाहेर पडा
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,रूट प्रकार अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,रूट प्रकार अनिवार्य आहे
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,प्रिसेट्स स्थापित करण्यात अयशस्वी
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,तासांमध्ये UOM रूपांतर
 DocType: Contract,Signee Details,साइनबीचे तपशील
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} सध्या येथे {1} पुरवठादार धावसंख्याकार्ड उभे आहे आणि या पुरवठादाराला आरएफक्यू सावधगिरीने देणे आवश्यक आहे.
 DocType: Certified Consultant,Non Profit Manager,नॉन प्रॉफिट मॅनेजर
 DocType: BOM,Total Cost(Company Currency),एकूण खर्च (कंपनी चलन)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,सिरियल क्रमांक{0} तयार केला
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,सिरियल क्रमांक{0} तयार केला
 DocType: Homepage,Company Description for website homepage,वेबसाइट मुख्यपृष्ठावर कंपनी वर्णन
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ग्राहकांच्या सोयीसाठी, हे कोड पावत्या आणि वितरण टिपा सारख्या प्रिंट स्वरूपात वापरले जाऊ शकते"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier नाव
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} साठी माहिती पुनर्प्राप्त करू शकले नाही.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,उघडत प्रवेश जर्नल
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,उघडत प्रवेश जर्नल
 DocType: Contract,Fulfilment Terms,पूर्तता अटी
 DocType: Sales Invoice,Time Sheet List,वेळ पत्रक यादी
 DocType: Employee,You can enter any date manually,तुम्ही स्वतः तारीख प्रविष्ट करू शकता
@@ -4155,7 +4204,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,आपले संघटना
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","खालील कर्मचा-यांसाठी रजा वाटप सोडणे, जसे की त्यांचे वाटप आबंटन रेकॉर्ड आधीपासून अस्तित्वात आहे. {0}"
 DocType: Fee Component,Fees Category,शुल्क वर्ग
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,relieving तारीख प्रविष्ट करा.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,relieving तारीख प्रविष्ट करा.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,रक्कम
 DocType: Travel Request,"Details of Sponsor (Name, Location)","प्रायोजकांचा तपशील (नाव, स्थान)"
 DocType: Supplier Scorecard,Notify Employee,कर्मचार्याला सूचित करा
@@ -4168,9 +4217,9 @@
 DocType: Company,Chart Of Accounts Template,खाती साचा चार्ट
 DocType: Attendance,Attendance Date,उपस्थिती दिनांक
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},खरेदी चलन {0} साठी स्टॉक अद्यतन सक्षम करणे आवश्यक आहे
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},आयटम किंमत {0} मध्ये दर सूची अद्ययावत {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},आयटम किंमत {0} मध्ये दर सूची अद्ययावत {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,कमावते आणि कपात आधारित पगार चित्रपटाने.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,child नोडस् सह खाते लेजर मधे रूपांतरीत केले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,child नोडस् सह खाते लेजर मधे रूपांतरीत केले जाऊ शकत नाही
 DocType: Purchase Invoice Item,Accepted Warehouse,स्वीकृत कोठार
 DocType: Bank Reconciliation Detail,Posting Date,पोस्टिंग तारीख
 DocType: Item,Valuation Method,मूल्यांकन पद्धत
@@ -4207,6 +4256,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,कृपया एक बॅच निवडा
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,प्रवास आणि खर्च दावा
 DocType: Sales Invoice,Redemption Cost Center,रिडेम्प्शन कॉस्ट सेंटर
+DocType: QuickBooks Migrator,Scope,व्याप्ती
 DocType: Assessment Group,Assessment Group Name,मूल्यांकन गट नाव
 DocType: Manufacturing Settings,Material Transferred for Manufacture,साहित्य उत्पादन साठी हस्तांतरित
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,तपशील जोडा
@@ -4214,6 +4264,7 @@
 DocType: Shopify Settings,Last Sync Datetime,अंतिम संकालन Datetime
 DocType: Landed Cost Item,Receipt Document Type,पावती दस्तऐवज प्रकार
 DocType: Daily Work Summary Settings,Select Companies,कंपन्या निवडा
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,प्रस्ताव / किंमत कोट
 DocType: Antibiotic,Healthcare,आरोग्य सेवा
 DocType: Target Detail,Target Detail,लक्ष्य तपशील
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,सिंगल व्हेरियंट
@@ -4223,6 +4274,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,कालावधी संवरण
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,विभाग निवडा ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,विद्यमान व्यवहार खर्चाच्या केंद्र गट रूपांतरीत केले जाऊ शकत नाही
+DocType: QuickBooks Migrator,Authorization URL,अधिकृतता URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},रक्कम {0} {1} {2} {3}
 DocType: Account,Depreciation,घसारा
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,शेअर्सची संख्या आणि शेअरची संख्या विसंगत आहेत
@@ -4245,13 +4297,14 @@
 DocType: Support Search Source,Source DocType,स्रोत डॉकप्रकार
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,नवीन तिकीट उघडा
 DocType: Training Event,Trainer Email,प्रशिक्षक ईमेल
+DocType: Driver,Transporter,ट्रान्सपोर्टर
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,साहित्य विनंत्या {0} तयार
 DocType: Restaurant Reservation,No of People,लोक संख्या
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,अटी किंवा करार साचा.
 DocType: Bank Account,Address and Contact,पत्ता आणि संपर्क
 DocType: Vital Signs,Hyper,हायपर
 DocType: Cheque Print Template,Is Account Payable,खाते देय आहे
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},शेअर खरेदी पावती विरुद्ध केले जाऊ शकत नाही {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},शेअर खरेदी पावती विरुद्ध केले जाऊ शकत नाही {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 दिवस स्वयं अंक बंद
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","रजेचे  {0} च्या आधी वाटप जाऊ शकत नाही, कारण  रजा शिल्लक आधीच वाहून-अग्रेषित भविष्यात रजा वाटप रेकॉर्ड केले आहे {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),टीप: मुळे / संदर्भ तारीख {0} दिवसा परवानगी ग्राहक क्रेडिट दिवस पेक्षा जास्त (चे)
@@ -4269,7 +4322,7 @@
 ,Qty to Deliver,वितरीत करण्यासाठी Qty
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ऍमेझॉन या तारीख नंतर अद्यतनित डेटा समक्रमित होईल
 ,Stock Analytics,शेअर Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ऑपरेशन रिक्त सोडले जाऊ शकत नाही
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ऑपरेशन रिक्त सोडले जाऊ शकत नाही
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,लॅब टेस्ट
 DocType: Maintenance Visit Purpose,Against Document Detail No,दस्तऐवज तपशील विरुद्ध नाही
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},देश {0} साठी हटविण्याची परवानगी नाही
@@ -4277,13 +4330,12 @@
 DocType: Quality Inspection,Outgoing,जाणारे
 DocType: Material Request,Requested For,विनंती
 DocType: Quotation Item,Against Doctype,Doctype विरुद्ध
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} हे रद्द किंवा बंद आहे?
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} हे रद्द किंवा बंद आहे?
 DocType: Asset,Calculate Depreciation,घसारा गणना
 DocType: Delivery Note,Track this Delivery Note against any Project,कोणत्याही प्रकल्पाच्या विरोधात या वितरण टीप मागोवा
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,गुंतवणूक निव्वळ रोख
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक समूह&gt; प्रदेश
 DocType: Work Order,Work-in-Progress Warehouse,कार्य प्रगती मध्ये असलेले  कोठार
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,मालमत्ता {0} सादर करणे आवश्यक आहे
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,मालमत्ता {0} सादर करणे आवश्यक आहे
 DocType: Fee Schedule Program,Total Students,एकूण विद्यार्थी
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},उपस्थिती नोंद {0} विद्यार्थी विरुद्ध अस्तित्वात {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},संदर्भ # {0} दिनांक {1}
@@ -4303,7 +4355,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,डाव्या कर्मचार्यांसाठी धारणा बोनस तयार करू शकत नाही
 DocType: Lead,Market Segment,बाजार विभाग
 DocType: Agriculture Analysis Criteria,Agriculture Manager,कृषी व्यवस्थापक
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},अदा केलेली रक्कम एकूण नकारात्मक थकबाकी रक्कम पेक्षा जास्त असू शकत नाही {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},अदा केलेली रक्कम एकूण नकारात्मक थकबाकी रक्कम पेक्षा जास्त असू शकत नाही {0}
 DocType: Supplier Scorecard Period,Variables,व्हेरिएबल्स
 DocType: Employee Internal Work History,Employee Internal Work History,कर्मचारी अंतर्गत कार्य इतिहास
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),बंद (डॉ)
@@ -4328,22 +4380,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Products
 DocType: Loyalty Point Entry,Loyalty Program,निष्ठा कार्यक्रम
 DocType: Student Guardian,Father,वडील
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,समर्थन तिकिटे
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;अद्यतन शेअर&#39; निश्चित मालमत्ता विक्री साठी तपासणे शक्य नाही
 DocType: Bank Reconciliation,Bank Reconciliation,बँक मेळ
 DocType: Attendance,On Leave,रजेवर
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,अद्यतने मिळवा
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: खाते {2} कंपनी संबंधित नाही {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,प्रत्येक विशेषतेमधून किमान एक मूल्य निवडा.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,प्रत्येक विशेषतेमधून किमान एक मूल्य निवडा.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,साहित्य विनंती {0} रद्द किंवा बंद आहे
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,डिपार्च स्टेट
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,डिपार्च स्टेट
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,रजा व्यवस्थापन
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,गट
 DocType: Purchase Invoice,Hold Invoice,चलन धारण करा
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,कृपया कर्मचारी निवडा
 DocType: Sales Order,Fully Delivered,पूर्णतः वितरित
-DocType: Lead,Lower Income,अल्प उत्पन्न
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,अल्प उत्पन्न
 DocType: Restaurant Order Entry,Current Order,वर्तमान ऑर्डर
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,सिरीयल क्रमांकांची संख्या आणि प्रमाण समान असणे आवश्यक आहे
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},स्त्रोत आणि लक्ष्य कोठार  {0} रांगेत समान असू शकत नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},स्त्रोत आणि लक्ष्य कोठार  {0} रांगेत समान असू शकत नाही
 DocType: Account,Asset Received But Not Billed,मालमत्ता प्राप्त झाली परंतु बिल केलेले नाही
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","फरक खाते, एक मालमत्ता / दायित्व प्रकार खाते असणे आवश्यक आहे कारण  शेअर मेळ हे उदघाटन नोंद आहे"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},वितरित करण्यात आलेल्या रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही {0}
@@ -4352,7 +4406,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},आयटम आवश्यक मागणीसाठी  क्रमांक खरेदी {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','तारीख पासून' नंतर 'तारखेपर्यंत' असणे आवश्यक आहे
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,या पदनासाठी कोणतेही कर्मचारी प्रशिक्षण योजना नाहीत
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,आयटम {1} ची बॅच {1} अक्षम केली आहे.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,आयटम {1} ची बॅच {1} अक्षम केली आहे.
 DocType: Leave Policy Detail,Annual Allocation,वार्षिक आबंटन
 DocType: Travel Request,Address of Organizer,आयोजकचा पत्ता
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,आरोग्यसेवा चिकित्सक निवडा ...
@@ -4361,12 +4415,12 @@
 DocType: Asset,Fully Depreciated,पूर्णपणे अवमूल्यन
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,शेअर Qty अंदाज
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},ग्राहक {0}  प्रोजेक्ट {1} ला संबंधित नाही
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},ग्राहक {0}  प्रोजेक्ट {1} ला संबंधित नाही
 DocType: Employee Attendance Tool,Marked Attendance HTML,चिन्हांकित उपस्थिती एचटीएमएल
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","आंतरशालेय, प्रस्ताव आपण आपल्या ग्राहकांना पाठवले आहे बोली"
 DocType: Sales Invoice,Customer's Purchase Order,ग्राहकाच्या पर्चेस
 DocType: Clinical Procedure,Patient,पेशंट
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,विक्री ऑर्डरवर क्रेडिट चेक बायपास करा
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,विक्री ऑर्डरवर क्रेडिट चेक बायपास करा
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,कर्मचारी ऑनबोर्डिंग गतिविधी
 DocType: Location,Check if it is a hydroponic unit,तो एक hydroponic युनिट आहे की नाही हे तपासा
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,सिरियल क्रमांक आणि बॅच
@@ -4376,7 +4430,7 @@
 DocType: Supplier Scorecard Period,Calculations,गणना
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,मूल्य किंवा Qty
 DocType: Payment Terms Template,Payment Terms,देयक अटी
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,प्रॉडक्शन आदेश उठविले जाऊ शकत नाही:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,प्रॉडक्शन आदेश उठविले जाऊ शकत नाही:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,मिनिट
 DocType: Purchase Invoice,Purchase Taxes and Charges,कर आणि शुल्क खरेदी
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4384,7 +4438,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,पुरवठादारांकडे जा
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,पीओएस बंद व्हाउचर कर
 ,Qty to Receive,प्राप्त करण्यासाठी Qty
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","प्रारंभ आणि समाप्तीची तारखा एखाद्या वैध वेतन कालावधीत नाही, {0} ची गणना करू शकत नाही"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","प्रारंभ आणि समाप्तीची तारखा एखाद्या वैध वेतन कालावधीत नाही, {0} ची गणना करू शकत नाही"
 DocType: Leave Block List,Leave Block List Allowed,रजा ब्लॉक यादी परवानगी दिली
 DocType: Grading Scale Interval,Grading Scale Interval,प्रतवारी स्केल मध्यांतर
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},वाहनाकरीता लॉग खर्च दावा {0}
@@ -4392,10 +4446,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,सवलत (%) वर फरकाने दर सूची दर
 DocType: Healthcare Service Unit Type,Rate / UOM,दर / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,सर्व गोदामांची
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,आंतर कंपनी व्यवहारांसाठी कोणतेही {0} आढळले नाही.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,आंतर कंपनी व्यवहारांसाठी कोणतेही {0} आढळले नाही.
 DocType: Travel Itinerary,Rented Car,भाड्याने कार
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,आपल्या कंपनी बद्दल
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,क्रेडिट खाते ताळेबंद खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,क्रेडिट खाते ताळेबंद खाते असणे आवश्यक आहे
 DocType: Donor,Donor,दाता
 DocType: Global Defaults,Disable In Words,शब्द मध्ये अक्षम
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,आयटम कोड बंधनकारक आहे कारण आयटम स्वयंचलितपणे गणती केलेला  नाही
@@ -4407,14 +4461,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,बँक ओव्हरड्राफ्ट खाते
 DocType: Patient,Patient ID,रुग्ण आयडी
 DocType: Practitioner Schedule,Schedule Name,शेड्यूल नाव
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,स्टेज द्वारे विक्री पाइपलाइन
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,पगाराच्या स्लिप्स करा
 DocType: Currency Exchange,For Buying,खरेदीसाठी
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,सर्व पुरवठादार जोडा
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,सर्व पुरवठादार जोडा
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,पंक्ती # {0}: रक्कम थकबाकी रक्कम पेक्षा जास्त असू शकत नाही.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,ब्राउझ करा BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,सुरक्षित कर्ज
 DocType: Purchase Invoice,Edit Posting Date and Time,पोस्टिंग तारीख आणि वेळ संपादित
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},मालमत्ता वर्ग {0} किंवा कंपनी मध्ये घसारा संबंधित खाती सेट करा {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},मालमत्ता वर्ग {0} किंवा कंपनी मध्ये घसारा संबंधित खाती सेट करा {1}
 DocType: Lab Test Groups,Normal Range,सामान्य श्रेणी
 DocType: Academic Term,Academic Year,शैक्षणिक वर्ष
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,उपलब्ध विक्री
@@ -4443,26 +4498,26 @@
 DocType: Patient Appointment,Patient Appointment,रुग्ण नेमणूक
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,भूमिका मंजूर नियम लागू आहे भूमिका समान असू शकत नाही
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,या ईमेल डायजेस्ट पासून सदस्यता रद्द करा
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,द्वारे पुरवठादार मिळवा
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,द्वारे पुरवठादार मिळवा
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} आयटमसाठी सापडला नाही {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,अभ्यासक्रमांकडे जा
 DocType: Accounts Settings,Show Inclusive Tax In Print,प्रिंटमध्ये समावेशक कर दाखवा
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","बँक खाते, दिनांकापासून आणि तारखेपर्यंत अनिवार्य आहे"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,संदेश पाठवला
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,child नोडस् सह खाते लेजर म्हणून सेट केली जाऊ शकत  नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,child नोडस् सह खाते लेजर म्हणून सेट केली जाऊ शकत  नाही
 DocType: C-Form,II,दुसरा
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,दर ज्यामध्ये किंमत यादी चलन ग्राहक बेस चलनमधे  रूपांतरित आहे
 DocType: Purchase Invoice Item,Net Amount (Company Currency),निव्वळ रक्कम (कंपनी चलन)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,एकूण आगाऊ रक्कम एकूण स्वीकृत रकमेपेक्षा जास्त असू शकत नाही
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,एकूण आगाऊ रक्कम एकूण स्वीकृत रकमेपेक्षा जास्त असू शकत नाही
 DocType: Salary Slip,Hour Rate,तास दर
 DocType: Stock Settings,Item Naming By,आयटम करून नामांकन
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},आणखी कालावधी संवरण {0} आला आहे {1}
 DocType: Work Order,Material Transferred for Manufacturing,साहित्य उत्पादन साठी हस्तांतरित
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,खाते {0} अस्तित्वात नाही
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,लॉयल्टी प्रोग्राम निवडा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,लॉयल्टी प्रोग्राम निवडा
 DocType: Project,Project Type,प्रकल्प प्रकार
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,या कामासाठी बालकार्य अस्तित्वात आहे. आपण हे कार्य हटवू शकत नाही.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,एकतर लक्ष्य qty किंवा लक्ष्य रक्कम आवश्यक आहे.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,एकतर लक्ष्य qty किंवा लक्ष्य रक्कम आवश्यक आहे.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,विविध उपक्रम खर्च
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","इव्हेंट सेट {0}, विक्री व्यक्ती खाली संलग्न कर्मचारी पासून वापरकर्ता आयडी नाही {1}"
 DocType: Timesheet,Billing Details,बिलिंग तपशील
@@ -4520,13 +4575,13 @@
 DocType: Inpatient Record,A Negative,नकारात्मक
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,दर्शविण्यासाठी अधिक काहीही नाही.
 DocType: Lead,From Customer,ग्राहकासाठी
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,कॉल
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,कॉल
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,एक उत्पादन
 DocType: Employee Tax Exemption Declaration,Declarations,घोषणापत्र
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,बॅच
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,शुल्क वेळापत्रक तयार करा
 DocType: Purchase Order Item Supplied,Stock UOM,शेअर UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,खरेदी ऑर्डर {0} सबमिट केलेली नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,खरेदी ऑर्डर {0} सबमिट केलेली नाही
 DocType: Account,Expenses Included In Asset Valuation,मालमत्ता मूल्यांकनामध्ये समाविष्ट असलेले खर्च
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),प्रौढांसाठी सामान्य संदर्भ श्रेणी 16-20 श्वास / मिनिट (आरसीपी 2012) आहे
 DocType: Customs Tariff Number,Tariff Number,दर क्रमांक
@@ -4539,6 +4594,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,कृपया प्रथम रुग्णाला वाचवा
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,उपस्थिती यशस्वीरित्या चिन्हांकित केले गेले.
 DocType: Program Enrollment,Public Transport,सार्वजनिक वाहतूक
+DocType: Delivery Note,GST Vehicle Type,जीएसटी वाहन प्रकार
 DocType: Soil Texture,Silt Composition (%),सिल्ट रचना (%)
 DocType: Journal Entry,Remark,शेरा
 DocType: Healthcare Settings,Avoid Confirmation,पुष्टीकरण टाळा
@@ -4548,11 +4604,10 @@
 DocType: Education Settings,Current Academic Term,चालू शैक्षणिक मुदत
 DocType: Education Settings,Current Academic Term,चालू शैक्षणिक मुदत
 DocType: Sales Order,Not Billed,बिल नाही
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,दोन्ही कोठार त्याच कंपनी संबंधित आवश्यक
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,दोन्ही कोठार त्याच कंपनी संबंधित आवश्यक
 DocType: Employee Grade,Default Leave Policy,डीफॉल्ट सोडण्याची धोरणे
 DocType: Shopify Settings,Shop URL,दुकान URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,संपर्क अद्याप जोडले नाहीत
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; क्रमांकन मालिकाद्वारे उपस्थित राहण्यासाठी नंबरिंग शृंखला सेट करा
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,स्थावर खर्च व्हाउचर रक्कम
 ,Item Balance (Simple),बाब शिल्लक (साधी)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,पुरवठादार उपस्थित बिल.
@@ -4577,7 +4632,7 @@
 DocType: Shopping Cart Settings,Quotation Series,कोटेशन मालिका
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","आयटम त्याच नावाने अस्तित्वात ( {0} ) असेल , तर आयटम गट नाव बदल  किंवा आयटम पुनर्नामित करा"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,माती विश्लेषण मानदंड
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,कृपया ग्राहक निवडा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,कृपया ग्राहक निवडा
 DocType: C-Form,I,मी
 DocType: Company,Asset Depreciation Cost Center,मालमत्ता घसारा खर्च केंद्र
 DocType: Production Plan Sales Order,Sales Order Date,विक्री ऑर्डर तारीख
@@ -4590,8 +4645,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,सध्या कोणत्याही कोठारमध्ये कोणतीही स्टॉक उपलब्ध नाही
 ,Payment Period Based On Invoice Date,चलन तारखेला आधारित भरणा कालावधी
 DocType: Sample Collection,No. of print,प्रिंटची संख्या
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,वाढदिवस स्मरणपत्र
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,हॉटेल रूम आरक्षण आयटम
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},चलन विनिमय दर {0} साठी  गहाळ
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},चलन विनिमय दर {0} साठी  गहाळ
 DocType: Employee Health Insurance,Health Insurance Name,आरोग्य विमा नाव
 DocType: Assessment Plan,Examiner,परीक्षक
 DocType: Student,Siblings,भावंड
@@ -4608,19 +4664,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,नवीन ग्राहक
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,निव्वळ नफा%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,नियुक्ती {0} आणि विक्री चलन {1} रद्द
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,लीड सोर्सद्वारे संधी
 DocType: Appraisal Goal,Weightage (%),वजन (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,पीओएस प्रोफाइल बदला
 DocType: Bank Reconciliation Detail,Clearance Date,मंजुरी तारीख
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","{0} आयटमवर मालमत्ता आधीपासूनच अस्तित्वात आहे, तुम्ही त्यात बदल करू शकत नाही"
+DocType: Delivery Settings,Dispatch Notification Template,प्रेषण अधिसूचना टेम्पलेट
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","{0} आयटमवर मालमत्ता आधीपासूनच अस्तित्वात आहे, तुम्ही त्यात बदल करू शकत नाही"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,मूल्यांकन अहवाल
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,कर्मचारी मिळवा
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,एकूण खरेदी रक्कम अनिवार्य आहे
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,कंपनी नाव समान नाही
 DocType: Lead,Address Desc,Desc पत्ता
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,पक्ष अनिवार्य आहे
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},इतर पंक्तींमध्ये डुप्लिकेट देय तारखांसह असलेली पंक्ती सापडली: {list}
 DocType: Topic,Topic Name,विषय नाव
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,कृपया एचआर सेटिंग्जमध्ये स्वीकृति सूट देण्याकरिता डीफॉल्ट टेम्पलेट सेट करा.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,कृपया एचआर सेटिंग्जमध्ये स्वीकृति सूट देण्याकरिता डीफॉल्ट टेम्पलेट सेट करा.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,विक्री किंवा खरेदी कमीत कमी एक निवडणे आवश्यक आहे
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,कर्मचारी अग्रिम प्राप्त करण्यासाठी एक कर्मचारी निवडा
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,कृपया एक वैध तारीख निवडा
@@ -4654,6 +4711,7 @@
 DocType: Stock Entry,Customer or Supplier Details,ग्राहक किंवा पुरवठादार माहिती
 DocType: Payment Entry,ACC-PAY-.YYYY.-,एसीसी-पे-य्यवाय.-
 DocType: Asset Value Adjustment,Current Asset Value,वर्तमान मालमत्ता मूल्य
+DocType: QuickBooks Migrator,Quickbooks Company ID,क्विकबुक कंपनी आयडी
 DocType: Travel Request,Travel Funding,प्रवास निधी
 DocType: Loan Application,Required by Date,तारीख आवश्यक
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,क्रॉप वाढत आहे अशा सर्व स्थानांवर एक दुवा
@@ -4667,9 +4725,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,वखार पासून उपलब्ध बॅच प्रमाण
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,एकूण पे - एकूण कापून - कर्जाची परतफेड
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,वर्तमान BOM आणि नवीन BOM समान असू शकत नाही
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,वर्तमान BOM आणि नवीन BOM समान असू शकत नाही
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,पगाराच्या स्लिप्स आयडी
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,निवृत्ती तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,निवृत्ती तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,एकाधिक वेरिएंट
 DocType: Sales Invoice,Against Income Account,उत्पन्न खाते विरुद्ध
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% वितरण
@@ -4698,7 +4756,7 @@
 DocType: POS Profile,Update Stock,अद्यतन शेअर
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,आयटम साठी विविध UOM अयोग्य (एकूण) निव्वळ वजन मूल्य नेईल. प्रत्येक आयटम निव्वळ वजन समान UOM आहे याची खात्री करा.
 DocType: Certification Application,Payment Details,भरणा माहिती
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM दर
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM दर
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","थांबलेले वर्क ऑर्डर रद्द करता येत नाही, रद्द करण्यासाठी प्रथम तो अनस्टॉप करा"
 DocType: Asset,Journal Entry for Scrap,स्क्रॅप साठी जर्नल प्रवेश
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,डिलिव्हरी Note मधून  आयटम पुल करा/ओढा
@@ -4721,11 +4779,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,एकूण मंजूर रक्कम
 ,Purchase Analytics,खरेदी Analytics
 DocType: Sales Invoice Item,Delivery Note Item,डिलिव्हरी टीप आयटम
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,वर्तमान चलन {0} गहाळ आहे
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,वर्तमान चलन {0} गहाळ आहे
 DocType: Asset Maintenance Log,Task,कार्य
 DocType: Purchase Taxes and Charges,Reference Row #,संदर्भ रो #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},बॅच नंबर आयटम अनिवार्य आहे {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,या रूट विक्री व्यक्ती आहे आणि संपादित केला जाऊ शकत नाही.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,या रूट विक्री व्यक्ती आहे आणि संपादित केला जाऊ शकत नाही.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","नीवडल्यास, हा घटक मध्ये निर्दिष्ट गणना मूल्य कमाई किंवा कपात योगदान नाही. तथापि, मूल्यवर्धित किंवा वजा केले जाऊ शकते इतर घटक संदर्भ जाऊ शकते आहे."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","नीवडल्यास, हा घटक मध्ये निर्दिष्ट गणना मूल्य कमाई किंवा कपात योगदान नाही. तथापि, मूल्यवर्धित किंवा वजा केले जाऊ शकते इतर घटक संदर्भ जाऊ शकते आहे."
 DocType: Asset Settings,Number of Days in Fiscal Year,आर्थिक वर्षातील दिवसांची संख्या
@@ -4734,7 +4792,7 @@
 DocType: Company,Exchange Gain / Loss Account,विनिमय लाभ / तोटा लेखा
 DocType: Amazon MWS Settings,MWS Credentials,MWS क्रेडेन्शियल
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,कर्मचारी आणि उपस्थिती
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},हेतू एक असणे आवश्यक आहे {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},हेतू एक असणे आवश्यक आहे {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,फॉर्म भरा आणि तो जतन
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,समूह
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,शेअर प्रत्यक्ष प्रमाण
@@ -4750,7 +4808,7 @@
 DocType: Lab Test Template,Standard Selling Rate,मानक विक्री दर
 DocType: Account,Rate at which this tax is applied,कर लागू आहे जेथे  हा  दर
 DocType: Cash Flow Mapper,Section Name,विभाग नाव
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Qty पुनर्क्रमित करा
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Qty पुनर्क्रमित करा
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},घसारा रो {0}: अपेक्षित मूल्य उपयोगी जीवन नंतर {1} पेक्षा मोठे किंवा त्यासमान असणे आवश्यक आहे
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,वर्तमान नोकरी संबंधी
 DocType: Company,Stock Adjustment Account,शेअर समायोजन खाते
@@ -4760,8 +4818,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","प्रणाली वापरकर्ता (लॉग-इन) आयडी. सेट केल्यास, हे सर्व एचआर फॉर्मसाठी  मुलभूत होईल."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,घसारा तपशील प्रविष्ट करा
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: पासून {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},विद्यार्थ्याविरुद्ध {5} आधीपासूनच विद्यमान अनुप्रयोग विद्यमान आहे {1}
 DocType: Task,depends_on,च्या वर अवलंबून असणे
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,सर्व बिल ऑफ मटेरिअममध्ये नवीनतम किंमत अद्यतनित करण्यासाठी रांगेत. यास काही मिनिटे लागतील.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,सर्व बिल ऑफ मटेरिअममध्ये नवीनतम किंमत अद्यतनित करण्यासाठी रांगेत. यास काही मिनिटे लागतील.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,नवीन खाते नाव. टीप: ग्राहक व पुरवठादार साठी खाती तयार करू नका
 DocType: POS Profile,Display Items In Stock,स्टॉकमध्ये आयटम प्रदर्शित करा
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,देशनिहाय मुलभूत पत्ता टेम्पलेट
@@ -4791,16 +4850,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} करिता स्लॉट शेड्यूलमध्ये जोडलेले नाहीत
 DocType: Product Bundle,List items that form the package.,सूची आयटम पॅकेज तयार करा
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,परवानगी नाही. कृपया चाचणी टेम्प्लेट अक्षम करा
+DocType: Delivery Note,Distance (in km),अंतर (किमी मध्ये)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,टक्केवारी वाटप 100% समान असावी
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,कृपया पार्टी निवड केली पोस्टिंग तारीख निवडा
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,कृपया पार्टी निवड केली पोस्टिंग तारीख निवडा
 DocType: Program Enrollment,School House,शाळा हाऊस
 DocType: Serial No,Out of AMC,एएमसी पैकी
+DocType: Opportunity,Opportunity Amount,संधीची रक्कम
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,पूर्वनियोजित Depreciations संख्या Depreciations एकूण संख्या पेक्षा जास्त असू शकत नाही
 DocType: Purchase Order,Order Confirmation Date,मागणी पुष्टी तारीख
 DocType: Driver,HR-DRI-.YYYY.-,एचआर-डीआरआय-वाई वाई वाई वाई.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,देखभाल भेट करा
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","जॉब कार्डसह प्रारंभ तारीख आणि समाप्ती तारीख आच्छादित आहे <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,कर्मचारी हस्तांतरण तपशील
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,ज्या वापरकर्त्याची  विक्री मास्टर व्यवस्थापक {0} भूमिका आहे त्याला कृपया संपर्ग साधा
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,ज्या वापरकर्त्याची  विक्री मास्टर व्यवस्थापक {0} भूमिका आहे त्याला कृपया संपर्ग साधा
 DocType: Company,Default Cash Account,मुलभूत रोख खाते
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,कंपनी ( ग्राहक किंवा पुरवठादार नाही) मास्टर.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,हे या विद्यार्थी पोषाख आधारित आहे
@@ -4808,9 +4870,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,अधिक आयटम किंवा ओपन पूर्ण फॉर्म जोडा
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिव्हरी टिपा {0} या विक्री ऑर्डर रद्द आधी रद्द करणे आवश्यक आहे
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,वापरकर्त्यांकडे जा
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,पेड रक्कम + एकूण रक्कमेपेक्षा   पेक्षा जास्त असू शकत नाही बंद लिहा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,पेड रक्कम + एकूण रक्कमेपेक्षा   पेक्षा जास्त असू शकत नाही बंद लिहा
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} आयटम एक वैध बॅच क्रमांक नाही {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},टीप: रजा प्रकार पुरेशी रजा शिल्लक नाही {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},टीप: रजा प्रकार पुरेशी रजा शिल्लक नाही {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,अवैध GSTIN किंवा अनोंदणीकृत साठी लागू प्रविष्ट करा
 DocType: Training Event,Seminar,सेमिनार
 DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नावनोंदणी फी
@@ -4827,7 +4889,7 @@
 DocType: Fee Schedule,Fee Schedule,शुल्क वेळापत्रक
 DocType: Company,Create Chart Of Accounts Based On,लेखा आधारित चार्ट तयार करा
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,ते गटबद्ध करू शकत नाही बालकार्य अस्तित्वात आहेत.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,जन्म तारीख आज पेक्षा जास्त असू शकत नाही.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,जन्म तारीख आज पेक्षा जास्त असू शकत नाही.
 ,Stock Ageing,शेअर Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","अंशतः प्रायोजित, आंशिक अनुदान आवश्यक आहे"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},विद्यार्थी {0} विद्यार्थी अर्जदार विरुद्ध अस्तित्वात {1}
@@ -4874,11 +4936,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,समेट करण्यापूर्वी
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},करण्यासाठी {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),कर आणि शुल्क जोडले (कंपनी चलन)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आयटम कर रो {0}  कर  किंवा उत्पन्न किंवा खर्चाचे किंवा भार प्रकारचे खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आयटम कर रो {0}  कर  किंवा उत्पन्न किंवा खर्चाचे किंवा भार प्रकारचे खाते असणे आवश्यक आहे
 DocType: Sales Order,Partly Billed,अंशतः बिल आकारले
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,आयटम {0} मुदत मालमत्ता आयटम असणे आवश्यक आहे
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,एचएसएन
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,रूपे बनवा
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,एचएसएन
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,रूपे बनवा
 DocType: Item,Default BOM,मुलभूत BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),एकूण बिल रक्कम (विक्री चलन द्वारे)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,डेबिट टीप रक्कम
@@ -4907,14 +4969,14 @@
 DocType: Notification Control,Custom Message,सानुकूल संदेश
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,गुंतवणूक बँकिंग
 DocType: Purchase Invoice,input,इनपुट
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,रोख रक्कम किंवा बँक खाते पैसे नोंदणी करण्यासाठी अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,रोख रक्कम किंवा बँक खाते पैसे नोंदणी करण्यासाठी अनिवार्य आहे
 DocType: Loyalty Program,Multiple Tier Program,एकाधिक टायर कार्यक्रम
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,विद्यार्थी पत्ता
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,विद्यार्थी पत्ता
 DocType: Purchase Invoice,Price List Exchange Rate,किंमत सूची विनिमय दर
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,सर्व पुरवठादार गट
 DocType: Employee Boarding Activity,Required for Employee Creation,कर्मचारी निर्मितीसाठी आवश्यक
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},खात्यात {0} खाते क्रमांक वापरला आहे {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},खात्यात {0} खाते क्रमांक वापरला आहे {1}
 DocType: GoCardless Mandate,Mandate,जनादेश
 DocType: POS Profile,POS Profile Name,पीओएस प्रोफाइल नाव
 DocType: Hotel Room Reservation,Booked,बुक केले
@@ -4930,18 +4992,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,तुम्ही संदर्भ तारीख प्रविष्ट केली  असल्यास संदर्भ क्रमांक बंधनकारक आहे
 DocType: Bank Reconciliation Detail,Payment Document,भरणा दस्तऐवज
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,मापदंड सूत्रांचे मूल्यांकन करताना त्रुटी
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,प्रवेश दिनांक जन्म तारीख पेक्षा जास्त असणे आवश्यक आहे
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,प्रवेश दिनांक जन्म तारीख पेक्षा जास्त असणे आवश्यक आहे
 DocType: Subscription,Plans,योजना
 DocType: Salary Slip,Salary Structure,वेतन रचना
 DocType: Account,Bank,बँक
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,एयरलाईन
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,समस्या साहित्य
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,समस्या साहित्य
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext सह Shopify कनेक्ट करा
 DocType: Material Request Item,For Warehouse,वखार साठी
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,डिलिवरी नोट्स {0} अद्यतनित
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,डिलिवरी नोट्स {0} अद्यतनित
 DocType: Employee,Offer Date,ऑफर तारीख
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,बोली
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,आपण ऑफलाइन मोड मध्ये आहोत. आपण नेटवर्क पर्यंत रीलोड सक्षम होणार नाही.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,बोली
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,आपण ऑफलाइन मोड मध्ये आहोत. आपण नेटवर्क पर्यंत रीलोड सक्षम होणार नाही.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,अनुदान
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,नाही विद्यार्थी गट निर्माण केले.
 DocType: Purchase Invoice Item,Serial No,सिरियल नाही
@@ -4953,24 +5015,25 @@
 DocType: Sales Invoice,Customer PO Details,ग्राहक पीओ तपशील
 DocType: Stock Entry,Including items for sub assemblies,उप विधानसभा आयटम समावेश
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,तात्पुरते उघडण्याचे खाते
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,प्रविष्ट मूल्य सकारात्मक असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,प्रविष्ट मूल्य सकारात्मक असणे आवश्यक आहे
 DocType: Asset,Finance Books,वित्त पुस्तके
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,कर्मचारी कर सूट घोषणापत्र
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,सर्व प्रदेश
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,कर्मचारी / ग्रेड रेकॉर्डमध्ये कर्मचारी {0} साठी रजा पॉलिसी सेट करा
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,निवडलेल्या ग्राहक आणि आयटमसाठी अवैध कमाना आदेश
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,निवडलेल्या ग्राहक आणि आयटमसाठी अवैध कमाना आदेश
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,एकाधिक कार्ये जोडा
 DocType: Purchase Invoice,Items,आयटम
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,प्रारंभ तारीख आधी प्रारंभ होऊ शकत नाही
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,विद्यार्थी आधीच नोंदणी केली आहे.
 DocType: Fiscal Year,Year Name,वर्ष नाव
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,कामाच्या  दिवसापेक्षा अधिक सुट्ट्या  या महिन्यात आहेत.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,पीडीसी / एलसी रेफरी
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,कामाच्या  दिवसापेक्षा अधिक सुट्ट्या  या महिन्यात आहेत.
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,पीडीसी / एलसी रेफरी
 DocType: Production Plan Item,Product Bundle Item,उत्पादन बंडल आयटम
 DocType: Sales Partner,Sales Partner Name,विक्री भागीदार नाव
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,अवतरणे विनंती
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,अवतरणे विनंती
 DocType: Payment Reconciliation,Maximum Invoice Amount,कमाल चलन रक्कम
 DocType: Normal Test Items,Normal Test Items,सामान्य चाचणी आयटम
+DocType: QuickBooks Migrator,Company Settings,कंपनी सेटिंग्ज
 DocType: Additional Salary,Overwrite Salary Structure Amount,वेतन रचना रकमेवर अधिलिखित करा
 DocType: Student Language,Student Language,विद्यार्थी भाषा
 apps/erpnext/erpnext/config/selling.py +23,Customers,ग्राहक
@@ -4983,22 +5046,24 @@
 DocType: Issue,Opening Time,उघडण्याची  वेळ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,पासून आणि  पर्यंत तारखा आवश्यक आहेत
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,सिक्युरिटीज अँड कमोडिटी
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"'{0}' प्रकार करीता माप मुलभूत युनिट साचा म्हणून समान असणे आवश्यक आहे, '{1}'"
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"'{0}' प्रकार करीता माप मुलभूत युनिट साचा म्हणून समान असणे आवश्यक आहे, '{1}'"
 DocType: Shipping Rule,Calculate Based On,आधारित असणे
 DocType: Contract,Unfulfilled,पूर्ण झालेले नाही
 DocType: Delivery Note Item,From Warehouse,वखार पासून
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,नमूद केलेल्या निकषांसाठी कोणतेही कर्मचारी नाहीत
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,कारखानदार सामग्रीचा बिल नाही आयटम
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,कारखानदार सामग्रीचा बिल नाही आयटम
 DocType: Shopify Settings,Default Customer,डीफॉल्ट ग्राहक
+DocType: Sales Stage,Stage Name,स्टेज नाव
 DocType: Warranty Claim,SER-WRN-.YYYY.-,एसईआर-डब्लूआरएन-य. य.य.य.-
 DocType: Assessment Plan,Supervisor Name,पर्यवेक्षक नाव
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,त्याच दिवशी नियोजित भेटीची तयार झाल्याची पुष्टी करू नका
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,पोप टू स्टेट
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,पोप टू स्टेट
 DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नावनोंदणी कोर्स
 DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नावनोंदणी कोर्स
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},वापरकर्ता {0} आधीपासूनच आरोग्यसेवा अभ्यासकांना नियुक्त केला आहे {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,नमुना प्रतिधारण स्टॉक प्रवेश करा
 DocType: Purchase Taxes and Charges,Valuation and Total,मूल्यांकन आणि एकूण
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,वाटाघाटी / पुनरावलोकन
 DocType: Leave Encashment,Encashment Amount,नकरण रक्कम
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,स्कोअरकार्डस्
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,कालबाह्य बॅचस्
@@ -5008,7 +5073,7 @@
 DocType: Staffing Plan Detail,Current Openings,वर्तमान संधी
 DocType: Notification Control,Customize the Notification,सूचना सानुकूलित करा
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,ऑपरेशन्स रोख प्रवाह
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST रक्कम
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST रक्कम
 DocType: Purchase Invoice,Shipping Rule,शिपिंग नियम
 DocType: Patient Relation,Spouse,पती किंवा पत्नी
 DocType: Lab Test Groups,Add Test,चाचणी जोडा
@@ -5022,14 +5087,14 @@
 DocType: Payroll Entry,Payroll Frequency,उपयोग पे रोल वारंवारता
 DocType: Lab Test Template,Sensitivity,संवेदनशीलता
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,समक्रमण तात्पुरते अक्षम केले गेले आहे कारण जास्तीत जास्त प्रयत्न ओलांडले आहेत
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,कच्चा माल
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,कच्चा माल
 DocType: Leave Application,Follow via Email,ईमेल द्वारे अनुसरण करा
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,वनस्पती आणि यंत्रसामग्री
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,सवलत रक्कम नंतर कर रक्कम
 DocType: Patient,Inpatient Status,Inpatient स्थिती
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,दररोज काम सारांश सेटिंग्ज
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,निवडलेल्या मूल्य सूचीची तपासणी केलेले फील्ड खरेदी आणि विक्री करणे आवश्यक आहे.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,कृपया दिनांकानुसार Reqd प्रविष्ट करा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,निवडलेल्या मूल्य सूचीची तपासणी केलेले फील्ड खरेदी आणि विक्री करणे आवश्यक आहे.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,कृपया दिनांकानुसार Reqd प्रविष्ट करा
 DocType: Payment Entry,Internal Transfer,अंतर्गत ट्रान्सफर
 DocType: Asset Maintenance,Maintenance Tasks,देखभाल कार्ये
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,एकतर लक्ष्य qty किंवा लक्ष्य रक्कम अनिवार्य आहे
@@ -5051,7 +5116,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,गेल्या कम्युनिकेशन
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,गेल्या कम्युनिकेशन
 ,TDS Payable Monthly,टीडीएस देय मासिक
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM बदली करण्यासाठी रांगेत. यास काही मिनिटे लागतील.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM बदली करण्यासाठी रांगेत. यास काही मिनिटे लागतील.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',गटात मूल्यांकन &#39;किंवा&#39; मूल्यांकन आणि एकूण &#39;आहे तेव्हा वजा करू शकत नाही
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},सिरीयलाइज आयटम  {0}साठी सिरियल क्रमांक आवश्यक
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,पावत्या सह देयके सामना
@@ -5064,7 +5129,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,सूचीत टाका
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,गट
 DocType: Guardian,Interests,छंद
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,चलने अक्षम  /सक्षम करा.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,चलने अक्षम  /सक्षम करा.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,काही वेतन स्लिप्स सबमिट करणे शक्य झाले नाही
 DocType: Exchange Rate Revaluation,Get Entries,नोंदी मिळवा
 DocType: Production Plan,Get Material Request,साहित्य विनंती मिळवा
@@ -5086,15 +5151,16 @@
 DocType: Lead,Lead Type,लीड प्रकार
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,आपल्याला ब्लॉक तारखेवर  पाने मंजूर करण्यासाठी अधिकृत नाही
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,या सर्व आयटम आधीच invoiced आहेत
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,नवीन प्रकाशन तारीख सेट करा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,नवीन प्रकाशन तारीख सेट करा
 DocType: Company,Monthly Sales Target,मासिक विक्री लक्ष्य
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},मंजूर केले जाऊ शकते {0}
 DocType: Hotel Room,Hotel Room Type,हॉटेल कक्ष प्रकार
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,पुरवठादार&gt; पुरवठादार प्रकार
 DocType: Leave Allocation,Leave Period,कालावधी सोडा
 DocType: Item,Default Material Request Type,मुलभूत साहित्य विनंती प्रकार
 DocType: Supplier Scorecard,Evaluation Period,मूल्यांकन कालावधी
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,अज्ञात
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,कार्य ऑर्डर तयार नाही
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,कार्य ऑर्डर तयार नाही
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{0} ची रक्कम आधीच {1} घटकांकरिता दावा केला आहे, \ {2} पेक्षा अधिक किंवा त्यापेक्षा जास्त रक्कम सेट करा"
 DocType: Shipping Rule,Shipping Rule Conditions,शिपिंग नियम अटी
@@ -5129,15 +5195,15 @@
 DocType: Batch,Source Document Name,स्रोत दस्तऐवज नाव
 DocType: Production Plan,Get Raw Materials For Production,उत्पादनासाठी कच्चा माल मिळवा
 DocType: Job Opening,Job Title,कार्य शीर्षक
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} इंगित करते की {1} उद्धरण प्रदान करणार नाही, परंतु सर्व बाबींचे उद्धृत केले गेले आहे. आरएफक्यू कोटेशन स्थिती सुधारणे"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,कमाल नमुने - {0} आधीपासून बॅच {1} आणि आयटम {2} बॅच {3} मध्ये ठेवण्यात आले आहेत.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,कमाल नमुने - {0} आधीपासून बॅच {1} आणि आयटम {2} बॅच {3} मध्ये ठेवण्यात आले आहेत.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,स्वयंचलितपणे BOM किंमत अद्यतनित करा
 DocType: Lab Test,Test Name,चाचणी नाव
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,क्लिनिकल प्रक्रिया उपभोग्य वस्तू
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,वापरकर्ते तयार करा
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ग्राम
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,सदस्यता
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,सदस्यता
 DocType: Supplier Scorecard,Per Month,दर महिन्याला
 DocType: Education Settings,Make Academic Term Mandatory,शैक्षणिक कालावधी अनिवार्य करा
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,उत्पादनासाठीचे  प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे.
@@ -5146,10 +5212,10 @@
 DocType: Stock Entry,Update Rate and Availability,रेट अद्यतनित करा आणि उपलब्धता
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"टक्केवारी तुम्हांला स्वीकारण्याची  किंवा आदेश दिलेल्या  प्रमाणा विरुद्ध अधिक वितरीत करण्याची परवानगी आहे. उदाहरणार्थ: जर तुम्ही 100 युनिट्स चा आदेश दिला  असेल, आणि आपला  भत्ता 10%  असेल तर तुम्हाला 110 units  प्राप्त करण्याची अनुमती आहे."
 DocType: Loyalty Program,Customer Group,ग्राहक गट
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,कार्यक्रमानुसार # {0}: पूर्ण वस्तूंची qty {2} साठी ऑपरेशन {1} पूर्ण नाही # {3}. कृपया वेळ लॉग द्वारे ऑपरेशन स्थिती अद्यतनित करा
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,कार्यक्रमानुसार # {0}: पूर्ण वस्तूंची qty {2} साठी ऑपरेशन {1} पूर्ण नाही # {3}. कृपया वेळ लॉग द्वारे ऑपरेशन स्थिती अद्यतनित करा
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),नवीन बॅच आयडी (पर्यायी)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),नवीन बॅच आयडी (पर्यायी)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},खर्च खाते आयटम  {0} साठी अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},खर्च खाते आयटम  {0} साठी अनिवार्य आहे
 DocType: BOM,Website Description,वेबसाइट वर्णन
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,इक्विटी निव्वळ बदला
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,चलन खरेदी {0} रद्द करा पहिला
@@ -5164,7 +5230,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,संपादित करण्यासाठी काहीही नाही.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,फॉर्म दृश्य
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,खर्चात दावा करणे अनिवार्य आहे
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,या महिन्यासाठी  आणि प्रलंबित उपक्रम सारांश
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,या महिन्यासाठी  आणि प्रलंबित उपक्रम सारांश
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},कंपनी मध्ये अवास्तविक विनिमय लाभ / तोटा खाते सेट करा {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",आपल्या व्यतिरिक्त इतरांना आपल्या संस्थेत सामील करा
 DocType: Customer Group,Customer Group Name,ग्राहक गट नाव
@@ -5174,14 +5240,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,कोणतीही भौतिक विनंती तयार केली नाही
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},कर्ज रक्कम कमाल कर्ज रक्कम जास्त असू शकत नाही {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,परवाना
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},सी-फॉर्म{1} मधून  चलन {0} काढून टाका
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},सी-फॉर्म{1} मधून  चलन {0} काढून टाका
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,आपण देखील मागील आर्थिक वर्षातील शिल्लक रजा या आर्थिक वर्षात समाविष्ट करू इच्छित असल्यास कृपया कॅरी फॉरवर्ड निवडा
 DocType: GL Entry,Against Voucher Type,व्हाउचर प्रकार विरुद्ध
 DocType: Healthcare Practitioner,Phone (R),फोन (आर)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,टाइम स्लॉट जोडला
 DocType: Item,Attributes,विशेषता
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,टेम्पलेट सक्षम करा
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Write Off खाते प्रविष्ट करा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Write Off खाते प्रविष्ट करा
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,गेल्या ऑर्डर तारीख
 DocType: Salary Component,Is Payable,देय आहे
 DocType: Inpatient Record,B Negative,ब नकारात्मक
@@ -5192,7 +5258,7 @@
 DocType: Hotel Room,Hotel Room,हॉटेल रूम
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},खाते {0} ला  कंपनी {1} मालकीचे नाही
 DocType: Leave Type,Rounding,राउंडिंग
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,{0} सलग मालिका संख्या डिलिव्हरी टीप जुळत नाही
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,{0} सलग मालिका संख्या डिलिव्हरी टीप जुळत नाही
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),मंजूर रक्कम (प्रो रेटेड)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","मग ग्राहक, ग्राहक गट, प्रदेश, पुरवठादार, पुरवठादार गट, मोहीम, विक्री भागीदार इत्यादी वर आधारित मूल्यनिर्धारण नियमांचे मोजमाप केले जाते."
 DocType: Student,Guardian Details,पालक तपशील
@@ -5201,10 +5267,10 @@
 DocType: Vehicle,Chassis No,चेसिस कोणत्याही
 DocType: Payment Request,Initiated,सुरू
 DocType: Production Plan Item,Planned Start Date,नियोजनबद्ध प्रारंभ तारीख
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,कृपया एक BOM निवडा
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,कृपया एक BOM निवडा
 DocType: Purchase Invoice,Availed ITC Integrated Tax,लाभलेल्या आयटीसी एकात्मिक कर
 DocType: Purchase Order Item,Blanket Order Rate,कमाना आदेश दर
-apps/erpnext/erpnext/hooks.py +156,Certification,प्रमाणन
+apps/erpnext/erpnext/hooks.py +157,Certification,प्रमाणन
 DocType: Bank Guarantee,Clauses and Conditions,कलमे आणि अटी
 DocType: Serial No,Creation Document Type,निर्मिती दस्तऐवज क्रमांक
 DocType: Project Task,View Timesheet,टाइम्सशीट पहा
@@ -5229,6 +5295,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,पालक आयटम {0} शेअर आयटम असू शकत नाही
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,वेबसाइट सूची
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,सर्व उत्पादने किंवा सेवा.
+DocType: Email Digest,Open Quotations,मुक्त कोटेशन
 DocType: Expense Claim,More Details,अधिक माहितीसाठी
 DocType: Supplier Quotation,Supplier Address,पुरवठादार पत्ता
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} खाते अर्थसंकल्पात {1} विरुद्ध {2} {3} आहे {4}. तो टाकेल {5}
@@ -5243,12 +5310,11 @@
 DocType: Training Event,Exam,परीक्षा
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,मार्केटप्लेस त्रुटी
 DocType: Complaint,Complaint,तक्रार
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},स्टॉक आयटम  {0} साठी आवश्यक कोठार
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},स्टॉक आयटम  {0} साठी आवश्यक कोठार
 DocType: Leave Allocation,Unused leaves,न वापरलेल्या  रजा
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,परतफेड प्रवेश करा
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,सर्व विभाग
 DocType: Healthcare Service Unit,Vacant,रिक्त करा
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,पुरवठादार&gt; पुरवठादार प्रकार
 DocType: Patient,Alcohol Past Use,मद्याचा शेवटचा वापर
 DocType: Fertilizer Content,Fertilizer Content,खते सामग्री
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,कोटी
@@ -5256,7 +5322,7 @@
 DocType: Tax Rule,Billing State,बिलिंग राज्य
 DocType: Share Transfer,Transfer,ट्रान्सफर
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,विक्री आदेश {0} रद्द करण्यापूर्वी तो रद्द करणे आवश्यक आहे
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(उप-मंडळ्यांना समावेश) स्फोट झाला BOM प्राप्त
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(उप-मंडळ्यांना समावेश) स्फोट झाला BOM प्राप्त
 DocType: Authorization Rule,Applicable To (Employee),लागू करण्यासाठी (कर्मचारी)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,देय तारीख अनिवार्य आहे
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,विशेषता साठी बढती {0} 0 असू शकत नाही
@@ -5272,7 +5338,7 @@
 DocType: Disease,Treatment Period,उपचार कालावधी
 DocType: Travel Itinerary,Travel Itinerary,प्रवासाचा मार्ग
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,परिणाम आधीच सबमिट केले आहे
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,कच्चा माल मिळालेल्या आयटम {0} साठी आरक्षित वेअरहाउस अनिवार्य आहे
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,कच्चा माल मिळालेल्या आयटम {0} साठी आरक्षित वेअरहाउस अनिवार्य आहे
 ,Inactive Customers,निष्क्रिय ग्राहक
 DocType: Student Admission Program,Maximum Age,कमाल वय
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,कृपया स्मरणपत्र पुन्हा पाठविण्यापूर्वी 3 दिवस प्रतीक्षा करा.
@@ -5281,7 +5347,6 @@
 DocType: Stock Entry,Delivery Note No,डिलिव्हरी टीप क्रमांक
 DocType: Cheque Print Template,Message to show,दर्शविण्यासाठी संदेश
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,किरकोळ
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,नेमणूक इनवॉइस स्वयंचलितपणे व्यवस्थापित करा
 DocType: Student Attendance,Absent,अनुपस्थित
 DocType: Staffing Plan,Staffing Plan Detail,स्टाफिंग प्लॅन तपशील
 DocType: Employee Promotion,Promotion Date,जाहिरात तारीख
@@ -5303,7 +5368,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,लीड करा
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,प्रिंट आणि स्टेशनरी
 DocType: Stock Settings,Show Barcode Field,बारकोड फिल्ड दर्शवा
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,पुरवठादार ई-मेल पाठवा
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,पुरवठादार ई-मेल पाठवा
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",पगार दरम्यान {0} आणि {1} द्या अनुप्रयोग या कालावधीत तारीख श्रेणी दरम्यान असू शकत नाही कालावधीसाठी आधीपासून प्रक्रिया.
 DocType: Fiscal Year,Auto Created,स्वयं निर्मित
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,कर्मचारी रेकॉर्ड तयार करण्यासाठी हे सबमिट करा
@@ -5312,7 +5377,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,चलन {0} आता अस्तित्वात नाही
 DocType: Guardian Interest,Guardian Interest,पालक व्याज
 DocType: Volunteer,Availability,उपलब्धता
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,पीओएस इन्व्हॉइसेससाठी डिफॉल्ट व्हॅल्यू सेट करा
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,पीओएस इन्व्हॉइसेससाठी डिफॉल्ट व्हॅल्यू सेट करा
 apps/erpnext/erpnext/config/hr.py +248,Training,प्रशिक्षण
 DocType: Project,Time to send,पाठविण्याची वेळ
 DocType: Timesheet,Employee Detail,कर्मचारी तपशील
@@ -5336,7 +5401,7 @@
 DocType: Training Event Employee,Optional,पर्यायी
 DocType: Salary Slip,Earning & Deduction,कमाई आणि कपात
 DocType: Agriculture Analysis Criteria,Water Analysis,पाणी विश्लेषण
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} वेरिएंट तयार केले.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} वेरिएंट तयार केले.
 DocType: Amazon MWS Settings,Region,प्रदेश
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,पर्यायी. हे सेटिंग विविध व्यवहार फिल्टर करण्यासाठी वापरले  जाईल.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,नकारात्मक मूल्यांकन दर परवानगी नाही
@@ -5355,7 +5420,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,रद्द मालमत्ता खर्च
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: आयटम {2} ला खर्च केंद्र अनिवार्य आहे
 DocType: Vehicle,Policy No,कोणतेही धोरण नाही
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,उत्पादन बंडलचे आयटम मिळवा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,उत्पादन बंडलचे आयटम मिळवा
 DocType: Asset,Straight Line,सरळ रेष
 DocType: Project User,Project User,प्रकल्प वापरकर्ता
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,स्प्लिट
@@ -5364,7 +5429,7 @@
 DocType: GL Entry,Is Advance,आगाऊ आहे
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,कर्मचारी जीवनचक्र
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,उपस्थिती पासून तारीख आणि उपस्थिती पर्यंत  तारीख अनिवार्य आहे
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,'Subcontracted आहे' होय किंवा नाही म्हणून प्रविष्ट करा
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,'Subcontracted आहे' होय किंवा नाही म्हणून प्रविष्ट करा
 DocType: Item,Default Purchase Unit of Measure,मापन डीफॉल्ट खरेदी एकक
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,गेल्या कम्युनिकेशन तारीख
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,गेल्या कम्युनिकेशन तारीख
@@ -5374,7 +5439,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,प्रवेश टोकन किंवा Shopify URL गहाळ आहे
 DocType: Location,Latitude,अक्षांश
 DocType: Work Order,Scrap Warehouse,स्क्रॅप वखार
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","रो No No at the Warehouse आवश्यक, कृपया {2} कंपनीसाठी आयटम {2} साठी डीफॉल्ट वेअरहाऊस सेट करा {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","रो No No at the Warehouse आवश्यक, कृपया {2} कंपनीसाठी आयटम {2} साठी डीफॉल्ट वेअरहाऊस सेट करा {2}"
 DocType: Work Order,Check if material transfer entry is not required,साहित्य हस्तांतरण नोंद आवश्यक नाही आहे का ते तपासा
 DocType: Work Order,Check if material transfer entry is not required,साहित्य हस्तांतरण नोंद आवश्यक नाही आहे का ते तपासा
 DocType: Program Enrollment Tool,Get Students From,पासून विद्यार्थी मिळवा
@@ -5391,6 +5456,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,नवीन बॅच प्रमाण
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,तयार कपडे आणि अॅक्सेसरीज
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,भारित केलेल्या स्कोअर कार्याचे निराकरण करता आले नाही सूत्र वैध असल्याची खात्री करा.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,खरेदी ऑर्डर आयटम वेळेवर प्राप्त झाले नाही
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ऑर्डर संख्या
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / बॅनर जे  उत्पादन सूचीच्या वर दर्शवले जाईल
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,शिपिंग रक्कम गणना अटी निर्देशीत
@@ -5399,9 +5465,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,पथ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,त्याला child nodes आहेत म्हणून खातेवही खर्च केंद्र रूपांतरित करू शकत नाही
 DocType: Production Plan,Total Planned Qty,एकूण नियोजित खंड
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,उघडण्याचे  मूल्य
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,उघडण्याचे  मूल्य
 DocType: Salary Component,Formula,सुत्र
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,सिरियल #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,सिरियल #
 DocType: Lab Test Template,Lab Test Template,लॅब टेस्ट टेम्पलेट
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,विक्री खाते
 DocType: Purchase Invoice Item,Total Weight,एकूण वजन
@@ -5419,7 +5485,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,साहित्य विनंती करा
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},आयटम उघडा {0}
 DocType: Asset Finance Book,Written Down Value,लिखित खाली मूल्य
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,कृपया मानव संसाधन&gt; एचआर सेटिंग्जमध्ये कर्मचारी नामांकन प्रणाली सेट करा
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,हि  विक्री ऑर्डर रद्द करण्याआधी विक्री चलन {0} रद्द करणे आवश्यक आहे
 DocType: Clinical Procedure,Age,वय
 DocType: Sales Invoice Timesheet,Billing Amount,बिलिंग रक्कम
@@ -5428,11 +5493,11 @@
 DocType: Company,Default Employee Advance Account,डीफॉल्ट कर्मचारी आगाऊ खाते
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),शोध आयटम (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,एसीसी-सीएफ़-य्यवाय.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,विद्यमान व्यवहार खाते हटविले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,विद्यमान व्यवहार खाते हटविले जाऊ शकत नाही
 DocType: Vehicle,Last Carbon Check,गेल्या कार्बन तपासा
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,कायदेशीर खर्च
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,कृपया रांगेत प्रमाणात निवडा
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,उघडणे विक्री आणि खरेदी चलने करा
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,उघडणे विक्री आणि खरेदी चलने करा
 DocType: Purchase Invoice,Posting Time,पोस्टिंग वेळ
 DocType: Timesheet,% Amount Billed,% रक्कम बिल
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,टेलिफोन खर्च
@@ -5447,14 +5512,14 @@
 DocType: Maintenance Visit,Breakdown,यंत्रातील बिघाड
 DocType: Travel Itinerary,Vegetarian,शाकाहारी
 DocType: Patient Encounter,Encounter Date,तारखांची तारीख
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,खाते: {0} चलन: {1} बरोबर  निवडले जाऊ शकत नाही
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,खाते: {0} चलन: {1} बरोबर  निवडले जाऊ शकत नाही
 DocType: Bank Statement Transaction Settings Item,Bank Data,बँक डेटा
 DocType: Purchase Receipt Item,Sample Quantity,नमुना प्रमाण
 DocType: Bank Guarantee,Name of Beneficiary,लाभार्थीचे नाव
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","नवीनतम मूल्यांकन दर / किंमत सूची दर / कच्चा माल शेवटच्या खरेदी दर यावर आधारित, शेड्युलरद्वारे स्वयंचलितपणे BOM दर अद्यतनित करा."
 DocType: Supplier,SUP-.YYYY.-,एसयूपी- YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,धनादेश तारीख
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: पालक खाते {1} कंपनी {2} ला संबंधित नाही:
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: पालक खाते {1} कंपनी {2} ला संबंधित नाही:
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,यशस्वीरित्या या  कंपनी संबंधित सर्व व्यवहार हटवला!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,तारखेला
 DocType: Additional Salary,HR,एचआर
@@ -5462,7 +5527,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,आउट रुग्ण एसएमएस अलर्ट
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,उमेदवारीचा काळ
 DocType: Program Enrollment Tool,New Academic Year,नवीन शैक्षणिक वर्ष
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,परत / क्रेडिट टीप
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,परत / क्रेडिट टीप
 DocType: Stock Settings,Auto insert Price List rate if missing,दर सूची दर गहाळ असेल तर आपोआप घाला
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,एकूण देय रक्कम
 DocType: GST Settings,B2C Limit,B2C मर्यादा
@@ -5480,10 +5545,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,बाल नोडस् फक्त &#39;ग्रुप&#39; प्रकार नोडस् अंतर्गत तयार केले जाऊ शकते
 DocType: Attendance Request,Half Day Date,अर्धा दिवस तारीख
 DocType: Academic Year,Academic Year Name,शैक्षणिक वर्ष नाव
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} हे {1} सह व्यवहार करण्यास अनुमत नाही कृपया कंपनी बदला.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} हे {1} सह व्यवहार करण्यास अनुमत नाही कृपया कंपनी बदला.
 DocType: Sales Partner,Contact Desc,संपर्क desc
 DocType: Email Digest,Send regular summary reports via Email.,ईमेल द्वारे नियमित सारांश अहवाल पाठवा.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},खर्च हक्क प्रकार मध्ये डीफॉल्ट खाते सेट करा {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},खर्च हक्क प्रकार मध्ये डीफॉल्ट खाते सेट करा {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,उपलब्ध पाने
 DocType: Assessment Result,Student Name,विद्यार्थी नाव
 DocType: Hub Tracked Item,Item Manager,आयटम व्यवस्थापक
@@ -5508,9 +5573,10 @@
 DocType: Subscription,Trial Period End Date,चाचणी कालावधी समाप्ती तारीख
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ने मर्यादा ओलांडल्यापासून authroized नाही
 DocType: Serial No,Asset Status,मालमत्ता स्थिती
+DocType: Delivery Note,Over Dimensional Cargo (ODC),प्रतीकात्मक कार्गो (ओडीसी)
 DocType: Restaurant Order Entry,Restaurant Table,रेस्टॉरन्ट टेबल
 DocType: Hotel Room,Hotel Manager,हॉटेल व्यवस्थापक
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,हे खरेदी सूचीत टाका  कर नियम सेट करा .
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,हे खरेदी सूचीत टाका  कर नियम सेट करा .
 DocType: Purchase Invoice,Taxes and Charges Added,कर आणि शुल्क जोडले
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,घसारा रो {0}: पुढील अवमूल्यन तारीख उपलब्ध-वापरण्याच्या तारखेपूर्वी असू शकत नाही
 ,Sales Funnel,विक्री धुराचा
@@ -5526,9 +5592,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,सर्व ग्राहक गट
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,जमा मासिक
 DocType: Attendance Request,On Duty,कर्तव्य
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} आवश्यक आहे. कदाचित चलन विनिमय रेकॉर्ड {1} {2} करण्यासाठी तयार केले नाही.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} आवश्यक आहे. कदाचित चलन विनिमय रेकॉर्ड {1} {2} करण्यासाठी तयार केले नाही.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,कर साचा बंधनकारक आहे.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,खाते {0}: पालक खाते {1} अस्तित्वात नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,खाते {0}: पालक खाते {1} अस्तित्वात नाही
 DocType: POS Closing Voucher,Period Start Date,कालावधी प्रारंभ तारीख
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),किंमत सूची दर (कंपनी चलन)
 DocType: Products Settings,Products Settings,उत्पादने सेटिंग्ज
@@ -5548,7 +5614,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,ही क्रिया भविष्यातील बिलिंग थांबवेल आपली खात्री आहे की आपण ही सदस्यता रद्द करू इच्छिता?
 DocType: Serial No,Distinct unit of an Item,एक आयटम वेगळा एकक
 DocType: Supplier Scorecard Criteria,Criteria Name,मापदंड नाव
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,कंपनी सेट करा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,कंपनी सेट करा
 DocType: Procedure Prescription,Procedure Created,प्रक्रिया तयार
 DocType: Pricing Rule,Buying,खरेदी
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,रोग आणि खते
@@ -5565,43 +5631,44 @@
 DocType: Employee Onboarding,Job Offer,जॉब ऑफर
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,संस्था संक्षेप
 ,Item-wise Price List Rate,आयटमनूसार  किंमत सूची दर
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,पुरवठादार कोटेशन
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,पुरवठादार कोटेशन
 DocType: Quotation,In Words will be visible once you save the Quotation.,तुम्ही अवतरण एकदा जतन केल्यावर  शब्दा मध्ये दृश्यमान होईल.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},प्रमाण ({0}) एकापाठोपाठ एक अपूर्णांक असू शकत नाही {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},प्रमाण ({0}) एकापाठोपाठ एक अपूर्णांक असू शकत नाही {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},प्रमाण ({0}) एकापाठोपाठ एक अपूर्णांक असू शकत नाही {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},प्रमाण ({0}) एकापाठोपाठ एक अपूर्णांक असू शकत नाही {1}
 DocType: Contract,Unsigned,अस्वाक्षरीकृत
 DocType: Selling Settings,Each Transaction,प्रत्येक व्यवहार
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},बारकोड {0} आधीच आयटम वापरले {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},बारकोड {0} आधीच आयटम वापरले {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,शिपिंग खर्च जोडून नियम.
 DocType: Hotel Room,Extra Bed Capacity,अतिरिक्त बेड क्षमता
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,वारायण
 DocType: Item,Opening Stock,शेअर उघडत
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ग्राहक आवश्यक आहे
 DocType: Lab Test,Result Date,परिणाम तारीख
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,पीडीसी / एलसी तारीख
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,पीडीसी / एलसी तारीख
 DocType: Purchase Order,To Receive,प्राप्त करण्यासाठी
 DocType: Leave Period,Holiday List for Optional Leave,पर्यायी रजेसाठी सुट्टी यादी
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,मालमत्ता मालक
 DocType: Purchase Invoice,Reason For Putting On Hold,धारण ठेवण्याचा कारण
 DocType: Employee,Personal Email,वैयक्तिक ईमेल
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,एकूण फरक
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,एकूण फरक
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","सक्षम असल्यास, प्रणाली आपोआप यादी एकट्या नोंदी पोस्ट होईल."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,दलाली
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,कर्मचारी {0} हजेरी आधीच आज करीता चिन्हाकृत केले
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,कर्मचारी {0} हजेरी आधीच आज करीता चिन्हाकृत केले
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",मिनिटे मध्ये &#39;लॉग इन टाइम&#39; द्वारे अद्यतनित
 DocType: Customer,From Lead,लीड पासून
 DocType: Amazon MWS Settings,Synch Orders,समक्रमण ऑर्डर
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ऑर्डर उत्पादनासाठी  प्रकाशीत.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,आर्थिक वर्ष निवडा ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,पीओएस प्रोफाइल पीओएस नोंद करण्यासाठी  आवश्यक
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,पीओएस प्रोफाइल पीओएस नोंद करण्यासाठी  आवश्यक
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",लॉयल्टी पॉइंट्सची गणना गणना केलेल्या कारणास्तव आधारे करण्यात आलेल्या खर्च (सेल्स इंवॉइस) द्वारे केली जाईल.
 DocType: Program Enrollment Tool,Enroll Students,विद्यार्थी ची नोंदणी करा
 DocType: Company,HRA Settings,एचआरए सेटिंग्ज
 DocType: Employee Transfer,Transfer Date,हस्तांतरण तारीख
 DocType: Lab Test,Approved Date,मंजूर तारीख
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,मानक विक्री
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,किमान एक कोठार अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,किमान एक कोठार अनिवार्य आहे
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","यूओएम, आयटम्स समूह, वर्णन आणि तासांची संख्या यांसारखी आयटम फील्ड कॉन्फिगर करा."
 DocType: Certification Application,Certification Status,प्रमाणन स्थिती
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,मार्केटप्लेस
@@ -5621,6 +5688,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,जुळणी चलने
 DocType: Work Order,Required Items,आवश्यक आयटम
 DocType: Stock Ledger Entry,Stock Value Difference,शेअर मूल्य फरक
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,आयटम पंक्ती {0}: {1} {2} उपरोक्त &#39;{1}&#39; सारणीमध्ये अस्तित्वात नाही
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,मानव संसाधन
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,भरणा सलोखा भरणा
 DocType: Disease,Treatment Task,उपचार कार्य
@@ -5638,7 +5706,8 @@
 DocType: Account,Debit,डेबिट
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,रजा 0.5 च्या पटीत वाटप करणे आवश्यक आहे
 DocType: Work Order,Operation Cost,ऑपरेशन खर्च
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,बाकी रक्कम
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,निर्णय निर्मात्यांना ओळखणे
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,बाकी रक्कम
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,या विक्री व्यक्ती साठी item गट निहाय लक्ष्य सेट करा .
 DocType: Stock Settings,Freeze Stocks Older Than [Days],फ्रीज स्टॉक  पेक्षा जुने [दिवस]
 DocType: Payment Request,Payment Ordered,भरणा ऑर्डर
@@ -5650,14 +5719,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,खालील वापरकर्त्यांना ब्लॉक दिवस रजा अर्ज मंजूर करण्याची परवानगी द्या.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,जीवनचक्र
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM करा
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"विक्री आयटम दर {0} पेक्षा कमी आहे, त्याच्या {1}. विक्री दर असावे किमान {2}"
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"विक्री आयटम दर {0} पेक्षा कमी आहे, त्याच्या {1}. विक्री दर असावे किमान {2}"
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"विक्री आयटम दर {0} पेक्षा कमी आहे, त्याच्या {1}. विक्री दर असावे किमान {2}"
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"विक्री आयटम दर {0} पेक्षा कमी आहे, त्याच्या {1}. विक्री दर असावे किमान {2}"
 DocType: Subscription,Taxes,कर
 DocType: Purchase Invoice,capital goods,भांडवली वस्तू
 DocType: Purchase Invoice Item,Weight Per Unit,वजन प्रति युनिट
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,दिले आणि वितरित नाही
-DocType: Project,Default Cost Center,मुलभूत खर्च केंद्र
-DocType: Delivery Note,Transporter Doc No,ट्रान्सपोर्टर डॉक नंबर
+DocType: QuickBooks Migrator,Default Cost Center,मुलभूत खर्च केंद्र
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,शेअर व्यवहार
 DocType: Budget,Budget Accounts,बजेट खाती
 DocType: Employee,Internal Work History,अंतर्गत कार्य इतिहास
@@ -5690,7 +5758,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},{0} वर आरोग्यसेवा उपलब्ध नाही
 DocType: Stock Entry Detail,Additional Cost,अतिरिक्त खर्च
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","व्हाउचर नाही आधारित फिल्टर करू शकत नाही, व्हाउचर प्रमाणे गटात समाविष्ट केले तर"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,पुरवठादार कोटेशन करा
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,पुरवठादार कोटेशन करा
 DocType: Quality Inspection,Incoming,येणार्या
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,विक्री आणि खरेदीसाठी डिफॉल्ट कर टेम्पलेट तयार केले जातात.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,मूल्यांकन परिणाम रेकॉर्ड {0} आधीपासूनच अस्तित्वात आहे.
@@ -5706,7 +5774,7 @@
 DocType: Batch,Batch ID,बॅच आयडी
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},टीप: {0}
 ,Delivery Note Trends,डिलिव्हरी टीप ट्रेन्ड
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,या आठवड्यातील सारांश
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,या आठवड्यातील सारांश
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,शेअर प्रमाण मध्ये
 ,Daily Work Summary Replies,दैनिक काम सारांश उत्तर
 DocType: Delivery Trip,Calculate Estimated Arrival Times,अंदाजे आगमन वेळा मोजा
@@ -5716,7 +5784,7 @@
 DocType: Bank Account,Party,पार्टी
 DocType: Healthcare Settings,Patient Name,रुग्ण नाव
 DocType: Variant Field,Variant Field,भिन्न फील्ड
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,लक्ष्य स्थान
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,लक्ष्य स्थान
 DocType: Sales Order,Delivery Date,डिलिव्हरी तारीख
 DocType: Opportunity,Opportunity Date,संधी तारीख
 DocType: Employee,Health Insurance Provider,आरोग्य विमा प्रदाता
@@ -5735,7 +5803,7 @@
 DocType: Employee,History In Company,कंपनी मध्ये इतिहास
 DocType: Customer,Customer Primary Address,ग्राहक प्राधान्य पत्ता
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,वृत्तपत्रे
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,संदर्भ क्रमांक.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,संदर्भ क्रमांक.
 DocType: Drug Prescription,Description/Strength,वर्णन / सामर्थ्य
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,नवीन भरणा / जर्नल नोंद तयार करा
 DocType: Certification Application,Certification Application,प्रमाणन अर्ज
@@ -5746,10 +5814,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,त्याच आयटम अनेक वेळा केलेला आहे
 DocType: Department,Leave Block List,रजा ब्लॉक यादी
 DocType: Purchase Invoice,Tax ID,कर आयडी
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} आयटम सिरियल क्रमांकासाठी  सेटअप केलेला नाही. स्तंभ रिक्त असणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} आयटम सिरियल क्रमांकासाठी  सेटअप केलेला नाही. स्तंभ रिक्त असणे आवश्यक आहे
 DocType: Accounts Settings,Accounts Settings,खाती सेटिंग्ज
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,मंजूर
 DocType: Loyalty Program,Customer Territory,ग्राहक क्षेत्र
+DocType: Email Digest,Sales Orders to Deliver,विक्री ऑर्डर वितरीत करण्यासाठी
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","नवीन खात्याची संख्या, हे उपसर्ग म्हणून खाते नावामध्ये समाविष्ट केले जाईल"
 DocType: Maintenance Team Member,Team Member,संघ सदस्य
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,सबमिट करण्याचे कोणतेही परिणाम नाहीत
@@ -5759,7 +5828,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","एकूण {0} सर्व आयटम शून्य आहे, आपण &#39;वर आधारित शुल्क वितरण&#39; बदलू पाहिजे"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,तारीख तारखेपेक्षा कमी असू शकत नाही
 DocType: Opportunity,To Discuss,चर्चा करण्यासाठी
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,हे सदस्यांकडून व्यवहारांवर आधारित आहे. तपशीलासाठी खाली टाइमलाइन पहा
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} युनिट {1} {2} हा व्यवहार पूर्ण करण्यासाठी आवश्यक.
 DocType: Loan Type,Rate of Interest (%) Yearly,व्याज दर (%) वार्षिक
 DocType: Support Settings,Forum URL,फोरम URL
@@ -5774,7 +5842,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,अधिक जाणून घ्या
 DocType: Cheque Print Template,Distance from top edge,शीर्ष किनार अंतर
 DocType: POS Closing Voucher Invoices,Quantity of Items,आयटमची संख्या
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,दर सूची {0} अक्षम असल्यास किंवा अस्तित्वात नाही
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,दर सूची {0} अक्षम असल्यास किंवा अस्तित्वात नाही
 DocType: Purchase Invoice,Return,परत
 DocType: Pricing Rule,Disable,अक्षम करा
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,भरण्याची पध्दत देयक आवश्यक आहे
@@ -5782,18 +5850,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","अधिक पर्याय जसे की मालमत्ता, सिरीअल क्रमांक, बॅच इत्यादींसाठी संपूर्ण पृष्ठावर संपादित करा."
 DocType: Leave Type,Maximum Continuous Days Applicable,कमाल निरंतर दिवस लागू
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} बॅच नोंदणी केलेली नाही आहे {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","मालमत्ता {0} तो आधीपासूनच आहे म्हणून, रद्द जाऊ शकत नाही {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","मालमत्ता {0} तो आधीपासूनच आहे म्हणून, रद्द जाऊ शकत नाही {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,चेकची आवश्यकता आहे
 DocType: Task,Total Expense Claim (via Expense Claim),(खर्च दावा द्वारे) एकूण खर्च दावा
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,मार्क अनुपिस्थत
 DocType: Job Applicant Source,Job Applicant Source,जॉब आवेदक स्त्रोत
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,आयजीएसटी रक्कम
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,आयजीएसटी रक्कम
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,कंपनी सेटअप करण्यात अयशस्वी
 DocType: Asset Repair,Asset Repair,मालमत्ता दुरुस्ती
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},सलग {0}: BOM # चलन {1} निवडले चलन समान असावी {2}
 DocType: Journal Entry Account,Exchange Rate,विनिमय दर
 DocType: Patient,Additional information regarding the patient,रुग्णाच्या बाबतीत अतिरिक्त माहिती
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,"विक्री ऑर्डर {0} सबमिट केलेली नाही,"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,"विक्री ऑर्डर {0} सबमिट केलेली नाही,"
 DocType: Homepage,Tag Line,टॅग लाइन
 DocType: Fee Component,Fee Component,शुल्क घटक
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,वेगवान व्यवस्थापन
@@ -5808,7 +5876,7 @@
 DocType: Healthcare Practitioner,Mobile,मोबाईल
 ,Sales Person-wise Transaction Summary,विक्री व्यक्ती-ज्ञानी व्यवहार सारांश
 DocType: Training Event,Contact Number,संपर्क क्रमांक
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,कोठार {0} अस्तित्वात नाही
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,कोठार {0} अस्तित्वात नाही
 DocType: Cashier Closing,Custody,ताब्यात
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,कर्मचारी कर सूट सबॉफ सबमिशन तपशील
 DocType: Monthly Distribution,Monthly Distribution Percentages,मासिक वितरण टक्केवारी
@@ -5823,7 +5891,7 @@
 DocType: Payment Entry,Paid Amount,पेड रक्कम
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,विक्री चक्र एक्सप्लोर करा
 DocType: Assessment Plan,Supervisor,पर्यवेक्षक
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,धारणा स्टॉक प्रवेश
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,धारणा स्टॉक प्रवेश
 ,Available Stock for Packing Items,पॅकिंग आयटम उपलब्ध शेअर
 DocType: Item Variant,Item Variant,आयटम व्हेरियंट
 ,Work Order Stock Report,कार्य ऑर्डर स्टॉक अहवाल
@@ -5832,9 +5900,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,पर्यवेक्षक म्हणून
 DocType: Leave Policy Detail,Leave Policy Detail,धोरण तपशील द्या
 DocType: BOM Scrap Item,BOM Scrap Item,BOM स्क्रॅप बाबींचा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,सबमिट आदेश हटविले जाऊ शकत नाही
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","आधीच डेबिट मध्ये खाते शिल्लक आहे , आपल्याला ' क्रेडिट ' म्हणून ' शिल्लक असणे आवश्यक आहे ' सेट करण्याची परवानगी नाही"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,गुणवत्ता व्यवस्थापन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,सबमिट आदेश हटविले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","आधीच डेबिट मध्ये खाते शिल्लक आहे , आपल्याला ' क्रेडिट ' म्हणून ' शिल्लक असणे आवश्यक आहे ' सेट करण्याची परवानगी नाही"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,गुणवत्ता व्यवस्थापन
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,{0} आयटम अक्षम केले गेले आहे
 DocType: Project,Total Billable Amount (via Timesheets),एकूण बिल करण्यायोग्य रक्कम (टाईम्सशीट्सद्वारे)
 DocType: Agriculture Task,Previous Business Day,मागील व्यवसाय दिन
@@ -5857,15 +5925,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,खर्च केंद्रे
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,सदस्यता रीस्टार्ट करा
 DocType: Linked Plant Analysis,Linked Plant Analysis,लिंक्ड प्लान्ट विश्लेषण
-DocType: Delivery Note,Transporter ID,ट्रान्सपोर्टर आयडी
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ट्रान्सपोर्टर आयडी
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,मूल्य विधान
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,दर ज्यामध्ये पुरवठादार चलन कंपनी बेस चलनमधे  रूपांतरित आहे
-DocType: Sales Invoice Item,Service End Date,सेवा समाप्ती तारीख
+DocType: Purchase Invoice Item,Service End Date,सेवा समाप्ती तारीख
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},रो # {0}: ओळ वेळा संघर्ष {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,परवानगी द्या शून्य मूल्यांकन दर
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,परवानगी द्या शून्य मूल्यांकन दर
 DocType: Bank Guarantee,Receiving,प्राप्त करीत आहे
 DocType: Training Event Employee,Invited,आमंत्रित केले
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,सेटअप गेटवे खाती.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,सेटअप गेटवे खाती.
 DocType: Employee,Employment Type,रोजगार प्रकार
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,स्थिर मालमत्ता
 DocType: Payment Entry,Set Exchange Gain / Loss,एक्सचेंज लाभ / सेट कमी होणे
@@ -5881,7 +5950,7 @@
 DocType: Tax Rule,Sales Tax Template,विक्री कर साचा
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,पेमेंट ऑफ बेनिफिट क्लेम
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,अद्यतन केंद्र केंद्र नंबर
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा
 DocType: Employee,Encashment Date,एनकॅशमेंट तारीख
 DocType: Training Event,Internet,इंटरनेट
 DocType: Special Test Template,Special Test Template,विशेष टेस्ट टेम्पलेट
@@ -5889,13 +5958,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},क्रियाकलाप प्रकार करीता मुलभूत क्रियाकलाप खर्च अस्तित्वात आहे  - {0}
 DocType: Work Order,Planned Operating Cost,नियोजनबद्ध ऑपरेटिंग खर्च
 DocType: Academic Term,Term Start Date,मुदत प्रारंभ तारीख
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,सर्व शेअर व्यवहारांची यादी
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,सर्व शेअर व्यवहारांची यादी
+DocType: Supplier,Is Transporter,ट्रांसपोर्टर आहे
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,पेमेंट चिन्हांकित असल्यास Shopify पासून आयात विक्री चलन
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,डॉ संख्या
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,डॉ संख्या
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,दोन्ही चाचणी कालावधी प्रारंभ तारीख आणि चाचणी कालावधी समाप्ती तारीख सेट करणे आवश्यक आहे
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,सरासरी दर
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,पेमेंट शेड्यूल मध्ये एकूण देयक रकमेच्या रुंदीच्या एकूण / उरलेली रक्कम
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,पेमेंट शेड्यूल मध्ये एकूण देयक रकमेच्या रुंदीच्या एकूण / उरलेली रक्कम
 DocType: Subscription Plan Detail,Plan,योजना
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,सामान्य लेजर नुसार बँक स्टेटमेंट शिल्लक
 DocType: Job Applicant,Applicant Name,अर्जदाराचे नाव
@@ -5923,7 +5993,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,स्रोत वखार येथे उपलब्ध प्रमाण
 apps/erpnext/erpnext/config/support.py +22,Warranty,हमी
 DocType: Purchase Invoice,Debit Note Issued,डेबिट टीप जारी
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,कॉस्ट सेंटरवर आधारित फिल्टर केवळ लागू असल्यासच बजेट विरुद्ध कॉस्ट सेंटर म्हणून निवडलेला आहे
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,कॉस्ट सेंटरवर आधारित फिल्टर केवळ लागू असल्यासच बजेट विरुद्ध कॉस्ट सेंटर म्हणून निवडलेला आहे
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","आयटम कोड, सीरियल नंबर, बॅच नंबर किंवा बारकोडनुसार शोधा"
 DocType: Work Order,Warehouses,गोदामे
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} मालमत्ता हस्तांतरित केली जाऊ शकत नाही
@@ -5934,9 +6004,9 @@
 DocType: Workstation,per hour,प्रती तास
 DocType: Blanket Order,Purchasing,खरेदी
 DocType: Announcement,Announcement,घोषणा
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,ग्राहक एलपीओ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,ग्राहक एलपीओ
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","बॅच आधारित विद्यार्थी गट, कार्यक्रम नावनोंदणी पासून प्रत्येक विद्यार्थ्यासाठी विद्यार्थी बॅच तपासले जाईल."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,स्टॉक खतावणीत नोंद या कोठार विद्यमान म्हणून कोठार हटविला जाऊ शकत नाही.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,स्टॉक खतावणीत नोंद या कोठार विद्यमान म्हणून कोठार हटविला जाऊ शकत नाही.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,वितरण
 DocType: Journal Entry Account,Loan,कर्ज
 DocType: Expense Claim Advance,Expense Claim Advance,खर्च दावा आगाऊ
@@ -5945,7 +6015,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,प्रकल्प व्यवस्थापक
 ,Quoted Item Comparison,उद्धृत बाबींचा तुलना
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} आणि {1} दरम्यान स्कोअरिंगमध्ये ओव्हरलॅप
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,पाठवणे
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,पाठवणे
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,आयटम: {0} साठी कमाल {1} % सवलतिची परवानगी आहे
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,म्हणून नेट असेट व्हॅल्यू
 DocType: Crop,Produce,तयार करा
@@ -5955,20 +6025,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,उत्पादनासाठी सामग्री वापर
 DocType: Item Alternative,Alternative Item Code,वैकल्पिक आयटम कोड
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,भूमिका ज्याला सेट क्रेडिट मर्यादा ओलांडत व्यवहार सादर करण्याची परवानगी आहे .
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा
 DocType: Delivery Stop,Delivery Stop,डिलिव्हरी स्टॉप
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो"
 DocType: Item,Material Issue,साहित्य अंक
 DocType: Employee Education,Qualification,पात्रता
 DocType: Item Price,Item Price,आयटम किंमत
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,साबण आणि कपडे
 DocType: BOM,Show Items,आयटम दर्शवा
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,पासून वेळ पेक्षा जास्त असू शकत नाही.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,आपण सर्व ग्राहकांना ईमेलद्वारे सूचित करू इच्छिता?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,आपण सर्व ग्राहकांना ईमेलद्वारे सूचित करू इच्छिता?
 DocType: Subscription Plan,Billing Interval,बिलिंग मध्यांतर
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,मोशन पिक्चर आणि व्हिडिओ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,आदेश दिले
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,वास्तविक प्रारंभ तारीख आणि प्रत्यक्ष अंतिम तारीख अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक समूह&gt; प्रदेश
 DocType: Salary Detail,Component,घटक
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,पंक्ती {0}: {1} 0 पेक्षा जास्त असली पाहिजे
 DocType: Assessment Criteria,Assessment Criteria Group,मूल्यांकन निकष गट
@@ -5999,11 +6070,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,सबमिट करण्यापूर्वी बँक किंवा कर्ज संस्था यांचे नाव प्रविष्ट करा.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} सादर करणे आवश्यक आहे
 DocType: POS Profile,Item Groups,आयटम गट
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,आज {0} चे वाढदिवस आहे!
 DocType: Sales Order Item,For Production,उत्पादन
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,खात्यातील शिल्लक शिल्लक
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,कृपया चार्ट्स अकाउंट्समध्ये तात्पुरते उघडत खाते जोडा
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,कृपया चार्ट्स अकाउंट्समध्ये तात्पुरते उघडत खाते जोडा
 DocType: Customer,Customer Primary Contact,ग्राहक प्राथमिक संपर्क
 DocType: Project Task,View Task,कार्य पहा
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,डॉ / लीड%
@@ -6017,11 +6087,11 @@
 DocType: Sales Invoice,Get Advances Received,सुधारण प्राप्त करा
 DocType: Email Digest,Add/Remove Recipients,प्राप्तकर्ते  जोडा / काढा
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","डीफॉल्ट म्हणून या आर्थिक वर्षात सेट करण्यासाठी, 'डीफॉल्ट म्हणून सेट करा' वर क्लिक करा"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,टीडीएसची रक्कम विघटित
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,टीडीएसची रक्कम विघटित
 DocType: Production Plan,Include Subcontracted Items,उपकांक्षिक आयटम समाविष्ट करा
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,सामील व्हा
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,कमतरता Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,आयटम  variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,सामील व्हा
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,कमतरता Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,आयटम  variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत
 DocType: Loan,Repay from Salary,पगार पासून परत फेड करा
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},विरुद्ध पैसे विनंती {0} {1} रक्कम {2}
 DocType: Additional Salary,Salary Slip,पगाराच्या स्लिप्स
@@ -6037,7 +6107,7 @@
 DocType: Patient,Dormant,सुप्त
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,बेकायदेशीर कर्मचारी फायदे साठी कर वजा करा
 DocType: Salary Slip,Total Interest Amount,एकूण व्याज रक्कम
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,मुलाला नोडस् सह गोदामे लेजर रूपांतरीत केले जाऊ शकत नाही
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,मुलाला नोडस् सह गोदामे लेजर रूपांतरीत केले जाऊ शकत नाही
 DocType: BOM,Manage cost of operations,ऑपरेशन खर्च व्यवस्थापित करा
 DocType: Accounts Settings,Stale Days,जुने दिवस
 DocType: Travel Itinerary,Arrival Datetime,आगमन Datetime
@@ -6049,7 +6119,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,मूल्यांकन निकाल तपशील
 DocType: Employee Education,Employee Education,कर्मचारी शिक्षण
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,आयटम गट टेबल मध्ये आढळले डुप्लिकेट आयटम गट
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,हा आयटम तपशील प्राप्त करण्यासाठी  आवश्यक आहे.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,हा आयटम तपशील प्राप्त करण्यासाठी  आवश्यक आहे.
 DocType: Fertilizer,Fertilizer Name,खते नाव
 DocType: Salary Slip,Net Pay,नेट पे
 DocType: Cash Flow Mapping Accounts,Account,खाते
@@ -6060,14 +6130,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,बेनिफिट हक्क विरूद्ध वेगळे देयक प्रविष्ट करा
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),ताप येणे (temp&gt; 38.5 डिग्री से / 101.3 फूट किंवा निरंतर तापमान&gt; 38 ° से / 100.4 ° फॅ)
 DocType: Customer,Sales Team Details,विक्री कार्यसंघ तपशील
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,कायमचे हटवा?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,कायमचे हटवा?
 DocType: Expense Claim,Total Claimed Amount,एकूण हक्क सांगितला रक्कम
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,विक्री संभाव्य संधी.
 DocType: Shareholder,Folio no.,फोलिओ नाही
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},अवैध {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,आजारी रजा
 DocType: Email Digest,Email Digest,ईमेल डायजेस्ट
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,नाही
 DocType: Delivery Note,Billing Address Name,बिलिंग पत्ता नाव
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,विभाग स्टोअर्स
 ,Item Delivery Date,आयटम वितरण तारीख
@@ -6083,16 +6152,16 @@
 DocType: Account,Chargeable,आकारण्यास
 DocType: Company,Change Abbreviation,बदला Abbreviation
 DocType: Contract,Fulfilment Details,पूर्तता तपशील
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1} ला पैसे द्या
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1} ला पैसे द्या
 DocType: Employee Onboarding,Activities,क्रियाकलाप
 DocType: Expense Claim Detail,Expense Date,खर्च तारीख
 DocType: Item,No of Months,महिन्यांची संख्या
 DocType: Item,Max Discount (%),कमाल सवलत (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,क्रेडिट डेज नकारात्मक नंबर असू शकत नाही
-DocType: Sales Invoice Item,Service Stop Date,सेवा थांबवा तारीख
+DocType: Purchase Invoice Item,Service Stop Date,सेवा थांबवा तारीख
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,गेल्या ऑर्डर रक्कम
 DocType: Cash Flow Mapper,e.g Adjustments for:,उदा. यासाठी समायोजन:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} नमूना ठेवा बॅचवर आधारित आहे, कृपया आयटमचा नमूना ठेवण्यासाठी बॅच नाही हे तपासा"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} नमूना ठेवा बॅचवर आधारित आहे, कृपया आयटमचा नमूना ठेवण्यासाठी बॅच नाही हे तपासा"
 DocType: Task,Is Milestone,मैलाचा दगड आहे
 DocType: Certification Application,Yet to appear,अजून दिसण्यासाठी
 DocType: Delivery Stop,Email Sent To,ई-मेल पाठविले
@@ -6100,16 +6169,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,बॅलेन्स शीट अकाऊंटच्या प्रवेश प्रक्रियेत मूल्य केंद्राला परवानगी द्या
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,विद्यमान खात्यासह विलीन करा
 DocType: Budget,Warn,चेतावणी द्या
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,या कामाकरता सर्व बाबी यापूर्वीच हस्तांतरित करण्यात आल्या आहेत.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,या कामाकरता सर्व बाबी यापूर्वीच हस्तांतरित करण्यात आल्या आहेत.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","इतर कोणताही अभिप्राय, रेकॉर्ड जावे की लक्षात घेण्याजोगा प्रयत्न."
 DocType: Asset Maintenance,Manufacturing User,उत्पादन सदस्य
 DocType: Purchase Invoice,Raw Materials Supplied,कच्चा माल प्रदान
 DocType: Subscription Plan,Payment Plan,देयक योजना
 DocType: Shopping Cart Settings,Enable purchase of items via the website,वेबसाइटद्वारे आयटमची खरेदी सक्षम करा
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},किंमत सूची {0} ची चलन {1} किंवा {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,सबस्क्रिप्शन मॅनेजमेंट
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,सबस्क्रिप्शन मॅनेजमेंट
 DocType: Appraisal,Appraisal Template,मूल्यांकन साचा
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,पिन कोड
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,पिन कोड
 DocType: Soil Texture,Ternary Plot,टर्नरी प्लॉट
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,शेड्युलरद्वारे शेड्यूल केलेला डेली सिंक्रोनाईझेशन रूटीन सक्षम करण्यासाठी हे तपासा
 DocType: Item Group,Item Classification,आयटम वर्गीकरण
@@ -6119,6 +6188,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,इनव्हॉइस पेशंट नोंदणी
 DocType: Crop,Period,कालावधी
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,सामान्य खातेवही
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,आर्थिक वर्षासाठी
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,पहा निष्पन्न
 DocType: Program Enrollment Tool,New Program,नवीन कार्यक्रम
 DocType: Item Attribute Value,Attribute Value,मूल्य विशेषता
@@ -6127,11 +6197,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise पुनर्क्रमित स्तर शिफारस
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,ग्रेड {1} चे कर्मचारी {0} कडे कोणतीही डीफॉल्ट सुट्टी धोरण नाही
 DocType: Salary Detail,Salary Detail,पगार तपशील
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,कृपया प्रथम {0} निवडा
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,कृपया प्रथम {0} निवडा
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} वापरकर्ते जोडले
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",बहु-स्तरीय कार्यक्रमाच्या बाबतीत ग्राहक त्यांच्या खर्चानुसार संबंधित टायरला स्वयंचलितरित्या नियुक्त केले जातील
 DocType: Appointment Type,Physician,फिजिशियन
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,आयटम बॅच {0} {1} कालबाह्य झाले आहे.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,आयटम बॅच {0} {1} कालबाह्य झाले आहे.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,सल्लामसलत
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,चांगले संपले
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","आयटम किंमत किंमत सूची, पुरवठादार / ग्राहक, चलन, वस्तू, यूओएम, मार्जिन आणि तारखांनुसार अनेक वेळा दिसून येते."
@@ -6140,22 +6210,21 @@
 DocType: Certification Application,Name of Applicant,अर्जदाराचे नाव
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,उत्पादन वेळ पत्रक.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,एकूण
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,शेअर व्यवहारा नंतर व्हेरियंट गुणधर्म बदलू शकत नाही. असे करण्यासाठी आपल्याला एक नवीन आयटम तयार करावा लागेल.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,शेअर व्यवहारा नंतर व्हेरियंट गुणधर्म बदलू शकत नाही. असे करण्यासाठी आपल्याला एक नवीन आयटम तयार करावा लागेल.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA मँडेट
 DocType: Healthcare Practitioner,Charges,शुल्क
 DocType: Production Plan,Get Items For Work Order,कार्य ऑर्डरसाठी आयटम मिळवा
 DocType: Salary Detail,Default Amount,डीफॉल्ट रक्कम
 DocType: Lab Test Template,Descriptive,वर्णनात्मक
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,कोठार प्रणाली आढळली नाही
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,या  महिन्याचा  सारांश
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,या  महिन्याचा  सारांश
 DocType: Quality Inspection Reading,Quality Inspection Reading,गुणवत्ता तपासणी वाचन
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`फ्रीज स्टॉक जुने Than`% d दिवस कमी असणे आवश्यक आहे.
 DocType: Tax Rule,Purchase Tax Template,कर साचा खरेदी
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,आपण आपल्या कंपनीसाठी साध्य करू इच्छित विक्री लक्ष्य सेट करा.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,आरोग्य सेवा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,आरोग्य सेवा
 ,Project wise Stock Tracking,प्रकल्प शहाणा शेअर ट्रॅकिंग
 DocType: GST HSN Code,Regional,प्रादेशिक
-DocType: Delivery Note,Transport Mode,वाहतूक मोड
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,प्रयोगशाळा
 DocType: UOM Category,UOM Category,UOM वर्ग
 DocType: Clinical Procedure Item,Actual Qty (at source/target),प्रत्यक्ष प्रमाण (स्त्रोत / लक्ष्य येथे)
@@ -6178,17 +6247,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,वेबसाइट तयार करण्यात अयशस्वी
 DocType: Soil Analysis,Mg/K,मिग्रॅ / के
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM रुपांतर तपशील
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,धारणा केलेला स्टॉक एंट्री आधीपासून तयार केलेला किंवा नमुना प्रमाण प्रदान केलेला नाही
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,धारणा केलेला स्टॉक एंट्री आधीपासून तयार केलेला किंवा नमुना प्रमाण प्रदान केलेला नाही
 DocType: Program,Program Abbreviation,कार्यक्रम संक्षेप
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,उत्पादन ऑर्डर एक आयटम साचा निषेध जाऊ शकत नाही
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,शुल्क प्रत्येक आयटम विरुद्ध खरेदी पावती मध्ये अद्यतनित केले जातात
 DocType: Warranty Claim,Resolved By,ने  निराकरण
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,वेळापत्रक कालबाह्य
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,चेक आणि ठेवी चुकीचे  साफ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,खाते {0}: आपण पालक खाते म्हणून स्वत: नियुक्त करू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,खाते {0}: आपण पालक खाते म्हणून स्वत: नियुक्त करू शकत नाही
 DocType: Purchase Invoice Item,Price List Rate,किंमत सूची दर
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,ग्राहक कोट तयार करा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,सेवा समाप्ती तारीख सेवा समाप्ती तारीख नंतर असू शकत नाही
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,सेवा समाप्ती तारीख सेवा समाप्ती तारीख नंतर असू शकत नाही
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","""स्टॉक मध्ये"" किंवा या कोठारमधे  उपलब्ध स्टॉक आधारित "" स्टॉक मध्ये नाही"" दर्शवा."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),साहित्य बिल (DEL)
 DocType: Item,Average time taken by the supplier to deliver,पुरवठादार घेतलेल्या सरासरी वेळ वितरीत करण्यासाठी
@@ -6200,11 +6269,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,तास
 DocType: Project,Expected Start Date,अपेक्षित प्रारंभ तारीख
 DocType: Purchase Invoice,04-Correction in Invoice,04-इनव्हॉइस मधील सुधारणा
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,काम ऑर्डर आधीच BOM सह सर्व आयटम साठी तयार
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,काम ऑर्डर आधीच BOM सह सर्व आयटम साठी तयार
 DocType: Payment Request,Party Details,पार्टी तपशील
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,भिन्न अहवाल अहवाल
 DocType: Setup Progress Action,Setup Progress Action,प्रगती क्रिया सेट करा
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,खरेदी किंमत सूची
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,खरेदी किंमत सूची
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,शुल्क जर आयटमला  लागू होत नाही तर आयटम काढा
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,सदस्यता रद्द करा
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,कृपया पूर्ण केल्यानुसार देखभाल स्थिती निवडा किंवा पूर्ण केल्याची तारीख काढा
@@ -6222,7 +6291,7 @@
 DocType: Asset,Disposal Date,विल्हेवाट दिनांक
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ई-मेल ते सुट्टी नसेल तर दिले क्षणी कंपनी सर्व सक्रिय कर्मचारी पाठवला जाईल. प्रतिसादांचा सारांश मध्यरात्री पाठवला जाईल.
 DocType: Employee Leave Approver,Employee Leave Approver,कर्मचारी रजा मंजुरी
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},रो {0}: कोठार {1} साठी एक पुन्हा क्रमवारी लावा नोंद आधीच अस्तित्वात आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},रो {0}: कोठार {1} साठी एक पुन्हा क्रमवारी लावा नोंद आधीच अस्तित्वात आहे
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","कोटेशन केले आहे कारण, म्हणून गमवलेले जाहीर करू शकत नाही."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP खाते
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,प्रशिक्षण अभिप्राय
@@ -6234,7 +6303,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,तारीखे पर्यंत  तारखेपासूनच्या  आधी असू शकत नाही
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,विभाग फूटर
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ संपादित करा किंमती जोडा
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ संपादित करा किंमती जोडा
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,पदोन्नतीची तारीखापूर्वी कर्मचारी भरती सादर करता येणार नाही
 DocType: Batch,Parent Batch,पालक बॅच
 DocType: Batch,Parent Batch,पालक बॅच
@@ -6245,6 +6314,7 @@
 DocType: Clinical Procedure Template,Sample Collection,नमुना संकलन
 ,Requested Items To Be Ordered,विनंती आयटमची  मागणी करणे
 DocType: Price List,Price List Name,किंमत सूची नाव
+DocType: Delivery Stop,Dispatch Information,प्रेषण माहिती
 DocType: Blanket Order,Manufacturing,उत्पादन
 ,Ordered Items To Be Delivered,आदेश दिलेले  आयटम वितरित करणे
 DocType: Account,Income,उत्पन्न
@@ -6263,17 +6333,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} आवश्यक {2} वर {3} {4} {5} हा व्यवहार पूर्ण करण्यासाठी साठी युनिट.
 DocType: Fee Schedule,Student Category,विद्यार्थी वर्ग
 DocType: Announcement,Student,विद्यार्थी
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,व्हेअरहाउसमध्ये प्रक्रिया सुरू करण्यासाठी स्टॉकची मात्रा उपलब्ध नाही. आपण स्टॉक ट्रान्सफर नोंदवित आहात
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,व्हेअरहाउसमध्ये प्रक्रिया सुरू करण्यासाठी स्टॉकची मात्रा उपलब्ध नाही. आपण स्टॉक ट्रान्सफर नोंदवित आहात
 DocType: Shipping Rule,Shipping Rule Type,शिपिंग नियम प्रकार
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,सर्व खोल्यांमध्ये जा
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","कंपनी, देय खाते, तारीख आणि तारीख ते अनिवार्य आहे"
 DocType: Company,Budget Detail,अर्थसंकल्प तपशील
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,पाठविण्यापूर्वी कृपया संदेश प्रविष्ट करा
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,पुरवठादार डुप्लिकेट
-DocType: Email Digest,Pending Quotations,प्रलंबित अवतरणे
-DocType: Delivery Note,Distance (KM),अंतर (के.एम.)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,पुरवठादार&gt; पुरवठादार गट
 DocType: Asset,Custodian,कस्टोडियन
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,पॉइंट-ऑफ-सेल  प्रोफाइल
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,पॉइंट-ऑफ-सेल  प्रोफाइल
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 आणि 100 च्या दरम्यानचे मूल्य असावे
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1} ते {2} पर्यंत {0} चे देयक
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,बिनव्याजी कर्ज
@@ -6305,10 +6374,10 @@
 DocType: Lead,Converted,रूपांतरित
 DocType: Item,Has Serial No,सिरियल क्रमांक  आहे
 DocType: Employee,Date of Issue,समस्येच्या तारीख
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","प्रति खरेदी सेटिंग्ज Reciept खरेदी आवश्यक == &#39;होय&#39;, नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम खरेदी पावती तयार करण्याची आवश्यकता असल्यास {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","प्रति खरेदी सेटिंग्ज Reciept खरेदी आवश्यक == &#39;होय&#39;, नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम खरेदी पावती तयार करण्याची आवश्यकता असल्यास {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},रो # {0}: पुरवठादार {1} साठी  आयटम सेट करा
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,सलग {0}: तास मूल्य शून्य पेक्षा जास्त असणे आवश्यक आहे.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,आयटम {1} ला संलग्न वेबसाइट प्रतिमा {0} सापडू शकत नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,आयटम {1} ला संलग्न वेबसाइट प्रतिमा {0} सापडू शकत नाही
 DocType: Issue,Content Type,सामग्री प्रकार
 DocType: Asset,Assets,मालमत्ता
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,संगणक
@@ -6319,7 +6388,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} अस्तित्वात नाही
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,इतर चलनबरोबरचे account परवानगी देण्यासाठी कृपया  मल्टी चलन पर्याय तपासा
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,आयटम: {0} प्रणालीत  अस्तित्वात नाही
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,आपल्याला गोठविलेले  मूल्य सेट करण्यासाठी अधिकृत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,आपल्याला गोठविलेले  मूल्य सेट करण्यासाठी अधिकृत नाही
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled नोंदी मिळवा
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},कर्मचारी {0} सुटलेले आहे {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,जर्नल एन्ट्रीसाठी कोणतीही परतफेड निवडली नाही
@@ -6337,13 +6406,14 @@
 ,Average Commission Rate,सरासरी आयोग दर
 DocType: Share Balance,No of Shares,समभागांची संख्या
 DocType: Taxable Salary Slab,To Amount,मोजण्यासाठी
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'नॉन-स्टॉक आयटम 'साठी अनुक्रमांक 'होय' असू शकत नाही.
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'नॉन-स्टॉक आयटम 'साठी अनुक्रमांक 'होय' असू शकत नाही.
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,स्थिती निवडा
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,उपस्थिती भविष्यात तारखा चिन्हांकित केला जाऊ शकत नाही
 DocType: Support Search Source,Post Description Key,पोस्ट वर्णन की
 DocType: Pricing Rule,Pricing Rule Help,किंमत नियम मदत
 DocType: School House,House Name,घर नाव
 DocType: Fee Schedule,Total Amount per Student,प्रति विद्यार्थी एकूण रक्कम
+DocType: Opportunity,Sales Stage,विक्री स्टेज
 DocType: Purchase Taxes and Charges,Account Head,खाते प्रमुख
 DocType: Company,HRA Component,एचआरए घटक
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,इलेक्ट्रिकल
@@ -6351,15 +6421,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),एकूण मूल्य फरक (आउट - मध्ये)
 DocType: Grant Application,Requested Amount,विनंती केलेली रक्कम
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,रो {0}: विनिमय दर अनिवार्य आहे
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},वापरकर्ता आयडी कर्मचारी  {0}साठी सेट नाही
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},वापरकर्ता आयडी कर्मचारी  {0}साठी सेट नाही
 DocType: Vehicle,Vehicle Value,वाहन मूल्य
 DocType: Crop Cycle,Detected Diseases,सापडलेल्या रोग
 DocType: Stock Entry,Default Source Warehouse,मुलभूत स्रोत कोठार
 DocType: Item,Customer Code,ग्राहक कोड
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},साठी जन्मदिवस अनुस्मरण {0}
 DocType: Asset Maintenance Task,Last Completion Date,अंतिम पूर्णता तारीख
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,गेल्या ऑर्डर असल्याने दिवस
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,खाते करण्यासाठी डेबिट एक ताळेबंद खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,खाते करण्यासाठी डेबिट एक ताळेबंद खाते असणे आवश्यक आहे
 DocType: Asset,Naming Series,नामांकन मालिका
 DocType: Vital Signs,Coated,कोटेड
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,पंक्ती {0}: अपेक्षित मूल्य नंतर उपयुक्त जीवन एकूण खरेदीपेक्षा कमी असणे आवश्यक आहे
@@ -6377,15 +6446,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,डिलिव्हरी टीप {0} सादर जाऊ नये
 DocType: Notification Control,Sales Invoice Message,विक्री चलन संदेश
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,खाते {0} बंद प्रकार दायित्व / इक्विटी असणे आवश्यक आहे
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},{0} वेळ पत्रक आधीपासूनच तयार कर्मचा पगाराच्या स्लिप्स {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},{0} वेळ पत्रक आधीपासूनच तयार कर्मचा पगाराच्या स्लिप्स {1}
 DocType: Vehicle Log,Odometer,ओडोमीटर
 DocType: Production Plan Item,Ordered Qty,आदेश दिलेली  Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,आयटम {0} अक्षम आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,आयटम {0} अक्षम आहे
 DocType: Stock Settings,Stock Frozen Upto,शेअर फ्रोजन पर्यंत
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM कोणत्याही शेअर आयटम असणे नाही
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM कोणत्याही शेअर आयटम असणे नाही
 DocType: Chapter,Chapter Head,अध्याय मुख्य
 DocType: Payment Term,Month(s) after the end of the invoice month,बीजक महिन्याच्या शेवटी महिना (र्स)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,वेतन रचनेमध्ये लाभ रक्कम वितरित करण्यासाठी लवचिक लाभ घटक असणे आवश्यक आहे
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,वेतन रचनेमध्ये लाभ रक्कम वितरित करण्यासाठी लवचिक लाभ घटक असणे आवश्यक आहे
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,प्रकल्प क्रियाकलाप / कार्य.
 DocType: Vital Signs,Very Coated,खूप कोतेत
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),केवळ कर परिणाम (दावा करू शकत नाही परंतू करपात्र उत्पन्नाचा भाग)
@@ -6403,7 +6472,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग तास
 DocType: Project,Total Sales Amount (via Sales Order),एकूण विक्री रक्कम (विक्री आदेशानुसार)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,साठी {0} आढळले नाही मुलभूत BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,रो # {0}: पुनर्क्रमित प्रमाणात सेट करा
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,रो # {0}: पुनर्क्रमित प्रमाणात सेट करा
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,त्यांना येथे जोडण्यासाठी आयटम टॅप करा
 DocType: Fees,Program Enrollment,कार्यक्रम नावनोंदणी
 DocType: Share Transfer,To Folio No,फोलिओ नं
@@ -6445,9 +6514,9 @@
 DocType: SG Creation Tool Course,Max Strength,कमाल शक्ती
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,प्रिसेट्स स्थापित करीत आहे
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH- .YYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ग्राहकांसाठी डिलिव्हरी नोट नाही.
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ग्राहकांसाठी डिलिव्हरी नोट नाही.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,कर्मचारी {0} कडे कमाल लाभ रक्कम नाही
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,वितरण तारीख वर आधारित आयटम निवडा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,वितरण तारीख वर आधारित आयटम निवडा
 DocType: Grant Application,Has any past Grant Record,कोणतीही मागील ग्रांट रेकॉर्ड आहे
 ,Sales Analytics,विक्री Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},उपलब्ध {0}
@@ -6456,12 +6525,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,उत्पादन सेटिंग्ज
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ईमेल सेट अप
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 मोबाइल नं
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,कंपनी मास्टर मध्ये डीफॉल्ट चलन प्रविष्ट करा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,कंपनी मास्टर मध्ये डीफॉल्ट चलन प्रविष्ट करा
 DocType: Stock Entry Detail,Stock Entry Detail,शेअर प्रवेश तपशील
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,दैनिक स्मरणपत्रे
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,दैनिक स्मरणपत्रे
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,सर्व खुल्या तिकिट पहा
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,हेल्थकेअर सर्व्हिस युनिट ट्री
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,उत्पादन
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,उत्पादन
 DocType: Products Settings,Home Page is Products,मुख्यपृष्ठ उत्पादने आहे
 ,Asset Depreciation Ledger,मालमत्ता घसारा पाणीकराचे खाते
 DocType: Salary Structure,Leave Encashment Amount Per Day,लीव्ह एनकॅशमेंट रक्कम प्रति दिवस
@@ -6471,8 +6540,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,कच्चा माल प्रदान खर्च
 DocType: Selling Settings,Settings for Selling Module,विभाग विक्री साठी सेटिंग्ज
 DocType: Hotel Room Reservation,Hotel Room Reservation,हॉटेल रूम आरक्षण
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,ग्राहक सेवा
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,ग्राहक सेवा
 DocType: BOM,Thumbnail,लघुप्रतिमा
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ईमेल आयडीसह कोणतेही संपर्क सापडले नाहीत.
 DocType: Item Customer Detail,Item Customer Detail,आयटम ग्राहक तपशील
 DocType: Notification Control,Prompt for Email on Submission of,सादरीकरणासाठी   ईमेल विनंती
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},कर्मचारी {0} पेक्षा जास्तीत जास्त लाभ रक्कम {1}
@@ -6482,7 +6552,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,आयटम {0} एक स्टॉक आयटम असणे आवश्यक आहे
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,प्रगती वखार मध्ये डीफॉल्ट कार्य
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} ओव्हरलॅप्सकरिता वेळापत्रक, आपण ओव्हरलॅप केलेले स्लॉट्स वगळल्यानंतर पुढे जायचे आहे का?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,लेखा व्यवहारासाठी  मुलभूत सेटिंग्ज.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,लेखा व्यवहारासाठी  मुलभूत सेटिंग्ज.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,ग्रँट पाने
 DocType: Restaurant,Default Tax Template,डीफॉल्ट कर टेम्पलेट
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} विद्यार्थ्यांची नावे नोंदवली गेली आहेत
@@ -6490,6 +6560,7 @@
 DocType: Purchase Invoice Item,Stock Qty,शेअर प्रमाण
 DocType: Purchase Invoice Item,Stock Qty,शेअर प्रमाण
 DocType: Contract,Requires Fulfilment,पूर्तता आवश्यक आहे
+DocType: QuickBooks Migrator,Default Shipping Account,डिफॉल्ट शिपिंग खाते
 DocType: Loan,Repayment Period in Months,महिने कर्जफेड कालावधी
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,त्रुटी: एक वैध आयडी नाही ?
 DocType: Naming Series,Update Series Number,अद्यतन मालिका क्रमांक
@@ -6503,11 +6574,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,कमाल रक्कम
 DocType: Journal Entry,Total Amount Currency,एकूण रक्कम चलन
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,शोध उप विधानसभा
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},आयटम कोड रो क्रमांक   {0} साठी आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},आयटम कोड रो क्रमांक   {0} साठी आवश्यक आहे
 DocType: GST Account,SGST Account,एसजीएसटी खाते
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,आयटमवर जा
 DocType: Sales Partner,Partner Type,भागीदार प्रकार
-DocType: Purchase Taxes and Charges,Actual,वास्तविक
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,वास्तविक
 DocType: Restaurant Menu,Restaurant Manager,रेस्टॉरन्ट व्यवस्थापक
 DocType: Authorization Rule,Customerwise Discount,Customerwise सवलत
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,कार्ये Timesheet.
@@ -6528,7 +6599,7 @@
 DocType: Employee,Cheque,धनादेश
 DocType: Training Event,Employee Emails,कर्मचारी ई-मेल
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,मालिका अद्यतनित
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,अहवाल प्रकार अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,अहवाल प्रकार अनिवार्य आहे
 DocType: Item,Serial Number Series,अनुक्रमांक मालिका
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},कोठार सलग शेअर आयटम {0} अनिवार्य आहे {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,रिटेल अॅण्ड घाऊक
@@ -6559,7 +6630,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,विक्री ऑर्डरमध्ये बिल केलेली रक्कम अद्यतनित करा
 DocType: BOM,Materials,साहित्य
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","तपासले नाही, तर यादी तो लागू करण्यात आली आहे, जेथे प्रत्येक विभाग जोडले आहे."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,पोस्ट करण्याची तारीख आणि  पोस्ट करण्याची वेळ आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,पोस्ट करण्याची तारीख आणि  पोस्ट करण्याची वेळ आवश्यक आहे
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,व्यवहार खरेदी कर टेम्प्लेट.
 ,Item Prices,आयटम किंमती
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,तुम्ही पर्चेस एकदा जतन  केल्यावर शब्दा मध्ये दृश्यमान होईल.
@@ -6575,12 +6646,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),मालमत्ता घसारा प्रवेशासाठी मालिका (जर्नल प्रवेश)
 DocType: Membership,Member Since,पासून सदस्य
 DocType: Purchase Invoice,Advance Payments,आगाऊ पेमेंट
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,कृपया हेल्थकेअर सेवा निवडा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,कृपया हेल्थकेअर सेवा निवडा
 DocType: Purchase Taxes and Charges,On Net Total,निव्वळ एकूण वर
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} विशेषता मूल्य श्रेणी असणे आवश्यक आहे {1} करण्यासाठी {2} वाढ मध्ये {3} आयटम {4}
 DocType: Restaurant Reservation,Waitlisted,प्रतीक्षा यादी
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,सवलत श्रेणी
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,काही इतर चलन वापरून नोंदी बनवून नंतर चलन बदलले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,काही इतर चलन वापरून नोंदी बनवून नंतर चलन बदलले जाऊ शकत नाही
 DocType: Shipping Rule,Fixed,मुदत
 DocType: Vehicle Service,Clutch Plate,घट्ट पकड प्लेट
 DocType: Company,Round Off Account,खाते बंद फेरीत
@@ -6589,7 +6660,7 @@
 DocType: Subscription Plan,Based on price list,किंमत सूचीवर आधारित
 DocType: Customer Group,Parent Customer Group,पालक ग्राहक गट
 DocType: Vehicle Service,Change,बदला
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,सदस्यता
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,सदस्यता
 DocType: Purchase Invoice,Contact Email,संपर्क ईमेल
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,फी बनविणे प्रलंबित
 DocType: Appraisal Goal,Score Earned,स्कोअर कमाई
@@ -6617,23 +6688,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्त / देय खाते
 DocType: Delivery Note Item,Against Sales Order Item,विक्री ऑर्डर आयटम विरुद्ध
 DocType: Company,Company Logo,कंपनी लोगो
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},कृपया विशेषता{0} साठी  विशेषतेसाठी मूल्य निर्दिष्ट करा
-DocType: Item Default,Default Warehouse,मुलभूत कोठार
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},कृपया विशेषता{0} साठी  विशेषतेसाठी मूल्य निर्दिष्ट करा
+DocType: QuickBooks Migrator,Default Warehouse,मुलभूत कोठार
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},अर्थसंकल्प गट खाते विरुद्ध नियुक्त केला जाऊ शकत नाही {0}
 DocType: Shopping Cart Settings,Show Price,किंमत दर्शवा
 DocType: Healthcare Settings,Patient Registration,रुग्ण नोंदणी
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,पालक खर्च केंद्र प्रविष्ट करा
 DocType: Delivery Note,Print Without Amount,रक्कम न करता छापा
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,घसारा दिनांक
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,घसारा दिनांक
 ,Work Orders in Progress,प्रगती मधील कार्य ऑर्डर
 DocType: Issue,Support Team,समर्थन कार्यसंघ
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),कालावधी समाप्ती (दिवसात)
 DocType: Appraisal,Total Score (Out of 5),(5 पैकी) एकूण धावसंख्या
 DocType: Student Attendance Tool,Batch,बॅच
 DocType: Support Search Source,Query Route String,क्वेरी रूट स्ट्रिंग
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,अंतिम खरेदीनुसार दर वाढवा
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,अंतिम खरेदीनुसार दर वाढवा
 DocType: Donor,Donor Type,दाता प्रकार
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,स्वयं पुनरावृत्ती कागदजत्र अद्यतनित केले
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,स्वयं पुनरावृत्ती कागदजत्र अद्यतनित केले
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,शिल्लक
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,कृपया कंपनी निवडा
 DocType: Job Card,Job Card,जॉब कार्ड
@@ -6647,7 +6718,7 @@
 DocType: Assessment Result,Total Score,एकूण धावसंख्या
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 मानक
 DocType: Journal Entry,Debit Note,डेबिट टीप
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,आपण या क्रमाने केवळ कमाल {0} गुणांची पूर्तता करू शकता
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,आपण या क्रमाने केवळ कमाल {0} गुणांची पूर्तता करू शकता
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP- .YYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,कृपया API ग्राहक गुप्त प्रविष्ट करा
 DocType: Stock Entry,As per Stock UOM,शेअर UOM नुसार
@@ -6661,10 +6732,11 @@
 DocType: Journal Entry,Total Debit,एकूण डेबिट
 DocType: Travel Request Costing,Sponsored Amount,प्रायोजित रक्कम
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,मुलभूत पूर्ण वस्तू वखार
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,कृपया रुग्ण निवडा
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,कृपया रुग्ण निवडा
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,विक्री व्यक्ती
 DocType: Hotel Room Package,Amenities,सुविधा
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,बजेट आणि खर्च केंद्र
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited निधी खाते
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,बजेट आणि खर्च केंद्र
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,पेमेंटचा एकाधिक डीफॉल्ट मोड अनुमत नाही
 DocType: Sales Invoice,Loyalty Points Redemption,लॉयल्टी पॉइंट्स रिडेम्प्शन
 ,Appointment Analytics,नेमणूक Analytics
@@ -6678,6 +6750,7 @@
 DocType: Batch,Manufacturing Date,उत्पादन तारीख
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,फी तयार करणे अयशस्वी
 DocType: Opening Invoice Creation Tool,Create Missing Party,गहाळ पार्टी तयार करा
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,एकूण बजेट
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,आपण दर वर्षी विद्यार्थ्यांचे गट तर रिक्त सोडा
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,आपण दर वर्षी विद्यार्थ्यांचे गट तर रिक्त सोडा
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","चेक केलेले असल्यास, एकूण कार्यरत दिवसंमध्ये सुट्ट्यांचा समावेश असेल, आणि यामुळे  पगार प्रति दिवस मूल्य कमी होईल."
@@ -6695,20 +6768,19 @@
 DocType: Opportunity Item,Basic Rate,बेसिक रेट
 DocType: GL Entry,Credit Amount,क्रेडिट रक्कम
 DocType: Cheque Print Template,Signatory Position,ना स्थिती
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,हरवले म्हणून सेट करा
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,हरवले म्हणून सेट करा
 DocType: Timesheet,Total Billable Hours,एकूण बिल तास
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,अशा सदस्यांद्वारे व्युत्पन्न केलेल्या चलनांचे देय द्यावे लागणार्या दिवसाची संख्या
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,कर्मचारी लाभ अर्ज तपशील
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,भरणा पावती टीप
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,हे या ग्राहक विरुद्ध व्यवहार आधारित आहे. तपशीलासाठी खालील टाइमलाइन पाहू
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},सलग {0}: रक्कम {1} पेक्षा कमी असेल किंवा भरणा प्रवेश रक्कम बरोबरी करणे आवश्यक आहे {2}
 DocType: Program Enrollment Tool,New Academic Term,नवीन शैक्षणिक कालावधी
 ,Course wise Assessment Report,कोर्स शहाणा मूल्यांकन अहवाल
 DocType: Purchase Invoice,Availed ITC State/UT Tax,मिळविलेला आयटीसी राज्य / यूटी कर
 DocType: Tax Rule,Tax Rule,कर नियम
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,विक्री सायकल मधे संपूर्ण समान दर ठेवणे
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,कृपया मार्केटप्लेसवर नोंदणी करण्यासाठी दुसर्या वापरकर्त्याप्रमाणे लॉग इन करा
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,कृपया मार्केटप्लेसवर नोंदणी करण्यासाठी दुसर्या वापरकर्त्याप्रमाणे लॉग इन करा
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,वर्कस्टेशन कार्य तासांनंतर वेळ नोंदी योजना.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,रांग ग्राहक
 DocType: Driver,Issuing Date,जारी करण्याचा दिनांक
@@ -6717,11 +6789,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,पुढील प्रक्रियेसाठी हा वर्क ऑर्डर सबमिट करा.
 ,Items To Be Requested,आयटम विनंती करण्यासाठी
 DocType: Company,Company Info,कंपनी माहिती
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,निवडा किंवा नवीन ग्राहक जोडणे
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,निवडा किंवा नवीन ग्राहक जोडणे
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,खर्च केंद्र खर्च दावा बुक करणे आवश्यक आहे
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),निधी मालमत्ता (assets) अर्ज
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,हे या कर्मचा उपस्थिती आधारित आहे
-DocType: Assessment Result,Summary,सारांश
 DocType: Payment Request,Payment Request Type,भरणा विनंती प्रकार
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,मार्क अॅटॅन्डन्स
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,डेबिट खाते
@@ -6729,7 +6800,7 @@
 DocType: Additional Salary,Employee Name,कर्मचारी नाव
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,रेस्टॉरंट ऑर्डर प्रविष्टी आयटम
 DocType: Purchase Invoice,Rounded Total (Company Currency),गोळाबेरीज एकूण (कंपनी चलन)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,खाते प्रकार निवडले आहे कारण खाते प्रकार निवडले आहे.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,खाते प्रकार निवडले आहे कारण खाते प्रकार निवडले आहे.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} सुधारणा करण्यात आली आहे. रिफ्रेश करा.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,खालील दिवस रजा अनुप्रयोग बनवण्यासाठी वापरकर्त्यांना थांबवा.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","लॉयल्टी पॉइंट्ससाठी अमर्यादित कालबाह्य असल्यास, कालावधी समाप्ती कालावधी रिक्त किंवा 0 ठेवा."
@@ -6750,11 +6821,12 @@
 DocType: Asset,Out of Order,नियमबाह्य
 DocType: Purchase Receipt Item,Accepted Quantity,स्वीकृत प्रमाण
 DocType: Projects Settings,Ignore Workstation Time Overlap,वर्कस्टेशन टाइम आच्छादन दुर्लक्ष करा
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},एक मुलभूत कर्मचारी सुट्टी यादी सेट करा {0} किंवा कंपनी {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},एक मुलभूत कर्मचारी सुट्टी यादी सेट करा {0} किंवा कंपनी {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} अस्तित्वात नाही
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,बॅच क्रमांक निवडा
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN ला
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN ला
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ग्राहक असण्याचा बिले.
+DocType: Healthcare Settings,Invoice Appointments Automatically,स्वयंचलितपणे चलन भेटी
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,प्रकल्प आयडी
 DocType: Salary Component,Variable Based On Taxable Salary,करपात्र वेतन आधारित बदल
 DocType: Company,Basic Component,मूलभूत घटक
@@ -6767,10 +6839,10 @@
 DocType: Stock Entry,Source Warehouse Address,स्रोत वेअरहाऊस पत्ता
 DocType: GL Entry,Voucher Type,प्रमाणक प्रकार
 DocType: Amazon MWS Settings,Max Retry Limit,कमाल रिट्री मर्यादा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली  नाही
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली  नाही
 DocType: Student Applicant,Approved,मंजूर
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,किंमत
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} वर मुक्त केलेले कर्मचारी 'Left' म्हणून set करणे आवश्यक आहे
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} वर मुक्त केलेले कर्मचारी 'Left' म्हणून set करणे आवश्यक आहे
 DocType: Marketplace Settings,Last Sync On,अंतिम सिंक चालू
 DocType: Guardian,Guardian,पालक
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,यासह आणि वरील सर्व संवाद नवीन समस्येत हलविले जातील
@@ -6793,14 +6865,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,शेतात आढळणा-या रोगांची यादी. निवडल्यावर तो या रोगाशी निगडीत कार्यांविषयी एक सूची स्वयंचलितपणे जोडेल
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,हे एक रूट हेल्थकेअर सर्व्हिस युनिट असून ते संपादित केले जाऊ शकत नाही.
 DocType: Asset Repair,Repair Status,स्थिती दुरुस्ती
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,विक्री भागीदार जोडा
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,लेखा जर्नल नोंदी.
 DocType: Travel Request,Travel Request,प्रवास विनंती
 DocType: Delivery Note Item,Available Qty at From Warehouse,वखार पासून वर उपलब्ध Qty
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,कृपया  पहिले कर्मचारी नोंद निवडा.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,हे हॉलिडे म्हणून {0} साठी उपस्थित नाही.
 DocType: POS Profile,Account for Change Amount,खाते रक्कम बदल
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks शी कनेक्ट करीत आहे
 DocType: Exchange Rate Revaluation,Total Gain/Loss,एकूण मिळकत / नुकसान
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,इंटर कंपनी इंवॉइससाठी अवैध कंपनी.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,इंटर कंपनी इंवॉइससाठी अवैध कंपनी.
 DocType: Purchase Invoice,input service,इनपुट सेवा
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},रो {0}: {3} {4} मधील  {1} / {2} पक्ष / खात्याशी जुळत नाही
 DocType: Employee Promotion,Employee Promotion,कर्मचारी प्रोत्साहन
@@ -6809,12 +6883,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,कोर्स कोड:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,खर्चाचे खाते प्रविष्ट करा
 DocType: Account,Stock,शेअर
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",सलग # {0}: संदर्भ दस्तऐवज प्रकार ऑर्डर खरेदी एक बीजक किंवा जर्नल प्रवेश खरेदी असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",सलग # {0}: संदर्भ दस्तऐवज प्रकार ऑर्डर खरेदी एक बीजक किंवा जर्नल प्रवेश खरेदी असणे आवश्यक आहे
 DocType: Employee,Current Address,सध्याचा पत्ता
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","आयटम आणखी एक नग प्रकार असेल  तर  वर्णन , प्रतिमा, किंमत, कर आदी टेम्पलेट निश्चित केली जाईल"
 DocType: Serial No,Purchase / Manufacture Details,खरेदी / उत्पादन तपशील
 DocType: Assessment Group,Assessment Group,मूल्यांकन गट
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,बॅच यादी
+DocType: Supplier,GST Transporter ID,जीएसटी ट्रांसपोर्टर आयडी
 DocType: Procedure Prescription,Procedure Name,प्रक्रिया नाव
 DocType: Employee,Contract End Date,करार अंतिम तारीख
 DocType: Amazon MWS Settings,Seller ID,विक्रेता आयडी
@@ -6834,12 +6909,12 @@
 DocType: Company,Date of Incorporation,निगमन तारीख
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,एकूण कर
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,अंतिम खरेदी किंमत
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,प्रमाण साठी (Qty उत्पादित) करणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,प्रमाण साठी (Qty उत्पादित) करणे आवश्यक आहे
 DocType: Stock Entry,Default Target Warehouse,मुलभूत लक्ष्य कोठार
 DocType: Purchase Invoice,Net Total (Company Currency),निव्वळ एकूण (कंपनी चलन)
 DocType: Delivery Note,Air,एअर
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,वर्ष समाप्ती तारीख वर्ष प्रारंभ तारीख पूर्वी पेक्षा असू शकत नाही. तारखा दुरुस्त करा आणि पुन्हा प्रयत्न करा.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} पर्यायी सुट्टी यादी मध्ये नाही
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} पर्यायी सुट्टी यादी मध्ये नाही
 DocType: Notification Control,Purchase Receipt Message,खरेदी पावती संदेश
 DocType: Amazon MWS Settings,JP,जेपी
 DocType: BOM,Scrap Items,स्क्रॅप आयटम
@@ -6862,23 +6937,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,पूर्तता
 DocType: Purchase Taxes and Charges,On Previous Row Amount,मागील पंक्ती रकमेवर
 DocType: Item,Has Expiry Date,कालबाह्य तारीख आहे
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,हस्तांतरण मालमत्ता
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,हस्तांतरण मालमत्ता
 DocType: POS Profile,POS Profile,पीओएस प्रोफाइल
 DocType: Training Event,Event Name,कार्यक्रम नाव
 DocType: Healthcare Practitioner,Phone (Office),फोन (कार्यालय)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","सादर करू शकत नाही, कर्मचारी उपस्थिती चिन्हांकित करण्यासाठी बाकी"
 DocType: Inpatient Record,Admission,प्रवेश
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},प्रवेश {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","सेट अर्थसंकल्प, लक्ष्य इ हंगामी"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","सेट अर्थसंकल्प, लक्ष्य इ हंगामी"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,अस्थिर नाव
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","आयटम {0} एक टेम्प्लेट आहे, कृपया त्याची एखादी  रूपे  निवडा"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,कृपया मानव संसाधन&gt; एचआर सेटिंग्जमध्ये कर्मचारी नामांकन प्रणाली सेट करा
+DocType: Purchase Invoice Item,Deferred Expense,निहित खर्च
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},{0} तारखेपासून कर्मचारीच्या सामील होण्याच्या तारखेपूर्वी {1} नसावे
 DocType: Asset,Asset Category,मालमत्ता वर्ग
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,निव्वळ वेतन नकारात्मक असू शकत नाही
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,निव्वळ वेतन नकारात्मक असू शकत नाही
 DocType: Purchase Order,Advance Paid,आगाऊ अदा
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,विक्री ऑर्डरसाठी वाढीचा दर
 DocType: Item,Item Tax,आयटम कर
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,पुरवठादार साहित्य
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,पुरवठादार साहित्य
 DocType: Soil Texture,Loamy Sand,लोमी वाळू
 DocType: Production Plan,Material Request Planning,साहित्य विनंती प्लॅनिंग
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,उत्पादन शुल्क चलन
@@ -6900,11 +6977,11 @@
 DocType: Scheduling Tool,Scheduling Tool,शेड्युलिंग साधन
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,क्रेडिट कार्ड
 DocType: BOM,Item to be manufactured or repacked,आयटम उत्पादित किंवा repacked करणे
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},स्थितीत वाक्यरचना त्रुटी: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},स्थितीत वाक्यरचना त्रुटी: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST- .YYYY.-
 DocType: Employee Education,Major/Optional Subjects,मुख्य / पर्यायी विषय
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,सप्लायर्स ग्रुप इन शॉपिंग सेटींग्ज सेट करा.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,सप्लायर्स ग्रुप इन शॉपिंग सेटींग्ज सेट करा.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",एकुण लवचिक लाभ घटक रक्कम {0} कमाल फायदे पेक्षा कमी नसावी {1}
 DocType: Sales Invoice Item,Drop Ship,ड्रॉप जहाज
 DocType: Driver,Suspended,निलंबित
@@ -6924,7 +7001,7 @@
 DocType: Customer,Commission Rate,आयोगाने दर
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,यशस्वीरित्या देयक प्रविष्ट्या तयार केल्या
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1} साठी {0} स्कोअरकार्ड तयार केल्या:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,व्हेरियंट करा
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,व्हेरियंट करा
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",भरणा प्रकार मिळतील एक द्या आणि अंतर्गत ट्रान्सफर करणे आवश्यक आहे
 DocType: Travel Itinerary,Preferred Area for Lodging,लॉजिंगसाठी प्राधान्यीकृत क्षेत्र
 apps/erpnext/erpnext/config/selling.py +184,Analytics,विश्लेषण
@@ -6935,7 +7012,7 @@
 DocType: Work Order,Actual Operating Cost,वास्तविक ऑपरेटिंग खर्च
 DocType: Payment Entry,Cheque/Reference No,धनादेश / संदर्भ नाही
 DocType: Soil Texture,Clay Loam,क्ले लोम
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,रूट संपादित केले जाऊ शकत नाही.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,रूट संपादित केले जाऊ शकत नाही.
 DocType: Item,Units of Measure,माप युनिट
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,मेट्रो सिटी भाड्याने
 DocType: Supplier,Default Tax Withholding Config,डीफॉल्ट कर प्रतिबंधन कॉन्फिग
@@ -6953,21 +7030,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,पैसे पूर्ण भरल्यानंतर  वापरकर्ता निवडलेल्या पृष्ठला  पुनर्निर्देशित झाला पाहिजे
 DocType: Company,Existing Company,विद्यमान कंपनी
 DocType: Healthcare Settings,Result Emailed,परिणाम ईमेल ईमेल
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",कर वर्ग &quot;एकूण&quot; मध्ये बदलली गेली आहे सर्व आयटम नॉन-स्टॉक आयटम आहेत कारण
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",कर वर्ग &quot;एकूण&quot; मध्ये बदलली गेली आहे सर्व आयटम नॉन-स्टॉक आयटम आहेत कारण
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,तारीख तारखेपेक्षा समान किंवा त्यापेक्षा कमी नसावे
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,बदलण्यासाठी काहीही नाही
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,कृपया एक सी फाइल निवडा
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,कृपया एक सी फाइल निवडा
 DocType: Holiday List,Total Holidays,एकूण सुट्ट्या
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,प्रेषण साठी गहाळ ईमेल टेम्पलेट. कृपया वितरण सेटिंग्जमध्ये एक सेट करा.
 DocType: Student Leave Application,Mark as Present,सध्याची म्हणून चिन्हांकित करा
 DocType: Supplier Scorecard,Indicator Color,सूचक रंग
 DocType: Purchase Order,To Receive and Bill,प्राप्त आणि बिल
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,पंक्ती # {0}: तारखेनुसार रेकार्ड व्यवहार तारीख आधी असू शकत नाही
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,पंक्ती # {0}: तारखेनुसार रेकार्ड व्यवहार तारीख आधी असू शकत नाही
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,वैशिष्ट्यीकृत उत्पादने
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,अनुक्रमांक निवडा
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,अनुक्रमांक निवडा
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,डिझायनर
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,अटी आणि शर्ती साचा
 DocType: Serial No,Delivery Details,वितरण तपशील
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},खर्च केंद्र सलग {0} त  कर टेबल मधे प्रकार  {1}  आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},खर्च केंद्र सलग {0} त  कर टेबल मधे प्रकार  {1}  आवश्यक आहे
 DocType: Program,Program Code,कार्यक्रम कोड
 DocType: Terms and Conditions,Terms and Conditions Help,अटी आणि नियम मदत
 ,Item-wise Purchase Register,आयटमनूसार खरेदी नोंदणी
@@ -6980,15 +7058,16 @@
 DocType: Contract,Contract Terms,करार अटी
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,चलने इ $ असे कोणत्याही प्रतीक पुढील दर्शवू नका.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},घटक {0} च्या जास्तीत जास्त लाभ रक्कम {1} पेक्षा अधिक आहे
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(अर्धा दिवस)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(अर्धा दिवस)
 DocType: Payment Term,Credit Days,क्रेडिट दिवस
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,लॅब टेस्ट मिळविण्यासाठी कृपया रुग्ण निवडा
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,विद्यार्थी बॅच करा
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,उत्पादनासाठी हस्तांतरणास परवानगी द्या
 DocType: Leave Type,Is Carry Forward,कॅरी फॉरवर्ड आहे
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM चे आयटम मिळवा
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM चे आयटम मिळवा
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,आघाडी  वेळ दिवस
 DocType: Cash Flow Mapping,Is Income Tax Expense,आयकर खर्च आहे
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,आपले ऑर्डर वितरणासाठी संपले आहे!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},सलग # {0}: पोस्ट दिनांक खरेदी तारीख एकच असणे आवश्यक आहे {1} मालमत्ता {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,विद्यार्थी संस्थेचे वसतिगृह येथे राहत आहे तर हे तपासा.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,वरील टेबलमधे  विक्री आदेश प्रविष्ट करा
@@ -6996,10 +7075,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,एकमेकांना कोठार एक मालमत्ता हस्तांतरण
 DocType: Vehicle,Petrol,पेट्रोल
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),उर्वरित फायदे (वार्षिक)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,साहित्य बिल
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,साहित्य बिल
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},रो {0}: पक्ष प्रकार आणि पक्षाचे प्राप्तीयोग्य / देय खाते {1} साठी   आवश्यक आहे
 DocType: Employee,Leave Policy,धोरण सोडा
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,आयटम अद्यतनित करा
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,आयटम अद्यतनित करा
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,संदर्भ तारीख
 DocType: Employee,Reason for Leaving,सोडण्यासाठी  कारण
 DocType: BOM Operation,Operating Cost(Company Currency),ऑपरेटिंग खर्च (कंपनी चलन)
@@ -7010,7 +7089,7 @@
 DocType: Department,Expense Approvers,खर्च Approvers
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},रो {0}: नावे नोंद  {1} सोबत लिंक केले जाऊ शकत नाही
 DocType: Journal Entry,Subscription Section,सदस्यता विभाग
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,खाते {0} अस्तित्वात नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,खाते {0} अस्तित्वात नाही
 DocType: Training Event,Training Program,प्रशिक्षण कार्यक्रम
 DocType: Account,Cash,रोख
 DocType: Employee,Short biography for website and other publications.,वेबसाइट आणि इतर प्रकाशनासठी  लहान चरित्र.
diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv
index 5e356f8..61cd02d 100644
--- a/erpnext/translations/ms.csv
+++ b/erpnext/translations/ms.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Item Pelanggan
 DocType: Project,Costing and Billing,Kos dan Billing
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Mata wang akaun terlebih dahulu harus sama dengan mata wang syarikat {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Akaun {0}: akaun Induk {1} tidak boleh merupakan satu lejar
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Akaun {0}: akaun Induk {1} tidak boleh merupakan satu lejar
 DocType: Item,Publish Item to hub.erpnext.com,Terbitkan Perkara untuk hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Tidak dapat mencari Tempoh Cuti aktif
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Tidak dapat mencari Tempoh Cuti aktif
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,penilaian
 DocType: Item,Default Unit of Measure,Unit keingkaran Langkah
 DocType: SMS Center,All Sales Partner Contact,Semua Jualan Rakan Hubungi
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klik Masukkan Ke Tambah
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Nilai yang hilang untuk Kata Laluan, Kunci API atau URL Shopify"
 DocType: Employee,Rented,Disewa
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Semua Akaun
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Semua Akaun
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Tidak dapat memindahkan Pekerja dengan status Kiri
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Perintah Pengeluaran berhenti tidak boleh dibatalkan, Unstop terlebih dahulu untuk membatalkan"
 DocType: Vehicle Service,Mileage,Jarak tempuh
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Adakah anda benar-benar mahu menghapuskan aset ini?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Adakah anda benar-benar mahu menghapuskan aset ini?
 DocType: Drug Prescription,Update Schedule,Kemas kini Jadual
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Pilih Pembekal Lalai
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Tunjukkan Pekerja
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Kadar Pertukaran Baru
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Mata wang diperlukan untuk Senarai Harga {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Mata wang diperlukan untuk Senarai Harga {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Akan dikira dalam urus niaga.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Pelanggan Hubungi
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Ini adalah berdasarkan kepada urus niaga terhadap Pembekal ini. Lihat garis masa di bawah untuk maklumat
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Peratus Overproduction untuk Perintah Kerja
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Undang-undang
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Undang-undang
+DocType: Delivery Note,Transport Receipt Date,Tarikh Penerimaan Pengangkutan
 DocType: Shopify Settings,Sales Order Series,Siri Perintah Jualan
 DocType: Vital Signs,Tongue,Lidah
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Pengecualian HRA
 DocType: Sales Invoice,Customer Name,Nama Pelanggan
 DocType: Vehicle,Natural Gas,Gas asli
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Akaun bank tidak boleh dinamakan sebagai {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Akaun bank tidak boleh dinamakan sebagai {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA mengikut Struktur Gaji
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kepala (atau kumpulan) terhadap yang Penyertaan Perakaunan dibuat dan baki dikekalkan.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Cemerlang untuk {0} tidak boleh kurang daripada sifar ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Tarikh Henti Perkhidmatan tidak boleh sebelum Tarikh Mula Perkhidmatan
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Tarikh Henti Perkhidmatan tidak boleh sebelum Tarikh Mula Perkhidmatan
 DocType: Manufacturing Settings,Default 10 mins,Default 10 minit
 DocType: Leave Type,Leave Type Name,Tinggalkan Nama Jenis
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Tunjukkan terbuka
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Tunjukkan terbuka
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Siri Dikemaskini Berjaya
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Checkout
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} dalam baris {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} dalam baris {1}
 DocType: Asset Finance Book,Depreciation Start Date,Tarikh Permulaan Susutnilai
 DocType: Pricing Rule,Apply On,Memohon Pada
 DocType: Item Price,Multiple Item prices.,Harga Item berbilang.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Tetapan sokongan
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Tarikh Jangkaan Tamat tidak boleh kurang daripada yang dijangka Tarikh Mula
 DocType: Amazon MWS Settings,Amazon MWS Settings,Tetapan MWS Amazon
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Kadar mestilah sama dengan {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Kadar mestilah sama dengan {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch Perkara Status luput
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Draf
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Butiran Hubungan Utama
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Isu Terbuka
 DocType: Production Plan Item,Production Plan Item,Rancangan Pengeluaran Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Pengguna {0} telah diberikan kepada Pekerja {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Pengguna {0} telah diberikan kepada Pekerja {1}
 DocType: Lab Test Groups,Add new line,Tambah barisan baru
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Penjagaan Kesihatan
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kelewatan dalam pembayaran (Hari)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Preskripsi Lab
 ,Delay Days,Hari Kelewatan
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Perbelanjaan perkhidmatan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Nombor siri: {0} sudah dirujuk dalam Sales Invoice: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Nombor siri: {0} sudah dirujuk dalam Sales Invoice: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Invois
 DocType: Purchase Invoice Item,Item Weight Details,Butiran Butiran Butiran
 DocType: Asset Maintenance Log,Periodicity,Jangka masa
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Tahun fiskal {0} diperlukan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Pembekal&gt; Kumpulan Pembekal
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Jarak minimum antara barisan tumbuhan untuk pertumbuhan optimum
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Pertahanan
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Senarai Holiday
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Akauntan
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Senarai Harga Jualan
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Senarai Harga Jualan
 DocType: Patient,Tobacco Current Use,Penggunaan Semasa Tembakau
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Kadar Jualan
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Kadar Jualan
 DocType: Cost Center,Stock User,Saham pengguna
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Maklumat perhubungan
 DocType: Company,Phone No,Telefon No
 DocType: Delivery Trip,Initial Email Notification Sent,Pemberitahuan E-mel Awal Dihantar
 DocType: Bank Statement Settings,Statement Header Mapping,Pemetaan Tajuk Pernyataan
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Tarikh Mula Langganan
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Akaun boleh terima lalai untuk digunakan jika tidak ditetapkan dalam Pesakit untuk menempah caj Pelantikan.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Lampirkan fail csv dengan dua lajur, satu untuk nama lama dan satu untuk nama baru"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Dari Alamat 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kod Item&gt; Kumpulan Item&gt; Jenama
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Dari Alamat 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} tidak dalam apa-apa aktif Tahun Anggaran.
 DocType: Packed Item,Parent Detail docname,Detail Ibu Bapa docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Rujukan: {0}, Kod Item: {1} dan Pelanggan: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} tidak terdapat di syarikat induk
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} tidak terdapat di syarikat induk
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Tarikh Akhir Tempoh Percubaan Tidak boleh sebelum Tarikh Mula Tempoh Percubaan
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Kategori Pemotongan Cukai
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Pengiklanan
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Syarikat yang sama memasuki lebih daripada sekali
 DocType: Patient,Married,Berkahwin
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Tidak dibenarkan untuk {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Tidak dibenarkan untuk {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Mendapatkan barangan dari
 DocType: Price List,Price Not UOM Dependant,Harga tidak bergantung kepada UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Memohon Jumlah Pegangan Cukai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Saham tidak boleh dikemaskini terhadap Penghantaran Nota {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Jumlah Jumlah Dikreditkan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Saham tidak boleh dikemaskini terhadap Penghantaran Nota {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Jumlah Jumlah Dikreditkan
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produk {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Tiada perkara yang disenaraikan
 DocType: Asset Repair,Error Description,Ralat Penerangan
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Gunakan Format Aliran Tunai Kastam
 DocType: SMS Center,All Sales Person,Semua Orang Jualan
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Pengagihan Bulanan ** membantu anda mengedarkan Bajet / sasaran seluruh bulan jika anda mempunyai bermusim dalam perniagaan anda.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Bukan perkakas yang terdapat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Struktur Gaji Hilang
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Bukan perkakas yang terdapat
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Struktur Gaji Hilang
 DocType: Lead,Person Name,Nama Orang
 DocType: Sales Invoice Item,Sales Invoice Item,Perkara Invois Jualan
 DocType: Account,Credit,Kredit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Laporan saham
 DocType: Warehouse,Warehouse Detail,Detail Gudang
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Tarikh Akhir Term tidak boleh lewat daripada Tarikh Akhir Tahun Akademik Tahun yang istilah ini dikaitkan (Akademik Tahun {}). Sila betulkan tarikh dan cuba lagi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Adakah Aset Tetap&quot; tidak boleh dibiarkan, kerana rekod aset wujud terhadap item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Adakah Aset Tetap&quot; tidak boleh dibiarkan, kerana rekod aset wujud terhadap item"
 DocType: Delivery Trip,Departure Time,Masa berlepas
 DocType: Vehicle Service,Brake Oil,Brek Minyak
 DocType: Tax Rule,Tax Type,Jenis Cukai
 ,Completed Work Orders,Perintah Kerja yang telah selesai
 DocType: Support Settings,Forum Posts,Forum Posts
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Amaun yang dikenakan cukai
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Amaun yang dikenakan cukai
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Anda tidak dibenarkan untuk menambah atau update entri sebelum {0}
 DocType: Leave Policy,Leave Policy Details,Tinggalkan Butiran Dasar
 DocType: BOM,Item Image (if not slideshow),Perkara imej (jika tidak menayang)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Kadar sejam / 60) * Masa Operasi Sebenar
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Baris # {0}: Jenis Dokumen Rujukan mestilah salah satu Tuntutan Perbelanjaan atau Kemasukan Jurnal
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Pilih BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Baris # {0}: Jenis Dokumen Rujukan mestilah salah satu Tuntutan Perbelanjaan atau Kemasukan Jurnal
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Pilih BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kos Item Dihantar
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Cuti pada {0} bukan antara Dari Tarikh dan To Date
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Templat kedudukan pembekal.
 DocType: Lead,Interested,Berminat
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Pembukaan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Dari {0} kepada {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Dari {0} kepada {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Gagal menyediakan cukai
 DocType: Item,Copy From Item Group,Salinan Dari Perkara Kumpulan
-DocType: Delivery Trip,Delivery Notification,Pemberitahuan Penghantaran
 DocType: Journal Entry,Opening Entry,Entry pembukaan
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Akaun Pay Hanya
 DocType: Loan,Repay Over Number of Periods,Membayar balik Over Bilangan Tempoh
 DocType: Stock Entry,Additional Costs,Kos Tambahan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan.
 DocType: Lead,Product Enquiry,Pertanyaan Produk
 DocType: Education Settings,Validate Batch for Students in Student Group,Mengesahkan Batch untuk Pelajar dalam Kumpulan Pelajar
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Tiada rekod cuti dijumpai untuk pekerja {0} untuk {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Sila masukkan syarikat pertama
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Sila pilih Syarikat pertama
 DocType: Employee Education,Under Graduate,Di bawah Siswazah
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Sila tetapkan templat lalai untuk Pemberitahuan Status Pemberitahuan dalam Tetapan HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Sila tetapkan templat lalai untuk Pemberitahuan Status Pemberitahuan dalam Tetapan HR.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Sasaran Pada
 DocType: BOM,Total Cost,Jumlah Kos
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Penyata Akaun
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Pharmaceuticals
 DocType: Purchase Invoice Item,Is Fixed Asset,Adakah Aset Tetap
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","qty yang tersedia {0}, anda perlu {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","qty yang tersedia {0}, anda perlu {1}"
 DocType: Expense Claim Detail,Claim Amount,Tuntutan Amaun
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Perintah Kerja telah {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Templat Pemeriksaan Kualiti
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Adakah anda mahu untuk mengemaskini kehadiran? <br> Turut hadir: {0} \ <br> Tidak hadir: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty Diterima + Ditolak mestilah sama dengan kuantiti yang Diterima untuk Perkara {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty Diterima + Ditolak mestilah sama dengan kuantiti yang Diterima untuk Perkara {0}
 DocType: Item,Supply Raw Materials for Purchase,Bahan mentah untuk bekalan Pembelian
 DocType: Agriculture Analysis Criteria,Fertilizer,Baja
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Tidak dapat memastikan penghantaran oleh Siri Tidak seperti \ item {0} ditambah dengan dan tanpa Memastikan Penghantaran oleh \ No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Sekurang-kurangnya satu cara pembayaran adalah diperlukan untuk POS invois.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Sekurang-kurangnya satu cara pembayaran adalah diperlukan untuk POS invois.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Item Invois Transaksi Penyata Bank
 DocType: Products Settings,Show Products as a List,Show Produk sebagai Senarai yang
 DocType: Salary Detail,Tax on flexible benefit,Cukai ke atas faedah yang fleksibel
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Detail Permintaan Bahan
 DocType: Selling Settings,Default Quotation Validity Days,Hari Kesahan Sebutharga Lalai
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk memasukkan cukai berturut-turut {0} dalam kadar Perkara, cukai dalam baris {1} hendaklah juga disediakan"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk memasukkan cukai berturut-turut {0} dalam kadar Perkara, cukai dalam baris {1} hendaklah juga disediakan"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Mengesahkan Kehadiran
 DocType: Sales Invoice,Change Amount,Tukar Jumlah
 DocType: Party Tax Withholding Config,Certificate Received,Sijil diterima
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Tetapkan Nilai Invois untuk B2C. B2CL dan B2CS dikira berdasarkan nilai invois ini.
 DocType: BOM Update Tool,New BOM,New BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Prosedur yang Ditetapkan
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Prosedur yang Ditetapkan
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Tunjukkan sahaja POS
 DocType: Supplier Group,Supplier Group Name,Nama Kumpulan Pembekal
 DocType: Driver,Driving License Categories,Kategori Lesen Memandu
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Tempoh gaji
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,membuat pekerja
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Penyiaran
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Mod persediaan POS (Dalam Talian / Luar Talian)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Mod persediaan POS (Dalam Talian / Luar Talian)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Menyahdayakan penciptaan log masa terhadap Perintah Kerja. Operasi tidak boleh dikesan terhadap Perintah Kerja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Pelaksanaan
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Butiran operasi dijalankan.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Diskaun Senarai Harga Kadar (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Templat Perkara
 DocType: Job Offer,Select Terms and Conditions,Pilih Terma dan Syarat
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Nilai keluar
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Nilai keluar
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Item Tetapan Pernyataan Bank
 DocType: Woocommerce Settings,Woocommerce Settings,Tetapan Woocommerce
 DocType: Production Plan,Sales Orders,Jualan Pesanan
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Permintaan untuk sebutharga boleh diakses dengan klik pada pautan berikut
 DocType: SG Creation Tool Course,SG Creation Tool Course,Kursus Alat SG Creation
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Penerangan Bayaran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Saham yang tidak mencukupi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Saham yang tidak mencukupi
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Perancangan Kapasiti melumpuhkan dan Penjejakan Masa
 DocType: Email Digest,New Sales Orders,New Jualan Pesanan
 DocType: Bank Account,Bank Account,Akaun Bank
 DocType: Travel Itinerary,Check-out Date,Tarikh Keluar
 DocType: Leave Type,Allow Negative Balance,Benarkan Baki negatif
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Anda tidak boleh memadam Jenis Projek &#39;Luar&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Pilih Item Ganti
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Pilih Item Ganti
 DocType: Employee,Create User,Buat Pengguna
 DocType: Selling Settings,Default Territory,Wilayah Default
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televisyen
 DocType: Work Order Operation,Updated via 'Time Log',Dikemaskini melalui &#39;Time Log&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Pilih pelanggan atau pembekal.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},jumlah pendahuluan tidak boleh lebih besar daripada {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},jumlah pendahuluan tidak boleh lebih besar daripada {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slot masa melompat, slot {0} hingga {1} bertindih slot eksisit {2} ke {3}"
 DocType: Naming Series,Series List for this Transaction,Senarai Siri bagi Urusniaga ini
 DocType: Company,Enable Perpetual Inventory,Membolehkan Inventori kekal
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Terhadap Jualan Invois Perkara
 DocType: Agriculture Analysis Criteria,Linked Doctype,Doctype Linked
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Tunai bersih daripada Pembiayaan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyelamatkan"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyelamatkan"
 DocType: Lead,Address & Contact,Alamat
 DocType: Leave Allocation,Add unused leaves from previous allocations,Tambahkan daun yang tidak digunakan dari peruntukan sebelum
 DocType: Sales Partner,Partner website,laman web rakan kongsi
@@ -447,10 +447,10 @@
 ,Open Work Orders,Perintah Kerja Terbuka
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Perkara Caj Konsultasi Pesakit
 DocType: Payment Term,Credit Months,Bulan Kredit
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Pay bersih tidak boleh kurang daripada 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Pay bersih tidak boleh kurang daripada 0
 DocType: Contract,Fulfilled,Diisi
 DocType: Inpatient Record,Discharge Scheduled,Pelepasan Dijadualkan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Tarikh melegakan mesti lebih besar daripada Tarikh Menyertai
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Tarikh melegakan mesti lebih besar daripada Tarikh Menyertai
 DocType: POS Closing Voucher,Cashier,Juruwang
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Meninggalkan setiap Tahun
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Sila semak &#39;Adakah Advance&#39; terhadap Akaun {1} jika ini adalah suatu catatan terlebih dahulu.
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Sila persediaan Pelajar di bawah Kumpulan Pelajar
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Lengkapkan Kerja
 DocType: Item Website Specification,Item Website Specification,Spesifikasi Item Laman Web
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Tinggalkan Disekat
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Perkara {0} telah mencapai penghujungnya kehidupan di {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Tinggalkan Disekat
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Perkara {0} telah mencapai penghujungnya kehidupan di {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank Penyertaan
 DocType: Customer,Is Internal Customer,Adakah Pelanggan Dalaman
 DocType: Crop,Annual,Tahunan
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Sekiranya Auto Opt In diperiksa, pelanggan akan dipaut secara automatik dengan Program Kesetiaan yang berkenaan (di save)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Saham Penyesuaian Perkara
 DocType: Stock Entry,Sales Invoice No,Jualan Invois No
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Jenis Bekalan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Jenis Bekalan
 DocType: Material Request Item,Min Order Qty,Min Order Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursus Kumpulan Pelajar Creation Tool
 DocType: Lead,Do Not Contact,Jangan Hubungi
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Menyiarkan dalam Hab
 DocType: Student Admission,Student Admission,Kemasukan pelajar
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Perkara {0} dibatalkan
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Perkara {0} dibatalkan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Susut Susut {0}: Tarikh Mula Susut Susut dimasukkan sebagai tarikh terakhir
 DocType: Contract Template,Fulfilment Terms and Conditions,Terma dan Syarat Pemenuhan
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Permintaan bahan
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Permintaan bahan
 DocType: Bank Reconciliation,Update Clearance Date,Update Clearance Tarikh
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Butiran Pembelian
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Perkara {0} tidak dijumpai dalam &#39;Bahan Mentah Dibekalkan&#39; meja dalam Pesanan Belian {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Perkara {0} tidak dijumpai dalam &#39;Bahan Mentah Dibekalkan&#39; meja dalam Pesanan Belian {1}
 DocType: Salary Slip,Total Principal Amount,Jumlah Jumlah Prinsipal
 DocType: Student Guardian,Relation,Perhubungan
 DocType: Student Guardian,Mother,ibu
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Penghantaran County
 DocType: Currency Exchange,For Selling,Untuk Jualan
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Belajar
+DocType: Purchase Invoice Item,Enable Deferred Expense,Mengaktifkan Perbelanjaan Tertunda
 DocType: Asset,Next Depreciation Date,Selepas Tarikh Susutnilai
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Kos aktiviti setiap Pekerja
 DocType: Accounts Settings,Settings for Accounts,Tetapan untuk Akaun
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Pembekal Invois No wujud dalam Invois Belian {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Pembekal Invois No wujud dalam Invois Belian {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Menguruskan Orang Jualan Tree.
 DocType: Job Applicant,Cover Letter,Cover Letter
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cek cemerlang dan Deposit untuk membersihkan
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Luar Sejarah Kerja
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Ralat Rujukan Pekeliling
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Kad Laporan Pelajar
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Daripada Kod Pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Daripada Kod Pin
 DocType: Appointment Type,Is Inpatient,Adalah Pesakit Dalam
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nama Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Dalam Perkataan (Eksport) akan dapat dilihat selepas anda menyimpan Nota Penghantaran.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Mata Multi
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Jenis invois
 DocType: Employee Benefit Claim,Expense Proof,Bukti Perbelanjaan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Penghantaran Nota
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Menyimpan {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Penghantaran Nota
 DocType: Patient Encounter,Encounter Impression,Impresi Encounter
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Menubuhkan Cukai
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Kos Aset Dijual
 DocType: Volunteer,Morning,Pagi
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Entry pembayaran telah diubah suai selepas anda ditarik. Sila tarik lagi.
 DocType: Program Enrollment Tool,New Student Batch,Batch Pelajar Baru
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} dimasukkan dua kali dalam Cukai Perkara
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Ringkasan untuk minggu ini dan aktiviti-aktiviti yang belum selesai
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} dimasukkan dua kali dalam Cukai Perkara
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Ringkasan untuk minggu ini dan aktiviti-aktiviti yang belum selesai
 DocType: Student Applicant,Admitted,diterima Masuk
 DocType: Workstation,Rent Cost,Kos sewa
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Jumlah Selepas Susutnilai
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Jumlah Selepas Susutnilai
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Akan Datang Kalendar Acara
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Atribut varian
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Sila pilih bulan dan tahun
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Hanya akan ada 1 Akaun setiap Syarikat dalam {0} {1}
 DocType: Support Search Source,Response Result Key Path,Laluan Kunci Hasil Tindak Balas
 DocType: Journal Entry,Inter Company Journal Entry,Kemasukan Jurnal Syarikat Antara
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Untuk kuantiti {0} tidak boleh parut daripada kuantiti pesanan kerja {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Sila lihat lampiran
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Untuk kuantiti {0} tidak boleh parut daripada kuantiti pesanan kerja {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Sila lihat lampiran
 DocType: Purchase Order,% Received,% Diterima
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Cipta Kumpulan Pelajar
 DocType: Volunteer,Weekends,Hujung minggu
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Jumlah yang belum dijelaskan
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Menukar nombor yang bermula / semasa urutan siri yang sedia ada.
 DocType: Dosage Strength,Strength,Kekuatan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Buat Pelanggan baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Buat Pelanggan baru
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Tamat Tempoh
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jika beberapa Peraturan Harga terus diguna pakai, pengguna diminta untuk menetapkan Keutamaan secara manual untuk menyelesaikan konflik."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Buat Pesanan Pembelian
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Kos guna habis
 DocType: Purchase Receipt,Vehicle Date,Kenderaan Tarikh
 DocType: Student Log,Medical,Perubatan
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Sebab bagi kehilangan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Sila pilih Dadah
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Sebab bagi kehilangan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Sila pilih Dadah
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Lead Pemilik tidak boleh menjadi sama seperti Lead
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Jumlah yang diperuntukkan tidak boleh lebih besar daripada jumlah tidak dilaras
 DocType: Announcement,Receiver,penerima
 DocType: Location,Area UOM,Kawasan UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation ditutup pada tarikh-tarikh berikut seperti Senarai Holiday: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Peluang
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Peluang
 DocType: Lab Test Template,Single,Single
 DocType: Compensatory Leave Request,Work From Date,Kerja dari tarikh
 DocType: Salary Slip,Total Loan Repayment,Jumlah Bayaran Balik Pinjaman
+DocType: Project User,View attachments,Lihat lampiran
 DocType: Account,Cost of Goods Sold,Kos Barang Dijual
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Sila masukkan PTJ
 DocType: Drug Prescription,Dosage,Dos
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Kuantiti dan Kadar
 DocType: Delivery Note,% Installed,% Dipasang
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Bilik darjah / Laboratories dan lain-lain di mana kuliah boleh dijadualkan.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Mata wang syarikat kedua-dua syarikat perlu sepadan dengan Transaksi Syarikat Antara.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Mata wang syarikat kedua-dua syarikat perlu sepadan dengan Transaksi Syarikat Antara.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Sila masukkan nama syarikat pertama
 DocType: Travel Itinerary,Non-Vegetarian,Bukan vegetarian
 DocType: Purchase Invoice,Supplier Name,Nama Pembekal
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Buat sementara waktu
 DocType: Account,Is Group,Adakah Kumpulan
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Nota Kredit {0} telah dibuat secara automatik
-DocType: Email Digest,Pending Purchase Orders,Sementara menunggu Pesanan Pembelian
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Set Siri Nos secara automatik berdasarkan FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Semak Pembekal Invois Nombor Keunikan
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Butiran Alamat Utama
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Menyesuaikan teks pengenalan yang berlaku sebagai sebahagian daripada e-mel itu. Setiap transaksi mempunyai teks pengenalan yang berasingan.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Baris {0}: Pengendalian diperlukan terhadap item bahan mentah {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Sila menetapkan akaun dibayar lalai bagi syarikat itu {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Urus niaga yang tidak dibenarkan terhadap berhenti Kerja Perintah {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Urus niaga yang tidak dibenarkan terhadap berhenti Kerja Perintah {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Tetapan global untuk semua proses pembuatan.
 DocType: Accounts Settings,Accounts Frozen Upto,Akaun-akaun Dibekukan Sehingga
 DocType: SMS Log,Sent On,Dihantar Pada
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Sifat {0} dipilih beberapa kali dalam Atribut Jadual
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Sifat {0} dipilih beberapa kali dalam Atribut Jadual
 DocType: HR Settings,Employee record is created using selected field. ,Rekod pekerja dicipta menggunakan bidang dipilih.
 DocType: Sales Order,Not Applicable,Tidak Berkenaan
 DocType: Amazon MWS Settings,UK,UK
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Pekerja {0} telah memohon untuk {1} pada {2}:
 DocType: Inpatient Record,AB Positive,AB Positif
 DocType: Job Opening,Description of a Job Opening,Keterangan yang Lowongan
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Sementara menunggu aktiviti untuk hari ini
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Sementara menunggu aktiviti untuk hari ini
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Komponen gaji untuk gaji berdasarkan timesheet.
+DocType: Driver,Applicable for external driver,Berkenaan pemandu luaran
 DocType: Sales Order Item,Used for Production Plan,Digunakan untuk Rancangan Pengeluaran
 DocType: Loan,Total Payment,Jumlah Bayaran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Tidak dapat membatalkan transaksi untuk Perintah Kerja yang Selesai.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Tidak dapat membatalkan transaksi untuk Perintah Kerja yang Selesai.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Masa Antara Operasi (dalam minit)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO telah dibuat untuk semua item pesanan jualan
 DocType: Healthcare Service Unit,Occupied,Diduduki
 DocType: Clinical Procedure,Consumables,Makanan yang boleh dimakan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} dibatalkan supaya tindakan itu tidak boleh diselesaikan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} dibatalkan supaya tindakan itu tidak boleh diselesaikan
 DocType: Customer,Buyer of Goods and Services.,Pembeli Barang dan Perkhidmatan.
 DocType: Journal Entry,Accounts Payable,Akaun-akaun Boleh diBayar
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Jumlah {0} yang ditetapkan dalam permintaan pembayaran ini adalah berbeza dari jumlah anggaran semua pelan pembayaran: {1}. Pastikan ini betul sebelum menghantar dokumen.
 DocType: Patient,Allergies,Alahan
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,The boms dipilih bukan untuk item yang sama
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,The boms dipilih bukan untuk item yang sama
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Tukar Kod Item
 DocType: Supplier Scorecard Standing,Notify Other,Beritahu Yang Lain
 DocType: Vital Signs,Blood Pressure (systolic),Tekanan Darah (sistolik)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Bahagian Cukup untuk Membina
 DocType: POS Profile User,POS Profile User,POS Profil Pengguna
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Baris {0}: Tarikh Permulaan Susutnilai diperlukan
-DocType: Sales Invoice Item,Service Start Date,Tarikh Mula Perkhidmatan
+DocType: Purchase Invoice Item,Service Start Date,Tarikh Mula Perkhidmatan
 DocType: Subscription Invoice,Subscription Invoice,Invois Langganan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Pendapatan Langsung
 DocType: Patient Appointment,Date TIme,Masa tarikh
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Rutin Lab
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetik
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Sila pilih Tarikh Siap untuk Log Penyelenggaraan Aset Selesai
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut mestilah sama bagi kedua-dua perkara"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut mestilah sama bagi kedua-dua perkara"
 DocType: Supplier,Block Supplier,Pembekal Blok
 DocType: Shipping Rule,Net Weight,Berat Bersih
 DocType: Job Opening,Planned number of Positions,Bilangan Jawatan yang dirancang
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Templat Pemetaan Aliran Tunai
 DocType: Travel Request,Costing Details,Butiran Kos
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Tunjukkan Penyertaan Semula
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial tiada perkara tidak boleh menjadi sebahagian kecil
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial tiada perkara tidak boleh menjadi sebahagian kecil
 DocType: Journal Entry,Difference (Dr - Cr),Perbezaan (Dr - Cr)
 DocType: Bank Guarantee,Providing,Menyediakan
 DocType: Account,Profit and Loss,Untung dan Rugi
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Tidak dibenarkan, konfigurasi Templat Ujian Lab seperti yang diperlukan"
 DocType: Patient,Risk Factors,Faktor-faktor risiko
 DocType: Patient,Occupational Hazards and Environmental Factors,Bencana dan Faktor Alam Sekitar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Penyertaan Saham telah dibuat untuk Perintah Kerja
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Penyertaan Saham telah dibuat untuk Perintah Kerja
 DocType: Vital Signs,Respiratory rate,Kadar pernafasan
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Urusan subkontrak
 DocType: Vital Signs,Body Temperature,Suhu Badan
 DocType: Project,Project will be accessible on the website to these users,Projek akan boleh diakses di laman web untuk pengguna ini
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Tidak dapat membatalkan {0} {1} kerana Serial No {2} tidak tergolong dalam gudang {3}
 DocType: Detected Disease,Disease,Penyakit
+DocType: Company,Default Deferred Expense Account,Akaun Perbelanjaan Tertunda lalai
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Tentukan jenis Projek.
 DocType: Supplier Scorecard,Weighting Function,Fungsi Berat
 DocType: Healthcare Practitioner,OP Consulting Charge,Caj Perundingan OP
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,Item yang dihasilkan
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Urus Transaksi ke Invois
 DocType: Sales Order Item,Gross Profit,Keuntungan kasar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Buka Invois
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Buka Invois
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Kenaikan tidak boleh 0
 DocType: Company,Delete Company Transactions,Padam Transaksi Syarikat
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Rujukan dan Tarikh Rujukan adalah wajib untuk transaksi Bank
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Abaikan
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} tidak aktif
 DocType: Woocommerce Settings,Freight and Forwarding Account,Akaun Pengangkut dan Pengiriman
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,dimensi Persediaan cek percetakan
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,dimensi Persediaan cek percetakan
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Buat Slip Gaji
 DocType: Vital Signs,Bloated,Kembung
 DocType: Salary Slip,Salary Slip Timesheet,Slip Gaji Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Pembekal Gudang mandatori bagi sub-kontrak Pembelian Resit
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Pembekal Gudang mandatori bagi sub-kontrak Pembelian Resit
 DocType: Item Price,Valid From,Sah Dari
 DocType: Sales Invoice,Total Commission,Jumlah Suruhanjaya
 DocType: Tax Withholding Account,Tax Withholding Account,Akaun Pegangan Cukai
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Semua kad skor Pembekal.
 DocType: Buying Settings,Purchase Receipt Required,Resit pembelian Diperlukan
 DocType: Delivery Note,Rail,Kereta api
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Gudang sasaran dalam baris {0} mestilah sama dengan Perintah Kerja
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Kadar Penilaian adalah wajib jika Stok Awal memasuki
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Gudang sasaran dalam baris {0} mestilah sama dengan Perintah Kerja
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Kadar Penilaian adalah wajib jika Stok Awal memasuki
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Tiada rekod yang terdapat dalam jadual Invois yang
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Sila pilih Syarikat dan Parti Jenis pertama
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Sediakan lalai dalam profil pos {0} untuk pengguna {1}, lalai dilumpuhkan secara lalai"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Tahun kewangan / perakaunan.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Tahun kewangan / perakaunan.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nilai terkumpul
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Maaf, Serial No tidak boleh digabungkan"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kumpulan Pelanggan akan ditetapkan kepada kumpulan terpilih semasa menyegerakkan pelanggan dari Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,Lead Id
 DocType: C-Form Invoice Detail,Grand Total,Jumlah Besar
 DocType: Assessment Plan,Course,kursus
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kod Seksyen
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kod Seksyen
 DocType: Timesheet,Payslip,Slip gaji
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Tarikh setengah hari sepatutnya berada di antara dari tarikh dan setakat ini
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,barang Troli
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Bio Peribadi
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID Keahlian
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Dihantar: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Dihantar: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Disambungkan ke QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Akaun Belum Bayar
 DocType: Payment Entry,Type of Payment,Jenis Pembayaran
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Tarikh Hari Setempat adalah wajib
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Tarikh Bil Penghantaran
 DocType: Production Plan,Production Plan,Pelan Pengeluaran
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Pembukaan Alat Penciptaan Invois
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Jualan Pulangan
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Jualan Pulangan
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Jumlah daun diperuntukkan {0} hendaklah tidak kurang daripada daun yang telah pun diluluskan {1} untuk tempoh yang
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Tetapkan Qty dalam Transaksi berdasarkan Serial No Input
 ,Total Stock Summary,Ringkasan Jumlah Saham
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,Pelanggan atau Perkara
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Pangkalan data pelanggan.
 DocType: Quotation,Quotation To,Sebutharga Untuk
-DocType: Lead,Middle Income,Pendapatan Tengah
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Pendapatan Tengah
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Pembukaan (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unit keingkaran Langkah untuk Perkara {0} tidak boleh diubah langsung kerana anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru untuk menggunakan UOM Lalai yang berbeza.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unit keingkaran Langkah untuk Perkara {0} tidak boleh diubah langsung kerana anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru untuk menggunakan UOM Lalai yang berbeza.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Jumlah yang diperuntukkan tidak boleh negatif
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Sila tetapkan Syarikat
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Sila tetapkan Syarikat
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Pilih Akaun Pembayaran untuk membuat Bank Kemasukan
 DocType: Hotel Settings,Default Invoice Naming Series,Siri Penamaan Invois lalai
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Mencipta rekod pekerja untuk menguruskan daun, tuntutan perbelanjaan dan gaji"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Ralat berlaku semasa proses kemas kini
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Ralat berlaku semasa proses kemas kini
 DocType: Restaurant Reservation,Restaurant Reservation,Tempahan Restoran
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Penulisan Cadangan
 DocType: Payment Entry Deduction,Payment Entry Deduction,Pembayaran Potongan Kemasukan
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Mengakhiri
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Beritahu Pelanggan melalui E-mel
 DocType: Item,Batch Number Series,Siri Nombor Kumpulan
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Satu lagi Orang Jualan {0} wujud dengan id Pekerja yang sama
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Satu lagi Orang Jualan {0} wujud dengan id Pekerja yang sama
 DocType: Employee Advance,Claimed Amount,Jumlah yang dituntut
+DocType: QuickBooks Migrator,Authorization Settings,Tetapan Kebenaran
 DocType: Travel Itinerary,Departure Datetime,Tarikh Berlepas
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Kos Permintaan Perjalanan
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,Pembekal Menamakan Dengan
 DocType: Activity Type,Default Costing Rate,Kadar Kos lalai
 DocType: Maintenance Schedule,Maintenance Schedule,Jadual Penyelenggaraan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Peraturan Kemudian Harga ditapis keluar berdasarkan Pelanggan, Kumpulan Pelanggan, Wilayah, Pembekal, Jenis Pembekal, Kempen, Rakan Jualan dan lain-lain"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Peraturan Kemudian Harga ditapis keluar berdasarkan Pelanggan, Kumpulan Pelanggan, Wilayah, Pembekal, Jenis Pembekal, Kempen, Rakan Jualan dan lain-lain"
 DocType: Employee Promotion,Employee Promotion Details,Butiran Promosi Pekerja
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Perubahan Bersih dalam Inventori
 DocType: Employee,Passport Number,Nombor Pasport
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Berhubung dengan Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Pengurus
 DocType: Payment Entry,Payment From / To,Pembayaran Dari / Ke
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Dari Tahun Fiskal
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},had kredit baru adalah kurang daripada amaun tertunggak semasa untuk pelanggan. had kredit perlu atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Sila tentukan akaun dalam Gudang {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Sila tentukan akaun dalam Gudang {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Berdasarkan Kepada' dan 'Kumpul Mengikut' tidak boleh sama
 DocType: Sales Person,Sales Person Targets,Sasaran Orang Jualan
 DocType: Work Order Operation,In minutes,Dalam beberapa minit
 DocType: Issue,Resolution Date,Resolusi Tarikh
 DocType: Lab Test Template,Compound,Kompaun
+DocType: Opportunity,Probability (%),Kebarangkalian (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Pemberitahuan Penghantaran
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Pilih Harta
 DocType: Student Batch Name,Batch Name,Batch Nama
 DocType: Fee Validity,Max number of visit,Bilangan lawatan maksimum
 ,Hotel Room Occupancy,Penghunian Bilik Hotel
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet dicipta:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Sila tetapkan lalai Tunai atau akaun Bank dalam Mod Bayaran {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Sila tetapkan lalai Tunai atau akaun Bank dalam Mod Bayaran {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,mendaftar
 DocType: GST Settings,GST Settings,Tetapan GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Mata wang sepatutnya sama dengan Senarai Harga Mata Wang: {0}
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,Jumlah Faedah yang Perlu Dibayar
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Cukai Tanah Kos dan Caj
 DocType: Work Order Operation,Actual Start Time,Masa Mula Sebenar
+DocType: Purchase Invoice Item,Deferred Expense Account,Akaun Perbelanjaan Tertangguh
 DocType: BOM Operation,Operation Time,Masa Operasi
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Selesai
 DocType: Salary Structure Assignment,Base,base
 DocType: Timesheet,Total Billed Hours,Jumlah Jam Diiktiraf
 DocType: Travel Itinerary,Travel To,Mengembara ke
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,tidak
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Tulis Off Jumlah
 DocType: Leave Block List Allow,Allow User,Benarkan pengguna
 DocType: Journal Entry,Bill No,Rang Undang-Undang No
@@ -1089,9 +1099,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Lembaran masa
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Bahan Mentah Based On
 DocType: Sales Invoice,Port Code,Kod Pelabuhan
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Warehouse Reserve
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Warehouse Reserve
 DocType: Lead,Lead is an Organization,Lead adalah Organisasi
-DocType: Guardian Interest,Interest,Faedah
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Jualan pra
 DocType: Instructor Log,Other Details,Butiran lain
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1101,7 +1110,7 @@
 DocType: Account,Accounts,Akaun-akaun
 DocType: Vehicle,Odometer Value (Last),Nilai Odometer (Akhir)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Templat kriteria kad skor pembekal.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Pemasaran
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Pemasaran
 DocType: Sales Invoice,Redeem Loyalty Points,Tebus Mata Kesetiaan
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Kemasukan bayaran telah membuat
 DocType: Request for Quotation,Get Suppliers,Dapatkan Pembekal
@@ -1118,16 +1127,14 @@
 DocType: Crop,Crop Spacing UOM,Spek Tanaman UOM
 DocType: Loyalty Program,Single Tier Program,Program Tahap Tunggal
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Hanya pilih jika anda mempunyai dokumen persediaan Aliran Tunai
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Dari Alamat 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Dari Alamat 1
 DocType: Email Digest,Next email will be sent on:,E-mel seterusnya akan dihantar pada:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Mengikuti item {item} {verb} ditandakan sebagai {message} item. \ Anda boleh membolehkannya sebagai item {message} dari tuan Item
 DocType: Supplier Scorecard,Per Week,Seminggu
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Perkara mempunyai varian.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Perkara mempunyai varian.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Jumlah Pelajar
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Perkara {0} tidak dijumpai
 DocType: Bin,Stock Value,Nilai saham
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Syarikat {0} tidak wujud
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Syarikat {0} tidak wujud
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} mempunyai kesahan bayaran sehingga {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Jenis
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Kuantiti Digunakan Seunit
@@ -1143,7 +1150,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Entry Kad Kredit
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Syarikat dan Akaun
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,dalam Nilai
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,dalam Nilai
 DocType: Asset Settings,Depreciation Options,Pilihan Susut nilai
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Sama ada lokasi atau pekerja mestilah diperlukan
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Masa Penghantaran tidak sah
@@ -1160,20 +1167,21 @@
 DocType: Leave Allocation,Allocation,Peruntukan
 DocType: Purchase Order,Supply Raw Materials,Bekalan Bahan Mentah
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Aset Semasa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} bukan perkara stok
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} bukan perkara stok
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Sila maklumkan maklum balas anda ke latihan dengan mengklik &#39;Maklum Balas Latihan&#39; dan kemudian &#39;Baru&#39;
 DocType: Mode of Payment Account,Default Account,Akaun Default
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Sila pilih Gudang Retensi Contoh dalam Tetapan Stok dahulu
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Sila pilih Gudang Retensi Contoh dalam Tetapan Stok dahulu
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Sila pilih jenis Program Pelbagai Tier untuk lebih daripada satu peraturan pengumpulan.
 DocType: Payment Entry,Received Amount (Company Currency),Pendapatan daripada (Syarikat Mata Wang)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Lead mesti ditetapkan jika Peluang diperbuat daripada Lead
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Pembayaran Dibatalkan. Sila semak Akaun GoCardless anda untuk maklumat lanjut
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Hantar dengan Lampiran
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Sila pilih hari cuti mingguan
 DocType: Inpatient Record,O Negative,O Negatif
 DocType: Work Order Operation,Planned End Time,Dirancang Akhir Masa
 ,Sales Person Target Variance Item Group-Wise,Orang Jualan Sasaran Varian Perkara Kumpulan Bijaksana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar ke lejar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar ke lejar
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Butiran Jenis Pemebership
 DocType: Delivery Note,Customer's Purchase Order No,Pelanggan Pesanan Pembelian No
 DocType: Clinical Procedure,Consume Stock,Ambil Saham
@@ -1186,26 +1194,26 @@
 DocType: Soil Texture,Sand,Pasir
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Tenaga
 DocType: Opportunity,Opportunity From,Peluang Daripada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Baris {0}: {1} Nombor Siri diperlukan untuk Item {2}. Anda telah menyediakan {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Baris {0}: {1} Nombor Siri diperlukan untuk Item {2}. Anda telah menyediakan {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Sila pilih jadual
 DocType: BOM,Website Specifications,Laman Web Spesifikasi
 DocType: Special Test Items,Particulars,Butiran
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Dari {0} dari jenis {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor penukaran adalah wajib
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor penukaran adalah wajib
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Peraturan Harga pelbagai wujud dengan kriteria yang sama, sila menyelesaikan konflik dengan memberikan keutamaan. Peraturan Harga: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Peraturan Harga pelbagai wujud dengan kriteria yang sama, sila menyelesaikan konflik dengan memberikan keutamaan. Peraturan Harga: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Akaun Penilaian Semula Kadar Pertukaran
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak boleh menyahaktifkan atau membatalkan BOM kerana ia dikaitkan dengan BOMs lain
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak boleh menyahaktifkan atau membatalkan BOM kerana ia dikaitkan dengan BOMs lain
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Sila pilih Syarikat dan Tarikh Penghantaran untuk mendapatkan entri
 DocType: Asset,Maintenance,Penyelenggaraan
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Dapatkan dari Pesakit Pesakit
 DocType: Subscriber,Subscriber,Pelanggan
 DocType: Item Attribute Value,Item Attribute Value,Perkara Atribut Nilai
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Sila Kemaskini Status Projek anda
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Sila Kemaskini Status Projek anda
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Pertukaran Mata Wang mesti terpakai untuk Beli atau Jual.
 DocType: Item,Maximum sample quantity that can be retained,Kuantiti maksimum sampel yang dapat dikekalkan
 DocType: Project Update,How is the Project Progressing Right Now?,Bagaimanakah Projek Progressing Right Now?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Baris {0} # Item {1} tidak boleh dipindahkan lebih daripada {2} terhadap Pesanan Pembelian {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Baris {0} # Item {1} tidak boleh dipindahkan lebih daripada {2} terhadap Pesanan Pembelian {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kempen jualan.
 DocType: Project Task,Make Timesheet,membuat Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1234,36 +1242,38 @@
 DocType: Lab Test,Lab Test,Ujian Makmal
 DocType: Student Report Generation Tool,Student Report Generation Tool,Alat Generasi Laporan Pelajar
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Jadual Penjagaan Kesihatan Slot Masa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Nama Doc
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Nama Doc
 DocType: Expense Claim Detail,Expense Claim Type,Perbelanjaan Jenis Tuntutan
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Tetapan lalai untuk Troli Beli Belah
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Tambah Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset dimansuhkan melalui Journal Kemasukan {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Sila tetapkan Akaun dalam Gudang {0} atau Akaun Inventori Lalai di Syarikat {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset dimansuhkan melalui Journal Kemasukan {0}
 DocType: Loan,Interest Income Account,Akaun Pendapatan Faedah
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Faedah maksima harus lebih besar daripada sifar untuk memberi manfaat
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Faedah maksima harus lebih besar daripada sifar untuk memberi manfaat
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Semak Jemputan Dihantar
 DocType: Shift Assignment,Shift Assignment,Tugasan Shift
 DocType: Employee Transfer Property,Employee Transfer Property,Harta Pemindahan Pekerja
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Dari Masa Harus Kurang Daripada Masa
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Bioteknologi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Item {0} (No Serial: {1}) tidak boleh dimakan seperti yang dapat diuruskan untuk memenuhi pesanan jualan {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Perbelanjaan Penyelenggaraan
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Pergi ke
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Kemas kini Harga dari Shopify ke ERPNext List Price
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Menyediakan Akaun E-mel
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Sila masukkan Perkara pertama
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analisis Kebutuhan
 DocType: Asset Repair,Downtime,Waktu turun
 DocType: Account,Liability,Liabiliti
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Amaun yang dibenarkan tidak boleh lebih besar daripada Tuntutan Jumlah dalam Row {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Amaun yang dibenarkan tidak boleh lebih besar daripada Tuntutan Jumlah dalam Row {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Tempoh Akademik:
 DocType: Salary Component,Do not include in total,Tidak termasuk dalam jumlah
 DocType: Company,Default Cost of Goods Sold Account,Kos Default Akaun Barangan Dijual
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Kuantiti sampel {0} tidak boleh melebihi kuantiti yang diterima {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Senarai Harga tidak dipilih
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Kuantiti sampel {0} tidak boleh melebihi kuantiti yang diterima {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Senarai Harga tidak dipilih
 DocType: Employee,Family Background,Latar Belakang Keluarga
 DocType: Request for Quotation Supplier,Send Email,Hantar E-mel
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Amaran: Lampiran sah {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Amaran: Lampiran sah {0}
 DocType: Item,Max Sample Quantity,Kuantiti Sampel Maksima
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Tiada Kebenaran
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Senarai Semak Pengalaman Kontrak
@@ -1295,15 +1305,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: PTJ {2} bukan milik Syarikat {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Muat naik kepala surat anda (Pastikan web mesra sebagai 900px dengan 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akaun {2} tidak boleh menjadi Kumpulan
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Perkara Row {IDX}: {DOCTYPE} {} DOCNAME tidak wujud dalam di atas &#39;{DOCTYPE}&#39; meja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} sudah selesai atau dibatalkan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} sudah selesai atau dibatalkan
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Tiada tugasan
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Invois Jualan {0} dicipta sebagai berbayar
 DocType: Item Variant Settings,Copy Fields to Variant,Salin Medan ke Varians
 DocType: Asset,Opening Accumulated Depreciation,Membuka Susut Nilai Terkumpul
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Skor mesti kurang daripada atau sama dengan 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Pendaftaran Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Borang rekod
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Borang rekod
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Saham sudah ada
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Pelanggan dan Pembekal
 DocType: Email Digest,Email Digest Settings,E-mel Tetapan Digest
@@ -1316,12 +1326,12 @@
 DocType: Production Plan,Select Items,Pilih Item
 DocType: Share Transfer,To Shareholder,Kepada Pemegang Saham
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} terhadap Bil {1} bertarikh {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Dari Negeri
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Dari Negeri
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Persediaan Institusi
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Mengandalkan daun ...
 DocType: Program Enrollment,Vehicle/Bus Number,Kenderaan / Nombor Bas
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Jadual kursus
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Anda perlu Percukaian Cukai untuk Bukti Pengecualian Cukai Tidak Dikehendaki dan Manfaat Kakitangan yang Tidak Dituntut \ dalam Slip Gaji terakhir Tempoh Gaji
 DocType: Request for Quotation Supplier,Quote Status,Status Petikan
 DocType: GoCardless Settings,Webhooks Secret,Rahsia Webhooks
@@ -1347,13 +1357,13 @@
 DocType: Sales Invoice,Payment Due Date,Tarikh Pembayaran
 DocType: Drug Prescription,Interval UOM,Selang UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Pilih semula, jika alamat yang dipilih disunting selepas menyimpan"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Perkara Variant {0} telah wujud dengan sifat-sifat yang sama
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Perkara Variant {0} telah wujud dengan sifat-sifat yang sama
 DocType: Item,Hub Publishing Details,Butiran Penerbitan Hab
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Pembukaan&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Pembukaan&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Terbuka To Do
 DocType: Issue,Via Customer Portal,Melalui Portal Pelanggan
 DocType: Notification Control,Delivery Note Message,Penghantaran Nota Mesej
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Jumlah SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Jumlah SGST
 DocType: Lab Test Template,Result Format,Format Keputusan
 DocType: Expense Claim,Expenses,Perbelanjaan
 DocType: Item Variant Attribute,Item Variant Attribute,Perkara Variant Sifat
@@ -1361,14 +1371,12 @@
 DocType: Payroll Entry,Bimonthly,dua bulan sekali
 DocType: Vehicle Service,Brake Pad,Alas brek
 DocType: Fertilizer,Fertilizer Contents,Kandungan Pupuk
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Penyelidikan &amp; Pembangunan
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Penyelidikan &amp; Pembangunan
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Jumlah untuk Rang Undang-undang
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Tarikh tarikh dan tarikh akhir bertindih dengan kad kerja <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Butiran Pendaftaran
 DocType: Timesheet,Total Billed Amount,Jumlah Diiktiraf
 DocType: Item Reorder,Re-Order Qty,Re-Order Qty
 DocType: Leave Block List Date,Leave Block List Date,Tinggalkan Sekat Senarai Tarikh
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Sila persiapkan Sistem Menamakan Pengajar dalam Pendidikan&gt; Tetapan Pendidikan
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Bahan mentah tidak boleh sama dengan Perkara utama
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Jumlah Caj Terpakai di Purchase meja Resit Item mesti sama dengan Jumlah Cukai dan Caj
 DocType: Sales Team,Incentives,Insentif
@@ -1382,7 +1390,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Tempat jualan
 DocType: Fee Schedule,Fee Creation Status,Status Penciptaan Fee
 DocType: Vehicle Log,Odometer Reading,Reading odometer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Baki akaun sudah dalam Kredit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'debit'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Baki akaun sudah dalam Kredit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'debit'"
 DocType: Account,Balance must be,Baki mestilah
 DocType: Notification Control,Expense Claim Rejected Message,Mesej perbelanjaan Tuntutan Ditolak
 ,Available Qty,Terdapat Qty
@@ -1394,7 +1402,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Sentiasa menyegerakkan produk anda dari Amazon MWS sebelum menyegerakkan butiran Pesanan
 DocType: Delivery Trip,Delivery Stops,Hentikan Penghantaran
 DocType: Salary Slip,Working Days,Hari Bekerja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Tidak dapat mengubah Tarikh Henti Perkhidmatan untuk item dalam baris {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Tidak dapat mengubah Tarikh Henti Perkhidmatan untuk item dalam baris {0}
 DocType: Serial No,Incoming Rate,Kadar masuk
 DocType: Packing Slip,Gross Weight,Berat kasar
 DocType: Leave Type,Encashment Threshold Days,Hari Penimbasan Ambang
@@ -1413,31 +1421,33 @@
 DocType: Restaurant Table,Minimum Seating,Tempat Duduk Minimum
 DocType: Item Attribute,Item Attribute Values,Nilai Perkara Sifat
 DocType: Examination Result,Examination Result,Keputusan peperiksaan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Resit Pembelian
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Resit Pembelian
 ,Received Items To Be Billed,Barangan yang diterima dikenakan caj
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Mata Wang Kadar pertukaran utama.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Mata Wang Kadar pertukaran utama.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Rujukan DOCTYPE mesti menjadi salah satu {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Penapis Jumlah Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat mencari Slot Masa di akhirat {0} hari untuk Operasi {1}
 DocType: Work Order,Plan material for sub-assemblies,Bahan rancangan untuk sub-pemasangan
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Jualan rakan-rakan dan Wilayah
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} mesti aktif
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} mesti aktif
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Tiada Item yang tersedia untuk dipindahkan
 DocType: Employee Boarding Activity,Activity Name,Nama Aktiviti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Tukar Tarikh Siaran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Kuantiti produk siap <b>{0}</b> dan Kuantiti <b>{1}</b> tidak boleh berbeza
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Tukar Tarikh Siaran
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Kuantiti produk siap <b>{0}</b> dan Kuantiti <b>{1}</b> tidak boleh berbeza
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Penutupan (pembukaan + jumlah)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kod Item&gt; Kumpulan Item&gt; Jenama
+DocType: Delivery Settings,Dispatch Notification Attachment,Lampiran Pemberitahuan Penghantaran
 DocType: Payroll Entry,Number Of Employees,Bilangan Pekerja
 DocType: Journal Entry,Depreciation Entry,Kemasukan susutnilai
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Sila pilih jenis dokumen pertama
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Sila pilih jenis dokumen pertama
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Bahan Lawatan {0} sebelum membatalkan Lawatan Penyelenggaraan ini
 DocType: Pricing Rule,Rate or Discount,Kadar atau Diskaun
 DocType: Vital Signs,One Sided,Satu sisi
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},No siri {0} bukan milik Perkara {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Diperlukan Qty
 DocType: Marketplace Settings,Custom Data,Data Tersuai
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serial tiada mandatori untuk item {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serial tiada mandatori untuk item {0}
 DocType: Bank Reconciliation,Total Amount,Jumlah
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Dari Tarikh dan Ke Tarikh terletak dalam Tahun Fiskal yang berbeza
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pesakit {0} tidak mempunyai pelanggan untuk membuat invois
@@ -1448,9 +1458,9 @@
 DocType: Soil Texture,Clay Composition (%),Komposisi tanah liat (%)
 DocType: Item Group,Item Group Defaults,Default Kumpulan Item
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Sila simpan sebelum memberikan tugasan.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Nilai Baki
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Nilai Baki
 DocType: Lab Test,Lab Technician,Juruteknik makmal
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Senarai Harga Jualan
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Senarai Harga Jualan
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Sekiranya disemak, pelanggan akan dibuat, dipetakan kepada Pesakit. Invois Pesakit akan dibuat terhadap Pelanggan ini. Anda juga boleh memilih Pelanggan sedia ada semasa membuat Pesakit."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Pelanggan tidak mendaftar dalam mana-mana Program Kesetiaan
@@ -1464,13 +1474,13 @@
 DocType: Support Search Source,Search Term Param Name,Cari Term Nama Param
 DocType: Item Barcode,Item Barcode,Item Barcode
 DocType: Woocommerce Settings,Endpoints,Titik akhir
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Perkara Kelainan {0} dikemaskini
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Perkara Kelainan {0} dikemaskini
 DocType: Quality Inspection Reading,Reading 6,Membaca 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak boleh {0} {1} {2} tanpa sebarang invois tertunggak negatif
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak boleh {0} {1} {2} tanpa sebarang invois tertunggak negatif
 DocType: Share Transfer,From Folio No,Daripada Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Membeli Advance Invois
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: kemasukan Kredit tidak boleh dikaitkan dengan {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Tentukan bajet untuk tahun kewangan.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Tentukan bajet untuk tahun kewangan.
 DocType: Shopify Tax Account,ERPNext Account,Akaun ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} disekat supaya transaksi ini tidak dapat diteruskan
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Tindakan jika Bajet Bulanan Terkumpul Melebihi MR
@@ -1486,19 +1496,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Invois Belian
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Benarkan pelbagai Penggunaan Bahan terhadap Perintah Kerja
 DocType: GL Entry,Voucher Detail No,Detail baucar Tiada
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,New Invois Jualan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,New Invois Jualan
 DocType: Stock Entry,Total Outgoing Value,Jumlah Nilai Keluar
 DocType: Healthcare Practitioner,Appointments,Pelantikan
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Tarikh dan Tarikh Tutup merasmikan perlu berada dalam sama Tahun Anggaran
 DocType: Lead,Request for Information,Permintaan Maklumat
 ,LeaderBoard,Leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Kadar Dengan Margin (Mata Wang Syarikat)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline Invois
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline Invois
 DocType: Payment Request,Paid,Dibayar
 DocType: Program Fee,Program Fee,Yuran program
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Gantikan BOM tertentu dalam semua BOM lain di mana ia digunakan. Ia akan menggantikan pautan lama BOM, kos kemas kini dan menaikkan semula jadual &quot;BOM Explosion Item&quot; seperti BOM baru. Ia juga mengemas kini harga terkini dalam semua BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Perintah Kerja berikut telah dibuat:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Perintah Kerja berikut telah dibuat:
 DocType: Salary Slip,Total in words,Jumlah dalam perkataan
 DocType: Inpatient Record,Discharged,Dibuang
 DocType: Material Request Item,Lead Time Date,Lead Tarikh Masa
@@ -1509,16 +1519,16 @@
 DocType: Support Settings,Get Started Sections,Memulakan Bahagian
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,Diiktiraf
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,adalah wajib. Mungkin rekod pertukaran mata wang tidak dicipta untuk
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Sila nyatakan Serial No untuk Perkara {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Jumlah Jumlah Sumbangan: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Sila nyatakan Serial No untuk Perkara {1}
 DocType: Payroll Entry,Salary Slips Submitted,Slip Gaji Dihantar
 DocType: Crop Cycle,Crop Cycle,Kitaran Tanaman
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk item &#39;Bundle Produk&#39;, Gudang, No Serial dan batch Tidak akan dipertimbangkan dari &#39;Packing List&#39; meja. Jika Gudang dan Batch No adalah sama untuk semua barangan pembungkusan untuk item apa-apa &#39;Bundle Produk&#39;, nilai-nilai boleh dimasukkan dalam jadual Perkara utama, nilai akan disalin ke &#39;Packing List&#39; meja."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk item &#39;Bundle Produk&#39;, Gudang, No Serial dan batch Tidak akan dipertimbangkan dari &#39;Packing List&#39; meja. Jika Gudang dan Batch No adalah sama untuk semua barangan pembungkusan untuk item apa-apa &#39;Bundle Produk&#39;, nilai-nilai boleh dimasukkan dalam jadual Perkara utama, nilai akan disalin ke &#39;Packing List&#39; meja."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Dari Tempat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay cannnot menjadi negatif
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Dari Tempat
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay cannnot menjadi negatif
 DocType: Student Admission,Publish on website,Menerbitkan di laman web
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Pembekal Invois Tarikh tidak boleh lebih besar daripada Pos Tarikh
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Pembekal Invois Tarikh tidak boleh lebih besar daripada Pos Tarikh
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Tarikh Pembatalan
 DocType: Purchase Invoice Item,Purchase Order Item,Pesanan Pembelian Item
@@ -1527,7 +1537,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Alat Kehadiran Pelajar
 DocType: Restaurant Menu,Price List (Auto created),Senarai harga (dicipta secara automatik)
 DocType: Cheque Print Template,Date Settings,tarikh Tetapan
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varian
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varian
 DocType: Employee Promotion,Employee Promotion Detail,Butiran Promosi Pekerja
 ,Company Name,Nama Syarikat
 DocType: SMS Center,Total Message(s),Jumlah Mesej (s)
@@ -1557,7 +1567,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Jangan hantar Pekerja Hari Lahir Peringatan
 DocType: Expense Claim,Total Advance Amount,Jumlah Jumlah Pendahuluan
 DocType: Delivery Stop,Estimated Arrival,jangkaan ketibaan
-DocType: Delivery Stop,Notified by Email,Dikenal oleh E-mel
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Lihat Semua Artikel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Berjalan Dalam
 DocType: Item,Inspection Criteria,Kriteria Pemeriksaan
@@ -1567,23 +1576,22 @@
 DocType: Timesheet Detail,Bill,Rang Undang-Undang
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,White
 DocType: SMS Center,All Lead (Open),Semua Lead (Terbuka)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} dalam gudang {1} di mencatat masa catatan ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} dalam gudang {1} di mencatat masa catatan ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Anda hanya boleh memilih maksimum satu pilihan dari senarai kotak semak.
 DocType: Purchase Invoice,Get Advances Paid,Mendapatkan Pendahuluan Dibayar
 DocType: Item,Automatically Create New Batch,Secara automatik Buat Batch New
 DocType: Item,Automatically Create New Batch,Secara automatik Buat Batch New
 DocType: Supplier,Represents Company,Merupakan Syarikat
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Buat
 DocType: Student Admission,Admission Start Date,Kemasukan Tarikh Mula
 DocType: Journal Entry,Total Amount in Words,Jumlah Amaun dalam Perkataan
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Pekerja baru
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Terdapat ralat. Yang berkemungkinan boleh bahawa anda belum menyimpan borang. Sila hubungi support@erpnext.com jika masalah berterusan.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Keranjang saya
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Perintah Jenis mestilah salah seorang daripada {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Perintah Jenis mestilah salah seorang daripada {0}
 DocType: Lead,Next Contact Date,Hubungi Seterusnya Tarikh
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Membuka Qty
 DocType: Healthcare Settings,Appointment Reminder,Peringatan Pelantikan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Sila masukkan Akaun untuk Perubahan Jumlah
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Sila masukkan Akaun untuk Perubahan Jumlah
 DocType: Program Enrollment Tool Student,Student Batch Name,Pelajar Batch Nama
 DocType: Holiday List,Holiday List Name,Nama Senarai Holiday
 DocType: Repayment Schedule,Balance Loan Amount,Jumlah Baki Pinjaman
@@ -1593,13 +1601,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Pilihan Saham
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Tiada Item yang ditambahkan pada keranjang
 DocType: Journal Entry Account,Expense Claim,Perbelanjaan Tuntutan
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Adakah anda benar-benar mahu memulihkan aset dilupuskan ini?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Adakah anda benar-benar mahu memulihkan aset dilupuskan ini?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Qty untuk {0}
 DocType: Leave Application,Leave Application,Cuti Permohonan
 DocType: Patient,Patient Relation,Hubungan Pesakit
 DocType: Item,Hub Category to Publish,Kategori Hub untuk Terbitkan
 DocType: Leave Block List,Leave Block List Dates,Tinggalkan Tarikh Sekat Senarai
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Pesanan Jualan {0} mempunyai tempahan untuk item {1}, anda hanya boleh menyerahkan reserved {1} terhadap {0}. Serial No {2} tidak boleh dihantar"
 DocType: Sales Invoice,Billing Address GSTIN,Alamat Bil GSTIN
@@ -1617,16 +1625,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Sila nyatakan {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Barangan dikeluarkan dengan tiada perubahan dalam kuantiti atau nilai.
 DocType: Delivery Note,Delivery To,Penghantaran Untuk
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Penciptaan variasi telah diberikan giliran.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Ringkasan Kerja untuk {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Penciptaan variasi telah diberikan giliran.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Ringkasan Kerja untuk {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pengendali Tinggalkan pertama dalam senarai akan ditetapkan sebagai Penolakan Cuti lalai.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Jadual atribut adalah wajib
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Jadual atribut adalah wajib
 DocType: Production Plan,Get Sales Orders,Dapatkan Perintah Jualan
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} tidak boleh negatif
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Sambung ke Quickbooks
 DocType: Training Event,Self-Study,Belajar sendiri
 DocType: POS Closing Voucher,Period End Date,Tarikh Akhir Tempoh
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Komposisi tanah tidak menambah sehingga 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Diskaun
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Baris {0}: {1} diperlukan untuk mencipta Invois Pembukaan {2}
 DocType: Membership,Membership,Keahlian
 DocType: Asset,Total Number of Depreciations,Jumlah penurunan nilai
 DocType: Sales Invoice Item,Rate With Margin,Kadar Dengan Margin
@@ -1638,7 +1648,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Sila nyatakan ID Row sah untuk barisan {0} dalam jadual {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Tidak dapat mencari variabel:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Sila pilih medan untuk mengedit dari numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Tidak boleh menjadi item aset tetap sebagai Lejar Saham dicipta.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Tidak boleh menjadi item aset tetap sebagai Lejar Saham dicipta.
 DocType: Subscription Plan,Fixed rate,Kadar tetap
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Mengaku
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Pergi ke Desktop dan mula menggunakan ERPNext
@@ -1672,7 +1682,7 @@
 DocType: Tax Rule,Shipping State,Negeri Penghantaran
 ,Projected Quantity as Source,Kuantiti Unjuran sebagai Sumber
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Item mesti ditambah menggunakan &#39;Dapatkan Item daripada Pembelian Resit&#39; butang
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Lawatan Penghantaran
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Lawatan Penghantaran
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Jenis Pemindahan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Perbelanjaan jualan
@@ -1685,8 +1695,9 @@
 DocType: Item Default,Default Selling Cost Center,Default Jualan Kos Pusat
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,cakera
 DocType: Buying Settings,Material Transferred for Subcontract,Bahan yang Dipindahkan untuk Subkontrak
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poskod
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Pesanan Jualan {0} ialah {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Item pesanan pembelian tertunggak
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Poskod
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Pesanan Jualan {0} ialah {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Pilih akaun pendapatan faedah dalam pinjaman {0}
 DocType: Opportunity,Contact Info,Maklumat perhubungan
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Membuat Kemasukan Stok
@@ -1699,12 +1710,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Invois tidak boleh dibuat untuk jam bil sifar
 DocType: Company,Date of Commencement,Tarikh permulaan
 DocType: Sales Person,Select company name first.,Pilih nama syarikat pertama.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mel yang dihantar kepada {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mel yang dihantar kepada {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Sebut Harga yang diterima daripada Pembekal.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Gantikan BOM dan kemaskini harga terbaru dalam semua BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Untuk {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ini adalah kumpulan pembekal akar dan tidak dapat diedit.
-DocType: Delivery Trip,Driver Name,Nama Pemandu
+DocType: Delivery Note,Driver Name,Nama Pemandu
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Purata Umur
 DocType: Education Settings,Attendance Freeze Date,Kehadiran Freeze Tarikh
 DocType: Education Settings,Attendance Freeze Date,Kehadiran Freeze Tarikh
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,Syarikat induk
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotel Bilik jenis {0} tidak tersedia di {1}
 DocType: Healthcare Practitioner,Default Currency,Mata wang lalai
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Diskaun maksimum untuk Item {0} ialah {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Diskaun maksimum untuk Item {0} ialah {1}%
 DocType: Asset Movement,From Employee,Dari Pekerja
 DocType: Driver,Cellphone Number,Nombor telefon bimbit
 DocType: Project,Monitor Progress,Memantau Kemajuan
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Kuantiti mesti kurang daripada atau sama dengan {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Jumlah maksimum yang layak untuk komponen {0} melebihi {1}
 DocType: Department Approver,Department Approver,Pengendali Jabatan
+DocType: QuickBooks Migrator,Application Settings,Tetapan Aplikasi
 DocType: SMS Center,Total Characters,Jumlah Watak
 DocType: Employee Advance,Claimed,Dikenakan
 DocType: Crop,Row Spacing,Barisan Baris
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Sila pilih BOM dalam bidang BOM untuk Perkara {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Sila pilih BOM dalam bidang BOM untuk Perkara {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Tidak ada varian item untuk item yang dipilih
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Borang Invois
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Bayaran Penyesuaian Invois
 DocType: Clinical Procedure,Procedure Template,Templat Prosedur
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Sumbangan%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sebagai satu Tetapan Membeli jika Purchase Order Diperlukan == &#39;YA&#39;, maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pesanan Belian pertama bagi item {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Sumbangan%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sebagai satu Tetapan Membeli jika Purchase Order Diperlukan == &#39;YA&#39;, maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pesanan Belian pertama bagi item {0}"
 ,HSN-wise-summary of outward supplies,Ringkasan ringkasan HSN bekalan luar
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Nombor pendaftaran syarikat untuk rujukan anda. Nombor cukai dan lain-lain
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Untuk Negeri
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Untuk Negeri
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Pengedar
 DocType: Asset Finance Book,Asset Finance Book,Buku Kewangan Aset
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Membeli-belah Troli Penghantaran Peraturan
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,Item Diperintah dibilkan
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Dari Range mempunyai kurang daripada Untuk Julat
 DocType: Global Defaults,Global Defaults,Lalai Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projek Kerjasama Jemputan
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projek Kerjasama Jemputan
 DocType: Salary Slip,Deductions,Potongan
 DocType: Setup Progress Action,Action Name,Nama Tindakan
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Mula Tahun
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,Perunding
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Kehadiran Mesyuarat Guru Ibu Bapa
 DocType: Salary Slip,Earnings,Pendapatan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Mendapat tempat Item {0} mesti dimasukkan untuk masuk jenis Pembuatan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Mendapat tempat Item {0} mesti dimasukkan untuk masuk jenis Pembuatan
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Perakaunan membuka Baki
 ,GST Sales Register,GST Sales Daftar
 DocType: Sales Invoice Advance,Sales Invoice Advance,Jualan Invois Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Tiada apa-apa untuk meminta
+DocType: Stock Settings,Default Return Warehouse,Gudang Pulangan Asal
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Pilih Domain anda
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Pembekal Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Item Invois Pembayaran
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Bidang akan disalin hanya pada waktu penciptaan.
 DocType: Setup Progress Action,Domains,Domain
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Tarikh Asal Mula' tidak boleh lebih besar daripada 'Tarikh Asal Tamat'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Pengurusan
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Pengurusan
 DocType: Cheque Print Template,Payer Settings,Tetapan pembayar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Tiada Permintaan Bahan yang belum selesai dijumpai untuk dihubungkan untuk item yang diberikan.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Pilih syarikat pertama
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ini akan dilampirkan Kod Item bagi varian. Sebagai contoh, jika anda adalah singkatan &quot;SM&quot;, dan kod item adalah &quot;T-SHIRT&quot;, kod item varian akan &quot;T-SHIRT-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Gaji bersih (dengan perkataan) akan dapat dilihat selepas anda menyimpan Slip Gaji.
 DocType: Delivery Note,Is Return,Tempat kembalinya
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Awas
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Hari permulaan adalah lebih besar daripada hari akhir dalam tugas &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Pulangan / Nota Debit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Pulangan / Nota Debit
 DocType: Price List Country,Price List Country,Senarai harga Negara
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} nombor siri sah untuk Perkara {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Berikan maklumat.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Pangkalan data pembekal.
 DocType: Contract Template,Contract Terms and Conditions,Terma dan Syarat Kontrak
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Anda tidak boleh memulakan semula Langganan yang tidak dibatalkan.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Anda tidak boleh memulakan semula Langganan yang tidak dibatalkan.
 DocType: Account,Balance Sheet,Kunci Kira-kira
 DocType: Leave Type,Is Earned Leave,Dibeli Cuti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Pusat Kos Bagi Item Kod Item &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Pusat Kos Bagi Item Kod Item &#39;
 DocType: Fee Validity,Valid Till,Sah sehingga
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Mesyuarat Guru Ibu Jumlah
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode bayaran tidak dikonfigurasikan. Sila semak, sama ada akaun ini tidak ditetapkan Mod Pembayaran atau POS Profil."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode bayaran tidak dikonfigurasikan. Sila semak, sama ada akaun ini tidak ditetapkan Mod Pembayaran atau POS Profil."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,item yang sama tidak boleh dimasukkan beberapa kali.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Akaun lanjut boleh dibuat di bawah Kumpulan, tetapi penyertaan boleh dibuat terhadap bukan Kumpulan"
 DocType: Lead,Lead,Lead
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Kemasukan Stock {0} dicipta
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Anda tidak mempunyai mata Kesetiaan yang cukup untuk menebusnya
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Ditolak Qty tidak boleh dimasukkan dalam Pembelian Pulangan
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Sila tetapkan akaun yang berkaitan dalam Kategori Pegangan Cukai {0} terhadap Syarikat {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Ditolak Qty tidak boleh dimasukkan dalam Pembelian Pulangan
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Mengubah Kumpulan Pelanggan untuk Pelanggan yang dipilih tidak dibenarkan.
 ,Purchase Order Items To Be Billed,Item Pesanan Belian dikenakan caj
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Mengemas kini anggaran masa ketibaan.
 DocType: Program Enrollment Tool,Enrollment Details,Butiran Pendaftaran
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Tidak dapat menetapkan Berbilang Butiran Item untuk syarikat.
 DocType: Purchase Invoice Item,Net Rate,Kadar bersih
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Sila pilih pelanggan
 DocType: Leave Policy,Leave Allocations,Tinggalkan Alokasi
@@ -1852,7 +1868,7 @@
 DocType: Loan Application,Repayment Info,Maklumat pembayaran balik
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;Penyertaan&#39; tidak boleh kosong
 DocType: Maintenance Team Member,Maintenance Role,Peranan Penyelenggaraan
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Salinan barisan {0} dengan sama {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Salinan barisan {0} dengan sama {1}
 DocType: Marketplace Settings,Disable Marketplace,Lumpuhkan Pasaran
 ,Trial Balance,Imbangan Duga
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Tahun Anggaran {0} tidak dijumpai
@@ -1863,9 +1879,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Tetapan Langganan
 DocType: Purchase Invoice,Update Auto Repeat Reference,Kemas kini Rujukan Ulang Auto
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Senarai Percutian Pilihan tidak ditetapkan untuk tempoh cuti {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Senarai Percutian Pilihan tidak ditetapkan untuk tempoh cuti {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Penyelidikan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Untuk Alamat 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Untuk Alamat 2
 DocType: Maintenance Visit Purpose,Work Done,Kerja Selesai
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Sila nyatakan sekurang-kurangnya satu atribut dalam jadual Atribut
 DocType: Announcement,All Students,semua Pelajar
@@ -1875,16 +1891,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Urus Niaga yang dirunding
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Terawal
 DocType: Crop Cycle,Linked Location,Lokasi Berkaitan
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Satu Kumpulan Item wujud dengan nama yang sama, sila tukar nama item atau menamakan semula kumpulan item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Satu Kumpulan Item wujud dengan nama yang sama, sila tukar nama item atau menamakan semula kumpulan item"
 DocType: Crop Cycle,Less than a year,Kurang dari setahun
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Pelajar Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Rest Of The World
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Rest Of The World
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The Perkara {0} tidak boleh mempunyai Batch
 DocType: Crop,Yield UOM,Hasil UOM
 ,Budget Variance Report,Belanjawan Laporan Varian
 DocType: Salary Slip,Gross Pay,Gaji kasar
 DocType: Item,Is Item from Hub,Adakah Item dari Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Dapatkan barangan dari Perkhidmatan Penjagaan Kesihatan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Dapatkan barangan dari Perkhidmatan Penjagaan Kesihatan
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Aktiviti adalah wajib.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividen Dibayar
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Perakaunan Lejar
@@ -1899,6 +1915,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Cara Pembayaran
 DocType: Purchase Invoice,Supplied Items,Item dibekalkan
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Sila tetapkan menu aktif untuk Restoran {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Kadar Suruhanjaya%
 DocType: Work Order,Qty To Manufacture,Qty Untuk Pembuatan
 DocType: Email Digest,New Income,Pendapatan New
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Mengekalkan kadar yang sama sepanjang kitaran pembelian
@@ -1913,12 +1930,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Kadar Penilaian diperlukan untuk Item berturut-turut {0}
 DocType: Supplier Scorecard,Scorecard Actions,Tindakan Kad Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Contoh: Sarjana Sains Komputer
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Pembekal {0} tidak dijumpai di {1}
 DocType: Purchase Invoice,Rejected Warehouse,Gudang Ditolak
 DocType: GL Entry,Against Voucher,Terhadap Baucar
 DocType: Item Default,Default Buying Cost Center,Default Membeli Kos Pusat
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Untuk mendapatkan yang terbaik daripada ERPNext, kami menyarankan anda mengambil sedikit masa dan menonton video bantuan."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Untuk pembekal lalai (pilihan)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,kepada
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Untuk pembekal lalai (pilihan)
 DocType: Supplier Quotation Item,Lead Time in days,Masa utama dalam hari
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Ringkasan Akaun Boleh Dibayar
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Tiada kebenaran untuk mengedit Akaun beku {0}
@@ -1927,7 +1944,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Amalkan Permintaan untuk Sebut Harga baru
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,pesanan pembelian membantu anda merancang dan mengambil tindakan susulan ke atas pembelian anda
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Preskripsi Ubat Lab
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Jumlah kuantiti Terbitan / Transfer {0} dalam Permintaan Bahan {1} \ tidak boleh lebih besar daripada kuantiti diminta {2} untuk item {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Kecil
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Jika Shopify tidak mengandungi pelanggan dalam Perintah, maka semasa menyegerakkan Perintah, sistem akan mempertimbangkan pelanggan lalai untuk pesanan"
@@ -1939,6 +1956,7 @@
 DocType: Project,% Completed,% Selesai
 ,Invoiced Amount (Exculsive Tax),Invois (Exculsive Cukai)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Perkara 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Endpoint Kebenaran
 DocType: Travel Request,International,Antarabangsa
 DocType: Training Event,Training Event,Event Training
 DocType: Item,Auto re-order,Auto semula perintah
@@ -1947,24 +1965,24 @@
 DocType: Contract,Contract,Kontrak
 DocType: Plant Analysis,Laboratory Testing Datetime,Ujian Laboratorium Datetime
 DocType: Email Digest,Add Quote,Tambah Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} dalam Perkara: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} dalam Perkara: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Perbelanjaan tidak langsung
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib
 DocType: Agriculture Analysis Criteria,Agriculture,Pertanian
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Buat Pesanan Jualan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Kemasukan Perakaunan untuk Aset
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blok Invois
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Kemasukan Perakaunan untuk Aset
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blok Invois
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Kuantiti Membuat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Kos Pembaikan
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Produk atau Perkhidmatan anda
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Gagal masuk
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Aset {0} dibuat
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Aset {0} dibuat
 DocType: Special Test Items,Special Test Items,Item Ujian Khas
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Anda perlu menjadi pengguna dengan Pengurus Sistem dan peranan Pengurus Item untuk mendaftar di Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Cara Pembayaran
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"Sebagaimana Struktur Gaji yang anda berikan, anda tidak boleh memohon manfaat"
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Laman web Image perlu fail awam atau URL laman web
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Laman web Image perlu fail awam atau URL laman web
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Ini adalah kumpulan item akar dan tidak boleh diedit.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Gabung
@@ -1973,7 +1991,8 @@
 DocType: Warehouse,Warehouse Contact Info,Gudang info
 DocType: Payment Entry,Write Off Difference Amount,Tulis Off Jumlah Perbezaan
 DocType: Volunteer,Volunteer Name,Nama Sukarelawan
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: e-mel pekerja tidak dijumpai, maka e-mel tidak dihantar"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Baris dengan pendua tarikh akhir pada baris lain dijumpai: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: e-mel pekerja tidak dijumpai, maka e-mel tidak dihantar"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Tiada Struktur Gaji yang diberikan kepada Pekerja {0} pada tarikh yang diberikan {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Peraturan penghantaran tidak boleh digunakan untuk negara {0}
 DocType: Item,Foreign Trade Details,Maklumat Perdagangan Luar Negeri
@@ -1981,17 +2000,17 @@
 DocType: Email Digest,Annual Income,Pendapatan tahunan
 DocType: Serial No,Serial No Details,Serial No Butiran
 DocType: Purchase Invoice Item,Item Tax Rate,Perkara Kadar Cukai
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Dari Nama Parti
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Dari Nama Parti
 DocType: Student Group Student,Group Roll Number,Kumpulan Nombor Roll
 DocType: Student Group Student,Group Roll Number,Kumpulan Nombor Roll
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Untuk {0}, hanya akaun kredit boleh dikaitkan terhadap kemasukan debit lain"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Penghantaran Nota {0} tidak dikemukakan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Penghantaran Nota {0} tidak dikemukakan
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Perkara {0} mestilah Sub-kontrak Perkara
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Peralatan Modal
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Peraturan harga mula-mula dipilih berdasarkan &#39;Guna Mengenai&#39; bidang, yang boleh menjadi Perkara, Perkara Kumpulan atau Jenama."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Sila nyatakan Kod Item terlebih dahulu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Jenis
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Jumlah peratusan yang diperuntukkan bagi pasukan jualan harus 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Jenis
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Jumlah peratusan yang diperuntukkan bagi pasukan jualan harus 100
 DocType: Subscription Plan,Billing Interval Count,Count Interval Pengebilan
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Pelantikan dan Pesakit yang Menemui
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Nilai hilang
@@ -2005,6 +2024,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Buat Format Cetak
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Bayaran Dibuat
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Tidak jumpa apa-apa perkara yang dipanggil {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Penapis Item
 DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Kriteria
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Jumlah Keluar
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Hanya ada satu Keadaan Peraturan Penghantaran dengan 0 atau nilai kosong untuk &quot;Untuk Nilai&quot;
@@ -2013,14 +2033,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Untuk item {0}, kuantiti mestilah nombor positif"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Ini PTJ adalah Kumpulan. Tidak boleh membuat catatan perakaunan terhadap kumpulan.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Hari permintaan cuti pampasan tidak bercuti
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child gudang wujud untuk gudang ini. Anda tidak boleh memadam gudang ini.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child gudang wujud untuk gudang ini. Anda tidak boleh memadam gudang ini.
 DocType: Item,Website Item Groups,Kumpulan Website Perkara
 DocType: Purchase Invoice,Total (Company Currency),Jumlah (Syarikat mata wang)
 DocType: Daily Work Summary Group,Reminder,Peringatan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Nilai yang boleh diakses
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Nilai yang boleh diakses
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Nombor siri {0} memasuki lebih daripada sekali
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Jurnal Entry
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Dari GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Dari GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Jumlah tidak dituntut
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} item dalam kemajuan
 DocType: Workstation,Workstation Name,Nama stesen kerja
@@ -2028,7 +2048,7 @@
 DocType: POS Item Group,POS Item Group,POS Item Kumpulan
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mel Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Item alternatif tidak boleh sama dengan kod item
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} bukan milik Perkara {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} bukan milik Perkara {1}
 DocType: Sales Partner,Target Distribution,Pengagihan Sasaran
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Muktamadkan penilaian sementara
 DocType: Salary Slip,Bank Account No.,No. Akaun Bank
@@ -2037,7 +2057,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Pemboleh ubah kad skor boleh digunakan, dan juga: {total_score} (jumlah skor dari tempoh itu), {period_number} (bilangan tempoh hingga ke hari sekarang)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Tutup Semua
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Tutup Semua
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Buat Pesanan Pembelian
 DocType: Quality Inspection Reading,Reading 8,Membaca 8
 DocType: Inpatient Record,Discharge Note,Nota Pelepasan
@@ -2054,7 +2074,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Cuti
 DocType: Purchase Invoice,Supplier Invoice Date,Pembekal Invois Tarikh
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Nilai ini digunakan untuk pengiraan pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Anda perlu untuk membolehkan Troli
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Anda perlu untuk membolehkan Troli
 DocType: Payment Entry,Writeoff,Hapus kira
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Naming Prefix Prefix
@@ -2069,11 +2089,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Keadaan bertindih yang terdapat di antara:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Terhadap Journal Entry {0} telah diselaraskan dengan beberapa baucar lain
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Jumlah Nilai Pesanan
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Makanan
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Makanan
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Range Penuaan 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Butiran Baucar Penutupan POS
 DocType: Shopify Log,Shopify Log,Log Shopify
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan&gt; Tetapan&gt; Penamaan Siri
 DocType: Inpatient Occupancy,Check In,Daftar masuk
 DocType: Maintenance Schedule Item,No of Visits,Jumlah Lawatan
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Jadual Penyelenggaraan {0} wujud daripada {1}
@@ -2113,6 +2132,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Faedah Max (Amaun)
 DocType: Purchase Invoice,Contact Person,Dihubungi
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Jangkaan Tarikh Bermula' tidak boleh menjadi lebih besar daripada 'Jangkaan Tarikh Tamat'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Tiada data untuk tempoh ini
 DocType: Course Scheduling Tool,Course End Date,Kursus Tarikh Akhir
 DocType: Holiday List,Holidays,Cuti
 DocType: Sales Order Item,Planned Quantity,Dirancang Kuantiti
@@ -2124,7 +2144,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Perubahan Bersih dalam Aset Tetap
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Tinggalkan kosong jika dipertimbangkan untuk semua jawatan
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Penjaga jenis &#39;sebenar&#39; di baris {0} tidak boleh dimasukkan dalam Kadar Perkara
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Penjaga jenis &#39;sebenar&#39; di baris {0} tidak boleh dimasukkan dalam Kadar Perkara
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dari datetime
 DocType: Shopify Settings,For Company,Bagi Syarikat
@@ -2137,9 +2157,9 @@
 DocType: Material Request,Terms and Conditions Content,Terma dan Syarat Kandungan
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Terdapat kesilapan mencipta Jadual Kursus
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Pengendali Perbelanjaan pertama dalam senarai akan ditetapkan sebagai Pengecualian Perbelanjaan lalai.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,tidak boleh lebih besar daripada 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,tidak boleh lebih besar daripada 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Anda perlu menjadi pengguna selain Pentadbir dengan Pengurus Sistem dan peranan Pengurus Item untuk mendaftar di Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Perkara {0} bukan Item saham
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Perkara {0} bukan Item saham
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Tidak Berjadual
 DocType: Employee,Owned,Milik
@@ -2167,7 +2187,7 @@
 DocType: HR Settings,Employee Settings,Tetapan pekerja
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Memuatkan Sistem Pembayaran
 ,Batch-Wise Balance History,Batch Bijaksana Baki Sejarah
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Baris # {0}: Tidak boleh menetapkan Kadar jika amaun lebih besar daripada jumlah ditaksir untuk Item {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Baris # {0}: Tidak boleh menetapkan Kadar jika amaun lebih besar daripada jumlah ditaksir untuk Item {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,tetapan cetak dikemaskini dalam format cetak masing
 DocType: Package Code,Package Code,Kod pakej
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Perantis
@@ -2175,7 +2195,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Kuantiti negatif tidak dibenarkan
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Cukai terperinci jadual diambil dari ruang induk sebagai rentetan dan disimpan di dalam bidang ini. Digunakan untuk Cukai dan Caj
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Pekerja tidak boleh melaporkan kepada dirinya sendiri.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Pekerja tidak boleh melaporkan kepada dirinya sendiri.
 DocType: Leave Type,Max Leaves Allowed,Daun Maks Dibenarkan
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jika akaun dibekukan, entri dibenarkan pengguna terhad."
 DocType: Email Digest,Bank Balance,Baki Bank
@@ -2201,6 +2221,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Penyertaan Transaksi Bank
 DocType: Quality Inspection,Readings,Bacaan
 DocType: Stock Entry,Total Additional Costs,Jumlah Kos Tambahan
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Tiada Interaksi
 DocType: BOM,Scrap Material Cost(Company Currency),Kos Scrap bahan (Syarikat Mata Wang)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Dewan Sub
 DocType: Asset,Asset Name,Nama aset
@@ -2208,10 +2229,10 @@
 DocType: Shipping Rule Condition,To Value,Untuk Nilai
 DocType: Loyalty Program,Loyalty Program Type,Jenis Program Kesetiaan
 DocType: Asset Movement,Stock Manager,Pengurus saham
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk berturut-turut {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk berturut-turut {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Tempoh Bayaran pada baris {0} mungkin pendua.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Pertanian (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Slip pembungkusan
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Slip pembungkusan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Pejabat Disewa
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Tetapan gateway Persediaan SMS
 DocType: Disease,Common Name,Nama yang selalu digunakan
@@ -2243,20 +2264,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Slip Gaji kepada Pekerja
 DocType: Cost Center,Parent Cost Center,Kos Pusat Ibu Bapa
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Pilih Pembekal Kemungkinan
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Pilih Pembekal Kemungkinan
 DocType: Sales Invoice,Source,Sumber
 DocType: Customer,"Select, to make the customer searchable with these fields","Pilih, untuk membuat pelanggan dicari dengan medan ini"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Import Nota Penghantaran dari Shopify pada Penghantaran
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show ditutup
 DocType: Leave Type,Is Leave Without Pay,Apakah Tinggalkan Tanpa Gaji
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Kategori Asset adalah wajib bagi item Aset Tetap
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Kategori Asset adalah wajib bagi item Aset Tetap
 DocType: Fee Validity,Fee Validity,Kesahan Fee
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Tiada rekod yang terdapat dalam jadual Pembayaran
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ini {0} konflik dengan {1} untuk {2} {3}
 DocType: Student Attendance Tool,Students HTML,pelajar HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Sila padamkan Pekerja <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini"
 DocType: POS Profile,Apply Discount,Gunakan Diskaun
 DocType: GST HSN Code,GST HSN Code,GST Kod HSN
 DocType: Employee External Work History,Total Experience,Jumlah Pengalaman
@@ -2279,7 +2297,7 @@
 DocType: Maintenance Schedule,Schedules,Jadual
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profil POS dikehendaki menggunakan Point-of-Sale
 DocType: Cashier Closing,Net Amount,Jumlah Bersih
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikemukakan supaya tindakan itu tidak boleh diselesaikan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikemukakan supaya tindakan itu tidak boleh diselesaikan
 DocType: Purchase Order Item Supplied,BOM Detail No,Detail BOM Tiada
 DocType: Landed Cost Voucher,Additional Charges,Caj tambahan
 DocType: Support Search Source,Result Route Field,Bidang Laluan Hasil
@@ -2308,11 +2326,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Pembukaan Invois
 DocType: Contract,Contract Details,Butiran Kontrak
 DocType: Employee,Leave Details,Tinggalkan Butiran
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Sila tetapkan ID Pengguna medan dalam rekod Pekerja untuk menetapkan Peranan Pekerja
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Sila tetapkan ID Pengguna medan dalam rekod Pekerja untuk menetapkan Peranan Pekerja
 DocType: UOM,UOM Name,Nama UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Untuk Alamat 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Untuk Alamat 1
 DocType: GST HSN Code,HSN Code,Kod HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Jumlah Sumbangan
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Jumlah Sumbangan
 DocType: Inpatient Record,Patient Encounter,Pertemuan Pesakit
 DocType: Purchase Invoice,Shipping Address,Alamat Penghantaran
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Alat ini membantu anda untuk mengemas kini atau yang menetapkan kuantiti dan penilaian stok sistem. Ia biasanya digunakan untuk menyegerakkan nilai sistem dan apa yang benar-benar wujud di gudang anda.
@@ -2329,9 +2347,9 @@
 DocType: Travel Itinerary,Mode of Travel,Mod Perjalanan
 DocType: Sales Invoice Item,Brand Name,Nama jenama
 DocType: Purchase Receipt,Transporter Details,Butiran Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,gudang lalai diperlukan untuk item yang dipilih
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,gudang lalai diperlukan untuk item yang dipilih
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Box
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Pembekal mungkin
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Pembekal mungkin
 DocType: Budget,Monthly Distribution,Pengagihan Bulanan
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Penerima Senarai kosong. Sila buat Penerima Senarai
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Kesihatan (beta)
@@ -2353,6 +2371,7 @@
 ,Lead Name,Nama Lead
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospek
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Membuka Baki Saham
 DocType: Asset Category Account,Capital Work In Progress Account,Kerja Modal Dalam Akaun Kemajuan
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Pelarasan Nilai Aset
@@ -2361,7 +2380,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Meninggalkan Diperuntukkan Berjaya untuk {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Tiada item untuk pek
 DocType: Shipping Rule Condition,From Value,Dari Nilai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Pembuatan Kuantiti adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Pembuatan Kuantiti adalah wajib
 DocType: Loan,Repayment Method,Kaedah Bayaran Balik
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jika disemak, page Utama akan menjadi lalai Item Kumpulan untuk laman web"
 DocType: Quality Inspection Reading,Reading 4,Membaca 4
@@ -2386,7 +2405,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Rujukan pekerja
 DocType: Student Group,Set 0 for no limit,Hanya 0 untuk tiada had
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Hari (s) di mana anda memohon cuti adalah cuti. Anda tidak perlu memohon cuti.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Baris {idx}: {field} diperlukan untuk mencipta Invois Pembukaan {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Alamat Utama dan Butiran Kenalan
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Hantar semula Pembayaran E-mel
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Tugasan baru
@@ -2396,8 +2414,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Sila pilih sekurang-kurangnya satu domain.
 DocType: Dependent Task,Dependent Task,Petugas bergantung
 DocType: Shopify Settings,Shopify Tax Account,Shopify Akaun Cukai
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor penukaran Unit keingkaran Langkah mesti 1 berturut-turut {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Cuti jenis {0} tidak boleh lebih panjang daripada {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor penukaran Unit keingkaran Langkah mesti 1 berturut-turut {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Cuti jenis {0} tidak boleh lebih panjang daripada {1}
 DocType: Delivery Trip,Optimize Route,Mengoptimumkan laluan
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Cuba merancang operasi untuk hari X terlebih dahulu.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2406,14 +2424,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Sila menetapkan Payroll Akaun Belum Bayar Lalai dalam Syarikat {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Dapatkan pecahan kewangan Cukai dan caj data oleh Amazon
 DocType: SMS Center,Receiver List,Penerima Senarai
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Cari Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Cari Item
 DocType: Payment Schedule,Payment Amount,Jumlah Bayaran
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Tarikh Hari Separuh hendaklah di antara Kerja Dari Tarikh dan Tarikh Akhir Kerja
 DocType: Healthcare Settings,Healthcare Service Items,Item Perkhidmatan Penjagaan Kesihatan
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Jumlah dimakan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Perubahan Bersih dalam Tunai
 DocType: Assessment Plan,Grading Scale,Skala penggredan
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit Langkah {0} telah memasuki lebih daripada sekali dalam Factor Penukaran Jadual
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit Langkah {0} telah memasuki lebih daripada sekali dalam Factor Penukaran Jadual
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,sudah selesai
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock In Hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2436,25 +2454,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} kuantiti {1} tidak boleh menjadi sebahagian kecil
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Sila masukkan URL Pelayan Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Pembekal Bahagian Nombor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Kadar Penukaran tidak boleh menjadi 0 atau 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Kadar Penukaran tidak boleh menjadi 0 atau 1
 DocType: Share Balance,To No,Tidak
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Semua tugas wajib untuk penciptaan pekerja masih belum dilakukan.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan
 DocType: Accounts Settings,Credit Controller,Pengawal Kredit
 DocType: Loan,Applicant Type,Jenis Pemohon
 DocType: Purchase Invoice,03-Deficiency in services,03-Kekurangan perkhidmatan
 DocType: Healthcare Settings,Default Medical Code Standard,Standard Kod Perubatan Default
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Pembelian Resit {0} tidak dikemukakan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Pembelian Resit {0} tidak dikemukakan
 DocType: Company,Default Payable Account,Default Akaun Belum Bayar
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Tetapan untuk troli membeli-belah dalam talian seperti peraturan perkapalan, senarai harga dan lain-lain"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% dibilkan
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Terpelihara Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Terpelihara Qty
 DocType: Party Account,Party Account,Akaun Pihak
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Sila pilih Syarikat dan Jawatan
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Sumber Manusia
-DocType: Lead,Upper Income,Pendapatan atas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Pendapatan atas
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Tolak
 DocType: Journal Entry Account,Debit in Company Currency,Debit dalam Syarikat Mata Wang
 DocType: BOM Item,BOM Item,BOM Perkara
@@ -2471,7 +2489,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Terbuka Pekerjaan untuk penunjukan {0} sudah dibuka \ atau pengambilan selesai seperti Per Rancangan Kakitangan {1}
 DocType: Vital Signs,Constipated,Sembelit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Terhadap Pembekal Invois {0} bertarikh {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Terhadap Pembekal Invois {0} bertarikh {1}
 DocType: Customer,Default Price List,Senarai Harga Default
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,rekod Pergerakan Aset {0} dicipta
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Tiada item dijumpai.
@@ -2487,17 +2505,18 @@
 DocType: Journal Entry,Entry Type,Jenis Kemasukan
 ,Customer Credit Balance,Baki Pelanggan Kredit
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Perubahan Bersih dalam Akaun Belum Bayar
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Had kredit telah dilangkau untuk pelanggan {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan&gt; Tetapan&gt; Penamaan Siri
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Had kredit telah dilangkau untuk pelanggan {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Pelanggan dikehendaki untuk &#39;Customerwise Diskaun&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Update tarikh pembayaran bank dengan jurnal.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Harga
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Harga
 DocType: Quotation,Term Details,Butiran jangka
 DocType: Employee Incentive,Employee Incentive,Insentif Pekerja
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,tidak boleh mendaftar lebih daripada {0} pelajar bagi kumpulan pelajar ini.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Jumlah (Tanpa Cukai)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Saham Tersedia
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Saham Tersedia
 DocType: Manufacturing Settings,Capacity Planning For (Days),Perancangan Keupayaan (Hari)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Perolehan
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Tiada item mempunyai apa-apa perubahan dalam kuantiti atau nilai.
@@ -2522,7 +2541,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Tinggalkan dan Kehadiran
 DocType: Asset,Comprehensive Insurance,Insurans Komprehensif
 DocType: Maintenance Visit,Partially Completed,Sebahagiannya telah lengkap
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Titik Kesetiaan: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Titik Kesetiaan: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Tambah Memimpin
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Kepekaan Moderat
 DocType: Leave Type,Include holidays within leaves as leaves,Termasuk cuti dalam daun daun
 DocType: Loyalty Program,Redemption,Penebusan
@@ -2556,7 +2576,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Perbelanjaan pemasaran
 ,Item Shortage Report,Perkara Kekurangan Laporan
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Tidak boleh membuat kriteria standard. Sila tukar nama kriteria
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \ nSila menyebut &quot;Berat UOM&quot; terlalu"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \ nSila menyebut &quot;Berat UOM&quot; terlalu"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Permintaan bahan yang digunakan untuk membuat ini Entry Saham
 DocType: Hub User,Hub Password,Kata Laluan Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Berasingan Kumpulan berdasarkan kursus untuk setiap Batch
@@ -2571,15 +2591,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Tempoh Pelantikan (minit)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Buat Perakaunan Entry Untuk Setiap Pergerakan Saham
 DocType: Leave Allocation,Total Leaves Allocated,Jumlah Daun Diperuntukkan
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Sila masukkan tahun kewangan yang sah Mula dan Tarikh Akhir
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Sila masukkan tahun kewangan yang sah Mula dan Tarikh Akhir
 DocType: Employee,Date Of Retirement,Tarikh Persaraan
 DocType: Upload Attendance,Get Template,Dapatkan Template
+,Sales Person Commission Summary,Ringkasan Suruhanjaya Orang Jualan
 DocType: Additional Salary Component,Additional Salary Component,Komponen Gaji Tambahan
 DocType: Material Request,Transferred,dipindahkan
 DocType: Vehicle,Doors,Doors
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Persediaan Selesai!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Persediaan Selesai!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Kumpulkan Bayaran Pendaftaran Pesakit
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Tidak dapat mengubah Sifat selepas transaksi stok. Buat Item baru dan pindahan stok ke Item baru
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Tidak dapat mengubah Sifat selepas transaksi stok. Buat Item baru dan pindahan stok ke Item baru
 DocType: Course Assessment Criteria,Weightage,Wajaran
 DocType: Purchase Invoice,Tax Breakup,Breakup cukai
 DocType: Employee,Joining Details,Bersama Butiran
@@ -2607,14 +2628,15 @@
 DocType: Lead,Next Contact By,Hubungi Seterusnya By
 DocType: Compensatory Leave Request,Compensatory Leave Request,Permintaan Cuti Pampasan
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Kuantiti yang diperlukan untuk Perkara {0} berturut-turut {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak boleh dihapuskan sebagai kuantiti wujud untuk Perkara {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak boleh dihapuskan sebagai kuantiti wujud untuk Perkara {1}
 DocType: Blanket Order,Order Type,Perintah Jenis
 ,Item-wise Sales Register,Perkara-bijak Jualan Daftar
 DocType: Asset,Gross Purchase Amount,Jumlah Pembelian Kasar
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Baki Pembukaan
 DocType: Asset,Depreciation Method,Kaedah susut nilai
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Cukai ini adalah termasuk dalam Kadar Asas?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Jumlah Sasaran
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Jumlah Sasaran
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analisis Persepsi
 DocType: Soil Texture,Sand Composition (%),Komposisi pasir (%)
 DocType: Job Applicant,Applicant for a Job,Pemohon untuk pekerjaan yang
 DocType: Production Plan Material Request,Production Plan Material Request,Pengeluaran Pelan Bahan Permintaan
@@ -2630,23 +2652,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Penilaian Penilaian (Daripada 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Bimbit
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Utama
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Mengikut item {0} tidak ditandakan sebagai {1} item. Anda boleh mengaktifkannya sebagai {1} item dari tuan Itemnya
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Varian
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Untuk item {0}, kuantiti mestilah nombor negatif"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Terletak awalan untuk penomboran siri transaksi anda
 DocType: Employee Attendance Tool,Employees HTML,pekerja HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,BOM lalai ({0}) mesti aktif untuk item ini atau template yang
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,BOM lalai ({0}) mesti aktif untuk item ini atau template yang
 DocType: Employee,Leave Encashed?,Cuti ditunaikan?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Peluang Daripada bidang adalah wajib
 DocType: Email Digest,Annual Expenses,Perbelanjaan tahunan
 DocType: Item,Variants,Kelainan
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Buat Pesanan Belian
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Buat Pesanan Belian
 DocType: SMS Center,Send To,Hantar Kepada
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Tidak ada baki cuti yang cukup untuk Cuti Jenis {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Tidak ada baki cuti yang cukup untuk Cuti Jenis {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Jumlah yang diperuntukkan
 DocType: Sales Team,Contribution to Net Total,Sumbangan kepada Jumlah Bersih
 DocType: Sales Invoice Item,Customer's Item Code,Kod Item Pelanggan
 DocType: Stock Reconciliation,Stock Reconciliation,Saham Penyesuaian
 DocType: Territory,Territory Name,Wilayah Nama
+DocType: Email Digest,Purchase Orders to Receive,Pesanan Pembelian untuk Menerima
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Kerja dalam Kemajuan Gudang diperlukan sebelum Hantar
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Anda hanya boleh mempunyai Pelan dengan kitaran pengebilan yang sama dalam Langganan
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Data Mapping
@@ -2665,9 +2689,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Salinan No Serial masuk untuk Perkara {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Trek Memimpin oleh Sumber Utama.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Satu syarat untuk Peraturan Penghantaran
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Sila masukkan
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Sila masukkan
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Log penyelenggaraan
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Sila menetapkan penapis di Perkara atau Warehouse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Sila menetapkan penapis di Perkara atau Warehouse
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih pakej ini. (Dikira secara automatik sebagai jumlah berat bersih item)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Buat Kemasukan Jurnal Syarikat Antara
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Jumlah diskaun tidak boleh melebihi 100%
@@ -2676,15 +2700,15 @@
 DocType: Sales Order,To Deliver and Bill,Untuk Menghantar dan Rang Undang-undang
 DocType: Student Group,Instructors,pengajar
 DocType: GL Entry,Credit Amount in Account Currency,Jumlah Kredit dalam Mata Wang Akaun
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} hendaklah dikemukakan
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Pengurusan Saham
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} hendaklah dikemukakan
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Pengurusan Saham
 DocType: Authorization Control,Authorization Control,Kawalan Kuasa
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Warehouse Telah adalah wajib terhadap Perkara ditolak {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Pembayaran
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Warehouse Telah adalah wajib terhadap Perkara ditolak {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Pembayaran
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Warehouse {0} tidak dikaitkan dengan mana-mana akaun, sila sebutkan akaun dalam rekod gudang atau menetapkan akaun inventori lalai dalam syarikat {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Menguruskan pesanan anda
 DocType: Work Order Operation,Actual Time and Cost,Masa sebenar dan Kos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Permintaan Bahan maksimum {0} boleh dibuat untuk Perkara {1} terhadap Sales Order {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Permintaan Bahan maksimum {0} boleh dibuat untuk Perkara {1} terhadap Sales Order {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Spread Tanaman
 DocType: Course,Course Abbreviation,Singkatan Course
@@ -2696,6 +2720,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Jumlah jam kerja tidak harus lebih besar daripada waktu kerja max {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Pada
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Barangan bundle pada masa jualan.
+DocType: Delivery Settings,Dispatch Settings,Tetapan Pengiriman
 DocType: Material Request Plan Item,Actual Qty,Kuantiti Sebenar
 DocType: Sales Invoice Item,References,Rujukan
 DocType: Quality Inspection Reading,Reading 10,Membaca 10
@@ -2705,11 +2730,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Anda telah memasukkan perkara yang sama. Sila membetulkan dan cuba lagi.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Madya
 DocType: Asset Movement,Asset Movement,Pergerakan aset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Perintah Kerja {0} mesti dihantar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Troli baru
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Perintah Kerja {0} mesti dihantar
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Troli baru
 DocType: Taxable Salary Slab,From Amount,Daripada Jumlah
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Perkara {0} bukan Item bersiri
 DocType: Leave Type,Encashment,Encsment
+DocType: Delivery Settings,Delivery Settings,Tetapan Penghantaran
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Ambil Data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Cuti maksimum dibenarkan dalam cuti jenis {0} adalah {1}
 DocType: SMS Center,Create Receiver List,Cipta Senarai Penerima
 DocType: Vehicle,Wheels,Wheels
@@ -2725,7 +2752,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Mata wang penagihan mestilah sama dengan mata wang syarikat atau mata wang akaun pihak ketiga
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Menunjukkan bahawa pakej itu adalah sebahagian daripada penghantaran ini (Hanya Draf)
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Baris {0}: Tarikh Hutang tidak dapat sebelum tarikh siaran
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Baris {0}: Tarikh Hutang tidak dapat sebelum tarikh siaran
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Buat Entry Pembayaran
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Kuantiti untuk Perkara {0} mesti kurang daripada {1}
 ,Sales Invoice Trends,Sales Trend Invois
@@ -2733,12 +2760,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Boleh merujuk berturut-turut hanya jika jenis pertuduhan adalah &#39;Pada Row Jumlah Sebelumnya&#39; atau &#39;Sebelumnya Row Jumlah&#39;
 DocType: Sales Order Item,Delivery Warehouse,Gudang Penghantaran
 DocType: Leave Type,Earned Leave Frequency,Frekuensi Cuti Earned
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tree of Centers Kos kewangan.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Jenis Sub
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tree of Centers Kos kewangan.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Jenis Sub
 DocType: Serial No,Delivery Document No,Penghantaran Dokumen No
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Memastikan Penyampaian Berdasarkan Siri Terbitan No
 DocType: Vital Signs,Furry,Berbulu
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Sila menetapkan &#39;Akaun / Kerugian Keuntungan Pelupusan Aset&#39; dalam Syarikat {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Sila menetapkan &#39;Akaun / Kerugian Keuntungan Pelupusan Aset&#39; dalam Syarikat {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dapatkan Item Dari Pembelian Terimaan
 DocType: Serial No,Creation Date,Tarikh penciptaan
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Lokasi Sasaran diperlukan untuk aset {0}
@@ -2752,11 +2779,12 @@
 DocType: Item,Has Variants,Mempunyai Kelainan
 DocType: Employee Benefit Claim,Claim Benefit For,Manfaat Tuntutan Untuk
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Kemas kini Semula
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Anda telah memilih barangan dari {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Anda telah memilih barangan dari {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nama Pembahagian Bulanan
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID adalah wajib
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID adalah wajib
 DocType: Sales Person,Parent Sales Person,Orang Ibu Bapa Jualan
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Tiada item yang akan diterima adalah tertunggak
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Penjual dan pembeli tidak boleh sama
 DocType: Project,Collect Progress,Kumpulkan Kemajuan
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2772,7 +2800,7 @@
 DocType: Bank Guarantee,Margin Money,Wang Margin
 DocType: Budget,Budget,Bajet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Tetapkan Terbuka
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Asset Item tetap perlu menjadi item tanpa saham.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Asset Item tetap perlu menjadi item tanpa saham.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bajet tidak boleh diberikan terhadap {0}, kerana ia bukan satu akaun Pendapatan atau Perbelanjaan"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Jumlah pengecualian maksimum untuk {0} ialah {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Tercapai
@@ -2790,9 +2818,9 @@
 ,Amount to Deliver,Jumlah untuk Menyampaikan
 DocType: Asset,Insurance Start Date,Tarikh Mula Insurans
 DocType: Salary Component,Flexible Benefits,Manfaat Fleksibel
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Item yang sama telah dimasukkan beberapa kali. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Item yang sama telah dimasukkan beberapa kali. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Permulaan Term Tarikh tidak boleh lebih awal daripada Tarikh Tahun Permulaan Tahun Akademik mana istilah ini dikaitkan (Akademik Tahun {}). Sila betulkan tarikh dan cuba lagi.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Terdapat ralat.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Terdapat ralat.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Pekerja {0} telah memohon untuk {1} antara {2} dan {3}:
 DocType: Guardian,Guardian Interests,Guardian minat
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Kemas kini Nama / Nombor Akaun
@@ -2831,9 +2859,9 @@
 ,Item-wise Purchase History,Perkara-bijak Pembelian Sejarah
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Sila klik pada &#39;Menjana Jadual&#39; mengambil No Serial ditambah untuk Perkara {0}
 DocType: Account,Frozen,Beku
-DocType: Delivery Note,Vehicle Type,jenis kenderaan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,jenis kenderaan
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Jumlah (Syarikat Mata Wang)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Bahan mentah
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Bahan mentah
 DocType: Payment Reconciliation Payment,Reference Row,rujukan Row
 DocType: Installation Note,Installation Time,Masa pemasangan
 DocType: Sales Invoice,Accounting Details,Maklumat Perakaunan
@@ -2842,12 +2870,13 @@
 DocType: Inpatient Record,O Positive,O Positif
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Pelaburan
 DocType: Issue,Resolution Details,Resolusi Butiran
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Jenis Transaksi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Jenis Transaksi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteria Penerimaan
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Sila masukkan Permintaan bahan dalam jadual di atas
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Tiada bayaran balik yang tersedia untuk Kemasukan Jurnal
 DocType: Hub Tracked Item,Image List,Senarai Imej
 DocType: Item Attribute,Attribute Name,Atribut Nama
+DocType: Subscription,Generate Invoice At Beginning Of Period,Buatkan Invois Pada Permulaan Tempoh
 DocType: BOM,Show In Website,Show Dalam Laman Web
 DocType: Loan Application,Total Payable Amount,Jumlah Dibayar
 DocType: Task,Expected Time (in hours),Jangkaan Masa (dalam jam)
@@ -2885,8 +2914,8 @@
 DocType: Employee,Resignation Letter Date,Peletakan jawatan Surat Tarikh
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Peraturan harga yang lagi ditapis berdasarkan kuantiti.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Tidak diset
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Sila menetapkan Tarikh Of Menyertai untuk pekerja {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Sila menetapkan Tarikh Of Menyertai untuk pekerja {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Sila menetapkan Tarikh Of Menyertai untuk pekerja {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Sila menetapkan Tarikh Of Menyertai untuk pekerja {0}
 DocType: Inpatient Record,Discharge,Pelepasan
 DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Bil (melalui Lembaran Time)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ulang Hasil Pelanggan
@@ -2896,13 +2925,13 @@
 DocType: Chapter,Chapter,Bab
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pasangan
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Akaun lalai akan dikemas kini secara automatik dalam Invoice POS apabila mod ini dipilih.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Pilih BOM dan Kuantiti untuk Pengeluaran
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Pilih BOM dan Kuantiti untuk Pengeluaran
 DocType: Asset,Depreciation Schedule,Jadual susutnilai
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Alamat Partner Sales And Hubungi
 DocType: Bank Reconciliation Detail,Against Account,Terhadap Akaun
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Half Tarikh Hari harus antara Dari Tarikh dan To Date
 DocType: Maintenance Schedule Detail,Actual Date,Tarikh sebenar
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Sila tetapkan Pusat Kos Lalai dalam {0} syarikat.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Sila tetapkan Pusat Kos Lalai dalam {0} syarikat.
 DocType: Item,Has Batch No,Mempunyai Batch No
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Billing Tahunan: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2914,7 +2943,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Jenis Shift
 DocType: Student,Personal Details,Maklumat Peribadi
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Sila set &#39;Asset Susutnilai Kos Center&#39; dalam Syarikat {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Sila set &#39;Asset Susutnilai Kos Center&#39; dalam Syarikat {0}
 ,Maintenance Schedules,Jadual Penyelenggaraan
 DocType: Task,Actual End Date (via Time Sheet),Sebenar Tarikh Akhir (melalui Lembaran Time)
 DocType: Soil Texture,Soil Type,Jenis Tanah
@@ -2922,10 +2951,10 @@
 ,Quotation Trends,Trend Sebut Harga
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Perkara Kumpulan tidak dinyatakan dalam perkara induk untuk item {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandat GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debit Untuk akaun mestilah akaun Belum Terima
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debit Untuk akaun mestilah akaun Belum Terima
 DocType: Shipping Rule,Shipping Amount,Penghantaran Jumlah
 DocType: Supplier Scorecard Period,Period Score,Markah Skor
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,menambah Pelanggan
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,menambah Pelanggan
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Sementara menunggu Jumlah
 DocType: Lab Test Template,Special,Khas
 DocType: Loyalty Program,Conversion Factor,Faktor penukaran
@@ -2942,7 +2971,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Tambah Letterhead
 DocType: Program Enrollment,Self-Driving Vehicle,Self-Driving Kenderaan
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Pembekal kad skor pembekal
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials tidak dijumpai untuk Perkara {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials tidak dijumpai untuk Perkara {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Jumlah daun diperuntukkan {0} tidak boleh kurang daripada daun yang telah pun diluluskan {1} bagi tempoh
 DocType: Contract Fulfilment Checklist,Requirement,Keperluan
 DocType: Journal Entry,Accounts Receivable,Akaun-akaun boleh terima
@@ -2959,16 +2988,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,Tetapan HR
 DocType: Salary Slip,net pay info,maklumat gaji bersih
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Jumlah CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Jumlah CESS
 DocType: Woocommerce Settings,Enable Sync,Dayakan Segerak
 DocType: Tax Withholding Rate,Single Transaction Threshold,Ambang Transaksi Single
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Nilai ini dikemas kini dalam Senarai Harga Jualan Lalai.
 DocType: Email Digest,New Expenses,Perbelanjaan baru
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Jumlah PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Jumlah PDC / LC
 DocType: Shareholder,Shareholder,Pemegang Saham
 DocType: Purchase Invoice,Additional Discount Amount,Jumlah Diskaun tambahan
 DocType: Cash Flow Mapper,Position,Jawatan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Dapatkan Item daripada Preskripsi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Dapatkan Item daripada Preskripsi
 DocType: Patient,Patient Details,Maklumat Pesakit
 DocType: Inpatient Record,B Positive,B Positif
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2980,8 +3009,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Kumpulan kepada Bukan Kumpulan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sukan
 DocType: Loan Type,Loan Name,Nama Loan
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Jumlah Sebenar
-DocType: Lab Test UOM,Test UOM,UOM ujian
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Jumlah Sebenar
 DocType: Student Siblings,Student Siblings,Adik-beradik pelajar
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detail Pelan Langganan
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Unit
@@ -3009,7 +3037,6 @@
 DocType: Workstation,Wages per hour,Upah sejam
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Baki saham dalam batch {0} akan menjadi negatif {1} untuk Perkara {2} di Gudang {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Mengikuti Permintaan Bahan telah dibangkitkan secara automatik berdasarkan pesanan semula tahap Perkara ini
-DocType: Email Digest,Pending Sales Orders,Sementara menunggu Jualan Pesanan
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Akaun {0} tidak sah. Mata Wang Akaun mesti {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Dari Tarikh {0} tidak boleh selepas Tarikh melegakan pekerja {1}
 DocType: Supplier,Is Internal Supplier,Pembekal Dalaman
@@ -3018,13 +3045,14 @@
 DocType: Healthcare Settings,Remind Before,Ingatkan Sebelum
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Penukaran diperlukan berturut-turut {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Perintah Jualan, Jualan Invois atau Kemasukan Journal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Perintah Jualan, Jualan Invois atau Kemasukan Journal"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Mata Kesetiaan = Berapa banyak mata wang asas?
 DocType: Salary Component,Deduction,Potongan
 DocType: Item,Retain Sample,Kekalkan Sampel
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Masa dan Untuk Masa adalah wajib.
 DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbezaan
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Perkara Harga ditambah untuk {0} dalam senarai harga {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Perkara Harga ditambah untuk {0} dalam senarai harga {1}
+DocType: Delivery Stop,Order Information,Maklumat Pesanan
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Sila masukkan ID Pekerja orang jualan ini
 DocType: Territory,Classification of Customers by region,Pengelasan Pelanggan mengikut wilayah
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Dalam Pengeluaran
@@ -3035,8 +3063,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Dikira-kira Penyata Bank
 DocType: Normal Test Template,Normal Test Template,Templat Ujian Normal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,pengguna orang kurang upaya
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Sebut Harga
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Tidak dapat menetapkan RFQ yang diterima untuk Tiada Kata Sebut
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Sebut Harga
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Tidak dapat menetapkan RFQ yang diterima untuk Tiada Kata Sebut
 DocType: Salary Slip,Total Deduction,Jumlah Potongan
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Pilih akaun untuk mencetak dalam mata wang akaun
 ,Production Analytics,Analytics pengeluaran
@@ -3049,14 +3077,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Persediaan Kad Scorecard Pembekal
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Nama Pelan Penilaian
 DocType: Work Order Operation,Work Order Operation,Operasi Perintah Kerja
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Amaran: Sijil SSL tidak sah pada lampiran {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Amaran: Sijil SSL tidak sah pada lampiran {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads membantu anda mendapatkan perniagaan, tambah semua kenalan anda dan lebih sebagai petunjuk anda"
 DocType: Work Order Operation,Actual Operation Time,Masa Sebenar Operasi
 DocType: Authorization Rule,Applicable To (User),Terpakai Untuk (pengguna)
 DocType: Purchase Taxes and Charges,Deduct,Memotong
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Penerangan mengenai Jawatan
 DocType: Student Applicant,Applied,Applied
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Buka semula
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Buka semula
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qty seperti Saham UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nama Guardian2
 DocType: Attendance,Attendance Request,Permintaan Kehadiran
@@ -3074,7 +3102,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},No siri {0} adalah di bawah jaminan hamper {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Nilai Minimum yang Dibenarkan
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Pengguna {0} sudah wujud
-apps/erpnext/erpnext/hooks.py +114,Shipments,Penghantaran
+apps/erpnext/erpnext/hooks.py +115,Shipments,Penghantaran
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Jumlah Peruntukan (Syarikat Mata Wang)
 DocType: Purchase Order Item,To be delivered to customer,Yang akan dihantar kepada pelanggan
 DocType: BOM,Scrap Material Cost,Kos Scrap Material
@@ -3082,11 +3110,12 @@
 DocType: Grant Application,Email Notification Sent,Pemberitahuan E-mel Dihantar
 DocType: Purchase Invoice,In Words (Company Currency),Dalam Perkataan (Syarikat mata wang)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Syarikat adalah pembadanan untuk akaun syarikat
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Kod Perkara, gudang, kuantiti diperlukan pada baris"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Kod Perkara, gudang, kuantiti diperlukan pada baris"
 DocType: Bank Guarantee,Supplier,Pembekal
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Dapatkan Daripada
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ini adalah jabatan root dan tidak dapat diedit.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Tunjukkan Butiran Pembayaran
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Tempoh dalam Hari
 DocType: C-Form,Quarter,Suku
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Perbelanjaan Pelbagai
 DocType: Global Defaults,Default Company,Syarikat Default
@@ -3094,7 +3123,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Perbelanjaan atau akaun perbezaan adalah wajib bagi Perkara {0} kerana ia kesan nilai saham keseluruhan
 DocType: Bank,Bank Name,Nama Bank
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Di atas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Biarkan medan kosong untuk membuat pesanan pembelian untuk semua pembekal
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Biarkan medan kosong untuk membuat pesanan pembelian untuk semua pembekal
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Item Cuti Lawatan Pesakit Dalam
 DocType: Vital Signs,Fluid,Cecair
 DocType: Leave Application,Total Leave Days,Jumlah Hari Cuti
@@ -3104,7 +3133,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Tetapan Variasi Item
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Pilih Syarikat ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Tinggalkan kosong jika dipertimbangkan untuk semua jabatan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} adalah wajib bagi Perkara {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} adalah wajib bagi Perkara {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Perkara {0}: {1} qty dihasilkan,"
 DocType: Payroll Entry,Fortnightly,setiap dua minggu
 DocType: Currency Exchange,From Currency,Dari Mata Wang
@@ -3154,7 +3183,7 @@
 DocType: Account,Fixed Asset,Aset Tetap
 DocType: Amazon MWS Settings,After Date,Selepas Tarikh
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventori bersiri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Invalid {0} untuk Invois Syarikat Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Invalid {0} untuk Invois Syarikat Inter.
 ,Department Analytics,Jabatan Analisis
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-mel tidak dijumpai dalam hubungan lalai
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Menjana Rahsia
@@ -3173,6 +3202,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Ketua Pegawai Eksekutif
 DocType: Purchase Invoice,With Payment of Tax,Dengan Pembayaran Cukai
 DocType: Expense Claim Detail,Expense Claim Detail,Perbelanjaan Tuntutan Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Sila persiapkan Sistem Menamakan Pengajar dalam Pendidikan&gt; Tetapan Pendidikan
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Tiga salinan BAGI PEMBEKAL
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,New Balance In Currency Base
 DocType: Location,Is Container,Adakah Container
@@ -3180,13 +3210,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Sila pilih akaun yang betul
 DocType: Salary Structure Assignment,Salary Structure Assignment,Penugasan Struktur Gaji
 DocType: Purchase Invoice Item,Weight UOM,Berat UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Senarai Pemegang Saham yang tersedia dengan nombor folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Senarai Pemegang Saham yang tersedia dengan nombor folio
 DocType: Salary Structure Employee,Salary Structure Employee,Struktur Gaji pekerja
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Tunjukkan Atribut Variasi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Tunjukkan Atribut Variasi
 DocType: Student,Blood Group,Kumpulan Darah
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Akaun gerbang pembayaran dalam pelan {0} adalah berbeza daripada akaun gerbang pembayaran dalam permintaan pembayaran ini
 DocType: Course,Course Name,Nama kursus
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Tiada data Pegangan Cukai yang dijumpai untuk Tahun Fiskal semasa.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Tiada data Pegangan Cukai yang dijumpai untuk Tahun Fiskal semasa.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Pengguna yang boleh meluluskan permohonan cuti kakitangan yang khusus
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Peralatan Pejabat
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3194,6 +3224,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Persediaan Pemarkahan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronik
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Benarkan Item Sifar Beberapa Kali
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Meningkatkan Bahan Permintaan apabila saham mencapai tahap semula perintah-
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Sepenuh masa
 DocType: Payroll Entry,Employees,pekerja
@@ -3205,11 +3236,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Pengesahan pembayaran
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Harga tidak akan dipaparkan jika Senarai Harga tidak ditetapkan
 DocType: Stock Entry,Total Incoming Value,Jumlah Nilai masuk
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debit Untuk diperlukan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debit Untuk diperlukan
 DocType: Clinical Procedure,Inpatient Record,Rekod Pesakit Dalam
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets membantu menjejaki masa, kos dan bil untuk kegiatan yang dilakukan oleh pasukan anda"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Pembelian Senarai Harga
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Tarikh Transaksi
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Pembelian Senarai Harga
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Tarikh Transaksi
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Templat pemboleh ubah kad skor pembekal.
 DocType: Job Offer Term,Offer Term,Tawaran Jangka
 DocType: Asset,Quality Manager,Pengurus Kualiti
@@ -3230,11 +3261,11 @@
 DocType: Cashier Closing,To Time,Untuk Masa
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) untuk {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Meluluskan Peranan (di atas nilai yang diberi kuasa)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredit Untuk akaun mestilah akaun Dibayar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredit Untuk akaun mestilah akaun Dibayar
 DocType: Loan,Total Amount Paid,Jumlah Amaun Dibayar
 DocType: Asset,Insurance End Date,Tarikh Akhir Insurans
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Sila pilih Kemasukan Pelajar yang wajib bagi pemohon pelajar berbayar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekursi: {0} tidak boleh menjadi ibu bapa atau kanak-kanak {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekursi: {0} tidak boleh menjadi ibu bapa atau kanak-kanak {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Senarai Belanjawan
 DocType: Work Order Operation,Completed Qty,Siap Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Untuk {0}, akaun debit hanya boleh dikaitkan dengan kemasukan kredit lain"
@@ -3242,7 +3273,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Perkara bersiri {0} tidak boleh dikemas kini menggunakan Stock Perdamaian, sila gunakan Kemasukan Stock"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Perkara bersiri {0} tidak boleh dikemas kini menggunakan Stock Perdamaian, sila gunakan Kemasukan Stock"
 DocType: Training Event Employee,Training Event Employee,Training Event pekerja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Sampel Maksimum - {0} boleh dikekalkan untuk Batch {1} dan Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Sampel Maksimum - {0} boleh dikekalkan untuk Batch {1} dan Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Tambah Slot Masa
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} nombor siri yang diperlukan untuk item {1}. Anda telah menyediakan {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Kadar Penilaian semasa
@@ -3273,11 +3304,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,No siri {0} tidak dijumpai
 DocType: Fee Schedule Program,Fee Schedule Program,Program Jadual Bayaran
 DocType: Fee Schedule Program,Student Batch,Batch pelajar
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Sila padamkan Pekerja <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Buat Pelajar
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Gred Min
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Jenis Unit Perkhidmatan Penjagaan Kesihatan
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Anda telah dijemput untuk bekerjasama dalam projek: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Anda telah dijemput untuk bekerjasama dalam projek: {0}
 DocType: Supplier Group,Parent Supplier Group,Kumpulan Pembekal Ibu Bapa
+DocType: Email Digest,Purchase Orders to Bill,Pesanan Belian kepada Rang Undang-Undang
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Nilai Terkumpul dalam Kumpulan Syarikat
 DocType: Leave Block List Date,Block Date,Sekat Tarikh
 DocType: Crop,Crop,Potong
@@ -3290,6 +3324,7 @@
 DocType: Sales Order,Not Delivered,Tidak Dihantar
 ,Bank Clearance Summary,Bank Clearance Ringkasan
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Membuat dan menguruskan mencerna e-mel harian, mingguan dan bulanan."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Ini berdasarkan urusniaga terhadap Orang Jualan ini. Lihat garis masa di bawah untuk maklumat lanjut
 DocType: Appraisal Goal,Appraisal Goal,Penilaian Matlamat
 DocType: Stock Reconciliation Item,Current Amount,Jumlah Semasa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,bangunan
@@ -3316,7 +3351,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Hubungi Selepas Tarikh tidak boleh pada masa lalu
 DocType: Company,For Reference Only.,Untuk Rujukan Sahaja.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Pilih Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Pilih Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Tidak sah {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Rujuk Rujukan
@@ -3334,16 +3369,16 @@
 DocType: Normal Test Items,Require Result Value,Memerlukan Nilai Hasil
 DocType: Item,Show a slideshow at the top of the page,Menunjukkan tayangan slaid di bahagian atas halaman
 DocType: Tax Withholding Rate,Tax Withholding Rate,Kadar Pegangan Cukai
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Kedai
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Kedai
 DocType: Project Type,Projects Manager,Projek Pengurus
 DocType: Serial No,Delivery Time,Masa penghantaran
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Penuaan Berasaskan
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Pelantikan dibatalkan
 DocType: Item,End of Life,Akhir Hayat
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Perjalanan
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Perjalanan
 DocType: Student Report Generation Tool,Include All Assessment Group,Termasuk Semua Kumpulan Penilaian
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Tiada Struktur aktif atau Gaji lalai dijumpai untuk pekerja {0} pada tarikh yang diberikan
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Tiada Struktur aktif atau Gaji lalai dijumpai untuk pekerja {0} pada tarikh yang diberikan
 DocType: Leave Block List,Allow Users,Benarkan Pengguna
 DocType: Purchase Order,Customer Mobile No,Pelanggan Bimbit
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Butiran Templat Pemetaan Aliran Tunai
@@ -3352,15 +3387,16 @@
 DocType: Rename Tool,Rename Tool,Nama semula Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Update Kos
 DocType: Item Reorder,Item Reorder,Perkara Reorder
+DocType: Delivery Note,Mode of Transport,Mod Pengangkutan
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Show Slip Gaji
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Pemindahan Bahan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Pemindahan Bahan
 DocType: Fees,Send Payment Request,Hantar Permintaan Bayaran
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Nyatakan operasi, kos operasi dan memberikan Operasi unik tidak kepada operasi anda."
 DocType: Travel Request,Any other details,Sebarang butiran lain
 DocType: Water Analysis,Origin,Asal
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dokumen ini melebihi had oleh {0} {1} untuk item {4}. Adakah anda membuat terhadap yang sama satu lagi {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Sila menetapkan berulang selepas menyimpan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Pilih perubahan kira jumlah
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Sila menetapkan berulang selepas menyimpan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Pilih perubahan kira jumlah
 DocType: Purchase Invoice,Price List Currency,Senarai Harga Mata Wang
 DocType: Naming Series,User must always select,Pengguna perlu sentiasa pilih
 DocType: Stock Settings,Allow Negative Stock,Benarkan Saham Negatif
@@ -3381,9 +3417,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,kebolehkesanan
 DocType: Asset Maintenance Log,Actions performed,Tindakan dilakukan
 DocType: Cash Flow Mapper,Section Leader,Bahagian Pemimpin
+DocType: Delivery Note,Transport Receipt No,Resit Pengangkutan No
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Sumber Dana (Liabiliti)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Lokasi Sumber dan Sasaran tidak boleh sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kuantiti berturut-turut {0} ({1}) mestilah sama dengan kuantiti yang dikeluarkan {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kuantiti berturut-turut {0} ({1}) mestilah sama dengan kuantiti yang dikeluarkan {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Pekerja
 DocType: Bank Guarantee,Fixed Deposit Number,Nombor Deposit Tetap
 DocType: Asset Repair,Failure Date,Tarikh Kegagalan
@@ -3397,16 +3434,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Potongan bayaran atau Kehilangan
 DocType: Soil Analysis,Soil Analysis Criterias,Kriterias Analisis Tanah
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Terma kontrak standard untuk Jualan atau Beli.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Adakah anda pasti ingin membatalkan janji temu ini?
+DocType: BOM Item,Item operation,Operasi item
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Adakah anda pasti ingin membatalkan janji temu ini?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Pakej Harga Bilik Hotel
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline jualan
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Pipeline jualan
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Sila menetapkan akaun lalai dalam Komponen Gaji {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Diperlukan Pada
 DocType: Rename Tool,File to Rename,Fail untuk Namakan semula
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Sila pilih BOM untuk Item dalam Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Mengambil Update Langganan
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Akaun {0} tidak sepadan dengan Syarikat {1} dalam Kaedah akaun: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Dinyatakan BOM {0} tidak wujud untuk Perkara {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Dinyatakan BOM {0} tidak wujud untuk Perkara {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kursus:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadual Penyelenggaraan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini
@@ -3415,7 +3453,7 @@
 DocType: Notification Control,Expense Claim Approved,Perbelanjaan Tuntutan Diluluskan
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Tetapkan Pendahuluan dan Alokasi (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Tiada Perintah Kerja dibuat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Slip gaji pekerja {0} telah dicipta untuk tempoh ini
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Slip gaji pekerja {0} telah dicipta untuk tempoh ini
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmasi
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Anda hanya boleh menyerahkan Tolak Encik untuk jumlah encashment yang sah
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kos Item Dibeli
@@ -3423,7 +3461,8 @@
 DocType: Selling Settings,Sales Order Required,Pesanan Jualan Diperlukan
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Menjadi Penjual
 DocType: Purchase Invoice,Credit To,Kredit Untuk
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Leads aktif / Pelanggan
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Leads aktif / Pelanggan
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Biarkan kosong untuk menggunakan format Nota Penghantaran standard
 DocType: Employee Education,Post Graduate,Siswazah
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Jadual Penyelenggaraan Terperinci
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Amalkan pesanan baru
@@ -3437,14 +3476,14 @@
 DocType: Support Search Source,Post Title Key,Kunci Tajuk Utama
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Untuk Kad Kerja
 DocType: Warranty Claim,Raised By,Dibangkitkan Oleh
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Resipi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Resipi
 DocType: Payment Gateway Account,Payment Account,Akaun Pembayaran
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Sila nyatakan Syarikat untuk meneruskan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Sila nyatakan Syarikat untuk meneruskan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Perubahan Bersih dalam Akaun Belum Terima
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Pampasan Off
 DocType: Job Offer,Accepted,Diterima
 DocType: POS Closing Voucher,Sales Invoices Summary,Ringkasan Invois Jualan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Kepada Nama Pihak
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Kepada Nama Pihak
 DocType: Grant Application,Organization,organisasi
 DocType: Grant Application,Organization,organisasi
 DocType: BOM Update Tool,BOM Update Tool,Alat Kemaskini BOM
@@ -3454,7 +3493,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Sila pastikan anda benar-benar ingin memadam semua urus niaga bagi syarikat ini. Data induk anda akan kekal kerana ia adalah. Tindakan ini tidak boleh dibuat asal.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Keputusan Carian
 DocType: Room,Room Number,Nombor bilik
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Rujukan tidak sah {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Rujukan tidak sah {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak boleh lebih besar dari kuantiti yang dirancang ({2}) dalam Pesanan Pengeluaran {3}
 DocType: Shipping Rule,Shipping Rule Label,Peraturan Penghantaran Label
 DocType: Journal Entry Account,Payroll Entry,Kemasukan Payroll
@@ -3462,8 +3501,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Buat Templat Cukai
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum pengguna
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Bahan mentah tidak boleh kosong.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Baris # {0} (Jadual Pembayaran): Jumlah mestilah negatif
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Tidak dapat kemas kini saham, invois mengandungi drop item penghantaran."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Baris # {0} (Jadual Pembayaran): Jumlah mestilah negatif
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Tidak dapat kemas kini saham, invois mengandungi drop item penghantaran."
 DocType: Contract,Fulfilment Status,Status Penyempurnaan
 DocType: Lab Test Sample,Lab Test Sample,Sampel Ujian Makmal
 DocType: Item Variant Settings,Allow Rename Attribute Value,Benarkan Namakan Nilai Atribut
@@ -3505,11 +3544,11 @@
 DocType: BOM,Show Operations,Show Operasi
 ,Minutes to First Response for Opportunity,Minit ke Response Pertama bagi Peluang
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Jumlah Tidak hadir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Perkara atau Gudang untuk baris {0} tidak sepadan Bahan Permintaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Perkara atau Gudang untuk baris {0} tidak sepadan Bahan Permintaan
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Unit Tindakan
 DocType: Fiscal Year,Year End Date,Tahun Tarikh Akhir
 DocType: Task Depends On,Task Depends On,Petugas Bergantung Pada
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Peluang
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Peluang
 DocType: Operation,Default Workstation,Workstation Default
 DocType: Notification Control,Expense Claim Approved Message,Mesej perbelanjaan Tuntutan Diluluskan
 DocType: Payment Entry,Deductions or Loss,Potongan atau Kehilangan
@@ -3547,21 +3586,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Meluluskan pengguna tidak boleh menjadi sama seperti pengguna peraturan adalah Terpakai Untuk
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Kadar asas (seperti Stock UOM)
 DocType: SMS Log,No of Requested SMS,Jumlah SMS yang diminta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Cuti Tanpa Gaji tidak sepadan dengan rekod Cuti Permohonan diluluskan
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Cuti Tanpa Gaji tidak sepadan dengan rekod Cuti Permohonan diluluskan
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Langkah seterusnya
 DocType: Travel Request,Domestic,Domestik
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Sila membekalkan barangan tertentu pada kadar terbaik mungkin
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Sila membekalkan barangan tertentu pada kadar terbaik mungkin
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Pemindahan Pekerja tidak boleh dikemukakan sebelum Tarikh Pemindahan
 DocType: Certification Application,USD,Dolar Amerika
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Buat Invois
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Baki yang tinggal
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Baki yang tinggal
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Peluang dekat selepas 15 hari
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Pesanan Pembelian tidak dibenarkan untuk {0} disebabkan kedudukan kad skor {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Barcode {0} bukan kod {1} yang sah
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Barcode {0} bukan kod {1} yang sah
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,akhir Tahun
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Kontrak Tarikh Akhir mesti lebih besar daripada Tarikh Menyertai
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Kontrak Tarikh Akhir mesti lebih besar daripada Tarikh Menyertai
 DocType: Driver,Driver,Pemandu
 DocType: Vital Signs,Nutrition Values,Nilai pemakanan
 DocType: Lab Test Template,Is billable,Boleh ditebus
@@ -3572,7 +3611,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Ini adalah laman contoh automatik dihasilkan daripada ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Range Penuaan 1
 DocType: Shopify Settings,Enable Shopify,Dayakan Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Jumlah pendahuluan tidak boleh melebihi jumlah yang dituntut
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Jumlah pendahuluan tidak boleh melebihi jumlah yang dituntut
 DocType: Purchase Taxes and Charges Template,"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
@@ -3599,12 +3638,12 @@
 DocType: Employee Separation,Employee Separation,Pemisahan Pekerja
 DocType: BOM Item,Original Item,Item Asal
 DocType: Purchase Receipt Item,Recd Quantity,Recd Kuantiti
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Tarikh Dokumen
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Tarikh Dokumen
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Rekod Bayaran Dibuat - {0}
 DocType: Asset Category Account,Asset Category Account,Akaun Kategori Asset
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Baris # {0} (Jadual Pembayaran): Jumlah mestilah positif
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Baris # {0} (Jadual Pembayaran): Jumlah mestilah positif
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Tidak boleh menghasilkan Perkara lebih {0} daripada kuantiti Sales Order {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Pilih Nilai Atribut
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Pilih Nilai Atribut
 DocType: Purchase Invoice,Reason For Issuing document,Sebab Pembuat dokumen
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Saham Entry {0} tidak dikemukakan
 DocType: Payment Reconciliation,Bank / Cash Account,Akaun Bank / Tunai
@@ -3613,8 +3652,10 @@
 DocType: Asset,Manual,manual
 DocType: Salary Component Account,Salary Component Account,Akaun Komponen Gaji
 DocType: Global Defaults,Hide Currency Symbol,Menyembunyikan Simbol mata wang
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Peluang Jualan oleh Sumber
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Maklumat penderma.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","contohnya Bank, Tunai, Kad Kredit"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan&gt; Penomboran Siri
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","contohnya Bank, Tunai, Kad Kredit"
 DocType: Job Applicant,Source Name,Nama Source
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tekanan darah normal pada orang dewasa adalah kira-kira 120 mmHg sistolik, dan 80 mmHg diastolik, disingkat &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Tetapkan hayat item pada hari-hari, untuk menetapkan tamat tempoh berdasarkan manufacturing_date ditambah kehidupan diri"
@@ -3644,7 +3685,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Untuk Kuantiti mestilah kurang daripada kuantiti {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Tarikh Mula mestilah sebelum Tarikh Akhir
 DocType: Salary Component,Max Benefit Amount (Yearly),Jumlah Faedah Maksimum (Tahunan)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Kadar TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Kadar TDS%
 DocType: Crop,Planting Area,Kawasan Penanaman
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Jumlah (Kuantiti)
 DocType: Installation Note Item,Installed Qty,Dipasang Qty
@@ -3666,8 +3707,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Berikan Pemberitahuan Kelulusan
 DocType: Buying Settings,Default Buying Price List,Default Senarai Membeli Harga
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip Gaji Berdasarkan Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Kadar Beli
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Baris {0}: Masukkan lokasi untuk item aset {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Kadar Beli
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Baris {0}: Masukkan lokasi untuk item aset {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Mengenai Syarikat
 DocType: Notification Control,Sales Order Message,Pesanan Jualan Mesej
@@ -3734,10 +3775,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Untuk baris {0}: Masukkan qty yang dirancang
 DocType: Account,Income Account,Akaun Pendapatan
 DocType: Payment Request,Amount in customer's currency,Amaun dalam mata wang pelanggan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Penghantaran
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Penghantaran
 DocType: Volunteer,Weekdays,Harijadi
 DocType: Stock Reconciliation Item,Current Qty,Kuantiti semasa
 DocType: Restaurant Menu,Restaurant Menu,Menu Restoran
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Tambah Pembekal
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Bantuan Bahagian
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,terdahulu
@@ -3749,19 +3791,20 @@
 												fullfill Sales Order {2}",Tidak dapat menghantar Serial No {0} item {1} kerana ia dikhaskan untuk \ fullfill Order Sales {2}
 DocType: Item Reorder,Material Request Type,Permintaan Jenis Bahan
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Hantar E-mel Semakan Hibah
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyelamatkan"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Faktor Penukaran UOM adalah wajib
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyelamatkan"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Faktor Penukaran UOM adalah wajib
 DocType: Employee Benefit Claim,Claim Date,Tarikh Tuntutan
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kapasiti Bilik
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Sudah ada rekod untuk item {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Anda akan kehilangan rekod invois yang dijana sebelum ini. Adakah anda pasti mahu memulakan semula langganan ini?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Yuran pendaftaran
 DocType: Loyalty Program Collection,Loyalty Program Collection,Koleksi Program Kesetiaan
 DocType: Stock Entry Detail,Subcontracted Item,Item Subkontrak
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Pelajar {0} tidak tergolong dalam kumpulan {1}
 DocType: Budget,Cost Center,PTJ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Baucer #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Baucer #
 DocType: Notification Control,Purchase Order Message,Membeli Pesanan Mesej
 DocType: Tax Rule,Shipping Country,Penghantaran Negara
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Menyembunyikan Id Cukai Pelanggan dari Transaksi Jualan
@@ -3780,23 +3823,22 @@
 DocType: Subscription,Cancel At End Of Period,Batalkan Pada Akhir Tempoh
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Harta sudah ditambah
 DocType: Item Supplier,Item Supplier,Perkara Pembekal
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Sila masukkan Kod Item untuk mendapatkan kumpulan tidak
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Sila pilih nilai untuk {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Sila masukkan Kod Item untuk mendapatkan kumpulan tidak
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Sila pilih nilai untuk {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Tiada Item yang dipilih untuk dipindahkan
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Semua Alamat.
 DocType: Company,Stock Settings,Tetapan saham
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Penggabungan hanya boleh dilakukan jika sifat berikut adalah sama dalam kedua-dua rekod. Adalah Kumpulan, Jenis Akar, Syarikat"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Penggabungan hanya boleh dilakukan jika sifat berikut adalah sama dalam kedua-dua rekod. Adalah Kumpulan, Jenis Akar, Syarikat"
 DocType: Vehicle,Electric,Electric
 DocType: Task,% Progress,% Kemajuan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Keuntungan / Kerugian daripada Pelupusan Aset
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Hanya Pemohon Pelajar dengan status &quot;Diluluskan&quot; akan dipilih dalam jadual di bawah.
 DocType: Tax Withholding Category,Rates,Kadar
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Nombor akaun untuk akaun {0} tidak tersedia. <br> Sila persiapkan Carta Akaun anda dengan betul.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Nombor akaun untuk akaun {0} tidak tersedia. <br> Sila persiapkan Carta Akaun anda dengan betul.
 DocType: Task,Depends on Tasks,Bergantung kepada Tugas
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Menguruskan Tree Kumpulan Pelanggan.
 DocType: Normal Test Items,Result Value,Nilai Hasil
 DocType: Hotel Room,Hotels,Hotel
-DocType: Delivery Note,Transporter Date,Tarikh Pengangkut
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New Nama PTJ
 DocType: Leave Control Panel,Leave Control Panel,Tinggalkan Panel Kawalan
 DocType: Project,Task Completion,Petugas Siap
@@ -3843,11 +3885,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Semua Kumpulan Penilaian
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nama Warehouse New
 DocType: Shopify Settings,App Type,Jenis Apl
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Jumlah {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Jumlah {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Wilayah
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Sila menyebut ada lawatan diperlukan
 DocType: Stock Settings,Default Valuation Method,Kaedah Penilaian Default
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Bayaran
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Tunjukkan Jumlah Kumulatif
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Kemas kini sedang dijalankan. Ia mungkin mengambil sedikit masa.
 DocType: Production Plan Item,Produced Qty,Dikenali Qty
 DocType: Vehicle Log,Fuel Qty,Fuel Qty
@@ -3855,7 +3898,7 @@
 DocType: Work Order Operation,Planned Start Time,Dirancang Mula Masa
 DocType: Course,Assessment,penilaian
 DocType: Payment Entry Reference,Allocated,Diperuntukkan
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Kunci Kira-kira rapat dan buku Untung atau Rugi.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Kunci Kira-kira rapat dan buku Untung atau Rugi.
 DocType: Student Applicant,Application Status,Status permohonan
 DocType: Additional Salary,Salary Component Type,Jenis Komponen Gaji
 DocType: Sensitivity Test Items,Sensitivity Test Items,Item Uji Kepekaan
@@ -3866,10 +3909,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Jumlah Cemerlang
 DocType: Sales Partner,Targets,Sasaran
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Sila daftar nombor SIREN dalam fail maklumat syarikat
+DocType: Email Digest,Sales Orders to Bill,Pesanan Jualan kepada Rang Undang-Undang
 DocType: Price List,Price List Master,Senarai Harga Master
 DocType: GST Account,CESS Account,Akaun CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Semua Transaksi Jualan boleh tagged terhadap pelbagai ** Jualan Orang ** supaya anda boleh menetapkan dan memantau sasaran.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Pautan ke Permintaan Bahan
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Pautan ke Permintaan Bahan
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Aktiviti Forum
 ,S.O. No.,PP No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Item Tetapan Urus Niaga Penyata Bank
@@ -3884,7 +3928,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Ini adalah kumpulan pelanggan akar dan tidak boleh diedit.
 DocType: Student,AB-,AB
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Tindakan jika Bajet Bulanan Terkumpul Melebihi PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Ke tempat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Ke tempat
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Penilaian Semula Kadar Pertukaran
 DocType: POS Profile,Ignore Pricing Rule,Abaikan Peraturan Harga
 DocType: Employee Education,Graduate,Siswazah
@@ -3921,6 +3965,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Sila tetapkan pelanggan lalai dalam Tetapan Restoran
 ,Salary Register,gaji Daftar
 DocType: Warehouse,Parent Warehouse,Warehouse Ibu Bapa
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Carta
 DocType: Subscription,Net Total,Jumlah bersih
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Lalai BOM tidak dijumpai untuk Perkara {0} dan Projek {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Tentukan pelbagai jenis pinjaman
@@ -3953,24 +3998,26 @@
 DocType: Membership,Membership Status,Status Keahlian
 DocType: Travel Itinerary,Lodging Required,Penginapan Diperlukan
 ,Requested,Diminta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Tidak Catatan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Tidak Catatan
 DocType: Asset,In Maintenance,Dalam Penyelenggaraan
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik butang ini untuk menarik data Pesanan Jualan anda dari Amazon MWS.
 DocType: Vital Signs,Abdomen,Abdomen
 DocType: Purchase Invoice,Overdue,Tertunggak
 DocType: Account,Stock Received But Not Billed,Saham Diterima Tetapi Tidak Membilkan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Akaun root mestilah kumpulan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Akaun root mestilah kumpulan
 DocType: Drug Prescription,Drug Prescription,Preskripsi Dadah
 DocType: Loan,Repaid/Closed,Dibayar balik / Ditutup
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Jumlah unjuran Qty
 DocType: Monthly Distribution,Distribution Name,Nama pengedaran
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Termasuk UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Kadar penilaian tidak dijumpai untuk Item {0}, yang diperlukan untuk melakukan penyertaan perakaunan untuk {1} {2}. Sekiranya item tersebut berurusniaga sebagai item kadar penilaian sifar dalam {1}, nyatakan di dalam jadual {1} Item. Jika tidak, sila buat urus niaga saham yang masuk untuk item tersebut atau sebutkan kadar penilaian dalam rekod Item, dan kemudian cuba menyerahkan / membatalkan entri ini"
 DocType: Course,Course Code,Kod kursus
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Pemeriksaan kualiti yang diperlukan untuk Perkara {0}
 DocType: Location,Parent Location,Lokasi Ibu Bapa
 DocType: POS Settings,Use POS in Offline Mode,Gunakan POS dalam Mod Luar Talian
 DocType: Supplier Scorecard,Supplier Variables,Pembolehubah Pembekal
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} adalah wajib. Mungkin rekod Pertukaran Mata Wang tidak dibuat untuk {1} hingga {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Kadar di mana pelanggan mata wang ditukar kepada mata wang asas syarikat
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Kadar bersih (Syarikat mata wang)
 DocType: Salary Detail,Condition and Formula Help,Keadaan dan Formula Bantuan
@@ -3979,19 +4026,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Invois jualan
 DocType: Journal Entry Account,Party Balance,Baki pihak
 DocType: Cash Flow Mapper,Section Subtotal,Subtotal Seksyen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Sila pilih Memohon Diskaun Pada
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Sila pilih Memohon Diskaun Pada
 DocType: Stock Settings,Sample Retention Warehouse,Gudang Retensi Sampel
 DocType: Company,Default Receivable Account,Default Akaun Belum Terima
 DocType: Purchase Invoice,Deemed Export,Dianggap Eksport
 DocType: Stock Entry,Material Transfer for Manufacture,Pemindahan Bahan untuk Pembuatan
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Peratus diskaun boleh digunakan baik dengan menentang Senarai Harga atau untuk semua Senarai Harga.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Catatan Perakaunan untuk Stok
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Catatan Perakaunan untuk Stok
 DocType: Lab Test,LabTest Approver,Penyertaan LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Anda telah pun dinilai untuk kriteria penilaian {}.
 DocType: Vehicle Service,Engine Oil,Minyak enjin
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Perintah Kerja Dibuat: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Perintah Kerja Dibuat: {0}
 DocType: Sales Invoice,Sales Team1,Team1 Jualan
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Perkara {0} tidak wujud
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Perkara {0} tidak wujud
 DocType: Sales Invoice,Customer Address,Alamat Pelanggan
 DocType: Loan,Loan Details,Butiran pinjaman
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Gagal menyediakan persediaan syarikat pos
@@ -4012,34 +4059,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Menunjukkan tayangan gambar ini di bahagian atas halaman
 DocType: BOM,Item UOM,Perkara UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Amaun Cukai Selepas Jumlah Diskaun (Syarikat mata wang)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Gudang sasaran adalah wajib untuk berturut-turut {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Gudang sasaran adalah wajib untuk berturut-turut {0}
 DocType: Cheque Print Template,Primary Settings,Tetapan utama
 DocType: Attendance Request,Work From Home,Bekerja dari rumah
 DocType: Purchase Invoice,Select Supplier Address,Pilih Alamat Pembekal
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Tambahkan Pekerja
 DocType: Purchase Invoice Item,Quality Inspection,Pemeriksaan Kualiti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Tambahan Kecil
 DocType: Company,Standard Template,Template standard
 DocType: Training Event,Theory,teori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Amaran: Bahan Kuantiti yang diminta adalah kurang daripada Minimum Kuantiti Pesanan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Amaran: Bahan Kuantiti yang diminta adalah kurang daripada Minimum Kuantiti Pesanan
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Akaun {0} dibekukan
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Undang-undang Entiti / Anak Syarikat dengan Carta berasingan Akaun milik Pertubuhan.
 DocType: Payment Request,Mute Email,Senyapkan E-mel
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Makanan, Minuman &amp; Tembakau"
 DocType: Account,Account Number,Nombor akaun
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Hanya boleh membuat pembayaran terhadap belum dibilkan {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Kadar Suruhanjaya tidak boleh lebih besar daripada 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Hanya boleh membuat pembayaran terhadap belum dibilkan {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Kadar Suruhanjaya tidak boleh lebih besar daripada 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Alokasikan Pendahuluan secara automatik (FIFO)
 DocType: Volunteer,Volunteer,Sukarelawan
 DocType: Buying Settings,Subcontract,Subkontrak
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Sila masukkan {0} pertama
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Tiada jawapan daripada
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Tiada jawapan daripada
 DocType: Work Order Operation,Actual End Time,Waktu Tamat Sebenar
 DocType: Item,Manufacturer Part Number,Pengeluar Bahagian Bilangan
 DocType: Taxable Salary Slab,Taxable Salary Slab,Slab Gaji Cukai
 DocType: Work Order Operation,Estimated Time and Cost,Anggaran Masa dan Kos
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Nama Tanaman
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Hanya pengguna yang mempunyai peranan {0} boleh mendaftar di Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Hanya pengguna yang mempunyai peranan {0} boleh mendaftar di Marketplace
 DocType: SMS Log,No of Sent SMS,Bilangan SMS dihantar
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Pelantikan dan Pertemuan
@@ -4068,7 +4116,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Tukar Kod
 DocType: Purchase Invoice Item,Valuation Rate,Kadar penilaian
 DocType: Vehicle,Diesel,diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Senarai harga mata wang tidak dipilih
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Senarai harga mata wang tidak dipilih
 DocType: Purchase Invoice,Availed ITC Cess,Berkhidmat ITC Cess
 ,Student Monthly Attendance Sheet,Pelajar Lembaran Kehadiran Bulanan
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Peraturan penghantaran hanya terpakai untuk Jualan
@@ -4085,7 +4133,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Mengurus Jualan Partners.
 DocType: Quality Inspection,Inspection Type,Jenis Pemeriksaan
 DocType: Fee Validity,Visited yet,Dikunjungi lagi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan.
 DocType: Assessment Result Tool,Result HTML,keputusan HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Berapa kerapkah projek dan syarikat dikemas kini berdasarkan Transaksi Jualan?
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Luput pada
@@ -4093,7 +4141,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Sila pilih {0}
 DocType: C-Form,C-Form No,C-Borang No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Jarak jauh
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Jarak jauh
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Senaraikan produk atau perkhidmatan anda yang anda beli atau jual.
 DocType: Water Analysis,Storage Temperature,Suhu Penyimpanan
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4109,19 +4157,19 @@
 DocType: Shopify Settings,Delivery Note Series,Siri Nota Penghantaran
 DocType: Purchase Order Item,Returned Qty,Kembali Kuantiti
 DocType: Student,Exit,Keluar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Jenis akar adalah wajib
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Jenis akar adalah wajib
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Gagal memasang pratetap
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Penukaran dalam jam
 DocType: Contract,Signee Details,Butiran Signee
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} pada masa ini mempunyai {1} Kedudukan Pembekal Kad Pengeluar, dan RFQ untuk pembekal ini perlu dikeluarkan dengan berhati-hati."
 DocType: Certified Consultant,Non Profit Manager,Pengurus Bukan Untung
 DocType: BOM,Total Cost(Company Currency),Jumlah Kos (Syarikat Mata Wang)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,No siri {0} dicipta
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,No siri {0} dicipta
 DocType: Homepage,Company Description for website homepage,Penerangan Syarikat untuk laman web laman utama
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Untuk kemudahan pelanggan, kod-kod ini boleh digunakan dalam format cetak seperti Invois dan Nota Penghantaran"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nama Suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Tidak boleh mendapatkan maklumat untuk {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Jurnal Kemasukan Pembukaan
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Jurnal Kemasukan Pembukaan
 DocType: Contract,Fulfilment Terms,Terma Sepenuh
 DocType: Sales Invoice,Time Sheet List,Masa Senarai Lembaran
 DocType: Employee,You can enter any date manually,Anda boleh memasuki mana-mana tarikh secara manual
@@ -4157,7 +4205,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Organisasi anda
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Peruntukkan Cuti Skipping untuk pekerja berikut, sebagai Rekod Peruntukan Tinggalkan sudah wujud terhadap mereka. {0}"
 DocType: Fee Component,Fees Category,yuran Kategori
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Sila masukkan tarikh melegakan.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Sila masukkan tarikh melegakan.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Butiran Penaja (Nama, Lokasi)"
 DocType: Supplier Scorecard,Notify Employee,Memberitahu Pekerja
@@ -4170,9 +4218,9 @@
 DocType: Company,Chart Of Accounts Template,Carta Of Akaun Template
 DocType: Attendance,Attendance Date,Kehadiran Tarikh
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Kemas kini stok mesti membolehkan invois belian {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Item Harga dikemaskini untuk {0} dalam Senarai Harga {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Item Harga dikemaskini untuk {0} dalam Senarai Harga {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Perpecahan gaji berdasarkan Pendapatan dan Potongan.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Akaun dengan nod kanak-kanak tidak boleh ditukar ke lejar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Akaun dengan nod kanak-kanak tidak boleh ditukar ke lejar
 DocType: Purchase Invoice Item,Accepted Warehouse,Gudang Diterima
 DocType: Bank Reconciliation Detail,Posting Date,Penempatan Tarikh
 DocType: Item,Valuation Method,Kaedah Penilaian
@@ -4209,6 +4257,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Sila pilih satu kelompok
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Tuntutan Perjalanan dan Perbelanjaan
 DocType: Sales Invoice,Redemption Cost Center,Pusat Kos Penebusan
+DocType: QuickBooks Migrator,Scope,Skop
 DocType: Assessment Group,Assessment Group Name,Nama Kumpulan Penilaian
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Bahan Dipindahkan untuk Pembuatan
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Tambah pada Butiran
@@ -4216,6 +4265,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Datetime Sync Terakhir
 DocType: Landed Cost Item,Receipt Document Type,Resit Jenis Dokumen
 DocType: Daily Work Summary Settings,Select Companies,Pilih Syarikat
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Cadangan Cadangan / Harga
 DocType: Antibiotic,Healthcare,Penjagaan kesihatan
 DocType: Target Detail,Target Detail,Detail Sasaran
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Varian tunggal
@@ -4225,6 +4275,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Kemasukan Tempoh Penutup
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Pilih Jabatan ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,PTJ dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan
+DocType: QuickBooks Migrator,Authorization URL,URL Kebenaran
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Jumlah {0} {1} {2} {3}
 DocType: Account,Depreciation,Susutnilai
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Bilangan saham dan bilangan saham tidak konsisten
@@ -4247,13 +4298,14 @@
 DocType: Support Search Source,Source DocType,DocType Sumber
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Buka tiket baru
 DocType: Training Event,Trainer Email,Trainer Email
+DocType: Driver,Transporter,Pengangkut
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Permintaan bahan {0} dicipta
 DocType: Restaurant Reservation,No of People,Tidak ada Orang
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Templat istilah atau kontrak.
 DocType: Bank Account,Address and Contact,Alamat dan Perhubungan
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Adakah Akaun Belum Bayar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Saham tidak boleh dikemas kini terhadap Pembelian Resit {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Saham tidak boleh dikemas kini terhadap Pembelian Resit {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto Issue dekat selepas 7 hari
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Cuti yang tidak boleh diperuntukkan sebelum {0}, sebagai baki cuti telah pun dibawa dikemukakan dalam rekod peruntukan cuti masa depan {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: Disebabkan Tarikh / Rujukan melebihi dibenarkan hari kredit pelanggan dengan {0} hari (s)
@@ -4271,7 +4323,7 @@
 ,Qty to Deliver,Qty untuk Menyampaikan
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon akan menyegerakkan data dikemas kini selepas tarikh ini
 ,Stock Analytics,Saham Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operasi tidak boleh dibiarkan kosong
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operasi tidak boleh dibiarkan kosong
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Ujian Makmal
 DocType: Maintenance Visit Purpose,Against Document Detail No,Terhadap Detail Dokumen No
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Pemadaman tidak dibenarkan untuk negara {0}
@@ -4279,13 +4331,12 @@
 DocType: Quality Inspection,Outgoing,Keluar
 DocType: Material Request,Requested For,Diminta Untuk
 DocType: Quotation Item,Against Doctype,Terhadap DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} batal atau ditutup
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} batal atau ditutup
 DocType: Asset,Calculate Depreciation,Hitung Susut nilai
 DocType: Delivery Note,Track this Delivery Note against any Project,Jejaki Penghantaran Nota ini terhadap mana-mana Projek
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Tunai bersih daripada Pelaburan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Kumpulan Pelanggan&gt; Wilayah
 DocType: Work Order,Work-in-Progress Warehouse,Kerja dalam Kemajuan Gudang
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} hendaklah dikemukakan
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} hendaklah dikemukakan
 DocType: Fee Schedule Program,Total Students,Jumlah Pelajar
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Kehadiran Rekod {0} wujud terhadap Pelajar {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Rujukan # {0} bertarikh {1}
@@ -4305,7 +4356,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Tidak boleh membuat Bonus Pengekalan untuk Pekerja kiri
 DocType: Lead,Market Segment,Segmen pasaran
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Pengurus Pertanian
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Jumlah yang dibayar tidak boleh lebih besar daripada jumlah terkumpul negatif {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Jumlah yang dibayar tidak boleh lebih besar daripada jumlah terkumpul negatif {0}
 DocType: Supplier Scorecard Period,Variables,Pembolehubah
 DocType: Employee Internal Work History,Employee Internal Work History,Pekerja Dalam Sejarah Kerja
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Penutup (Dr)
@@ -4330,22 +4381,24 @@
 DocType: Amazon MWS Settings,Synch Products,Produk Synch
 DocType: Loyalty Point Entry,Loyalty Program,Program kesetiaan
 DocType: Student Guardian,Father,Bapa
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Tiket Sokongan
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Update Stock&#39; tidak boleh diperiksa untuk jualan aset tetap
 DocType: Bank Reconciliation,Bank Reconciliation,Penyesuaian Bank
 DocType: Attendance,On Leave,Bercuti
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dapatkan Maklumat Terbaru
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akaun {2} bukan milik Syarikat {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Pilih sekurang-kurangnya satu nilai dari setiap atribut.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Pilih sekurang-kurangnya satu nilai dari setiap atribut.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Permintaan bahan {0} dibatalkan atau dihentikan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Dispatch State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Dispatch State
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Tinggalkan Pengurusan
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Kumpulan
 DocType: Purchase Invoice,Hold Invoice,Pegang Invois
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Sila pilih Pekerja
 DocType: Sales Order,Fully Delivered,Dihantar sepenuhnya
-DocType: Lead,Lower Income,Pendapatan yang lebih rendah
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Pendapatan yang lebih rendah
 DocType: Restaurant Order Entry,Current Order,Perintah Semasa
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Bilangan nombor dan kuantiti bersiri mestilah sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Sumber dan sasaran gudang tidak boleh sama berturut-turut untuk {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Sumber dan sasaran gudang tidak boleh sama berturut-turut untuk {0}
 DocType: Account,Asset Received But Not Billed,Aset Diterima Tetapi Tidak Dibilkan
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Akaun perbezaan mestilah akaun jenis Aset / Liabiliti, kerana ini adalah Penyesuaian Saham Masuk Pembukaan"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Amaun yang dikeluarkan tidak boleh lebih besar daripada Jumlah Pinjaman {0}
@@ -4354,7 +4407,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Membeli nombor Perintah diperlukan untuk Perkara {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Dari Tarikh' mesti selepas 'Sehingga'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Tiada Pelan Kakitangan ditemui untuk Jawatan ini
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} of Item {1} dinyahdayakan.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} of Item {1} dinyahdayakan.
 DocType: Leave Policy Detail,Annual Allocation,Peruntukan Tahunan
 DocType: Travel Request,Address of Organizer,Alamat Penganjur
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Pilih Pengamal Penjagaan Kesihatan ...
@@ -4363,12 +4416,12 @@
 DocType: Asset,Fully Depreciated,disusutnilai sepenuhnya
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Saham Unjuran Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Pelanggan {0} bukan milik projek {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Pelanggan {0} bukan milik projek {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Kehadiran ketara HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Sebutharga cadangan, bida yang telah anda hantar kepada pelanggan anda"
 DocType: Sales Invoice,Customer's Purchase Order,Pesanan Pelanggan
 DocType: Clinical Procedure,Patient,Pesakit
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bypass cek kredit di Pesanan Jualan
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bypass cek kredit di Pesanan Jualan
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktiviti Onboarding Pekerja
 DocType: Location,Check if it is a hydroponic unit,Semak sama ada unit hidroponik
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial No dan Batch
@@ -4378,7 +4431,7 @@
 DocType: Supplier Scorecard Period,Calculations,Pengiraan
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Nilai atau Qty
 DocType: Payment Terms Template,Payment Terms,Terma pembayaran
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Pesanan Productions tidak boleh dibangkitkan untuk:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Pesanan Productions tidak boleh dibangkitkan untuk:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Saat
 DocType: Purchase Invoice,Purchase Taxes and Charges,Membeli Cukai dan Caj
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4386,7 +4439,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Pergi ke Pembekal
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Voucher Penutupan Cukai
 ,Qty to Receive,Qty untuk Menerima
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tarikh mula dan tamat tidak dalam Tempoh Penggajian yang sah, tidak boleh mengira {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tarikh mula dan tamat tidak dalam Tempoh Penggajian yang sah, tidak boleh mengira {0}."
 DocType: Leave Block List,Leave Block List Allowed,Tinggalkan Sekat Senarai Dibenarkan
 DocType: Grading Scale Interval,Grading Scale Interval,Grading Skala Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Tuntutan Perbelanjaan untuk kenderaan Log {0}
@@ -4394,10 +4447,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Diskaun (%) dalam Senarai Harga Kadar dengan Margin
 DocType: Healthcare Service Unit Type,Rate / UOM,Kadar / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,semua Gudang
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Tiada {0} dijumpai untuk Transaksi Syarikat Antara.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Tiada {0} dijumpai untuk Transaksi Syarikat Antara.
 DocType: Travel Itinerary,Rented Car,Kereta yang disewa
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Mengenai Syarikat anda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredit Untuk akaun perlu menjadi akaun Kunci Kira-kira
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredit Untuk akaun perlu menjadi akaun Kunci Kira-kira
 DocType: Donor,Donor,Donor
 DocType: Global Defaults,Disable In Words,Matikan Dalam Perkataan
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Kod Item adalah wajib kerana Perkara tidak bernombor secara automatik
@@ -4409,14 +4462,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Akaun Overdraf bank
 DocType: Patient,Patient ID,ID pesakit
 DocType: Practitioner Schedule,Schedule Name,Nama Jadual
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Talian Paip Jualan mengikut Peringkat
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Membuat Slip Gaji
 DocType: Currency Exchange,For Buying,Untuk Membeli
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Tambah Semua Pembekal
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Tambah Semua Pembekal
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Jumlah Diperuntukkan tidak boleh lebih besar daripada jumlah tertunggak.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Browse BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Pinjaman Bercagar
 DocType: Purchase Invoice,Edit Posting Date and Time,Edit Tarikh Posting dan Masa
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Sila menetapkan Akaun berkaitan Susutnilai dalam Kategori Asset {0} atau Syarikat {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Sila menetapkan Akaun berkaitan Susutnilai dalam Kategori Asset {0} atau Syarikat {1}
 DocType: Lab Test Groups,Normal Range,Julat Normal
 DocType: Academic Term,Academic Year,Tahun akademik
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Jualan Sedia Ada
@@ -4445,26 +4499,26 @@
 DocType: Patient Appointment,Patient Appointment,Pelantikan Pesakit
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Meluluskan Peranan tidak boleh sama dengan peranan peraturan adalah Terpakai Untuk
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Menghentikan langganan E-Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Dapatkan Pembekal Oleh
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Dapatkan Pembekal Oleh
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} tidak dijumpai untuk Item {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Pergi ke Kursus
 DocType: Accounts Settings,Show Inclusive Tax In Print,Tunjukkan Cukai Dalam Cetakan Termasuk
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Akaun Bank, Dari Tarikh dan Ke Tarikh adalah Wajib"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Mesej dihantar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Akaun dengan nod kanak-kanak tidak boleh ditetapkan sebagai lejar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Akaun dengan nod kanak-kanak tidak boleh ditetapkan sebagai lejar
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Kadar di mana Senarai harga mata wang ditukar kepada mata wang asas pelanggan
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Jumlah Bersih (Syarikat mata wang)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Jumlah jumlah pendahuluan tidak boleh lebih besar dari jumlah jumlah yang dibenarkan
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Jumlah jumlah pendahuluan tidak boleh lebih besar dari jumlah jumlah yang dibenarkan
 DocType: Salary Slip,Hour Rate,Kadar jam
 DocType: Stock Settings,Item Naming By,Perkara Menamakan Dengan
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Satu lagi Entry Tempoh Penutup {0} telah dibuat selepas {1}
 DocType: Work Order,Material Transferred for Manufacturing,Bahan Dipindahkan untuk Pembuatan
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Akaun {0} tidak wujud
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Pilih Program Kesetiaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Pilih Program Kesetiaan
 DocType: Project,Project Type,Jenis Projek
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Tugas Anak wujud untuk Tugas ini. Anda tidak boleh memadamkan Tugas ini.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Qty sasaran atau sasaran jumlah sama ada adalah wajib.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Qty sasaran atau sasaran jumlah sama ada adalah wajib.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Kos pelbagai aktiviti
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Menetapkan Peristiwa untuk {0}, kerana pekerja yang bertugas di bawah Persons Jualan tidak mempunyai ID Pengguna {1}"
 DocType: Timesheet,Billing Details,Billing Details
@@ -4522,13 +4576,13 @@
 DocType: Inpatient Record,A Negative,A Negatif
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Apa-apa untuk menunjukkan.
 DocType: Lead,From Customer,Daripada Pelanggan
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Panggilan
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Panggilan
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,A Produk
 DocType: Employee Tax Exemption Declaration,Declarations,Deklarasi
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,kelompok
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Buat Jadual Bayaran
 DocType: Purchase Order Item Supplied,Stock UOM,Saham UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Pesanan Pembelian {0} tidak dikemukakan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Pesanan Pembelian {0} tidak dikemukakan
 DocType: Account,Expenses Included In Asset Valuation,Perbelanjaan Termasuk dalam Penilaian Aset
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Julat rujukan normal untuk orang dewasa ialah 16-20 nafas / minit (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Nombor tarif
@@ -4541,6 +4595,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Sila simpan pesakit terlebih dahulu
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Kehadiran telah ditandakan dengan jayanya.
 DocType: Program Enrollment,Public Transport,Pengangkutan awam
+DocType: Delivery Note,GST Vehicle Type,Jenis Kenderaan GST
 DocType: Soil Texture,Silt Composition (%),Komposisi lumpur (%)
 DocType: Journal Entry,Remark,Catatan
 DocType: Healthcare Settings,Avoid Confirmation,Elakkan Pengesahan
@@ -4550,11 +4605,10 @@
 DocType: Education Settings,Current Academic Term,Jangka Akademik Semasa
 DocType: Education Settings,Current Academic Term,Jangka Akademik Semasa
 DocType: Sales Order,Not Billed,Tidak Membilkan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Kedua-dua Gudang mestilah berada dalam Syarikat sama
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Kedua-dua Gudang mestilah berada dalam Syarikat sama
 DocType: Employee Grade,Default Leave Policy,Dasar Cuti Lalai
 DocType: Shopify Settings,Shop URL,Kedai URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ada kenalan yang ditambahkan lagi.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan&gt; Penomboran Siri
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kos mendarat Baucer Jumlah
 ,Item Balance (Simple),Baki Item (Mudah)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rang Undang-undang yang dibangkitkan oleh Pembekal.
@@ -4579,7 +4633,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Sebutharga Siri
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Item wujud dengan nama yang sama ({0}), sila tukar nama kumpulan item atau menamakan semula item"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriteria Analisis Tanah
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Sila pilih pelanggan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Sila pilih pelanggan
 DocType: C-Form,I,Saya
 DocType: Company,Asset Depreciation Cost Center,Aset Pusat Susutnilai Kos
 DocType: Production Plan Sales Order,Sales Order Date,Pesanan Jualan Tarikh
@@ -4592,8 +4646,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Tidak ada stok sedia ada di mana-mana gudang
 ,Payment Period Based On Invoice Date,Tempoh Pembayaran Berasaskan Tarikh Invois
 DocType: Sample Collection,No. of print,Tidak ada cetak
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Peringatan Hari Lahir
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Tempahan Bilik Bilik Hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hilang Mata Wang Kadar Pertukaran untuk {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Hilang Mata Wang Kadar Pertukaran untuk {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nama Insurans Kesihatan
 DocType: Assessment Plan,Examiner,pemeriksa
 DocType: Student,Siblings,Adik-beradik
@@ -4610,19 +4665,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Pelanggan Baru
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Keuntungan kasar%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Pelantikan {0} dan Invois Jualan {1} dibatalkan
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Peluang dengan sumber utama
 DocType: Appraisal Goal,Weightage (%),Wajaran (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Tukar Profil POS
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance Tarikh
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aset sudah wujud terhadap item {0}, anda tidak boleh menukar nilai tiada bersiri"
+DocType: Delivery Settings,Dispatch Notification Template,Templat Pemberitahuan Penghantaran
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aset sudah wujud terhadap item {0}, anda tidak boleh menukar nilai tiada bersiri"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Laporan Penilaian
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Dapatkan Pekerja
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Jumlah Pembelian Kasar adalah wajib
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Nama syarikat tidak sama
 DocType: Lead,Address Desc,Alamat Deskripsi
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Parti adalah wajib
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Baris dengan pendua tarikh akhir pada baris lain telah dijumpai: {list}
 DocType: Topic,Topic Name,Topic Nama
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Sila tetapkan templat lalai untuk Pemberitahuan Kelulusan Cuti dalam Tetapan HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Sila tetapkan templat lalai untuk Pemberitahuan Kelulusan Cuti dalam Tetapan HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Atleast salah satu atau Jualan Membeli mesti dipilih
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Pilih pekerja untuk mendapatkan pekerja terlebih dahulu.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Sila pilih Tarikh yang sah
@@ -4656,6 +4712,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Pelanggan atau pembekal dan
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Nilai Aset Semasa
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID Syarikat Buku Cepat
 DocType: Travel Request,Travel Funding,Pembiayaan Perjalanan
 DocType: Loan Application,Required by Date,Diperlukan oleh Tarikh
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Pautan ke semua Lokasi di mana Tanaman semakin berkembang
@@ -4669,9 +4726,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Disediakan Kuantiti Batch di Dari Gudang
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pay kasar - Jumlah Potongan - Bayaran Balik Pinjaman
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM semasa dan New BOM tidak boleh sama
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM semasa dan New BOM tidak boleh sama
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Slip Gaji ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Tarikh Persaraan mesti lebih besar daripada Tarikh Menyertai
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Tarikh Persaraan mesti lebih besar daripada Tarikh Menyertai
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Pelbagai variasi
 DocType: Sales Invoice,Against Income Account,Terhadap Akaun Pendapatan
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Dihantar
@@ -4700,7 +4757,7 @@
 DocType: POS Profile,Update Stock,Update Saham
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM berbeza untuk perkara akan membawa kepada tidak betul (Jumlah) Nilai Berat Bersih. Pastikan Berat bersih setiap item adalah dalam UOM yang sama.
 DocType: Certification Application,Payment Details,Butiran Pembayaran
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Kadar BOM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Kadar BOM
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Perintah Kerja Berhenti tidak boleh dibatalkan, Unstop terlebih dahulu untuk membatalkannya"
 DocType: Asset,Journal Entry for Scrap,Kemasukan Jurnal untuk Scrap
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Sila tarik item daripada Nota Penghantaran
@@ -4723,11 +4780,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Jumlah Diiktiraf
 ,Purchase Analytics,Analytics Pembelian
 DocType: Sales Invoice Item,Delivery Note Item,Penghantaran Nota Perkara
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Invois semasa {0} hilang
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Invois semasa {0} hilang
 DocType: Asset Maintenance Log,Task,Petugas
 DocType: Purchase Taxes and Charges,Reference Row #,Rujukan Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Nombor batch adalah wajib bagi Perkara {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Ini adalah orang jualan akar dan tidak boleh diedit.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Ini adalah orang jualan akar dan tidak boleh diedit.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jika dipilih, nilai yang ditentukan atau dikira dalam komponen ini tidak akan menyumbang kepada pendapatan atau potongan. Walau bagaimanapun, ia nilai yang boleh dirujuk oleh komponen lain yang boleh ditambah atau ditolak."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jika dipilih, nilai yang ditentukan atau dikira dalam komponen ini tidak akan menyumbang kepada pendapatan atau potongan. Walau bagaimanapun, ia nilai yang boleh dirujuk oleh komponen lain yang boleh ditambah atau ditolak."
 DocType: Asset Settings,Number of Days in Fiscal Year,Bilangan Hari dalam Tahun Fiskal
@@ -4736,7 +4793,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain Akaun / Kerugian
 DocType: Amazon MWS Settings,MWS Credentials,Kredensial MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Pekerja dan Kehadiran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Tujuan mestilah salah seorang daripada {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Tujuan mestilah salah seorang daripada {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Isi borang dan simpannya
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Komuniti Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,qty sebenar dalam stok
@@ -4752,7 +4809,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Kadar Jualan Standard
 DocType: Account,Rate at which this tax is applied,Kadar yang cukai ini dikenakan
 DocType: Cash Flow Mapper,Section Name,Nama Bahagian
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Pesanan semula Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Pesanan semula Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Susut Susut {0}: Nilai yang dijangkakan selepas hayat berguna mestilah lebih besar atau sama dengan {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Lowongan Kerja Semasa
 DocType: Company,Stock Adjustment Account,Akaun Pelarasan saham
@@ -4762,8 +4819,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistem Pengguna (log masuk) ID. Jika ditetapkan, ia akan menjadi lalai untuk semua bentuk HR."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Masukkan butiran susut nilai
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Dari {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Meninggalkan aplikasi {0} sudah wujud terhadap pelajar {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Beratur untuk mengemaskini harga terkini dalam semua Rang Undang-Undang Bahan. Ia mungkin mengambil masa beberapa minit.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Beratur untuk mengemaskini harga terkini dalam semua Rang Undang-Undang Bahan. Ia mungkin mengambil masa beberapa minit.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nama Akaun baru. Nota: Sila jangan membuat akaun untuk Pelanggan dan Pembekal
 DocType: POS Profile,Display Items In Stock,Paparkan Item Dalam Stok
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Negara lalai bijak Templat Alamat
@@ -4793,16 +4851,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slot untuk {0} tidak ditambah pada jadual
 DocType: Product Bundle,List items that form the package.,Senarai item yang membentuk pakej.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Tidak dibenarkan. Sila lumpuhkan Templat Ujian
+DocType: Delivery Note,Distance (in km),Jarak (dalam km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Peratus Peruntukan hendaklah sama dengan 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Sila pilih Tarikh Pengeposan sebelum memilih Parti
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Sila pilih Tarikh Pengeposan sebelum memilih Parti
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Daripada AMC
+DocType: Opportunity,Opportunity Amount,Jumlah Peluang
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Jumlah penurunan nilai Ditempah tidak boleh lebih besar daripada Jumlah penurunan nilai
 DocType: Purchase Order,Order Confirmation Date,Tarikh Pengesahan Pesanan
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Buat Penyelenggaraan Lawatan
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Tarikh tarikh dan tarikh akhir bertindih dengan kad kerja <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Butiran Transfer Pekerja
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Sila hubungi untuk pengguna yang mempunyai Master Pengurus Jualan {0} peranan
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Sila hubungi untuk pengguna yang mempunyai Master Pengurus Jualan {0} peranan
 DocType: Company,Default Cash Account,Akaun Tunai Default
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Syarikat (tidak Pelanggan atau Pembekal) induk.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ini adalah berdasarkan kepada kehadiran Pelajar ini
@@ -4810,9 +4871,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Tambah lagi item atau bentuk penuh terbuka
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota Penghantaran {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Pergi ke Pengguna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Amaun yang dibayar + Tulis Off Jumlah tidak boleh lebih besar daripada Jumlah Besar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Amaun yang dibayar + Tulis Off Jumlah tidak boleh lebih besar daripada Jumlah Besar
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} bukan Nombor Kumpulan sah untuk Perkara {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Nota: Tidak ada baki cuti yang cukup untuk Cuti Jenis {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Nota: Tidak ada baki cuti yang cukup untuk Cuti Jenis {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak sah atau Masukkan NA untuk tidak berdaftar
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Bayaran Pendaftaran
@@ -4829,7 +4890,7 @@
 DocType: Fee Schedule,Fee Schedule,Jadual Bayaran
 DocType: Company,Create Chart Of Accounts Based On,Buat carta akaun Based On
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Tidak boleh menukarnya kepada bukan kumpulan. Tugas Kanak-kanak wujud.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Tarikh Lahir tidak boleh lebih besar daripada hari ini.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Tarikh Lahir tidak boleh lebih besar daripada hari ini.
 ,Stock Ageing,Saham Penuaan
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Sebahagian ditaja, Memerlukan Pembiayaan Separa"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Pelajar {0} wujud terhadap pemohon pelajar {1}
@@ -4876,11 +4937,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Sebelum perdamaian
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Untuk {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Cukai dan Caj Ditambah (Syarikat mata wang)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Perkara Cukai {0} mesti mempunyai akaun Cukai jenis atau Pendapatan atau Perbelanjaan atau bercukai
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Perkara Cukai {0} mesti mempunyai akaun Cukai jenis atau Pendapatan atau Perbelanjaan atau bercukai
 DocType: Sales Order,Partly Billed,Sebahagiannya Membilkan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Perkara {0} perlu menjadi Asset Perkara Tetap
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Buat Variasi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Buat Variasi
 DocType: Item,Default BOM,BOM Default
 DocType: Project,Total Billed Amount (via Sales Invoices),Jumlah Amaun Dibilkan (melalui Invois Jualan)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Amaun debit Nota
@@ -4909,14 +4970,14 @@
 DocType: Notification Control,Custom Message,Custom Mesej
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Perbankan Pelaburan
 DocType: Purchase Invoice,input,input
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Tunai atau Bank Akaun adalah wajib untuk membuat catatan pembayaran
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Tunai atau Bank Akaun adalah wajib untuk membuat catatan pembayaran
 DocType: Loyalty Program,Multiple Tier Program,Pelbagai Tier Program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat pelajar
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat pelajar
 DocType: Purchase Invoice,Price List Exchange Rate,Senarai Harga Kadar Pertukaran
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Semua Kumpulan Pembekal
 DocType: Employee Boarding Activity,Required for Employee Creation,Diperlukan untuk Penciptaan Pekerja
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Nombor Akaun {0} yang telah digunakan dalam akaun {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Nombor Akaun {0} yang telah digunakan dalam akaun {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,Nama Profil POS
 DocType: Hotel Room Reservation,Booked,Telah dipetik
@@ -4932,18 +4993,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Rujukan adalah wajib jika anda masukkan Tarikh Rujukan
 DocType: Bank Reconciliation Detail,Payment Document,Dokumen pembayaran
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Ralat menilai formula kriteria
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Tarikh Menyertai mesti lebih besar daripada Tarikh Lahir
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Tarikh Menyertai mesti lebih besar daripada Tarikh Lahir
 DocType: Subscription,Plans,Rancangan
 DocType: Salary Slip,Salary Structure,Struktur gaji
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Syarikat Penerbangan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Isu Bahan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Isu Bahan
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Sambungkan Shopify dengan ERPNext
 DocType: Material Request Item,For Warehouse,Untuk Gudang
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Catatan Penghantaran {0} dikemas kini
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Catatan Penghantaran {0} dikemas kini
 DocType: Employee,Offer Date,Tawaran Tarikh
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Sebut Harga
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Anda berada di dalam mod luar talian. Anda tidak akan dapat untuk menambah nilai sehingga anda mempunyai rangkaian.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Sebut Harga
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Anda berada di dalam mod luar talian. Anda tidak akan dapat untuk menambah nilai sehingga anda mempunyai rangkaian.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Geran
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Tiada Kumpulan Pelajar diwujudkan.
 DocType: Purchase Invoice Item,Serial No,No siri
@@ -4955,24 +5016,26 @@
 DocType: Sales Invoice,Customer PO Details,Maklumat Pelanggan Details
 DocType: Stock Entry,Including items for sub assemblies,Termasuk perkara untuk sub perhimpunan
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Akaun Pembukaan sementara
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Masukkan nilai mesti positif
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Masukkan nilai mesti positif
 DocType: Asset,Finance Books,Buku Kewangan
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Kategori Pengisytiharan Pengecualian Cukai Pekerja
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Semua Wilayah
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Sila tetapkan dasar cuti untuk pekerja {0} dalam rekod Pekerja / Gred
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Perintah Selimut Tidak Sah untuk Pelanggan dan Item yang dipilih
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Perintah Selimut Tidak Sah untuk Pelanggan dan Item yang dipilih
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Tambah Tugasan Pelbagai
 DocType: Purchase Invoice,Items,Item
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Tarikh Akhir tidak dapat sebelum Tarikh Mula.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Pelajar sudah mendaftar.
 DocType: Fiscal Year,Year Name,Nama Tahun
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Terdapat lebih daripada cuti hari bekerja bulan ini.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Terdapat lebih daripada cuti hari bekerja bulan ini.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Item berikut {0} tidak ditandakan sebagai {1} item. Anda boleh mengaktifkannya sebagai {1} item dari tuan Itemnya
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Produk Bundle Item
 DocType: Sales Partner,Sales Partner Name,Nama Rakan Jualan
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Tawaran Sebut Harga
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Tawaran Sebut Harga
 DocType: Payment Reconciliation,Maximum Invoice Amount,Amaun Invois maksimum
 DocType: Normal Test Items,Normal Test Items,Item Ujian Normal
+DocType: QuickBooks Migrator,Company Settings,Tetapan Syarikat
 DocType: Additional Salary,Overwrite Salary Structure Amount,Timpa Jumlah Struktur Gaji
 DocType: Student Language,Student Language,Bahasa pelajar
 apps/erpnext/erpnext/config/selling.py +23,Customers,pelanggan
@@ -4985,22 +5048,24 @@
 DocType: Issue,Opening Time,Masa Pembukaan
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Dari dan kepada tarikh yang dikehendaki
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Sekuriti &amp; Bursa Komoditi
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unit keingkaran Langkah untuk Variant &#39;{0}&#39; hendaklah sama seperti dalam Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unit keingkaran Langkah untuk Variant &#39;{0}&#39; hendaklah sama seperti dalam Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Kira Based On
 DocType: Contract,Unfulfilled,Tidak dipenuhi
 DocType: Delivery Note Item,From Warehouse,Dari Gudang
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Tiada pekerja untuk kriteria yang disebutkan
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Tiada item dengan Bill Bahan untuk pembuatan
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Tiada item dengan Bill Bahan untuk pembuatan
 DocType: Shopify Settings,Default Customer,Pelanggan Lalai
+DocType: Sales Stage,Stage Name,Nama pentas
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Nama penyelia
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Jangan mengesahkan jika pelantikan dibuat untuk hari yang sama
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Kapal ke Negeri
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Kapal ke Negeri
 DocType: Program Enrollment Course,Program Enrollment Course,Kursus Program Pendaftaran
 DocType: Program Enrollment Course,Program Enrollment Course,Kursus Program Pendaftaran
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Pengguna {0} telah diberikan kepada Pengamal Penjagaan Kesihatan {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Buat Entri Stok Penyimpanan Sampel
 DocType: Purchase Taxes and Charges,Valuation and Total,Penilaian dan Jumlah
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Rundingan / Semakan
 DocType: Leave Encashment,Encashment Amount,Jumlah Encasment
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Kad skor
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Batches yang telah tamat tempoh
@@ -5010,7 +5075,7 @@
 DocType: Staffing Plan Detail,Current Openings,Terbuka semasa
 DocType: Notification Control,Customize the Notification,Menyesuaikan Pemberitahuan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Aliran Tunai daripada Operasi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Jumlah CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Jumlah CGST
 DocType: Purchase Invoice,Shipping Rule,Peraturan Penghantaran
 DocType: Patient Relation,Spouse,Pasangan suami isteri
 DocType: Lab Test Groups,Add Test,Tambah Ujian
@@ -5024,14 +5089,14 @@
 DocType: Payroll Entry,Payroll Frequency,Kekerapan Payroll
 DocType: Lab Test Template,Sensitivity,Kepekaan
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Penyegerakan telah dilumpuhkan buat sementara waktu kerana pengambilan maksimum telah melebihi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Bahan mentah
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Bahan mentah
 DocType: Leave Application,Follow via Email,Ikut melalui E-mel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Tumbuhan dan Jentera
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Amaun Cukai Selepas Jumlah Diskaun
 DocType: Patient,Inpatient Status,Status Rawat Inap
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Harian Tetapan Ringkasan Kerja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Senarai Harga Terpilih sepatutnya membeli dan menjual medan diperiksa.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Sila masukkan Reqd mengikut Tarikh
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Senarai Harga Terpilih sepatutnya membeli dan menjual medan diperiksa.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Sila masukkan Reqd mengikut Tarikh
 DocType: Payment Entry,Internal Transfer,Pindahan dalaman
 DocType: Asset Maintenance,Maintenance Tasks,Tugas Penyelenggaraan
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Sama ada qty sasaran atau jumlah sasaran adalah wajib
@@ -5053,7 +5118,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi lalu
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi lalu
 ,TDS Payable Monthly,TDS Dibayar Bulanan
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Beratur untuk menggantikan BOM. Ia mungkin mengambil masa beberapa minit.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Beratur untuk menggantikan BOM. Ia mungkin mengambil masa beberapa minit.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak boleh memotong apabila kategori adalah untuk &#39;Penilaian&#39; atau &#39;Penilaian dan Jumlah&#39;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial No Diperlukan untuk Perkara bersiri {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Pembayaran perlawanan dengan Invois
@@ -5066,7 +5131,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Dalam Troli
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Group By
 DocType: Guardian,Interests,minat
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Membolehkan / melumpuhkan mata wang.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Membolehkan / melumpuhkan mata wang.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Tidak dapat menghantar beberapa Slip Gaji
 DocType: Exchange Rate Revaluation,Get Entries,Dapatkan penyertaan
 DocType: Production Plan,Get Material Request,Dapatkan Permintaan Bahan
@@ -5088,15 +5153,16 @@
 DocType: Lead,Lead Type,Jenis Lead
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Anda tiada kebenaran untuk meluluskan daun pada Tarikh Sekat
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Semua barang-barang ini telah diinvois
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Tetapkan Tarikh Keluaran Baru
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Tetapkan Tarikh Keluaran Baru
 DocType: Company,Monthly Sales Target,Sasaran Jualan Bulanan
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Boleh diluluskan oleh {0}
 DocType: Hotel Room,Hotel Room Type,Jenis Bilik Hotel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Pembekal&gt; Jenis Pembekal
 DocType: Leave Allocation,Leave Period,Tempoh Cuti
 DocType: Item,Default Material Request Type,Lalai Bahan Jenis Permintaan
 DocType: Supplier Scorecard,Evaluation Period,Tempoh Penilaian
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,tidak diketahui
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Perintah Kerja tidak dibuat
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Perintah Kerja tidak dibuat
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Jumlah {0} yang telah dituntut untuk komponen {1}, \ menetapkan jumlah yang sama atau melebihi {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Penghantaran Peraturan Syarat
@@ -5131,15 +5197,15 @@
 DocType: Batch,Source Document Name,Source Document Nama
 DocType: Production Plan,Get Raw Materials For Production,Dapatkan Bahan Baku untuk Pengeluaran
 DocType: Job Opening,Job Title,Tajuk Kerja
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} menunjukkan bahawa {1} tidak akan memberikan sebut harga, tetapi semua item \ telah disebutkan. Mengemas kini status petikan RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampel Maksimum - {0} telah dikekalkan untuk Batch {1} dan Item {2} dalam Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampel Maksimum - {0} telah dikekalkan untuk Batch {1} dan Item {2} dalam Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Kemas kini BOM Kos secara automatik
 DocType: Lab Test,Test Name,Nama Ujian
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Prosedur Klinikal
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Buat Pengguna
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Langganan
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Langganan
 DocType: Supplier Scorecard,Per Month,Sebulan
 DocType: Education Settings,Make Academic Term Mandatory,Buat Mandat Berlaku Akademik
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Kuantiti untuk pembuatan mesti lebih besar daripada 0.
@@ -5148,10 +5214,10 @@
 DocType: Stock Entry,Update Rate and Availability,Kadar Update dan Ketersediaan
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Peratus anda dibenarkan untuk menerima atau menyampaikan lebih daripada kuantiti yang ditempah. Sebagai contoh: Jika anda telah menempah 100 unit. dan Elaun anda adalah 10% maka anda dibenarkan untuk menerima 110 unit.
 DocType: Loyalty Program,Customer Group,Kumpulan pelanggan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Baris # {0}: Pengendalian {1} tidak selesai untuk {2} qty barang siap dalam Work Order # {3}. Sila kemas kini status operasi melalui Log Masa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Baris # {0}: Pengendalian {1} tidak selesai untuk {2} qty barang siap dalam Work Order # {3}. Sila kemas kini status operasi melalui Log Masa
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),New Batch ID (Pilihan)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),New Batch ID (Pilihan)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Akaun perbelanjaan adalah wajib bagi item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Akaun perbelanjaan adalah wajib bagi item {0}
 DocType: BOM,Website Description,Laman Web Penerangan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Perubahan Bersih dalam Ekuiti
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Sila membatalkan Invois Belian {0} pertama
@@ -5166,7 +5232,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Ada apa-apa untuk mengedit.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Lihat Borang
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Pendakwa Perbelanjaan Mandatori Dalam Tuntutan Perbelanjaan
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Ringkasan untuk bulan ini dan aktiviti-aktiviti yang belum selesai
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Ringkasan untuk bulan ini dan aktiviti-aktiviti yang belum selesai
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Sila tetapkan Akaun Keuntungan / Kerugian Pertukaran di Perusahaan {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Tambah pengguna ke organisasi anda, selain diri anda."
 DocType: Customer Group,Customer Group Name,Nama Kumpulan Pelanggan
@@ -5176,14 +5242,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Tiada permintaan bahan dibuat
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak boleh melebihi Jumlah Pinjaman maksimum {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,lesen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Sila mengeluarkan Invois ini {0} dari C-Borang {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Sila mengeluarkan Invois ini {0} dari C-Borang {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Sila pilih Carry Forward jika anda juga mahu termasuk baki tahun fiskal yang lalu daun untuk tahun fiskal ini
 DocType: GL Entry,Against Voucher Type,Terhadap Jenis Baucar
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Slot masa ditambah
 DocType: Item,Attributes,Sifat-sifat
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Dayakan Templat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Sila masukkan Tulis Off Akaun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Sila masukkan Tulis Off Akaun
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Lepas Tarikh Perintah
 DocType: Salary Component,Is Payable,Adalah Dibayar
 DocType: Inpatient Record,B Negative,B Negatif
@@ -5194,7 +5260,7 @@
 DocType: Hotel Room,Hotel Room,Bilik hotel
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Akaun {0} tidak dimiliki oleh syarikat {1}
 DocType: Leave Type,Rounding,Pusingan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Nombor siri berturut-turut {0} tidak sepadan dengan penghantaran Nota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Nombor siri berturut-turut {0} tidak sepadan dengan penghantaran Nota
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Jumlah yang diberikan (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Kemudian Aturan Harga ditapis berdasarkan Pelanggan, Kumpulan Pelanggan, Wilayah, Pembekal, Kumpulan Pembekal, Kempen, Rakan Kongsi Jualan dll."
 DocType: Student,Guardian Details,Guardian Butiran
@@ -5203,10 +5269,10 @@
 DocType: Vehicle,Chassis No,Chassis Tiada
 DocType: Payment Request,Initiated,Dimulakan
 DocType: Production Plan Item,Planned Start Date,Dirancang Tarikh Mula
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Sila pilih BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Sila pilih BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Mengagumkan ITC Integrated Tax
 DocType: Purchase Order Item,Blanket Order Rate,Kadar Perintah Selimut
-apps/erpnext/erpnext/hooks.py +156,Certification,Pensijilan
+apps/erpnext/erpnext/hooks.py +157,Certification,Pensijilan
 DocType: Bank Guarantee,Clauses and Conditions,Fasal dan Syarat
 DocType: Serial No,Creation Document Type,Penciptaan Dokumen Jenis
 DocType: Project Task,View Timesheet,Lihat Timesheet
@@ -5231,6 +5297,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Ibu Bapa Perkara {0} tidak perlu menjadi item Saham
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Penyenaraian Laman Web
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Semua Produk atau Perkhidmatan.
+DocType: Email Digest,Open Quotations,Buka Sebut Harga
 DocType: Expense Claim,More Details,Maklumat lanjut
 DocType: Supplier Quotation,Supplier Address,Alamat Pembekal
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Bajet akaun {1} daripada {2} {3} adalah {4}. Ia akan melebihi oleh {5}
@@ -5245,12 +5312,11 @@
 DocType: Training Event,Exam,peperiksaan
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Ralat Pasaran
 DocType: Complaint,Complaint,Aduan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Gudang diperlukan untuk saham Perkara {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Gudang diperlukan untuk saham Perkara {0}
 DocType: Leave Allocation,Unused leaves,Daun yang tidak digunakan
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Buat Entri Pembayaran Balik
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Semua Jabatan
 DocType: Healthcare Service Unit,Vacant,Kosong
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Pembekal&gt; Jenis Pembekal
 DocType: Patient,Alcohol Past Use,Penggunaan Pasti Alkohol
 DocType: Fertilizer Content,Fertilizer Content,Kandungan Baja
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5258,7 +5324,7 @@
 DocType: Tax Rule,Billing State,Negeri Bil
 DocType: Share Transfer,Transfer,Pemindahan
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Perintah Kerja {0} mesti dibatalkan sebelum membatalkan Perintah Jualan ini
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Kutip BOM meletup (termasuk sub-pemasangan)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Kutip BOM meletup (termasuk sub-pemasangan)
 DocType: Authorization Rule,Applicable To (Employee),Terpakai Untuk (Pekerja)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Tarikh Akhir adalah wajib
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Kenaikan untuk Atribut {0} tidak boleh 0
@@ -5274,7 +5340,7 @@
 DocType: Disease,Treatment Period,Tempoh Rawatan
 DocType: Travel Itinerary,Travel Itinerary,Perjalanan Perjalanan
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Keputusan sudah Dihantar
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Gudang Reserved adalah wajib untuk Item {0} dalam Bahan Baku yang dibekalkan
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Gudang Reserved adalah wajib untuk Item {0} dalam Bahan Baku yang dibekalkan
 ,Inactive Customers,Pelanggan aktif
 DocType: Student Admission Program,Maximum Age,Umur Maksimum
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Sila tunggu 3 hari sebelum mengingatkan peringatan.
@@ -5283,7 +5349,6 @@
 DocType: Stock Entry,Delivery Note No,Penghantaran Nota Tiada
 DocType: Cheque Print Template,Message to show,Mesej untuk menunjukkan
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Runcit
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Urus Pelantikan Invois Secara Automatik
 DocType: Student Attendance,Absent,Tidak hadir
 DocType: Staffing Plan,Staffing Plan Detail,Detail Pelan Kakitangan
 DocType: Employee Promotion,Promotion Date,Tarikh Promosi
@@ -5305,7 +5370,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,membuat Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Cetak dan Alat Tulis
 DocType: Stock Settings,Show Barcode Field,Show Barcode Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Hantar Email Pembekal
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Hantar Email Pembekal
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk tempoh antara {0} dan {1}, Tinggalkan tempoh permohonan tidak boleh di antara julat tarikh ini."
 DocType: Fiscal Year,Auto Created,Dicipta Auto
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Hantar ini untuk mencipta rekod Kakitangan
@@ -5314,7 +5379,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Invois {0} tidak wujud lagi
 DocType: Guardian Interest,Guardian Interest,Guardian Faedah
 DocType: Volunteer,Availability,Ketersediaan
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Tetapkan nilai lalai untuk Invois POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Tetapkan nilai lalai untuk Invois POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Latihan
 DocType: Project,Time to send,Masa untuk dihantar
 DocType: Timesheet,Employee Detail,Detail pekerja
@@ -5338,7 +5403,7 @@
 DocType: Training Event Employee,Optional,Pilihan
 DocType: Salary Slip,Earning & Deduction,Pendapatan &amp; Potongan
 DocType: Agriculture Analysis Criteria,Water Analysis,Analisis Air
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} varian dibuat.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} varian dibuat.
 DocType: Amazon MWS Settings,Region,Wilayah
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Pilihan. Tetapan ini akan digunakan untuk menapis dalam pelbagai transaksi.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Kadar Penilaian negatif tidak dibenarkan
@@ -5357,7 +5422,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kos Aset Dihapuskan
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Pusat Kos adalah wajib bagi Perkara {2}
 DocType: Vehicle,Policy No,Polisi Tiada
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Dapatkan Item daripada Fail Produk
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Dapatkan Item daripada Fail Produk
 DocType: Asset,Straight Line,Garis lurus
 DocType: Project User,Project User,projek Pengguna
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Split
@@ -5366,7 +5431,7 @@
 DocType: GL Entry,Is Advance,Adalah Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Kitar Hayat Pekerja
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tarikh dan Kehadiran Untuk Tarikh adalah wajib
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Sila masukkan &#39;Apakah Subkontrak&#39; seperti Ya atau Tidak
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Sila masukkan &#39;Apakah Subkontrak&#39; seperti Ya atau Tidak
 DocType: Item,Default Purchase Unit of Measure,Unit Pembelian Lalai Ukuran
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Tarikh Komunikasi lalu
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Tarikh Komunikasi lalu
@@ -5376,7 +5441,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Akses token atau Shopify URL hilang
 DocType: Location,Latitude,Latitud
 DocType: Work Order,Scrap Warehouse,Scrap Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Gudang diperlukan di Row No {0}, sila tetapkan gudang lalai untuk item {1} untuk syarikat {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Gudang diperlukan di Row No {0}, sila tetapkan gudang lalai untuk item {1} untuk syarikat {2}"
 DocType: Work Order,Check if material transfer entry is not required,Periksa sama ada kemasukan pemindahan bahan tidak diperlukan
 DocType: Work Order,Check if material transfer entry is not required,Periksa sama ada kemasukan pemindahan bahan tidak diperlukan
 DocType: Program Enrollment Tool,Get Students From,Dapatkan Pelajar Dari
@@ -5393,6 +5458,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Batch baru Qty
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Pakaian &amp; Aksesori
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Tidak dapat menyelesaikan fungsi skor berwajaran. Pastikan formula itu sah.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Item Pesanan Pembelian tidak diterima mengikut masa
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Bilangan Pesanan
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner yang akan muncul di bahagian atas senarai produk.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Menentukan syarat-syarat untuk mengira jumlah penghantaran
@@ -5401,9 +5467,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Jalan
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Tidak boleh menukar PTJ ke lejar kerana ia mempunyai nod anak
 DocType: Production Plan,Total Planned Qty,Jumlah Qty Yang Dirancang
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Nilai pembukaan
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Nilai pembukaan
 DocType: Salary Component,Formula,formula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Templat Ujian Lab
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Akaun Jualan
 DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan
@@ -5421,7 +5487,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Buat Permintaan Bahan
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Terbuka Item {0}
 DocType: Asset Finance Book,Written Down Value,Nilai Tertulis
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Sila sediakan Sistem Penamaan Pekerja dalam Sumber Manusia&gt; Tetapan HR
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Jualan Invois {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini
 DocType: Clinical Procedure,Age,Umur
 DocType: Sales Invoice Timesheet,Billing Amount,Bil Jumlah
@@ -5430,11 +5495,11 @@
 DocType: Company,Default Employee Advance Account,Akaun Advance Pekerja Awal
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Item Carian (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Akaun dengan urus niaga yang sedia ada tidak boleh dihapuskan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Akaun dengan urus niaga yang sedia ada tidak boleh dihapuskan
 DocType: Vehicle,Last Carbon Check,Carbon lalu Daftar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Perbelanjaan Undang-undang
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Sila pilih kuantiti hukuman
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Membuat Invois Jualan dan Pembelian
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Membuat Invois Jualan dan Pembelian
 DocType: Purchase Invoice,Posting Time,Penempatan Masa
 DocType: Timesheet,% Amount Billed,% Jumlah Dibilkan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Perbelanjaan Telefon
@@ -5449,14 +5514,14 @@
 DocType: Maintenance Visit,Breakdown,Pecahan
 DocType: Travel Itinerary,Vegetarian,Vegetarian
 DocType: Patient Encounter,Encounter Date,Tarikh Pertemuan
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Akaun: {0} dengan mata wang: {1} tidak boleh dipilih
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Akaun: {0} dengan mata wang: {1} tidak boleh dipilih
 DocType: Bank Statement Transaction Settings Item,Bank Data,Data Bank
 DocType: Purchase Receipt Item,Sample Quantity,Contoh Kuantiti
 DocType: Bank Guarantee,Name of Beneficiary,Nama Penerima
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Perbarui kos BOM secara automatik melalui Penjadual, berdasarkan kadar penilaian terkini / harga senarai harga / kadar pembelian terakhir bahan mentah."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Cek Tarikh
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Akaun {0}: akaun Induk {1} bukan milik syarikat: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Akaun {0}: akaun Induk {1} bukan milik syarikat: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Berjaya memadam semua transaksi yang berkaitan dengan syarikat ini!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Seperti pada Tarikh
 DocType: Additional Salary,HR,HR
@@ -5464,7 +5529,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Keluar daripada Pesakit SMS Pesakit
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Percubaan
 DocType: Program Enrollment Tool,New Academic Year,New Akademik Tahun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Pulangan / Nota Kredit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Pulangan / Nota Kredit
 DocType: Stock Settings,Auto insert Price List rate if missing,Masukkan Auto Kadar Senarai Harga jika hilang
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Jumlah Amaun Dibayar
 DocType: GST Settings,B2C Limit,Had B2C
@@ -5482,10 +5547,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nod kanak-kanak hanya boleh diwujudkan di bawah nod jenis &#39;Kumpulan
 DocType: Attendance Request,Half Day Date,Half Day Tarikh
 DocType: Academic Year,Academic Year Name,Nama Akademik Tahun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} tidak dibenarkan berurusniaga dengan {1}. Sila tukar Syarikat.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} tidak dibenarkan berurusniaga dengan {1}. Sila tukar Syarikat.
 DocType: Sales Partner,Contact Desc,Hubungi Deskripsi
 DocType: Email Digest,Send regular summary reports via Email.,Hantar laporan ringkasan tetap melalui E-mel.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Sila menetapkan akaun lalai dalam Jenis Perbelanjaan Tuntutan {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Sila menetapkan akaun lalai dalam Jenis Perbelanjaan Tuntutan {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Daun yang disediakan
 DocType: Assessment Result,Student Name,Nama pelajar
 DocType: Hub Tracked Item,Item Manager,Perkara Pengurus
@@ -5510,9 +5575,10 @@
 DocType: Subscription,Trial Period End Date,Tarikh Akhir Tempoh Percubaan
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Tidak authroized sejak {0} melebihi had
 DocType: Serial No,Asset Status,Status Aset
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Lebih dari Cargo Dimensi (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Jadual Restoran
 DocType: Hotel Room,Hotel Manager,Pengurus Hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Menetapkan Peraturan Cukai untuk troli membeli-belah
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Menetapkan Peraturan Cukai untuk troli membeli-belah
 DocType: Purchase Invoice,Taxes and Charges Added,Cukai dan Caj Tambahan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Susut Susut {0}: Tarikh Susutnilai Seterusnya tidak boleh sebelum Tarikh Tersedia untuk Penggunaan
 ,Sales Funnel,Saluran Jualan
@@ -5528,10 +5594,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Semua Kumpulan Pelanggan
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,terkumpul Bulanan
 DocType: Attendance Request,On Duty,On Duty
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin rekod Pertukaran Matawang tidak dihasilkan untuk {1} hingga {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin rekod Pertukaran Matawang tidak dihasilkan untuk {1} hingga {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Rancangan Kakitangan {0} sudah wujud untuk penunjukan {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Template cukai adalah wajib.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Akaun {0}: akaun Induk {1} tidak wujud
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Akaun {0}: akaun Induk {1} tidak wujud
 DocType: POS Closing Voucher,Period Start Date,Tarikh Permulaan Tempoh
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Senarai Harga Kadar (Syarikat mata wang)
 DocType: Products Settings,Products Settings,produk Tetapan
@@ -5551,7 +5617,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Tindakan ini akan menghentikan pengebilan masa depan. Adakah anda pasti ingin membatalkan langganan ini?
 DocType: Serial No,Distinct unit of an Item,Unit yang berbeza Perkara yang
 DocType: Supplier Scorecard Criteria,Criteria Name,Nama Kriteria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Sila tetapkan Syarikat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Sila tetapkan Syarikat
 DocType: Procedure Prescription,Procedure Created,Prosedur Dibuat
 DocType: Pricing Rule,Buying,Membeli
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Penyakit &amp; Baja
@@ -5568,43 +5634,44 @@
 DocType: Employee Onboarding,Job Offer,Tawaran pekerjaan
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institut Singkatan
 ,Item-wise Price List Rate,Senarai Harga Kadar Perkara-bijak
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Sebutharga Pembekal
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Sebutharga Pembekal
 DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Sebut Harga tersebut.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Kuantiti ({0}) tidak boleh menjadi sebahagian kecil berturut-turut {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Kuantiti ({0}) tidak boleh menjadi sebahagian kecil berturut-turut {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Kuantiti ({0}) tidak boleh menjadi sebahagian kecil berturut-turut {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Kuantiti ({0}) tidak boleh menjadi sebahagian kecil berturut-turut {1}
 DocType: Contract,Unsigned,Unsigned
 DocType: Selling Settings,Each Transaction,Setiap Transaksi
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} telah digunakan dalam Perkara {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} telah digunakan dalam Perkara {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Peraturan untuk menambah kos penghantaran.
 DocType: Hotel Room,Extra Bed Capacity,Kapasiti Katil Tambahan
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Stok Awal
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Pelanggan dikehendaki
 DocType: Lab Test,Result Date,Tarikh keputusan
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Tarikh PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Tarikh PDC / LC
 DocType: Purchase Order,To Receive,Untuk Menerima
 DocType: Leave Period,Holiday List for Optional Leave,Senarai Percutian untuk Cuti Opsional
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Pemilik Aset
 DocType: Purchase Invoice,Reason For Putting On Hold,Sebab Untuk Meletakkan Pegang
 DocType: Employee,Personal Email,E-mel peribadi
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Jumlah Varian
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Jumlah Varian
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan menghantar entri perakaunan untuk inventori secara automatik."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokerage
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Kehadiran pekerja {0} sudah ditanda pada hari ini
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Kehadiran pekerja {0} sudah ditanda pada hari ini
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",dalam minit dikemaskini melalui &#39;Time Log&#39;
 DocType: Customer,From Lead,Dari Lead
 DocType: Amazon MWS Settings,Synch Orders,Pesanan Sinkron
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Perintah dikeluarkan untuk pengeluaran.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Pilih Tahun Anggaran ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profil dikehendaki membuat POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profil dikehendaki membuat POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Mata Kesetiaan akan dikira dari perbelanjaan yang telah dibelanjakan (melalui Invois Jualan), berdasarkan faktor pengumpulan yang disebutkan."
 DocType: Program Enrollment Tool,Enroll Students,Daftarkan Pelajar
 DocType: Company,HRA Settings,Tetapan HRA
 DocType: Employee Transfer,Transfer Date,Tarikh Pemindahan
 DocType: Lab Test,Approved Date,Tarikh Diluluskan
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Jualan Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast satu gudang adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast satu gudang adalah wajib
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurasi Bidang Item seperti UOM, Kumpulan Item, Deskripsi dan Waktu Tidak."
 DocType: Certification Application,Certification Status,Status Persijilan
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Pasaran
@@ -5624,6 +5691,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Pencocokan Invois
 DocType: Work Order,Required Items,Item yang diperlukan
 DocType: Stock Ledger Entry,Stock Value Difference,Nilai saham Perbezaan
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Baris Item {0}: {1} {2} tidak wujud di atas &#39;{1}&#39; jadual
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Sumber Manusia
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Penyesuaian Pembayaran Pembayaran
 DocType: Disease,Treatment Task,Tugas Rawatan
@@ -5641,7 +5709,8 @@
 DocType: Account,Debit,Debit
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Daun mesti diperuntukkan dalam gandaan 0.5
 DocType: Work Order,Operation Cost,Operasi Kos
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,AMT Cemerlang
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Mengenal pasti pembuat keputusan
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,AMT Cemerlang
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Sasaran yang ditetapkan Perkara Kumpulan-bijak untuk Orang Jualan ini.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Stok Freeze Lama Than [Hari]
 DocType: Payment Request,Payment Ordered,Bayaran Pesanan
@@ -5653,14 +5722,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Membenarkan pengguna berikut untuk meluluskan Permohonan Cuti untuk hari blok.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Kitaran hidup
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Buat BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kadar untuk item menjual {0} adalah lebih rendah berbanding {1}. Kadar menjual harus atleast {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kadar untuk item menjual {0} adalah lebih rendah berbanding {1}. Kadar menjual harus atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kadar untuk item menjual {0} adalah lebih rendah berbanding {1}. Kadar menjual harus atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kadar untuk item menjual {0} adalah lebih rendah berbanding {1}. Kadar menjual harus atleast {2}
 DocType: Subscription,Taxes,Cukai
 DocType: Purchase Invoice,capital goods,barang modal
 DocType: Purchase Invoice Item,Weight Per Unit,Berat Per Unit
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Dibayar dan Tidak Dihantar
-DocType: Project,Default Cost Center,Kos Pusat Default
-DocType: Delivery Note,Transporter Doc No,Dokumen Transporter No
+DocType: QuickBooks Migrator,Default Cost Center,Kos Pusat Default
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Urusniaga saham
 DocType: Budget,Budget Accounts,Akaun belanjawan
 DocType: Employee,Internal Work History,Sejarah Kerja Dalaman
@@ -5693,7 +5761,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Pengamal Penjagaan Kesihatan tidak boleh didapati di {0}
 DocType: Stock Entry Detail,Additional Cost,Kos tambahan
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Tidak boleh menapis berdasarkan Baucer Tidak, jika dikumpulkan oleh Baucar"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Membuat Sebutharga Pembekal
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Membuat Sebutharga Pembekal
 DocType: Quality Inspection,Incoming,Masuk
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Templat cukai lalai untuk jualan dan pembelian dicipta.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Rekod Keputusan Penilaian {0} sudah wujud.
@@ -5709,7 +5777,7 @@
 DocType: Batch,Batch ID,ID Batch
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Nota: {0}
 ,Delivery Note Trends,Trend Penghantaran Nota
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Ringkasan Minggu Ini
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Ringkasan Minggu Ini
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Dalam Stok Kuantiti
 ,Daily Work Summary Replies,Balasan Ringkasan Kerja Harian
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Kira Anggaran Masa Kedatangan
@@ -5719,7 +5787,7 @@
 DocType: Bank Account,Party,Parti
 DocType: Healthcare Settings,Patient Name,Nama Pesakit
 DocType: Variant Field,Variant Field,Varian Field
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Lokasi Sasaran
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Lokasi Sasaran
 DocType: Sales Order,Delivery Date,Tarikh Penghantaran
 DocType: Opportunity,Opportunity Date,Peluang Tarikh
 DocType: Employee,Health Insurance Provider,Pembekal Insurans Kesihatan
@@ -5738,7 +5806,7 @@
 DocType: Employee,History In Company,Sejarah Dalam Syarikat
 DocType: Customer,Customer Primary Address,Alamat Utama Pelanggan
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Surat Berita
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,No rujukan.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,No rujukan.
 DocType: Drug Prescription,Description/Strength,Penerangan / Kekuatan
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Buat Entri Baru / Kemasukan Jurnal
 DocType: Certification Application,Certification Application,Permohonan Persijilan
@@ -5749,10 +5817,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali
 DocType: Department,Leave Block List,Tinggalkan Sekat Senarai
 DocType: Purchase Invoice,Tax ID,ID Cukai
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Perkara {0} tidak ditetapkan untuk Serial No. Column boleh kosong
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Perkara {0} tidak ditetapkan untuk Serial No. Column boleh kosong
 DocType: Accounts Settings,Accounts Settings,Tetapan Akaun-akaun
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Terima
 DocType: Loyalty Program,Customer Territory,Kawasan Pelanggan
+DocType: Email Digest,Sales Orders to Deliver,Pesanan Jualan untuk Dihantar
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Bilangan Akaun baru, ia akan dimasukkan ke dalam nama akaun sebagai awalan"
 DocType: Maintenance Team Member,Team Member,Ahli pasukan
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Tiada Keputusan untuk dihantar
@@ -5762,7 +5831,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Jumlah {0} untuk semua barangan adalah sifar, mungkin anda perlu menukar &#39;Mengedarkan Caj Berasaskan&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Setakat ini tidak boleh kurang dari tarikh
 DocType: Opportunity,To Discuss,Bincang
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Ini berdasarkan urusniaga terhadap Pelanggan ini. Lihat garis masa di bawah untuk maklumat lanjut
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} unit {1} diperlukan dalam {2} untuk melengkapkan urus niaga ini.
 DocType: Loan Type,Rate of Interest (%) Yearly,Kadar faedah (%) tahunan
 DocType: Support Settings,Forum URL,URL Forum
@@ -5777,7 +5845,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Ketahui lebih lanjut
 DocType: Cheque Print Template,Distance from top edge,Jarak dari tepi atas
 DocType: POS Closing Voucher Invoices,Quantity of Items,Kuantiti Item
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Senarai Harga {0} dilumpuhkan atau tidak wujud
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Senarai Harga {0} dilumpuhkan atau tidak wujud
 DocType: Purchase Invoice,Return,Pulangan
 DocType: Pricing Rule,Disable,Melumpuhkan
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Cara pembayaran adalah dikehendaki untuk membuat pembayaran
@@ -5785,18 +5853,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Edit halaman penuh untuk lebih banyak pilihan seperti aset, nada siri, batch dll."
 DocType: Leave Type,Maximum Continuous Days Applicable,Hari Berterusan Maksimum Berkenaan
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} tidak mendaftar dalam Batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} tidak boleh dimansuhkan, kerana ia sudah {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} tidak boleh dimansuhkan, kerana ia sudah {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Cek diperlukan
 DocType: Task,Total Expense Claim (via Expense Claim),Jumlah Tuntutan Perbelanjaan (melalui Perbelanjaan Tuntutan)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Tidak Hadir
 DocType: Job Applicant Source,Job Applicant Source,Sumber Pemohon Kerja
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Jumlah IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Jumlah IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Gagal persediaan syarikat
 DocType: Asset Repair,Asset Repair,Pembaikan aset
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Matawang BOM # {1} hendaklah sama dengan mata wang yang dipilih {2}
 DocType: Journal Entry Account,Exchange Rate,Kadar pertukaran
 DocType: Patient,Additional information regarding the patient,Maklumat tambahan mengenai pesakit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Sales Order {0} tidak dikemukakan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Sales Order {0} tidak dikemukakan
 DocType: Homepage,Tag Line,Line tag
 DocType: Fee Component,Fee Component,Komponen Bayaran
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Pengurusan Fleet
@@ -5811,7 +5879,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobile
 ,Sales Person-wise Transaction Summary,Jualan Orang-bijak Transaksi Ringkasan
 DocType: Training Event,Contact Number,Nombor telefon
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Gudang {0} tidak wujud
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Gudang {0} tidak wujud
 DocType: Cashier Closing,Custody,Penjagaan
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Butiran Penyerahan Bukti Pengecualian Cukai Pekerja
 DocType: Monthly Distribution,Monthly Distribution Percentages,Peratusan Taburan Bulanan
@@ -5826,7 +5894,7 @@
 DocType: Payment Entry,Paid Amount,Jumlah yang dibayar
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Terokai Kitaran Jualan
 DocType: Assessment Plan,Supervisor,penyelia
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Penyimpanan Stok Penyimpanan
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Penyimpanan Stok Penyimpanan
 ,Available Stock for Packing Items,Saham tersedia untuk Item Pembungkusan
 DocType: Item Variant,Item Variant,Perkara Varian
 ,Work Order Stock Report,Laporan Saham Pesanan Kerja
@@ -5835,9 +5903,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Sebagai Penyelia
 DocType: Leave Policy Detail,Leave Policy Detail,Tinggalkan Butiran Dasar
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,penghantaran pesanan tidak boleh dihapuskan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Baki akaun sudah dalam Debit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'Kredit'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Pengurusan Kualiti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,penghantaran pesanan tidak boleh dihapuskan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Baki akaun sudah dalam Debit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'Kredit'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Pengurusan Kualiti
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Perkara {0} telah dilumpuhkan
 DocType: Project,Total Billable Amount (via Timesheets),Jumlah Jumlah Yang Boleh Dibayar (melalui Timesheet)
 DocType: Agriculture Task,Previous Business Day,Hari Perniagaan Sebelumnya
@@ -5860,15 +5928,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Pusat Kos
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Restart Langganan
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analisis Loji Terkait
-DocType: Delivery Note,Transporter ID,ID Transporter
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID Transporter
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Tawaran nilai
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Kadar di mana pembekal mata wang ditukar kepada mata wang asas syarikat
-DocType: Sales Invoice Item,Service End Date,Tarikh Akhir Perkhidmatan
+DocType: Purchase Invoice Item,Service End Date,Tarikh Akhir Perkhidmatan
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: konflik pengaturan masa dengan barisan {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Benarkan Kadar Penilaian Zero
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Benarkan Kadar Penilaian Zero
 DocType: Bank Guarantee,Receiving,Menerima
 DocType: Training Event Employee,Invited,dijemput
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Persediaan akaun Gateway.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Persediaan akaun Gateway.
 DocType: Employee,Employment Type,Jenis pekerjaan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Aset Tetap
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange Keuntungan / Kerugian
@@ -5884,7 +5953,7 @@
 DocType: Tax Rule,Sales Tax Template,Template Cukai Jualan
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Bayar Tuntutan Manfaat Terhad
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Kemas kini Nombor Pusat Kos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Pilih item untuk menyelamatkan invois
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Pilih item untuk menyelamatkan invois
 DocType: Employee,Encashment Date,Penunaian Tarikh
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Templat Ujian Khas
@@ -5892,13 +5961,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Kos Aktiviti lalai wujud untuk Jenis Kegiatan - {0}
 DocType: Work Order,Planned Operating Cost,Dirancang Kos Operasi
 DocType: Academic Term,Term Start Date,Term Tarikh Mula
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Senarai semua urusniaga saham
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Senarai semua urusniaga saham
+DocType: Supplier,Is Transporter,Adakah Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Import Invois Jualan dari Shopify jika Pembayaran ditandakan
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Tarikh Mulai Tempoh Percubaan dan Tarikh Akhir Tempoh Percubaan mesti ditetapkan
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Kadar purata
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Amaun Pembayaran dalam Jadual Pembayaran mestilah sama dengan Jumlah Besar / Bulat
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Amaun Pembayaran dalam Jadual Pembayaran mestilah sama dengan Jumlah Besar / Bulat
 DocType: Subscription Plan Detail,Plan,Rancang
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Baki Penyata Bank seperti Lejar Am
 DocType: Job Applicant,Applicant Name,Nama pemohon
@@ -5926,7 +5996,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Ada Qty di Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,jaminan
 DocType: Purchase Invoice,Debit Note Issued,Debit Nota Dikeluarkan
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Penapis berdasarkan Pusat Kos hanya terpakai jika Budget Against dipilih sebagai Pusat Kos
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Penapis berdasarkan Pusat Kos hanya terpakai jika Budget Against dipilih sebagai Pusat Kos
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Cari mengikut kod item, nombor siri, no batch atau kod bar"
 DocType: Work Order,Warehouses,Gudang
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} aset tidak boleh dipindahkan
@@ -5937,9 +6007,9 @@
 DocType: Workstation,per hour,sejam
 DocType: Blanket Order,Purchasing,Membeli
 DocType: Announcement,Announcement,Pengumuman
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Pelanggan LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Pelanggan LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Untuk Kumpulan Pelajar Batch berasaskan, Batch Pelajar akan disahkan bagi tiap-tiap pelajar daripada Program Pendaftaran."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak boleh dihapuskan kerana penyertaan saham lejar wujud untuk gudang ini.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak boleh dihapuskan kerana penyertaan saham lejar wujud untuk gudang ini.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Pengagihan
 DocType: Journal Entry Account,Loan,Pinjaman
 DocType: Expense Claim Advance,Expense Claim Advance,Pendahuluan Tuntutan Perbelanjaan
@@ -5948,7 +6018,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Pengurus Projek
 ,Quoted Item Comparison,Perkara dipetik Perbandingan
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Tumpuan dalam pemarkahan antara {0} dan {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dispatch
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dispatch
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max diskaun yang dibenarkan untuk item: {0} adalah {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Nilai Aset Bersih pada
 DocType: Crop,Produce,Menghasilkan
@@ -5958,20 +6028,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Penggunaan Bahan untuk Pembuatan
 DocType: Item Alternative,Alternative Item Code,Kod Item Alternatif
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Peranan yang dibenarkan menghantar transaksi yang melebihi had kredit ditetapkan.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Pilih item untuk mengeluarkan
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Pilih item untuk mengeluarkan
 DocType: Delivery Stop,Delivery Stop,Stop Penghantaran
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master penyegerakan data, ia mungkin mengambil sedikit masa"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master penyegerakan data, ia mungkin mengambil sedikit masa"
 DocType: Item,Material Issue,Isu Bahan
 DocType: Employee Education,Qualification,Kelayakan
 DocType: Item Price,Item Price,Perkara Harga
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sabun &amp; Detergen
 DocType: BOM,Show Items,persembahan Item
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Dari Masa tidak boleh lebih besar daripada ke semasa.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Adakah anda ingin memberitahu semua pelanggan melalui e-mel?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Adakah anda ingin memberitahu semua pelanggan melalui e-mel?
 DocType: Subscription Plan,Billing Interval,Selang Pengebilan
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Mengarahkan
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Tarikh mula sebenar dan tarikh tamat sebenar adalah wajib
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Kumpulan Pelanggan&gt; Wilayah
 DocType: Salary Detail,Component,komponen
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Baris {0}: {1} mesti lebih besar daripada 0
 DocType: Assessment Criteria,Assessment Criteria Group,Kriteria Penilaian Kumpulan
@@ -6002,11 +6073,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Masukkan nama bank atau institusi pemberi pinjaman sebelum mengemukakan.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} mesti dikemukakan
 DocType: POS Profile,Item Groups,Kumpulan item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Hari ini adalah {0} &#39;s hari jadi!
 DocType: Sales Order Item,For Production,Untuk Pengeluaran
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Baki Dalam Mata Wang Akaun
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Sila tambah akaun Pembukaan Sementara dalam Carta Akaun
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Sila tambah akaun Pembukaan Sementara dalam Carta Akaun
 DocType: Customer,Customer Primary Contact,Hubungi Utama Utama Pelanggan
 DocType: Project Task,View Task,Lihat Petugas
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,RRJP / Lead%
@@ -6020,11 +6090,11 @@
 DocType: Sales Invoice,Get Advances Received,Mendapatkan Pendahuluan Diterima
 DocType: Email Digest,Add/Remove Recipients,Tambah / Buang Penerima
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Untuk menetapkan Tahun Fiskal ini sebagai lalai, klik pada &#39;Tetapkan sebagai lalai&#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Jumlah TDS Deducted
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Jumlah TDS Deducted
 DocType: Production Plan,Include Subcontracted Items,Termasuk Item Subkontrak
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Sertai
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Kekurangan Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Sertai
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Kekurangan Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama
 DocType: Loan,Repay from Salary,Membayar balik dari Gaji
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Meminta pembayaran daripada {0} {1} untuk jumlah {2}
 DocType: Additional Salary,Salary Slip,Slip Gaji
@@ -6040,7 +6110,7 @@
 DocType: Patient,Dormant,Tidak aktif
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Cukai Potongan Bagi Manfaat Pekerja yang Tidak Dituntut
 DocType: Salary Slip,Total Interest Amount,Jumlah Jumlah Faedah
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Gudang dengan nod kanak-kanak tidak boleh ditukar ke dalam lejar
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Gudang dengan nod kanak-kanak tidak boleh ditukar ke dalam lejar
 DocType: BOM,Manage cost of operations,Menguruskan kos operasi
 DocType: Accounts Settings,Stale Days,Hari Stale
 DocType: Travel Itinerary,Arrival Datetime,Tarikh Dataran Ketibaan
@@ -6052,7 +6122,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Penilaian Keputusan terperinci
 DocType: Employee Education,Employee Education,Pendidikan Pekerja
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,kumpulan item Duplicate dijumpai di dalam jadual kumpulan item
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Ia diperlukan untuk mengambil Butiran Item.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Ia diperlukan untuk mengambil Butiran Item.
 DocType: Fertilizer,Fertilizer Name,Nama Baja
 DocType: Salary Slip,Net Pay,Gaji bersih
 DocType: Cash Flow Mapping Accounts,Account,Akaun
@@ -6063,14 +6133,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Buat Entri Pembayaran Terhad Mengatasi Tuntutan Manfaat
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Kehadiran demam (temp&gt; 38.5 ° C / 101.3 ° F atau temp tetap&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Butiran Pasukan Jualan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Padam selama-lamanya?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Padam selama-lamanya?
 DocType: Expense Claim,Total Claimed Amount,Jumlah Jumlah Tuntutan
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Peluang yang berpotensi untuk jualan.
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Tidak sah {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Cuti Sakit
 DocType: Email Digest,Email Digest,E-mel Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,bukan
 DocType: Delivery Note,Billing Address Name,Bil Nama Alamat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Kedai Jabatan
 ,Item Delivery Date,Tarikh Penghantaran Item
@@ -6086,16 +6155,16 @@
 DocType: Account,Chargeable,Boleh dikenakan cukai
 DocType: Company,Change Abbreviation,Perubahan Singkatan
 DocType: Contract,Fulfilment Details,Butiran Penyempurnaan
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Bayar {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Bayar {0} {1}
 DocType: Employee Onboarding,Activities,Aktiviti
 DocType: Expense Claim Detail,Expense Date,Perbelanjaan Tarikh
 DocType: Item,No of Months,Tiada Bulan
 DocType: Item,Max Discount (%),Max Diskaun (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Hari Kredit tidak boleh menjadi nombor negatif
-DocType: Sales Invoice Item,Service Stop Date,Tarikh Henti Perkhidmatan
+DocType: Purchase Invoice Item,Service Stop Date,Tarikh Henti Perkhidmatan
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Perintah lepas Jumlah
 DocType: Cash Flow Mapper,e.g Adjustments for:,contohnya Pelarasan untuk:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Kekalkan Contoh berdasarkan kumpulan, sila semak Has Batch No untuk mengekalkan sampel item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Kekalkan Contoh berdasarkan kumpulan, sila semak Has Batch No untuk mengekalkan sampel item"
 DocType: Task,Is Milestone,adalah Milestone
 DocType: Certification Application,Yet to appear,Namun untuk muncul
 DocType: Delivery Stop,Email Sent To,E-mel Dihantar Untuk
@@ -6103,16 +6172,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Benarkan Pusat Kos dalam Penyertaan Akaun Lembaran Imbangan
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Gabung dengan Akaun Sedia Ada
 DocType: Budget,Warn,Beri amaran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Semua item telah dipindahkan untuk Perintah Kerja ini.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Semua item telah dipindahkan untuk Perintah Kerja ini.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Sebarang kenyataan lain, usaha perlu diberi perhatian yang sepatutnya pergi dalam rekod."
 DocType: Asset Maintenance,Manufacturing User,Pembuatan pengguna
 DocType: Purchase Invoice,Raw Materials Supplied,Bahan mentah yang dibekalkan
 DocType: Subscription Plan,Payment Plan,Pelan Pembayaran
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Membolehkan pembelian barang melalui laman web
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Mata wang senarai harga {0} mestilah {1} atau {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Pengurusan Langganan
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Pengurusan Langganan
 DocType: Appraisal,Appraisal Template,Templat Penilaian
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Untuk Kod Pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Untuk Kod Pin
 DocType: Soil Texture,Ternary Plot,Plot Ternary
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Semak ini untuk membolehkan rutin penyegerakan harian dijadualkan melalui penjadual
 DocType: Item Group,Item Classification,Item Klasifikasi
@@ -6122,6 +6191,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Pendaftaran Pesakit Invois
 DocType: Crop,Period,Tempoh
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Lejar Am
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Tahun Fiskal
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Lihat Leads
 DocType: Program Enrollment Tool,New Program,Program baru
 DocType: Item Attribute Value,Attribute Value,Atribut Nilai
@@ -6130,11 +6200,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise lawatan Reorder Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Pekerja {0} gred {1} tidak mempunyai dasar cuti lalai
 DocType: Salary Detail,Salary Detail,Detail gaji
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Sila pilih {0} pertama
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Sila pilih {0} pertama
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Menambah {0} pengguna
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Dalam hal program multi-tier, Pelanggan akan ditugaskan secara automatik ke peringkat yang bersangkutan seperti yang dibelanjakannya"
 DocType: Appointment Type,Physician,Pakar Perubatan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah tamat.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah tamat.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Perundingan
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Selesai Baik
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Harga Item muncul beberapa kali berdasarkan Senarai Harga, Pembekal / Pelanggan, Mata Wang, Item, UOM, Qty dan Tarikh."
@@ -6143,22 +6213,21 @@
 DocType: Certification Application,Name of Applicant,Nama pemohon
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Lembaran Masa untuk pembuatan.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,jumlah kecil
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Tidak boleh mengubah Variasi hartanah selepas transaksi stok. Anda perlu membuat Item baru untuk melakukan ini.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Tidak boleh mengubah Variasi hartanah selepas transaksi stok. Anda perlu membuat Item baru untuk melakukan ini.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandat SEPA GoCardless
 DocType: Healthcare Practitioner,Charges,Caj
 DocType: Production Plan,Get Items For Work Order,Dapatkan Item Untuk Perintah Kerja
 DocType: Salary Detail,Default Amount,Jumlah Default
 DocType: Lab Test Template,Descriptive,Deskriptif
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Gudang tidak dijumpai di dalam sistem
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Ringkasan ini Bulan ini
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Ringkasan ini Bulan ini
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kualiti Pemeriksaan Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Bekukan Stok Yang Lebih Lama Dari` hendaklah lebih kecil daripada %d hari.
 DocType: Tax Rule,Purchase Tax Template,Membeli Template Cukai
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Tetapkan matlamat jualan yang anda ingin capai untuk syarikat anda.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Perkhidmatan Penjagaan Kesihatan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Perkhidmatan Penjagaan Kesihatan
 ,Project wise Stock Tracking,Projek Landasan Saham bijak
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Mod Pengangkutan
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Makmal
 DocType: UOM Category,UOM Category,UOM Kategori
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Kuantiti sebenar (pada sumber / sasaran)
@@ -6181,17 +6250,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Gagal membuat laman web
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Detail UOM Penukaran
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Kemasukan Saham Penyimpanan yang telah dibuat atau Kuantiti Sampel yang tidak disediakan
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Kemasukan Saham Penyimpanan yang telah dibuat atau Kuantiti Sampel yang tidak disediakan
 DocType: Program,Program Abbreviation,Singkatan program
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Perintah Pengeluaran tidak boleh dibangkitkan terhadap Templat Perkara
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Caj akan dikemas kini di Resit Pembelian terhadap setiap item
 DocType: Warranty Claim,Resolved By,Diselesaikan oleh
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Jadual Pelepasan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cek dan Deposit tidak betul dibersihkan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Akaun {0}: Anda tidak boleh menetapkan ia sendiri sebagai akaun induk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Akaun {0}: Anda tidak boleh menetapkan ia sendiri sebagai akaun induk
 DocType: Purchase Invoice Item,Price List Rate,Senarai Harga Kadar
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Membuat sebut harga pelanggan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Tarikh Henti Perkhidmatan tidak boleh selepas Tarikh Akhir Perkhidmatan
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Tarikh Henti Perkhidmatan tidak boleh selepas Tarikh Akhir Perkhidmatan
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Menunjukkan &quot;Pada Saham&quot; atau &quot;Tidak dalam Saham&quot; berdasarkan saham yang terdapat di gudang ini.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Rang Undang-Undang Bahan (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Purata masa yang diambil oleh pembekal untuk menyampaikan
@@ -6203,11 +6272,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Jam
 DocType: Project,Expected Start Date,Jangkaan Tarikh Mula
 DocType: Purchase Invoice,04-Correction in Invoice,04-Pembetulan dalam Invois
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Perintah Kerja sudah dibuat untuk semua item dengan BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Perintah Kerja sudah dibuat untuk semua item dengan BOM
 DocType: Payment Request,Party Details,Butiran Parti
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Laporan Butiran Variasi
 DocType: Setup Progress Action,Setup Progress Action,Tindakan Kemajuan Persediaan
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Membeli Senarai Harga
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Membeli Senarai Harga
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Buang item jika caj tidak berkenaan dengan perkara yang
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Batal Langganan
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Sila pilih Status Penyelenggaraan sebagai Selesai atau keluarkan Tarikh Selesai
@@ -6225,7 +6294,7 @@
 DocType: Asset,Disposal Date,Tarikh pelupusan
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mel akan dihantar kepada semua Pekerja Active syarikat itu pada jam yang diberikan, jika mereka tidak mempunyai percutian. Ringkasan jawapan akan dihantar pada tengah malam."
 DocType: Employee Leave Approver,Employee Leave Approver,Pekerja Cuti Pelulus
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Suatu catatan Reorder telah wujud untuk gudang ini {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Suatu catatan Reorder telah wujud untuk gudang ini {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Tidak boleh mengaku sebagai hilang, kerana Sebutharga telah dibuat."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Akaun CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Maklum balas latihan
@@ -6237,7 +6306,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Setakat ini tidak boleh sebelum dari tarikh
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Seksyen Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Tambah / Edit Harga
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Tambah / Edit Harga
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Promosi Pekerja tidak boleh dikemukakan sebelum Tarikh Promosi
 DocType: Batch,Parent Batch,Batch ibubapa
 DocType: Batch,Parent Batch,Batch ibubapa
@@ -6248,6 +6317,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Pengumpulan sampel
 ,Requested Items To Be Ordered,Item yang diminta Akan Mengarahkan
 DocType: Price List,Price List Name,Senarai Harga Nama
+DocType: Delivery Stop,Dispatch Information,Maklumat Penghantaran
 DocType: Blanket Order,Manufacturing,Pembuatan
 ,Ordered Items To Be Delivered,Item mengarahkan Akan Dihantar
 DocType: Account,Income,Pendapatan
@@ -6266,17 +6336,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unit {1} diperlukan dalam {2} pada {3} {4} untuk {5} untuk melengkapkan urus niaga ini.
 DocType: Fee Schedule,Student Category,Kategori pelajar
 DocType: Announcement,Student,pelajar
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Kuantiti stok untuk memulakan prosedur tidak tersedia di gudang. Adakah anda ingin merakam Pindahan Saham
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Kuantiti stok untuk memulakan prosedur tidak tersedia di gudang. Adakah anda ingin merakam Pindahan Saham
 DocType: Shipping Rule,Shipping Rule Type,Jenis Peraturan Penghantaran
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Pergi ke Bilik
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Syarikat, Akaun Pembayaran, Dari Tarikh dan Tarikh adalah wajib"
 DocType: Company,Budget Detail,Detail bajet
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Sila masukkan mesej sebelum menghantar
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,PENDUA BAGI PEMBEKAL
-DocType: Email Digest,Pending Quotations,Sementara menunggu Sebutharga
-DocType: Delivery Note,Distance (KM),Jarak (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Pembekal&gt; Kumpulan Pembekal
 DocType: Asset,Custodian,Kustodian
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} harus bernilai antara 0 dan 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Pembayaran {0} dari {1} ke {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Pinjaman tidak bercagar
@@ -6308,10 +6377,10 @@
 DocType: Lead,Converted,Ditukar
 DocType: Item,Has Serial No,Mempunyai No Siri
 DocType: Employee,Date of Issue,Tarikh Keluaran
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sebagai satu Tetapan Membeli jika Pembelian penerimaannya Diperlukan == &#39;YA&#39;, maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pembelian Resit pertama bagi item {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sebagai satu Tetapan Membeli jika Pembelian penerimaannya Diperlukan == &#39;YA&#39;, maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pembelian Resit pertama bagi item {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Tetapkan Pembekal untuk item {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: Nilai Waktu mesti lebih besar daripada sifar.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Laman web Image {0} melekat Perkara {1} tidak boleh didapati
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Laman web Image {0} melekat Perkara {1} tidak boleh didapati
 DocType: Issue,Content Type,Jenis kandungan
 DocType: Asset,Assets,Aset
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Komputer
@@ -6322,7 +6391,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} tidak wujud
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Sila semak pilihan mata Multi untuk membolehkan akaun dengan mata wang lain
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Perkara: {0} tidak wujud dalam sistem
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Anda tiada kebenaran untuk menetapkan nilai Beku
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Anda tiada kebenaran untuk menetapkan nilai Beku
 DocType: Payment Reconciliation,Get Unreconciled Entries,Dapatkan belum disatukan Penyertaan
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Pekerja {0} ada di Cuti di {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Tiada bayaran balik yang dipilih untuk Kemasukan Jurnal
@@ -6340,13 +6409,14 @@
 ,Average Commission Rate,Purata Kadar Suruhanjaya
 DocType: Share Balance,No of Shares,Tiada Saham
 DocType: Taxable Salary Slab,To Amount,Kepada Jumlah
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Punyai Nombor Siri' tidak boleh 'Ya' untuk  benda bukan stok
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Punyai Nombor Siri' tidak boleh 'Ya' untuk  benda bukan stok
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Pilih Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Kehadiran tidak boleh ditandakan untuk masa hadapan
 DocType: Support Search Source,Post Description Key,Post Penerangan Key
 DocType: Pricing Rule,Pricing Rule Help,Peraturan Harga Bantuan
 DocType: School House,House Name,Nama rumah
 DocType: Fee Schedule,Total Amount per Student,Jumlah Amaun setiap Pelajar
+DocType: Opportunity,Sales Stage,Peringkat Jualan
 DocType: Purchase Taxes and Charges,Account Head,Kepala Akaun
 DocType: Company,HRA Component,Komponen HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektrik
@@ -6354,15 +6424,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Jumlah Perbezaan Nilai (Out - Dalam)
 DocType: Grant Application,Requested Amount,Amaun yang Diminta
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Kadar Pertukaran adalah wajib
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID pengguna tidak ditetapkan untuk Pekerja {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID pengguna tidak ditetapkan untuk Pekerja {0}
 DocType: Vehicle,Vehicle Value,Nilai kenderaan
 DocType: Crop Cycle,Detected Diseases,Penyakit yang Dikesan
 DocType: Stock Entry,Default Source Warehouse,Default Sumber Gudang
 DocType: Item,Customer Code,Kod Pelanggan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Peringatan hari jadi untuk {0}
 DocType: Asset Maintenance Task,Last Completion Date,Tarikh Penyempurnaan Terakhir
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Sejak hari Perintah lepas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debit Untuk akaun perlu menjadi akaun Kunci Kira-kira
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debit Untuk akaun perlu menjadi akaun Kunci Kira-kira
 DocType: Asset,Naming Series,Menamakan Siri
 DocType: Vital Signs,Coated,Bersalut
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Baris {0}: Nilai yang Diharapkan Selepas Kehidupan Berguna mestilah kurang daripada Jumlah Pembelian Kasar
@@ -6380,15 +6449,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Penghantaran Nota {0} tidak boleh dikemukakan
 DocType: Notification Control,Sales Invoice Message,Mesej Invois Jualan
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Penutupan Akaun {0} mestilah jenis Liabiliti / Ekuiti
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Slip Gaji pekerja {0} telah dicipta untuk lembaran masa {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Slip Gaji pekerja {0} telah dicipta untuk lembaran masa {1}
 DocType: Vehicle Log,Odometer,odometer
 DocType: Production Plan Item,Ordered Qty,Mengarahkan Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Perkara {0} dilumpuhkan
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Perkara {0} dilumpuhkan
 DocType: Stock Settings,Stock Frozen Upto,Saham beku Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM tidak mengandungi apa-apa butiran saham
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM tidak mengandungi apa-apa butiran saham
 DocType: Chapter,Chapter Head,Kepala Bab
 DocType: Payment Term,Month(s) after the end of the invoice month,Bulan (s) selepas akhir bulan invois
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktur gaji sepatutnya mempunyai komponen faedah yang fleksibel untuk membebankan jumlah manfaat
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktur gaji sepatutnya mempunyai komponen faedah yang fleksibel untuk membebankan jumlah manfaat
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Aktiviti projek / tugasan.
 DocType: Vital Signs,Very Coated,Sangat Bersalut
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Hanya Impak Cukai (Tidak Boleh Tuntut Tetapi Sebahagian Pendapatan Boleh Dituntut)
@@ -6406,7 +6475,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Waktu Billing
 DocType: Project,Total Sales Amount (via Sales Order),Jumlah Jumlah Jualan (melalui Perintah Jualan)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM lalai untuk {0} tidak dijumpai
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Sila menetapkan kuantiti pesanan semula
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Sila menetapkan kuantiti pesanan semula
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Ketik item untuk menambah mereka di sini
 DocType: Fees,Program Enrollment,program Pendaftaran
 DocType: Share Transfer,To Folio No,Kepada Folio No
@@ -6448,9 +6517,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Kekuatan
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Memasang pratetap
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Tiada Nota Penghantaran yang dipilih untuk Pelanggan {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Tiada Nota Penghantaran yang dipilih untuk Pelanggan {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Pekerja {0} tidak mempunyai jumlah faedah maksimum
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Pilih Item berdasarkan Tarikh Penghantaran
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Pilih Item berdasarkan Tarikh Penghantaran
 DocType: Grant Application,Has any past Grant Record,Mempunyai Rekod Geran yang lalu
 ,Sales Analytics,Jualan Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Terdapat {0}
@@ -6459,12 +6528,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Tetapan Pembuatan
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Menubuhkan E-mel
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Bimbit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Sila masukkan mata wang lalai dalam Syarikat Induk
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Sila masukkan mata wang lalai dalam Syarikat Induk
 DocType: Stock Entry Detail,Stock Entry Detail,Detail saham Entry
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Peringatan Harian
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Peringatan Harian
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Lihat semua tiket terbuka
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Pokok Unit Perkhidmatan Penjagaan Kesihatan
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produk
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produk
 DocType: Products Settings,Home Page is Products,Laman Utama Produk adalah
 ,Asset Depreciation Ledger,Asset Susutnilai Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Tinggalkan Encasment Amaun Setiap Hari
@@ -6474,8 +6543,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Kos Bahan mentah yang dibekalkan
 DocType: Selling Settings,Settings for Selling Module,Tetapan untuk Menjual Modul
 DocType: Hotel Room Reservation,Hotel Room Reservation,Tempahan Bilik Hotel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Khidmat Pelanggan
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Khidmat Pelanggan
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Tiada kenalan dengan ID e-mel dijumpai.
 DocType: Item Customer Detail,Item Customer Detail,Item Pelanggan Detail
 DocType: Notification Control,Prompt for Email on Submission of,Meminta untuk e-mel pada Penyerahan
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Jumlah faedah maksimum pekerja {0} melebihi {1}
@@ -6485,7 +6555,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Perkara {0} mestilah Perkara saham
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Kerja Lalai Dalam Kemajuan Warehouse
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Jadual untuk {0} tumpang tindih, adakah anda mahu meneruskan selepas melangkau slot bergelombang?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Tetapan lalai untuk transaksi perakaunan.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Tetapan lalai untuk transaksi perakaunan.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Daun
 DocType: Restaurant,Default Tax Template,Templat Cukai Lalai
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Pelajar telah didaftarkan
@@ -6493,6 +6563,7 @@
 DocType: Purchase Invoice Item,Stock Qty,saham Qty
 DocType: Purchase Invoice Item,Stock Qty,saham Qty
 DocType: Contract,Requires Fulfilment,Memerlukan Pemenuhan
+DocType: QuickBooks Migrator,Default Shipping Account,Akaun Penghantaran Terhad
 DocType: Loan,Repayment Period in Months,Tempoh pembayaran balik dalam Bulan
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Ralat: Bukan id sah?
 DocType: Naming Series,Update Series Number,Update Siri Nombor
@@ -6506,11 +6577,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Jumlah maksimum
 DocType: Journal Entry,Total Amount Currency,Jumlah Mata Wang
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Mencari Sub Dewan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Kod Item diperlukan semasa Row Tiada {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Kod Item diperlukan semasa Row Tiada {0}
 DocType: GST Account,SGST Account,Akaun SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Pergi ke Item
 DocType: Sales Partner,Partner Type,Rakan Jenis
-DocType: Purchase Taxes and Charges,Actual,Sebenar
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Sebenar
 DocType: Restaurant Menu,Restaurant Manager,Pengurus restoran
 DocType: Authorization Rule,Customerwise Discount,Customerwise Diskaun
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet untuk tugas-tugas.
@@ -6531,7 +6602,7 @@
 DocType: Employee,Cheque,Cek
 DocType: Training Event,Employee Emails,E-mel Pekerja
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Siri Dikemaskini
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Jenis Laporan adalah wajib
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Jenis Laporan adalah wajib
 DocType: Item,Serial Number Series,Nombor Siri Siri
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Gudang adalah wajib bagi saham Perkara {0} berturut-turut {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Runcit &amp; Borong
@@ -6562,7 +6633,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Kemas Kini Amaun Dibilor dalam Perintah Jualan
 DocType: BOM,Materials,Bahan
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jika tidak disemak, senarai itu perlu ditambah kepada setiap Jabatan di mana ia perlu digunakan."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Menghantar tarikh dan masa untuk menghantar adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Menghantar tarikh dan masa untuk menghantar adalah wajib
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Template cukai untuk membeli transaksi.
 ,Item Prices,Harga Item
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Pesanan Belian.
@@ -6578,12 +6649,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Siri untuk Entri Penyusutan Aset (Kemasukan Jurnal)
 DocType: Membership,Member Since,Ahli sejak
 DocType: Purchase Invoice,Advance Payments,Bayaran Pendahuluan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Sila pilih Perkhidmatan Penjagaan Kesihatan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Sila pilih Perkhidmatan Penjagaan Kesihatan
 DocType: Purchase Taxes and Charges,On Net Total,Di Net Jumlah
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Nilai untuk Sifat {0} mesti berada dalam lingkungan {1} kepada {2} dalam kenaikan {3} untuk item {4}
 DocType: Restaurant Reservation,Waitlisted,Ditandati
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategori Pengecualian
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Mata wang tidak boleh diubah selepas membuat masukan menggunakan beberapa mata wang lain
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Mata wang tidak boleh diubah selepas membuat masukan menggunakan beberapa mata wang lain
 DocType: Shipping Rule,Fixed,Tetap
 DocType: Vehicle Service,Clutch Plate,Plate Clutch
 DocType: Company,Round Off Account,Bundarkan Akaun
@@ -6592,7 +6663,7 @@
 DocType: Subscription Plan,Based on price list,Berdasarkan senarai harga
 DocType: Customer Group,Parent Customer Group,Ibu Bapa Kumpulan Pelanggan
 DocType: Vehicle Service,Change,Perubahan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Langganan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Langganan
 DocType: Purchase Invoice,Contact Email,Hubungi E-mel
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Penciptaan Kos Penangguhan
 DocType: Appraisal Goal,Score Earned,Skor Diperoleh
@@ -6620,23 +6691,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Belum Terima / Akaun Belum Bayar
 DocType: Delivery Note Item,Against Sales Order Item,Terhadap Sales Order Item
 DocType: Company,Company Logo,Logo syarikat
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Sila nyatakan Atribut Nilai untuk atribut {0}
-DocType: Item Default,Default Warehouse,Gudang Default
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Sila nyatakan Atribut Nilai untuk atribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Gudang Default
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Bajet tidak boleh diberikan terhadap Akaun Kumpulan {0}
 DocType: Shopping Cart Settings,Show Price,Tunjukkan Harga
 DocType: Healthcare Settings,Patient Registration,Pendaftaran Pesakit
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Sila masukkan induk pusat kos
 DocType: Delivery Note,Print Without Amount,Cetak Tanpa Jumlah
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Tarikh susutnilai
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Tarikh susutnilai
 ,Work Orders in Progress,Perintah Kerja dalam Kemajuan
 DocType: Issue,Support Team,Pasukan Sokongan
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Tamat (Dalam Hari)
 DocType: Appraisal,Total Score (Out of 5),Jumlah Skor (Daripada 5)
 DocType: Student Attendance Tool,Batch,Batch
 DocType: Support Search Source,Query Route String,Laluan Laluan Permintaan
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Kadar kemas kini mengikut pembelian terakhir
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Kadar kemas kini mengikut pembelian terakhir
 DocType: Donor,Donor Type,Jenis Donor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Dokumen pengulang automatik dikemas kini
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Dokumen pengulang automatik dikemas kini
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Baki
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Sila pilih Syarikat
 DocType: Job Card,Job Card,Kad Kerja
@@ -6650,7 +6721,7 @@
 DocType: Assessment Result,Total Score,Jumlah markah
 DocType: Crop Cycle,ISO 8601 standard,Standard ISO 8601
 DocType: Journal Entry,Debit Note,Nota Debit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Anda hanya boleh menebus maks {0} mata dalam urutan ini.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Anda hanya boleh menebus maks {0} mata dalam urutan ini.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Sila masukkan Rahsia Pengguna API
 DocType: Stock Entry,As per Stock UOM,Seperti Saham UOM
@@ -6664,10 +6735,11 @@
 DocType: Journal Entry,Total Debit,Jumlah Debit
 DocType: Travel Request Costing,Sponsored Amount,Jumlah yang ditaja
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Barangan lalai Mendapat Warehouse
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Sila pilih Pesakit
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Sila pilih Pesakit
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Orang Jualan
 DocType: Hotel Room Package,Amenities,Kemudahan
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Belanjawan dan PTJ
+DocType: QuickBooks Migrator,Undeposited Funds Account,Akaun Dana Undeposited
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Belanjawan dan PTJ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Pelbagai mod lalai pembayaran tidak dibenarkan
 DocType: Sales Invoice,Loyalty Points Redemption,Penebusan Mata Kesetiaan
 ,Appointment Analytics,Pelantikan Analitis
@@ -6681,6 +6753,7 @@
 DocType: Batch,Manufacturing Date,Tarikh Pembuatan
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Penciptaan Kos Gagal
 DocType: Opening Invoice Creation Tool,Create Missing Party,Buat Parti Hilang
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Jumlah Anggaran
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Biarkan kosong jika anda membuat kumpulan pelajar setahun
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Biarkan kosong jika anda membuat kumpulan pelajar setahun
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Jika disemak, Jumlah no. Hari Kerja termasuk cuti, dan ini akan mengurangkan nilai Gaji Setiap Hari"
@@ -6698,20 +6771,19 @@
 DocType: Opportunity Item,Basic Rate,Kadar asas
 DocType: GL Entry,Credit Amount,Jumlah Kredit
 DocType: Cheque Print Template,Signatory Position,Jawatan penandatangan
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Ditetapkan sebagai Hilang
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Ditetapkan sebagai Hilang
 DocType: Timesheet,Total Billable Hours,Jumlah jam kerja yang dibayar
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Bilangan hari yang pelanggan perlu membayar invois yang dihasilkan oleh langganan ini
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Maklumat Permohonan Manfaat Pekerja
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Pembayaran Penerimaan Nota
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ini adalah berdasarkan kepada urus niaga terhadap Pelanggan ini. Lihat garis masa di bawah untuk maklumat
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Jumlah Peruntukan {1} mesti kurang daripada atau sama dengan jumlah Kemasukan Pembayaran {2}
 DocType: Program Enrollment Tool,New Academic Term,Terma Akademik Baru
 ,Course wise Assessment Report,Laporan Penilaian Kursus bijak
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Ada ITC State / UT Tax
 DocType: Tax Rule,Tax Rule,Peraturan Cukai
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mengekalkan Kadar Sama Sepanjang Kitaran Jualan
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Sila log masuk sebagai pengguna lain untuk mendaftar di Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Sila log masuk sebagai pengguna lain untuk mendaftar di Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Rancang log masa di luar Waktu Workstation Kerja.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Pelanggan di Giliran
 DocType: Driver,Issuing Date,Tarikh Pengeluaran
@@ -6720,11 +6792,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Serahkan Perintah Kerja ini untuk pemprosesan selanjutnya.
 ,Items To Be Requested,Item Akan Diminta
 DocType: Company,Company Info,Maklumat Syarikat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Pilih atau menambah pelanggan baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Pilih atau menambah pelanggan baru
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,pusat kos diperlukan untuk menempah tuntutan perbelanjaan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Permohonan Dana (Aset)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ini adalah berdasarkan kepada kehadiran pekerja ini
-DocType: Assessment Result,Summary,Ringkasan
 DocType: Payment Request,Payment Request Type,Jenis Permintaan Pembayaran
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Tandatangan Kehadiran
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Akaun Debit
@@ -6732,7 +6803,7 @@
 DocType: Additional Salary,Employee Name,Nama Pekerja
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Item Masuk Kemasukan Restoran
 DocType: Purchase Invoice,Rounded Total (Company Currency),Bulat Jumlah (Syarikat mata wang)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Tidak boleh Covert kepada Kumpulan kerana Jenis Akaun dipilih.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Tidak boleh Covert kepada Kumpulan kerana Jenis Akaun dipilih.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} telah diubah suai. Sila muat semula.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Menghentikan pengguna daripada membuat Permohonan Cuti pada hari-hari berikut.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Jika tamat tempoh tanpa had untuk Mata Kesetiaan, pastikan Tempoh Tamat Tempoh kosong atau 0."
@@ -6753,11 +6824,12 @@
 DocType: Asset,Out of Order,Telah habis
 DocType: Purchase Receipt Item,Accepted Quantity,Kuantiti Diterima
 DocType: Projects Settings,Ignore Workstation Time Overlap,Abaikan Masa Tumpuan Workstation
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Sila menetapkan lalai Senarai Holiday untuk pekerja {0} atau Syarikat {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Sila menetapkan lalai Senarai Holiday untuk pekerja {0} atau Syarikat {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} tidak wujud
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Pilih Nombor Batch
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Kepada GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Kepada GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Bil dinaikkan kepada Pelanggan.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Pelantikan Invois Secara Automatik
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id Projek
 DocType: Salary Component,Variable Based On Taxable Salary,Variabel Berdasarkan Gaji Boleh Dituntut
 DocType: Company,Basic Component,Komponen Asas
@@ -6770,10 +6842,10 @@
 DocType: Stock Entry,Source Warehouse Address,Alamat Gudang Sumber
 DocType: GL Entry,Voucher Type,Baucer Jenis
 DocType: Amazon MWS Settings,Max Retry Limit,Batas Semula Maksima
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya
 DocType: Student Applicant,Approved,Diluluskan
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Harga
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Pekerja lega pada {0} mesti ditetapkan sebagai &#39;kiri&#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Pekerja lega pada {0} mesti ditetapkan sebagai &#39;kiri&#39;
 DocType: Marketplace Settings,Last Sync On,Penyegerakan Terakhir
 DocType: Guardian,Guardian,Guardian
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Semua komunikasi termasuk dan ke atas ini akan dipindahkan ke Isu baru
@@ -6796,14 +6868,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Senarai penyakit yang dikesan di lapangan. Apabila dipilih, ia akan menambah senarai tugasan secara automatik untuk menangani penyakit ini"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Ini adalah unit perkhidmatan penjagaan kesihatan akar dan tidak dapat diedit.
 DocType: Asset Repair,Repair Status,Status Pembaikan
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Tambah Rakan Kongsi Jualan
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Catatan jurnal perakaunan.
 DocType: Travel Request,Travel Request,Permintaan Perjalanan
 DocType: Delivery Note Item,Available Qty at From Warehouse,Kuantiti Boleh didapati di Dari Gudang
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Sila pilih Rakam Pekerja pertama.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Kehadiran tidak dihantar untuk {0} kerana ia adalah Percutian.
 DocType: POS Profile,Account for Change Amount,Akaun untuk Perubahan Jumlah
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Menyambung ke QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Jumlah Keuntungan / Kerugian
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Syarikat tidak sah untuk Invois Syarikat Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Syarikat tidak sah untuk Invois Syarikat Inter.
 DocType: Purchase Invoice,input service,perkhidmatan input
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Majlis / Akaun tidak sepadan dengan {1} / {2} dalam {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promosi Pekerja
@@ -6812,12 +6886,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kod Kursus:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Sila masukkan Akaun Perbelanjaan
 DocType: Account,Stock,Saham
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Purchase Order, Invois Belian atau Kemasukan Journal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Purchase Order, Invois Belian atau Kemasukan Journal"
 DocType: Employee,Current Address,Alamat Semasa
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jika item adalah variasi yang lain item maka penerangan, gambar, harga, cukai dan lain-lain akan ditetapkan dari template melainkan jika dinyatakan secara jelas"
 DocType: Serial No,Purchase / Manufacture Details,Pembelian / Butiran Pembuatan
 DocType: Assessment Group,Assessment Group,Kumpulan penilaian
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Batch Inventori
+DocType: Supplier,GST Transporter ID,ID Transporter GST
 DocType: Procedure Prescription,Procedure Name,Nama Prosedur
 DocType: Employee,Contract End Date,Kontrak Tarikh akhir
 DocType: Amazon MWS Settings,Seller ID,ID Penjual
@@ -6837,12 +6912,12 @@
 DocType: Company,Date of Incorporation,Tarikh diperbadankan
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Jumlah Cukai
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Harga Belian Terakhir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Untuk Kuantiti (Dikilangkan Qty) adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Untuk Kuantiti (Dikilangkan Qty) adalah wajib
 DocType: Stock Entry,Default Target Warehouse,Default Gudang Sasaran
 DocType: Purchase Invoice,Net Total (Company Currency),Jumlah bersih (Syarikat mata wang)
 DocType: Delivery Note,Air,Air
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Tahun Akhir Tarikh tidak boleh lebih awal daripada Tahun Tarikh Mula. Sila betulkan tarikh dan cuba lagi.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} tidak termasuk dalam Senarai Percutian Pilihan
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} tidak termasuk dalam Senarai Percutian Pilihan
 DocType: Notification Control,Purchase Receipt Message,Pembelian Resit Mesej
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Item Scrap
@@ -6865,23 +6940,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Pemenuhan
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Pada Row Jumlah Sebelumnya
 DocType: Item,Has Expiry Date,Telah Tarikh Luput
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,pemindahan Aset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,pemindahan Aset
 DocType: POS Profile,POS Profile,POS Profil
 DocType: Training Event,Event Name,Nama event
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Pejabat)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Tidak boleh Hantar, Pekerja ditinggalkan untuk menandakan kehadiran"
 DocType: Inpatient Record,Admission,kemasukan
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Kemasukan untuk {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Bermusim untuk menetapkan belanjawan, sasaran dan lain-lain"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Bermusim untuk menetapkan belanjawan, sasaran dan lain-lain"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nama Variabel
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Perkara {0} adalah template, sila pilih salah satu daripada variannya"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Sila sediakan Sistem Penamaan Pekerja dalam Sumber Manusia&gt; Tetapan HR
+DocType: Purchase Invoice Item,Deferred Expense,Perbelanjaan Tertunda
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Dari Tarikh {0} tidak boleh sebelum pekerja menyertai Tarikh {1}
 DocType: Asset,Asset Category,Kategori Asset
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Gaji bersih tidak boleh negatif
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Gaji bersih tidak boleh negatif
 DocType: Purchase Order,Advance Paid,Advance Dibayar
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Peratus Overproduction untuk Perintah Jualan
 DocType: Item,Item Tax,Perkara Cukai
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Bahan kepada Pembekal
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Bahan kepada Pembekal
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Perancangan Permintaan Bahan
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Cukai Invois
@@ -6903,11 +6980,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Alat penjadualan
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kad Kredit
 DocType: BOM,Item to be manufactured or repacked,Perkara yang perlu dibuat atau dibungkus semula
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Kesalahan sintaks dalam keadaan: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Kesalahan sintaks dalam keadaan: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Subjek utama / Pilihan
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Sila Tetapkan Kumpulan Pembekal dalam Tetapan Beli.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Sila Tetapkan Kumpulan Pembekal dalam Tetapan Beli.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Jumlah komponen faedah fleksibel {0} tidak boleh kurang daripada faedah maksima {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Digantung
@@ -6927,7 +7004,7 @@
 DocType: Customer,Commission Rate,Kadar komisen
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Berjaya membuat penyertaan bayaran
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Dicipta {0} kad skor untuk {1} antara:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Membuat Varian
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Membuat Varian
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Jenis bayaran mesti menjadi salah satu Menerima, Bayar dan Pindahan Dalaman"
 DocType: Travel Itinerary,Preferred Area for Lodging,Kawasan Pilihan untuk Penginapan
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6938,7 +7015,7 @@
 DocType: Work Order,Actual Operating Cost,Kos Sebenar Operasi
 DocType: Payment Entry,Cheque/Reference No,Cek / Rujukan
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Akar tidak boleh diedit.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Akar tidak boleh diedit.
 DocType: Item,Units of Measure,Unit ukuran
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Disewa di Metro City
 DocType: Supplier,Default Tax Withholding Config,Config Holding Tax Default
@@ -6956,21 +7033,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Setelah selesai pembayaran mengarahkan pengguna ke halaman yang dipilih.
 DocType: Company,Existing Company,Syarikat yang sedia ada
 DocType: Healthcare Settings,Result Emailed,Keputusan Dihantar
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Kategori cukai telah ditukar kepada &quot;Jumlah&quot; kerana semua Item adalah barang-barang tanpa saham yang
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Kategori cukai telah ditukar kepada &quot;Jumlah&quot; kerana semua Item adalah barang-barang tanpa saham yang
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Setakat ini tidak boleh sama atau kurang dari tarikh
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Tiada perubahan
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Sila pilih fail csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Sila pilih fail csv
 DocType: Holiday List,Total Holidays,Jumlah Cuti
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Templat e-mel hilang untuk penghantaran. Sila tetapkan satu dalam Tetapan Pengiriman.
 DocType: Student Leave Application,Mark as Present,Tanda sebagai Sekarang
 DocType: Supplier Scorecard,Indicator Color,Warna Petunjuk
 DocType: Purchase Order,To Receive and Bill,Terima dan Rang Undang-undang
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Baris # {0}: Reqd oleh Tarikh tidak boleh sebelum Tarikh Urus Niaga
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Baris # {0}: Reqd oleh Tarikh tidak boleh sebelum Tarikh Urus Niaga
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produk yang diketengahkan
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Pilih Serial No
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Pilih Serial No
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Designer
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Terma dan Syarat Template
 DocType: Serial No,Delivery Details,Penghantaran Details
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},PTJ diperlukan berturut-turut {0} dalam Cukai meja untuk jenis {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},PTJ diperlukan berturut-turut {0} dalam Cukai meja untuk jenis {1}
 DocType: Program,Program Code,Kod program
 DocType: Terms and Conditions,Terms and Conditions Help,Terma dan Syarat Bantuan
 ,Item-wise Purchase Register,Perkara-bijak Pembelian Daftar
@@ -6983,15 +7061,16 @@
 DocType: Contract,Contract Terms,Terma Kontrak
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Tidak menunjukkan apa-apa simbol seperti $ dsb sebelah mata wang.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Jumlah faedah maksimum komponen {0} melebihi {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Separuh Hari)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Separuh Hari)
 DocType: Payment Term,Credit Days,Hari Kredit
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Sila pilih Pesakit untuk mendapatkan Ujian Makmal
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Buat Batch Pelajar
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Benarkan Pindahan untuk Pembuatan
 DocType: Leave Type,Is Carry Forward,Apakah Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Dapatkan Item dari BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Dapatkan Item dari BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Membawa Hari Masa
 DocType: Cash Flow Mapping,Is Income Tax Expense,Adakah Perbelanjaan Cukai Pendapatan
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Pesanan anda untuk penghantaran!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Pos Tarikh mesti sama dengan tarikh pembelian {1} aset {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Semak ini jika Pelajar itu yang menetap di Institut Hostel.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Sila masukkan Pesanan Jualan dalam jadual di atas
@@ -6999,10 +7078,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Pemindahan aset dari satu gudang yang lain
 DocType: Vehicle,Petrol,petrol
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Manfaat Remeh (Tahunan)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Rang Undang-Undang Bahan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Rang Undang-Undang Bahan
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Jenis Parti dan Parti diperlukan untuk / akaun Dibayar Terima {1}
 DocType: Employee,Leave Policy,Tinggalkan Polisi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Kemas kini Item
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Kemas kini Item
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Tarikh
 DocType: Employee,Reason for Leaving,Sebab Berhenti
 DocType: BOM Operation,Operating Cost(Company Currency),Kos operasi (Syarikat Mata Wang)
@@ -7013,7 +7092,7 @@
 DocType: Department,Expense Approvers,Kelulusan Perbelanjaan
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debit kemasukan tidak boleh dikaitkan dengan {1}
 DocType: Journal Entry,Subscription Section,Seksyen Subskrip
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Akaun {0} tidak wujud
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Akaun {0} tidak wujud
 DocType: Training Event,Training Program,Program Latihan
 DocType: Account,Cash,Tunai
 DocType: Employee,Short biography for website and other publications.,Biografi ringkas untuk laman web dan penerbitan lain.
diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv
index 8edd603..4d4e76e 100644
--- a/erpnext/translations/my.csv
+++ b/erpnext/translations/my.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,customer ပစ္စည်းများ
 DocType: Project,Costing and Billing,ကုန်ကျနှင့်ငွေတောင်းခံလွှာ
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},ကြိုတင်မဲအကောင့်ငွေကြေးကိုကုမ္ပဏီကိုငွေကြေး {0} အဖြစ်အတူတူပင်ဖြစ်သင့်သည်
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} တစ်ဦးလယ်ဂျာမဖွစျနိုငျ
+DocType: QuickBooks Migrator,Token Endpoint,တိုကင်ဆုံးမှတ်
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} တစ်ဦးလယ်ဂျာမဖွစျနိုငျ
 DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com မှ Item ထုတ်ဝေ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,တက်ကြွခွင့်ကာလကိုမတှေ့နိုငျ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,တက်ကြွခွင့်ကာလကိုမတှေ့နိုငျ
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,အကဲဖြတ်
 DocType: Item,Default Unit of Measure,တိုင်း၏ default ယူနစ်
 DocType: SMS Center,All Sales Partner Contact,အားလုံးသည်အရောင်း Partner ဆက်သွယ်ရန်
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Add စေရန် Enter ကိုကလစ်နှိပ်ပါ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",ပျောက်ဆုံးနေ Password ကိုများအတွက်တန်ဖိုး API သော့သို့မဟုတ် Shopify URL ကို
 DocType: Employee,Rented,ငှားရမ်းထားသော
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,အားလုံး Accounts ကို
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,အားလုံး Accounts ကို
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,status ကိုလက်ဝဲနှင့်အတူန်ထမ်းကိုလွှဲပြောင်းမပေးနိုင်
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ထုတ်လုပ်မှုအမိန့်ကိုပယ်ဖျက်ဖို့ပထမဦးဆုံးက Unstop ဖျက်သိမ်းလိုက်ရမရနိုင်ပါရပ်တန့်
 DocType: Vehicle Service,Mileage,မိုင်အကွာအဝေး
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,သင်အမှန်တကယ်ဒီပိုင်ဆိုင်မှုဖျက်သိမ်းရန်ချင်ပါသလား
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,သင်အမှန်တကယ်ဒီပိုင်ဆိုင်မှုဖျက်သိမ်းရန်ချင်ပါသလား
 DocType: Drug Prescription,Update Schedule,Update ကိုဇယား
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ပုံမှန်ပေးသွင်းကို Select လုပ်ပါ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Show ကိုထမ်း
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,နယူးချိန်းနှုန်း
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},ငွေကြေးစျေးနှုန်းစာရင်း {0} သည်လိုအပ်သည်
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},ငွေကြေးစျေးနှုန်းစာရင်း {0} သည်လိုအပ်သည်
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ထိုအရောင်းအဝယ်အတွက်တွက်ချက်ခြင်းကိုခံရလိမ့်မည်။
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-၎င်းကို-.YYYY.-
 DocType: Purchase Order,Customer Contact,customer ဆက်သွယ်ရန်
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,ဒီပေးသွင်းဆန့်ကျင်ငွေကြေးလွှဲပြောင်းမှုမှာအပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ကိုအောက်တွင်အချိန်ဇယားကိုကြည့်ပါ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,လုပ်ငန်းခွင်အမိန့်သည် Overproduction ရာခိုင်နှုန်း
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,ဥပဒေကြောင်းအရ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,ဥပဒေကြောင်းအရ
+DocType: Delivery Note,Transport Receipt Date,ပို့ဆောင်ရေးငွေလက်ခံပြေစာနေ့စွဲ
 DocType: Shopify Settings,Sales Order Series,အရောင်းအမိန့်စီးရီး
 DocType: Vital Signs,Tongue,လြှာ
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,ဟရားကင်းလွတ်ခွင့်
 DocType: Sales Invoice,Customer Name,ဖောက်သည်အမည်
 DocType: Vehicle,Natural Gas,သဘာဝဓာတ်ငွေ့
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},ဘဏ်အကောင့် {0} အဖြစ်အမည်ရှိသောမရနိုင်ပါ
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},ဘဏ်အကောင့် {0} အဖြစ်အမည်ရှိသောမရနိုင်ပါ
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,လစာဖွဲ့စည်းပုံနှုန်းအဖြစ်ဟရား
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ဦးခေါင်း (သို့မဟုတ်အုပ်စုများ) စာရင်းကိုင် Entries စေကြနှင့်ချိန်ခွင်ထိန်းသိမ်းထားသည့်ဆန့်ကျင်။
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),ထူးချွန် {0} သုည ({1}) ထက်နည်းမဖြစ်နိုင်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Service ကိုရပ်တန့်နေ့စွဲဝန်ဆောင်မှုကို Start နေ့စွဲမတိုင်မီမဖွစျနိုငျ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Service ကိုရပ်တန့်နေ့စွဲဝန်ဆောင်မှုကို Start နေ့စွဲမတိုင်မီမဖွစျနိုငျ
 DocType: Manufacturing Settings,Default 10 mins,10 မိနစ် default
 DocType: Leave Type,Leave Type Name,Type အမည် Leave
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ပွင့်လင်းပြရန်
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,ပွင့်လင်းပြရန်
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,စီးရီးအောင်မြင်စွာကျင်းပပြီးစီး Updated
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,ထွက်ခွာသည်
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} {1} အတန်းအတွက်
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} {1} အတန်းအတွက်
 DocType: Asset Finance Book,Depreciation Start Date,တန်ဖိုးလျော့ Start ကိုနေ့စွဲ
 DocType: Pricing Rule,Apply On,တွင် Apply
 DocType: Item Price,Multiple Item prices.,အကွိမျမြားစှာ Item ဈေးနှုန်းများ။
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,ပံ့ပိုးမှုက Settings
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,မျှော်လင့်ထားသည့်အဆုံးနေ့စွဲမျှော်မှန်း Start ကိုနေ့စွဲထက်လျော့နည်းမဖွစျနိုငျ
 DocType: Amazon MWS Settings,Amazon MWS Settings,အမေဇုံ MWS Settings များ
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,row # {0}: {2} ({3} / {4}): Rate {1} အဖြစ်အတူတူသာဖြစ်ရမည်
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,row # {0}: {2} ({3} / {4}): Rate {1} အဖြစ်အတူတူသာဖြစ်ရမည်
 ,Batch Item Expiry Status,အသုတ်ပစ္စည်းသက်တမ်းကုန်ဆုံးအခြေအနေ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,ဘဏ်မှမူကြမ်း
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-ဖက်စပ်-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,မူလတန်းဆက်သွယ်ပါအသေးစိတ်
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ပွင့်လင်းကိစ္စများ
 DocType: Production Plan Item,Production Plan Item,ထုတ်လုပ်မှုစီမံကိန်း Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},အသုံးပြုသူ {0} ပြီးသားန်ထမ်း {1} မှတာဝန်ပေးသည်
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},အသုံးပြုသူ {0} ပြီးသားန်ထမ်း {1} မှတာဝန်ပေးသည်
 DocType: Lab Test Groups,Add new line,အသစ်ကလိုင်း Add
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,ကျန်းမာရေးစောင့်ရှောက်မှု
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ငွေပေးချေမှုအတွက်နှောင့်နှေး (နေ့ရက်များ)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab ကညွှန်း
 ,Delay Days,နှောင့်နှေးနေ့ရက်များ
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ဝန်ဆောင်မှုကုန်ကျစရိတ်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ပြီးသားအရောင်းပြေစာအတွက်ရည်ညွှန်းသည်: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ပြီးသားအရောင်းပြေစာအတွက်ရည်ညွှန်းသည်: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,ဝယ်ကုန်စာရင်း
 DocType: Purchase Invoice Item,Item Weight Details,item အလေးချိန်အသေးစိတ်
 DocType: Asset Maintenance Log,Periodicity,ကာလ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} လိုအပ်သည်
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,ပေးသွင်း&gt; ပေးသွင်း Group မှ
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,အကောင်းဆုံးကြီးထွားမှုအတွက်အပင်တန်းများအကြားနိမ့်ဆုံးအကွာအဝေး
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,ကာကွယ်မှု
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,ဆဆ-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,အားလပ်ရက်များစာရင်း
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,စာရင်းကိုင်
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,စျေးစာရင်းရောင်းချနေ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,စျေးစာရင်းရောင်းချနေ
 DocType: Patient,Tobacco Current Use,ဆေးရွက်ကြီးလက်ရှိအသုံးပြုမှု
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,ရောင်းချနှုန်း
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,ရောင်းချနှုန်း
 DocType: Cost Center,Stock User,စတော့အိတ်အသုံးပြုသူတို့၏
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K သည်
+DocType: Delivery Stop,Contact Information,ဆက်သွယ်ရန်အချက်အလက်
 DocType: Company,Phone No,Phone များမရှိပါ
 DocType: Delivery Trip,Initial Email Notification Sent,Sent ကနဦးအီးမေးလ်သတိပေးချက်
 DocType: Bank Statement Settings,Statement Header Mapping,ဖော်ပြချက် Header ကိုပုံထုတ်ခြင်း
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,subscription ကို Start နေ့စွဲ
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,လူနာအတွက်မသတ်မှတ်လျှင်ခန့်အပ်တာဝန်ပေးခြင်းစွဲချက်စာအုပ်ဆိုင်ဖို့အသုံးပြုခံရဖို့ default receiver အကောင့်အသစ်များ၏။
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","ကော်လံနှစ်ခု, ဟောင်းနာမအဘို့တယောက်နှင့်အသစ်များနာမအဘို့တယောက်နှင့်အတူ .csv file ကို Attach"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,လိပ်စာ 2 ကနေ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,item Code ကို&gt; item Group မှ&gt; အမှတ်တံဆိပ်
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,လိပ်စာ 2 ကနေ
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} မတက်ကြွဘဏ္ဍာရေးတစ်နှစ်တာ။
 DocType: Packed Item,Parent Detail docname,မိဘ Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ကိုးကားစရာ: {0}, Item Code ကို: {1} နှင့်ဖောက်သည်: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} မိဘကုမ္ပဏီအတွက်ပစ္စုပ္ပန်မဟုတ်ပါ
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} မိဘကုမ္ပဏီအတွက်ပစ္စုပ္ပန်မဟုတ်ပါ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,စမ်းသပ်မှုကာလပြီးဆုံးရက်စွဲရုံးတင်စစ်ဆေးကာလ Start ကိုနေ့စွဲမတိုင်မီမဖြစ်နိုင်သလား
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,ကီလိုဂရမ်
 DocType: Tax Withholding Category,Tax Withholding Category,အခွန်နှိမ် Category:
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Advertising ကြော်ငြာ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,တူညီသော Company ကိုတစ်ကြိမ်ထက်ပိုပြီးသို့ ဝင်. ဖြစ်ပါတယ်
 DocType: Patient,Married,အိမ်ထောင်သည်
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} ဘို့ခွင့်မပြု
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} ဘို့ခွင့်မပြု
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,အထဲကပစ္စည်းတွေကို Get
 DocType: Price List,Price Not UOM Dependant,စျေး UOM မှီခိုမ
 DocType: Purchase Invoice,Apply Tax Withholding Amount,အခွန်နှိမ်ငွေပမာဏ Apply
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},စတော့အိတ် Delivery မှတ်ချက် {0} ဆန့်ကျင် updated မရနိုင်ပါ
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,စုစုပေါင်းငွေပမာဏအသိအမှတ်ပြု
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},စတော့အိတ် Delivery မှတ်ချက် {0} ဆန့်ကျင် updated မရနိုင်ပါ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,စုစုပေါင်းငွေပမာဏအသိအမှတ်ပြု
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ကုန်ပစ္စည်း {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,ဖော်ပြထားသောအရာများမရှိပါ
 DocType: Asset Repair,Error Description,မှားယွင်းနေသည်ဖျေါပွခကျြ
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,စိတ်တိုင်းကျငွေ Flow Format ကိုသုံးပါ
 DocType: SMS Center,All Sales Person,အားလုံးသည်အရောင်းပုဂ္ဂိုလ်
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** လစဉ်ဖြန့်ဖြူး ** သင်သည်သင်၏စီးပွားရေးလုပ်ငန်းမှာရာသီအလိုက်ရှိပါကသင်သည်လအတွင်းဖြတ်ပြီးဘတ်ဂျက် / Target ကဖြန့်ဝေကူညီပေးသည်။
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,မတွေ့ရှိပစ္စည်းများ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,လစာဖွဲ့စည်းပုံပျောက်ဆုံး
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,မတွေ့ရှိပစ္စည်းများ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,လစာဖွဲ့စည်းပုံပျောက်ဆုံး
 DocType: Lead,Person Name,လူတစ်ဦးအမည်
 DocType: Sales Invoice Item,Sales Invoice Item,အရောင်းပြေစာ Item
 DocType: Account,Credit,အကြွေး
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,စတော့အိတ်အစီရင်ခံစာများ
 DocType: Warehouse,Warehouse Detail,ဂိုဒေါင် Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,အဆိုပါ Term အဆုံးနေ့စွဲနောက်ပိုင်းတွင်သက်တမ်း (Academic တစ်နှစ်တာ {}) နှင့်ဆက်စပ်သောမှပညာရေးဆိုင်ရာတစ်နှစ်တာ၏တစ်နှစ်တာပြီးဆုံးရက်စွဲထက်မဖွစျနိုငျသညျ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ပိုင်ဆိုင်မှုစံချိန်ပစ္စည်းဆန့်ကျင်တည်ရှိအဖြစ်, ထိနျးခြုပျမဖွစျနိုငျ &quot;Fixed Asset ရှိ၏&quot;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ပိုင်ဆိုင်မှုစံချိန်ပစ္စည်းဆန့်ကျင်တည်ရှိအဖြစ်, ထိနျးခြုပျမဖွစျနိုငျ &quot;Fixed Asset ရှိ၏&quot;"
 DocType: Delivery Trip,Departure Time,ထွက်ခွာချိန်
 DocType: Vehicle Service,Brake Oil,ဘရိတ်ရေနံ
 DocType: Tax Rule,Tax Type,အခွန် Type အမျိုးအစား
 ,Completed Work Orders,Completed လုပ်ငန်းခွင်အမိန့်
 DocType: Support Settings,Forum Posts,ဖိုရမ်ရေးသားချက်များ
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Taxable ငွေပမာဏ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Taxable ငွေပမာဏ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},သင် {0} ခင် entries တွေကို add သို့မဟုတ် update ကိုမှခွင့်ပြုမထား
 DocType: Leave Policy,Leave Policy Details,ပေါ်လစီအသေးစိတ် Leave
 DocType: BOM,Item Image (if not slideshow),item ပုံရိပ် (Slideshow မလျှင်)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(အချိန်နာရီနှုန်း / 60) * အမှန်တကယ်စစ်ဆင်ရေးအချိန်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားသုံးစွဲမှုအရေးဆိုမှုသို့မဟုတ်ဂျာနယ် Entry &#39;တစ်ဦးဖြစ်ရပါမည်
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM ကို Select လုပ်ပါ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားသုံးစွဲမှုအရေးဆိုမှုသို့မဟုတ်ဂျာနယ် Entry &#39;တစ်ဦးဖြစ်ရပါမည်
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM ကို Select လုပ်ပါ
 DocType: SMS Log,SMS Log,SMS ကိုအထဲ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ကယ်နှုတ်တော်မူ၏ပစ္စည်းများ၏ကုန်ကျစရိတ်
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} အပေါ်အားလပ်ရက်နေ့စွဲ မှစ. နှင့်နေ့စွဲစေရန်အကြားမဖြစ်
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,ကုန်ပစ္စည်းပေးသွင်းရပ်တည်မှု၏ Templates ကို။
 DocType: Lead,Interested,စိတ်ဝင်စား
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,ဖွင့်ပွဲ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},{0} ကနေ {1} မှ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},{0} ကနေ {1} မှ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program ကို:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,setup ကိုအခွန်ရန်မအောင်မြင်ခဲ့ပါ
 DocType: Item,Copy From Item Group,Item အုပ်စု မှစ. မိတ္တူ
-DocType: Delivery Trip,Delivery Notification,Delivery သတိပေးချက်
 DocType: Journal Entry,Opening Entry,Entry &#39;ဖွင့်လှစ်
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,အကောင့်သာလျှင် Pay
 DocType: Loan,Repay Over Number of Periods,ကာလနံပါတ်ကျော်ပြန်ဆပ်
 DocType: Stock Entry,Additional Costs,အပိုဆောင်းကုန်ကျစရိတ်
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုအုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုအုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။
 DocType: Lead,Product Enquiry,ထုတ်ကုန်ပစ္စည်း Enquiry
 DocType: Education Settings,Validate Batch for Students in Student Group,ကျောင်းသားအုပ်စုအတွက်ကျောင်းသားများအဘို့အသုတ်လိုက်မှန်ကန်ကြောင်းသက်သေပြ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},{1} များအတွက် {0} ဝန်ထမ်းများအတွက်မျှမတွေ့ခွင့်စံချိန်တင်
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ပထမဦးဆုံးကုမ္ပဏီတစ်ခုကိုရိုက်ထည့်ပေးပါ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,ကုမ္ပဏီပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု.
 DocType: Employee Education,Under Graduate,ဘွဲ့လွန်အောက်မှာ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,HR က Settings ထဲမှာခွင့်အခြေအနေသတိပေးချက်များအတွက် default အ template ကိုသတ်မှတ်ထားပေးပါ။
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,HR က Settings ထဲမှာခွင့်အခြေအနေသတိပေးချက်များအတွက် default အ template ကိုသတ်မှတ်ထားပေးပါ။
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target ကတွင်
 DocType: BOM,Total Cost,စုစုပေါင်းကုန်ကျစရိတ်
 DocType: Soil Analysis,Ca/K,ca / K သည်
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,အကောင့်၏ထုတ်ပြန်ကြေညာချက်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ဆေးဝါးများ
 DocType: Purchase Invoice Item,Is Fixed Asset,Fixed Asset Is
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","ရရှိနိုင်အရည်အတွက် {0}, သငျသညျ {1} လိုအပ်သည်"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","ရရှိနိုင်အရည်အတွက် {0}, သငျသညျ {1} လိုအပ်သည်"
 DocType: Expense Claim Detail,Claim Amount,ပြောဆိုချက်ကိုငွေပမာဏ
 DocType: Patient,HLC-PAT-.YYYY.-,ဆဆ-Pat-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},အလုပ်အမိန့် {0} ခဲ့
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,အရည်အသွေးစစ်ဆေးရေး Template ကို
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",သငျသညျတက်ရောက်သူကို update ချင်ပါသလား? <br> ပစ္စုပ္ပန်: {0} \ <br> ပျက်ကွက်: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},လက်ခံထားတဲ့ + Qty Item {0} သည်ရရှိထားသည့်အရေအတွက်နှင့်ညီမျှဖြစ်ရမည်ငြင်းပယ်
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},လက်ခံထားတဲ့ + Qty Item {0} သည်ရရှိထားသည့်အရေအတွက်နှင့်ညီမျှဖြစ်ရမည်ငြင်းပယ်
 DocType: Item,Supply Raw Materials for Purchase,ဝယ်ယူခြင်းအဘို့အ supply ကုန်ကြမ်း
 DocType: Agriculture Analysis Criteria,Fertilizer,မွေသွဇါ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",\ Item {0} နှင့်အတူထည့်သွင်းခြင်းနှင့်မပါဘဲ \ Serial နံပါတ်အားဖြင့် Delivery အာမခံဖြစ်ပါတယ်အဖြစ် Serial အဘယ်သူမျှမနေဖြင့်ဖြန့်ဝေသေချာမပေးနိုင်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,ငွေပေးချေမှု၏အနည်းဆုံး mode ကို POS ငွေတောင်းခံလွှာဘို့လိုအပ်ပါသည်။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,ငွေပေးချေမှု၏အနည်းဆုံး mode ကို POS ငွေတောင်းခံလွှာဘို့လိုအပ်ပါသည်။
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,ဘဏ်ဖော်ပြချက်ငွေသွင်းငွေထုတ်ပြေစာ Item
 DocType: Products Settings,Show Products as a List,တစ်ဦးစာရင်းအဖြစ် Show ကိုထုတ်ကုန်များ
 DocType: Salary Detail,Tax on flexible benefit,ပြောင်းလွယ်ပြင်လွယ်အကျိုးကျေးဇူးအပေါ်အခွန်
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,ကွဲပြားမှုအရည်အတွက်
 DocType: Production Plan,Material Request Detail,ပစ္စည်းတောင်းဆိုခြင်းအသေးစိတ်
 DocType: Selling Settings,Default Quotation Validity Days,default စျေးနှုန်းသက်တမ်းနေ့ရက်များ
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","အခွန်ကိုထည့်သွင်းရန်အတန်းအတွက် {0} Item မှုနှုန်း, အတန်း {1} အတွက်အခွန်ကိုလည်းထည့်သွင်းရပါမည်"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","အခွန်ကိုထည့်သွင်းရန်အတန်းအတွက် {0} Item မှုနှုန်း, အတန်း {1} အတွက်အခွန်ကိုလည်းထည့်သွင်းရပါမည်"
 DocType: SMS Center,SMS Center,SMS ကို Center က
 DocType: Payroll Entry,Validate Attendance,တက်ရောက်ကိုအတည်ပြုပြီး
 DocType: Sales Invoice,Change Amount,ပြောင်းလဲမှုပမာဏ
 DocType: Party Tax Withholding Config,Certificate Received,လက်မှတ်ရရှိထားသည့်
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C များအတွက်ငွေတောင်းခံလွှာ Value ကိုသတ်မှတ်မည်။ ဒီငွေတောင်းခံလွှာရဲ့တန်ဖိုးကိုအပေါ်အခြေခံပြီးတွက်ချက် B2CL နှင့် B2CS ။
 DocType: BOM Update Tool,New BOM,နယူး BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,သတ်မှတ်ထားသည့်လုပ်ထုံးလုပ်နည်းများ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,သတ်မှတ်ထားသည့်လုပ်ထုံးလုပ်နည်းများ
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,သာ POS ပြရန်
 DocType: Supplier Group,Supplier Group Name,ပေးသွင်း Group မှအမည်
 DocType: Driver,Driving License Categories,လိုင်စင်အုပ်စုများမောင်းနှင်
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,လုပ်ခလစာအချိန်ကာလများ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,ထမ်း Make
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,အသံလွှင့်
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS ၏ setup mode ကို (အွန်လိုင်း / အော့ဖလိုင်း)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS ၏ setup mode ကို (အွန်လိုင်း / အော့ဖလိုင်း)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,လုပ်ငန်းခွင်အမိန့်ဆန့်ကျင်အချိန်မှတ်တမ်းများ၏ဖန်တီးမှုကိုပိတ်ထားသည်။ စစ်ဆင်ရေးလုပ်ငန်းခွင်အမိန့်ဆန့်ကျင်ခြေရာခံလိမ့်မည်မဟုတ်
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,သတ်ခြင်း
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ထိုစစ်ဆင်ရေး၏အသေးစိတျထုတျဆောင်သွားကြ၏။
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),စျေးနှုန်း List ကို Rate (%) အပေါ်လျှော့စျေး
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,item Template ကို
 DocType: Job Offer,Select Terms and Conditions,စည်းကမ်းသတ်မှတ်ချက်များကိုရွေးပါ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Value တစ်ခုအထဲက
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Value တစ်ခုအထဲက
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,ဘဏ်ထုတ်ပြန်ချက်က Settings Item
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings များ
 DocType: Production Plan,Sales Orders,အရောင်းအမှာ
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,quotation အဘို့မေတ္တာရပ်ခံချက်ကိုအောက်ပါ link ကိုနှိပ်ခြင်းအားဖြင့်ဝင်ရောက်စေနိုင်သည်
 DocType: SG Creation Tool Course,SG Creation Tool Course,စင်ကာပူဒေါ်လာဖန်ဆင်းခြင်း Tool ကိုသင်တန်းအမှတ်စဥ်
 DocType: Bank Statement Transaction Invoice Item,Payment Description,ငွေပေးချေမှုရမည့်ဖျေါပွခကျြ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,မလုံလောက်သောစတော့အိတ်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,မလုံလောက်သောစတော့အိတ်
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းနှင့်အချိန်ခြေရာကောက်ကို disable
 DocType: Email Digest,New Sales Orders,နယူးအရောင်းအမိန့်
 DocType: Bank Account,Bank Account,ဘဏ်မှအကောင့်
 DocType: Travel Itinerary,Check-out Date,Check-out နေ့စွဲ
 DocType: Leave Type,Allow Negative Balance,အပြုသဘောမဆောင်သော Balance Allow
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',သငျသညျစီမံကိန်းအမျိုးအစား &#39;&#39; ပြင်ပ &#39;&#39; မဖျက်နိုင်ပါ
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,အခြားပစ္စည်းကိုရွေးချယ်ပါ
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,အခြားပစ္စည်းကိုရွေးချယ်ပါ
 DocType: Employee,Create User,အသုံးပြုသူကိုဖန်တီး
 DocType: Selling Settings,Default Territory,default နယ်မြေတွေကို
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,ရုပ်မြင်သံကြား
 DocType: Work Order Operation,Updated via 'Time Log',&#39;&#39; အချိန်အထဲ &#39;&#39; ကနေတဆင့် Updated
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,ဖောက်သည်သို့မဟုတ်ပေးသွင်းရွေးချယ်ပါ။
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},ကြိုတင်မဲငွေပမာဏ {0} {1} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},ကြိုတင်မဲငွေပမာဏ {0} {1} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","အချိန် slot က {0} {1} {3} မှ {2} slot က exisiting ထပ်ငှါ, slot က skiped"
 DocType: Naming Series,Series List for this Transaction,ဒီ Transaction သည်စီးရီးများစာရင်း
 DocType: Company,Enable Perpetual Inventory,ထာဝရ Inventory Enable
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,အရောင်းပြေစာ Item ဆန့်ကျင်
 DocType: Agriculture Analysis Criteria,Linked Doctype,လင့်ခ်လုပ်ထားသော DOCTYPE
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,ဘဏ္ဍာရေးကနေ Net ကငွေ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage ပြည့်ဝ၏, မကယ်တင်ခဲ့"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage ပြည့်ဝ၏, မကယ်တင်ခဲ့"
 DocType: Lead,Address & Contact,လိပ်စာ &amp; ဆက်သွယ်ရန်
 DocType: Leave Allocation,Add unused leaves from previous allocations,ယခင်ခွဲတမ်းအနေဖြင့်အသုံးမပြုတဲ့အရွက် Add
 DocType: Sales Partner,Partner website,မိတ်ဖက်ဝက်ဘ်ဆိုက်
@@ -447,10 +447,10 @@
 ,Open Work Orders,ပွင့်လင်းသူ Work အမိန့်
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,လူနာအတိုင်ပင်ခံတာဝန်ခံပစ္စည်းထွက်
 DocType: Payment Term,Credit Months,ခရက်ဒစ်လ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Net က Pay ကို 0 င်ထက်လျော့နည်းမဖွစျနိုငျ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Net က Pay ကို 0 င်ထက်လျော့နည်းမဖွစျနိုငျ
 DocType: Contract,Fulfilled,မပြည့်စုံ
 DocType: Inpatient Record,Discharge Scheduled,discharge Scheduled
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,နေ့စွဲ Relieving အတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,နေ့စွဲ Relieving အတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
 DocType: POS Closing Voucher,Cashier,ငှေကိုငျစာရေး
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,တစ်နှစ်တာနှုန်းအရွက်
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,row {0}: ဤအနေနဲ့ကြိုတင် entry ကိုဖြစ်လျှင် {1} အကောင့်ဆန့်ကျင် &#39;&#39; ကြိုတင်ထုတ် Is &#39;&#39; စစ်ဆေးပါ။
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,ကျောင်းသားအဖွဲ့များအောက်တွင် ကျေးဇူးပြု. setup ကိုကျောင်းသားများ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,အပြီးအစီးကိုယောဘ
 DocType: Item Website Specification,Item Website Specification,item ဝက်ဘ်ဆိုက် Specification
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Leave Blocked
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်၏အဆုံးရောက်ရှိခဲ့သည်
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Leave Blocked
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်၏အဆုံးရောက်ရှိခဲ့သည်
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,ဘဏ်မှ Entries
 DocType: Customer,Is Internal Customer,ပြည်တွင်းဖောက်သည် Is
 DocType: Crop,Annual,နှစ်ပတ်လည်
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","အော်တို Opt ခုနှစ်တွင် check လုပ်ထားလျှင်, ထိုဖောက်သည်ကိုအလိုအလျောက် (မှတပါးအပေါ်) ကစိုးရိမ်ပူပန်သစ္စာရှိမှုအစီအစဉ်နှင့်အတူဆက်နွယ်နေပါလိမ့်မည်"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,စတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေး Item
 DocType: Stock Entry,Sales Invoice No,အရောင်းပြေစာမရှိ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,supply အမျိုးအစား
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,supply အမျိုးအစား
 DocType: Material Request Item,Min Order Qty,min မိန့် Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ကျောင်းသားအုပ်စုဖန်ဆင်းခြင်း Tool ကိုသင်တန်းအမှတ်စဥ်
 DocType: Lead,Do Not Contact,ဆက်သွယ်ရန်မ
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Hub အတွက်ထုတ်ဝေ
 DocType: Student Admission,Student Admission,ကျောင်းသားသမဂ္ဂင်ခွင့်
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,item {0} ဖျက်သိမ်းလိုက်
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,item {0} ဖျက်သိမ်းလိုက်
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,တန်ဖိုးလျော့ Row {0}: တန်ဖိုး Start ကိုနေ့စွဲအတိတ်နေ့စွဲအဖြစ်ထဲသို့ဝင်နေသည်
 DocType: Contract Template,Fulfilment Terms and Conditions,ပွညျ့စုံစည်းကမ်းသတ်မှတ်ချက်များ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,material တောင်းဆိုခြင်း
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,material တောင်းဆိုခြင်း
 DocType: Bank Reconciliation,Update Clearance Date,Update ကိုရှင်းလင်းရေးနေ့စွဲ
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,အသေးစိတ်ဝယ်ယူ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},item {0} ဝယ်ယူခြင်းအမိန့် {1} အတွက် &#39;&#39; ကုန်ကြမ်းထောက်ပံ့ &#39;&#39; table ထဲမှာမတှေ့
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},item {0} ဝယ်ယူခြင်းအမိန့် {1} အတွက် &#39;&#39; ကုန်ကြမ်းထောက်ပံ့ &#39;&#39; table ထဲမှာမတှေ့
 DocType: Salary Slip,Total Principal Amount,စုစုပေါင်းကျောင်းအုပ်ကြီးငွေပမာဏ
 DocType: Student Guardian,Relation,ဆှေမြိုး
 DocType: Student Guardian,Mother,မိခင်
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,သဘောင်္တင်ခတီ
 DocType: Currency Exchange,For Selling,ရောင်းချခြင်းများအတွက်
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Learn
+DocType: Purchase Invoice Item,Enable Deferred Expense,ရွှေ့ဆိုင်းသုံးစွဲမှု Enable
 DocType: Asset,Next Depreciation Date,Next ကိုတန်ဖိုးနေ့စွဲ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ထမ်းနှုန်းဖြင့်လုပ်ဆောင်ချက်ကုန်ကျစရိတ်
 DocType: Accounts Settings,Settings for Accounts,ငွေစာရင်းသည် Settings ကို
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},ပေးသွင်းငွေတောင်းခံလွှာဘယ်သူမျှမကအရစ်ကျငွေတောင်းခံလွှာ {0} အတွက်တည်ရှိ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},ပေးသွင်းငွေတောင်းခံလွှာဘယ်သူမျှမကအရစ်ကျငွေတောင်းခံလွှာ {0} အတွက်တည်ရှိ
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,အရောင်းပုဂ္ဂိုလ် Tree Manage ။
 DocType: Job Applicant,Cover Letter,ပေးပို့သည့်အကြောင်းရင်းအားရှင်းပြသည့်စာ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ရှင်းရှင်းလင်းလင်းမှထူးချွန်ထက်မြက် Cheques နှင့်စာရင်း
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,ပြင်ပလုပ်ငန်းခွင်သမိုင်း
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,မြို့ပတ်ရထားကိုးကားစရာအမှား
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,ကျောင်းသားအစီရင်ခံစာကဒ်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Pin Code ကိုမှသည်
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Pin Code ကိုမှသည်
 DocType: Appointment Type,Is Inpatient,အတွင်းလူနာ Is
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 အမည်
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,သင် Delivery Note ကိုကယျတငျတျောမူပါတစ်ချိန်ကစကား (ပို့ကုန်) ခုနှစ်တွင်မြင်နိုင်ပါလိမ့်မည်။
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,multi ငွေကြေးစနစ်
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ကုန်ပို့လွှာ Type
 DocType: Employee Benefit Claim,Expense Proof,စရိတ်သက်သေပြချက်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Delivery မှတ်ချက်
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},သိမ်းဆည်းခြင်း {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Delivery မှတ်ချက်
 DocType: Patient Encounter,Encounter Impression,တှေ့ဆုံရလဒ်ပြသမှု
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,အခွန်ကိုတည်ဆောက်ခြင်း
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,ရောင်းချပိုင်ဆိုင်မှု၏ကုန်ကျစရိတ်
 DocType: Volunteer,Morning,နံနက်
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,သင်ကထွက်ခွာသွားပြီးနောက်ငွေပေးချေမှုရမည့် Entry modified သိရသည်။ တဖန်ဆွဲပေးပါ။
 DocType: Program Enrollment Tool,New Student Batch,နယူးကျောင်းသားအသုတ်လိုက်
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} Item ခွန်အတွက်နှစ်ကြိမ်သို့ဝင်
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,ယခုရက်သတ္တပတ်များနှင့် Pend လှုပ်ရှားမှုများအကျဉ်းချုပ်
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} Item ခွန်အတွက်နှစ်ကြိမ်သို့ဝင်
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,ယခုရက်သတ္တပတ်များနှင့် Pend လှုပ်ရှားမှုများအကျဉ်းချုပ်
 DocType: Student Applicant,Admitted,ဝန်ခံ
 DocType: Workstation,Rent Cost,ငှားရန်ကုန်ကျစရိတ်
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,တန်ဖိုးပြီးနောက်ပမာဏ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,တန်ဖိုးပြီးနောက်ပမာဏ
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,လာမည့်ပြက္ခဒိန်ပွဲများ
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,မူကွဲ Attribute တွေက
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,လနှင့်တစ်နှစ်ကို select ကျေးဇူးပြု.
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},သာ {0} {1} အတွက် Company မှနှုန်းနဲ့ 1 အကောင့်ကိုအဲဒီမှာရှိနိုင်ပါသည်
 DocType: Support Search Source,Response Result Key Path,တုန့်ပြန်ရလဒ် Key ကို Path ကို
 DocType: Journal Entry,Inter Company Journal Entry,အင်တာမီလန်ကုမ္ပဏီဂျာနယ် Entry &#39;
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},အရေအတွက်အဘို့ {0} အလုပ်အမိန့်အရေအတွက် {1} ထက် grater မဖြစ်သင့်
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,ပူးတွဲဖိုင်ကြည့်ပေးပါ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},အရေအတွက်အဘို့ {0} အလုပ်အမိန့်အရေအတွက် {1} ထက် grater မဖြစ်သင့်
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,ပူးတွဲဖိုင်ကြည့်ပေးပါ
 DocType: Purchase Order,% Received,% ရရှိထားသည့်
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ကျောင်းသားအဖွဲ့များ Create
 DocType: Volunteer,Weekends,တနင်္ဂနွေ
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,ထူးချွန်စုစုပေါင်း
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ရှိပြီးသားစီးရီး၏စတင်ကာ / လက်ရှိ sequence number ကိုပြောင်းပါ။
 DocType: Dosage Strength,Strength,ခွန်အား
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,အသစ်တစ်ခုကိုဖောက်သည် Create
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,အသစ်တစ်ခုကိုဖောက်သည် Create
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,တွင်ကုန်ဆုံးမည့်
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","မျိုးစုံစျေးနှုန်းများနည်းဥပဒေများနိုင်မှတည်လျှင်, အသုံးပြုသူများပဋိပက္ခဖြေရှင်းရန်ကို manually ဦးစားပေးသတ်မှတ်ဖို့တောင်းနေကြသည်။"
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,အရစ်ကျမိန့် Create
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,စားသုံးသူများကုန်ကျစရိတ်
 DocType: Purchase Receipt,Vehicle Date,မော်တော်ယာဉ်နေ့စွဲ
 DocType: Student Log,Medical,ဆေးဘက်ဆိုင်ရာ
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,ဆုံးရှုံးရသည့်အကြောင်းရင်း
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,မူးယစ်ဆေးကို select ပေးပါ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,ဆုံးရှုံးရသည့်အကြောင်းရင်း
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,မူးယစ်ဆေးကို select ပေးပါ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,ခဲပိုင်ရှင်အခဲအဖြစ်အတူတူပင်မဖွစျနိုငျ
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,ခွဲဝေငွေပမာဏ unadjusted ငွေပမာဏထက် သာ. ကြီးမြတ်သည်မဟုတ်နိုင်
 DocType: Announcement,Receiver,receiver
 DocType: Location,Area UOM,ဧရိယာ UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation နှင့်အားလပ်ရက်များစာရင်းနှုန်းအဖြစ်အောက်ပါရက်စွဲများအပေါ်ပိတ်ထားသည်: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,အခွင့်အလမ်းများ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,အခွင့်အလမ်းများ
 DocType: Lab Test Template,Single,တခုတည်းသော
 DocType: Compensatory Leave Request,Work From Date,နေ့စွဲကနေအလုပ်
 DocType: Salary Slip,Total Loan Repayment,စုစုပေါင်းချေးငွေပြန်ဆပ်
+DocType: Project User,View attachments,ကြည့်ရန် attachment များကို
 DocType: Account,Cost of Goods Sold,ရောင်းချကုန်စည်၏ကုန်ကျစရိတ်
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,ကုန်ကျစရိတ် Center ကရိုက်ထည့်ပေးပါ
 DocType: Drug Prescription,Dosage,ဆေးတခါသောက်
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,အရေအတွက်နှင့် Rate
 DocType: Delivery Note,% Installed,% Installed
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,စာသင်ခန်း / Laboratories စသည်တို့ကိုပို့ချချက်စီစဉ်ထားနိုင်ပါတယ်ဘယ်မှာ။
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,နှစ်ဦးစလုံးကုမ္ပဏီများ၏ကုမ္ပဏီငွေကြေးအင်တာမီလန်ကုမ္ပဏီအရောင်းအဝယ်ကိုက်ညီသင့်ပါတယ်။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,နှစ်ဦးစလုံးကုမ္ပဏီများ၏ကုမ္ပဏီငွေကြေးအင်တာမီလန်ကုမ္ပဏီအရောင်းအဝယ်ကိုက်ညီသင့်ပါတယ်။
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,ကုမ္ပဏီအမည်ကိုပထမဦးဆုံးရိုက်ထည့်ပေးပါ
 DocType: Travel Itinerary,Non-Vegetarian,non-သတ်သတ်လွတ်
 DocType: Purchase Invoice,Supplier Name,ပေးသွင်းအမည်
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,ယာယီ Hold အပေါ်
 DocType: Account,Is Group,အုပ်စုဖြစ်ပါတယ်
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,credit မှတ်ချက် {0} ကိုအလိုအလျောက်ဖန်တီးလိုက်ပါပြီ
-DocType: Email Digest,Pending Purchase Orders,ဆိုင်းငံ့အရစ်ကျအမိန့်
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,FIFO အပေါ်အခြေခံပြီးအလိုအလြောကျ Set Serial အမှတ်
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ပေးသွင်းပြေစာနံပါတ်ထူးခြားသောစစ်ဆေး
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,မူလတန်းလိပ်စာအသေးစိတ်
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,အီးမေးလ်ရဲ့တစ်စိတ်တစ်ပိုင်းအဖြစ်ဝင်သောနိဒါန်းစာသားစိတ်ကြိုက်ပြုလုပ်ပါ။ အသီးအသီးအရောင်းအဝယ်သီးခြားနိဒါန်းစာသားရှိပါတယ်။
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},အတန်း {0}: စစ်ဆင်ရေးအတွက်ကုန်ကြမ်းကို item {1} ဆန့်ကျင်လိုအပ်ပါသည်
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},ကုမ္ပဏီ {0} များအတွက် default အနေနဲ့ပေးဆောင်အကောင့်ကိုသတ်မှတ်ပေးပါ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},ငွေသွင်းငွေထုတ်ရပ်တန့်လုပ်ငန်းခွင်အမိန့် {0} ဆန့်ကျင်ခွင့်မပြု
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},ငွေသွင်းငွေထုတ်ရပ်တန့်လုပ်ငန်းခွင်အမိန့် {0} ဆန့်ကျင်ခွင့်မပြု
 DocType: Setup Progress Action,Min Doc Count,min Doc အရေအတွက်
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,အားလုံးထုတ်လုပ်မှုလုပ်ငန်းစဉ်များသည်ကမ္ဘာလုံးဆိုင်ရာ setting ကို။
 DocType: Accounts Settings,Accounts Frozen Upto,Frozen ထိအကောင့်
 DocType: SMS Log,Sent On,တွင် Sent
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,attribute {0} Attribute တွေကစားပွဲတင်အတွက်အကြိမ်ပေါင်းများစွာကိုရှေးခယျြ
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,attribute {0} Attribute တွေကစားပွဲတင်အတွက်အကြိမ်ပေါင်းများစွာကိုရှေးခယျြ
 DocType: HR Settings,Employee record is created using selected field. ,ဝန်ထမ်းစံချိန်ရွေးချယ်ထားသောလယ်ကို အသုံးပြု. နေသူများကဖန်တီး။
 DocType: Sales Order,Not Applicable,မသက်ဆိုင်ပါ
 DocType: Amazon MWS Settings,UK,ဗြိတိန်နိုင်ငံ
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,ဝန်ထမ်း {0} ပြီးသား {2} အပေါ် {1} လျှောက်ထားလိုက်ပါတယ်:
 DocType: Inpatient Record,AB Positive,AB အပြုသဘောဆောင်သော
 DocType: Job Opening,Description of a Job Opening,တစ်ဦးယောဘဖွင့်ပွဲ၏ဖော်ပြချက်များ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,ယနေ့ဆိုင်းငံ့ထားလှုပ်ရှားမှုများ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,ယနေ့ဆိုင်းငံ့ထားလှုပ်ရှားမှုများ
 DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet အခြေစိုက်လုပ်ခလစာများအတွက်လစာစိတျအပိုငျး။
+DocType: Driver,Applicable for external driver,ပြင်ပယာဉ်မောင်းများအတွက်သက်ဆိုင်သော
 DocType: Sales Order Item,Used for Production Plan,ထုတ်လုပ်ရေးစီမံကိန်းအတွက်အသုံးပြု
 DocType: Loan,Total Payment,စုစုပေါင်းငွေပေးချေမှုရမည့်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Completed သူ Work Order အတွက်အရောင်းအဝယ်မပယ်ဖျက်နိုင်ပါ။
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Completed သူ Work Order အတွက်အရောင်းအဝယ်မပယ်ဖျက်နိုင်ပါ။
 DocType: Manufacturing Settings,Time Between Operations (in mins),(မိနစ်အတွက်) Operations အကြားတွင်အချိန်
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,စာတိုက်ပြီးသားအားလုံးအရောင်းအမိန့်ပစ္စည်းများဖန်တီး
 DocType: Healthcare Service Unit,Occupied,သိမ်းပိုက်
 DocType: Clinical Procedure,Consumables,Consumer
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,လုပ်ဆောင်ချက်ပြီးစီးမရနိုင်ဒါကြောင့် {0} {1} ဖျက်သိမ်းနေသည်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,လုပ်ဆောင်ချက်ပြီးစီးမရနိုင်ဒါကြောင့် {0} {1} ဖျက်သိမ်းနေသည်
 DocType: Customer,Buyer of Goods and Services.,ကုန်စည်နှင့်ဝန်ဆောင်မှုများ၏ဝယ်သောသူ။
 DocType: Journal Entry,Accounts Payable,ပေးရန်ရှိသောစာရင်း
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,{1}: {0} ဤငွေပေးချေမှုတောင်းဆိုမှုကိုသတ်မှတ်ပမာဏကိုအားလုံးငွေပေးချေမှုအစီအစဉ်များ၏တွက်ချက်ငွေပမာဏထံမှကွဲပြားခြားနားသည်။ ဒီစာရွက်စာတမ်းတင်ပြမတိုင်မီမှန်ကန်သေချာအောင်လုပ်ပါ။
 DocType: Patient,Allergies,အာရုံများကိုထိခိုက်လွယ်ခြင်း
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,ရွေးချယ်ထားတဲ့ BOMs တူညီတဲ့အရာအတွက်မဟုတ်
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,ရွေးချယ်ထားတဲ့ BOMs တူညီတဲ့အရာအတွက်မဟုတ်
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,ပြောင်းလဲမှု Item Code ကို
 DocType: Supplier Scorecard Standing,Notify Other,အခြားအကြောင်းကြားရန်
 DocType: Vital Signs,Blood Pressure (systolic),သွေးဖိအား (နှလုံးကျုံ့)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Build ဖို့လုံလောက်တဲ့အစိတ်အပိုင်းများ
 DocType: POS Profile User,POS Profile User,POS ကိုယ်ရေးဖိုင်အသုံးပြုသူ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,အတန်း {0}: တန်ဖိုး Start ကိုနေ့စွဲလိုအပ်ပါသည်
-DocType: Sales Invoice Item,Service Start Date,Service ကိုစတင်ရက်စွဲ
+DocType: Purchase Invoice Item,Service Start Date,Service ကိုစတင်ရက်စွဲ
 DocType: Subscription Invoice,Subscription Invoice,subscription ငွေတောင်းခံလွှာ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,တိုက်ရိုက်ဝင်ငွေခွန်
 DocType: Patient Appointment,Date TIme,ရက်စွဲအချိန်
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Lab ကပုံမှန်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,အလှကုန်
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Completed ပိုင်ဆိုင်မှုကို Maintenance Log in ဝင်ရန်အဘို့အပြီးစီးနေ့စွဲကို select ပေးပါ
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","ပေါင်းစည်းဖို့, အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးပစ္စည်းများသည်အတူတူပင်ဖြစ်ရပါမည်"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","ပေါင်းစည်းဖို့, အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးပစ္စည်းများသည်အတူတူပင်ဖြစ်ရပါမည်"
 DocType: Supplier,Block Supplier,block ပေးသွင်း
 DocType: Shipping Rule,Net Weight,အသားတင်အလေးချိန်
 DocType: Job Opening,Planned number of Positions,ရာထူး၏စီစဉ်ထားအရေအတွက်ကို
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,ငွေသား Flow မြေပုံ Template ကို
 DocType: Travel Request,Costing Details,အသေးစိတ်ကုန်ကျ
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Show ကိုပြန်သွား Entries
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,serial မရှိ item ကိုတစ်အစိတ်အပိုင်းမဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,serial မရှိ item ကိုတစ်အစိတ်အပိုင်းမဖွစျနိုငျ
 DocType: Journal Entry,Difference (Dr - Cr),ခြားနားချက် (ဒေါက်တာ - Cr)
 DocType: Bank Guarantee,Providing,ပေး
 DocType: Account,Profit and Loss,အမြတ်နှင့်အရှုံး
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","အခွင့်မရှိကြရန်လိုအပ်ပါသည်အဖြစ်, Lab ကစမ်းသပ် Template ကို configure"
 DocType: Patient,Risk Factors,စွန့်စားမှုအချက်များ
 DocType: Patient,Occupational Hazards and Environmental Factors,အလုပ်အကိုင်ဘေးအန္တရာယ်နှင့်သဘာဝပတ်ဝန်းကျင်အချက်များ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,ပြီးသားသူ Work Order များအတွက် created စတော့အိတ် Entries
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,ပြီးသားသူ Work Order များအတွက် created စတော့အိတ် Entries
 DocType: Vital Signs,Respiratory rate,အသက်ရှူလမ်းကြောင်းဆိုင်ရာမှုနှုန်း
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,စီမံခန့်ခွဲ Subcontracting
 DocType: Vital Signs,Body Temperature,ခန္ဓာကိုယ်အပူချိန်
 DocType: Project,Project will be accessible on the website to these users,စီမံကိန်းကဤသည်အသုံးပြုသူများမှ website တွင်ဝင်ရောက်ဖြစ်လိမ့်မည်
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} Serial ဘယ်သူမျှမက {2} ဂိုဒေါင် {3} ပိုင်ပါဘူးဘာလို့လဲဆိုတော့မပယ်ဖျက်နိုင်
 DocType: Detected Disease,Disease,အနာ
+DocType: Company,Default Deferred Expense Account,default ရက်ရွှေ့ဆိုင်းသုံးစွဲမှုအကောင့်
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,စီမံကိန်းအမျိုးအစားသတ်မှတ်။
 DocType: Supplier Scorecard,Weighting Function,တွက်ဆရာထူးအမည်
 DocType: Healthcare Practitioner,OP Consulting Charge,OP အတိုင်ပင်ခံတာဝန်ခံ
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,ထုတ်လုပ်ပစ္စည်းများ
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ငွေတောင်းခံလွှာမှပွဲစဉ်ငွေသွင်းငွေထုတ်
 DocType: Sales Order Item,Gross Profit,စုစုပေါင်းအမြတ်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,ငွေတောင်းခံလွှာကိုပြန်လက်ခံရန်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,ငွေတောင်းခံလွှာကိုပြန်လက်ခံရန်
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,increment 0 င်မဖွစျနိုငျ
 DocType: Company,Delete Company Transactions,ကုမ္ပဏီငွေကြေးကိစ္စရှင်းလင်းမှု Delete
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,ကိုးကားစရာအဘယ်သူမျှမနှင့်ကိုးကားစရာနေ့စွဲဘဏ်မှငွေပေးငွေယူဘို့မဖြစ်မနေဖြစ်ပါသည်
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,ဂရုမပြု
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} တက်ကြွမဟုတ်ပါဘူး
 DocType: Woocommerce Settings,Freight and Forwarding Account,ကုန်တင်နှင့်ထပ်ဆင့်ပို့အကောင့်
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,ပုံနှိပ်ခြင်းအဘို့အ Setup ကိုစစ်ဆေးမှုများရှုထောင့်
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,ပုံနှိပ်ခြင်းအဘို့အ Setup ကိုစစ်ဆေးမှုများရှုထောင့်
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,လစာစလစ် Create
 DocType: Vital Signs,Bloated,ရမ်းသော
 DocType: Salary Slip,Salary Slip Timesheet,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,က sub-စာချုပ်ချုပ်ဆိုဝယ်ယူခြင်းပြေစာတွေအတွက်မဖြစ်မနေပေးသွင်းဂိုဒေါင်
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,က sub-စာချုပ်ချုပ်ဆိုဝယ်ယူခြင်းပြေစာတွေအတွက်မဖြစ်မနေပေးသွင်းဂိုဒေါင်
 DocType: Item Price,Valid From,မှစ. သက်တမ်းရှိ
 DocType: Sales Invoice,Total Commission,စုစုပေါင်းကော်မရှင်
 DocType: Tax Withholding Account,Tax Withholding Account,အခွန်နှိမ်အကောင့်
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,အားလုံးပေးသွင်း scorecards ။
 DocType: Buying Settings,Purchase Receipt Required,ဝယ်ယူခြင်း Receipt လိုအပ်သော
 DocType: Delivery Note,Rail,လက်ရန်းတန်း
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,အတန်းအတွက်ပစ်မှတ်ဂိုဒေါင် {0} လုပ်ငန်းခွင်အမိန့်အဖြစ်အတူတူပင်ဖြစ်ရပါမည်
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,ဖွင့်လှစ်စတော့အိတ်ဝသို့ဝင်လျှင်အဘိုးပြတ်နှုန်းမဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,အတန်းအတွက်ပစ်မှတ်ဂိုဒေါင် {0} လုပ်ငန်းခွင်အမိန့်အဖြစ်အတူတူပင်ဖြစ်ရပါမည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,ဖွင့်လှစ်စတော့အိတ်ဝသို့ဝင်လျှင်အဘိုးပြတ်နှုန်းမဖြစ်မနေဖြစ်ပါသည်
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,ထိုပြေစာ table ထဲမှာတွေ့ရှိမရှိပါမှတ်တမ်းများ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,ပထမဦးဆုံးကုမ္ပဏီနှင့်ပါတီ Type ကိုရွေးပါ ကျေးဇူးပြု.
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","အသုံးပြုသူများအတွက် POS ပရိုဖိုင်း {0} အတွက်ယခုပင်လျှင် set ကို default {1}, ကြင်နာစွာမသန်စွမ်းက default"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,ဘဏ္ဍာရေး / စာရင်းကိုင်တစ်နှစ်။
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,ဘဏ္ဍာရေး / စာရင်းကိုင်တစ်နှစ်။
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,စုဆောင်းတန်ဖိုးများ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","ဝမ်းနည်းပါတယ်, Serial အမှတ်ပေါင်းစည်းမရနိုင်ပါ"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify ထံမှဖောက်သည်ထပ်တူပြုခြင်းစဉ်ဖောက်သည် Group မှရွေးချယ်ထားသည့်အုပ်စုထားမည်
@@ -903,7 +908,7 @@
 ,Lead Id,ခဲ Id
 DocType: C-Form Invoice Detail,Grand Total,စုစုပေါင်း
 DocType: Assessment Plan,Course,သင်တန်း
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,ပုဒ်မ Code ကို
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,ပုဒ်မ Code ကို
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,ဝက်နေ့ကနေ့စွဲရက်စွဲမှယနေ့အထိအကြား၌ဖြစ်သင့်ပါတယ်
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,item လှည်း
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,ပုဂ္ဂိုလ်ရေးဇီဝ
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,အသင်းဝင် ID ကို
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},ကယ်နှုတ်တော်မူ၏: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},ကယ်နှုတ်တော်မူ၏: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks ချိတ်ဆက်ထားပြီး
 DocType: Bank Statement Transaction Entry,Payable Account,ပေးဆောင်ရမည့်အကောင့်
 DocType: Payment Entry,Type of Payment,ငွေပေးချေမှုရမည့်အမျိုးအစား
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,ဝက်နေ့နေ့စွဲမဖြစ်မနေဖြစ်ပါသည်
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,shipping ဘီလ်နေ့စွဲ
 DocType: Production Plan,Production Plan,ထုတ်လုပ်မှုအစီအစဉ်
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ဖွင့်လှစ်ငွေတောင်းခံလွှာဖန်ဆင်းခြင်း Tool ကို
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,အရောင်းသို့ပြန်သွားသည်
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,အရောင်းသို့ပြန်သွားသည်
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,မှတ်ချက်: စုစုပေါင်းခွဲဝေရွက် {0} ကာလအဘို့ပြီးသားအတည်ပြုရွက် {1} ထက်လျော့နည်းမဖြစ်သင့်ပါဘူး
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Serial ဘယ်သူမျှမက Input ကိုအပျေါအခွခေံအရောင်းအဝယ်အတွက်အရည်အတွက် Set
 ,Total Stock Summary,စုစုပေါငျးစတော့အိတ်အကျဉ်းချုပ်
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,customer သို့မဟုတ် Item
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,customer ဒေတာဘေ့စ။
 DocType: Quotation,Quotation To,စျေးနှုန်းရန်
-DocType: Lead,Middle Income,အလယျပိုငျးဝင်ငွေခွန်
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,အလယျပိုငျးဝင်ငွေခွန်
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),ဖွင့်ပွဲ (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,သင်ပြီးသားကိုအခြား UOM နှင့်အတူအချို့သောအရောင်းအဝယ် (s) ကိုရာ၌ခန့်ထားပြီဖြစ်သောကြောင့်ပစ္စည်းအဘို့အတိုင်း၏ default အနေနဲ့ယူနစ် {0} ကိုတိုက်ရိုက်ပြောင်းလဲသွားမရနိုင်ပါ။ သင်တစ်ဦးကွဲပြားခြားနားသောပုံမှန် UOM သုံးစွဲဖို့အသစ်တစ်ခုပစ္စည်းကိုဖန်တီးရန်လိုအပ်ပါလိမ့်မည်။
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,သင်ပြီးသားကိုအခြား UOM နှင့်အတူအချို့သောအရောင်းအဝယ် (s) ကိုရာ၌ခန့်ထားပြီဖြစ်သောကြောင့်ပစ္စည်းအဘို့အတိုင်း၏ default အနေနဲ့ယူနစ် {0} ကိုတိုက်ရိုက်ပြောင်းလဲသွားမရနိုင်ပါ။ သင်တစ်ဦးကွဲပြားခြားနားသောပုံမှန် UOM သုံးစွဲဖို့အသစ်တစ်ခုပစ္စည်းကိုဖန်တီးရန်လိုအပ်ပါလိမ့်မည်။
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,ခွဲဝေငွေပမာဏအနုတ်လက္ခဏာမဖြစ်နိုင်
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,ဘဏ်မှ Entry စေရန်ငွေပေးချေမှုရမည့်အကောင့်ကို Select လုပ်ပါ
 DocType: Hotel Settings,Default Invoice Naming Series,စီးရီးအမည်ဖြင့်သမုတ် default ငွေတောင်းခံလွှာ
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","အရွက်, စရိတ်တောင်းဆိုမှုများနှင့်လုပ်ခလစာကိုစီမံခန့်ခွဲဖို့ထမ်းမှတ်တမ်းများ Create"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,အမှား Update လုပ်တဲ့လုပ်ငန်းစဉ်အတွင်းဖြစ်ပွားခဲ့သည်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,အမှား Update လုပ်တဲ့လုပ်ငန်းစဉ်အတွင်းဖြစ်ပွားခဲ့သည်
 DocType: Restaurant Reservation,Restaurant Reservation,စားသောက်ဆိုင် Reservation များ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,အဆိုပြုချက်ကို Writing
 DocType: Payment Entry Deduction,Payment Entry Deduction,ငွေပေးချေမှုရမည့် Entry ထုတ်ယူ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,"တက်အရှေ့ဥရောပ, တောင်အာဖရိက"
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,အီးမေးလ်ကနေတဆင့်ဖောက်သည်အကြောင်းကြားရန်
 DocType: Item,Batch Number Series,batch နံပါတ်စီးရီး
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,နောက်ထပ်အရောင်းပုဂ္ဂိုလ် {0} တူညီသောန်ထမ်းက id နှင့်အတူတည်ရှိ
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,နောက်ထပ်အရောင်းပုဂ္ဂိုလ် {0} တူညီသောန်ထမ်းက id နှင့်အတူတည်ရှိ
 DocType: Employee Advance,Claimed Amount,အခိုင်အမာငွေပမာဏ
+DocType: QuickBooks Migrator,Authorization Settings,authorization Settings များ
 DocType: Travel Itinerary,Departure Datetime,ထွက်ခွာ DATETIME
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,ခရီးသွားတောင်းဆိုခြင်းကုန်ကျ
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,အားဖြင့်ပေးသွင်း Name
 DocType: Activity Type,Default Costing Rate,Default အနေနဲ့ကုန်ကျနှုန်း
 DocType: Maintenance Schedule,Maintenance Schedule,ပြုပြင်ထိန်းသိမ်းမှုဇယား
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","ထိုအခါ Pricing နည်းဥပဒေများဖောက်သည်, ဖောက်သည်အုပ်စု, နယ်မြေတွေကို, ပေးသွင်း, ပေးသွင်းရေးထည့်ပြီးကင်ပိန်းစသည်တို့ကိုအရောင်း Partner အပေါ်အခြေခံပြီးထုတ် filtered နေကြတယ်"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","ထိုအခါ Pricing နည်းဥပဒေများဖောက်သည်, ဖောက်သည်အုပ်စု, နယ်မြေတွေကို, ပေးသွင်း, ပေးသွင်းရေးထည့်ပြီးကင်ပိန်းစသည်တို့ကိုအရောင်း Partner အပေါ်အခြေခံပြီးထုတ် filtered နေကြတယ်"
 DocType: Employee Promotion,Employee Promotion Details,ဝန်ထမ်းမြှင့်တင်ရေးအသေးစိတ်
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Inventory ထဲမှာပိုက်ကွန်ကိုပြောင်းရန်
 DocType: Employee,Passport Number,နိုင်ငံကူးလက်မှတ်နံပါတ်
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 နှင့်အတူ relation
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manager က
 DocType: Payment Entry,Payment From / To,/ စေရန် မှစ. ငွေပေးချေမှုရမည့်
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,ဘဏ္ဍာရေးတစ်နှစ်တာထံမှ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},နယူးအကြွေးကန့်သတ်ဖောက်သည်များအတွက်လက်ရှိထူးချွန်ငွေပမာဏထက်လျော့နည်းသည်။ အကြွေးကန့်သတ် atleast {0} ဖြစ်ဖို့ရှိပါတယ်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},ဂိုဒေါင် {0} အတွက်အကောင့်ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},ဂိုဒေါင် {0} အတွက်အကောင့်ကိုသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;&#39; တွင် အခြေခံ. &#39;နဲ့&#39; Group မှဖြင့် &#39;&#39; အတူတူမဖွစျနိုငျ
 DocType: Sales Person,Sales Person Targets,အရောင်းပုဂ္ဂိုလ်ပစ်မှတ်များ
 DocType: Work Order Operation,In minutes,မိနစ်
 DocType: Issue,Resolution Date,resolution နေ့စွဲ
 DocType: Lab Test Template,Compound,compound
+DocType: Opportunity,Probability (%),ဖြစ်နိုင်ခြေ (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,dispatch သတိပေးချက်
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,အိမ်ခြံမြေကို Select လုပ်ပါ
 DocType: Student Batch Name,Batch Name,batch အမည်
 DocType: Fee Validity,Max number of visit,ခရီးစဉ်၏မက်စ်အရေအတွက်က
 ,Hotel Room Occupancy,ဟိုတယ်အခန်းနေထိုင်မှု
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet ကဖန်တီး:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},ငွေပေးချေမှုရမည့်၏ Mode ကို {0} အတွက် default အနေနဲ့ငွေသို့မဟုတ်ဘဏ်မှအကောင့်ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},ငွေပေးချေမှုရမည့်၏ Mode ကို {0} အတွက် default အနေနဲ့ငွေသို့မဟုတ်ဘဏ်မှအကောင့်ကိုသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,စာရင်းသွင်း
 DocType: GST Settings,GST Settings,GST က Settings
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},ငွေကြေးစျေးနှုန်းစာရင်းငွေကြေးအဖြစ်အတူတူပင်ဖြစ်သင့်သည်: {0}
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,စုစုပေါင်းအကျိုးစီးပွားပေးရန်
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ကုန်ကျစရိတ်အခွန်နှင့်စွပ်စွဲချက်ဆင်းသက်
 DocType: Work Order Operation,Actual Start Time,အမှန်တကယ် Start ကိုအချိန်
+DocType: Purchase Invoice Item,Deferred Expense Account,ရွှေ့ဆိုင်းသုံးစွဲမှုအကောင့်
 DocType: BOM Operation,Operation Time,စစ်ဆင်ရေးအချိန်
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,အပြီးသတ်
 DocType: Salary Structure Assignment,Base,base
 DocType: Timesheet,Total Billed Hours,စုစုပေါင်းကောက်ခံခဲ့နာရီ
 DocType: Travel Itinerary,Travel To,ရန်ခရီးသွားခြင်း
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,မဖြစ်
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,ငွေပမာဏပိတ်ရေးထား
 DocType: Leave Block List Allow,Allow User,အသုံးပြုသူ Allow
 DocType: Journal Entry,Bill No,ဘီလ်မရှိပါ
@@ -1089,9 +1099,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,အချိန်ဇယား
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush ကုန်ကြမ်းပစ္စည်းများအခြေပြုတွင်
 DocType: Sales Invoice,Port Code,ဆိပ်ကမ်း Code ကို
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,reserve ဂိုဒေါင်
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,reserve ဂိုဒေါင်
 DocType: Lead,Lead is an Organization,ခဲထားတဲ့အဖွဲ့အစည်းဖြစ်ပါတယ်
-DocType: Guardian Interest,Interest,စိတ်ဝင်စားမှု
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,အကြိုအရောင်း
 DocType: Instructor Log,Other Details,အခြားအသေးစိတ်
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1101,7 +1110,7 @@
 DocType: Account,Accounts,ငွေစာရင်း
 DocType: Vehicle,Odometer Value (Last),Odometer Value ကို (နောက်ဆုံး)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,ကုန်ပစ္စည်းပေးသွင်း scorecard စံ၏ Templates ကို။
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,marketing
 DocType: Sales Invoice,Redeem Loyalty Points,သစ္စာရှိမှုအမှတ်ရွေးနှုတ်တော်မူ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,ငွေပေးချေမှုရမည့် Entry &#39;ပြီးသားနေသူများကဖန်တီး
 DocType: Request for Quotation,Get Suppliers,ပေးသွင်းရယူလိုက်ပါ
@@ -1118,16 +1127,14 @@
 DocType: Crop,Crop Spacing UOM,UOM ကွာဟချက်တွေတူပါတယ်သီးနှံ
 DocType: Loyalty Program,Single Tier Program,လူပျိုသည် Tier အစီအစဉ်
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,သငျသညျ setup ကိုငွေ Flow Mapper စာရွက်စာတမ်းများရှိပါကသာလျှင် select လုပ်ပါ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,လိပ်စာ 1 မှ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,လိပ်စာ 1 မှ
 DocType: Email Digest,Next email will be sent on:,Next ကိုအီးမေးလ်အပေါ်ကိုစလှေတျပါလိမ့်မည်:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",{ကြိယာ} {သတင်းစကား} ကို item အဖြစ်မှတ်သားကို item {ပစ္စည်းများ} အောက်ပါ။ \ သင်ဟာသူ့ရဲ့ပစ္စည်းမာစတာထံမှ {သတင်းစကား} ကို item အဖြစ်သူတို့ကိုဖွင့်နိုင်ပါသည်
 DocType: Supplier Scorecard,Per Week,per အပတ်
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,item မျိုးကွဲရှိပါတယ်။
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,item မျိုးကွဲရှိပါတယ်။
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,စုစုပေါင်းကျောင်းသား
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,item {0} မတွေ့ရှိ
 DocType: Bin,Stock Value,စတော့အိတ် Value တစ်ခု
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,ကုမ္ပဏီ {0} မတည်ရှိပါဘူး
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,ကုမ္ပဏီ {0} မတည်ရှိပါဘူး
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} {1} မှီတိုင်အောင်အခကြေးငွေတရားဝင်မှုရှိပြီး
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,သစ်ပင်ကို Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,တစ်ယူနစ်ကိုလောင် Qty
@@ -1143,7 +1150,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Credit Card ကို Entry &#39;
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,ကုမ္ပဏီနှင့်ငွေစာရင်း
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Value တစ်ခုအတွက်
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Value တစ်ခုအတွက်
 DocType: Asset Settings,Depreciation Options,တန်ဖိုးလျော့ Options ကို
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,တည်နေရာသို့မဟုတ်ဝန်ထမ်းဖြစ်စေလိုအပ်ရပါမည်
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,မှားနေသော post အချိန်
@@ -1160,20 +1167,21 @@
 DocType: Leave Allocation,Allocation,နေရာချထားခြင်း
 DocType: Purchase Order,Supply Raw Materials,supply ကုန်ကြမ်း
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,လက်ရှိပိုင်ဆိုင်မှုများ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',&#39;&#39; သင်တန်းတုံ့ပြန်ချက် &#39;&#39; ကိုနှိပ်ခြင်းအားဖြင့်လေ့ကျင့်ရေးမှသင့်ရဲ့တုံ့ပြန်ချက်ဝေမျှပြီးတော့ &#39;&#39; နယူး &#39;&#39; ကျေးဇူးပြု.
 DocType: Mode of Payment Account,Default Account,default အကောင့်
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,ပထမဦးဆုံးစတော့အိတ်ချိန်ညှိမှုများအတွက်နမူနာ retention ဂိုဒေါင်ကို select ပေးပါ
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,ပထမဦးဆုံးစတော့အိတ်ချိန်ညှိမှုများအတွက်နမူနာ retention ဂိုဒေါင်ကို select ပေးပါ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,တစ်ဦးထက်ပိုစုဆောင်းခြင်းစည်းမျဉ်းစည်းကမ်းတွေအဘို့အအကွိမျမြားစှာအဆင့်အစီအစဉ် type ကိုရွေးချယ်ပါ။
 DocType: Payment Entry,Received Amount (Company Currency),ရရှိထားသည့်ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,အခွင့်အလမ်းများခဲကနေလုပ်ပါကခဲသတ်မှတ်ရမည်
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,ငွေပေးချေမှုရမည့်ပယ်ဖျက်ထားသည်မှာ။ အသေးစိတ်အဘို့သင့် GoCardless အကောင့်စစ်ဆေးပါ
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,နှောင်ကြိုးများကိုအတူ Send
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,အပတ်စဉ်ထုတ်ပယ်သောနေ့ရက်ကိုရွေးပါ ကျေးဇူးပြု.
 DocType: Inpatient Record,O Negative,အိုအနုတ်
 DocType: Work Order Operation,Planned End Time,စီစဉ်ထားသည့်အဆုံးအချိန်
 ,Sales Person Target Variance Item Group-Wise,အရောင်းပုဂ္ဂိုလ် Target ကကှဲလှဲ Item Group မှ-ပညာရှိ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership အမျိုးအစားအသေးစိတ်
 DocType: Delivery Note,Customer's Purchase Order No,customer ရဲ့ဝယ်ယူခြင်းအမိန့်မရှိပါ
 DocType: Clinical Procedure,Consume Stock,စတော့အိတ်လောင်
@@ -1186,26 +1194,26 @@
 DocType: Soil Texture,Sand,သဲ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,စွမ်းအင်ဝန်ကြီးဌာန
 DocType: Opportunity,Opportunity From,မှစ. အခွင့်အလမ်း
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,အတန်း {0}: {1} Serial နံပါတ်များကို Item {2} ဘို့လိုအပ်သည်။ သင် {3} ထောက်ပံ့ပေးခဲ့ကြသည်။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,အတန်း {0}: {1} Serial နံပါတ်များကို Item {2} ဘို့လိုအပ်သည်။ သင် {3} ထောက်ပံ့ပေးခဲ့ကြသည်။
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,စားပွဲတစ်ခုကို select ပေးပါ
 DocType: BOM,Website Specifications,website သတ်မှတ်ချက်များ
 DocType: Special Test Items,Particulars,အထူးသဖြင့်
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: {1} အမျိုးအစား {0} မှစ.
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,row {0}: ကူးပြောင်းခြင်း Factor မသင်မနေရ
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,row {0}: ကူးပြောင်းခြင်း Factor မသင်မနေရ
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","အကွိမျမြားစှာစျေးစည်းကမ်းများတူညီတဲ့စံနှင့်အတူတည်ရှိ, ဦးစားပေးတာဝန်ပေးဖို့ခြင်းဖြင့်ပဋိပက္ခဖြေရှင်းရန်ပါ။ စျေးစည်းကမ်းများ: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","အကွိမျမြားစှာစျေးစည်းကမ်းများတူညီတဲ့စံနှင့်အတူတည်ရှိ, ဦးစားပေးတာဝန်ပေးဖို့ခြင်းဖြင့်ပဋိပက္ခဖြေရှင်းရန်ပါ။ စျေးစည်းကမ်းများ: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,ချိန်းနှုန်း Revaluation အကောင့်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,ဒါကြောင့်အခြား BOMs နှင့်အတူဆက်စပ်အဖြစ် BOM ရပ်ဆိုင်းနိုင်သို့မဟုတ်ပယ်ဖျက်ခြင်းနိုင်ဘူး
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,ဒါကြောင့်အခြား BOMs နှင့်အတူဆက်စပ်အဖြစ် BOM ရပ်ဆိုင်းနိုင်သို့မဟုတ်ပယ်ဖျက်ခြင်းနိုင်ဘူး
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,posts များလာပြီမှကုမ္ပဏီနှင့် Post date ကို select ပေးပါ
 DocType: Asset,Maintenance,ပြုပြင်ထိန်းသိမ်းမှု
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,လူနာတှေ့ဆုံထံမှ Get
 DocType: Subscriber,Subscriber,စာရင်းပေးသွင်းသူ
 DocType: Item Attribute Value,Item Attribute Value,item Attribute Value တစ်ခု
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,သင့်ရဲ့ Project မှအဆင့်အတန်းကိုအပ်ဒိတ်လုပ် ကျေးဇူးပြု.
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,သင့်ရဲ့ Project မှအဆင့်အတန်းကိုအပ်ဒိတ်လုပ် ကျေးဇူးပြု.
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,ငွေကြေးလဲလှယ်ရေးဝယ်ယူဘို့သို့မဟုတ်ရောင်းအားများအတွက်သက်ဆိုင်ဖြစ်ရမည်။
 DocType: Item,Maximum sample quantity that can be retained,ထိန်းသိမ်းထားနိုင်အများဆုံးနမူနာအရေအတွက်
 DocType: Project Update,How is the Project Progressing Right Now?,ဘယ်လို Project မှညာဘက် Now ကိုတိုးတက်သလဲ?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},အတန်း {0} # Item {1} ကို ပို. ဝယ်ယူမိန့် {3} ဆန့်ကျင် {2} ထက်လွှဲပြောင်းမရနိုငျ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},အတန်း {0} # Item {1} ကို ပို. ဝယ်ယူမိန့် {3} ဆန့်ကျင် {2} ထက်လွှဲပြောင်းမရနိုငျ
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,အရောင်းစည်းရုံးလှုံ့ဆော်မှုများ။
 DocType: Project Task,Make Timesheet,Timesheet Make
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1234,36 +1242,38 @@
 DocType: Lab Test,Lab Test,Lab ကစမ်းသပ်
 DocType: Student Report Generation Tool,Student Report Generation Tool,ကျောင်းသားအစီရင်ခံစာမျိုးဆက်ကျောင်းသားများ Tool ကို
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ကျန်းမာရေးစောင့်ရှောက်မှုဇယားအချိန်အပေါက်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,doc အမည်
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,doc အမည်
 DocType: Expense Claim Detail,Expense Claim Type,စရိတ်တောင်းဆိုမှုများ Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,စျေးဝယ်ခြင်းတွန်းလှည်းသည် default setting များ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,အချိန်အပိုင်းအခြားများအား Add
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},ဂျာနယ် Entry &#39;{0} ကနေတဆင့်ဖျက်သိမ်းပိုင်ဆိုင်မှု
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},ကုမ္ပဏီ {1} အတွက်ဂိုဒေါင် {0} သို့မဟုတ်ပုံမှန် Inventory အကောင့်အတွက်အကောင့်ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},ဂျာနယ် Entry &#39;{0} ကနေတဆင့်ဖျက်သိမ်းပိုင်ဆိုင်မှု
 DocType: Loan,Interest Income Account,အကျိုးစီးပွားဝင်ငွေခွန်အကောင့်
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,မက်စ်အကျိုးခံစားခွင့်အကျိုးခံစားခွင့် dispense မှသုညထက်ကြီးမြတ်ဖြစ်သင့်
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,မက်စ်အကျိုးခံစားခွင့်အကျိုးခံစားခွင့် dispense မှသုညထက်ကြီးမြတ်ဖြစ်သင့်
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,ဆန်းစစ်ခြင်းဖိတ်ကြားလွှာ Sent
 DocType: Shift Assignment,Shift Assignment,shift တာဝန်
 DocType: Employee Transfer Property,Employee Transfer Property,ဝန်ထမ်းလွှဲပြောင်းအိမ်ခြံမြေ
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,အခြိနျမှနျမှထက်နည်းရမည်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,ဇီဝနည်းပညာ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",item {0} (Serial အဘယ်သူမျှမ: {1}) အရောင်းအမိန့် {2} fullfill မှ reserverd \ ဖြစ်သကဲ့သို့လောင်မရနိုင်ပါ။
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Office ကို Maintenance အသုံးစရိတ်များ
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,ကိုသွားပါ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ထံမှ ERPNext စျေးစာရင်းပေးရန် Update ကိုစျေး
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,အီးမေးလ်အကောင့်ကိုဖွင့်သတ်မှတ်
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,ပထမဦးဆုံးပစ္စည်းကိုရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,ခွဲခြမ်းစိတ်ဖြာခြင်းလိုအပ်ပါတယ်
 DocType: Asset Repair,Downtime,ကျချိန်
 DocType: Account,Liability,တာဝန်
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ပိတ်ဆို့ငွေပမာဏ Row {0} အတွက်တောင်းဆိုမှုများငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ပိတ်ဆို့ငွေပမာဏ Row {0} အတွက်တောင်းဆိုမှုများငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,ပညာရေးဆိုင်ရာ Term:
 DocType: Salary Component,Do not include in total,စုစုပေါင်းမပါဝင်ပါနဲ့
 DocType: Company,Default Cost of Goods Sold Account,ကုန်စည်၏ default ကုန်ကျစရိတ်အကောင့်ရောင်းချ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},နမူနာအရေအတွက် {0} လက်ခံရရှိအရေအတွက် {1} ထက်ပိုမဖွစျနိုငျ
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,စျေးနှုန်း List ကိုမရွေးချယ်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},နမူနာအရေအတွက် {0} လက်ခံရရှိအရေအတွက် {1} ထက်ပိုမဖွစျနိုငျ
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,စျေးနှုန်း List ကိုမရွေးချယ်
 DocType: Employee,Family Background,မိသားစုနောက်ခံသမိုင်း
 DocType: Request for Quotation Supplier,Send Email,အီးမေးလ်ပို့ပါ
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},သတိပေးချက်: မမှန်ကန်ခြင်းနှောင်ကြိုး {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},သတိပေးချက်: မမှန်ကန်ခြင်းနှောင်ကြိုး {0}
 DocType: Item,Max Sample Quantity,မက်စ်နမူနာအရေအတွက်
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,အဘယ်သူမျှမခွင့်ပြုချက်
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,စာချုပ်ပြည့်စုံစစ်ဆေးရမဲ့စာရင်း
@@ -1295,15 +1305,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ကုန်ကျစရိတ်စင်တာ {2} ကုမ္ပဏီ {3} ပိုင်ပါဘူး
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),သင့်ရဲ့စာကိုဦးခေါင်း (100px အားဖြင့် 900px အဖြစ်ကို web ဖော်ရွေသည်ထိုပွဲကို) Upload လုပ်ပါ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: အကောင့် {2} တဲ့ Group ကိုမဖွစျနိုငျ
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,item Row {idx}: {DOCTYPE} {DOCNAME} အထက် &#39;&#39; {DOCTYPE} &#39;&#39; table ထဲမှာမတည်ရှိပါဘူး
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} ပြီးသားပြီးစီးခဲ့သို့မဟုတ်ဖျက်သိမ်းလိုက်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} ပြီးသားပြီးစီးခဲ့သို့မဟုတ်ဖျက်သိမ်းလိုက်
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migration
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,အဘယ်သူမျှမတာဝန်များကို
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,paid အဖြစ်အရောင်းပြေစာ {0} created
 DocType: Item Variant Settings,Copy Fields to Variant,မူကွဲမှ Fields မိတ္တူ
 DocType: Asset,Opening Accumulated Depreciation,စုဆောင်းတန်ဖိုးဖွင့်လှစ်
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,ရမှတ်ထက်လျော့နည်းသို့မဟုတ် 5 မှတန်းတူဖြစ်ရမည်
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program ကိုစာရငျးပေးသှငျး Tool ကို
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form တွင်မှတ်တမ်းများ
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form တွင်မှတ်တမ်းများ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,အဆိုပါရှယ်ယာပြီးသားတည်ရှိ
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,ဖောက်သည်များနှင့်ပေးသွင်း
 DocType: Email Digest,Email Digest Settings,အီးမေးလ် Digest မဂ္ဂဇင်း Settings ကို
@@ -1316,12 +1326,12 @@
 DocType: Production Plan,Select Items,ပစ္စည်းများကိုရွေးပါ
 DocType: Share Transfer,To Shareholder,ရှယ်ယာရှင်များမှ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} ဘီလ် {1} ဆန့်ကျင် {2} ရက်စွဲပါ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,နိုင်ငံတော်အနေဖြင့်
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,နိုင်ငံတော်အနေဖြင့်
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Setup ကို Institution မှ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,ချထားပေးရွက် ...
 DocType: Program Enrollment,Vehicle/Bus Number,ယာဉ် / ဘတ်စ်ကားအရေအတွက်
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,သင်တန်းဇယား
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",သငျသညျလစာကာလ၏နောက်ဆုံးလစာစလစ်ဖြတ်ပိုင်းပုံစံဖြင့်သက်သေပြချက်များနှင့်ပိုင်ရှင်မပေါ်သောသွင်း \ ထမ်းအကျိုးကျေးဇူးများ Unsubmitted အခွန်ကင်းလွတ်ခွင့်များအတွက်အခွန်ထုတ်ယူဖို့ရှိသည်
 DocType: Request for Quotation Supplier,Quote Status,quote အခြေအနေ
 DocType: GoCardless Settings,Webhooks Secret,Webhooks လျှို့ဝှက်ချက်
@@ -1347,13 +1357,13 @@
 DocType: Sales Invoice,Payment Due Date,ငွေပေးချေမှုရမည့်ကြောင့်နေ့စွဲ
 DocType: Drug Prescription,Interval UOM,ကြားကာလ UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Reselect, ရွေးကောက်တော်မူသောလိပ်စာမှတပါးပြီးနောက် edited လျှင်"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,item Variant {0} ပြီးသားအတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,item Variant {0} ပြီးသားအတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
 DocType: Item,Hub Publishing Details,hub ထုတ်ဝေရေးအသေးစိတ်
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;&#39; ဖွင့်ပွဲ &#39;&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;&#39; ဖွင့်ပွဲ &#39;&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,လုပ်ပါရန်ပွင့်လင်း
 DocType: Issue,Via Customer Portal,ဖောက်သည် Portal ကို via
 DocType: Notification Control,Delivery Note Message,Delivery Note ကို Message
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST ငွေပမာဏ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST ငွေပမာဏ
 DocType: Lab Test Template,Result Format,ရလဒ် Format ကို
 DocType: Expense Claim,Expenses,ကုန်ကျစရိတ်
 DocType: Item Variant Attribute,Item Variant Attribute,item Variant Attribute
@@ -1361,14 +1371,12 @@
 DocType: Payroll Entry,Bimonthly,Bimonthly
 DocType: Vehicle Service,Brake Pad,ဘရိတ် Pad
 DocType: Fertilizer,Fertilizer Contents,ဓာတ်မြေသြဇာမာတိကာ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,သုတေသနနှင့်ဖွံ့ဖြိုးရေး
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,သုတေသနနှင့်ဖွံ့ဖြိုးရေး
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ဘီလ်မှငွေပမာဏကို
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ရက်စွဲနှင့်အဆုံးနေ့စွဲအလုပ်ကဒ်နှင့်အတူထပ်နေသည် Start <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,မှတ်ပုံတင်ခြင်းအသေးစိတ်ကို
 DocType: Timesheet,Total Billed Amount,စုစုပေါင်းကောက်ခံခဲ့ပမာဏ
 DocType: Item Reorder,Re-Order Qty,Re-Order Qty
 DocType: Leave Block List Date,Leave Block List Date,Block List ကိုနေ့စွဲ Leave
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,ပညာရေးအတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုနည်းပြ&gt; ပညာရေးကိုဆက်တင်
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: ကုန်ကြမ်းအဓိကပစ္စည်းအဖြစ်အတူတူပင်မဖွစျနိုငျ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,အရစ်ကျငွေလက်ခံပြေစာပစ္စည်းများ table ထဲမှာစုစုပေါင်းသက်ဆိုင်သောစွပ်စွဲချက်စုစုပေါင်းအခွန်နှင့်စွပ်စွဲချက်အဖြစ်အတူတူပင်ဖြစ်ရပါမည်
 DocType: Sales Team,Incentives,မက်လုံးတွေပေးပြီး
@@ -1382,7 +1390,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,point-of-Sale
 DocType: Fee Schedule,Fee Creation Status,အခကြေးငွေဖန်ဆင်းခြင်းအခြေအနေ
 DocType: Vehicle Log,Odometer Reading,Odometer စာဖတ်ခြင်း
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","အကောင့်ဖွင့်ချိန်ခွင်ပြီးသားချေးငွေအတွက်, သင်တင်ထားရန်ခွင့်မပြုခဲ့ကြပါတယ် &#39;&#39; Debit &#39;အဖြစ်&#39; &#39;Balance ဖြစ်ရမည်&#39; &#39;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","အကောင့်ဖွင့်ချိန်ခွင်ပြီးသားချေးငွေအတွက်, သင်တင်ထားရန်ခွင့်မပြုခဲ့ကြပါတယ် &#39;&#39; Debit &#39;အဖြစ်&#39; &#39;Balance ဖြစ်ရမည်&#39; &#39;"
 DocType: Account,Balance must be,ချိန်ခွင်ဖြစ်ရမည်
 DocType: Notification Control,Expense Claim Rejected Message,စရိတ်တောင်းဆိုမှုများသတင်းစကားကိုငြင်းပယ်
 ,Available Qty,ရရှိနိုင်သည့် Qty
@@ -1394,7 +1402,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,အမြဲတမ်းအမိန့်အသေးစိတ်ကို synching မတိုင်မီအမေဇုံ MWS မှသင်၏ထုတ်ကုန် synch
 DocType: Delivery Trip,Delivery Stops,Delivery ရပ်နားမှုများ
 DocType: Salary Slip,Working Days,အလုပ်လုပ် Days
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},အတန်းအတွက် {0} ကို item များအတွက်ဝန်ဆောင်မှု Stop နေ့စွဲမပြောင်းနိုင်သလား
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},အတန်းအတွက် {0} ကို item များအတွက်ဝန်ဆောင်မှု Stop နေ့စွဲမပြောင်းနိုင်သလား
 DocType: Serial No,Incoming Rate,incoming Rate
 DocType: Packing Slip,Gross Weight,စုစုပေါင်းအလေးချိန်
 DocType: Leave Type,Encashment Threshold Days,Encashment Threshold နေ့ရက်များ
@@ -1413,31 +1421,33 @@
 DocType: Restaurant Table,Minimum Seating,နိမ့်ဆုံးလက်ခံ
 DocType: Item Attribute,Item Attribute Values,item Attribute တန်ဖိုးများ
 DocType: Examination Result,Examination Result,စာမေးပွဲရလဒ်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,ဝယ်ယူခြင်း Receipt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,ဝယ်ယူခြင်း Receipt
 ,Received Items To Be Billed,ကြေညာတဲ့ခံရဖို့ရရှိထားသည့်ပစ္စည်းများ
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,ငွေကြေးလဲလှယ်မှုနှုန်းမာစတာ။
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,ငွေကြေးလဲလှယ်မှုနှုန်းမာစတာ။
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},ကိုးကားစရာ DOCTYPE {0} တယောက်ဖြစ်ရပါမည်
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,စုစုပေါင်းသုညအရည်အတွက် Filter
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},စစ်ဆင်ရေး {1} သည်လာမည့် {0} လက်ထက်ကာလ၌အချိန်အပေါက်ရှာတွေ့ဖို့မအောင်မြင်ဘူး
 DocType: Work Order,Plan material for sub-assemblies,က sub-အသင်းတော်တို့အဘို့အစီအစဉ်ကိုပစ္စည်း
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,အရောင်းအပေါင်းအဖေါ်များနှင့်နယ်မြေတွေကို
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} တက်ကြွဖြစ်ရမည်
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} တက်ကြွဖြစ်ရမည်
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,လွှဲပြောင်းရရှိနိုင်ပစ္စည်းများအဘယ်သူမျှမ
 DocType: Employee Boarding Activity,Activity Name,activity ကိုအမည်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,ပြောင်းလဲမှုကိုဖြန့်ချိနေ့စွဲ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,ကိုလက်စသတ်ကုန်ပစ္စည်းအရေအတွက် <b>{0}</b> နှင့်အရေအတွက်သည် <b>{1}</b> ကွဲပြားခြားနားသောမဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,ပြောင်းလဲမှုကိုဖြန့်ချိနေ့စွဲ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,ကိုလက်စသတ်ကုန်ပစ္စည်းအရေအတွက် <b>{0}</b> နှင့်အရေအတွက်သည် <b>{1}</b> ကွဲပြားခြားနားသောမဖွစျနိုငျ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),ပိတ် (ဖွင့်ပွဲ + စုစုပေါင်း)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,item Code ကို&gt; item Group မှ&gt; အမှတ်တံဆိပ်
+DocType: Delivery Settings,Dispatch Notification Attachment,dispatch သတိပေးချက်နှောင်ကြိုး
 DocType: Payroll Entry,Number Of Employees,အလုပ်သမားအရေအတွက်
 DocType: Journal Entry,Depreciation Entry,တန်ဖိုး Entry &#39;
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,ပထမဦးဆုံး Document အမျိုးအစားကိုရွေးချယ်ပါ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,ပထမဦးဆုံး Document အမျိုးအစားကိုရွေးချယ်ပါ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ဒီ Maintenance ခရီးစဉ်ပယ်ဖျက်မီပစ္စည်းလည်ပတ်သူ {0} Cancel
 DocType: Pricing Rule,Rate or Discount,rate သို့မဟုတ်လျှော့
 DocType: Vital Signs,One Sided,ဖွဲ့တစ်ခုမှာ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},serial No {0} Item မှ {1} ပိုင်ပါဘူး
 DocType: Purchase Receipt Item Supplied,Required Qty,မရှိမဖြစ်တဲ့ Qty
 DocType: Marketplace Settings,Custom Data,စိတ်တိုင်းကျမှာ Data
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,လက်ရှိငွေပေးငွေယူနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုင်ပါ။
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},serial မျှပစ္စည်း {0} တွေအတွက်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,လက်ရှိငွေပေးငွေယူနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုင်ပါ။
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},serial မျှပစ္စည်း {0} တွေအတွက်မဖြစ်မနေဖြစ်ပါသည်
 DocType: Bank Reconciliation,Total Amount,စုစုပေါင်းတန်ဘိုး
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,နေ့စွဲကနေများနှင့်ကွဲပြားခြားနားသောဘဏ္ဍာရေးတစ်နှစ်တာနေ့စွဲမုသားရန်
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,အဆိုပါလူနာ {0} ငွေတောင်းပြေစာပို့မှဖောက်သည် refrence ရှိသည်မဟုတ်ကြဘူး
@@ -1448,9 +1458,9 @@
 DocType: Soil Texture,Clay Composition (%),ရွှံ့ရေးစပ်သီကုံး (%)
 DocType: Item Group,Item Group Defaults,item Group မှ Defaults ကို
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,အလုပ်တခုကိုတာဝန်ပေးဖို့မတိုင်မီကယ်တင်ပေးပါ။
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ချိန်ခွင် Value တစ်ခု
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ချိန်ခွင် Value တစ်ခု
 DocType: Lab Test,Lab Technician,ဓာတ်ခွဲခန်းပညာရှင်
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,အရောင်းစျေးနှုန်းများစာရင်း
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,အရောင်းစျေးနှုန်းများစာရင်း
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","check လုပ်ထားပါက, ဖောက်သည်တစ်ဦးလူနာတစ်ခုသို့ဆက်စပ်, နေသူများကဖန်တီးလိမ့်မည်။ လူနာငွေတောင်းခံလွှာဒီဖောက်သည်ဆန့်ကျင်နေသူများကဖန်တီးလိမ့်မည်။ လူနာကိုစဉ်ကိုလည်းသင်ရှိပြီးသားဖောက်သည်ရွေးချယ်နိုင်ပါသည်။"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ဖောက်သည်မဆိုသစ္စာရှိမှုအစီအစဉ်တွင်စာရင်းသွင်းမဟုတ်ပါ
@@ -1464,13 +1474,13 @@
 DocType: Support Search Source,Search Term Param Name,ရှာရန် Term ရာမီတာများအမည်
 DocType: Item Barcode,Item Barcode,item Barcode
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,item Variant {0} updated
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,item Variant {0} updated
 DocType: Quality Inspection Reading,Reading 6,6 Reading
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,နိုင်သလားမ {0} {1} {2} မည်သည့်အနှုတ်လက္ခဏာထူးချွန်ငွေတောင်းခံလွှာမပါဘဲ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,နိုင်သလားမ {0} {1} {2} မည်သည့်အနှုတ်လက္ခဏာထူးချွန်ငွေတောင်းခံလွှာမပါဘဲ
 DocType: Share Transfer,From Folio No,ဖိုလီယိုအဘယ်သူမျှမကနေ
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,ဝယ်ယူခြင်းပြေစာကြိုတင်ထုတ်
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},row {0}: Credit entry ကိုတစ် {1} နဲ့ဆက်စပ်မရနိုငျ
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,တစ်ဘဏ္ဍာရေးနှစ်အတွက်ဘတ်ဂျက် Define ။
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,တစ်ဘဏ္ဍာရေးနှစ်အတွက်ဘတ်ဂျက် Define ။
 DocType: Shopify Tax Account,ERPNext Account,ERPNext အကောင့်
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,ပိတ်ထားသည် {0} ဒါဒီအရောင်းအဝယ်အတွက်ဆက်လက်ဆောင်ရွက်မနိုင်
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,လှုပ်ရှားမှုစုဆောင်းဒီလအတွက်ဘတ်ဂျက် MR အပေါ်ကိုကျြောသှားပါလျှင်
@@ -1486,19 +1496,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,ဝယ်ယူခြင်းပြေစာ
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,အလုပ်အမိန့်ဆန့်ကျင်မျိုးစုံပစ္စည်းစားသုံးမှု Allow
 DocType: GL Entry,Voucher Detail No,ဘောက်ချာ Detail မရှိပါ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,နယူးအရောင်းပြေစာ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,နယူးအရောင်းပြေစာ
 DocType: Stock Entry,Total Outgoing Value,စုစုပေါင်းအထွက် Value တစ်ခု
 DocType: Healthcare Practitioner,Appointments,ချိန်း
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,နေ့စွဲနှင့်ပိတ်ရက်ဖွင့်လှစ်အတူတူဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွင်းဖြစ်သင့်
 DocType: Lead,Request for Information,ပြန်ကြားရေးဝန်ကြီးဌာနတောင်းဆိုခြင်း
 ,LeaderBoard,LEADERBOARD
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Margin (ကုမ္ပဏီငွေကြေးစနစ်) နှင့်အတူ rate
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ
 DocType: Payment Request,Paid,Paid
 DocType: Program Fee,Program Fee,Program ကိုလျှောက်လွှာကြေး
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",အသုံးပြုသည်အဘယ်မှာရှိရှိသမျှသည်အခြားသော BOMs အတွက်အထူးသဖြင့် BOM အစားထိုးပါ။ ဒါဟာအဟောင်း BOM link ကို update ကိုကုန်ကျစရိတ်ကိုအစားထိုးအသစ် BOM နှုန်းအဖြစ် &quot;BOM ပေါက်ကွဲမှု Item&quot; စားပွဲပေါ်မှာအသစ်တဖန်မွေးဖွားလိမ့်မယ်။ ဒါဟာအစအပေါငျးတို့သ BOMs အတွက်နောက်ဆုံးပေါ်စျေးနှုန်း update ။
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,အောက်ပါလုပ်ငန်းအမိန့်ဖန်တီးခဲ့ကြသည်:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,အောက်ပါလုပ်ငန်းအမိန့်ဖန်တီးခဲ့ကြသည်:
 DocType: Salary Slip,Total in words,စကားစုစုပေါင်း
 DocType: Inpatient Record,Discharged,ဆေးရုံကဆင်း
 DocType: Material Request Item,Lead Time Date,ခဲအချိန်နေ့စွဲ
@@ -1509,16 +1519,16 @@
 DocType: Support Settings,Get Started Sections,ကဏ္ဍများ Started Get
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-ခဲ-.YYYY.-
 DocType: Loan,Sanctioned,ဒဏ်ခတ်အရေးယူ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,မဖြစ်မနေဖြစ်ပါတယ်။ ဒီတစ်ခါလည်းငွေကြေးစနစ်အိတ်ချိန်းစံချိန်ဖန်တီးသည်မ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},row # {0}: Item {1} သည် Serial No ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},စုစုပေါင်းအလှူငှပေးငွေပမာဏ: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},row # {0}: Item {1} သည် Serial No ကိုသတ်မှတ်ပေးပါ
 DocType: Payroll Entry,Salary Slips Submitted,Submitted လစာစလစ်
 DocType: Crop Cycle,Crop Cycle,သီးနှံ Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;&#39; ကုန်ပစ္စည်း Bundle ကို &#39;&#39; ပစ္စည်းများကို, ဂိုဒေါင်, Serial No နှင့် Batch for မရှိ &#39;&#39; List ကိုထုပ်ပိုး &#39;&#39; စားပွဲကနေစဉ်းစားကြလိမ့်မည်။ ဂိုဒေါင်နှင့် Batch မရှိဆို &#39;&#39; ကုန်ပစ္စည်း Bundle ကို &#39;&#39; တဲ့ item ပေါင်းသည်တလုံးထုပ်ပိုးပစ္စည်းများသည်အတူတူပင်ဖြစ်ကြောင်း အကယ်. အဲဒီတန်ဖိုးတွေကိုအဓိက Item table ထဲမှာသို့ဝင်နိုင်ပါတယ်, တန်ဖိုးများကို &#39;&#39; Pack များစာရင်း &#39;&#39; စားပွဲကိုမှကူးယူလိမ့်မည်။"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;&#39; ကုန်ပစ္စည်း Bundle ကို &#39;&#39; ပစ္စည်းများကို, ဂိုဒေါင်, Serial No နှင့် Batch for မရှိ &#39;&#39; List ကိုထုပ်ပိုး &#39;&#39; စားပွဲကနေစဉ်းစားကြလိမ့်မည်။ ဂိုဒေါင်နှင့် Batch မရှိဆို &#39;&#39; ကုန်ပစ္စည်း Bundle ကို &#39;&#39; တဲ့ item ပေါင်းသည်တလုံးထုပ်ပိုးပစ္စည်းများသည်အတူတူပင်ဖြစ်ကြောင်း အကယ်. အဲဒီတန်ဖိုးတွေကိုအဓိက Item table ထဲမှာသို့ဝင်နိုင်ပါတယ်, တန်ဖိုးများကို &#39;&#39; Pack များစာရင်း &#39;&#39; စားပွဲကိုမှကူးယူလိမ့်မည်။"
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Place ကနေ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net က Pay ကိုအနုတ်လက္ခဏာဖြစ် cannnot
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Place ကနေ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net က Pay ကိုအနုတ်လက္ခဏာဖြစ် cannnot
 DocType: Student Admission,Publish on website,website တွင် Publish
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,ပေးသွင်းငွေတောင်းခံလွှာနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,ပေးသွင်းငွေတောင်းခံလွှာနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ins-.YYYY.-
 DocType: Subscription,Cancelation Date,ပယ်ဖျက်ခြင်းနေ့စွဲ
 DocType: Purchase Invoice Item,Purchase Order Item,ဝယ်ယူခြင်းအမိန့် Item
@@ -1527,7 +1537,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,ကျောင်းသားများကျောင်း Tool ကို
 DocType: Restaurant Menu,Price List (Auto created),စျေးစာရင်း (အော်တို created)
 DocType: Cheque Print Template,Date Settings,နေ့စွဲက Settings
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,ကှဲလှဲ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,ကှဲလှဲ
 DocType: Employee Promotion,Employee Promotion Detail,ဝန်ထမ်းမြှင့်တင်ရေးအသေးစိတ်
 ,Company Name,ကုမ္ပဏီအမည်
 DocType: SMS Center,Total Message(s),စုစုပေါင်း Message (s)
@@ -1557,7 +1567,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,န်ထမ်းမွေးနေသတိပေးချက်များမပို့ပါနဲ့
 DocType: Expense Claim,Total Advance Amount,စုစုပေါင်းကြိုတင်ပမာဏ
 DocType: Delivery Stop,Estimated Arrival,ခန့်မှန်းခြေဆိုက်ရောက်ဗီဇာ
-DocType: Delivery Stop,Notified by Email,အီးမေးလ်ခြင်းဖြင့်အကြောင်းကြား
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,အားလုံးဆောင်းပါးများတွင်ကြည့်ပါ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,ခုနှစ်တွင် Walk
 DocType: Item,Inspection Criteria,စစ်ဆေးရေးလိုအပ်ချက်
@@ -1567,23 +1576,22 @@
 DocType: Timesheet Detail,Bill,ဘီလ်
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,အဖြူ
 DocType: SMS Center,All Lead (Open),အားလုံးသည်ခဲ (ပွင့်လင်း)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),အတန်း {0}: ({2} {3}) entry ကို၏အချိန်ပို့စ်တင်မှာ {1} ဂိုဒေါင်ထဲမှာ {4} များအတွက်အရည်အတွက်ရရှိနိုင်မ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),အတန်း {0}: ({2} {3}) entry ကို၏အချိန်ပို့စ်တင်မှာ {1} ဂိုဒေါင်ထဲမှာ {4} များအတွက်အရည်အတွက်ရရှိနိုင်မ
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,သင်သာစစ်ဆေးမှုများသေတ္တာများစာရင်းထဲကတဦးတည်း option ကိုအများဆုံးရွေးချယ်နိုင်ပါသည်။
 DocType: Purchase Invoice,Get Advances Paid,ကြိုတင်ငွေ Paid Get
 DocType: Item,Automatically Create New Batch,နယူးသုတ်အလိုအလျှောက် Create
 DocType: Item,Automatically Create New Batch,နယူးသုတ်အလိုအလျှောက် Create
 DocType: Supplier,Represents Company,ကုမ္ပဏီကိုယ်စားပြု
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,လုပ်ပါ
 DocType: Student Admission,Admission Start Date,ဝန်ခံချက် Start ကိုနေ့စွဲ
 DocType: Journal Entry,Total Amount in Words,စကားအတွက်စုစုပေါင်းပမာဏ
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,နယူးန်ထမ်း
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ဆိုတဲ့ error ရှိခဲ့သည်။ တစျခုဖြစ်နိုင်သည်ဟုအကြောင်းပြချက်ကိုသင်ပုံစံကယ်တင်ခြင်းသို့မရောက်ကြပြီဖြစ်နိုင်ပါတယ်။ ပြဿနာရှိနေသေးလျှင် support@erpnext.com ကိုဆက်သွယ်ပါ။
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,အကြှနျုပျ၏လှည်း
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},အမိန့် Type {0} တယောက်ဖြစ်ရပါမည်
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},အမိန့် Type {0} တယောက်ဖြစ်ရပါမည်
 DocType: Lead,Next Contact Date,Next ကိုဆက်သွယ်ရန်နေ့စွဲ
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty ဖွင့်လှစ်
 DocType: Healthcare Settings,Appointment Reminder,ခန့်အပ်တာဝန်ပေးခြင်းသတိပေးချက်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်ရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်ရိုက်ထည့်ပေးပါ
 DocType: Program Enrollment Tool Student,Student Batch Name,ကျောင်းသားအသုတ်လိုက်အမည်
 DocType: Holiday List,Holiday List Name,အားလပ်ရက် List ကိုအမည်
 DocType: Repayment Schedule,Balance Loan Amount,balance ချေးငွေပမာဏ
@@ -1593,13 +1601,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,စတော့အိတ် Options ကို
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,လှည်းကဆက်ပြောသည်ပစ္စည်းများအဘယ်သူမျှမ
 DocType: Journal Entry Account,Expense Claim,စရိတ်တောင်းဆိုမှုများ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,သင်အမှန်တကယ်ဒီဖျက်သိမ်းပိုင်ဆိုင်မှု restore ချင်ပါသလား?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,သင်အမှန်တကယ်ဒီဖျက်သိမ်းပိုင်ဆိုင်မှု restore ချင်ပါသလား?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},{0} သည် Qty
 DocType: Leave Application,Leave Application,လျှောက်လွှာ Leave
 DocType: Patient,Patient Relation,လူနာဆက်ဆံရေး
 DocType: Item,Hub Category to Publish,hub Category: Publish မှ
 DocType: Leave Block List,Leave Block List Dates,Block List ကိုနေ့ရက်များ Leave
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","အရောင်းအမိန့် {0} ကို item {1}, သင်သာ {0} ဆန့်ကျင် {1} ယူထားတဲ့ကယ်မနှုတ်နိုင်ဘို့ကြိုတင်မှာကြားထားရှိပါတယ်။ serial ဘယ်သူမျှမက {2} ကိုအပ်မရနိုင်"
 DocType: Sales Invoice,Billing Address GSTIN,ငွေတောင်းခံလိပ်စာ GSTIN
@@ -1617,16 +1625,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},တစ် {0} ကိုသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,အရေအတွက်သို့မဟုတ်တန်ဖိုးမျှပြောင်းလဲမှုနှင့်အတူပစ္စည်းများကိုဖယ်ရှားခဲ့သည်။
 DocType: Delivery Note,Delivery To,ရန် Delivery
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,မူကွဲဖန်ဆင်းခြင်းတန်းစီလျက်ရှိသည်။
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} များအတွက်အလုပ်အနှစ်ချုပ်
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,မူကွဲဖန်ဆင်းခြင်းတန်းစီလျက်ရှိသည်။
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} များအတွက်အလုပ်အနှစ်ချုပ်
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,အဆိုပါစာရင်းထဲတွင်ပထမဦးဆုံးခွင့်သဘောတူညီချက်ကို default ခွင့်သဘောတူညီချက်ပေးအဖြစ်သတ်မှတ်ထားပါလိမ့်မည်။
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,attribute စားပွဲပေါ်မှာမဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,attribute စားပွဲပေါ်မှာမဖြစ်မနေဖြစ်ပါသည်
 DocType: Production Plan,Get Sales Orders,အရောင်းအမိန့် Get
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} အနုတ်လက္ခဏာမဖြစ်နိုင်
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Quickbooks ချိတ်ဆက်ရန်
 DocType: Training Event,Self-Study,self-လေ့လာ
 DocType: POS Closing Voucher,Period End Date,ကာလပြီးဆုံးရက်စွဲ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,မြေဆီလွှာတွင်ရေးစပ်သီကုံးကို 100 အထိ add ကြဘူး
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,လြှော့ခွငျး
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,အတန်း {0}: {1} ဖွင့် {2} ငွေတောင်းခံလွှာကိုဖန်တီးရန်လိုအပ်ပါသည်
 DocType: Membership,Membership,အဖှဲ့ဝငျအဖွစျ
 DocType: Asset,Total Number of Depreciations,တန်ဖိုးစုစုပေါင်းအရေအတွက်
 DocType: Sales Invoice Item,Rate With Margin,Margin အတူ rate
@@ -1638,7 +1648,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},{1} table ထဲမှာအတန်း {0} သည်မှန်ကန်သော Row ID ကိုသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,variable ကိုရှာတွေ့ဖို့မအောင်မြင်ဘူး:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,နံပါတ်ကွက်ထဲကနေတည်းဖြတ်ရန်လယ်ကို select ပေးပါ
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,စတော့အိတ် Ledger နေသူများကဖန်တီးသောသတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုကို item မဖြစ်နိုင်ပါ။
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,စတော့အိတ် Ledger နေသူများကဖန်တီးသောသတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုကို item မဖြစ်နိုင်ပါ။
 DocType: Subscription Plan,Fixed rate,ပုံသေနှုန်းကို
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,ဖွောငျ့ဆို
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Desktop ပေါ်တွင် Go နှင့် ERPNext စတင်သုံးစွဲ
@@ -1672,7 +1682,7 @@
 DocType: Tax Rule,Shipping State,သဘောင်္တင်ခပြည်နယ်
 ,Projected Quantity as Source,အရင်းအမြစ်အဖြစ်စီမံကိန်းအရေအတွက်
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,item button ကို &#39;&#39; ဝယ်ယူလက်ခံရရှိသည့်ရက်မှပစ္စည်းများ Get &#39;&#39; ကို အသုံးပြု. ထည့်သွင်းပြောကြားခဲ့သည်ရမည်
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Delivery ခရီးစဉ်
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Delivery ခရီးစဉ်
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,လွှဲပြောင်းခြင်းပုံစံ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,အရောင်းအသုံးစရိတ်များ
@@ -1685,8 +1695,9 @@
 DocType: Item Default,Default Selling Cost Center,default ရောင်းချသည့်ကုန်ကျစရိတ် Center က
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,disc
 DocType: Buying Settings,Material Transferred for Subcontract,Subcontract များအတွက်လွှဲပြောင်းပစ္စည်း
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,စာပို့သင်္ကေတ
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},အရောင်းအမှာစာ {0} {1} ဖြစ်ပါသည်
+DocType: Email Digest,Purchase Orders Items Overdue,ရက်လွန်အမိန့်ပစ္စည်းများဝယ်ယူရန်
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,စာပို့သင်္ကေတ
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},အရောင်းအမှာစာ {0} {1} ဖြစ်ပါသည်
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},ချေးငွေ {0} စိတ်ဝင်စားကြောင်းဝင်ငွေအကောင့်ကိုရွေးချယ်ပါ
 DocType: Opportunity,Contact Info,Contact Info
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,စတော့အိတ် Entries ဖော်ဆောင်ရေး
@@ -1699,12 +1710,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,ငွေတောင်းခံလွှာသုညငွေတောင်းခံနာရီများအတွက်လုပ်မရနိုငျ
 DocType: Company,Date of Commencement,စတင်တဲ့ရက်စွဲ
 DocType: Sales Person,Select company name first.,ပထမဦးဆုံးကုမ္ပဏီ၏နာမကိုရွေးချယ်ပါ။
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},{0} မှစလှေတျတျောအီးမေးလ်
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},{0} မှစလှေတျတျောအီးမေးလ်
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ကိုးကားချက်များပေးသွင်းထံမှလက်ခံရရှိခဲ့သည်။
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM အစားထိုးမည်အပေါင်းတို့နှင့် BOMs အတွက်နောက်ဆုံးပေါ်စျေးနှုန်းကို update
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{1} {2} | {0} မှ
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,ဒါကအမြစ်ကုန်ပစ္စည်းပေးသွင်းအုပ်စုတစ်စုသည်နှင့်တည်းဖြတ်မရနိုင်ပါ။
-DocType: Delivery Trip,Driver Name,ယာဉ်မောင်းအမည်
+DocType: Delivery Note,Driver Name,ယာဉ်မောင်းအမည်
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,ပျမ်းမျှအားဖြင့်ခေတ်
 DocType: Education Settings,Attendance Freeze Date,တက်ရောက်သူ Freeze နေ့စွဲ
 DocType: Education Settings,Attendance Freeze Date,တက်ရောက်သူ Freeze နေ့စွဲ
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,မိခင်ကုမ္ပဏီ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},အမျိုးအစား {0} ၏ဟိုတယ်အခန်း {1} အပေါ်မရရှိနိုင်ပါ
 DocType: Healthcare Practitioner,Default Currency,default ငွေကြေးစနစ်
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Item {0} များအတွက်အများဆုံးလျှော့စျေး {1}% ဖြစ်ပါသည်
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Item {0} များအတွက်အများဆုံးလျှော့စျေး {1}% ဖြစ်ပါသည်
 DocType: Asset Movement,From Employee,န်ထမ်းအနေဖြင့်
 DocType: Driver,Cellphone Number,ဆဲလ်ဖုန်းနံပါတ်
 DocType: Project,Monitor Progress,တိုးတက်မှုစောင့်ကြည့်
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},အရေအတွက်ထက်လျော့နည်းသို့မဟုတ် {0} တန်းတူဖြစ်ရပါမည်
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},အဆိုပါအစိတ်အပိုင်း {0} များအတွက်အရည်အချင်းပြည့်မီအများဆုံးပမာဏကို {1} ထက်ကျော်လွန်
 DocType: Department Approver,Department Approver,ဦးစီးဌာနသဘောတူညီချက်ပေး
+DocType: QuickBooks Migrator,Application Settings,လျှောက်လွှာကိုဆက်တင်
 DocType: SMS Center,Total Characters,စုစုပေါင်းဇာတ်ကောင်
 DocType: Employee Advance,Claimed,ပြောဆိုထားသည်
 DocType: Crop,Row Spacing,အတန်း Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Item သည် BOM လယ်ပြင်၌ {0} BOM ကို select ကျေးဇူးပြု.
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Item သည် BOM လယ်ပြင်၌ {0} BOM ကို select ကျေးဇူးပြု.
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,ရွေးချယ်ထားသောအကြောင်းအရာသည်များအတွက်မဆိုကို item မူကွဲမရှိပါ
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form တွင်ပြေစာ Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ငွေပေးချေမှုရမည့်ပြန်လည်ရင်ကြားစေ့ရေးပြေစာ
 DocType: Clinical Procedure,Procedure Template,လုပ်ထုံးလုပ်နည်း Template ကို
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,contribution%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူမိန့်လိုအပ်ပါသည် == &#39;&#39; ဟုတ်ကဲ့ &#39;&#39;, ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူအမိန့်ကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,contribution%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူမိန့်လိုအပ်ပါသည် == &#39;&#39; ဟုတ်ကဲ့ &#39;&#39;, ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူအမိန့်ကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်"
 ,HSN-wise-summary of outward supplies,အပြင်ထောက်ပံ့ရေးပစ္စည်းများ၏ HSN ပညာရှိ-အကျဉ်းချုပ်
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,သင့်ရဲ့ကိုးကားနိုင်ရန်ကုမ္ပဏီမှတ်ပုံတင်နံပါတ်များ။ အခွန်နံပါတ်များစသည်တို့
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,ပြည်နယ်မှ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,ပြည်နယ်မှ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,ဖြန့်ဖြူး
 DocType: Asset Finance Book,Asset Finance Book,ပိုင်ဆိုင်မှုဘဏ္ဍာရေးစာအုပ်
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,စျေးဝယ်တွန်းလှည်း Shipping Rule
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,ကြေညာတဲ့ခံရဖို့အမိန့်ထုတ်ပစ္စည်းများ
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Range ထဲထဲကနေ A မျိုးမျိုးရန်ထက်လျော့နည်းဖြစ်ဖို့ရှိပါတယ်
 DocType: Global Defaults,Global Defaults,ဂလိုဘယ် Defaults ကို
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,စီမံကိန်းပူးပေါင်းဆောင်ရွက်ဖိတ်ကြားလွှာ
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,စီမံကိန်းပူးပေါင်းဆောင်ရွက်ဖိတ်ကြားလွှာ
 DocType: Salary Slip,Deductions,ဖြတ်ငွေများ
 DocType: Setup Progress Action,Action Name,လှုပ်ရှားမှုအမည်
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Start ကိုတစ်နှစ်တာ
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,အကြံပေး
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,မိဘများဆရာအစည်းအဝေးတက်ရောက်
 DocType: Salary Slip,Earnings,င်ငွေ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,လက်စသတ် Item {0} Manufacturing အမျိုးအစား entry အဝသို့ဝင်ရမည်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,လက်စသတ် Item {0} Manufacturing အမျိုးအစား entry အဝသို့ဝင်ရမည်
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,ဖွင့်လှစ်စာရင်းကိုင် Balance
 ,GST Sales Register,GST အရောင်းမှတ်ပုံတင်မည်
 DocType: Sales Invoice Advance,Sales Invoice Advance,အရောင်းပြေစာကြိုတင်ထုတ်
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,တောင်းဆိုရန်ဘယ်အရာမှ
+DocType: Stock Settings,Default Return Warehouse,default ပြန်သွားဂိုဒေါင်
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,သင့်ရဲ့ဒိုမိန်းကိုရွေးချယ်ပါ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify ပေးသွင်း
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ငွေပေးချေမှုရမည့်ပြေစာပစ္စည်းများ
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,လယ်ကွင်းများသာဖန်ဆင်းခြင်းအချိန်တွင်ကျော်ကူးယူပါလိမ့်မည်။
 DocType: Setup Progress Action,Domains,domains
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;&#39; အမှန်တကယ် Start ကိုနေ့စွဲ &#39;&#39; အမှန်တကယ် End Date ကို &#39;&#39; ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,စီမံခန့်ခွဲမှု
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,စီမံခန့်ခွဲမှု
 DocType: Cheque Print Template,Payer Settings,အခွန်ထမ်းက Settings
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,ပေးထားသောပစ္စည်းများကိုများအတွက်ချိတ်ဆက်မျှမတွေ့ဆိုင်းငံ့ပစ္စည်းတောင်းဆိုချက်များ။
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,ပထမဦးဆုံးအကုမ္ပဏီကိုရွေးချယ်ပါ
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ဤသည်မူကွဲ၏ Item Code ကိုမှ appended လိမ့်မည်။ သင့်ရဲ့အတိုကောက် &quot;SM&quot; ဖြစ်ပြီး, ပစ္စည်း code ကို &quot;သည် T-shirt&quot; ဖြစ်ပါတယ်လျှင်ဥပမာ, ကိုမူကွဲ၏ပစ္စည်း code ကို &quot;သည် T-shirt-SM&quot; ဖြစ်လိမ့်မည်"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,သင်လစာစလစ်ဖြတ်ပိုင်းပုံစံကိုကယ်တင်တခါ (စကား) Net က Pay ကိုမြင်နိုင်ပါလိမ့်မည်။
 DocType: Delivery Note,Is Return,သို့ပြန်သွားသည်ဖြစ်ပါသည်
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,သတိ
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',&#39;&#39; {0} &#39;&#39; နေ့ကတာဝန်အတွက်အဆုံးသောနေ့ထက် သာ. ကြီးမြတ်သည် Start
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,ပြန်သွား / မြီစားမှတ်ချက်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,ပြန်သွား / မြီစားမှတ်ချက်
 DocType: Price List Country,Price List Country,စျေးနှုန်းကိုစာရင်းနိုင်ငံ
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},Item {1} သည် {0} တရားဝင် serial nos
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,သတင်းအချက်အလက်ပေးသနား။
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ပေးသွင်းဒေတာဘေ့စ။
 DocType: Contract Template,Contract Terms and Conditions,စာချုပ်စည်းကမ်းသတ်မှတ်ချက်များ
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,သငျသညျဖျက်သိမ်းမပေးကြောင်းတစ် Subscription ပြန်လည်စတင်ရန်လို့မရပါဘူး။
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,သငျသညျဖျက်သိမ်းမပေးကြောင်းတစ် Subscription ပြန်လည်စတင်ရန်လို့မရပါဘူး။
 DocType: Account,Balance Sheet,ချိန်ခွင် Sheet
 DocType: Leave Type,Is Earned Leave,Leave ရရှိခဲ့တာဖြစ်ပါတယ်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Item Code ကိုအတူ Item သည်ကုန်ကျစရိတ် Center က &#39;&#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Item Code ကိုအတူ Item သည်ကုန်ကျစရိတ် Center က &#39;&#39;
 DocType: Fee Validity,Valid Till,မှီတိုငျအောငျသက်တမ်းရှိ
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,စုစုပေါင်းမိဘများဆရာအစည်းအဝေး
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ငွေပေးချေမှုရမည့် Mode ကို configured ကိုမရ။ အကောင့်ငွေပေးချေ၏ Mode ကိုအပေါ်သို့မဟုတ် POS Profile ကိုအပေါ်သတ်မှတ်ပြီးပါပြီဖြစ်စေ, စစ်ဆေးပါ။"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ငွေပေးချေမှုရမည့် Mode ကို configured ကိုမရ။ အကောင့်ငွေပေးချေ၏ Mode ကိုအပေါ်သို့မဟုတ် POS Profile ကိုအပေါ်သတ်မှတ်ပြီးပါပြီဖြစ်စေ, စစ်ဆေးပါ။"
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ရနိုင်မှာမဟုတ်ဘူး။
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",နောက်ထပ်အကောင့်အဖွဲ့များအောက်မှာလုပ်နိုင်ပေမယ့် entries တွေကို Non-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ်
 DocType: Lead,Lead,ခဲ
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth တိုကင်
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,စတော့အိတ် Entry &#39;{0} ကဖန်တီး
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,သငျသညျကိုရှေးနှုတျမှ enought သစ္စာရှိမှုအမှတ်ရှိသည်မဟုတ်ကြဘူး
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,row # {0}: ငြင်းပယ် Qty ဝယ်ယူခြင်းသို့ပြန်သွားသည်ဝင်မသတ်နိုင်
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},{1} ကုမ္ပဏီဆန့်ကျင် {0} အခွန်နှိမ်အမျိုးအစားအတွက်ဆက်စပ်အကောင့်ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,row # {0}: ငြင်းပယ် Qty ဝယ်ယူခြင်းသို့ပြန်သွားသည်ဝင်မသတ်နိုင်
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,ရွေးချယ်ထားသောဖောက်သည်များအတွက်ဖောက်သည်အုပ်စုပြောင်းခြင်းခွင့်ပြုမထားပေ။
 ,Purchase Order Items To Be Billed,ကြေညာတဲ့ခံရဖို့အမိန့်ပစ္စည်းများဝယ်ယူရန်
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,ခန့်မှန်းဆိုက်ရောက်အချိန်များကိုအသစ်ပြောင်းခြင်း။
 DocType: Program Enrollment Tool,Enrollment Details,ကျောင်းအပ်အသေးစိတ်
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,ကုမ္ပဏီအဘို့အမျိုးစုံ Item Defaults ကိုမသတ်မှတ်နိုင်ပါ။
 DocType: Purchase Invoice Item,Net Rate,Net က Rate
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,ဖောက်သည်တစ်ဦးကို select ပေးပါ
 DocType: Leave Policy,Leave Allocations,ခွဲဝေ Leave
@@ -1852,7 +1868,7 @@
 DocType: Loan Application,Repayment Info,ပြန်ဆပ်အင်ဖို
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;&#39; Entries &#39;လွတ်နေတဲ့မဖွစျနိုငျ
 DocType: Maintenance Team Member,Maintenance Role,ကို Maintenance အခန်းက္ပ
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},{1} တူညီနှင့်အတူအတန်း {0} Duplicate
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},{1} တူညီနှင့်အတူအတန်း {0} Duplicate
 DocType: Marketplace Settings,Disable Marketplace,Marketplace disable
 ,Trial Balance,ရုံးတင်စစ်ဆေး Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} မတွေ့ရှိ
@@ -1863,9 +1879,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,subscription က Settings
 DocType: Purchase Invoice,Update Auto Repeat Reference,အော်တိုထပ်ခါတလဲလဲရည်ညွှန်းဒိတ်လုပ်ပါ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},ခွင့်ကာလ {0} ဘို့မသတ်မှတ် optional အားလပ်ရက်များစာရင်း
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},ခွင့်ကာလ {0} ဘို့မသတ်မှတ် optional အားလပ်ရက်များစာရင်း
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,သုတေသန
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,2 နေရပ်လိပ်စာမှ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,2 နေရပ်လိပ်စာမှ
 DocType: Maintenance Visit Purpose,Work Done,အလုပ် Done
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,ထို Attribute တွေက table ထဲမှာအနည်းဆုံးတစ်ခု attribute ကို specify ကျေးဇူးပြု.
 DocType: Announcement,All Students,အားလုံးကျောင်းသားများ
@@ -1875,16 +1891,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,ပြန်. အရောင်းအဝယ်
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,အစောဆုံး
 DocType: Crop Cycle,Linked Location,လင့်ခ်လုပ်ထားသောတည်နေရာ
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","တစ်ဦး Item Group မှအမည်တူနှင့်အတူရှိနေတယ်, ပစ္စည်းအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းအုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","တစ်ဦး Item Group မှအမည်တူနှင့်အတူရှိနေတယ်, ပစ္စည်းအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းအုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ"
 DocType: Crop Cycle,Less than a year,တစ်နှစ်ထက်လျော့နည်း
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ကျောင်းသားသမဂ္ဂမိုဘိုင်းအမှတ်
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,ကမ္ဘာ့အရာကြွင်းလေ
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,ကမ္ဘာ့အရာကြွင်းလေ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,အဆိုပါ Item {0} Batch ရှိသည်မဟုတ်နိုင်
 DocType: Crop,Yield UOM,အထွက်နှုန်း UOM
 ,Budget Variance Report,ဘဏ္ဍာငွေအရအသုံးကှဲလှဲအစီရင်ခံစာ
 DocType: Salary Slip,Gross Pay,gross Pay ကို
 DocType: Item,Is Item from Hub,Hub ကနေပစ္စည်းဖြစ်ပါသည်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,ကျန်းမာရေးစောင့်ရှောက်မှုန်ဆောင်မှုများအနေဖြင့်ပစ္စည်းများ Get
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,ကျန်းမာရေးစောင့်ရှောက်မှုန်ဆောင်မှုများအနေဖြင့်ပစ္စည်းများ Get
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,အတန်း {0}: Activity ကိုအမျိုးအစားမဖြစ်မနေဖြစ်ပါတယ်။
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Paid အမြတ်ဝေစု
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,လယ်ဂျာစာရင်းကိုင်
@@ -1899,6 +1915,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,ငွေပေးချေမှုရမည့် Mode ကို
 DocType: Purchase Invoice,Supplied Items,ထောက်ပံ့ရေးပစ္စည်းများ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},စားသောက်ဆိုင် {0} တစ်ခုတက်ကြွ menu ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,ကော်မရှင်နှုန်း%
 DocType: Work Order,Qty To Manufacture,ထုတ်လုပ်ခြင်းရန် Qty
 DocType: Email Digest,New Income,နယူးဝင်ငွေခွန်
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,ဝယ်ယူသံသရာတလျှောက်လုံးအတူတူနှုန်းကထိန်းသိမ်းနည်း
@@ -1913,12 +1930,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},အတန်း {0} အတွက် Item များအတွက်လိုအပ်သောအဘိုးပြတ်နှုန်း
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard လုပ်ဆောင်ချက်များ
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,ဥပမာ: ကွန်ပျူတာသိပ္ပံအတွက်မာစတာ
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},ပေးသွင်း {0} {1} အတွက်မတွေ့ရှိ
 DocType: Purchase Invoice,Rejected Warehouse,ပယ်ချဂိုဒေါင်
 DocType: GL Entry,Against Voucher,ဘောက်ချာဆန့်ကျင်
 DocType: Item Default,Default Buying Cost Center,default ဝယ်ယူကုန်ကျစရိတ် Center က
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext ထဲကအကောင်းဆုံးကိုရဖို့ရန်, အကြှနျုပျတို့သညျအခြို့သောအချိန်ယူနှင့်ဤအကူအညီဗီဒီယိုများစောင့်ကြည့်ဖို့အကြံပြုလိုပါတယ်။"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),ပုံမှန်ပေးသွင်း (ရွေးချယ်နိုင်)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ရန်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),ပုံမှန်ပေးသွင်း (ရွေးချယ်နိုင်)
 DocType: Supplier Quotation Item,Lead Time in days,လက်ထက်ကာလ၌အချိန်ကိုဦးဆောင်
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Accounts ကိုပေးဆောင်အကျဉ်းချုပ်
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},အေးခဲအကောင့် {0} တည်းဖြတ်ခွင့်ပြုချက်မရ
@@ -1927,7 +1944,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,ကိုးကားချက်များအသစ်တောင်းဆိုမှုအဘို့သတိပေး
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,အရစ်ကျအမိန့်သင်သည်သင်၏ဝယ်ယူမှုအပေါ်စီစဉ်ထားခြင်းနှင့်ဖွင့်အတိုင်းလိုက်နာကူညီ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab ကစမ်းသပ်ဆေးညွှန်း
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",စုစုပေါင်းစာစောင် / လွှဲပြောင်းအရေအတွက် {0} ပစ္စည်းတောင်းဆိုမှုအတွက် {1} \ မေတ္တာရပ်ခံအရေအတွက် {2} Item {3} သည်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,သေးငယ်သော
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Shopify အမိန့်အတွက်ဖောက်သည်တစ်ဦးပါဝင်သည်မဟုတ်လျှင်, အမိန့်ပြိုင်တူချိန်ကိုက်နေချိန်မှာစနစ်အမိန့်များအတွက် default အနေနဲ့ဖောက်သည်စဉ်းစားမည်"
@@ -1939,6 +1956,7 @@
 DocType: Project,% Completed,% ပြီးစီး
 ,Invoiced Amount (Exculsive Tax),Invoiced ငွေပမာဏ (Exculsive ခွန်)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,item 2
+DocType: QuickBooks Migrator,Authorization Endpoint,authorization ဆုံးမှတ်
 DocType: Travel Request,International,အပြည်ပြည်ဆိုင်ရာ
 DocType: Training Event,Training Event,လေ့ကျင့်ရေးပွဲ
 DocType: Item,Auto re-order,မော်တော်ကားပြန်လည်အမိန့်
@@ -1947,24 +1965,24 @@
 DocType: Contract,Contract,စာချုပ်
 DocType: Plant Analysis,Laboratory Testing Datetime,ဓာတ်ခွဲခန်းစမ်းသပ်ခြင်း DATETIME
 DocType: Email Digest,Add Quote,Quote Add
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM လိုအပ် UOM ဖုံးလွှမ်းအချက်: Item အတွက် {0}: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM လိုအပ် UOM ဖုံးလွှမ်းအချက်: Item အတွက် {0}: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,သွယ်ဝိုက်ကုန်ကျစရိတ်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,row {0}: Qty မသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,row {0}: Qty မသင်မနေရ
 DocType: Agriculture Analysis Criteria,Agriculture,လယ်ယာစိုက်ပျိုးရေး
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,အရောင်းအမိန့် Create
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,ပိုင်ဆိုင်မှုများအတွက်စာရင်းကိုင် Entry &#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,block ငွေတောင်းခံလွှာ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,ပိုင်ဆိုင်မှုများအတွက်စာရင်းကိုင် Entry &#39;
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,block ငွေတောင်းခံလွှာ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Make မှအရေအတွက်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync ကိုမာစတာ Data ကို
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync ကိုမာစတာ Data ကို
 DocType: Asset Repair,Repair Cost,ပြုပြင်ရေးကုန်ကျစရိတ်
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,login ရန်မအောင်မြင်ခဲ့ပါ
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,ပိုင်ဆိုင်မှု {0} created
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,ပိုင်ဆိုင်မှု {0} created
 DocType: Special Test Items,Special Test Items,အထူးစမ်းသပ်ပစ္စည်းများ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,သငျသညျ Marketplace တွင်မှတ်ပုံတင်ရန် System ကိုမန်နေဂျာနှင့် Item Manager ကိုအခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူတစ်ဦးဖြစ်ဖို့လိုအပ်ပါတယ်။
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,ငွေပေးချေမှုရမည့်၏ Mode ကို
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,သင့်ရဲ့တာဝန်ပေးလစာဖွဲ့စည်းပုံနှုန်းသကဲ့သို့သင်တို့အကျိုးခံစားခွင့်များအတွက်လျှောက်ထားလို့မရပါဘူး
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,website က Image ကိုအများသုံးတဲ့ဖိုင်သို့မဟုတ် website ကို URL ကိုဖြစ်သင့်
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,website က Image ကိုအများသုံးတဲ့ဖိုင်သို့မဟုတ် website ကို URL ကိုဖြစ်သင့်
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,ဒါကအမြစ်ကို item အဖွဲ့နှင့်တည်းဖြတ်မရနိုင်ပါ။
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,အဖှဲ့ပေါငျး
@@ -1973,7 +1991,8 @@
 DocType: Warehouse,Warehouse Contact Info,ဂိုဒေါင် Contact Info
 DocType: Payment Entry,Write Off Difference Amount,Difference ငွေပမာဏဟာ Off ရေးထား
 DocType: Volunteer,Volunteer Name,စေတနာ့ဝန်ထမ်းအမည်
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: ဤအရပ်အီးမေးလ်ပို့မပို့နိုင်မတွေ့ရှိထမ်းအီးမေးလ်,"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},အခြားအတနျးထဲမှာထပ်နေမှုများကြောင့်ရက်စွဲများနှင့်အတူတန်းစီတွေ့ရှိခဲ့သည်: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: ဤအရပ်အီးမေးလ်ပို့မပို့နိုင်မတွေ့ရှိထမ်းအီးမေးလ်,"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},ပေးထားသည့်ရက်စွဲ {1} အပေါ်ထမ်း {0} ဘို့တာဝန်ပေးအပ်ခြင်းမရှိပါလစာဖွဲ့စည်းပုံ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},တိုင်းပြည် {0} များအတွက်သက်ဆိုင်မဟုတ် shipping အုပ်ချုပ်မှုကို
 DocType: Item,Foreign Trade Details,နိုင်ငံခြားကုန်သွယ်မှုဘဏ်အသေးစိတ်
@@ -1981,17 +2000,17 @@
 DocType: Email Digest,Annual Income,နှစ်စဉ်ဝင်ငွေ
 DocType: Serial No,Serial No Details,serial No အသေးစိတ်ကို
 DocType: Purchase Invoice Item,Item Tax Rate,item အခွန်နှုန်း
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,ပါတီအမည်ကနေ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,ပါတီအမည်ကနေ
 DocType: Student Group Student,Group Roll Number,Group မှ Roll နံပါတ်
 DocType: Student Group Student,Group Roll Number,Group မှ Roll နံပါတ်
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0} သည်ကိုသာအကြွေးအကောင့်အသစ်များ၏အခြား debit entry ကိုဆန့်ကျင်နှင့်ဆက်စပ်နိုင်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Delivery မှတ်ချက် {0} တင်သွင်းသည်မဟုတ်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Delivery မှတ်ချက် {0} တင်သွင်းသည်မဟုတ်
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,item {0} တစ် Sub-စာချုပ်ချုပ်ဆို Item ဖြစ်ရမည်
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,မြို့တော်ပစ္စည်းများ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","စျေးနှုန်း Rule ပထမဦးဆုံး Item, Item အုပ်စုသို့မဟုတ်အမှတ်တံဆိပ်ဖြစ်နိုငျသောလယ်ပြင်၌, &#39;&#39; တွင် Apply &#39;&#39; အပေါ်အခြေခံပြီးရွေးချယ်ထားဖြစ်ပါတယ်။"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,ပထမဦးဆုံးပစ္စည်း Code ကိုသတ်မှတ်ပေးပါ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,အရောင်းအဖွဲ့မှာသည်စုစုပေါင်းခွဲဝေရာခိုင်နှုန်းက 100 ဖြစ်သင့်
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,အရောင်းအဖွဲ့မှာသည်စုစုပေါင်းခွဲဝေရာခိုင်နှုန်းက 100 ဖြစ်သင့်
 DocType: Subscription Plan,Billing Interval Count,ငွေတောင်းခံလွှာပေါ်ရှိ Interval သည်အရေအတွက်
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,ချိန်းနှင့်လူနာတှေ့ဆုံ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,value ကိုပျောက်ဆုံး
@@ -2005,6 +2024,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,ပုံနှိပ်ပါ Format ကို Create
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,အခကြေးငွေ Created
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},{0} ဟုခေါ်တွင်မည်သည့်ပစ္စည်းကိုမတှေ့
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,items Filter ကို
 DocType: Supplier Scorecard Criteria,Criteria Formula,လိုအပ်ချက်ဖော်မြူလာ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,စုစုပေါင်းအထွက်
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",သာ &quot;To Value တစ်ခု&quot; ကို 0 င်သို့မဟုတ်ကွက်လပ်တန်ဖိုးကိုနှင့်တသားတ Shipping Rule အခြေအနေမရှိနိုငျ
@@ -2013,14 +2033,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","တစ်ဦးကို item {0} အဘို့, အရေအတွက်အပြုသဘောအရေအတွက်ကိုဖြစ်ရမည်"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,မှတ်ချက်: ဤကုန်ကျစရိတ် Center ကတစ်ဦးအုပ်စုဖြစ်ပါတယ်။ အုပ်စုများဆန့်ကျင်စာရင်းကိုင် entries တွေကိုလုပ်မရပါ။
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,ခိုင်လုံသောအားလပ်ရက်များတွင်အစားထိုးခွင့်တောင်းဆိုမှုကိုရက်ပေါင်းမဟုတ်
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,ကလေးဂိုဒေါင်ဒီဂိုဒေါင်အဘို့အရှိနေပြီ။ သင်ဤဂိုဒေါင်မဖျက်နိုင်ပါ။
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ကလေးဂိုဒေါင်ဒီဂိုဒေါင်အဘို့အရှိနေပြီ။ သင်ဤဂိုဒေါင်မဖျက်နိုင်ပါ။
 DocType: Item,Website Item Groups,website Item အဖွဲ့များ
 DocType: Purchase Invoice,Total (Company Currency),စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်)
 DocType: Daily Work Summary Group,Reminder,သတိပေးချက်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,access Value ကို
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,access Value ကို
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,serial number ကို {0} တစ်ကြိမ်ထက်ပိုပြီးဝသို့ဝင်
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,ဂျာနယ် Entry &#39;
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN ထံမှ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN ထံမှ
 DocType: Expense Claim Advance,Unclaimed amount,ပိုင်ရှင်မပေါ်သောသွင်းငွေပမာဏ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,တိုးတက်မှုအတွက် {0} ပစ္စည်းများ
 DocType: Workstation,Workstation Name,Workstation နှင့်အမည်
@@ -2028,7 +2048,7 @@
 DocType: POS Item Group,POS Item Group,POS ပစ္စည်းအုပ်စု
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,အီးမေးလ် Digest မဂ္ဂဇင်း:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,အခြားရွေးချယ်စရာကို item ကို item code ကိုအဖြစ်အတူတူပင်ဖြစ်မနေရပါ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} Item မှ {1} ပိုင်ပါဘူး
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} Item မှ {1} ပိုင်ပါဘူး
 DocType: Sales Partner,Target Distribution,Target ကဖြန့်ဖြူး
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,ယာယီအကဲဖြတ်၏ 06-Final
 DocType: Salary Slip,Bank Account No.,ဘဏ်မှအကောင့်အမှတ်
@@ -2037,7 +2057,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","variable တွေကိုသုံးနိုင်တယ် Scorecard အဖြစ်: {total_score} (စေသည်ကာလများမှစုစုပေါင်းရမှတ်), {period_number} (နေ့ကတင်ဆက်ဖို့ကာလ၏နံပါတ်)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,အားလုံးပြိုကျ
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,အားလုံးပြိုကျ
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,အရစ်ကျမိန့် Create
 DocType: Quality Inspection Reading,Reading 8,8 Reading
 DocType: Inpatient Record,Discharge Note,discharge မှတ်ချက်
@@ -2054,7 +2074,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,အခွင့်ထူးထွက်ခွာ
 DocType: Purchase Invoice,Supplier Invoice Date,ပေးသွင်းပြေစာနေ့စွဲ
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,ဤသည်မှာတန်ဖိုးကိုလိုလားသူ rata temporis တွက်ချက်မှုအသုံးပြုသည်
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,သင်ကစျေးဝယ်ခြင်းတွန်းလှည်း enable ရန်လိုအပ်သည်
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,သင်ကစျေးဝယ်ခြင်းတွန်းလှည်း enable ရန်လိုအပ်သည်
 DocType: Payment Entry,Writeoff,အကြွေးလျှော်ပစ်ခြင်း
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,စီးရီးရှေ့စာလုံးအမည်ဖြင့်သမုတ်
@@ -2069,11 +2089,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,အကြားတွေ့ရှိထပ်အခြေအနေများ:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ဂျာနယ် Entry &#39;{0} ဆန့်ကျင်နေပြီအချို့သောအခြားဘောက်ချာဆန့်ကျင်ညှိယူဖြစ်ပါတယ်
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,စုစုပေါင်းအမိန့် Value တစ်ခု
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,အစာ
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,အစာ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Ageing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,voucher အသေးစိတ်ပိတ်ပွဲ POS
 DocType: Shopify Log,Shopify Log,Shopify Log in ဝင်ရန်
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Setup ကို&gt; Setting&gt; အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု.
 DocType: Inpatient Occupancy,Check In,ရောက်ရှိကြောင်းစာရင်းသွင်းခြင်း
 DocType: Maintenance Schedule Item,No of Visits,လည်ပတ်သူများမရှိပါ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},ကို Maintenance ဇယား {0} {1} ဆန့်ကျင်တည်ရှိ
@@ -2113,6 +2132,7 @@
 DocType: Salary Structure,Max Benefits (Amount),မက်စ်အကျိုးကျေးဇူးများ (ငွေပမာဏ)
 DocType: Purchase Invoice,Contact Person,ဆက်သွယ်ရမည့်သူ
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;&#39; မျှော်မှန်း Start ကိုနေ့စွဲ &#39;&#39; မျှော်မှန်း End Date ကို &#39;&#39; ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,ဤကာလအတွက်ဒေတာအဘယ်သူမျှမ
 DocType: Course Scheduling Tool,Course End Date,သင်တန်းပြီးဆုံးရက်စွဲ
 DocType: Holiday List,Holidays,အားလပ်ရက်
 DocType: Sales Order Item,Planned Quantity,စီစဉ်ထားတဲ့ပမာဏ
@@ -2124,7 +2144,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Fixed Asset အတွက်ပိုက်ကွန်ကိုပြောင်းရန်
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd အရည်အတွက်
 DocType: Leave Control Panel,Leave blank if considered for all designations,အားလုံးပုံစံတခုစဉ်းစားလျှင်အလွတ် Leave
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,&#39;&#39; အမှန်တကယ် &#39;&#39; အမျိုးအစားတာဝန်ခံအတန်းအတွက် {0} Item နှုန်းတွင်ထည့်သွင်းမရနိုင်ပါ
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,&#39;&#39; အမှန်တကယ် &#39;&#39; အမျိုးအစားတာဝန်ခံအတန်းအတွက် {0} Item နှုန်းတွင်ထည့်သွင်းမရနိုင်ပါ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime ကနေ
 DocType: Shopify Settings,For Company,ကုမ္ပဏီ
@@ -2137,9 +2157,9 @@
 DocType: Material Request,Terms and Conditions Content,စည်းကမ်းသတ်မှတ်ချက်များအကြောင်းအရာ
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,သင်တန်းဇယားကိုအမှားအယွင်းများရှိခဲ့သည်
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,အဆိုပါစာရင်းထဲတွင်ပထမဦးဆုံးသုံးစွဲမှုသဘောတူညီချက်ကို default သုံးစွဲမှုသဘောတူညီချက်ပေးအဖြစ်သတ်မှတ်ထားပါလိမ့်မည်။
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 ကိုထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 ကိုထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,သငျသညျ Marketplace တွင်မှတ်ပုံတင်ရန် System ကိုမန်နေဂျာနှင့် Item Manager ကိုအခန်းကဏ္ဍနှင့်အတူအုပ်ချုပ်ရေးမှူးထက်အခြားအသုံးပြုသူတစ်ဦးဖြစ်ဖို့လိုအပ်ပါတယ်။
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,item {0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,item {0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Unscheduled
 DocType: Employee,Owned,ပိုင်ဆိုင်
@@ -2167,7 +2187,7 @@
 DocType: HR Settings,Employee Settings,ဝန်ထမ်း Settings ကို
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Loading ငွေပေးချေစနစ်
 ,Batch-Wise Balance History,batch-ပညာရှိ Balance သမိုင်း
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,အတန်း # {0}: ငွေပမာဏ Item {1} များအတွက်ငွေကောက်ခံငွေပမာဏထက် သာ. ကြီးမြတ်ပါလျှင်နှုန်းမသတ်မှတ်နိုင်ပါ။
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,အတန်း # {0}: ငွေပမာဏ Item {1} များအတွက်ငွေကောက်ခံငွေပမာဏထက် သာ. ကြီးမြတ်ပါလျှင်နှုန်းမသတ်မှတ်နိုင်ပါ။
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,သက်ဆိုင်ရာပုံနှိပ် format နဲ့ updated ပုံနှိပ် settings ကို
 DocType: Package Code,Package Code,package Code ကို
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,အလုပ်သင်သူ
@@ -2175,7 +2195,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,အနုတ်လက္ခဏာပမာဏခွင့်ပြုမထားဘူး
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",အခွန်အသေးစိတ်စားပွဲတစ် string ကို item ကိုမာစတာကနေခေါ်ယူသောအခါနှင့်ဤလယ်ပြင်၌သိုလှောင်ထား။ အခွန်နှင့်စွပ်စွဲချက်အတွက်အသုံးပြု
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,ဝန်ထမ်းကိုယ်တော်တိုင်မှသတင်းပို့လို့မရပါဘူး။
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,ဝန်ထမ်းကိုယ်တော်တိုင်မှသတင်းပို့လို့မရပါဘူး။
 DocType: Leave Type,Max Leaves Allowed,မက်စ်အရွက်ရန်ခွင့်ပြု
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","အကောင့်အေးခဲသည်မှန်လျှင်, entries တွေကိုကန့်သတ်အသုံးပြုသူများမှခွင့်ပြုထားသည်။"
 DocType: Email Digest,Bank Balance,ဘဏ်ကို Balance ကို
@@ -2201,6 +2221,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,ဘဏ်ငွေသွင်းငွေထုတ် Entries
 DocType: Quality Inspection,Readings,ဖတ်
 DocType: Stock Entry,Total Additional Costs,စုစုပေါင်းအထပ်ဆောင်းကုန်ကျစရိတ်
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,ဆက်သွယ်မှုသည်၏အဘယ်သူမျှမ
 DocType: BOM,Scrap Material Cost(Company Currency),အပိုင်းအစပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,sub စညျးဝေး
 DocType: Asset,Asset Name,ပိုင်ဆိုင်မှုအမည်
@@ -2208,10 +2229,10 @@
 DocType: Shipping Rule Condition,To Value,Value တစ်ခုမှ
 DocType: Loyalty Program,Loyalty Program Type,သစ္စာရှိမှုအစီအစဉ်အမျိုးအစား
 DocType: Asset Movement,Stock Manager,စတော့အိတ် Manager က
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},source ဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},source ဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,အတန်းမှာငွေပေးချေ Term {0} ဖြစ်နိုင်သည်တစ်ထပ်ဖြစ်ပါတယ်။
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),စိုက်ပျိုးရေး (beta ကို)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Office ကိုငှား
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Setup ကို SMS ကို gateway ဟာ setting များ
 DocType: Disease,Common Name,လူအသုံးအများဆုံးအမည်
@@ -2243,20 +2264,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,ထမ်းအီးမေးလ်လစာစလစ်ဖြတ်ပိုင်းပုံစံ
 DocType: Cost Center,Parent Cost Center,မိဘကုန်ကျစရိတ် Center က
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်းကို Select လုပ်ပါ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်းကို Select လုပ်ပါ
 DocType: Sales Invoice,Source,အရင်းအမြစ်
 DocType: Customer,"Select, to make the customer searchable with these fields","Select လုပ်ပါ, အဆိုပါနယ်ပယ်နှင့်အတူဖောက်သည်ရှာဖွေအောင်"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,တင်ပို့ခြင်းအပေါ် Shopify မှတင်သွင်းဖြန့်ဝေမှတ်စုများ
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show ကိုပိတ်ထား
 DocType: Leave Type,Is Leave Without Pay,Pay ကိုမရှိရင် Leave ဖြစ်ပါတယ်
-DocType: Lab Test,HLC-LT-.YYYY.-,ဆဆ-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,ပိုင်ဆိုင်မှုအမျိုးအစား Fixed Asset ကို item များအတွက်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,ပိုင်ဆိုင်မှုအမျိုးအစား Fixed Asset ကို item များအတွက်မဖြစ်မနေဖြစ်ပါသည်
 DocType: Fee Validity,Fee Validity,အခကြေးငွေသက်တမ်း
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,ထိုငွေပေးချေမှုရမည့် table ထဲမှာတွေ့ရှိမရှိပါမှတ်တမ်းများ
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},ဒီ {2} {3} ဘို့ {1} နှင့်အတူ {0} ပဋိပက္ခများကို
 DocType: Student Attendance Tool,Students HTML,ကျောင်းသားများက HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","အဆိုပါထမ်း delete ကျေးဇူးပြု. <a href=""#Form/Employee/{0}"">{0}</a> ဤစာရွက်စာတမ်းဖျက်သိမ်းရန် \"
 DocType: POS Profile,Apply Discount,လျှော့ Apply
 DocType: GST HSN Code,GST HSN Code,GST HSN Code ကို
 DocType: Employee External Work History,Total Experience,စုစုပေါင်းအတွေ့အကြုံ
@@ -2279,7 +2297,7 @@
 DocType: Maintenance Schedule,Schedules,အချိန်ဇယားများ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS ကိုယ်ရေးဖိုင် Point-of-Sale သုံးစွဲဖို့လိုအပ်
 DocType: Cashier Closing,Net Amount,Net ကပမာဏ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,လုပ်ဆောင်ချက်ပြီးစီးမရနိုင်ဒါကြောင့် {0} {1} တင်သွင်းရသေး
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,လုပ်ဆောင်ချက်ပြီးစီးမရနိုင်ဒါကြောင့် {0} {1} တင်သွင်းရသေး
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail မရှိပါ
 DocType: Landed Cost Voucher,Additional Charges,အပိုဆောင်းစွပ်စွဲချက်
 DocType: Support Search Source,Result Route Field,ရလဒ်လမ်းကြောင်းဖျော်ဖြေမှု
@@ -2308,11 +2326,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,ဖွင့်လှစ်ငွေတောင်းခံလွှာ
 DocType: Contract,Contract Details,စာချုပ်အသေးစိတ်
 DocType: Employee,Leave Details,အသေးစိတ် Leave
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,န်ထမ်းအခန်းက္ပတင်ထားရန်တစ်ထမ်းစံချိန်အတွက်အသုံးပြုသူ ID လယ်ပြင်၌ထားကြ၏ ကျေးဇူးပြု.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,န်ထမ်းအခန်းက္ပတင်ထားရန်တစ်ထမ်းစံချိန်အတွက်အသုံးပြုသူ ID လယ်ပြင်၌ထားကြ၏ ကျေးဇူးပြု.
 DocType: UOM,UOM Name,UOM အမည်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,1 နေရပ်လိပ်စာမှ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,1 နေရပ်လိပ်စာမှ
 DocType: GST HSN Code,HSN Code,HSN Code ကို
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,contribution ငွေပမာဏ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,contribution ငွေပမာဏ
 DocType: Inpatient Record,Patient Encounter,လူနာတှေ့ဆုံ
 DocType: Purchase Invoice,Shipping Address,ကုန်ပစ္စည်းပို့ဆောင်ရမည့်လိပ်စာ
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ဒီ tool ကိုသင် system ထဲမှာစတော့ရှယ်ယာများအရေအတွက်နှင့်အဘိုးပြတ် update သို့မဟုတ်ပြုပြင်ဖို့ကူညီပေးသည်။ ဒါဟာပုံမှန်အားဖြင့် system ကိုတန်ဖိုးများနှင့်အဘယ်တကယ်တော့သင့်ရဲ့သိုလှောင်ရုံထဲမှာရှိနေပြီတပြိုင်တည်းအသုံးပြုသည်။
@@ -2329,9 +2347,9 @@
 DocType: Travel Itinerary,Mode of Travel,ခရီးသွား၏ Mode ကို
 DocType: Sales Invoice Item,Brand Name,ကုန်အမှတ်တံဆိပ်အမည်
 DocType: Purchase Receipt,Transporter Details,Transporter Details ကို
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,default ဂိုဒေါင်ရွေးချယ်ထားသောအရာအတွက်လိုအပ်သည်
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,default ဂိုဒေါင်ရွေးချယ်ထားသောအရာအတွက်လိုအပ်သည်
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,သေတ္တာ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်း
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်း
 DocType: Budget,Monthly Distribution,လစဉ်ဖြန့်ဖြူး
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,receiver List ကိုအချည်းနှီးပါပဲ။ Receiver များစာရင်းဖန်တီး ကျေးဇူးပြု.
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),ကျန်းမာရေးစောင့်ရှောက်မှု (beta ကို)
@@ -2353,6 +2371,7 @@
 ,Lead Name,ခဲအမည်
 ,POS,POS
 DocType: C-Form,III,III ကို
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,အမြင်
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,စတော့အိတ် Balance ဖွင့်လှစ်
 DocType: Asset Category Account,Capital Work In Progress Account,တိုးတက်မှုအကောင့်ခုနှစ်တွင်မြို့တော်သူ Work
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,ပိုင်ဆိုင်မှုတန်ဖိုးညှိယူ
@@ -2361,7 +2380,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0} သည်အောင်မြင်စွာကျင်းပပြီးစီးခွဲဝေရွက်
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,သိမ်းဆည်းရန်ပစ္စည်းများမရှိပါ
 DocType: Shipping Rule Condition,From Value,Value တစ်ခုကနေ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,ကုန်ထုတ်လုပ်မှုပမာဏမသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,ကုန်ထုတ်လုပ်မှုပမာဏမသင်မနေရ
 DocType: Loan,Repayment Method,ပြန်ဆပ် Method ကို
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","check လုပ်ထားလျှင်, ပင်မစာမျက်နှာဝက်ဘ်ဆိုက်များအတွက် default အနေနဲ့ Item Group မှဖြစ်လိမ့်မည်"
 DocType: Quality Inspection Reading,Reading 4,4 Reading
@@ -2386,7 +2405,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ဝန်ထမ်းလွှဲပြောင်း
 DocType: Student Group,Set 0 for no limit,အဘယ်သူမျှမကန့်သတ်များအတွက် 0 င် Set
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,သငျသညျခွင့်များအတွက်လျှောက်ထားထားတဲ့နေ့ (သို့) အားလပ်ရက်ဖြစ်ကြ၏။ သငျသညျခွင့်လျှောက်ထားစရာမလိုပေ။
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,အတန်း {idx}: {လယ်ကွင်း} ဖွင့် {invoice_type} ငွေတောင်းခံလွှာကိုဖန်တီးရန်လိုအပ်ပါသည်
 DocType: Customer,Primary Address and Contact Detail,မူလတန်းလိပ်စာနှင့်ဆက်သွယ်ရန်အသေးစိတ်
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,ငွေပေးချေမှုရမည့်အီးမေးလ် Resend
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,တဲ့ New task
@@ -2396,8 +2414,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,အနည်းဆုံးဒိုမိန်းရွေးချယ်ပါ။
 DocType: Dependent Task,Dependent Task,မှီခို Task
 DocType: Shopify Settings,Shopify Tax Account,Shopify အခွန်အကောင့်
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},တိုင်း၏ default အနေနဲ့ယူနစ်သည်ကူးပြောင်းခြင်းအချက်အတန်းအတွက် 1 {0} ဖြစ်ရမည်
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},{0} တော့ဘူး {1} ထက်မဖွစျနိုငျအမျိုးအစား Leave
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},တိုင်း၏ default အနေနဲ့ယူနစ်သည်ကူးပြောင်းခြင်းအချက်အတန်းအတွက် 1 {0} ဖြစ်ရမည်
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},{0} တော့ဘူး {1} ထက်မဖွစျနိုငျအမျိုးအစား Leave
 DocType: Delivery Trip,Optimize Route,လမ်းကြောင်းပိုကောင်းအောင်
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,ကြိုတင်မဲအတွက် X ကိုနေ့ရက်ကာလအဘို့စစ်ဆင်ရေးစီစဉ်ကြိုးစားပါ။
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2406,14 +2424,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},ကုမ္ပဏီ {0} အတွက်ပုံမှန်လစာပေးချေအကောင့်ကိုသတ်မှတ်ပေးပါ
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,အမေဇုံတို့ကအခွန်နဲ့စွဲချက်အချက်အလက်များ၏ဘဏ္ဍာရေးအဖွဲ့ဟာ Get
 DocType: SMS Center,Receiver List,receiver များစာရင်း
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,ရှာရန် Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,ရှာရန် Item
 DocType: Payment Schedule,Payment Amount,ငွေပေးချေမှုရမည့်ငွေပမာဏ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,ဝက်နေ့နေ့စွဲနေ့စွဲ မှစ. လုပ်ငန်းခွင်နှင့်လုပ်ငန်းပြီးဆုံးရက်စွဲအကြား၌ဖြစ်သင့်ပါတယ်
 DocType: Healthcare Settings,Healthcare Service Items,ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုပစ္စည်းများ
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,စားသုံးသည့်ပမာဏ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,ငွေအတွက်ပိုက်ကွန်ကိုပြောင်းရန်
 DocType: Assessment Plan,Grading Scale,grade စကေး
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,တိုင်း {0} ၏ယူနစ်တခါကူးပြောင်းခြင်း Factor ဇယားအတွက်ထက်ပိုပြီးဝသို့ဝင်ခဲ့သည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,တိုင်း {0} ၏ယူနစ်တခါကူးပြောင်းခြင်း Factor ဇယားအတွက်ထက်ပိုပြီးဝသို့ဝင်ခဲ့သည်
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ယခုပင်လျှင်ပြီးစီး
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,လက်ခုနှစ်တွင်စတော့အိတ်
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2436,25 +2454,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,serial No {0} အရေအတွက် {1} တဲ့အစိတ်အပိုင်းမဖွစျနိုငျ
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Woocommerce ဆာဗာ URL ရိုက်ထည့်ပေးပါ
 DocType: Purchase Order Item,Supplier Part Number,ပေးသွင်းအပိုင်းနံပါတ်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,ကူးပြောင်းခြင်းနှုန်းက 0 င်သို့မဟုတ် 1 မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,ကူးပြောင်းခြင်းနှုန်းက 0 င်သို့မဟုတ် 1 မဖွစျနိုငျ
 DocType: Share Balance,To No,အဘယ်သူမျှမမှ
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ဝန်ထမ်းဖန်တီးမှုအားလုံးကိုမဖြစ်မနေ Task ကိုသေးအမှုကိုပြုနိုင်ခြင်းမရှိသေးပေ။
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ကိုဖျက်သိမ်းသို့မဟုတ်ရပ်တန့်နေသည်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ကိုဖျက်သိမ်းသို့မဟုတ်ရပ်တန့်နေသည်
 DocType: Accounts Settings,Credit Controller,ခရက်ဒစ် Controller
 DocType: Loan,Applicant Type,လျှောက်ထားသူအမျိုးအစား
 DocType: Purchase Invoice,03-Deficiency in services,န်ဆောင်မှုအတွက် 03-Deficiency
 DocType: Healthcare Settings,Default Medical Code Standard,default ဆေးဘက်ဆိုင်ရာကျင့်ထုံးစံ
 DocType: Purchase Invoice Item,HSN/SAC,HSN / sac
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,ဝယ်ယူခြင်း Receipt {0} တင်သွင်းသည်မဟုတ်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,ဝယ်ယူခြင်း Receipt {0} တင်သွင်းသည်မဟုတ်
 DocType: Company,Default Payable Account,default ပေးဆောင်အကောင့်
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ထိုကဲ့သို့သောစသည်တို့ရေကြောင်းစည်းမျဉ်းစည်းကမ်းများ, စျေးနှုန်းစာရင်းအဖြစ်အွန်လိုင်းစျေးဝယ်လှည်းသည် Settings ကို"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-မစမီ-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,ကြေညာတဲ့ {0}%
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserved Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserved Qty
 DocType: Party Account,Party Account,ပါတီအကောင့်
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,ကုမ္ပဏီနှင့်ဒီဇိုင်းကိုရွေးချယ်ပါ ကျေးဇူးပြု.
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,လူ့အင်အားအရင်းအမြစ်
-DocType: Lead,Upper Income,အထက်ဝင်ငွေခွန်
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,အထက်ဝင်ငွေခွန်
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,ပယ်ချ
 DocType: Journal Entry Account,Debit in Company Currency,Company မှငွေကြေးစနစ်အတွက် debit
 DocType: BOM Item,BOM Item,BOM Item
@@ -2471,7 +2489,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",ပြီးသား \ ကိုဖွင့်သို့မဟုတ် Staffing အစီအစဉ် {1} နှုန်းအဖြစ်ပြီးစီးခဲ့ငှားရမ်းသတ်မှတ်ရေး {0} များအတွက်အလုပ်အကိုင်နေရာလစ်လပ်
 DocType: Vital Signs,Constipated,ဝမ်းချုပ်ခြင်း
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},ပေးသွင်းပြေစာ {0} ဆန့်ကျင် {1} ရက်စွဲပါ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},ပေးသွင်းပြေစာ {0} ဆန့်ကျင် {1} ရက်စွဲပါ
 DocType: Customer,Default Price List,default စျေးနှုန်းများစာရင်း
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,ပိုင်ဆိုင်မှုလပ်ြရြားမြစံချိန် {0} ကဖန်တီး
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,ပစ္စည်းများကိုမျှမတွေ့ပါ။
@@ -2487,17 +2505,18 @@
 DocType: Journal Entry,Entry Type,entry Type အမျိုးအစား
 ,Customer Credit Balance,customer Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,ပေးဆောင်ရမည့်ငွေစာရင်းထဲမှာပိုက်ကွန်ကိုပြောင်းရန်
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),အကြွေးကန့်သတ်ဖောက်သည် {0} ({1} / {2}) များအတွက်ဖြတ်ကျော်ခဲ့ပြီး
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Setup ကို&gt; Setting&gt; အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),အကြွေးကန့်သတ်ဖောက်သည် {0} ({1} / {2}) များအတွက်ဖြတ်ကျော်ခဲ့ပြီး
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&#39;&#39; Customerwise လျှော့ &#39;&#39; လိုအပ် customer
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,ဂျာနယ်များနှင့်အတူဘဏ်ငွေပေးချေမှုရက်စွဲများ Update ။
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,စျေးနှုန်း
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,စျေးနှုန်း
 DocType: Quotation,Term Details,သက်တမ်းအသေးစိတ်ကို
 DocType: Employee Incentive,Employee Incentive,ဝန်ထမ်းယ့
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ဒီကျောင်းသားအုပ်စုအတွက် {0} ကျောင်းသားများကိုထက်ပိုစာရင်းသွင်းလို့မရပါ။
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),(အခွန်မပါ) စုစုပေါင်း
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ခဲအရေအတွက်
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ခဲအရေအတွက်
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,ရရှိနိုင်သောစတော့အိတ်
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,ရရှိနိုင်သောစတော့အိတ်
 DocType: Manufacturing Settings,Capacity Planning For (Days),(Days) သည်စွမ်းဆောင်ရည်စီမံကိန်း
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,ဝယ်ယူရေး
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,ထိုပစ္စည်းများကိုအဘယ်သူအားမျှအရေအတွက်သို့မဟုတ်တန်ဖိုးကိုအတွက်မည်သည့်အပြောင်းအလဲရှိသည်။
@@ -2522,7 +2541,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Leave နှင့်တက်ရောက်
 DocType: Asset,Comprehensive Insurance,ဘက်စုံအာမခံ
 DocType: Maintenance Visit,Partially Completed,တစ်စိတ်တစ်ပိုင်း Completed
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},သစ္စာရှိမှု Point သို့: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},သစ္စာရှိမှု Point သို့: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,ခဲ Add
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,အလယ်အလတ်အာရုံ
 DocType: Leave Type,Include holidays within leaves as leaves,အရွက်အဖြစ်အရွက်အတွင်းအားလပ်ရက် Include
 DocType: Loyalty Program,Redemption,ရွေးနှုတ်
@@ -2556,7 +2576,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,marketing အသုံးစရိတ်များ
 ,Item Shortage Report,item ပြတ်လပ်အစီရင်ခံစာ
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,စံသတ်မှတ်ချက်ကိုမဖန်တီးနိုင်။ အဆိုပါသတ်မှတ်ချက်ကိုအမည်ပြောင်း ကျေးဇူးပြု.
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","အလေးချိန်ဖော်ပြခဲ့သောဖြစ်ပါတယ်, \ nPlease လွန်း &quot;အလေးချိန် UOM&quot; ဖော်ပြထားခြင်း"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","အလေးချိန်ဖော်ပြခဲ့သောဖြစ်ပါတယ်, \ nPlease လွန်း &quot;အလေးချိန် UOM&quot; ဖော်ပြထားခြင်း"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ဒီစတော့အိတ် Entry &#39;ပါစေရန်အသုံးပြုပစ္စည်းတောင်းဆိုခြင်း
 DocType: Hub User,Hub Password,hub Password ကို
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,တိုင်းအသုတ်လိုက်အဘို့အုပ်စုအခြေစိုက်သီးခြားသင်တန်း
@@ -2571,15 +2591,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),ခန့်အပ်တာဝန်ပေးခြင်း Duration: (မိနစ်)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ကျွန်တော်စတော့အိတ်လပ်ြရြားမြသည်စာရင်းကိုင် Entry &#39;ပါစေ
 DocType: Leave Allocation,Total Leaves Allocated,ခွဲဝေစုစုပေါင်းရွက်
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,မမှန်ကန်ဘဏ္ဍာရေးတစ်နှစ်တာ Start ကိုနဲ့ End သက်ကရာဇျမဝင်ရ ကျေးဇူးပြု.
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,မမှန်ကန်ဘဏ္ဍာရေးတစ်နှစ်တာ Start ကိုနဲ့ End သက်ကရာဇျမဝင်ရ ကျေးဇူးပြု.
 DocType: Employee,Date Of Retirement,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲ
 DocType: Upload Attendance,Get Template,Template: Get
+,Sales Person Commission Summary,အရောင်းပုဂ္ဂိုလ်ကော်မရှင်အကျဉ်းချုပ်
 DocType: Additional Salary Component,Additional Salary Component,အပိုဆောင်းလစာစိတျအပိုငျး
 DocType: Material Request,Transferred,လွှဲပြောင်း
 DocType: Vehicle,Doors,တံခါးပေါက်
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,အပြီးအစီး ERPNext Setup ကို!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,အပြီးအစီး ERPNext Setup ကို!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,လူနာမှတ်ပုံတင်ခြင်းအဘို့အကြေးစုဆောင်း
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,စတော့ရှယ်ယာငွေပေးငွေယူပြီးနောက် Attribute တွေကမပြောင်းနိုင်ပါ။ သစ်တစ်ခုအရာဝတ္ထု Make နှင့်အသစ်သောအရာဝတ္ထုမှစတော့ရှယ်ယာလွှဲပြောင်း
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,စတော့ရှယ်ယာငွေပေးငွေယူပြီးနောက် Attribute တွေကမပြောင်းနိုင်ပါ။ သစ်တစ်ခုအရာဝတ္ထု Make နှင့်အသစ်သောအရာဝတ္ထုမှစတော့ရှယ်ယာလွှဲပြောင်း
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,အခွန်အဖွဲ့ဟာ
 DocType: Employee,Joining Details,အသေးစိတ်ပူးပေါင်း
@@ -2607,14 +2628,15 @@
 DocType: Lead,Next Contact By,Next ကိုဆက်သွယ်ရန်အားဖြင့်
 DocType: Compensatory Leave Request,Compensatory Leave Request,အစားထိုးခွင့်တောင်းဆိုခြင်း
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},အတန်းအတွက် Item {0} သည်လိုအပ်သောအရေအတွက် {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},အရေအတွက် Item {1} သည်တည်ရှိအဖြစ်ဂိုဒေါင် {0} ဖျက်ပြီးမရနိုင်ပါ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},အရေအတွက် Item {1} သည်တည်ရှိအဖြစ်ဂိုဒေါင် {0} ဖျက်ပြီးမရနိုင်ပါ
 DocType: Blanket Order,Order Type,အမိန့် Type
 ,Item-wise Sales Register,item-ပညာရှိသအရောင်းမှတ်ပုံတင်မည်
 DocType: Asset,Gross Purchase Amount,စုစုပေါင်းအရစ်ကျငွေပမာဏ
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ဖွင့်လှစ် balance
 DocType: Asset,Depreciation Method,တန်ဖိုး Method ကို
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,အခြေခံပညာနှုန်းတွင်ထည့်သွင်းဒီအခွန်ဖြစ်သနည်း
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,စုစုပေါင်း Target က
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,စုစုပေါင်း Target က
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,အမြင်အားသုံးသပ်ခြင်း
 DocType: Soil Texture,Sand Composition (%),သဲရေးစပ်သီကုံး (%)
 DocType: Job Applicant,Applicant for a Job,တစ်ဦးယောဘသည်လျှောက်ထားသူ
 DocType: Production Plan Material Request,Production Plan Material Request,ထုတ်လုပ်မှုစီမံကိန်းပစ္စည်းတောင်းဆိုခြင်း
@@ -2630,23 +2652,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),(10 ထဲက) အကဲဖြတ်မာကု
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 မိုဘိုင်းဘယ်သူမျှမက
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,အဓိက
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,အောက်ပါအကြောင်းအရာသည် {0} {1} ကို item အဖြစ်မှတ်သားခြင်းမရှိပါ။ သငျသညျက၎င်း၏ Item မာစတာထံမှ {1} ကို item အဖြစ်သူတို့ကိုဖွင့်နိုင်ပါသည်
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,မူကွဲ
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","တစ်ဦးကို item {0} အဘို့, အရေအတွက်အနုတ်လက္ခဏာအရေအတွက်ကိုဖြစ်ရမည်"
 DocType: Naming Series,Set prefix for numbering series on your transactions,သင့်ရဲ့ငွေကြေးလွှဲပြောင်းအပေါ်စီးရီးဦးရေသည်ရှေ့ဆက် Set
 DocType: Employee Attendance Tool,Employees HTML,ဝန်ထမ်းများ HTML ကို
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,default BOM ({0}) ဒီအချက်ကိုသို့မဟုတ်ယင်း၏ template ကိုသည်တက်ကြွသောဖြစ်ရမည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,default BOM ({0}) ဒီအချက်ကိုသို့မဟုတ်ယင်း၏ template ကိုသည်တက်ကြွသောဖြစ်ရမည်
 DocType: Employee,Leave Encashed?,Encashed Leave?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,လယ်ပြင်၌ မှစ. အခွင့်အလမ်းမသင်မနေရ
 DocType: Email Digest,Annual Expenses,နှစ်ပတ်လည်ကုန်ကျစရိတ်
 DocType: Item,Variants,မျိုးကွဲ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,ဝယ်ယူခြင်းအမိန့်လုပ်ပါ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,ဝယ်ယူခြင်းအမိန့်လုပ်ပါ
 DocType: SMS Center,Send To,ရန် Send
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},ထွက်ခွာ Type {0} လုံလောက်ခွင့်ချိန်ခွင်မရှိ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},ထွက်ခွာ Type {0} လုံလောက်ခွင့်ချိန်ခွင်မရှိ
 DocType: Payment Reconciliation Payment,Allocated amount,ခွဲဝေပမာဏ
 DocType: Sales Team,Contribution to Net Total,Net ကစုစုပေါင်းမှ contribution
 DocType: Sales Invoice Item,Customer's Item Code,customer ရဲ့ Item Code ကို
 DocType: Stock Reconciliation,Stock Reconciliation,စတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေး
 DocType: Territory,Territory Name,နယ်မြေတွေကိုအမည်
+DocType: Email Digest,Purchase Orders to Receive,လက်ခံမှအမိန့်ဝယ်ယူရန်
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,အလုပ်-In-တိုးတက်ရေးပါတီဂိုဒေါင်ခင် Submit လိုအပ်သည်
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,သင်သာတစ်ဦး Subscription အတွက်တူညီတဲ့ငွေတောင်းခံသံသရာနှင့်အတူစီစဉ်ရှိနိုင်ပါသည်
 DocType: Bank Statement Transaction Settings Item,Mapped Data,မြေပုံနှင့်ညှိထားသောဒေတာများ
@@ -2665,9 +2689,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Serial No Item {0} သည်သို့ဝင် Duplicate
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,track ခဲရင်းမြစ်များကပို့ဆောင်။
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,တစ် Shipping Rule များအတွက်အခြေအနေ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,ကျေးဇူးပြု. ထည့်သွင်းပါ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,ကျေးဇူးပြု. ထည့်သွင်းပါ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,ကို Maintenance Log in ဝင်ရန်
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,ပစ္စည်းသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,ပစ္စည်းသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ဒီအထုပ်၏ကျော့ကွင်းကိုအလေးချိန်။ (ပစ္စည်းပိုက်ကွန်ကိုအလေးချိန်၏အချုပ်အခြာအဖြစ်ကိုအလိုအလျောက်တွက်ချက်)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,အင်တာမီလန်ကုမ္ပဏီဂျာနယ် Entry &#39;Make
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,လျှော့စျေးပမာဏကို 100% ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
@@ -2676,15 +2700,15 @@
 DocType: Sales Order,To Deliver and Bill,လှတျတျောမူနှင့်ဘီလ်မှ
 DocType: Student Group,Instructors,နည်းပြဆရာ
 DocType: GL Entry,Credit Amount in Account Currency,အကောင့်ကိုငွေကြေးစနစ်အတွက်အကြွေးပမာဏ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} တင်သွင်းရမည်
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,ဝေမျှမယ်စီမံခန့်ခွဲမှု
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} တင်သွင်းရမည်
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,ဝေမျှမယ်စီမံခန့်ခွဲမှု
 DocType: Authorization Control,Authorization Control,authorization ထိန်းချုပ်ရေး
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},row # {0}: ငြင်းပယ်ဂိုဒေါင်ပယ်ချခဲ့ Item {1} ဆန့်ကျင်မဖြစ်မနေဖြစ်ပါသည်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,ငွေပေးချေမှုရမည့်
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},row # {0}: ငြင်းပယ်ဂိုဒေါင်ပယ်ချခဲ့ Item {1} ဆန့်ကျင်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,ငွေပေးချေမှုရမည့်
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","ဂိုဒေါင် {0} မည်သည့်အကောင့်နှင့်ဆက်စပ်သည်မ, ကုမ္ပဏီ {1} အတွက်ဂိုဒေါင်စံချိန်သို့မဟုတ် set ကို default စာရင်းအကောင့်ထဲမှာအကောင့်ဖော်ပြထားခြင်းပါ။"
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,သင့်ရဲ့အမိန့်ကိုစီမံခန့်ခွဲ
 DocType: Work Order Operation,Actual Time and Cost,အမှန်တကယ်အချိန်နှင့်ကုန်ကျစရိတ်
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},အများဆုံး၏ပစ္စည်းတောင်းဆိုမှု {0} အရောင်းအမိန့် {2} ဆန့်ကျင်ပစ္စည်း {1} သည်ဖန်ဆင်းနိုင်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},အများဆုံး၏ပစ္စည်းတောင်းဆိုမှု {0} အရောင်းအမိန့် {2} ဆန့်ကျင်ပစ္စည်း {1} သည်ဖန်ဆင်းနိုင်
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,သီးနှံ Spacing
 DocType: Course,Course Abbreviation,သင်တန်းအတိုကောက်
@@ -2696,6 +2720,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},စုစုပေါင်းအလုပ်ချိန်နာရီ {0} အလုပ်လုပ် max ကိုထက် သာ. ကြီးမြတ်မဖြစ်သင့်ပါဘူး
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,အပေါ်
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,ရောင်းရငွေ၏အချိန်ပစ္စည်းများကို bundle ။
+DocType: Delivery Settings,Dispatch Settings,dispatch က Settings
 DocType: Material Request Plan Item,Actual Qty,အမှန်တကယ် Qty
 DocType: Sales Invoice Item,References,ကိုးကား
 DocType: Quality Inspection Reading,Reading 10,10 Reading
@@ -2705,11 +2730,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,သင်ကထပ်နေပစ္စည်းများကိုသို့ဝင်ပါပြီ။ ဆန်းစစ်နှင့်ထပ်ကြိုးစားပါ။
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,အပေါင်းအဖေါ်
 DocType: Asset Movement,Asset Movement,ပိုင်ဆိုင်မှုလပ်ြရြားမြ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,အလုပ်အမိန့် {0} တင်သွင်းရမည်ဖြစ်သည်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,နယူးလှည်း
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,အလုပ်အမိန့် {0} တင်သွင်းရမည်ဖြစ်သည်
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,နယူးလှည်း
 DocType: Taxable Salary Slab,From Amount,ငွေပမာဏကနေ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,item {0} တဲ့နံပါတ်စဉ်အလိုက် Item မဟုတ်ပါဘူး
 DocType: Leave Type,Encashment,Encashment
+DocType: Delivery Settings,Delivery Settings,ဖြန့်ဝေချိန်ညှိမှုများ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ဒေတာများကိုဆွဲယူ
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},အရွက်အမျိုးအစား {0} အတွက်ခွင့်ပြုအများဆုံးခွင့် {1} ဖြစ်ပါသည်
 DocType: SMS Center,Create Receiver List,Receiver များစာရင်း Create
 DocType: Vehicle,Wheels,ရထားဘီး
@@ -2725,7 +2752,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,ငွေတောင်းခံငွေကြေးသော်လည်းကောင်း default အကုမ္ပဏီ၏ငွေကြေးသို့မဟုတ်ပါတီအကောင့်ငွေကြေးညီမျှရှိရမည်
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),(သာလျှင် Draft) ကို package ကိုဒီပို့ဆောင်မှု၏အစိတ်အပိုင်းတစ်ခုဖြစ်တယ်ဆိုတာဆိုတာကိုပြသ
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,အတန်း {0}: ကြောင့်နေ့စွဲရက်စွဲကိုပို့စ်တင်မတိုင်မီမဖွစျနိုငျ
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,အတန်း {0}: ကြောင့်နေ့စွဲရက်စွဲကိုပို့စ်တင်မတိုင်မီမဖွစျနိုငျ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,ငွေပေးချေမှုရမည့် Entry &#39;ပါစေ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Item {0} သည်အရေအတွက် {1} ထက်နည်းရှိရမည်
 ,Sales Invoice Trends,အရောင်းပြေစာခေတ်ရေစီးကြောင်း
@@ -2733,12 +2760,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',သို့မဟုတ် &#39;&#39; ယခင် Row စုစုပေါင်း &#39;&#39; ယခင် Row ပမာဏတွင် &#39;&#39; ဟုတာဝန်ခံ type ကိုအသုံးပြုမှသာလျှင်အတန်းရည်ညွှန်းနိုင်ပါသည်
 DocType: Sales Order Item,Delivery Warehouse,Delivery ဂိုဒေါင်
 DocType: Leave Type,Earned Leave Frequency,ရရှိခဲ့သည် Leave ကြိမ်နှုန်း
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,ဘဏ္ဍာရေးကုန်ကျစရိတ်စင်တာများ၏ပင်လည်းရှိ၏။
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,sub အမျိုးအစား
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,ဘဏ္ဍာရေးကုန်ကျစရိတ်စင်တာများ၏ပင်လည်းရှိ၏။
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,sub အမျိုးအစား
 DocType: Serial No,Delivery Document No,Delivery Document ဖိုင်မရှိပါ
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ထုတ်လုပ် Serial အဘယ်သူမျှမပေါ်အခြေခံပြီး Delivery သေချာ
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ကုမ္ပဏီ {0} ၌ &#39;ပိုင်ဆိုင်မှုရှင်းအပေါ် Gain / ပျောက်ဆုံးခြင်းအကောင့်&#39; &#39;set ကျေးဇူးပြု.
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ကုမ္ပဏီ {0} ၌ &#39;ပိုင်ဆိုင်မှုရှင်းအပေါ် Gain / ပျောက်ဆုံးခြင်းအကောင့်&#39; &#39;set ကျေးဇူးပြု.
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ဝယ်ယူခြင်းလက်ခံရရှိသည့်ရက်မှပစ္စည်းများ Get
 DocType: Serial No,Creation Date,ဖန်ဆင်းခြင်းနေ့စွဲ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},ပစ်မှတ်တည်နေရာပိုင်ဆိုင်မှု {0} ဘို့လိုအပ်ပါသည်
@@ -2752,11 +2779,12 @@
 DocType: Item,Has Variants,မူကွဲရှိပါတယ်
 DocType: Employee Benefit Claim,Claim Benefit For,သည်ပြောဆိုချက်ကိုအကျိုးခံစားခွင့်
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,တုံ့ပြန်မှုကိုအပ်ဒိတ်လုပ်
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},သငျသညျပြီးသား {0} {1} ကနေပစ္စည်းကိုရှေးခယျြခဲ့ကြ
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},သငျသညျပြီးသား {0} {1} ကနေပစ္စည်းကိုရှေးခယျြခဲ့ကြ
 DocType: Monthly Distribution,Name of the Monthly Distribution,အဆိုပါလစဉ်ဖြန့်ဖြူးအမည်
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,batch ID ကိုမဖြစ်မနေဖြစ်ပါသည်
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,batch ID ကိုမဖြစ်မနေဖြစ်ပါသည်
 DocType: Sales Person,Parent Sales Person,မိဘအရောင်းပုဂ္ဂိုလ်
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,လက်ခံရရှိခံရဖို့ပစ္စည်းများအဘယ်သူမျှမရက်ကျော်နေပြီဖြစ်ကြောင်း
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,ရောင်းသူနှင့်ဝယ်တူမဖွစျနိုငျ
 DocType: Project,Collect Progress,တိုးတက်မှုစုဆောင်း
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2772,7 +2800,7 @@
 DocType: Bank Guarantee,Margin Money,margin ငွေ
 DocType: Budget,Budget,ဘတ်ဂျက်
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,ပွင့်လင်း Set
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုပစ္စည်း non-စတော့ရှယ်ယာကို item ဖြစ်ရပါမည်။
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုပစ္စည်း non-စတော့ရှယ်ယာကို item ဖြစ်ရပါမည်။
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ဒါကြောင့်တစ်ဦးဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုအကောင့်ကိုဖွင့်မရအဖြစ်ဘတ်ဂျက်, {0} ဆန့်ကျင်တာဝန်ပေးအပ်ရနိုင်မှာမဟုတ်ဘူး"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} ဖြစ်ပါတယ် {1} များအတွက် max ကင်းလွတ်ခွင့်ငွေပမာဏ
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,အောင်မြင်
@@ -2790,9 +2818,9 @@
 ,Amount to Deliver,လှတျတျောမူရန်ငွေပမာဏ
 DocType: Asset,Insurance Start Date,အာမခံ Start ကိုနေ့စွဲ
 DocType: Salary Component,Flexible Benefits,ပြောင်းလွယ်ပြင်လွယ်အကျိုးကျေးဇူးများ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ခဲ့တာဖြစ်ပါတယ်။ {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ခဲ့တာဖြစ်ပါတယ်။ {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,အဆိုပါ Term Start ကိုနေ့စွဲဟူသောဝေါဟာရ (Academic တစ်နှစ်တာ {}) နှင့်ဆက်စပ်သောမှပညာရေးဆိုင်ရာတစ်နှစ်တာ၏တစ်နှစ်တာ Start ကိုနေ့စွဲထက်အစောပိုင်းမှာမဖြစ်နိုင်ပါ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,အမှားများရှိကြ၏။
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,အမှားများရှိကြ၏။
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,: ဝန်ထမ်း {0} ပြီးသား {1} {2} နှင့် {3} အကြားလျှောက်ထားလိုက်ပါတယ်
 DocType: Guardian,Guardian Interests,ဂါးဒီးယန်းစိတ်ဝင်စားမှုများ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Update ကို Account Name ကို / နံပါတ်
@@ -2831,9 +2859,9 @@
 ,Item-wise Purchase History,item-ပညာရှိသဝယ်ယူခြင်းသမိုင်း
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Serial No ဆွဲယူဖို့ &#39;&#39; Generate ဇယား &#39;&#39; ကို click ပါ ကျေးဇူးပြု. Item {0} သည်ကဆက်ပြောသည်
 DocType: Account,Frozen,ရေခဲသော
-DocType: Delivery Note,Vehicle Type,ယာဉ်အမျိုးအစား
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,ယာဉ်အမျိုးအစား
 DocType: Sales Invoice Payment,Base Amount (Company Currency),base ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,ကုန်ကြမ်းများ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,ကုန်ကြမ်းများ
 DocType: Payment Reconciliation Payment,Reference Row,ကိုးကားစရာ Row
 DocType: Installation Note,Installation Time,Installation လုပ်တဲ့အချိန်
 DocType: Sales Invoice,Accounting Details,စာရင်းကိုင် Details ကို
@@ -2842,12 +2870,13 @@
 DocType: Inpatient Record,O Positive,အိုအပြုသဘောဆောင်သော
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,ရင်းနှီးမြှုပ်နှံမှုများ
 DocType: Issue,Resolution Details,resolution အသေးစိတ်ကို
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,ငွေသွင်းငွေထုတ်အမျိုးအစား
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,ငွေသွင်းငွေထုတ်အမျိုးအစား
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,လက်ခံမှုကိုလိုအပ်ချက်
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,အထက်ပါဇယားတွင်ပစ္စည်းတောင်းဆိုမှုများကိုထည့်သွင်းပါ
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,ဂျာနယ် Entry များအတွက်မရှိနိုင်ပါပြန်ဆပ်ဖို့တွေအတွက်
 DocType: Hub Tracked Item,Image List,image ကိုစာရင်း
 DocType: Item Attribute,Attribute Name,အမည် Attribute
+DocType: Subscription,Generate Invoice At Beginning Of Period,ကာလ၏အစမှာပြေစာ Generate
 DocType: BOM,Show In Website,ဝက်ဘ်ဆိုက်များတွင် show
 DocType: Loan Application,Total Payable Amount,စုစုပေါင်းပေးရန်ငွေပမာဏ
 DocType: Task,Expected Time (in hours),(နာရီအတွင်း) မျှော်လင့်ထားအချိန်
@@ -2885,8 +2914,8 @@
 DocType: Employee,Resignation Letter Date,နုတ်ထွက်ပေးစာနေ့စွဲ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,စျေးနှုန်းနည်းဥပဒေများနောက်ထပ်အရေအတွက်ပေါ် အခြေခံ. filtered နေကြပါတယ်။
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Set မဟုတ်
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ဝန်ထမ်း {0} အဘို့အချိတ်တွဲ၏နေ့စွဲသတ်မှတ်ပေးပါ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ဝန်ထမ်း {0} အဘို့အချိတ်တွဲ၏နေ့စွဲသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ဝန်ထမ်း {0} အဘို့အချိတ်တွဲ၏နေ့စွဲသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ဝန်ထမ်း {0} အဘို့အချိတ်တွဲ၏နေ့စွဲသတ်မှတ်ပေးပါ
 DocType: Inpatient Record,Discharge,ကုန်ချ
 DocType: Task,Total Billing Amount (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) စုစုပေါင်းငွေတောင်းခံလွှာပမာဏ
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,repeat ဖောက်သည်အခွန်ဝန်ကြီးဌာန
@@ -2896,13 +2925,13 @@
 DocType: Chapter,Chapter,အခနျး
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,လင်မယား
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ဒီ mode ကိုရှေးခယျြထားသညျ့အခါ default account ကိုအလိုအလျှောက် POS ငွေတောင်းခံလွှာအတွက် updated လိမ့်မည်။
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ထုတ်လုပ်မှုများအတွက် BOM နှင့်အရည်အတွက်ကို Select လုပ်ပါ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ထုတ်လုပ်မှုများအတွက် BOM နှင့်အရည်အတွက်ကို Select လုပ်ပါ
 DocType: Asset,Depreciation Schedule,တန်ဖိုးဇယား
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,အရောင်း Partner လိပ်စာနှင့်ဆက်သွယ်ရန်
 DocType: Bank Reconciliation Detail,Against Account,အကောင့်ဆန့်ကျင်
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,ဝက်နေ့နေ့စွဲနေ့စွဲ မှစ. နှင့်နေ့စွဲစေရန်အကြားဖြစ်သင့်တယ်
 DocType: Maintenance Schedule Detail,Actual Date,အမှန်တကယ်နေ့စွဲ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,{0} ကုမ္ပဏီအတွက်ပုံမှန်ကုန်ကျစရိတ် Center ကသတ်မှတ်ပါ။
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,{0} ကုမ္ပဏီအတွက်ပုံမှန်ကုန်ကျစရိတ် Center ကသတ်မှတ်ပါ။
 DocType: Item,Has Batch No,Batch မရှိရှိပါတယ်
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},နှစ်ပတ်လည်ငွေတောင်းခံလွှာ: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook အသေးစိတ်
@@ -2914,7 +2943,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,shift အမျိုးအစား
 DocType: Student,Personal Details,ပုဂ္ဂိုလ်ရေးအသေးစိတ်
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},ကုမ္ပဏီ {0} ၌ &#39;ပိုင်ဆိုင်မှုတန်ဖိုးကုန်ကျစရိတ်စင်တာ&#39; &#39;set ကျေးဇူးပြု.
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},ကုမ္ပဏီ {0} ၌ &#39;ပိုင်ဆိုင်မှုတန်ဖိုးကုန်ကျစရိတ်စင်တာ&#39; &#39;set ကျေးဇူးပြု.
 ,Maintenance Schedules,ပြုပြင်ထိန်းသိမ်းမှုအချိန်ဇယား
 DocType: Task,Actual End Date (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) အမှန်တကယ်ပြီးဆုံးရက်စွဲ
 DocType: Soil Texture,Soil Type,မြေဆီလွှာတွင်အမျိုးအစား
@@ -2922,10 +2951,10 @@
 ,Quotation Trends,စျေးနှုန်းခေတ်ရေစီးကြောင်း
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},ကို item {0} သည်ကို item မာစတာတှငျဖျောပွမ item Group က
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless လုပ်ပိုင်ခွင့်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,အကောင့်ဖွင့်ရန် debit တစ် receiver အကောင့်ကိုရှိရမည်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,အကောင့်ဖွင့်ရန် debit တစ် receiver အကောင့်ကိုရှိရမည်
 DocType: Shipping Rule,Shipping Amount,သဘောင်္တင်ခပမာဏ
 DocType: Supplier Scorecard Period,Period Score,ကာလရမှတ်
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Customer များ Add
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Customer များ Add
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ဆိုင်းငံ့ထားသောငွေပမာဏ
 DocType: Lab Test Template,Special,အထူး
 DocType: Loyalty Program,Conversion Factor,ကူးပြောင်းခြင်း Factor
@@ -2942,7 +2971,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Letterhead Add
 DocType: Program Enrollment,Self-Driving Vehicle,self-မောင်းနှင်ယာဉ်
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,ပေးသွင်း Scorecard အမြဲတမ်း
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},အတန်း {0}: ပစ္စည်းများ၏ဘီလ်ဟာအရာဝတ္ထု {1} ဘို့မတွေ့ရှိ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},အတန်း {0}: ပစ္စည်းများ၏ဘီလ်ဟာအရာဝတ္ထု {1} ဘို့မတွေ့ရှိ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total ကုမ္ပဏီခွဲဝေအရွက် {0} ကာလအဘို့ပြီးသားအတည်ပြုပြီးအရွက် {1} ထက်လျော့နည်းမဖွစျနိုငျ
 DocType: Contract Fulfilment Checklist,Requirement,လိုအပ်ချက်
 DocType: Journal Entry,Accounts Receivable,ငွေစာရင်းရရန်ရှိသော
@@ -2959,16 +2988,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,HR Settings ကို
 DocType: Salary Slip,net pay info,အသားတင်လစာအချက်အလက်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,အခွန်ပမာဏ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,အခွန်ပမာဏ
 DocType: Woocommerce Settings,Enable Sync,Sync ကို Enable
 DocType: Tax Withholding Rate,Single Transaction Threshold,လူပျိုငွေသွင်းငွေထုတ် Threshold
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ဤသည်တန်ဖိုးပုံမှန်အရောင်းစျေးနှုန်းစာရင်းအတွက် updated ဖြစ်ပါတယ်။
 DocType: Email Digest,New Expenses,နယူးကုန်ကျစရိတ်
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,ကောင်စီ / LC ငွေပမာဏ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,ကောင်စီ / LC ငွေပမာဏ
 DocType: Shareholder,Shareholder,အစုစပ်ပါဝင်သူ
 DocType: Purchase Invoice,Additional Discount Amount,အပိုဆောင်းလျှော့ငွေပမာဏ
 DocType: Cash Flow Mapper,Position,ရာထူး
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,ဆေးညွှန်းထံမှပစ္စည်းများ Get
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,ဆေးညွှန်းထံမှပစ္စည်းများ Get
 DocType: Patient,Patient Details,လူနာအသေးစိတ်
 DocType: Inpatient Record,B Positive,B ကအပြုသဘောဆောင်သော
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2980,8 +3009,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,က Non-Group ကိုမှ Group က
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,အားကစား
 DocType: Loan Type,Loan Name,ချေးငွေအမည်
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,အမှန်တကယ်စုစုပေါင်း
-DocType: Lab Test UOM,Test UOM,စမ်းသပ်ခြင်း UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,အမှန်တကယ်စုစုပေါင်း
 DocType: Student Siblings,Student Siblings,ကျောင်းသားမောင်နှမ
 DocType: Subscription Plan Detail,Subscription Plan Detail,subscription အစီအစဉ်အသေးစိတ်
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,ယူနစ်
@@ -3009,7 +3037,6 @@
 DocType: Workstation,Wages per hour,တစ်နာရီလုပ်ခ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Batch အတွက်စတော့အိတ်ချိန်ခွင် {0} ဂိုဒေါင် {3} မှာ Item {2} သည် {1} အနုတ်လက္ခဏာဖြစ်လိမ့်မည်
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,အောက်ပါပစ္စည်းများတောင်းဆိုမှုများပစ္စည်းရဲ့ Re-အမိန့် level ကိုအပေါ်အခြေခံပြီးအလိုအလြောကျထမြောက်ကြပါပြီ
-DocType: Email Digest,Pending Sales Orders,ဆိုင်းငံ့အရောင်းအမိန့်
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},အကောင့်ကို {0} မမှန်ကန်ဘူး။ အကောင့်ကိုငွေကြေးစနစ် {1} ဖြစ်ရပါမည်
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},နေ့စွဲကနေ {0} ဝန်ထမ်းရဲ့စိတ်သက်သာရာနေ့စွဲ {1} ပြီးနောက်မဖွစျနိုငျ
 DocType: Supplier,Is Internal Supplier,ပြည်တွင်းပေးသွင်းဖြစ်ပါသည်
@@ -3018,13 +3045,14 @@
 DocType: Healthcare Settings,Remind Before,မတိုင်မှီသတိပေး
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM ကူးပြောင်းခြင်းအချက်အတန်း {0} အတွက်လိုအပ်သည်
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရောင်းအမိန့်အရောင်းပြေစာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရောင်းအမိန့်အရောင်းပြေစာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 သစ္စာရှိမှုအမှတ်ဘယ်လောက်အခြေစိုက်စခန်းငွေကြေး =?
 DocType: Salary Component,Deduction,သဘောအယူအဆ
 DocType: Item,Retain Sample,နမူနာကိုဆက်လက်ထိန်းသိမ်းရန်
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,အတန်း {0}: အချိန်နှင့်ရန်အချိန် မှစ. မဖြစ်မနေဖြစ်ပါတယ်။
 DocType: Stock Reconciliation Item,Amount Difference,ငွေပမာဏ Difference
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},item စျေးနှုန်းကိုစျေးနှုန်းကိုစာရင်း {1} အတွက် {0} များအတွက်ဖြည့်စွက်
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},item စျေးနှုန်းကိုစျေးနှုန်းကိုစာရင်း {1} အတွက် {0} များအတွက်ဖြည့်စွက်
+DocType: Delivery Stop,Order Information,အမိန့်သတင်းအချက်အလက်
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ဒီအရောင်းလူတစ်ဦး၏န်ထမ်း Id ကိုရိုက်ထည့်ပေးပါ
 DocType: Territory,Classification of Customers by region,ဒေသအားဖြင့် Customer များ၏ခွဲခြား
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,ထုတ်လုပ်မှုအတွက်
@@ -3035,8 +3063,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,တွက်ချက် Bank မှဖော်ပြချက်ချိန်ခွင်လျှာ
 DocType: Normal Test Template,Normal Test Template,ပုံမှန်စမ်းသပ်ခြင်း Template ကို
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,မသန်မစွမ်းအသုံးပြုသူ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,ကိုးကာချက်
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,အဘယ်သူမျှမ Quote တစ်ခုလက်ခံရရှိ RFQ မသတ်မှတ်နိုင်ပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,ကိုးကာချက်
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,အဘယ်သူမျှမ Quote တစ်ခုလက်ခံရရှိ RFQ မသတ်မှတ်နိုင်ပါ
 DocType: Salary Slip,Total Deduction,စုစုပေါင်းထုတ်ယူ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,အကောင့်ငွေကြေးအတွက် print ထုတ်အကောင့်တစ်ခုရွေးပါ
 ,Production Analytics,ထုတ်လုပ်မှု Analytics မှ
@@ -3049,14 +3077,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ပေးသွင်း Scorecard Setup ကို
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,အကဲဖြတ်အစီအစဉ်အမည်
 DocType: Work Order Operation,Work Order Operation,အမိန့်စစ်ဆင်ရေးအလုပ်မလုပ်
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},သတိပေးချက်: attachment ကို {0} အပေါ်မမှန်ကန်ခြင်း SSL ကိုလက်မှတ်ကို
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},သတိပေးချက်: attachment ကို {0} အပေါ်မမှန်ကန်ခြင်း SSL ကိုလက်မှတ်ကို
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","ဦးဆောင်လမ်းပြသင့်ရဲ့ဆောင်အဖြစ်အားလုံးသင့်ရဲ့အဆက်အသွယ်နဲ့ပိုပြီး add, သင်စီးပွားရေးလုပ်ငန်း get ကူညီ"
 DocType: Work Order Operation,Actual Operation Time,အမှန်တကယ်စစ်ဆင်ရေးအချိန်
 DocType: Authorization Rule,Applicable To (User),(အသုံးပြုသူ) ရန်သက်ဆိုင်သော
 DocType: Purchase Taxes and Charges,Deduct,နှုတ်ယူ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,လုပ်ငန်းတာဝန်သတ်မှတ်ချက်
 DocType: Student Applicant,Applied,အသုံးချ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-ပွင့်လင်း
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-ပွင့်လင်း
 DocType: Sales Invoice Item,Qty as per Stock UOM,စတော့အိတ် UOM နှုန်းအဖြစ် Qty
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 အမည်
 DocType: Attendance,Attendance Request,တက်ရောက်သူတောင်းဆိုခြင်း
@@ -3074,7 +3102,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},serial No {0} {1} ထိအာမခံအောက်မှာဖြစ်ပါတယ်
 DocType: Plant Analysis Criteria,Minimum Permissible Value,အနိမ့်ခွင့်ပြုချက် Value ကို
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,အသုံးပြုသူ {0} ပြီးသားတည်ရှိ
-apps/erpnext/erpnext/hooks.py +114,Shipments,တင်ပို့ရောင်းချမှု
+apps/erpnext/erpnext/hooks.py +115,Shipments,တင်ပို့ရောင်းချမှု
 DocType: Payment Entry,Total Allocated Amount (Company Currency),စုစုပေါင်းခွဲဝေငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
 DocType: Purchase Order Item,To be delivered to customer,ဖောက်သည်မှကယ်နှုတ်တော်မူ၏ခံရဖို့
 DocType: BOM,Scrap Material Cost,အပိုင်းအစပစ္စည်းကုန်ကျစရိတ်
@@ -3082,11 +3110,12 @@
 DocType: Grant Application,Email Notification Sent,အီးမေးလ်ပို့ရန်သတိပေးချက် Sent
 DocType: Purchase Invoice,In Words (Company Currency),စကား (ကုမ္ပဏီငွေကြေးစနစ်) တွင်
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,ကုမ္ပဏီကုမ္ပဏီအကောင့် manadatory ဖြစ်ပါသည်
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","item ကုဒ်, ဂိုဒေါင်, အရေအတွက်အတန်းအပေါ်လိုအပ်သည်"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","item ကုဒ်, ဂိုဒေါင်, အရေအတွက်အတန်းအပေါ်လိုအပ်သည်"
 DocType: Bank Guarantee,Supplier,ကုန်သွင်းသူ
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,မှစ. Get
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,ဒါကအမြစ်ဌာနတစ်ခုဖြစ်သည်နှင့်အ edited မရနိုင်ပါ။
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,ငွေပေးချေမှုရမည့်အသေးစိတ်များကိုပြရန်
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,နေ့ရက်များအတွက် Duration:
 DocType: C-Form,Quarter,လေးပုံတစ်ပုံ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,အထွေထွေအသုံးစရိတ်များ
 DocType: Global Defaults,Default Company,default ကုမ္ပဏီ
@@ -3094,7 +3123,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,စရိတ်သို့မဟုတ် Difference အကောင့်ကိုကသက်ရောက်မှုအဖြစ် Item {0} ခြုံငုံစတော့ရှယ်ယာတန်ဖိုးသည်တွေအတွက်မဖြစ်မနေဖြစ်ပါသည်
 DocType: Bank,Bank Name,ဘဏ်မှအမည်
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,အားလုံးပေးသွင်းများအတွက်ဝယ်ယူအမိန့်စေရန်ဗလာလယ်ပြင် Leave
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,အားလုံးပေးသွင်းများအတွက်ဝယ်ယူအမိန့်စေရန်ဗလာလယ်ပြင် Leave
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,အတွင်းလူနာခရီးစဉ်တာဝန်ခံ Item
 DocType: Vital Signs,Fluid,အရည်ဖြစ်သော
 DocType: Leave Application,Total Leave Days,စုစုပေါင်းထွက်ခွာ Days
@@ -3104,7 +3133,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,item မူကွဲ Settings များ
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,ကုမ္ပဏီကိုရွေးချယ်ပါ ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,အားလုံးဌာနများစဉ်းစားလျှင်အလွတ် Leave
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} Item {1} သည်မသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} Item {1} သည်မသင်မနေရ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","item {0}: ထုတ်လုပ် {1} အရည်အတွက်,"
 DocType: Payroll Entry,Fortnightly,နှစ်ပတ်တ
 DocType: Currency Exchange,From Currency,ငွေကြေးစနစ်ကနေ
@@ -3154,7 +3183,7 @@
 DocType: Account,Fixed Asset,ပုံသေ Asset
 DocType: Amazon MWS Settings,After Date,နေ့စွဲပြီးနောက်
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serial Inventory
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,အင်တာမီလန်ကုမ္ပဏီပြေစာများအတွက် {0} မှားနေသော။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,အင်တာမီလန်ကုမ္ပဏီပြေစာများအတွက် {0} မှားနေသော။
 ,Department Analytics,ဦးစီးဌာန Analytics မှ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,အီးမေးလ်ပို့ရန်က default အဆက်အသွယ်မတွေ့ရှိ
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,လျှို့ဝှက်ချက် Generate
@@ -3173,6 +3202,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,စီအီးအို
 DocType: Purchase Invoice,With Payment of Tax,အခွန်၏ငွေပေးချေနှင့်အတူ
 DocType: Expense Claim Detail,Expense Claim Detail,စရိတ်တောင်းဆိုမှုများ Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,ပညာရေးအတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုနည်းပြ&gt; ပညာရေးကိုဆက်တင်
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,ပေးသွင်းသူများအတွက် TRIPLICATE
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,အခြေစိုက်စခန်းငွေကြေးခုနှစ်တွင်နယူး Balance
 DocType: Location,Is Container,ကွန်တိန်နာ Is
@@ -3180,13 +3210,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,မှန်ကန်သောအကောင့်ကို select လုပ်ပါ ကျေးဇူးပြု.
 DocType: Salary Structure Assignment,Salary Structure Assignment,လစာဖွဲ့စည်းပုံတာဝန်
 DocType: Purchase Invoice Item,Weight UOM,အလေးချိန် UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ဖိုလီယိုနံပါတ်များနှင့်အတူရရှိနိုင်ပါသည်ရှယ်ယာရှင်များမှာများစာရင်း
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ဖိုလီယိုနံပါတ်များနှင့်အတူရရှိနိုင်ပါသည်ရှယ်ယာရှင်များမှာများစာရင်း
 DocType: Salary Structure Employee,Salary Structure Employee,လစာဖွဲ့စည်းပုံထမ်း
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Show ကိုမူကွဲ Attribute တွေက
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Show ကိုမူကွဲ Attribute တွေက
 DocType: Student,Blood Group,လူအသွေး Group က
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,အစီအစဉ် {0} အတွက်ငွေပေးချေမှုတံခါးပေါက်အကောင့်ဤငွေပေးချေမှုတောင်းဆိုမှုကိုအတွက်ငွေပေးချေမှုတံခါးပေါက်အကောင့်မှကွဲပြားခြားနားသည်
 DocType: Course,Course Name,သင်တန်းအမည်
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,လက်ရှိဘဏ္ဍာရေးနှစ်များအတွက်မျှမတွေ့အခွန်နှိမ်ဒေတာ။
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,လက်ရှိဘဏ္ဍာရေးနှစ်များအတွက်မျှမတွေ့အခွန်နှိမ်ဒေတာ။
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,အတိအကျန်ထမ်းရဲ့ခွင့်ပလီကေးရှင်းကိုအတည်ပြုနိုင်သူသုံးစွဲသူများက
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Office ကိုပစ္စည်းများ
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3194,6 +3224,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Setup ကိုသွင်းယူ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,အီလက်ထရောနစ်
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,တူ Item အကွိမျမြားစှာ Times က Allow
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,စတော့ရှယ်ယာပြန်လည်မိန့်အဆင့်ရောက်ရှိသည့်အခါပစ္စည်းတောင်းဆိုမှုမြှင်
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,အချိန်ပြည့်
 DocType: Payroll Entry,Employees,န်ထမ်း
@@ -3205,11 +3236,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,ငွေပေးချေမှုရမည့်အတည်ပြုချက်
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,စျေးစာရင်းမသတ်မှတ်လျှင်စျေးနှုန်းများပြလိမ့်မည်မဟုတ်
 DocType: Stock Entry,Total Incoming Value,စုစုပေါင်း Incoming Value တစ်ခု
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,debit ရန်လိုအပ်သည်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,debit ရန်လိုအပ်သည်
 DocType: Clinical Procedure,Inpatient Record,အတွင်းလူနာမှတ်တမ်း
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets သင့်ရဲ့အဖွဲ့ကအမှုကိုပြု Activite ဘို့အချိန်, ကုန်ကျစရိတ်နှင့်ငွေတောင်းခံခြေရာခံစောင့်ရှောက်ကူညီပေးရန်"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,ဝယ်ယူစျေးနှုန်းများစာရင်း
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,ငွေသွင်းငွေထုတ်၏နေ့စွဲ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,ဝယ်ယူစျေးနှုန်းများစာရင်း
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,ငွေသွင်းငွေထုတ်၏နေ့စွဲ
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,ကုန်ပစ္စည်းပေးသွင်း scorecard variable တွေကို၏ Templates ကို။
 DocType: Job Offer Term,Offer Term,ကမ်းလှမ်းမှုကို Term
 DocType: Asset,Quality Manager,အရည်အသွေးအ Manager က
@@ -3230,11 +3261,11 @@
 DocType: Cashier Closing,To Time,အချိန်မှ
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) {0} များအတွက်
 DocType: Authorization Rule,Approving Role (above authorized value),(ခွင့်ပြုချက် value ကိုအထက်) အတည်ပြုအခန်းက္ပ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,အကောင့်ဖွင့်ရန်အကြွေးတစ်ပေးဆောင်အကောင့်ကိုရှိရမည်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,အကောင့်ဖွင့်ရန်အကြွေးတစ်ပေးဆောင်အကောင့်ကိုရှိရမည်
 DocType: Loan,Total Amount Paid,စုစုပေါင်းငွေပမာဏ Paid
 DocType: Asset,Insurance End Date,အာမခံအဆုံးနေ့စွဲ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,အဆိုပါပေးဆောင်ကျောင်းသားလျှောက်ထားသူများအတွက်မဖြစ်မနေဖြစ်သည့်ကျောင်းသားင်ခွင့်ကို select ပေးပါ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} {2} ၏မိဘသို့မဟုတ်ကလေးမဖွစျနိုငျ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} {2} ၏မိဘသို့မဟုတ်ကလေးမဖွစျနိုငျ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,ဘတ်ဂျက်စာရင်း
 DocType: Work Order Operation,Completed Qty,ပြီးစီး Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0} အဘို့, သာ debit အကောင့်အသစ်များ၏အခြားအကြွေး entry ကိုဆန့်ကျင်နှင့်ဆက်စပ်နိုင်"
@@ -3242,7 +3273,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serial Item {0} စတော့အိတ်ပြန်လည်သင့်မြတ်ရေးကို အသုံးပြု. updated မရနိုငျသညျ, စတော့အိတ် Entry &#39;ကိုသုံးပါ"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serial Item {0} စတော့အိတ်ပြန်လည်သင့်မြတ်ရေးကို အသုံးပြု. updated မရနိုငျသညျ, စတော့အိတ် Entry &#39;ကိုသုံးပါ"
 DocType: Training Event Employee,Training Event Employee,လေ့ကျင့်ရေးပွဲထမ်း
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,အများဆုံးနမူနာ - {0} အသုတ်လိုက် {1} နှင့် Item {2} များအတွက်ထိန်းသိမ်းထားနိုင်ပါသည်။
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,အများဆုံးနမူနာ - {0} အသုတ်လိုက် {1} နှင့် Item {2} များအတွက်ထိန်းသိမ်းထားနိုင်ပါသည်။
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,အချိန် slot Add
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,Item {1} များအတွက်လိုအပ်သော {0} Serial Number ။ သငျသညျ {2} ထောက်ပံ့ကြပါပြီ။
 DocType: Stock Reconciliation Item,Current Valuation Rate,လက်ရှိအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် Rate
@@ -3273,11 +3304,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} မတွေ့ရှိ serial No
 DocType: Fee Schedule Program,Fee Schedule Program,အခကြေးငွေဇယားအစီအစဉ်
 DocType: Fee Schedule Program,Student Batch,ကျောင်းသားအသုတ်လိုက်
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","အဆိုပါထမ်း delete ကျေးဇူးပြု. <a href=""#Form/Employee/{0}"">{0}</a> ဤစာရွက်စာတမ်းဖျက်သိမ်းရန် \"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,ကျောင်းသား Make
 DocType: Supplier Scorecard Scoring Standing,Min Grade,min အဆင့်
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုယူနစ်အမျိုးအစား
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},သငျသညျစီမံကိန်းကိုအပေါ်ပူးပေါင်းဖို့ဖိတ်ခေါ်ခဲ့ကြ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},သငျသညျစီမံကိန်းကိုအပေါ်ပူးပေါင်းဖို့ဖိတ်ခေါ်ခဲ့ကြ: {0}
 DocType: Supplier Group,Parent Supplier Group,မိဘပေးသွင်း Group မှ
+DocType: Email Digest,Purchase Orders to Bill,ဘီလ်မှအမိန့်ဝယ်ယူရန်
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Group ကုမ္ပဏီအတွက်စုဆောင်းတန်ဖိုးများ
 DocType: Leave Block List Date,Block Date,block နေ့စွဲ
 DocType: Crop,Crop,အသီးအနှံ
@@ -3290,6 +3324,7 @@
 DocType: Sales Order,Not Delivered,ကယ်နှုတ်တော်မူ၏မဟုတ်
 ,Bank Clearance Summary,ဘဏ်မှရှင်းလင်းရေးအကျဉ်းချုပ်
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Create နှင့်နေ့စဉ်စီမံခန့်ခွဲ, အပတ်စဉ်ထုတ်နှင့်လစဉ်အီးမေးလ် digests ။"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,ဒီအရောင်းပုဂ္ဂိုလ်ဆန့်ကျင်အရောင်းအပေါ်တွင်အခြေခံထားသည်။ အသေးစိတ်အချက်အလက်များကိုအောက်ပါအချိန်ဇယားကိုကြည့်ပါ
 DocType: Appraisal Goal,Appraisal Goal,စိစစ်ရေးဂိုး
 DocType: Stock Reconciliation Item,Current Amount,လက်ရှိပမာဏ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,အဆောက်အဦးများ
@@ -3316,7 +3351,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Next ကိုဆက်သွယ်ပါနေ့စွဲအတိတ်ထဲမှာမဖွစျနိုငျ
 DocType: Company,For Reference Only.,သာလျှင်ကိုးကားစရာသည်။
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,ကို Select လုပ်ပါအသုတ်လိုက်အဘယ်သူမျှမ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,ကို Select လုပ်ပါအသုတ်လိုက်အဘယ်သူမျှမ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},မမှန်ကန်ခြင်း {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,ကိုးကားစရာ Inv
@@ -3334,16 +3369,16 @@
 DocType: Normal Test Items,Require Result Value,ရလဒ် Value ကိုလိုအပ်
 DocType: Item,Show a slideshow at the top of the page,စာမျက်နှာ၏ထိပ်မှာတစ်ဆလိုက်ရှိုးပြရန်
 DocType: Tax Withholding Rate,Tax Withholding Rate,အခွန်နှိမ်နှုန်း
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,စတိုးဆိုင်များ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,စတိုးဆိုင်များ
 DocType: Project Type,Projects Manager,စီမံကိန်းများ Manager က
 DocType: Serial No,Delivery Time,ပို့ဆောင်ချိန်
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Ageing အခြေပြုတွင်
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,ခန့်အပ်တာဝန်ပေးခြင်းဖျက်သိမ်း
 DocType: Item,End of Life,အသက်တာ၏အဆုံး
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ခရီးသွား
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ခရီးသွား
 DocType: Student Report Generation Tool,Include All Assessment Group,အားလုံးအကဲဖြတ် Group မှ Include
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,ပေးထားသောရက်စွဲများအတွက်ဝန်ထမ်း {0} ဘို့မျှမတွေ့တက်ကြွသို့မဟုတ် default အနေနဲ့လစာဖွဲ့စည်းပုံ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,ပေးထားသောရက်စွဲများအတွက်ဝန်ထမ်း {0} ဘို့မျှမတွေ့တက်ကြွသို့မဟုတ် default အနေနဲ့လစာဖွဲ့စည်းပုံ
 DocType: Leave Block List,Allow Users,Allow အသုံးပြုသူများ
 DocType: Purchase Order,Customer Mobile No,ဖောက်သည်ကို Mobile မရှိပါ
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ငွေသား Flow မြေပုံ Template ကိုအသေးစိတ်
@@ -3352,15 +3387,16 @@
 DocType: Rename Tool,Rename Tool,Tool ကို Rename
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Update ကိုကုန်ကျစရိတ်
 DocType: Item Reorder,Item Reorder,item Reorder
+DocType: Delivery Note,Mode of Transport,ပို့ဆောင်ရေး Mode ကို
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Show ကိုလစာစလစ်ဖြတ်ပိုင်းပုံစံ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,ပစ္စည်းလွှဲပြောင်း
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,ပစ္စည်းလွှဲပြောင်း
 DocType: Fees,Send Payment Request,ငွေပေးချေမှုရမည့်တောင်းဆိုခြင်း Send
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",အဆိုပါစစ်ဆင်ရေးကိုသတ်မှတ်မှာ operating ကုန်ကျစရိတ်နှင့်သင်တို့၏စစ်ဆင်ရေးမှတစ်မူထူးခြားစစ်ဆင်ရေးမျှမပေး။
 DocType: Travel Request,Any other details,အခြားမည်သည့်အသေးစိတ်အချက်အလက်များကို
 DocType: Water Analysis,Origin,မူလ
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ဤစာရွက်စာတမ်းကို item {4} ဘို့ {0} {1} အားဖြင့်ကန့်သတ်ကျော်ပြီဖြစ်ပါသည်။ သငျသညျ {2} အတူတူဆန့်ကျင်သည်အခြား {3} လုပ်နေပါတယ်?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,ချွေပြီးနောက်ထပ်တလဲလဲသတ်မှတ်ထားပေးပါ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,ပြောင်းလဲမှုငွေပမာဏကိုအကောင့်ကို Select လုပ်ပါ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,ချွေပြီးနောက်ထပ်တလဲလဲသတ်မှတ်ထားပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,ပြောင်းလဲမှုငွေပမာဏကိုအကောင့်ကို Select လုပ်ပါ
 DocType: Purchase Invoice,Price List Currency,စျေးနှုန်း List ကိုငွေကြေးစနစ်
 DocType: Naming Series,User must always select,အသုံးပြုသူအမြဲရွေးချယ်ရမည်
 DocType: Stock Settings,Allow Negative Stock,အပြုသဘောမဆောင်သောစတော့အိတ် Allow
@@ -3381,9 +3417,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
 DocType: Asset Maintenance Log,Actions performed,ဖျော်ဖြေလုပ်ဆောင်ချက်များ
 DocType: Cash Flow Mapper,Section Leader,ပုဒ်မခေါင်းဆောင်
+DocType: Delivery Note,Transport Receipt No,ပို့ဆောင်ရေးငွေလက်ခံပြေစာမှမရှိပါ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),ရန်ပုံငွေ၏ source (စိစစ်)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,အရင်းအမြစ်နှင့်ပစ်မှတ်တည်နေရာအတူတူမဖွစျနိုငျ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},အတန်းအတွက်အရေအတွက် {0} ({1}) ထုတ်လုပ်သောအရေအတွက် {2} အဖြစ်အတူတူသာဖြစ်ရမည်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},အတန်းအတွက်အရေအတွက် {0} ({1}) ထုတ်လုပ်သောအရေအတွက် {2} အဖြစ်အတူတူသာဖြစ်ရမည်
 DocType: Supplier Scorecard Scoring Standing,Employee,လုပ်သား
 DocType: Bank Guarantee,Fixed Deposit Number,Fixed Deposit အရေအတွက်
 DocType: Asset Repair,Failure Date,ပျက်ကွက်ခြင်းနေ့စွဲ
@@ -3397,16 +3434,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,ငွေပေးချေမှုရမည့်ဖြတ်တောက်ခြင်းများကိုသို့မဟုတ်ပျောက်ဆုံးခြင်း
 DocType: Soil Analysis,Soil Analysis Criterias,မြေဆီလွှာကိုသုံးသပ်ခြင်းစံ
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,အရောင်းသို့မဟုတ်ဝယ်ယူခြင်းအဘို့အစံစာချုပ်ဝေါဟာရများ။
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,သင်ဤချိန်းသင်ပယ်ဖျက်လိုတာသေချာလား?
+DocType: BOM Item,Item operation,item စစ်ဆင်ရေး
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,သင်ဤချိန်းသင်ပယ်ဖျက်လိုတာသေချာလား?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,ဟိုတယ်အခန်းစျေးနှုန်းပက်ကေ့
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,အရောင်းပိုက်လိုင်း
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,အရောင်းပိုက်လိုင်း
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},လစာစိတျအပိုငျး {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,တွင်လိုအပ်သော
 DocType: Rename Tool,File to Rename,Rename မှ File
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Row {0} အတွက် Item ဘို့ BOM ကို select လုပ်ပါကျေးဇူးပြုပြီး
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Subscription အပ်ဒိတ်များဆွဲယူ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},အကောင့် {0} အကောင့်၏ Mode တွင်ကုမ္ပဏီ {1} နှင့်အတူမကိုက်ညီ: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},သတ်မှတ်ထားသော BOM {0} Item {1} သည်မတည်ရှိပါဘူး
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},သတ်မှတ်ထားသော BOM {0} Item {1} သည်မတည်ရှိပါဘူး
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,သင်တန်းအမှတ်စဥ်:
 DocType: Soil Texture,Sandy Loam,စန္ဒီ Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ပြုပြင်ထိန်းသိမ်းမှုဇယား {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည်
@@ -3415,7 +3453,7 @@
 DocType: Notification Control,Expense Claim Approved,စရိတ်တောင်းဆိုမှုများ Approved
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),တိုးတက်လာတာနဲ့အမျှ Set နှင့် (FIFO) သတ်မှတ်ထားတဲ့
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,created အဘယ်သူမျှမ Work ကိုအမိန့်
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားဤကာလအဘို့ဖန်တီး
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားဤကာလအဘို့ဖန်တီး
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ဆေးဝါး
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,သင်သာခိုင်လုံသော encashment ငွေပမာဏအဘို့အခွင့် Encashment တင်ပြနိုင်ပါတယ်
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ဝယ်ယူပစ္စည်းများ၏ကုန်ကျစရိတ်
@@ -3423,7 +3461,8 @@
 DocType: Selling Settings,Sales Order Required,အရောင်းအမိန့်လိုအပ်ပါသည်
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,တစ်ဦးရောင်းချသူဖြစ်လာ
 DocType: Purchase Invoice,Credit To,ခရက်ဒစ်ရန်
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Active ကိုခဲ / Customer များ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Active ကိုခဲ / Customer များ
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,စံ Delivery မှတ်ချက် format နဲ့သုံးစွဲဖို့အလွတ် Leave
 DocType: Employee Education,Post Graduate,Post ကိုဘွဲ့လွန်
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ပြုပြင်ထိန်းသိမ်းမှုဇယား Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,အသစ်ကဝယ်ယူအမိန့်အဘို့သတိပေး
@@ -3437,14 +3476,14 @@
 DocType: Support Search Source,Post Title Key,Post ကိုခေါင်းစဉ် Key ကို
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,ယောဘသည် Card ကိုများအတွက်
 DocType: Warranty Claim,Raised By,By ထမြောက်စေတော်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,ညွှန်း
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,ညွှန်း
 DocType: Payment Gateway Account,Payment Account,ငွေပေးချေမှုရမည့်အကောင့်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,ဆက်လက်ဆောင်ရွက်ရန်ကုမ္ပဏီသတ်မှတ် ကျေးဇူးပြု.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,ဆက်လက်ဆောင်ရွက်ရန်ကုမ္ပဏီသတ်မှတ် ကျေးဇူးပြု.
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Accounts ကို receiver များတွင် Net က Change ကို
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,ပိတ် Compensatory
 DocType: Job Offer,Accepted,လက်ခံထားတဲ့
 DocType: POS Closing Voucher,Sales Invoices Summary,အနှစ်ချုပ်ငွေတောင်းခံလွှာအရောင်း
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,ပါတီအမည်ရန်
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,ပါတီအမည်ရန်
 DocType: Grant Application,Organization,အဖှဲ့အစညျး
 DocType: Grant Application,Organization,အဖှဲ့အစညျး
 DocType: BOM Update Tool,BOM Update Tool,BOM Update ကို Tool ကို
@@ -3454,7 +3493,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,သင်အမှန်တကယ်ဒီကုမ္ပဏီပေါင်းသည်တလုံးငွေကြေးလွှဲပြောင်းပယ်ဖျက်လိုသေချာအောင်လေ့လာပါ။ ထိုသို့အဖြစ်သင်၏သခင်ဒေတာဖြစ်နေလိမ့်မယ်။ ဤ action ပြင်. မရပါ။
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,ရှာဖွေမှုရလာဒ်များ
 DocType: Room,Room Number,အခန်းနံပတ်
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},မမှန်ကန်ခြင်းရည်ညွှန်းကိုးကား {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},မမှန်ကန်ခြင်းရည်ညွှန်းကိုးကား {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ထုတ်လုပ်မှုအမိန့် {3} အတွက်စီစဉ်ထား quanitity ({2}) ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 DocType: Shipping Rule,Shipping Rule Label,သဘောင်္တင်ခ Rule Label
 DocType: Journal Entry Account,Payroll Entry,လုပ်ခလစာ Entry &#39;
@@ -3462,8 +3501,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,အခွန် Template: Make
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,အသုံးပြုသူဖိုရမ်
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,ကုန်ကြမ်းပစ္စည်းများအလွတ်မဖြစ်နိုင်။
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,အတန်း # {0} (ငွေပေးချေမှုရမည့်စားပွဲတင်): ငွေပမာဏအနုတ်လက္ခဏာဖြစ်ရပါမည်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","ငွေတောင်းခံလွှာတစ်စက်ရေကြောင်းကို item များပါရှိသည်, စတော့ရှယ်ယာကို update မရနိုင်ပါ။"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,အတန်း # {0} (ငွေပေးချေမှုရမည့်စားပွဲတင်): ငွေပမာဏအနုတ်လက္ခဏာဖြစ်ရပါမည်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","ငွေတောင်းခံလွှာတစ်စက်ရေကြောင်းကို item များပါရှိသည်, စတော့ရှယ်ယာကို update မရနိုင်ပါ။"
 DocType: Contract,Fulfilment Status,ပွညျ့စုံအခြေအနေ
 DocType: Lab Test Sample,Lab Test Sample,Lab ကစမ်းသပ်နမူနာ
 DocType: Item Variant Settings,Allow Rename Attribute Value,Rename Attribute Value ကို Allow
@@ -3505,11 +3544,11 @@
 DocType: BOM,Show Operations,Show ကိုစစ်ဆင်ရေး
 ,Minutes to First Response for Opportunity,အခွင့်အလမ်းများအတွက်ပထမဦးဆုံးတုံ့ပြန်မှုမှမိနစ်
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,စုစုပေါင်းပျက်ကွက်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,အတန်းသည် item သို့မဟုတ်ဂိုဒေါင် {0} ပစ္စည်းတောင်းဆိုမှုနှင့်ကိုက်ညီပါဘူး
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,အတန်းသည် item သို့မဟုတ်ဂိုဒေါင် {0} ပစ္စည်းတောင်းဆိုမှုနှင့်ကိုက်ညီပါဘူး
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,တိုင်း၏ယူနစ်
 DocType: Fiscal Year,Year End Date,တစ်နှစ်တာအဆုံးနေ့စွဲ
 DocType: Task Depends On,Task Depends On,Task အပေါ်မူတည်
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,အခွင့်အရေး
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,အခွင့်အရေး
 DocType: Operation,Default Workstation,default Workstation နှင့်
 DocType: Notification Control,Expense Claim Approved Message,စရိတ်တောင်းဆိုမှုများ Approved Message
 DocType: Payment Entry,Deductions or Loss,ဖြတ်တောက်ခြင်းများကိုသို့မဟုတ်ပျောက်ဆုံးခြင်း
@@ -3547,21 +3586,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,အသုံးပြုသူအတည်ပြုပေးသောစိုးမိုးရေးသက်ဆိုင်သည် user အဖြစ်အတူတူမဖွစျနိုငျ
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),(စတော့အိတ် UOM နှုန်းအတိုင်း) အခြေခံပညာနှုန်း
 DocType: SMS Log,No of Requested SMS,တောင်းဆိုထားသော SMS ၏မရှိပါ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Pay ကိုမရှိရင် Leave အတည်ပြုခွင့်လျှောက်လွှာမှတ်တမ်းများနှင့်အတူမကိုက်ညီ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Pay ကိုမရှိရင် Leave အတည်ပြုခွင့်လျှောက်လွှာမှတ်တမ်းများနှင့်အတူမကိုက်ညီ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Next ကိုခြေလှမ်းများ
 DocType: Travel Request,Domestic,နိုင်ငံတွင်း
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,အကောငျးဆုံးနှုန်းထားများမှာသတ်မှတ်ထားသောပစ္စည်းများထောက်ပံ့ပေးပါ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,အကောငျးဆုံးနှုန်းထားများမှာသတ်မှတ်ထားသောပစ္စည်းများထောက်ပံ့ပေးပါ
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,ဝန်ထမ်းလွှဲပြောင်းလွှဲပြောင်းနေ့စွဲမတိုင်မီတင်သွင်းမရနိုင်
 DocType: Certification Application,USD,အမေရိကန်ဒေါ်လာ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,ပြေစာလုပ်ပါ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,ကျန်ရှိသောလက်ကျန်ငွေ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,ကျန်ရှိသောလက်ကျန်ငွေ
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 ရက်အကြာမှာအော်တိုနီးစပ်အခွင့်အလမ်း
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,အရစ်ကျအမိန့်ကြောင့် {1} တစ် scorecard ရပ်တည်မှုမှ {0} ဘို့ခွင့်ပြုမထားပေ။
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,ဘားကုဒ် {0} ခိုင်လုံသော {1} ကုဒ်မဟုတ်ပါဘူး
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,ဘားကုဒ် {0} ခိုင်လုံသော {1} ကုဒ်မဟုတ်ပါဘူး
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,အဆုံးတစ်နှစ်တာ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quote /% ကိုပို့ဆောငျ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quote /% ကိုပို့ဆောငျ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,စာချုပ်ကုန်ဆုံးတော့နေ့စွဲအတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,စာချုပ်ကုန်ဆုံးတော့နေ့စွဲအတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
 DocType: Driver,Driver,မောင်းသူ
 DocType: Vital Signs,Nutrition Values,အာဟာရတန်ဖိုးများ
 DocType: Lab Test Template,Is billable,ဘီလ်ဆောင်ဖြစ်ပါသည်
@@ -3572,7 +3611,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,ဒါဟာ ERPNext ကနေ Auto-generated ဥပမာတစ်ခုဝက်ဆိုက်
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Ageing Range 1
 DocType: Shopify Settings,Enable Shopify,Shopify Enable
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,စုစုပေါင်းကြိုတင်မဲငွေပမာဏစုစုပေါင်းအခိုင်အမာငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,စုစုပေါင်းကြိုတင်မဲငွေပမာဏစုစုပေါင်းအခိုင်အမာငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 DocType: Purchase Taxes and Charges Template,"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
@@ -3599,12 +3638,12 @@
 DocType: Employee Separation,Employee Separation,ဝန်ထမ်း Separation
 DocType: BOM Item,Original Item,မူရင်း Item
 DocType: Purchase Receipt Item,Recd Quantity,Recd ပမာဏ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,doc နေ့စွဲ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,doc နေ့စွဲ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Created ကြေး Records ကို - {0}
 DocType: Asset Category Account,Asset Category Account,ပိုင်ဆိုင်မှုအမျိုးအစားအကောင့်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,အတန်း # {0} (ငွေပေးချေမှုရမည့်စားပွဲတင်): ငွေပမာဏအပြုသဘောဖြစ်ရမည်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,အတန်း # {0} (ငွေပေးချေမှုရမည့်စားပွဲတင်): ငွေပမာဏအပြုသဘောဖြစ်ရမည်
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},အရောင်းအမိန့်အရေအတွက် {1} ထက်ပိုပစ္စည်း {0} မထုတ်လုပ်နိုင်သ
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,ကို Select လုပ်ပါ Attribute တန်ဖိုးများ
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,ကို Select လုပ်ပါ Attribute တန်ဖိုးများ
 DocType: Purchase Invoice,Reason For Issuing document,စာရွက်စာတမ်းထုတ်ပေးခြင်းသည်အကြောင်းပြချက်
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,စတော့အိတ် Entry &#39;{0} တင်သွင်းသည်မဟုတ်
 DocType: Payment Reconciliation,Bank / Cash Account,ဘဏ်မှ / ငွေအကောင့်
@@ -3613,8 +3652,10 @@
 DocType: Asset,Manual,လက်စွဲ
 DocType: Salary Component Account,Salary Component Account,လစာစိတျအပိုငျးအကောင့်
 DocType: Global Defaults,Hide Currency Symbol,ငွေကြေးစနစ်သင်္ကေတဝှက်
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ရင်းမြစ်အားဖြင့်အရောင်းအခွင့်အလမ်းများ
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,အလှူရှင်သတင်းအချက်အလက်။
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ဥပမာဘဏ်, ငွေ, Credit Card ကို"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ကျေးဇူးပြု. Setup ကို&gt; နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ဥပမာဘဏ်, ငွေ, Credit Card ကို"
 DocType: Job Applicant,Source Name,source အမည်
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","လူကြီးအတွက်ပုံမှန်ကျိန်းဝပ်သွေးဖိအားခန့်မှန်းခြေအားဖြင့် 120 mmHg နှလုံးကျုံ့ဖြစ်ပြီး, 80 mmHg diastolic, အတိုကောက် &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","manufacturing_date ပေါင်းမိမိကိုယ်ကိုဘဝအပေါ်အခြေခံပြီးသက်တမ်းကုန်ဆုံးတင်ထားရန်, နေ့ရက်ကာလ၌ပစ္စည်းကမ်းလွန်ရေတိမ်ပိုင်းဘဝ Set"
@@ -3644,7 +3685,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},အရေအတွက်အဘို့ {0} အရေအတွက်ထက်လျော့နည်းဖြစ်ရမည်
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,row {0}: Start ကိုနေ့စွဲ End Date ကိုခင်ဖြစ်ရမည်
 DocType: Salary Component,Max Benefit Amount (Yearly),(နှစ်စဉ်) မက်စ်အကျိုးခံစားခွင့်ငွေပမာဏ
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS နှုန်း%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS နှုန်း%
 DocType: Crop,Planting Area,စပါးစိုက်ပျိုးချိန်ဧရိယာ
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),စုစုပေါင်း (Qty)
 DocType: Installation Note Item,Installed Qty,Install လုပ်ရတဲ့ Qty
@@ -3666,8 +3707,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,အတည်ပြုချက်သတိပေးချက် Leave
 DocType: Buying Settings,Default Buying Price List,default ဝယ်ယူစျေးနှုန်းများစာရင်း
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Timesheet အပေါ်အခြေခံပြီးလစာစလစ်ဖြတ်ပိုင်းပုံစံ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,ဝယ်ယူနှုန်း
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},အတန်း {0}: အပိုင်ဆိုင်မှုကို item {1} များအတွက်တည်နေရာ Enter
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,ဝယ်ယူနှုန်း
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},အတန်း {0}: အပိုင်ဆိုင်မှုကို item {1} များအတွက်တည်နေရာ Enter
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,ထိုနေ့ကိုပု-RFQ-.YYYY.-
 DocType: Company,About the Company,ကုမ္ပဏီအကြောင်း
 DocType: Notification Control,Sales Order Message,အရောင်းအမှာစာ
@@ -3734,10 +3775,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,အတန်းများအတွက် {0}: စီစဉ်ထားအရည်အတွက် Enter
 DocType: Account,Income Account,ဝင်ငွေခွန်အကောင့်
 DocType: Payment Request,Amount in customer's currency,ဖောက်သည်ရဲ့ငွေကြေးပမာဏ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,delivery
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,delivery
 DocType: Volunteer,Weekdays,ကြားရက်များ
 DocType: Stock Reconciliation Item,Current Qty,လက်ရှိ Qty
 DocType: Restaurant Menu,Restaurant Menu,စားသောက်ဆိုင်မီနူး
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,ပေးသွင်း Add
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,အကူအညီပုဒ်မ
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,prev
@@ -3749,19 +3791,20 @@
 												fullfill Sales Order {2}",{1} က {2} အရောင်းအမိန့် fullfill \ ဖို့ reserved ဖြစ်ပါတယ်အဖြစ်ကို item ၏ {0} Serial အဘယ်သူမျှမကယ်မနှုတ်နိုင်မလား
 DocType: Item Reorder,Material Request Type,material တောင်းဆိုမှုကအမျိုးအစား
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Grant ကပြန်လည်ဆန်းစစ်ခြင်းအီးမေးလ်ပို့ပါ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,row {0}: UOM ကူးပြောင်းခြင်း Factor နဲ့မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,row {0}: UOM ကူးပြောင်းခြင်း Factor နဲ့မဖြစ်မနေဖြစ်ပါသည်
 DocType: Employee Benefit Claim,Claim Date,အရေးဆိုသည့်ရက်စွဲ
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,ROOM တွင်စွမ်းဆောင်ရည်
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},ယခုပင်လျှင်စံချိန်ပစ္စည်း {0} များအတွက်တည်ရှိ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,သင်ယခင်ကထုတ်ပေးငွေတောင်းခံလွှာ၏မှတ်တမ်းများကိုဆုံးရှုံးပါလိမ့်မယ်။ သင်ဤ subscription ကိုပြန်လည်စတင်ရန်ချင်သင်သေချာပါသလား?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,မှတ်ပုံတင်ခြင်းကြေး
 DocType: Loyalty Program Collection,Loyalty Program Collection,သစ္စာရှိမှုအစီအစဉ်စုစည်းမှု
 DocType: Stock Entry Detail,Subcontracted Item,နှုံး Item
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},ကျောင်းသား {0} အုပ်စု {1} ပိုင်ပါဘူး
 DocType: Budget,Cost Center,ကုန်ကျစရိတ် Center က
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,ဘောက်ချာ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,ဘောက်ချာ #
 DocType: Notification Control,Purchase Order Message,အမိန့် Message ယ်ယူ
 DocType: Tax Rule,Shipping Country,သဘောင်္တင်ခနိုင်ငံဆိုင်ရာ
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,အရောင်းအရောင်းအဝယ်ကနေဖောက်သည်ရဲ့အခွန် Id Hide
@@ -3780,23 +3823,22 @@
 DocType: Subscription,Cancel At End Of Period,ကာလ၏အဆုံးမှာ Cancel
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,အိမ်ခြံမြေပြီးသားကဆက်ပြောသည်
 DocType: Item Supplier,Item Supplier,item ပေးသွင်း
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,အဘယ်သူမျှမသုတ်ရ Item Code ကိုရိုက်ထည့်ပေးပါ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{1} quotation_to {0} လို့တန်ဖိုးကို select ကျေးဇူးပြု.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,အဘယ်သူမျှမသုတ်ရ Item Code ကိုရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{1} quotation_to {0} လို့တန်ဖိုးကို select ကျေးဇူးပြု.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,အပြောင်းအရွှေ့အတွက်ရွေးချယ်ပစ္စည်းများအဘယ်သူမျှမ
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,အားလုံးသည်လိပ်စာ။
 DocType: Company,Stock Settings,စတော့အိတ် Settings ကို
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးမှတ်တမ်းများအတွက်တူညီသော အကယ်. merge သာဖြစ်နိုင်ပါတယ်။ အုပ်စု, Root Type, ကုမ္ပဏီဖြစ်ပါတယ်"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးမှတ်တမ်းများအတွက်တူညီသော အကယ်. merge သာဖြစ်နိုင်ပါတယ်။ အုပ်စု, Root Type, ကုမ္ပဏီဖြစ်ပါတယ်"
 DocType: Vehicle,Electric,လျှပ်စစ်စွမ်းအား
 DocType: Task,% Progress,% တိုးတက်ရေးပါတီ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,ပိုင်ဆိုင်မှုရှင်းအပေါ်အမြတ် / ပျောက်ဆုံးခြင်း
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",&quot;Approved&quot; ဟုအဆိုပါအဆင့်အတန်းနှင့်အတူကျောင်းသားသမဂ္ဂများအဖွဲ့ချုပ်လျှောက်ထားသူသာလျှင်အောက်က table ထဲမှာမရွေးပါလိမ့်မည်။
 DocType: Tax Withholding Category,Rates,နှုန်းထားများ
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,အကောင့် {0} များအတွက်အကောင့်အရေအတွက်ကမရရှိနိုင်။ <br> မှန်ကန်စွာ Accounts ကို၏ ကျေးဇူးပြု. setup ကိုသင့်ရဲ့ဇယား။
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,အကောင့် {0} များအတွက်အကောင့်အရေအတွက်ကမရရှိနိုင်။ <br> မှန်ကန်စွာ Accounts ကို၏ ကျေးဇူးပြု. setup ကိုသင့်ရဲ့ဇယား။
 DocType: Task,Depends on Tasks,လုပ်ငန်းများအပေါ်မူတည်
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ဖောက်သည်အုပ်စု Tree Manage ။
 DocType: Normal Test Items,Result Value,ရလဒ်တန်ဖိုး
 DocType: Hotel Room,Hotels,ဟိုတယ်
-DocType: Delivery Note,Transporter Date,Transporter နေ့စွဲ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,နယူးကုန်ကျစရိတ် Center ကအမည်
 DocType: Leave Control Panel,Leave Control Panel,Control Panel ကို Leave
 DocType: Project,Task Completion,task ကိုပြီးမြောက်ခြင်း
@@ -3843,11 +3885,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,အားလုံးအကဲဖြတ်အဖွဲ့များ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,နယူးဂိုဒေါင်အမည်
 DocType: Shopify Settings,App Type,App ကိုအမျိုးအစား
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),စုစုပေါင်း {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),စုစုပေါင်း {0} ({1})
 DocType: C-Form Invoice Detail,Territory,နယျမွေ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,လိုအပ်သောလာရောက်လည်ပတ်သူမျှဖော်ပြထားခြင်း ကျေးဇူးပြု.
 DocType: Stock Settings,Default Valuation Method,default အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နည်းနိဿယ
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ကြေး
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,တိုးပွားလာသောငွေပမာဏပြရန်
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,တိုးတက်မှုအတွက် Update ကို။ ဒါဟာခဏတစ်ယူပေလိမ့်မည်။
 DocType: Production Plan Item,Produced Qty,ထုတ်လုပ်အရည်အတွက်
 DocType: Vehicle Log,Fuel Qty,လောင်စာအရည်အတွက်
@@ -3855,7 +3898,7 @@
 DocType: Work Order Operation,Planned Start Time,စီစဉ်ထား Start ကိုအချိန်
 DocType: Course,Assessment,အကဲဖြတ်
 DocType: Payment Entry Reference,Allocated,ခွဲဝေ
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Balance Sheet နှင့်စာအုပ်အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်းနီးကပ်။
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Balance Sheet နှင့်စာအုပ်အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်းနီးကပ်။
 DocType: Student Applicant,Application Status,လျှောက်လွှာအခြေအနေ
 DocType: Additional Salary,Salary Component Type,လစာစိတျအပိုငျးအမျိုးအစား
 DocType: Sensitivity Test Items,Sensitivity Test Items,sensitivity စမ်းသပ်ပစ္စည်းများ
@@ -3866,10 +3909,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,စုစုပေါင်းထူးချွန်ငွေပမာဏ
 DocType: Sales Partner,Targets,ပစ်မှတ်
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,ကုမ္ပဏီ၏သတင်းအချက်အလက်များဖိုင်ထဲမှာဥဩအရေအတွက်ကိုမှတ်ပုံတင်ပါ
+DocType: Email Digest,Sales Orders to Bill,ဘီလ်မှအရောင်းအမိန့်
 DocType: Price List,Price List Master,စျေးနှုန်း List ကိုမဟာ
 DocType: GST Account,CESS Account,အခွန်အကောင့်
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,အားလုံးသည်အရောင်းငွေကြေးကိစ္စရှင်းလင်းမှုမျိုးစုံ ** အရောင်း Persons ဆန့်ကျင် tagged နိုင်ပါတယ် ** သင်ပစ်မှတ် ထား. စောင့်ကြည့်နိုင်အောင်။
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,ပစ္စည်းတောင်းဆိုခြင်းမှ Link ကို
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,ပစ္စည်းတောင်းဆိုခြင်းမှ Link ကို
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,ဖိုရမ်လှုပ်ရှားမှု
 ,S.O. No.,SO အမှတ်
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,ဘဏ်ဖော်ပြချက်ငွေသွင်းငွေထုတ်က Settings Item
@@ -3884,7 +3928,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,"ဒါကအမြစ်ဖောက်သည်အုပ်စုဖြစ်ပြီး, edited မရနိုင်ပါ။"
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,လှုပ်ရှားမှုစုဆောင်းဒီလအတွက်ဘတ်ဂျက်စာတိုက်အပေါ်ကိုကျြောသှားပါလျှင်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,ရာဌာနမှ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,ရာဌာနမှ
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ချိန်းနှုန်း Revaluation
 DocType: POS Profile,Ignore Pricing Rule,စျေးနှုန်းများ Rule Ignore
 DocType: Employee Education,Graduate,ဘွဲ့ရသည်
@@ -3921,6 +3965,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,စားသောက်ဆိုင်က Settings ထဲမှာ default အနေနဲ့ဖောက်သည်သတ်မှတ်ပေးပါ
 ,Salary Register,လစာမှတ်ပုံတင်မည်
 DocType: Warehouse,Parent Warehouse,မိဘဂိုဒေါင်
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,ဇယား
 DocType: Subscription,Net Total,Net ကစုစုပေါင်း
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},default Item {0} ဘို့မတွေ့ရှိ BOM နှင့်စီမံကိန်း {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,အမျိုးမျိုးသောချေးငွေအမျိုးအစားများကိုသတ်မှတ်
@@ -3953,24 +3998,26 @@
 DocType: Membership,Membership Status,အသင်းဝင်အခြေအနေ
 DocType: Travel Itinerary,Lodging Required,တည်းခိုခန်းတောင်းဆိုနေတဲ့
 ,Requested,မေတ္တာရပ်ခံ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,အဘယ်သူမျှမမှတ်ချက်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,အဘယ်သူမျှမမှတ်ချက်
 DocType: Asset,In Maintenance,ကို Maintenance အတွက်
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,အမေဇုံ MWS မှသင်၏အရောင်းအမိန့် data တွေကိုဆွဲထုတ်ဤခလုတ်ကိုကလစ်နှိပ်ပါ။
 DocType: Vital Signs,Abdomen,ဝမ်း
 DocType: Purchase Invoice,Overdue,မပွေကုနျနသော
 DocType: Account,Stock Received But Not Billed,စတော့အိတ်ရရှိထားသည့်ဒါပေမဲ့ကြေညာတဲ့မ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,အမြစ်သည်အကောင့်ကိုအဖွဲ့တစ်ဖွဲ့ဖြစ်ရပါမည်
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,အမြစ်သည်အကောင့်ကိုအဖွဲ့တစ်ဖွဲ့ဖြစ်ရပါမည်
 DocType: Drug Prescription,Drug Prescription,မူးယစ်ဆေးညွှန်း
 DocType: Loan,Repaid/Closed,ဆပ် / ပိတ်သည်
 DocType: Amazon MWS Settings,CA,", CA"
 DocType: Item,Total Projected Qty,စုစုပေါင်းစီမံကိန်းအရည်အတွက်
 DocType: Monthly Distribution,Distribution Name,ဖြန့်ဖြူးအမည်
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM Include
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","အဘိုးပြတ်မှုနှုန်း {1} {2} များအတွက်စာရင်းကိုင် entries တွေကိုလုပ်ဖို့လိုအပ်သောပစ္စည်း {0}, အဘို့ရှာမတွေ့ပါ။ ပစ္စည်းတစ်ခုသုညအဘိုးပြတ်မှုနှုန်းကို item အဖြစ်လုပ်ဆောင်လျက်ရှိသည်လျှင် {1}, ပု {1} Item table ထဲမှာကြောင်းဖော်ပြထားခြင်းပါ။ ဒီလိုမှမဟုတ်ရင်ပစ္စည်းတစ်ခုဝင်လာသောစတော့ရှယ်ယာအရောင်းအဝယ်အတွက်ဖန်တီးသို့မဟုတ်ဖော်ပြထားခြင်းအဘိုးပြတ်နှုန်း Item စံချိန်အတွက်, ပြီးတော့ဒီ entry ပယ်ဖျက် / submiting ကြိုးစားကြည့်ပါ"
 DocType: Course,Course Code,သင်တန်း Code ကို
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Item {0} သည်လိုအပ်သောအရည်အသွေးပြည့်စစ်ဆေးရေး
 DocType: Location,Parent Location,မိဘတည်နေရာ
 DocType: POS Settings,Use POS in Offline Mode,အော့ဖ်လိုင်းဖြင့် Mode တွင် POS သုံးပါ
 DocType: Supplier Scorecard,Supplier Variables,ပေးသွင်း Variables ကို
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} မဖြစ်မနေဖြစ်ပါတယ်။ ဒီတစ်ခါလည်းငွေကြေးလဲလှယ်ရေးစံချိန် {1} {2} မှဖန်တီးသည်မဟုတ်
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ဖောက်သည်ရဲ့ငွေကြေးကုမ္ပဏီ၏အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Net က Rate (ကုမ္ပဏီငွေကြေးစနစ်)
 DocType: Salary Detail,Condition and Formula Help,အခြေအနေနှင့်ဖော်မြူလာအကူအညီ
@@ -3979,19 +4026,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,အရောင်းပြေစာ
 DocType: Journal Entry Account,Party Balance,ပါတီ Balance
 DocType: Cash Flow Mapper,Section Subtotal,ပုဒ်မစုစုပေါင်း
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,လျှော့တွင် Apply ကို select ကျေးဇူးပြု.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,လျှော့တွင် Apply ကို select ကျေးဇူးပြု.
 DocType: Stock Settings,Sample Retention Warehouse,နမူနာ retention ဂိုဒေါင်
 DocType: Company,Default Receivable Account,default receiver အကောင့်
 DocType: Purchase Invoice,Deemed Export,ယူဆပါသည်ပို့ကုန်
 DocType: Stock Entry,Material Transfer for Manufacture,Manufacturing သည်ပစ္စည်းလွှဲပြောင်း
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,လျော့စျေးရာခိုင်နှုန်းတစ်စျေးနှုန်း List ကိုဆန့်ကျင်သို့မဟုတ်အားလုံးစျေးနှုန်းစာရင်းများအတွက်လည်းကောင်းလျှောက်ထားနိုင်ပါသည်။
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,စတော့အိတ်သည်စာရင်းကိုင် Entry &#39;
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,စတော့အိတ်သည်စာရင်းကိုင် Entry &#39;
 DocType: Lab Test,LabTest Approver,LabTest သဘောတူညီချက်ပေး
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,သငျသညျပြီးသား {} အဆိုပါအကဲဖြတ်သတ်မှတ်ချက်အဘို့အအကဲဖြတ်ပါပြီ။
 DocType: Vehicle Service,Engine Oil,အင်ဂျင်ပါဝါရေနံ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},အလုပ်အမိန့် Created: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},အလုပ်အမိန့် Created: {0}
 DocType: Sales Invoice,Sales Team1,အရောင်း Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,item {0} မတည်ရှိပါဘူး
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,item {0} မတည်ရှိပါဘူး
 DocType: Sales Invoice,Customer Address,customer လိပ်စာ
 DocType: Loan,Loan Details,ချေးငွေအသေးစိတ်
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,setup ကို post ကိုကုမ္ပဏီလ်တာရန်မအောင်မြင်ခဲ့ပါ
@@ -4012,34 +4059,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,စာမျက်နှာရဲ့ထိပ်မှာဒီဆလိုက်ရှိုးပြရန်
 DocType: BOM,Item UOM,item UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),လျှော့ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) ပြီးနောက်အခွန်ပမာဏ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target ကဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target ကဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
 DocType: Cheque Print Template,Primary Settings,မူလတန်းက Settings
 DocType: Attendance Request,Work From Home,မူလစာမျက်နှာ မှစ. လုပ်ငန်းခွင်
 DocType: Purchase Invoice,Select Supplier Address,ပေးသွင်းလိပ်စာကို Select လုပ်ပါ
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,ဝန်ထမ်းများ Add
 DocType: Purchase Invoice Item,Quality Inspection,အရည်အသွေးအစစ်ဆေးရေး
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,အပိုအသေးစား
 DocType: Company,Standard Template,စံ Template
 DocType: Training Event,Theory,သဘောတရား
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,သတိပေးချက်: Qty တောင်းဆိုထားသောပစ္စည်းအနည်းဆုံးအမိန့် Qty ထက်နည်းသော
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,သတိပေးချက်: Qty တောင်းဆိုထားသောပစ္စည်းအနည်းဆုံးအမိန့် Qty ထက်နည်းသော
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,အကောင့်ကို {0} အေးခဲသည်
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,အဖွဲ့ပိုင်ငွေစာရင်း၏သီးခြားဇယားနှင့်အတူဥပဒေကြောင်းအရ Entity / လုပ်ငန်းခွဲများ။
 DocType: Payment Request,Mute Email,အသံတိတ်အီးမေးလ်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","အစားအစာ, Beverage &amp; ဆေးရွက်ကြီး"
 DocType: Account,Account Number,အကောင့်နံပါတ်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},သာ unbilled {0} ဆန့်ကျင်ငွေပေးချေမှုကိုဖြစ်စေနိုင်ပါတယ်
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,ကော်မရှင်နှုန်းက 100 မှာထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},သာ unbilled {0} ဆန့်ကျင်ငွေပေးချေမှုကိုဖြစ်စေနိုင်ပါတယ်
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,ကော်မရှင်နှုန်းက 100 မှာထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),အလိုအလျောက် (FIFO) တိုးတက်လာတာနဲ့အမျှခွဲဝေချထားပေးရန်
 DocType: Volunteer,Volunteer,အပျြောအမှုထမျး
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,ပထမဦးဆုံး {0} မဝင်ရ ကျေးဇူးပြု.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,မှအဘယ်သူမျှမဖြေကြားမှုများ
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,မှအဘယ်သူမျှမဖြေကြားမှုများ
 DocType: Work Order Operation,Actual End Time,အမှန်တကယ် End အချိန်
 DocType: Item,Manufacturer Part Number,ထုတ်လုပ်သူအပိုင်းနံပါတ်
 DocType: Taxable Salary Slab,Taxable Salary Slab,Taxable လစာတစ်ခုလို့ဆိုရမှာပါ
 DocType: Work Order Operation,Estimated Time and Cost,ခန့်မှန်းခြေအချိန်နှင့်ကုန်ကျစရိတ်
 DocType: Bin,Bin,ကျီငယ်
 DocType: Crop,Crop Name,သီးနှံအမည်
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,{0} အခန်းကဏ္ဍနှင့်အတူသာလျှင်သုံးစွဲသူများက Marketplace တွင်မှတ်ပုံတင်နိုင်
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,{0} အခန်းကဏ္ဍနှင့်အတူသာလျှင်သုံးစွဲသူများက Marketplace တွင်မှတ်ပုံတင်နိုင်
 DocType: SMS Log,No of Sent SMS,Sent SMS ၏မရှိပါ
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-ရင်ခွင်-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,ချိန်းနှင့်တှေ့ဆုံ
@@ -4068,7 +4116,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,ပြောင်းလဲမှုကို Code ကို
 DocType: Purchase Invoice Item,Valuation Rate,အဘိုးပြတ် Rate
 DocType: Vehicle,Diesel,ဒီဇယ်
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,စျေးနှုန်း List ကိုငွေကြေးစနစ်ကိုမရွေးချယ်
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,စျေးနှုန်း List ကိုငွေကြေးစနစ်ကိုမရွေးချယ်
 DocType: Purchase Invoice,Availed ITC Cess,ရရှိနိုင်ပါ ITC အခွန်
 ,Student Monthly Attendance Sheet,ကျောင်းသားသမဂ္ဂလစဉ်တက်ရောက်စာရွက်
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,ရောင်းအားအဘို့ကိုသာသက်ဆိုင် shipping အုပ်ချုပ်မှုကို
@@ -4085,7 +4133,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,အရောင်း Partners Manage ။
 DocType: Quality Inspection,Inspection Type,စစ်ဆေးရေး Type
 DocType: Fee Validity,Visited yet,သေး Visited
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူဂိုဒေါင်အုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူဂိုဒေါင်အုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။
 DocType: Assessment Result Tool,Result HTML,ရလဒ်က HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,မကြာခဏဘယ်လိုပရောဂျက်သငျ့သညျနှင့်ကုမ္ပဏီအရောင်းအရောင်းအဝယ်ပေါ်တွင်အခြေခံ updated လိမ့်မည်။
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,တွင်သက်တမ်းကုန်ဆုံးမည်
@@ -4093,7 +4141,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},{0} ကို select ကျေးဇူးပြု.
 DocType: C-Form,C-Form No,C-Form တွင်မရှိပါ
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,အဝေးသင်
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,အဝေးသင်
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,သငျသညျရောင်းမဝယ်သင့်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှုစာရင်းပြုစုပါ။
 DocType: Water Analysis,Storage Temperature,သိုလှောင်ခြင်းအပူချိန်
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4109,19 +4157,19 @@
 DocType: Shopify Settings,Delivery Note Series,Delivery မှတ်ချက်စီးရီး
 DocType: Purchase Order Item,Returned Qty,ပြန်လာသော Qty
 DocType: Student,Exit,ထွက်ပေါက်
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,အမြစ်ကအမျိုးအစားမသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,အမြစ်ကအမျိုးအစားမသင်မနေရ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,ရလာဒ်ကဒိ install လုပ်ရန်မအောင်မြင်ခဲ့ပါ
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,နာရီအတွက် UOM ကူးပြောင်းခြင်း
 DocType: Contract,Signee Details,Signee အသေးစိတ်
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} လက်ရှိ {1} ပေးသွင်း Scorecard ရပ်တည်မှုရှိပါတယ်, ဤကုန်ပစ္စည်းပေးသွင်းဖို့ RFQs သတိနဲ့ထုတ်ပေးရပါမည်။"
 DocType: Certified Consultant,Non Profit Manager,non အမြတ် Manager ကို
 DocType: BOM,Total Cost(Company Currency),စုစုပေါင်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,serial No {0} နေသူများကဖန်တီး
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,serial No {0} နေသူများကဖန်တီး
 DocType: Homepage,Company Description for website homepage,ဝက်ဘ်ဆိုက်ပင်မစာမျက်နှာများအတွက်ကုမ္ပဏီဖျေါပွခကျြ
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",ဖောက်သည်များအဆင်ပြေဤ codes တွေကိုငွေတောင်းခံလွှာနှင့် Delivery မှတ်စုများတူပုံနှိပ်ပုံစံများဖြင့်အသုံးပြုနိုင်
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier အမည်
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} များအတွက်သတင်းအချက်အလက်ရယူမပေးနိုင်ခဲ့ပါ။
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,ဖွင့်လှစ် Entry &#39;ဂျာနယ်
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,ဖွင့်လှစ် Entry &#39;ဂျာနယ်
 DocType: Contract,Fulfilment Terms,ပွညျ့စုံစည်းမျဉ်းများ
 DocType: Sales Invoice,Time Sheet List,အချိန်စာရွက်စာရင်း
 DocType: Employee,You can enter any date manually,သင်တို့ကိုကို manually မဆိုနေ့စွဲကိုရိုက်ထည့်နိုင်ပါတယ်
@@ -4157,7 +4205,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,သင့်ရဲ့အဖွဲ့
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Leave ခွဲဝေမှတ်တမ်းများပြီးသားသူတို့တဘက်၌တည်ရှိသကဲ့သို့, အောက်ပါန်ထမ်းများအတွက်ခွင့်ခွဲဝေခုန်ကျော်သွားသကဲ့သို့ဖြစ်ရသည်။ {0}"
 DocType: Fee Component,Fees Category,အဖိုးအခ Category:
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,နေ့စွဲ relieving ရိုက်ထည့်ပေးပါ။
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,နေ့စွဲ relieving ရိုက်ထည့်ပေးပါ။
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","စပွန်ဆာအသေးစိတ် (အမည်, တည်နေရာ)"
 DocType: Supplier Scorecard,Notify Employee,ထမ်းအကြောင်းကြားရန်
@@ -4170,9 +4218,9 @@
 DocType: Company,Chart Of Accounts Template,Accounts ကို Template ၏ဇယား
 DocType: Attendance,Attendance Date,တက်ရောက်သူနေ့စွဲ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},စတော့ရှယ်ယာကိုအပ်ဒိတ်လုပ်ဝယ်ယူငွေတောင်းခံလွှာ {0} အဘို့ကို enable ရမည်ဖြစ်သည်
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},item စျေးစျေးစာရင်း {1} အတွက် {0} ဘို့ updated
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},item စျေးစျေးစာရင်း {1} အတွက် {0} ဘို့ updated
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ဝင်ငွေနဲ့ထုတ်ယူအပေါ်အခြေခံပြီးလစာအဖြစ်ခွဲထုတ်။
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,ကလေး nodes နဲ့အကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,ကလေး nodes နဲ့အကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
 DocType: Purchase Invoice Item,Accepted Warehouse,လက်ခံထားတဲ့ဂိုဒေါင်
 DocType: Bank Reconciliation Detail,Posting Date,Post date
 DocType: Item,Valuation Method,အဘိုးပြတ် Method ကို
@@ -4209,6 +4257,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,တစ်သုတ်ကို select ပေးပါ
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,ခရီးသွားနှင့်သုံးစွဲမှုဆိုနေ
 DocType: Sales Invoice,Redemption Cost Center,ရွေးနှုတ်သောကုန်ကျစရိတ်ရေးစင်တာ
+DocType: QuickBooks Migrator,Scope,scope
 DocType: Assessment Group,Assessment Group Name,အကဲဖြတ် Group မှအမည်
 DocType: Manufacturing Settings,Material Transferred for Manufacture,ထုတ်လုပ်ခြင်းများအတွက်သို့လွှဲပြောင်း material
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,အသေးစိတ်ပေါင်းထည့်ရန်
@@ -4216,6 +4265,7 @@
 DocType: Shopify Settings,Last Sync Datetime,နောက်ဆုံး Sync ကို DATETIME
 DocType: Landed Cost Item,Receipt Document Type,ငွေလက်ခံပြေစာစာရွက်စာတမ်းအမျိုးအစား
 DocType: Daily Work Summary Settings,Select Companies,ကုမ္ပဏီများကို Select လုပ်ပါ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,အဆိုပြုချက်ကို / စျေး Quote
 DocType: Antibiotic,Healthcare,ကျန်းမာရေးစောင့်ရှောက်မှု
 DocType: Target Detail,Target Detail,Target က Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,လူပျိုမူကွဲ
@@ -4225,6 +4275,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,ကာလသင်တန်းဆင်းပွဲ Entry &#39;
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,ဦးစီးဌာနရွေးပါ ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,လက်ရှိအရောင်းအနှင့်အတူကုန်ကျစရိတ် Center ကအုပ်စုအဖြစ်ပြောင်းလဲမပြနိုင်
+DocType: QuickBooks Migrator,Authorization URL,authorization URL ကို
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},ငွေပမာဏ {0} {1} {2} {3}
 DocType: Account,Depreciation,တန်ဖိုး
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,ရှယ်ယာအရေအတွက်နှင့်ရှယ်ယာဂဏန်းကိုက်ညီမှုရှိပါတယ်
@@ -4247,13 +4298,14 @@
 DocType: Support Search Source,Source DocType,source DOCTYPE
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,အသစ်တစ်ခုကိုလက်မှတ်ဖွင့်ပါ
 DocType: Training Event,Trainer Email,သင်တန်းပေးတဲ့အီးမေးလ်ဂ
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,material တောင်းဆို {0} နေသူများကဖန်တီး
 DocType: Restaurant Reservation,No of People,ပြည်သူ့မျှ
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ဝေါဟာရသို့မဟုတ်ကန်ထရိုက်၏ template ။
 DocType: Bank Account,Address and Contact,လိပ်စာနှင့်ဆက်သွယ်ရန်
 DocType: Vital Signs,Hyper,က Hyper
 DocType: Cheque Print Template,Is Account Payable,အကောင့်ပေးချေ Is
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},စတော့အိတ်ဝယ်ယူငွေလက်ခံပြေစာ {0} ဆန့်ကျင် updated မရနိုငျ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},စတော့အိတ်ဝယ်ယူငွေလက်ခံပြေစာ {0} ဆန့်ကျင် updated မရနိုငျ
 DocType: Support Settings,Auto close Issue after 7 days,7 ရက်အတွင်းအပြီးအော်တိုအနီးကပ်ပြဿနာ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ခွင့်ချိန်ခွင်လျှာထားပြီးအနာဂတ်ခွင့်ခွဲဝေစံချိန် {1} အတွက် PPP ဖြင့်ချဉ်းကပ်-forward နိုင်သည်သိရသည်အဖြစ် Leave, {0} မီကခွဲဝေမရနိုငျ"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),မှတ်ချက်: ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} တနေ့ (များ) ကခွင့်ပြုဖောက်သည်အကြွေးရက်ပတ်လုံးထက်ကျော်လွန်
@@ -4271,7 +4323,7 @@
 ,Qty to Deliver,လှတျတျောမူဖို့ Qty
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,အမေဇုံဤရက်စွဲပြီးနောက် updated ဒေတာ synch ပါလိမ့်မယ်
 ,Stock Analytics,စတော့အိတ် Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,စစ်ဆင်ရေးအလွတ်ကျန်ရစ်မရနိုငျ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,စစ်ဆင်ရေးအလွတ်ကျန်ရစ်မရနိုငျ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab ကစမ်းသပ် (s) ကို
 DocType: Maintenance Visit Purpose,Against Document Detail No,Document ဖိုင် Detail မရှိဆန့်ကျင်
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},ပယ်ဖျက်ခြင်းတိုင်းပြည် {0} အဘို့အခွင့်မရှိကြ
@@ -4279,13 +4331,12 @@
 DocType: Quality Inspection,Outgoing,outgoing
 DocType: Material Request,Requested For,အကြောင်းမူကားမေတ္တာရပ်ခံ
 DocType: Quotation Item,Against Doctype,DOCTYPE ဆန့်ကျင်
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ဖျက်သိမ်းသို့မဟုတ်ပိတ်ပါသည်
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ဖျက်သိမ်းသို့မဟုတ်ပိတ်ပါသည်
 DocType: Asset,Calculate Depreciation,တန်ဖိုးတွက်ချက်
 DocType: Delivery Note,Track this Delivery Note against any Project,မည်သည့်စီမံကိန်းဆန့်ကျင်သည်ဤ Delivery Note ကိုခြေရာခံ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,ရင်းနှီးမြှုပ်နှံမှုကနေ Net ကငွေ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ဖောက်သည်&gt; ဖောက်သည် Group မှ&gt; နယ်မြေတွေကို
 DocType: Work Order,Work-in-Progress Warehouse,အလုပ်လုပ်-In-တိုးတက်ရေးပါတီဂိုဒေါင်
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,ပိုင်ဆိုင်မှု {0} တင်သွင်းရဦးမည်
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,ပိုင်ဆိုင်မှု {0} တင်သွင်းရဦးမည်
 DocType: Fee Schedule Program,Total Students,စုစုပေါင်းကျောင်းသားများ
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},တက်ရောက်သူမှတ်တမ်း {0} ကျောင်းသားသမဂ္ဂ {1} ဆန့်ကျင်တည်ရှိ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},ကိုးကားစရာ # {0} {1} ရက်စွဲပါ
@@ -4305,7 +4356,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,လက်ဝဲန်ထမ်းများအတွက် retention အပိုဆုမဖန်တီးနိုင်ပါ
 DocType: Lead,Market Segment,Market မှာအပိုင်း
 DocType: Agriculture Analysis Criteria,Agriculture Manager,စိုက်ပျိုးရေး Manager ကို
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Paid ငွေပမာဏစုစုပေါင်းအနုတ်ထူးချွန်ငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Paid ငွေပမာဏစုစုပေါင်းအနုတ်ထူးချွန်ငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 DocType: Supplier Scorecard Period,Variables,variables ကို
 DocType: Employee Internal Work History,Employee Internal Work History,ဝန်ထမ်းပြည်တွင်းလုပ်ငန်းခွင်သမိုင်း
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),(ဒေါက်တာ) ပိတ်ပွဲ
@@ -4330,22 +4381,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch ထုတ်ကုန်များ
 DocType: Loyalty Point Entry,Loyalty Program,သစ္စာရှိမှုအစီအစဉ်
 DocType: Student Guardian,Father,ဖခင်
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,ပံ့ပိုးမှုလက်မှတ်တွေ
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;&#39; Update ကိုစတော့အိတ် &#39;&#39; သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုရောင်းမည်အမှန်ခြစ်မရနိုငျ
 DocType: Bank Reconciliation,Bank Reconciliation,ဘဏ်မှပြန်လည်ရင်ကြားစေ့ရေး
 DocType: Attendance,On Leave,Leave တွင်
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Updates ကိုရယူပါ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: အကောင့် {2} ကုမ္ပဏီ {3} ပိုင်ပါဘူး
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,အဆိုပါ attribute တွေတစ်ခုချင်းစီကနေအနည်းဆုံးတန်ဖိုးကိုရွေးချယ်ပါ။
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,အဆိုပါ attribute တွေတစ်ခုချင်းစီကနေအနည်းဆုံးတန်ဖိုးကိုရွေးချယ်ပါ။
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,material တောင်းဆိုမှု {0} ကိုပယ်ဖျက်သို့မဟုတ်ရပ်တန့်နေသည်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,dispatch ပြည်နယ်
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,dispatch ပြည်နယ်
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,စီမံခန့်ခွဲမှု Leave
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,အုပ်စုများ
 DocType: Purchase Invoice,Hold Invoice,ငွေတောင်းခံလွှာ Hold
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,ထမ်းကို select ပေးပါ
 DocType: Sales Order,Fully Delivered,အပြည့်အဝကိုကယ်နှုတ်
-DocType: Lead,Lower Income,lower ဝင်ငွေခွန်
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,lower ဝင်ငွေခွန်
 DocType: Restaurant Order Entry,Current Order,လက်ရှိအမိန့်
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,အမှတ်စဉ် nos နှင့်အရေအတွက်အရေအတွက်တူညီဖြစ်ရမည်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်အတန်း {0} သည်အတူတူပင်ဖြစ်နိုင်သေး
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်အတန်း {0} သည်အတူတူပင်ဖြစ်နိုင်သေး
 DocType: Account,Asset Received But Not Billed,ပိုင်ဆိုင်မှုရရှိထားသည့်ဒါပေမယ့်ငွေတောင်းခံထားမှုမ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",ဒီစတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေးတစ်ဦးဖွင့်ပွဲ Entry ဖြစ်ပါတယ်ကတည်းကခြားနားချက်အကောင့်တစ်ခု Asset / ဆိုက်အမျိုးအစားအကောင့်ကိုရှိရမည်
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},ထုတ်ချေးငွေပမာဏချေးငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
@@ -4354,7 +4407,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Item {0} လိုအပ်ဝယ်ယူခြင်းအမိန့်အရေအတွက်
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;&#39; နေ့စွဲ မှစ. &#39;&#39; နေ့စွဲရန် &#39;&#39; နောက်မှာဖြစ်ရပါမည်
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,ဒီဒီဇိုင်းအတွက်မျှမတွေ့ Staffing စီမံကိန်းများကို
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,batch {0} အရာဝတ္ထု၏ {1} ကိုပိတ်ထားသည်။
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,batch {0} အရာဝတ္ထု၏ {1} ကိုပိတ်ထားသည်။
 DocType: Leave Policy Detail,Annual Allocation,နှစ်စဉ်ခွဲဝေ
 DocType: Travel Request,Address of Organizer,စည်းရုံးရေးမှူးများ၏လိပ်စာ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,ကျန်းမာရေးစောင့်ရှောက်မှု Practitioner ကို Select လုပ်ပါ ...
@@ -4363,12 +4416,12 @@
 DocType: Asset,Fully Depreciated,အပြည့်အဝတန်ဖိုးလျော့ကျ
 DocType: Item Barcode,UPC-A,UPC-တစ်ဦးက
 ,Stock Projected Qty,စတော့အိတ် Qty စီမံကိန်း
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},customer {0} {1} သည်စီမံကိန်းပိုင်ပါဘူး
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},customer {0} {1} သည်စီမံကိန်းပိုင်ပါဘူး
 DocType: Employee Attendance Tool,Marked Attendance HTML,တခုတ်တရတက်ရောက် HTML ကို
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","ကိုးကားအဆိုပြုချက်, သင်သည်သင်၏ဖောက်သည်များစေလွှတ်ပြီလေလံများမှာ"
 DocType: Sales Invoice,Customer's Purchase Order,customer ရဲ့အမိန့်ကိုဝယ်ယူ
 DocType: Clinical Procedure,Patient,လူနာ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,အရောင်းအမိန့်မှာ Bypass လုပ်ရအကြွေးစစ်ဆေးမှုများ
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,အရောင်းအမိန့်မှာ Bypass လုပ်ရအကြွေးစစ်ဆေးမှုများ
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,ဝန်ထမ်း onboard လှုပ်ရှားမှု
 DocType: Location,Check if it is a hydroponic unit,က hydroponic ယူနစ်လျှင် Check
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,serial ဘယ်သူမျှမကနှင့်အသုတ်လိုက်
@@ -4378,7 +4431,7 @@
 DocType: Supplier Scorecard Period,Calculations,တွက်ချက်မှုများ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Value တစ်ခုသို့မဟုတ် Qty
 DocType: Payment Terms Template,Payment Terms,ငွေပေးချေမှုရမည့်စည်းမျဉ်းစည်းကမ်းများ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions အမိန့်သည်အထမြောက်စေတော်မရနိုင်သည်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions အမိန့်သည်အထမြောက်စေတော်မရနိုင်သည်
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,မိနစ်
 DocType: Purchase Invoice,Purchase Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက်ယ်ယူ
 DocType: Chapter,Meetup Embed HTML,Meetup Embed က HTML
@@ -4386,7 +4439,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,ပေးသွင်းကိုသွားပါ
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,voucher အခွန်ပိတ်ပွဲ POS
 ,Qty to Receive,လက်ခံမှ Qty
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start နဲ့အဆုံးခိုင်လုံသောလစာကာလ၌မကျစတငျရ, {0} တွက်ချက်လို့မရပါဘူး။"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start နဲ့အဆုံးခိုင်လုံသောလစာကာလ၌မကျစတငျရ, {0} တွက်ချက်လို့မရပါဘူး။"
 DocType: Leave Block List,Leave Block List Allowed,Block List ကို Allowed Leave
 DocType: Grading Scale Interval,Grading Scale Interval,စကေး Interval သည်ဂမ်
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ယာဉ် Log in ဝင်ရန် {0} ဘို့စရိတ်တိုင်ကြား
@@ -4394,10 +4447,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Margin နှင့်အတူစျေးစာရင်းနှုန်းအပေါ်လျှော့စျေး (%)
 DocType: Healthcare Service Unit Type,Rate / UOM,rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,အားလုံးသိုလှောင်ရုံ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,{0} အင်တာမီလန်ကုမ္ပဏီအရောင်းအဝယ်ဘို့မျှမတွေ့ပါ။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,{0} အင်တာမီလန်ကုမ္ပဏီအရောင်းအဝယ်ဘို့မျှမတွေ့ပါ။
 DocType: Travel Itinerary,Rented Car,ငှားရမ်းထားသောကား
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,သင့်ရဲ့ကုမ္ပဏီအကြောင်း
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,အကောင့်ကိုရန်အကြွေးတစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,အကောင့်ကိုရန်အကြွေးတစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
 DocType: Donor,Donor,အလှူရှင်
 DocType: Global Defaults,Disable In Words,စကားထဲမှာ disable
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Item တွေကိုအလိုအလျောက်နံပါတ်အမကဘယ်ကြောင့်ဆိုသော် item Code ကိုမသင်မနေရ
@@ -4409,14 +4462,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,ဘဏ်မှ Overdraft အကောင့်
 DocType: Patient,Patient ID,လူနာ ID ကို
 DocType: Practitioner Schedule,Schedule Name,ဇယားအမည်
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,အဆင့်များကအရောင်းပိုက်လိုင်း
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံလုပ်ပါ
 DocType: Currency Exchange,For Buying,ဝယ်သည်အတွက်
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,အားလုံးပေးသွင်း Add
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,အားလုံးပေးသွင်း Add
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,အတန်း # {0}: ခွဲဝေငွေပမာဏထူးချွန်ငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်ပါ။
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Browse ကို BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,လုံခြုံသောချေးငွေ
 DocType: Purchase Invoice,Edit Posting Date and Time,Edit ကို Post date နှင့်အချိန်
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ပိုင်ဆိုင်မှုအမျိုးအစား {0} သို့မဟုတ်ကုမ္ပဏီ {1} အတွက်တန်ဖိုးနှင့်ဆက်စပ်သော Accounts ကိုသတ်မှတ်ထားပေးပါ
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ပိုင်ဆိုင်မှုအမျိုးအစား {0} သို့မဟုတ်ကုမ္ပဏီ {1} အတွက်တန်ဖိုးနှင့်ဆက်စပ်သော Accounts ကိုသတ်မှတ်ထားပေးပါ
 DocType: Lab Test Groups,Normal Range,ပုံမှန် Range
 DocType: Academic Term,Academic Year,စာသင်နှစ်
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,ရောင်းချခြင်းရရှိနိုင်
@@ -4445,26 +4499,26 @@
 DocType: Patient Appointment,Patient Appointment,လူနာခန့်အပ်တာဝန်ပေးခြင်း
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,အခန်းက္ပအတည်ပြုပေးသောစိုးမိုးရေးသက်ဆိုင်သည်အခန်းကဏ္ဍအဖြစ်အတူတူမဖွစျနိုငျ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ဒီအအီးမေးလ် Digest မဂ္ဂဇင်းထဲကနေနှုတ်ထွက်
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,အားဖြင့်ပေးသွင်း Get
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,အားဖြင့်ပေးသွင်း Get
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} Item {1} ဘို့မတွေ့ရှိ
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,သင်တန်းများသို့သွားရန်
 DocType: Accounts Settings,Show Inclusive Tax In Print,ပုံနှိပ်ပါခုနှစ်တွင် Inclusive အခွန်ပြရန်
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","နေ့စွဲ မှစ. နှင့်နေ့စွဲရန်ဘဏ်အကောင့်, မသင်မနေရများမှာ"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,message Sent
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,ကလေးသူငယ် node များနှင့်အတူအကောင့်ကိုလယ်ဂျာအဖြစ်သတ်မှတ်မရနိုငျ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,ကလေးသူငယ် node များနှင့်အတူအကောင့်ကိုလယ်ဂျာအဖြစ်သတ်မှတ်မရနိုငျ
 DocType: C-Form,II,II ကို
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,စျေးနှုန်းစာရင်းငွေကြေးဖောက်သည်ရဲ့အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Net ကပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,စုစုပေါင်းကြိုတင်မဲငွေပမာဏစုစုပေါင်းပိတ်ဆို့အရေးယူငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,စုစုပေါင်းကြိုတင်မဲငွေပမာဏစုစုပေါင်းပိတ်ဆို့အရေးယူငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 DocType: Salary Slip,Hour Rate,အချိန်နာရီနှုန်း
 DocType: Stock Settings,Item Naming By,အားဖြင့်အမည် item
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},{0} {1} ပြီးနောက်ဖန်ဆင်းခဲ့နောက်ထပ်ကာလသင်တန်းဆင်းပွဲ Entry &#39;
 DocType: Work Order,Material Transferred for Manufacturing,ကုန်ထုတ်လုပ်မှုသည်လွှဲပြောင်း material
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,အကောင့်ကို {0} တည်ရှိပါဘူး
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,သစ္စာရှိမှုအစီအစဉ်ကို Select လုပ်ပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,သစ္စာရှိမှုအစီအစဉ်ကို Select လုပ်ပါ
 DocType: Project,Project Type,စီမံကိန်းကအမျိုးအစား
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,ကလေးသူငယ် Task ကိုဒီ Task ကိုများအတွက်တည်ရှိ။ သင်ဤ Task ကိုမဖျက်နိုင်ပါ။
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ပစ်မှတ် qty သို့မဟုတ်ပစ်မှတ်ပမာဏကိုဖြစ်စေမဖြစ်မနေဖြစ်ပါတယ်။
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ပစ်မှတ် qty သို့မဟုတ်ပစ်မှတ်ပမာဏကိုဖြစ်စေမဖြစ်မနေဖြစ်ပါတယ်။
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,အမျိုးမျိုးသောလှုပ်ရှားမှုများကုန်ကျစရိတ်
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",အရောင်း Persons အောက်ကမှပူးတွဲထမ်းတစ်ဦးအသုံးပြုသူ ID {1} ရှိသည်ပါဘူးကတည်းက {0} မှပွဲများကိုပြင်ဆင်ခြင်း
 DocType: Timesheet,Billing Details,ငွေတောင်းခံအသေးစိတ်
@@ -4522,13 +4576,13 @@
 DocType: Inpatient Record,A Negative,တစ်ဦးကအနုတ်
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ပြသနိုင်ဖို့ကိုပိုပြီးအဘယ်အရာကိုမျှ။
 DocType: Lead,From Customer,ဖောက်သည်ထံမှ
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ဖုန်းခေါ်ဆိုမှု
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,ဖုန်းခေါ်ဆိုမှု
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,တစ်ဦးကကုန်ပစ္စည်း
 DocType: Employee Tax Exemption Declaration,Declarations,ကြေညာချက်များ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,batch
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,ကြေးဇယား Make
 DocType: Purchase Order Item Supplied,Stock UOM,စတော့အိတ် UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,ဝယ်ယူခြင်းအမိန့် {0} တင်သွင်းသည်မဟုတ်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,ဝယ်ယူခြင်းအမိန့် {0} တင်သွင်းသည်မဟုတ်
 DocType: Account,Expenses Included In Asset Valuation,ပိုင်ဆိုင်မှုအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်ခုနှစ်တွင်ပါဝငျကုန်ကျစရိတ်
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),လူကြီးများအတွက်ပုံမှန်ရည်ညွှန်းအကွာအဝေး 16-20 အသက်ရှူ / မိနစ် (RCP 2012) ဖြစ်ပါသည်
 DocType: Customs Tariff Number,Tariff Number,အခွန်နံပါတ်
@@ -4541,6 +4595,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,ပထမဦးဆုံးလူနာကယ်တင်ပေးပါ
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,တက်ရောက်သူအောင်မြင်စွာမှတ်လိုက်ပါပြီ။
 DocType: Program Enrollment,Public Transport,ပြည်သူ့ပို့ဆောင်ရေး
+DocType: Delivery Note,GST Vehicle Type,GST ယာဉ်အမျိုးအစား
 DocType: Soil Texture,Silt Composition (%),နုန်းရေးစပ်သီကုံး (%)
 DocType: Journal Entry,Remark,ပွောဆို
 DocType: Healthcare Settings,Avoid Confirmation,အတည်ပြုချက်ကိုရှောင်ပါ
@@ -4550,11 +4605,10 @@
 DocType: Education Settings,Current Academic Term,လက်ရှိပညာရေးဆိုင်ရာ Term
 DocType: Education Settings,Current Academic Term,လက်ရှိပညာရေးဆိုင်ရာ Term
 DocType: Sales Order,Not Billed,ကြေညာတဲ့မ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,နှစ်ဦးစလုံးဂိုဒေါင်အတူတူကုမ္ပဏီပိုင်ရမယ်
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,နှစ်ဦးစလုံးဂိုဒေါင်အတူတူကုမ္ပဏီပိုင်ရမယ်
 DocType: Employee Grade,Default Leave Policy,default ခွင့်ပေါ်လစီ
 DocType: Shopify Settings,Shop URL,ဆိုင် URL ကို
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,အဘယ်သူမျှမ contacts တွေကိုသေးကဆက်ပြောသည်။
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ကျေးဇူးပြု. Setup ကို&gt; နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ကုန်ကျစရိတ်ဘောက်ချာငွေပမာဏဆင်းသက်
 ,Item Balance (Simple),item Balance (ရိုးရှင်းသော)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ပေးသွင်းခြင်းဖြင့်ကြီးပြင်းဥပဒေကြမ်းများ။
@@ -4579,7 +4633,7 @@
 DocType: Shopping Cart Settings,Quotation Series,စျေးနှုန်းစီးရီး
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","တစ်ဦးကို item နာမည်တူ ({0}) နှင့်အတူရှိနေတယ်, ပစ္စည်းအုပ်စုအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းကိုအမည်ပြောင်းကျေးဇူးတင်ပါ"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,မြေဆီလွှာကိုသုံးသပ်ခြင်းလိုအပ်ချက်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,ဖောက်သည်ကို select လုပ်ပါကျေးဇူးပြုပြီး
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,ဖောက်သည်ကို select လုပ်ပါကျေးဇူးပြုပြီး
 DocType: C-Form,I,ငါ
 DocType: Company,Asset Depreciation Cost Center,ပိုင်ဆိုင်မှုတန်ဖိုးကုန်ကျစရိတ်စင်တာ
 DocType: Production Plan Sales Order,Sales Order Date,အရောင်းအမှာစာနေ့စွဲ
@@ -4592,8 +4646,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,မည်သည့်ဂိုဒေါင်ထဲမှာရရှိနိုင်လောလောဆယ်အဘယ်သူမျှမစတော့ရှယ်ယာ
 ,Payment Period Based On Invoice Date,ပြေစာနေ့စွဲတွင် အခြေခံ. ငွေပေးချေမှုရမည့်ကာလ
 DocType: Sample Collection,No. of print,ပုံနှိပ်၏အမှတ်
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,မွေးနေ့သတိပေးချက်
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ဟိုတယ်အခန်းကြိုတင်မှာယူမှု Item
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} သည်ငွေကြေးစနစ်ငွေလဲနှုန်းဦးပျောက်ဆုံးနေ
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},{0} သည်ငွေကြေးစနစ်ငွေလဲနှုန်းဦးပျောက်ဆုံးနေ
 DocType: Employee Health Insurance,Health Insurance Name,ကနျြးမာရေးအာမခံအမည်
 DocType: Assessment Plan,Examiner,စစျဆေးသူ
 DocType: Student,Siblings,မောင်နှမ
@@ -4610,19 +4665,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,နယူး Customer များ
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,စုစုပေါင်းအမြတ်%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,ခန့်အပ်တာဝန်ပေးခြင်း {0} နှင့်အရောင်းပြေစာ {1} ဖျက်သိမ်း
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,ခဲအရင်းအမြစ်အားဖြင့်အခွင့်အလမ်းများကို
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,ပြောင်းလဲမှု POS ကိုယ်ရေးဖိုင်
 DocType: Bank Reconciliation Detail,Clearance Date,ရှင်းလင်းရေးနေ့စွဲ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","ပိုင်ဆိုင်မှုပစ္စည်း {0} ဆန့်ကျင်ရှိထားပြီးသားဖြစ်ပါတယ်, သင်ရှိပါတယ်အမှတ်စဉ်မျှတန်ဖိုးကိုမပြောင်းနိုင်ပါ"
+DocType: Delivery Settings,Dispatch Notification Template,dispatch သတိပေးချက် Template ကို
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","ပိုင်ဆိုင်မှုပစ္စည်း {0} ဆန့်ကျင်ရှိထားပြီးသားဖြစ်ပါတယ်, သင်ရှိပါတယ်အမှတ်စဉ်မျှတန်ဖိုးကိုမပြောင်းနိုင်ပါ"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,အကဲဖြတ်အစီရင်ခံစာ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,ဝန်ထမ်းများ get
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,စုစုပေါင်းအရစ်ကျငွေပမာဏမဖြစ်မနေဖြစ်ပါသည်
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,ကုမ္ပဏီအမည်မတူပါ
 DocType: Lead,Address Desc,Desc လိပ်စာ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,ပါတီမဖြစ်မနေဖြစ်ပါသည်
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},အခြားအတနျးထဲမှာထပ်နေမှုများကြောင့်ရက်စွဲများနှင့်အတူတန်းစီတွေ့ရှိခဲ့သည်: {စာရင်း}
 DocType: Topic,Topic Name,ခေါင်းစဉ်အမည်
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,HR က Settings ထဲမှာခွင့်အတည်ပြုချက်သတိပေးချက်များအတွက် default အ template ကိုသတ်မှတ်ထားပေးပါ။
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,HR က Settings ထဲမှာခွင့်အတည်ပြုချက်သတိပေးချက်များအတွက် default အ template ကိုသတ်မှတ်ထားပေးပါ။
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,ရောင်းစျေးသို့မဟုတ်ဝယ်ယူ၏ Atleast တယောက်ရွေးချယ်ထားရမည်ဖြစ်သည်
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,အလုပျသမားကြိုတင်မဲရဖို့တစ်ခုဝန်ထမ်းရွေးချယ်ပါ။
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,ခိုင်လုံသောနေ့စွဲကို select ပေးပါ
@@ -4656,6 +4712,7 @@
 DocType: Stock Entry,Customer or Supplier Details,customer သို့မဟုတ်ပေးသွင်း Details ကို
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-Pay-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,လက်ရှိပိုင်ဆိုင်မှုတန်ဖိုး
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks ကုမ္ပဏီ ID ကို
 DocType: Travel Request,Travel Funding,ခရီးသွားရန်ပုံငွေရှာခြင်း
 DocType: Loan Application,Required by Date,နေ့စွဲခြင်းဖြင့်တောင်းဆိုနေတဲ့
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,အဆိုပါသီးနှံကြီးထွားလာသောအပေါငျးတို့သနေရာများမှတစ်ဦးက link ကို
@@ -4669,9 +4726,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,ဂိုဒေါင် မှစ. မှာရရှိနိုင်တဲ့ Batch Qty
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,စုစုပေါင်း Pay ကို - စုစုပေါင်းထုတ်ယူ - ချေးငွေပြန်ဆပ်
 DocType: Bank Account,IBAN,IBAN ကုဒ်ကို
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,လက်ရှိ BOM နှင့် New BOM အတူတူမဖွစျနိုငျ
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,လက်ရှိ BOM နှင့် New BOM အတူတူမဖွစျနိုငျ
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,လစာစလစ်ဖြတ်ပိုင်းပုံစံ ID ကို
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲအတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲအတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,အကွိမျမြားစှာမူကွဲ
 DocType: Sales Invoice,Against Income Account,ဝင်ငွေခွန်အကောင့်ဆန့်ကျင်
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,ကယ်နှုတ်တော်မူ၏ {0}%
@@ -4700,7 +4757,7 @@
 DocType: POS Profile,Update Stock,စတော့အိတ် Update
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ပစ္စည်းများသည်ကွဲပြားခြားနားသော UOM မမှန်ကန် (Total) Net ကအလေးချိန်တန်ဖိုးကိုဆီသို့ဦးတည်ပါလိမ့်မယ်။ အသီးအသီးကို item ၏ Net ကအလေးချိန်တူညီ UOM အတွက်ကြောင်းသေချာပါစေ။
 DocType: Certification Application,Payment Details,ငွေပေးချေမှုရမည့်အသေးစိတ်အကြောင်းအရာ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","လုပ်ငန်းခွင်အမိန့်ကိုပယ်ဖျက်ပေးဖို့ပထမဦးဆုံးက Unstop, ဖျက်သိမ်းမရနိုငျရပ်တန့်"
 DocType: Asset,Journal Entry for Scrap,အပိုင်းအစအဘို့အဂျာနယ် Entry &#39;
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Delivery မှတ်ချက်များထံမှပစ္စည်းများကိုဆွဲ ကျေးဇူးပြု.
@@ -4723,11 +4780,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,စုစုပေါင်းပိတ်ဆို့ငွေပမာဏ
 ,Purchase Analytics,ဝယ်ယူခြင်း Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Delivery မှတ်ချက် Item
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,လက်ရှိငွေတောင်းခံလွှာ {0} ပျောက်ဆုံးနေ
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,လက်ရှိငွေတောင်းခံလွှာ {0} ပျောက်ဆုံးနေ
 DocType: Asset Maintenance Log,Task,လုပ်ငန်း
 DocType: Purchase Taxes and Charges,Reference Row #,ကိုးကားစရာ Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},batch အရေအတွက် Item {0} သည်မသင်မနေရ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,"ဒါကအမြစ်ရောင်းအားလူတစ်ဦးဖြစ်ပြီး, edited မရနိုင်ပါ။"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,"ဒါကအမြစ်ရောင်းအားလူတစ်ဦးဖြစ်ပြီး, edited မရနိုင်ပါ။"
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","မရွေးလိုလျှင်, ဒီအစိတ်အပိုင်းအတွက်သတ်မှတ်ထားသောသို့မဟုတ်တွက်ချက်တန်ဖိုးအတွက်ဝင်ငွေသို့မဟုတ်ဖြတ်တောက်ရန်အထောက်အကူဖြစ်စေမည်မဟုတ်။ သို့ရာတွင်ထိုသို့တန်ဖိုးကိုဆက်ပြောသည်သို့မဟုတ်နုတ်ယူနိုင်ပါတယ်အခြားအစိတ်အပိုင်းများအားဖြင့်ရည်ညွှန်းနိုင်ပါသည်ပါပဲ။"
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","မရွေးလိုလျှင်, ဒီအစိတ်အပိုင်းအတွက်သတ်မှတ်ထားသောသို့မဟုတ်တွက်ချက်တန်ဖိုးအတွက်ဝင်ငွေသို့မဟုတ်ဖြတ်တောက်ရန်အထောက်အကူဖြစ်စေမည်မဟုတ်။ သို့ရာတွင်ထိုသို့တန်ဖိုးကိုဆက်ပြောသည်သို့မဟုတ်နုတ်ယူနိုင်ပါတယ်အခြားအစိတ်အပိုင်းများအားဖြင့်ရည်ညွှန်းနိုင်ပါသည်ပါပဲ။"
 DocType: Asset Settings,Number of Days in Fiscal Year,ဘဏ္ဍာရေးတစ်နှစ်တာနေ့ရက်များအရေအတွက်
@@ -4736,7 +4793,7 @@
 DocType: Company,Exchange Gain / Loss Account,ချိန်း Gain / ပျောက်ဆုံးခြင်းအကောင့်
 DocType: Amazon MWS Settings,MWS Credentials,MWS သံတမန်ဆောင်ဧည်
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,ဝန်ထမ်းနှင့်တက်ရောက်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},ရည်ရွယ်ချက် {0} တယောက်ဖြစ်ရပါမည်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},ရည်ရွယ်ချက် {0} တယောက်ဖြစ်ရပါမည်
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,ပုံစံဖြည့်ခြင်းနှင့်ကယ်
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,ကွန်မြူနတီဖိုရမ်၏
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,စတော့ရှယ်ယာအတွက်အမှန်တကယ်အရည်အတွက်
@@ -4752,7 +4809,7 @@
 DocType: Lab Test Template,Standard Selling Rate,စံရောင်းအားနှုန်း
 DocType: Account,Rate at which this tax is applied,ဒီအခွန်လျှောက်ထားသောအချိန်တွင် rate
 DocType: Cash Flow Mapper,Section Name,ပုဒ်မအမည်
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Reorder Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Reorder Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},တန်ဖိုးလျော့ Row {0}: အသုံးဝင်သောဘဝပြီးနောက်မျှော်မှန်းတန်ဖိုးကိုထက် သာ. ကြီးမြတ်သို့မဟုတ် {1} ညီမျှရှိရမည်
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,လက်ရှိယောဘသည်င့်
 DocType: Company,Stock Adjustment Account,စတော့အိတ်ချိန်ညှိအကောင့်
@@ -4762,8 +4819,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System ကိုအသုံးပြုသူ (login လုပ်လို့ရပါတယ်) ID ကို။ ထားလျှင်, အားလုံး HR ပုံစံများသည် default အဖြစ်လိမ့်မည်။"
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,တန်ဖိုးအသေးစိတျကိုရိုက်ထည့်
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: {1} မှစ.
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},{0} ပြီးသားကျောင်းသား {1} ဆန့်ကျင်တည်ရှိ application ကိုစွန့်ခွာ
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ပစ္စည်းများအပေါငျးတို့သဘီလ်အတွက်နောက်ဆုံးပေါ်စျေးနှုန်းကို update တန်းစီထားသည်။ ဒါဟာမိနစ်အနည်းငယ်ကြာနိုင်ပါသည်။
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ပစ္စည်းများအပေါငျးတို့သဘီလ်အတွက်နောက်ဆုံးပေါ်စျေးနှုန်းကို update တန်းစီထားသည်။ ဒါဟာမိနစ်အနည်းငယ်ကြာနိုင်ပါသည်။
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,အသစ်သောအကောင့်အမည်ဖြစ်တယ်။ မှတ်ချက်: Customer နှင့်ပေးသွင်းများအတွက်အကောင့်တွေကိုဖန်တီးကြပါဘူးကျေးဇူးပြုပြီး
 DocType: POS Profile,Display Items In Stock,စတော့အိတ်ခုနှစ်တွင် display ပစ္စည်းများ
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,တိုင်းပြည်ပညာရှိသောသူကို default လိပ်စာ Templates
@@ -4793,16 +4851,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} များအတွက် slots အချိန်ဇယားကိုထည့်သွင်းမထား
 DocType: Product Bundle,List items that form the package.,အထုပ်ဖွဲ့စည်းကြောင်းပစ္စည်းများစာရင်း။
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,အခွင့်မရှိကြ။ အဆိုပါစမ်းသပ်မှု Template ကို disable ကျေးဇူးပြု.
+DocType: Delivery Note,Distance (in km),(ကီလိုမီတာအတွင်း) အဝေးသင်
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ရာခိုင်နှုန်းဖြန့်ဝေ 100% နဲ့ညီမျှဖြစ်သင့်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,ပါတီမရွေးခင် Post date ကို select လုပ်ပါကျေးဇူးပြုပြီး
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,ပါတီမရွေးခင် Post date ကို select လုပ်ပါကျေးဇူးပြုပြီး
 DocType: Program Enrollment,School House,School တွင်အိမ်
 DocType: Serial No,Out of AMC,AMC ထဲက
+DocType: Opportunity,Opportunity Amount,အခွင့်အလမ်းငွေပမာဏ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ကြိုတင်ဘွတ်ကင်တန်ဖိုးအရေအတွက်တန်ဖိုးစုစုပေါင်းအရေအတွက်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 DocType: Purchase Order,Order Confirmation Date,အမိန့်အတည်ပြုချက်နေ့စွဲ
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Maintenance ကိုအလည်တစ်ခေါက်လုပ်ပါ
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ရက်စွဲနှင့်အဆုံးနေ့စွဲအလုပ်ကဒ်နှင့်အတူထပ်နေသည် Start <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,ဝန်ထမ်းလွှဲပြောင်းအသေးစိတ်
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,အရောင်းမဟာ Manager က {0} အခန်းကဏ္ဍကိုသူအသုံးပြုသူမှဆက်သွယ်ပါ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,အရောင်းမဟာ Manager က {0} အခန်းကဏ္ဍကိုသူအသုံးပြုသူမှဆက်သွယ်ပါ
 DocType: Company,Default Cash Account,default ငွေအကောင့်
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,ကုမ္ပဏီ (မဖောက်သည်သို့မဟုတ်ပေးသွင်းသူ) သခင်သည်။
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ဒီကျောင်းသားသမဂ္ဂများ၏တက်ရောက်သူအပေါ်အခြေခံသည်
@@ -4810,9 +4871,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,ပိုပြီးပစ္စည်းသို့မဟုတ်ဖွင့်အပြည့်အဝ form ကို Add
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Delivery မှတ်စုများ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည်
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,အသုံးပြုသူများကိုသွားပါ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Paid ပမာဏ + ငွေပမာဏက Grand စုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျပိတ်ရေးထား
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Paid ပမာဏ + ငွေပမာဏက Grand စုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျပိတ်ရေးထား
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} Item {1} သည်မှန်ကန်သော Batch နံပါတ်မဟုတ်ပါဘူး
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},မှတ်ချက်: လုံလောက်တဲ့ခွင့်ချိန်ခွင်လျှာထွက်ခွာ Type {0} သည်မရှိ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},မှတ်ချက်: လုံလောက်တဲ့ခွင့်ချိန်ခွင်လျှာထွက်ခွာ Type {0} သည်မရှိ
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,မှားနေသော GSTIN သို့မဟုတ်မှတ်ပုံမတင်ထားသောများအတွက် NA Enter
 DocType: Training Event,Seminar,ညှိနှိုငျးဖလှယျပှဲ
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program ကိုကျောင်းအပ်ကြေး
@@ -4829,7 +4890,7 @@
 DocType: Fee Schedule,Fee Schedule,အခကြေးငွေဇယား
 DocType: Company,Create Chart Of Accounts Based On,Accounts ကိုအခြေပြုတွင်၏ဇယား Create
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Non-အုပ်စုတစ်ခုကိုပြောင်းလို့မရပါဘူး။ ကလေးသူငယ်လုပ်ငန်းများတည်ရှိ။
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,မွေးဖွားခြင်း၏နေ့စွဲယနေ့ထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,မွေးဖွားခြင်း၏နေ့စွဲယနေ့ထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။
 ,Stock Ageing,စတော့အိတ် Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","တစ်စိတ်တစ်ပိုင်း, တစိတ်တပိုင်းရန်ပုံငွေရှာခြင်းလိုအပ်စပွန်ဆာ"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},ကျောင်းသား {0} ကျောင်းသားလျှောက်ထား {1} ဆန့်ကျင်တည်ရှိ
@@ -4876,11 +4937,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,ပြန်လည်သင့်မြတ်ရေးမဖြစ်မီ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} မှ
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Added အခွန်အခများနှင့်စွပ်စွဲချက် (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,item ခွန် Row {0} type ကိုခွန်သို့မဟုတ်ဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုသို့မဟုတ်နှော၏အကောင့်ကိုရှိရမယ်
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,item ခွန် Row {0} type ကိုခွန်သို့မဟုတ်ဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုသို့မဟုတ်နှော၏အကောင့်ကိုရှိရမယ်
 DocType: Sales Order,Partly Billed,တစ်စိတ်တစ်ပိုင်းကြေညာ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,item {0} တစ် Fixed Asset item ဖြစ်ရပါမည်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,မူကွဲ Make
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,မူကွဲ Make
 DocType: Item,Default BOM,default BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),(အရောင်းငွေတောင်းခံလွှာကနေတဆင့်) စုစုပေါင်းကောက်ခံခဲ့ငွေပမာဏ
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,debit မှတ်ချက်ငွေပမာဏ
@@ -4909,14 +4970,14 @@
 DocType: Notification Control,Custom Message,custom Message
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,ရင်းနှီးမြှုပ်နှံမှုဘဏ်လုပ်ငန်း
 DocType: Purchase Invoice,input,input ကို
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,ငွေသားသို့မဟုတ်ဘဏ်မှအကောင့်ငွေပေးချေမှု entry ကိုအောင်သည်မသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,ငွေသားသို့မဟုတ်ဘဏ်မှအကောင့်ငွေပေးချေမှု entry ကိုအောင်သည်မသင်မနေရ
 DocType: Loyalty Program,Multiple Tier Program,အကွိမျမြားစှာအဆင့်အစီအစဉ်
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ကျောင်းသားလိပ်စာ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ကျောင်းသားလိပ်စာ
 DocType: Purchase Invoice,Price List Exchange Rate,စျေးနှုန်း List ကိုချိန်း Rate
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,အားလုံးပေးသွင်းအဖွဲ့များ
 DocType: Employee Boarding Activity,Required for Employee Creation,ထမ်းဖန်ဆင်းခြင်းများအတွက်လိုအပ်သော
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},အကောင့်နံပါတ် {0} ပြီးသားအကောင့် {1} များတွင်အသုံးပြု
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},အကောင့်နံပါတ် {0} ပြီးသားအကောင့် {1} များတွင်အသုံးပြု
 DocType: GoCardless Mandate,Mandate,လုပ်ပိုင်ခွင့်အာဏာ
 DocType: POS Profile,POS Profile Name,POS ကိုယ်ရေးဖိုင်အမည်
 DocType: Hotel Room Reservation,Booked,ကြိုတင်ဘွတ်ကင်
@@ -4932,18 +4993,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,ရည်ညွန်းသင်ကိုးကားစရာနေ့စွဲသို့ဝင်လျှင်အဘယ်သူမျှမသင်မနေရ
 DocType: Bank Reconciliation Detail,Payment Document,ငွေပေးချေမှုရမည့်စာရွက်စာတမ်း
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,အဆိုပါစံသတ်မှတ်ချက်ပုံသေနည်းအကဲဖြတ်မှုမှားယွင်းနေ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,အတူနေ့စွဲမွေးဖွားခြင်း၏နေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,အတူနေ့စွဲမွေးဖွားခြင်း၏နေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
 DocType: Subscription,Plans,အစီအစဉ်များ
 DocType: Salary Slip,Salary Structure,လစာဖွဲ့စည်းပုံ
 DocType: Account,Bank,ကမ်း
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,လကွောငျး
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,ပြဿနာပစ္စည်း
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,ပြဿနာပစ္စည်း
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext နှင့်အတူ Shopify ချိတ်ဆက်ပါ
 DocType: Material Request Item,For Warehouse,ဂိုဒေါင်အကြောင်းမူကား
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Delivery မှတ်စုများ {0} updated
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Delivery မှတ်စုများ {0} updated
 DocType: Employee,Offer Date,ကမ်းလှမ်းမှုကိုနေ့စွဲ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ကိုးကား
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,သငျသညျအော့ဖ်လိုင်း mode မှာရှိပါတယ်။ သငျသညျကှနျယရှိသည်သည်အထိသင်ပြန်ဖွင့်နိုင်ပါလိမ့်မည်မဟုတ်။
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,ကိုးကား
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,သငျသညျအော့ဖ်လိုင်း mode မှာရှိပါတယ်။ သငျသညျကှနျယရှိသည်သည်အထိသင်ပြန်ဖွင့်နိုင်ပါလိမ့်မည်မဟုတ်။
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,ဂရန်
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,အဘယ်သူမျှမကျောင်းသားသမဂ္ဂအဖွဲ့များကိုဖန်တီးခဲ့တယ်။
 DocType: Purchase Invoice Item,Serial No,serial No
@@ -4955,24 +5016,26 @@
 DocType: Sales Invoice,Customer PO Details,ဖောက်သည်စာတိုက်အသေးစိတ်
 DocType: Stock Entry,Including items for sub assemblies,ခွဲများအသင်းတော်တို့အဘို့ပစ္စည်းများအပါအဝင်
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,ယာယီဖွင့်ပွဲအကောင့်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,တန်ဖိုးအားအပြုသဘောဆောင်သူဖြစ်ရမည် Enter
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,တန်ဖိုးအားအပြုသဘောဆောင်သူဖြစ်ရမည် Enter
 DocType: Asset,Finance Books,ဘဏ္ဍာရေးစာအုပ်များ
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ဝန်ထမ်းအခွန်ကင်းလွတ်ခွင့်ကြေညာစာတမ်းအမျိုးအစား
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,အားလုံးသည် Territories
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,ထမ်း / အဆင့်စံချိန်အတွက်ဝန်ထမ်း {0} ဘို့မူဝါဒအစွန့်ခွာသတ်မှတ်ပေးပါ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,ရွေးချယ်ထားသောဖောက်သည်များနှင့်ပစ္စည်းများအတွက်မှားနေသောစောင်အမိန့်
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,ရွေးချယ်ထားသောဖောက်သည်များနှင့်ပစ္စည်းများအတွက်မှားနေသောစောင်အမိန့်
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,အကွိမျမြားစှာ Tasks ကို Add
 DocType: Purchase Invoice,Items,items
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,အဆုံးနေ့စွဲ Start ကိုနေ့စွဲမတိုင်မီမဖြစ်နိုင်ပါ။
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,ကျောင်းသားသမဂ္ဂပြီးသားစာရင်းသွင်းသည်။
 DocType: Fiscal Year,Year Name,တစ်နှစ်တာအမည်
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,ယခုလအလုပ်လုပ်ရက်ပတ်လုံးထက်ပိုပြီးအားလပ်ရက်ရှိပါသည်။
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,ကောင်စီ / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,ယခုလအလုပ်လုပ်ရက်ပတ်လုံးထက်ပိုပြီးအားလပ်ရက်ရှိပါသည်။
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,အောက်ပါပစ္စည်းများ {0} {1} ကို item အဖြစ်မှတ်သားကြသည်မဟုတ်။ သငျသညျက၎င်း၏ Item မာစတာထံမှ {1} ကို item အဖြစ်သူတို့ကိုဖွင့်နိုင်ပါသည်
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,ကောင်စီ / LC Ref
 DocType: Production Plan Item,Product Bundle Item,ထုတ်ကုန်ပစ္စည်း Bundle ကို Item
 DocType: Sales Partner,Sales Partner Name,အရောင်း Partner အမည်
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,ကိုးကားချက်များတောင်းခံ
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,ကိုးကားချက်များတောင်းခံ
 DocType: Payment Reconciliation,Maximum Invoice Amount,အမြင့်ဆုံးပမာဏပြေစာ
 DocType: Normal Test Items,Normal Test Items,ပုံမှန်စမ်းသပ်ပစ္စည်းများ
+DocType: QuickBooks Migrator,Company Settings,ကုမ္ပဏီက Settings
 DocType: Additional Salary,Overwrite Salary Structure Amount,လစာဖွဲ့စည်းပုံငွေပမာဏ Overwrite
 DocType: Student Language,Student Language,ကျောင်းသားဘာသာစကားများ
 apps/erpnext/erpnext/config/selling.py +23,Customers,Customer များ
@@ -4985,22 +5048,24 @@
 DocType: Issue,Opening Time,အချိန်ဖွင့်လှစ်
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,ကနေနှင့်လိုအပ်သည့်ရက်စွဲများရန်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Securities မှ &amp; ကုန်စည်ဒိုင်
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant များအတွက်တိုင်း၏ default အနေနဲ့ Unit မှ &#39;&#39; {0} &#39;&#39; Template: ထဲမှာရှိသကဲ့သို့တူညီသူဖြစ်ရမည် &#39;&#39; {1} &#39;&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant များအတွက်တိုင်း၏ default အနေနဲ့ Unit မှ &#39;&#39; {0} &#39;&#39; Template: ထဲမှာရှိသကဲ့သို့တူညီသူဖြစ်ရမည် &#39;&#39; {1} &#39;&#39;
 DocType: Shipping Rule,Calculate Based On,အခြေတွင်တွက်ချက်
 DocType: Contract,Unfulfilled,ညျ့စုံ
 DocType: Delivery Note Item,From Warehouse,ဂိုဒေါင်ထဲကနေ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,အဆိုပါဖော်ပြခဲ့တဲ့စံအဘို့အဘယ်သူမျှမကန်ထမ်း
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများ၏ဘီလ်နှင့်အတူပစ္စည်းများအဘယ်သူမျှမ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများ၏ဘီလ်နှင့်အတူပစ္စည်းများအဘယ်သူမျှမ
 DocType: Shopify Settings,Default Customer,default ဖောက်သည်
+DocType: Sales Stage,Stage Name,ဇာတ်စင်အမည်
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,ကြီးကြပ်ရေးမှူးအမည်
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,ချိန်းထိုနေ့အဘို့အနေသူများကဖန်တီးလျှင်အတည်ပြုမပြုပါ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,ပြည်နယ်ရန်သင်္ဘော
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,ပြည်နယ်ရန်သင်္ဘော
 DocType: Program Enrollment Course,Program Enrollment Course,Program ကိုကျောင်းအပ်သင်တန်းအမှတ်စဥ်
 DocType: Program Enrollment Course,Program Enrollment Course,Program ကိုကျောင်းအပ်သင်တန်းအမှတ်စဥ်
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},အသုံးပြုသူ {0} ပြီးသားကျန်းမာရေးစောင့်ရှောက်မှု Practitioner {1} ဖို့တာဝန်ဖြစ်ပါတယ်
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Make နမူနာ retention စတော့အိတ် Entry &#39;
 DocType: Purchase Taxes and Charges,Valuation and Total,အဘိုးပြတ်နှင့်စုစုပေါင်း
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,ညှိနှိုင်းမှု / ဆန်းစစ်ခြင်း
 DocType: Leave Encashment,Encashment Amount,Encashment ငွေပမာဏ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,သက်တမ်းကုန်ဆုံး batch
@@ -5010,7 +5075,7 @@
 DocType: Staffing Plan Detail,Current Openings,လက်ရှိပွင့်
 DocType: Notification Control,Customize the Notification,ထိုအမိန့်ကြော်ငြာစာ Customize
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,စစ်ဆင်ရေးအနေဖြင့်ငွေသားဖြင့် Flow
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST ငွေပမာဏ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST ငွေပမာဏ
 DocType: Purchase Invoice,Shipping Rule,သဘောင်္တင်ခ Rule
 DocType: Patient Relation,Spouse,ဇနီး
 DocType: Lab Test Groups,Add Test,စမ်းသပ်ခြင်း Add
@@ -5024,14 +5089,14 @@
 DocType: Payroll Entry,Payroll Frequency,လစာကြိမ်နှုန်း
 DocType: Lab Test Template,Sensitivity,အာရုံများကိုထိခိုက်လွယ်ခြင်း
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,အများဆုံးပြန်လည်ကျော်လွန်သွားပြီဖြစ်သောကြောင့် Sync ကိုယာယီပိတ်ထားလိုက်ပြီ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,ကုန်ကြမ်း
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,ကုန်ကြမ်း
 DocType: Leave Application,Follow via Email,အီးမေးလ်ကနေတဆင့် Follow
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,အပင်များနှင့်သုံးစက်ပစ္စည်း
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,လျှော့ငွေပမာဏပြီးနောက်အခွန်ပမာဏ
 DocType: Patient,Inpatient Status,အတွင်းလူနာအခြေအနေ
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daily သတင်းစာလုပ်ငန်းခွင်အနှစ်ချုပ်က Settings
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Selected စျေးစာရင်း check လုပ်ထားလယ်ကွင်းဝယ်ယူရောင်းချခြင်းကြသင့်ပါတယ်။
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,နေ့စွဲခြင်းဖြင့် Reqd ရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Selected စျေးစာရင်း check လုပ်ထားလယ်ကွင်းဝယ်ယူရောင်းချခြင်းကြသင့်ပါတယ်။
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,နေ့စွဲခြင်းဖြင့် Reqd ရိုက်ထည့်ပေးပါ
 DocType: Payment Entry,Internal Transfer,ပြည်တွင်းလွှဲပြောင်း
 DocType: Asset Maintenance,Maintenance Tasks,ကို Maintenance လုပ်ငန်းများ
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ပစ်မှတ် qty သို့မဟုတ်ပစ်မှတ်ပမာဏကိုဖြစ်စေမဖြစ်မနေဖြစ်ပါသည်
@@ -5053,7 +5118,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,နောက်ဆုံးဆက်သွယ်ရေး
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,နောက်ဆုံးဆက်သွယ်ရေး
 ,TDS Payable Monthly,TDS ပေးရန်လစဉ်
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,အဆိုပါ BOM အစားထိုးဘို့တန်းစီထားသည်။ ဒါဟာမိနစ်အနည်းငယ်ကြာနိုင်ပါသည်။
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,အဆိုပါ BOM အစားထိုးဘို့တန်းစီထားသည်။ ဒါဟာမိနစ်အနည်းငယ်ကြာနိုင်ပါသည်။
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',အမျိုးအစား &#39;&#39; အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် &#39;သို့မဟုတ်&#39; &#39;အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှင့်စုစုပေါင်း&#39; &#39;အဘို့ဖြစ်၏သောအခါအနှိမ်မချနိုင်
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Item {0} သည် serial အမှတ်လိုအပ်ပါသည်
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,ငွေတောင်းခံလွှာနှင့်အတူပွဲစဉ်ငွေပေးချေ
@@ -5066,7 +5131,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,စျေးဝယ်ခြင်းထဲသို့ထည့်သည်
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Group မှဖြင့်
 DocType: Guardian,Interests,စိတ်ဝင်စားမှုများ
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Enable / ငွေကြေးများ disable ။
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Enable / ငွေကြေးများ disable ။
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,တချို့လစာစလစ်တင်သွင်းလို့မရပါ
 DocType: Exchange Rate Revaluation,Get Entries,Entries get
 DocType: Production Plan,Get Material Request,ပစ္စည်းတောင်းဆိုမှု Get
@@ -5088,15 +5153,16 @@
 DocType: Lead,Lead Type,ခဲ Type
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,သငျသညျ Block ကိုနေ့အပေါ်အရွက်အတည်ပြုခွင့်ကြသည်မဟုတ်
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,အားလုံးသည်ဤပစ္စည်းများကိုပြီးသား invoiced ပြီ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,နယူးဖြန့်ချိနေ့စွဲ Set
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,နယူးဖြန့်ချိနေ့စွဲ Set
 DocType: Company,Monthly Sales Target,လစဉ်အရောင်းပစ်မှတ်
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} ကအတည်ပြုနိုင်ပါတယ်
 DocType: Hotel Room,Hotel Room Type,ဟိုတယ်အခန်းအမျိုးအစား
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,ပေးသွင်း&gt; ပေးသွင်းအမျိုးအစား
 DocType: Leave Allocation,Leave Period,ကာလ Leave
 DocType: Item,Default Material Request Type,default ပစ္စည်းတောင်းဆိုမှုအမျိုးအစား
 DocType: Supplier Scorecard,Evaluation Period,အကဲဖြတ်ကာလ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,အမည်မသိ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,အလုပ်အမိန့်နေသူများကဖန်တီးမပေး
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,အလုပ်အမိန့်နေသူများကဖန်တီးမပေး
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{0} တစ်ခုငွေပမာဏထားပြီးအစိတ်အပိုင်း {1}, \ {2} ထက်တန်းတူသို့မဟုတ် သာ. ကွီးမွတျပမာဏကိုသတ်မှတ်ထားများအတွက်အခိုင်အမာ"
 DocType: Shipping Rule,Shipping Rule Conditions,သဘောင်္တင်ခ Rule စည်းကမ်းချက်များ
@@ -5131,15 +5197,15 @@
 DocType: Batch,Source Document Name,source စာရွက်စာတမ်းအမည်
 DocType: Production Plan,Get Raw Materials For Production,ထုတ်လုပ်မှုကုန်ကြမ်းကိုရယူလိုက်ပါ
 DocType: Job Opening,Job Title,အလုပ်အကိုင်အမည်
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0} {1} တစ် quotation အပေးမည်မဟုတ်ကြောင်းညွှန်ပြပေမယ့်ပစ္စည်းများအားလုံးကိုးကားခဲ့ကြ \ ။ အဆိုပါ RFQ ကိုးကား status ကိုမွမ်းမံခြင်း။
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,အများဆုံးနမူနာ - {0} ပြီးသားအသုတ်လိုက် {1} နှင့် Item {2} အသုတ်လိုက်အတွက် {3} များအတွက်ထိန်းသိမ်းထားပါပြီ။
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,အများဆုံးနမူနာ - {0} ပြီးသားအသုတ်လိုက် {1} နှင့် Item {2} အသုတ်လိုက်အတွက် {3} များအတွက်ထိန်းသိမ်းထားပါပြီ။
 DocType: Manufacturing Settings,Update BOM Cost Automatically,အလိုအလျောက် BOM ကုန်ကျစရိတ်ကိုအပ်ဒိတ်လုပ်
 DocType: Lab Test,Test Name,စမ်းသပ်အမည်
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,လက်တွေ့လုပ်ထုံးလုပ်နည်း Consumer Item
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,အသုံးပြုသူများ Create
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ဂရမ်
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,subscriptions
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,subscriptions
 DocType: Supplier Scorecard,Per Month,တစ်လလျှင်
 DocType: Education Settings,Make Academic Term Mandatory,ပညာရေးဆိုင်ရာ Term မသင်မနေရ Make
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,ထုတ်လုပ်ခြင်းမှအရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်။
@@ -5148,10 +5214,10 @@
 DocType: Stock Entry,Update Rate and Availability,နှုန်းနှင့် Available Update
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ရာခိုင်နှုန်းသင်အမိန့်ကိုဆန့်ကျင်အရေအတွက်ပိုမိုလက်ခံရယူသို့မဟုတ်ကယ်လွှတ်ခြင်းငှါခွင့်ပြုထားပါသည်။ ဥပမာ: သင်က 100 ယူနစ်အမိန့်ရပြီဆိုပါက။ နှင့်သင်၏ Allow သင် 110 ယူနစ်ကိုခံယူခွင့်ရနေကြပြီးတော့ 10% ဖြစ်ပါတယ်။
 DocType: Loyalty Program,Customer Group,ဖောက်သည်အုပ်စု
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,အတန်း # {0}: စစ်ဆင်ရေး {1} လုပ်ငန်းခွင်အမိန့် # {3} အတွက်ချောကုန်စည် {2} အရည်အတွက်အဘို့အပြီးစီးခဲ့သည်မဟုတ်။ အချိန်မှတ်တမ်းများမှတဆင့်စစ်ဆင်ရေး status ကိုအပ်ဒိတ်လုပ် ကျေးဇူးပြု.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,အတန်း # {0}: စစ်ဆင်ရေး {1} လုပ်ငန်းခွင်အမိန့် # {3} အတွက်ချောကုန်စည် {2} အရည်အတွက်အဘို့အပြီးစီးခဲ့သည်မဟုတ်။ အချိန်မှတ်တမ်းများမှတဆင့်စစ်ဆင်ရေး status ကိုအပ်ဒိတ်လုပ် ကျေးဇူးပြု.
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),နယူးသုတ်လိုက် ID ကို (Optional)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),နယူးသုတ်လိုက် ID ကို (Optional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},စရိတ် account item ကို {0} သည်မသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},စရိတ် account item ကို {0} သည်မသင်မနေရ
 DocType: BOM,Website Description,website ဖော်ပြချက်များ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Equity အတွက်ပိုက်ကွန်ကိုပြောင်းရန်
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,ပထမဦးဆုံးဝယ်ယူငွေတောင်းခံလွှာ {0} ဖျက်သိမ်းပေးပါ
@@ -5166,7 +5232,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,တည်းဖြတ်ရန်မရှိပါ။
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,form ကိုကြည့်ရန်
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,စရိတ်ဆိုနေခုနှစ်တွင်သဘောတူညီချက်ပေးမသင်မနေရစရိတ်
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,ဒီလအတှကျအကျဉ်းချုပ်နှင့် Pend လှုပ်ရှားမှုများ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,ဒီလအတှကျအကျဉ်းချုပ်နှင့် Pend လှုပ်ရှားမှုများ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},ကုမ္ပဏီ {0} အတွက် Unreal ချိန်း Gain / ပျောက်ဆုံးခြင်းအကောင့်ကိုသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","ကိုယ့်ကိုကိုယ်ထက်အခြား, သင့်အဖွဲ့အစည်းကမှအသုံးပြုသူများကိုထည့်ပါ။"
 DocType: Customer Group,Customer Group Name,ဖောက်သည်အုပ်စုအမည်
@@ -5176,14 +5242,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,created အဘယ်သူမျှမပစ္စည်းကိုတောငျးဆိုခကျြ
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ချေးငွေပမာဏ {0} အများဆုံးချေးငွေပမာဏထက်မပိုနိုင်
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,လိုင်စင်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},C-Form တွင် {1} ကနေဒီပြေစာ {0} ကိုဖယ်ရှား ကျေးဇူးပြု.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},C-Form တွင် {1} ကနေဒီပြေစာ {0} ကိုဖယ်ရှား ကျေးဇူးပြု.
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,သင်တို့သည်လည်းယခင်ဘဏ္ဍာနှစ်ရဲ့ချိန်ခွင်လျှာဒီဘဏ္ဍာနှစ်မှပင်အရွက်ကိုထည့်သွင်းရန်လိုလျှင် Forward ပို့ကို select ကျေးဇူးပြု.
 DocType: GL Entry,Against Voucher Type,ဘောက်ချာ Type ဆန့်ကျင်
 DocType: Healthcare Practitioner,Phone (R),ဖုန်း (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,အချိန် slot နှစ်ခုထည့်သွင်း
 DocType: Item,Attributes,Attribute တွေ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Template: Enable
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,အကောင့်ပိတ်ရေးထားရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,အကောင့်ပိတ်ရေးထားရိုက်ထည့်ပေးပါ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,နောက်ဆုံးအမိန့်နေ့စွဲ
 DocType: Salary Component,Is Payable,ပေးရန်ဖြစ်ပါသည်
 DocType: Inpatient Record,B Negative,B ကအနုတ်
@@ -5194,7 +5260,7 @@
 DocType: Hotel Room,Hotel Room,ဟိုတယ်အခန်း
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},အကောင့်ကို {0} ကုမ္ပဏီ {1} ပိုင်ပါဘူး
 DocType: Leave Type,Rounding,ရှာနိုင်ပါတယ်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,အတန်းအတွက် serial နံပါတ် {0} Delivery မှတ်ချက်နှင့်အတူမကိုက်ညီ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,အတန်းအတွက် serial နံပါတ် {0} Delivery မှတ်ချက်နှင့်အတူမကိုက်ညီ
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),ထုတ်ပေးငွေပမာဏ (Pro ကို-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","ထိုအခါရောင်းစျေးသတ်မှတ်စည်းကမ်းများဖောက်သည်, ဖောက်သည်အုပ်စု, နယ်မြေတွေကို, ပေးသွင်း, ပေးသွင်း Group ကကင်ပိန်း, etc အရောင်း Partner အပေါ်အခြေခံပြီးထုတ် filtered နေကြတယ်"
 DocType: Student,Guardian Details,ဂါးဒီးယန်းအသေးစိတ်
@@ -5203,10 +5269,10 @@
 DocType: Vehicle,Chassis No,ကိုယ်ထည်အဘယ်သူမျှမ
 DocType: Payment Request,Initiated,စတင်ခဲ့သည်
 DocType: Production Plan Item,Planned Start Date,စီစဉ်ထား Start ကိုနေ့စွဲ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,တစ်ဦး BOM ကို select ပေးပါ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,တစ်ဦး BOM ကို select ပေးပါ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ရရှိနိုင်ပါ ITC ပေါင်းစည်းအခွန်
 DocType: Purchase Order Item,Blanket Order Rate,စောင်အမိန့်နှုန်း
-apps/erpnext/erpnext/hooks.py +156,Certification,လက်မှတ်ပေးခြင်း
+apps/erpnext/erpnext/hooks.py +157,Certification,လက်မှတ်ပေးခြင်း
 DocType: Bank Guarantee,Clauses and Conditions,clauses နှင့်အခြေအနေများ
 DocType: Serial No,Creation Document Type,ဖန်ဆင်းခြင်း Document ဖိုင် Type
 DocType: Project Task,View Timesheet,ကြည့်ရန် Timesheet
@@ -5231,6 +5297,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,မိဘတစ် Item {0} တစ်စတော့အိတ်ပစ္စည်းမဖြစ်ရပါမည်
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,ဝက်ဘ်ဆိုက်အိမ်ခန်းနှင့်
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,အားလုံးသည်ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ။
+DocType: Email Digest,Open Quotations,ပွင့်လင်းကိုးကားချက်များ
 DocType: Expense Claim,More Details,ပိုများသောအသေးစိတ်
 DocType: Supplier Quotation,Supplier Address,ပေးသွင်းလိပ်စာ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} အကောင့်အတွက်ဘတ်ဂျက် {1} {2} {3} ဆန့်ကျင် {4} ဖြစ်ပါတယ်။ ဒါဟာ {5} အားဖြင့်ကျော်လွန်ပါလိမ့်မယ်
@@ -5245,12 +5312,11 @@
 DocType: Training Event,Exam,စာမေးပွဲ
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marketplace မှားယွင်းနေသည်
 DocType: Complaint,Complaint,တိုင်ကြားစာ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},စတော့ရှယ်ယာ Item {0} လိုအပ်ဂိုဒေါင်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},စတော့ရှယ်ယာ Item {0} လိုအပ်ဂိုဒေါင်
 DocType: Leave Allocation,Unused leaves,အသုံးမပြုသောအရွက်
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,ပြန်ဆပ် Entry &#39;Make
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,အားလုံးဌာန
 DocType: Healthcare Service Unit,Vacant,လစ်လပ်သော
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,ပေးသွင်း&gt; ပေးသွင်းအမျိုးအစား
 DocType: Patient,Alcohol Past Use,အရက်အတိတ်မှအသုံးပြုခြင်း
 DocType: Fertilizer Content,Fertilizer Content,ဓာတ်မြေသြဇာအကြောင်းအရာ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5258,7 +5324,7 @@
 DocType: Tax Rule,Billing State,ငွေတောင်းခံပြည်နယ်
 DocType: Share Transfer,Transfer,လွှဲပြောင်း
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,အလုပ်အမိန့် {0} ဤအရောင်းအမိန့်ပယ်ဖျက်မတိုင်မီဖျက်သိမ်းရပါမည်
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(Sub-အသင်းတော်များအပါအဝင်) ပေါက်ကွဲခဲ့ BOM Fetch
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(Sub-အသင်းတော်များအပါအဝင်) ပေါက်ကွဲခဲ့ BOM Fetch
 DocType: Authorization Rule,Applicable To (Employee),(န်ထမ်း) ရန်သက်ဆိုင်သော
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,ကြောင့်နေ့စွဲမသင်မနေရ
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Attribute {0} ပါ 0 င်မဖွစျနိုငျဘို့ increment
@@ -5274,7 +5340,7 @@
 DocType: Disease,Treatment Period,ကုသမှုကာလ
 DocType: Travel Itinerary,Travel Itinerary,ခရီးသွားခရီးစဉ်
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,ရလဒ်ပြီးသား Submitted
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ချုပ်ထိန်းထားသည်ဂိုဒေါင် Item {0} ကုန်ကြမ်းအတွက်ထောက်ပံ့ဘို့မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ချုပ်ထိန်းထားသည်ဂိုဒေါင် Item {0} ကုန်ကြမ်းအတွက်ထောက်ပံ့ဘို့မဖြစ်မနေဖြစ်ပါသည်
 ,Inactive Customers,မလှုပ်မရှား Customer များ
 DocType: Student Admission Program,Maximum Age,အများဆုံးခေတ်
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,အဆိုပါသတိပေးချက် resending မတိုင်မီ 3 ရက်စောင့်ဆိုင်းပေးပါ။
@@ -5283,7 +5349,6 @@
 DocType: Stock Entry,Delivery Note No,Delivery မှတ်ချက်မရှိပါ
 DocType: Cheque Print Template,Message to show,ပြသနိုင်ဖို့ကို Message
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,လက်လီ
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,ခန့်အပ်တာဝန်ပေးခြင်းငွေတောင်းခံလွှာကိုအလိုအလျောက်စီမံခန့်ခွဲရန်
 DocType: Student Attendance,Absent,မရှိသော
 DocType: Staffing Plan,Staffing Plan Detail,ဝန်ထမ်းများအစီအစဉ်အသေးစိတ်
 DocType: Employee Promotion,Promotion Date,မြှင့်တင်ရေးနေ့စွဲ
@@ -5305,7 +5370,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,ခဲ Make
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,ပုံနှိပ်နှင့်စာရေးကိရိယာ
 DocType: Stock Settings,Show Barcode Field,Show ကိုဘားကုဒ်ဖျော်ဖြေမှု
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,ပေးသွင်းထားတဲ့အီးမေးလ်ပို့ပါ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,ပေးသွင်းထားတဲ့အီးမေးလ်ပို့ပါ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","လစာပြီးသားဤရက်စွဲအကွာအဝေးအကြားမဖွစျနိုငျ {0} အကြားကာလအတွက်လုပ်ငန်းများ၌နှင့် {1}, လျှောက်လွှာကာလချန်ထားပါ။"
 DocType: Fiscal Year,Auto Created,အော်တို Created
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,အဆိုပါထမ်းစံချိန်ကိုဖန်တီးရန်ဒီ Submit
@@ -5314,7 +5379,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ငွေတောင်းခံလွှာ {0} မရှိတော့ပါ
 DocType: Guardian Interest,Guardian Interest,ဂါးဒီးယန်းအကျိုးစီးပွား
 DocType: Volunteer,Availability,အသုံးပြုနိုင်မှု
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS ငွေတောင်းခံလွှာများအတွက် Setup ကို default အတန်ဖိုးများ
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS ငွေတောင်းခံလွှာများအတွက် Setup ကို default အတန်ဖိုးများ
 apps/erpnext/erpnext/config/hr.py +248,Training,လေ့ကျင့်ရေး
 DocType: Project,Time to send,ပေးပို့ဖို့အချိန်
 DocType: Timesheet,Employee Detail,ဝန်ထမ်း Detail
@@ -5338,7 +5403,7 @@
 DocType: Training Event Employee,Optional,optional
 DocType: Salary Slip,Earning & Deduction,ဝင်ငွေ &amp; ထုတ်ယူ
 DocType: Agriculture Analysis Criteria,Water Analysis,ရေအားသုံးသပ်ခြင်း
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} created variants ။
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} created variants ။
 DocType: Amazon MWS Settings,Region,ဒေသ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,optional ။ ဒီ setting ကိုအမျိုးမျိုးသောငွေကြေးလွှဲပြောင်းမှုမှာ filter မှအသုံးပြုလိမ့်မည်။
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,negative အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် Rate ခွင့်မပြု
@@ -5357,7 +5422,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,ဖျက်သိမ်းပိုင်ဆိုင်မှု၏ကုန်ကျစရိတ်
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ကုန်ကျစရိတ် Center က Item {2} သည်မသင်မနေရ
 DocType: Vehicle,Policy No,ပေါ်လစီအဘယ်သူမျှမ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,ထုတ်ကုန်ပစ္စည်း Bundle ကိုထံမှပစ္စည်းများ Get
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,ထုတ်ကုန်ပစ္စည်း Bundle ကိုထံမှပစ္စည်းများ Get
 DocType: Asset,Straight Line,မျဥ်းဖြောင့်
 DocType: Project User,Project User,Project မှအသုံးပြုသူတို့၏
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,ကွဲ
@@ -5366,7 +5431,7 @@
 DocType: GL Entry,Is Advance,ကြိုတင်ထုတ်သည်
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,ဝန်ထမ်းဘဝမှတ်တိုင်သံသရာစက်ဝိုင်း
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,နေ့စွဲရန်နေ့စွဲနှင့်တက်ရောက် မှစ. တက်ရောက်သူမသင်မနေရ
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,ရိုက်ထည့်ပေးပါဟုတ်ကဲ့သို့မဟုတ်မရှိပါအဖြစ် &#39;&#39; Subcontracted သည် &#39;&#39;
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,ရိုက်ထည့်ပေးပါဟုတ်ကဲ့သို့မဟုတ်မရှိပါအဖြစ် &#39;&#39; Subcontracted သည် &#39;&#39;
 DocType: Item,Default Purchase Unit of Measure,တိုင်း၏ default ဝယ်ယူယူနစ်
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,နောက်ဆုံးဆက်သွယ်ရေးနေ့စွဲ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,နောက်ဆုံးဆက်သွယ်ရေးနေ့စွဲ
@@ -5376,7 +5441,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Access ကိုတိုကင်နံပါတ်သို့မဟုတ် Shopify URL ကိုပျောက်ဆုံး
 DocType: Location,Latitude,လတီ္တတွဒ်
 DocType: Work Order,Scrap Warehouse,အပိုင်းအစဂိုဒေါင်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Row အဘယ်သူမျှမ {0}, {2} ကုမ္ပဏီအတွက်ပစ္စည်း {1} များအတွက် default အဂိုဒေါင် set ကျေးဇူးပြုပြီးမှာလိုအပ်ဂိုဒေါင်"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Row အဘယ်သူမျှမ {0}, {2} ကုမ္ပဏီအတွက်ပစ္စည်း {1} များအတွက် default အဂိုဒေါင် set ကျေးဇူးပြုပြီးမှာလိုအပ်ဂိုဒေါင်"
 DocType: Work Order,Check if material transfer entry is not required,ပစ္စည်းလွှဲပြောင်း entry ကိုမလိုအပ်လျှင် Check
 DocType: Work Order,Check if material transfer entry is not required,ပစ္စည်းလွှဲပြောင်း entry ကိုမလိုအပ်လျှင် Check
 DocType: Program Enrollment Tool,Get Students From,ကနေကျောင်းသားများ Get
@@ -5393,6 +5458,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,နယူးသုတ်လိုက်အရည်အတွက်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,အဝတ်အထည်နှင့်ဆက်စပ်ပစ္စည်းများ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,ချိန်ရမှတ် function ကိုဖြေရှင်းမပေးနိုင်ခဲ့ပါ။ ယင်းပုံသေနည်းတရားဝင်သည်သေချာအောင်လုပ်ပါ။
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,အမိန့်ပစ္စည်းများဝယ်ယူရန်အချိန်ပေါ်လက်ခံရရှိခြင်းမရှိသေးပါခင်ဗျား
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,အမိန့်အရေအတွက်
 DocType: Item Group,HTML / Banner that will show on the top of product list.,ထုတ်ကုန်စာရင်း၏ထိပ်ပေါ်မှာပြလတံ့သောက HTML / Banner ။
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,ရေကြောင်းပမာဏကိုတွက်ချက်ရန်အခြေအနေများကိုသတ်မှတ်
@@ -5401,9 +5467,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,path
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,ဒါကြောင့်ကလေးဆုံမှတ်များရှိပါတယ်အဖြစ်လယ်ဂျာမှကုန်ကျစရိတ် Center က convert နိုင်ဘူး
 DocType: Production Plan,Total Planned Qty,စုစုပေါင်းစီစဉ်ထားအရည်အတွက်
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,ဖွင့်လှစ် Value တစ်ခု
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,ဖွင့်လှစ် Value တစ်ခု
 DocType: Salary Component,Formula,နည်း
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,serial #
 DocType: Lab Test Template,Lab Test Template,Lab ကစမ်းသပ် Template ကို
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,အရောင်းအကောင့်
 DocType: Purchase Invoice Item,Total Weight,စုစုပေါင်းအလေးချိန်
@@ -5421,7 +5487,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,ပစ္စည်းတောင်းဆိုခြင်း Make
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ပွင့်လင်း Item {0}
 DocType: Asset Finance Book,Written Down Value,Down Written Value ကို
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း&gt; HR က Settings
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,အရောင်းပြေစာ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည်
 DocType: Clinical Procedure,Age,အသက်အရွယ်
 DocType: Sales Invoice Timesheet,Billing Amount,ငွေတောင်းခံငွေပမာဏ
@@ -5430,11 +5495,11 @@
 DocType: Company,Default Employee Advance Account,default န်ထမ်းကြိုတင်အကောင့်
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),ရှာရန် Item (Ctrl + ဈ)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုဖျက်ပစ်မရနိုင်ပါ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုဖျက်ပစ်မရနိုင်ပါ
 DocType: Vehicle,Last Carbon Check,ပြီးခဲ့သည့်ကာဗွန်စစ်ဆေးမှု
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,ဥပဒေရေးရာအသုံးစရိတ်များ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,အတန်းအပေါ်အရေအတွက်ကို select ပေးပါ
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,အရောင်းနှင့်အရစ်ကျငွေတောင်းခံလွှာဖွင့်လှစ် Make
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,အရောင်းနှင့်အရစ်ကျငွေတောင်းခံလွှာဖွင့်လှစ် Make
 DocType: Purchase Invoice,Posting Time,posting အချိန်
 DocType: Timesheet,% Amount Billed,ကြေညာတဲ့% ပမာဏ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,တယ်လီဖုန်းအသုံးစရိတ်များ
@@ -5449,14 +5514,14 @@
 DocType: Maintenance Visit,Breakdown,ပျက်သည်
 DocType: Travel Itinerary,Vegetarian,သတ်သတ်လွတ်
 DocType: Patient Encounter,Encounter Date,တှေ့ဆုံနေ့စွဲ
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,အကောင့်ဖွင်: {0} ငွေကြေးနှင့်အတူ: {1} ကိုရှေးခယျြမရနိုငျ
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,အကောင့်ဖွင်: {0} ငွေကြေးနှင့်အတူ: {1} ကိုရှေးခယျြမရနိုငျ
 DocType: Bank Statement Transaction Settings Item,Bank Data,ဘဏ်ဒေတာများ
 DocType: Purchase Receipt Item,Sample Quantity,နမူနာအရေအတွက်
 DocType: Bank Guarantee,Name of Beneficiary,အကျိုးခံစားအမည်
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Update ကို BOM နောက်ဆုံးပေါ်အဘိုးပြတ်မှုနှုန်း / စျေးနှုန်းစာရင်းနှုန်းသည် / ကုန်ကြမ်း၏နောက်ဆုံးဝယ်ယူမှုနှုန်းအပေါ်အခြေခံပြီး, Scheduler ကိုမှတဆင့်အလိုအလျှောက်ကုန်ကျခဲ့ပါတယ်။"
 DocType: Supplier,SUP-.YYYY.-,sup-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Cheques နေ့စွဲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},အကောင့်ကို {0}: မိဘအကောင့်ကို {1} ကုမ္ပဏီပိုင်ပါဘူး: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},အကောင့်ကို {0}: မိဘအကောင့်ကို {1} ကုမ္ပဏီပိုင်ပါဘူး: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,အောင်မြင်စွာဒီကုမ္ပဏီနှင့်ဆက်စပ်သောအားလုံးအရောင်းအဖျက်ပြီး!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,နေ့စွဲအပေါ်အဖြစ်
 DocType: Additional Salary,HR,HR
@@ -5464,7 +5529,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,လူနာ SMS ကိုသတိပေးချက်ထွက်
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,အစမ်းထား
 DocType: Program Enrollment Tool,New Academic Year,နယူးပညာရေးဆိုင်ရာတစ်နှစ်တာ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,ပြန်သွား / ခရက်ဒစ်မှတ်ချက်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,ပြန်သွား / ခရက်ဒစ်မှတ်ချက်
 DocType: Stock Settings,Auto insert Price List rate if missing,auto INSERT စျေးနှုန်းကိုစာရင်းနှုန်းကပျောက်ဆုံးနေဆဲလျှင်
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,စုစုပေါင်း Paid ငွေပမာဏ
 DocType: GST Settings,B2C Limit,B2C ကန့်သတ်
@@ -5482,10 +5547,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ကလေး node များသာ &#39;&#39; Group မှ &#39;&#39; type ကို node များအောက်တွင်ဖန်တီးနိုင်ပါတယ်
 DocType: Attendance Request,Half Day Date,ဝက်နေ့နေ့စွဲ
 DocType: Academic Year,Academic Year Name,ပညာသင်နှစ်တစ်နှစ်တာအမည်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} နှင့်အတူစတင်မည်ခွင့်မပြု။ ကုမ္ပဏီပြောင်းပါ။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} နှင့်အတူစတင်မည်ခွင့်မပြု။ ကုမ္ပဏီပြောင်းပါ။
 DocType: Sales Partner,Contact Desc,ဆက်သွယ်ရန် Desc
 DocType: Email Digest,Send regular summary reports via Email.,အီးမေးလ်ကနေတဆင့်ပုံမှန်အကျဉ်းချုပ်အစီရင်ခံစာပေးပို့ပါ။
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},သုံးစွဲမှုအရေးဆိုသောအမျိုးအစား {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},သုံးစွဲမှုအရေးဆိုသောအမျိုးအစား {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,ရရှိနိုင်အရွက်
 DocType: Assessment Result,Student Name,ကျောင်းသားအမည်
 DocType: Hub Tracked Item,Item Manager,item Manager က
@@ -5510,9 +5575,10 @@
 DocType: Subscription,Trial Period End Date,စမ်းသပ်မှုကာလပြီးဆုံးရက်စွဲ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ကန့်သတ်ထက်ကျော်လွန်ပြီးကတည်းက authroized မဟုတ်
 DocType: Serial No,Asset Status,ပိုင်ဆိုင်မှုအခြေအနေ
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ကျော် Dimensional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,စားသောက်ဆိုင်ဇယား
 DocType: Hotel Room,Hotel Manager,ဟိုတယ်မန်နေဂျာ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,စျေးဝယ်လှည်းများအတွက်အခွန်နည်းဥပဒေ Set
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,စျေးဝယ်လှည်းများအတွက်အခွန်နည်းဥပဒေ Set
 DocType: Purchase Invoice,Taxes and Charges Added,အခွန်နှင့်စွပ်စွဲချက် Added
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,တန်ဖိုးလျော့ Row {0}: Next ကိုတန်ဖိုးနေ့စွဲရှိနိုင်-for-အသုံးပြုမှုနေ့စွဲမတိုင်မီမဖွစျနိုငျ
 ,Sales Funnel,အရောင်းကတော့
@@ -5528,10 +5594,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,အားလုံးသည်ဖောက်သည်အဖွဲ့များ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,လစဉ်စုဆောင်း
 DocType: Attendance Request,On Duty,Duty တွင်
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} မဖြစ်မနေဖြစ်ပါတယ်။ ဖြစ်ရင်ငွေကြေးစနစ်ချိန်းစံချိန် {1} {2} မှဖန်တီးသည်မဟုတ်။
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} မဖြစ်မနေဖြစ်ပါတယ်။ ဖြစ်ရင်ငွေကြေးစနစ်ချိန်းစံချိန် {1} {2} မှဖန်တီးသည်မဟုတ်။
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},ဝန်ထမ်းများအစီအစဉ် {0} ပြီးသားသတ်မှတ်ရေး {1} များအတွက်တည်ရှိ
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,အခွန် Template ကိုမဖြစ်မနေဖြစ်ပါတယ်။
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} မတည်ရှိပါဘူး
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} မတည်ရှိပါဘူး
 DocType: POS Closing Voucher,Period Start Date,ကာလ Start ကိုနေ့စွဲ
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),စျေးနှုန်း List ကို Rate (ကုမ္ပဏီငွေကြေးစနစ်)
 DocType: Products Settings,Products Settings,ထုတ်ကုန်များချိန်ညှိ
@@ -5551,7 +5617,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,ဤလုပ်ဆောင်ချက်သည်အနာဂတ်ငွေတောင်းခံကိုရပ်တန့်ပါလိမ့်မယ်။ သင်ဤ subscription ကိုသင်ပယ်ဖျက်လိုတာသေချာလား?
 DocType: Serial No,Distinct unit of an Item,တစ်ဦး Item ၏ထူးခြားသောယူနစ်
 DocType: Supplier Scorecard Criteria,Criteria Name,လိုအပ်ချက်အမည်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ
 DocType: Procedure Prescription,Procedure Created,လုပ်ထုံးလုပ်နည်း Created
 DocType: Pricing Rule,Buying,ဝယ်
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,ရောဂါများ &amp; ဓါတ်မြေသြဇာ
@@ -5568,43 +5634,44 @@
 DocType: Employee Onboarding,Job Offer,ယောဘသည်ကမ်းလှမ်းချက်
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institute မှအတိုကောက်
 ,Item-wise Price List Rate,item ပညာစျေးနှုန်း List ကို Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,ပေးသွင်းစျေးနှုန်း
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,ပေးသွင်းစျေးနှုန်း
 DocType: Quotation,In Words will be visible once you save the Quotation.,သင်စျေးနှုန်းကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},အရေအတွက် ({0}) တန်း {1} အတွက်အစိတ်အပိုင်းမဖွစျနိုငျ
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},အရေအတွက် ({0}) တန်း {1} အတွက်အစိတ်အပိုင်းမဖွစျနိုငျ
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},အရေအတွက် ({0}) တန်း {1} အတွက်အစိတ်အပိုင်းမဖွစျနိုငျ
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},အရေအတွက် ({0}) တန်း {1} အတွက်အစိတ်အပိုင်းမဖွစျနိုငျ
 DocType: Contract,Unsigned,လက်မှတ်မထိုး
 DocType: Selling Settings,Each Transaction,တစ်ခုချင်းစီကိုငွေသွင်းငွေထုတ်
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} ပြီးသား Item {1} များတွင်အသုံးပြု
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} ပြီးသား Item {1} များတွင်အသုံးပြု
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,သင်္ဘောစရိတ်ပေါင်းထည့်သည်နည်းဥပဒေများ။
 DocType: Hotel Room,Extra Bed Capacity,အပိုအိပ်ရာစွမ်းဆောင်ရည်
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,စတော့အိတ်ဖွင့်လှစ်
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,customer လိုအပ်သည်
 DocType: Lab Test,Result Date,ရလဒ်နေ့စွဲ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,ကောင်စီ / LC နေ့စွဲ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,ကောင်စီ / LC နေ့စွဲ
 DocType: Purchase Order,To Receive,လက်ခံမှ
 DocType: Leave Period,Holiday List for Optional Leave,မလုပ်မဖြစ်ခွင့်များအတွက်အားလပ်ရက်များစာရင်း
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,ပိုင်ဆိုင်မှုပိုင်ရှင်
 DocType: Purchase Invoice,Reason For Putting On Hold,Hold တွင်ခြင်းများအတွက်အကြောင်းပြချက်
 DocType: Employee,Personal Email,ပုဂ္ဂိုလ်ရေးအီးမေးလ်
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,စုစုပေါင်းကှဲလှဲ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,စုစုပေါင်းကှဲလှဲ
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","enabled လျှင်, system ကိုအလိုအလျှောက်စာရင်းသည်စာရင်းကိုင် entries တွေကို post လိမ့်မည်။"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,brokerage
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ဝန်ထမ်းများအတွက်တက်ရောက်သူ {0} ပြီးသားဤသည်နေ့ရက်သည်မှတ်သားသည်
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ဝန်ထမ်းများအတွက်တက်ရောက်သူ {0} ပြီးသားဤသည်နေ့ရက်သည်မှတ်သားသည်
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",&#39;&#39; အချိန်အထဲ &#39;&#39; ကနေတဆင့် Updated မိနစ်အနည်းငယ်အတွက်
 DocType: Customer,From Lead,ခဲကနေ
 DocType: Amazon MWS Settings,Synch Orders,Synch အမိန့်
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ထုတ်လုပ်မှုပြန်လွှတ်ပေးခဲ့အမိန့်။
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာကိုရွေးပါ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Entry &#39;ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးအချက်အလက်များ profile
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Entry &#39;ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးအချက်အလက်များ profile
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","သစ္စာရှိမှုအမှတ်ဖော်ပြခဲ့တဲ့စုဆောင်းခြင်းအချက်ပေါ်အခြေခံပြီး, (ယင်းအရောင်းပြေစာမှတဆင့်) ကိုသုံးစွဲပြီးပြီထံမှတွက်ချက်ပါလိမ့်မည်။"
 DocType: Program Enrollment Tool,Enroll Students,ကျောင်းသားများကျောင်းအပ်
 DocType: Company,HRA Settings,ဟရားက Settings
 DocType: Employee Transfer,Transfer Date,လွှဲပြောင်းနေ့စွဲ
 DocType: Lab Test,Approved Date,approved နေ့စွဲ
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,စံရောင်းချသည့်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast တယောက်ဂိုဒေါင်မသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast တယောက်ဂိုဒေါင်မသင်မနေရ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, Item Group မှ, ဖော်ပြချက်များနှင့်နာရီ၏အဘယ်သူမျှမများကဲ့သို့အရာဝတ္ထု Fields ပြုပြင်မည်။"
 DocType: Certification Application,Certification Status,လက်မှတ်အခြေအနေ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5624,6 +5691,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,ကိုက်ညီငွေတောင်းခံလွှာ
 DocType: Work Order,Required Items,လိုအပ်သောပစ္စည်းများ
 DocType: Stock Ledger Entry,Stock Value Difference,စတော့အိတ် Value တစ်ခု Difference
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,item Row {0}: {1} {2} အထက် &#39;{1}&#39; table ထဲမှာမတည်ရှိပါဘူး
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,လူ့စွမ်းအားအရင်းအမြစ်
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ငွေပေးချေမှုရမည့်ပြန်လည်ရင်ကြားစေ့ရေးငွေပေးချေမှုရမည့်
 DocType: Disease,Treatment Task,ကုသမှု Task ကို
@@ -5641,7 +5709,8 @@
 DocType: Account,Debit,debit
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,အရွက် 0.5 အလီလီခွဲဝေရမည်
 DocType: Work Order,Operation Cost,စစ်ဆင်ရေးကုန်ကျစရိတ်
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,ထူးချွန် Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,ဖော်ထုတ်ခြင်းမူဝါဒချမှတ်သူများ
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,ထူးချွန် Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ဒီအရောင်းပုဂ္ဂိုလ်များအတွက်ပစ်မှတ် Item Group မှပညာ Set ။
 DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] သန်း Older စတော့စျေးကွက်အေးခဲ
 DocType: Payment Request,Payment Ordered,ငွေပေးချေမှုရမည့်အမိန့်ထုတ်
@@ -5653,14 +5722,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,အောက်ပါအသုံးပြုသူများလုပ်ကွက်နေ့ရက်ကာလအဘို့ထွက်ခွာ Applications ကိုအတည်ပြုခွင့်ပြုပါ။
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,ဘဝဖြစ်စဥ်
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM Make
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ကို item {0} အဘို့အမှုနှုန်းရောင်းချနေသည်၎င်း၏ {1} ထက်နိမ့်သည်။ ရောင်းမှုနှုန်း atleast {2} ဖြစ်သင့်
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ကို item {0} အဘို့အမှုနှုန်းရောင်းချနေသည်၎င်း၏ {1} ထက်နိမ့်သည်။ ရောင်းမှုနှုန်း atleast {2} ဖြစ်သင့်
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ကို item {0} အဘို့အမှုနှုန်းရောင်းချနေသည်၎င်း၏ {1} ထက်နိမ့်သည်။ ရောင်းမှုနှုန်း atleast {2} ဖြစ်သင့်
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ကို item {0} အဘို့အမှုနှုန်းရောင်းချနေသည်၎င်း၏ {1} ထက်နိမ့်သည်။ ရောင်းမှုနှုန်း atleast {2} ဖြစ်သင့်
 DocType: Subscription,Taxes,အခွန်
 DocType: Purchase Invoice,capital goods,မြို့တော်ကုန်ပစ္စည်းများ
 DocType: Purchase Invoice Item,Weight Per Unit,ယူနစ်လျှင်အလေးချိန်
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ်
-DocType: Project,Default Cost Center,default ကုန်ကျစရိတ် Center က
-DocType: Delivery Note,Transporter Doc No,Transporter Doc သို့အဘယ်သူမျှမ
+DocType: QuickBooks Migrator,Default Cost Center,default ကုန်ကျစရိတ် Center က
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,စတော့အိတ်အရောင်းအဝယ်
 DocType: Budget,Budget Accounts,ဘတ်ဂျက်ငွေစာရင်း
 DocType: Employee,Internal Work History,internal လုပ်ငန်းသမိုင်း
@@ -5693,7 +5761,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},{0} အပေါ်ကျန်းမာရေးစောင့်ရှောက်မှု Practitioner ကိုမရရှိနိုင်
 DocType: Stock Entry Detail,Additional Cost,အပိုဆောင်းကုန်ကျစရိတ်
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","ဘောက်ချာများကအုပ်စုဖွဲ့လျှင်, voucher မရှိပါအပေါ်အခြေခံပြီး filter နိုင်ဘူး"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,ပေးသွင်းစျေးနှုန်းလုပ်ပါ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,ပေးသွင်းစျေးနှုန်းလုပ်ပါ
 DocType: Quality Inspection,Incoming,incoming
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,အရောင်းနှင့်ဝယ်ယူဘို့ default အခွန်တင်းပလိတ်များဖန်တီးနေကြသည်။
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,အကဲဖြတ်ရလဒ်စံချိန် {0} ရှိပြီးဖြစ်သည်။
@@ -5709,7 +5777,7 @@
 DocType: Batch,Batch ID,batch ID ကို
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},မှတ်စု: {0}
 ,Delivery Note Trends,Delivery မှတ်ချက်ခေတ်ရေစီးကြောင်း
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,This Week ရဲ့အကျဉ်းချုပ်
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,This Week ရဲ့အကျဉ်းချုပ်
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,စတော့အိတ်အရည်အတွက်ခုနှစ်တွင်
 ,Daily Work Summary Replies,နေ့စဉ်လုပ်ငန်းခွင်အနှစ်ချုပ်ပြန်စာများ
 DocType: Delivery Trip,Calculate Estimated Arrival Times,မှန်းခြေဆိုက်ရောက်ဗီဇာ Times ကတွက်ချက်
@@ -5719,7 +5787,7 @@
 DocType: Bank Account,Party,ပါတီ
 DocType: Healthcare Settings,Patient Name,လူနာအမည်
 DocType: Variant Field,Variant Field,မူကွဲဖျော်ဖြေမှု
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ပစ်မှတ်တည်နေရာ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ပစ်မှတ်တည်နေရာ
 DocType: Sales Order,Delivery Date,ကုန်ပို့ရက်စွဲ
 DocType: Opportunity,Opportunity Date,အခွင့်အလမ်းနေ့စွဲ
 DocType: Employee,Health Insurance Provider,ကနျြးမာရေးအာမခံပေးသူ
@@ -5738,7 +5806,7 @@
 DocType: Employee,History In Company,ကုမ္ပဏီခုနှစ်တွင်သမိုင်းကြောင်း
 DocType: Customer,Customer Primary Address,ဖောက်သည်မူလတန်းလိပ်စာ
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,သတင်းလွှာ
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,ကိုးကားစရာအမှတ်
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,ကိုးကားစရာအမှတ်
 DocType: Drug Prescription,Description/Strength,ဖော်ပြချက် / အစွမ်းသတ္တိ
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,နယူးငွေပေးချေ / ဂျာနယ် Entry &#39;Create
 DocType: Certification Application,Certification Application,လက်မှတ်လျှောက်လွှာ
@@ -5749,10 +5817,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ထားပြီး
 DocType: Department,Leave Block List,Block List ကို Leave
 DocType: Purchase Invoice,Tax ID,အခွန် ID ကို
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ စစ်ကြောင်းအလွတ်ရှိရမည်
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ စစ်ကြောင်းအလွတ်ရှိရမည်
 DocType: Accounts Settings,Accounts Settings,Settings ကိုအကောင့်
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,အတည်ပြု
 DocType: Loyalty Program,Customer Territory,ဖောက်သည်နယ်မြေတွေကို
+DocType: Email Digest,Sales Orders to Deliver,ကယ်ယူမှအရောင်းအမိန့်
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",အသစ်ကအကောင့်အရေအတွက်ကရှေ့ဆက်အဖြစ်အကောင့်အမည်ကိုတွင်ထည့်သွင်းပါလိမ့်မည်
 DocType: Maintenance Team Member,Team Member,ရေးအဖွဲ့အဖွဲ့ဝင်
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,တင်ပြခြင်းမရှိပါရလဒ်
@@ -5762,7 +5831,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","စုစုပေါင်း {0} ပစ္စည်းများအားလုံးအဘို့, သုညဖြစ်ပါသည်သင်က &#39;&#39; ဖြန့်ဝေတွင် အခြေခံ. စွပ်စွဲချက် &#39;&#39; ကိုပြောင်းလဲသင့်ပါတယ်ဖြစ်နိုင်သည်"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,ယနေ့အထိနေ့မှထက်လျော့နည်းမဖွစျနိုငျ
 DocType: Opportunity,To Discuss,ဆွေးနွေးသည်မှ
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,ဒီစာရင်းပေးသွင်းသူဆန့်ကျင်အရောင်းအပေါ်တွင်အခြေခံထားသည်။ အသေးစိတ်အချက်အလက်များကိုအောက်ပါအချိန်ဇယားကိုကြည့်ပါ
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} ဒီအရောင်းအဝယ်ပြီးမြောက်ရန် {2} လိုသေး {1} ၏ယူနစ်။
 DocType: Loan Type,Rate of Interest (%) Yearly,အကျိုးစီးပွား၏နှုန်းမှာ (%) နှစ်အလိုက်
 DocType: Support Settings,Forum URL,ဖိုရမ် URL ကို
@@ -5777,7 +5845,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,ပိုမိုသိရှိရန်
 DocType: Cheque Print Template,Distance from top edge,ထိပ်ဆုံးအစွန်ကနေအဝေးသင်
 DocType: POS Closing Voucher Invoices,Quantity of Items,ပစ္စည်းများ၏အရေအတွက်
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,စျေးစာရင်း {0} ကိုပိတ်ထားသည်သို့မဟုတ်မတည်ရှိပါဘူး
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,စျေးစာရင်း {0} ကိုပိတ်ထားသည်သို့မဟုတ်မတည်ရှိပါဘူး
 DocType: Purchase Invoice,Return,ပြန်လာ
 DocType: Pricing Rule,Disable,ကို disable
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,ငွေပေးချေမှု၏ Mode ကိုငွေပေးချေရန်လိုအပ်ပါသည်
@@ -5785,18 +5853,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","ပိုင်ဆိုင်မှု, အမှတ်စဉ် nos, သုတ်စသည်တို့ကိုတူသောပိုပြီးရွေးချယ်စရာအဘို့အပြည့်အဝစာမျက်နှာတည်းဖြတ်မှု"
 DocType: Leave Type,Maximum Continuous Days Applicable,သက်ဆိုင်သောအများဆုံးအဆက်မပြတ်နေ့ရက်များ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ဟာအသုတ်လိုက် {2} စာရင်းသွင်းမဟုတ်ပါ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","ဒါကြောင့် {1} ပြီးသားဖြစ်သကဲ့သို့ပိုင်ဆိုင်မှု {0}, ဖျက်သိမ်းမရနိုငျ"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","ဒါကြောင့် {1} ပြီးသားဖြစ်သကဲ့သို့ပိုင်ဆိုင်မှု {0}, ဖျက်သိမ်းမရနိုငျ"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,လိုအပ်သောစစ်ဆေးမှုများ
 DocType: Task,Total Expense Claim (via Expense Claim),(ကုန်ကျစရိတ်တောင်းဆိုမှုများကနေတဆင့်) စုစုပေါင်းကုန်ကျစရိတ်တောင်းဆိုမှုများ
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,မာကုဒူးယောင်
 DocType: Job Applicant Source,Job Applicant Source,ယောဘသည်လျှောက်ထားသူနဲ့သက်ဆိုင်တဲ့ Source
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST ငွေပမာဏ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST ငွေပမာဏ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,setup ကိုကုမ္ပဏီရန်မအောင်မြင်ခဲ့ပါ
 DocType: Asset Repair,Asset Repair,ပိုင်ဆိုင်မှုပြုပြင်ခြင်း
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},အတန်း {0}: အ BOM # ၏ငွေကြေး {1} ရွေးချယ်ထားတဲ့ငွေကြေး {2} တန်းတူဖြစ်သင့်
 DocType: Journal Entry Account,Exchange Rate,ငွေလဲလှယ်နှုန်း
 DocType: Patient,Additional information regarding the patient,လူနာနှင့်ပတ်သက်သည့်အပိုဆောင်းသတင်းအချက်အလက်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,အရောင်းအမှာစာ {0} တင်သွင်းသည်မဟုတ်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,အရောင်းအမှာစာ {0} တင်သွင်းသည်မဟုတ်
 DocType: Homepage,Tag Line,tag ကိုလိုင်း
 DocType: Fee Component,Fee Component,အခကြေးငွေစိတျအပိုငျး
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,ရေယာဉ်စုစီမံခန့်ခွဲမှု
@@ -5811,7 +5879,7 @@
 DocType: Healthcare Practitioner,Mobile,မိုဘိုင်း
 ,Sales Person-wise Transaction Summary,အရောင်းပုဂ္ဂိုလ်ပညာ Transaction အကျဉ်းချုပ်
 DocType: Training Event,Contact Number,ဆက်သွယ်ရန်ဖုန်းနံပါတ်
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,ဂိုဒေါင် {0} မတည်ရှိပါဘူး
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,ဂိုဒေါင် {0} မတည်ရှိပါဘူး
 DocType: Cashier Closing,Custody,အုပ်ထိန်းခြင်း
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ဝန်ထမ်းအခွန်ကင်းလွတ်ခွင့်အထောက်အထားတင်ပြမှုကိုအသေးစိတ်
 DocType: Monthly Distribution,Monthly Distribution Percentages,လစဉ်ဖြန့်ဖြူးရာခိုင်နှုန်း
@@ -5826,7 +5894,7 @@
 DocType: Payment Entry,Paid Amount,Paid ငွေပမာဏ
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,အရောင်း Cycle Explore
 DocType: Assessment Plan,Supervisor,ကြီးကြပ်သူ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,retention စတော့အိတ် Entry &#39;
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,retention စတော့အိတ် Entry &#39;
 ,Available Stock for Packing Items,ပစ္စည်းများထုပ်ပိုးရရှိနိုင်ပါသည်စတော့အိတ်
 DocType: Item Variant,Item Variant,item Variant
 ,Work Order Stock Report,အမိန့်စတော့အိတ်အစီရင်ခံစာအလုပ်မလုပ်
@@ -5835,9 +5903,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,ကြီးကြပ်ရေးမှူးအဖြစ်
 DocType: Leave Policy Detail,Leave Policy Detail,ပေါ်လစီအသေးစိတ် Leave
 DocType: BOM Scrap Item,BOM Scrap Item,BOM အပိုင်းအစ Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Submitted အမိန့်ပယ်ဖျက်မရပါ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Debit ထဲမှာရှိပြီးသားအကောင့်ကိုချိန်ခွင်ကိုသင် &#39;&#39; Credit &#39;အဖြစ်&#39; &#39;Balance ဖြစ်ရမည်&#39; &#39;တင်ထားရန်ခွင့်ပြုမနေကြ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,အရည်အသွေးအစီမံခန့်ခွဲမှု
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Submitted အမိန့်ပယ်ဖျက်မရပါ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Debit ထဲမှာရှိပြီးသားအကောင့်ကိုချိန်ခွင်ကိုသင် &#39;&#39; Credit &#39;အဖြစ်&#39; &#39;Balance ဖြစ်ရမည်&#39; &#39;တင်ထားရန်ခွင့်ပြုမနေကြ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,အရည်အသွေးအစီမံခန့်ခွဲမှု
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,item {0} ကိုပိတ်ထားသည်
 DocType: Project,Total Billable Amount (via Timesheets),(Timesheets မှတဆင့်) စုစုပေါင်းဘီလ်ဆောင်ငွေပမာဏ
 DocType: Agriculture Task,Previous Business Day,ယခင်စီးပွားရေးနေ့
@@ -5860,15 +5928,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,ကုန်ကျစရိတ်စင်တာများ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,ပြန်လည်စတင်ပါ Subscription
 DocType: Linked Plant Analysis,Linked Plant Analysis,လင့်ခ်လုပ်ထားသောစက်ရုံအားသုံးသပ်ခြင်း
-DocType: Delivery Note,Transporter ID,Transporter ID ကို
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter ID ကို
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,value ကိုစီမံခ
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ပေးသွင်းမယ့်ငွေကြေးကုမ္ပဏီ၏အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate
-DocType: Sales Invoice Item,Service End Date,ဝန်ဆောင်မှုအဆုံးနေ့စွဲ
+DocType: Purchase Invoice Item,Service End Date,ဝန်ဆောင်မှုအဆုံးနေ့စွဲ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},row # {0}: အတန်းနှင့်အတူအချိန်ပဋိပက္ခများ {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,သုညအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှုန်း Allow
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,သုညအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှုန်း Allow
 DocType: Bank Guarantee,Receiving,လက်ခံခြင်း
 DocType: Training Event Employee,Invited,ဖိတ်ကြားခဲ့
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup ကို Gateway ရဲ့အကောင့်။
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup ကို Gateway ရဲ့အကောင့်။
 DocType: Employee,Employment Type,အလုပ်အကိုင်အခွင့်အကအမျိုးအစား
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Fixed ပိုင်ဆိုင်မှုများ
 DocType: Payment Entry,Set Exchange Gain / Loss,ချိန်း Gain / ပျောက်ဆုံးခြင်း Set
@@ -5884,7 +5953,7 @@
 DocType: Tax Rule,Sales Tax Template,အရောင်းခွန် Template ကို
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,အကျိုးခံစားခွင့်အရေးဆိုမှုဆန့်ကျင်ပေးဆောင်
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Update ကိုကုန်ကျစရိတ် Center ကနံပါတ်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ
 DocType: Employee,Encashment Date,Encashment နေ့စွဲ
 DocType: Training Event,Internet,အင်တာနက်ကို
 DocType: Special Test Template,Special Test Template,အထူးစမ်းသပ် Template ကို
@@ -5892,13 +5961,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},{0} - default လုပ်ဆောင်ချက်ကုန်ကျစရိတ်လုပ်ဆောင်ချက်ကအမျိုးအစားသည်တည်ရှိ
 DocType: Work Order,Planned Operating Cost,စီစဉ်ထားတဲ့ Operating ကုန်ကျစရိတ်
 DocType: Academic Term,Term Start Date,သက်တမ်း Start ကိုနေ့စွဲ
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,အားလုံးရှယ်ယာအရောင်းအများစာရင်း
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,အားလုံးရှယ်ယာအရောင်းအများစာရင်း
+DocType: Supplier,Is Transporter,Transporter Is
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ငွေပေးချေမှုရမည့်မှတ်သားလျှင် Shopify မှတင်သွင်းအရောင်းပြေစာ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp အရေအတွက်
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp အရေအတွက်
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,စမ်းသပ်ကာလကို Start နေ့စွဲနှင့်စမ်းသပ်ကာလပြီးဆုံးရက်စွဲကိုသတ်မှတ်ရမည်ဖြစ်သည်နှစ်ဦးစလုံး
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,ပျမ်းမျှနှုန်း
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ငွေပေးချေမှုရမည့်ဇယားများတွင်စုစုပေါင်းငွေပေးချေမှုရမည့်ငွေပမာဏက Grand / Rounded စုစုပေါင်းညီမျှရှိရမည်
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ငွေပေးချေမှုရမည့်ဇယားများတွင်စုစုပေါင်းငွေပေးချေမှုရမည့်ငွေပမာဏက Grand / Rounded စုစုပေါင်းညီမျှရှိရမည်
 DocType: Subscription Plan Detail,Plan,စီမံကိန်း
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,အထွေထွေလယ်ဂျာနှုန်းအဖြစ် Bank မှဖော်ပြချက်ချိန်ခွင်လျှာ
 DocType: Job Applicant,Applicant Name,လျှောက်ထားသူအမည်
@@ -5926,7 +5996,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,အရင်းအမြစ်ဂိုဒေါင်မှာမရရှိနိုင်အရည်အတွက်
 apps/erpnext/erpnext/config/support.py +22,Warranty,အာမခံချက်
 DocType: Purchase Invoice,Debit Note Issued,debit မှတ်ချက်ထုတ်ပေး
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ဘတ်ဂျက်ဆန့်ကျင်ကုန်ကျစရိတ်ရေးစင်တာအဖြစ်ရွေးချယ်လျှင်ကုန်ကျစရိတ်ရေးစင်တာအပေါ်အခြေခံပြီး filter သာသက်ဆိုင်ဖြစ်ပါသည်
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ဘတ်ဂျက်ဆန့်ကျင်ကုန်ကျစရိတ်ရေးစင်တာအဖြစ်ရွေးချယ်လျှင်ကုန်ကျစရိတ်ရေးစင်တာအပေါ်အခြေခံပြီး filter သာသက်ဆိုင်ဖြစ်ပါသည်
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","ကို item code ကို, အမှတ်စဉ်နံပါတ်, အသုတ်အဘယ်သူမျှမသို့မဟုတ်ဘားကုဒ်ကိုအားဖြင့်ရှာရန်"
 DocType: Work Order,Warehouses,ကုနျလှောငျရုံ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} ပိုင်ဆိုင်မှုလွှဲပြောင်းမရနိုငျ
@@ -5937,9 +6007,9 @@
 DocType: Workstation,per hour,တစ်နာရီကို
 DocType: Blanket Order,Purchasing,ယ်ယူခြင်း
 DocType: Announcement,Announcement,အသိပေးကြေငြာခြင်း
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,ဖောက်သည် LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,ဖောက်သည် LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ကျောင်းသားအုပ်စုအခြေစိုက်အသုတ်လိုက်အဘို့, ကျောင်းသားအသုတ်လိုက်အစီအစဉ်ကျောင်းအပ်ထံမှတိုင်းကျောင်းသားများအတွက်အတည်ပြုလိမ့်မည်။"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,စတော့ရှယ်ယာလယ်ဂျာ entry ကိုဒီကိုဂိုဒေါင်သည်တည်ရှိအဖြစ်ဂိုဒေါင်ဖျက်ပြီးမရနိုင်ပါ။
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,စတော့ရှယ်ယာလယ်ဂျာ entry ကိုဒီကိုဂိုဒေါင်သည်တည်ရှိအဖြစ်ဂိုဒေါင်ဖျက်ပြီးမရနိုင်ပါ။
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,ဖြန့်ဝေ
 DocType: Journal Entry Account,Loan,ခြေးငှေ
 DocType: Expense Claim Advance,Expense Claim Advance,စရိတ်ဆိုနေကြိုတင်
@@ -5948,7 +6018,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,စီမံကိန်းမန်နေဂျာ
 ,Quoted Item Comparison,ကိုးကားအရာဝတ္ထုနှိုင်းယှဉ်ခြင်း
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} နှင့် {1} အကြားအမှတ်ပေးအတွက်ထပ်တူ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,dispatch
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,dispatch
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,item တခုကိုခွင့်ပြုထား max ကိုလျှော့စျေး: {0} သည် {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,အဖြစ်အပေါ် Net ကပိုင်ဆိုင်မှုတန်ဖိုးကို
 DocType: Crop,Produce,ဟင်းသီးဟင်းရွက်
@@ -5958,20 +6028,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,ထုတ်လုပ်ခြင်းတို့အတွက်ပစ္စည်းစားသုံးမှု
 DocType: Item Alternative,Alternative Item Code,အခြားရွေးချယ်စရာ Item Code ကို
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ထားချေးငွေကန့်သတ်ထက်ကျော်လွန်ကြောင်းကိစ္စများကိုတင်ပြခွင့်ပြုခဲ့ကြောင်းအခန်းကဏ္ဍကို။
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ
 DocType: Delivery Stop,Delivery Stop,Delivery Stop
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ,"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ,"
 DocType: Item,Material Issue,material Issue
 DocType: Employee Education,Qualification,အရည်အချင်း
 DocType: Item Price,Item Price,item စျေးနှုန်း
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,ဆပ်ပြာ &amp; ဆပ်ပြာ
 DocType: BOM,Show Items,Show ကိုပစ္စည်းများ
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,အခြိနျမှနျမှထက် သာ. ကြီးမြတ်မဖြစ်နိုင်ပါ။
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,သငျသညျအီးမေးလ်ဖြင့်လူအပေါင်းတို့သည်ဖောက်သည်အကြောင်းကြားချင်ပါသလား?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,သငျသညျအီးမေးလ်ဖြင့်လူအပေါင်းတို့သည်ဖောက်သည်အကြောင်းကြားချင်ပါသလား?
 DocType: Subscription Plan,Billing Interval,ငွေတောင်းခံ Interval သည်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; ဗီဒီယို
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,အမိန့်ထုတ်
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,အမှန်တကယ်စတင်ရက်စွဲနှင့်အမှန်တကယ်အဆုံးနေ့စွဲမဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ဖောက်သည်&gt; ဖောက်သည် Group မှ&gt; နယ်မြေတွေကို
 DocType: Salary Detail,Component,component
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,အတန်း {0}: {1} 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
 DocType: Assessment Criteria,Assessment Criteria Group,အကဲဖြတ်လိုအပ်ချက် Group မှ
@@ -6002,11 +6073,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,submittting ရှေ့တော်၌ထိုဘဏ်သို့မဟုတ်ငွေချေးအဖွဲ့အစည်း၏အမည်ကိုရိုက်ထည့်ပါ။
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} တင်သွင်းရမည်ဖြစ်သည်
 DocType: POS Profile,Item Groups,item အဖွဲ့များ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,ဒီနေ့ {0} &#39;s မွေးနေ့ပါ!
 DocType: Sales Order Item,For Production,ထုတ်လုပ်မှုများအတွက်
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,အကောင့်ငွေကြေးခုနှစ်တွင် balance
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,ငွေစာရင်းဇယားအတွက်ယာယီဖွင့်ပွဲအကောင့် add ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,ငွေစာရင်းဇယားအတွက်ယာယီဖွင့်ပွဲအကောင့် add ပေးပါ
 DocType: Customer,Customer Primary Contact,ဖောက်သည်မူလတန်းဆက်သွယ်ပါ
 DocType: Project Task,View Task,view Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / ခဲ%
@@ -6020,11 +6090,11 @@
 DocType: Sales Invoice,Get Advances Received,ကြိုတင်ငွေရရှိထားသည့် Get
 DocType: Email Digest,Add/Remove Recipients,Add / Remove လက်ခံရယူ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Default အဖြစ်ဒီဘဏ္ဍာရေးနှစ်တစ်နှစ်တာတင်ထားရန်, &#39;&#39; Default အဖြစ်သတ်မှတ်ပါ &#39;&#39; ကို click လုပ်ပါ"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS ထုတ်ယူပမာဏ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS ထုတ်ယူပမာဏ
 DocType: Production Plan,Include Subcontracted Items,နှုံးပစ္စည်းများ Include
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,ပူးပေါင်း
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,ပြတ်လပ်မှု Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,ပူးပေါင်း
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,ပြတ်လပ်မှု Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
 DocType: Loan,Repay from Salary,လစာထဲကနေပြန်ဆပ်
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},ငွေပမာဏများအတွက် {0} {1} ဆန့်ကျင်ငွေပေးချေမှုတောင်းခံ {2}
 DocType: Additional Salary,Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံ
@@ -6040,7 +6110,7 @@
 DocType: Patient,Dormant,မြုံ
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ပိုင်ရှင်မပေါ်သောသွင်းထမ်းအကျိုးကျေးဇူးများသည်အခွန်နုတ်
 DocType: Salary Slip,Total Interest Amount,စုစုပေါင်းအကျိုးစီးပွားငွေပမာဏ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,ကလေး node များနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုငျ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,ကလေး node များနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုငျ
 DocType: BOM,Manage cost of operations,စစ်ဆင်ရေး၏ကုန်ကျစရိတ် Manage
 DocType: Accounts Settings,Stale Days,ဟောင်းနွမ်းနေ့ရက်များ
 DocType: Travel Itinerary,Arrival Datetime,ဆိုက်ရောက်ဗီဇာ DATETIME
@@ -6052,7 +6122,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,အကဲဖြတ်ရလဒ်အသေးစိတ်
 DocType: Employee Education,Employee Education,ဝန်ထမ်းပညာရေး
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,ပစ္စည်းအုပ်စု table ထဲမှာကိုတွေ့မိတ္တူပွားကို item အုပ်စု
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။
 DocType: Fertilizer,Fertilizer Name,ဓာတ်မြေသြဇာအမည်
 DocType: Salary Slip,Net Pay,Net က Pay ကို
 DocType: Cash Flow Mapping Accounts,Account,အကောင့်ဖွင့်
@@ -6063,14 +6133,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,အကျိုးခံစားခွင့်အရေးဆိုမှုဆန့်ကျင်သီးခြားငွေပေးချေမှုရမည့် Entry &#39;Create
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"တစ်အဖျား (အပူချိန်&gt; 38.5 ° C / 101,3 ° F ကိုသို့မဟုတ်စဉ်ဆက်မပြတ်အပူချိန်&gt; 38 ဒီဂရီစင်တီဂရိတ် / 100,4 ° F) ၏ရောက်ရှိခြင်း"
 DocType: Customer,Sales Team Details,အရောင်းရေးအဖွဲ့အသေးစိတ်ကို
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,အမြဲတမ်းပယ်ဖျက်?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,အမြဲတမ်းပယ်ဖျက်?
 DocType: Expense Claim,Total Claimed Amount,စုစုပေါင်းအခိုင်အမာငွေပမာဏ
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ရောင်းချခြင်းသည်အလားအလာရှိသောအခွင့်အလမ်း။
 DocType: Shareholder,Folio no.,အဘယ်သူမျှမဖိုလီယို။
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},မမှန်ကန်ခြင်း {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,နေမကောင်းထွက်ခွာ
 DocType: Email Digest,Email Digest,အီးမေးလ် Digest မဂ္ဂဇင်း
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,မဟုတ်
 DocType: Delivery Note,Billing Address Name,ငွေတောင်းခံလိပ်စာအမည်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ဦးစီးဌာနအရောင်းဆိုင်များ
 ,Item Delivery Date,item Delivery နေ့စွဲ
@@ -6086,16 +6155,16 @@
 DocType: Account,Chargeable,နှော
 DocType: Company,Change Abbreviation,ပြောင်းလဲမှုအတိုကောက်
 DocType: Contract,Fulfilment Details,ပွညျ့စုံအသေးစိတ်
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Pay ကို {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Pay ကို {0} {1}
 DocType: Employee Onboarding,Activities,လှုပ်ရှားမှုများ
 DocType: Expense Claim Detail,Expense Date,စရိတ်နေ့စွဲ
 DocType: Item,No of Months,လ၏အဘယ်သူမျှမ
 DocType: Item,Max Discount (%),max လျှော့ (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,credit နေ့ရက်များအပျက်သဘောဆောင်သောအရေအတွက်ကမဖွစျနိုငျ
-DocType: Sales Invoice Item,Service Stop Date,Service ကိုရပ်တန့်နေ့စွဲ
+DocType: Purchase Invoice Item,Service Stop Date,Service ကိုရပ်တန့်နေ့စွဲ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,နောက်ဆုံးအမိန့်ငွေပမာဏ
 DocType: Cash Flow Mapper,e.g Adjustments for:,ဥပမာ Adjustments:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} သိမ်းဆည်းထားနမူနာသုတ်အပေါ်အခြေခံသည်, စစ်ဆေးကျေးဇူးပြုပြီးကို item ၏နမူနာကိုဆက်လက်ထိန်းသိမ်းရန်မှအသုတ်လိုက်အဘယ်သူမျှမရှိထားသည်"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} သိမ်းဆည်းထားနမူနာသုတ်အပေါ်အခြေခံသည်, စစ်ဆေးကျေးဇူးပြုပြီးကို item ၏နမူနာကိုဆက်လက်ထိန်းသိမ်းရန်မှအသုတ်လိုက်အဘယ်သူမျှမရှိထားသည်"
 DocType: Task,Is Milestone,မှတ်တိုင်ဖြစ်ပါသည်
 DocType: Certification Application,Yet to appear,သို့သျောလညျးပေါ်လာဖို့
 DocType: Delivery Stop,Email Sent To,ရန် Sent အီးမေးလ်
@@ -6103,16 +6172,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Balance Sheet အကောင့်၏ Entry များတွင်ကုန်ကျစရိတ် Center က Allow
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,ဖြစ်တည်မှုအကောင့်နှင့်အတူပေါင်းစည်း
 DocType: Budget,Warn,အသိပေး
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,ပစ္စည်းများအားလုံးပြီးသားဒီအလုပျအမိန့်အဘို့အပြောင်းရွှေ့ပြီ။
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,ပစ္စည်းများအားလုံးပြီးသားဒီအလုပျအမိန့်အဘို့အပြောင်းရွှေ့ပြီ။
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","အခြားမည်သည့်သဘောထားမှတ်ချက်, မှတ်တမ်းများအတွက်သွားသင့်ကြောင်းမှတ်သားဖွယ်အားထုတ်မှု။"
 DocType: Asset Maintenance,Manufacturing User,ကုန်ထုတ်လုပ်မှုအသုံးပြုသူတို့၏
 DocType: Purchase Invoice,Raw Materials Supplied,ပေးထားသည့်ကုန်ကြမ်းပစ္စည်းများ
 DocType: Subscription Plan,Payment Plan,ငွေပေးချေမှုရမည့်အစီအစဉ်
 DocType: Shopping Cart Settings,Enable purchase of items via the website,ဝက်ဘ်ဆိုက်ကနေတစ်ဆင့်ပစ္စည်းများဝယ်ယူ Enable
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},စျေးနှုန်းစာရင်း၏ငွေကြေးစနစ် {0} {1} သို့မဟုတ် {2} ရှိရမည်
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,subscription စီမံခန့်ခွဲမှု
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,subscription စီမံခန့်ခွဲမှု
 DocType: Appraisal,Appraisal Template,စိစစ်ရေး Template:
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Pin Code ကိုမှ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Pin Code ကိုမှ
 DocType: Soil Texture,Ternary Plot,Ternary ကြံစည်မှု
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Scheduler မှတဆင့်စီစဉ်ထားနေ့စဉ်ထပ်တူလုပ်ရိုးလုပ်စဉ်ကို enable ဤ Check
 DocType: Item Group,Item Classification,item ခွဲခြား
@@ -6122,6 +6191,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ငွေတောင်းခံလွှာလူနာမှတ်ပုံတင်ခြင်း
 DocType: Crop,Period,ကာလ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,အထွေထွေလယ်ဂျာ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,ဘဏ္ဍာရေးတစ်နှစ်တာမှ
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,ကြည့်ရန်ခဲ
 DocType: Program Enrollment Tool,New Program,နယူးအစီအစဉ်
 DocType: Item Attribute Value,Attribute Value,attribute Value တစ်ခု
@@ -6130,11 +6200,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Reorder အဆင့်အကြံပြုထား
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,တန်း၏ဝန်ထမ်း {0} {1} မျှမက default ခွင့်မူဝါဒအရှိ
 DocType: Salary Detail,Salary Detail,လစာ Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,ပထမဦးဆုံး {0} ကို select ကျေးဇူးပြု.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,ပထမဦးဆုံး {0} ကို select ကျေးဇူးပြု.
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Added {0} အသုံးပြုသူများသည်
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Multi-tier အစီအစဉ်၏အမှု၌, Customer များအလိုအလျောက်သူတို့ရဲ့သုံးစွဲနှုန်းအတိုင်းစိုးရိမ်ပူပန်ဆင့်မှတာဝန်ပေးအပ်ပါလိမ့်မည်"
 DocType: Appointment Type,Physician,ဆရာဝန်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,batch {0} Item ၏ {1} သက်တမ်းကုန်ဆုံးခဲ့သည်။
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,batch {0} Item ၏ {1} သက်တမ်းကုန်ဆုံးခဲ့သည်။
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,ဆွေးနွေးညှိနှိုင်း
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,ကိုလက်စသတ်ကောင်း
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","item စျေး, စျေးစာရင်းပေးသွင်းသူ / ဖောက်သည်အပေါ်အခြေခံပြီးငွေကြေး, ပစ္စည်း, UOM, အရည်အတွက်နှင့်နေ့စွဲများအကြိမ်ပေါင်းများစွာပုံပေါ်ပါတယ်။"
@@ -6143,22 +6213,21 @@
 DocType: Certification Application,Name of Applicant,လျှောက်ထားသူအမည်
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ကုန်ထုတ်လုပ်မှုများအတွက်အချိန်စာရွက်။
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,စုစုပေါင်း
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,စတော့ရှယ်ယာငွေပေးငွေယူပြီးနောက်မူကွဲဂုဏ်သတ္တိများမပြောင်းနိုင်ပါ။ သင်ဤလုပ်ဖို့သစ်တစ်ခုအရာဝတ္ထုလုပ်ရပါလိမ့်မယ်။
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,စတော့ရှယ်ယာငွေပေးငွေယူပြီးနောက်မူကွဲဂုဏ်သတ္တိများမပြောင်းနိုင်ပါ။ သင်ဤလုပ်ဖို့သစ်တစ်ခုအရာဝတ္ထုလုပ်ရပါလိမ့်မယ်။
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA လုပ်ပိုင်ခွင့်
 DocType: Healthcare Practitioner,Charges,စွဲချက်
 DocType: Production Plan,Get Items For Work Order,လုပ်ငန်းခွင်အမိန့်သည်ပစ္စည်းများ Get
 DocType: Salary Detail,Default Amount,default ငွေပမာဏ
 DocType: Lab Test Template,Descriptive,ဖော်ပြရန်
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,ဂိုဒေါင်ကို system ထဲမှာမတှေ့
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,ဒီလရဲ့အကျဉ်းချုပ်
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,ဒီလရဲ့အကျဉ်းချုပ်
 DocType: Quality Inspection Reading,Quality Inspection Reading,အရည်အသွေးအစစ်ဆေးရေးစာဖတ်ခြင်း
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze စတော့စျေးကွက် Older Than`%d ရက်ထက်နည်းသင့်သည်။
 DocType: Tax Rule,Purchase Tax Template,ဝယ်ယူခွန် Template ကို
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,သင်သည်သင်၏ကုမ္ပဏီအတွက်အောင်မြင်ရန်ချင်ပါတယ်အရောင်းရည်မှန်းချက်သတ်မှတ်မည်။
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,ကျန်းမာရေးစောင့်ရှောက်မှုန်ဆောင်မှုများ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,ကျန်းမာရေးစောင့်ရှောက်မှုန်ဆောင်မှုများ
 ,Project wise Stock Tracking,Project သည်ပညာရှိသောသူသည်စတော့အိတ်ခြေရာကောက်
 DocType: GST HSN Code,Regional,ဒေသဆိုင်ရာ
-DocType: Delivery Note,Transport Mode,ပို့ဆောင်ရေး Mode ကို
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,စမ်းသပ်ခန်း
 DocType: UOM Category,UOM Category,UOM Category:
 DocType: Clinical Procedure Item,Actual Qty (at source/target),(အရင်းအမြစ် / ပစ်မှတ်မှာ) အမှန်တကယ် Qty
@@ -6181,17 +6250,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,website ကိုဖန်တီးရန်မအောင်မြင်ခဲ့ပါ
 DocType: Soil Analysis,Mg/K,mg / K သည်
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ကူးပြောင်းခြင်း Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,retention စတော့အိတ် Entry ပြီးသား created သို့မဟုတ်နမူနာအရေအတွက်မပေးထား
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,retention စတော့အိတ် Entry ပြီးသား created သို့မဟုတ်နမူနာအရေအတွက်မပေးထား
 DocType: Program,Program Abbreviation,Program ကိုအတိုကောက်
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,ထုတ်လုပ်မှုအမိန့်တစ်ခု Item Template ဆန့်ကျင်ထမွောကျနိုငျမညျမဟု
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,စွဲချက်အသီးအသီးကို item ဆန့်ကျင်ဝယ်ယူခြင်းပြေစာ Update လုပ်ပေး
 DocType: Warranty Claim,Resolved By,အားဖြင့်ပြေလည်
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,ဇယား discharge
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,မှားယွင်းစွာရှင်းလင်း Cheques နှင့်စာရင်း
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,အကောင့်ကို {0}: သင့်မိဘအကောင့်ကိုတခုအဖြစ်သတ်မှတ်လို့မရပါဘူး
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,အကောင့်ကို {0}: သင့်မိဘအကောင့်ကိုတခုအဖြစ်သတ်မှတ်လို့မရပါဘူး
 DocType: Purchase Invoice Item,Price List Rate,စျေးနှုန်း List ကို Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,ဖောက်သည်ကိုးကား Create
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Service ကိုရပ်တန့်နေ့စွဲဝန်ဆောင်မှုပြီးဆုံးရက်စွဲပြီးနောက်မဖွစျနိုငျ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Service ကိုရပ်တန့်နေ့စွဲဝန်ဆောင်မှုပြီးဆုံးရက်စွဲပြီးနောက်မဖွစျနိုငျ
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",ဒီကိုဂိုဒေါင်ထဲမှာရရှိနိုင်စတော့ရှယ်ယာအပေါ်အခြေခံပြီး &quot;မစတော့အိတ်အတွက်&quot; &quot;စတော့အိတ်ခုနှစ်တွင်&quot; Show သို့မဟုတ်။
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ပစ္စည်းများ၏ဘီလ် (BOM)
 DocType: Item,Average time taken by the supplier to deliver,ပျမ်းမျှအားဖြင့်အချိန်မကယ်မလွှတ်မှပေးသွင်းခြင်းဖြင့်ယူ
@@ -6203,11 +6272,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,နာရီ
 DocType: Project,Expected Start Date,မျှော်လင့်ထားသည့် Start ကိုနေ့စွဲ
 DocType: Purchase Invoice,04-Correction in Invoice,ငွေတောင်းခံလွှာအတွက် 04-ပြင်ဆင်ခြင်း
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,ပြီးသား BOM နှင့်အတူပစ္စည်းများအားလုံးဖန်တီးအလုပ်အမိန့်
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,ပြီးသား BOM နှင့်အတူပစ္စည်းများအားလုံးဖန်တီးအလုပ်အမိန့်
 DocType: Payment Request,Party Details,ပါတီအသေးစိတ်
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,မူကွဲအသေးစိတ်အစီရင်ခံစာ
 DocType: Setup Progress Action,Setup Progress Action,Setup ကိုတိုးတက်ရေးပါတီလှုပ်ရှားမှု
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,စျေးစာရင်းဝယ်ယူ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,စျေးစာရင်းဝယ်ယူ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,စွဲချက်က item တခုကိုသက်ဆိုင်မဖြစ်လျှင်တဲ့ item Remove
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Subscription Cancel
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Completed အဖြစ်ကို Maintenance အဆင့်အတန်းကိုရွေးချယ်ပါသို့မဟုတ်ပြီးစီးနေ့စွဲကိုဖယ်ရှား ကျေးဇူးပြု.
@@ -6225,7 +6294,7 @@
 DocType: Asset,Disposal Date,စွန့်ပစ်နေ့စွဲ
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","သူတို့အားလပ်ရက်ရှိသည်မဟုတ်ကြဘူးလျှင်အီးမေးလ်များ, ပေးထားသောနာရီမှာကုမ္ပဏီအပေါငျးတို့သ Active ကိုဝန်ထမ်းများထံသို့စေလွှတ်လိမ့်မည်။ တုံ့ပြန်မှု၏အကျဉ်းချုပ်သန်းခေါင်မှာကိုစလှေတျပါလိမ့်မည်။"
 DocType: Employee Leave Approver,Employee Leave Approver,ဝန်ထမ်းထွက်ခွာခွင့်ပြုချက်
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},row {0}: An Reorder entry ကိုပြီးသားဒီကိုဂိုဒေါင် {1} သည်တည်ရှိ
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},row {0}: An Reorder entry ကိုပြီးသားဒီကိုဂိုဒေါင် {1} သည်တည်ရှိ
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","ဆုံးရှုံးအဖြစ်စျေးနှုန်းကိုဖန်ဆင်းခဲ့ပြီးကြောင့်, ကြေညာလို့မရပါဘူး။"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP အကောင့်
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,လေ့ကျင့်ရေးတုံ့ပြန်ချက်
@@ -6237,7 +6306,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ယနေ့အထိသည့်နေ့ရက်မှခင်မဖွစျနိုငျ
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,ပုဒ်မ Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Edit ကိုဈေးနှုန်းများ Add /
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Edit ကိုဈေးနှုန်းများ Add /
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,ဝန်ထမ်းမြှင့်တင်ရေးမြှင့်တင်ရေးနေ့စွဲမတိုင်မီတင်သွင်းမရနိုင်
 DocType: Batch,Parent Batch,မိဘအသုတ်လိုက်
 DocType: Batch,Parent Batch,မိဘအသုတ်လိုက်
@@ -6248,6 +6317,7 @@
 DocType: Clinical Procedure Template,Sample Collection,နမူနာစုစည်းမှု
 ,Requested Items To Be Ordered,အမိန့်ခံရဖို့မေတ္တာရပ်ခံပစ္စည်းများ
 DocType: Price List,Price List Name,စျေးနှုန်းစာရင်းအမည်
+DocType: Delivery Stop,Dispatch Information,dispatch သတင်းအချက်အလက်
 DocType: Blanket Order,Manufacturing,ကုန်ထုတ်လုပ်မှု
 ,Ordered Items To Be Delivered,လွတ်ပေးရန်အမိန့်ထုတ်ပစ္စည်းများ
 DocType: Account,Income,ဝင်ငွေခွန်
@@ -6266,17 +6336,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {3} {4} {5} ဒီအရောင်းအဝယ်ဖြည့်စွက်ရန်အဘို့အပေါ် {2} လိုသေး {1} ၏ယူနစ်။
 DocType: Fee Schedule,Student Category,ကျောင်းသားသမဂ္ဂ Category:
 DocType: Announcement,Student,ကြောငျးသား
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,လုပ်ထုံးလုပ်နည်းကိုစတင်ရန်စတော့အိတ်အရေအတွက်ဂိုဒေါင်ထဲမှာမရရှိနိုင်။ သင်တစ်ဦးစတော့အိတ်လွှဲပြောင်းမှတ်တမ်းတင်ချင်ပါနဲ့
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,လုပ်ထုံးလုပ်နည်းကိုစတင်ရန်စတော့အိတ်အရေအတွက်ဂိုဒေါင်ထဲမှာမရရှိနိုင်။ သင်တစ်ဦးစတော့အိတ်လွှဲပြောင်းမှတ်တမ်းတင်ချင်ပါနဲ့
 DocType: Shipping Rule,Shipping Rule Type,shipping နည်းဥပဒေအမျိုးအစား
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,အခန်းကိုသွားပါ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","ကုမ္ပဏီ, ငွေပေးချေမှုအကောင့်, နေ့စွဲ မှစ. နှင့်နေ့စွဲရန်မဖြစ်မနေဖြစ်ပါသည်"
 DocType: Company,Budget Detail,ဘဏ္ဍာငွေအရအသုံး Detail
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ပေးပို့ခြင်းမပြုမီသတင်းစကားကိုရိုက်ထည့်ပေးပါ
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ပေးသွင်းသူများအတွက် Duplicate
-DocType: Email Digest,Pending Quotations,ဆိုင်းငံ့ကိုးကားချက်များ
-DocType: Delivery Note,Distance (KM),အဝေးသင် (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,ပေးသွင်း&gt; ပေးသွင်း Group မှ
 DocType: Asset,Custodian,အုပ်ထိန်းသူ
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,point-of-Sale ကိုယ်ရေးအချက်အလက်များ profile
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,point-of-Sale ကိုယ်ရေးအချက်အလက်များ profile
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 င် 100 ကြားတန်ဖိုးတစ်ခုဖြစ်သင့်တယ်
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{2} မှ {1} ကနေ {0} ၏ငွေပေးချေမှုရမည့်
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,မလုံခြုံချေးငွေ
@@ -6308,10 +6377,10 @@
 DocType: Lead,Converted,ပွောငျး
 DocType: Item,Has Serial No,Serial No ရှိပါတယ်
 DocType: Employee,Date of Issue,ထုတ်ဝေသည့်ရက်စွဲ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူ Reciept လိုအပ်ပါသည် == &#39;&#39; ဟုတ်ကဲ့ &#39;&#39;, ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူ Reciept လိုအပ်ပါသည် == &#39;&#39; ဟုတ်ကဲ့ &#39;&#39;, ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},row # {0}: ကို item များအတွက် Set ပေးသွင်း {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,အတန်း {0}: နာရီတန်ဖိုးကိုသုညထက်ကြီးမြတ်ဖြစ်ရပါမည်။
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,website က Image ကို {0} ပစ္စည်းမှပူးတွဲပါ {1} မတွေ့ရှိနိုင်
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,website က Image ကို {0} ပစ္စည်းမှပူးတွဲပါ {1} မတွေ့ရှိနိုင်
 DocType: Issue,Content Type,content Type
 DocType: Asset,Assets,ပိုင်ဆိုင်မှုများ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,ကွန်ပျူတာ
@@ -6322,7 +6391,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} မတည်ရှိပါဘူး
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,အခြားအငွေကြေးကိုနှင့်အတူအကောင့်အသစ်များ၏ခွင့်ပြုပါရန်ဘက်စုံငွေကြေးစနစ် option ကိုစစ်ဆေးပါ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,item: {0} system ကိုအတွက်မတည်ရှိပါဘူး
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,သင်က Frozen တန်ဖိုးကိုသတ်မှတ်ခွင့်မဟုတ်
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,သင်က Frozen တန်ဖိုးကိုသတ်မှတ်ခွင့်မဟုတ်
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled Entries Get
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},ဝန်ထမ်း {0} {1} အပေါ်ခွင့်အပေါ်ဖြစ်ပါသည်
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,ဂျာနယ် Entry &#39;အဘို့မရွေးပြန်ဆပ်ဖို့တွေအတွက်
@@ -6340,13 +6409,14 @@
 ,Average Commission Rate,ပျမ်းမျှအားဖြင့်ကော်မရှင် Rate
 DocType: Share Balance,No of Shares,အစုရှယ်ယာများအဘယ်သူမျှမ
 DocType: Taxable Salary Slab,To Amount,ငွေပမာဏမှ
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;&#39; ဟုတ်ကဲ့ &#39;&#39; Non-စတော့ရှယ်ယာကို item သည်မဖွစျနိုငျ &#39;&#39; Serial No ရှိခြင်း &#39;&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;&#39; ဟုတ်ကဲ့ &#39;&#39; Non-စတော့ရှယ်ယာကို item သည်မဖွစျနိုငျ &#39;&#39; Serial No ရှိခြင်း &#39;&#39;
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,အဆင့်အတန်းကို Select လုပ်ပါ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,တက်ရောက်သူအနာဂတ်ရက်စွဲများကိုချောင်းမြောင်းမရနိုင်ပါ
 DocType: Support Search Source,Post Description Key,Post ကိုဖျေါပွခကျြ Key ကို
 DocType: Pricing Rule,Pricing Rule Help,စျေးနှုန်း Rule အကူအညီ
 DocType: School House,House Name,အိမ်အမည်
 DocType: Fee Schedule,Total Amount per Student,ကျောင်းသားတစ်ဦးလျှင်စုစုပေါင်းငွေပမာဏ
+DocType: Opportunity,Sales Stage,အရောင်းအဆင့်
 DocType: Purchase Taxes and Charges,Account Head,အကောင့်ဖွင့်ဦးခေါင်း
 DocType: Company,HRA Component,ဟရားအစိတ်အပိုင်း
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,electrical
@@ -6354,15 +6424,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),(- ခုနှစ်တွင် Out) စုစုပေါင်းတန်ဖိုး Difference
 DocType: Grant Application,Requested Amount,တောင်းဆိုထားသောပမာဏ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,row {0}: ငွေလဲနှုန်းမဖြစ်မနေဖြစ်ပါသည်
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},အသုံးပြုသူ ID န်ထမ်း {0} သည်စွဲလမ်းခြင်းမ
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},အသုံးပြုသူ ID န်ထမ်း {0} သည်စွဲလမ်းခြင်းမ
 DocType: Vehicle,Vehicle Value,ယာဉ် Value တစ်ခု
 DocType: Crop Cycle,Detected Diseases,ရှာဖွေတွေ့ရှိထားသည့်ရောဂါများ
 DocType: Stock Entry,Default Source Warehouse,default Source ကိုဂိုဒေါင်
 DocType: Item,Customer Code,customer Code ကို
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},{0} သည်မွေးနေသတိပေး
 DocType: Asset Maintenance Task,Last Completion Date,နောက်ဆုံးပြီးစီးနေ့စွဲ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ပြီးခဲ့သည့်အမိန့် ခုနှစ်မှစ. ရက်ပတ်လုံး
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,အကောင့်ကိုရန် debit တစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,အကောင့်ကိုရန် debit တစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
 DocType: Asset,Naming Series,စီးရီးအမည်
 DocType: Vital Signs,Coated,ကုတ်အင်္ကျီ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,အတန်း {0}: အသုံးဝင်သောဘဝပြီးနောက်မျှော်မှန်းတန်ဖိုးစုစုပေါင်းအရစ်ကျငွေပမာဏထက်လျော့နည်းဖြစ်ရမည်
@@ -6380,15 +6449,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Delivery မှတ်ချက် {0} တင်သွင်းရမည်မဟုတ်ရပါ
 DocType: Notification Control,Sales Invoice Message,အရောင်းပြေစာ Message
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,အကောင့်ကို {0} ပိတ်ပြီး type ကိုတာဝန်ဝတ္တရား / Equity ၏ဖြစ်ရပါမည်
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားအချိန်စာရွက် {1} ဖန်တီး
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားအချိန်စာရွက် {1} ဖန်တီး
 DocType: Vehicle Log,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,အမိန့် Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,item {0} ပိတ်ထားတယ်
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,item {0} ပိတ်ထားတယ်
 DocType: Stock Settings,Stock Frozen Upto,စတော့အိတ် Frozen အထိ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM ဆိုစတော့ရှယ်ယာကို item ဆံ့မပါဘူး
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM ဆိုစတော့ရှယ်ယာကို item ဆံ့မပါဘူး
 DocType: Chapter,Chapter Head,အခန်းကြီးဌာနမှူး
 DocType: Payment Term,Month(s) after the end of the invoice month,ငွေတောင်းခံလွှာလကုန်အပြီးတစ်လ (s) ကို
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,လစာဖွဲ့စည်းပုံအကျိုးအတွက်ငွေပမာဏ dispense မှပြောင်းလွယ်ပြင်လွယ်အကျိုးအတွက်အစိတ်အပိုင်း (s) ကိုရှိသင့်
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,လစာဖွဲ့စည်းပုံအကျိုးအတွက်ငွေပမာဏ dispense မှပြောင်းလွယ်ပြင်လွယ်အကျိုးအတွက်အစိတ်အပိုင်း (s) ကိုရှိသင့်
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,စီမံကိန်းလှုပ်ရှားမှု / အလုပ်တစ်ခုကို။
 DocType: Vital Signs,Very Coated,အလွန်ကုတ်အင်္ကျီ
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),သာအခွန်သက်ရောက်မှု (Taxable ဝင်ငွေခွန်၏သို့သော်အပိုင်းတိုင်ကြားပါလို့မရပါ)
@@ -6406,7 +6475,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,ငွေတောင်းခံနာရီ
 DocType: Project,Total Sales Amount (via Sales Order),(အရောင်းအမိန့်မှတဆင့်) စုစုပေါင်းအရောင်းပမာဏ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} မတွေ့ရှိများအတွက် default BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,row # {0}: set ကျေးဇူးပြု. reorder အအရေအတွက်
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,row # {0}: set ကျေးဇူးပြု. reorder အအရေအတွက်
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ဒီနေရာမှာသူတို့ကိုထည့်သွင်းဖို့ပစ္စည်းများကိုအသာပုတ်
 DocType: Fees,Program Enrollment,Program ကိုကျောင်းအပ်
 DocType: Share Transfer,To Folio No,ဖိုလီယိုအဘယ်သူမျှမမှ
@@ -6448,9 +6517,9 @@
 DocType: SG Creation Tool Course,Max Strength,မက်စ်အစွမ်းသတ္တိ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,ရလာဒ်ကဒိ Installing
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU တွင်-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ဖောက်သည်များအတွက်မရွေး Delivery မှတ်ချက် {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ဖောက်သည်များအတွက်မရွေး Delivery မှတ်ချက် {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,ဝန်ထမ်း {0} မျှအကျိုးအမြတ်အများဆုံးပမာဏကိုရှိပါတယ်
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Delivery နေ့စွဲအပေါ်အခြေခံပြီးပစ္စည်းများကို Select လုပ်ပါ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Delivery နေ့စွဲအပေါ်အခြေခံပြီးပစ္စည်းများကို Select လုပ်ပါ
 DocType: Grant Application,Has any past Grant Record,မည်သည့်အတိတ် Grant ကစံချိန်တင်ထားပါတယ်
 ,Sales Analytics,အရောင်း Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ရရှိနိုင် {0}
@@ -6459,12 +6528,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,ကုန်ထုတ်လုပ်မှု Settings ကို
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,အီးမေးလ်ကိုတည်ဆောက်ခြင်း
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 မိုဘိုင်းဘယ်သူမျှမက
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,ကုမ္ပဏီနှင့် Master အတွက် default အနေနဲ့ငွေကြေးရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,ကုမ္ပဏီနှင့် Master အတွက် default အနေနဲ့ငွေကြေးရိုက်ထည့်ပေးပါ
 DocType: Stock Entry Detail,Stock Entry Detail,စတော့အိတ် Entry Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Daily သတင်းစာသတိပေးချက်များ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Daily သတင်းစာသတိပေးချက်များ
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,အားလုံးပွင့်လင်းလက်မှတ်တွေကိုကြည့်ပါ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုယူနစ်ပင်
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,ကုန်ပစ္စည်း
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,ကုန်ပစ္စည်း
 DocType: Products Settings,Home Page is Products,Home Page ထုတ်ကုန်များဖြစ်ပါသည်
 ,Asset Depreciation Ledger,ပိုင်ဆိုင်မှုတန်ဖိုး Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Encashment ငွေပမာဏ Per နေ့ Leave
@@ -6474,8 +6543,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ကုန်ကြမ်းပစ္စည်းများကုန်ကျစရိတ်ထောက်ပံ့
 DocType: Selling Settings,Settings for Selling Module,ရောင်းချသည့် Module သည် Settings ကို
 DocType: Hotel Room Reservation,Hotel Room Reservation,ဟိုတယ်အခန်းကြိုတင်မှာယူမှု
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,ဧည့်ဝန်ဆောင်မှု
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,ဧည့်ဝန်ဆောင်မှု
 DocType: BOM,Thumbnail,thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,အီးမေးလ်က၏ ID နှင့်အတူအဆက်အသွယ်မတွေ့ပါ။
 DocType: Item Customer Detail,Item Customer Detail,item ဖောက်သည် Detail
 DocType: Notification Control,Prompt for Email on Submission of,၏လကျအောကျခံအပေါ်အီးမေးလ်သည် Prompt ကို
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},ဝန်ထမ်းအများဆုံးအကျိုးရှိငွေပမာဏ {0} {1} ထက်ကျော်လွန်
@@ -6485,7 +6555,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,item {0} တစ်စတော့ရှယ်ယာ Item ဖြစ်ရမည်
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,တိုးတက်ရေးပါတီဂိုဒေါင်ခုနှစ်တွင် Default အနေနဲ့သူ Work
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} အတွက်အချိန်ဇယားထပ်နေသည်, သင်ထပ် slot နှစ်ခု skiping ပြီးနောက်ဆက်လက်ဆောင်ရွက်ရန်လိုသလဲ"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,စာရင်းကိုင်လုပ်ငန်းတွေအတွက် default setting များ။
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,စာရင်းကိုင်လုပ်ငန်းတွေအတွက် default setting များ။
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant ကအရွက်
 DocType: Restaurant,Default Tax Template,default အခွန် Template ကို
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} ကျောင်းသားများစာရင်းသွင်းခဲ့ကြ
@@ -6493,6 +6563,7 @@
 DocType: Purchase Invoice Item,Stock Qty,စတော့အိတ်အရည်အတွက်
 DocType: Purchase Invoice Item,Stock Qty,စတော့အိတ်အရည်အတွက်
 DocType: Contract,Requires Fulfilment,ပြည့်စုံရန်လိုအပ်သည်
+DocType: QuickBooks Migrator,Default Shipping Account,default သင်္ဘောအကောင့်
 DocType: Loan,Repayment Period in Months,လထဲမှာပြန်ဆပ်ကာလ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,error: မမှန်ကန်သောက id?
 DocType: Naming Series,Update Series Number,Update ကိုစီးရီးနံပါတ်
@@ -6506,11 +6577,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,မက်စ်ငွေပမာဏ
 DocType: Journal Entry,Total Amount Currency,စုစုပေါင်းငွေပမာဏငွေကြေး
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ရှာဖွေရန် Sub စညျးဝေး
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Row မရှိပါ {0} မှာလိုအပ်သည့် item Code ကို
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Row မရှိပါ {0} မှာလိုအပ်သည့် item Code ကို
 DocType: GST Account,SGST Account,SGST အကောင့်
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,ပစ္စည်းများကိုသွားပါ
 DocType: Sales Partner,Partner Type,partner ကအမျိုးအစား
-DocType: Purchase Taxes and Charges,Actual,အမှန်တကယ်
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,အမှန်တကယ်
 DocType: Restaurant Menu,Restaurant Manager,စားသောက်ဆိုင် Manager ကို
 DocType: Authorization Rule,Customerwise Discount,Customerwise လျှော့
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,တာဝန်များကိုဘို့ Timesheet ။
@@ -6531,7 +6602,7 @@
 DocType: Employee,Cheque,Cheques
 DocType: Training Event,Employee Emails,ဝန်ထမ်းအီးမေးလ်များ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,စီးရီး Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,အစီရင်ခံစာ Type မသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,အစီရင်ခံစာ Type မသင်မနေရ
 DocType: Item,Serial Number Series,serial နံပါတ်စီးရီး
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ဂိုဒေါင်တန်းအတွက်စတော့ရှယ်ယာ Item {0} သည်မသင်မနေရ {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,လက်လီလက်ကားအရောင်းဆိုင် &amp;
@@ -6562,7 +6633,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,အရောင်းအမိန့်ထဲမှာ Update ကိုကောက်ခံခဲ့ငွေပမာဏ
 DocType: BOM,Materials,ပစ္စည်းများ
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","checked မလျှင်, စာရင်းကလျှောက်ထားခံရဖို့ရှိပါတယ်ရှိရာတစ်ဦးစီဦးစီးဌာနမှထည့်သွင်းရပါလိမ့်မယ်။"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,ရက်စွဲနှင့် posting အချိန်များသို့တင်ပြမသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,ရက်စွဲနှင့် posting အချိန်များသို့တင်ပြမသင်မနေရ
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,အရောင်းအဝယ်သည်အခွန် Simple template ။
 ,Item Prices,item ဈေးနှုန်းများ
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,သင်ဝယ်ယူခြင်းအမိန့်ကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။
@@ -6578,12 +6649,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),ပိုင်ဆိုင်မှုတန်ဖိုး Entry များအတွက်စီးရီး (ဂျာနယ် Entry)
 DocType: Membership,Member Since,အဖွဲ့ဝင်ကတည်းက
 DocType: Purchase Invoice,Advance Payments,ငွေပေးချေရှေ့တိုး
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုကို select ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုကို select ပေးပါ
 DocType: Purchase Taxes and Charges,On Net Total,Net ကစုစုပေါင်းတွင်
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} Item {4} ဘို့ {1} {3} ၏နှစ်တိုးအတွက် {2} မှများ၏အကွာအဝေးအတွင်းရှိရမည် Attribute ဘို့ Value တစ်ခု
 DocType: Restaurant Reservation,Waitlisted,စောင့်နေစာရင်းထဲက
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ကင်းလွတ်ခွင့်အမျိုးအစား
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,ငွေကြေးအချို့သောအခြားငွေကြေးသုံးပြီး entries တွေကိုချမှတ်ပြီးနောက်ပြောင်းလဲသွားမရနိုငျ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,ငွေကြေးအချို့သောအခြားငွေကြေးသုံးပြီး entries တွေကိုချမှတ်ပြီးနောက်ပြောင်းလဲသွားမရနိုငျ
 DocType: Shipping Rule,Fixed,သတ်မှတ်ထားတဲ့
 DocType: Vehicle Service,Clutch Plate,clutch ပြား
 DocType: Company,Round Off Account,အကောင့်ပိတ် round
@@ -6592,7 +6663,7 @@
 DocType: Subscription Plan,Based on price list,စျေးနှုန်းစာရင်းကိုအပေါ် အခြေခံ.
 DocType: Customer Group,Parent Customer Group,မိဘဖောက်သည်အုပ်စု
 DocType: Vehicle Service,Change,ပွောငျးလဲခွငျး
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,subscription
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,subscription
 DocType: Purchase Invoice,Contact Email,ဆက်သွယ်ရန်အီးမေးလ်
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,အခကြေးငွေဖန်ဆင်းခြင်းရွှေ့ဆိုင်း
 DocType: Appraisal Goal,Score Earned,ရမှတ်ရရှိခဲ့သည်
@@ -6620,23 +6691,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,receiver / ပေးဆောင်အကောင့်
 DocType: Delivery Note Item,Against Sales Order Item,အရောင်းအမိန့် Item ဆန့်ကျင်
 DocType: Company,Company Logo,ကုမ္ပဏီအမှတ်တံဆိပ်
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},attribute က {0} များအတွက် Value ကို Attribute ကိုသတ်မှတ် ကျေးဇူးပြု.
-DocType: Item Default,Default Warehouse,default ဂိုဒေါင်
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},attribute က {0} များအတွက် Value ကို Attribute ကိုသတ်မှတ် ကျေးဇူးပြု.
+DocType: QuickBooks Migrator,Default Warehouse,default ဂိုဒေါင်
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},ဘဏ္ဍာငွေအရအသုံး Group မှအကောင့် {0} ဆန့်ကျင်တာဝန်ပေးမရနိုင်ပါ
 DocType: Shopping Cart Settings,Show Price,Show ကိုစျေး
 DocType: Healthcare Settings,Patient Registration,လူနာမှတ်ပုံတင်ခြင်း
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,မိဘကုန်ကျစရိတ်အလယ်ဗဟိုကိုရိုက်ထည့်ပေးပါ
 DocType: Delivery Note,Print Without Amount,ငွေပမာဏမရှိရင် Print
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,တန်ဖိုးနေ့စွဲ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,တန်ဖိုးနေ့စွဲ
 ,Work Orders in Progress,တိုးတက်မှုအတွက်အလုပ်အမိန့်
 DocType: Issue,Support Team,Support Team သို့
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(နေ့ရက်များခုနှစ်တွင်) သက်တမ်းကုန်ဆုံး
 DocType: Appraisal,Total Score (Out of 5),(5 ထဲက) စုစုပေါင်းရမှတ်
 DocType: Student Attendance Tool,Batch,batch
 DocType: Support Search Source,Query Route String,query လမ်းကြောင်း့ String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,နောက်ဆုံးဝယ်ယူနှုန်းအဖြစ်နှုန်းကိုအပ်ဒိတ်လုပ်ပါ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,နောက်ဆုံးဝယ်ယူနှုန်းအဖြစ်နှုန်းကိုအပ်ဒိတ်လုပ်ပါ
 DocType: Donor,Donor Type,အလှူရှင်အမျိုးအစား
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,အော်တိုထပ်စာရွက်စာတမ်း updated
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,အော်တိုထပ်စာရွက်စာတမ်း updated
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,ချိန်ခွင်လျှာ
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,ကုမ္ပဏီကို select ပေးပါ
 DocType: Job Card,Job Card,ယောဘသည် Card ကို
@@ -6650,7 +6721,7 @@
 DocType: Assessment Result,Total Score,စုစုပေါင်းရမှတ်
 DocType: Crop Cycle,ISO 8601 standard,က ISO 8601 စံ
 DocType: Journal Entry,Debit Note,debit မှတ်ချက်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,သင်သာဒီနိုင်ရန်အတွက် max ကို {0} အချက်များကိုရွေးနှုတ်တော်မူနိုင်ပါတယ်။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,သင်သာဒီနိုင်ရန်အတွက် max ကို {0} အချက်များကိုရွေးနှုတ်တော်မူနိုင်ပါတယ်။
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,API ကိုစားသုံးသူလျှို့ဝှက်ရိုက်ထည့်ပေးပါ
 DocType: Stock Entry,As per Stock UOM,စတော့အိတ် UOM နှုန်းအဖြစ်
@@ -6664,10 +6735,11 @@
 DocType: Journal Entry,Total Debit,စုစုပေါင်း Debit
 DocType: Travel Request Costing,Sponsored Amount,စပွန်ဆာငွေပမာဏ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Default အနေနဲ့ကုန်စည်ဂိုဒေါင် Finished
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,လူနာကို select ပေးပါ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,လူနာကို select ပေးပါ
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,အရောင်းပုဂ္ဂိုလ်
 DocType: Hotel Room Package,Amenities,အာမင်
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,ဘတ်ဂျက်နှင့်ကုန်ကျစရိတ်စင်တာ
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited ရန်ပုံငွေများအကောင့်
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,ဘတ်ဂျက်နှင့်ကုန်ကျစရိတ်စင်တာ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,ငွေပေးချေမှု၏အကွိမျမြားစှာက default mode ကိုခွင့်မပြုပါ
 DocType: Sales Invoice,Loyalty Points Redemption,သစ္စာရှိမှုအမှတ်ရွေးနှုတ်ခြင်း
 ,Appointment Analytics,ခန့်အပ်တာဝန်ပေးခြင်း Analytics မှ
@@ -6681,6 +6753,7 @@
 DocType: Batch,Manufacturing Date,ထုတ်လုပ်သည့်ရက်စွဲ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,အခကြေးငွေဖန်ဆင်းခြင်း Failed
 DocType: Opening Invoice Creation Tool,Create Missing Party,ပျောက်ဆုံးနေပါတီ Create
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,စုစုပေါင်းဘတ်ဂျက်
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,သငျသညျတစ်နှစ်လျှင်ကျောင်းသားကျောင်းသူများအုပ်စုများစေလျှင်လွတ် Leave
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,သငျသညျတစ်နှစ်လျှင်ကျောင်းသားကျောင်းသူများအုပ်စုများစေလျှင်လွတ် Leave
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","checked, စုစုပေါင်းမျှမပါ။ အလုပ်အဖွဲ့ Days ၏အားလပ်ရက်ပါဝင်ပါလိမ့်မယ်, ဒီလစာ Per နေ့၏တန်ဖိုးကိုလျော့ချလိမ့်မည်"
@@ -6698,20 +6771,19 @@
 DocType: Opportunity Item,Basic Rate,အခြေခံပညာ Rate
 DocType: GL Entry,Credit Amount,အကြွေးပမာဏ
 DocType: Cheque Print Template,Signatory Position,လက်မှတ်ရေးထိုးရာထူး
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,ပျောက်ဆုံးသွားသောအဖြစ် Set
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,ပျောက်ဆုံးသွားသောအဖြစ် Set
 DocType: Timesheet,Total Billable Hours,စုစုပေါင်းဘီလ်ဆောင်နာရီ
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,အဆိုပါစာရင်းပေးသွင်းထားသူကဒီကြေးပေးသွင်းခြင်းဖြင့်ထုတ်ပေးငွေတောင်းခံလွှာများပေးချေရန်ရှိကြောင်းရက်ပေါင်းအရေအတွက်
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ဝန်ထမ်းအကျိုးခံစားခွင့်လျှောက်လွှာအသေးစိတ်
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ငွေပေးချေမှုရမည့်ပြေစာမှတ်ချက်
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ဒီဖောက်သည်ဆန့်ကျင်ငွေကြေးလွှဲပြောင်းမှုမှာအပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ကိုအောက်တွင်အချိန်ဇယားကိုကြည့်ပါ
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},အတန်း {0}: ခွဲဝေငွေပမာဏ {1} ငွေပေးချေမှုရမည့် Entry ငွေပမာဏ {2} ဖို့ထက်လျော့နည်းသို့မဟုတ်ညီမျှရှိရမည်
 DocType: Program Enrollment Tool,New Academic Term,နယူးပညာရေးဆိုင်ရာ Term
 ,Course wise Assessment Report,သင်တန်းအမှတ်စဥ်ငါသည်ပညာရှိ၏ဟုအကဲဖြတ်အစီရင်ခံစာ
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ရရှိနိုင်ပါ ITC ပြည်နယ် / UT အခွန်
 DocType: Tax Rule,Tax Rule,အခွန်စည်းမျဉ်း
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,အရောင်း Cycle တစ်လျှောက်လုံးအတူတူပါပဲ Rate ထိန်းသိမ်းနည်း
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Marketplace တွင်မှတ်ပုံတင်ရန်အခြားအသုံးပြုသူအဖြစ် login ကျေးဇူးပြု.
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Marketplace တွင်မှတ်ပုံတင်ရန်အခြားအသုံးပြုသူအဖြစ် login ကျေးဇူးပြု.
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Workstation နှင့်အလုပ်အဖွဲ့နာရီပြင်ပတွင်အချိန်မှတ်တမ်းများကြိုတင်စီစဉ်ထားပါ။
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,တန်းစီအတွက်ဖောက်သည်များ
 DocType: Driver,Issuing Date,နေ့စွဲထုတ်ပေးခြင်း
@@ -6720,11 +6792,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,နောက်ထပ်အပြောင်းအလဲနဲ့အဘို့ဤလုပ်ငန်းအမိန့် Submit ။
 ,Items To Be Requested,တောင်းဆိုထားသောခံရဖို့ items
 DocType: Company,Company Info,ကုမ္ပဏီ Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,အသစ်ဖောက်သည်ကို Select လုပ်ပါသို့မဟုတ် add
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,အသစ်ဖောက်သည်ကို Select လုပ်ပါသို့မဟုတ် add
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,ကုန်ကျစရိတ်စင်တာတစ်ခုစရိတ်ပြောဆိုချက်ကိုစာအုပ်ဆိုင်လိုအပ်ပါသည်
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ရန်ပုံငွေ၏လျှောက်လွှာ (ပိုင်ဆိုင်မှုများ)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ဒီထမ်းများ၏တက်ရောက်သူအပေါ်အခြေခံသည်
-DocType: Assessment Result,Summary,အကျဉ်းချုပ်
 DocType: Payment Request,Payment Request Type,ငွေပေးချေမှုရမည့်တောင်းဆိုခြင်းအမျိုးအစား
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,မာကုတက်ရောက်
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,debit အကောင့်ကို
@@ -6732,7 +6803,7 @@
 DocType: Additional Salary,Employee Name,ဝန်ထမ်းအမည်
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,စားသောက်ဆိုင်အမိန့် Entry Item
 DocType: Purchase Invoice,Rounded Total (Company Currency),rounded စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Account Type ကိုရွေးချယ်သောကွောငျ့ Group ကမှရောက်မှလုံခြုံနိုင်ဘူး။
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Account Type ကိုရွေးချယ်သောကွောငျ့ Group ကမှရောက်မှလုံခြုံနိုင်ဘူး။
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} modified သိရသည်။ refresh ပေးပါ။
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,အောက်ပါရက်ထွက်ခွာ Applications ကိုအောင်ကနေအသုံးပြုသူများကိုရပ်တန့်။
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",အဆိုပါသစ္စာရှိမှုအမှတ်အဘို့အလိုလျှင်န့်အသတ်သက်တမ်းကုန်ဆုံးချည်းသို့မဟုတ် 0 Expiry Duration: စောင့်ရှောက်လော့။
@@ -6753,11 +6824,12 @@
 DocType: Asset,Out of Order,အမိန့်များထဲက
 DocType: Purchase Receipt Item,Accepted Quantity,လက်ခံခဲ့သည်ပမာဏ
 DocType: Projects Settings,Ignore Workstation Time Overlap,Workstation နှင့်အချိန်ထပ်လျစ်လျူရှု
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},{1} ထမ်း {0} သို့မဟုတ်ကုမ္ပဏီတစ်ခုက default အားလပ်ရက် List ကိုသတ်မှတ်ထားပေးပါ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},{1} ထမ်း {0} သို့မဟုတ်ကုမ္ပဏီတစ်ခုက default အားလပ်ရက် List ကိုသတ်မှတ်ထားပေးပါ
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} တည်ရှိပါဘူး
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,ကို Select လုပ်ပါအသုတ်လိုက်နံပါတ်များ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN မှ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN မှ
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Customer များကြီးပြင်းဥပဒေကြမ်းများ။
+DocType: Healthcare Settings,Invoice Appointments Automatically,အလိုအလျောက်ငွေတောင်းခံလွှာချိန်း
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,စီမံကိန်း Id
 DocType: Salary Component,Variable Based On Taxable Salary,Taxable လစာတွင် အခြေခံ. variable
 DocType: Company,Basic Component,အခြေခံပညာကဏ္ဍ
@@ -6770,10 +6842,10 @@
 DocType: Stock Entry,Source Warehouse Address,source ဂိုဒေါင်လိပ်စာ
 DocType: GL Entry,Voucher Type,ဘောက်ချာကအမျိုးအစား
 DocType: Amazon MWS Settings,Max Retry Limit,မက်စ် Retry ကန့်သတ်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ်
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ်
 DocType: Student Applicant,Approved,Approved
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,စျေးနှုန်း
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} &#39;&#39; လက်ဝဲ &#39;အဖြစ်သတ်မှတ်ရမည်အပေါ်စိတ်သက်သာရာန်ထမ်း
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} &#39;&#39; လက်ဝဲ &#39;အဖြစ်သတ်မှတ်ရမည်အပေါ်စိတ်သက်သာရာန်ထမ်း
 DocType: Marketplace Settings,Last Sync On,နောက်ဆုံး Sync ကိုတွင်
 DocType: Guardian,Guardian,ဂေါကလူကြီး
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,အပါအဝင်နှင့်ဤအထက်အားလုံးဆက်သွယ်ရေးသစ်ကို Issue သို့ပြောင်းရွေ့ခံရကြလိမ့်မည်
@@ -6796,14 +6868,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,လယ်ပြင်ပေါ်တွင်ရှာဖွေတွေ့ရှိရောဂါများစာရင်း။ မရွေးသည့်အခါအလိုအလျောက်ရောဂါနှင့်အတူကိုင်တွယ်ရန်အလုပ်များကိုစာရင်းတစ်ခုထပ်ထည့်ပါမယ်
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,ဒါကအမြစ်ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုယူနစ်သည်နှင့်တည်းဖြတ်မရနိုင်ပါ။
 DocType: Asset Repair,Repair Status,ပြုပြင်ရေးအခြေအနေ
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,အရောင်းအပေါင်းအဖေါ်များ Add
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,စာရင်းကိုင်ဂျာနယ် entries တွေကို။
 DocType: Travel Request,Travel Request,ခရီးသွားတောင်းဆိုခြင်း
 DocType: Delivery Note Item,Available Qty at From Warehouse,ဂိုဒေါင် မှစ. မှာရရှိနိုင်တဲ့ Qty
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,န်ထမ်းမှတ်တမ်းပထမဦးဆုံးရွေးချယ်ပါ။
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,တက်ရောက်သူ {0} ကအားလပ်ရက်ဖြစ်သကဲ့သို့အဘို့တင်ပြခဲ့ဘူး။
 DocType: POS Profile,Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks ချိတ်ဆက်ခြင်း
 DocType: Exchange Rate Revaluation,Total Gain/Loss,စုစုပေါင်း Gain / ပျောက်ဆုံးခြင်း
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,အင်တာမီလန်ကုမ္ပဏီပြေစာများအတွက်မှားနေသောကုမ္ပဏီ။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,အင်တာမီလန်ကုမ္ပဏီပြေစာများအတွက်မှားနေသောကုမ္ပဏီ။
 DocType: Purchase Invoice,input service,input ကိုဝန်ဆောင်မှု
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},row {0}: ပါတီ / အကောင့်ကို {3} {4} အတွက် {1} / {2} နှင့်ကိုက်ညီမပါဘူး
 DocType: Employee Promotion,Employee Promotion,ဝန်ထမ်းမြှင့်တင်ရေး
@@ -6812,12 +6886,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,သင်တန်းအမှတ်စဥ် Code ကို:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,အသုံးအကောင့်ကိုရိုက်ထည့်ပေးပါ
 DocType: Account,Stock,စတော့အိတ်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရစ်ကျအမိန့်, အရစ်ကျငွေတောင်းခံလွှာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရစ်ကျအမိန့်, အရစ်ကျငွေတောင်းခံလွှာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်"
 DocType: Employee,Current Address,လက်ရှိလိပ်စာ
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ကို item အခြားတဲ့ item တစ်ခုမူကွဲဖြစ်ပါတယ် အကယ်. အတိအလင်းသတ်မှတ်လိုက်သောမဟုတ်လျှင်ထို့နောက်ဖော်ပြချက်, ပုံရိပ်, စျေးနှုန်း, အခွန်စသည်တို့အတွက် template ကိုကနေသတ်မှတ်ကြလိမ့်မည်"
 DocType: Serial No,Purchase / Manufacture Details,ဝယ်ယူခြင်း / ထုတ်လုပ်ခြင်းလုပ်ငန်းအသေးစိတ်ကို
 DocType: Assessment Group,Assessment Group,အကဲဖြတ် Group က
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,batch Inventory
+DocType: Supplier,GST Transporter ID,GST Transporter ID ကို
 DocType: Procedure Prescription,Procedure Name,လုပ်ထုံးလုပ်နည်းအမည်
 DocType: Employee,Contract End Date,စာချုပ်ကုန်ဆုံးတော့နေ့စွဲ
 DocType: Amazon MWS Settings,Seller ID,ရောင်းချသူ ID ကို
@@ -6837,12 +6912,12 @@
 DocType: Company,Date of Incorporation,ပေါင်းစပ်ဖွဲ့စည်းခြင်း၏နေ့စွဲ
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,စုစုပေါင်းအခွန်
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,နောက်ဆုံးအရစ်ကျစျေး
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,ပမာဏအတွက် (Qty ကုန်ပစ္စည်းထုတ်လုပ်) မသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,ပမာဏအတွက် (Qty ကုန်ပစ္စည်းထုတ်လုပ်) မသင်မနေရ
 DocType: Stock Entry,Default Target Warehouse,default Target ကဂိုဒေါင်
 DocType: Purchase Invoice,Net Total (Company Currency),Net ကစုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်)
 DocType: Delivery Note,Air,လေ
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,the Year End နေ့စွဲတစ်နှစ်တာ Start ကိုနေ့စွဲထက်အစောပိုင်းမှာမဖြစ်နိုင်ပါ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} Optional အားလပ်ရက်စာရင်းမ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} Optional အားလပ်ရက်စာရင်းမ
 DocType: Notification Control,Purchase Receipt Message,ဝယ်ယူခြင်းပြေစာ Message
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,အပိုင်းအစပစ္စည်းများ
@@ -6865,23 +6940,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,ပွညျ့စုံ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,ယခင် Row ပမာဏတွင်
 DocType: Item,Has Expiry Date,သက်တမ်းကုန်ဆုံးနေ့စွဲရှိပါတယ်
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,ပိုင်ဆိုင်မှုလွှဲပြောင်း
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,ပိုင်ဆိုင်မှုလွှဲပြောင်း
 DocType: POS Profile,POS Profile,POS ကိုယ်ရေးအချက်အလက်များ profile
 DocType: Training Event,Event Name,အဖြစ်အပျက်အမည်
 DocType: Healthcare Practitioner,Phone (Office),ဖုန်း (ရုံး)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Submit မနိုင်, ဝန်ထမ်းများတက်ရောက်သူအထိမ်းအမှတ် left"
 DocType: Inpatient Record,Admission,ဝင်ခွင့်ပေးခြင်း
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},{0} များအတွက်အဆင့်လက်ခံရေး
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting သည်ရာသီ, ပစ်မှတ်စသည်တို့"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting သည်ရာသီ, ပစ်မှတ်စသည်တို့"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,variable အမည်
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",item {0} တဲ့ template ကိုသည်၎င်း၏မျိုးကွဲတွေထဲကရွေးချယ်ရန်
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း&gt; HR က Settings
+DocType: Purchase Invoice Item,Deferred Expense,ရွှေ့ဆိုင်းသုံးစွဲမှု
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},နေ့စွဲကနေ {0} ဝန်ထမ်းရဲ့ပူးပေါင်းနေ့စွဲ {1} မတိုင်မီမဖွစျနိုငျ
 DocType: Asset,Asset Category,ပိုင်ဆိုင်မှုအမျိုးအစား
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Net ကအခပေးအနုတ်လက္ခဏာမဖြစ်နိုင်
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Net ကအခပေးအနုတ်လက္ခဏာမဖြစ်နိုင်
 DocType: Purchase Order,Advance Paid,ကြိုတင်မဲ Paid
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,အရောင်းအမိန့်သည် Overproduction ရာခိုင်နှုန်း
 DocType: Item,Item Tax,item ခွန်
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,ပေးသွင်းဖို့ material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,ပေးသွင်းဖို့ material
 DocType: Soil Texture,Loamy Sand,နုန်းဆန်သောသဲ
 DocType: Production Plan,Material Request Planning,ပစ္စည်းတောင်းဆိုခြင်းစီမံကိန်း
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,ယစ်မျိုးပြေစာ
@@ -6903,11 +6980,11 @@
 DocType: Scheduling Tool,Scheduling Tool,စီစဉ်ခြင်း Tool ကို
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,အကြွေးဝယ်ကဒ်
 DocType: BOM,Item to be manufactured or repacked,item ထုတ်လုပ်သောသို့မဟုတ် repacked ခံရဖို့
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},အခြေအနေ syntax အမှား: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},အခြေအနေ syntax အမှား: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU တွင်-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,ဗိုလ်မှူး / မလုပ်မဖြစ်ကျအောကျခံ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Settings များဝယ်ယူအတွက်ပေးသွင်း Group မှ Set ပေးပါ။
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Settings များဝယ်ယူအတွက်ပေးသွင်း Group မှ Set ပေးပါ။
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",စုစုပေါင်းပြောင်းလွယ်ပြင်လွယ်အကျိုးအတွက်အစိတ်အပိုင်းငွေပမာဏ {0} max ကိုအကျိုးခံစားခွင့် {1} ထက်လျော့နည်း \ မဖြစ်သင့်
 DocType: Sales Invoice Item,Drop Ship,drop သင်္ဘော
 DocType: Driver,Suspended,ဆိုင်းငံ့
@@ -6927,7 +7004,7 @@
 DocType: Customer,Commission Rate,ကော်မရှင် Rate
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,အောင်မြင်စွာဖန်တီးပေးချေမှု entries တွေကို
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,: {1} အကြားအဘို့အ Created {0} scorecards
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Variant Make
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Variant Make
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","ငွေပေးချေမှုရမည့်အမျိုးအစား, လက်ခံတယောက်ဖြစ် Pay နှင့်ပြည်တွင်းလွှဲပြောင်းရမယ်"
 DocType: Travel Itinerary,Preferred Area for Lodging,တည်းခိုခန်းများအတွက်ဦးစားပေးဧရိယာ
 apps/erpnext/erpnext/config/selling.py +184,Analytics,analytics
@@ -6938,7 +7015,7 @@
 DocType: Work Order,Actual Operating Cost,အမှန်တကယ် Operating ကုန်ကျစရိတ်
 DocType: Payment Entry,Cheque/Reference No,Cheque တစ်စောင်လျှင် / ကိုးကားစရာအဘယ်သူမျှမ
 DocType: Soil Texture,Clay Loam,ရွှံ့ Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,အမြစ်တည်းဖြတ်မရနိုင်ပါ။
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,အမြစ်တည်းဖြတ်မရနိုင်ပါ။
 DocType: Item,Units of Measure,တိုင်း၏ယူနစ်
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Metro စီးတီးရှိငှားရမ်းထားသော
 DocType: Supplier,Default Tax Withholding Config,default အခွန်နှိမ် Config
@@ -6956,21 +7033,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ငွေပေးချေမှုပြီးစီးပြီးနောက်ရွေးချယ်ထားသည့်စာမျက်နှာအသုံးပြုသူ redirect ။
 DocType: Company,Existing Company,လက်ရှိကုမ္ပဏီ
 DocType: Healthcare Settings,Result Emailed,ရလဒ်မေးလ်ပို့ပေး
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",လူအပေါင်းတို့သည်ပစ္စည်းများ Non-စတော့ရှယ်ယာပစ္စည်းများကြောင့်အခွန်အမျိုးအစား &quot;စုစုပေါင်း&quot; ကိုပြောင်းလဲခဲ့ပြီးပြီ
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",လူအပေါင်းတို့သည်ပစ္စည်းများ Non-စတော့ရှယ်ယာပစ္စည်းများကြောင့်အခွန်အမျိုးအစား &quot;စုစုပေါင်း&quot; ကိုပြောင်းလဲခဲ့ပြီးပြီ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,ရက်စွဲကိုညီမျှသို့မဟုတ်နေ့မှထက်လျော့နည်းမဖွစျနိုငျ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,ပြောင်းလဲပစ်ရန်အဘယ်အရာကိုမျှ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,တစ် CSV ဖိုင်ကိုရွေးပေးပါ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,တစ် CSV ဖိုင်ကိုရွေးပေးပါ
 DocType: Holiday List,Total Holidays,စုစုပေါင်းအားလပ်ရက်
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,dispatch အတွက်အီးမေးလ် template ကိုပျောက်ဆုံးနေတဲ့။ Delivery ချိန်ညှိမှုများအတွက်တဦးတည်းသတ်မှတ်ပါ။
 DocType: Student Leave Application,Mark as Present,"လက်ရှိအဖြစ်, Mark"
 DocType: Supplier Scorecard,Indicator Color,indicator အရောင်
 DocType: Purchase Order,To Receive and Bill,လက်ခံနှင့်ဘီလ်မှ
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,အတန်း # {0}: နေ့စွဲခြင်းဖြင့် Reqd ငွေသွင်းငွေထုတ်နေ့စွဲမတိုင်မီမဖွစျနိုငျ
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,အတန်း # {0}: နေ့စွဲခြင်းဖြင့် Reqd ငွေသွင်းငွေထုတ်နေ့စွဲမတိုင်မီမဖွစျနိုငျ
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,အသားပေးထုတ်ကုန်များ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Serial အဘယ်သူမျှမကို Select လုပ်ပါ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Serial အဘယ်သူမျှမကို Select လုပ်ပါ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,ပုံစံရေးဆှဲသူ
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,စည်းကမ်းသတ်မှတ်ချက်များ Template:
 DocType: Serial No,Delivery Details,Delivery အသေးစိတ်ကို
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},ကုန်ကျစရိတ် Center ကအမျိုးအစား {1} သည်အခွန် table ထဲမှာအတန်း {0} အတွက်လိုအပ်သည်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},ကုန်ကျစရိတ် Center ကအမျိုးအစား {1} သည်အခွန် table ထဲမှာအတန်း {0} အတွက်လိုအပ်သည်
 DocType: Program,Program Code,Program ကို Code ကို
 DocType: Terms and Conditions,Terms and Conditions Help,စည်းကမ်းသတ်မှတ်ချက်များအကူအညီ
 ,Item-wise Purchase Register,item-ပညာရှိသောသူသည်ဝယ်ယူမှတ်ပုံတင်မည်
@@ -6983,15 +7061,16 @@
 DocType: Contract,Contract Terms,စာချုပ်စည်းကမ်းသတ်မှတ်ချက်များ
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ငွေကြေးကိုမှစသည်တို့ $ တူသောသင်္ကေတကိုလာမယ့်မပြပါနဲ့။
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},အစိတ်အပိုင်းအများဆုံးအကျိုးကျေးဇူးငွေပမာဏ {0} {1} ထက်ကျော်လွန်
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(တစ်ဝက်နေ့)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(တစ်ဝက်နေ့)
 DocType: Payment Term,Credit Days,ခရက်ဒစ် Days
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Lab ကစမ်းသပ်မှုအရလူနာကို select ပေးပါ
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,ကျောင်းသားအသုတ်လိုက် Make
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,ထုတ်လုပ်ခြင်းတို့အတွက်လွှဲပြောင်း Allow
 DocType: Leave Type,Is Carry Forward,Forward ယူသွားတာဖြစ်ပါတယ်
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM ထံမှပစ္စည်းများ Get
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM ထံမှပစ္စည်းများ Get
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ခဲအချိန် Days
 DocType: Cash Flow Mapping,Is Income Tax Expense,ဝင်ငွေခွန်စျေးကြီးသည်
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,သင့်ရဲ့အမိန့်ပေးပို့ထွက်ပါ!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ပိုင်ဆိုင်မှု၏ CV ကိုနေ့စွဲဝယ်ယူနေ့စွဲအဖြစ်အတူတူပင်ဖြစ်ရပါမည် {1} {2}: row # {0}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ကျောင်းသားသမဂ္ဂဟာအင်စတီကျုရဲ့ဘော်ဒါဆောင်မှာနေထိုင်လျှင်ဒီစစ်ဆေးပါ။
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,အထက်ပါဇယားတွင်အရောင်းအမိန့်ကိုထည့်သွင်းပါ
@@ -6999,10 +7078,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,တယောက်ကိုတယောက်ဂိုဒေါင်တစ်ဦးထံမှပစ္စည်းလွှဲပြောင်း
 DocType: Vehicle,Petrol,ဓါတ်ဆီ
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),ကျန်ရှိသောအကျိုးကျေးဇူးများ (နှစ်စဉ်)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,ပစ္စည်းများ၏ဘီလ်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,ပစ္စည်းများ၏ဘီလ်
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},row {0}: ပါတီ Type နှင့်ပါတီ receiver / ပေးဆောင်အကောင့်ကို {1} သည်လိုအပ်သည်
 DocType: Employee,Leave Policy,ပေါ်လစီ Leave
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Update ကိုပစ္စည်းများ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Update ကိုပစ္စည်းများ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref နေ့စွဲ
 DocType: Employee,Reason for Leaving,ထွက်ခွာရသည့်အကြောင်းရင်း
 DocType: BOM Operation,Operating Cost(Company Currency),operating ကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်)
@@ -7013,7 +7092,7 @@
 DocType: Department,Expense Approvers,ကုန်ကျစရိတ်ခွင့်ပြုချက်
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},row {0}: Debit entry ကိုတစ် {1} နဲ့ဆက်စပ်မရနိုငျ
 DocType: Journal Entry,Subscription Section,subscription ပုဒ်မ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,အကောင့်ကို {0} မတည်ရှိပါဘူး
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,အကောင့်ကို {0} မတည်ရှိပါဘူး
 DocType: Training Event,Training Program,လေ့ကျင့်ရေးအစီအစဉ်
 DocType: Account,Cash,ငွေသား
 DocType: Employee,Short biography for website and other publications.,website နှင့်အခြားပုံနှိပ်ထုတ်ဝေအတိုကောက်အတ္ထုပ္ပတ္တိ။
diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv
index 38b41f2..add9b55 100644
--- a/erpnext/translations/nl.csv
+++ b/erpnext/translations/nl.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Klant Items
 DocType: Project,Costing and Billing,Kostenberekening en facturering
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Vooraf ingestelde accountvaluta moet hetzelfde zijn als bedrijfsvaluta {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Rekening {0}: Bovenliggende rekening {1} kan geen grootboek zijn
+DocType: QuickBooks Migrator,Token Endpoint,Token-eindpunt
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Rekening {0}: Bovenliggende rekening {1} kan geen grootboek zijn
 DocType: Item,Publish Item to hub.erpnext.com,Publiceer Item om hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Actieve verlofperiode niet te vinden
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Actieve verlofperiode niet te vinden
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,evaluatie
 DocType: Item,Default Unit of Measure,Standaard Eenheid
 DocType: SMS Center,All Sales Partner Contact,Alle Sales Partner Contact
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klik op Enter om toe te voegen
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Ontbrekende waarde voor wachtwoord, API-sleutel of Shopify-URL"
 DocType: Employee,Rented,Verhuurd
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Alle accounts
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Alle accounts
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Kan werknemer niet overnemen met status links
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Gestopt productieorder kan niet worden geannuleerd, opendraaien het eerst te annuleren"
 DocType: Vehicle Service,Mileage,Mileage
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Wilt u dit actief echt schrappen?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Wilt u dit actief echt schrappen?
 DocType: Drug Prescription,Update Schedule,Update Schema
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Selecteer Standaard Leverancier
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Werknemer tonen
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nieuwe wisselkoers
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Munt is nodig voor prijslijst {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Munt is nodig voor prijslijst {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Zal worden berekend in de transactie.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Contactpersoon Klant
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Dit is gebaseerd op transacties tegen deze leverancier. Zie tijdlijn hieronder voor meer informatie
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Overproductiepercentage voor werkorder
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Wettelijk
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Wettelijk
+DocType: Delivery Note,Transport Receipt Date,Datum transportontvangst
 DocType: Shopify Settings,Sales Order Series,Verkooporderreeks
 DocType: Vital Signs,Tongue,Tong
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA Vrijstelling
 DocType: Sales Invoice,Customer Name,Klantnaam
 DocType: Vehicle,Natural Gas,Natuurlijk gas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankrekening kan niet worden genoemd als {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankrekening kan niet worden genoemd als {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA volgens Salarisstructuur
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoofden (of groepen) waartegen de boekingen worden gemaakt en saldi worden gehandhaafd.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Openstaand bedrag voor {0} mag niet kleiner zijn dan nul ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,De service-einddatum mag niet vóór de startdatum van de service liggen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,De service-einddatum mag niet vóór de startdatum van de service liggen
 DocType: Manufacturing Settings,Default 10 mins,Standaard 10 min
 DocType: Leave Type,Leave Type Name,Verlof Type Naam
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Toon geopend
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Toon geopend
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Reeks succesvol bijgewerkt
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Uitchecken
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} in rij {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} in rij {1}
 DocType: Asset Finance Book,Depreciation Start Date,Startdatum afschrijving
 DocType: Pricing Rule,Apply On,toepassing op
 DocType: Item Price,Multiple Item prices.,Meerdere Artikelprijzen .
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,ondersteuning Instellingen
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Verwachte Einddatum kan niet minder dan verwacht Startdatum zijn
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-instellingen
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rij # {0}: Beoordeel moet hetzelfde zijn als zijn {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rij # {0}: Beoordeel moet hetzelfde zijn als zijn {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch Item Vervaldatum Status
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bankcheque
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primaire contactgegevens
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Open Issues
 DocType: Production Plan Item,Production Plan Item,Productie Plan Artikel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Gebruiker {0} is al aan Werknemer toegewezen {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Gebruiker {0} is al aan Werknemer toegewezen {1}
 DocType: Lab Test Groups,Add new line,Voeg een nieuwe regel toe
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Gezondheidszorg
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Vertraging in de betaling (Dagen)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Vertragingen dagen
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,dienst Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} is reeds verwezen in de verkoopfactuur: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} is reeds verwezen in de verkoopfactuur: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Factuur
 DocType: Purchase Invoice Item,Item Weight Details,Item Gewicht Details
 DocType: Asset Maintenance Log,Periodicity,Periodiciteit
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Boekjaar {0} is vereist
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Leverancier&gt; Leveranciersgroep
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,De minimale afstand tussen rijen planten voor optimale groei
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Defensie
 DocType: Salary Component,Abbr,Afk
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Holiday Lijst
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Accountant
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Verkoopprijslijst
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Verkoopprijslijst
 DocType: Patient,Tobacco Current Use,Tabaksgebruik
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Verkoopcijfers
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Verkoopcijfers
 DocType: Cost Center,Stock User,Aandeel Gebruiker
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Contactgegevens
 DocType: Company,Phone No,Telefoonnummer
 DocType: Delivery Trip,Initial Email Notification Sent,E-mailkennisgeving verzonden
 DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Begindatum abonnement
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Standaard te ontvangen rekeningen die moeten worden gebruikt als ze niet zijn ingesteld bij Patiënt om Afspraken te boeken.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Bevestig .csv-bestand met twee kolommen, één voor de oude naam en één voor de nieuwe naam"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Van adres 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgroep&gt; Merk
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Van adres 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} in geen enkel actief fiscale jaar.
 DocType: Packed Item,Parent Detail docname,Bovenliggende Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referentie: {0}, Artikelcode: {1} en klant: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} is niet aanwezig in het moederbedrijf
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} is niet aanwezig in het moederbedrijf
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Einddatum van proefperiode Mag niet vóór Startdatum proefperiode zijn
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,Belastinginhouding Categorie
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Adverteren
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Hetzelfde bedrijf is meer dan één keer ingevoerd
 DocType: Patient,Married,Getrouwd
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Niet toegestaan voor {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Niet toegestaan voor {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Krijgen items uit
 DocType: Price List,Price Not UOM Dependant,Prijs niet afhankelijk van UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Belastingvergoeding toepassen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Voorraad kan niet worden bijgewerkt obv Vrachtbrief {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Totaal gecrediteerd bedrag
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Voorraad kan niet worden bijgewerkt obv Vrachtbrief {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Totaal gecrediteerd bedrag
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Geen artikelen vermeld
 DocType: Asset Repair,Error Description,Foutbeschrijving
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Gebruik aangepaste kasstroomindeling
 DocType: SMS Center,All Sales Person,Alle Sales Person
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Maandelijkse Distributie ** helpt u om de begroting / Target verdelen over maanden als u de seizoensgebondenheid in uw bedrijf.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Niet artikelen gevonden
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Salarisstructuur Missing
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Niet artikelen gevonden
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Salarisstructuur Missing
 DocType: Lead,Person Name,Persoon Naam
 DocType: Sales Invoice Item,Sales Invoice Item,Verkoopfactuur Artikel
 DocType: Account,Credit,Krediet
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Stock Reports
 DocType: Warehouse,Warehouse Detail,Magazijn Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,De Term Einddatum kan niet later dan het jaar Einddatum van het studiejaar waarop de term wordt gekoppeld zijn (Academisch Jaar {}). Corrigeer de data en probeer het opnieuw.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Is vaste activa"" kan niet worden uitgeschakeld, als Asset record bestaat voor dit item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Is vaste activa"" kan niet worden uitgeschakeld, als Asset record bestaat voor dit item"
 DocType: Delivery Trip,Departure Time,Vertrektijd
 DocType: Vehicle Service,Brake Oil,remolie
 DocType: Tax Rule,Tax Type,Belasting Type
 ,Completed Work Orders,Voltooide werkorders
 DocType: Support Settings,Forum Posts,Forum berichten
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Belastbaar bedrag
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Belastbaar bedrag
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},U bent niet bevoegd om items toe te voegen of bij te werken voor {0}
 DocType: Leave Policy,Leave Policy Details,Laat beleidsdetails achter
 DocType: BOM,Item Image (if not slideshow),Artikel Afbeelding (indien niet diashow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Uurtarief / 60) * Werkelijk Gepresteerde Tijd
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rij # {0}: Referentiedocumenttype moet één van de kostenrekening of het journaalboekje zijn
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Select BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rij # {0}: Referentiedocumenttype moet één van de kostenrekening of het journaalboekje zijn
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Select BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kosten van geleverde zaken
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,De vakantie op {0} is niet tussen Van Datum en To Date
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Sjablonen van leveranciers standings.
 DocType: Lead,Interested,Geïnteresseerd
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Opening
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Van {0} tot {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Van {0} tot {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programma:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Het instellen van belastingen is mislukt
 DocType: Item,Copy From Item Group,Kopiëren van Item Group
-DocType: Delivery Trip,Delivery Notification,Bezorg notificatie
 DocType: Journal Entry,Opening Entry,Opening Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Rekening betalen enkel
 DocType: Loan,Repay Over Number of Periods,Terug te betalen gedurende een aantal perioden
 DocType: Stock Entry,Additional Costs,Bijkomende kosten
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Rekening met bestaande transactie kan niet worden omgezet naar een groep .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Rekening met bestaande transactie kan niet worden omgezet naar een groep .
 DocType: Lead,Product Enquiry,Product Aanvraag
 DocType: Education Settings,Validate Batch for Students in Student Group,Batch valideren voor studenten in de studentengroep
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Geen verlof gevonden record voor werknemer {0} voor {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vul aub eerst bedrijf in
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Selecteer Company eerste
 DocType: Employee Education,Under Graduate,Student zonder graad
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Stel de standaardsjabloon in voor Verlofstatusmelding in HR-instellingen.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Stel de standaardsjabloon in voor Verlofstatusmelding in HR-instellingen.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Doel op
 DocType: BOM,Total Cost,Totale kosten
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Rekeningafschrift
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmacie
 DocType: Purchase Invoice Item,Is Fixed Asset,Is vaste activa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Beschikbare aantal is {0}, moet u {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Beschikbare aantal is {0}, moet u {1}"
 DocType: Expense Claim Detail,Claim Amount,Claim Bedrag
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Werkorder is {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Kwaliteitscontrolesjabloon
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Wilt u aanwezig updaten? <br> Aanwezig: {0} \ <br> Afwezig: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Geaccepteerde + Verworpen Aantal moet gelijk zijn aan Ontvangen aantal zijn voor Artikel {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Geaccepteerde + Verworpen Aantal moet gelijk zijn aan Ontvangen aantal zijn voor Artikel {0}
 DocType: Item,Supply Raw Materials for Purchase,Supply Grondstoffen voor Aankoop
 DocType: Agriculture Analysis Criteria,Fertilizer,Kunstmest
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Kan niet garanderen dat levering via serienr. As \ Item {0} wordt toegevoegd met of zonder Zorgen voor levering per \ serienr.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Ten minste één wijze van betaling is vereist voor POS factuur.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Ten minste één wijze van betaling is vereist voor POS factuur.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Rekeningoverzicht Transactie Rekening Item
 DocType: Products Settings,Show Products as a List,Producten weergeven als een lijst
 DocType: Salary Detail,Tax on flexible benefit,Belasting op flexibel voordeel
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff
 DocType: Production Plan,Material Request Detail,Materiaal Verzoek Detail
 DocType: Selling Settings,Default Quotation Validity Days,Standaard prijsofferte dagen
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om Belastingen op te nemen in het Artikeltarief in rij {0}, moeten de belastingen in rijen {1} ook worden opgenomen"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om Belastingen op te nemen in het Artikeltarief in rij {0}, moeten de belastingen in rijen {1} ook worden opgenomen"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Bevestig aanwezigheid
 DocType: Sales Invoice,Change Amount,Change Bedrag
 DocType: Party Tax Withholding Config,Certificate Received,Certificaat ontvangen
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Factuurwaarde instellen voor B2C. B2CL en B2CS berekend op basis van deze factuurwaarde.
 DocType: BOM Update Tool,New BOM,Nieuwe Eenheid
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Voorgeschreven procedures
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Voorgeschreven procedures
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Toon alleen POS
 DocType: Supplier Group,Supplier Group Name,Naam Leveranciergroep
 DocType: Driver,Driving License Categories,Rijbewijscategorieën
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Payroll-perioden
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,maak Employee
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Uitzenden
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Setup-modus van POS (online / offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Setup-modus van POS (online / offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Hiermee wordt het maken van tijdregistraties tegen werkorders uitgeschakeld. Bewerkingen worden niet getraceerd op werkorder
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Uitvoering
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Details van de uitgevoerde handelingen.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Korting op de prijslijst Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Artikel sjabloon
 DocType: Job Offer,Select Terms and Conditions,Select Voorwaarden
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,out Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,out Value
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Instellingen voor bankafschriftinstellingen
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-instellingen
 DocType: Production Plan,Sales Orders,Verkooporders
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Het verzoek voor een offerte kan worden geopend door te klikken op de volgende link
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsomschrijving
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,onvoldoende Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,onvoldoende Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Uitschakelen Capacity Planning en Time Tracking
 DocType: Email Digest,New Sales Orders,Nieuwe Verkooporders
 DocType: Bank Account,Bank Account,Bankrekening
 DocType: Travel Itinerary,Check-out Date,Vertrek datum
 DocType: Leave Type,Allow Negative Balance,Laat negatief saldo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',U kunt projecttype &#39;extern&#39; niet verwijderen
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Selecteer alternatief item
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Selecteer alternatief item
 DocType: Employee,Create User,Gebruiker aanmaken
 DocType: Selling Settings,Default Territory,Standaard Regio
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,televisie
 DocType: Work Order Operation,Updated via 'Time Log',Bijgewerkt via 'Time Log'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Selecteer de klant of leverancier.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Advance bedrag kan niet groter zijn dan {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Advance bedrag kan niet groter zijn dan {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tijdvak overgeslagen, het slot {0} t / m {1} overlapt het bestaande slot {2} met {3}"
 DocType: Naming Series,Series List for this Transaction,Reeks voor deze transactie
 DocType: Company,Enable Perpetual Inventory,Perpetual Inventory inschakelen
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Tegen Sales Invoice Item
 DocType: Agriculture Analysis Criteria,Linked Doctype,Gekoppeld Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,De netto kasstroom uit financieringsactiviteiten
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage vol is, niet te redden"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage vol is, niet te redden"
 DocType: Lead,Address & Contact,Adres &amp; Contact
 DocType: Leave Allocation,Add unused leaves from previous allocations,Voeg ongebruikte bladeren van de vorige toewijzingen
 DocType: Sales Partner,Partner website,partner website
@@ -447,10 +447,10 @@
 ,Open Work Orders,Open werkorders
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Charge-item
 DocType: Payment Term,Credit Months,Kredietmaanden
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Nettoloon kan niet lager zijn dan 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Nettoloon kan niet lager zijn dan 0
 DocType: Contract,Fulfilled,vervulde
 DocType: Inpatient Record,Discharge Scheduled,Afloop gepland
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Ontslagdatum moet groter zijn dan datum van indiensttreding
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Ontslagdatum moet groter zijn dan datum van indiensttreding
 DocType: POS Closing Voucher,Cashier,Kassa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Verlaat per jaar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Rij {0}: Kijk 'Is Advance' tegen Account {1} als dit is een voorschot binnenkomst.
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Stel de studenten onder Student Groups in
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Taak voltooien
 DocType: Item Website Specification,Item Website Specification,Artikel Website Specificatie
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Verlof Geblokkeerd
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Artikel {0} heeft het einde van zijn levensduur bereikt op {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Verlof Geblokkeerd
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Artikel {0} heeft het einde van zijn levensduur bereikt op {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank Gegevens
 DocType: Customer,Is Internal Customer,Is interne klant
 DocType: Crop,Annual,jaar-
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Als Auto Opt In is aangevinkt, worden de klanten automatisch gekoppeld aan het betreffende loyaliteitsprogramma (bij opslaan)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voorraad Afletteren Artikel
 DocType: Stock Entry,Sales Invoice No,Verkoopfactuur nr.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Leveringstype
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Leveringstype
 DocType: Material Request Item,Min Order Qty,Minimum Aantal
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
 DocType: Lead,Do Not Contact,Neem geen contact op
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publiceren in Hub
 DocType: Student Admission,Student Admission,student Toelating
 ,Terretory,Regio
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Artikel {0} is geannuleerd
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Artikel {0} is geannuleerd
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Afschrijving Rij {0}: Startdatum afschrijving wordt ingevoerd als de vorige datum
 DocType: Contract Template,Fulfilment Terms and Conditions,Fulfilment Algemene voorwaarden
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materiaal Aanvraag
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materiaal Aanvraag
 DocType: Bank Reconciliation,Update Clearance Date,Werk Clearance Datum bij
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Inkoop Details
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} niet gevonden in &#39;Raw Materials geleverd&#39; tafel in Purchase Order {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} niet gevonden in &#39;Raw Materials geleverd&#39; tafel in Purchase Order {1}
 DocType: Salary Slip,Total Principal Amount,Totaal hoofdbedrag
 DocType: Student Guardian,Relation,Relatie
 DocType: Student Guardian,Mother,Moeder
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,verzending County
 DocType: Currency Exchange,For Selling,Om te verkopen
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Leren
+DocType: Purchase Invoice Item,Enable Deferred Expense,Uitgestelde kosten inschakelen
 DocType: Asset,Next Depreciation Date,Volgende Afschrijvingen Date
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Activiteitskosten per werknemer
 DocType: Accounts Settings,Settings for Accounts,Instellingen voor accounts
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Leverancier factuur nr bestaat in Purchase Invoice {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Leverancier factuur nr bestaat in Purchase Invoice {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Beheer Sales Person Boom .
 DocType: Job Applicant,Cover Letter,Voorblad
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Uitstekende Cheques en Deposito&#39;s te ontruimen
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Externe Werk Geschiedenis
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Kringverwijzing Error
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studentenrapportkaart
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Van pincode
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Van pincode
 DocType: Appointment Type,Is Inpatient,Is een patiënt
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Naam
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,In woorden (Export) wordt zichtbaar zodra u de vrachtbrief opslaat.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Factuur Type
 DocType: Employee Benefit Claim,Expense Proof,Expense Proof
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Vrachtbrief
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},{0} opslaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Vrachtbrief
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Het opzetten van Belastingen
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Kosten van Verkochte Asset
 DocType: Volunteer,Morning,Ochtend
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Bericht is gewijzigd nadat u het getrokken. Neem dan trekt het weer.
 DocType: Program Enrollment Tool,New Student Batch,Nieuwe studentenbatch
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} twee keer opgenomen in Artikel BTW
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Samenvatting voor deze week en in afwachting van activiteiten
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} twee keer opgenomen in Artikel BTW
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Samenvatting voor deze week en in afwachting van activiteiten
 DocType: Student Applicant,Admitted,toegelaten
 DocType: Workstation,Rent Cost,Huurkosten
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Bedrag na afschrijvingen
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Bedrag na afschrijvingen
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Aankomende Gebeurtenissen
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant Attributen
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Selecteer maand en jaar
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Er kan slechts 1 account per Bedrijf in zijn {0} {1}
 DocType: Support Search Source,Response Result Key Path,Response Result Key Path
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Voor hoeveelheid {0} mag niet groter zijn dan werkorderhoeveelheid {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Zie bijlage
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Voor hoeveelheid {0} mag niet groter zijn dan werkorderhoeveelheid {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Zie bijlage
 DocType: Purchase Order,% Received,% Ontvangen
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Maak Student Groepen
 DocType: Volunteer,Weekends,weekends
@@ -658,7 +660,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Totaal uitstekend
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Wijzig het start-/ huidige volgnummer van een bestaande serie.
 DocType: Dosage Strength,Strength,Kracht
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Maak een nieuwe klant
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Maak een nieuwe klant
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Vervalt op
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Als er meerdere prijzen Regels blijven die gelden, worden gebruikers gevraagd om Prioriteit handmatig instellen om conflicten op te lossen."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Maak Bestellingen
@@ -669,17 +671,18 @@
 DocType: Workstation,Consumable Cost,Verbruiksartikel kostprijs
 DocType: Purchase Receipt,Vehicle Date,Voertuiggegegevns
 DocType: Student Log,Medical,medisch
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Reden voor het verliezen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Selecteer alstublieft Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Reden voor het verliezen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Selecteer alstublieft Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Lead eigenaar kan niet hetzelfde zijn als de lead zijn
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Toegekende bedrag kan niet hoger zijn dan niet-gecorrigeerde bedrag
 DocType: Announcement,Receiver,Ontvanger
 DocType: Location,Area UOM,UOM van het gebied
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Werkstation is gesloten op de volgende data als per Holiday Lijst: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Kansen
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Kansen
 DocType: Lab Test Template,Single,Enkele
 DocType: Compensatory Leave Request,Work From Date,Werk vanaf datum
 DocType: Salary Slip,Total Loan Repayment,Totaal aflossing van de lening
+DocType: Project User,View attachments,Bekijk bijlagen
 DocType: Account,Cost of Goods Sold,Kostprijs verkochte goederen
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Vul kostenplaats in
 DocType: Drug Prescription,Dosage,Dosering
@@ -690,7 +693,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Hoeveelheid en Tarief
 DocType: Delivery Note,% Installed,% Geïnstalleerd
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klaslokalen / Laboratories etc, waar lezingen kunnen worden gepland."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Bedrijfsvaluta&#39;s van beide bedrijven moeten overeenkomen voor Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Bedrijfsvaluta&#39;s van beide bedrijven moeten overeenkomen voor Inter Company Transactions.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Vul aub eerst de naam van het bedrijf in
 DocType: Travel Itinerary,Non-Vegetarian,Niet vegetarisch
 DocType: Purchase Invoice,Supplier Name,Leverancier Naam
@@ -700,7 +703,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Tijdelijk in de wacht
 DocType: Account,Is Group,Is Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kredietnota {0} is automatisch aangemaakt
-DocType: Email Digest,Pending Purchase Orders,In afwachting van Bestellingen
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatisch instellen serienummers op basis van FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Controleer Leverancier Factuurnummer Uniqueness
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primaire adresgegevens
@@ -718,12 +720,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Pas de inleidende tekst aan die meegaat als een deel van die e-mail. Elke transactie heeft een aparte inleidende tekst.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Rij {0}: bewerking vereist ten opzichte van het artikel met de grondstof {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Stel alsjeblieft de standaard betaalbare rekening voor het bedrijf in {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transactie niet toegestaan tegen gestopte werkorder {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transactie niet toegestaan tegen gestopte werkorder {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Algemene instellingen voor alle productieprocessen.
 DocType: Accounts Settings,Accounts Frozen Upto,Rekeningen bevroren tot
 DocType: SMS Log,Sent On,Verzonden op
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Kenmerk {0} meerdere keren geselecteerd in Attributes Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Kenmerk {0} meerdere keren geselecteerd in Attributes Tabel
 DocType: HR Settings,Employee record is created using selected field. ,Werknemer regel wordt gemaakt met behulp van geselecteerd veld.
 DocType: Sales Order,Not Applicable,Niet van toepassing
 DocType: Amazon MWS Settings,UK,UK
@@ -752,21 +754,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Werknemer {0} heeft al een aanvraag ingediend voor {1} op {2}:
 DocType: Inpatient Record,AB Positive,AB Positief
 DocType: Job Opening,Description of a Job Opening,Omschrijving van een Vacature
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Afwachting van activiteiten voor vandaag
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Afwachting van activiteiten voor vandaag
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Salaris Component voor rooster gebaseerde payroll.
+DocType: Driver,Applicable for external driver,Toepasbaar voor externe driver
 DocType: Sales Order Item,Used for Production Plan,Gebruikt voor Productie Plan
 DocType: Loan,Total Payment,Totale betaling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Kan transactie voor voltooide werkorder niet annuleren.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Kan transactie voor voltooide werkorder niet annuleren.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (in minuten)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO is al gecreëerd voor alle klantorderitems
 DocType: Healthcare Service Unit,Occupied,Bezet
 DocType: Clinical Procedure,Consumables,verbruiksgoederen
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} is geannuleerd dus de actie kan niet voltooid worden
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} is geannuleerd dus de actie kan niet voltooid worden
 DocType: Customer,Buyer of Goods and Services.,Koper van goederen en diensten.
 DocType: Journal Entry,Accounts Payable,Crediteuren
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Het bedrag van {0} dat in dit betalingsverzoek is ingesteld, wijkt af van het berekende bedrag van alle betalingsplannen: {1}. Controleer of dit klopt voordat u het document verzendt."
 DocType: Patient,Allergies,allergieën
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,De geselecteerde stuklijsten zijn niet voor hetzelfde item
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,De geselecteerde stuklijsten zijn niet voor hetzelfde item
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Itemcode wijzigen
 DocType: Supplier Scorecard Standing,Notify Other,Meld andere aan
 DocType: Vital Signs,Blood Pressure (systolic),Bloeddruk (systolisch)
@@ -778,7 +781,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Genoeg Parts te bouwen
 DocType: POS Profile User,POS Profile User,POS-profielgebruiker
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Rij {0}: startdatum van afschrijving is vereist
-DocType: Sales Invoice Item,Service Start Date,Startdatum van de service
+DocType: Purchase Invoice Item,Service Start Date,Startdatum van de service
 DocType: Subscription Invoice,Subscription Invoice,Abonnementsfactuur
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Directe Inkomsten
 DocType: Patient Appointment,Date TIme,Datum Tijd
@@ -798,7 +801,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Cosmetica
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Selecteer de voltooiingsdatum voor het uitgevoerde onderhoudslogboek
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Om samen te voegen, moeten de volgende eigenschappen hetzelfde zijn voor beide artikelen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Om samen te voegen, moeten de volgende eigenschappen hetzelfde zijn voor beide artikelen"
 DocType: Supplier,Block Supplier,Leverancier blokkeren
 DocType: Shipping Rule,Net Weight,Netto Gewicht
 DocType: Job Opening,Planned number of Positions,Gepland aantal posities
@@ -820,19 +823,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Cash Flow Mapping Template
 DocType: Travel Request,Costing Details,Kostendetails
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Return-items weergeven
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial geen item kan niet een fractie te zijn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial geen item kan niet een fractie te zijn
 DocType: Journal Entry,Difference (Dr - Cr),Verschil (Db - Cr)
 DocType: Bank Guarantee,Providing,Het verstrekken van
 DocType: Account,Profit and Loss,Winst en Verlies
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Niet toegestaan, configureer Lab-testsjabloon zoals vereist"
 DocType: Patient,Risk Factors,Risicofactoren
 DocType: Patient,Occupational Hazards and Environmental Factors,Beroepsgevaren en milieufactoren
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Voorraadinvoer al gemaakt voor werkorder
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Voorraadinvoer al gemaakt voor werkorder
 DocType: Vital Signs,Respiratory rate,Ademhalingsfrequentie
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Managing Subcontracting
 DocType: Vital Signs,Body Temperature,Lichaamstemperatuur
 DocType: Project,Project will be accessible on the website to these users,Project zal toegankelijk op de website van deze gebruikers
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Kan {0} {1} niet annuleren omdat serienummer {2} niet tot het magazijn behoort {3}
 DocType: Detected Disease,Disease,Ziekte
+DocType: Company,Default Deferred Expense Account,Standaard Uitgesteld Kostenrekening
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definieer projecttype.
 DocType: Supplier Scorecard,Weighting Function,Gewicht Functie
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -849,7 +854,7 @@
 DocType: Crop,Produced Items,Geproduceerde items
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Overeenstemmende transactie met facturen
 DocType: Sales Order Item,Gross Profit,Bruto Winst
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Deblokkering factuur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Deblokkering factuur
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Toename kan niet worden 0
 DocType: Company,Delete Company Transactions,Verwijder Company Transactions
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referentienummer en Reference Data is verplicht voor Bank transactie
@@ -870,11 +875,11 @@
 DocType: Budget,Ignore,Negeren
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} is niet actief
 DocType: Woocommerce Settings,Freight and Forwarding Account,Vracht- en doorstuuraccount
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Setup check afmetingen voor afdrukken
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Setup check afmetingen voor afdrukken
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Salarisbrieven maken
 DocType: Vital Signs,Bloated,Opgeblazen
 DocType: Salary Slip,Salary Slip Timesheet,Loonstrook Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverancier Magazijn verplicht voor uitbesteedde Ontvangstbewijs
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverancier Magazijn verplicht voor uitbesteedde Ontvangstbewijs
 DocType: Item Price,Valid From,Geldig van
 DocType: Sales Invoice,Total Commission,Totaal Commissie
 DocType: Tax Withholding Account,Tax Withholding Account,Belasting-inhouding-account
@@ -882,12 +887,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Alle leveranciers scorecards.
 DocType: Buying Settings,Purchase Receipt Required,Ontvangstbevestiging Verplicht
 DocType: Delivery Note,Rail,Het spoor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Targetmagazijn in rij {0} moet hetzelfde zijn als werkorder
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Valuation Rate is verplicht als Opening Stock ingevoerd
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Targetmagazijn in rij {0} moet hetzelfde zijn als werkorder
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Valuation Rate is verplicht als Opening Stock ingevoerd
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Geen records gevonden in de factuur tabel
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Selecteer Company en Party Type eerste
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Al ingesteld standaard in pos profiel {0} voor gebruiker {1}, vriendelijk uitgeschakeld standaard"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Financiële / boekjaar .
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Financiële / boekjaar .
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Geaccumuleerde waarden
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Sorry , serienummers kunnen niet worden samengevoegd"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Klantgroep stelt de geselecteerde groep in terwijl klanten van Shopify worden gesynchroniseerd
@@ -901,7 +906,7 @@
 ,Lead Id,Lead Id
 DocType: C-Form Invoice Detail,Grand Total,Algemeen totaal
 DocType: Assessment Plan,Course,cursus
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Sectiecode
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Sectiecode
 DocType: Timesheet,Payslip,loonstrook
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Een datum van een halve dag moet tussen de datum en de datum liggen
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Item winkelwagen
@@ -910,7 +915,8 @@
 DocType: Employee,Personal Bio,Persoonlijke Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Lidmaatschap ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Geleverd: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Geleverd: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Verbonden met QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Verschuldigd Account
 DocType: Payment Entry,Type of Payment,Type van Betaling
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Halve dag datum is verplicht
@@ -922,7 +928,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Verzendingsbiljetdatum
 DocType: Production Plan,Production Plan,Productieplan
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Opening factuur creatie tool
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Terugkerende verkoop
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Terugkerende verkoop
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Opmerking: Totaal toegewezen bladeren {0} mag niet kleiner zijn dan die reeds zijn goedgekeurd bladeren zijn {1} voor de periode
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Aantal instellen in transacties op basis van serieel geen invoer
 ,Total Stock Summary,Totale voorraadoverzicht
@@ -935,9 +941,9 @@
 DocType: Authorization Rule,Customer or Item,Klant of Item
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Klantenbestand.
 DocType: Quotation,Quotation To,Offerte Voor
-DocType: Lead,Middle Income,Modaal Inkomen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Modaal Inkomen
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Opening ( Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standaard maateenheid voor post {0} kan niet direct worden gewijzigd, omdat je al enkele transactie (s) met een andere UOM hebben gemaakt. U moet een nieuwe post naar een andere Standaard UOM gebruik maken."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standaard maateenheid voor post {0} kan niet direct worden gewijzigd, omdat je al enkele transactie (s) met een andere UOM hebben gemaakt. U moet een nieuwe post naar een andere Standaard UOM gebruik maken."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Toegekende bedrag kan niet negatief zijn
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Stel het bedrijf alstublieft in
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Stel het bedrijf alstublieft in
@@ -955,15 +961,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selecteer Betaalrekening aan Bank Entry maken
 DocType: Hotel Settings,Default Invoice Naming Series,Standaard Invoice Naming Series
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Maak Employee records bladeren, declaraties en salarisadministratie beheren"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Er is een fout opgetreden tijdens het updateproces
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Er is een fout opgetreden tijdens het updateproces
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant reservering
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Voorstel Schrijven
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Entry Aftrek
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Afsluiten
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Breng klanten op de hoogte via e-mail
 DocType: Item,Batch Number Series,Batchnummerserie
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Een andere Sales Person {0} bestaat met dezelfde werknemer id
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Een andere Sales Person {0} bestaat met dezelfde werknemer id
 DocType: Employee Advance,Claimed Amount,Geclaimd bedrag
+DocType: QuickBooks Migrator,Authorization Settings,Autorisatie-instellingen
 DocType: Travel Itinerary,Departure Datetime,Vertrek Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Kostencalculatie voor reizen
@@ -1003,26 +1010,29 @@
 DocType: Buying Settings,Supplier Naming By,Leverancier Benaming Door
 DocType: Activity Type,Default Costing Rate,Standaard Costing Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Onderhoudsschema
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dan worden prijsregels uitgefilterd op basis van Klant, Klantgroep, Regio,  Leverancier, Leverancier Type, Campagne, Verkooppartner, etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dan worden prijsregels uitgefilterd op basis van Klant, Klantgroep, Regio,  Leverancier, Leverancier Type, Campagne, Verkooppartner, etc."
 DocType: Employee Promotion,Employee Promotion Details,Gegevens over werknemersbevordering
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Netto wijziging in Inventory
 DocType: Employee,Passport Number,Paspoortnummer
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relatie met Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manager
 DocType: Payment Entry,Payment From / To,Betaling van / naar
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Van fiscaal jaar
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},New kredietlimiet lager is dan de huidige uitstaande bedrag voor de klant. Kredietlimiet moet minstens zijn {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Stel een account in in Magazijn {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Stel een account in in Magazijn {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Gebaseerd op' en 'Groepeer per' kunnen niet hetzelfde zijn
 DocType: Sales Person,Sales Person Targets,Verkoper Doelen
 DocType: Work Order Operation,In minutes,In minuten
 DocType: Issue,Resolution Date,Oplossing Datum
 DocType: Lab Test Template,Compound,samenstelling
+DocType: Opportunity,Probability (%),Waarschijnlijkheid (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Bericht verzending
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Selecteer Eigenschap
 DocType: Student Batch Name,Batch Name,batch Naam
 DocType: Fee Validity,Max number of visit,Max. Aantal bezoeken
 ,Hotel Room Occupancy,Hotel Kamer bezetting
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Rooster gemaakt:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Stel een standaard Kas- of Bankrekening in bij Betaalwijze {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Stel een standaard Kas- of Bankrekening in bij Betaalwijze {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Inschrijven
 DocType: GST Settings,GST Settings,GST instellingen
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuta moet hetzelfde zijn als prijsvaluta: {0}
@@ -1063,12 +1073,12 @@
 DocType: Loan,Total Interest Payable,Totaal te betalen rente
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Vrachtkosten belastingen en toeslagen
 DocType: Work Order Operation,Actual Start Time,Werkelijke Starttijd
+DocType: Purchase Invoice Item,Deferred Expense Account,Uitgestelde onkostenrekening
 DocType: BOM Operation,Operation Time,Operatie Tijd
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Afwerking
 DocType: Salary Structure Assignment,Base,Baseren
 DocType: Timesheet,Total Billed Hours,Totaal gefactureerd Hours
 DocType: Travel Itinerary,Travel To,Reizen naar
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,is niet
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Afschrijvingsbedrag
 DocType: Leave Block List Allow,Allow User,Door gebruiker toestaan
 DocType: Journal Entry,Bill No,Factuur nr
@@ -1086,9 +1096,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Urenregistratie
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Grondstoffen afgeboekt op basis van
 DocType: Sales Invoice,Port Code,Poortcode
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Magazijn reserveren
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Magazijn reserveren
 DocType: Lead,Lead is an Organization,Lead is een organisatie
-DocType: Guardian Interest,Interest,Interesseren
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Voorverkoop
 DocType: Instructor Log,Other Details,Andere Details
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1098,7 +1107,7 @@
 DocType: Account,Accounts,Rekeningen
 DocType: Vehicle,Odometer Value (Last),Kilometerstand (Laatste)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Templates van leveranciers scorecard criteria.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Loyaliteitspunten inwisselen
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Betaling Entry is al gemaakt
 DocType: Request for Quotation,Get Suppliers,Krijg leveranciers
@@ -1115,16 +1124,14 @@
 DocType: Crop,Crop Spacing UOM,Gewasafstand UOM
 DocType: Loyalty Program,Single Tier Program,Single Tier-programma
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selecteer alleen als u Cash Flow Mapper-documenten hebt ingesteld
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Van adres 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Van adres 1
 DocType: Email Digest,Next email will be sent on:,Volgende e-mail wordt verzonden op:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Volgend item {items} {werkwoord} gemarkeerd als {message} item. \ Je kunt ze inschakelen als {message} item van haar Item master
 DocType: Supplier Scorecard,Per Week,Per week
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Item heeft varianten.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Item heeft varianten.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Totaal student
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Artikel {0} niet gevonden
 DocType: Bin,Stock Value,Voorraad Waarde
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Company {0} bestaat niet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Company {0} bestaat niet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} heeft geldigheid tot {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Boom Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Aantal verbruikt per eenheid
@@ -1140,7 +1147,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kredietkaart invoer
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Bedrijf en Accounts
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,in Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,in Value
 DocType: Asset Settings,Depreciation Options,Afschrijvingsopties
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Plaats of werknemer moet verplicht zijn
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Ongeldige boekingstijd
@@ -1157,20 +1164,21 @@
 DocType: Leave Allocation,Allocation,Toewijzing
 DocType: Purchase Order,Supply Raw Materials,Supply Grondstoffen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Vlottende Activa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} is geen voorraad artikel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} is geen voorraad artikel
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Deel alstublieft uw feedback aan de training door op &#39;Training Feedback&#39; te klikken en vervolgens &#39;New&#39;
 DocType: Mode of Payment Account,Default Account,Standaardrekening
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Selecteer eerst Sample Retention Warehouse in Stock Settings
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Selecteer eerst Sample Retention Warehouse in Stock Settings
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Selecteer het Multiple Tier-programmatype voor meer dan één verzamelregel.
 DocType: Payment Entry,Received Amount (Company Currency),Ontvangen bedrag (Company Munt)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Lead moet worden ingesteld als de opportuniteit is gemaakt obv een lead
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Betaling geannuleerd. Controleer uw GoCardless-account voor meer informatie
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Verzenden met bijlage
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Selecteer wekelijkse vrije dag
 DocType: Inpatient Record,O Negative,O Negatief
 DocType: Work Order Operation,Planned End Time,Geplande Eindtijd
 ,Sales Person Target Variance Item Group-Wise,Sales Person Doel Variance Post Group - Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Rekening met bestaande transactie kan niet worden geconverteerd naar grootboek
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Rekening met bestaande transactie kan niet worden geconverteerd naar grootboek
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Type details voor lidmaatschapstype
 DocType: Delivery Note,Customer's Purchase Order No,Inkoopordernummer van Klant
 DocType: Clinical Procedure,Consume Stock,Consumeer de voorraad
@@ -1183,26 +1191,26 @@
 DocType: Soil Texture,Sand,Zand
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energie
 DocType: Opportunity,Opportunity From,Opportuniteit Van
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rij {0}: {1} Serienummers vereist voor item {2}. U heeft {3} verstrekt.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rij {0}: {1} Serienummers vereist voor item {2}. U heeft {3} verstrekt.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Selecteer een tafel
 DocType: BOM,Website Specifications,Website Specificaties
 DocType: Special Test Items,Particulars,bijzonderheden
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Van {0} van type {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Rij {0}: Conversie Factor is verplicht
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Rij {0}: Conversie Factor is verplicht
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Meerdere Prijs Regels bestaat met dezelfde criteria, dan kunt u conflicten op te lossen door het toekennen van prioriteit. Prijs Regels: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Meerdere Prijs Regels bestaat met dezelfde criteria, dan kunt u conflicten op te lossen door het toekennen van prioriteit. Prijs Regels: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Wisselkoersherwaarderingsaccount
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan stuklijst niet deactiveren of annuleren aangezien het is gelinkt met andere stuklijsten.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan stuklijst niet deactiveren of annuleren aangezien het is gelinkt met andere stuklijsten.
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Selecteer Bedrijf en boekingsdatum om inzendingen te ontvangen
 DocType: Asset,Maintenance,Onderhoud
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Haal uit Patient Encounter
 DocType: Subscriber,Subscriber,Abonnee
 DocType: Item Attribute Value,Item Attribute Value,Item Atribuutwaarde
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Werk uw projectstatus bij
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Werk uw projectstatus bij
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valutawissel moet van toepassing zijn voor Kopen of Verkopen.
 DocType: Item,Maximum sample quantity that can be retained,Maximum aantal monsters dat kan worden bewaard
 DocType: Project Update,How is the Project Progressing Right Now?,Hoe verloopt het project nu?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rij {0} # artikel {1} kan niet meer dan {2} worden overgedragen tegen bestelling {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rij {0} # artikel {1} kan niet meer dan {2} worden overgedragen tegen bestelling {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Verkoop campagnes
 DocType: Project Task,Make Timesheet,maak Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1250,36 +1258,38 @@
 DocType: Lab Test,Lab Test,Laboratoriumtest
 DocType: Student Report Generation Tool,Student Report Generation Tool,Studentenrapport-generatietool
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Tijdschema voor gezondheidszorgplanning
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Naam
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Naam
 DocType: Expense Claim Detail,Expense Claim Type,Kostendeclaratie Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standaardinstellingen voor Winkelwagen
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Voeg tijdsloten toe
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset gesloopt via Journal Entry {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Stel een account in in Warehouse {0} of Default Inventory Account in bedrijf {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset gesloopt via Journal Entry {0}
 DocType: Loan,Interest Income Account,Rentebaten Account
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maximale voordelen moeten groter zijn dan nul om voordelen te bieden
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maximale voordelen moeten groter zijn dan nul om voordelen te bieden
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Review Uitnodiging verzonden
 DocType: Shift Assignment,Shift Assignment,Shift-toewijzing
 DocType: Employee Transfer Property,Employee Transfer Property,Overdracht van medewerkers
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Van tijd moet minder zijn dan tijd
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Artikel {0} (Serienr .: {1}) kan niet worden geconsumeerd om te voldoen aan de verkooporder {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Gebouwen Onderhoudskosten
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Ga naar
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Prijs bijwerken van Shopify naar ERPNext prijslijst
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Het opzetten van e-mailaccount
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Vul eerst artikel in
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analyse nodig
 DocType: Asset Repair,Downtime,uitvaltijd
 DocType: Account,Liability,Verplichting
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gesanctioneerde bedrag kan niet groter zijn dan Claim Bedrag in Row {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gesanctioneerde bedrag kan niet groter zijn dan Claim Bedrag in Row {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Academische termijn:
 DocType: Salary Component,Do not include in total,Neem niet alles mee
 DocType: Company,Default Cost of Goods Sold Account,Standaard kosten van verkochte goederen Account
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Voorbeeldhoeveelheid {0} kan niet meer dan ontvangen aantal {1} zijn
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Prijslijst niet geselecteerd
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Voorbeeldhoeveelheid {0} kan niet meer dan ontvangen aantal {1} zijn
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Prijslijst niet geselecteerd
 DocType: Employee,Family Background,Familie Achtergrond
 DocType: Request for Quotation Supplier,Send Email,E-mail verzenden
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Waarschuwing: Invalid Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Waarschuwing: Invalid Attachment {0}
 DocType: Item,Max Sample Quantity,Max. Aantal monsters
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Geen toestemming
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Contract Fulfillment Checklist
@@ -1310,15 +1320,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: kostenplaats {2} behoort niet tot Company {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Upload uw briefhoofd (houd het webvriendelijk als 900px bij 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan geen groep zijn
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {doctype} {DocName} bestaat niet in bovenstaande &#39;{} doctype&#39; table
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} is al voltooid of geannuleerd
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} is al voltooid of geannuleerd
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,geen taken
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Verkoopfactuur {0} is aangemaakt als betaald
 DocType: Item Variant Settings,Copy Fields to Variant,Kopieer velden naar variant
 DocType: Asset,Opening Accumulated Depreciation,Het openen van de cumulatieve afschrijvingen
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score moet lager dan of gelijk aan 5 zijn
 DocType: Program Enrollment Tool,Program Enrollment Tool,Programma Inschrijving Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C -Form records
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C -Form records
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,De aandelen bestaan al
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Klant en leverancier
 DocType: Email Digest,Email Digest Settings,E-mail Digest Instellingen
@@ -1331,12 +1341,12 @@
 DocType: Production Plan,Select Items,Selecteer Artikelen
 DocType: Share Transfer,To Shareholder,Aan de aandeelhouder
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} tegen Factuur {1} gedateerd {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Van staat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Van staat
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Setup instelling
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Bladeren toewijzen ...
 DocType: Program Enrollment,Vehicle/Bus Number,Voertuig- / busnummer
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Course Schedule
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",U moet belasting aftrekken voor niet-ingediende bewijs van belastingvrijstelling en niet-geclaimde \ werknemersvoordelen in de laatste salarisstrook van loonstrook
 DocType: Request for Quotation Supplier,Quote Status,Offerte Status
 DocType: GoCardless Settings,Webhooks Secret,Webhooks geheim
@@ -1362,13 +1372,13 @@
 DocType: Sales Invoice,Payment Due Date,Betaling Vervaldatum
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Selecteer opnieuw, als het gekozen adres is bewerkt na opslaan"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Artikel Variant {0} bestaat al met dezelfde kenmerken
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Artikel Variant {0} bestaat al met dezelfde kenmerken
 DocType: Item,Hub Publishing Details,Hub publicatie details
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Opening&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Opening&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open To Do
 DocType: Issue,Via Customer Portal,Via klantportal
 DocType: Notification Control,Delivery Note Message,Vrachtbrief Bericht
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Bedrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Bedrag
 DocType: Lab Test Template,Result Format,Resultaatformaat
 DocType: Expense Claim,Expenses,Uitgaven
 DocType: Item Variant Attribute,Item Variant Attribute,Artikel Variant Kenmerk
@@ -1376,14 +1386,12 @@
 DocType: Payroll Entry,Bimonthly,Tweemaandelijks
 DocType: Vehicle Service,Brake Pad,Brake Pad
 DocType: Fertilizer,Fertilizer Contents,Kunstmest Inhoud
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Research & Development
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Research & Development
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Neerkomen op Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Begindatum en einddatum overlappen met de opdrachtkaart <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registratie Details
 DocType: Timesheet,Total Billed Amount,Totaal factuurbedrag
 DocType: Item Reorder,Re-Order Qty,Re-order Aantal
 DocType: Leave Block List Date,Leave Block List Date,Laat Block List Datum
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Stel het systeem voor instructeursbenaming in Onderwijs&gt; Onderwijsinstellingen in
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Ruw materiaal kan niet hetzelfde zijn als hoofdartikel
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totaal van toepassing zijnde kosten in Kwitantie Items tabel moet hetzelfde zijn als de totale belastingen en heffingen
 DocType: Sales Team,Incentives,Incentives
@@ -1397,7 +1405,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Verkooppunt
 DocType: Fee Schedule,Fee Creation Status,Fee Creation Status
 DocType: Vehicle Log,Odometer Reading,kilometerstand
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Accountbalans reeds in Credit, 'Balans moet zijn' mag niet als 'Debet' worden ingesteld"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Accountbalans reeds in Credit, 'Balans moet zijn' mag niet als 'Debet' worden ingesteld"
 DocType: Account,Balance must be,Saldo moet worden
 DocType: Notification Control,Expense Claim Rejected Message,Kostendeclaratie afgewezen Bericht
 ,Available Qty,Beschikbaar Aantal
@@ -1409,7 +1417,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Synchroniseer altijd uw producten van Amazon MWS voordat u de details van de bestellingen synchroniseert
 DocType: Delivery Trip,Delivery Stops,Levering stopt
 DocType: Salary Slip,Working Days,Werkdagen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Kan de service-einddatum voor item in rij {0} niet wijzigen
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Kan de service-einddatum voor item in rij {0} niet wijzigen
 DocType: Serial No,Incoming Rate,Inkomende Rate
 DocType: Packing Slip,Gross Weight,Bruto Gewicht
 DocType: Leave Type,Encashment Threshold Days,Aanpak Drempel Dagen
@@ -1428,31 +1436,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimum aantal zitplaatsen
 DocType: Item Attribute,Item Attribute Values,Item Attribuutwaarden
 DocType: Examination Result,Examination Result,examenresultaat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Ontvangstbevestiging
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Ontvangstbevestiging
 ,Received Items To Be Billed,Ontvangen artikelen nog te factureren
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Wisselkoers stam.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Wisselkoers stam.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referentie Doctype moet een van {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter totaal aantal nul
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Kan Time Slot in de volgende {0} dagen voor Operatie vinden {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan materiaal voor onderdelen
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Sales Partners en Territory
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Stuklijst {0} moet actief zijn
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Stuklijst {0} moet actief zijn
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Geen items beschikbaar voor overdracht
 DocType: Employee Boarding Activity,Activity Name,Activiteit naam
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Wijzigingsdatum wijzigen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,De hoeveelheid gereed product <b>{0}</b> en voor Hoeveelheid <b>{1}</b> kunnen niet verschillen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Wijzigingsdatum wijzigen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,De hoeveelheid gereed product <b>{0}</b> en voor Hoeveelheid <b>{1}</b> kunnen niet verschillen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Sluiten (Opening + totaal)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgroep&gt; Merk
+DocType: Delivery Settings,Dispatch Notification Attachment,Verzendingsmeldingsbijlage
 DocType: Payroll Entry,Number Of Employees,Aantal werknemers
 DocType: Journal Entry,Depreciation Entry,afschrijvingen Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Selecteer eerst het documenttype
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Selecteer eerst het documenttype
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuleren Materiaal Bezoeken {0} voor het annuleren van deze Maintenance Visit
 DocType: Pricing Rule,Rate or Discount,Tarief of korting
 DocType: Vital Signs,One Sided,Eenzijdig
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serienummer {0} behoort niet tot Artikel {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Benodigde hoeveelheid
 DocType: Marketplace Settings,Custom Data,Aangepaste gegevens
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Warehouses met bestaande transactie kan niet worden geconverteerd naar grootboek.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serienr. Is verplicht voor het artikel {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Warehouses met bestaande transactie kan niet worden geconverteerd naar grootboek.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serienr. Is verplicht voor het artikel {0}
 DocType: Bank Reconciliation,Total Amount,Totaal bedrag
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Van datum en datum liggen in verschillende fiscale jaar
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,De patiënt {0} heeft geen klantrefref om te factureren
@@ -1463,9 +1473,9 @@
 DocType: Soil Texture,Clay Composition (%),Kleisamenstelling (%)
 DocType: Item Group,Item Group Defaults,Artikelgroep standaardinstellingen
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Sla op voordat u een taak toewijst.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Balans Waarde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Balans Waarde
 DocType: Lab Test,Lab Technician,Laboratorium technicus
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Sales Prijslijst
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Sales Prijslijst
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Als gecontroleerd, wordt een klant aangemaakt, aangepast aan Patiënt. Patiëntfacturen worden aangemaakt tegen deze klant. U kunt ook de bestaande klant selecteren bij het maken van een patiënt."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Klant is niet ingeschreven in een loyaliteitsprogramma
@@ -1479,13 +1489,13 @@
 DocType: Support Search Source,Search Term Param Name,Zoekterm Paramaam
 DocType: Item Barcode,Item Barcode,Artikel Barcode
 DocType: Woocommerce Settings,Endpoints,Eindpunten
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Item Varianten {0} bijgewerkt
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Item Varianten {0} bijgewerkt
 DocType: Quality Inspection Reading,Reading 6,Meting 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Kan niet {0} {1} {2} zonder negatieve openstaande factuur
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Kan niet {0} {1} {2} zonder negatieve openstaande factuur
 DocType: Share Transfer,From Folio No,Van Folio Nee
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Inkoopfactuur Voorschot
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Rij {0}: kan creditering niet worden gekoppeld met een {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definieer budget voor een boekjaar.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definieer budget voor een boekjaar.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext-account
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} is geblokkeerd, dus deze transactie kan niet doorgaan"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Actie als Gecumuleerd maandbudget is overschreden op MR
@@ -1501,19 +1511,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Inkoopfactuur
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Sta meerdere materiaalconsumptie toe tegen een werkorder
 DocType: GL Entry,Voucher Detail No,Voucher Detail nr
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nieuwe Sales Invoice
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nieuwe Sales Invoice
 DocType: Stock Entry,Total Outgoing Value,Totaal uitgaande waardeoverdrachten
 DocType: Healthcare Practitioner,Appointments,afspraken
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Openingsdatum en de uiterste datum moet binnen dezelfde fiscale jaar
 DocType: Lead,Request for Information,Informatieaanvraag
 ,LeaderBoard,Scorebord
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tarief met marge (bedrijfsvaluta)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline Facturen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline Facturen
 DocType: Payment Request,Paid,Betaald
 DocType: Program Fee,Program Fee,programma Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Vervang een bepaalde BOM in alle andere BOM&#39;s waar het wordt gebruikt. Het zal de oude BOM link vervangen, update kosten en regenereren &quot;BOM Explosion Item&quot; tabel zoals per nieuwe BOM. Ook wordt de laatste prijs bijgewerkt in alle BOM&#39;s."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,De volgende werkorders zijn gemaakt:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,De volgende werkorders zijn gemaakt:
 DocType: Salary Slip,Total in words,Totaal in woorden
 DocType: Inpatient Record,Discharged,ontladen
 DocType: Material Request Item,Lead Time Date,Lead Tijd Datum
@@ -1524,16 +1534,16 @@
 DocType: Support Settings,Get Started Sections,Aan de slag Secties
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,Sanctioned
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,is verplicht. Misschien is dit Valuta record niet gemaakt voor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Rij #{0}: Voer serienummer in voor artikel {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Totale bijdragebedrag: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Rij #{0}: Voer serienummer in voor artikel {1}
 DocType: Payroll Entry,Salary Slips Submitted,Salaris ingeleverd
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Voor &#39;Product Bundel&#39; items, Warehouse, Serienummer en Batch Geen zal worden beschouwd van de &#39;Packing List&#39; tafel. Als Warehouse en Batch Geen zijn hetzelfde voor alle verpakking items voor welke &#39;Product Bundle&#39; punt, kunnen die waarden in de belangrijkste Item tafel worden ingevoerd, wordt waarden worden gekopieerd naar &quot;Packing List &#39;tafel."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Voor &#39;Product Bundel&#39; items, Warehouse, Serienummer en Batch Geen zal worden beschouwd van de &#39;Packing List&#39; tafel. Als Warehouse en Batch Geen zijn hetzelfde voor alle verpakking items voor welke &#39;Product Bundle&#39; punt, kunnen die waarden in de belangrijkste Item tafel worden ingevoerd, wordt waarden worden gekopieerd naar &quot;Packing List &#39;tafel."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Van plaats
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay kan niet negatief zijn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Van plaats
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay kan niet negatief zijn
 DocType: Student Admission,Publish on website,Publiceren op de website
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Leverancier Factuurdatum kan niet groter zijn dan Posting Date
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Leverancier Factuurdatum kan niet groter zijn dan Posting Date
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Annuleringsdatum
 DocType: Purchase Invoice Item,Purchase Order Item,Inkooporder Artikel
@@ -1542,7 +1552,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Attendance Tool
 DocType: Restaurant Menu,Price List (Auto created),Prijslijst (automatisch aangemaakt)
 DocType: Cheque Print Template,Date Settings,date Settings
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variantie
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variantie
 DocType: Employee Promotion,Employee Promotion Detail,Detail medewerkerbevordering
 ,Company Name,Bedrijfsnaam
 DocType: SMS Center,Total Message(s),Totaal Bericht(en)
@@ -1572,7 +1582,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Stuur geen Werknemer verjaardagsherinneringen
 DocType: Expense Claim,Total Advance Amount,Totaal voorschotbedrag
 DocType: Delivery Stop,Estimated Arrival,Geschatte aankomst
-DocType: Delivery Stop,Notified by Email,Aangemeld per e-mail
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Zie alle artikelen
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,Inspectie Criteria
@@ -1582,23 +1591,22 @@
 DocType: Timesheet Detail,Bill,Bill
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Wit
 DocType: SMS Center,All Lead (Open),Alle Leads (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rij {0}: Aantal niet beschikbaar voor {4} in het magazijn van {1} op het plaatsen van tijd van de invoer ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rij {0}: Aantal niet beschikbaar voor {4} in het magazijn van {1} op het plaatsen van tijd van de invoer ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,U kunt maximaal één optie selecteren in de lijst met selectievakjes.
 DocType: Purchase Invoice,Get Advances Paid,Get betaalde voorschotten
 DocType: Item,Automatically Create New Batch,Maak automatisch een nieuwe partij aan
 DocType: Item,Automatically Create New Batch,Maak automatisch een nieuwe partij aan
 DocType: Supplier,Represents Company,Vertegenwoordigt bedrijf
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Maken
 DocType: Student Admission,Admission Start Date,Entree Startdatum
 DocType: Journal Entry,Total Amount in Words,Totaal bedrag in woorden
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nieuwe medewerker
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Er is een fout opgetreden . Een mogelijke reden zou kunnen zijn dat u het formulier niet hebt opgeslagen. Neem contact op met Support als het probleem aanhoudt .
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mijn winkelwagen
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Order Type moet één van {0} zijn
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Order Type moet één van {0} zijn
 DocType: Lead,Next Contact Date,Volgende Contact Datum
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Opening Aantal
 DocType: Healthcare Settings,Appointment Reminder,Benoemingsherinnering
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Vul Account for Change Bedrag
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Vul Account for Change Bedrag
 DocType: Program Enrollment Tool Student,Student Batch Name,Student batchnaam
 DocType: Holiday List,Holiday List Name,Holiday Lijst Naam
 DocType: Repayment Schedule,Balance Loan Amount,Balans Leningsbedrag
@@ -1608,13 +1616,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Aandelenopties
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Geen items toegevoegd aan winkelwagen
 DocType: Journal Entry Account,Expense Claim,Kostendeclaratie
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Wilt u deze schrapte activa echt herstellen?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Wilt u deze schrapte activa echt herstellen?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Aantal voor {0}
 DocType: Leave Application,Leave Application,Verlofaanvraag
 DocType: Patient,Patient Relation,Patiëntrelatie
 DocType: Item,Hub Category to Publish,Hubcategorie om te publiceren
 DocType: Leave Block List,Leave Block List Dates,Laat Block List Data
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Klantorder {0} heeft een reservering voor artikel {1}, u kunt alleen gereserveerde {1} tegen {0} leveren. Serial No {2} kan niet worden afgeleverd"
 DocType: Sales Invoice,Billing Address GSTIN,Factuuradres GSTIN
@@ -1632,16 +1640,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Geef een {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Verwijderde items met geen verandering in de hoeveelheid of waarde.
 DocType: Delivery Note,Delivery To,Leveren Aan
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Het maken van varianten is in de wachtrij geplaatst.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Werkoverzicht voor {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Het maken van varianten is in de wachtrij geplaatst.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Werkoverzicht voor {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,De eerste verlof goedkeurder in de lijst zal worden ingesteld als de standaard verlof goedkeurder.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Attributentabel is verplicht
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Attributentabel is verplicht
 DocType: Production Plan,Get Sales Orders,Get Verkooporders
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} kan niet negatief zijn
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Maak verbinding met Quickbooks
 DocType: Training Event,Self-Study,Zelfstudie
 DocType: POS Closing Voucher,Period End Date,Periode Einddatum
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Bodemsamenstellingen tellen niet op tot 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Korting
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Rij {0}: {1} is vereist om de openstaande {2} facturen te maken
 DocType: Membership,Membership,Lidmaatschap
 DocType: Asset,Total Number of Depreciations,Totaal aantal Afschrijvingen
 DocType: Sales Invoice Item,Rate With Margin,Beoordeel met marges
@@ -1652,7 +1662,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Geef een geldige rij-ID voor rij {0} in tabel {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Kan variabele niet vinden:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Selecteer alstublieft een veld om van numpad te bewerken
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Kan geen vast activumartikel zijn omdat het grootboek Voorraad wordt gecreëerd.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Kan geen vast activumartikel zijn omdat het grootboek Voorraad wordt gecreëerd.
 DocType: Subscription Plan,Fixed rate,Vaste rente
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Toegeven
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Ga naar het bureaublad om aan de slag te gaan met ERPNext
@@ -1686,7 +1696,7 @@
 DocType: Tax Rule,Shipping State,Scheepvaart State
 ,Projected Quantity as Source,Geprojecteerd Hoeveelheid als Bron
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Het punt moet worden toegevoegd met behulp van 'Get Items uit Aankoopfacturen' knop
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Levering reis
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Levering reis
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Overdrachtstype
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Verkoopkosten
@@ -1699,8 +1709,9 @@
 DocType: Item Default,Default Selling Cost Center,Standaard Verkoop kostenplaats
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Schijf
 DocType: Buying Settings,Material Transferred for Subcontract,Materiaal overgedragen voor onderaanneming
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postcode
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Sales Order {0} is {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Inwisselorders worden achterhaald
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Postcode
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Sales Order {0} is {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Selecteer rente-inkomstenrekening in lening {0}
 DocType: Opportunity,Contact Info,Contact Info
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Maken Stock Inzendingen
@@ -1713,12 +1724,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,De factuur kan niet worden gemaakt voor uren facturering
 DocType: Company,Date of Commencement,Aanvangsdatum
 DocType: Sales Person,Select company name first.,Kies eerst een bedrijfsnaam.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail verzonden naar {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail verzonden naar {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Offertes ontvangen van leveranciers.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Vervang BOM en update de laatste prijs in alle BOM&#39;s
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Naar {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Dit is een root-leveranciersgroep en kan niet worden bewerkt.
-DocType: Delivery Trip,Driver Name,Naam van de bestuurder
+DocType: Delivery Note,Driver Name,Naam van de bestuurder
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Gemiddelde Leeftijd
 DocType: Education Settings,Attendance Freeze Date,Bijwonen Vries Datum
 DocType: Education Settings,Attendance Freeze Date,Bijwonen Vries Datum
@@ -1730,7 +1741,7 @@
 DocType: Company,Parent Company,Moeder bedrijf
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotelkamers van het type {0} zijn niet beschikbaar op {1}
 DocType: Healthcare Practitioner,Default Currency,Standaard valuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maximale korting voor artikel {0} is {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maximale korting voor artikel {0} is {1}%
 DocType: Asset Movement,From Employee,Van Medewerker
 DocType: Driver,Cellphone Number,mobiel nummer
 DocType: Project,Monitor Progress,Voortgang in de gaten houden
@@ -1746,19 +1757,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Hoeveelheid moet kleiner dan of gelijk aan {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Het maximumbedrag dat in aanmerking komt voor het onderdeel {0} overschrijdt {1}
 DocType: Department Approver,Department Approver,Afdelingsmedewerker
+DocType: QuickBooks Migrator,Application Settings,Applicatie instellingen
 DocType: SMS Center,Total Characters,Totaal Tekens
 DocType: Employee Advance,Claimed,beweerde
 DocType: Crop,Row Spacing,Rijafstand
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Selecteer BOM in BOM veld voor post {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Selecteer BOM in BOM veld voor post {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Er is geen artikelvariant voor het geselecteerde artikel
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Factuurspecificatie
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Afletteren Factuur
 DocType: Clinical Procedure,Procedure Template,Procedure sjabloon
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Bijdrage %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Conform de Aankoop Instellingen indien Aankoop Order Vereist == 'JA', dient de gebruiker eerst een Aankoop Order voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Bijdrage %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Conform de Aankoop Instellingen indien Aankoop Order Vereist == 'JA', dient de gebruiker eerst een Aankoop Order voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken"
 ,HSN-wise-summary of outward supplies,HSN-wise-samenvatting van uitgaande benodigdheden
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Registratienummers van de onderneming voor uw referentie. Fiscale nummers, enz."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Te vermelden
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Te vermelden
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributeur
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Winkelwagen Verzenden Regel
@@ -1767,7 +1779,7 @@
 ,Ordered Items To Be Billed,Bestelde artikelen te factureren
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Van Range moet kleiner zijn dan om het bereik
 DocType: Global Defaults,Global Defaults,Global Standaardwaarden
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Project Uitnodiging Collaboration
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Project Uitnodiging Collaboration
 DocType: Salary Slip,Deductions,Inhoudingen
 DocType: Setup Progress Action,Action Name,Actie Naam
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Start Jaar
@@ -1781,11 +1793,12 @@
 DocType: Lead,Consultant,Consultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Ouders Teacher Meeting presentielijst
 DocType: Salary Slip,Earnings,Verdiensten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Afgewerkte product {0} moet worden ingevoerd voor het type Productie binnenkomst
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Afgewerkte product {0} moet worden ingevoerd voor het type Productie binnenkomst
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Het openen van Accounting Balance
 ,GST Sales Register,GST Sales Register
 DocType: Sales Invoice Advance,Sales Invoice Advance,Verkoopfactuur Voorschot
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Niets aan te vragen
+DocType: Stock Settings,Default Return Warehouse,Standaardreturnmagazijn
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Selecteer uw domeinen
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify-leverancier
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betaling Factuur Items
@@ -1794,15 +1807,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Velden worden alleen gekopieerd op het moment van creatie.
 DocType: Setup Progress Action,Domains,Domeinen
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Werkelijke Startdatum' kan niet groter zijn dan 'Werkelijke Einddatum'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Beheer
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Beheer
 DocType: Cheque Print Template,Payer Settings,Payer Instellingen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Geen uitstaande artikelaanvragen gevonden om te linken voor de gegeven items.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Selecteer eerst een bedrijf
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dit zal worden toegevoegd aan de Code van het punt van de variant. Bijvoorbeeld, als je de afkorting is ""SM"", en de artikelcode is ""T-SHIRT"", de artikelcode van de variant zal worden ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettoloon (in woorden) zal zichtbaar zijn zodra de Salarisstrook wordt opgeslagen.
 DocType: Delivery Note,Is Return,Is Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Voorzichtigheid
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Startdag is groter dan einddag in taak &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Return / betaalkaart Note
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Return / betaalkaart Note
 DocType: Price List Country,Price List Country,Prijslijst Land
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} geldig serienummers voor Artikel {1}
@@ -1815,13 +1829,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Informatie verstrekken.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverancierbestand
 DocType: Contract Template,Contract Terms and Conditions,Contractvoorwaarden
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,U kunt een Abonnement dat niet is geannuleerd niet opnieuw opstarten.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,U kunt een Abonnement dat niet is geannuleerd niet opnieuw opstarten.
 DocType: Account,Balance Sheet,Balans
 DocType: Leave Type,Is Earned Leave,Is Earned Leave
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Kostenplaats Item met Item Code '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Kostenplaats Item met Item Code '
 DocType: Fee Validity,Valid Till,Geldig tot
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Totale ouder lerarenbijeenkomst
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode is niet geconfigureerd. Controleer, of rekening is ingesteld op de wijze van betalingen of op POS Profile."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode is niet geconfigureerd. Controleer, of rekening is ingesteld op de wijze van betalingen of op POS Profile."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Hetzelfde item kan niet meerdere keren worden ingevoerd.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Verdere accounts kan worden gemaakt onder groepen, maar items kunnen worden gemaakt tegen niet-Groepen"
 DocType: Lead,Lead,Lead
@@ -1830,11 +1844,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} aangemaakt
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Je hebt geen genoeg loyaliteitspunten om in te wisselen
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rij # {0}: Afgekeurd Aantal niet in Purchase Return kunnen worden ingevoerd
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Stel bijbehorende account in belastinginhoud {0} in voor bedrijf {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rij # {0}: Afgekeurd Aantal niet in Purchase Return kunnen worden ingevoerd
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Het wijzigen van de klantengroep voor de geselecteerde klant is niet toegestaan.
 ,Purchase Order Items To Be Billed,Inkooporder Artikelen nog te factureren
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Bijwerken geschatte aankomsttijden.
 DocType: Program Enrollment Tool,Enrollment Details,Inschrijfgegevens
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Kan niet meerdere item-standaardwaarden voor een bedrijf instellen.
 DocType: Purchase Invoice Item,Net Rate,Net Rate
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Selecteer een klant alsjeblieft
 DocType: Leave Policy,Leave Allocations,Verlof toewijzingen
@@ -1865,7 +1881,7 @@
 DocType: Loan Application,Repayment Info,terugbetaling Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Invoer' kan niet leeg zijn
 DocType: Maintenance Team Member,Maintenance Role,Onderhoudsrol
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Dubbele rij {0} met dezelfde {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Dubbele rij {0} met dezelfde {1}
 DocType: Marketplace Settings,Disable Marketplace,Schakel Marketplace uit
 ,Trial Balance,Proefbalans
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Boekjaar {0} niet gevonden
@@ -1876,9 +1892,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Abonnementsinstellingen
 DocType: Purchase Invoice,Update Auto Repeat Reference,Update automatische herhaalreferentie
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Optionele vakantielijst niet ingesteld voor verlofperiode {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Optionele vakantielijst niet ingesteld voor verlofperiode {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,onderzoek
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,To Address 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,To Address 2
 DocType: Maintenance Visit Purpose,Work Done,Afgerond Werk
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Gelieve ten minste één attribuut in de tabel attributen opgeven
 DocType: Announcement,All Students,Alle studenten
@@ -1888,16 +1904,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Verzoeningstransacties
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Vroegst
 DocType: Crop Cycle,Linked Location,Gekoppelde locatie
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Een artikel Group bestaat met dezelfde naam , moet u de naam van het item of de naam van de artikelgroep"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"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"
 DocType: Crop Cycle,Less than a year,Minder dan een jaar
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Rest van de Wereld
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Rest van de Wereld
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,De Punt {0} kan niet Batch hebben
 DocType: Crop,Yield UOM,Opbrengst UOM
 ,Budget Variance Report,Budget Variantie Rapport
 DocType: Salary Slip,Gross Pay,Brutoloon
 DocType: Item,Is Item from Hub,Is item van Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Items ophalen van zorgdiensten
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Items ophalen van zorgdiensten
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Rij {0}: Activiteit Type is verplicht.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividenden betaald
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Boekhoudboek
@@ -1912,6 +1928,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Betaling Mode
 DocType: Purchase Invoice,Supplied Items,Geleverde Artikelen
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Stel een actief menu in voor Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Commissiepercentage%
 DocType: Work Order,Qty To Manufacture,Aantal te produceren
 DocType: Email Digest,New Income,nieuwe Inkomen
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Handhaaf zelfde tarief gedurende inkoopcyclus
@@ -1926,12 +1943,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Valuation Rate vereist voor post in rij {0}
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard Acties
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Voorbeeld: Masters in Computer Science
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Leverancier {0} niet gevonden in {1}
 DocType: Purchase Invoice,Rejected Warehouse,Afgewezen Magazijn
 DocType: GL Entry,Against Voucher,Tegen Voucher
 DocType: Item Default,Default Buying Cost Center,Standaard Inkoop kostenplaats
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Om het beste uit ERPNext krijgen, raden wij u aan wat tijd te nemen en te kijken deze hulp video&#39;s."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Voor standaardleverancier (optioneel)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,naar
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Voor standaardleverancier (optioneel)
 DocType: Supplier Quotation Item,Lead Time in days,Levertijd in dagen
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Crediteuren Samenvatting
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Niet bevoegd om bevroren rekening te bewerken {0}
@@ -1940,7 +1957,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Waarschuw voor nieuw verzoek om offertes
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Inkooporders helpen bij het plannen en opvolgen van uw aankopen
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Prescriptions
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",De totale Issue / Transfer hoeveelheid {0} in Materiaal Request {1} \ kan niet groter zijn dan de gevraagde hoeveelheid {2} voor post zijn {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Klein
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Als Shopify geen klant in Order bevat, zal het systeem bij het synchroniseren van bestellingen rekening houden met de standaardklant voor bestelling"
@@ -1952,6 +1969,7 @@
 DocType: Project,% Completed,% Voltooid
 ,Invoiced Amount (Exculsive Tax),Factuurbedrag (excl BTW)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Punt 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorisatie-eindpunt
 DocType: Travel Request,International,Internationale
 DocType: Training Event,Training Event,training Event
 DocType: Item,Auto re-order,Auto re-order
@@ -1960,24 +1978,24 @@
 DocType: Contract,Contract,Contract
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoriumtest Datetime
 DocType: Email Digest,Add Quote,Quote voegen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Eenheid Omrekeningsfactor is nodig voor eenheid: {0} in Artikel: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Eenheid Omrekeningsfactor is nodig voor eenheid: {0} in Artikel: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Indirecte Kosten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Rij {0}: Aantal is verplicht
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Rij {0}: Aantal is verplicht
 DocType: Agriculture Analysis Criteria,Agriculture,landbouw
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Klantorder creëren
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Boekhoudingsinvoer voor activa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokfactuur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Boekhoudingsinvoer voor activa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokfactuur
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Te maken hoeveelheid
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,reparatiekosten
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Uw producten of diensten
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Inloggen mislukt
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} is gemaakt
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} is gemaakt
 DocType: Special Test Items,Special Test Items,Speciale testartikelen
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,U moet een gebruiker zijn met de functies System Manager en Item Manager om zich te registreren op Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Wijze van betaling
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Vanaf uw toegewezen Salarisstructuur kunt u geen voordelen aanvragen
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Website Afbeelding moet een openbaar bestand of website URL zijn
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Website Afbeelding moet een openbaar bestand of website URL zijn
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Dit is een basis artikelgroep en kan niet worden bewerkt .
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,samensmelten
@@ -1986,7 +2004,8 @@
 DocType: Warehouse,Warehouse Contact Info,Magazijn Contact Info
 DocType: Payment Entry,Write Off Difference Amount,Schrijf Off Verschil Bedrag
 DocType: Volunteer,Volunteer Name,Vrijwilligers naam
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Employee e-mail niet gevonden, dus geen e-mail verzonden"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Rijen met dubbele vervaldatums in andere rijen zijn gevonden: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Employee e-mail niet gevonden, dus geen e-mail verzonden"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Geen salarisstructuur toegewezen voor werknemer {0} op opgegeven datum {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Verzendregel niet van toepassing voor land {0}
 DocType: Item,Foreign Trade Details,Buitenlandse Handel Details
@@ -1994,17 +2013,17 @@
 DocType: Email Digest,Annual Income,Jaarlijks inkomen
 DocType: Serial No,Serial No Details,Serienummer Details
 DocType: Purchase Invoice Item,Item Tax Rate,Artikel BTW-tarief
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Van partijnaam
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Van partijnaam
 DocType: Student Group Student,Group Roll Number,Groepsrolnummer
 DocType: Student Group Student,Group Roll Number,Groepsrolnummer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Voor {0}, kan alleen credit accounts worden gekoppeld tegen een andere debetboeking"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Vrachtbrief {0} is niet ingediend
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Vrachtbrief {0} is niet ingediend
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Artikel {0} moet een uitbesteed artikel zijn
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitaalgoederen
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prijsbepalingsregel wordt eerst geselecteerd op basis van 'Toepassen op' veld, dat kan zijn artikel, artikelgroep of merk."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Stel eerst de productcode in
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Totaal toegewezen percentage voor verkoopteam moet 100 zijn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Totaal toegewezen percentage voor verkoopteam moet 100 zijn
 DocType: Subscription Plan,Billing Interval Count,Factuurinterval tellen
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Afspraken en ontmoetingen met patiënten
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Waarde ontbreekt
@@ -2018,6 +2037,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Maak Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Fee gemaakt
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Item met de naam {0} niet gevonden
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Items filteren
 DocType: Supplier Scorecard Criteria,Criteria Formula,Criteria Formule
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Totaal Uitgaande
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Er kan maar één Verzendregel Voorwaarde met 0 of blanco waarde zijn voor ""To Value """
@@ -2026,14 +2046,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Voor een artikel {0} moet het aantal positief zijn
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Opmerking: Deze kostenplaats is een groep. Kan geen boekingen aanmaken voor groepen.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Verzoek om compenserende verlofaanvragen niet in geldige feestdagen
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child magazijn bestaat voor dit magazijn. U kunt dit magazijn niet verwijderen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child magazijn bestaat voor dit magazijn. U kunt dit magazijn niet verwijderen.
 DocType: Item,Website Item Groups,Website Artikelgroepen
 DocType: Purchase Invoice,Total (Company Currency),Totaal (Company valuta)
 DocType: Daily Work Summary Group,Reminder,Herinnering
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Toegankelijke waarde
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Toegankelijke waarde
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serienummer {0} meer dan eens ingevoerd
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Journaalpost
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Van GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Van GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Niet-opgeëist bedrag
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} items in progress
 DocType: Workstation,Workstation Name,Naam van werkstation
@@ -2041,7 +2061,7 @@
 DocType: POS Item Group,POS Item Group,POS Item Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternatief artikel mag niet hetzelfde zijn als artikelcode
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Stuklijst {0} behoort niet tot Artikel {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Stuklijst {0} behoort niet tot Artikel {1}
 DocType: Sales Partner,Target Distribution,Doel Distributie
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalisatie van voorlopige beoordeling
 DocType: Salary Slip,Bank Account No.,Bankrekeningnummer
@@ -2050,7 +2070,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard variabelen kunnen worden gebruikt, evenals: {total_score} (de totale score van die periode), {period_number} (het aantal dagen dat de dag is)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Alles inklappen
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Alles inklappen
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Bestelling creëren
 DocType: Quality Inspection Reading,Reading 8,Meting 8
 DocType: Inpatient Record,Discharge Note,Afvoernota
@@ -2066,7 +2086,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Bijzonder Verlof
 DocType: Purchase Invoice,Supplier Invoice Date,Factuurdatum Leverancier
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Deze waarde wordt gebruikt voor pro-rata temporisberekening
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,U moet Winkelwagen activeren.
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,U moet Winkelwagen activeren.
 DocType: Payment Entry,Writeoff,Afschrijven
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Reeks voorvoegsel naamgeving
@@ -2081,11 +2101,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Overlappende voorwaarden gevonden tussen :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Tegen Journal Entry {0} is al aangepast tegen enkele andere voucher
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Totale orderwaarde
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Voeding
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Voeding
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Vergrijzing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-sluitingsbondetails
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series in voor {0} via Instellingen&gt; Instellingen&gt; Serie benoemen
 DocType: Inpatient Occupancy,Check In,Check in
 DocType: Maintenance Schedule Item,No of Visits,Aantal bezoeken
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Onderhoudsplan {0} bestaat tegen {1}
@@ -2125,6 +2144,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Max. Voordelen (bedrag)
 DocType: Purchase Invoice,Contact Person,Contactpersoon
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Verwacht Startdatum' kan niet groter zijn dan 'Verwachte Einddatum'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Geen gegevens voor deze periode
 DocType: Course Scheduling Tool,Course End Date,Cursus Einddatum
 DocType: Holiday List,Holidays,Feestdagen
 DocType: Sales Order Item,Planned Quantity,Gepland Aantal
@@ -2136,7 +2156,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Netto wijziging in vaste activa
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Gewenste hoeveelheid
 DocType: Leave Control Panel,Leave blank if considered for all designations,Laat leeg indien overwogen voor alle aanduidingen
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge van het type ' Actual ' in rij {0} kan niet worden opgenomen in Item Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge van het type ' Actual ' in rij {0} kan niet worden opgenomen in Item Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Van Datetime
 DocType: Shopify Settings,For Company,Voor Bedrijf
@@ -2149,9 +2169,9 @@
 DocType: Material Request,Terms and Conditions Content,Algemene Voorwaarden Inhoud
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Er zijn fouten opgetreden bij het maken van cursusplanning
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,De eerste onkostende goedkeurder in de lijst wordt ingesteld als de standaard kostenaannemer.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,mag niet groter zijn dan 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,mag niet groter zijn dan 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,U moet een andere gebruiker dan Administrator met System Manager en Item Manager-rollen zijn om zich te registreren op Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Artikel {0} is geen voorraadartikel
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Artikel {0} is geen voorraadartikel
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Ongeplande
 DocType: Employee,Owned,Eigendom
@@ -2179,7 +2199,7 @@
 DocType: HR Settings,Employee Settings,Werknemer Instellingen
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Loading Payment System
 ,Batch-Wise Balance History,Batchgewijze balansgeschiedenis
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Rij # {0}: kan Tarief niet instellen als het bedrag groter is dan het gefactureerde bedrag voor artikel {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Rij # {0}: kan Tarief niet instellen als het bedrag groter is dan het gefactureerde bedrag voor artikel {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Print instellingen bijgewerkt in de respectievelijke gedrukte vorm
 DocType: Package Code,Package Code,Package Code
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,leerling
@@ -2188,7 +2208,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Belasting detail tafel haalden van post meester als een string en opgeslagen in dit gebied.
  Gebruikt voor en -heffingen"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Werknemer kan niet rapporteren aan zichzelf.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Werknemer kan niet rapporteren aan zichzelf.
 DocType: Leave Type,Max Leaves Allowed,Max. Bladeren toegestaan
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Als de rekening is bevroren, kunnen boekingen alleen door daartoe bevoegde gebruikers gedaan worden."
 DocType: Email Digest,Bank Balance,Banksaldo
@@ -2214,6 +2234,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Banktransactieposten
 DocType: Quality Inspection,Readings,Lezingen
 DocType: Stock Entry,Total Additional Costs,Totaal Bijkomende kosten
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Aantal interacties
 DocType: BOM,Scrap Material Cost(Company Currency),Scrap Materiaal Kosten (Company Munt)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Uitbesteed werk
 DocType: Asset,Asset Name,Asset Naam
@@ -2221,10 +2242,10 @@
 DocType: Shipping Rule Condition,To Value,Tot Waarde
 DocType: Loyalty Program,Loyalty Program Type,Type loyaliteitsprogramma
 DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Bron magazijn is verplicht voor rij {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Bron magazijn is verplicht voor rij {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,De betalingstermijn op rij {0} is mogelijk een duplicaat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Landbouw (bèta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Pakbon
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Pakbon
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Kantoorhuur
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Instellingen SMS gateway
 DocType: Disease,Common Name,Gemeenschappelijke naam
@@ -2256,20 +2277,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-mail loonstrook te Employee
 DocType: Cost Center,Parent Cost Center,Bovenliggende kostenplaats
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Stel mogelijke Leverancier
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Stel mogelijke Leverancier
 DocType: Sales Invoice,Source,Bron
 DocType: Customer,"Select, to make the customer searchable with these fields","Selecteer, om de klant doorzoekbaar te maken met deze velden"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Verzendingsnota&#39;s importeren vanuit Shopify bij verzending
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Toon gesloten
 DocType: Leave Type,Is Leave Without Pay,Is onbetaald verlof
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Categorie is verplicht voor post der vaste activa
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Categorie is verplicht voor post der vaste activa
 DocType: Fee Validity,Fee Validity,Geldigheidsgeldigheid
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Geen records gevonden in de betaling tabel
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Deze {0} in strijd is met {1} voor {2} {3}
 DocType: Student Attendance Tool,Students HTML,studenten HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Verwijder de werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om dit document te annuleren"
 DocType: POS Profile,Apply Discount,Solliciteer Discount
 DocType: GST HSN Code,GST HSN Code,GST HSN-code
 DocType: Employee External Work History,Total Experience,Total Experience
@@ -2292,7 +2310,7 @@
 DocType: Maintenance Schedule,Schedules,Schema
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS-profiel is vereist om Point-of-Sale te gebruiken
 DocType: Cashier Closing,Net Amount,Netto Bedrag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} is niet ingediend dus de actie kan niet voltooid worden
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} is niet ingediend dus de actie kan niet voltooid worden
 DocType: Purchase Order Item Supplied,BOM Detail No,Stuklijst Detail nr.
 DocType: Landed Cost Voucher,Additional Charges,Extra kosten
 DocType: Support Search Source,Result Route Field,Resultaat Routeveld
@@ -2321,11 +2339,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Facturen openen
 DocType: Contract,Contract Details,Contractgegevens
 DocType: Employee,Leave Details,Laat details achter
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Stel User ID veld in een Werknemer record Werknemer Rol stellen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Stel User ID veld in een Werknemer record Werknemer Rol stellen
 DocType: UOM,UOM Name,Eenheid Naam
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Aan adres 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Aan adres 1
 DocType: GST HSN Code,HSN Code,HSN-code
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Bijdrage hoeveelheid
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Bijdrage hoeveelheid
 DocType: Inpatient Record,Patient Encounter,Patiënt ontmoeting
 DocType: Purchase Invoice,Shipping Address,Verzendadres
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Deze tool helpt u om te werken of te repareren de hoeveelheid en de waardering van de voorraad in het systeem. Het wordt meestal gebruikt om het systeem waarden en wat in uw magazijnen werkelijk bestaat synchroniseren.
@@ -2342,9 +2360,9 @@
 DocType: Travel Itinerary,Mode of Travel,Manier van reizen
 DocType: Sales Invoice Item,Brand Name,Merknaam
 DocType: Purchase Receipt,Transporter Details,Transporter Details
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Standaard magazijn is nodig voor geselecteerde punt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Standaard magazijn is nodig voor geselecteerde punt
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Doos
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,mogelijke Leverancier
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,mogelijke Leverancier
 DocType: Budget,Monthly Distribution,Maandelijkse Verdeling
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Ontvanger Lijst is leeg. Maak Ontvanger Lijst
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Gezondheidszorg (beta)
@@ -2366,6 +2384,7 @@
 ,Lead Name,Lead Naam
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,prospectie
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Het openen Stock Balance
 DocType: Asset Category Account,Capital Work In Progress Account,Capital Work In Progress-account
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Aanpassing van activumwaarde
@@ -2374,7 +2393,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Verlof succesvol toegewezen aan {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Geen Artikelen om te verpakken
 DocType: Shipping Rule Condition,From Value,Van Waarde
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Productie Aantal is verplicht
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Productie Aantal is verplicht
 DocType: Loan,Repayment Method,terugbetaling Method
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Indien aangevinkt, zal de startpagina de standaard Item Group voor de website"
 DocType: Quality Inspection Reading,Reading 4,Meting 4
@@ -2399,7 +2418,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Employee Referral
 DocType: Student Group,Set 0 for no limit,Stel 0 voor geen limiet
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,De dag (en) waarop je solliciteert verlof zijn vakantie. U hoeft niet voor verlof.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Rij {idx}: {field} is vereist om de opening {invoice_type} facturen te maken
 DocType: Customer,Primary Address and Contact Detail,Primaire adres en contactgegevens
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,E-mail opnieuw te verzenden Betaling
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nieuwe taak
@@ -2409,8 +2427,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Selecteer minimaal één domein.
 DocType: Dependent Task,Dependent Task,Afhankelijke taak
 DocType: Shopify Settings,Shopify Tax Account,Shopify Belastingrekening
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Conversiefactor voor Standaard meeteenheid moet 1 zijn in rij {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Verlof van type {0} kan niet langer zijn dan {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Conversiefactor voor Standaard meeteenheid moet 1 zijn in rij {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Verlof van type {0} kan niet langer zijn dan {1}
 DocType: Delivery Trip,Optimize Route,Route optimaliseren
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Probeer plan operaties voor X dagen van tevoren.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2419,14 +2437,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Stel Default Payroll Payable account in Company {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Krijg financiële opsplitsing van Belastingen en kostengegevens door Amazon
 DocType: SMS Center,Receiver List,Ontvanger Lijst
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Zoekitem
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Zoekitem
 DocType: Payment Schedule,Payment Amount,Betaling Bedrag
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Halve dag moet tussen werk na datum en einddatum werken zijn
 DocType: Healthcare Settings,Healthcare Service Items,Items in de gezondheidszorg
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Verbruikte hoeveelheid
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Netto wijziging in cash
 DocType: Assessment Plan,Grading Scale,Grading Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid {0} is meer dan eens ingevoerd in Conversie Factor Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid {0} is meer dan eens ingevoerd in Conversie Factor Tabel
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Reeds voltooid
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Voorraad in de hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2449,25 +2467,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} hoeveelheid {1} moet een geheel getal zijn
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Voer de URL van de Woocommerce-server in
 DocType: Purchase Order Item,Supplier Part Number,Leverancier Onderdeelnummer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Succespercentage kan niet 0 of 1 zijn
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Succespercentage kan niet 0 of 1 zijn
 DocType: Share Balance,To No,Naar Nee
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Alle verplichte taken voor het maken van medewerkers zijn nog niet gedaan.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} is geannuleerd of gestopt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} is geannuleerd of gestopt
 DocType: Accounts Settings,Credit Controller,Credit Controller
 DocType: Loan,Applicant Type,aanvrager Type
 DocType: Purchase Invoice,03-Deficiency in services,03-Tekort aan diensten
 DocType: Healthcare Settings,Default Medical Code Standard,Standaard Medische Code Standaard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Ontvangstbevestiging {0} is niet ingediend
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Ontvangstbevestiging {0} is niet ingediend
 DocType: Company,Default Payable Account,Standaard Payable Account
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Instellingen voor online winkelwagentje zoals scheepvaart regels, prijslijst enz."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% gefactureerd
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Gereserveerde Hoeveelheid
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Gereserveerde Hoeveelheid
 DocType: Party Account,Party Account,Party Account
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Selecteer Bedrijf en Aanwijzing
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Human Resources
-DocType: Lead,Upper Income,Bovenste Inkomen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Bovenste Inkomen
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,afwijzen
 DocType: Journal Entry Account,Debit in Company Currency,Debet in Company Valuta
 DocType: BOM Item,BOM Item,Stuklijst Artikel
@@ -2484,7 +2502,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Taakopeningen voor aanduiding {0} reeds geopend \ of verhuren voltooid volgens Staffing Plan {1}
 DocType: Vital Signs,Constipated,Verstopt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Tegen Leverancier Factuur {0} gedateerd {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Tegen Leverancier Factuur {0} gedateerd {1}
 DocType: Customer,Default Price List,Standaard Prijslijst
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Asset bewegingsartikel {0} aangemaakt
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Geen items gevonden.
@@ -2500,17 +2518,18 @@
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Klant Kredietsaldo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Netto wijziging in Accounts Payable
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kredietlimiet is overschreden voor klant {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series in voor {0} via Instellingen&gt; Instellingen&gt; Serie benoemen
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kredietlimiet is overschreden voor klant {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Klant nodig voor 'Klantgebaseerde Korting'
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Bijwerken bank betaaldata met journaalposten
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,pricing
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,pricing
 DocType: Quotation,Term Details,Voorwaarde Details
 DocType: Employee Incentive,Employee Incentive,Employee Incentive
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kan niet meer dan {0} studenten voor deze groep studenten inschrijven.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Totaal (zonder BTW)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Loodtelling
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Loodtelling
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Beschikbare voorraad
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Beschikbare voorraad
 DocType: Manufacturing Settings,Capacity Planning For (Days),Capacity Planning Voor (Dagen)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Inkoop
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Geen van de items hebben een verandering in hoeveelheid of waarde.
@@ -2535,7 +2554,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Verlaat en Aanwezigheid
 DocType: Asset,Comprehensive Insurance,Uitgebreide verzekering
 DocType: Maintenance Visit,Partially Completed,Gedeeltelijk afgesloten
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Loyalty Point: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Loyalty Point: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Leads toevoegen
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Gematigde gevoeligheid
 DocType: Leave Type,Include holidays within leaves as leaves,Inclusief vakantie binnen bladeren als bladeren
 DocType: Loyalty Program,Redemption,Verlossing
@@ -2569,7 +2589,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Marketingkosten
 ,Item Shortage Report,Artikel Tekort Rapport
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Kan geen standaardcriteria maken. Wijzig de naam van de criteria
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Het gewicht wordt vermeld, \n Vermeld ""Gewicht UOM"" te"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Het gewicht wordt vermeld, \n Vermeld ""Gewicht UOM"" te"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materiaal Aanvraag is gebruikt om deze Voorraad  Entry te maken
 DocType: Hub User,Hub Password,Hub wachtwoord
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Afzonderlijke cursusgroep voor elke partij
@@ -2584,15 +2604,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Benoemingsduur (minuten)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Maak boekhoudkundige afschrijving voor elke Stock Movement
 DocType: Leave Allocation,Total Leaves Allocated,Totaal Verlofdagen Toegewezen
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Voer geldige boekjaar begin- en einddatum
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Voer geldige boekjaar begin- en einddatum
 DocType: Employee,Date Of Retirement,Pensioneringsdatum
 DocType: Upload Attendance,Get Template,Get Sjabloon
+,Sales Person Commission Summary,Verkooppersoon Samenvatting van de Commissie
 DocType: Additional Salary Component,Additional Salary Component,Extra salariscomponent
 DocType: Material Request,Transferred,overgedragen
 DocType: Vehicle,Doors,deuren
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup is voltooid!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup is voltooid!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Verzamelkosten voor patiëntregistratie
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan attributen na beurstransactie niet wijzigen. Maak een nieuw artikel en breng aandelen over naar het nieuwe item
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan attributen na beurstransactie niet wijzigen. Maak een nieuw artikel en breng aandelen over naar het nieuwe item
 DocType: Course Assessment Criteria,Weightage,Weging
 DocType: Purchase Invoice,Tax Breakup,Belastingverdeling
 DocType: Employee,Joining Details,Deelnemen aan details
@@ -2620,14 +2641,15 @@
 DocType: Lead,Next Contact By,Volgende Contact Door
 DocType: Compensatory Leave Request,Compensatory Leave Request,Compenserend verlofaanvraag
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Benodigde hoeveelheid voor item {0} in rij {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazijn {0} kan niet worden verwijderd als er voorraad is voor artikel {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazijn {0} kan niet worden verwijderd als er voorraad is voor artikel {1}
 DocType: Blanket Order,Order Type,Order Type
 ,Item-wise Sales Register,Artikelgebaseerde Verkoop Register
 DocType: Asset,Gross Purchase Amount,Gross Aankoopbedrag
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Opening Saldi
 DocType: Asset,Depreciation Method,afschrijvingsmethode
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Is dit inbegrepen in de Basic Rate?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Totaal Doel
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Totaal Doel
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Perceptie Analyse
 DocType: Soil Texture,Sand Composition (%),Zandsamenstelling (%)
 DocType: Job Applicant,Applicant for a Job,Aanvrager van een baan
 DocType: Production Plan Material Request,Production Plan Material Request,Productie Plan Materiaal aanvragen
@@ -2643,23 +2665,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Beoordelingstabel (van de 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Hoofd
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Volgend item {0} is niet gemarkeerd als {1} item. U kunt ze inschakelen als item {1} van de artikelstam
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Voor een artikel {0} moet het aantal negatief zijn
 DocType: Naming Series,Set prefix for numbering series on your transactions,Instellen voorvoegsel voor nummerreeksen voor uw transacties
 DocType: Employee Attendance Tool,Employees HTML,medewerkers HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) moet actief voor dit artikel of zijn template
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) moet actief voor dit artikel of zijn template
 DocType: Employee,Leave Encashed?,Verlof verzilverd?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"""Opportuniteit Van"" veld is verplicht"
 DocType: Email Digest,Annual Expenses,jaarlijkse kosten
 DocType: Item,Variants,Varianten
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Maak inkooporder
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Maak inkooporder
 DocType: SMS Center,Send To,Verzenden naar
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Er is niet genoeg verlofsaldo voor Verlof type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Er is niet genoeg verlofsaldo voor Verlof type {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Toegewezen bedrag
 DocType: Sales Team,Contribution to Net Total,Bijdrage aan Netto Totaal
 DocType: Sales Invoice Item,Customer's Item Code,Artikelcode van Klant
 DocType: Stock Reconciliation,Stock Reconciliation,Voorraad Aflettering
 DocType: Territory,Territory Name,Regio Naam
+DocType: Email Digest,Purchase Orders to Receive,Inkooporders om te ontvangen
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Werk in uitvoering Magazijn is vereist alvorens in te dienen
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,U kunt alleen abonnementen met dezelfde betalingscyclus in een abonnement hebben
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Toegewezen gegevens
@@ -2678,9 +2702,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Dubbel Serienummer ingevoerd voor Artikel {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Leads bijhouden op leadbron.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Een voorwaarde voor een Verzendregel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Kom binnen alstublieft
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Kom binnen alstublieft
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Onderhoudslogboek
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Stel filter op basis van artikel of Warehouse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Stel filter op basis van artikel of Warehouse
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Het nettogewicht van dit pakket. (Wordt automatisch berekend als de som van de netto-gewicht van de artikelen)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Maak Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Kortingsbedrag kan niet groter zijn dan 100%
@@ -2689,15 +2713,15 @@
 DocType: Sales Order,To Deliver and Bill,Te leveren en Bill
 DocType: Student Group,Instructors,instructeurs
 DocType: GL Entry,Credit Amount in Account Currency,Credit Bedrag in account Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Stuklijst {0} moet worden ingediend
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Share Management
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Stuklijst {0} moet worden ingediend
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Share Management
 DocType: Authorization Control,Authorization Control,Autorisatie controle
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rij # {0}: Afgekeurd Warehouse is verplicht tegen verworpen Item {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Betaling
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rij # {0}: Afgekeurd Warehouse is verplicht tegen verworpen Item {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Betaling
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Magazijn {0} is niet gekoppeld aan een account, vermeld alstublieft het account in het magazijnrecord of stel de standaard inventaris rekening in bedrijf {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Beheer uw bestellingen
 DocType: Work Order Operation,Actual Time and Cost,Werkelijke Tijd en kosten
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiaal Aanvraag van maximaal {0} kan worden gemaakt voor Artikel {1} tegen Verkooporder {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiaal Aanvraag van maximaal {0} kan worden gemaakt voor Artikel {1} tegen Verkooporder {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Uitsnede bijsnijden
 DocType: Course,Course Abbreviation,cursus Afkorting
@@ -2709,6 +2733,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Totaal aantal werkuren mag niet groter zijn dan max werktijden {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Op
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundel artikelen op moment van verkoop.
+DocType: Delivery Settings,Dispatch Settings,Verzendinstellingen
 DocType: Material Request Plan Item,Actual Qty,Werkelijk aantal
 DocType: Sales Invoice Item,References,Referenties
 DocType: Quality Inspection Reading,Reading 10,Meting 10
@@ -2718,11 +2743,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,U hebt dubbele artikelen ingevoerd. Aub aanpassen en opnieuw proberen.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,associëren
 DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Werkorder {0} moet worden ingediend
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,nieuwe winkelwagen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Werkorder {0} moet worden ingediend
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,nieuwe winkelwagen
 DocType: Taxable Salary Slab,From Amount,Van bedrag
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Artikel {0} is geen seriegebonden artikel
 DocType: Leave Type,Encashment,inning
+DocType: Delivery Settings,Delivery Settings,Bezorginstellingen
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Gegevens ophalen
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maximaal verlof toegestaan in het verloftype {0} is {1}
 DocType: SMS Center,Create Receiver List,Maak Ontvanger Lijst
 DocType: Vehicle,Wheels,Wheels
@@ -2738,7 +2765,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Factuurvaluta moet gelijk zijn aan de valuta van het standaardbedrijf of de valuta van het partijaccount
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Geeft aan dat het pakket een onderdeel is van deze levering (alleen ontwerp)
 DocType: Soil Texture,Loam,Leem
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Rij {0}: vervaldatum kan niet vóór de boekingsdatum zijn
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Rij {0}: vervaldatum kan niet vóór de boekingsdatum zijn
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Betalen Entry
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Hoeveelheid voor artikel {0} moet kleiner zijn dan {1}
 ,Sales Invoice Trends,Verkoopfactuur Trends
@@ -2746,12 +2773,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan de rij enkel verwijzen bij het aanrekeningstype 'Hoeveelheid vorige rij' of 'Totaal vorige rij'
 DocType: Sales Order Item,Delivery Warehouse,Levering magazijn
 DocType: Leave Type,Earned Leave Frequency,Verdiende verloffrequentie
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Boom van de financiële Cost Centers.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Subtype
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Boom van de financiële Cost Centers.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Subtype
 DocType: Serial No,Delivery Document No,Leveringsdocument nr.
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zorgen voor levering op basis van geproduceerd serienummer
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Stel &#39;winst / verliesrekening op de verkoop van activa in Company {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Stel &#39;winst / verliesrekening op de verkoop van activa in Company {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Krijg items uit Aankoopfacturen
 DocType: Serial No,Creation Date,Aanmaakdatum
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Doellocatie is vereist voor het item {0}
@@ -2765,11 +2792,12 @@
 DocType: Item,Has Variants,Heeft Varianten
 DocType: Employee Benefit Claim,Claim Benefit For,Claim voordeel voor
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Update reactie
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},U heeft reeds geselecteerde items uit {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},U heeft reeds geselecteerde items uit {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Naam van de verdeling per maand
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID is verplicht
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID is verplicht
 DocType: Sales Person,Parent Sales Person,Parent Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Er zijn geen items die moeten worden ontvangen te laat
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,De verkoper en de koper kunnen niet hetzelfde zijn
 DocType: Project,Collect Progress,Verzamel vooruitgang
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2785,7 +2813,7 @@
 DocType: Bank Guarantee,Margin Money,Marge geld
 DocType: Budget,Budget,Begroting
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Stel Open
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fixed Asset punt moet een niet-voorraad artikel zijn.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fixed Asset punt moet een niet-voorraad artikel zijn.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan niet worden toegewezen tegen {0}, want het is geen baten of lasten rekening"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Het maximale vrijstellingsbedrag voor {0} is {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Bereikt
@@ -2803,9 +2831,9 @@
 ,Amount to Deliver,Bedrag te leveren
 DocType: Asset,Insurance Start Date,Startdatum verzekering
 DocType: Salary Component,Flexible Benefits,Flexibele voordelen
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Hetzelfde item is meerdere keren ingevoerd. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Hetzelfde item is meerdere keren ingevoerd. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,De Term Start datum kan niet eerder dan het jaar startdatum van het studiejaar waarop de term wordt gekoppeld zijn (Academisch Jaar {}). Corrigeer de data en probeer het opnieuw.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Er zijn fouten opgetreden.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Er zijn fouten opgetreden.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Werknemer {0} heeft al een aanvraag ingediend voor {1} tussen {2} en {3}:
 DocType: Guardian,Guardian Interests,Guardian Interesses
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Accountnaam / nummer bijwerken
@@ -2845,9 +2873,9 @@
 ,Item-wise Purchase History,Artikelgebaseerde Inkoop Geschiedenis
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Klik op 'Genereer Planning' om serienummer op te halen voor Artikel {0}
 DocType: Account,Frozen,Bevroren
-DocType: Delivery Note,Vehicle Type,Voertuigtype
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Voertuigtype
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Basisbedrag (Company Munt)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Grondstoffen
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Grondstoffen
 DocType: Payment Reconciliation Payment,Reference Row,Referentie Row
 DocType: Installation Note,Installation Time,Installatie Tijd
 DocType: Sales Invoice,Accounting Details,Boekhouding Details
@@ -2856,12 +2884,13 @@
 DocType: Inpatient Record,O Positive,O Positief
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investeringen
 DocType: Issue,Resolution Details,Oplossing Details
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Transactie Type
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Transactie Type
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptatiecriteria
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Vul Materiaal Verzoeken in de bovenstaande tabel
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Geen terugbetalingen beschikbaar voor journaalboeking
 DocType: Hub Tracked Item,Image List,Afbeeldingenlijst
 DocType: Item Attribute,Attribute Name,Attribuutnaam
+DocType: Subscription,Generate Invoice At Beginning Of Period,Factuur aan het begin van de periode genereren
 DocType: BOM,Show In Website,Toon in Website
 DocType: Loan Application,Total Payable Amount,Totaal te betalen bedrag
 DocType: Task,Expected Time (in hours),Verwachte Tijd (in uren)
@@ -2898,8 +2927,8 @@
 DocType: Employee,Resignation Letter Date,Ontslagbrief Datum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Prijsbepalingsregels worden verder gefilterd op basis van aantal.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,niet ingesteld
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Stel de datum van aansluiting in voor werknemer {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Stel de datum van aansluiting in voor werknemer {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Stel de datum van aansluiting in voor werknemer {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Stel de datum van aansluiting in voor werknemer {0}
 DocType: Inpatient Record,Discharge,ontlading
 DocType: Task,Total Billing Amount (via Time Sheet),Totaal Billing Bedrag (via Urenregistratie)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Terugkerende klanten Opbrengsten
@@ -2909,13 +2938,13 @@
 DocType: Chapter,Chapter,Hoofdstuk
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,paar
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Het standaardaccount wordt automatisch bijgewerkt in POS Invoice wanneer deze modus is geselecteerd.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Selecteer BOM en Aantal voor productie
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Selecteer BOM en Aantal voor productie
 DocType: Asset,Depreciation Schedule,afschrijving Schedule
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Verkooppartneradressen en contactpersonen
 DocType: Bank Reconciliation Detail,Against Account,Tegen Rekening
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Halve dag datum moet zijn tussen Van Datum en To Date
 DocType: Maintenance Schedule Detail,Actual Date,Werkelijke Datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Stel het standaard kostenplaatsadres in {0} bedrijf in.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Stel het standaard kostenplaatsadres in {0} bedrijf in.
 DocType: Item,Has Batch No,Heeft Batch nr.
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Jaarlijkse Billing: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2927,7 +2956,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,Persoonlijke Gegevens
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Stel &#39;Asset Afschrijvingen Cost Center&#39; in Company {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Stel &#39;Asset Afschrijvingen Cost Center&#39; in Company {0}
 ,Maintenance Schedules,Onderhoudsschema&#39;s
 DocType: Task,Actual End Date (via Time Sheet),Werkelijke Einddatum (via Urenregistratie)
 DocType: Soil Texture,Soil Type,Grondsoort
@@ -2935,10 +2964,10 @@
 ,Quotation Trends,Offerte Trends
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Artikelgroep niet genoemd in Artikelstam voor Artikel {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debet Om rekening moet een vordering-account
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debet Om rekening moet een vordering-account
 DocType: Shipping Rule,Shipping Amount,Verzendbedrag
 DocType: Supplier Scorecard Period,Period Score,Periode Score
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Voeg klanten toe
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Voeg klanten toe
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,In afwachting van Bedrag
 DocType: Lab Test Template,Special,speciaal
 DocType: Loyalty Program,Conversion Factor,Conversiefactor
@@ -2955,7 +2984,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Voeg briefhoofd toe
 DocType: Program Enrollment,Self-Driving Vehicle,Zelfrijdend voertuig
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverancier Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Rij {0}: Bill of Materials niet gevonden voor het artikel {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Rij {0}: Bill of Materials niet gevonden voor het artikel {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totaal toegewezen bladeren {0} kan niet lager zijn dan die reeds zijn goedgekeurd bladeren {1} voor de periode
 DocType: Contract Fulfilment Checklist,Requirement,eis
 DocType: Journal Entry,Accounts Receivable,Debiteuren
@@ -2972,16 +3001,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR-instellingen
 DocType: Salary Slip,net pay info,nettoloon info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS-bedrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS-bedrag
 DocType: Woocommerce Settings,Enable Sync,Synchronisatie inschakelen
 DocType: Tax Withholding Rate,Single Transaction Threshold,Drempel voor enkele transactie
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Deze waarde is bijgewerkt in de standaard verkoopprijslijst.
 DocType: Email Digest,New Expenses,nieuwe Uitgaven
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Bedrag
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Bedrag
 DocType: Shareholder,Shareholder,Aandeelhouder
 DocType: Purchase Invoice,Additional Discount Amount,Extra korting Bedrag
 DocType: Cash Flow Mapper,Position,Positie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Items van recepten ophalen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Items van recepten ophalen
 DocType: Patient,Patient Details,Patient Details
 DocType: Inpatient Record,B Positive,B positief
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2993,8 +3022,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Groep om Non-groep
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sport
 DocType: Loan Type,Loan Name,lening Naam
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Totaal Werkelijke
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Totaal Werkelijke
 DocType: Student Siblings,Student Siblings,student Broers en zussen
 DocType: Subscription Plan Detail,Subscription Plan Detail,Abonnementsplan Detail
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,eenheid
@@ -3022,7 +3050,6 @@
 DocType: Workstation,Wages per hour,Loon per uur
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Voorraadbalans in Batch {0} zal negatief worden {1} voor Artikel {2} in Magazijn {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Volgende Material Aanvragen werden automatisch verhoogd op basis van re-order niveau-item
-DocType: Email Digest,Pending Sales Orders,In afwachting van klantorders
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Account {0} is ongeldig. Account Valuta moet {1} zijn
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Vanaf datum {0} kan niet worden na ontlastingsdatum van medewerker {1}
 DocType: Supplier,Is Internal Supplier,Is interne leverancier
@@ -3031,13 +3058,14 @@
 DocType: Healthcare Settings,Remind Before,Herinner je alvast
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Eenheid Omrekeningsfactor is vereist in rij {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rij # {0}: Reference document moet een van Sales Order, verkoopfactuur of Inboeken zijn"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rij # {0}: Reference document moet een van Sales Order, verkoopfactuur of Inboeken zijn"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyaliteitspunten = Hoeveel basisvaluta?
 DocType: Salary Component,Deduction,Aftrek
 DocType: Item,Retain Sample,Bewaar monster
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Rij {0}: Van tijd en binnen Tijd is verplicht.
 DocType: Stock Reconciliation Item,Amount Difference,bedrag Verschil
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Item Prijs toegevoegd {0} in de prijslijst {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Item Prijs toegevoegd {0} in de prijslijst {1}
+DocType: Delivery Stop,Order Information,order informatie
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vul Employee Id van deze verkoper
 DocType: Territory,Classification of Customers by region,Indeling van de klanten per regio
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,In de maak
@@ -3048,8 +3076,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Berekende bankafschrift balans
 DocType: Normal Test Template,Normal Test Template,Normaal Testsjabloon
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Uitgeschakelde gebruiker
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Offerte
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Kan geen ontvangen RFQ zonder citaat instellen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Offerte
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Kan geen ontvangen RFQ zonder citaat instellen
 DocType: Salary Slip,Total Deduction,Totaal Aftrek
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Selecteer een account om in rekeningsvaluta af te drukken
 ,Production Analytics,Production Analytics
@@ -3062,14 +3090,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leveranciers Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Beoordeling plannaam
 DocType: Work Order Operation,Work Order Operation,Werkorder operatie
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Waarschuwing: Ongeldig SSL certificaat op attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Waarschuwing: Ongeldig SSL certificaat op attachment {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads u helpen om zaken, voeg al uw contacten en nog veel meer als uw leads"
 DocType: Work Order Operation,Actual Operation Time,Werkelijke Operatie Duur
 DocType: Authorization Rule,Applicable To (User),Van toepassing zijn op (Gebruiker)
 DocType: Purchase Taxes and Charges,Deduct,Aftrekken
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Functiebeschrijving
 DocType: Student Applicant,Applied,Toegepast
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Heropenen
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Heropenen
 DocType: Sales Invoice Item,Qty as per Stock UOM,Aantal per Voorraad eenheid
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Naam
 DocType: Attendance,Attendance Request,Aanwezigheidsaanvraag
@@ -3087,7 +3115,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serienummer {0} is onder garantie tot {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimaal toelaatbare waarde
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Gebruiker {0} bestaat al
-apps/erpnext/erpnext/hooks.py +114,Shipments,Zendingen
+apps/erpnext/erpnext/hooks.py +115,Shipments,Zendingen
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Totaal toegewezen bedrag (Company Munt)
 DocType: Purchase Order Item,To be delivered to customer,Om de klant te leveren
 DocType: BOM,Scrap Material Cost,Scrap Materiaal Cost
@@ -3095,11 +3123,12 @@
 DocType: Grant Application,Email Notification Sent,E-mailmelding verzonden
 DocType: Purchase Invoice,In Words (Company Currency),In Woorden (Bedrijfsvaluta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Bedrijf is typisch voor bedrijfsaccount
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Artikelcode, magazijn, aantal is verplicht op rij"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Artikelcode, magazijn, aantal is verplicht op rij"
 DocType: Bank Guarantee,Supplier,Leverancier
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Krijg Van
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Dit is een rootafdeling en kan niet worden bewerkt.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Toon betalingsgegevens
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Duur in dagen
 DocType: C-Form,Quarter,Kwartaal
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Diverse Kosten
 DocType: Global Defaults,Default Company,Standaard Bedrijf
@@ -3107,7 +3136,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kosten- of verschillenrekening is verplicht voor artikel {0} omdat het invloed heeft op de totale voorraadwaarde
 DocType: Bank,Bank Name,Banknaam
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Boven
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Laat het veld leeg om inkooporders voor alle leveranciers te maken
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Laat het veld leeg om inkooporders voor alle leveranciers te maken
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Vergoedingsitem voor inkomende patiëntenbezoek
 DocType: Vital Signs,Fluid,Vloeistof
 DocType: Leave Application,Total Leave Days,Totaal verlofdagen
@@ -3116,7 +3145,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Item Variant Settings
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Selecteer Bedrijf ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Laat leeg indien dit voor alle afdelingen is
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} is verplicht voor Artikel {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} is verplicht voor Artikel {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Artikel {0}: {1} aantal geproduceerd,"
 DocType: Payroll Entry,Fortnightly,van twee weken
 DocType: Currency Exchange,From Currency,Van Valuta
@@ -3166,7 +3195,7 @@
 DocType: Account,Fixed Asset,Vast Activum
 DocType: Amazon MWS Settings,After Date,Na datum
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Geserialiseerde Inventory
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Ongeldige {0} voor factuur voor bedrijfsrekening.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Ongeldige {0} voor factuur voor bedrijfsrekening.
 ,Department Analytics,Afdeling Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-mailadres niet gevonden in standaardcontact
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Genereer geheim
@@ -3185,6 +3214,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Directeur
 DocType: Purchase Invoice,With Payment of Tax,Met betaling van de belasting
 DocType: Expense Claim Detail,Expense Claim Detail,Kostendeclaratie Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Stel het systeem voor instructeursbenaming in Onderwijs&gt; Onderwijsinstellingen in
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE VOOR LEVERANCIER
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nieuw saldo in basisvaluta
 DocType: Location,Is Container,Is Container
@@ -3192,13 +3222,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Selecteer juiste account
 DocType: Salary Structure Assignment,Salary Structure Assignment,Salarisstructuurtoewijzing
 DocType: Purchase Invoice Item,Weight UOM,Gewicht Eenheid
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Lijst met beschikbare aandeelhouders met folionummers
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Lijst met beschikbare aandeelhouders met folionummers
 DocType: Salary Structure Employee,Salary Structure Employee,Salarisstructuur Employee
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Show Variant Attributes
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Show Variant Attributes
 DocType: Student,Blood Group,Bloedgroep
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Het betalingsgateway-account in plan {0} verschilt van het betalingsgateway-account in dit betalingsverzoek
 DocType: Course,Course Name,Cursus naam
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Geen belastinginhouding gegevens gevonden voor het lopende fiscale jaar.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Geen belastinginhouding gegevens gevonden voor het lopende fiscale jaar.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Gebruikers die verlofaanvragen een bepaalde werknemer kan goedkeuren
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Kantoor Apparatuur
 DocType: Purchase Invoice Item,Qty,Aantal
@@ -3206,6 +3236,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Scoring instellen
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,elektronica
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Sta hetzelfde item meerdere keren toe
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Maak Materiaal Aanvraag wanneer voorraad daalt tot onder het bestelniveau
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Full-time
 DocType: Payroll Entry,Employees,werknemers
@@ -3217,11 +3248,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Betalingsbevestiging
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,De prijzen zullen niet worden weergegeven als prijslijst niet is ingesteld
 DocType: Stock Entry,Total Incoming Value,Totaal Inkomende Waarde
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debet Om vereist
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debet Om vereist
 DocType: Clinical Procedure,Inpatient Record,Inpatient Record
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets helpen bijhouden van de tijd, kosten en facturering voor activiteiten gedaan door uw team"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Purchase Price List
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Transactiedatum
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Purchase Price List
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Transactiedatum
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Sjablonen van leveranciers scorecard variabelen.
 DocType: Job Offer Term,Offer Term,Aanbod Term
 DocType: Asset,Quality Manager,Quality Manager
@@ -3242,11 +3273,11 @@
 DocType: Cashier Closing,To Time,Tot Tijd
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) voor {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Goedkeuren Rol (boven de toegestane waarde)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Credit Om rekening moet een betalend account zijn
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Credit Om rekening moet een betalend account zijn
 DocType: Loan,Total Amount Paid,Totaal betaald bedrag
 DocType: Asset,Insurance End Date,Verzekering Einddatum
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Selecteer een studententoelating die verplicht is voor de betaalde student-aanvrager
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Stuklijst recursie: {0} mag niet ouder of kind zijn van {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Stuklijst recursie: {0} mag niet ouder of kind zijn van {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Budgetlijst
 DocType: Work Order Operation,Completed Qty,Voltooid aantal
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Voor {0}, kan alleen debet accounts worden gekoppeld tegen een andere creditering"
@@ -3254,7 +3285,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} kan niet worden bijgewerkt met Stock Reconciliation, gebruik dan Voorraadinvoer"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} kan niet worden bijgewerkt met Stock Reconciliation, gebruik dan Voorraadinvoer"
 DocType: Training Event Employee,Training Event Employee,Training Event Medewerker
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximum aantal voorbeelden - {0} kan worden bewaard voor batch {1} en item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximum aantal voorbeelden - {0} kan worden bewaard voor batch {1} en item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Voeg tijdslots toe
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienummers vereist voor post {1}. U hebt verstrekt {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Huidige Valuation Rate
@@ -3285,11 +3316,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serienummer {0} niet gevonden
 DocType: Fee Schedule Program,Fee Schedule Program,Fee Schedule Programma
 DocType: Fee Schedule Program,Student Batch,student Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Verwijder de werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om dit document te annuleren"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,maak Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Type zorgeenheid gezondheidszorg
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},U bent uitgenodigd om mee te werken aan het project: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},U bent uitgenodigd om mee te werken aan het project: {0}
 DocType: Supplier Group,Parent Supplier Group,Parent Supplier Group
+DocType: Email Digest,Purchase Orders to Bill,Inkooporders voor Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Geaccumuleerde waarden in groepsmaatschappij
 DocType: Leave Block List Date,Block Date,Blokeer Datum
 DocType: Crop,Crop,Gewas
@@ -3302,6 +3336,7 @@
 DocType: Sales Order,Not Delivered,Niet geleverd
 ,Bank Clearance Summary,Bankbewaring samenvatting
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Aanmaken en beheren van dagelijkse, wekelijkse en maandelijkse e-mail samenvattingen."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Dit is gebaseerd op transacties met deze verkoopmedewerker. Zie de tijdlijn hieronder voor details
 DocType: Appraisal Goal,Appraisal Goal,Beoordeling Doel
 DocType: Stock Reconciliation Item,Current Amount,Huidige hoeveelheid
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Gebouwen
@@ -3328,7 +3363,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Volgende Contact datum kan niet in het verleden
 DocType: Company,For Reference Only.,Alleen voor referentie.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Selecteer batchnummer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Selecteer batchnummer
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Ongeldige {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referentie Inv
@@ -3346,16 +3381,16 @@
 DocType: Normal Test Items,Require Result Value,Vereiste resultaatwaarde
 DocType: Item,Show a slideshow at the top of the page,Laat een diavoorstelling zien aan de bovenkant van de pagina
 DocType: Tax Withholding Rate,Tax Withholding Rate,Belastingtarief
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Winkels
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Winkels
 DocType: Project Type,Projects Manager,Projecten Manager
 DocType: Serial No,Delivery Time,Levertijd
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Vergrijzing Based On
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Benoeming geannuleerd
 DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,reizen
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,reizen
 DocType: Student Report Generation Tool,Include All Assessment Group,Inclusief alle beoordelingsgroep
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Geen actieve of default salarisstructuur gevonden voor werknemer {0} de uitgekozen datum
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Geen actieve of default salarisstructuur gevonden voor werknemer {0} de uitgekozen datum
 DocType: Leave Block List,Allow Users,Gebruikers toestaan
 DocType: Purchase Order,Customer Mobile No,Klant Mobile Geen
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Template-details
@@ -3364,15 +3399,16 @@
 DocType: Rename Tool,Rename Tool,Hernoem Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Kosten bijwerken
 DocType: Item Reorder,Item Reorder,Artikel opnieuw ordenen
+DocType: Delivery Note,Mode of Transport,Wijze van transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Show loonstrook
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Verplaats Materiaal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Verplaats Materiaal
 DocType: Fees,Send Payment Request,Verzend betalingsverzoek
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Geef de operaties, operationele kosten en geef een unieke operatienummer aan uw activiteiten ."
 DocType: Travel Request,Any other details,Alle andere details
 DocType: Water Analysis,Origin,Oorsprong
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dit document is dan limiet van {0} {1} voor punt {4}. Bent u het maken van een andere {3} tegen dezelfde {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Stel terugkerende na het opslaan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Selecteer verandering bedrag rekening
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Stel terugkerende na het opslaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Selecteer verandering bedrag rekening
 DocType: Purchase Invoice,Price List Currency,Prijslijst Valuta
 DocType: Naming Series,User must always select,Gebruiker moet altijd kiezen
 DocType: Stock Settings,Allow Negative Stock,Laat Negatieve voorraad
@@ -3393,9 +3429,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceerbaarheid
 DocType: Asset Maintenance Log,Actions performed,Uitgevoerde acties
 DocType: Cash Flow Mapper,Section Leader,Sectieleider
+DocType: Delivery Note,Transport Receipt No,Transportbewijs nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Bron van Kapitaal (Passiva)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Bron en doellocatie kunnen niet hetzelfde zijn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Hoeveelheid in rij {0} ({1}) moet hetzelfde zijn als geproduceerde hoeveelheid {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Hoeveelheid in rij {0} ({1}) moet hetzelfde zijn als geproduceerde hoeveelheid {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Werknemer
 DocType: Bank Guarantee,Fixed Deposit Number,Vast deponeringsnummer
 DocType: Asset Repair,Failure Date,Failure Date
@@ -3409,16 +3446,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Betaling Aftrek of verlies
 DocType: Soil Analysis,Soil Analysis Criterias,Bodemanalyse Criterias
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standaard contractvoorwaarden voor Verkoop of Inkoop .
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Weet je zeker dat je deze afspraak wilt annuleren?
+DocType: BOM Item,Item operation,Item bewerking
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Weet je zeker dat je deze afspraak wilt annuleren?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Prijsarrangement hotelkamer
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Sales Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Stel standaard account aan Salaris Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Vereist op
 DocType: Rename Tool,File to Rename,Bestand naar hernoemen
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Selecteer BOM voor post in rij {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Abonnementsupdates ophalen
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Rekening {0} komt niet overeen met Bedrijf {1} in Rekeningmodus: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Gespecificeerde Stuklijst {0} bestaat niet voor Artikel {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Gespecificeerde Stuklijst {0} bestaat niet voor Artikel {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Cursus:
 DocType: Soil Texture,Sandy Loam,Zandige leem
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Onderhoudsschema {0} moet worden geannuleerd voordat het annuleren van deze verkooporder
@@ -3427,7 +3465,7 @@
 DocType: Notification Control,Expense Claim Approved,Kostendeclaratie Goedgekeurd
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Vooruitgang en toewijzing instellen (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Geen werkorders aangemaakt
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Loonstrook van de werknemer {0} al gemaakt voor deze periode
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Loonstrook van de werknemer {0} al gemaakt voor deze periode
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutisch
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,U kunt verlofcasus alleen indienen voor een geldig incassotaalbedrag
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kosten van gekochte artikelen
@@ -3435,7 +3473,8 @@
 DocType: Selling Settings,Sales Order Required,Verkooporder Vereist
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Word een verkoper
 DocType: Purchase Invoice,Credit To,Met dank aan
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Actieve Leads / Klanten
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Actieve Leads / Klanten
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Laat dit leeg om de standaardindeling Notities te gebruiken
 DocType: Employee Education,Post Graduate,Post Doctoraal
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Onderhoudsschema Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Waarschuw voor nieuwe inkooporders
@@ -3449,14 +3488,14 @@
 DocType: Support Search Source,Post Title Key,Titeltoets plaatsen
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Voor opdrachtkaart
 DocType: Warranty Claim,Raised By,Opgevoed door
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,voorschriften
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,voorschriften
 DocType: Payment Gateway Account,Payment Account,Betaalrekening
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Specificeer Bedrijf om verder te gaan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Specificeer Bedrijf om verder te gaan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Netto wijziging in Debiteuren
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,compenserende Off
 DocType: Job Offer,Accepted,Geaccepteerd
 DocType: POS Closing Voucher,Sales Invoices Summary,Samenvatting verkoopfacturen
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Naar partijnaam
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Naar partijnaam
 DocType: Grant Application,Organization,Organisatie
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
 DocType: SG Creation Tool Course,Student Group Name,Student Group Name
@@ -3465,7 +3504,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Zorg ervoor dat u echt wilt alle transacties voor dit bedrijf te verwijderen. Uw stamgegevens zal blijven zoals het is. Deze actie kan niet ongedaan gemaakt worden.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Zoekresultaten
 DocType: Room,Room Number,Kamernummer
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Ongeldige referentie {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Ongeldige referentie {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan niet groter zijn dan geplande hoeveelheid ({2}) in productieorders {3}
 DocType: Shipping Rule,Shipping Rule Label,Verzendregel Label
 DocType: Journal Entry Account,Payroll Entry,Payroll Entry
@@ -3473,8 +3512,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Maak belastingsjabloon
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Gebruikers Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Grondstoffen kan niet leeg zijn.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Rij # {0} (betalingstabel): bedrag moet negatief zijn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Kon niet bijwerken voorraad, factuur bevat daling van de scheepvaart punt."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Rij # {0} (betalingstabel): bedrag moet negatief zijn
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Kon niet bijwerken voorraad, factuur bevat daling van de scheepvaart punt."
 DocType: Contract,Fulfilment Status,Fulfillment-status
 DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample
 DocType: Item Variant Settings,Allow Rename Attribute Value,Toestaan Rename attribuutwaarde toestaan
@@ -3516,11 +3555,11 @@
 DocType: BOM,Show Operations,Toon Operations
 ,Minutes to First Response for Opportunity,Minuten naar First Response voor Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Totaal Afwezig
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Artikel of Magazijn voor rij {0} komt niet overeen met Materiaal Aanvraag
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Artikel of Magazijn voor rij {0} komt niet overeen met Materiaal Aanvraag
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Meeteenheid
 DocType: Fiscal Year,Year End Date,Jaar Einddatum
 DocType: Task Depends On,Task Depends On,Taak Hangt On
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Opportunity
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Opportunity
 DocType: Operation,Default Workstation,Standaard Werkstation
 DocType: Notification Control,Expense Claim Approved Message,Kostendeclaratie Goedgekeurd Bericht
 DocType: Payment Entry,Deductions or Loss,Aftrek of verlies
@@ -3558,21 +3597,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,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
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basistarief (per eenheid)
 DocType: SMS Log,No of Requested SMS,Aantal gevraagde SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Onbetaald verlof komt niet overeen met de goedgekeurde verlofaanvraag verslagen
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Onbetaald verlof komt niet overeen met de goedgekeurde verlofaanvraag verslagen
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Volgende stappen
 DocType: Travel Request,Domestic,Huiselijk
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Gelieve de opgegeven items aan de best mogelijke prijzen
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Gelieve de opgegeven items aan de best mogelijke prijzen
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Overdracht van werknemers kan niet vóór overdrachtsdatum worden ingediend
 DocType: Certification Application,USD,Amerikaanse Dollar
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Maak Factuur
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Resterende saldo
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Resterende saldo
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto dicht Opportunity na 15 dagen
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Aankooporders zijn niet toegestaan voor {0} door een scorecard van {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Barcode {0} is geen geldige {1} code
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Barcode {0} is geen geldige {1} code
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Eindjaar
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Contract Einddatum moet groter zijn dan datum van indiensttreding zijn
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Contract Einddatum moet groter zijn dan datum van indiensttreding zijn
 DocType: Driver,Driver,Bestuurder
 DocType: Vital Signs,Nutrition Values,Voedingswaarden
 DocType: Lab Test Template,Is billable,Is facturabel
@@ -3583,7 +3622,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,"Dit is een voorbeeld website, automatisch gegenereerd door ERPNext"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Vergrijzing Range 1
 DocType: Shopify Settings,Enable Shopify,Activeer Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Het totale voorschotbedrag kan niet groter zijn dan het totaalbedrag waarvoor een claim is ingediend
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Het totale voorschotbedrag kan niet groter zijn dan het totaalbedrag waarvoor een claim is ingediend
 DocType: Purchase Taxes and Charges Template,"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
@@ -3630,12 +3669,12 @@
 DocType: Employee Separation,Employee Separation,Werknemersscheiding
 DocType: BOM Item,Original Item,Origineel item
 DocType: Purchase Receipt Item,Recd Quantity,Benodigde hoeveelheid
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Date
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Gemaakt - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Categorie Account
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Rij # {0} (betalingstabel): bedrag moet positief zijn
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Rij # {0} (betalingstabel): bedrag moet positief zijn
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Kan niet meer produceren van Artikel {0} dan de Verkooporder hoeveelheid {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Selecteer kenmerkwaarden
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Selecteer kenmerkwaarden
 DocType: Purchase Invoice,Reason For Issuing document,Reden voor afgifte document
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Entry {0} is niet ingediend
 DocType: Payment Reconciliation,Bank / Cash Account,Bank- / Kasrekening
@@ -3644,8 +3683,10 @@
 DocType: Asset,Manual,handboek
 DocType: Salary Component Account,Salary Component Account,Salaris Component Account
 DocType: Global Defaults,Hide Currency Symbol,Verberg Valutasymbool
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Verkoopkansen per bron
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Donorinformatie.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","bijv. Bank, Kas, Credit Card"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel nummeringsreeksen in voor Aanwezigheid via Setup&gt; Nummeringserie
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","bijv. Bank, Kas, Credit Card"
 DocType: Job Applicant,Source Name,Bron naam
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normale rustende bloeddruk bij een volwassene is ongeveer 120 mmHg systolisch en 80 mmHg diastolisch, afgekort &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Stel de houdbaarheid van items in dagen in, om de vervaldatum in te stellen op basis van manufacturing_date plus zelfredzaamheid"
@@ -3675,7 +3716,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Voor hoeveelheid moet minder zijn dan aantal {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rij {0} : Start Datum moet voor Einddatum zijn
 DocType: Salary Component,Max Benefit Amount (Yearly),Max. Uitkering (jaarlijks)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS-snelheid%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS-snelheid%
 DocType: Crop,Planting Area,Plant gebied
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Totaal (Aantal)
 DocType: Installation Note Item,Installed Qty,Aantal geïnstalleerd
@@ -3697,8 +3738,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Laat goedkeuringskennisgeving achter
 DocType: Buying Settings,Default Buying Price List,Standaard Inkoop Prijslijst
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Salarisstrook Op basis van Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Koopsnelheid
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Rij {0}: geef de locatie op voor het item item {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Koopsnelheid
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Rij {0}: geef de locatie op voor het item item {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Over het bedrijf
 DocType: Notification Control,Sales Order Message,Verkooporder Bericht
@@ -3764,10 +3805,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Voor rij {0}: Voer het geplande aantal in
 DocType: Account,Income Account,Inkomstenrekening
 DocType: Payment Request,Amount in customer's currency,Bedrag in de valuta van de klant
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Levering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Levering
 DocType: Volunteer,Weekdays,Doordeweekse dagen
 DocType: Stock Reconciliation Item,Current Qty,Huidige Aantal
 DocType: Restaurant Menu,Restaurant Menu,Restaurant Menu
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Leveranciers toevoegen
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Help sectie
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Vorige
@@ -3779,19 +3821,20 @@
 												fullfill Sales Order {2}",Serienummer nr. {0} van artikel {1} kan niet worden geleverd omdat het is gereserveerd om \ Verkoopopdracht {2} te vervullen
 DocType: Item Reorder,Material Request Type,Materiaal Aanvraag Type
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Verstuur Grant Review Email
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage vol is, niet te redden"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Rij {0}: Verpakking Conversie Factor is verplicht
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage vol is, niet te redden"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Rij {0}: Verpakking Conversie Factor is verplicht
 DocType: Employee Benefit Claim,Claim Date,Claimdatum
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kamer capaciteit
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Er bestaat al record voor het item {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,U verliest records van eerder gegenereerde facturen. Weet je zeker dat je dit abonnement opnieuw wilt opstarten?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Zonder registratie
 DocType: Loyalty Program Collection,Loyalty Program Collection,Loyalty Program Collection
 DocType: Stock Entry Detail,Subcontracted Item,Object in onderaanneming
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} hoort niet bij groep {1}
 DocType: Budget,Cost Center,Kostenplaats
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Coupon #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Coupon #
 DocType: Notification Control,Purchase Order Message,Inkooporder Bericht
 DocType: Tax Rule,Shipping Country,Verzenden Land
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Hide Klant het BTW-nummer van Verkooptransacties
@@ -3810,23 +3853,22 @@
 DocType: Subscription,Cancel At End Of Period,Annuleer aan het einde van de periode
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Property is al toegevoegd
 DocType: Item Supplier,Item Supplier,Artikel Leverancier
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Vul de artikelcode  in om batchnummer op te halen
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Selecteer een waarde voor {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Vul de artikelcode  in om batchnummer op te halen
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Selecteer een waarde voor {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Geen items geselecteerd voor overdracht
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adressen.
 DocType: Company,Stock Settings,Voorraad Instellingen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samenvoegen kan alleen als volgende eigenschappen in beide registers. Is Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samenvoegen kan alleen als volgende eigenschappen in beide registers. Is Group, Root Type, Company"
 DocType: Vehicle,Electric,elektrisch
 DocType: Task,% Progress,% Voortgang
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Winst / verlies op de verkoop van activa
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Alleen de studentaanvrager met de status &quot;Goedgekeurd&quot; wordt geselecteerd in de onderstaande tabel.
 DocType: Tax Withholding Category,Rates,tarieven
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Accountnummer voor account {0} is niet beschikbaar. <br> Stel uw rekeningschema correct in.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Accountnummer voor account {0} is niet beschikbaar. <br> Stel uw rekeningschema correct in.
 DocType: Task,Depends on Tasks,Hangt af van Taken
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Beheer Customer Group Boom .
 DocType: Normal Test Items,Result Value,Resultaat Waarde
 DocType: Hotel Room,Hotels,hotels
-DocType: Delivery Note,Transporter Date,Transporterdatum
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nieuwe Kostenplaats Naam
 DocType: Leave Control Panel,Leave Control Panel,Verlof Configuratiescherm
 DocType: Project,Task Completion,Task Completion
@@ -3873,11 +3915,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Alle Assessment Groepen
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nieuwe Warehouse Naam
 DocType: Shopify Settings,App Type,App Type
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Totaal {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Totaal {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Regio
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vermeld het benodigde aantal bezoeken
 DocType: Stock Settings,Default Valuation Method,Standaard Waarderingsmethode
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,honorarium
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Cumulatief bedrag weergeven
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Update wordt uitgevoerd. Het kan even duren.
 DocType: Production Plan Item,Produced Qty,Geproduceerd aantal
 DocType: Vehicle Log,Fuel Qty,brandstof Aantal
@@ -3885,7 +3928,7 @@
 DocType: Work Order Operation,Planned Start Time,Geplande Starttijd
 DocType: Course,Assessment,Beoordeling
 DocType: Payment Entry Reference,Allocated,Toegewezen
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies .
 DocType: Student Applicant,Application Status,Application Status
 DocType: Additional Salary,Salary Component Type,Salaris Component Type
 DocType: Sensitivity Test Items,Sensitivity Test Items,Gevoeligheid Test Items
@@ -3896,10 +3939,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Totale uitstaande bedrag
 DocType: Sales Partner,Targets,Doelen
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Registreer het SIREN-nummer in het bedrijfsinformatiedossier
+DocType: Email Digest,Sales Orders to Bill,Verkooporders aan Bill
 DocType: Price List,Price List Master,Prijslijst Master
 DocType: GST Account,CESS Account,CESS-account
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alle Verkoop Transacties kunnen worden gelabeld tegen meerdere ** Sales Personen **, zodat u kunt instellen en controleren doelen."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link naar artikelaanvraag
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link naar artikelaanvraag
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forumactiviteit
 ,S.O. No.,VO nr
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Bankafschrift Transaction Settings Item
@@ -3914,7 +3958,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Dit is een basis klantgroep en kan niet worden bewerkt .
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Actie als de gecumuleerde maandelijkse begroting is overschreden op PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Plaatsen
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Plaatsen
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Wisselkoersherwaardering
 DocType: POS Profile,Ignore Pricing Rule,Negeer Prijsregel
 DocType: Employee Education,Graduate,Afstuderen
@@ -3963,6 +4007,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Stel de standaardklant in in restaurantinstellingen
 ,Salary Register,salaris Register
 DocType: Warehouse,Parent Warehouse,Parent Warehouse
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,tabel
 DocType: Subscription,Net Total,Netto Totaal
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Standaard BOM niet gevonden voor Item {0} en Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definieer verschillende soorten lening
@@ -3995,24 +4040,26 @@
 DocType: Membership,Membership Status,Lidmaatschapsstatus
 DocType: Travel Itinerary,Lodging Required,Onderdak vereist
 ,Requested,Aangevraagd
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Geen Opmerkingen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Geen Opmerkingen
 DocType: Asset,In Maintenance,In onderhoud
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik op deze knop om uw klantordergegevens uit Amazon MWS te halen.
 DocType: Vital Signs,Abdomen,Buik
 DocType: Purchase Invoice,Overdue,Achterstallig
 DocType: Account,Stock Received But Not Billed,Voorraad ontvangen maar nog niet gefactureerd
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root account moet een groep
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root account moet een groep
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Loan,Repaid/Closed,Afgelost / Gesloten
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Totale geraamde Aantal
 DocType: Monthly Distribution,Distribution Name,Distributie Naam
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Inclusief UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Waarderingspercentage niet gevonden voor het item {0}, die vereist is om boekhoudkundige vermeldingen voor {1} {2} te doen. Als het item als een nulwaarderingspercentage in de {1} wordt verwerkt, vermeld dan dat in de {1} Item tabel. Anders kunt u een inkomende voorraadtransactie voor het item maken of een waarderingspercentage vermelden in het Item-record, en probeer dan deze invoer te verzenden / annuleren"
 DocType: Course,Course Code,cursus Code
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kwaliteitscontrole vereist voor Artikel {0}
 DocType: Location,Parent Location,Bovenliggende locatie
 DocType: POS Settings,Use POS in Offline Mode,Gebruik POS in de offline modus
 DocType: Supplier Scorecard,Supplier Variables,Leveranciersvariabelen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} is verplicht. Misschien is er geen Currency Exchange-record gemaakt voor {1} tot {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Koers waarmee de Klant Valuta wordt omgerekend naar de basis bedrijfsvaluta
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (Company Valuta)
 DocType: Salary Detail,Condition and Formula Help,Toestand en Formula Help
@@ -4021,19 +4068,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Verkoopfactuur
 DocType: Journal Entry Account,Party Balance,Partij Balans
 DocType: Cash Flow Mapper,Section Subtotal,Sectie Subtotaal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Selecteer Apply Korting op
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Selecteer Apply Korting op
 DocType: Stock Settings,Sample Retention Warehouse,Sample Retention Warehouse
 DocType: Company,Default Receivable Account,Standaard Vordering Account
 DocType: Purchase Invoice,Deemed Export,Geachte export
 DocType: Stock Entry,Material Transfer for Manufacture,Materiaal Verplaatsing voor Productie
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Kortingspercentage kan worden toegepast tegen een prijslijst of voor alle prijslijsten.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Boekingen voor Voorraad
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Boekingen voor Voorraad
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,U heeft al beoordeeld op de beoordelingscriteria {}.
 DocType: Vehicle Service,Engine Oil,Motorolie
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Werkorders aangemaakt: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Werkorders aangemaakt: {0}
 DocType: Sales Invoice,Sales Team1,Verkoop Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Artikel {0} bestaat niet
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Artikel {0} bestaat niet
 DocType: Sales Invoice,Customer Address,Klant Adres
 DocType: Loan,Loan Details,Loan Details
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Het instellen van postbedrijf-fixtures is mislukt
@@ -4054,34 +4101,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Laat deze slideshow aan de bovenkant van de pagina
 DocType: BOM,Item UOM,Artikel Eenheid
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Belasting Bedrag na korting Bedrag (Company valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Doel magazijn is verplicht voor rij {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Doel magazijn is verplicht voor rij {0}
 DocType: Cheque Print Template,Primary Settings,Primaire Instellingen
 DocType: Attendance Request,Work From Home,Werk vanuit huis
 DocType: Purchase Invoice,Select Supplier Address,Select Leverancier Adres
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Werknemers toevoegen
 DocType: Purchase Invoice Item,Quality Inspection,Kwaliteitscontrole
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Standard Template
 DocType: Training Event,Theory,Theorie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Waarschuwing: Materiaal Aanvraag Aantal is minder dan Minimum Bestelhoeveelheid
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Waarschuwing: Materiaal Aanvraag Aantal is minder dan Minimum Bestelhoeveelheid
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Rekening {0} is bevroren
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Rechtspersoon / Dochteronderneming met een aparte Rekeningschema behoren tot de Organisatie.
 DocType: Payment Request,Mute Email,Mute-mail
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Voeding, Drank en Tabak"
 DocType: Account,Account Number,Rekeningnummer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Kan alleen betaling uitvoeren voor ongefactureerde {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Commissietarief kan niet groter zijn dan 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Kan alleen betaling uitvoeren voor ongefactureerde {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Commissietarief kan niet groter zijn dan 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Wijs automatisch vooruit (FIFO)
 DocType: Volunteer,Volunteer,Vrijwilliger
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Voer {0} eerste
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Geen antwoorden van
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Geen antwoorden van
 DocType: Work Order Operation,Actual End Time,Werkelijke Eindtijd
 DocType: Item,Manufacturer Part Number,Onderdeelnummer fabrikant
 DocType: Taxable Salary Slab,Taxable Salary Slab,Belastbare salarisplaat
 DocType: Work Order Operation,Estimated Time and Cost,Geschatte Tijd en Kosten
 DocType: Bin,Bin,Bak
 DocType: Crop,Crop Name,Gewasnaam
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Alleen gebruikers met een {0} rol kunnen zich registreren op Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Alleen gebruikers met een {0} rol kunnen zich registreren op Marketplace
 DocType: SMS Log,No of Sent SMS,Aantal gestuurde SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Afspraken en ontmoetingen
@@ -4110,7 +4158,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Wijzig code
 DocType: Purchase Invoice Item,Valuation Rate,Waardering Tarief
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Prijslijst Valuta nog niet geselecteerd
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Prijslijst Valuta nog niet geselecteerd
 DocType: Purchase Invoice,Availed ITC Cess,Beschikbaar ITC Cess
 ,Student Monthly Attendance Sheet,Student Maandelijkse presentielijst
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Verzendregel alleen van toepassing op verkopen
@@ -4127,7 +4175,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Beheer Verkoop Partners.
 DocType: Quality Inspection,Inspection Type,Inspectie Type
 DocType: Fee Validity,Visited yet,Nog bezocht
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Warehouses met bestaande transactie kan niet worden geconverteerd naar groep.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Warehouses met bestaande transactie kan niet worden geconverteerd naar groep.
 DocType: Assessment Result Tool,Result HTML,resultaat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hoe vaak moeten project en bedrijf worden bijgewerkt op basis van verkooptransacties.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Verloopt op
@@ -4135,7 +4183,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Selecteer {0}
 DocType: C-Form,C-Form No,C-vorm nr.
 DocType: BOM,Exploded_items,Uitgeklapte Artikelen
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Afstand
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Afstand
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Maak een overzicht van uw producten of diensten die u koopt of verkoopt.
 DocType: Water Analysis,Storage Temperature,Bewaar temperatuur
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4151,19 +4199,19 @@
 DocType: Shopify Settings,Delivery Note Series,Delivery Note-serie
 DocType: Purchase Order Item,Returned Qty,Terug Aantal
 DocType: Student,Exit,Uitgang
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type is verplicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type is verplicht
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Kan presets niet installeren
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM-conversie in uren
 DocType: Contract,Signee Details,Onderteken Details
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} heeft momenteel een {1} leverancierscore kaart, en RFQs aan deze leverancier moeten met voorzichtigheid worden uitgegeven."
 DocType: Certified Consultant,Non Profit Manager,Non-profit manager
 DocType: BOM,Total Cost(Company Currency),Total Cost (Company Munt)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serienummer {0} aangemaakt
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serienummer {0} aangemaakt
 DocType: Homepage,Company Description for website homepage,Omschrijving bedrijf voor website homepage
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Voor het gemak van de klanten, kunnen deze codes worden gebruikt in gedrukte formaten zoals facturen en de leveringsbonnen"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Naam
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Kan informatie niet ophalen voor {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Opening dagboek
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Opening dagboek
 DocType: Contract,Fulfilment Terms,Fulfillment-voorwaarden
 DocType: Sales Invoice,Time Sheet List,Urenregistratie List
 DocType: Employee,You can enter any date manually,U kunt elke datum handmatig ingeven
@@ -4199,7 +4247,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Uw organisatie
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Verlof verdelen voor de volgende werknemers, omdat er records tegen verlatingsallocatie bestaan. {0}"
 DocType: Fee Component,Fees Category,vergoedingen Categorie
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Vul het verlichten datum .
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Vul het verlichten datum .
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Details van de sponsor (naam, locatie)"
 DocType: Supplier Scorecard,Notify Employee,Meld de medewerker in kennis
@@ -4212,9 +4260,9 @@
 DocType: Company,Chart Of Accounts Template,Rekeningschema Template
 DocType: Attendance,Attendance Date,Aanwezigheid Datum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Voorraad bijwerken moet zijn ingeschakeld voor de inkoopfactuur {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Item Prijs bijgewerkt voor {0} in prijslijst {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Item Prijs bijgewerkt voor {0} in prijslijst {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salaris verbreken op basis Verdienen en Aftrek.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Rekening met onderliggende nodes kunnen niet worden omgezet naar grootboek
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Rekening met onderliggende nodes kunnen niet worden omgezet naar grootboek
 DocType: Purchase Invoice Item,Accepted Warehouse,Geaccepteerd Magazijn
 DocType: Bank Reconciliation Detail,Posting Date,Plaatsingsdatum
 DocType: Item,Valuation Method,Waardering Methode
@@ -4251,6 +4299,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Selecteer een batch alsjeblieft
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reis- en onkostenvergoeding
 DocType: Sales Invoice,Redemption Cost Center,Inkoopkostenplaats
+DocType: QuickBooks Migrator,Scope,strekking
 DocType: Assessment Group,Assessment Group Name,Assessment Group Name
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Overgedragen materiaal voor vervaardiging
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Toevoegen aan details
@@ -4258,6 +4307,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Last Sync Datetime
 DocType: Landed Cost Item,Receipt Document Type,Ontvangst Document Type
 DocType: Daily Work Summary Settings,Select Companies,Selecteer Bedrijven
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Offerte / prijsofferte
 DocType: Antibiotic,Healthcare,Gezondheidszorg
 DocType: Target Detail,Target Detail,Doel Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Enkele variant
@@ -4267,6 +4317,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Periode sluitpost
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Selecteer afdeling ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Kostenplaats met bestaande transacties kan niet worden omgezet in groep
+DocType: QuickBooks Migrator,Authorization URL,Autorisatie-URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Bedrag {0} {1} {2} {3}
 DocType: Account,Depreciation,Afschrijvingskosten
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Het aantal aandelen en de aandelenaantallen zijn inconsistent
@@ -4289,13 +4340,14 @@
 DocType: Support Search Source,Source DocType,Bron DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Open een nieuw ticket
 DocType: Training Event,Trainer Email,trainer Email
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materiaal Aanvragen {0} aangemaakt
 DocType: Restaurant Reservation,No of People,Nee van mensen
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Sjabloon voor contractvoorwaarden
 DocType: Bank Account,Address and Contact,Adres en contactgegevens
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Is Account Payable
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock kan niet worden bijgewerkt tegen Kwitantie {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock kan niet worden bijgewerkt tegen Kwitantie {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto dicht Issue na 7 dagen
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Verlof kan niet eerder worden toegewezen {0}, als verlof balans al-carry doorgestuurd in de toekomst toewijzing verlof record is {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opmerking: Vanwege / Reference Data overschrijdt toegestaan klantenkrediet dagen door {0} dag (en)
@@ -4313,7 +4365,7 @@
 ,Qty to Deliver,Aantal te leveren
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon synchroniseert gegevens die na deze datum zijn bijgewerkt
 ,Stock Analytics,Voorraad Analyses
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operations kan niet leeg zijn
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operations kan niet leeg zijn
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab-test (s)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Tegen Document Detail nr
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Verwijderen is niet toegestaan voor land {0}
@@ -4321,13 +4373,12 @@
 DocType: Quality Inspection,Outgoing,Uitgaande
 DocType: Material Request,Requested For,Aangevraagd voor
 DocType: Quotation Item,Against Doctype,Tegen Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} is geannuleerd of gesloten
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} is geannuleerd of gesloten
 DocType: Asset,Calculate Depreciation,Bereken afschrijving
 DocType: Delivery Note,Track this Delivery Note against any Project,Track this Delivery Note against any Project
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,De netto kasstroom uit investeringsactiviteiten
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klant&gt; Klantengroep&gt; Gebied
 DocType: Work Order,Work-in-Progress Warehouse,Onderhanden Werk Magazijn
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} moet worden ingediend
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} moet worden ingediend
 DocType: Fee Schedule Program,Total Students,Totaal studenten
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Attendance Record {0} bestaat tegen Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referentie #{0} gedateerd {1}
@@ -4347,7 +4398,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Kan retentiebonus niet maken voor medewerkers die links zijn
 DocType: Lead,Market Segment,Marktsegment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Landbouwmanager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Betaalde bedrag kan niet groter zijn dan de totale negatieve openstaande bedrag {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Betaalde bedrag kan niet groter zijn dan de totale negatieve openstaande bedrag {0}
 DocType: Supplier Scorecard Period,Variables,Variabelen
 DocType: Employee Internal Work History,Employee Internal Work History,Werknemer Interne Werk Geschiedenis
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Sluiten (Db)
@@ -4371,22 +4422,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch-producten
 DocType: Loyalty Point Entry,Loyalty Program,Loyaliteitsprogramma
 DocType: Student Guardian,Father,Vader
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Ondersteuning tickets
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Bijwerken Stock&#39; kan niet worden gecontroleerd op vaste activa te koop
 DocType: Bank Reconciliation,Bank Reconciliation,Bank Aflettering
 DocType: Attendance,On Leave,Met verlof
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Blijf op de hoogte
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} behoort niet tot Company {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Selecteer ten minste één waarde uit elk van de kenmerken.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Selecteer ten minste één waarde uit elk van de kenmerken.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materiaal Aanvraag {0} is geannuleerd of gestopt
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Verzendstatus
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Verzendstatus
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Laat management
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Groepen
 DocType: Purchase Invoice,Hold Invoice,Factuur vasthouden
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Selecteer werknemer
 DocType: Sales Order,Fully Delivered,Volledig geleverd
-DocType: Lead,Lower Income,Lager inkomen
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Lager inkomen
 DocType: Restaurant Order Entry,Current Order,Huidige bestelling
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Aantal serienummers en aantal moeten hetzelfde zijn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Bron- en doelmagazijn kan niet hetzelfde zijn voor de rij {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Bron- en doelmagazijn kan niet hetzelfde zijn voor de rij {0}
 DocType: Account,Asset Received But Not Billed,Activum ontvangen maar niet gefactureerd
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Verschil moet Account een type Asset / Liability rekening zijn, aangezien dit Stock Verzoening is een opening Entry"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Uitbetaalde bedrag kan niet groter zijn dan Leningen zijn {0}
@@ -4395,7 +4448,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Inkoopordernummer nodig voor Artikel {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Van Datum' moet na 'Tot Datum' zijn
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Geen personeelsplanning gevonden voor deze aanwijzing
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} van item {1} is uitgeschakeld.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} van item {1} is uitgeschakeld.
 DocType: Leave Policy Detail,Annual Allocation,Jaarlijkse toewijzing
 DocType: Travel Request,Address of Organizer,Adres van de organisator
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Selecteer zorgverlener ...
@@ -4404,12 +4457,12 @@
 DocType: Asset,Fully Depreciated,volledig is afgeschreven
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Verwachte voorraad hoeveelheid
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Klant {0} behoort niet tot project {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Klant {0} behoort niet tot project {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Attendance HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Offertes zijn voorstellen, biedingen u uw klanten hebben gestuurd"
 DocType: Sales Invoice,Customer's Purchase Order,Klant Bestelling
 DocType: Clinical Procedure,Patient,Patient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bypass credit check op klantorder
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bypass credit check op klantorder
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Employee Onboarding Activity
 DocType: Location,Check if it is a hydroponic unit,Controleer of het een hydrocultuur is
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serienummer en Batch
@@ -4419,7 +4472,7 @@
 DocType: Supplier Scorecard Period,Calculations,berekeningen
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Waarde of Aantal
 DocType: Payment Terms Template,Payment Terms,Betaalvoorwaarden
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions Bestellingen kunnen niet worden verhoogd voor:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions Bestellingen kunnen niet worden verhoogd voor:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,minuut
 DocType: Purchase Invoice,Purchase Taxes and Charges,Inkoop Belastingen en Toeslagen
 DocType: Chapter,Meetup Embed HTML,Meetup HTML insluiten
@@ -4427,7 +4480,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Ga naar leveranciers
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Belastingen
 ,Qty to Receive,Aantal te ontvangen
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- en einddatums niet in een geldige Payroll-periode, kunnen {0} niet berekenen."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- en einddatums niet in een geldige Payroll-periode, kunnen {0} niet berekenen."
 DocType: Leave Block List,Leave Block List Allowed,Laat toegestaan Block List
 DocType: Grading Scale Interval,Grading Scale Interval,Grading Scale Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Declaratie voor voertuig Inloggen {0}
@@ -4435,10 +4488,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Korting (%) op prijslijst tarief met marges
 DocType: Healthcare Service Unit Type,Rate / UOM,Tarief / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Alle magazijnen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Geen {0} gevonden voor transacties tussen bedrijven.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Geen {0} gevonden voor transacties tussen bedrijven.
 DocType: Travel Itinerary,Rented Car,Gehuurde auto
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Over uw bedrijf
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Credit Om rekening moet een balansrekening zijn
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Credit Om rekening moet een balansrekening zijn
 DocType: Donor,Donor,schenker
 DocType: Global Defaults,Disable In Words,Uitschakelen In Woorden
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Artikelcode is verplicht omdat Artikel niet automatisch is genummerd
@@ -4450,14 +4503,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bank Kredietrekening
 DocType: Patient,Patient ID,Patient ID
 DocType: Practitioner Schedule,Schedule Name,Schema Naam
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Verkooppijplijn per fase
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Maak Salarisstrook
 DocType: Currency Exchange,For Buying,Om te kopen
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Voeg alle leveranciers toe
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Voeg alle leveranciers toe
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rij # {0}: Toegewezen bedrag mag niet groter zijn dan het uitstaande bedrag.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Bladeren BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Leningen met onderpand
 DocType: Purchase Invoice,Edit Posting Date and Time,Wijzig Posting Datum en tijd
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Stel afschrijvingen gerelateerd Accounts in Vermogensbeheer categorie {0} of Company {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Stel afschrijvingen gerelateerd Accounts in Vermogensbeheer categorie {0} of Company {1}
 DocType: Lab Test Groups,Normal Range,Normaal bereik
 DocType: Academic Term,Academic Year,Academisch jaar
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Beschikbare verkoop
@@ -4486,26 +4540,26 @@
 DocType: Patient Appointment,Patient Appointment,Patient Afspraak
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Goedkeuring Rol kan niet hetzelfde zijn als de rol van de regel is van toepassing op
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Afmelden bij dit e-mailoverzicht
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Ontvang leveranciers door
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Ontvang leveranciers door
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} niet gevonden voor item {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Ga naar cursussen
 DocType: Accounts Settings,Show Inclusive Tax In Print,Toon Inclusive Tax In Print
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankrekening, van datum en tot datum zijn verplicht"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,bericht verzonden
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Rekening met de onderliggende knooppunten kan niet worden ingesteld als grootboek
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Rekening met de onderliggende knooppunten kan niet worden ingesteld als grootboek
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Koers waarmee Prijslijst valuta wordt omgerekend naar de basisvaluta van de klant
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobedrag (Company valuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Het totale voorschotbedrag kan niet hoger zijn dan het totale gesanctioneerde bedrag
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Het totale voorschotbedrag kan niet hoger zijn dan het totale gesanctioneerde bedrag
 DocType: Salary Slip,Hour Rate,Uurtarief
 DocType: Stock Settings,Item Naming By,Artikel benoeming door
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Een ander Periode sluitpost {0} is gemaakt na {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materiaal Overgedragen voor Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Rekening {0} bestaat niet
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Selecteer Loyaliteitsprogramma
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Selecteer Loyaliteitsprogramma
 DocType: Project,Project Type,Project Type
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Child Task bestaat voor deze taak. U kunt deze taak niet verwijderen.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Ofwel doelwit aantal of streefbedrag is verplicht.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Ofwel doelwit aantal of streefbedrag is verplicht.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Kosten van verschillende activiteiten
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Instellen Events naar {0}, omdat de werknemer die aan de onderstaande Sales Personen die niet beschikt over een gebruikers-ID {1}"
 DocType: Timesheet,Billing Details,Billing Details
@@ -4563,13 +4617,13 @@
 DocType: Inpatient Record,A Negative,Een negatief
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Niets meer te zien.
 DocType: Lead,From Customer,Van Klant
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Oproepen
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Oproepen
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Een product
 DocType: Employee Tax Exemption Declaration,Declarations,verklaringen
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,batches
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Maak een kostenplan
 DocType: Purchase Order Item Supplied,Stock UOM,Voorraad Eenheid
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Inkooporder {0} is niet ingediend
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Inkooporder {0} is niet ingediend
 DocType: Account,Expenses Included In Asset Valuation,Kosten opgenomen in inventariswaardering
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normaal referentiebereik voor een volwassene is 16-20 ademhalingen / minuut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tarief Aantal
@@ -4582,6 +4636,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Sla de patiënt alstublieft eerst op
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Aanwezigheid is met succes gemarkeerd.
 DocType: Program Enrollment,Public Transport,Openbaar vervoer
+DocType: Delivery Note,GST Vehicle Type,GST voertuigtype
 DocType: Soil Texture,Silt Composition (%),Silt-samenstelling (%)
 DocType: Journal Entry,Remark,Opmerking
 DocType: Healthcare Settings,Avoid Confirmation,Vermijd bevestiging
@@ -4591,11 +4646,10 @@
 DocType: Education Settings,Current Academic Term,Huidige academische term
 DocType: Education Settings,Current Academic Term,Huidige academische term
 DocType: Sales Order,Not Billed,Niet in rekening gebracht
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Beide magazijnen moeten tot hetzelfde bedrijf behoren
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Beide magazijnen moeten tot hetzelfde bedrijf behoren
 DocType: Employee Grade,Default Leave Policy,Standaard verlofbeleid
 DocType: Shopify Settings,Shop URL,Winkel URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nog geen contacten toegevoegd.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel nummeringsreeksen in voor Aanwezigheid via Setup&gt; Nummeringserie
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Vrachtkosten Voucher Bedrag
 ,Item Balance (Simple),Artikel saldo (eenvoudig)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Facturen van leveranciers.
@@ -4620,7 +4674,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Offerte Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"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"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Bodemanalysecriteria
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Maak een keuze van de klant
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Maak een keuze van de klant
 DocType: C-Form,I,ik
 DocType: Company,Asset Depreciation Cost Center,Asset Afschrijvingen kostenplaats
 DocType: Production Plan Sales Order,Sales Order Date,Verkooporder Datum
@@ -4633,8 +4687,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Momenteel geen voorraad beschikbaar in een magazijn
 ,Payment Period Based On Invoice Date,Betaling Periode gebaseerd op factuurdatum
 DocType: Sample Collection,No. of print,Aantal afdrukken
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Verjaardag Herinnering
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotelkamerreserveringsitem
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Ontbrekende Wisselkoersen voor {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Ontbrekende Wisselkoersen voor {0}
 DocType: Employee Health Insurance,Health Insurance Name,Ziekteverzekeringsnaam
 DocType: Assessment Plan,Examiner,Examinator
 DocType: Student,Siblings,broers en zussen
@@ -4651,19 +4706,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nieuwe klanten
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Brutowinst%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Afspraak {0} en verkoopfactuur {1} geannuleerd
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Kansen per leadbron
 DocType: Appraisal Goal,Weightage (%),Weging (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS-profiel wijzigen
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance Datum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Asset bestaat al tegen het item {0}, je kunt het has serial geen waarde veranderen"
+DocType: Delivery Settings,Dispatch Notification Template,Berichtensjabloon voor verzending
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Asset bestaat al tegen het item {0}, je kunt het has serial geen waarde veranderen"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Beoordelingsverslag
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Krijg medewerkers
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross Aankoopbedrag is verplicht
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Bedrijfsnaam niet hetzelfde
 DocType: Lead,Address Desc,Adres Omschr
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party is verplicht
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Rijen met dubbele vervaldatums in andere rijen zijn gevonden: {lijst}
 DocType: Topic,Topic Name,topic Naam
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Stel de standaardsjabloon voor toestemming voor vertrekauthenticatie in HR-instellingen in.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Stel de standaardsjabloon voor toestemming voor vertrekauthenticatie in HR-instellingen in.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Tenminste een van de verkopen of aankopen moeten worden gekozen
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Selecteer een medewerker om de werknemer voor te bereiden.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Selecteer een geldige datum alstublieft
@@ -4697,6 +4753,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Klant of leverancier Details
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Huidige activawaarde
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Bedrijfs-ID
 DocType: Travel Request,Travel Funding,Reisfinanciering
 DocType: Loan Application,Required by Date,Vereist door Date
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Een link naar alle locaties waarin het gewas groeit
@@ -4710,9 +4767,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Beschikbaar Aantal Batch bij Van Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Brutoloon - Total Aftrek - aflossing van de lening
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Huidige Stuklijst en Nieuwe Stuklijst kunnen niet hetzelfde zijn
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Huidige Stuklijst en Nieuwe Stuklijst kunnen niet hetzelfde zijn
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Loonstrook ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Pensioneringsdatum moet groter zijn dan datum van indiensttreding
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Pensioneringsdatum moet groter zijn dan datum van indiensttreding
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Meerdere varianten
 DocType: Sales Invoice,Against Income Account,Tegen Inkomstenrekening
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Geleverd
@@ -4741,7 +4798,7 @@
 DocType: POS Profile,Update Stock,Voorraad bijwerken
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Verschillende eenheden voor artikelen zal leiden tot een onjuiste (Totaal) Netto gewicht. Zorg ervoor dat Netto gewicht van elk artikel in dezelfde eenheid is.
 DocType: Certification Application,Payment Details,Betalingsdetails
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Stuklijst tarief
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Stuklijst tarief
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Stopped Work Order kan niet geannuleerd worden, laat het eerst annuleren om te annuleren"
 DocType: Asset,Journal Entry for Scrap,Dagboek voor Productieverlies
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Haal aub artikelen uit de Vrachtbrief
@@ -4764,11 +4821,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Totaal Goedgekeurd Bedrag
 ,Purchase Analytics,Inkoop Analyse
 DocType: Sales Invoice Item,Delivery Note Item,Vrachtbrief Artikel
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Huidige factuur {0} ontbreekt
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Huidige factuur {0} ontbreekt
 DocType: Asset Maintenance Log,Task,Taak
 DocType: Purchase Taxes and Charges,Reference Row #,Referentie Rij #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Partij nummer is verplicht voor artikel {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Dit is een basis verkoper en kan niet worden bewerkt .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Dit is een basis verkoper en kan niet worden bewerkt .
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Als geselecteerd, draagt de waarde die is opgegeven of berekend in dit onderdeel niet bij tot de winst of aftrek. De waarde ervan kan echter worden verwezen door andere componenten die kunnen worden toegevoegd of afgetrokken."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Als geselecteerd, draagt de waarde die is opgegeven of berekend in dit onderdeel niet bij tot de winst of aftrek. De waarde ervan kan echter worden verwezen door andere componenten die kunnen worden toegevoegd of afgetrokken."
 DocType: Asset Settings,Number of Days in Fiscal Year,Aantal dagen in fiscaal jaar
@@ -4777,7 +4834,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange winst / verliesrekening
 DocType: Amazon MWS Settings,MWS Credentials,MWS-referenties
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Werknemer en Aanwezigheid
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Doel moet één zijn van {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Doel moet één zijn van {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Vul het formulier in en sla het op
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Community Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Werkelijke hoeveelheid op voorraad
@@ -4793,7 +4850,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard Selling Rate
 DocType: Account,Rate at which this tax is applied,Percentage waarmee deze belasting toegepast wordt
 DocType: Cash Flow Mapper,Section Name,sectie naam
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Bestelaantal
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Bestelaantal
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Afschrijving Rij {0}: de verwachte waarde na nuttige levensduur moet groter zijn dan of gelijk zijn aan {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Huidige vacatures
 DocType: Company,Stock Adjustment Account,Voorraad Aanpassing Rekening
@@ -4803,8 +4860,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Systeemgebruiker (login) ID. Indien ingesteld, zal het de standaard worden voor alle HR-formulieren."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Voer de details van de afschrijving in
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Van {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Laat toepassing {0} al bestaan tegen de student {1}
 DocType: Task,depends_on,hangt af van
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In afwachting van het bijwerken van de laatste prijs in alle Materialen. Het kan enkele minuten duren.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In afwachting van het bijwerken van de laatste prijs in alle Materialen. Het kan enkele minuten duren.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,De naam van de nieuwe account. Let op: Gelieve niet goed voor klanten en leveranciers te creëren
 DocType: POS Profile,Display Items In Stock,Display-items op voorraad
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Landgebaseerde standaard adressjablonen
@@ -4834,16 +4892,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots voor {0} worden niet toegevoegd aan het schema
 DocType: Product Bundle,List items that form the package.,Lijst items die het pakket vormen.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Niet toegestaan. Schakel de testsjabloon uit
+DocType: Delivery Note,Distance (in km),Afstand (in km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentage toewijzing moet gelijk zijn aan 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Selecteer Boekingsdatum voordat Party selecteren
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Selecteer Boekingsdatum voordat Party selecteren
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Uit AMC
+DocType: Opportunity,Opportunity Amount,Kansbedrag
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Aantal afschrijvingen geboekt kan niet groter zijn dan het totale aantal van de afschrijvingen zijn
 DocType: Purchase Order,Order Confirmation Date,Bevestigingsdatum bestellen
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Maak Maintenance Visit
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Begindatum en einddatum overlappen met de opdrachtkaart <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Overdracht van werknemers details
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Neem dan contact op met de gebruiker die hebben Sales Master Manager {0} rol
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Neem dan contact op met de gebruiker die hebben Sales Master Manager {0} rol
 DocType: Company,Default Cash Account,Standaard Kasrekening
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Bedrijf ( geen klant of leverancier ) meester.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dit is gebaseerd op de aanwezigheid van de Student
@@ -4851,9 +4912,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Voeg meer items of geopend volledige vorm
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Vrachtbrief {0} moet worden geannuleerd voordat het annuleren van deze Verkooporder
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Ga naar gebruikers
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Betaald bedrag + Afgeschreven bedrag kan niet groter zijn dan Eindtotaal
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Betaald bedrag + Afgeschreven bedrag kan niet groter zijn dan Eindtotaal
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} is geen geldig batchnummer voor Artikel {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Opmerking: Er is niet genoeg verlofsaldo voor Verlof type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Opmerking: Er is niet genoeg verlofsaldo voor Verlof type {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Ongeldige GSTIN of voer NA in voor niet-geregistreerde
 DocType: Training Event,Seminar,congres
 DocType: Program Enrollment Fee,Program Enrollment Fee,Programma inschrijvingsgeld
@@ -4870,7 +4931,7 @@
 DocType: Fee Schedule,Fee Schedule,fee Schedule
 DocType: Company,Create Chart Of Accounts Based On,Maak rekeningschema op basis van
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Kan het niet omzetten naar een niet-groep. Kindertaken bestaan.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Geboortedatum mag niet groter zijn dan vandaag.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Geboortedatum mag niet groter zijn dan vandaag.
 ,Stock Ageing,Voorraad Veroudering
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Gedeeltelijk gesponsord, Gedeeltelijke financiering vereisen"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} bestaat tegen student aanvrager {1}
@@ -4917,11 +4978,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Voordat verzoening
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Naar {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Belastingen en Toeslagen toegevoegd (Bedrijfsvaluta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Tax Rij {0} moet rekening houden met het type belasting of inkomsten of uitgaven of Chargeable
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Tax Rij {0} moet rekening houden met het type belasting of inkomsten of uitgaven of Chargeable
 DocType: Sales Order,Partly Billed,Deels Gefactureerd
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Item {0} moet een post der vaste activa zijn
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Varianten maken
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Varianten maken
 DocType: Item,Default BOM,Standaard Stuklijst
 DocType: Project,Total Billed Amount (via Sales Invoices),Totaal gefactureerd bedrag (via verkoopfacturen)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debietnota Bedrag
@@ -4950,14 +5011,14 @@
 DocType: Notification Control,Custom Message,Aangepast bericht
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investment Banking
 DocType: Purchase Invoice,input,invoer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Kas- of Bankrekening is verplicht om een  betaling aan te maken
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Kas- of Bankrekening is verplicht om een  betaling aan te maken
 DocType: Loyalty Program,Multiple Tier Program,Multiple Tier-programma
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentenadres
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentenadres
 DocType: Purchase Invoice,Price List Exchange Rate,Prijslijst Wisselkoers
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Alle leveranciersgroepen
 DocType: Employee Boarding Activity,Required for Employee Creation,Vereist voor het maken van werknemers
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Accountnummer {0} al gebruikt in account {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Accountnummer {0} al gebruikt in account {1}
 DocType: GoCardless Mandate,Mandate,Mandaat
 DocType: POS Profile,POS Profile Name,POS-profielnaam
 DocType: Hotel Room Reservation,Booked,geboekt
@@ -4973,18 +5034,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Referentienummer is verplicht als u een referentiedatum hebt ingevoerd
 DocType: Bank Reconciliation Detail,Payment Document,betaling Document
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Fout bij het evalueren van de criteria formule
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datum van indiensttreding moet groter zijn dan geboortedatum
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datum van indiensttreding moet groter zijn dan geboortedatum
 DocType: Subscription,Plans,Plannen
 DocType: Salary Slip,Salary Structure,Salarisstructuur
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,vliegmaatschappij
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Materiaal uitgeven
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Materiaal uitgeven
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Verbind Shopify met ERPNext
 DocType: Material Request Item,For Warehouse,Voor Magazijn
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Bezorgingsnotities {0} bijgewerkt
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Bezorgingsnotities {0} bijgewerkt
 DocType: Employee,Offer Date,Aanbieding datum
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citaten
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Je bent in de offline modus. Je zult niet in staat om te herladen tot je opnieuw verbonden bent met het netwerk.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Citaten
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Je bent in de offline modus. Je zult niet in staat om te herladen tot je opnieuw verbonden bent met het netwerk.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Verlenen
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Geen groepen studenten gecreëerd.
 DocType: Purchase Invoice Item,Serial No,Serienummer
@@ -4996,24 +5057,26 @@
 DocType: Sales Invoice,Customer PO Details,Klant PO-details
 DocType: Stock Entry,Including items for sub assemblies,Inclusief items voor sub assemblies
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tijdelijk account openen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Voer waarde moet positief zijn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Voer waarde moet positief zijn
 DocType: Asset,Finance Books,Financiën Boeken
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Belastingvrijstellingsverklaring Categorie voor werknemers
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Alle gebieden
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Stel het verlofbeleid voor werknemer {0} in voor medewerkers / cijfers
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ongeldige algemene bestelling voor de geselecteerde klant en artikel
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ongeldige algemene bestelling voor de geselecteerde klant en artikel
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Meerdere taken toevoegen
 DocType: Purchase Invoice,Items,Artikelen
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Einddatum kan niet vóór Startdatum zijn.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student is reeds ingeschreven.
 DocType: Fiscal Year,Year Name,Jaar Naam
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Er zijn meer vakanties dan werkdagen deze maand .
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Er zijn meer vakanties dan werkdagen deze maand .
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,De volgende items {0} zijn niet gemarkeerd als {1} item. U kunt ze inschakelen als item {1} van de artikelstam
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Product Bundle Item
 DocType: Sales Partner,Sales Partner Name,Verkoop Partner Naam
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Verzoek om Offertes
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Verzoek om Offertes
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maximumfactuur Bedrag
 DocType: Normal Test Items,Normal Test Items,Normale Test Items
+DocType: QuickBooks Migrator,Company Settings,Bedrijfsinstellingen
 DocType: Additional Salary,Overwrite Salary Structure Amount,Overschrijf salarisstructuurbedrag
 DocType: Student Language,Student Language,student Taal
 apps/erpnext/erpnext/config/selling.py +23,Customers,Klanten
@@ -5026,22 +5089,24 @@
 DocType: Issue,Opening Time,Opening Tijd
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Van en naar data vereist
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Securities & Commodity Exchanges
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard maateenheid voor Variant &#39;{0}&#39; moet hetzelfde zijn als in zijn Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard maateenheid voor Variant &#39;{0}&#39; moet hetzelfde zijn als in zijn Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Berekenen gebaseerd op
 DocType: Contract,Unfulfilled,niet vervuld
 DocType: Delivery Note Item,From Warehouse,Van Warehouse
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Geen werknemers voor de genoemde criteria
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Geen Items met Bill of Materials voor fabricage
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Geen Items met Bill of Materials voor fabricage
 DocType: Shopify Settings,Default Customer,Standaard klant
+DocType: Sales Stage,Stage Name,Artiestennaam
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,supervisor Naam
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Bevestig niet of afspraak voor dezelfde dag is gemaakt
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Verzenden naar staat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Verzenden naar staat
 DocType: Program Enrollment Course,Program Enrollment Course,Programma Inschrijvingscursus
 DocType: Program Enrollment Course,Program Enrollment Course,Programma Inschrijvingscursus
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Gebruiker {0} is al toegewezen aan Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Maak monster retentie aandeleninvoer
 DocType: Purchase Taxes and Charges,Valuation and Total,Waardering en Totaal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Onderhandelen / Beoordeling
 DocType: Leave Encashment,Encashment Amount,Aanhechtbedrag
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Verlopen batches
@@ -5051,7 +5116,7 @@
 DocType: Staffing Plan Detail,Current Openings,Huidige openingen
 DocType: Notification Control,Customize the Notification,Aanpassen Kennisgeving
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,De cashflow uit bedrijfsoperaties
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST-bedrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST-bedrag
 DocType: Purchase Invoice,Shipping Rule,Verzendregel
 DocType: Patient Relation,Spouse,Echtgenoot
 DocType: Lab Test Groups,Add Test,Test toevoegen
@@ -5065,14 +5130,14 @@
 DocType: Payroll Entry,Payroll Frequency,payroll Frequency
 DocType: Lab Test Template,Sensitivity,Gevoeligheid
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Synchronisatie is tijdelijk uitgeschakeld omdat de maximale pogingen zijn overschreden
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,grondstof
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,grondstof
 DocType: Leave Application,Follow via Email,Volg via e-mail
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Installaties en Machines
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Belasting bedrag na korting
 DocType: Patient,Inpatient Status,Interne status
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dagelijks Werk Samenvatting Instellingen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,In de geselecteerde prijslijst moeten de velden voor kopen en verkopen worden gecontroleerd.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Voer Reqd in op datum
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,In de geselecteerde prijslijst moeten de velden voor kopen en verkopen worden gecontroleerd.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Voer Reqd in op datum
 DocType: Payment Entry,Internal Transfer,Interne overplaatsing
 DocType: Asset Maintenance,Maintenance Tasks,Onderhoudstaken
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ofwel doelwit aantal of streefbedrag is verplicht
@@ -5094,7 +5159,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Laatste Communicatie
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Laatste Communicatie
 ,TDS Payable Monthly,TDS Payable Monthly
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,In de wachtrij geplaatst voor het vervangen van de stuklijst. Het kan een paar minuten duren.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,In de wachtrij geplaatst voor het vervangen van de stuklijst. Het kan een paar minuten duren.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan niet aftrekken als categorie is voor ' Valuation ' of ' Valuation en Total '
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Volgnummers zijn vereist voor Seriegebonden Artikel {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match Betalingen met Facturen
@@ -5107,7 +5172,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,In winkelwagen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Groeperen volgens
 DocType: Guardian,Interests,Interesses
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,In- / uitschakelen valuta .
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,In- / uitschakelen valuta .
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Kon sommige salarisstroken niet indienen
 DocType: Exchange Rate Revaluation,Get Entries,Ontvang inzendingen
 DocType: Production Plan,Get Material Request,Krijg Materiaal Request
@@ -5129,15 +5194,16 @@
 DocType: Lead,Lead Type,Lead Type
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,U bent niet bevoegd om afwezigheid goed te keuren op Block Dates
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Al deze items zijn reeds gefactureerde
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Stel nieuwe releasedatum in
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Stel nieuwe releasedatum in
 DocType: Company,Monthly Sales Target,Maandelijks verkooppunt
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan door {0} worden goedgekeurd
 DocType: Hotel Room,Hotel Room Type,Hotel kamertype
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Leverancier&gt; leverancier type
 DocType: Leave Allocation,Leave Period,Verlofperiode
 DocType: Item,Default Material Request Type,Standaard Materiaal Request Type
 DocType: Supplier Scorecard,Evaluation Period,Evaluatie periode
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Onbekend
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Werkorder niet gemaakt
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Werkorder niet gemaakt
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Een hoeveelheid {0} die al is geclaimd voor de component {1}, \ stelt het bedrag in dat gelijk is aan of groter is dan {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Verzendregel Voorwaarden
@@ -5172,15 +5238,15 @@
 DocType: Batch,Source Document Name,Bron Document Naam
 DocType: Production Plan,Get Raw Materials For Production,Krijg grondstoffen voor productie
 DocType: Job Opening,Job Title,Functietitel
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} geeft aan dat {1} geen offerte zal opgeven, maar alle items \ zijn geciteerd. De RFQ-citaatstatus bijwerken."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximale voorbeelden - {0} zijn al bewaard voor Batch {1} en Item {2} in Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximale voorbeelden - {0} zijn al bewaard voor Batch {1} en Item {2} in Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,BOM kosten automatisch bijwerken
 DocType: Lab Test,Test Name,Test Naam
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinische procedure verbruiksartikelen
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Gebruikers maken
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,abonnementen
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,abonnementen
 DocType: Supplier Scorecard,Per Month,Per maand
 DocType: Education Settings,Make Academic Term Mandatory,Maak een academische termijn verplicht
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Hoeveelheid voor fabricage moet groter dan 0 zijn.
@@ -5189,10 +5255,10 @@
 DocType: Stock Entry,Update Rate and Availability,Update snelheid en beschikbaarheid
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Percentage dat u meer mag ontvangen of leveren dan de bestelde hoeveelheid. Bijvoorbeeld: Als u  100 eenheden heeft besteld en uw bandbreedte is 10% dan mag u 110 eenheden ontvangen.
 DocType: Loyalty Program,Customer Group,Klantengroep
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rij # {0}: bewerking {1} is niet voltooid voor {2} aantal voltooide goederen in werkorder # {3}. Werkstatus bijwerken via tijdlogboeken
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rij # {0}: bewerking {1} is niet voltooid voor {2} aantal voltooide goederen in werkorder # {3}. Werkstatus bijwerken via tijdlogboeken
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nieuw batch-id (optioneel)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nieuw batch-id (optioneel)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Kostenrekening is verplicht voor artikel {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Kostenrekening is verplicht voor artikel {0}
 DocType: BOM,Website Description,Website Beschrijving
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Netto wijziging in het eigen vermogen
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Annuleer Purchase Invoice {0} eerste
@@ -5207,7 +5273,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Er is niets om te bewerken .
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Formulierweergave
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Approver Verplicht in onkostendeclaratie
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Samenvatting voor deze maand en in afwachting van activiteiten
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Samenvatting voor deze maand en in afwachting van activiteiten
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Stel een niet-gerealiseerde Exchange-winst / verliesrekening in in bedrijf {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Voeg gebruikers toe aan uw organisatie, behalve uzelf."
 DocType: Customer Group,Customer Group Name,Klant Groepsnaam
@@ -5217,14 +5283,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Er is geen aanvraag voor een artikel gemaakt
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Geleende bedrag kan niet hoger zijn dan maximaal bedrag van de lening van {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licentie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Verwijder dit Invoice {0} van C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Verwijder dit Invoice {0} van C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Selecteer Carry Forward als u ook wilt opnemen vorige boekjaar uit balans laat dit fiscale jaar
 DocType: GL Entry,Against Voucher Type,Tegen Voucher Type
 DocType: Healthcare Practitioner,Phone (R),Telefoon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Tijdslots toegevoegd
 DocType: Item,Attributes,Attributen
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Sjabloon inschakelen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Voer Afschrijvingenrekening in
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Voer Afschrijvingenrekening in
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Laatste Bestel Date
 DocType: Salary Component,Is Payable,Is betaalbaar
 DocType: Inpatient Record,B Negative,B Negatief
@@ -5235,7 +5301,7 @@
 DocType: Hotel Room,Hotel Room,Hotelkamer
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Account {0} behoort niet tot bedrijf {1}
 DocType: Leave Type,Rounding,ronding
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Serienummers in rij {0} komt niet overeen met bezorgingsnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Serienummers in rij {0} komt niet overeen met bezorgingsnota
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Beschikbaar bedrag (pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Daarna worden prijsregels uitgefilterd op basis van klant, klantgroep, territorium, leverancier, leveranciersgroep, campagne, verkooppartner enz."
 DocType: Student,Guardian Details,Guardian Details
@@ -5244,10 +5310,10 @@
 DocType: Vehicle,Chassis No,chassis Geen
 DocType: Payment Request,Initiated,Geïnitieerd
 DocType: Production Plan Item,Planned Start Date,Geplande Startdatum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Selecteer een stuklijst
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Selecteer een stuklijst
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Beschikbaar in ITC Integrated Tax
 DocType: Purchase Order Item,Blanket Order Rate,Deken Besteltarief
-apps/erpnext/erpnext/hooks.py +156,Certification,certificaat
+apps/erpnext/erpnext/hooks.py +157,Certification,certificaat
 DocType: Bank Guarantee,Clauses and Conditions,Clausules en voorwaarden
 DocType: Serial No,Creation Document Type,Aanmaken Document type
 DocType: Project Task,View Timesheet,Bekijk urenformulier
@@ -5272,6 +5338,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Ouder Item {0} moet een Stock Item niet
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Website Listing
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle producten of diensten.
+DocType: Email Digest,Open Quotations,Open offertes
 DocType: Expense Claim,More Details,Meer details
 DocType: Supplier Quotation,Supplier Address,Adres Leverancier
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget voor Account {1} tegen {2} {3} is {4}. Het zal overschrijden tegen {5}
@@ -5286,12 +5353,11 @@
 DocType: Training Event,Exam,tentamen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marktplaatsfout
 DocType: Complaint,Complaint,Klacht
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Magazijn nodig voor voorraad Artikel {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Magazijn nodig voor voorraad Artikel {0}
 DocType: Leave Allocation,Unused leaves,Ongebruikte afwezigheden
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Maak terugbetaling
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Alle afdelingen
 DocType: Healthcare Service Unit,Vacant,Vrijgekomen
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Leverancier&gt; leverancier type
 DocType: Patient,Alcohol Past Use,Alcohol voorbij gebruik
 DocType: Fertilizer Content,Fertilizer Content,Kunstmestinhoud
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5299,7 +5365,7 @@
 DocType: Tax Rule,Billing State,Billing State
 DocType: Share Transfer,Transfer,Verplaatsen
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Werkorder {0} moet worden geannuleerd voordat deze klantorder wordt geannuleerd
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Haal uitgeklapte Stuklijst op (inclusief onderdelen)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Haal uitgeklapte Stuklijst op (inclusief onderdelen)
 DocType: Authorization Rule,Applicable To (Employee),Van toepassing zijn op (Werknemer)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Vervaldatum is verplicht
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Toename voor Attribute {0} kan niet worden 0
@@ -5315,7 +5381,7 @@
 DocType: Disease,Treatment Period,Behandelingsperiode
 DocType: Travel Itinerary,Travel Itinerary,Reisplan
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Resultaat is al verzonden
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Gereserveerd magazijn is verplicht voor artikel {0} in geleverde grondstoffen
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Gereserveerd magazijn is verplicht voor artikel {0} in geleverde grondstoffen
 ,Inactive Customers,inactieve klanten
 DocType: Student Admission Program,Maximum Age,Maximum leeftijd
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Wacht 3 dagen voordat je de herinnering opnieuw verzendt.
@@ -5324,7 +5390,6 @@
 DocType: Stock Entry,Delivery Note No,Vrachtbrief Nr
 DocType: Cheque Print Template,Message to show,Bericht om te laten zien
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Retail
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Beheer afspraakfactuur automatisch
 DocType: Student Attendance,Absent,Afwezig
 DocType: Staffing Plan,Staffing Plan Detail,Personeelsplan Detail
 DocType: Employee Promotion,Promotion Date,Promotiedatum
@@ -5346,7 +5411,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,maak Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Print en stationaire
 DocType: Stock Settings,Show Barcode Field,Show streepjescodeveld
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Stuur Leverancier Emails
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Stuur Leverancier Emails
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaris al verwerkt voor de periode tussen {0} en {1}, Laat aanvraagperiode kan niet tussen deze periode."
 DocType: Fiscal Year,Auto Created,Auto gemaakt
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Dien dit in om het werknemersrecord te creëren
@@ -5355,7 +5420,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Factuur {0} bestaat niet meer
 DocType: Guardian Interest,Guardian Interest,Guardian Interest
 DocType: Volunteer,Availability,Beschikbaarheid
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Stel standaardwaarden in voor POS-facturen
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Stel standaardwaarden in voor POS-facturen
 apps/erpnext/erpnext/config/hr.py +248,Training,Opleiding
 DocType: Project,Time to send,Tijd om te verzenden
 DocType: Timesheet,Employee Detail,werknemer Detail
@@ -5379,7 +5444,7 @@
 DocType: Training Event Employee,Optional,facultatief
 DocType: Salary Slip,Earning & Deduction,Verdienen &amp; Aftrek
 DocType: Agriculture Analysis Criteria,Water Analysis,Water analyse
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} varianten gemaakt.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} varianten gemaakt.
 DocType: Amazon MWS Settings,Region,Regio
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Optioneel. Deze instelling wordt gebruikt om te filteren op diverse transacties .
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negatieve Waarderingstarief is niet toegestaan
@@ -5398,7 +5463,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kosten van Gesloopt Asset
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: kostenplaats is verplicht voor Artikel {2}
 DocType: Vehicle,Policy No,beleid Geen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Krijg Items uit Product Bundle
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Krijg Items uit Product Bundle
 DocType: Asset,Straight Line,Rechte lijn
 DocType: Project User,Project User,project Gebruiker
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,spleet
@@ -5407,7 +5472,7 @@
 DocType: GL Entry,Is Advance,Is voorschot
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Employee Lifecycle
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Aanwezigheid Van Datum en Aanwezigheid Tot Datum zijn verplicht.
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Vul 'Is Uitbesteed' in als Ja of Nee
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Vul 'Is Uitbesteed' in als Ja of Nee
 DocType: Item,Default Purchase Unit of Measure,Standaard aankoopeenheid van maatregel
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Laatste Communicatie Datum
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Laatste Communicatie Datum
@@ -5417,7 +5482,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Toegangstoken of Shopify-URL ontbreekt
 DocType: Location,Latitude,Breedtegraad
 DocType: Work Order,Scrap Warehouse,Scrap Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Magazijn vereist bij rij Nee {0}, stel het standaardmagazijn in voor het artikel {1} voor het bedrijf {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Magazijn vereist bij rij Nee {0}, stel het standaardmagazijn in voor het artikel {1} voor het bedrijf {2}"
 DocType: Work Order,Check if material transfer entry is not required,Controleer of de invoer van materiaaloverdracht niet vereist is
 DocType: Work Order,Check if material transfer entry is not required,Controleer of de invoer van materiaaloverdracht niet vereist is
 DocType: Program Enrollment Tool,Get Students From,Krijgen studenten uit
@@ -5434,6 +5499,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nieuw aantal batches
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Kleding & Toebehoren
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Kan de gewogen score functie niet oplossen. Zorg ervoor dat de formule geldig is.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Inkooporderartikelen die niet op tijd zijn ontvangen
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Aantal Bestel
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner dat zal laten zien op de bovenkant van het product lijst.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Specificeer de voorwaarden om het verzendbedrag te berekenen
@@ -5442,9 +5508,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Pad
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Kan kostenplaats niet omzetten naar grootboek vanwege onderliggende nodes
 DocType: Production Plan,Total Planned Qty,Totaal aantal geplande
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,opening Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,opening Value
 DocType: Salary Component,Formula,Formule
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Verkoopaccount
 DocType: Purchase Invoice Item,Total Weight,Totale gewicht
@@ -5462,7 +5528,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Maak Material Request
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Item {0}
 DocType: Asset Finance Book,Written Down Value,Geschreven waarde
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Stel Employee Naming System in Human Resource&gt; HR-instellingen in
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Verkoopfactuur {0} moet worden geannuleerd voordat deze verkooporder kan worden geannuleerd.
 DocType: Clinical Procedure,Age,Leeftijd
 DocType: Sales Invoice Timesheet,Billing Amount,Factuurbedrag
@@ -5471,11 +5536,11 @@
 DocType: Company,Default Employee Advance Account,Standaard Employee Advance Account
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Zoek item (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Rekening met bestaande transactie kan niet worden verwijderd
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Rekening met bestaande transactie kan niet worden verwijderd
 DocType: Vehicle,Last Carbon Check,Laatste Carbon controleren
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Juridische Kosten
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Selecteer alstublieft de hoeveelheid op rij
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Open verkoop- en inkoopfacturen
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Open verkoop- en inkoopfacturen
 DocType: Purchase Invoice,Posting Time,Plaatsing Time
 DocType: Timesheet,% Amount Billed,% Gefactureerd Bedrag
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefoonkosten
@@ -5490,14 +5555,14 @@
 DocType: Maintenance Visit,Breakdown,Storing
 DocType: Travel Itinerary,Vegetarian,Vegetarisch
 DocType: Patient Encounter,Encounter Date,Encounter Date
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Account: {0} met valuta: {1} kan niet worden geselecteerd
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Account: {0} met valuta: {1} kan niet worden geselecteerd
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankgegevens
 DocType: Purchase Receipt Item,Sample Quantity,Monsterhoeveelheid
 DocType: Bank Guarantee,Name of Beneficiary,Naam van de begunstigde
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Update BOM kosten automatisch via Scheduler, op basis van de laatste waarderingssnelheid / prijslijst koers / laatste aankoophoeveelheid grondstoffen."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Cheque Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Rekening {0}: Bovenliggende rekening {1} hoort niet bij bedrijf: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Rekening {0}: Bovenliggende rekening {1} hoort niet bij bedrijf: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Succesvol verwijderd alle transacties met betrekking tot dit bedrijf!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Op Date
 DocType: Additional Salary,HR,HR
@@ -5505,7 +5570,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Out Patient SMS Alerts
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,proeftijd
 DocType: Program Enrollment Tool,New Academic Year,New Academisch Jaar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Return / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Return / Credit Note
 DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert Prijslijst tarief als vermist
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Totale betaalde bedrag
 DocType: GST Settings,B2C Limit,B2C-limiet
@@ -5523,10 +5588,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child nodes kunnen alleen worden gemaakt op grond van het type nodes &#39;Groep&#39;
 DocType: Attendance Request,Half Day Date,Halve dag datum
 DocType: Academic Year,Academic Year Name,Academisch jaar naam
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} mag niet transacties uitvoeren met {1}. Wijzig het bedrijf.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} mag niet transacties uitvoeren met {1}. Wijzig het bedrijf.
 DocType: Sales Partner,Contact Desc,Contact Omschr
 DocType: Email Digest,Send regular summary reports via Email.,Stuur regelmatige samenvattende rapporten via e-mail.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Stel standaard account aan Expense conclusie Type {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Stel standaard account aan Expense conclusie Type {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Beschikbare bladeren
 DocType: Assessment Result,Student Name,Studenten naam
 DocType: Hub Tracked Item,Item Manager,Item Manager
@@ -5551,9 +5616,10 @@
 DocType: Subscription,Trial Period End Date,Einddatum van de proefperiode
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Niet toegestaan aangezien {0} grenzen overschrijdt
 DocType: Serial No,Asset Status,Activumstatus
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Over Dimensional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurant tafel
 DocType: Hotel Room,Hotel Manager,Hotel Manager
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Stel Tax Regel voor winkelmandje
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Stel Tax Regel voor winkelmandje
 DocType: Purchase Invoice,Taxes and Charges Added,Belastingen en Toeslagen toegevoegd
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Afschrijving Rij {0}: Volgende Afschrijvingsdatum kan niet eerder zijn dan Beschikbaar-voor-gebruik Datum
 ,Sales Funnel,Verkoop Trechter
@@ -5569,10 +5635,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Alle Doelgroepen
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Maandelijks geaccumuleerd
 DocType: Attendance Request,On Duty,In functie
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verplicht. Misschien is Valuta Koers record niet gemaakt voor {1} naar {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verplicht. Misschien is Valuta Koers record niet gemaakt voor {1} naar {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Personeelsplan {0} bestaat al voor aanwijzing {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Belasting Template is verplicht.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Rekening {0}: Bovenliggende rekening {1} bestaat niet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Rekening {0}: Bovenliggende rekening {1} bestaat niet
 DocType: POS Closing Voucher,Period Start Date,Begindatum van de periode
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prijslijst Tarief (Bedrijfsvaluta)
 DocType: Products Settings,Products Settings,producten Instellingen
@@ -5592,7 +5658,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Deze actie stopt toekomstige facturering. Weet je zeker dat je dit abonnement wilt annuleren?
 DocType: Serial No,Distinct unit of an Item,Aanwijsbare eenheid van een Artikel
 DocType: Supplier Scorecard Criteria,Criteria Name,Criteria Naam
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Stel alsjeblieft bedrijf in
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Stel alsjeblieft bedrijf in
 DocType: Procedure Prescription,Procedure Created,Procedure gemaakt
 DocType: Pricing Rule,Buying,Inkoop
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Ziekten &amp; Meststoffen
@@ -5609,29 +5675,30 @@
 DocType: Employee Onboarding,Job Offer,Vacature
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Instituut Afkorting
 ,Item-wise Price List Rate,Artikelgebaseerde Prijslijst Tarief
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Leverancier Offerte
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Leverancier Offerte
 DocType: Quotation,In Words will be visible once you save the Quotation.,In Woorden zijn zichtbaar zodra u de Offerte opslaat.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan geen fractie in rij {1} zijn
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan geen fractie in rij {1} zijn
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan geen fractie in rij {1} zijn
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan geen fractie in rij {1} zijn
 DocType: Contract,Unsigned,ongetekend
 DocType: Selling Settings,Each Transaction,Elke transactie
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} is al gebruikt in het Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} is al gebruikt in het Item {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regels voor het toevoegen van verzendkosten.
 DocType: Hotel Room,Extra Bed Capacity,Extra bedcapaciteit
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Opening Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klant is verplicht
 DocType: Lab Test,Result Date,Resultaatdatum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC-datum
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC-datum
 DocType: Purchase Order,To Receive,Ontvangen
 DocType: Leave Period,Holiday List for Optional Leave,Vakantielijst voor optioneel verlof
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Activa-eigenaar
 DocType: Purchase Invoice,Reason For Putting On Hold,Reden om in de wacht te zetten
 DocType: Employee,Personal Email,Persoonlijke e-mail
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Total Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Total Variance
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Indien aangevinkt, zal het systeem voorraadboekingen automatisch plaatsen."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,makelaardij
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Attendance voor personeelsbeloningen {0} is al gemarkeerd voor deze dag
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Attendance voor personeelsbeloningen {0} is al gemarkeerd voor deze dag
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","in Minuten 
  Bijgewerkt via 'Time Log'"
@@ -5639,14 +5706,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Orders vrijgegeven voor productie.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Selecteer boekjaar ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS profiel nodig om POS Entry maken
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS profiel nodig om POS Entry maken
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Loyaliteitspunten worden berekend op basis van het aantal gedaane uitgaven (via de verkoopfactuur), op basis van de genoemde verzamelfactor."
 DocType: Program Enrollment Tool,Enroll Students,inschrijven Studenten
 DocType: Company,HRA Settings,HRA-instellingen
 DocType: Employee Transfer,Transfer Date,Datum van overdracht
 DocType: Lab Test,Approved Date,Goedgekeurde Datum
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standaard Verkoop
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Tenminste een magazijn is verplicht
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Tenminste een magazijn is verplicht
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Configureer artikelvelden zoals UOM, artikelgroep, beschrijving en aantal uren."
 DocType: Certification Application,Certification Status,Certificeringsstatus
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marktplaats
@@ -5666,6 +5733,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Bijpassende facturen
 DocType: Work Order,Required Items,Vereiste items
 DocType: Stock Ledger Entry,Stock Value Difference,Voorraad Waarde Verschil
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Artikelrij {0}: {1} {2} bestaat niet in bovenstaande tabel &#39;{1}&#39;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Human Resource
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Afletteren Betaling
 DocType: Disease,Treatment Task,Behandelingstaak
@@ -5683,7 +5751,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Verloven moeten in veelvouden van 0,5 worden toegewezen"
 DocType: Work Order,Operation Cost,Operatie Cost
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Openstaande Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Besluitvormers identificeren
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Openstaande Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set richt Item Group-wise voor deze verkoper.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Bevries Voorraden ouder dan [dagen]
 DocType: Payment Request,Payment Ordered,Betaling besteld
@@ -5695,14 +5764,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Laat de volgende gebruikers te keuren Verlof Aanvragen voor blok dagen.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Levenscyclus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Maak stuklijst
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopprijs voor item {0} is lager dan de {1}. Verkoopprijs moet ten minste {2} zijn
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopprijs voor item {0} is lager dan de {1}. Verkoopprijs moet ten minste {2} zijn
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopprijs voor item {0} is lager dan de {1}. Verkoopprijs moet ten minste {2} zijn
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopprijs voor item {0} is lager dan de {1}. Verkoopprijs moet ten minste {2} zijn
 DocType: Subscription,Taxes,Belastingen
 DocType: Purchase Invoice,capital goods,kapitaalgoederen
 DocType: Purchase Invoice Item,Weight Per Unit,Gewicht per eenheid
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Betaald en niet geleverd
-DocType: Project,Default Cost Center,Standaard Kostenplaats
-DocType: Delivery Note,Transporter Doc No,Transporter Doc
+DocType: QuickBooks Migrator,Default Cost Center,Standaard Kostenplaats
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock Transactions
 DocType: Budget,Budget Accounts,budget Accounts
 DocType: Employee,Internal Work History,Interne Werk Geschiedenis
@@ -5735,7 +5803,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Zorgverlener niet beschikbaar op {0}
 DocType: Stock Entry Detail,Additional Cost,Bijkomende kosten
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Kan niet filteren op basis van vouchernummer, indien gegroepeerd per voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Maak Leverancier Offerte
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Maak Leverancier Offerte
 DocType: Quality Inspection,Incoming,Inkomend
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Standaardbelastingsjablonen voor verkopen en kopen worden gemaakt.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Beoordeling Resultaat record {0} bestaat al.
@@ -5751,7 +5819,7 @@
 DocType: Batch,Batch ID,Partij ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Opmerking : {0}
 ,Delivery Note Trends,Vrachtbrief Trends
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Samenvatting van deze week
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Samenvatting van deze week
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Op voorraad Aantal
 ,Daily Work Summary Replies,Antwoorden dagelijkse werkoverzicht
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Bereken geschatte aankomsttijden
@@ -5761,7 +5829,7 @@
 DocType: Bank Account,Party,Partij
 DocType: Healthcare Settings,Patient Name,Patient naam
 DocType: Variant Field,Variant Field,Variantveld
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Doellocatie
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Doellocatie
 DocType: Sales Order,Delivery Date,Leveringsdatum
 DocType: Opportunity,Opportunity Date,Datum opportuniteit
 DocType: Employee,Health Insurance Provider,Zorgverzekeraar
@@ -5780,7 +5848,7 @@
 DocType: Employee,History In Company,Geschiedenis In Bedrijf
 DocType: Customer,Customer Primary Address,Primair adres van klant
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nieuwsbrieven
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referentienummer.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referentienummer.
 DocType: Drug Prescription,Description/Strength,Beschrijving / Strength
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Nieuwe betaling / journaalboeking creëren
 DocType: Certification Application,Certification Application,Certificeringstoepassing
@@ -5791,10 +5859,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Hetzelfde artikel is meerdere keren ingevoerd
 DocType: Department,Leave Block List,Verlof bloklijst
 DocType: Purchase Invoice,Tax ID,BTW-nummer
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} is niet ingesteld voor serienummers. Kolom moet leeg zijn
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} is niet ingesteld voor serienummers. Kolom moet leeg zijn
 DocType: Accounts Settings,Accounts Settings,Rekeningen Instellingen
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Goedkeuren
 DocType: Loyalty Program,Customer Territory,Klantengebied
+DocType: Email Digest,Sales Orders to Deliver,Verkooporders om te bezorgen
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Nummer van nieuwe account, deze zal als een prefix in de accountnaam worden opgenomen"
 DocType: Maintenance Team Member,Team Member,Teamlid
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Geen resultaat om in te dienen
@@ -5804,7 +5873,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Totaal {0} voor alle items nul is, kan je zou moeten veranderen &#39;Verdeel heffingen op basis van&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Tot op heden kan niet minder dan van datum zijn
 DocType: Opportunity,To Discuss,Te bespreken
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Dit is gebaseerd op transacties met deze Abonnee. Zie de tijdlijn hieronder voor details
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} eenheden van {1} die nodig zijn in {2} om deze transactie te voltooien.
 DocType: Loan Type,Rate of Interest (%) Yearly,Rate of Interest (%) Jaarlijkse
 DocType: Support Settings,Forum URL,Forum-URL
@@ -5819,7 +5887,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Kom meer te weten
 DocType: Cheque Print Template,Distance from top edge,Afstand van bovenrand
 DocType: POS Closing Voucher Invoices,Quantity of Items,Hoeveelheid items
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Prijslijst {0} is uitgeschakeld of bestaat niet
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Prijslijst {0} is uitgeschakeld of bestaat niet
 DocType: Purchase Invoice,Return,Terugkeer
 DocType: Pricing Rule,Disable,Uitschakelen
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Wijze van betaling is vereist om een betaling te doen
@@ -5827,18 +5895,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Bewerken op de volledige pagina voor meer opties zoals activa, serienummers, batches etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maximale continue dagen van toepassing
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} is niet ingeschreven in de partij {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} kan niet worden gesloopt, want het is al {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} kan niet worden gesloopt, want het is al {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Controles vereist
 DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense Claim)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Afwezig
 DocType: Job Applicant Source,Job Applicant Source,Sollicitant Bron
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Bedrag
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Bedrag
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Kan bedrijf niet instellen
 DocType: Asset Repair,Asset Repair,Asset reparatie
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rij {0}: Munt van de BOM # {1} moet gelijk zijn aan de geselecteerde valuta zijn {2}
 DocType: Journal Entry Account,Exchange Rate,Wisselkoers
 DocType: Patient,Additional information regarding the patient,Aanvullende informatie over de patiënt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Verkooporder {0} is niet ingediend
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Verkooporder {0} is niet ingediend
 DocType: Homepage,Tag Line,tag Line
 DocType: Fee Component,Fee Component,fee Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Vloot beheer
@@ -5853,7 +5921,7 @@
 DocType: Healthcare Practitioner,Mobile,mobiel
 ,Sales Person-wise Transaction Summary,Verkopergebaseerd Transactie Overzicht
 DocType: Training Event,Contact Number,Contact nummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Magazijn {0} bestaat niet
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Magazijn {0} bestaat niet
 DocType: Cashier Closing,Custody,Hechtenis
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Werknemersbelasting vrijstelling Bewijs voor inzending van bewijs
 DocType: Monthly Distribution,Monthly Distribution Percentages,Maandelijkse Verdeling Percentages
@@ -5868,7 +5936,7 @@
 DocType: Payment Entry,Paid Amount,Betaald Bedrag
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Verken de verkoopcyclus
 DocType: Assessment Plan,Supervisor,opzichter
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retention Stock Entry
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retention Stock Entry
 ,Available Stock for Packing Items,Beschikbaar voor Verpakking Items
 DocType: Item Variant,Item Variant,Artikel Variant
 ,Work Order Stock Report,Werkorder Voorraadverslag
@@ -5877,9 +5945,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Als supervisor
 DocType: Leave Policy Detail,Leave Policy Detail,Laat beleidsdetails achter
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Ingezonden bestellingen kunnen niet worden verwijderd
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Accountbalans reeds in Debet, 'Balans moet zijn' mag niet als 'Credit' worden ingesteld"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Quality Management
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Ingezonden bestellingen kunnen niet worden verwijderd
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Accountbalans reeds in Debet, 'Balans moet zijn' mag niet als 'Credit' worden ingesteld"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Quality Management
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Item {0} is uitgeschakeld
 DocType: Project,Total Billable Amount (via Timesheets),Totaal factureerbare hoeveelheid (via urenstaten)
 DocType: Agriculture Task,Previous Business Day,Vorige werkdag
@@ -5902,15 +5970,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Kostenplaatsen
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Start Abonnement opnieuw
 DocType: Linked Plant Analysis,Linked Plant Analysis,Linked Plant Analysis
-DocType: Delivery Note,Transporter ID,Transporter ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Waarde voorstel
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Koers waarmee de leverancier valuta wordt omgerekend naar de basis bedrijfsvaluta
-DocType: Sales Invoice Item,Service End Date,Einddatum service
+DocType: Purchase Invoice Item,Service End Date,Einddatum service
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Rij #{0}: Tijden conflicteren met rij {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Zero waarderingspercentage toestaan
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Zero waarderingspercentage toestaan
 DocType: Bank Guarantee,Receiving,Het ontvangen
 DocType: Training Event Employee,Invited,Uitgenodigd
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup Gateway accounts.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup Gateway accounts.
 DocType: Employee,Employment Type,Dienstverband Type
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Vaste Activa
 DocType: Payment Entry,Set Exchange Gain / Loss,Stel Exchange winst / verlies
@@ -5926,7 +5995,7 @@
 DocType: Tax Rule,Sales Tax Template,Sales Tax Template
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Betalen tegen uitkeringsaanspraak
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Update kostenplaatsnummer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Selecteer items om de factuur te slaan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Selecteer items om de factuur te slaan
 DocType: Employee,Encashment Date,Betalingsdatum
 DocType: Training Event,Internet,internet
 DocType: Special Test Template,Special Test Template,Special Test Template
@@ -5934,13 +6003,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Default Activiteit Kosten bestaat voor Activity Type - {0}
 DocType: Work Order,Planned Operating Cost,Geplande bedrijfskosten
 DocType: Academic Term,Term Start Date,Term Startdatum
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lijst met alle aandelentransacties
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lijst met alle aandelentransacties
+DocType: Supplier,Is Transporter,Is Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importeer de verkoopfactuur van Shopify als betaling is gemarkeerd
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Zowel de startdatum van de proefperiode als de einddatum van de proefperiode moeten worden ingesteld
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Gemiddelde score
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Het totale betalingsbedrag in het betalingsschema moet gelijk zijn aan het groot / afgerond totaal
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Het totale betalingsbedrag in het betalingsschema moet gelijk zijn aan het groot / afgerond totaal
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bankafschrift saldo per General Ledger
 DocType: Job Applicant,Applicant Name,Aanvrager Naam
@@ -5968,7 +6038,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Beschikbaar Aantal bij Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie
 DocType: Purchase Invoice,Debit Note Issued,Debetnota
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filteren op basis van kostenplaats is alleen van toepassing als Budget tegen is geselecteerd als kostenplaats
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filteren op basis van kostenplaats is alleen van toepassing als Budget tegen is geselecteerd als kostenplaats
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Zoeken op artikelcode, serienummer, batchnummer of barcode"
 DocType: Work Order,Warehouses,Magazijnen
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} actief kan niet worden overgedragen
@@ -5979,9 +6049,9 @@
 DocType: Workstation,per hour,per uur
 DocType: Blanket Order,Purchasing,inkoop
 DocType: Announcement,Announcement,Mededeling
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Klant-LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Klant-LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Voor Batch-based Student Group wordt de Student Batch voor elke student gevalideerd van de Programma Inschrijving.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazijn kan niet worden verwijderd omdat er voorraadboekingen zijn voor dit magazijn.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazijn kan niet worden verwijderd omdat er voorraadboekingen zijn voor dit magazijn.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distributie
 DocType: Journal Entry Account,Loan,Lening
 DocType: Expense Claim Advance,Expense Claim Advance,Onkostendeclaratie doorvoeren
@@ -5990,7 +6060,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Project Manager
 ,Quoted Item Comparison,Geciteerd Item Vergelijking
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Overlappen in scoren tussen {0} en {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dispatch
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dispatch
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maximale korting toegestaan voor artikel: {0} is {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Intrinsieke waarde Op
 DocType: Crop,Produce,Produceren
@@ -6000,20 +6070,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Materiaalverbruik voor productie
 DocType: Item Alternative,Alternative Item Code,Alternatieve artikelcode
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol welke is toegestaan om transacties in te dienen die gestelde kredietlimieten overschrijden .
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Selecteer Items voor fabricage
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Selecteer Items voor fabricage
 DocType: Delivery Stop,Delivery Stop,Levering Stop
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master data synchronisatie, kan het enige tijd duren"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master data synchronisatie, kan het enige tijd duren"
 DocType: Item,Material Issue,Materiaal uitgifte
 DocType: Employee Education,Qualification,Kwalificatie
 DocType: Item Price,Item Price,Artikelprijs
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Zeep & Wasmiddel
 DocType: BOM,Show Items,Show items
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Van tijd kan niet groter zijn dan tot tijd.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Wilt u alle klanten per e-mail op de hoogte stellen?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Wilt u alle klanten per e-mail op de hoogte stellen?
 DocType: Subscription Plan,Billing Interval,Factuurinterval
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Besteld
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,De werkelijke startdatum en de werkelijke einddatum zijn verplicht
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klant&gt; Klantengroep&gt; Gebied
 DocType: Salary Detail,Component,bestanddeel
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Rij {0}: {1} moet groter zijn dan 0
 DocType: Assessment Criteria,Assessment Criteria Group,Beoordelingscriteria Group
@@ -6044,11 +6115,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Voer de naam van de bank of uitleeninstelling in voordat u ze indient.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} moet worden ingediend
 DocType: POS Profile,Item Groups,Item Groepen
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Vandaag is {0} 's verjaardag!
 DocType: Sales Order Item,For Production,Voor Productie
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Saldo in accountvaluta
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Voeg een tijdelijk openstaand account toe in het rekeningschema
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Voeg een tijdelijk openstaand account toe in het rekeningschema
 DocType: Customer,Customer Primary Contact,Hoofdcontactpersoon klant
 DocType: Project Task,View Task,Bekijk Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6061,11 +6131,11 @@
 DocType: Sales Invoice,Get Advances Received,Get ontvangen voorschotten
 DocType: Email Digest,Add/Remove Recipients,Toevoegen / verwijderen Ontvangers
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Om dit boekjaar in te stellen als standaard, klik op 'Als standaard instellen'"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Hoeveelheid TDS afgetrokken
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Hoeveelheid TDS afgetrokken
 DocType: Production Plan,Include Subcontracted Items,Inclusief uitbestede items
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Indiensttreding
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Tekort Aantal
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Indiensttreding
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Tekort Aantal
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken
 DocType: Loan,Repay from Salary,Terugbetalen van Loon
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Betalingsverzoeken tegen {0} {1} van {2} bedrag
 DocType: Additional Salary,Salary Slip,Salarisstrook
@@ -6081,7 +6151,7 @@
 DocType: Patient,Dormant,Slapend
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Belastingaftrek voor niet-geclaimde werknemersvoordelen
 DocType: Salary Slip,Total Interest Amount,Totaal rentebedrag
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Warehouses met kind nodes kunnen niet worden geconverteerd naar grootboek
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Warehouses met kind nodes kunnen niet worden geconverteerd naar grootboek
 DocType: BOM,Manage cost of operations,Beheer kosten van de operaties
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Aankomst Datetime
@@ -6093,7 +6163,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Assessment Resultaat Detail
 DocType: Employee Education,Employee Education,Werknemer Opleidingen
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplicate artikelgroep gevonden in de artikelgroep tafel
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Het is nodig om Item Details halen.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Het is nodig om Item Details halen.
 DocType: Fertilizer,Fertilizer Name,Meststofnaam
 DocType: Salary Slip,Net Pay,Nettoloon
 DocType: Cash Flow Mapping Accounts,Account,Rekening
@@ -6104,14 +6174,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Maak een afzonderlijke betalingsingave tegen een voordeelclaim
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Aanwezigheid van een koorts (temp&gt; 38,5 ° C of bijgehouden temperatuur&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Verkoop Team Details
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Permanent verwijderen?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Permanent verwijderen?
 DocType: Expense Claim,Total Claimed Amount,Totaal gedeclareerd bedrag
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentiële mogelijkheden voor verkoop.
 DocType: Shareholder,Folio no.,Folio nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Ongeldige {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Ziekteverlof
 DocType: Email Digest,Email Digest,E-mail Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,zijn niet
 DocType: Delivery Note,Billing Address Name,Factuuradres Naam
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Warenhuizen
 ,Item Delivery Date,Item Leveringsdatum
@@ -6127,16 +6196,16 @@
 DocType: Account,Chargeable,Aan te rekenen
 DocType: Company,Change Abbreviation,Afkorting veranderen
 DocType: Contract,Fulfilment Details,Fulfillment-gegevens
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Betaal {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Betaal {0} {1}
 DocType: Employee Onboarding,Activities,Activiteiten
 DocType: Expense Claim Detail,Expense Date,Kosten Datum
 DocType: Item,No of Months,No of Months
 DocType: Item,Max Discount (%),Max Korting (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kredietdagen mogen geen negatief getal zijn
-DocType: Sales Invoice Item,Service Stop Date,Dienststopdatum
+DocType: Purchase Invoice Item,Service Stop Date,Dienststopdatum
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Laatste Orderbedrag
 DocType: Cash Flow Mapper,e.g Adjustments for:,bijv. aanpassingen voor:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Voorbeeld behouden is gebaseerd op batch, controleer Has Batch No om monster van artikel te behouden"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Voorbeeld behouden is gebaseerd op batch, controleer Has Batch No om monster van artikel te behouden"
 DocType: Task,Is Milestone,Is Milestone
 DocType: Certification Application,Yet to appear,Toch om te verschijnen
 DocType: Delivery Stop,Email Sent To,Email verzonden naar
@@ -6144,16 +6213,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Sta kostenplaats toe bij invoer van balansrekening
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Samenvoegen met een bestaand account
 DocType: Budget,Warn,Waarschuwen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Alle items zijn al overgedragen voor deze werkbon.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Alle items zijn al overgedragen voor deze werkbon.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Eventuele andere opmerkingen, noemenswaardig voor in de boekhouding,"
 DocType: Asset Maintenance,Manufacturing User,Productie Gebruiker
 DocType: Purchase Invoice,Raw Materials Supplied,Grondstoffen Geleverd
 DocType: Subscription Plan,Payment Plan,Betaalplan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Schakel aankoop van items in via de website
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valuta van de prijslijst {0} moet {1} of {2} zijn
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Abonnementbeheer
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Abonnementbeheer
 DocType: Appraisal,Appraisal Template,Beoordeling Sjabloon
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Naar pincode
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Naar pincode
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Vink dit aan om een geplande dagelijkse synchronisatieroutine via de planner in te schakelen
 DocType: Item Group,Item Classification,Item Classificatie
@@ -6163,6 +6232,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Invoice Patient Registration
 DocType: Crop,Period,periode
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Grootboek
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Naar fiscaal jaar
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Bekijk Leads
 DocType: Program Enrollment Tool,New Program,nieuw programma
 DocType: Item Attribute Value,Attribute Value,Eigenschap Waarde
@@ -6171,11 +6241,11 @@
 ,Itemwise Recommended Reorder Level,Artikelgebaseerde Aanbevolen Bestelniveau
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Werknemer {0} van rang {1} heeft geen standaard verlofbeleid
 DocType: Salary Detail,Salary Detail,salaris Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Selecteer eerst {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Selecteer eerst {0}
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} gebruikers toegevoegd
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",In het geval van een meerlagig programma worden klanten automatisch toegewezen aan de betreffende laag op basis van hun bestede tijd
 DocType: Appointment Type,Physician,Arts
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} van Item {1} is verlopen.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} van Item {1} is verlopen.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,overleg
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Gereed goed
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Artikel Prijs verschijnt meerdere keren op basis van prijslijst, leverancier / klant, valuta, artikel, UOM, aantal en datums."
@@ -6184,22 +6254,21 @@
 DocType: Certification Application,Name of Applicant,Naam aanvrager
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet voor de productie.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotaal
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Variant-eigenschappen kunnen niet worden gewijzigd na beurstransactie. U moet een nieuw item maken om dit te doen.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Variant-eigenschappen kunnen niet worden gewijzigd na beurstransactie. U moet een nieuw item maken om dit te doen.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA-mandaat
 DocType: Healthcare Practitioner,Charges,kosten
 DocType: Production Plan,Get Items For Work Order,Items voor werkorder ophalen
 DocType: Salary Detail,Default Amount,Standaard Bedrag
 DocType: Lab Test Template,Descriptive,Beschrijvend
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Magazijn niet gevonden in het systeem
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Samenvatting van deze maand
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Samenvatting van deze maand
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kwaliteitscontrole Meting
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,'Bevries Voorraden Ouder dan' moet minder dan %d dagen zijn.
 DocType: Tax Rule,Purchase Tax Template,Kopen Tax Template
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Stel een verkoopdoel dat u voor uw bedrijf wilt bereiken.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Gezondheidszorg
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Gezondheidszorg
 ,Project wise Stock Tracking,Projectgebaseerde Aandelenhandel
 DocType: GST HSN Code,Regional,Regionaal
-DocType: Delivery Note,Transport Mode,Vervoer mode
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorium
 DocType: UOM Category,UOM Category,UOM-categorie
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Werkelijke Aantal (bij de bron / doel)
@@ -6222,17 +6291,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Kan website niet maken
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Eenheid Omrekeningsfactor Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Retentie Stock Entry al gemaakt of Sample Quantity niet verstrekt
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Retentie Stock Entry al gemaakt of Sample Quantity niet verstrekt
 DocType: Program,Program Abbreviation,programma Afkorting
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Productie bestelling kan niet tegen een Item Template worden verhoogd
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kosten worden bijgewerkt in Kwitantie tegen elk item
 DocType: Warranty Claim,Resolved By,Opgelost door
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Scheiding plannen
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques en Deposito verkeerd ontruimd
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Rekening {0}: U kunt niet de rekening zelf toewijzen als bovenliggende rekening
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Rekening {0}: U kunt niet de rekening zelf toewijzen als bovenliggende rekening
 DocType: Purchase Invoice Item,Price List Rate,Prijslijst Tarief
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Maak een offerte voor de klant
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,De service-einddatum kan niet na de einddatum van de service liggen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,De service-einddatum kan niet na de einddatum van de service liggen
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Toon &quot;Op voorraad&quot; of &quot;Niet op voorraad&quot; op basis van de beschikbare voorraad in dit magazijn.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Stuklijsten
 DocType: Item,Average time taken by the supplier to deliver,De gemiddelde tijd die door de leverancier te leveren
@@ -6244,11 +6313,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Uren
 DocType: Project,Expected Start Date,Verwachte startdatum
 DocType: Purchase Invoice,04-Correction in Invoice,04-Verbetering op factuur
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Werkorder al gemaakt voor alle artikelen met Stuklijst
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Werkorder al gemaakt voor alle artikelen met Stuklijst
 DocType: Payment Request,Party Details,Party Details
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant Details Rapport
 DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Prijslijst kopen
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Prijslijst kopen
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Artikel verwijderen als de kosten niet van toepassing zijn op dat artikel
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Annuleer abonnement
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Selecteer Onderhoudsstatus als voltooid of verwijder de voltooiingsdatum
@@ -6266,7 +6335,7 @@
 DocType: Asset,Disposal Date,verwijdering Date
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emails worden meegedeeld aan alle actieve werknemers van het bedrijf worden verzonden op het opgegeven uur, als ze geen vakantie. Samenvatting van de reacties zal worden verzonden om middernacht."
 DocType: Employee Leave Approver,Employee Leave Approver,Werknemer Verlof Fiatteur
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Rij {0}: Er bestaat al een nabestelling voor dit magazijn {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Rij {0}: Er bestaat al een nabestelling voor dit magazijn {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Kan niet als verloren instellen, omdat offerte is gemaakt."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP-account
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,training Terugkoppeling
@@ -6278,7 +6347,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Tot Datum kan niet eerder zijn dan Van Datum
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Sectie voettekst
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Toevoegen / bewerken Prijzen
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Toevoegen / bewerken Prijzen
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Werknemersbevordering kan niet worden ingediend vóór de promotiedatum
 DocType: Batch,Parent Batch,Ouderlijk Batch
 DocType: Batch,Parent Batch,Ouderlijk Batch
@@ -6289,6 +6358,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Sample Collection
 ,Requested Items To Be Ordered,Aangevraagde Artikelen in te kopen
 DocType: Price List,Price List Name,Prijslijst Naam
+DocType: Delivery Stop,Dispatch Information,Verzendinformatie
 DocType: Blanket Order,Manufacturing,Productie
 ,Ordered Items To Be Delivered,Bestelde artikelen te leveren
 DocType: Account,Income,Inkomsten
@@ -6307,17 +6377,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} eenheden van {1} die nodig zijn in {2} op {3} {4} te {5} om deze transactie te voltooien.
 DocType: Fee Schedule,Student Category,student Categorie
 DocType: Announcement,Student,Student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Voorraadhoeveelheid om procedure te starten is niet beschikbaar in het magazijn. Wilt u een magazijntransport registreren?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Voorraadhoeveelheid om procedure te starten is niet beschikbaar in het magazijn. Wilt u een magazijntransport registreren?
 DocType: Shipping Rule,Shipping Rule Type,Verzendregel Type
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Ga naar kamers
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Bedrijf, betaalrekening, van datum en datum is verplicht"
 DocType: Company,Budget Detail,Budget Detail
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vul bericht in alvorens te verzenden
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE VOOR LEVERANCIER
-DocType: Email Digest,Pending Quotations,In afwachting van Citaten
-DocType: Delivery Note,Distance (KM),Afstand (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Leverancier&gt; Leveranciersgroep
 DocType: Asset,Custodian,Bewaarder
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profile
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profile
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} moet een waarde tussen 0 en 100 zijn
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Betaling van {0} van {1} tot {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Leningen zonder onderpand
@@ -6349,10 +6418,10 @@
 DocType: Lead,Converted,Omgezet
 DocType: Item,Has Serial No,Heeft Serienummer
 DocType: Employee,Date of Issue,Datum van afgifte
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Conform de Aankoop Instellingen indien Aankoopbon Vereist == 'JA', dient de gebruiker eerst een Aankoopbon voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Conform de Aankoop Instellingen indien Aankoopbon Vereist == 'JA', dient de gebruiker eerst een Aankoopbon voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Rij # {0}: Stel Leverancier voor punt {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Rij {0}: Aantal uren moet groter zijn dan nul.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Website Afbeelding {0} verbonden aan Item {1} kan niet worden gevonden
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Website Afbeelding {0} verbonden aan Item {1} kan niet worden gevonden
 DocType: Issue,Content Type,Content Type
 DocType: Asset,Assets,Middelen
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Computer
@@ -6363,7 +6432,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} bestaat niet
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Kijk Valuta optie om rekeningen met andere valuta toestaan
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} bestaat niet in het systeem
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,U bent niet bevoegd om Bevroren waarde in te stellen
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,U bent niet bevoegd om Bevroren waarde in te stellen
 DocType: Payment Reconciliation,Get Unreconciled Entries,Haal onafgeletterde transacties op
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Werknemer {0} staat op Verlof op {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Geen terugbetalingen geselecteerd voor journaalboeking
@@ -6381,13 +6450,14 @@
 ,Average Commission Rate,Gemiddelde Commissie Rate
 DocType: Share Balance,No of Shares,Aantal aandelen
 DocType: Taxable Salary Slab,To Amount,Tot bedrag
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Heeft Serienummer' kan niet 'ja' zijn voor niet- voorraad artikel
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Heeft Serienummer' kan niet 'ja' zijn voor niet- voorraad artikel
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Selecteer Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Aanwezigheid kan niet aangemerkt worden voor toekomstige data
 DocType: Support Search Source,Post Description Key,Bericht Beschrijving Sleutel
 DocType: Pricing Rule,Pricing Rule Help,Prijsbepalingsregel Help
 DocType: School House,House Name,Huis naam
 DocType: Fee Schedule,Total Amount per Student,Totaal Bedrag per student
+DocType: Opportunity,Sales Stage,Verkoopfase
 DocType: Purchase Taxes and Charges,Account Head,Hoofdrekening
 DocType: Company,HRA Component,HRA-component
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,elektrisch
@@ -6395,15 +6465,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Totale waarde Verschil (Out - In)
 DocType: Grant Application,Requested Amount,Gevraagde bedrag
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Rij {0}: Wisselkoers is verplicht
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Gebruikers-ID niet ingesteld voor Werknemer {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Gebruikers-ID niet ingesteld voor Werknemer {0}
 DocType: Vehicle,Vehicle Value,Voertuig waarde
 DocType: Crop Cycle,Detected Diseases,Gedetecteerde ziekten
 DocType: Stock Entry,Default Source Warehouse,Standaard Bronmagazijn
 DocType: Item,Customer Code,Klantcode
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Verjaardagsherinnering voor {0}
 DocType: Asset Maintenance Task,Last Completion Date,Laatste voltooiingsdatum
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagen sinds laatste Order
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debitering van rekening moet een balansrekening zijn
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debitering van rekening moet een balansrekening zijn
 DocType: Asset,Naming Series,Benoemen Series
 DocType: Vital Signs,Coated,bedekt
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rij {0}: verwachte waarde na bruikbare levensduur moet lager zijn dan bruto inkoopbedrag
@@ -6421,15 +6490,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Vrachtbrief {0} mag niet worden ingediend
 DocType: Notification Control,Sales Invoice Message,Verkoopfactuur bericht
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Sluiten account {0} moet van het type aansprakelijkheid / Equity zijn
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Loonstrook van de werknemer {0} al gemaakt voor urenregistratie {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Loonstrook van de werknemer {0} al gemaakt voor urenregistratie {1}
 DocType: Vehicle Log,Odometer,Kilometerteller
 DocType: Production Plan Item,Ordered Qty,Besteld Aantal
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Punt {0} is uitgeschakeld
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Punt {0} is uitgeschakeld
 DocType: Stock Settings,Stock Frozen Upto,Voorraad Bevroren Tot
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM geen voorraad artikel bevatten
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM geen voorraad artikel bevatten
 DocType: Chapter,Chapter Head,Hoofdstuk hoofd
 DocType: Payment Term,Month(s) after the end of the invoice month,Maand (en) na het einde van de factuurmaand
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Salarisstructuur moet een flexibele uitkeringscomponent (en) hebben om de uitkering af te dragen
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Salarisstructuur moet een flexibele uitkeringscomponent (en) hebben om de uitkering af te dragen
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Project activiteit / taak.
 DocType: Vital Signs,Very Coated,Zeer gecoat
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Alleen belastingimpact (kan niet worden geclaimd maar maakt deel uit van belastbaar inkomen)
@@ -6447,7 +6516,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours
 DocType: Project,Total Sales Amount (via Sales Order),Totaal verkoopbedrag (via klantorder)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Standaard BOM voor {0} niet gevonden
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Rij # {0}: Stel nabestelling hoeveelheid
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Rij # {0}: Stel nabestelling hoeveelheid
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tik op items om ze hier toe te voegen
 DocType: Fees,Program Enrollment,programma Inschrijving
 DocType: Share Transfer,To Folio No,Naar Folio Nee
@@ -6489,9 +6558,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Strength
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Voorinstellingen installeren
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Geen leveringsbewijs geselecteerd voor klant {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Geen leveringsbewijs geselecteerd voor klant {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Werknemer {0} heeft geen maximale uitkering
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Selecteer items op basis van leveringsdatum
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Selecteer items op basis van leveringsdatum
 DocType: Grant Application,Has any past Grant Record,Heeft een eerdere Grant Record
 ,Sales Analytics,Verkoop analyse
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Beschikbaar {0}
@@ -6500,12 +6569,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Productie Instellingen
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Het opzetten van e-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Vul de standaard valuta in in Bedrijfsstam
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Vul de standaard valuta in in Bedrijfsstam
 DocType: Stock Entry Detail,Stock Entry Detail,Voorraadtransactie Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Dagelijkse herinneringen
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Dagelijkse herinneringen
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Bekijk alle openstaande tickets
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Gezondheidszorg Service Eenheidsboom
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Artikel
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Artikel
 DocType: Products Settings,Home Page is Products,Startpagina is Producten
 ,Asset Depreciation Ledger,Asset Afschrijvingen Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Verlaat het Inrichtingsbedrag per dag
@@ -6515,8 +6584,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Grondstoffen Leveringskosten
 DocType: Selling Settings,Settings for Selling Module,Instellingen voor het verkopen van Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotelkamerreservering
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Klantenservice
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Klantenservice
 DocType: BOM,Thumbnail,Miniatuur
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Geen contacten met e-mail-ID&#39;s gevonden.
 DocType: Item Customer Detail,Item Customer Detail,Artikel Klant Details
 DocType: Notification Control,Prompt for Email on Submission of,Vragen om E-mail op Indiening van
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maximaal voordeelbedrag van werknemer {0} overschrijdt {1}
@@ -6526,13 +6596,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Artikel {0} moet een voorraadartikel zijn
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standaard Work In Progress Warehouse
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Plannen voor overlappende {0}, wilt u doorgaan na het overslaan van overlappende slots?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Standaardinstellingen voor boekhoudkundige transacties.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Standaardinstellingen voor boekhoudkundige transacties.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Standaard belasting sjabloon
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studenten zijn ingeschreven
 DocType: Fees,Student Details,Student Details
 DocType: Purchase Invoice Item,Stock Qty,Aantal voorraad
 DocType: Contract,Requires Fulfilment,Voldoet aan fulfilment
+DocType: QuickBooks Migrator,Default Shipping Account,Standaard verzendaccount
 DocType: Loan,Repayment Period in Months,Terugbetaling Periode in maanden
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fout: geen geldig id?
 DocType: Naming Series,Update Series Number,Serienummer bijwerken
@@ -6546,11 +6617,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Max. Hoeveelheid
 DocType: Journal Entry,Total Amount Currency,Totaal bedrag Currency
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Zoeken Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Artikelcode vereist bij rijnummer {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Artikelcode vereist bij rijnummer {0}
 DocType: GST Account,SGST Account,SGST-account
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Ga naar Items
 DocType: Sales Partner,Partner Type,Partner Type
-DocType: Purchase Taxes and Charges,Actual,Werkelijk
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Werkelijk
 DocType: Restaurant Menu,Restaurant Manager,Restaurant manager
 DocType: Authorization Rule,Customerwise Discount,Klantgebaseerde Korting
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet voor taken.
@@ -6571,7 +6642,7 @@
 DocType: Employee,Cheque,Cheque
 DocType: Training Event,Employee Emails,Medewerkers e-mails
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Reeks bijgewerkt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Rapport type is verplicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Rapport type is verplicht
 DocType: Item,Serial Number Series,Serienummer Reeksen
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Magazijn is verplicht voor voorraadartikel {0} in rij {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retail & Groothandel
@@ -6602,7 +6673,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Factuurbedrag in klantorder bijwerken
 DocType: BOM,Materials,Materialen
 DocType: Leave Block List,"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."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Plaatsingsdatum en -tijd is verplicht
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Plaatsingsdatum en -tijd is verplicht
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Belasting sjabloon voor inkooptransacties .
 ,Item Prices,Artikelprijzen
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,In Woorden zijn zichtbaar zodra u de Inkooporder opslaat
@@ -6618,12 +6689,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie voor de afschrijving van de waardevermindering
 DocType: Membership,Member Since,Lid sinds
 DocType: Purchase Invoice,Advance Payments,Advance Payments
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Selecteer een zorgservice
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Selecteer een zorgservice
 DocType: Purchase Taxes and Charges,On Net Total,Op Netto Totaal
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Waarde voor kenmerk {0} moet binnen het bereik van {1} tot {2} in de stappen van {3} voor post {4}
 DocType: Restaurant Reservation,Waitlisted,wachtlijst
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Uitzonderingscategorie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuta kan niet na het maken van data met behulp van een andere valuta worden veranderd
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuta kan niet na het maken van data met behulp van een andere valuta worden veranderd
 DocType: Shipping Rule,Fixed,vast
 DocType: Vehicle Service,Clutch Plate,clutch Plate
 DocType: Company,Round Off Account,Afronden Account
@@ -6632,7 +6703,7 @@
 DocType: Subscription Plan,Based on price list,Gebaseerd op prijslijst
 DocType: Customer Group,Parent Customer Group,Bovenliggende klantgroep
 DocType: Vehicle Service,Change,Verandering
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Abonnement
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Abonnement
 DocType: Purchase Invoice,Contact Email,Contact E-mail
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Fee Creation In afwachting
 DocType: Appraisal Goal,Score Earned,Verdiende Score
@@ -6660,23 +6731,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Vorderingen / Crediteuren Account
 DocType: Delivery Note Item,Against Sales Order Item,Tegen Sales Order Item
 DocType: Company,Company Logo,Bedrijfslogo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Geef aub attribuut Waarde voor kenmerk {0}
-DocType: Item Default,Default Warehouse,Standaard Magazijn
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Geef aub attribuut Waarde voor kenmerk {0}
+DocType: QuickBooks Migrator,Default Warehouse,Standaard Magazijn
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budget kan niet tegen Group rekening worden toegewezen {0}
 DocType: Shopping Cart Settings,Show Price,Toon prijs
 DocType: Healthcare Settings,Patient Registration,Patiëntregistratie
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Vul bovenliggende kostenplaats in
 DocType: Delivery Note,Print Without Amount,Printen zonder Bedrag
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,afschrijvingen Date
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,afschrijvingen Date
 ,Work Orders in Progress,Werkorders in uitvoering
 DocType: Issue,Support Team,Support Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Vervallen (in dagen)
 DocType: Appraisal,Total Score (Out of 5),Totale Score (van de 5)
 DocType: Student Attendance Tool,Batch,Partij
 DocType: Support Search Source,Query Route String,Zoekopdracht route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Update rate vanaf de laatste aankoop
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Update rate vanaf de laatste aankoop
 DocType: Donor,Donor Type,Donor Type
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Automatisch herhaalde document bijgewerkt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Automatisch herhaalde document bijgewerkt
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Balans
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Selecteer het bedrijf
 DocType: Job Card,Job Card,Werk kaart
@@ -6690,7 +6761,7 @@
 DocType: Assessment Result,Total Score,Totale score
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601-norm
 DocType: Journal Entry,Debit Note,Debetnota
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,U kunt alleen max. {0} punten in deze volgorde inwisselen.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,U kunt alleen max. {0} punten in deze volgorde inwisselen.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Voer alstublieft API-gebruikersgeheim in
 DocType: Stock Entry,As per Stock UOM,Per Stock Verpakking
@@ -6704,10 +6775,11 @@
 DocType: Journal Entry,Total Debit,Totaal Debet
 DocType: Travel Request Costing,Sponsored Amount,Gesponsorde bedrag
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standaard Finished Goods Warehouse
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Selecteer alstublieft Patiënt
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Selecteer alstublieft Patiënt
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Verkoper
 DocType: Hotel Room Package,Amenities,voorzieningen
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Begroting en Cost Center
+DocType: QuickBooks Migrator,Undeposited Funds Account,Niet-gedeponeerd fondsenaccount
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Begroting en Cost Center
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Meerdere standaard betalingswijze is niet toegestaan
 DocType: Sales Invoice,Loyalty Points Redemption,Loyalty Points-verlossing
 ,Appointment Analytics,Benoemingsanalyse
@@ -6721,6 +6793,7 @@
 DocType: Batch,Manufacturing Date,Fabricage datum
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Fee Creation mislukt
 DocType: Opening Invoice Creation Tool,Create Missing Party,Ontbrekende partij maken
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Totale budget
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Verlaat leeg als u studentengroepen per jaar maakt
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Verlaat leeg als u studentengroepen per jaar maakt
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Indien aangevinkt, Totaal niet. van Werkdagen zal omvatten feestdagen, en dit zal de waarde van het salaris per dag te verminderen"
@@ -6738,20 +6811,19 @@
 DocType: Opportunity Item,Basic Rate,Basis Tarief
 DocType: GL Entry,Credit Amount,Credit Bedrag
 DocType: Cheque Print Template,Signatory Position,ondertekenaar Position
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Instellen als Verloren
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Instellen als Verloren
 DocType: Timesheet,Total Billable Hours,Totaal factureerbare uren
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Aantal dagen dat de abonnee de facturen moet betalen die door dit abonnement worden gegenereerd
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Employee Benefit Application Detail
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Betaling Ontvangst Opmerking
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dit is gebaseerd op transacties tegen deze klant. Zie tijdlijn hieronder voor meer informatie
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rij {0}: Toegewezen bedrag {1} moet kleiner zijn dan of gelijk aan Payment Entry bedrag {2}
 DocType: Program Enrollment Tool,New Academic Term,Nieuwe academische termijn
 ,Course wise Assessment Report,Cursusverstandig beoordelingsrapport
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Bezet ITC State / UT Tax
 DocType: Tax Rule,Tax Rule,Belasting Regel
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Handhaaf zelfde tarief gedurende verkoopcyclus
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Meld u aan als een andere gebruiker om u te registreren op Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Meld u aan als een andere gebruiker om u te registreren op Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plan tijd logs buiten Workstation Arbeidstijdenwet.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Klanten in de wachtrij
 DocType: Driver,Issuing Date,Afgifte datum
@@ -6760,11 +6832,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Dien deze werkbon in voor verdere verwerking.
 ,Items To Be Requested,Aan te vragen artikelen
 DocType: Company,Company Info,Bedrijfsinformatie
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Selecteer of voeg nieuwe klant
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Selecteer of voeg nieuwe klant
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Kostenplaats nodig is om een declaratie te boeken
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Toepassing van kapitaal (Activa)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dit is gebaseerd op de aanwezigheid van deze werknemer
-DocType: Assessment Result,Summary,Overzicht
 DocType: Payment Request,Payment Request Type,Type betalingsverzoek
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debetrekening
@@ -6772,7 +6843,7 @@
 DocType: Additional Salary,Employee Name,Werknemer Naam
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restaurantbestelling Item invoeren
 DocType: Purchase Invoice,Rounded Total (Company Currency),Afgerond Totaal (Bedrijfsvaluta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Kan niet omzetten naar groep omdat accounttype is geselecteerd.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Kan niet omzetten naar groep omdat accounttype is geselecteerd.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} is gewijzigd. Vernieuw aub.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Weerhoud gebruikers van het maken van verlofaanvragen op de volgende dagen.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Als de Loyalty Points onbeperkt verlopen, houd dan de vervalduur leeg of 0."
@@ -6793,11 +6864,12 @@
 DocType: Asset,Out of Order,Out of Order
 DocType: Purchase Receipt Item,Accepted Quantity,Geaccepteerd Aantal
 DocType: Projects Settings,Ignore Workstation Time Overlap,Negeer overlapping werkstationtijd
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Stel een standaard Holiday-lijst voor Employee {0} of Company {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Stel een standaard Holiday-lijst voor Employee {0} of Company {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} bestaat niet
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Selecteer batchnummers
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Naar GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Naar GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Factureren aan Klanten
+DocType: Healthcare Settings,Invoice Appointments Automatically,Factuurafspraken automatisch
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Project Id
 DocType: Salary Component,Variable Based On Taxable Salary,Variabele op basis van belastbaar salaris
 DocType: Company,Basic Component,Basiscomponent
@@ -6810,10 +6882,10 @@
 DocType: Stock Entry,Source Warehouse Address,Bron magazijnadres
 DocType: GL Entry,Voucher Type,Voucher Type
 DocType: Amazon MWS Settings,Max Retry Limit,Max. Herhaalgrens
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld
 DocType: Student Applicant,Approved,Aangenomen
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,prijs
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Werknemer ontslagen op {0} moet worden ingesteld als 'Verlaten'
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Werknemer ontslagen op {0} moet worden ingesteld als 'Verlaten'
 DocType: Marketplace Settings,Last Sync On,Last Sync On
 DocType: Guardian,Guardian,Voogd
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Alle communicatie, inclusief en daarboven, wordt verplaatst naar de nieuwe uitgave"
@@ -6836,14 +6908,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Lijst met gedetecteerde ziekten op het veld. Na selectie voegt het automatisch een lijst met taken toe om de ziekte aan te pakken
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Dit is een service-eenheid voor basisgezondheidszorg en kan niet worden bewerkt.
 DocType: Asset Repair,Repair Status,Reparatiestatus
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Voeg verkooppartners toe
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Journaalposten.
 DocType: Travel Request,Travel Request,Reisverzoek
 DocType: Delivery Note Item,Available Qty at From Warehouse,Aantal beschikbaar bij Van Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Selecteer eerst Werknemer Record.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Aanwezigheid niet ingediend voor {0} omdat het een feestdag is.
 DocType: POS Profile,Account for Change Amount,Account for Change Bedrag
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Verbinden met QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Totale winst / verlies
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Ongeldig bedrijf voor factuur tussen onderneming.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Ongeldig bedrijf voor factuur tussen onderneming.
 DocType: Purchase Invoice,input service,invoerdienst
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rij {0}: Party / Account komt niet overeen met {1} / {2} in {3} {4}
 DocType: Employee Promotion,Employee Promotion,Werknemersbevordering
@@ -6852,12 +6926,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Cursuscode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Vul Kostenrekening in
 DocType: Account,Stock,Voorraad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rij # {0}: Reference document moet een van Purchase Order, Purchase Invoice of Inboeken zijn"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rij # {0}: Reference document moet een van Purchase Order, Purchase Invoice of Inboeken zijn"
 DocType: Employee,Current Address,Huidige adres
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Als artikel is een variant van een ander item dan beschrijving, afbeelding, prijzen, belastingen etc zal worden ingesteld van de sjabloon, tenzij expliciet vermeld"
 DocType: Serial No,Purchase / Manufacture Details,Inkoop / Productie Details
 DocType: Assessment Group,Assessment Group,assessment Group
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Batch Inventory
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Procedure Naam
 DocType: Employee,Contract End Date,Contract Einddatum
 DocType: Amazon MWS Settings,Seller ID,Verkoper-ID
@@ -6877,12 +6952,12 @@
 DocType: Company,Date of Incorporation,Datum van oprichting
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Tax
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Laatste aankoopprijs
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Voor Hoeveelheid (Geproduceerd Aantal) is verplicht
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Voor Hoeveelheid (Geproduceerd Aantal) is verplicht
 DocType: Stock Entry,Default Target Warehouse,Standaard Doelmagazijn
 DocType: Purchase Invoice,Net Total (Company Currency),Netto Totaal (Bedrijfsvaluta)
 DocType: Delivery Note,Air,Lucht
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Het Jaar Einddatum kan niet eerder dan het jaar startdatum. Corrigeer de data en probeer het opnieuw.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} staat niet in de optionele vakantielijst
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} staat niet in de optionele vakantielijst
 DocType: Notification Control,Purchase Receipt Message,Ontvangstbevestiging Bericht
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Scrap items
@@ -6905,23 +6980,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Vervulling
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Aantal van vorige rij
 DocType: Item,Has Expiry Date,Heeft vervaldatum
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfer Asset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfer Asset
 DocType: POS Profile,POS Profile,POS Profiel
 DocType: Training Event,Event Name,Evenement naam
 DocType: Healthcare Practitioner,Phone (Office),Telefoon (kantoor)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Kan niet indienen, werknemers verlaten om aanwezigheid te markeren"
 DocType: Inpatient Record,Admission,Toelating
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Opnames voor {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het vaststellen van budgetten, doelstellingen etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het vaststellen van budgetten, doelstellingen etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabele naam
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Item {0} is een sjabloon, selecteert u één van de varianten"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Stel Employee Naming System in Human Resource&gt; HR-instellingen in
+DocType: Purchase Invoice Item,Deferred Expense,Uitgestelde kosten
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Van datum {0} kan niet vóór de indiensttreding van de werknemer zijn Date {1}
 DocType: Asset,Asset Category,Asset Categorie
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Nettoloon kan niet negatief zijn
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Nettoloon kan niet negatief zijn
 DocType: Purchase Order,Advance Paid,Voorschot Betaald
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproductiepercentage voor klantorder
 DocType: Item,Item Tax,Artikel Belasting
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiaal aan Leverancier
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiaal aan Leverancier
 DocType: Soil Texture,Loamy Sand,Leemachtige zand
 DocType: Production Plan,Material Request Planning,Materiaal Verzoek Planning
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Accijnzen Factuur
@@ -6943,11 +7020,11 @@
 DocType: Scheduling Tool,Scheduling Tool,scheduling Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kredietkaart
 DocType: BOM,Item to be manufactured or repacked,Artikel te vervaardigen of herverpakken
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Syntaxisfout in voorwaarde: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Syntaxisfout in voorwaarde: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Major / keuzevakken
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Gelieve Leveranciergroep in te stellen in Koopinstellingen.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Gelieve Leveranciergroep in te stellen in Koopinstellingen.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Het totale bedrag van de flexibele uitkeringscomponent {0} mag niet minder zijn dan de maximale voordelen {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Geschorst
@@ -6967,7 +7044,7 @@
 DocType: Customer,Commission Rate,Commissie Rate
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Met succes betalingsgegevens aangemaakt
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Gecreëerd {0} scorecards voor {1} tussen:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Maak Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Maak Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Betaling Type moet een van te ontvangen, betalen en Internal Transfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Voorkeursgebied voor logies
 apps/erpnext/erpnext/config/selling.py +184,Analytics,analytics
@@ -6978,7 +7055,7 @@
 DocType: Work Order,Actual Operating Cost,Werkelijke operationele kosten
 DocType: Payment Entry,Cheque/Reference No,Cheque / Reference No
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root kan niet worden bewerkt .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root kan niet worden bewerkt .
 DocType: Item,Units of Measure,Meeteenheden
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Gehuurd in Metro City
 DocType: Supplier,Default Tax Withholding Config,Standaard belastingverrekening Config
@@ -6996,21 +7073,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Na betaling voltooiing omleiden gebruiker geselecteerde pagina.
 DocType: Company,Existing Company,bestaande Company
 DocType: Healthcare Settings,Result Emailed,Resultaat Emailed
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Belastingcategorie is gewijzigd in &quot;Totaal&quot; omdat alle items niet-voorraad items zijn
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Belastingcategorie is gewijzigd in &quot;Totaal&quot; omdat alle items niet-voorraad items zijn
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Tot op heden kan niet gelijk of kleiner zijn dan van datum
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Niets om te veranderen
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Selecteer een CSV-bestand
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Selecteer een CSV-bestand
 DocType: Holiday List,Total Holidays,Totaal vakantie
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Ontbrekende e-mailsjabloon voor verzending. Stel een in bij Delivery-instellingen.
 DocType: Student Leave Application,Mark as Present,Mark als Cadeau
 DocType: Supplier Scorecard,Indicator Color,Indicator Kleur
 DocType: Purchase Order,To Receive and Bill,Te ontvangen en Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Rij # {0}: Gewenste datum mag niet vóór Transactiedatum liggen
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Rij # {0}: Gewenste datum mag niet vóór Transactiedatum liggen
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Aanbevolen producten
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Selecteer serienummer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Selecteer serienummer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Ontwerper
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Algemene voorwaarden Template
 DocType: Serial No,Delivery Details,Levering Details
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,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}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,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}
 DocType: Program,Program Code,programma Code
 DocType: Terms and Conditions,Terms and Conditions Help,Voorwaarden Help
 ,Item-wise Purchase Register,Artikelgebaseerde Inkoop Register
@@ -7023,15 +7101,16 @@
 DocType: Contract,Contract Terms,Contract termen
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Vertoon geen symbool zoals $, enz. naast valuta."
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maximale voordeelhoeveelheid van component {0} overschrijdt {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Halve Dag)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Halve Dag)
 DocType: Payment Term,Credit Days,Credit Dagen
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Selecteer Patiënt om Lab-tests te krijgen
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Maak Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Overdracht toestaan voor vervaardiging
 DocType: Leave Type,Is Carry Forward,Is Forward Carry
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Artikelen ophalen van Stuklijst
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Artikelen ophalen van Stuklijst
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time Dagen
 DocType: Cash Flow Mapping,Is Income Tax Expense,Is de inkomstenbelasting
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Je bestelling is uit voor levering!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rij # {0}: Plaatsingsdatum moet hetzelfde zijn als aankoopdatum {1} van de activa {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Controleer dit als de student in het hostel van het Instituut verblijft.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Vul verkooporders in de bovenstaande tabel
@@ -7039,10 +7118,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transfer een troef van het ene magazijn naar het andere
 DocType: Vehicle,Petrol,Benzine
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Resterende voordelen (jaarlijks)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Stuklijst
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Stuklijst
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Rij {0}: Party Type en Party is vereist voor Debiteuren / Crediteuren rekening {1}
 DocType: Employee,Leave Policy,Leave Policy
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Items bijwerken
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Items bijwerken
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Date
 DocType: Employee,Reason for Leaving,Reden voor vertrek
 DocType: BOM Operation,Operating Cost(Company Currency),Bedrijfskosten (Company Munt)
@@ -7053,7 +7132,7 @@
 DocType: Department,Expense Approvers,Expense Approvers
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Rij {0}: debitering niet kan worden verbonden met een {1}
 DocType: Journal Entry,Subscription Section,Abonnementsafdeling
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Rekening {0} bestaat niet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Rekening {0} bestaat niet
 DocType: Training Event,Training Program,Oefenprogramma
 DocType: Account,Cash,Contant
 DocType: Employee,Short biography for website and other publications.,Korte biografie voor website en andere publicaties.
diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv
index ab71851..10acc45 100644
--- a/erpnext/translations/no.csv
+++ b/erpnext/translations/no.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Kunde Items
 DocType: Project,Costing and Billing,Kalkulasjon og fakturering
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Forhåndskonto valuta må være den samme som selskapets valuta {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Parent konto {1} kan ikke være en hovedbok
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Parent konto {1} kan ikke være en hovedbok
 DocType: Item,Publish Item to hub.erpnext.com,Publiser varen til hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Kan ikke finne aktiv permisjonstid
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Kan ikke finne aktiv permisjonstid
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,evaluering
 DocType: Item,Default Unit of Measure,Standard måleenhet
 DocType: SMS Center,All Sales Partner Contact,All Sales Partner Kontakt
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klikk på Enter for å legge til
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Manglende verdi for Password, API Key eller Shopify URL"
 DocType: Employee,Rented,Leide
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Alle kontoer
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Alle kontoer
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Kan ikke overføre medarbeider med status til venstre
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppet produksjonsordre kan ikke avbestilles, Døves det første å avbryte"
 DocType: Vehicle Service,Mileage,Kilometer
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Har du virkelig ønsker å hugge denne eiendelen?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Har du virkelig ønsker å hugge denne eiendelen?
 DocType: Drug Prescription,Update Schedule,Oppdater plan
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Velg Standard Leverandør
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Vis medarbeider
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Ny valutakurs
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta er nødvendig for Prisliste {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuta er nødvendig for Prisliste {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Vil bli beregnet i transaksjonen.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Kundekontakt
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Dette er basert på transaksjoner mot denne leverandøren. Se tidslinjen nedenfor for detaljer
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Overproduksjonsprosent for arbeidsordre
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Juridisk
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Juridisk
+DocType: Delivery Note,Transport Receipt Date,Transportkvitteringsdato
 DocType: Shopify Settings,Sales Order Series,Salgsordre Serie
 DocType: Vital Signs,Tongue,Tunge
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA-fritak
 DocType: Sales Invoice,Customer Name,Kundenavn
 DocType: Vehicle,Natural Gas,Naturgass
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankkonto kan ikke bli navngitt som {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankkonto kan ikke bli navngitt som {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA som per lønnsstruktur
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoder (eller grupper) mot hvilke regnskapspostene er laget og balanserer opprettholdes.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Enestående for {0} kan ikke være mindre enn null ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Service Stop Date kan ikke være før service startdato
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Service Stop Date kan ikke være før service startdato
 DocType: Manufacturing Settings,Default 10 mins,Standard 10 minutter
 DocType: Leave Type,Leave Type Name,La Type Navn
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Vis åpen
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Vis åpen
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Serien er oppdatert
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Sjekk ut
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} i rad {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} i rad {1}
 DocType: Asset Finance Book,Depreciation Start Date,Avskrivning Startdato
 DocType: Pricing Rule,Apply On,Påfør på
 DocType: Item Price,Multiple Item prices.,Flere varepriser.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,støtte~~POS=TRUNC Innstillinger
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Forventet Sluttdato kan ikke være mindre enn Tiltredelse
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Innstillinger
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Pris må være samme som {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Pris må være samme som {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch Element Utløps Status
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Draft
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primær kontaktdetaljer
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,åpne spørsmål
 DocType: Production Plan Item,Production Plan Item,Produksjonsplan Sak
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Bruker {0} er allerede tildelt Employee {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Bruker {0} er allerede tildelt Employee {1}
 DocType: Lab Test Groups,Add new line,Legg til ny linje
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Helsevesen
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Forsinket betaling (dager)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Forsinkelsesdager
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjenesten Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede referert i salgsfaktura: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede referert i salgsfaktura: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura
 DocType: Purchase Invoice Item,Item Weight Details,Vektdetaljer
 DocType: Asset Maintenance Log,Periodicity,Periodisitet
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Regnskapsår {0} er nødvendig
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Leverandør&gt; Leverandørgruppe
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimumsavstanden mellom rader av planter for optimal vekst
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Forsvars
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Holiday List
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Accountant
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Selge prisliste
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Selge prisliste
 DocType: Patient,Tobacco Current Use,Nåværende bruk av tobakk
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Selgingsfrekvens
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Selgingsfrekvens
 DocType: Cost Center,Stock User,Stock User
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontaktinformasjon
 DocType: Company,Phone No,Telefonnr
 DocType: Delivery Trip,Initial Email Notification Sent,Innledende e-postvarsling sendt
 DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Abonnements startdato
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Standardfordelbare kontoer som skal brukes hvis ikke satt inn i pasienten for å bestille avtalekostnader.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Fest CSV-fil med to kolonner, en for det gamle navnet og en for det nye navnet"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Fra adresse 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Varenummer&gt; Varegruppe&gt; Varemerke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Fra adresse 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ikke i noen aktiv regnskapsåret.
 DocType: Packed Item,Parent Detail docname,Parent Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Henvisning: {0}, Varenummer: {1} og kunde: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} er ikke til stede i morselskapet
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} er ikke til stede i morselskapet
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Prøveperiode Sluttdato kan ikke være før startdato for prøveperiode
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Skattelettende kategori
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Annonsering
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Samme firma er angitt mer enn én gang
 DocType: Patient,Married,Gift
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ikke tillatt for {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ikke tillatt for {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Få elementer fra
 DocType: Price List,Price Not UOM Dependant,Pris Ikke UOM Avhengig
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Påfør gjeldsbeløp
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock kan ikke oppdateres mot følgeseddel {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Totalt beløp krevet
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock kan ikke oppdateres mot følgeseddel {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Totalt beløp krevet
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Ingen elementer oppført
 DocType: Asset Repair,Error Description,Feilbeskrivelse
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Bruk tilpasset kontantstrømformat
 DocType: SMS Center,All Sales Person,All Sales Person
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Månedlig Distribusjon ** hjelper deg distribuere Budsjett / Target over måneder hvis du har sesongvariasjoner i din virksomhet.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ikke elementer funnet
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Lønn Struktur Missing
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ikke elementer funnet
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Lønn Struktur Missing
 DocType: Lead,Person Name,Person Name
 DocType: Sales Invoice Item,Sales Invoice Item,Salg Faktura Element
 DocType: Account,Credit,Credit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,lager rapporter
 DocType: Warehouse,Warehouse Detail,Warehouse Detalj
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Begrepet Sluttdato kan ikke være senere enn året sluttdato av studieåret som begrepet er knyttet (studieåret {}). Korriger datoene, og prøv igjen."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Er Fixed Asset&quot; ikke kan være ukontrollert, som Asset post eksisterer mot elementet"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Er Fixed Asset&quot; ikke kan være ukontrollert, som Asset post eksisterer mot elementet"
 DocType: Delivery Trip,Departure Time,Avgangstid
 DocType: Vehicle Service,Brake Oil,bremse~~POS=TRUNC Oil
 DocType: Tax Rule,Tax Type,Skatt Type
 ,Completed Work Orders,Fullførte arbeidsordrer
 DocType: Support Settings,Forum Posts,Foruminnlegg
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Skattepliktig beløp
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Skattepliktig beløp
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Du er ikke autorisert til å legge til eller oppdatere bloggen før {0}
 DocType: Leave Policy,Leave Policy Details,Legg til policyinformasjon
 DocType: BOM,Item Image (if not slideshow),Sak Image (hvis ikke show)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timepris / 60) * Faktisk Operation Tid
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referansedokumenttype må være en av kostnadskrav eller journaloppføring
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Velg BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referansedokumenttype må være en av kostnadskrav eller journaloppføring
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Velg BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnad for leverte varer
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Ferien på {0} er ikke mellom Fra dato og Til dato
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Maler av leverandørstillinger.
 DocType: Lead,Interested,Interessert
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Åpning
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Fra {0} til {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Fra {0} til {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Kunne ikke sette opp skatt
 DocType: Item,Copy From Item Group,Kopier fra varegruppe
-DocType: Delivery Trip,Delivery Notification,Leveringsvarsling
 DocType: Journal Entry,Opening Entry,Åpning Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Bare konto Pay
 DocType: Loan,Repay Over Number of Periods,Betale tilbake over antall perioder
 DocType: Stock Entry,Additional Costs,Tilleggskostnader
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Konto med eksisterende transaksjon kan ikke konverteres til gruppen.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Konto med eksisterende transaksjon kan ikke konverteres til gruppen.
 DocType: Lead,Product Enquiry,Produkt Forespørsel
 DocType: Education Settings,Validate Batch for Students in Student Group,Valider batch for studenter i studentgruppen
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Ingen forlater plate funnet for ansatt {0} og {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Skriv inn et selskap først
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Vennligst velg selskapet først
 DocType: Employee Education,Under Graduate,Under Graduate
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Vennligst angi standardmal for statusmeldingsstatus i HR-innstillinger.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Vennligst angi standardmal for statusmeldingsstatus i HR-innstillinger.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target På
 DocType: BOM,Total Cost,Totalkostnad
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoutskrift
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmasi
 DocType: Purchase Invoice Item,Is Fixed Asset,Er Fast Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Tilgjengelig stk er {0}, må du {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Tilgjengelig stk er {0}, må du {1}"
 DocType: Expense Claim Detail,Claim Amount,Krav Beløp
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Arbeidsordre har vært {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Kvalitetskontrollmaler
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Ønsker du å oppdatere oppmøte? <br> Present: {0} \ <br> Fraværende: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akseptert + Avvist Antall må være lik mottatt kvantum for Element {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akseptert + Avvist Antall må være lik mottatt kvantum for Element {0}
 DocType: Item,Supply Raw Materials for Purchase,Leverer råvare til Purchase
 DocType: Agriculture Analysis Criteria,Fertilizer,Gjødsel
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Kan ikke garantere levering med serienummer som \ Item {0} er lagt til med og uten Sikre Levering med \ Serienr.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,I det minste én modus av betaling er nødvendig for POS faktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,I det minste én modus av betaling er nødvendig for POS faktura.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankkonto Transaksjonsfaktura
 DocType: Products Settings,Show Products as a List,Vis produkter på en liste
 DocType: Salary Detail,Tax on flexible benefit,Skatt på fleksibel fordel
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Antall
 DocType: Production Plan,Material Request Detail,Material Request Detail
 DocType: Selling Settings,Default Quotation Validity Days,Standard Quotation Gyldighetsdager
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","For å inkludere skatt i rad {0} i Element rente, skatt i rader {1} må også inkluderes"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","For å inkludere skatt i rad {0} i Element rente, skatt i rader {1} må også inkluderes"
 DocType: SMS Center,SMS Center,SMS-senter
 DocType: Payroll Entry,Validate Attendance,Bekreft tilstedeværelse
 DocType: Sales Invoice,Change Amount,endring Beløp
 DocType: Party Tax Withholding Config,Certificate Received,Sertifikat mottatt
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Angi fakturaverdi for B2C. B2CL og B2CS beregnet ut fra denne fakturaverdien.
 DocType: BOM Update Tool,New BOM,New BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Foreskrevne prosedyrer
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Foreskrevne prosedyrer
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Vis bare POS
 DocType: Supplier Group,Supplier Group Name,Leverandørgruppens navn
 DocType: Driver,Driving License Categories,Kjørelisenskategorier
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Lønn Perioder
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Gjør Employee
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Kringkasting
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Oppsettmodus for POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Oppsettmodus for POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Deaktiverer opprettelse av tidslogger mot arbeidsordre. Operasjoner skal ikke spores mot arbeidsordre
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Execution
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detaljene for operasjonen utføres.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Rabatt på Prisliste Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Artikkelmal
 DocType: Job Offer,Select Terms and Conditions,Velg Vilkår
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,ut Verdi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,ut Verdi
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Innstillingsinnstillinger for bankkontoen
 DocType: Woocommerce Settings,Woocommerce Settings,Innstillinger for WoCommerce
 DocType: Production Plan,Sales Orders,Salgsordrer
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Anmodningen om sitatet kan nås ved å klikke på følgende link
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsbeskrivelse
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,utilstrekkelig Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,utilstrekkelig Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapasitetsplanlegging og Time Tracking
 DocType: Email Digest,New Sales Orders,Nye salgsordrer
 DocType: Bank Account,Bank Account,Bankkonto
 DocType: Travel Itinerary,Check-out Date,Utsjekkingsdato
 DocType: Leave Type,Allow Negative Balance,Tillat negativ saldo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Du kan ikke slette Project Type &#39;External&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Velg alternativt element
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Velg alternativt element
 DocType: Employee,Create User,Opprett bruker
 DocType: Selling Settings,Default Territory,Standard Territory
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,TV
 DocType: Work Order Operation,Updated via 'Time Log',Oppdatert via &#39;Time Logg&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Velg kunden eller leverandøren.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Advance beløpet kan ikke være større enn {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Advance beløpet kan ikke være større enn {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidsluke hoppet over, sporet {0} til {1} overlapper eksisterende spor {2} til {3}"
 DocType: Naming Series,Series List for this Transaction,Serien Liste for denne transaksjonen
 DocType: Company,Enable Perpetual Inventory,Aktiver evigvarende beholdning
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Mot Salg Faktura Element
 DocType: Agriculture Analysis Criteria,Linked Doctype,Tilknyttet doktype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Netto kontantstrøm fra finansierings
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Localstorage er full, ikke spare"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Localstorage er full, ikke spare"
 DocType: Lead,Address & Contact,Adresse og kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Legg ubrukte blader fra tidligere bevilgninger
 DocType: Sales Partner,Partner website,partner nettstedet
@@ -447,10 +447,10 @@
 ,Open Work Orders,Åpne arbeidsordre
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Charge Item
 DocType: Payment Term,Credit Months,Kredittmåneder
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Nettolønn kan ikke være mindre enn 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Nettolønn kan ikke være mindre enn 0
 DocType: Contract,Fulfilled,Oppfylt
 DocType: Inpatient Record,Discharge Scheduled,Utslipp planlagt
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Lindrende Dato må være større enn tidspunktet for inntreden
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Lindrende Dato må være større enn tidspunktet for inntreden
 DocType: POS Closing Voucher,Cashier,Kasserer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Later per år
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Rad {0}: Vennligst sjekk &#39;Er Advance &quot;mot Account {1} hvis dette er et forskudd oppføring.
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Vennligst oppsett Studentene under Student Grupper
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Fullstendig jobb
 DocType: Item Website Specification,Item Website Specification,Sak Nettsted Spesifikasjon
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,La Blokkert
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Element {0} har nådd slutten av livet på {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,La Blokkert
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Element {0} har nådd slutten av livet på {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank Entries
 DocType: Customer,Is Internal Customer,Er intern kunde
 DocType: Crop,Annual,Årlig
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Hvis Auto Opt In er merket, blir kundene automatisk koblet til det berørte lojalitetsprogrammet (ved lagring)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Avstemming Element
 DocType: Stock Entry,Sales Invoice No,Salg Faktura Nei
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Forsyningstype
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Forsyningstype
 DocType: Material Request Item,Min Order Qty,Min Bestill Antall
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Gruppe Creation Tool Course
 DocType: Lead,Do Not Contact,Ikke kontakt
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publisere i Hub
 DocType: Student Admission,Student Admission,student Entre
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Element {0} er kansellert
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Element {0} er kansellert
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Avskrivningsrute {0}: Avskrivnings startdato er oppgitt som siste dato
 DocType: Contract Template,Fulfilment Terms and Conditions,Oppfyllingsvilkår
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materialet Request
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materialet Request
 DocType: Bank Reconciliation,Update Clearance Date,Oppdater Lagersalg Dato
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Kjøps Detaljer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} ble ikke funnet i &#39;Råvare Leveres&#39; bord i innkjøpsordre {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} ble ikke funnet i &#39;Råvare Leveres&#39; bord i innkjøpsordre {1}
 DocType: Salary Slip,Total Principal Amount,Sum hovedbeløp
 DocType: Student Guardian,Relation,Relasjon
 DocType: Student Guardian,Mother,Mor
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Shipping fylke
 DocType: Currency Exchange,For Selling,For Selg
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Lære
+DocType: Purchase Invoice Item,Enable Deferred Expense,Aktiver utsatt utgift
 DocType: Asset,Next Depreciation Date,Neste Avskrivninger Dato
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitet Kostnad per Employee
 DocType: Accounts Settings,Settings for Accounts,Innstillinger for kontoer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Leverandør Faktura Ingen eksisterer i fakturaen {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Leverandør Faktura Ingen eksisterer i fakturaen {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Administrer Sales Person treet.
 DocType: Job Applicant,Cover Letter,Cover Letter
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Utestående Sjekker og Innskudd å tømme
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Ekstern Work History
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Rundskriv Reference Error
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studentrapportkort
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Fra Pin Code
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Fra Pin Code
 DocType: Appointment Type,Is Inpatient,Er pasient
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Name
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,I Words (eksport) vil være synlig når du lagrer følgeseddel.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Multi Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura Type
 DocType: Employee Benefit Claim,Expense Proof,Utgiftsbevis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Levering Note
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Lagrer {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Levering Note
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Sette opp skatter
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Cost of Selges Asset
 DocType: Volunteer,Morning,Morgen
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Entry har blitt endret etter at du trakk den. Kan trekke det igjen.
 DocType: Program Enrollment Tool,New Student Batch,Ny studentbatch
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} registrert to ganger i pkt Skatte
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Oppsummering for denne uken og ventende aktiviteter
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} registrert to ganger i pkt Skatte
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Oppsummering for denne uken og ventende aktiviteter
 DocType: Student Applicant,Admitted,innrømmet
 DocType: Workstation,Rent Cost,Rent Cost
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Mengde etter avskrivninger
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Mengde etter avskrivninger
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Kommende kalenderhendelser
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant attributter
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Velg måned og år
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Det kan bare være en konto per Company i {0} {1}
 DocType: Support Search Source,Response Result Key Path,Response Result Key Path
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},For kvantitet {0} bør ikke være rifler enn arbeidsordre mengde {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Vennligst se vedlegg
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},For kvantitet {0} bør ikke være rifler enn arbeidsordre mengde {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Vennligst se vedlegg
 DocType: Purchase Order,% Received,% Mottatt
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Opprett studentgrupper
 DocType: Volunteer,Weekends,helger
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Totalt Utestående
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Endre start / strøm sekvensnummer av en eksisterende serie.
 DocType: Dosage Strength,Strength,Styrke
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Opprett en ny kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Opprett en ny kunde
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Utløper på
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Hvis flere Pris Regler fortsette å råde, blir brukerne bedt om å sette Priority manuelt for å løse konflikten."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Opprette innkjøpsordrer
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Forbrukskostnads
 DocType: Purchase Receipt,Vehicle Date,Vehicle Dato
 DocType: Student Log,Medical,Medisinsk
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Grunnen for å tape
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Vennligst velg Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Grunnen for å tape
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Vennligst velg Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Bly Eier kan ikke være det samme som Lead
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Avsatt beløp kan ikke større enn ujustert beløp
 DocType: Announcement,Receiver,mottaker
 DocType: Location,Area UOM,Område UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation er stengt på følgende datoer som per Holiday Liste: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Muligheter
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Muligheter
 DocType: Lab Test Template,Single,Enslig
 DocType: Compensatory Leave Request,Work From Date,Arbeid fra dato
 DocType: Salary Slip,Total Loan Repayment,Total Loan Nedbetaling
+DocType: Project User,View attachments,Se vedlegg
 DocType: Account,Cost of Goods Sold,Varekostnad
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Skriv inn kostnadssted
 DocType: Drug Prescription,Dosage,Dosering
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Kvantitet og Rate
 DocType: Delivery Note,% Installed,% Installert
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasserom / Laboratorier etc hvor forelesningene kan planlegges.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Bedriftsvalutaer for begge selskapene bør samsvare for Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Bedriftsvalutaer for begge selskapene bør samsvare for Inter Company Transactions.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Skriv inn firmanavn først
 DocType: Travel Itinerary,Non-Vegetarian,Ikke-Vegetarisk
 DocType: Purchase Invoice,Supplier Name,Leverandør Name
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Midlertidig på vent
 DocType: Account,Is Group,Is Gruppe
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditt notat {0} er opprettet automatisk
-DocType: Email Digest,Pending Purchase Orders,Avventer innkjøpsordrer
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatisk Sett Serial Nos basert på FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Sjekk Leverandør fakturanummer Unikhet
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primæradresse detaljer
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Tilpass innledende tekst som går som en del av e-posten. Hver transaksjon har en egen innledende tekst.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Row {0}: Drift er nødvendig mot råvareelementet {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Vennligst angi standard betalbar konto for selskapet {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transaksjon ikke tillatt mot stoppet Arbeidsordre {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transaksjon ikke tillatt mot stoppet Arbeidsordre {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc-tall
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globale innstillinger for alle produksjonsprosesser.
 DocType: Accounts Settings,Accounts Frozen Upto,Regnskap Frozen Opp
 DocType: SMS Log,Sent On,Sendte På
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Attributtet {0} valgt flere ganger i attributter Table
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Attributtet {0} valgt flere ganger i attributter Table
 DocType: HR Settings,Employee record is created using selected field. ,Ansatt posten er opprettet ved hjelp av valgte feltet.
 DocType: Sales Order,Not Applicable,Gjelder ikke
 DocType: Amazon MWS Settings,UK,Storbritannia
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Ansatt {0} har allerede søkt om {1} på {2}:
 DocType: Inpatient Record,AB Positive,AB Positiv
 DocType: Job Opening,Description of a Job Opening,Beskrivelse av en ledig jobb
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Ventende aktiviteter for i dag
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Ventende aktiviteter for i dag
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Lønn Component for timebasert lønn.
+DocType: Driver,Applicable for external driver,Gjelder for ekstern driver
 DocType: Sales Order Item,Used for Production Plan,Brukes for Produksjonsplan
 DocType: Loan,Total Payment,totalt betaling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Kan ikke avbryte transaksjonen for fullført arbeidsordre.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Kan ikke avbryte transaksjonen for fullført arbeidsordre.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minutter)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO allerede opprettet for alle salgsordreelementer
 DocType: Healthcare Service Unit,Occupied,opptatt
 DocType: Clinical Procedure,Consumables,forbruks~~POS=TRUNC
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} er kansellert, slik at handlingen ikke kan fullføres"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} er kansellert, slik at handlingen ikke kan fullføres"
 DocType: Customer,Buyer of Goods and Services.,Kjøper av varer og tjenester.
 DocType: Journal Entry,Accounts Payable,Leverandørgjeld
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Beløpet på {0} som er angitt i denne betalingsanmodningen, er forskjellig fra det beregnede beløpet for alle betalingsplaner: {1}. Pass på at dette er riktig før du sender dokumentet."
 DocType: Patient,Allergies,allergi
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,De valgte stykklister er ikke for den samme varen
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,De valgte stykklister er ikke for den samme varen
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Endre varenummer
 DocType: Supplier Scorecard Standing,Notify Other,Varsle Andre
 DocType: Vital Signs,Blood Pressure (systolic),Blodtrykk (systolisk)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Nok Deler bygge
 DocType: POS Profile User,POS Profile User,POS Profil Bruker
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Row {0}: Avskrivnings startdato er nødvendig
-DocType: Sales Invoice Item,Service Start Date,Service Startdato
+DocType: Purchase Invoice Item,Service Start Date,Service Startdato
 DocType: Subscription Invoice,Subscription Invoice,Abonnementsfaktura
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Direkte Inntekt
 DocType: Patient Appointment,Date TIme,Dato tid
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Rutine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetikk
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Vennligst velg sluttdato for fullført aktivitetsvedlikeholdslogg
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Å fusjonere, må følgende egenskaper være lik for begge elementene"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Å fusjonere, må følgende egenskaper være lik for begge elementene"
 DocType: Supplier,Block Supplier,Blokker leverandør
 DocType: Shipping Rule,Net Weight,Netto Vekt
 DocType: Job Opening,Planned number of Positions,Planlagt antall posisjoner
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Cash Flow Mapping Template
 DocType: Travel Request,Costing Details,Kostnadsdetaljer
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Vis returinnlegg
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serie ingen element kan ikke være en brøkdel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serie ingen element kan ikke være en brøkdel
 DocType: Journal Entry,Difference (Dr - Cr),Forskjellen (Dr - Cr)
 DocType: Bank Guarantee,Providing,Gir
 DocType: Account,Profit and Loss,Gevinst og tap
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Ikke tillatt, konfigurer Lab Test Template etter behov"
 DocType: Patient,Risk Factors,Risikofaktorer
 DocType: Patient,Occupational Hazards and Environmental Factors,Arbeidsfare og miljøfaktorer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Lageroppføringer allerede opprettet for arbeidsordre
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Lageroppføringer allerede opprettet for arbeidsordre
 DocType: Vital Signs,Respiratory rate,Respirasjonsfrekvens
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Administrerende Underleverandører
 DocType: Vital Signs,Body Temperature,Kroppstemperatur
 DocType: Project,Project will be accessible on the website to these users,Prosjektet vil være tilgjengelig på nettstedet til disse brukerne
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Kan ikke kansellere {0} {1} fordi serienummer {2} ikke tilhører lageret {3}
 DocType: Detected Disease,Disease,Sykdom
+DocType: Company,Default Deferred Expense Account,Standard utsatt utgiftskonto
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definer Prosjekttype.
 DocType: Supplier Scorecard,Weighting Function,Vekting Funksjon
 DocType: Healthcare Practitioner,OP Consulting Charge,OP-konsulentkostnad
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,Produserte varer
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Match transaksjon til fakturaer
 DocType: Sales Order Item,Gross Profit,Bruttofortjeneste
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Fjern blokkering av faktura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Fjern blokkering av faktura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Tilveksten kan ikke være 0
 DocType: Company,Delete Company Transactions,Slett transaksjoner
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referansenummer og Reference Date er obligatorisk for Bank transaksjon
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Ignorer
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} er ikke aktiv
 DocType: Woocommerce Settings,Freight and Forwarding Account,Frakt- og videresendingskonto
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Oppsett sjekk dimensjoner for utskrift
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Oppsett sjekk dimensjoner for utskrift
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Opprett lønnsslipp
 DocType: Vital Signs,Bloated,oppblåst
 DocType: Salary Slip,Salary Slip Timesheet,Lønn Slip Timeregistrering
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underleverandør Kjøpskvittering
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underleverandør Kjøpskvittering
 DocType: Item Price,Valid From,Gyldig Fra
 DocType: Sales Invoice,Total Commission,Total Commission
 DocType: Tax Withholding Account,Tax Withholding Account,Skattebetalingskonto
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Alle leverandørens scorecards.
 DocType: Buying Settings,Purchase Receipt Required,Kvitteringen Påkrevd
 DocType: Delivery Note,Rail,Rail
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Mållager i rad {0} må være det samme som Arbeidsordre
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Verdsettelse Rate er obligatorisk hvis Åpning Stock oppgitt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Mållager i rad {0} må være det samme som Arbeidsordre
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Verdsettelse Rate er obligatorisk hvis Åpning Stock oppgitt
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Ingen poster ble funnet i Faktura tabellen
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Vennligst velg først selskapet og Party Type
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Sett allerede standard i pos profil {0} for bruker {1}, vennligst deaktivert standard"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finansiell / regnskap år.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finansiell / regnskap år.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,akkumulerte verdier
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Sorry, kan Serial Nos ikke bli slått sammen"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kundegruppe vil sette til valgt gruppe mens du synkroniserer kunder fra Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,Lead Id
 DocType: C-Form Invoice Detail,Grand Total,Grand Total
 DocType: Assessment Plan,Course,Kurs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Seksjonskode
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Seksjonskode
 DocType: Timesheet,Payslip,payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Halvdagsdagen bør være mellom dato og dato
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Sak Handlekurv
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Personlig Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Medlemskaps-ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Levering: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Levering: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Koblet til QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Betales konto
 DocType: Payment Entry,Type of Payment,Type Betaling
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Halvdagsdato er obligatorisk
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Fraktregningsdato
 DocType: Production Plan,Production Plan,Produksjonsplan
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Åpning av fakturaopprettingsverktøy
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Sales Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Merk: Totalt tildelte blader {0} bør ikke være mindre enn allerede innvilgede permisjoner {1} for perioden
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Angi antall i transaksjoner basert på serienummerinngang
 ,Total Stock Summary,Totalt lageroppsummering
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,Kunden eller Element
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kundedatabase.
 DocType: Quotation,Quotation To,Sitat Å
-DocType: Lead,Middle Income,Middle Income
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Middle Income
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Åpning (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard Enhet for Element {0} kan ikke endres direkte fordi du allerede har gjort noen transaksjon (er) med en annen målenheter. Du må opprette et nytt element for å bruke et annet standardmålenheter.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard Enhet for Element {0} kan ikke endres direkte fordi du allerede har gjort noen transaksjon (er) med en annen målenheter. Du må opprette et nytt element for å bruke et annet standardmålenheter.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Bevilget beløpet kan ikke være negativ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Vennligst sett selskapet
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Vennligst sett selskapet
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Velg betalingskonto å lage Bank Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Standard Faktura Naming Series
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Lag personalregistre for å håndtere blader, refusjonskrav og lønn"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Det oppsto en feil under oppdateringsprosessen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Det oppsto en feil under oppdateringsprosessen
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurantreservasjon
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Forslaget Writing
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Entry Fradrag
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Innpakning
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Meld kundene via e-post
 DocType: Item,Batch Number Series,Batchnummer Serie
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,En annen Sales Person {0} finnes med samme Employee id
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,En annen Sales Person {0} finnes med samme Employee id
 DocType: Employee Advance,Claimed Amount,Påkrevd beløp
+DocType: QuickBooks Migrator,Authorization Settings,Autorisasjonsinnstillinger
 DocType: Travel Itinerary,Departure Datetime,Avreise Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Reiseforespørsel Kostnad
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,Leverandør Naming Av
 DocType: Activity Type,Default Costing Rate,Standard Koster Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Vedlikeholdsplan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Da reglene for prissetting filtreres ut basert på Kunden, Kundens Group, Territory, leverandør, leverandør Type, Kampanje, Sales Partner etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Da reglene for prissetting filtreres ut basert på Kunden, Kundens Group, Territory, leverandør, leverandør Type, Kampanje, Sales Partner etc."
 DocType: Employee Promotion,Employee Promotion Details,Oppdragsgivere
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Netto endring i varelager
 DocType: Employee,Passport Number,Passnummer
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relasjon med Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manager
 DocType: Payment Entry,Payment From / To,Betaling fra / til
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Fra regnskapsåret
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ny kredittgrensen er mindre enn dagens utestående beløp for kunden. Kredittgrense må være atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Vennligst sett inn konto i Lager {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Vennligst sett inn konto i Lager {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Basert på"" og ""Grupper etter"" ikke kan være det samme"
 DocType: Sales Person,Sales Person Targets,Sales Person Targets
 DocType: Work Order Operation,In minutes,I løpet av minutter
 DocType: Issue,Resolution Date,Oppløsning Dato
 DocType: Lab Test Template,Compound,forbindelse
+DocType: Opportunity,Probability (%),Sannsynlighet (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Forsendelsesvarsling
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Velg Egenskap
 DocType: Student Batch Name,Batch Name,batch Name
 DocType: Fee Validity,Max number of visit,Maks antall besøk
 ,Hotel Room Occupancy,Hotellrom Occupancy
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timeregistrering opprettet:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Vennligst angi standard kontanter eller bankkontoen i modus for betaling {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Vennligst angi standard kontanter eller bankkontoen i modus for betaling {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Registrere
 DocType: GST Settings,GST Settings,GST-innstillinger
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuta bør være den samme som Prisliste Valuta: {0}
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,Total rentekostnader
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Cost skatter og avgifter
 DocType: Work Order Operation,Actual Start Time,Faktisk Starttid
+DocType: Purchase Invoice Item,Deferred Expense Account,Utsatt kostnadskonto
 DocType: BOM Operation,Operation Time,Operation Tid
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Bli ferdig
 DocType: Salary Structure Assignment,Base,Utgangspunkt
 DocType: Timesheet,Total Billed Hours,Totalt fakturert timer
 DocType: Travel Itinerary,Travel To,Reise til
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,er ikke
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Skriv Off Beløp
 DocType: Leave Block List Allow,Allow User,Tillat User
 DocType: Journal Entry,Bill No,Bill Nei
@@ -1089,9 +1099,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Tids skjema
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Spylings Råvare basert på
 DocType: Sales Invoice,Port Code,Portkode
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reserve Warehouse
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reserve Warehouse
 DocType: Lead,Lead is an Organization,Bly er en organisasjon
-DocType: Guardian Interest,Interest,Renter
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Før salg
 DocType: Instructor Log,Other Details,Andre detaljer
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1101,7 +1110,7 @@
 DocType: Account,Accounts,Kontoer
 DocType: Vehicle,Odometer Value (Last),Kilometerstand (Siste)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Maler med leverandørpoengkriterier.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Markedsføring
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Markedsføring
 DocType: Sales Invoice,Redeem Loyalty Points,Løs inn lojalitetspoeng
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Betaling Entry er allerede opprettet
 DocType: Request for Quotation,Get Suppliers,Få leverandører
@@ -1118,16 +1127,14 @@
 DocType: Crop,Crop Spacing UOM,Beskjære plassering UOM
 DocType: Loyalty Program,Single Tier Program,Single Tier Program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Bare velg hvis du har installert Cash Flow Mapper-dokumenter
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Fra adresse 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Fra adresse 1
 DocType: Email Digest,Next email will be sent on:,Neste post vil bli sendt på:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Følgende element {items} {verb} merket som {message} item. \ Du kan aktivere dem som {message} element fra sin Item master
 DocType: Supplier Scorecard,Per Week,Per uke
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Elementet har varianter.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Elementet har varianter.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Totalt Student
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Element {0} ikke funnet
 DocType: Bin,Stock Value,Stock Verdi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Selskapet {0} finnes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Selskapet {0} finnes ikke
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} har gebyrgyldighet til {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tre Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Antall som forbrukes per enhet
@@ -1143,7 +1150,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kredittkort Entry
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Selskapet og regnskap
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,i Verdi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,i Verdi
 DocType: Asset Settings,Depreciation Options,Avskrivningsalternativer
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Enten plassering eller ansatt må være påkrevd
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Ugyldig innleggstid
@@ -1160,20 +1167,21 @@
 DocType: Leave Allocation,Allocation,Tildeling
 DocType: Purchase Order,Supply Raw Materials,Leverer råvare
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Omløpsmidler
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} er ikke en lagervare
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} er ikke en lagervare
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vennligst del din tilbakemelding til treningen ved å klikke på &#39;Trenings tilbakemelding&#39; og deretter &#39;Ny&#39;
 DocType: Mode of Payment Account,Default Account,Standard konto
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Vennligst velg Sample Retention Warehouse i lagerinnstillinger først
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Vennligst velg Sample Retention Warehouse i lagerinnstillinger først
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Vennligst velg flerverdierprogrammet for mer enn ett samlingsreglement.
 DocType: Payment Entry,Received Amount (Company Currency),Mottatt beløp (Selskap Valuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Lead må stilles inn hvis Opportunity er laget av Lead
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Betaling avbrutt. Vennligst sjekk din GoCardless-konto for mer informasjon
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Send med vedlegg
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Vennligst velg ukentlig off dag
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planlagt Sluttid
 ,Sales Person Target Variance Item Group-Wise,Sales Person Target Avviks varegruppe-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Konto med eksisterende transaksjon kan ikke konverteres til Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Konto med eksisterende transaksjon kan ikke konverteres til Ledger
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership Type Detaljer
 DocType: Delivery Note,Customer's Purchase Order No,Kundens innkjøpsordre Nei
 DocType: Clinical Procedure,Consume Stock,Konsumere lager
@@ -1186,26 +1194,26 @@
 DocType: Soil Texture,Sand,Sand
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energy
 DocType: Opportunity,Opportunity From,Opportunity Fra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Serienummer som kreves for element {2}. Du har oppgitt {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Serienummer som kreves for element {2}. Du har oppgitt {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Vennligst velg en tabell
 DocType: BOM,Website Specifications,Nettstedet Spesifikasjoner
 DocType: Special Test Items,Particulars,opplysninger
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Fra {0} av typen {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Rad {0}: Omregningsfaktor er obligatorisk
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Rad {0}: Omregningsfaktor er obligatorisk
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris regler eksisterer med samme kriteriene, kan du løse konflikten ved å prioritere. Pris Regler: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris regler eksisterer med samme kriteriene, kan du løse konflikten ved å prioritere. Pris Regler: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Valutakursreguleringskonto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan ikke deaktivere eller kansellere BOM som det er forbundet med andre stykklister
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan ikke deaktivere eller kansellere BOM som det er forbundet med andre stykklister
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Vennligst velg Company og Posting Date for å få oppføringer
 DocType: Asset,Maintenance,Vedlikehold
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Få fra Patient Encounter
 DocType: Subscriber,Subscriber,abonnent
 DocType: Item Attribute Value,Item Attribute Value,Sak data Verdi
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Vennligst oppdater prosjektstatusen din
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Vennligst oppdater prosjektstatusen din
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valutaveksling må gjelde for kjøp eller salg.
 DocType: Item,Maximum sample quantity that can be retained,Maksimal prøvemengde som kan beholdes
 DocType: Project Update,How is the Project Progressing Right Now?,Hvordan foregår prosjektet akkurat nå?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} kan ikke overføres mer enn {2} mot innkjøpsordre {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} kan ikke overføres mer enn {2} mot innkjøpsordre {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Salgskampanjer.
 DocType: Project Task,Make Timesheet,Gjør Timeregistrering
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1234,36 +1242,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Generasjonsverktøy for Student Report
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Helseplanleggings tidspaus
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Name
 DocType: Expense Claim Detail,Expense Claim Type,Expense krav Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardinnstillingene for handlekurv
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Legg til Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset kasserte via bilagsregistrering {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vennligst sett inn konto i lager {0} eller standardbeholdningskonto i firma {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset kasserte via bilagsregistrering {0}
 DocType: Loan,Interest Income Account,Renteinntekter konto
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maksimale fordeler bør være større enn null for å gi fordeler
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maksimale fordeler bør være større enn null for å gi fordeler
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Gjennomgå invitasjon sendt
 DocType: Shift Assignment,Shift Assignment,Shift-oppgave
 DocType: Employee Transfer Property,Employee Transfer Property,Medarbeideroverføringseiendom
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Fra tiden burde være mindre enn til tid
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Bioteknologi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Vare {0} (Serienummer: {1}) kan ikke bli brukt som er forbeholdt \ for å fullføre salgsordren {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Kontor Vedlikehold Utgifter
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Gå til
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Oppdater pris fra Shopify til ERPNeste prisliste
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Sette opp e-postkonto
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Skriv inn Sak først
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Trenger analyse
 DocType: Asset Repair,Downtime,nedetid
 DocType: Account,Liability,Ansvar
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksjonert Beløpet kan ikke være større enn krav Beløp i Rad {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksjonert Beløpet kan ikke være større enn krav Beløp i Rad {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Faglig semester:
 DocType: Salary Component,Do not include in total,Ikke inkluder i alt
 DocType: Company,Default Cost of Goods Sold Account,Standard varekostnader konto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mer enn mottatt mengde {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Prisliste ikke valgt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mer enn mottatt mengde {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Prisliste ikke valgt
 DocType: Employee,Family Background,Familiebakgrunn
 DocType: Request for Quotation Supplier,Send Email,Send E-Post
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Advarsel: Ugyldig Vedlegg {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Advarsel: Ugyldig Vedlegg {0}
 DocType: Item,Max Sample Quantity,Maks antall prøver
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Ingen tillatelse
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrakt oppfyllelse sjekkliste
@@ -1295,15 +1305,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnadssted {2} ikke tilhører selskapet {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Last opp brevhodet ditt (Hold det nettvennlig som 900px ved 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan ikke være en gruppe
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Sak Row {idx}: {doctype} {DOCNAME} finnes ikke i oven {doctype} tabellen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timeregistrering {0} er allerede gjennomført eller kansellert
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timeregistrering {0} er allerede gjennomført eller kansellert
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ingen oppgaver
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Salgsfaktura {0} opprettet som betalt
 DocType: Item Variant Settings,Copy Fields to Variant,Kopier felt til variant
 DocType: Asset,Opening Accumulated Depreciation,Åpning akkumulerte avskrivninger
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score må være mindre enn eller lik 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Påmelding Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form poster
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form poster
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Aksjene eksisterer allerede
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kunde og leverandør
 DocType: Email Digest,Email Digest Settings,E-post Digest Innstillinger
@@ -1316,12 +1326,12 @@
 DocType: Production Plan,Select Items,Velg Items
 DocType: Share Transfer,To Shareholder,Til Aksjonær
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} mot Bill {1} datert {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Fra Stat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Fra Stat
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Oppsettinstitusjon
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Fordeling av blader ...
 DocType: Program Enrollment,Vehicle/Bus Number,Kjøretøy / bussnummer
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kursplan
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Du må trekke fradrag for ikke-innvilget skattefritakelsesbevis og uoppfordrede \ Ansattes fordeler i den siste lønnsløpet av lønnsperioden
 DocType: Request for Quotation Supplier,Quote Status,Sitatstatus
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1347,13 +1357,13 @@
 DocType: Sales Invoice,Payment Due Date,Betalingsfrist
 DocType: Drug Prescription,Interval UOM,Intervall UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",Velg hvis den valgte adressen redigeres etter lagre
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Sak Variant {0} finnes allerede med samme attributtene
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Sak Variant {0} finnes allerede med samme attributtene
 DocType: Item,Hub Publishing Details,Hub Publishing Detaljer
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Opening&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Opening&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Åpne for å gjøre
 DocType: Issue,Via Customer Portal,Via kundeportalen
 DocType: Notification Control,Delivery Note Message,Levering Note Message
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Beløp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Beløp
 DocType: Lab Test Template,Result Format,Resultatformat
 DocType: Expense Claim,Expenses,Utgifter
 DocType: Item Variant Attribute,Item Variant Attribute,Sak Variant Egenskap
@@ -1361,14 +1371,12 @@
 DocType: Payroll Entry,Bimonthly,annenhver måned
 DocType: Vehicle Service,Brake Pad,Bremsekloss
 DocType: Fertilizer,Fertilizer Contents,Innhold av gjødsel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Forskning Og Utvikling
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Forskning Og Utvikling
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Beløp til Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Startdato og sluttdato overlapper jobbkortet <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registrering Detaljer
 DocType: Timesheet,Total Billed Amount,Total Fakturert beløp
 DocType: Item Reorder,Re-Order Qty,Re-Order Antall
 DocType: Leave Block List Date,Leave Block List Date,La Block List Dato
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vennligst oppsett Instruktør Navngivningssystem under utdanning&gt; Utdanningsinnstillinger
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Råmateriale kan ikke være det samme som hovedelementet
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totalt gjeldende avgifter i kvitteringen Elementer tabellen må være det samme som total skatter og avgifter
 DocType: Sales Team,Incentives,Motivasjon
@@ -1382,7 +1390,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Utsalgssted
 DocType: Fee Schedule,Fee Creation Status,Fee Creation Status
 DocType: Vehicle Log,Odometer Reading,Kilometerteller Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo allerede i Credit, har du ikke lov til å sette &quot;Balance må være &#39;som&#39; debet &#39;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo allerede i Credit, har du ikke lov til å sette &quot;Balance må være &#39;som&#39; debet &#39;"
 DocType: Account,Balance must be,Balansen må være
 DocType: Notification Control,Expense Claim Rejected Message,Expense krav Avvist Message
 ,Available Qty,Tilgjengelig Antall
@@ -1394,7 +1402,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Synkroniser alltid produktene dine fra Amazon MWS før du synkroniserer bestillingsdetaljene
 DocType: Delivery Trip,Delivery Stops,Levering stopper
 DocType: Salary Slip,Working Days,Arbeidsdager
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Kan ikke endre Service Stop Date for element i rad {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Kan ikke endre Service Stop Date for element i rad {0}
 DocType: Serial No,Incoming Rate,Innkommende Rate
 DocType: Packing Slip,Gross Weight,Bruttovekt
 DocType: Leave Type,Encashment Threshold Days,Encashment Threshold Days
@@ -1413,31 +1421,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimum sitteplasser
 DocType: Item Attribute,Item Attribute Values,Sak attributtverdier
 DocType: Examination Result,Examination Result,Sensur
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Kvitteringen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Kvitteringen
 ,Received Items To Be Billed,Mottatte elementer å bli fakturert
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Valutakursen mester.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Valutakursen mester.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referanse DOCTYPE må være en av {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter totalt null antall
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Å finne tidsluke i de neste {0} dager for Operation klarer {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan materiale for sub-assemblies
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Salgs Partnere og Territory
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} må være aktiv
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} må være aktiv
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Ingen elementer tilgjengelig for overføring
 DocType: Employee Boarding Activity,Activity Name,Aktivitetsnavn
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Endre utgivelsesdato
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Ferdig produktmengde <b>{0}</b> og For kvantitet <b>{1}</b> kan ikke være annerledes
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Endre utgivelsesdato
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Ferdig produktmengde <b>{0}</b> og For kvantitet <b>{1}</b> kan ikke være annerledes
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Avslutning (Åpning + Totalt)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Varenummer&gt; Varegruppe&gt; Varemerke
+DocType: Delivery Settings,Dispatch Notification Attachment,Dispatch Notification Attachment
 DocType: Payroll Entry,Number Of Employees,Antall ansatte
 DocType: Journal Entry,Depreciation Entry,avskrivninger Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Velg dokumenttypen først
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Velg dokumenttypen først
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Avbryt Material Besøk {0} før den sletter denne Maintenance Visit
 DocType: Pricing Rule,Rate or Discount,Pris eller rabatt
 DocType: Vital Signs,One Sided,Ensidig
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial No {0} tilhører ikke Element {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Påkrevd antall
 DocType: Marketplace Settings,Custom Data,Tilpassede data
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til hovedbok.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serienummer er obligatorisk for varen {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til hovedbok.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serienummer er obligatorisk for varen {0}
 DocType: Bank Reconciliation,Total Amount,Totalbeløp
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Fra dato og dato ligger i ulike regnskapsår
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pasienten {0} har ikke kunderefusjon til faktura
@@ -1448,9 +1458,9 @@
 DocType: Soil Texture,Clay Composition (%),Leirekomposisjon (%)
 DocType: Item Group,Item Group Defaults,Vare Gruppe Standard
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Vennligst lagre før du tilordner oppgaven.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Balanse Verdi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Balanse Verdi
 DocType: Lab Test,Lab Technician,Lab tekniker
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Salg Prisliste
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Salg Prisliste
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Hvis det er merket, vil en kunde bli opprettet, kartlagt til Pasient. Pasientfakturaer vil bli opprettet mot denne kunden. Du kan også velge eksisterende kunde mens du oppretter pasient."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Kunden er ikke innskrevet i noe lojalitetsprogram
@@ -1464,13 +1474,13 @@
 DocType: Support Search Source,Search Term Param Name,Søk term Param Navn
 DocType: Item Barcode,Item Barcode,Sak Barcode
 DocType: Woocommerce Settings,Endpoints,endepunkter
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Sak Varianter {0} oppdatert
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Sak Varianter {0} oppdatert
 DocType: Quality Inspection Reading,Reading 6,Reading 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uten noen negativ utestående faktura
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uten noen negativ utestående faktura
 DocType: Share Transfer,From Folio No,Fra Folio nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Fakturaen Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Rad {0}: Credit oppføring kan ikke være knyttet til en {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definer budsjett for et regnskapsår.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definer budsjett for et regnskapsår.
 DocType: Shopify Tax Account,ERPNext Account,ERPNeste Konto
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} er blokkert, slik at denne transaksjonen ikke kan fortsette"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Handling hvis akkumulert månedlig budsjett oversteg MR
@@ -1486,19 +1496,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Fakturaen
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Tillat flere materialforbruk mot en arbeidsordre
 DocType: GL Entry,Voucher Detail No,Kupong Detail Ingen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Ny salgsfaktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Ny salgsfaktura
 DocType: Stock Entry,Total Outgoing Value,Total Utgående verdi
 DocType: Healthcare Practitioner,Appointments,avtaler
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Åpningsdato og sluttdato skal være innenfor samme regnskapsår
 DocType: Lead,Request for Information,Spør etter informasjon
 ,LeaderBoard,Leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Vurder med margin (Bedriftsvaluta)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Synkroniser Offline Fakturaer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Synkroniser Offline Fakturaer
 DocType: Payment Request,Paid,Betalt
 DocType: Program Fee,Program Fee,program Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Bytt ut en bestemt BOM i alle andre BOM-er der den brukes. Det vil erstatte den gamle BOM-lenken, oppdatere kostnadene og regenerere &quot;BOM Explosion Item&quot; -tabellen som per ny BOM. Det oppdaterer også siste pris i alle BOMene."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Følgende arbeidsordrer ble opprettet:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Følgende arbeidsordrer ble opprettet:
 DocType: Salary Slip,Total in words,Totalt i ord
 DocType: Inpatient Record,Discharged,utskrevet
 DocType: Material Request Item,Lead Time Date,Lead Tid Dato
@@ -1509,16 +1519,16 @@
 DocType: Support Settings,Get Started Sections,Komme i gang Seksjoner
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sanksjonert
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vennligst oppgi serienummer for varen {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Totalt bidragsbeløp: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vennligst oppgi serienummer for varen {1}
 DocType: Payroll Entry,Salary Slips Submitted,Lønnsslipp legges inn
 DocType: Crop Cycle,Crop Cycle,Beskjæringssyklus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For &#39;Produkt Bundle&#39; elementer, Warehouse, serienummer og Batch Ingen vil bli vurdert fra &quot;Pakkeliste&quot; bord. Hvis Warehouse og Batch Ingen er lik for alle pakking elementer for noen &quot;Product Bundle &#39;elementet, kan disse verdiene legges inn i hoved Sak bordet, vil verdiene bli kopiert til&quot; Pakkeliste &quot;bord."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For &#39;Produkt Bundle&#39; elementer, Warehouse, serienummer og Batch Ingen vil bli vurdert fra &quot;Pakkeliste&quot; bord. Hvis Warehouse og Batch Ingen er lik for alle pakking elementer for noen &quot;Product Bundle &#39;elementet, kan disse verdiene legges inn i hoved Sak bordet, vil verdiene bli kopiert til&quot; Pakkeliste &quot;bord."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Fra Sted
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Netto Pay kan ikke være negativ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Fra Sted
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Netto Pay kan ikke være negativ
 DocType: Student Admission,Publish on website,Publiser på nettstedet
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Leverandør Fakturadato kan ikke være større enn konteringsdato
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Leverandør Fakturadato kan ikke være større enn konteringsdato
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Avbestillingsdato
 DocType: Purchase Invoice Item,Purchase Order Item,Innkjøpsordre Element
@@ -1527,7 +1537,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Oppmøte Tool
 DocType: Restaurant Menu,Price List (Auto created),Prisliste (automatisk opprettet)
 DocType: Cheque Print Template,Date Settings,Dato Innstillinger
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varians
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varians
 DocType: Employee Promotion,Employee Promotion Detail,Medarbeideropplysning detaljer
 ,Company Name,Selskapsnavn
 DocType: SMS Center,Total Message(s),Total melding (er)
@@ -1557,7 +1567,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ikke send Employee bursdagspåminnelser
 DocType: Expense Claim,Total Advance Amount,Total forhåndsbeløp
 DocType: Delivery Stop,Estimated Arrival,forventet ankomst
-DocType: Delivery Stop,Notified by Email,Meldes via e-post
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Se alle artikler
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Gå Inn
 DocType: Item,Inspection Criteria,Inspeksjon Kriterier
@@ -1567,23 +1576,22 @@
 DocType: Timesheet Detail,Bill,Regning
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Hvit
 DocType: SMS Center,All Lead (Open),All Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antall ikke tilgjengelig for {4} i lageret {1} ved å legge tidspunktet for innreise ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antall ikke tilgjengelig for {4} i lageret {1} ved å legge tidspunktet for innreise ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Du kan bare velge maksimalt ett alternativ fra listen med avmerkingsbokser.
 DocType: Purchase Invoice,Get Advances Paid,Få utbetalt forskudd
 DocType: Item,Automatically Create New Batch,Opprett automatisk ny batch automatisk
 DocType: Item,Automatically Create New Batch,Opprett automatisk ny batch automatisk
 DocType: Supplier,Represents Company,Representerer selskapet
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Gjøre
 DocType: Student Admission,Admission Start Date,Opptak Startdato
 DocType: Journal Entry,Total Amount in Words,Totalbeløp i Words
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Ny ansatt
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Det var en feil. En mulig årsak kan være at du ikke har lagret skjemaet. Ta kontakt support@erpnext.com hvis problemet vedvarer.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Handlekurv
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Ordretype må være en av {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Ordretype må være en av {0}
 DocType: Lead,Next Contact Date,Neste Kontakt Dato
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Antall åpne
 DocType: Healthcare Settings,Appointment Reminder,Avtale påminnelse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Vennligst oppgi konto for Change Beløp
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Vennligst oppgi konto for Change Beløp
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Name
 DocType: Holiday List,Holiday List Name,Holiday Listenavn
 DocType: Repayment Schedule,Balance Loan Amount,Balanse Lånebeløp
@@ -1593,13 +1601,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Aksjeopsjoner
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Ingen varer lagt til i handlekurven
 DocType: Journal Entry Account,Expense Claim,Expense krav
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Har du virkelig ønsker å gjenopprette dette skrotet ressurs?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Har du virkelig ønsker å gjenopprette dette skrotet ressurs?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Antall for {0}
 DocType: Leave Application,Leave Application,La Application
 DocType: Patient,Patient Relation,Pasientrelasjon
 DocType: Item,Hub Category to Publish,Hub kategori for publisering
 DocType: Leave Block List,Leave Block List Dates,La Block List Datoer
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Salgsordre {0} har forbehold for element {1}, du kan bare levere reservert {1} mot {0}. Serienummer {2} kan ikke leveres"
 DocType: Sales Invoice,Billing Address GSTIN,Faktureringsadresse GSTIN
@@ -1617,16 +1625,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vennligst oppgi en {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Fjernet elementer med ingen endring i mengde eller verdi.
 DocType: Delivery Note,Delivery To,Levering Å
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variantskaping har vært i kø.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Arbeidssammendrag for {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variantskaping har vært i kø.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Arbeidssammendrag for {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Den første permisjonen for permisjon i listen blir satt som standard permisjon for permisjon.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Attributt tabellen er obligatorisk
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Attributt tabellen er obligatorisk
 DocType: Production Plan,Get Sales Orders,Få salgsordrer
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} kan ikke være negativ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Koble til Quickbooks
 DocType: Training Event,Self-Study,Selvstudium
 DocType: POS Closing Voucher,Period End Date,Periodens sluttdato
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Jordblandinger legger ikke opp til 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Rabatt
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Row {0}: {1} er nødvendig for å opprette {2} Fakturaer
 DocType: Membership,Membership,Medlemskap
 DocType: Asset,Total Number of Depreciations,Totalt antall Avskrivninger
 DocType: Sales Invoice Item,Rate With Margin,Vurder med margin
@@ -1638,7 +1648,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Vennligst oppgi en gyldig Row ID for rad {0} i tabellen {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Kan ikke finne variabel:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Vennligst velg et felt for å redigere fra numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Kan ikke være en fast eiendelsobjekt når lagerboksen er opprettet.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Kan ikke være en fast eiendelsobjekt når lagerboksen er opprettet.
 DocType: Subscription Plan,Fixed rate,Fast rente
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Innrømme
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Gå til skrivebordet og begynne å bruke ERPNext
@@ -1672,7 +1682,7 @@
 DocType: Tax Rule,Shipping State,Shipping State
 ,Projected Quantity as Source,Anslått Antall som kilde
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Elementet må legges til med &quot;Get Elementer fra innkjøps Receipts &#39;knappen
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Leveringsreise
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Leveringsreise
 DocType: Student,A-,EN-
 DocType: Share Transfer,Transfer Type,Overføringstype
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Salgs Utgifter
@@ -1685,8 +1695,9 @@
 DocType: Item Default,Default Selling Cost Center,Standard Selling kostnadssted
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Plate
 DocType: Buying Settings,Material Transferred for Subcontract,Materialet overført for underleverandør
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Post kode
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Salgsordre {0} er {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Innkjøpsordreelementer Forfalt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Post kode
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Salgsordre {0} er {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Velg renteinntekter konto i lån {0}
 DocType: Opportunity,Contact Info,Kontaktinfo
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Making Stock Entries
@@ -1699,12 +1710,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Fakturaen kan ikke gjøres for null faktureringstid
 DocType: Company,Date of Commencement,Dato for oppstart
 DocType: Sales Person,Select company name first.,Velg firmanavn først.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-post sendt til {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-post sendt til {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Sitater mottatt fra leverandører.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Erstatt BOM og oppdater siste pris i alle BOMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Til {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Dette er en rotleverandørgruppe og kan ikke redigeres.
-DocType: Delivery Trip,Driver Name,Drivernavn
+DocType: Delivery Note,Driver Name,Drivernavn
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Gjennomsnittsalder
 DocType: Education Settings,Attendance Freeze Date,Deltagelsesfrysedato
 DocType: Education Settings,Attendance Freeze Date,Deltagelsesfrysedato
@@ -1717,7 +1728,7 @@
 DocType: Company,Parent Company,Moderselskap
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotellrom av typen {0} er utilgjengelig på {1}
 DocType: Healthcare Practitioner,Default Currency,Standard Valuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maksimum rabatt for element {0} er {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maksimum rabatt for element {0} er {1}%
 DocType: Asset Movement,From Employee,Fra Employee
 DocType: Driver,Cellphone Number,Mobiltelefonnummer
 DocType: Project,Monitor Progress,Monitor Progress
@@ -1733,19 +1744,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Antall må være mindre enn eller lik {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Maksimumsbeløp som er kvalifisert for komponenten {0} overstiger {1}
 DocType: Department Approver,Department Approver,Avdeling Godkjenning
+DocType: QuickBooks Migrator,Application Settings,Applikasjon innstillinger
 DocType: SMS Center,Total Characters,Totalt tegn
 DocType: Employee Advance,Claimed,hevdet
 DocType: Crop,Row Spacing,Row Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Vennligst velg BOM i BOM felt for Element {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Vennligst velg BOM i BOM felt for Element {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Det er ikke noen varianter for det valgte elementet
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detalj
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betaling Avstemming Faktura
 DocType: Clinical Procedure,Procedure Template,Prosedyre Mal
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Bidrag%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","I henhold til kjøpsinnstillingene hvis innkjøpsordre er påkrevd == &#39;JA&#39; og deretter for å opprette Kjøpfaktura, må brukeren opprette innkjøpsordre først for element {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Bidrag%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","I henhold til kjøpsinnstillingene hvis innkjøpsordre er påkrevd == &#39;JA&#39; og deretter for å opprette Kjøpfaktura, må brukeren opprette innkjøpsordre først for element {0}"
 ,HSN-wise-summary of outward supplies,HSN-vis-oppsummering av utadvendte forsyninger
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Firmaregistreringsnumre som referanse. Skatte tall osv
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Å statliggjøre
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Å statliggjøre
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributør
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Handlevogn Shipping Rule
@@ -1754,7 +1766,7 @@
 ,Ordered Items To Be Billed,Bestilte varer til å bli fakturert
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Fra Range må være mindre enn til kolleksjonen
 DocType: Global Defaults,Global Defaults,Global Defaults
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Prosjekt Samarbeid Invitasjon
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Prosjekt Samarbeid Invitasjon
 DocType: Salary Slip,Deductions,Fradrag
 DocType: Setup Progress Action,Action Name,Handlingsnavn
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,start-år
@@ -1768,11 +1780,12 @@
 DocType: Lead,Consultant,Konsulent
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Foreldres lærermøte
 DocType: Salary Slip,Earnings,Inntjeningen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Ferdig Element {0} må angis for Produksjon typen oppføring
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Ferdig Element {0} må angis for Produksjon typen oppføring
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Åpning Regnskap Balanse
 ,GST Sales Register,GST salgsregistrering
 DocType: Sales Invoice Advance,Sales Invoice Advance,Salg Faktura Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Ingenting å be om
+DocType: Stock Settings,Default Return Warehouse,Standard Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Velg domenene dine
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Leverandør
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalingsfakturaelementer
@@ -1781,15 +1794,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Feltene vil bli kopiert bare på tidspunktet for opprettelsen.
 DocType: Setup Progress Action,Domains,Domener
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"'Faktisk startdato' kan ikke være større enn ""Faktisk Slutt Dato '"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Ledelse
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Ledelse
 DocType: Cheque Print Template,Payer Settings,Payer Innstillinger
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Ingen ventende materialeforespørsler funnet å lenke for de oppgitte elementene.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Velg firma først
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dette vil bli lagt til Element Code of varianten. For eksempel, hvis din forkortelsen er &quot;SM&quot;, og elementet kode er &quot;T-SHIRT&quot;, elementet koden til variant vil være &quot;T-SHIRT-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettolønn (i ord) vil være synlig når du lagrer Lønn Slip.
 DocType: Delivery Note,Is Return,Er Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Forsiktighet
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Startdagen er større enn sluttdagen i oppgaven &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Retur / debitnota
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Retur / debitnota
 DocType: Price List Country,Price List Country,Prisliste Land
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} gyldig serie nos for Element {1}
@@ -1802,13 +1816,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Gi informasjon.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverandør database.
 DocType: Contract Template,Contract Terms and Conditions,Kontraktsbetingelser
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Du kan ikke starte en abonnement som ikke er kansellert.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Du kan ikke starte en abonnement som ikke er kansellert.
 DocType: Account,Balance Sheet,Balanse
 DocType: Leave Type,Is Earned Leave,Er opptjent permisjon
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Koste Center For Element med Element kode &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Koste Center For Element med Element kode &#39;
 DocType: Fee Validity,Valid Till,Gyldig til
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Totalt foreldres lærermøte
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode er ikke konfigurert. Kontroller, om kontoen er satt på modus for betalinger eller på POS-profil."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode er ikke konfigurert. Kontroller, om kontoen er satt på modus for betalinger eller på POS-profil."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samme elementet kan ikke legges inn flere ganger.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ytterligere kontoer kan gjøres under grupper, men oppføringene kan gjøres mot ikke-grupper"
 DocType: Lead,Lead,Lead
@@ -1817,11 +1831,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} er opprettet
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Du har ikke nok Lojalitetspoeng til å innløse
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Avvist Antall kan ikke legges inn i innkjøpsliste
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Vennligst sett inn tilknyttet konto i Skatteholdskategori {0} mot firma {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Avvist Antall kan ikke legges inn i innkjøpsliste
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Endring av kundegruppe for den valgte kunden er ikke tillatt.
 ,Purchase Order Items To Be Billed,Purchase Order Elementer som skal faktureres
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Oppdaterer estimerte ankomsttider.
 DocType: Program Enrollment Tool,Enrollment Details,Registreringsdetaljer
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Kan ikke angi flere standardinnstillinger for et selskap.
 DocType: Purchase Invoice Item,Net Rate,Net Rate
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Vennligst velg en kunde
 DocType: Leave Policy,Leave Allocations,Forlate allokeringer
@@ -1852,7 +1868,7 @@
 DocType: Loan Application,Repayment Info,tilbakebetaling info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;Innlegg&#39; kan ikke være tomt
 DocType: Maintenance Team Member,Maintenance Role,Vedlikeholdsrolle
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplicate rad {0} med samme {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplicate rad {0} med samme {1}
 DocType: Marketplace Settings,Disable Marketplace,Deaktiver Marketplace
 ,Trial Balance,Balanse Trial
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Regnskapsåret {0} ikke funnet
@@ -1863,9 +1879,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Abonnementsinnstillinger
 DocType: Purchase Invoice,Update Auto Repeat Reference,Oppdater Auto Repeat Reference
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Valgfri ferieliste ikke angitt for permisjon {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Valgfri ferieliste ikke angitt for permisjon {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Forskning
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Å adresse 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Å adresse 2
 DocType: Maintenance Visit Purpose,Work Done,Arbeidet Som Er Gjort
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Vennligst oppgi minst ett attributt i Attributter tabellen
 DocType: Announcement,All Students,alle studenter
@@ -1875,16 +1891,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Avstemte transaksjoner
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Tidligste
 DocType: Crop Cycle,Linked Location,Tilknyttet plassering
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","En varegruppe eksisterer med samme navn, må du endre elementnavnet eller endre navn varegruppen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","En varegruppe eksisterer med samme navn, må du endre elementnavnet eller endre navn varegruppen"
 DocType: Crop Cycle,Less than a year,Mindre enn et år
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Resten Av Verden
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Resten Av Verden
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Element {0} kan ikke ha Batch
 DocType: Crop,Yield UOM,Utbytte UOM
 ,Budget Variance Report,Budsjett Avvik Rapporter
 DocType: Salary Slip,Gross Pay,Brutto Lønn
 DocType: Item,Is Item from Hub,Er element fra nav
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Få elementer fra helsetjenester
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Få elementer fra helsetjenester
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstype er obligatorisk.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Utbytte betalt
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Regnskap Ledger
@@ -1899,6 +1915,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Betaling Mode
 DocType: Purchase Invoice,Supplied Items,Leveringen
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Vennligst sett inn en aktiv meny for Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Kommisjon Rate%
 DocType: Work Order,Qty To Manufacture,Antall å produsere
 DocType: Email Digest,New Income,New Inntekt
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Opprettholde samme tempo gjennom hele kjøpssyklusen
@@ -1913,12 +1930,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Verdsettelse Rate kreves for varen i rad {0}
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Eksempel: Masters i informatikk
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Leverandør {0} ikke funnet i {1}
 DocType: Purchase Invoice,Rejected Warehouse,Avvist Warehouse
 DocType: GL Entry,Against Voucher,Mot Voucher
 DocType: Item Default,Default Buying Cost Center,Standard Kjøpe kostnadssted
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","For å få det beste ut av ERPNext, anbefaler vi at du tar litt tid og se på disse hjelpevideoer."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),For standardleverandør (valgfritt)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,til
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),For standardleverandør (valgfritt)
 DocType: Supplier Quotation Item,Lead Time in days,Lead Tid i dager
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Leverandørgjeld Sammendrag
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Ikke autorisert til å redigere fryst kontoen {0}
@@ -1927,7 +1944,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Varsle om ny forespørsel om tilbud
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Innkjøpsordrer hjelpe deg å planlegge og følge opp kjøpene
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Prescriptions
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Den totale Issue / Transfer mengde {0} i Material Request {1} \ kan ikke være større enn ønsket antall {2} for Element {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Liten
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Hvis Shopify ikke inneholder en kunde i ordre, så vil systemet vurdere standardkunden for bestilling mens du synkroniserer ordrer"
@@ -1939,6 +1956,7 @@
 DocType: Project,% Completed,% Fullført
 ,Invoiced Amount (Exculsive Tax),Fakturert beløp (exculsive Tax)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Sak 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorisasjonsendepunkt
 DocType: Travel Request,International,Internasjonal
 DocType: Training Event,Training Event,trening Hendelses
 DocType: Item,Auto re-order,Auto re-order
@@ -1947,24 +1965,24 @@
 DocType: Contract,Contract,Kontrakts
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorietesting Datetime
 DocType: Email Digest,Add Quote,Legg Sitat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Målenheter coversion faktor nødvendig for målenheter: {0} i Sak: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Målenheter coversion faktor nødvendig for målenheter: {0} i Sak: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Indirekte kostnader
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Rad {0}: Antall er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Rad {0}: Antall er obligatorisk
 DocType: Agriculture Analysis Criteria,Agriculture,Landbruk
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Opprett salgsordre
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Regnskapsføring for eiendel
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokker faktura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Regnskapsføring for eiendel
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokker faktura
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Mengde å lage
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Reparasjonskostnad
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Dine produkter eller tjenester
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Kunne ikke logge inn
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} opprettet
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} opprettet
 DocType: Special Test Items,Special Test Items,Spesielle testelementer
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Du må være en bruker med System Manager og Item Manager roller for å registrere deg på Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Modus for betaling
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,I henhold til din tildelte lønnsstruktur kan du ikke søke om fordeler
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Website Bilde bør være en offentlig fil eller nettside URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Website Bilde bør være en offentlig fil eller nettside URL
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Dette er en rot varegruppe og kan ikke redigeres.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Slå sammen
@@ -1973,7 +1991,8 @@
 DocType: Warehouse,Warehouse Contact Info,Warehouse Kontaktinfo
 DocType: Payment Entry,Write Off Difference Amount,Skriv Off differansebeløpet
 DocType: Volunteer,Volunteer Name,Frivillig navn
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Ansattes e-post ikke funnet, derav e-posten ikke sendt"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Rader med dupliserte forfallsdatoer i andre rader ble funnet: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Ansattes e-post ikke funnet, derav e-posten ikke sendt"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Ingen lønnskostnad tildelt for ansatt {0} på gitt dato {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Fraktregel gjelder ikke for land {0}
 DocType: Item,Foreign Trade Details,Foreign Trade Detaljer
@@ -1981,17 +2000,17 @@
 DocType: Email Digest,Annual Income,Årsinntekt
 DocType: Serial No,Serial No Details,Serie ingen opplysninger
 DocType: Purchase Invoice Item,Item Tax Rate,Sak Skattesats
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Fra Festnavn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Fra Festnavn
 DocType: Student Group Student,Group Roll Number,Gruppe-nummer
 DocType: Student Group Student,Group Roll Number,Gruppe-nummer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",For {0} kan bare kredittkontoer kobles mot en annen belastning oppføring
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Levering Note {0} er ikke innsendt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Levering Note {0} er ikke innsendt
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Elementet {0} må være en underleverandør Element
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Capital Equipments
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prising Rule først valgt basert på &quot;Apply On-feltet, som kan være varen, varegruppe eller Brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Vennligst sett inn varenummeret først
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Totalt bevilget prosent for salgsteam skal være 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Totalt bevilget prosent for salgsteam skal være 100
 DocType: Subscription Plan,Billing Interval Count,Faktureringsintervalltelling
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Utnevnelser og pasientmøter
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Verdi mangler
@@ -2005,6 +2024,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Opprett Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Avgift er opprettet
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Fant ikke noe element som heter {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Elementer Filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Total Utgående
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Det kan bare være én Shipping Rule Forhold med 0 eller blank verdi for &quot;å verd&quot;
@@ -2013,14 +2033,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",For et element {0} må mengden være positivt tall
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Merk: Denne Cost Center er en gruppe. Kan ikke gjøre regnskapspostene mot grupper.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Kompensasjonsorlov forespørselsdager ikke i gyldige helligdager
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barn lager finnes for dette lageret. Du kan ikke slette dette lageret.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barn lager finnes for dette lageret. Du kan ikke slette dette lageret.
 DocType: Item,Website Item Groups,Website varegrupper
 DocType: Purchase Invoice,Total (Company Currency),Total (Company Valuta)
 DocType: Daily Work Summary Group,Reminder,påminnelse
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Tilgjengelig verdi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Tilgjengelig verdi
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serienummer {0} angitt mer enn én gang
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Journal Entry
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Fra GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Fra GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Uoppfordret beløp
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} elementer i fremgang
 DocType: Workstation,Workstation Name,Arbeidsstasjon Name
@@ -2028,7 +2048,7 @@
 DocType: POS Item Group,POS Item Group,POS Varegruppe
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-post Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternativt element må ikke være det samme som varenummer
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} tilhører ikke Element {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} tilhører ikke Element {1}
 DocType: Sales Partner,Target Distribution,Target Distribution
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalisering av foreløpig vurdering
 DocType: Salary Slip,Bank Account No.,Bank Account No.
@@ -2037,7 +2057,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard-variabler kan brukes, så vel som: {total_score} (totalpoengsummen fra den perioden), {period_number} (antall perioder i dag)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Skjul alle
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Skjul alle
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Opprett innkjøpsordre
 DocType: Quality Inspection Reading,Reading 8,Reading 8
 DocType: Inpatient Record,Discharge Note,Utladningsnotat
@@ -2054,7 +2074,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege La
 DocType: Purchase Invoice,Supplier Invoice Date,Leverandør Fakturadato
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Denne verdien brukes til pro rata temporis beregning
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Du må aktivere Handlevogn
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Du må aktivere Handlevogn
 DocType: Payment Entry,Writeoff,writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Naming Series Prefix
@@ -2069,11 +2089,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Overlappende vilkår funnet mellom:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Mot Journal Entry {0} er allerede justert mot en annen kupong
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Total ordreverdi
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Mat
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Mat
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Aldring Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detaljer
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vennligst still inn navngivningsserien for {0} via Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Sjekk inn
 DocType: Maintenance Schedule Item,No of Visits,Ingen av besøk
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Vedlikeholdsplan {0} eksisterer mot {1}
@@ -2113,6 +2132,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimal fordel (beløp)
 DocType: Purchase Invoice,Contact Person,Kontaktperson
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;Tiltredelse&#39; ikke kan være større enn &quot;Forventet sluttdato
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Ingen data for denne perioden
 DocType: Course Scheduling Tool,Course End Date,Kurs Sluttdato
 DocType: Holiday List,Holidays,Ferier
 DocType: Sales Order Item,Planned Quantity,Planlagt Antall
@@ -2124,7 +2144,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Netto endring i Fixed Asset
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Antall
 DocType: Leave Control Panel,Leave blank if considered for all designations,La stå tom hvis vurderes for alle betegnelser
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of type &#39;Actual&#39; i rad {0} kan ikke inkluderes i Element Ranger
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of type &#39;Actual&#39; i rad {0} kan ikke inkluderes i Element Ranger
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Fra Datetime
 DocType: Shopify Settings,For Company,For selskapet
@@ -2137,9 +2157,9 @@
 DocType: Material Request,Terms and Conditions Content,Betingelser innhold
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Det var feil å opprette kursplan
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Den første utgiftsgodkjenningen i listen blir satt som standard utgiftsgodkjent.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,kan ikke være større enn 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,kan ikke være større enn 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Du må være en annen bruker enn Administrator med System Manager og Item Manager roller for å registrere deg på Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Element {0} er ikke en lagervare
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Element {0} er ikke en lagervare
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Ikke planlagt
 DocType: Employee,Owned,Eies
@@ -2167,7 +2187,7 @@
 DocType: HR Settings,Employee Settings,Medarbeider Innstillinger
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Laster inn betalingssystem
 ,Batch-Wise Balance History,Batch-Wise Balance Historie
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Kan ikke sette Rate hvis beløpet er større enn fakturert beløp for element {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Kan ikke sette Rate hvis beløpet er større enn fakturert beløp for element {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Utskriftsinnstillingene oppdatert i respektive utskriftsformat
 DocType: Package Code,Package Code,pakke kode
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Lærling
@@ -2175,7 +2195,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negative Antall er ikke tillatt
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Tax detalj tabell hentet fra elementet Hoved som en streng, og som er lagret på dette feltet. Brukes for skatter og avgifter"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Arbeidstaker kan ikke rapportere til seg selv.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Arbeidstaker kan ikke rapportere til seg selv.
 DocType: Leave Type,Max Leaves Allowed,Maks. Blader tillatt
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hvis kontoen er fryst, er oppføringer lov til begrensede brukere."
 DocType: Email Digest,Bank Balance,Bank Balanse
@@ -2201,6 +2221,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Bankoverføringsoppføringer
 DocType: Quality Inspection,Readings,Readings
 DocType: Stock Entry,Total Additional Costs,Samlede merkostnader
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Ingen interaksjoner
 DocType: BOM,Scrap Material Cost(Company Currency),Skrap Material Cost (Selskap Valuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub Assemblies
 DocType: Asset,Asset Name,Asset Name
@@ -2208,10 +2229,10 @@
 DocType: Shipping Rule Condition,To Value,I Value
 DocType: Loyalty Program,Loyalty Program Type,Lojalitetsprogramtype
 DocType: Asset Movement,Stock Manager,Stock manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Kilde lageret er obligatorisk for rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Kilde lageret er obligatorisk for rad {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Betalingsperioden i rad {0} er muligens en duplikat.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Jordbruk (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Pakkseddel
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Pakkseddel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Kontor Leie
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Oppsett SMS gateway-innstillinger
 DocType: Disease,Common Name,Vanlig navn
@@ -2243,20 +2264,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-post Lønn Slip til Employee
 DocType: Cost Center,Parent Cost Center,Parent kostnadssted
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Velg Mulig Leverandør
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Velg Mulig Leverandør
 DocType: Sales Invoice,Source,Source
 DocType: Customer,"Select, to make the customer searchable with these fields","Velg, for å gjøre kunden søkbar med disse feltene"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importer leveringsnotater fra Shopify på forsendelse
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Vis stengt
 DocType: Leave Type,Is Leave Without Pay,Er permisjon uten Pay
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Kategori er obligatorisk for Fixed Asset element
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Kategori er obligatorisk for Fixed Asset element
 DocType: Fee Validity,Fee Validity,Avgift Gyldighet
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Ingen poster ble funnet i Payment tabellen
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Denne {0} konflikter med {1} for {2} {3}
 DocType: Student Attendance Tool,Students HTML,studenter HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Vennligst slett Medarbeider <a href=""#Form/Employee/{0}"">{0}</a> \ for å avbryte dette dokumentet"
 DocType: POS Profile,Apply Discount,Bruk rabatt
 DocType: GST HSN Code,GST HSN Code,GST HSN-kode
 DocType: Employee External Work History,Total Experience,Total Experience
@@ -2279,7 +2297,7 @@
 DocType: Maintenance Schedule,Schedules,Rutetider
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS-profilen kreves for å bruke Point-of-Sale
 DocType: Cashier Closing,Net Amount,Nettobeløp
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke sendt, så handlingen kan ikke fullføres"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke sendt, så handlingen kan ikke fullføres"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nei
 DocType: Landed Cost Voucher,Additional Charges,Ekstra kostnader
 DocType: Support Search Source,Result Route Field,Resultatrutefelt
@@ -2308,11 +2326,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Åpning av fakturaer
 DocType: Contract,Contract Details,Kontraktsdetaljer
 DocType: Employee,Leave Details,Legg igjen detaljer
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Vennligst angi bruker-ID-feltet i en Employee rekord å sette Employee Rolle
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Vennligst angi bruker-ID-feltet i en Employee rekord å sette Employee Rolle
 DocType: UOM,UOM Name,Målenheter Name
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Å adresse 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Å adresse 1
 DocType: GST HSN Code,HSN Code,HSN kode
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Bidrag Beløp
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Bidrag Beløp
 DocType: Inpatient Record,Patient Encounter,Pasientmøte
 DocType: Purchase Invoice,Shipping Address,Sendingsadresse
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Dette verktøyet hjelper deg til å oppdatere eller fikse mengde og verdsetting av aksjer i systemet. Det er vanligvis brukes til å synkronisere systemverdier og hva som faktisk eksisterer i ditt varehus.
@@ -2329,9 +2347,9 @@
 DocType: Travel Itinerary,Mode of Travel,Reisemåte
 DocType: Sales Invoice Item,Brand Name,Merkenavn
 DocType: Purchase Receipt,Transporter Details,Transporter Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Standardlager er nødvendig til den valgte artikkelen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Standardlager er nødvendig til den valgte artikkelen
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Eske
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,mulig Leverandør
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,mulig Leverandør
 DocType: Budget,Monthly Distribution,Månedlig Distribution
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Mottaker-listen er tom. Opprett Receiver Liste
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Helsevesenet (beta)
@@ -2353,6 +2371,7 @@
 ,Lead Name,Lead Name
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,prospecting
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Åpning Stock Balance
 DocType: Asset Category Account,Capital Work In Progress Account,Kapitalarbeid i fremgangskonto
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Asset Value Adjustment
@@ -2361,7 +2380,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Etterlater Avsatt Vellykket for {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Ingenting å pakke
 DocType: Shipping Rule Condition,From Value,Fra Verdi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Manufacturing Antall er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Manufacturing Antall er obligatorisk
 DocType: Loan,Repayment Method,tilbakebetaling Method
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Hvis det er merket, vil hjemmesiden være standard Varegruppe for nettstedet"
 DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -2386,7 +2405,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Ansatt henvisning
 DocType: Student Group,Set 0 for no limit,Sett 0 for ingen begrensning
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dagen (e) der du søker om permisjon er helligdager. Du trenger ikke søke om permisjon.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} er påkrevd for å opprette Fakturaer for åpning {faktura_type}
 DocType: Customer,Primary Address and Contact Detail,Primæradresse og kontaktdetaljer
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Sende Betaling Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Ny oppgave
@@ -2396,8 +2414,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Vennligst velg minst ett domene.
 DocType: Dependent Task,Dependent Task,Avhengig Task
 DocType: Shopify Settings,Shopify Tax Account,Shopify Skattekonto
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Enhet må være en i rad {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Permisjon av typen {0} kan ikke være lengre enn {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Enhet må være en i rad {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Permisjon av typen {0} kan ikke være lengre enn {1}
 DocType: Delivery Trip,Optimize Route,Optimaliser rute
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prøv å planlegge operasjoner for X dager i forveien.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2406,14 +2424,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Vennligst sette Standard Lønn betales konto i selskapet {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Få økonomisk oppdeling av skatter og avgifter data av Amazon
 DocType: SMS Center,Receiver List,Mottaker List
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Søk Element
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Søk Element
 DocType: Payment Schedule,Payment Amount,Betalings Beløp
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Halvdagsdato bør være mellom arbeid fra dato og arbeidsdato
 DocType: Healthcare Settings,Healthcare Service Items,Helsevesenetjenesteelementer
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Forbrukes Beløp
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Netto endring i kontanter
 DocType: Assessment Plan,Grading Scale,Grading Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Enhet {0} har blitt lagt inn mer enn én gang i omregningsfaktor tabell
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Enhet {0} har blitt lagt inn mer enn én gang i omregningsfaktor tabell
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,allerede fullført
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Lager i hånd
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2436,25 +2454,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} mengde {1} kan ikke være en brøkdel
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Vennligst skriv inn Woocommerce Server URL
 DocType: Purchase Order Item,Supplier Part Number,Leverandør delenummer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Konverteringsfrekvens kan ikke være 0 eller 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Konverteringsfrekvens kan ikke være 0 eller 1
 DocType: Share Balance,To No,Til nr
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Alle de obligatoriske oppgavene for oppretting av ansatte er ikke gjort ennå.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} avbrytes eller stoppes
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} avbrytes eller stoppes
 DocType: Accounts Settings,Credit Controller,Credit Controller
 DocType: Loan,Applicant Type,Søker Type
 DocType: Purchase Invoice,03-Deficiency in services,03-mangel på tjenester
 DocType: Healthcare Settings,Default Medical Code Standard,Standard medisinsk kode Standard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Kvitteringen {0} er ikke innsendt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Kvitteringen {0} er ikke innsendt
 DocType: Company,Default Payable Account,Standard Betales konto
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Innstillinger for online shopping cart som skipsregler, prisliste etc."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Fakturert
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reservert Antall
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reservert Antall
 DocType: Party Account,Party Account,Partiet konto
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Vennligst velg Firma og Betegnelse
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Menneskelige Ressurser
-DocType: Lead,Upper Income,Øvre Inntekt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Øvre Inntekt
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Avvis
 DocType: Journal Entry Account,Debit in Company Currency,Debet i selskapet Valuta
 DocType: BOM Item,BOM Item,BOM Element
@@ -2471,7 +2489,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Jobbåpninger for betegnelse {0} allerede åpen \ eller ansettelse fullført i henhold til personaleplan {1}
 DocType: Vital Signs,Constipated,forstoppelse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Mot Leverandør Faktura {0} datert {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Mot Leverandør Faktura {0} datert {1}
 DocType: Customer,Default Price List,Standard Prisliste
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Asset Movement rekord {0} er opprettet
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Ingen objekter funnet.
@@ -2487,17 +2505,18 @@
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Customer Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Netto endring i leverandørgjeld
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kredittgrensen er krysset for kunden {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vennligst still inn navngivningsserien for {0} via Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kredittgrensen er krysset for kunden {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kunden nødvendig for &#39;Customerwise Discount&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Oppdatere bankbetalings datoer med tidsskrifter.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Priser
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Priser
 DocType: Quotation,Term Details,Term Detaljer
 DocType: Employee Incentive,Employee Incentive,Ansattes incitament
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kan ikke registrere mer enn {0} studentene på denne studentgruppen.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Totalt (uten skatt)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,På lager
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,På lager
 DocType: Manufacturing Settings,Capacity Planning For (Days),Kapasitetsplanlegging For (dager)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,innkjøp
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ingen av elementene har noen endring i mengde eller verdi.
@@ -2521,7 +2540,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,La og oppmøte
 DocType: Asset,Comprehensive Insurance,Omfattende forsikring
 DocType: Maintenance Visit,Partially Completed,Delvis Fullført
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Lojalitetspoeng: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Lojalitetspoeng: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Legg til Leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Moderat følsomhet
 DocType: Leave Type,Include holidays within leaves as leaves,Inkluder hellig innen blader som løv
 DocType: Loyalty Program,Redemption,Forløsning
@@ -2555,7 +2575,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Markedsføringskostnader
 ,Item Shortage Report,Sak Mangel Rapporter
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Kan ikke opprette standard kriterier. Vennligst gi nytt navn til kriteriene
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vekt er nevnt, \ nVennligst nevne &quot;Weight målenheter&quot; også"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vekt er nevnt, \ nVennligst nevne &quot;Weight målenheter&quot; også"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialet Request brukes til å gjøre dette lager Entry
 DocType: Hub User,Hub Password,Hub Passord
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursbasert gruppe for hver batch
@@ -2570,15 +2590,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Avtale Varighet (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Gjør regnskap Entry For Hver Stock Movement
 DocType: Leave Allocation,Total Leaves Allocated,Totalt Leaves Avsatt
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Fyll inn gyldig Regnskapsår start- og sluttdato
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Fyll inn gyldig Regnskapsår start- og sluttdato
 DocType: Employee,Date Of Retirement,Pensjoneringstidspunktet
 DocType: Upload Attendance,Get Template,Få Mal
+,Sales Person Commission Summary,Salgs personkommisjon Sammendrag
 DocType: Additional Salary Component,Additional Salary Component,Tilleggslønn
 DocType: Material Request,Transferred,overført
 DocType: Vehicle,Doors,dører
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Samle avgift for pasientregistrering
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan ikke endre attributter etter aksje transaksjon. Lag en ny vare og overfør lager til den nye varen
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan ikke endre attributter etter aksje transaksjon. Lag en ny vare og overfør lager til den nye varen
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Skatteavbrudd
 DocType: Employee,Joining Details,Bli med på detaljer
@@ -2606,14 +2627,15 @@
 DocType: Lead,Next Contact By,Neste Kontakt Av
 DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenserende permisjon
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Mengden som kreves for Element {0} i rad {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} kan ikke slettes som kvantitet finnes for Element {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} kan ikke slettes som kvantitet finnes for Element {1}
 DocType: Blanket Order,Order Type,Ordretype
 ,Item-wise Sales Register,Element-messig Sales Register
 DocType: Asset,Gross Purchase Amount,Bruttobeløpet
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Åpningsbalanser
 DocType: Asset,Depreciation Method,avskrivningsmetode
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er dette inklusiv i Basic Rate?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Total Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Total Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Perception Analysis
 DocType: Soil Texture,Sand Composition (%),Sandkomposisjon (%)
 DocType: Job Applicant,Applicant for a Job,Kandidat til en jobb
 DocType: Production Plan Material Request,Production Plan Material Request,Produksjonsplan Material Request
@@ -2628,23 +2650,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Vurderingsmerke (ut av 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Hoved
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Følgende element {0} er ikke merket som {1} element. Du kan aktivere dem som {1} -objekt fra elementmasteren
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",For et element {0} må mengden være negativt tall
 DocType: Naming Series,Set prefix for numbering series on your transactions,Still prefiks for nummerering serien på dine transaksjoner
 DocType: Employee Attendance Tool,Employees HTML,ansatte HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) må være aktiv for denne varen eller dens mal
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) må være aktiv for denne varen eller dens mal
 DocType: Employee,Leave Encashed?,Permisjon encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Fra-feltet er obligatorisk
 DocType: Email Digest,Annual Expenses,årlige utgifter
 DocType: Item,Variants,Varianter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Gjør innkjøpsordre
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Gjør innkjøpsordre
 DocType: SMS Center,Send To,Send Til
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Det er ikke nok permisjon balanse for La Type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Det er ikke nok permisjon balanse for La Type {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Bevilget beløp
 DocType: Sales Team,Contribution to Net Total,Bidrag til Net Total
 DocType: Sales Invoice Item,Customer's Item Code,Kundens Elementkode
 DocType: Stock Reconciliation,Stock Reconciliation,Stock Avstemming
 DocType: Territory,Territory Name,Territorium Name
+DocType: Email Digest,Purchase Orders to Receive,Innkjøpsordre for å motta
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Work-in-progress Warehouse er nødvendig før Send
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Du kan bare ha planer med samme faktureringsperiode i en abonnement
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappedata
@@ -2661,9 +2685,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplisere serie Ingen kom inn for Element {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Sporledninger av blykilde.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,En forutsetning for en Shipping Rule
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Vennligst skriv inn
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Vennligst skriv inn
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Vedlikeholdslogg
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Vennligst sette filter basert på varen eller Warehouse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Vennligst sette filter basert på varen eller Warehouse
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovekten av denne pakken. (Automatisk beregnet som summen av nettovekt elementer)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Lag Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Rabattbeløp kan ikke være større enn 100%
@@ -2672,15 +2696,15 @@
 DocType: Sales Order,To Deliver and Bill,Å levere og Bill
 DocType: Student Group,Instructors,instruktører
 DocType: GL Entry,Credit Amount in Account Currency,Credit beløp på kontoen Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} må sendes
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Aksjeforvaltning
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} må sendes
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Aksjeforvaltning
 DocType: Authorization Control,Authorization Control,Autorisasjon kontroll
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Avvist Warehouse er obligatorisk mot avvist Element {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Betaling
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Avvist Warehouse er obligatorisk mot avvist Element {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Betaling
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Lager {0} er ikke knyttet til noen konto, vennligst oppgi kontoen i lagerregisteret eller sett inn standardbeholdningskonto i selskap {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Administrere dine bestillinger
 DocType: Work Order Operation,Actual Time and Cost,Faktisk leveringstid og pris
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialet Request av maksimal {0} kan gjøres for Element {1} mot Salgsordre {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialet Request av maksimal {0} kan gjøres for Element {1} mot Salgsordre {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Beskjæringsavstand
 DocType: Course,Course Abbreviation,Kurs forkortelse
@@ -2692,6 +2716,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Samlet arbeidstid må ikke være større enn maks arbeidstid {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,På
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle elementer på salgstidspunktet.
+DocType: Delivery Settings,Dispatch Settings,Dispatch Settings
 DocType: Material Request Plan Item,Actual Qty,Selve Antall
 DocType: Sales Invoice Item,References,Referanser
 DocType: Quality Inspection Reading,Reading 10,Lese 10
@@ -2701,11 +2726,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Du har skrevet inn like elementer. Vennligst utbedre og prøv igjen.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Forbinder
 DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Arbeidsordre {0} må sendes
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,New Handlekurv
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Arbeidsordre {0} må sendes
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,New Handlekurv
 DocType: Taxable Salary Slab,From Amount,Fra beløp
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Element {0} er ikke en serie Element
 DocType: Leave Type,Encashment,encashment
+DocType: Delivery Settings,Delivery Settings,Leveringsinnstillinger
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Hent data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maksimum permisjon tillatt i permisjonstypen {0} er {1}
 DocType: SMS Center,Create Receiver List,Lag Receiver List
 DocType: Vehicle,Wheels,hjul
@@ -2721,7 +2748,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Faktureringsvaluta må være lik enten selskapets valuta- eller partikonto-valuta
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Indikerer at pakken er en del av denne leveransen (Kun Draft)
 DocType: Soil Texture,Loam,leirjord
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Row {0}: Forfallsdato kan ikke være før innleggsdato
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Row {0}: Forfallsdato kan ikke være før innleggsdato
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Utfør betaling Entry
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Kvantum for Element {0} må være mindre enn {1}
 ,Sales Invoice Trends,Salgsfaktura Trender
@@ -2729,12 +2756,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan referere rad bare hvis belastningen typen er &#39;On Forrige Row beløp &quot;eller&quot; Forrige Row Totals
 DocType: Sales Order Item,Delivery Warehouse,Levering Warehouse
 DocType: Leave Type,Earned Leave Frequency,Opptjent permisjon
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tre av finansielle kostnadssteder.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Undertype
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tre av finansielle kostnadssteder.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Undertype
 DocType: Serial No,Delivery Document No,Levering Dokument nr
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Sørg for levering basert på produsert serienummer
 DocType: Vital Signs,Furry,furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vennligst sett &#39;Gevinst / tap-konto på Asset Deponering &quot;i selskapet {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vennligst sett &#39;Gevinst / tap-konto på Asset Deponering &quot;i selskapet {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Få elementer fra innkjøps Receipts
 DocType: Serial No,Creation Date,Dato opprettet
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Målplassering er nødvendig for aktiva {0}
@@ -2748,11 +2775,12 @@
 DocType: Item,Has Variants,Har Varianter
 DocType: Employee Benefit Claim,Claim Benefit For,Krav til fordel for
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Oppdater svar
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Du har allerede valgt elementer fra {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Du har allerede valgt elementer fra {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Navn på Monthly Distribution
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch-ID er obligatorisk
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch-ID er obligatorisk
 DocType: Sales Person,Parent Sales Person,Parent Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Ingen elementer som skal mottas er for sent
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Selgeren og kjøperen kan ikke være det samme
 DocType: Project,Collect Progress,Samle fremgang
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2768,7 +2796,7 @@
 DocType: Bank Guarantee,Margin Money,Marginpenger
 DocType: Budget,Budget,Budsjett
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Sett inn
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fast Asset varen må være et ikke-lagervare.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fast Asset varen må være et ikke-lagervare.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budsjettet kan ikke overdras mot {0}, som det er ikke en inntekt eller kostnad konto"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maks. Fritak for {0} er {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Oppnås
@@ -2786,9 +2814,9 @@
 ,Amount to Deliver,Beløp å levere
 DocType: Asset,Insurance Start Date,Forsikring Startdato
 DocType: Salary Component,Flexible Benefits,Fleksible fordeler
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Samme gjenstand er oppgitt flere ganger. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Samme gjenstand er oppgitt flere ganger. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Begrepet Startdato kan ikke være tidligere enn året startdato av studieåret som begrepet er knyttet (studieåret {}). Korriger datoene, og prøv igjen."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Det var feil.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Det var feil.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Ansatt {0} har allerede søkt om {1} mellom {2} og {3}:
 DocType: Guardian,Guardian Interests,Guardian Interesser
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Oppdater kontonavn / nummer
@@ -2827,9 +2855,9 @@
 ,Item-wise Purchase History,Element-messig Purchase History
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Vennligst klikk på &quot;Generer Schedule &#39;for å hente serienummer lagt for Element {0}
 DocType: Account,Frozen,Frozen
-DocType: Delivery Note,Vehicle Type,Bil type
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Bil type
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Grunnbeløp (Selskap Valuta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Råstoffer
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Råstoffer
 DocType: Payment Reconciliation Payment,Reference Row,Referanse Row
 DocType: Installation Note,Installation Time,Installasjon Tid
 DocType: Sales Invoice,Accounting Details,Regnskap Detaljer
@@ -2838,12 +2866,13 @@
 DocType: Inpatient Record,O Positive,O Positiv
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investeringer
 DocType: Issue,Resolution Details,Oppløsning Detaljer
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Transaksjonstype
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Transaksjonstype
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Akseptkriterier
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Fyll inn Material forespørsler i tabellen over
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Ingen tilbakebetalinger tilgjengelig for Journal Entry
 DocType: Hub Tracked Item,Image List,Bildeliste
 DocType: Item Attribute,Attribute Name,Attributt navn
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generer faktura ved begynnelsen av perioden
 DocType: BOM,Show In Website,Show I Website
 DocType: Loan Application,Total Payable Amount,Totalt betales beløpet
 DocType: Task,Expected Time (in hours),Forventet tid (i timer)
@@ -2881,8 +2910,8 @@
 DocType: Employee,Resignation Letter Date,Resignasjon Letter Dato
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Prising Reglene er videre filtreres basert på kvantitet.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Ikke sett
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Vennligst sett datoen for å bli med på ansatt {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Vennligst sett datoen for å bli med på ansatt {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Vennligst sett datoen for å bli med på ansatt {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Vennligst sett datoen for å bli med på ansatt {0}
 DocType: Inpatient Record,Discharge,Utslipp
 DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Beløp (via Timeregistrering)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Gjenta kunden Revenue
@@ -2892,13 +2921,13 @@
 DocType: Chapter,Chapter,Kapittel
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Par
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Standardkontoen oppdateres automatisk i POS-faktura når denne modusen er valgt.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Velg BOM og Stk for produksjon
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Velg BOM og Stk for produksjon
 DocType: Asset,Depreciation Schedule,avskrivninger Schedule
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Salgspartneradresser og kontakter
 DocType: Bank Reconciliation Detail,Against Account,Mot konto
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Half Day Date bør være mellom Fra dato og Til dato
 DocType: Maintenance Schedule Detail,Actual Date,Selve Dato
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Angi standardkostnadssenteret i {0} selskapet.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Angi standardkostnadssenteret i {0} selskapet.
 DocType: Item,Has Batch No,Har Batch No
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Årlig Billing: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail
@@ -2910,7 +2939,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift Type
 DocType: Student,Personal Details,Personlig Informasjon
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Vennligst sett &#39;Asset Avskrivninger kostnadssted &quot;i selskapet {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Vennligst sett &#39;Asset Avskrivninger kostnadssted &quot;i selskapet {0}
 ,Maintenance Schedules,Vedlikeholdsplaner
 DocType: Task,Actual End Date (via Time Sheet),Faktisk Sluttdato (via Timeregistrering)
 DocType: Soil Texture,Soil Type,Jordtype
@@ -2918,10 +2947,10 @@
 ,Quotation Trends,Anførsels Trender
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Varegruppe ikke nevnt i punkt master for elementet {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Uttak fra kontoen må være en fordring konto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Uttak fra kontoen må være en fordring konto
 DocType: Shipping Rule,Shipping Amount,Fraktbeløp
 DocType: Supplier Scorecard Period,Period Score,Periodepoeng
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Legg til kunder
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Legg til kunder
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Avventer Beløp
 DocType: Lab Test Template,Special,Spesiell
 DocType: Loyalty Program,Conversion Factor,Omregningsfaktor
@@ -2938,7 +2967,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Legg til brevpapir
 DocType: Program Enrollment,Self-Driving Vehicle,Selvkjørende kjøretøy
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverandør Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},P {0}: stykk ikke funnet med Element {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},P {0}: stykk ikke funnet med Element {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totalt bevilget blader {0} kan ikke være mindre enn allerede godkjente blader {1} for perioden
 DocType: Contract Fulfilment Checklist,Requirement,Krav
 DocType: Journal Entry,Accounts Receivable,Kundefordringer
@@ -2955,16 +2984,16 @@
 DocType: Projects Settings,Timesheets,Timelister
 DocType: HR Settings,HR Settings,HR-innstillinger
 DocType: Salary Slip,net pay info,nettolønn info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS-beløp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS-beløp
 DocType: Woocommerce Settings,Enable Sync,Aktiver synkronisering
 DocType: Tax Withholding Rate,Single Transaction Threshold,Enkelt transaksjonsgrense
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Denne verdien er oppdatert i standard salgsprislisten.
 DocType: Email Digest,New Expenses,nye Utgifter
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Beløp
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Beløp
 DocType: Shareholder,Shareholder,Aksjonær
 DocType: Purchase Invoice,Additional Discount Amount,Ekstra rabatt Beløp
 DocType: Cash Flow Mapper,Position,Posisjon
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Få varer fra resepter
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Få varer fra resepter
 DocType: Patient,Patient Details,Pasientdetaljer
 DocType: Inpatient Record,B Positive,B Positiv
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2976,8 +3005,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Gruppe til Non-gruppe
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sport
 DocType: Loan Type,Loan Name,lån Name
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Total Actual
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Total Actual
 DocType: Student Siblings,Student Siblings,student Søsken
 DocType: Subscription Plan Detail,Subscription Plan Detail,Abonnementsplandetaljer
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Enhet
@@ -3005,7 +3033,6 @@
 DocType: Workstation,Wages per hour,Lønn per time
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock balanse i Batch {0} vil bli negativ {1} for Element {2} på Warehouse {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materiale Requests har vært reist automatisk basert på element re-order nivå
-DocType: Email Digest,Pending Sales Orders,Avventer salgsordrer
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Account Valuta må være {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Fra dato {0} kan ikke være etter ansattes avlastningsdato {1}
 DocType: Supplier,Is Internal Supplier,Er Intern Leverandør
@@ -3014,13 +3041,14 @@
 DocType: Healthcare Settings,Remind Before,Påminn før
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Målenheter Omregningsfaktor er nødvendig i rad {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av salgsordre, salgsfaktura eller bilagsregistrering"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av salgsordre, salgsfaktura eller bilagsregistrering"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojalitetspoeng = Hvor mye grunnvaluta?
 DocType: Salary Component,Deduction,Fradrag
 DocType: Item,Retain Sample,Behold prøve
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Rad {0}: Fra tid og Tid er obligatorisk.
 DocType: Stock Reconciliation Item,Amount Difference,beløp Difference
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Varen Pris lagt for {0} i Prisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Varen Pris lagt for {0} i Prisliste {1}
+DocType: Delivery Stop,Order Information,BESTILLINGSINFORMASJON
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Skriv inn Employee Id av denne salgs person
 DocType: Territory,Classification of Customers by region,Klassifisering av kunder etter region
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,I produksjon
@@ -3031,8 +3059,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Beregnet kontoutskrift balanse
 DocType: Normal Test Template,Normal Test Template,Normal testmal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,deaktivert bruker
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Sitat
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Kan ikke angi en mottatt RFQ til No Quote
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Sitat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Kan ikke angi en mottatt RFQ til No Quote
 DocType: Salary Slip,Total Deduction,Total Fradrag
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Velg en konto for å skrive ut i kontovaluta
 ,Production Analytics,produksjons~~POS=TRUNC Analytics
@@ -3045,14 +3073,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverandør Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Evalueringsplan Navn
 DocType: Work Order Operation,Work Order Operation,Arbeidsordreoperasjon
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldig SSL-sertifikat på vedlegg {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldig SSL-sertifikat på vedlegg {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads hjelpe deg å få virksomheten, legge til alle dine kontakter og mer som dine potensielle kunder"
 DocType: Work Order Operation,Actual Operation Time,Selve Operasjon Tid
 DocType: Authorization Rule,Applicable To (User),Gjelder til (User)
 DocType: Purchase Taxes and Charges,Deduct,Trekke
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Stillingsbeskrivelse
 DocType: Student Applicant,Applied,Tatt i bruk
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-open
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-open
 DocType: Sales Invoice Item,Qty as per Stock UOM,Antall pr Stock målenheter
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Name
 DocType: Attendance,Attendance Request,Deltakelsesforespørsel
@@ -3070,7 +3098,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} er under garanti opptil {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minste tillatte verdi
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Bruker {0} eksisterer allerede
-apps/erpnext/erpnext/hooks.py +114,Shipments,Forsendelser
+apps/erpnext/erpnext/hooks.py +115,Shipments,Forsendelser
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Totalt tildelte beløp (Selskap Valuta)
 DocType: Purchase Order Item,To be delivered to customer,Som skal leveres til kunde
 DocType: BOM,Scrap Material Cost,Skrap Material Cost
@@ -3078,11 +3106,12 @@
 DocType: Grant Application,Email Notification Sent,E-postvarsling sendt
 DocType: Purchase Invoice,In Words (Company Currency),I Words (Company Valuta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Selskapet er manadatory for selskapskonto
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Varenummer, lager, antall er påkrevd på rad"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Varenummer, lager, antall er påkrevd på rad"
 DocType: Bank Guarantee,Supplier,Leverandør
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Få Fra
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Dette er en rotavdeling og kan ikke redigeres.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Vis betalingsdetaljer
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Varighet i dager
 DocType: C-Form,Quarter,Quarter
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Diverse utgifter
 DocType: Global Defaults,Default Company,Standard selskapet
@@ -3090,7 +3119,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kostnad eller Difference konto er obligatorisk for Element {0} som det påvirker samlede børsverdi
 DocType: Bank,Bank Name,Bank Name
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,La feltet være tomt for å foreta bestillinger for alle leverandører
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,La feltet være tomt for å foreta bestillinger for alle leverandører
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item
 DocType: Vital Signs,Fluid,Væske
 DocType: Leave Application,Total Leave Days,Totalt La Days
@@ -3100,7 +3129,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Variantinnstillinger
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Velg Company ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,La stå tom hvis vurderes for alle avdelinger
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} er obligatorisk for Element {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} er obligatorisk for Element {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Vare {0}: {1} Antall produsert,"
 DocType: Payroll Entry,Fortnightly,hver fjortende dag
 DocType: Currency Exchange,From Currency,Fra Valuta
@@ -3150,7 +3179,7 @@
 DocType: Account,Fixed Asset,Fast Asset
 DocType: Amazon MWS Settings,After Date,Etter dato
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialisert Lager
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Ugyldig {0} for interfirmafaktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Ugyldig {0} for interfirmafaktura.
 ,Department Analytics,Avdeling Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-post ikke funnet i standardkontakt
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generer hemmelighet
@@ -3169,6 +3198,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,administrerende direktør
 DocType: Purchase Invoice,With Payment of Tax,Med betaling av skatt
 DocType: Expense Claim Detail,Expense Claim Detail,Expense krav Detalj
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vennligst oppsett Instruktør Navngivningssystem under utdanning&gt; Utdanningsinnstillinger
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAT FOR LEVERANDØR
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Ny balanse i basisvaluta
 DocType: Location,Is Container,Er Container
@@ -3176,13 +3206,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Velg riktig konto
 DocType: Salary Structure Assignment,Salary Structure Assignment,Lønnsstrukturoppgave
 DocType: Purchase Invoice Item,Weight UOM,Vekt målenheter
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Liste over tilgjengelige Aksjonærer med folio nummer
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Liste over tilgjengelige Aksjonærer med folio nummer
 DocType: Salary Structure Employee,Salary Structure Employee,Lønn Struktur Employee
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Vis variantattributter
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Vis variantattributter
 DocType: Student,Blood Group,Blodgruppe
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Betalingsgatewaykontoen i plan {0} er forskjellig fra betalingsgatewaykontoen i denne betalingsanmodningen
 DocType: Course,Course Name,Course Name
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Ingen skattelettende data funnet for det nåværende regnskapsåret.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Ingen skattelettende data funnet for det nåværende regnskapsåret.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Brukere som kan godkjenne en bestemt ansattes permisjon applikasjoner
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Kontor utstyr
 DocType: Purchase Invoice Item,Qty,Antall
@@ -3190,6 +3220,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Scoring Setup
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronikk
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Tillat samme gjenstand flere ganger
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Hev Material Request når aksjen når re-order nivå
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Fulltid
 DocType: Payroll Entry,Employees,medarbeidere
@@ -3201,11 +3232,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Betalingsbekreftelse
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Prisene vil ikke bli vist hvis prislisten er ikke satt
 DocType: Stock Entry,Total Incoming Value,Total Innkommende Verdi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debet Å kreves
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debet Å kreves
 DocType: Clinical Procedure,Inpatient Record,Inpatient Record
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timelister bidra til å holde styr på tid, kostnader og fakturering for aktiviteter gjort av teamet ditt"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Kjøp Prisliste
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Dato for transaksjon
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Kjøp Prisliste
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Dato for transaksjon
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Maler av leverandørens scorecard-variabler.
 DocType: Job Offer Term,Offer Term,Tilbudet Term
 DocType: Asset,Quality Manager,Quality Manager
@@ -3226,11 +3257,11 @@
 DocType: Cashier Closing,To Time,Til Time
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) for {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Godkjenne Role (ovenfor autorisert verdi)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kreditt til kontoen må være en Betales konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kreditt til kontoen må være en Betales konto
 DocType: Loan,Total Amount Paid,Totalt beløp betalt
 DocType: Asset,Insurance End Date,Forsikrings sluttdato
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Vennligst velg Student Admission, som er obligatorisk for den betalte student søkeren"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekursjon: {0} kan ikke være forelder eller barn av {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekursjon: {0} kan ikke være forelder eller barn av {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Budsjettliste
 DocType: Work Order Operation,Completed Qty,Fullført Antall
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",For {0} kan bare belastning kontoer knyttes opp mot en annen kreditt oppføring
@@ -3238,7 +3269,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialisert element {0} kan ikke oppdateres ved hjelp av Stock Forsoning, vennligst bruk Stock Entry"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialisert element {0} kan ikke oppdateres ved hjelp av Stock Forsoning, vennligst bruk Stock Entry"
 DocType: Training Event Employee,Training Event Employee,Trening Hendelses Employee
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimale prøver - {0} kan beholdes for Batch {1} og Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksimale prøver - {0} kan beholdes for Batch {1} og Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Legg til tidsluker
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienumre som kreves for Element {1}. Du har gitt {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Nåværende Verdivurdering Rate
@@ -3269,11 +3300,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ikke funnet
 DocType: Fee Schedule Program,Fee Schedule Program,Avgift Schedule Program
 DocType: Fee Schedule Program,Student Batch,student Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Vennligst slett Medarbeider <a href=""#Form/Employee/{0}"">{0}</a> \ for å avbryte dette dokumentet"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Gjør Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min karakter
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Helsesektorenhetstype
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Du har blitt invitert til å samarbeide om prosjektet: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Du har blitt invitert til å samarbeide om prosjektet: {0}
 DocType: Supplier Group,Parent Supplier Group,Foreldre Leverandørgruppe
+DocType: Email Digest,Purchase Orders to Bill,Innkjøpsordrer til Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Akkumulerte verdier i konsernselskapet
 DocType: Leave Block List Date,Block Date,Block Dato
 DocType: Crop,Crop,Avling
@@ -3286,6 +3320,7 @@
 DocType: Sales Order,Not Delivered,Ikke levert
 ,Bank Clearance Summary,Bank Lagersalg Summary
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Opprette og administrere daglige, ukentlige og månedlige e-postfordøyer."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Dette er basert på transaksjoner mot denne selgeren. Se tidslinjen nedenfor for detaljer
 DocType: Appraisal Goal,Appraisal Goal,Appraisal Goal
 DocType: Stock Reconciliation Item,Current Amount,Gjeldende Beløp
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,bygninger
@@ -3312,7 +3347,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,programvare
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Neste Kontakt Datoen kan ikke være i fortiden
 DocType: Company,For Reference Only.,For referanse.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Velg batchnummer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Velg batchnummer
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Ugyldig {0}: {1}
 ,GSTR-1,GSTR-en
 DocType: Fee Validity,Reference Inv,Referanse Inv
@@ -3330,16 +3365,16 @@
 DocType: Normal Test Items,Require Result Value,Krever resultatverdi
 DocType: Item,Show a slideshow at the top of the page,Vis en lysbildeserie på toppen av siden
 DocType: Tax Withholding Rate,Tax Withholding Rate,Skattefradrag
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Butikker
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Butikker
 DocType: Project Type,Projects Manager,Prosjekter manager
 DocType: Serial No,Delivery Time,Leveringstid
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Aldring Based On
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Avtale kansellert
 DocType: Item,End of Life,Slutten av livet
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Reise
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Reise
 DocType: Student Report Generation Tool,Include All Assessment Group,Inkluder alle vurderingsgrupper
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktive eller standard Lønn Struktur funnet for arbeidstaker {0} for den gitte datoer
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktive eller standard Lønn Struktur funnet for arbeidstaker {0} for den gitte datoer
 DocType: Leave Block List,Allow Users,Gi brukere
 DocType: Purchase Order,Customer Mobile No,Kunden Mobile No
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kontantstrøm kartlegging detaljer
@@ -3348,15 +3383,16 @@
 DocType: Rename Tool,Rename Tool,Rename Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Oppdater Cost
 DocType: Item Reorder,Item Reorder,Sak Omgjøre
+DocType: Delivery Note,Mode of Transport,Transportmiddel
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Vis Lønn Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer Material
 DocType: Fees,Send Payment Request,Send betalingsforespørsel
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Spesifiser drift, driftskostnadene og gi en unik Operation nei til driften."
 DocType: Travel Request,Any other details,Eventuelle andre detaljer
 DocType: Water Analysis,Origin,Opprinnelse
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dette dokumentet er over grensen av {0} {1} for elementet {4}. Er du gjør en annen {3} mot samme {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Vennligst sett gjentakende etter lagring
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Velg endring mengde konto
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Vennligst sett gjentakende etter lagring
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Velg endring mengde konto
 DocType: Purchase Invoice,Price List Currency,Prisliste Valuta
 DocType: Naming Series,User must always select,Brukeren må alltid velge
 DocType: Stock Settings,Allow Negative Stock,Tillat Negative Stock
@@ -3377,9 +3413,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sporbarhet
 DocType: Asset Maintenance Log,Actions performed,Handlinger utført
 DocType: Cash Flow Mapper,Section Leader,Seksjonsleder
+DocType: Delivery Note,Transport Receipt No,Transport kvittering nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Source of Funds (Gjeld)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Kilde og målplassering kan ikke være det samme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Antall på rad {0} ({1}) må være det samme som produsert mengde {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Antall på rad {0} ({1}) må være det samme som produsert mengde {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Ansatt
 DocType: Bank Guarantee,Fixed Deposit Number,Fast innskuddsnummer
 DocType: Asset Repair,Failure Date,Feil dato
@@ -3393,16 +3430,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Betalings fradrag eller tap
 DocType: Soil Analysis,Soil Analysis Criterias,Jordanalysekriterier
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standard kontraktsvilkår for salg eller kjøp.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Er du sikker på at du vil avbryte denne avtalen?
+DocType: BOM Item,Item operation,Vareoperasjon
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Er du sikker på at du vil avbryte denne avtalen?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotellrom Prispakke
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,salgs~~POS=TRUNC
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,salgs~~POS=TRUNC
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Vennligst angi standardkonto i Lønn Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nødvendig På
 DocType: Rename Tool,File to Rename,Filen til Rename
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Vennligst velg BOM for Element i Rad {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Hent abonnementsoppdateringer
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stemmer ikke overens med Selskapet {1} i Konto modus: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Spesifisert BOM {0} finnes ikke for Element {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Spesifisert BOM {0} finnes ikke for Element {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kurs:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vedlikeholdsplan {0} må avbestilles før den avbryter denne salgsordre
@@ -3411,7 +3449,7 @@
 DocType: Notification Control,Expense Claim Approved,Expense krav Godkjent
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Angi fremskritt og tilordne (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Ingen arbeidsordre opprettet
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Lønn Slip av ansattes {0} som allerede er opprettet for denne perioden
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Lønn Slip av ansattes {0} som allerede er opprettet for denne perioden
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Pharmaceutical
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Du kan kun sende permittering for et gyldig innkjøpsbeløp
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnad for kjøpte varer
@@ -3419,7 +3457,8 @@
 DocType: Selling Settings,Sales Order Required,Salgsordre Påkrevd
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Bli en selger
 DocType: Purchase Invoice,Credit To,Kreditt til
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktive Ledninger / Kunder
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktive Ledninger / Kunder
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,La stå tomt for å bruke standardleveringsformat
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vedlikeholdsplan Detalj
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Varsle om nye innkjøpsordrer
@@ -3433,14 +3472,14 @@
 DocType: Support Search Source,Post Title Key,Posttittelnøkkel
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,For jobbkort
 DocType: Warranty Claim,Raised By,Raised By
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,resepter
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,resepter
 DocType: Payment Gateway Account,Payment Account,Betaling konto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Vennligst oppgi selskapet å fortsette
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Vennligst oppgi selskapet å fortsette
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Netto endring i kundefordringer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompenserende Off
 DocType: Job Offer,Accepted,Akseptert
 DocType: POS Closing Voucher,Sales Invoices Summary,Sammendrag av salgsfakturaer
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Til Festnavn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Til Festnavn
 DocType: Grant Application,Organization,Organisasjon
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
 DocType: SG Creation Tool Course,Student Group Name,Student Gruppenavn
@@ -3449,7 +3488,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Sørg for at du virkelig ønsker å slette alle transaksjoner for dette selskapet. Dine stamdata vil forbli som det er. Denne handlingen kan ikke angres.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Søkeresultater
 DocType: Room,Room Number,Romnummer
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Ugyldig referanse {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Ugyldig referanse {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større enn planlagt quanitity ({2}) i produksjonsordre {3}
 DocType: Shipping Rule,Shipping Rule Label,Shipping Rule Etikett
 DocType: Journal Entry Account,Payroll Entry,Lønninngang
@@ -3457,8 +3496,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Lag skatteremne
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,bruker~~POS=TRUNC
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Råvare kan ikke være blank.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Rad # {0} (betalingstabell): beløpet må være negativt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Kunne ikke oppdatere lager, inneholder faktura slippe frakt element."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Rad # {0} (betalingstabell): beløpet må være negativt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Kunne ikke oppdatere lager, inneholder faktura slippe frakt element."
 DocType: Contract,Fulfilment Status,Oppfyllelsesstatus
 DocType: Lab Test Sample,Lab Test Sample,Lab Test prøve
 DocType: Item Variant Settings,Allow Rename Attribute Value,Tillat omdøpe attributtverdi
@@ -3500,11 +3539,11 @@
 DocType: BOM,Show Operations,Vis Operations
 ,Minutes to First Response for Opportunity,Minutter til First Response for Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Total Fraværende
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Element eller Warehouse for rad {0} samsvarer ikke Material Request
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Element eller Warehouse for rad {0} samsvarer ikke Material Request
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Måleenhet
 DocType: Fiscal Year,Year End Date,År Sluttdato
 DocType: Task Depends On,Task Depends On,Task Avhenger
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Opportunity
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Opportunity
 DocType: Operation,Default Workstation,Standard arbeidsstasjon
 DocType: Notification Control,Expense Claim Approved Message,Expense krav Godkjent melding
 DocType: Payment Entry,Deductions or Loss,Fradrag eller tap
@@ -3542,21 +3581,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Godkjenne Brukeren kan ikke være det samme som bruker regelen gjelder for
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (som per Stock målenheter)
 DocType: SMS Log,No of Requested SMS,Ingen av Spurt SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Dager uten lønn samsvarer ikke med godkjente Dager uten lønn
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Dager uten lønn samsvarer ikke med godkjente Dager uten lønn
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Neste skritt
 DocType: Travel Request,Domestic,Innenlands
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Vennligst oppgi de angitte elementene på de best mulige priser
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Vennligst oppgi de angitte elementene på de best mulige priser
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Ansatteoverføring kan ikke sendes før overføringsdato
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Gjør Faktura
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Gjenværende balanse
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Gjenværende balanse
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto nær mulighet etter 15 dager
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Innkjøpsordrer er ikke tillatt for {0} på grunn av et scorecard som står på {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Strekkode {0} er ikke en gyldig {1} kode
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Strekkode {0} er ikke en gyldig {1} kode
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,slutt År
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Kontraktssluttdato må være større enn tidspunktet for inntreden
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Kontraktssluttdato må være større enn tidspunktet for inntreden
 DocType: Driver,Driver,Sjåfør
 DocType: Vital Signs,Nutrition Values,Ernæringsverdier
 DocType: Lab Test Template,Is billable,Er fakturerbart
@@ -3567,7 +3606,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Dette er et eksempel nettsiden automatisk generert fra ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Aldring Range 1
 DocType: Shopify Settings,Enable Shopify,Aktiver Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Samlet forskuddsbeløp kan ikke være større enn totalt beløp
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Samlet forskuddsbeløp kan ikke være større enn totalt beløp
 DocType: Purchase Taxes and Charges Template,"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
@@ -3594,12 +3633,12 @@
 DocType: Employee Separation,Employee Separation,Ansattes separasjon
 DocType: BOM Item,Original Item,Originalelement
 DocType: Purchase Receipt Item,Recd Quantity,Recd Antall
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Dok dato
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Dok dato
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Laget - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategori konto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Betalingstabell): Beløpet må være positivt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Betalingstabell): Beløpet må være positivt
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke produsere mer Element {0} enn Salgsordre kvantitet {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Velg Attributtverdier
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Velg Attributtverdier
 DocType: Purchase Invoice,Reason For Issuing document,Årsak til utstedelse av dokument
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Entry {0} er ikke innsendt
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / minibank konto
@@ -3608,8 +3647,10 @@
 DocType: Asset,Manual,Håndbok
 DocType: Salary Component Account,Salary Component Account,Lønnstype konto
 DocType: Global Defaults,Hide Currency Symbol,Skjule Valutasymbol
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Salgsmuligheter ved kilde
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Donorinformasjon.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","f.eks Bank, Cash, Kredittkort"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vennligst oppsett nummereringsserie for Tilstedeværelse via Oppsett&gt; Nummereringsserie
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","f.eks Bank, Cash, Kredittkort"
 DocType: Job Applicant,Source Name,Source Name
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal hvilende blodtrykk hos en voksen er ca. 120 mmHg systolisk og 80 mmHg diastolisk, forkortet &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Angi gjenstander holdbarhet om dager, for å angi utløp basert på manufacturing_date pluss selvtid"
@@ -3639,7 +3680,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},For Mengde må være mindre enn mengde {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rad {0}: Startdato må være før sluttdato
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimal fordelbeløp (Årlig)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Rate%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Rate%
 DocType: Crop,Planting Area,Planteområde
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Stk)
 DocType: Installation Note Item,Installed Qty,Installert antall
@@ -3661,8 +3702,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Legg igjen godkjenningsvarsling
 DocType: Buying Settings,Default Buying Price List,Standard Kjøpe Prisliste
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Lønn Slip Basert på Timeregistrering
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Kjøpspris
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Row {0}: Angi plassering for aktivelementet {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Kjøpspris
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Row {0}: Angi plassering for aktivelementet {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Om selskapet
 DocType: Notification Control,Sales Order Message,Salgsordre Message
@@ -3729,10 +3770,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,For rad {0}: Skriv inn planlagt antall
 DocType: Account,Income Account,Inntekt konto
 DocType: Payment Request,Amount in customer's currency,Beløp i kundens valuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Levering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Levering
 DocType: Volunteer,Weekdays,hver~~POS=TRUNC
 DocType: Stock Reconciliation Item,Current Qty,Nåværende Antall
 DocType: Restaurant Menu,Restaurant Menu,Restaurantmeny
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Legg til leverandører
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Hjelpseksjon
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,prev
@@ -3744,19 +3786,20 @@
 												fullfill Sales Order {2}",Kan ikke levere serienummeret {0} av elementet {1} som det er reservert for \ fullfill salgsordre {2}
 DocType: Item Reorder,Material Request Type,Materialet Request Type
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Send Grant Review Email
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Localstorage er full, ikke redde"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: målenheter omregningsfaktor er obligatorisk
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Localstorage er full, ikke redde"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: målenheter omregningsfaktor er obligatorisk
 DocType: Employee Benefit Claim,Claim Date,Krav på dato
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Romkapasitet
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Det finnes allerede en post for elementet {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Du vil miste oversikt over tidligere genererte fakturaer. Er du sikker på at du vil starte dette abonnementet på nytt?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Registreringsavgift
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojalitetsprogram samling
 DocType: Stock Entry Detail,Subcontracted Item,Underleverandør
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} tilhører ikke gruppe {1}
 DocType: Budget,Cost Center,Kostnadssted
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Kupong #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Kupong #
 DocType: Notification Control,Purchase Order Message,Innkjøpsordre Message
 DocType: Tax Rule,Shipping Country,Shipping Land
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skjule Kundens Tax ID fra salgstransaksjoner
@@ -3775,23 +3818,22 @@
 DocType: Subscription,Cancel At End Of Period,Avbryt ved slutten av perioden
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Eiendom allerede lagt til
 DocType: Item Supplier,Item Supplier,Sak Leverandør
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Skriv inn Element kode for å få batch no
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Velg en verdi for {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Skriv inn Element kode for å få batch no
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Velg en verdi for {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Ingen elementer valgt for overføring
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adresser.
 DocType: Company,Stock Settings,Aksje Innstillinger
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammenslåing er bare mulig hvis følgende egenskaper er samme i begge postene. Er Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammenslåing er bare mulig hvis følgende egenskaper er samme i begge postene. Er Group, Root Type, Company"
 DocType: Vehicle,Electric,Elektrisk
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Gevinst / Tap på Asset Avhending
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Kun Student søker med statusen &quot;Godkjent&quot; vil bli valgt i tabellen nedenfor.
 DocType: Tax Withholding Category,Rates,Priser
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Kontonummer for konto {0} er ikke tilgjengelig. <br> Vennligst konfigurer kontoregnskapet ditt riktig.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Kontonummer for konto {0} er ikke tilgjengelig. <br> Vennligst konfigurer kontoregnskapet ditt riktig.
 DocType: Task,Depends on Tasks,Avhenger Oppgaver
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Administrere kunde Gruppe treet.
 DocType: Normal Test Items,Result Value,Resultat Verdi
 DocType: Hotel Room,Hotels,hoteller
-DocType: Delivery Note,Transporter Date,Transportør Dato
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New kostnadssted Navn
 DocType: Leave Control Panel,Leave Control Panel,La Kontrollpanel
 DocType: Project,Task Completion,Task Fullføring
@@ -3838,11 +3880,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Alle Assessment grupper
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,New Warehouse navn
 DocType: Shopify Settings,App Type,App Type
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Totalt {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Totalt {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Territorium
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vennligst oppgi ingen av besøk som kreves
 DocType: Stock Settings,Default Valuation Method,Standard verdsettelsesmetode
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Avgift
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Vis kumulativ beløp
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Oppdatering pågår. Det kan ta en stund.
 DocType: Production Plan Item,Produced Qty,Produsert antall
 DocType: Vehicle Log,Fuel Qty,drivstoff Antall
@@ -3850,7 +3893,7 @@
 DocType: Work Order Operation,Planned Start Time,Planlagt Starttid
 DocType: Course,Assessment,Assessment
 DocType: Payment Entry Reference,Allocated,Avsatt
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Lukk Balanse og bok resultatet.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Lukk Balanse og bok resultatet.
 DocType: Student Applicant,Application Status,søknad Status
 DocType: Additional Salary,Salary Component Type,Lønn Komponenttype
 DocType: Sensitivity Test Items,Sensitivity Test Items,Sensitivitetstestelementer
@@ -3861,10 +3904,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Totalt utestående beløp
 DocType: Sales Partner,Targets,Targets
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Vennligst registrer SIREN-nummeret i bedriftsinformasjonsfilen
+DocType: Email Digest,Sales Orders to Bill,Salgsordre til regning
 DocType: Price List,Price List Master,Prisliste Master
 DocType: GST Account,CESS Account,CESS-konto
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Alle salgstransaksjoner kan være merket mot flere ** Salgs Personer ** slik at du kan stille inn og overvåke mål.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link til materialforespørsel
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link til materialforespørsel
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forumaktivitet
 ,S.O. No.,SO No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Bankoversikt Transaksjonsinnstillinger
@@ -3879,7 +3923,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,"Dette er en rot kundegruppe, og kan ikke redigeres."
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Handling hvis akkumulert månedlig budsjett oversteg PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Å sette
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Å sette
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valutakursomskrivning
 DocType: POS Profile,Ignore Pricing Rule,Ignorer Pricing Rule
 DocType: Employee Education,Graduate,Utdannet
@@ -3916,6 +3960,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Vennligst sett standardkunden i Restaurantinnstillinger
 ,Salary Register,lønn Register
 DocType: Warehouse,Parent Warehouse,Parent Warehouse
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Chart
 DocType: Subscription,Net Total,Net Total
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Standard BOM ikke funnet for element {0} og prosjekt {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definere ulike typer lån
@@ -3948,24 +3993,26 @@
 DocType: Membership,Membership Status,Medlemskapsstatus
 DocType: Travel Itinerary,Lodging Required,Overnatting påkrevd
 ,Requested,Spurt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Nei Anmerkninger
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Nei Anmerkninger
 DocType: Asset,In Maintenance,Ved vedlikehold
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klikk denne knappen for å trekke dine salgsordre data fra Amazon MWS.
 DocType: Vital Signs,Abdomen,Mage
 DocType: Purchase Invoice,Overdue,Forfalt
 DocType: Account,Stock Received But Not Billed,"Stock mottatt, men ikke fakturert"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root-kontoen må være en gruppe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root-kontoen må være en gruppe
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Loan,Repaid/Closed,Tilbakebetalt / Stengt
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Samlet forventet Antall
 DocType: Monthly Distribution,Distribution Name,Distribusjon Name
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Inkluder UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Verdsettelsesraten ikke funnet for elementet {0}, som er nødvendig for å gjøre regnskapsposter for {1} {2}. Hvis varen er transaksjon som nullverdieringsgrad i {1}, må du nevne det i {1} elementtabellen. Ellers kan du opprette en inntektsaksjonstransaksjon for varen eller nevne verdsettelsesraten i vareoppføringen, og prøv deretter å sende inn / avbryte denne oppføringen"
 DocType: Course,Course Code,Kurskode
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Quality Inspection nødvendig for Element {0}
 DocType: Location,Parent Location,Parent Location
 DocType: POS Settings,Use POS in Offline Mode,Bruk POS i frakoblet modus
 DocType: Supplier Scorecard,Supplier Variables,Leverandørvariabler
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} er obligatorisk. Kanskje Valutautvekslingsrekord er ikke opprettet for {1} til {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Hastigheten som kundens valuta er konvertert til selskapets hovedvaluta
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Netto Rate (Selskap Valuta)
 DocType: Salary Detail,Condition and Formula Help,Tilstand og Formula Hjelp
@@ -3974,19 +4021,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Salg Faktura
 DocType: Journal Entry Account,Party Balance,Fest Balance
 DocType: Cash Flow Mapper,Section Subtotal,Seksjon Subtotal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Vennligst velg Bruk rabatt på
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Vennligst velg Bruk rabatt på
 DocType: Stock Settings,Sample Retention Warehouse,Prøvebehandlingslager
 DocType: Company,Default Receivable Account,Standard fordringer konto
 DocType: Purchase Invoice,Deemed Export,Gjeldende eksport
 DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer for Produksjon
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rabattprosenten kan brukes enten mot en prisliste eller for alle Prisliste.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Regnskap Entry for Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Regnskap Entry for Stock
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Du har allerede vurdert for vurderingskriteriene {}.
 DocType: Vehicle Service,Engine Oil,Motorolje
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Arbeidsordre opprettet: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Arbeidsordre opprettet: {0}
 DocType: Sales Invoice,Sales Team1,Salg TEAM1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Element {0} finnes ikke
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Element {0} finnes ikke
 DocType: Sales Invoice,Customer Address,Kunde Adresse
 DocType: Loan,Loan Details,lån Detaljer
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Kunne ikke opprette postvirksomhetsarmaturer
@@ -4007,34 +4054,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Vis lysbildefremvisning på toppen av siden
 DocType: BOM,Item UOM,Sak målenheter
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Skattebeløp Etter Rabattbeløp (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rad {0}
 DocType: Cheque Print Template,Primary Settings,primære Innstillinger
 DocType: Attendance Request,Work From Home,Jobbe hjemmefra
 DocType: Purchase Invoice,Select Supplier Address,Velg Leverandør Adresse
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Legg Medarbeidere
 DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,standard Template
 DocType: Training Event,Theory,Teori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Material Requested Antall er mindre enn Minimum Antall
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Material Requested Antall er mindre enn Minimum Antall
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Konto {0} er frosset
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / Datterselskap med en egen konto tilhørighet til organisasjonen.
 DocType: Payment Request,Mute Email,Demp Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Mat, drikke og tobakk"
 DocType: Account,Account Number,Kontonummer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Kan bare gjøre betaling mot fakturert {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Kommisjon kan ikke være større enn 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Kan bare gjøre betaling mot fakturert {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Kommisjon kan ikke være større enn 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Tilordne forhåndsfordeler automatisk (FIFO)
 DocType: Volunteer,Volunteer,Frivillig
 DocType: Buying Settings,Subcontract,Underentrepriser
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Fyll inn {0} først
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Ingen svar fra
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Ingen svar fra
 DocType: Work Order Operation,Actual End Time,Faktisk Sluttid
 DocType: Item,Manufacturer Part Number,Produsentens varenummer
 DocType: Taxable Salary Slab,Taxable Salary Slab,Skattepliktig lønnslab
 DocType: Work Order Operation,Estimated Time and Cost,Estimert leveringstid og pris
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Beskjære navn
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Kun brukere med {0} rolle kan registrere seg på Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Kun brukere med {0} rolle kan registrere seg på Marketplace
 DocType: SMS Log,No of Sent SMS,Ingen av Sendte SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Utnevnelser og møter
@@ -4063,7 +4111,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Endre kode
 DocType: Purchase Invoice Item,Valuation Rate,Verdivurdering Rate
 DocType: Vehicle,Diesel,diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Prisliste Valuta ikke valgt
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Prisliste Valuta ikke valgt
 DocType: Purchase Invoice,Availed ITC Cess,Benyttet ITC Cess
 ,Student Monthly Attendance Sheet,Student Månedlig Oppmøte Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Fraktregel gjelder kun for salg
@@ -4080,7 +4128,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrer Salgs Partners.
 DocType: Quality Inspection,Inspection Type,Inspeksjon Type
 DocType: Fee Validity,Visited yet,Besøkt ennå
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til gruppen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til gruppen.
 DocType: Assessment Result Tool,Result HTML,resultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hvor ofte skal prosjektet og selskapet oppdateres basert på salgstransaksjoner.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Går ut på dato den
@@ -4088,7 +4136,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Vennligst velg {0}
 DocType: C-Form,C-Form No,C-Form Nei
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Avstand
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Avstand
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Oppgi produktene eller tjenestene du kjøper eller selger.
 DocType: Water Analysis,Storage Temperature,Lager temperatur
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4104,19 +4152,19 @@
 DocType: Shopify Settings,Delivery Note Series,Leveringsnotaserien
 DocType: Purchase Order Item,Returned Qty,Returnerte Stk
 DocType: Student,Exit,Utgang
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type er obligatorisk
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Kunne ikke installere forhåndsinnstillinger
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Konvertering i timer
 DocType: Contract,Signee Details,Signee Detaljer
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} har for øyeblikket en {1} leverandør scorecard, og RFQs til denne leverandøren skal utstedes med forsiktighet."
 DocType: Certified Consultant,Non Profit Manager,Non Profit Manager
 DocType: BOM,Total Cost(Company Currency),Totalkostnad (Selskap Valuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial No {0} opprettet
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial No {0} opprettet
 DocType: Homepage,Company Description for website homepage,Selskapet beskrivelse for nettstedet hjemmeside
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","For det lettere for kunder, kan disse kodene brukes i trykte formater som regningene og leveringssedlene"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Name
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Kunne ikke hente informasjon for {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Åpningsoppføring Journal
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Åpningsoppføring Journal
 DocType: Contract,Fulfilment Terms,Oppfyllelsesbetingelser
 DocType: Sales Invoice,Time Sheet List,Timeregistrering List
 DocType: Employee,You can enter any date manually,Du kan legge inn noen dato manuelt
@@ -4152,7 +4200,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Din organisasjon
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Hopp over permisjon for de følgende ansatte, ettersom det allerede eksisterer permitteringsoppføringer overfor dem. {0}"
 DocType: Fee Component,Fees Category,avgifter Kategori
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Skriv inn lindrende dato.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Skriv inn lindrende dato.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detaljer om Sponsor (Navn, Sted)"
 DocType: Supplier Scorecard,Notify Employee,Informer medarbeider
@@ -4165,9 +4213,9 @@
 DocType: Company,Chart Of Accounts Template,Konto Mal
 DocType: Attendance,Attendance Date,Oppmøte Dato
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Oppdateringslager må være aktivert for kjøpsfakturaen {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Sak Pris oppdateres for {0} i prislisten {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Sak Pris oppdateres for {0} i prislisten {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lønn breakup basert på opptjening og fradrag.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Konto med barnet noder kan ikke konverteres til Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Konto med barnet noder kan ikke konverteres til Ledger
 DocType: Purchase Invoice Item,Accepted Warehouse,Akseptert Warehouse
 DocType: Bank Reconciliation Detail,Posting Date,Publiseringsdato
 DocType: Item,Valuation Method,Verdsettelsesmetode
@@ -4204,6 +4252,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Vennligst velg en batch
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reise- og kostnadskrav
 DocType: Sales Invoice,Redemption Cost Center,Innløsningskostsenter
+DocType: QuickBooks Migrator,Scope,omfang
 DocType: Assessment Group,Assessment Group Name,Assessment Gruppenavn
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Materialet Overført for Produksjon
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Legg til detaljer
@@ -4211,6 +4260,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Siste synkroniseringstid
 DocType: Landed Cost Item,Receipt Document Type,Kvittering dokumenttype
 DocType: Daily Work Summary Settings,Select Companies,Velg selskaper
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Forslag / pris sitat
 DocType: Antibiotic,Healthcare,Helsetjenester
 DocType: Target Detail,Target Detail,Target Detalj
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Enkelt variant
@@ -4220,6 +4270,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Periode Closing Entry
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Velg avdeling ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Kostnadssted med eksisterende transaksjoner kan ikke konverteres til gruppen
+DocType: QuickBooks Migrator,Authorization URL,Autorisasjonsadresse
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Mengden {0} {1} {2} {3}
 DocType: Account,Depreciation,Avskrivninger
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Antall aksjer og aksjenumrene er inkonsekvente
@@ -4242,13 +4293,14 @@
 DocType: Support Search Source,Source DocType,Kilde DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Åpne en ny billett
 DocType: Training Event,Trainer Email,trener E-post
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materielle Forespørsler {0} er opprettet
 DocType: Restaurant Reservation,No of People,Ingen av mennesker
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Mal av begreper eller kontrakt.
 DocType: Bank Account,Address and Contact,Adresse og Kontakt
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Er konto Betales
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock kan ikke oppdateres mot Kjøpskvittering {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock kan ikke oppdateres mot Kjøpskvittering {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto nær Issue etter 7 dager
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Permisjon kan ikke tildeles før {0}, som permisjon balanse har allerede vært carry-sendt i fremtiden permisjon tildeling posten {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Merk: På grunn / Reference Date stiger tillatt kunde kreditt dager med {0} dag (er)
@@ -4266,7 +4318,7 @@
 ,Qty to Deliver,Antall å levere
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon vil synkronisere data oppdatert etter denne datoen
 ,Stock Analytics,Aksje Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operasjoner kan ikke være tomt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operasjoner kan ikke være tomt
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab Test (er)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Mot Document Detail Nei
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Sletting er ikke tillatt for land {0}
@@ -4274,13 +4326,12 @@
 DocType: Quality Inspection,Outgoing,Utgående
 DocType: Material Request,Requested For,Spurt For
 DocType: Quotation Item,Against Doctype,Mot Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} er kansellert eller lukket
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} er kansellert eller lukket
 DocType: Asset,Calculate Depreciation,Beregn Avskrivninger
 DocType: Delivery Note,Track this Delivery Note against any Project,Spor dette følgeseddel mot ethvert prosjekt
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Netto kontantstrøm fra investerings
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 DocType: Work Order,Work-in-Progress Warehouse,Work-in-progress Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} må fremlegges
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} må fremlegges
 DocType: Fee Schedule Program,Total Students,Totalt studenter
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Oppmøte Record {0} finnes mot Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Reference # {0} datert {1}
@@ -4299,7 +4350,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Kan ikke opprette Beholdningsbonus for venstre Ansatte
 DocType: Lead,Market Segment,Markedssegment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Landbruksansvarlig
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt Beløpet kan ikke være større enn total negativ utestående beløp {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt Beløpet kan ikke være større enn total negativ utestående beløp {0}
 DocType: Supplier Scorecard Period,Variables,variabler
 DocType: Employee Internal Work History,Employee Internal Work History,Ansatt Intern Work History
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Lukking (Dr)
@@ -4324,22 +4375,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch produkter
 DocType: Loyalty Point Entry,Loyalty Program,Lojalitetsprogram
 DocType: Student Guardian,Father,Far
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Støtte Billetter
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Oppdater Stock &quot;kan ikke kontrolleres for driftsmiddel salg
 DocType: Bank Reconciliation,Bank Reconciliation,Bankavstemming
 DocType: Attendance,On Leave,På ferie
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Få oppdateringer
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ikke tilhører selskapet {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Velg minst én verdi fra hver av attributter.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Velg minst én verdi fra hver av attributter.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materialet Request {0} blir kansellert eller stoppet
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Forsendelsesstat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Forsendelsesstat
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,La Ledelse
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupper
 DocType: Purchase Invoice,Hold Invoice,Hold faktura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Vennligst velg Medarbeider
 DocType: Sales Order,Fully Delivered,Fullt Leveres
-DocType: Lead,Lower Income,Lavere inntekt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Lavere inntekt
 DocType: Restaurant Order Entry,Current Order,Nåværende ordre
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Antall serienummer og antall må være de samme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Kilden og målet lageret kan ikke være det samme for rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Kilden og målet lageret kan ikke være det samme for rad {0}
 DocType: Account,Asset Received But Not Billed,"Asset mottatt, men ikke fakturert"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Forskjellen konto må være en eiendel / forpliktelse type konto, siden dette Stock Forsoning er en åpning Entry"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Utbetalt Mengde kan ikke være større enn låne beløpet {0}
@@ -4348,7 +4401,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Innkjøpsordrenummeret som kreves for Element {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Fra dato"" må være etter 'Til Dato'"
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Ingen bemanningsplaner funnet for denne betegnelsen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} i vare {1} er deaktivert.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} i vare {1} er deaktivert.
 DocType: Leave Policy Detail,Annual Allocation,Årlig allokering
 DocType: Travel Request,Address of Organizer,Adresse til arrangør
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Velg helsepersonell ...
@@ -4357,12 +4410,12 @@
 DocType: Asset,Fully Depreciated,fullt avskrevet
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Lager Antall projiserte
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Kunden {0} ikke hører til prosjektet {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Kunden {0} ikke hører til prosjektet {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Merket Oppmøte HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Sitater er forslag, bud du har sendt til dine kunder"
 DocType: Sales Invoice,Customer's Purchase Order,Kundens innkjøpsordre
 DocType: Clinical Procedure,Patient,Pasient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bypass kreditt sjekk på salgsordre
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bypass kreditt sjekk på salgsordre
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Ansatte ombord på aktiviteten
 DocType: Location,Check if it is a hydroponic unit,Sjekk om det er en hydroponisk enhet
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial No og Batch
@@ -4372,7 +4425,7 @@
 DocType: Supplier Scorecard Period,Calculations,beregninger
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Verdi eller Stk
 DocType: Payment Terms Template,Payment Terms,Betalingsbetingelser
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions Bestillinger kan ikke heves for:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions Bestillinger kan ikke heves for:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minutt
 DocType: Purchase Invoice,Purchase Taxes and Charges,Kjøpe skatter og avgifter
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4380,17 +4433,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Gå til Leverandører
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatt
 ,Qty to Receive,Antall å motta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Begynn og avslutt datoer ikke i en gyldig lønningsperiode, kan ikke beregne {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Begynn og avslutt datoer ikke i en gyldig lønningsperiode, kan ikke beregne {0}."
 DocType: Leave Block List,Leave Block List Allowed,La Block List tillatt
 DocType: Grading Scale Interval,Grading Scale Interval,Grading Scale Intervall
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Expense krav for Vehicle Logg {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) på prisliste med margin
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,alle Næringslokaler
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Ingen {0} funnet for Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Ingen {0} funnet for Inter Company Transactions.
 DocType: Travel Itinerary,Rented Car,Lei bil
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Om firmaet ditt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kreditt til kontoen må være en balansekonto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kreditt til kontoen må være en balansekonto
 DocType: Donor,Donor,donor
 DocType: Global Defaults,Disable In Words,Deaktiver I Ord
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Elementkode er obligatorisk fordi varen ikke blir automatisk nummerert
@@ -4402,14 +4455,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Kassekreditt konto
 DocType: Patient,Patient ID,Pasient ID
 DocType: Practitioner Schedule,Schedule Name,Planleggingsnavn
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Salgspipeline etter trinn
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Lag Lønn Slip
 DocType: Currency Exchange,For Buying,For kjøp
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Legg til alle leverandører
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Legg til alle leverandører
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rad # {0}: Tilordnet beløp kan ikke være større enn utestående beløp.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Bla BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Sikret lån
 DocType: Purchase Invoice,Edit Posting Date and Time,Rediger konteringsdato og klokkeslett
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vennligst sett Avskrivninger relatert kontoer i Asset Kategori {0} eller selskapet {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vennligst sett Avskrivninger relatert kontoer i Asset Kategori {0} eller selskapet {1}
 DocType: Lab Test Groups,Normal Range,Normal rekkevidde
 DocType: Academic Term,Academic Year,Studieår
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Tilgjengelig salg
@@ -4438,26 +4492,26 @@
 DocType: Patient Appointment,Patient Appointment,Pasientavtale
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkjenne Role kan ikke være det samme som rollen regelen gjelder for
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Melde deg ut av denne e-post Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Få leverandører av
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Få leverandører av
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ikke funnet for element {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Gå til kurs
 DocType: Accounts Settings,Show Inclusive Tax In Print,Vis inklusiv skatt i utskrift
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankkonto, fra dato og til dato er obligatorisk"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Melding Sendt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Konto med barnet noder kan ikke settes som hovedbok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Konto med barnet noder kan ikke settes som hovedbok
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Hastigheten som Prisliste valuta er konvertert til kundens basisvaluta
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobeløp (Company Valuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Samlet forskuddbeløp kan ikke være større enn total sanksjonert beløp
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Samlet forskuddbeløp kan ikke være større enn total sanksjonert beløp
 DocType: Salary Slip,Hour Rate,Time Rate
 DocType: Stock Settings,Item Naming By,Sak Naming Av
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},En annen periode Closing Entry {0} har blitt gjort etter {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materialet Overført for Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Konto {0} ikke eksisterer
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Velg Lojalitetsprogram
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Velg Lojalitetsprogram
 DocType: Project,Project Type,Prosjekttype
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Barneoppgave eksisterer for denne oppgaven. Du kan ikke slette denne oppgaven.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Enten målet stk eller mål beløpet er obligatorisk.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Enten målet stk eller mål beløpet er obligatorisk.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Kostnad for ulike aktiviteter
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Innstilling Hendelser til {0}, siden den ansatte knyttet til under selgerne ikke har en bruker-ID {1}"
 DocType: Timesheet,Billing Details,Fakturadetaljer
@@ -4515,13 +4569,13 @@
 DocType: Inpatient Record,A Negative,En negativ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ingenting mer å vise.
 DocType: Lead,From Customer,Fra Customer
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Samtaler
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Samtaler
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Et produkt
 DocType: Employee Tax Exemption Declaration,Declarations,erklæringer
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,batcher
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Lag avgiftsplan
 DocType: Purchase Order Item Supplied,Stock UOM,Stock målenheter
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Purchase Order {0} ikke er sendt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Purchase Order {0} ikke er sendt
 DocType: Account,Expenses Included In Asset Valuation,Utgifter inkludert i eiendelvurdering
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normalt referanseområde for en voksen er 16-20 puste / minutt (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tariff Antall
@@ -4534,6 +4588,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Vennligst lagre pasienten først
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Oppmøte er merket med hell.
 DocType: Program Enrollment,Public Transport,Offentlig transport
+DocType: Delivery Note,GST Vehicle Type,GST-kjøretøytype
 DocType: Soil Texture,Silt Composition (%),Siltkomposisjon (%)
 DocType: Journal Entry,Remark,Bemerkning
 DocType: Healthcare Settings,Avoid Confirmation,Unngå bekreftelse
@@ -4543,11 +4598,10 @@
 DocType: Education Settings,Current Academic Term,Nåværende faglig term
 DocType: Education Settings,Current Academic Term,Nåværende faglig term
 DocType: Sales Order,Not Billed,Ikke Fakturert
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Både Warehouse må tilhøre samme selskapet
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Både Warehouse må tilhøre samme selskapet
 DocType: Employee Grade,Default Leave Policy,Standard permisjon
 DocType: Shopify Settings,Shop URL,Butikkadresse
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ingen kontakter er lagt til ennå.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vennligst oppsett nummereringsserie for Tilstedeværelse via Oppsett&gt; Nummereringsserie
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Beløp
 ,Item Balance (Simple),Varebalanse (Enkel)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Regninger oppdratt av leverandører.
@@ -4572,7 +4626,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Sitat Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Et element eksisterer med samme navn ({0}), må du endre navn varegruppen eller endre navn på elementet"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Jordanalyse Kriterier
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Velg kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Velg kunde
 DocType: C-Form,I,Jeg
 DocType: Company,Asset Depreciation Cost Center,Asset Avskrivninger kostnadssted
 DocType: Production Plan Sales Order,Sales Order Date,Salgsordre Dato
@@ -4585,8 +4639,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Foreløpig ingen lager tilgjengelig i varehus
 ,Payment Period Based On Invoice Date,Betaling perioden basert på Fakturadato
 DocType: Sample Collection,No. of print,Antall utskrifter
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Bursdag påminnelse
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Room Reservation Item
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Mangler valutakurser for {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Mangler valutakurser for {0}
 DocType: Employee Health Insurance,Health Insurance Name,Helseforsikringsnavn
 DocType: Assessment Plan,Examiner,Examiner
 DocType: Student,Siblings,søsken
@@ -4603,19 +4658,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nye kunder
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruttofortjeneste%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Avtale {0} og salgsfaktura {1} kansellert
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Muligheter ved blykilde
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Endre POS-profil
 DocType: Bank Reconciliation Detail,Clearance Date,Klaring Dato
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Eiendom eksisterer allerede mot elementet {0}, du kan ikke endre den har seriell no-verdi"
+DocType: Delivery Settings,Dispatch Notification Template,Forsendelsesvarslingsmal
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Eiendom eksisterer allerede mot elementet {0}, du kan ikke endre den har seriell no-verdi"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Vurderingsrapport
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Få ansatte
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruttobeløpet er obligatorisk
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Firmanavn ikke det samme
 DocType: Lead,Address Desc,Adresse Desc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party er obligatorisk
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Rader med dupliserte forfallsdatoer i andre rader ble funnet: {list}
 DocType: Topic,Topic Name,emne Name
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Vennligst angi standardmal for godkjenning av varsling i HR-innstillinger.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Vennligst angi standardmal for godkjenning av varsling i HR-innstillinger.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Minst én av de selge eller kjøpe må velges
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Velg en ansatt for å få ansatt på forhånd.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Vennligst velg en gyldig dato
@@ -4649,6 +4705,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Kunde eller leverandør Detaljer
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Nåværende eiendelverdi
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbook Company ID
 DocType: Travel Request,Travel Funding,Reisefinansiering
 DocType: Loan Application,Required by Date,Kreves av Dato
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,En kobling til alle stedene hvor beskjæringen vokser
@@ -4662,9 +4719,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Tilgjengelig Batch Antall på From Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Brutto lønn - Totalt Fradrag - Loan Nedbetaling
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Nåværende BOM og New BOM kan ikke være det samme
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Nåværende BOM og New BOM kan ikke være det samme
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Lønn Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Pensjoneringstidspunktet må være større enn tidspunktet for inntreden
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Pensjoneringstidspunktet må være større enn tidspunktet for inntreden
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Flere variasjoner
 DocType: Sales Invoice,Against Income Account,Mot Inntekt konto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Leveres
@@ -4693,7 +4750,7 @@
 DocType: POS Profile,Update Stock,Oppdater Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ulik målenheter for elementer vil føre til feil (Total) Netto vekt verdi. Sørg for at nettovekt av hvert element er i samme målenheter.
 DocType: Certification Application,Payment Details,Betalingsinformasjon
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Stoppet arbeidsordre kan ikke kanselleres, Unstop det først for å avbryte"
 DocType: Asset,Journal Entry for Scrap,Bilagsregistrering for Scrap
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Kan trekke elementer fra følgeseddel
@@ -4716,11 +4773,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Total vedtatte beløp
 ,Purchase Analytics,Kjøps Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Levering Note Element
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Nåværende faktura {0} mangler
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Nåværende faktura {0} mangler
 DocType: Asset Maintenance Log,Task,Task
 DocType: Purchase Taxes and Charges,Reference Row #,Referanse Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Batchnummer er obligatorisk for Element {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Dette er en grunnlegg salg person og kan ikke redigeres.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Dette er en grunnlegg salg person og kan ikke redigeres.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Hvis valgt, vil verdien som er spesifisert eller beregnet i denne komponenten, ikke bidra til inntektene eller fradragene. Men det er verdien som kan refereres av andre komponenter som kan legges til eller trekkes fra."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Hvis valgt, vil verdien som er spesifisert eller beregnet i denne komponenten, ikke bidra til inntektene eller fradragene. Men det er verdien som kan refereres av andre komponenter som kan legges til eller trekkes fra."
 DocType: Asset Settings,Number of Days in Fiscal Year,Antall dager i regnskapsåret
@@ -4729,7 +4786,7 @@
 DocType: Company,Exchange Gain / Loss Account,Valutagevinst / tap-konto
 DocType: Amazon MWS Settings,MWS Credentials,MWS legitimasjon
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Medarbeider og oppmøte
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Hensikten må være en av {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Hensikten må være en av {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Fyll ut skjemaet og lagre det
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Community Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Faktisk antall på lager
@@ -4745,7 +4802,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard salgskurs
 DocType: Account,Rate at which this tax is applied,Hastigheten som denne skatten er brukt
 DocType: Cash Flow Mapper,Section Name,Seksjonsnavn
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Omgjøre Antall
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Omgjøre Antall
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Avskrivningsraden {0}: Forventet verdi etter brukstid må være større enn eller lik {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Nåværende jobb Åpninger
 DocType: Company,Stock Adjustment Account,Stock Adjustment konto
@@ -4755,8 +4812,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Systemet bruker (innlogging) ID. Hvis satt, vil det bli standard for alle HR-skjemaer."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Skriv inn avskrivningsdetaljer
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Fra {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Forlat søknad {0} eksisterer allerede mot studenten {1}
 DocType: Task,depends_on,kommer an på
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,I kø for å oppdatere siste pris i alle Materialebevis. Det kan ta noen minutter.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,I kø for å oppdatere siste pris i alle Materialebevis. Det kan ta noen minutter.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Navn på ny konto. Merk: Vennligst ikke opprette kontoer for kunder og leverandører
 DocType: POS Profile,Display Items In Stock,Vis produkter på lager
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Country klok standardadresse Maler
@@ -4786,16 +4844,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots for {0} legges ikke til i timeplanen
 DocType: Product Bundle,List items that form the package.,Listeelementer som danner pakken.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Ikke tillatt. Vennligst deaktiver testmalen
+DocType: Delivery Note,Distance (in km),Avstand (i km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Prosentvis Tildeling skal være lik 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Vennligst velg Publiseringsdato før du velger Partiet
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Vennligst velg Publiseringsdato før du velger Partiet
 DocType: Program Enrollment,School House,school House
 DocType: Serial No,Out of AMC,Ut av AMC
+DocType: Opportunity,Opportunity Amount,Mulighetsbeløp
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antall Avskrivninger reservert kan ikke være større enn Totalt antall Avskrivninger
 DocType: Purchase Order,Order Confirmation Date,Ordrebekreftelsesdato
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Gjør Vedlikehold Visit
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Startdato og sluttdato overlapper jobbkortet <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Overføringsdetaljer for ansatte
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Ta kontakt for brukeren som har salgs Master manager {0} rolle
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Ta kontakt for brukeren som har salgs Master manager {0} rolle
 DocType: Company,Default Cash Account,Standard Cash konto
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) mester.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dette er basert på tilstedeværelse av denne Student
@@ -4803,9 +4864,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Legg til flere elementer eller åpne full form
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Levering Merknader {0} må avbestilles før den avbryter denne salgsordre
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Gå til Brukere
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Innbetalt beløp + avskrive Beløpet kan ikke være større enn Totalsum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Innbetalt beløp + avskrive Beløpet kan ikke være større enn Totalsum
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ikke en gyldig batchnummer for varen {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Merk: Det er ikke nok permisjon balanse for La Type {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Merk: Det er ikke nok permisjon balanse for La Type {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Skriv inn NA for Uregistrert
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program innmeldingsavgift
@@ -4822,7 +4883,7 @@
 DocType: Fee Schedule,Fee Schedule,Prisliste
 DocType: Company,Create Chart Of Accounts Based On,Opprett kontoplan basert på
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Kan ikke konvertere det til ikke-gruppe. Barnoppgaver eksisterer.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Fødselsdato kan ikke være større enn i dag.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Fødselsdato kan ikke være større enn i dag.
 ,Stock Ageing,Stock Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delvis sponset, krever delvis finansiering"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} eksistere mot student Søkeren {1}
@@ -4869,11 +4930,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Før avstemming
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter og avgifter legges (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Sak Skatte Rad {0} må ha konto for type skatt eller inntekt eller kostnad eller Charge
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Sak Skatte Rad {0} må ha konto for type skatt eller inntekt eller kostnad eller Charge
 DocType: Sales Order,Partly Billed,Delvis Fakturert
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Element {0} må være et driftsmiddel element
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Lag variasjoner
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Lag variasjoner
 DocType: Item,Default BOM,Standard BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Sum fakturert beløp (via salgsfakturaer)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debet Note Beløp
@@ -4902,14 +4963,14 @@
 DocType: Notification Control,Custom Message,Standard melding
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investment Banking
 DocType: Purchase Invoice,input,inngang
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Kontanter eller bankkontoen er obligatorisk for å gjøre betaling oppføring
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Kontanter eller bankkontoen er obligatorisk for å gjøre betaling oppføring
 DocType: Loyalty Program,Multiple Tier Program,Flertallsprogram
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse
 DocType: Purchase Invoice,Price List Exchange Rate,Prisliste Exchange Rate
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Alle leverandørgrupper
 DocType: Employee Boarding Activity,Required for Employee Creation,Kreves for ansettelsesskaping
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Kontonummer {0} som allerede er brukt i konto {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Kontonummer {0} som allerede er brukt i konto {1}
 DocType: GoCardless Mandate,Mandate,mandat
 DocType: POS Profile,POS Profile Name,POS profilnavn
 DocType: Hotel Room Reservation,Booked,bestilt
@@ -4925,18 +4986,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Referansenummer er obligatorisk hvis du skrev Reference Date
 DocType: Bank Reconciliation Detail,Payment Document,betaling Document
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Feil ved vurdering av kriterieformelen
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Dato Bli må være større enn fødselsdato
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Dato Bli må være større enn fødselsdato
 DocType: Subscription,Plans,planer
 DocType: Salary Slip,Salary Structure,Lønn Struktur
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Flyselskap
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Issue Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Issue Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Koble Shopify med ERPNext
 DocType: Material Request Item,For Warehouse,For Warehouse
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Leveringsnotater {0} oppdatert
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Leveringsnotater {0} oppdatert
 DocType: Employee,Offer Date,Tilbudet Dato
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Sitater
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Du er i frakoblet modus. Du vil ikke være i stand til å laste før du har nettverk.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Sitater
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Du er i frakoblet modus. Du vil ikke være i stand til å laste før du har nettverk.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Stipend
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Ingen studentgrupper opprettet.
 DocType: Purchase Invoice Item,Serial No,Serial No
@@ -4948,24 +5009,26 @@
 DocType: Sales Invoice,Customer PO Details,Kunde PO Detaljer
 DocType: Stock Entry,Including items for sub assemblies,Inkludert elementer for sub samlinger
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Midlertidig åpningskonto
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Oppgi verdien skal være positiv
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Oppgi verdien skal være positiv
 DocType: Asset,Finance Books,Finansbøker
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Deklarasjonskategori for ansatt skattefritak
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Alle Territories
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Vennligst sett permitteringslov for ansatt {0} i ansatt / karakteroppføring
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ugyldig ordreordre for den valgte kunden og varen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ugyldig ordreordre for den valgte kunden og varen
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Legg til flere oppgaver
 DocType: Purchase Invoice,Items,Elementer
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Sluttdato kan ikke være før startdato.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student er allerede registrert.
 DocType: Fiscal Year,Year Name,År Navn
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Det er mer ferie enn virkedager denne måneden.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Det er mer ferie enn virkedager denne måneden.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Følgende elementer {0} er ikke merket som {1} element. Du kan aktivere dem som {1} -objekt fra elementmasteren
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Produktet Bundle Element
 DocType: Sales Partner,Sales Partner Name,Sales Partner Name
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Forespørsel om Sitater
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Forespørsel om Sitater
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimal Fakturert beløp
 DocType: Normal Test Items,Normal Test Items,Normale testelementer
+DocType: QuickBooks Migrator,Company Settings,Firmainnstillinger
 DocType: Additional Salary,Overwrite Salary Structure Amount,Overskrive lønnsstrukturbeløp
 DocType: Student Language,Student Language,student Språk
 apps/erpnext/erpnext/config/selling.py +23,Customers,kunder
@@ -4978,22 +5041,24 @@
 DocType: Issue,Opening Time,Åpning Tid
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Fra og Til dato kreves
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Verdipapirer og råvarebørser
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard Enhet for Variant {0} må være samme som i malen {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard Enhet for Variant {0} må være samme som i malen {1}
 DocType: Shipping Rule,Calculate Based On,Beregn basert på
 DocType: Contract,Unfulfilled,oppfylt
 DocType: Delivery Note Item,From Warehouse,Fra Warehouse
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Ingen ansatte for de nevnte kriteriene
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Ingen elementer med Bill of Materials til Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Ingen elementer med Bill of Materials til Manufacture
 DocType: Shopify Settings,Default Customer,Standardkund
+DocType: Sales Stage,Stage Name,Artistnavnet
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Supervisor Name
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Bekreft ikke om avtalen er opprettet for samme dag
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Send til stat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Send til stat
 DocType: Program Enrollment Course,Program Enrollment Course,Programopptakskurs
 DocType: Program Enrollment Course,Program Enrollment Course,Programopptakskurs
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Bruker {0} er allerede tildelt Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Lag prøveinnsamlingens lagerinngang
 DocType: Purchase Taxes and Charges,Valuation and Total,Verdivurdering og Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Forhandling / omtale
 DocType: Leave Encashment,Encashment Amount,Encashment Amount
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,målstyring
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Utløpte partier
@@ -5003,7 +5068,7 @@
 DocType: Staffing Plan Detail,Current Openings,Nåværende åpninger
 DocType: Notification Control,Customize the Notification,Tilpass varslings
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Kontantstrøm fra driften
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST beløp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST beløp
 DocType: Purchase Invoice,Shipping Rule,Shipping Rule
 DocType: Patient Relation,Spouse,Ektefelle
 DocType: Lab Test Groups,Add Test,Legg til test
@@ -5017,14 +5082,14 @@
 DocType: Payroll Entry,Payroll Frequency,lønn Frequency
 DocType: Lab Test Template,Sensitivity,Følsomhet
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Synkronisering er midlertidig deaktivert fordi maksimal retries er overskredet
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Råmateriale
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Råmateriale
 DocType: Leave Application,Follow via Email,Følg via e-post
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Planter og Machineries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skattebeløp Etter Rabattbeløp
 DocType: Patient,Inpatient Status,Inpatientstatus
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglige arbeid Oppsummering Innstillinger
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Valgt prisliste skal ha kjøps- og salgsfelt sjekket.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Vennligst skriv inn reqd etter dato
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Valgt prisliste skal ha kjøps- og salgsfelt sjekket.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Vennligst skriv inn reqd etter dato
 DocType: Payment Entry,Internal Transfer,Internal Transfer
 DocType: Asset Maintenance,Maintenance Tasks,Vedlikeholdsoppgaver
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Enten målet stk eller mål beløpet er obligatorisk
@@ -5046,7 +5111,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Siste kommunikasjon
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Siste kommunikasjon
 ,TDS Payable Monthly,TDS betales månedlig
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Kjøtt for å erstatte BOM. Det kan ta noen minutter.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Kjøtt for å erstatte BOM. Det kan ta noen minutter.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan ikke trekke når kategorien er for verdsetting &quot;eller&quot; Verdsettelse og Totals
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos Nødvendig for Serialisert Element {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match Betalinger med Fakturaer
@@ -5059,7 +5124,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Legg til i handlevogn
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Grupper etter
 DocType: Guardian,Interests,Interesser
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Aktivere / deaktivere valutaer.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Aktivere / deaktivere valutaer.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Kunne ikke sende inn noen Lønnsslipp
 DocType: Exchange Rate Revaluation,Get Entries,Få oppføringer
 DocType: Production Plan,Get Material Request,Få Material Request
@@ -5081,15 +5146,16 @@
 DocType: Lead,Lead Type,Lead Type
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Du er ikke autorisert til å godkjenne blader på Block Datoer
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Alle disse elementene er allerede blitt fakturert
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Angi ny utgivelsesdato
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Angi ny utgivelsesdato
 DocType: Company,Monthly Sales Target,Månedlig salgsmål
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan godkjennes av {0}
 DocType: Hotel Room,Hotel Room Type,Hotellromtype
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Leverandør&gt; Leverandør Type
 DocType: Leave Allocation,Leave Period,Permisjonstid
 DocType: Item,Default Material Request Type,Standard Material Request Type
 DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Ukjent
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Arbeidsordre er ikke opprettet
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Arbeidsordre er ikke opprettet
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","En mengde på {0} som allerede er påkrevd for komponenten {1}, \ angi beløpet lik eller større enn {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Frakt Regel betingelser
@@ -5124,15 +5190,15 @@
 DocType: Batch,Source Document Name,Kilde dokumentnavn
 DocType: Production Plan,Get Raw Materials For Production,Få råmaterialer til produksjon
 DocType: Job Opening,Job Title,Jobbtittel
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indikerer at {1} ikke vil gi et tilbud, men alle elementer \ er blitt sitert. Oppdaterer RFQ sitatstatus."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimale prøver - {0} har allerede blitt beholdt for Batch {1} og Item {2} i Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimale prøver - {0} har allerede blitt beholdt for Batch {1} og Item {2} i Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Oppdater BOM Kostnad automatisk
 DocType: Lab Test,Test Name,Testnavn
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinisk prosedyre forbruksvarer
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Lag brukere
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,abonnementer
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,abonnementer
 DocType: Supplier Scorecard,Per Month,Per måned
 DocType: Education Settings,Make Academic Term Mandatory,Gjør faglig semester obligatorisk
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Antall å Manufacture må være større enn 0.
@@ -5141,10 +5207,10 @@
 DocType: Stock Entry,Update Rate and Availability,Oppdateringsfrekvens og tilgjengelighet
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Prosentvis du har lov til å motta eller levere mer mot antall bestilte produkter. For eksempel: Hvis du har bestilt 100 enheter. og din Fradrag er 10% så du har lov til å motta 110 enheter.
 DocType: Loyalty Program,Customer Group,Kundegruppe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rute # {0}: Drift {1} er ikke fullført for {2} Antall ferdige varer i Arbeidsordre # {3}. Oppdater operasjonsstatus via Time Logs
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rute # {0}: Drift {1} er ikke fullført for {2} Antall ferdige varer i Arbeidsordre # {3}. Oppdater operasjonsstatus via Time Logs
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Ny batch-ID (valgfritt)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Ny batch-ID (valgfritt)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Utgiftskonto er obligatorisk for elementet {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Utgiftskonto er obligatorisk for elementet {0}
 DocType: BOM,Website Description,Website Beskrivelse
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Netto endring i egenkapital
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Vennligst avbryte fakturaen {0} først
@@ -5159,7 +5225,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Det er ingenting å redigere.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Formvisning
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Kostnadsgodkjenning Obligatorisk Utgiftskrav
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Oppsummering for denne måneden og ventende aktiviteter
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Oppsummering for denne måneden og ventende aktiviteter
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vennligst sett Urealisert Exchange Gain / Loss-konto i selskapet {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Legg til brukere i organisasjonen din, bortsett fra deg selv."
 DocType: Customer Group,Customer Group Name,Kundegruppenavn
@@ -5169,14 +5235,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Ingen materiell forespørsel opprettet
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløp kan ikke overstige maksimalt lånebeløp på {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Tillatelse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Vennligst fjern denne Faktura {0} fra C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Vennligst fjern denne Faktura {0} fra C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vennligst velg bære frem hvis du også vil ha med forrige regnskapsår balanse later til dette regnskapsåret
 DocType: GL Entry,Against Voucher Type,Mot Voucher Type
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Tidsluker lagt til
 DocType: Item,Attributes,Egenskaper
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Aktiver mal
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Skriv inn avskrive konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Skriv inn avskrive konto
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Siste Order Date
 DocType: Salary Component,Is Payable,Er betales
 DocType: Inpatient Record,B Negative,B Negativ
@@ -5187,7 +5253,7 @@
 DocType: Hotel Room,Hotel Room,Hotellrom
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Konto {0} ikke tilhører selskapet {1}
 DocType: Leave Type,Rounding,avrunding
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i rad {0} stemmer ikke overens med leveringsnotat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i rad {0} stemmer ikke overens med leveringsnotat
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Dispensed Amount (Pro-vurdert)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Deretter blir prisreglene filtrert ut basert på kunde, kundegruppe, territorium, leverandør, leverandørgruppe, kampanje, salgspartner etc."
 DocType: Student,Guardian Details,Guardian Detaljer
@@ -5196,10 +5262,10 @@
 DocType: Vehicle,Chassis No,chassis Nei
 DocType: Payment Request,Initiated,Initiert
 DocType: Production Plan Item,Planned Start Date,Planlagt startdato
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Vennligst velg en BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Vennligst velg en BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Benyttet ITC Integrated Tax
 DocType: Purchase Order Item,Blanket Order Rate,Blanket Bestillingsfrekvens
-apps/erpnext/erpnext/hooks.py +156,Certification,sertifisering
+apps/erpnext/erpnext/hooks.py +157,Certification,sertifisering
 DocType: Bank Guarantee,Clauses and Conditions,Klausuler og betingelser
 DocType: Serial No,Creation Document Type,Creation dokumenttype
 DocType: Project Task,View Timesheet,Se tidsskema
@@ -5224,6 +5290,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Element {0} må ikke være en lagervare
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Nettstedsliste
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle produkter eller tjenester.
+DocType: Email Digest,Open Quotations,Åpne tilbud
 DocType: Expense Claim,More Details,Mer informasjon
 DocType: Supplier Quotation,Supplier Address,Leverandør Adresse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budsjettet for kontoen {1} mot {2} {3} er {4}. Det vil overstige ved {5}
@@ -5238,12 +5305,11 @@
 DocType: Training Event,Exam,Eksamen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Markedsplassfeil
 DocType: Complaint,Complaint,Klage
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Warehouse nødvendig for lager Element {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Warehouse nødvendig for lager Element {0}
 DocType: Leave Allocation,Unused leaves,Ubrukte blader
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Gjør tilbakebetalingsoppføring
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Alle avdelinger
 DocType: Healthcare Service Unit,Vacant,Ledig
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Leverandør&gt; Leverandør Type
 DocType: Patient,Alcohol Past Use,Alkohol Tidligere Bruk
 DocType: Fertilizer Content,Fertilizer Content,Gjødselinnhold
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5251,7 +5317,7 @@
 DocType: Tax Rule,Billing State,Billing State
 DocType: Share Transfer,Transfer,Transfer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Arbeidsordre {0} må avbestilles før du kansellerer denne salgsordren
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Hente eksploderte BOM (inkludert underenheter)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Hente eksploderte BOM (inkludert underenheter)
 DocType: Authorization Rule,Applicable To (Employee),Gjelder til (Employee)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Due Date er obligatorisk
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Økning for Egenskap {0} kan ikke være 0
@@ -5267,7 +5333,7 @@
 DocType: Disease,Treatment Period,Behandlingsperiode
 DocType: Travel Itinerary,Travel Itinerary,Reiseplan
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Resultat allerede sendt
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reservert lager er obligatorisk for vare {0} i råvarer som leveres
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reservert lager er obligatorisk for vare {0} i råvarer som leveres
 ,Inactive Customers,inaktive kunder
 DocType: Student Admission Program,Maximum Age,Maksimal alder
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Vennligst vent 3 dager før du sender påminnelsen på nytt.
@@ -5276,7 +5342,6 @@
 DocType: Stock Entry,Delivery Note No,Levering Note Nei
 DocType: Cheque Print Template,Message to show,Melding for visning
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Retail
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Administrer avtalefaktura automatisk
 DocType: Student Attendance,Absent,Fraværende
 DocType: Staffing Plan,Staffing Plan Detail,Bemanning Plan detalj
 DocType: Employee Promotion,Promotion Date,Kampanjedato
@@ -5298,7 +5363,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Gjør Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Skriv ut og Saker
 DocType: Stock Settings,Show Barcode Field,Vis strekkodefelt
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Send Leverandør e-post
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Send Leverandør e-post
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Lønn allerede behandlet for perioden mellom {0} og {1}, La søknadsperioden kan ikke være mellom denne datoperioden."
 DocType: Fiscal Year,Auto Created,Automatisk opprettet
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Send inn dette for å skape medarbeideroppføringen
@@ -5307,7 +5372,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktura {0} eksisterer ikke lenger
 DocType: Guardian Interest,Guardian Interest,Guardian Rente
 DocType: Volunteer,Availability,Tilgjengelighet
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Oppsett standardverdier for POS-fakturaer
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Oppsett standardverdier for POS-fakturaer
 apps/erpnext/erpnext/config/hr.py +248,Training,Opplæring
 DocType: Project,Time to send,Tid til å sende
 DocType: Timesheet,Employee Detail,Medarbeider Detalj
@@ -5331,7 +5396,7 @@
 DocType: Training Event Employee,Optional,Valgfri
 DocType: Salary Slip,Earning & Deduction,Tjene &amp; Fradrag
 DocType: Agriculture Analysis Criteria,Water Analysis,Vannanalyse
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} varianter opprettet.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} varianter opprettet.
 DocType: Amazon MWS Settings,Region,Region
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valgfritt. Denne innstillingen vil bli brukt for å filtrere i forskjellige transaksjoner.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negative Verdivurdering Rate er ikke tillatt
@@ -5350,7 +5415,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kostnad for kasserte Asset
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnadssted er obligatorisk for Element {2}
 DocType: Vehicle,Policy No,Regler Nei
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Få Elementer fra Produkt Bundle
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Få Elementer fra Produkt Bundle
 DocType: Asset,Straight Line,Rett linje
 DocType: Project User,Project User,prosjekt Bruker
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Dele
@@ -5359,7 +5424,7 @@
 DocType: GL Entry,Is Advance,Er Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Ansattes livssyklus
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Oppmøte Fra Dato og oppmøte To Date er obligatorisk
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Skriv inn &#39;Er underleverandør&#39; som Ja eller Nei
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Skriv inn &#39;Er underleverandør&#39; som Ja eller Nei
 DocType: Item,Default Purchase Unit of Measure,Standard innkjøpsenhet for mål
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Siste kommunikasjonsdato
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Siste kommunikasjonsdato
@@ -5369,7 +5434,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Adkomst token eller Shopify URL mangler
 DocType: Location,Latitude,Breddegrad
 DocType: Work Order,Scrap Warehouse,skrap Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Lager som kreves ved rad nr. {0}, angi standardlager for elementet {1} for firmaet {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Lager som kreves ved rad nr. {0}, angi standardlager for elementet {1} for firmaet {2}"
 DocType: Work Order,Check if material transfer entry is not required,Sjekk om materialoverføring ikke er nødvendig
 DocType: Work Order,Check if material transfer entry is not required,Sjekk om materialoverføring ikke er nødvendig
 DocType: Program Enrollment Tool,Get Students From,Få studenter fra
@@ -5386,6 +5451,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Ny batch Antall
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Klær og tilbehør
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Kunne ikke løse vektet poengsumfunksjon. Pass på at formelen er gyldig.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Innkjøpsordre Varer ikke mottatt i tide
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Antall Bestill
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner som vil vises på toppen av listen over produkter.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Spesifiser forhold til å beregne frakt beløp
@@ -5394,9 +5460,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Sti
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Kan ikke konvertere kostnadssted til hovedbok som den har barnet noder
 DocType: Production Plan,Total Planned Qty,Totalt planlagt antall
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,åpning Verdi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,åpning Verdi
 DocType: Salary Component,Formula,Formel
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Salgskonto
 DocType: Purchase Invoice Item,Total Weight,Total vekt
@@ -5414,7 +5480,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Gjør Material Request
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Åpen Element {0}
 DocType: Asset Finance Book,Written Down Value,Skrevet nedverdi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs&gt; HR-innstillinger
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Salg Faktura {0} må slettes før den sletter denne salgsordre
 DocType: Clinical Procedure,Age,Alder
 DocType: Sales Invoice Timesheet,Billing Amount,Faktureringsbeløp
@@ -5423,11 +5488,11 @@
 DocType: Company,Default Employee Advance Account,Standard ansattskonto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Søkeelement (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Konto med eksisterende transaksjon kan ikke slettes
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Konto med eksisterende transaksjon kan ikke slettes
 DocType: Vehicle,Last Carbon Check,Siste Carbon Sjekk
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Rettshjelp
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Vennligst velg antall på rad
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Lag åpne salgs- og kjøpsfakturaer
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Lag åpne salgs- og kjøpsfakturaer
 DocType: Purchase Invoice,Posting Time,Postering Tid
 DocType: Timesheet,% Amount Billed,% Mengde Fakturert
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefon Utgifter
@@ -5442,14 +5507,14 @@
 DocType: Maintenance Visit,Breakdown,Sammenbrudd
 DocType: Travel Itinerary,Vegetarian,Vegetarisk
 DocType: Patient Encounter,Encounter Date,Encounter Date
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: {1} kan ikke velges
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: {1} kan ikke velges
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata
 DocType: Purchase Receipt Item,Sample Quantity,Prøvekvantitet
 DocType: Bank Guarantee,Name of Beneficiary,Navn på mottaker
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Oppdater BOM kostnad automatisk via Scheduler, basert på siste verdivurdering / prisliste rate / siste kjøpshastighet av råvarer."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Sjekk Dato
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ikke tilhører selskapet: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ikke tilhører selskapet: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Slettet alle transaksjoner knyttet til dette selskapet!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Som på dato
 DocType: Additional Salary,HR,HR
@@ -5457,7 +5522,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Ut Patient SMS Alerts
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Prøvetid
 DocType: Program Enrollment Tool,New Academic Year,Nytt studieår
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Retur / kreditnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Retur / kreditnota
 DocType: Stock Settings,Auto insert Price List rate if missing,Auto innsats Prisliste rente hvis mangler
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Totalt innbetalt beløp
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5475,10 +5540,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Ordnede noder kan bare opprettes under &#39;Gruppe&#39; type noder
 DocType: Attendance Request,Half Day Date,Half Day Date
 DocType: Academic Year,Academic Year Name,Akademisk År Navn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} ikke lov til å transaksere med {1}. Vennligst endre firmaet.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} ikke lov til å transaksere med {1}. Vennligst endre firmaet.
 DocType: Sales Partner,Contact Desc,Kontakt Desc
 DocType: Email Digest,Send regular summary reports via Email.,Send vanlige oppsummeringsrapporter via e-post.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Vennligst angi standardkonto i Expense krav Type {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Vennligst angi standardkonto i Expense krav Type {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Tilgjengelige blader
 DocType: Assessment Result,Student Name,Student navn
 DocType: Hub Tracked Item,Item Manager,Sak manager
@@ -5503,9 +5568,10 @@
 DocType: Subscription,Trial Period End Date,Prøveperiode Sluttdato
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ikke authroized siden {0} overskrider grensene
 DocType: Serial No,Asset Status,Asset Status
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Over dimensjonell last (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurantbord
 DocType: Hotel Room,Hotel Manager,Hotell sjef
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Still skatteregel for shopping cart
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Still skatteregel for shopping cart
 DocType: Purchase Invoice,Taxes and Charges Added,Skatter og avgifter legges
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Avskrivningsraden {0}: Neste avskrivningsdato kan ikke være før Tilgjengelig-til-bruk-dato
 ,Sales Funnel,Sales trakt
@@ -5521,10 +5587,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Alle kundegrupper
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,akkumulert pr måned
 DocType: Attendance Request,On Duty,I tjeneste
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for {1} til {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for {1} til {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Bemanningsplan {0} finnes allerede for betegnelse {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Skatt Mal er obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} finnes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} finnes ikke
 DocType: POS Closing Voucher,Period Start Date,Periode Startdato
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prisliste Rate (Selskap Valuta)
 DocType: Products Settings,Products Settings,Produkter Innstillinger
@@ -5544,7 +5610,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Denne handlingen stopper fremtidig fakturering. Er du sikker på at du vil avbryte dette abonnementet?
 DocType: Serial No,Distinct unit of an Item,Distinkt enhet av et element
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriterium Navn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Vennligst sett selskap
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Vennligst sett selskap
 DocType: Procedure Prescription,Procedure Created,Prosedyre opprettet
 DocType: Pricing Rule,Buying,Kjøpe
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Sykdommer og gjødsel
@@ -5561,43 +5627,44 @@
 DocType: Employee Onboarding,Job Offer,Jobbtilbud
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institute forkortelse
 ,Item-wise Price List Rate,Element-messig Prisliste Ranger
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Leverandør sitat
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Leverandør sitat
 DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord vil være synlig når du lagrer Tilbud.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Antall ({0}) kan ikke være en brøkdel i rad {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Antall ({0}) kan ikke være en brøkdel i rad {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Antall ({0}) kan ikke være en brøkdel i rad {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Antall ({0}) kan ikke være en brøkdel i rad {1}
 DocType: Contract,Unsigned,usignert
 DocType: Selling Settings,Each Transaction,Hver transaksjon
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} allerede brukt i Element {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} allerede brukt i Element {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler for å legge til fraktkostnader.
 DocType: Hotel Room,Extra Bed Capacity,Ekstra seng kapasitet
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,åpning Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunden må
 DocType: Lab Test,Result Date,Resultatdato
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC-dato
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC-dato
 DocType: Purchase Order,To Receive,Å Motta
 DocType: Leave Period,Holiday List for Optional Leave,Ferieliste for valgfritt permisjon
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Asset Eier
 DocType: Purchase Invoice,Reason For Putting On Hold,Årsak til å sette på hold
 DocType: Employee,Personal Email,Personlig e-post
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Total Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Total Variance
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktivert, vil systemet starte regnskapspostene for inventar automatisk."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokerage
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Oppmøte for arbeidstaker {0} er allerede markert for denne dagen
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Oppmøte for arbeidstaker {0} er allerede markert for denne dagen
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",Minutter Oppdatert via &#39;Time Logg&#39;
 DocType: Customer,From Lead,Fra Lead
 DocType: Amazon MWS Settings,Synch Orders,Synkroniseringsordrer
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Bestillinger frigitt for produksjon.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Velg regnskapsår ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profile nødvendig å foreta POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profile nødvendig å foreta POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Lojalitetspoeng beregnes ut fra den brukte ferdige (via salgsfakturaen), basert på innsamlingsfaktor som er nevnt."
 DocType: Program Enrollment Tool,Enroll Students,Meld Studenter
 DocType: Company,HRA Settings,HRA Innstillinger
 DocType: Employee Transfer,Transfer Date,Overføringsdato
 DocType: Lab Test,Approved Date,Godkjent dato
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Minst én lageret er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Minst én lageret er obligatorisk
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurer produktfelt som UOM, varegruppe, beskrivelse og antall timer."
 DocType: Certification Application,Certification Status,Sertifiseringsstatus
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5617,6 +5684,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Matchende fakturaer
 DocType: Work Order,Required Items,nødvendige elementer
 DocType: Stock Ledger Entry,Stock Value Difference,Stock Verdi Difference
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Vare Row {0}: {1} {2} finnes ikke i tabellen ovenfor {1}
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Menneskelig Resurs
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betaling Avstemming Betaling
 DocType: Disease,Treatment Task,Behandlingsoppgave
@@ -5634,7 +5702,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Bladene skal avsettes i multipler av 0,5"
 DocType: Work Order,Operation Cost,Operation Cost
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Enestående Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identifisere beslutningstakere
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Enestående Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Sette mål varegruppe-messig for Sales Person.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Aksjer Eldre enn [dager]
 DocType: Payment Request,Payment Ordered,Betaling Bestilt
@@ -5646,13 +5715,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Tillat følgende brukere å godkjenne La Applications for blokk dager.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Livssyklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Lag BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Selgingsfrekvensen for elementet {0} er lavere enn dens {1}. Salgsprisen bør være minst {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Selgingsfrekvensen for elementet {0} er lavere enn dens {1}. Salgsprisen bør være minst {2}
 DocType: Subscription,Taxes,Skatter
 DocType: Purchase Invoice,capital goods,kapitalvarer
 DocType: Purchase Invoice Item,Weight Per Unit,Vekt pr. Enhet
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Betalt og ikke levert
-DocType: Project,Default Cost Center,Standard kostnadssted
-DocType: Delivery Note,Transporter Doc No,Transportør Dok nr
+DocType: QuickBooks Migrator,Default Cost Center,Standard kostnadssted
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,aksje~~POS=TRUNC
 DocType: Budget,Budget Accounts,Budsjett Regnskap
 DocType: Employee,Internal Work History,Intern Work History
@@ -5685,7 +5753,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Helsepersonell er ikke tilgjengelig på {0}
 DocType: Stock Entry Detail,Additional Cost,Tilleggs Cost
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Kan ikke filtrere basert på Voucher Nei, hvis gruppert etter Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Gjør Leverandør sitat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Gjør Leverandør sitat
 DocType: Quality Inspection,Incoming,Innkommende
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Standard skattemaler for salg og kjøp opprettes.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Vurderingsresultatrekord {0} eksisterer allerede.
@@ -5701,7 +5769,7 @@
 DocType: Batch,Batch ID,Batch ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Merk: {0}
 ,Delivery Note Trends,Levering Note Trender
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Denne ukens oppsummering
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Denne ukens oppsummering
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,På lager Antall
 ,Daily Work Summary Replies,Daglig arbeidssammendrag Svar
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Beregn anslåtte ankomsttider
@@ -5711,7 +5779,7 @@
 DocType: Bank Account,Party,Selskap
 DocType: Healthcare Settings,Patient Name,Pasientnavn
 DocType: Variant Field,Variant Field,Variantfelt
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Målplassering
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Målplassering
 DocType: Sales Order,Delivery Date,Leveringsdato
 DocType: Opportunity,Opportunity Date,Opportunity Dato
 DocType: Employee,Health Insurance Provider,Helseforsikringsselskap
@@ -5730,7 +5798,7 @@
 DocType: Employee,History In Company,Historie I selskapet
 DocType: Customer,Customer Primary Address,Kunde hovedadresse
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhetsbrev
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referanse Nei.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referanse Nei.
 DocType: Drug Prescription,Description/Strength,Beskrivelse / styrke
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Opprett ny betaling / journalinngang
 DocType: Certification Application,Certification Application,Sertifiseringsprogram
@@ -5741,10 +5809,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Samme element er angitt flere ganger
 DocType: Department,Leave Block List,La Block List
 DocType: Purchase Invoice,Tax ID,Skatt ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} er ikke oppsett for Serial Nos. Kolonne må være tomt
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} er ikke oppsett for Serial Nos. Kolonne må være tomt
 DocType: Accounts Settings,Accounts Settings,Regnskap Innstillinger
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Vedta
 DocType: Loyalty Program,Customer Territory,Kundeområde
+DocType: Email Digest,Sales Orders to Deliver,Salgsordre for levering
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Antall ny konto, den vil bli inkludert i kontonavnet som prefiks"
 DocType: Maintenance Team Member,Team Member,Teammedlem
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Ingen resultat å sende inn
@@ -5754,7 +5823,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Totalt {0} for alle elementer er null, kan være du bør endre &#39;Fordel Avgifter basert på&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Til dato kan ikke være mindre enn fra dato
 DocType: Opportunity,To Discuss,Å Diskutere
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Dette er basert på transaksjoner mot denne abonnenten. Se tidslinjen nedenfor for detaljer
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} enheter av {1} trengs i {2} for å fullføre denne transaksjonen.
 DocType: Loan Type,Rate of Interest (%) Yearly,Rente (%) Årlig
 DocType: Support Settings,Forum URL,Forum-URL
@@ -5769,7 +5837,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Lære mer
 DocType: Cheque Print Template,Distance from top edge,Avstand fra øvre kant
 DocType: POS Closing Voucher Invoices,Quantity of Items,Antall gjenstander
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Prisliste {0} er deaktivert eller eksisterer ikke
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Prisliste {0} er deaktivert eller eksisterer ikke
 DocType: Purchase Invoice,Return,Return
 DocType: Pricing Rule,Disable,Deaktiver
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Modus for betaling er nødvendig å foreta en betaling
@@ -5777,18 +5845,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Rediger på full side for flere alternativer som eiendeler, serienummer, batcher etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksimum kontinuerlige dager gjelder
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ikke påmeldt i batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} kan ikke bli vraket, som det er allerede {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} kan ikke bli vraket, som det er allerede {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Sjekker påkrevd
 DocType: Task,Total Expense Claim (via Expense Claim),Total Expense krav (via Expense krav)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Fraværende
 DocType: Job Applicant Source,Job Applicant Source,Jobbsøkerkilde
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Beløp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Beløp
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Kunne ikke opprette selskapet
 DocType: Asset Repair,Asset Repair,Asset Repair
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: valuta BOM # {1} bør være lik den valgte valutaen {2}
 DocType: Journal Entry Account,Exchange Rate,Vekslingskurs
 DocType: Patient,Additional information regarding the patient,Ytterligere informasjon om pasienten
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Salgsordre {0} er ikke innsendt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Salgsordre {0} er ikke innsendt
 DocType: Homepage,Tag Line,tag Linje
 DocType: Fee Component,Fee Component,Fee Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Flåtestyring
@@ -5803,7 +5871,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobil
 ,Sales Person-wise Transaction Summary,Transaksjons Oppsummering Sales Person-messig
 DocType: Training Event,Contact Number,Kontakt nummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Warehouse {0} finnes ikke
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Warehouse {0} finnes ikke
 DocType: Cashier Closing,Custody,varetekt
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Beskjed om innlevering av ansatt skattefritak
 DocType: Monthly Distribution,Monthly Distribution Percentages,Månedlig Distribusjonsprosent
@@ -5818,7 +5886,7 @@
 DocType: Payment Entry,Paid Amount,Innbetalt beløp
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Utforsk salgssyklusen
 DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Beholdningsinngang
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Beholdningsinngang
 ,Available Stock for Packing Items,Tilgjengelig på lager for pakk gjenstander
 DocType: Item Variant,Item Variant,Sak Variant
 ,Work Order Stock Report,Arbeide ordre lagerrapport
@@ -5827,9 +5895,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Som veileder
 DocType: Leave Policy Detail,Leave Policy Detail,Forlat politikkdetaljer
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Element
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Innsendte bestillinger kan ikke slettes
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo allerede i debet, har du ikke lov til å sette &quot;Balance må være &#39;som&#39; Credit &#39;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Kvalitetsstyring
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Innsendte bestillinger kan ikke slettes
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo allerede i debet, har du ikke lov til å sette &quot;Balance må være &#39;som&#39; Credit &#39;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Kvalitetsstyring
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Element {0} har blitt deaktivert
 DocType: Project,Total Billable Amount (via Timesheets),Totalt fakturerbart beløp (via tidsskrifter)
 DocType: Agriculture Task,Previous Business Day,Tidligere arbeidsdag
@@ -5852,14 +5920,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Kostnadssteder
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Start abonnementet på nytt
 DocType: Linked Plant Analysis,Linked Plant Analysis,Linked Plant Analysis
-DocType: Delivery Note,Transporter ID,Transporter ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Verdivurdering
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Hastigheten som leverandørens valuta er konvertert til selskapets hovedvaluta
-DocType: Sales Invoice Item,Service End Date,Tjenestens sluttdato
+DocType: Purchase Invoice Item,Service End Date,Tjenestens sluttdato
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: timings konflikter med rad {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillat null verdivurdering
 DocType: Bank Guarantee,Receiving,motta
 DocType: Training Event Employee,Invited,invitert
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Oppsett Gateway kontoer.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Oppsett Gateway kontoer.
 DocType: Employee,Employment Type,Type stilling
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Anleggsmidler
 DocType: Payment Entry,Set Exchange Gain / Loss,Sett valutagevinst / tap
@@ -5875,7 +5944,7 @@
 DocType: Tax Rule,Sales Tax Template,Merverdiavgift Mal
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Betal mot fordelskrav
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Oppdater kostnadssenternummer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Velg elementer for å lagre fakturaen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Velg elementer for å lagre fakturaen
 DocType: Employee,Encashment Date,Encashment Dato
 DocType: Training Event,Internet,Internett
 DocType: Special Test Template,Special Test Template,Spesiell testmal
@@ -5883,12 +5952,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Standard Aktivitet Kostnad finnes for Aktivitetstype - {0}
 DocType: Work Order,Planned Operating Cost,Planlagt driftskostnader
 DocType: Academic Term,Term Start Date,Term Startdato
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Liste over alle aksje transaksjoner
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Liste over alle aksje transaksjoner
+DocType: Supplier,Is Transporter,Er Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Import salgsfaktura fra Shopify hvis Betaling er merket
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opptelling
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Begge prøveperiodens startdato og prøveperiodens sluttdato må settes
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Gjennomsnittlig rente
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totalt betalingsbeløp i betalingsplan må være lik Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totalt betalingsbeløp i betalingsplan må være lik Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Kontoutskrift balanse pr hovedbok
 DocType: Job Applicant,Applicant Name,Søkerens navn
@@ -5916,7 +5986,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Tilgjengelig antall på Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti
 DocType: Purchase Invoice,Debit Note Issued,Debitnota Utstedt
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter basert på kostnadssenter er kun aktuelt hvis budsjett mot er valgt som kostnadssenter
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter basert på kostnadssenter er kun aktuelt hvis budsjett mot er valgt som kostnadssenter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Søk etter varenummer, serienummer, batchnummer eller strekkode"
 DocType: Work Order,Warehouses,Næringslokaler
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} eiendelen kan ikke overføres
@@ -5927,9 +5997,9 @@
 DocType: Workstation,per hour,per time
 DocType: Blanket Order,Purchasing,innkjøp
 DocType: Announcement,Announcement,Kunngjøring
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Kunde LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Kunde LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","For Batch-baserte Studentgruppen, vil studentenes batch bli validert for hver student fra programopptaket."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse kan ikke slettes som finnes lager hovedbok oppføring for dette lageret.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse kan ikke slettes som finnes lager hovedbok oppføring for dette lageret.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribusjon
 DocType: Journal Entry Account,Loan,Låne
 DocType: Expense Claim Advance,Expense Claim Advance,Kostnadskrav Advance
@@ -5938,7 +6008,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Prosjektleder
 ,Quoted Item Comparison,Sitert Element Sammenligning
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Overlappe i scoring mellom {0} og {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dispatch
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dispatch
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maks rabatt tillatt for element: {0} er {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Net Asset verdi som på
 DocType: Crop,Produce,Produsere
@@ -5948,20 +6018,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Materialforbruk for produksjon
 DocType: Item Alternative,Alternative Item Code,Alternativ produktkode
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rollen som får lov til å sende transaksjoner som overstiger kredittgrenser fastsatt.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Velg delbetaling Produksjon
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Velg delbetaling Produksjon
 DocType: Delivery Stop,Delivery Stop,Leveringsstopp
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master data synkronisering, kan det ta litt tid"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master data synkronisering, kan det ta litt tid"
 DocType: Item,Material Issue,Material Issue
 DocType: Employee Education,Qualification,Kvalifisering
 DocType: Item Price,Item Price,Sak Pris
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Såpe og vaskemiddel
 DocType: BOM,Show Items,Vis Items
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Fra tid kan ikke være større enn til annen.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Vil du varsle alle kundene via e-post?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Vil du varsle alle kundene via e-post?
 DocType: Subscription Plan,Billing Interval,Faktureringsintervall
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Bestilt
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Faktisk startdato og faktisk sluttdato er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 DocType: Salary Detail,Component,Komponent
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Row {0}: {1} må være større enn 0
 DocType: Assessment Criteria,Assessment Criteria Group,Vurderingskriterier Gruppe
@@ -5992,11 +6063,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Skriv inn navnet på banken eller låneinstitusjonen før du sender inn.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} må sendes
 DocType: POS Profile,Item Groups,varegruppene
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,I dag er {0} s bursdag!
 DocType: Sales Order Item,For Production,For Production
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Balanse i Konto Valuta
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Vennligst legg til en midlertidig åpningskonto i kontoplan
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Vennligst legg til en midlertidig åpningskonto i kontoplan
 DocType: Customer,Customer Primary Contact,Kundens primære kontakt
 DocType: Project Task,View Task,Vis Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6009,11 +6079,11 @@
 DocType: Sales Invoice,Get Advances Received,Få Fremskritt mottatt
 DocType: Email Digest,Add/Remove Recipients,Legg til / fjern Mottakere
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","For å sette dette regnskapsåret som standard, klikk på &quot;Angi som standard &#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Antallet TDS avviklet
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Antallet TDS avviklet
 DocType: Production Plan,Include Subcontracted Items,Inkluder underleverte varer
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Bli med
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Mangel Antall
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Bli med
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Mangel Antall
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene
 DocType: Loan,Repay from Salary,Smelle fra Lønn
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Ber om betaling mot {0} {1} for mengden {2}
 DocType: Additional Salary,Salary Slip,Lønn Slip
@@ -6029,7 +6099,7 @@
 DocType: Patient,Dormant,Sovende
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Fradragsskatt for uopptjente ansattes fordeler
 DocType: Salary Slip,Total Interest Amount,Totalt rentebeløp
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Næringslokaler med barn noder kan ikke konverteres til Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Næringslokaler med barn noder kan ikke konverteres til Ledger
 DocType: BOM,Manage cost of operations,Administrer driftskostnader
 DocType: Accounts Settings,Stale Days,Foreldede dager
 DocType: Travel Itinerary,Arrival Datetime,Ankomst Datetime
@@ -6041,7 +6111,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Assessment Resultat Detalj
 DocType: Employee Education,Employee Education,Ansatt Utdanning
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplicate varegruppe funnet i varegruppen bordet
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Det er nødvendig å hente Element detaljer.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Det er nødvendig å hente Element detaljer.
 DocType: Fertilizer,Fertilizer Name,Navn på gjødsel
 DocType: Salary Slip,Net Pay,Netto Lønn
 DocType: Cash Flow Mapping Accounts,Account,Konto
@@ -6052,14 +6122,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Opprett separat betalingsoppføring mot fordringsfordring
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Tilstedeværelse av feber (temp&gt; 38,5 ° C eller vedvarende temp&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Salgsteam Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Slett permanent?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Slett permanent?
 DocType: Expense Claim,Total Claimed Amount,Total Hevdet Beløp
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potensielle muligheter for å selge.
 DocType: Shareholder,Folio no.,Folio nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Ugyldig {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Sykefravær
 DocType: Email Digest,Email Digest,E-post Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,er ikke
 DocType: Delivery Note,Billing Address Name,Billing Address Navn
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Varehus
 ,Item Delivery Date,Leveringsdato for vare
@@ -6075,16 +6144,16 @@
 DocType: Account,Chargeable,Avgift
 DocType: Company,Change Abbreviation,Endre Forkortelse
 DocType: Contract,Fulfilment Details,Oppfyllelsesdetaljer
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Betal {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Betal {0} {1}
 DocType: Employee Onboarding,Activities,aktiviteter
 DocType: Expense Claim Detail,Expense Date,Expense Dato
 DocType: Item,No of Months,Antall måneder
 DocType: Item,Max Discount (%),Max Rabatt (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kredittdager kan ikke være et negativt nummer
-DocType: Sales Invoice Item,Service Stop Date,Service Stop Date
+DocType: Purchase Invoice Item,Service Stop Date,Service Stop Date
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Siste ordrebeløp
 DocType: Cash Flow Mapper,e.g Adjustments for:,f.eks. justeringer for:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Behold prøve er basert på batch, vennligst sjekk Har batch nr for å beholde prøve av element"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Behold prøve er basert på batch, vennligst sjekk Har batch nr for å beholde prøve av element"
 DocType: Task,Is Milestone,Er Milestone
 DocType: Certification Application,Yet to appear,Likevel å vises
 DocType: Delivery Stop,Email Sent To,E-post sendt Å
@@ -6092,16 +6161,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Tillat kostnadssenter ved innføring av balansekonto
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Slå sammen med eksisterende konto
 DocType: Budget,Warn,Advare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Alle elementer er allerede overført for denne arbeidsordren.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Alle elementer er allerede overført for denne arbeidsordren.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Eventuelle andre bemerkninger, bemerkelsesverdig innsats som bør gå i postene."
 DocType: Asset Maintenance,Manufacturing User,Manufacturing User
 DocType: Purchase Invoice,Raw Materials Supplied,Råvare Leveres
 DocType: Subscription Plan,Payment Plan,Betalingsplan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Aktiver kjøp av varer via nettsiden
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valuta på prislisten {0} må være {1} eller {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Abonnementsadministrasjon
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Abonnementsadministrasjon
 DocType: Appraisal,Appraisal Template,Appraisal Mal
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Å pin kode
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Å pin kode
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Kontroller dette for å aktivere en planlagt daglig synkroniseringsrutine via planleggeren
 DocType: Item Group,Item Classification,Sak Klassifisering
@@ -6111,6 +6180,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Faktura Pasientregistrering
 DocType: Crop,Period,Periode
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,General Ledger
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Til Skatteår
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Vis Leads
 DocType: Program Enrollment Tool,New Program,nytt program
 DocType: Item Attribute Value,Attribute Value,Attributtverdi
@@ -6119,11 +6189,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Anbefalt Omgjøre nivå
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Medarbeider {0} av klasse {1} har ingen standard permisjon
 DocType: Salary Detail,Salary Detail,lønn Detalj
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Vennligst velg {0} først
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Vennligst velg {0} først
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Lagt til {0} brukere
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Når det gjelder flerlagsprogram, vil kundene automatisk bli tilordnet den aktuelle delen som brukt"
 DocType: Appointment Type,Physician,lege
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} av Element {1} er utløpt.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} av Element {1} er utløpt.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,konsultasjoner
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Ferdig bra
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Varepris vises flere ganger basert på prisliste, leverandør / kunde, valuta, varenummer, uom, antall og datoer."
@@ -6132,22 +6202,21 @@
 DocType: Certification Application,Name of Applicant,Navn på søkeren
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Timeregistrering for produksjon.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,delsum
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kan ikke endre Variant egenskaper etter aksje transaksjon. Du må lage en ny gjenstand for å gjøre dette.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kan ikke endre Variant egenskaper etter aksje transaksjon. Du må lage en ny gjenstand for å gjøre dette.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA Mandat
 DocType: Healthcare Practitioner,Charges,kostnader
 DocType: Production Plan,Get Items For Work Order,Få varer for arbeidsordre
 DocType: Salary Detail,Default Amount,Standard Beløp
 DocType: Lab Test Template,Descriptive,beskrivende
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Warehouse ikke funnet i systemet
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Denne måneden Oppsummering
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Denne måneden Oppsummering
 DocType: Quality Inspection Reading,Quality Inspection Reading,Quality Inspection Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`frys Aksjer Eldre en` bør være mindre enn %d dager.
 DocType: Tax Rule,Purchase Tax Template,Kjøpe Tax Mal
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Sett et salgsmål du vil oppnå for din bedrift.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Helsetjenester
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Helsetjenester
 ,Project wise Stock Tracking,Prosjektet klok Stock Tracking
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Transportmodus
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorium
 DocType: UOM Category,UOM Category,UOM kategori
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Faktiske antall (ved kilden / target)
@@ -6170,17 +6239,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Kunne ikke opprette nettside
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Målenheter Conversion Detalj
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry allerede opprettet eller Sample Quantity ikke oppgitt
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry allerede opprettet eller Sample Quantity ikke oppgitt
 DocType: Program,Program Abbreviation,program forkortelse
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Produksjonsordre kan ikke heves mot et elementmal
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kostnader er oppdatert i Purchase Mottak mot hvert element
 DocType: Warranty Claim,Resolved By,Løst Av
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Planlegg utladning
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Sjekker og Innskudd feil ryddet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Konto {0}: Du kan ikke tildele seg selv som forelder konto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Konto {0}: Du kan ikke tildele seg selv som forelder konto
 DocType: Purchase Invoice Item,Price List Rate,Prisliste Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Opprett kunde sitater
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Service Stop Date kan ikke være etter service sluttdato
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Service Stop Date kan ikke være etter service sluttdato
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Vis &quot;på lager&quot; eller &quot;Not in Stock&quot; basert på lager tilgjengelig i dette lageret.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Gjennomsnittlig tid tatt av leverandøren til å levere
@@ -6192,11 +6261,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Timer
 DocType: Project,Expected Start Date,Tiltredelse
 DocType: Purchase Invoice,04-Correction in Invoice,04-korreksjon i faktura
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Arbeidsordre som allerede er opprettet for alle elementer med BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Arbeidsordre som allerede er opprettet for alle elementer med BOM
 DocType: Payment Request,Party Details,Festdetaljer
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant Detaljer Report
 DocType: Setup Progress Action,Setup Progress Action,Oppsett Progress Action
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Kjøpe prisliste
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Kjøpe prisliste
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Fjern artikkel om avgifter er ikke aktuelt til dette elementet
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Avbestille abonnementet
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,"Vennligst velg Vedlikeholdsstatus som Fullført, eller fjern sluttdato"
@@ -6214,7 +6283,7 @@
 DocType: Asset,Disposal Date,Deponering Dato
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-post vil bli sendt til alle aktive ansatte i selskapet ved den gitte timen, hvis de ikke har ferie. Oppsummering av svarene vil bli sendt ved midnatt."
 DocType: Employee Leave Approver,Employee Leave Approver,Ansatt La Godkjenner
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Omgjøre oppføring finnes allerede for dette lageret {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Omgjøre oppføring finnes allerede for dette lageret {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Kan ikke erklære som tapt, fordi tilbudet er gjort."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP-konto
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,trening Tilbakemelding
@@ -6226,7 +6295,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Til dags dato kan ikke være før fra dato
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Seksjon Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Legg til / Rediger priser
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Legg til / Rediger priser
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Medarbeideropprykk kan ikke sendes før Kampanjedato
 DocType: Batch,Parent Batch,Parent Batch
 DocType: Cheque Print Template,Cheque Print Template,Sjekk ut Mal
@@ -6236,6 +6305,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Eksempel Innsamling
 ,Requested Items To Be Ordered,Etterspør Elementer bestilles
 DocType: Price List,Price List Name,Prisliste Name
+DocType: Delivery Stop,Dispatch Information,Leveringsinformasjon
 DocType: Blanket Order,Manufacturing,Manufacturing
 ,Ordered Items To Be Delivered,Bestilte varer som skal leveres
 DocType: Account,Income,Inntekt
@@ -6254,17 +6324,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} enheter av {1} trengs i {2} på {3} {4} for {5} for å fullføre denne transaksjonen.
 DocType: Fee Schedule,Student Category,student Kategori
 DocType: Announcement,Student,Student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lagerkvantitet til startprosedyre er ikke tilgjengelig på lageret. Ønsker du å registrere en Stock Transfer
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lagerkvantitet til startprosedyre er ikke tilgjengelig på lageret. Ønsker du å registrere en Stock Transfer
 DocType: Shipping Rule,Shipping Rule Type,Forsendelsestype
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Gå til rom
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Firma, Betalingskonto, Fra dato og til dato er obligatorisk"
 DocType: Company,Budget Detail,Budsjett Detalj
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Skriv inn meldingen før du sender
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKATE FOR LEVERANDØR
-DocType: Email Digest,Pending Quotations,Avventer Sitater
-DocType: Delivery Note,Distance (KM),Avstand (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Leverandør&gt; Leverandørgruppe
 DocType: Asset,Custodian,Depotmottaker
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profile
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profile
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} skal være en verdi mellom 0 og 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Betaling av {0} fra {1} til {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Usikret lån
@@ -6296,10 +6365,10 @@
 DocType: Lead,Converted,Omregnet
 DocType: Item,Has Serial No,Har Serial No
 DocType: Employee,Date of Issue,Utstedelsesdato
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til kjøpsinnstillingene hvis kjøp tilbakekjøpt er nødvendig == &#39;JA&#39; og deretter for å opprette kjøpfaktura, må brukeren opprette kjøpsmottak først for element {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til kjøpsinnstillingene hvis kjøp tilbakekjøpt er nødvendig == &#39;JA&#39; og deretter for å opprette kjøpfaktura, må brukeren opprette kjøpsmottak først for element {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Sett Leverandør for elementet {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Rad {0}: Timer verdien må være større enn null.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Website Bilde {0} festet til Element {1} kan ikke finnes
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Website Bilde {0} festet til Element {1} kan ikke finnes
 DocType: Issue,Content Type,Innholdstype
 DocType: Asset,Assets,Eiendeler
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Datamaskin
@@ -6310,7 +6379,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} finnes ikke
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Vennligst sjekk Multi Valuta alternativet for å tillate kontoer med andre valuta
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Sak: {0} finnes ikke i systemet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Du er ikke autorisert til å sette Frozen verdi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Du er ikke autorisert til å sette Frozen verdi
 DocType: Payment Reconciliation,Get Unreconciled Entries,Få avstemte Entries
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Ansatt {0} er på permisjon på {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Ingen tilbakebetalinger valgt for Journal Entry
@@ -6328,13 +6397,14 @@
 ,Average Commission Rate,Gjennomsnittlig kommisjon
 DocType: Share Balance,No of Shares,Antall aksjer
 DocType: Taxable Salary Slab,To Amount,Til beløp
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,«Har Serial No &#39;kan ikke være&#39; Ja &#39;for ikke-lagervare
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,«Har Serial No &#39;kan ikke være&#39; Ja &#39;for ikke-lagervare
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Velg Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Oppmøte kan ikke merkes for fremtidige datoer
 DocType: Support Search Source,Post Description Key,Innlegg Beskrivelse Nøkkel
 DocType: Pricing Rule,Pricing Rule Help,Prising Rule Hjelp
 DocType: School House,House Name,Husnavn
 DocType: Fee Schedule,Total Amount per Student,Totalt beløp per student
+DocType: Opportunity,Sales Stage,Salgstrinn
 DocType: Purchase Taxes and Charges,Account Head,Account Leder
 DocType: Company,HRA Component,HRA-komponent
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektrisk
@@ -6342,15 +6412,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Total verdi Difference (ut -)
 DocType: Grant Application,Requested Amount,Ønsket beløp
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Rad {0}: Exchange Rate er obligatorisk
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Bruker-ID ikke satt for Employee {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Bruker-ID ikke satt for Employee {0}
 DocType: Vehicle,Vehicle Value,Vehicle Verdi
 DocType: Crop Cycle,Detected Diseases,Detekterte sykdommer
 DocType: Stock Entry,Default Source Warehouse,Standardkilde Warehouse
 DocType: Item,Customer Code,Kunden Kode
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Bursdag Påminnelse for {0}
 DocType: Asset Maintenance Task,Last Completion Date,Siste sluttdato
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dager siden siste Bestill
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Uttak fra kontoen må være en balansekonto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Uttak fra kontoen må være en balansekonto
 DocType: Asset,Naming Series,Navngi Series
 DocType: Vital Signs,Coated,Coated
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Forventet verdi etter brukbart liv må være mindre enn brutto innkjøpsbeløp
@@ -6368,15 +6437,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Levering Note {0} må ikke sendes inn
 DocType: Notification Control,Sales Invoice Message,Salgsfaktura Message
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Lukke konto {0} må være av typen Ansvar / Egenkapital
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Lønn Slip av ansattes {0} allerede opprettet for timeregistrering {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Lønn Slip av ansattes {0} allerede opprettet for timeregistrering {1}
 DocType: Vehicle Log,Odometer,Kilometerteller
 DocType: Production Plan Item,Ordered Qty,Bestilte Antall
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Element {0} er deaktivert
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Element {0} er deaktivert
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Opp
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM inneholder ikke lagervare
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM inneholder ikke lagervare
 DocType: Chapter,Chapter Head,Kapittelhode
 DocType: Payment Term,Month(s) after the end of the invoice month,Måned (e) etter slutten av faktura måneden
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lønnsstruktur bør ha fleksible fordelskomponenter for å dispensere ytelsesbeløpet
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lønnsstruktur bør ha fleksible fordelskomponenter for å dispensere ytelsesbeløpet
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Prosjektet aktivitet / oppgave.
 DocType: Vital Signs,Very Coated,Veldig belagt
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Kun skattepåvirkning (kan ikke kreve men en del av skattepliktig inntekt)
@@ -6394,7 +6463,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,fakturerings~~POS=TRUNC Timer
 DocType: Project,Total Sales Amount (via Sales Order),Total salgsbeløp (via salgsordre)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Standard BOM for {0} ikke funnet
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Vennligst sett omgjøring kvantitet
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Vennligst sett omgjøring kvantitet
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Trykk på elementer for å legge dem til her
 DocType: Fees,Program Enrollment,program Påmelding
 DocType: Share Transfer,To Folio No,Til Folio nr
@@ -6436,9 +6505,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Strength
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Installere forhåndsinnstillinger
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Ingen leveringsnotering valgt for kunden {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Ingen leveringsnotering valgt for kunden {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Medarbeider {0} har ingen maksimal ytelsesbeløp
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Velg elementer basert på leveringsdato
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Velg elementer basert på leveringsdato
 DocType: Grant Application,Has any past Grant Record,Har noen tidligere Grant Record
 ,Sales Analytics,Salgs Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Tilgjengelig {0}
@@ -6447,12 +6516,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Produksjons Innstillinger
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Sette opp e-post
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Skriv inn standardvaluta i selskapet Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Skriv inn standardvaluta i selskapet Master
 DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Daglige påminnelser
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Daglige påminnelser
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Se alle åpne billetter
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Healthcare Service Unit Tree
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produkt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produkt
 DocType: Products Settings,Home Page is Products,Hjemme side er produkter
 ,Asset Depreciation Ledger,Asset Avskrivninger Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Forlat innkjøpsbeløp per dag
@@ -6462,8 +6531,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Råvare Leveres Cost
 DocType: Selling Settings,Settings for Selling Module,Innstillinger for å selge Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotellrombestilling
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Kundeservice
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Kundeservice
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Ingen kontakter med e-postadresser funnet.
 DocType: Item Customer Detail,Item Customer Detail,Sak Customer Detalj
 DocType: Notification Control,Prompt for Email on Submission of,Spør for E-post om innsending av
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maksimal ytelsesbeløp for ansatt {0} overstiger {1}
@@ -6473,13 +6543,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Elementet {0} må være en lagervare
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard Work In Progress Warehouse
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Tidsplaner for {0} overlapper, vil du fortsette etter å ha hoppet over overlapte spor?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Standardinnstillingene for regnskapsmessige transaksjoner.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Standardinnstillingene for regnskapsmessige transaksjoner.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Standardskattemall
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studentene har blitt registrert
 DocType: Fees,Student Details,Studentdetaljer
 DocType: Purchase Invoice Item,Stock Qty,Varenummer
 DocType: Contract,Requires Fulfilment,Krever oppfyllelse
+DocType: QuickBooks Migrator,Default Shipping Account,Standard fraktkonto
 DocType: Loan,Repayment Period in Months,Nedbetalingstid i måneder
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Feil: Ikke en gyldig id?
 DocType: Naming Series,Update Series Number,Update-serien Nummer
@@ -6493,11 +6564,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maks beløp
 DocType: Journal Entry,Total Amount Currency,Totalbeløp Valuta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Søk Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Elementkode kreves ved Row Nei {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Elementkode kreves ved Row Nei {0}
 DocType: GST Account,SGST Account,SGST-konto
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Gå til elementer
 DocType: Sales Partner,Partner Type,Partner Type
-DocType: Purchase Taxes and Charges,Actual,Faktiske
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Faktiske
 DocType: Restaurant Menu,Restaurant Manager,Restaurantsjef
 DocType: Authorization Rule,Customerwise Discount,Customerwise Rabatt
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timeregistrering for oppgaver.
@@ -6518,7 +6589,7 @@
 DocType: Employee,Cheque,Cheque
 DocType: Training Event,Employee Emails,Medarbeider e-post
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Serien Oppdatert
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Rapporter Type er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Rapporter Type er obligatorisk
 DocType: Item,Serial Number Series,Serienummer Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse er obligatorisk for lager Element {0} i rad {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retail &amp; Wholesale
@@ -6549,7 +6620,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Oppdater fakturert beløp i salgsordre
 DocType: BOM,Materials,Materialer
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Hvis ikke sjekket, vil listen må legges til hver avdeling hvor det må brukes."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Konteringsdato og legger tid er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Konteringsdato og legger tid er obligatorisk
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Skatt mal for å kjøpe transaksjoner.
 ,Item Prices,Varepriser
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,I Ord vil være synlig når du lagrer innkjøpsordre.
@@ -6565,12 +6636,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie for Asset Depreciation Entry (Journal Entry)
 DocType: Membership,Member Since,Medlem siden
 DocType: Purchase Invoice,Advance Payments,Forskudd
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Vennligst velg Healthcare Service
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Vennligst velg Healthcare Service
 DocType: Purchase Taxes and Charges,On Net Total,On Net Total
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Verdi for Egenskap {0} må være innenfor området {1} til {2} i trinn på {3} for Element {4}
 DocType: Restaurant Reservation,Waitlisted,ventelisten
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Fritakskategori
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuta kan ikke endres etter at oppføringer ved hjelp av en annen valuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuta kan ikke endres etter at oppføringer ved hjelp av en annen valuta
 DocType: Shipping Rule,Fixed,fast
 DocType: Vehicle Service,Clutch Plate,clutch Plate
 DocType: Company,Round Off Account,Rund av konto
@@ -6579,7 +6650,7 @@
 DocType: Subscription Plan,Based on price list,Basert på prisliste
 DocType: Customer Group,Parent Customer Group,Parent Kundegruppe
 DocType: Vehicle Service,Change,Endre
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Abonnement
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Abonnement
 DocType: Purchase Invoice,Contact Email,Kontakt Epost
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Avgiftskapasitet venter
 DocType: Appraisal Goal,Score Earned,Resultat tjent
@@ -6607,23 +6678,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Fordringer / gjeld konto
 DocType: Delivery Note Item,Against Sales Order Item,Mot kundeordreposisjon
 DocType: Company,Company Logo,Firmalogo
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Vennligst oppgi data Verdi for attributtet {0}
-DocType: Item Default,Default Warehouse,Standard Warehouse
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Vennligst oppgi data Verdi for attributtet {0}
+DocType: QuickBooks Migrator,Default Warehouse,Standard Warehouse
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budsjettet kan ikke overdras mot gruppekonto {0}
 DocType: Shopping Cart Settings,Show Price,Vis pris
 DocType: Healthcare Settings,Patient Registration,Pasientregistrering
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Skriv inn forelder kostnadssted
 DocType: Delivery Note,Print Without Amount,Skriv ut Uten Beløp
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,avskrivninger Dato
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,avskrivninger Dato
 ,Work Orders in Progress,Arbeidsordrer pågår
 DocType: Issue,Support Team,Support Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Utløps (i dager)
 DocType: Appraisal,Total Score (Out of 5),Total poengsum (av 5)
 DocType: Student Attendance Tool,Batch,Parti
 DocType: Support Search Source,Query Route String,Forespørsel Rute String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Oppdateringsfrekvens per siste kjøp
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Oppdateringsfrekvens per siste kjøp
 DocType: Donor,Donor Type,Donor Type
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Automatisk gjentatt dokument oppdatert
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Automatisk gjentatt dokument oppdatert
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Balanse
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Vennligst velg firmaet
 DocType: Job Card,Job Card,Jobbkort
@@ -6637,7 +6708,7 @@
 DocType: Assessment Result,Total Score,Total poengsum
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standard
 DocType: Journal Entry,Debit Note,Debitnota
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Du kan bare innløse maksimalt {0} poeng i denne rekkefølgen.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Du kan bare innløse maksimalt {0} poeng i denne rekkefølgen.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Vennligst skriv inn API Consumer Secret
 DocType: Stock Entry,As per Stock UOM,Pr Stock målenheter
@@ -6651,10 +6722,11 @@
 DocType: Journal Entry,Total Debit,Total debet
 DocType: Travel Request Costing,Sponsored Amount,Sponset beløp
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standardferdigvarelageret
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Vennligst velg Pasient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Vennligst velg Pasient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Sales Person
 DocType: Hotel Room Package,Amenities,fasiliteter
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Budsjett og kostnadssted
+DocType: QuickBooks Migrator,Undeposited Funds Account,Ubestemt fondskonto
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Budsjett og kostnadssted
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Flere standard betalingsmåter er ikke tillatt
 DocType: Sales Invoice,Loyalty Points Redemption,Lojalitetspoeng Innløsning
 ,Appointment Analytics,Avtale Analytics
@@ -6668,6 +6740,7 @@
 DocType: Batch,Manufacturing Date,Produksjonsdato
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Fee Creation mislyktes
 DocType: Opening Invoice Creation Tool,Create Missing Party,Opprett manglende parti
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Totalt budsjett
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,La være tom hvis du lager studentgrupper hvert år
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,La være tom hvis du lager studentgrupper hvert år
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Hvis det er merket, Total nei. arbeidsdager vil omfatte helligdager, og dette vil redusere verdien av Lønn per dag"
@@ -6685,20 +6758,19 @@
 DocType: Opportunity Item,Basic Rate,Basic Rate
 DocType: GL Entry,Credit Amount,Credit Beløp
 DocType: Cheque Print Template,Signatory Position,Signataren plassering
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Sett som tapte
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Sett som tapte
 DocType: Timesheet,Total Billable Hours,Totalt fakturerbare timer
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Antall dager som abonnenten må betale fakturaer generert av dette abonnementet
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Ansatte fordel søknad detalj
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Betaling Kvittering Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dette er basert på transaksjoner mot denne kunden. Se tidslinjen nedenfor for detaljer
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rad {0}: Avsatt beløp {1} må være mindre enn eller lik Betaling Entry mengden {2}
 DocType: Program Enrollment Tool,New Academic Term,Ny faglig term
 ,Course wise Assessment Report,Kursbasert vurderingsrapport
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Availed ITC State / UT skatt
 DocType: Tax Rule,Tax Rule,Skatt Rule
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Opprettholde samme hastighet Gjennom Salgssyklus
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Vennligst logg inn som en annen bruker for å registrere deg på Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Vennligst logg inn som en annen bruker for å registrere deg på Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planlegg tids logger utenfor arbeidsstasjon arbeidstid.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kunder i kø
 DocType: Driver,Issuing Date,Utstedelsesdato
@@ -6707,11 +6779,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Send inn denne arbeidsordren for videre behandling.
 ,Items To Be Requested,Elementer å bli forespurt
 DocType: Company,Company Info,Selskap Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Velg eller legg til ny kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Velg eller legg til ny kunde
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Kostnadssted er nødvendig å bestille en utgift krav
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Anvendelse av midler (aktiva)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dette er basert på tilstedeværelse av denne Employee
-DocType: Assessment Result,Summary,Sammendrag
 DocType: Payment Request,Payment Request Type,Betalingsforespørselstype
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debet konto
@@ -6719,7 +6790,7 @@
 DocType: Additional Salary,Employee Name,Ansattes Navn
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restaurant Bestillingsinngang
 DocType: Purchase Invoice,Rounded Total (Company Currency),Avrundet Total (Selskap Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Kan ikke covert til konsernet fordi Kontotype er valgt.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Kan ikke covert til konsernet fordi Kontotype er valgt.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} har blitt endret. Vennligst oppdater.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stoppe brukere fra å gjøre La Applications på følgende dager.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Hvis ubegrenset utløper for lojalitetspoengene, hold utløpsvarigheten tom eller 0."
@@ -6740,11 +6811,12 @@
 DocType: Asset,Out of Order,I ustand
 DocType: Purchase Receipt Item,Accepted Quantity,Akseptert Antall
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorer arbeidsstasjonstidoverlapping
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Vennligst angi en standard Holiday Liste for Employee {0} eller selskapet {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Vennligst angi en standard Holiday Liste for Employee {0} eller selskapet {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} ikke eksisterer
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Velg batchnumre
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Til GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Til GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Regninger hevet til kundene.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Fakturaavtaler automatisk
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Prosjekt Id
 DocType: Salary Component,Variable Based On Taxable Salary,Variabel basert på skattepliktig lønn
 DocType: Company,Basic Component,Grunnleggende komponent
@@ -6757,10 +6829,10 @@
 DocType: Stock Entry,Source Warehouse Address,Source Warehouse Adresse
 DocType: GL Entry,Voucher Type,Kupong Type
 DocType: Amazon MWS Settings,Max Retry Limit,Maks. Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Prisliste ikke funnet eller deaktivert
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Prisliste ikke funnet eller deaktivert
 DocType: Student Applicant,Approved,Godkjent
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Pris
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Ansatt lettet på {0} må være angitt som &quot;venstre&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Ansatt lettet på {0} må være angitt som &quot;venstre&quot;
 DocType: Marketplace Settings,Last Sync On,Sist synk på
 DocType: Guardian,Guardian,Guardian
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,All kommunikasjon inkludert og over dette skal flyttes inn i det nye problemet
@@ -6783,14 +6855,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Liste over sykdommer oppdaget på feltet. Når den er valgt, vil den automatisk legge til en liste over oppgaver for å håndtere sykdommen"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Dette er en rotasjonshelsetjenestenhet og kan ikke redigeres.
 DocType: Asset Repair,Repair Status,Reparasjonsstatus
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Legg til salgspartnere
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Regnskap posteringer.
 DocType: Travel Request,Travel Request,Reiseforespørsel
 DocType: Delivery Note Item,Available Qty at From Warehouse,Tilgjengelig Antall på From Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Vennligst velg Employee Record først.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Tilstedeværelse ikke innlevert for {0} som det er en ferie.
 DocType: POS Profile,Account for Change Amount,Konto for Change Beløp
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Koble til QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Total gevinst / tap
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Ugyldig Company for Inter Company Invoice.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Ugyldig Company for Inter Company Invoice.
 DocType: Purchase Invoice,input service,inntjeningstjeneste
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rad {0}: Party / Account samsvarer ikke med {1} / {2} i {3} {4}
 DocType: Employee Promotion,Employee Promotion,Medarbeideropplæring
@@ -6799,12 +6873,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Bankkode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Skriv inn Expense konto
 DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av innkjøpsordre, faktura eller bilagsregistrering"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av innkjøpsordre, faktura eller bilagsregistrering"
 DocType: Employee,Current Address,Nåværende Adresse
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Hvis elementet er en variant av et annet element da beskrivelse, image, priser, avgifter osv vil bli satt fra malen uten eksplisitt spesifisert"
 DocType: Serial No,Purchase / Manufacture Details,Kjøp / Produksjon Detaljer
 DocType: Assessment Group,Assessment Group,Assessment Group
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Batch Lager
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Prosedyre Navn
 DocType: Employee,Contract End Date,Kontraktssluttdato
 DocType: Amazon MWS Settings,Seller ID,Selger ID
@@ -6824,12 +6899,12 @@
 DocType: Company,Date of Incorporation,Stiftelsesdato
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Skatte
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Siste innkjøpspris
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,For Mengde (Produsert Stk) er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,For Mengde (Produsert Stk) er obligatorisk
 DocType: Stock Entry,Default Target Warehouse,Standard Target Warehouse
 DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Selskap Valuta)
 DocType: Delivery Note,Air,Luft
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Året Sluttdatoen kan ikke være tidligere enn året startdato. Korriger datoene, og prøv igjen."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} er ikke i valgfri ferieliste
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} er ikke i valgfri ferieliste
 DocType: Notification Control,Purchase Receipt Message,Kvitteringen Message
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,skrap Items
@@ -6852,23 +6927,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Oppfyllelse
 DocType: Purchase Taxes and Charges,On Previous Row Amount,På Forrige Row Beløp
 DocType: Item,Has Expiry Date,Har utløpsdato
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfer Asset
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfer Asset
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Aktivitetsnavn
 DocType: Healthcare Practitioner,Phone (Office),Telefon (kontor)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Kan ikke sende inn, Ansatte igjen for å markere fremmøte"
 DocType: Inpatient Record,Admission,Adgang
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Innleggelser for {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sesong for å sette budsjetter, mål etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sesong for å sette budsjetter, mål etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt navn
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Element {0} er en mal, kan du velge en av variantene"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs&gt; HR-innstillinger
+DocType: Purchase Invoice Item,Deferred Expense,Utsatt kostnad
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Fra dato {0} kan ikke være før ansattes tilmeldingsdato {1}
 DocType: Asset,Asset Category,Asset Kategori
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Nettolønn kan ikke være negativ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Nettolønn kan ikke være negativ
 DocType: Purchase Order,Advance Paid,Advance Betalt
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproduksjonsprosent for salgsordre
 DocType: Item,Item Tax,Sak Skatte
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiale til Leverandør
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiale til Leverandør
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Material Request Planning
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Vesenet Faktura
@@ -6890,11 +6967,11 @@
 DocType: Scheduling Tool,Scheduling Tool,planlegging Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kredittkort
 DocType: BOM,Item to be manufactured or repacked,Elementet som skal produseres eller pakkes
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Syntaksfeil i tilstand: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Syntaksfeil i tilstand: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Store / valgfrie emner
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Vennligst sett leverandørgruppe i kjøpsinnstillinger.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Vennligst sett leverandørgruppe i kjøpsinnstillinger.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Total fleksibel fordelskomponent mengde {0} bør ikke være mindre enn maksimum fordeler {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,suspendert
@@ -6914,7 +6991,7 @@
 DocType: Customer,Commission Rate,Kommisjon
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Vellykket opprettet betalingsoppføringer
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Lagde {0} scorecards for {1} mellom:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Gjør Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Gjør Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Betalingstype må være en av Motta, Lønn og Internal Transfer"
 DocType: Travel Itinerary,Preferred Area for Lodging,Foretrukket område for innkvartering
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6925,7 +7002,7 @@
 DocType: Work Order,Actual Operating Cost,Faktiske driftskostnader
 DocType: Payment Entry,Cheque/Reference No,Sjekk / referansenummer
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root kan ikke redigeres.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root kan ikke redigeres.
 DocType: Item,Units of Measure,Måleenheter
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Leid i Metro City
 DocType: Supplier,Default Tax Withholding Config,Standard Skatteavdrag Konfig
@@ -6943,21 +7020,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Etter betaling ferdigstillelse omdirigere brukeren til valgt side.
 DocType: Company,Existing Company,eksisterende selskapet
 DocType: Healthcare Settings,Result Emailed,Resultat sendt
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattekategori har blitt endret til &quot;Totalt&quot; fordi alle elementene er ikke-varelager
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattekategori har blitt endret til &quot;Totalt&quot; fordi alle elementene er ikke-varelager
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Til dato kan ikke være lik eller mindre enn fra dato
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Ingenting å forandre seg
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vennligst velg en csv-fil
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Vennligst velg en csv-fil
 DocType: Holiday List,Total Holidays,Totalt helligdager
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Manglende e-postmal for sending. Vennligst sett inn en i Leveringsinnstillinger.
 DocType: Student Leave Application,Mark as Present,Merk som Present
 DocType: Supplier Scorecard,Indicator Color,Indikatorfarge
 DocType: Purchase Order,To Receive and Bill,Å motta og Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd by Date kan ikke være før transaksjonsdato
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd by Date kan ikke være før transaksjonsdato
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Utvalgte produkter
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Velg serienummer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Velg serienummer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Designer
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Betingelser Mal
 DocType: Serial No,Delivery Details,Levering Detaljer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Kostnadssted er nødvendig i rad {0} i skatter tabell for typen {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Kostnadssted er nødvendig i rad {0} i skatter tabell for typen {1}
 DocType: Program,Program Code,programkode
 DocType: Terms and Conditions,Terms and Conditions Help,Betingelser Hjelp
 ,Item-wise Purchase Register,Element-messig Purchase Register
@@ -6970,15 +7048,16 @@
 DocType: Contract,Contract Terms,Kontraktsbetingelser
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ikke viser noen symbol som $ etc ved siden av valutaer.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maksimal ytelsesbeløp for komponent {0} overstiger {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Halv Dag)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Halv Dag)
 DocType: Payment Term,Credit Days,Kreditt Days
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Vennligst velg Pasient for å få Lab Tests
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Gjør Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Tillat Overføring for Produksjon
 DocType: Leave Type,Is Carry Forward,Er fremføring
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Få Elementer fra BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Få Elementer fra BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ledetid Days
 DocType: Cash Flow Mapping,Is Income Tax Expense,Er inntektsskatt utgift
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Din bestilling er ute for levering!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: konteringsdato må være det samme som kjøpsdato {1} av eiendelen {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Sjekk dette hvis studenten er bosatt ved instituttets Hostel.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Fyll inn salgsordrer i tabellen ovenfor
@@ -6986,10 +7065,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Overfør en eiendel fra en lagerbygning til en annen
 DocType: Vehicle,Petrol,Bensin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Resterende fordeler (årlig)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill of Materials
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill of Materials
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Rad {0}: Party Type og Party er nødvendig for fordringer / gjeld kontoen {1}
 DocType: Employee,Leave Policy,Permisjon
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Oppdater elementer
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Oppdater elementer
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Dato
 DocType: Employee,Reason for Leaving,Grunn til å forlate
 DocType: BOM Operation,Operating Cost(Company Currency),Driftskostnader (Selskap Valuta)
@@ -7000,7 +7079,7 @@
 DocType: Department,Expense Approvers,Utgifter Godkjenninger
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Rad {0}: Debet oppføring kan ikke være knyttet til en {1}
 DocType: Journal Entry,Subscription Section,Abonnementsseksjon
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Konto {0} finnes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Konto {0} finnes ikke
 DocType: Training Event,Training Program,Treningsprogram
 DocType: Account,Cash,Kontanter
 DocType: Employee,Short biography for website and other publications.,Kort biografi for hjemmeside og andre publikasjoner.
diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv
index 6c03a21..c34eba0 100644
--- a/erpnext/translations/pl.csv
+++ b/erpnext/translations/pl.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Pozycje klientów
 DocType: Project,Costing and Billing,Kalkulacja kosztów i fakturowanie
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},"Waluta konta Advance powinna być taka sama, jak waluta firmy {0}"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Nadrzędne konto {1} nie może być zwykłym
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Nadrzędne konto {1} nie może być zwykłym
 DocType: Item,Publish Item to hub.erpnext.com,Publikacja na hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nie można znaleźć aktywnego okresu urlopu
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nie można znaleźć aktywnego okresu urlopu
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Ocena
 DocType: Item,Default Unit of Measure,Domyślna jednostka miary
 DocType: SMS Center,All Sales Partner Contact,Wszystkie dane kontaktowe Partnera Sprzedaży
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Kliknij Enter To Add
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Brakująca wartość hasła, klucza API lub Shopify URL"
 DocType: Employee,Rented,Wynajęty
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Wszystkie konta
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Wszystkie konta
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Nie można przenieść pracownika ze statusem w lewo
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zatrzymany Zamówienie produkcji nie mogą być anulowane, odetkać najpierw anulować"
 DocType: Vehicle Service,Mileage,Przebieg
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Czy naprawdę chcemy zlikwidować ten atut?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Czy naprawdę chcemy zlikwidować ten atut?
 DocType: Drug Prescription,Update Schedule,Zaktualizuj harmonogram
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Wybierz Domyślne Dostawca
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Pokaż pracownika
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nowy kurs wymiany
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Waluta jest wymagana dla Cenniku {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Waluta jest wymagana dla Cenniku {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Zostanie policzony dla transakcji.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.RRRR.-
 DocType: Purchase Order,Customer Contact,Kontakt z klientem
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Jest to oparte na operacjach przeciwko tym Dostawcę. Zobacz harmonogram poniżej w szczegółach
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Nadwyżka produkcyjna Procent zamówienia na pracę
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Legalnie
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Legalnie
+DocType: Delivery Note,Transport Receipt Date,Transport Data odbioru
 DocType: Shopify Settings,Sales Order Series,Seria zamówień sprzedaży
 DocType: Vital Signs,Tongue,Język
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Zwolnienie HRA
 DocType: Sales Invoice,Customer Name,Nazwa klienta
 DocType: Vehicle,Natural Gas,Gazu ziemnego
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Rachunku bankowego nie może być nazwany {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Rachunku bankowego nie może być nazwany {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA zgodnie ze strukturą wynagrodzeń
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (lub grupy), przeciwko którym zapisy księgowe są i sald są utrzymywane."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Zaległość za {0} nie może być mniejsza niż ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Data zatrzymania usługi nie może być wcześniejsza niż data rozpoczęcia usługi
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Data zatrzymania usługi nie może być wcześniejsza niż data rozpoczęcia usługi
 DocType: Manufacturing Settings,Default 10 mins,Domyślnie 10 minut
 DocType: Leave Type,Leave Type Name,Nazwa typu urlopu
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Pokaż otwarta
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Pokaż otwarta
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Seria zaktualizowana
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Sprawdzić
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} w wierszu {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} w wierszu {1}
 DocType: Asset Finance Book,Depreciation Start Date,Data rozpoczęcia amortyzacji
 DocType: Pricing Rule,Apply On,Zastosuj Na
 DocType: Item Price,Multiple Item prices.,Wiele cen przedmiotu.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Ustawienia wsparcia
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Spodziewana data końcowa nie może być mniejsza od spodziewanej daty startowej
 DocType: Amazon MWS Settings,Amazon MWS Settings,Ustawienia Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Wiersz # {0}: Cena musi być taki sam, jak {1}: {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Wiersz # {0}: Cena musi być taki sam, jak {1}: {2} ({3} / {4})"
 ,Batch Item Expiry Status,Batch Przedmiot status ważności
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Przekaz bankowy
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.RRRR.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Podstawowe dane kontaktowe
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Otwarte kwestie
 DocType: Production Plan Item,Production Plan Item,Przedmiot planu produkcji
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Użytkownik {0} jest już przyporządkowany do Pracownika {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Użytkownik {0} jest już przyporządkowany do Pracownika {1}
 DocType: Lab Test Groups,Add new line,Dodaj nową linię
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Opieka zdrowotna
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Opóźnienie w płatności (dni)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lekarz na receptę
 ,Delay Days,Dni opóźnienia
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Koszty usługi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Numer seryjny: {0} znajduje się już w fakturze sprzedaży: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Numer seryjny: {0} znajduje się już w fakturze sprzedaży: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura
 DocType: Purchase Invoice Item,Item Weight Details,Szczegóły dotyczące wagi przedmiotu
 DocType: Asset Maintenance Log,Periodicity,Okresowość
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Rok fiskalny {0} jest wymagane
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dostawca&gt; Grupa dostawców
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimalna odległość między rzędami roślin dla optymalnego wzrostu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Obrona
 DocType: Salary Component,Abbr,Skrót
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Lista świąt
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Księgowy
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Cennik sprzedaży
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Cennik sprzedaży
 DocType: Patient,Tobacco Current Use,Obecne użycie tytoniu
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Kurs sprzedaży
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Kurs sprzedaży
 DocType: Cost Center,Stock User,Użytkownik magazynu
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Informacje kontaktowe
 DocType: Company,Phone No,Nr telefonu
 DocType: Delivery Trip,Initial Email Notification Sent,Wstępne powiadomienie e-mail wysłane
 DocType: Bank Statement Settings,Statement Header Mapping,Mapowanie nagłówków instrukcji
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Data rozpoczęcia subskrypcji
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Domyślne konta do otrzymania, które mają być używane, jeśli nie są ustawione w Pacjencie, aby zarezerwować opłaty za spotkanie."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Dołączyć plik .csv z dwoma kolumnami, po jednym dla starej nazwy i jeden dla nowej nazwy"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Od adresu 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kod towaru&gt; Grupa produktów&gt; Marka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Od adresu 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} nie w każdej aktywnej roku obrotowego.
 DocType: Packed Item,Parent Detail docname,Nazwa dokumentu ze szczegółami nadrzędnego rodzica
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odniesienie: {0}, Kod pozycji: {1} i klient: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} nie występuje w firmie macierzystej
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} nie występuje w firmie macierzystej
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Termin zakończenia okresu próbnego Nie może być przed datą rozpoczęcia okresu próbnego
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,kg
 DocType: Tax Withholding Category,Tax Withholding Category,Kategoria podatku u źródła
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklamowanie
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ta sama Spółka wpisana jest więcej niż jeden raz
 DocType: Patient,Married,Żonaty / Zamężna
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nie dopuszczony do {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nie dopuszczony do {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Pobierz zawartość z
 DocType: Price List,Price Not UOM Dependant,Cena nie zależna od UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Zastosuj kwotę podatku u źródła
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Całkowita kwota kredytu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Całkowita kwota kredytu
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Brak elementów na liście
 DocType: Asset Repair,Error Description,Opis błędu
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Użyj niestandardowego formatu przepływu środków pieniężnych
 DocType: SMS Center,All Sales Person,Wszyscy Sprzedawcy
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Miesięczna Dystrybucja ** pomaga rozłożyć budżet/cel w miesiącach, jeśli masz okresowość w firmie."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nie znaleziono przedmiotów
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Struktura Wynagrodzenie Brakujący
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nie znaleziono przedmiotów
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Struktura Wynagrodzenie Brakujący
 DocType: Lead,Person Name,Imię i nazwisko osoby
 DocType: Sales Invoice Item,Sales Invoice Item,Przedmiot Faktury Sprzedaży
 DocType: Account,Credit,
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Raporty seryjne
 DocType: Warehouse,Warehouse Detail,Szczegóły magazynu
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termin Data zakończenia nie może być późniejsza niż data zakończenia roku na rok akademicki, którego termin jest związany (Academic Year {}). Popraw daty i spróbuj ponownie."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Jest Środkiem Trwałym"" nie może być odznaczone, jeśli istnieją pozycje z takim ustawieniem"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Jest Środkiem Trwałym"" nie może być odznaczone, jeśli istnieją pozycje z takim ustawieniem"
 DocType: Delivery Trip,Departure Time,Godzina odjazdu
 DocType: Vehicle Service,Brake Oil,Olej hamulcowy
 DocType: Tax Rule,Tax Type,Rodzaj podatku
 ,Completed Work Orders,Zrealizowane zlecenia pracy
 DocType: Support Settings,Forum Posts,Posty na forum
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Kwota podlegająca opodatkowaniu
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Kwota podlegająca opodatkowaniu
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Nie masz uprawnień aby zmieniać lub dodawać elementy przed {0}
 DocType: Leave Policy,Leave Policy Details,Opuść szczegóły polityki
 DocType: BOM,Item Image (if not slideshow),Element Obrazek (jeśli nie slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Godzina Kursy / 60) * Rzeczywista Czas pracy
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Wiersz # {0}: Typ dokumentu referencyjnego musi być jednym z wydatków roszczenia lub wpisu do dziennika
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Wybierz BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Wiersz # {0}: Typ dokumentu referencyjnego musi być jednym z wydatków roszczenia lub wpisu do dziennika
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Wybierz BOM
 DocType: SMS Log,SMS Log,Dziennik zdarzeń SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Koszt dostarczonych przedmiotów
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Święto w dniu {0} nie jest pomiędzy Od Data i do tej pory
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Szablony standings dostawców.
 DocType: Lead,Interested,Jestem zainteresowany
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Otwarcie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Od {0} do {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Od {0} do {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Nie udało się ustawić podatków
 DocType: Item,Copy From Item Group,Skopiuj z Grupy Przedmiotów
-DocType: Delivery Trip,Delivery Notification,Powiadomienie o dostawie
 DocType: Journal Entry,Opening Entry,Wpis początkowy
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Tylko płatne konto
 DocType: Loan,Repay Over Number of Periods,Spłaty przez liczbę okresów
 DocType: Stock Entry,Additional Costs,Dodatkowe koszty
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Konto z istniejącymi zapisami nie może być konwertowane na Grupę (konto dzielone).
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Konto z istniejącymi zapisami nie może być konwertowane na Grupę (konto dzielone).
 DocType: Lead,Product Enquiry,Zapytanie o produkt
 DocType: Education Settings,Validate Batch for Students in Student Group,Sprawdź partię dla studentów w grupie studentów
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nie znaleziono rekordu urlopu pracownika {0} dla {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Proszę najpierw wpisać Firmę
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Najpierw wybierz firmę
 DocType: Employee Education,Under Graduate,Absolwent
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Ustaw domyślny szablon dla Opuszczania powiadomienia o statusie w Ustawieniach HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Ustaw domyślny szablon dla Opuszczania powiadomienia o statusie w Ustawieniach HR.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,
 DocType: BOM,Total Cost,Koszt całkowity
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Wyciąg z rachunku
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmaceutyczne
 DocType: Purchase Invoice Item,Is Fixed Asset,Czy trwałego
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Ilość dostępnych jest {0}, musisz {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Ilość dostępnych jest {0}, musisz {1}"
 DocType: Expense Claim Detail,Claim Amount,Kwota roszczenia
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Zamówienie pracy zostało {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Szablon kontroli jakości
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Czy chcesz zaktualizować frekwencję? <br> Obecni: {0} \ <br> Nieobecne {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Ilość Przyjętych + Odrzuconych musi odpowiadać ilości Odebranych (Element {0})
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Ilość Przyjętych + Odrzuconych musi odpowiadać ilości Odebranych (Element {0})
 DocType: Item,Supply Raw Materials for Purchase,Dostawa surowce Skupu
 DocType: Agriculture Analysis Criteria,Fertilizer,Nawóz
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Nie można zagwarantować dostarczenia przez numer seryjny, ponieważ \ Pozycja {0} została dodana zi bez dostarczenia przez \ numer seryjny \"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Co najmniej jeden tryb płatności POS jest wymagane dla faktury.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Co najmniej jeden tryb płatności POS jest wymagane dla faktury.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Wyciąg z rachunku bankowego
 DocType: Products Settings,Show Products as a List,Wyświetl produkty w układzie listy
 DocType: Salary Detail,Tax on flexible benefit,Podatek od elastycznej korzyści
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Szczegółowy wniosek o materiał
 DocType: Selling Settings,Default Quotation Validity Days,Domyślne dni ważności ofert
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",
 DocType: SMS Center,SMS Center,Centrum SMS
 DocType: Payroll Entry,Validate Attendance,Zatwierdź frekwencję
 DocType: Sales Invoice,Change Amount,Zmień Kwota
 DocType: Party Tax Withholding Config,Certificate Received,Otrzymano certyfikat
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Ustaw wartość faktury dla B2C. B2CL i B2CS obliczane na podstawie tej wartości faktury.
 DocType: BOM Update Tool,New BOM,Nowe zestawienie materiałowe
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Zalecane procedury
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Zalecane procedury
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Pokaż tylko POS
 DocType: Supplier Group,Supplier Group Name,Nazwa grupy dostawcy
 DocType: Driver,Driving License Categories,Kategorie prawa jazdy
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Okresy płac
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Bądź pracownika
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Transmitowanie
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Tryb konfiguracji POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Tryb konfiguracji POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Wyłącza tworzenie dzienników czasowych względem zleceń pracy. Operacji nie można śledzić na podstawie zlecenia pracy
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Wykonanie
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Szczegóły dotyczące przeprowadzonych operacji.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Zniżka Cennik Oceń (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Szablon przedmiotu
 DocType: Job Offer,Select Terms and Conditions,Wybierz Regulamin
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Brak Wartości
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Brak Wartości
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Ustawienia wyciągu bankowego Pozycja
 DocType: Woocommerce Settings,Woocommerce Settings,Ustawienia Woocommerce
 DocType: Production Plan,Sales Orders,Zlecenia sprzedaży
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Wniosek o cytat można uzyskać klikając na poniższy link
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Stworzenie narzędzia golfowe
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis płatności
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Niewystarczający zapas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Niewystarczający zapas
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Wyłącz Planowanie Pojemność i Time Tracking
 DocType: Email Digest,New Sales Orders,
 DocType: Bank Account,Bank Account,Konto bankowe
 DocType: Travel Itinerary,Check-out Date,Sprawdź datę
 DocType: Leave Type,Allow Negative Balance,Dozwolony ujemny bilans
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Nie można usunąć typu projektu &quot;zewnętrzny&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Wybierz opcję Alternatywny przedmiot
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Wybierz opcję Alternatywny przedmiot
 DocType: Employee,Create User,Stwórz użytkownika
 DocType: Selling Settings,Default Territory,Domyślne terytorium
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Telewizja
 DocType: Work Order Operation,Updated via 'Time Log',"Aktualizowana przez ""Czas Zaloguj"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Wybierz klienta lub dostawcę.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Ilość wyprzedzeniem nie może być większa niż {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Ilość wyprzedzeniem nie może być większa niż {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Przesunięcie przedziału czasowego, przedział od {0} do {1} pokrywa się z istniejącym bokiem {2} do {3}"
 DocType: Naming Series,Series List for this Transaction,Lista serii dla tej transakcji
 DocType: Company,Enable Perpetual Inventory,Włącz wieczne zapasy
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Na podstawie pozycji faktury sprzedaży
 DocType: Agriculture Analysis Criteria,Linked Doctype,Połączony Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Przepływy pieniężne netto z finansowania
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage jest pełna, nie zapisać"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage jest pełna, nie zapisać"
 DocType: Lead,Address & Contact,Adres i kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj niewykorzystane urlopy z poprzednich alokacji
 DocType: Sales Partner,Partner website,strona Partner
@@ -447,10 +447,10 @@
 ,Open Work Orders,Otwórz zlecenia pracy
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Charge Item
 DocType: Payment Term,Credit Months,Miesiące kredytowe
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Wynagrodzenie netto nie może być mniejsza niż 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Wynagrodzenie netto nie może być mniejsza niż 0
 DocType: Contract,Fulfilled,Spełniony
 DocType: Inpatient Record,Discharge Scheduled,Rozładowanie Zaplanowane
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Data zwolnienia musi być większa od Daty Wstąpienia
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Data zwolnienia musi być większa od Daty Wstąpienia
 DocType: POS Closing Voucher,Cashier,Kasjer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Urlopy na Rok
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Wiersz {0}: Proszę sprawdzić ""Czy Advance"" przeciw konta {1}, jeśli jest to zaliczka wpis."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Proszę ustawić Studentów w grupach studenckich
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Kompletna praca
 DocType: Item Website Specification,Item Website Specification,Element Specyfikacja Strony
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Urlop Zablokowany
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Element {0} osiągnął kres przydatności {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Urlop Zablokowany
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Element {0} osiągnął kres przydatności {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Operacje bankowe
 DocType: Customer,Is Internal Customer,Jest klientem wewnętrznym
 DocType: Crop,Annual,Roczny
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Jeśli zaznaczona jest opcja automatycznego wyboru, klienci zostaną automatycznie połączeni z danym Programem lojalnościowym (przy zapisie)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Uzgodnienia Stanu Pozycja
 DocType: Stock Entry,Sales Invoice No,Nr faktury sprzedaży
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Rodzaj dostawy
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Rodzaj dostawy
 DocType: Material Request Item,Min Order Qty,Min. wartość zamówienia
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kurs grupy studentów Stworzenie narzędzia
 DocType: Lead,Do Not Contact,Nie Kontaktuj
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publikowanie w Hub
 DocType: Student Admission,Student Admission,Wstęp Student
 ,Terretory,Obszar
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Element {0} jest anulowany
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Element {0} jest anulowany
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Wiersz amortyzacji {0}: Data rozpoczęcia amortyzacji jest wprowadzana jako data przeszła
 DocType: Contract Template,Fulfilment Terms and Conditions,Spełnienie warunków
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Zamówienie produktu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Zamówienie produktu
 DocType: Bank Reconciliation,Update Clearance Date,Aktualizacja daty rozliczenia
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Szczegóły zakupu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} nie znajdują się w &quot;materiały dostarczane&quot; tabeli w Zamówieniu {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} nie znajdują się w &quot;materiały dostarczane&quot; tabeli w Zamówieniu {1}
 DocType: Salary Slip,Total Principal Amount,Łączna kwota główna
 DocType: Student Guardian,Relation,Relacja
 DocType: Student Guardian,Mother,Mama
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Dostawa County
 DocType: Currency Exchange,For Selling,Do sprzedania
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Samouczek
+DocType: Purchase Invoice Item,Enable Deferred Expense,Włącz odroczony koszt
 DocType: Asset,Next Depreciation Date,Następny Amortyzacja Data
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Koszt aktywność na pracownika
 DocType: Accounts Settings,Settings for Accounts,Ustawienia Konta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Dostawca Faktura Nie istnieje faktura zakupu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Dostawca Faktura Nie istnieje faktura zakupu {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Zarządzaj Drzewem Sprzedawców
 DocType: Job Applicant,Cover Letter,List motywacyjny
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"Wybitni Czeki i depozytów, aby usunąć"
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Historia Zewnętrzna Pracy
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Circular Error Referencje
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Karta zgłoszenia ucznia
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Z kodu PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Z kodu PIN
 DocType: Appointment Type,Is Inpatient,Jest hospitalizowany
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nazwa Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Wielowalutowy
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktury
 DocType: Employee Benefit Claim,Expense Proof,Dowód wydatków
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Dowód dostawy
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Zapisywanie {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Dowód dostawy
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Konfigurowanie podatki
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Koszt sprzedanych aktywów
 DocType: Volunteer,Morning,Ranek
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Wpis płatności został zmodyfikowany po ściągnięciu. Proszę ściągnąć ponownie.
 DocType: Program Enrollment Tool,New Student Batch,Nowa partia studencka
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} dwa razy wprowadzone w podatku produktu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Podsumowanie na ten tydzień i działań toczących
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} dwa razy wprowadzone w podatku produktu
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Podsumowanie na ten tydzień i działań toczących
 DocType: Student Applicant,Admitted,Przyznał
 DocType: Workstation,Rent Cost,Koszt Wynajmu
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Kwota po amortyzacji
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Kwota po amortyzacji
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Nadchodzące wydarzenia kalendarzowe
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant Atrybuty
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Wybierz miesiąc i rok
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Nie może być tylko jedno konto na Spółkę w {0} {1}
 DocType: Support Search Source,Response Result Key Path,Kluczowa ścieżka odpowiedzi
 DocType: Journal Entry,Inter Company Journal Entry,Dziennik firmy Inter Company
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Dla ilości {0} nie powinna być większa niż ilość zlecenia pracy {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Proszę przejrzeć załącznik
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Dla ilości {0} nie powinna być większa niż ilość zlecenia pracy {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Proszę przejrzeć załącznik
 DocType: Purchase Order,% Received,% Otrzymanych
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Tworzenie grup studenckich
 DocType: Volunteer,Weekends,Weekendy
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Total Outstanding
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Zmień początkowy / obecny numer seryjny istniejącej serii.
 DocType: Dosage Strength,Strength,Wytrzymałość
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Tworzenie nowego klienta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Tworzenie nowego klienta
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Wygasający
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jeśli wiele Zasady ustalania cen nadal dominować, użytkownicy proszeni są o ustawienie Priorytet ręcznie rozwiązać konflikt."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Stwórz zamówienie zakupu
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Koszt Konsumpcyjny
 DocType: Purchase Receipt,Vehicle Date,Pojazd Data
 DocType: Student Log,Medical,Medyczny
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Powód straty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Proszę wybrać lek
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Powód straty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Proszę wybrać lek
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Ołów Właściciel nie może być taka sama jak Lead
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Przyznana kwota nie może większa niż ilość niewyrównanej
 DocType: Announcement,Receiver,Odbiorca
 DocType: Location,Area UOM,Obszar UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Stacja robocza jest zamknięta w następujących terminach wg listy wakacje: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Możliwości
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Możliwości
 DocType: Lab Test Template,Single,Pojedynczy
 DocType: Compensatory Leave Request,Work From Date,Praca od daty
 DocType: Salary Slip,Total Loan Repayment,Suma spłaty kredytu
+DocType: Project User,View attachments,Wyświetl załączniki
 DocType: Account,Cost of Goods Sold,Wartość sprzedanych pozycji w cenie nabycia
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Wprowadź Centrum Kosztów
 DocType: Drug Prescription,Dosage,Dawkowanie
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Ilość i Wskaźnik
 DocType: Delivery Note,% Installed,% Zainstalowanych
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Sale / laboratoria etc gdzie zajęcia mogą być planowane.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Waluty firmy obu spółek powinny być zgodne z Transakcjami między spółkami.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Waluty firmy obu spółek powinny być zgodne z Transakcjami między spółkami.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Proszę najpierw wpisać nazwę Firmy
 DocType: Travel Itinerary,Non-Vegetarian,Nie wegetarianskie
 DocType: Purchase Invoice,Supplier Name,Nazwa dostawcy
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Chwilowo zawieszone
 DocType: Account,Is Group,Czy Grupa
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Nota kredytowa {0} została utworzona automatycznie
-DocType: Email Digest,Pending Purchase Orders,W oczekiwaniu zamówień zakupu
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Nr seryjny automatycznie ustawiony w oparciu o FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Sprawdź Dostawca numer faktury Wyjątkowość
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Podstawowe dane adresowe
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Wiersz {0}: operacja jest wymagana względem elementu surowcowego {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Proszę ustawić domyślne konto płatne dla firmy {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transakcja nie jest dozwolona w przypadku zatrzymanego zlecenia pracy {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transakcja nie jest dozwolona w przypadku zatrzymanego zlecenia pracy {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne ustawienia dla wszystkich procesów produkcyjnych.
 DocType: Accounts Settings,Accounts Frozen Upto,Konta zamrożone do
 DocType: SMS Log,Sent On,Wysłano w
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atrybut {0} wybrane atrybuty kilka razy w tabeli
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atrybut {0} wybrane atrybuty kilka razy w tabeli
 DocType: HR Settings,Employee record is created using selected field. ,Rekord pracownika tworzony jest przy użyciu zaznaczonego pola.
 DocType: Sales Order,Not Applicable,Nie dotyczy
 DocType: Amazon MWS Settings,UK,Wielka Brytania
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Pracownik {0} złożył już wniosek o {1} w {2}:
 DocType: Inpatient Record,AB Positive,AB Pozytywne
 DocType: Job Opening,Description of a Job Opening,Opis Ogłoszenia o Pracę
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Działania oczekujące na dziś
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Działania oczekujące na dziś
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Składnik wynagrodzenia za płac opartego grafik.
+DocType: Driver,Applicable for external driver,Dotyczy zewnętrznego sterownika
 DocType: Sales Order Item,Used for Production Plan,Używane do Planu Produkcji
 DocType: Loan,Total Payment,Całkowita płatność
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Nie można anulować transakcji dotyczącej ukończonego zlecenia pracy.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Nie można anulować transakcji dotyczącej ukończonego zlecenia pracy.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Czas między operacjami (w min)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,Zamówienie zostało już utworzone dla wszystkich zamówień sprzedaży
 DocType: Healthcare Service Unit,Occupied,Zajęty
 DocType: Clinical Procedure,Consumables,Materiały eksploatacyjne
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} jest anulowany, więc działanie nie może zostać zakończone"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} jest anulowany, więc działanie nie może zostać zakończone"
 DocType: Customer,Buyer of Goods and Services.,Nabywca towarów i usług.
 DocType: Journal Entry,Accounts Payable,Zobowiązania
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Kwota {0} ustawiona w tym żądaniu płatności różni się od obliczonej kwoty wszystkich planów płatności: {1}. Upewnij się, że jest to poprawne przed wysłaniem dokumentu."
 DocType: Patient,Allergies,Alergie
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Wybrane LM nie są na tej samej pozycji
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Wybrane LM nie są na tej samej pozycji
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Zmień kod przedmiotu
 DocType: Supplier Scorecard Standing,Notify Other,Powiadamiaj inne
 DocType: Vital Signs,Blood Pressure (systolic),Ciśnienie krwi (skurczowe)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Wystarczające elementy do budowy
 DocType: POS Profile User,POS Profile User,Użytkownik profilu POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Wiersz {0}: Wymagana data rozpoczęcia amortyzacji
-DocType: Sales Invoice Item,Service Start Date,Data rozpoczęcia usługi
+DocType: Purchase Invoice Item,Service Start Date,Data rozpoczęcia usługi
 DocType: Subscription Invoice,Subscription Invoice,Faktura subskrypcyjna
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Przychody bezpośrednie
 DocType: Patient Appointment,Date TIme,Data TIm
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Rutyna
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetyki
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Proszę wybrać opcję Data zakończenia dla ukończonego dziennika konserwacji zasobów
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Aby scalić, poniższe właściwości muszą być takie same dla obu przedmiotów"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Aby scalić, poniższe właściwości muszą być takie same dla obu przedmiotów"
 DocType: Supplier,Block Supplier,Dostawca bloku
 DocType: Shipping Rule,Net Weight,Waga netto
 DocType: Job Opening,Planned number of Positions,Planowana liczba pozycji
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Szablon mapowania przepływów pieniężnych
 DocType: Travel Request,Costing Details,Szczegóły dotyczące kalkulacji kosztów
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Pokaż wpisy zwrotne
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Nr seryjny element nie może być ułamkiem
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Nr seryjny element nie może być ułamkiem
 DocType: Journal Entry,Difference (Dr - Cr),Różnica (Dr - Cr)
 DocType: Bank Guarantee,Providing,Że
 DocType: Account,Profit and Loss,Zyski i Straty
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Niedozwolone, w razie potrzeby skonfiguruj szablon testu laboratorium"
 DocType: Patient,Risk Factors,Czynniki ryzyka
 DocType: Patient,Occupational Hazards and Environmental Factors,Zagrożenia zawodowe i czynniki środowiskowe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Wpisy magazynowe już utworzone dla zlecenia pracy
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Wpisy magazynowe już utworzone dla zlecenia pracy
 DocType: Vital Signs,Respiratory rate,Oddechowy
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Zarządzanie Podwykonawstwo
 DocType: Vital Signs,Body Temperature,Temperatura ciała
 DocType: Project,Project will be accessible on the website to these users,Projekt będzie dostępny na stronie internetowej dla tych użytkowników
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Nie można anulować {0} {1}, ponieważ numer seryjny {2} nie należy do magazynu {3}"
 DocType: Detected Disease,Disease,Choroba
+DocType: Company,Default Deferred Expense Account,Domyślne konto odroczonego kosztu
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Zdefiniuj typ projektu.
 DocType: Supplier Scorecard,Weighting Function,Funkcja ważenia
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,Produkowane przedmioty
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Dopasuj transakcję do faktur
 DocType: Sales Order Item,Gross Profit,Zysk brutto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Odblokuj fakturę
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Odblokuj fakturę
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Przyrost nie może być 0
 DocType: Company,Delete Company Transactions,Usuń Transakcje Spółki
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Numer referencyjny i data jest obowiązkowe dla transakcji Banku
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Ignoruj
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} jest nieaktywny
 DocType: Woocommerce Settings,Freight and Forwarding Account,Konto spedycyjne i spedycyjne
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Wymiary Sprawdź konfigurację do druku
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Wymiary Sprawdź konfigurację do druku
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Utwórz wynagrodzenie wynagrodzenia
 DocType: Vital Signs,Bloated,Nadęty
 DocType: Salary Slip,Salary Slip Timesheet,Slip Wynagrodzenie grafiku
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,
 DocType: Item Price,Valid From,Ważny od
 DocType: Sales Invoice,Total Commission,Całkowita kwota prowizji
 DocType: Tax Withholding Account,Tax Withholding Account,Rachunek potrącenia podatku u źródła
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Wszystkie karty oceny dostawcy.
 DocType: Buying Settings,Purchase Receipt Required,Wymagane Potwierdzenie Zakupu
 DocType: Delivery Note,Rail,Szyna
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,"Docelowy magazyn w wierszu {0} musi być taki sam, jak zlecenie pracy"
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Wycena Cena jest obowiązkowe, jeżeli wprowadzone Otwarcie Zdjęcie"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,"Docelowy magazyn w wierszu {0} musi być taki sam, jak zlecenie pracy"
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Wycena Cena jest obowiązkowe, jeżeli wprowadzone Otwarcie Zdjęcie"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nie znaleziono w tabeli faktury rekordy
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Najpierw wybierz typ firmy, a Party"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Już ustawiono domyślne w profilu pozycji {0} dla użytkownika {1}, domyślnie wyłączone"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Rok finansowy / księgowy.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Rok finansowy / księgowy.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,skumulowane wartości
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Niestety, numery seryjne nie mogą zostać połączone"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Grupa klientów ustawi wybraną grupę podczas synchronizowania klientów z Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,ID Tropu
 DocType: C-Form Invoice Detail,Grand Total,Suma Całkowita
 DocType: Assessment Plan,Course,Kurs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kod sekcji
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kod sekcji
 DocType: Timesheet,Payslip,Odcinek wypłaty
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Data pół dnia powinna być pomiędzy datą i datą
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,poz Koszyk
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Personal Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Identyfikator członkostwa
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Dostarczone: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Dostarczone: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Połączony z QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Konto płatności
 DocType: Payment Entry,Type of Payment,Rodzaj płatności
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Data półdniowa jest obowiązkowa
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Data wystawienia rachunku
 DocType: Production Plan,Production Plan,Plan produkcji
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otwieranie narzędzia tworzenia faktury
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Zwrot sprzedaży
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Zwrot sprzedaży
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Uwaga: Wszystkie przydzielone liście {0} nie powinna być mniejsza niż już zatwierdzonych liści {1} dla okresu
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ustaw liczbę w transakcjach na podstawie numeru seryjnego
 ,Total Stock Summary,Całkowity podsumowanie zasobów
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,Klient lub przedmiotu
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza danych klientów.
 DocType: Quotation,Quotation To,Wycena dla
-DocType: Lead,Middle Income,Średni Dochód
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Średni Dochód
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Otwarcie (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Domyślnie Jednostka miary dla pozycji {0} nie może być zmieniana bezpośrednio, ponieważ masz już jakąś transakcję (y) z innym UOM. Musisz utworzyć nowy obiekt, aby użyć innego domyślnego UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Domyślnie Jednostka miary dla pozycji {0} nie może być zmieniana bezpośrednio, ponieważ masz już jakąś transakcję (y) z innym UOM. Musisz utworzyć nowy obiekt, aby użyć innego domyślnego UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Przydzielona kwota nie może być ujemna
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Proszę ustawić firmę
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Proszę ustawić firmę
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Wybierz Konto Płatność aby bankowego Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Domyślna seria nazewnictwa faktur
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Tworzenie rekordów pracownika do zarządzania liście, roszczenia o wydatkach i płac"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Wystąpił błąd podczas procesu aktualizacji
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Wystąpił błąd podczas procesu aktualizacji
 DocType: Restaurant Reservation,Restaurant Reservation,Rezerwacja restauracji
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Pisanie Wniosku
 DocType: Payment Entry Deduction,Payment Entry Deduction,Płatność Wejście Odliczenie
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Zawijanie
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Powiadom klientów przez e-mail
 DocType: Item,Batch Number Series,Seria numerów partii
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Inna osoba Sprzedaż {0} istnieje w tym samym identyfikator pracownika
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Inna osoba Sprzedaż {0} istnieje w tym samym identyfikator pracownika
 DocType: Employee Advance,Claimed Amount,Kwota roszczenia
+DocType: QuickBooks Migrator,Authorization Settings,Ustawienia autoryzacji
 DocType: Travel Itinerary,Departure Datetime,Data wyjazdu Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-.-
 DocType: Travel Request Costing,Travel Request Costing,Koszt wniosku podróży
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,Po nazwie dostawcy
 DocType: Activity Type,Default Costing Rate,Domyślnie Costing Cena
 DocType: Maintenance Schedule,Maintenance Schedule,Plan Konserwacji
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Następnie wycena Zasady są filtrowane na podstawie Klienta, grupy klientów, Terytorium, dostawcy, dostawca, typu kampanii, Partner Sales itp"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Następnie wycena Zasady są filtrowane na podstawie Klienta, grupy klientów, Terytorium, dostawcy, dostawca, typu kampanii, Partner Sales itp"
 DocType: Employee Promotion,Employee Promotion Details,Szczegóły promocji pracowników
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Zmiana netto stanu zapasów
 DocType: Employee,Passport Number,Numer Paszportu
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relacja z Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Menager
 DocType: Payment Entry,Payment From / To,Płatność Od / Do
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Od roku obrotowego
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nowy limit kredytowy wynosi poniżej aktualnej kwoty należności dla klienta. Limit kredytowy musi być conajmniej {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Ustaw konto w magazynie {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Ustaw konto w magazynie {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"Pola ""Bazuje na"" i ""Grupuj wg."" nie mogą być takie same"
 DocType: Sales Person,Sales Person Targets,Cele Sprzedawcy
 DocType: Work Order Operation,In minutes,W ciągu kilku minut
 DocType: Issue,Resolution Date,Data Rozstrzygnięcia
 DocType: Lab Test Template,Compound,Złożony
+DocType: Opportunity,Probability (%),Prawdopodobieństwo (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Powiadomienie o wysyłce
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Wybierz właściwość
 DocType: Student Batch Name,Batch Name,Batch Nazwa
 DocType: Fee Validity,Max number of visit,Maksymalna liczba wizyt
 ,Hotel Room Occupancy,Pokój hotelowy
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Grafiku stworzył:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Proszę ustawić domyślne konto Gotówka lub Bank dla płatności typu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Proszę ustawić domyślne konto Gotówka lub Bank dla płatności typu {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Zapisać
 DocType: GST Settings,GST Settings,Ustawienia GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},"Waluta powinna być taka sama, jak waluta cennika: {0}"
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,Razem odsetki płatne
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Koszt podatków i opłat
 DocType: Work Order Operation,Actual Start Time,Rzeczywisty Czas Rozpoczęcia
+DocType: Purchase Invoice Item,Deferred Expense Account,Rachunek odroczonego obciążenia
 DocType: BOM Operation,Operation Time,Czas operacji
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,koniec
 DocType: Salary Structure Assignment,Base,Baza
 DocType: Timesheet,Total Billed Hours,Wszystkich Zafakturowane Godziny
 DocType: Travel Itinerary,Travel To,Podróż do
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nie jest
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Wartość Odpisu
 DocType: Leave Block List Allow,Allow User,Zezwól Użytkownikowi
 DocType: Journal Entry,Bill No,Numer Rachunku
@@ -1089,9 +1099,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Czas Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Płukanie surowce na podstawie
 DocType: Sales Invoice,Port Code,Kod portu
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reserve Warehouse
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reserve Warehouse
 DocType: Lead,Lead is an Organization,Ołów to organizacja
-DocType: Guardian Interest,Interest,Zainteresowanie
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Przedsprzedaż
 DocType: Instructor Log,Other Details,Pozostałe szczegóły
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1101,7 +1110,7 @@
 DocType: Account,Accounts,Księgowość
 DocType: Vehicle,Odometer Value (Last),Drogomierz Wartość (Ostatni)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Szablony kryteriów oceny dostawców.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Wykorzystaj punkty lojalnościowe
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Zapis takiej Płatności już został utworzony
 DocType: Request for Quotation,Get Suppliers,Dostaj Dostawców
@@ -1118,16 +1127,14 @@
 DocType: Crop,Crop Spacing UOM,Odstępy między plamami UOM
 DocType: Loyalty Program,Single Tier Program,Program dla jednego poziomu
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Wybierz tylko, jeśli masz skonfigurowane dokumenty programu Cash Flow Mapper"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Od adresu 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Od adresu 1
 DocType: Email Digest,Next email will be sent on:,Kolejny e-mali zostanie wysłany w dniu:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Po pozycji {items} {verb} oznaczonej jako {message} pozycji. \ Możesz włączyć je jako element {message} z Master produktu
 DocType: Supplier Scorecard,Per Week,Na tydzień
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Pozycja ma warianty.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Pozycja ma warianty.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Total Student
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Element {0} nie został znaleziony
 DocType: Bin,Stock Value,Wartość zapasów
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Firma {0} nie istnieje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Firma {0} nie istnieje
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ważność opłaty do {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Typ drzewa
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Ilość skonsumowana na Jednostkę
@@ -1143,7 +1150,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Karta kredytowa
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Ustawienia księgowości jednostki
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,w polu Wartość
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,w polu Wartość
 DocType: Asset Settings,Depreciation Options,Opcje amortyzacji
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Każda lokalizacja lub pracownik muszą być wymagane
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Nieprawidłowy czas publikacji
@@ -1160,20 +1167,21 @@
 DocType: Leave Allocation,Allocation,Przydział
 DocType: Purchase Order,Supply Raw Materials,Zaopatrzenia w surowce
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Aktywa finansowe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} nie jest przechowywany na magazynie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} nie jest przechowywany na magazynie
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Podziel się swoją opinią na szkolenie, klikając link &quot;Szkolenia zwrotne&quot;, a następnie &quot;Nowy&quot;"
 DocType: Mode of Payment Account,Default Account,Domyślne konto
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Najpierw wybierz Sample Retention Warehouse w ustawieniach magazynowych
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Najpierw wybierz Sample Retention Warehouse w ustawieniach magazynowych
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Wybierz typ programu dla wielu poziomów dla więcej niż jednej reguły zbierania.
 DocType: Payment Entry,Received Amount (Company Currency),Otrzymaną kwotą (Spółka waluty)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Płatność anulowana. Sprawdź swoje konto bez karty, aby uzyskać więcej informacji"
 DocType: Contract,N/A,Nie dotyczy
+DocType: Delivery Settings,Send with Attachment,Wyślij z załącznikiem
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Wybierz tygodniowe dni wolne
 DocType: Inpatient Record,O Negative,O negatywne
 DocType: Work Order Operation,Planned End Time,Planowany czas zakończenia
 ,Sales Person Target Variance Item Group-Wise,
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Konto z istniejącymi zapisami nie może być konwertowane
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Konto z istniejącymi zapisami nie może być konwertowane
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Szczegóły typu memebership
 DocType: Delivery Note,Customer's Purchase Order No,Numer Zamówienia Zakupu Klienta
 DocType: Clinical Procedure,Consume Stock,Zużyj zapasy
@@ -1186,26 +1194,26 @@
 DocType: Soil Texture,Sand,Piasek
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energia
 DocType: Opportunity,Opportunity From,Szansa od
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Wiersz {0}: {1} wymagane numery seryjne dla elementu {2}. Podałeś {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Wiersz {0}: {1} wymagane numery seryjne dla elementu {2}. Podałeś {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Proszę wybrać tabelę
 DocType: BOM,Website Specifications,Specyfikacja strony WWW
 DocType: Special Test Items,Particulars,Szczegóły
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: od {0} typu {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Wiersz {0}: Współczynnik konwersji jest obowiązkowe
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Wiersz {0}: Współczynnik konwersji jest obowiązkowe
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",Wiele Zasad Cen istnieje w tych samych kryteriach proszę rozwiązywania konflikty poprzez przypisanie priorytetu. Zasady Cen: {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",Wiele Zasad Cen istnieje w tych samych kryteriach proszę rozwiązywania konflikty poprzez przypisanie priorytetu. Zasady Cen: {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Rachunek przeszacowania kursu wymiany
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nie można wyłączyć lub anulować LM jak to jest połączone z innymi LM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nie można wyłączyć lub anulować LM jak to jest połączone z innymi LM
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"Wybierz Firmę i Data księgowania, aby uzyskać wpisy"
 DocType: Asset,Maintenance,Konserwacja
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Uzyskaj od spotkania pacjenta
 DocType: Subscriber,Subscriber,Abonent
 DocType: Item Attribute Value,Item Attribute Value,Pozycja wartość atrybutu
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Zaktualizuj swój status projektu
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Zaktualizuj swój status projektu
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Wymiana walut musi dotyczyć Kupowania lub Sprzedaży.
 DocType: Item,Maximum sample quantity that can be retained,"Maksymalna ilość próbki, którą można zatrzymać"
 DocType: Project Update,How is the Project Progressing Right Now?,W jaki sposób projekt rozwija się teraz?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Wiersz {0} # Element {1} nie może zostać przeniesiony więcej niż {2} na zamówienie {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Wiersz {0} # Element {1} nie może zostać przeniesiony więcej niż {2} na zamówienie {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kampanie sprzedażowe
 DocType: Project Task,Make Timesheet,Bądź grafiku
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1253,36 +1261,38 @@
 DocType: Lab Test,Lab Test,Test laboratoryjny
 DocType: Student Report Generation Tool,Student Report Generation Tool,Narzędzie do generowania raportów uczniów
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Schemat czasu opieki zdrowotnej
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Name
 DocType: Expense Claim Detail,Expense Claim Type,Typ Zwrotu Kosztów
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Domyślne ustawienia koszyku
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Dodaj czasopisma
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Zaleta złomowany poprzez Journal Entry {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Ustaw konto w magazynie {0} lub domyślne konto zapasów w firmie {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Zaleta złomowany poprzez Journal Entry {0}
 DocType: Loan,Interest Income Account,Konto przychodów odsetkowych
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maksymalne korzyści powinny być większe niż zero w celu rozłożenia korzyści
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maksymalne korzyści powinny być większe niż zero w celu rozłożenia korzyści
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Wysłane zaproszenie do recenzji
 DocType: Shift Assignment,Shift Assignment,Przydział Shift
 DocType: Employee Transfer Property,Employee Transfer Property,Usługa przenoszenia pracowniczych
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Od czasu powinno być mniej niż w czasie
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Technologia Bio
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Element {0} (numer seryjny: {1}) nie może zostać użyty, ponieważ jest zarezerwowany \, aby wypełnić zamówienie sprzedaży {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Wydatki na obsługę biura
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Iść do
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Zaktualizuj cenę z Shopify To ERPNext Price List
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Konfigurowanie konta e-mail
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Proszę najpierw wprowadzić Przedmiot
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analiza potrzeb
 DocType: Asset Repair,Downtime,Przestój
 DocType: Account,Liability,Zobowiązania
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Usankcjonowane Kwota nie może być większa niż ilość roszczenia w wierszu {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Usankcjonowane Kwota nie może być większa niż ilość roszczenia w wierszu {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Okres akademicki:
 DocType: Salary Component,Do not include in total,Nie obejmują łącznie
 DocType: Company,Default Cost of Goods Sold Account,Domyślne Konto Wartości Dóbr Sprzedanych
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Ilość próbki {0} nie może być większa niż ilość odebranej {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Cennik nie wybrany
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Ilość próbki {0} nie może być większa niż ilość odebranej {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Cennik nie wybrany
 DocType: Employee,Family Background,Tło rodzinne
 DocType: Request for Quotation Supplier,Send Email,Wyślij E-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Warning: Invalid Załącznik {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Warning: Invalid Załącznik {0}
 DocType: Item,Max Sample Quantity,Maksymalna ilość próbki
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Brak uprawnień
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lista kontrolna realizacji kontraktu
@@ -1314,15 +1324,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Centrum kosztów {2} nie należy do firmy {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Prześlij swoją literę (Keep it web friendly jako 900px na 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Rachunek {2} nie może być grupą
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Przedmiot Row {idx} {} {doctype DOCNAME} nie istnieje w wyżej &#39;{doctype}&#39; Stół
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Grafiku {0} jest już zakończone lub anulowane
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Grafiku {0} jest już zakończone lub anulowane
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Brak zadań
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Faktura sprzedaży {0} utworzona jako płatna
 DocType: Item Variant Settings,Copy Fields to Variant,Skopiuj pola do wariantu
 DocType: Asset,Opening Accumulated Depreciation,Otwarcie Skumulowana amortyzacja
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Wynik musi być niższy lub równy 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Rejestracja w programie Narzędzie
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Akcje już istnieją
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Klient i Dostawca
 DocType: Email Digest,Email Digest Settings,ustawienia przetwarzania maila
@@ -1335,12 +1345,12 @@
 DocType: Production Plan,Select Items,Wybierz Elementy
 DocType: Share Transfer,To Shareholder,Do Akcjonariusza
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} przed rachunkiem {1} z dnia {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Z państwa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Z państwa
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Ustaw instytucję
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Przydzielanie liści ...
 DocType: Program Enrollment,Vehicle/Bus Number,Numer pojazdu / autobusu
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Plan zajęć
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Musisz odliczać podatek za nieprzedstawiony dowód zwolnienia podatkowego i nieodebrane \ świadczenia pracownicze w ostatnim okresie wypłaty wynagrodzenia z listy płac
 DocType: Request for Quotation Supplier,Quote Status,Status statusu
 DocType: GoCardless Settings,Webhooks Secret,Sekret Webhooks
@@ -1366,13 +1376,13 @@
 DocType: Sales Invoice,Payment Due Date,Termin Płatności
 DocType: Drug Prescription,Interval UOM,Interwał UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Ponownie wybierz, jeśli wybrany adres jest edytowany po zapisaniu"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Pozycja Wersja {0} istnieje już z samymi atrybutami
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Pozycja Wersja {0} istnieje już z samymi atrybutami
 DocType: Item,Hub Publishing Details,Szczegóły publikacji wydawnictwa Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Otwarcie&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Otwarcie&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Otwarty na uwagi
 DocType: Issue,Via Customer Portal,Przez portal klienta
 DocType: Notification Control,Delivery Note Message,Wiadomość z Dowodu Dostawy
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Kwota SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Kwota SGST
 DocType: Lab Test Template,Result Format,Format wyników
 DocType: Expense Claim,Expenses,Wydatki
 DocType: Item Variant Attribute,Item Variant Attribute,Pozycja Wersja Atrybut
@@ -1380,14 +1390,12 @@
 DocType: Payroll Entry,Bimonthly,Dwumiesięczny
 DocType: Vehicle Service,Brake Pad,Klocek hamulcowy
 DocType: Fertilizer,Fertilizer Contents,Zawartość nawozu
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Badania i rozwój
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Badania i rozwój
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Kwota rachunku
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Data rozpoczęcia i data zakończenia pokrywają się z kartą pracy <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Szczegóły Rejestracji
 DocType: Timesheet,Total Billed Amount,Kwota całkowita Zapowiadane
 DocType: Item Reorder,Re-Order Qty,Ilość w ponowieniu zamówienia
 DocType: Leave Block List Date,Leave Block List Date,Opuść Zablokowaną Listę Dat
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Proszę ustawić Instruktorski System Nazw w Edukacji&gt; Ustawienia edukacyjne
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,"BOM # {0}: Surowiec nie może być taki sam, jak główna pozycja"
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Wszystkich obowiązujących opłat w ZAKUPU Elementy tabeli muszą być takie same jak Wszystkich podatkach i opłatach
 DocType: Sales Team,Incentives,
@@ -1401,7 +1409,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Punkt sprzedaży
 DocType: Fee Schedule,Fee Creation Status,Status tworzenia licencji
 DocType: Vehicle Log,Odometer Reading,Stan licznika
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto jest na minusie, nie możesz ustawić wymagań jako debet."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto jest na minusie, nie możesz ustawić wymagań jako debet."
 DocType: Account,Balance must be,Bilans powinien wynosić
 DocType: Notification Control,Expense Claim Rejected Message,Wiadomość o odrzuconym zwrocie wydatków
 ,Available Qty,Dostępne szt
@@ -1413,7 +1421,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Zawsze synchronizuj swoje produkty z Amazon MWS przed zsynchronizowaniem szczegółów zamówień
 DocType: Delivery Trip,Delivery Stops,Przerwy w dostawie
 DocType: Salary Slip,Working Days,Dni robocze
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Nie można zmienić daty zatrzymania usługi dla pozycji w wierszu {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Nie można zmienić daty zatrzymania usługi dla pozycji w wierszu {0}
 DocType: Serial No,Incoming Rate,
 DocType: Packing Slip,Gross Weight,Waga brutto
 DocType: Leave Type,Encashment Threshold Days,Progi prolongaty
@@ -1432,31 +1440,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimalne miejsce siedzące
 DocType: Item Attribute,Item Attribute Values,Wartości atrybutu elementu
 DocType: Examination Result,Examination Result,badanie Wynik
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Potwierdzenia Zakupu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Potwierdzenia Zakupu
 ,Received Items To Be Billed,Otrzymane przedmioty czekające na zaksięgowanie
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Główna wartość Wymiany walut
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Główna wartość Wymiany walut
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Doctype referencyjny musi być jednym z {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtruj całkowitą liczbę zerową
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Nie udało się znaleźć wolnego przedziału czasu w najbliższych {0} dniach do pracy {1}
 DocType: Work Order,Plan material for sub-assemblies,Materiał plan podzespołów
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partnerzy handlowi i terytorium
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} musi być aktywny
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} musi być aktywny
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Brak przedmiotów do przeniesienia
 DocType: Employee Boarding Activity,Activity Name,Nazwa działania
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Zmień datę wydania
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Ilość gotowego produktu <b>{0}</b> i ilość <b>{1}</b> nie mogą się różnić
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Zmień datę wydania
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Ilość gotowego produktu <b>{0}</b> i ilość <b>{1}</b> nie mogą się różnić
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Zamknięcie (otwarcie + suma)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kod towaru&gt; Grupa produktów&gt; Marka
+DocType: Delivery Settings,Dispatch Notification Attachment,Powiadomienie o wysyłce
 DocType: Payroll Entry,Number Of Employees,Liczba pracowników
 DocType: Journal Entry,Depreciation Entry,Amortyzacja
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Najpierw wybierz typ dokumentu
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Najpierw wybierz typ dokumentu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuluj Fizyczne Wizyty {0} zanim anulujesz Wizytę Pośrednią
 DocType: Pricing Rule,Rate or Discount,Stawka lub zniżka
 DocType: Vital Signs,One Sided,Jednostronny
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Nr seryjny {0} nie należy do żadnej rzeczy {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Wymagana ilość
 DocType: Marketplace Settings,Custom Data,Dane niestandardowe
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Magazyny z istniejącymi transakcji nie mogą być konwertowane do księgi głównej.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Numer seryjny jest obowiązkowy dla pozycji {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Magazyny z istniejącymi transakcji nie mogą być konwertowane do księgi głównej.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Numer seryjny jest obowiązkowy dla pozycji {0}
 DocType: Bank Reconciliation,Total Amount,Wartość całkowita
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Od daty i daty są różne w danym roku obrotowym
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacjent {0} nie ma obowiązku odesłania klienta do faktury
@@ -1467,9 +1477,9 @@
 DocType: Soil Texture,Clay Composition (%),Skład gliny (%)
 DocType: Item Group,Item Group Defaults,Domyślne grupy artykułów
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Zapisz przed przypisaniem zadania.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Wartość bilansu
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Wartość bilansu
 DocType: Lab Test,Lab Technician,Technik laboratoryjny
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Lista cena sprzedaży
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Lista cena sprzedaży
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Jeśli zostanie zaznaczone, zostanie utworzony klient, który będzie mapowany na pacjenta. Dla tego klienta powstanie faktury pacjenta. Można również wybrać istniejącego klienta podczas tworzenia pacjenta."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Klient nie jest zarejestrowany w żadnym Programie Lojalnościowym
@@ -1483,13 +1493,13 @@
 DocType: Support Search Source,Search Term Param Name,Szukane słowo Nazwa Param
 DocType: Item Barcode,Item Barcode,Kod kreskowy
 DocType: Woocommerce Settings,Endpoints,Punkty końcowe
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Pozycja Warianty {0} zaktualizowane
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Pozycja Warianty {0} zaktualizowane
 DocType: Quality Inspection Reading,Reading 6,Odczyt 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Nie można {0} {1} {2} bez negatywnego wybitne faktury
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Nie można {0} {1} {2} bez negatywnego wybitne faktury
 DocType: Share Transfer,From Folio No,Z Folio nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Wyślij Fakturę Zaliczkową / Proformę
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Wiersz {0}: wejście kredytowe nie mogą być powiązane z {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definiowanie budżetu za dany rok budżetowy.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definiowanie budżetu za dany rok budżetowy.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext Konto
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"Opcja {0} jest zablokowana, więc ta transakcja nie może być kontynuowana"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Działanie, jeżeli skumulowany budżet miesięczny przekroczył MR"
@@ -1505,19 +1515,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Faktura zakupu
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Zezwalaj na wielokrotne zużycie materiałów w stosunku do zlecenia pracy
 DocType: GL Entry,Voucher Detail No,Nr Szczegółu Bonu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nowa faktura sprzedaży
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nowa faktura sprzedaży
 DocType: Stock Entry,Total Outgoing Value,Całkowita wartość wychodząca
 DocType: Healthcare Practitioner,Appointments,Terminy
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Otwarcie Data i termin powinien być w obrębie samego roku podatkowego
 DocType: Lead,Request for Information,Prośba o informację
 ,LeaderBoard,Leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Stawka z depozytem zabezpieczającym (waluta spółki)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Synchronizacja Offline Faktury
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Synchronizacja Offline Faktury
 DocType: Payment Request,Paid,Zapłacono
 DocType: Program Fee,Program Fee,Opłata Program
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Zastąp wymień płytę BOM we wszystkich pozostałych zestawieniach, w których jest używany. Zastąpi stary link BOM, aktualizuje koszt i zregeneruje tabelę &quot;BOM Explosion Item&quot; w nowym zestawieniu firm. Uaktualnia także najnowszą cenę we wszystkich materiałach."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Utworzono następujące zlecenia pracy:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Utworzono następujące zlecenia pracy:
 DocType: Salary Slip,Total in words,Ogółem słownie
 DocType: Inpatient Record,Discharged,Rozładowany
 DocType: Material Request Item,Lead Time Date,Termin realizacji
@@ -1528,16 +1538,16 @@
 DocType: Support Settings,Get Started Sections,Pierwsze kroki
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.RRRR.-
 DocType: Loan,Sanctioned,usankcjonowane
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,jest obowiązkowe. Może rekord Wymiana walut nie jest stworzony dla
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Wiersz # {0}: Proszę podać nr seryjny dla pozycji {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Łączna kwota dotacji: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Wiersz # {0}: Proszę podać nr seryjny dla pozycji {1}
 DocType: Payroll Entry,Salary Slips Submitted,Przesłane wynagrodzenie
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dla pozycji &quot;Produkt Bundle&quot;, magazyn, nr seryjny i numer partii będą rozpatrywane z &quot;packing list&quot; tabeli. Jeśli magazynowe oraz Batch Nie są takie same dla wszystkich elementów Opakowanie do pozycji każdego &quot;produkt Bundle&quot;, wartości te mogą zostać wpisane do tabeli głównej pozycji, wartości zostaną skopiowane do &quot;packing list&quot; tabeli."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dla pozycji &quot;Produkt Bundle&quot;, magazyn, nr seryjny i numer partii będą rozpatrywane z &quot;packing list&quot; tabeli. Jeśli magazynowe oraz Batch Nie są takie same dla wszystkich elementów Opakowanie do pozycji każdego &quot;produkt Bundle&quot;, wartości te mogą zostać wpisane do tabeli głównej pozycji, wartości zostaną skopiowane do &quot;packing list&quot; tabeli."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Z miejsca
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Płatność netto nie może być ujemna
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Z miejsca
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Płatność netto nie może być ujemna
 DocType: Student Admission,Publish on website,Publikuje na stronie internetowej
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Faktura dostawca Data nie może być większe niż Data publikacji
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Faktura dostawca Data nie może być większe niż Data publikacji
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Data anulowania
 DocType: Purchase Invoice Item,Purchase Order Item,Przedmiot Zamówienia Kupna
@@ -1546,7 +1556,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Obecność Student Narzędzie
 DocType: Restaurant Menu,Price List (Auto created),Cennik (utworzony automatycznie)
 DocType: Cheque Print Template,Date Settings,Data Ustawienia
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Zmienność
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Zmienność
 DocType: Employee Promotion,Employee Promotion Detail,Szczegóły promocji pracowników
 ,Company Name,Nazwa firmy
 DocType: SMS Center,Total Message(s),Razem ilość wiadomości
@@ -1576,7 +1586,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Nie wysyłaj przypomnień o urodzinach Pracowników
 DocType: Expense Claim,Total Advance Amount,Łączna kwota zaliczki
 DocType: Delivery Stop,Estimated Arrival,Szacowany przyjazd
-DocType: Delivery Stop,Notified by Email,Powiadomienie przez e-mail
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Zobacz wszystkie artykuły
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Wejście
 DocType: Item,Inspection Criteria,Kryteria kontrolne
@@ -1586,23 +1595,22 @@
 DocType: Timesheet Detail,Bill,Rachunek
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Biały
 DocType: SMS Center,All Lead (Open),Wszystkie Leady (Otwarte)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Wiersz {0}: Ilość nie jest dostępny dla {4} w magazynie {1} w delegowania chwili wejścia ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Wiersz {0}: Ilość nie jest dostępny dla {4} w magazynie {1} w delegowania chwili wejścia ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Możesz wybrać maksymalnie jedną opcję z listy pól wyboru.
 DocType: Purchase Invoice,Get Advances Paid,Uzyskaj opłacone zaliczki
 DocType: Item,Automatically Create New Batch,Automatyczne tworzenie nowych partii
 DocType: Item,Automatically Create New Batch,Automatyczne tworzenie nowych partii
 DocType: Supplier,Represents Company,Reprezentuje firmę
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Stwórz
 DocType: Student Admission,Admission Start Date,Wstęp Data rozpoczęcia
 DocType: Journal Entry,Total Amount in Words,Wartość całkowita słownie
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nowy pracownik
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Wystąpił błąd. Przypuszczalnie zostało to spowodowane niezapisaniem formularza. Proszę skontaktować się z support@erpnext.com jeżeli problem będzie nadal występował.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mój koszyk
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Rodzaj zlecenia musi być jednym z {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Rodzaj zlecenia musi być jednym z {0}
 DocType: Lead,Next Contact Date,Data Następnego Kontaktu
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Ilość Otwarcia
 DocType: Healthcare Settings,Appointment Reminder,Przypomnienie o spotkaniu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Proszę wpisać uwagę do zmiany kwoty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Proszę wpisać uwagę do zmiany kwoty
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Nazwa
 DocType: Holiday List,Holiday List Name,Lista imion na wakacje
 DocType: Repayment Schedule,Balance Loan Amount,Kwota salda kredytu
@@ -1612,13 +1620,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Opcje magazynu
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nie dodano produktów do koszyka
 DocType: Journal Entry Account,Expense Claim,Zwrot Kosztów
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Czy na pewno chcesz przywrócić złomowane atut?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Czy na pewno chcesz przywrócić złomowane atut?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Ilość dla {0}
 DocType: Leave Application,Leave Application,Wniosek o Urlop
 DocType: Patient,Patient Relation,Relacja pacjenta
 DocType: Item,Hub Category to Publish,Kategoria ośrodka do opublikowania
 DocType: Leave Block List,Leave Block List Dates,Opuść Zablokowaną Listę Dat
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Zamówienie sprzedaży {0} ma rezerwację dla pozycji {1}, możesz dostarczyć tylko zarezerwowane {1} w {0}. Numer seryjny {2} nie może zostać dostarczony"
 DocType: Sales Invoice,Billing Address GSTIN,Adres rozliczeniowy GSTIN
@@ -1636,16 +1644,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Proszę podać {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Usunięte pozycje bez zmian w ilości lub wartości.
 DocType: Delivery Note,Delivery To,Dostawa do
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Tworzenie wariantu zostało umieszczone w kolejce.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Podsumowanie pracy dla {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Tworzenie wariantu zostało umieszczone w kolejce.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Podsumowanie pracy dla {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pierwszy odznaczony urlop na liście zostanie ustawiony jako domyślny urlopowy zatwierdzający.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Stół atrybut jest obowiązkowy
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Stół atrybut jest obowiązkowy
 DocType: Production Plan,Get Sales Orders,Pobierz zamówienia sprzedaży
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} nie może być ujemna
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Połącz się z Quickbooks
 DocType: Training Event,Self-Study,Samokształcenie
 DocType: POS Closing Voucher,Period End Date,Data zakończenia okresu
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Składy gleby nie sumują się do 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Zniżka (rabat)
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Wiersz {0}: {1} jest wymagany do utworzenia faktur otwarcia {2}
 DocType: Membership,Membership,Członkostwo
 DocType: Asset,Total Number of Depreciations,Całkowita liczba amortyzacją
 DocType: Sales Invoice Item,Rate With Margin,Rate With Margin
@@ -1657,7 +1667,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Proszę podać poprawny identyfikator wiersz dla rzędu {0} w tabeli {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Nie można znaleźć zmiennej:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Proszę wybrać pole do edycji z numpadu
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Nie może być pozycją środka trwałego, ponieważ tworzona jest księga zapasowa."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Nie może być pozycją środka trwałego, ponieważ tworzona jest księga zapasowa."
 DocType: Subscription Plan,Fixed rate,Naprawiono stawkę
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Przyznać
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Przejdź do pulpitu i rozpocząć korzystanie ERPNext
@@ -1691,7 +1701,7 @@
 DocType: Tax Rule,Shipping State,Stan zakupu
 ,Projected Quantity as Source,Prognozowana ilość jako źródło
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Rzecz musi być dodane za ""elementy z zakupu wpływy"" przycisk"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Podróż dostawy
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Podróż dostawy
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Rodzaj transferu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Koszty Sprzedaży
@@ -1704,8 +1714,9 @@
 DocType: Item Default,Default Selling Cost Center,Domyśle Centrum Kosztów Sprzedaży
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Dysk
 DocType: Buying Settings,Material Transferred for Subcontract,Materiał przekazany do podwykonawstwa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Kod pocztowy
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Zamówienie sprzedaży jest {0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Przedmioty zamówienia przeterminowane
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Kod pocztowy
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Zamówienie sprzedaży jest {0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Wybierz rachunek odsetkowy w banku {0}
 DocType: Opportunity,Contact Info,Dane kontaktowe
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Dokonywanie stockowe Wpisy
@@ -1718,12 +1729,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Faktura nie może zostać wystawiona na zero godzin rozliczeniowych
 DocType: Company,Date of Commencement,Data rozpoczęcia
 DocType: Sales Person,Select company name first.,Wybierz najpierw nazwę firmy
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Wiadomość wysłana do {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Wiadomość wysłana do {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Wyceny otrzymane od dostawców
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Zastąp BOM i zaktualizuj ostatnią cenę we wszystkich materiałach
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Do {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,To jest główna grupa dostawców i nie można jej edytować.
-DocType: Delivery Trip,Driver Name,Imię kierowcy
+DocType: Delivery Note,Driver Name,Imię kierowcy
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Średni wiek
 DocType: Education Settings,Attendance Freeze Date,Data zamrożenia obecności
 DocType: Education Settings,Attendance Freeze Date,Data zamrożenia obecności
@@ -1735,7 +1746,7 @@
 DocType: Company,Parent Company,Przedsiębiorstwo macierzyste
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Pokoje hotelowe typu {0} są niedostępne w dniu {1}
 DocType: Healthcare Practitioner,Default Currency,Domyślna waluta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maksymalna zniżka dla pozycji {0} to {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maksymalna zniżka dla pozycji {0} to {1}%
 DocType: Asset Movement,From Employee,Od pracownika
 DocType: Driver,Cellphone Number,numer telefonu komórkowego
 DocType: Project,Monitor Progress,Monitorowanie postępu
@@ -1751,19 +1762,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Ilość musi być mniejsze niż lub równe {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Maksymalna kwota kwalifikująca się do komponentu {0} przekracza {1}
 DocType: Department Approver,Department Approver,Departament zatwierdzający
+DocType: QuickBooks Migrator,Application Settings,Ustawienia aplikacji
 DocType: SMS Center,Total Characters,Wszystkich Postacie
 DocType: Employee Advance,Claimed,Roszczenie
 DocType: Crop,Row Spacing,Rozstaw wierszy
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Proszę wybrać LM w dziedzinie BOM dla pozycji {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Proszę wybrać LM w dziedzinie BOM dla pozycji {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Nie ma żadnego wariantu przedmiotu dla wybranego przedmiotu
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Płatność Wyrównawcza Faktury
 DocType: Clinical Procedure,Procedure Template,Szablon procedury
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Udział %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Zgodnie z ustawieniami zakupu, jeśli wymagane jest zamówienie zakupu == &quot;YES&quot;, a następnie do utworzenia faktury zakupu użytkownik musi najpierw utworzyć zamówienie kupna dla pozycji {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Udział %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Zgodnie z ustawieniami zakupu, jeśli wymagane jest zamówienie zakupu == &quot;YES&quot;, a następnie do utworzenia faktury zakupu użytkownik musi najpierw utworzyć zamówienie kupna dla pozycji {0}"
 ,HSN-wise-summary of outward supplies,Podsumowanie HSN dostaw zewnętrznych
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Określić
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Określić
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Dystrybutor
 DocType: Asset Finance Book,Asset Finance Book,Książka o finansach aktywów
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Koszyk Wysyłka Reguła
@@ -1772,7 +1784,7 @@
 ,Ordered Items To Be Billed,Zamówione produkty do rozliczenia
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od Zakres musi być mniejsza niż do zakresu
 DocType: Global Defaults,Global Defaults,Globalne wartości domyślne
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projekt zaproszenie Współpraca
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projekt zaproszenie Współpraca
 DocType: Salary Slip,Deductions,Odliczenia
 DocType: Setup Progress Action,Action Name,Nazwa akcji
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Rok rozpoczęcia
@@ -1786,11 +1798,12 @@
 DocType: Lead,Consultant,Konsultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Spotkanie wychowawców rodziców
 DocType: Salary Slip,Earnings,Dochody
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Zakończone Pozycja {0} musi być wprowadzony do wejścia typu Produkcja
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Zakończone Pozycja {0} musi być wprowadzony do wejścia typu Produkcja
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Stan z bilansu otwarcia
 ,GST Sales Register,Rejestr sprzedaży GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Faktura Zaliczkowa
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Brak żądań
+DocType: Stock Settings,Default Return Warehouse,Domyślna zwrotna hurtownia
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Wybierz swoje domeny
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Dostawca
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Faktury z płatności
@@ -1799,15 +1812,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Pola będą kopiowane tylko w momencie tworzenia.
 DocType: Setup Progress Action,Domains,Domeny
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Zarząd
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Zarząd
 DocType: Cheque Print Template,Payer Settings,Ustawienia płatnik
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Nie znaleziono oczekujĘ ... cych żĘ ... danych żĘ ... danych w celu połĘ ... czenia dla podanych elementów.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Najpierw wybierz firmę
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To będzie dołączany do Kodeksu poz wariantu. Na przykład, jeśli skrót to ""SM"", a kod element jest ""T-SHIRT"" Kod poz wariantu będzie ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Wynagrodzenie netto (słownie) będzie widoczna po zapisaniu na Liście Płac.
 DocType: Delivery Note,Is Return,Czy Wróć
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Uwaga
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Dzień rozpoczęcia jest większy niż dzień zakończenia w zadaniu &quot;{0}&quot;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Powrót / noty obciążeniowej
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Powrót / noty obciążeniowej
 DocType: Price List Country,Price List Country,Cena Kraj
 DocType: Item,UOMs,Jednostki miary
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} prawidłowe numery seryjne dla Pozycji {1}
@@ -1820,13 +1834,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Udziel informacji.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Baza dostawców
 DocType: Contract Template,Contract Terms and Conditions,Warunki umowy
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Nie można ponownie uruchomić subskrypcji, która nie zostanie anulowana."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Nie można ponownie uruchomić subskrypcji, która nie zostanie anulowana."
 DocType: Account,Balance Sheet,Arkusz Bilansu
 DocType: Leave Type,Is Earned Leave,Jest zarobiony na urlop
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Centrum kosztów dla Przedmiotu z Kodem Przedmiotu '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Centrum kosztów dla Przedmiotu z Kodem Przedmiotu '
 DocType: Fee Validity,Valid Till,Obowiązuje do
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Spotkanie nauczycieli wszystkich rodziców
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Tryb płatność nie jest skonfigurowana. Proszę sprawdzić, czy konto zostało ustawione na tryb płatności lub na POS Profilu."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Tryb płatność nie jest skonfigurowana. Proszę sprawdzić, czy konto zostało ustawione na tryb płatności lub na POS Profilu."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama pozycja nie może być wprowadzone wiele razy.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dalsze relacje mogą być wykonane w ramach grup, ale wpisy mogą być wykonane przed spoza grup"
 DocType: Lead,Lead,Potencjalny klient
@@ -1835,11 +1849,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWh Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Wpis {0} w Magazynie został utworzony
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,"Nie masz wystarczającej liczby Punktów Lojalnościowych, aby je wykorzystać"
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Wiersz # {0}: Odrzucone Ilość nie może być wprowadzone w Purchase Powrót
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Ustaw powiązane konto w kategorii U źródła poboru podatku {0} względem firmy {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Wiersz # {0}: Odrzucone Ilość nie może być wprowadzone w Purchase Powrót
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Zmiana grupy klientów dla wybranego klienta jest niedozwolona.
 ,Purchase Order Items To Be Billed,Przedmioty oczekujące na rachunkowość Zamówienia Kupna
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Aktualizacja szacunkowych czasów przybycia.
 DocType: Program Enrollment Tool,Enrollment Details,Szczegóły rejestracji
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Nie można ustawić wielu wartości domyślnych dla danej firmy.
 DocType: Purchase Invoice Item,Net Rate,Cena netto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Proszę wybrać klienta
 DocType: Leave Policy,Leave Allocations,Pozostaw alokacje
@@ -1870,7 +1886,7 @@
 DocType: Loan Application,Repayment Info,Informacje spłata
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,Pole 'Wpisy' nie może być puste
 DocType: Maintenance Team Member,Maintenance Role,Rola konserwacji
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Wiersz zduplikowany {0} z tym samym {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Wiersz zduplikowany {0} z tym samym {1}
 DocType: Marketplace Settings,Disable Marketplace,Wyłącz Marketplace
 ,Trial Balance,Zestawienie obrotów i sald
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Rok fiskalny {0} Nie znaleziono
@@ -1881,9 +1897,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Ustawienia subskrypcji
 DocType: Purchase Invoice,Update Auto Repeat Reference,Zaktualizuj Auto Repeat Reference
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Opcjonalna lista dni świątecznych nie jest ustawiona dla okresu urlopu {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Opcjonalna lista dni świątecznych nie jest ustawiona dla okresu urlopu {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Badania
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Do adresu 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Do adresu 2
 DocType: Maintenance Visit Purpose,Work Done,Praca wykonana
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Proszę zaznaczyć co najmniej jeden atrybut w tabeli atrybutów
 DocType: Announcement,All Students,Wszyscy uczniowie
@@ -1893,16 +1909,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Uzgodnione transakcje
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Najwcześniejszy
 DocType: Crop Cycle,Linked Location,Powiązana lokalizacja
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",Istnieje element Grupy o takiej nazwie. Zmień nazwę elementu lub tamtej Grupy.
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",Istnieje element Grupy o takiej nazwie. Zmień nazwę elementu lub tamtej Grupy.
 DocType: Crop Cycle,Less than a year,Mniej niż rok
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nie Student Komórka
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Reszta świata
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Reszta świata
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Element {0} nie może mieć Batch
 DocType: Crop,Yield UOM,Wydajność UOM
 ,Budget Variance Report,Raport z weryfikacji budżetu
 DocType: Salary Slip,Gross Pay,Płaca brutto
 DocType: Item,Is Item from Hub,Jest Przedmiot z Hubu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Pobierz przedmioty z usług opieki zdrowotnej
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Pobierz przedmioty z usług opieki zdrowotnej
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Wiersz {0}: Typ aktywny jest obowiązkowe.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dywidendy wypłacone
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Księgi rachunkowe
@@ -1917,6 +1933,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Tryb Płatności
 DocType: Purchase Invoice,Supplied Items,Dostarczone przedmioty
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Ustaw aktywne menu restauracji {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Stawka prowizji%
 DocType: Work Order,Qty To Manufacture,Ilość do wyprodukowania
 DocType: Email Digest,New Income,Nowy dochodowy
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Utrzymanie stałej stawki przez cały cykl zakupu
@@ -1931,12 +1948,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Wycena Oceń wymagane dla pozycji w wierszu {0}
 DocType: Supplier Scorecard,Scorecard Actions,Działania kartoteki
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Przykład: Masters w dziedzinie informatyki
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Dostawca {0} nie został znaleziony w {1}
 DocType: Purchase Invoice,Rejected Warehouse,Odrzucony Magazyn
 DocType: GL Entry,Against Voucher,Dowód księgowy
 DocType: Item Default,Default Buying Cost Center,Domyślne Centrum Kosztów Kupowania
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Aby uzyskać najlepsze z ERPNext, zalecamy, aby poświęcić trochę czasu i oglądać te filmy pomoc."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Dla dostawcy domyślnego (opcjonalnie)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,do
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Dla dostawcy domyślnego (opcjonalnie)
 DocType: Supplier Quotation Item,Lead Time in days,Czas oczekiwania w dniach
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Zobowiązania Podsumowanie
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Brak autoryzacji do edycji zamrożonego Konta {0}
@@ -1945,7 +1962,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Ostrzegaj przed nowym żądaniem ofert
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Zamówienia pomoże Ci zaplanować i śledzić na zakupy
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Zasady badań laboratoryjnych
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Całkowita ilość Issue / Przelew {0} w dziale Zamówienie {1} \ nie może być większa od ilości wnioskowanej dla {2} {3} Przedmiot
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Mały
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Jeśli Shopify nie zawiera klienta w zamówieniu, to podczas synchronizacji zamówień system bierze pod uwagę klienta domyślnego dla zamówienia"
@@ -1957,6 +1974,7 @@
 DocType: Project,% Completed,% ukończone
 ,Invoiced Amount (Exculsive Tax),Zafakturowana kwota netto
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Pozycja 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Punkt końcowy autoryzacji
 DocType: Travel Request,International,Międzynarodowy
 DocType: Training Event,Training Event,Training Event
 DocType: Item,Auto re-order,Automatyczne ponowne zamówienie
@@ -1965,24 +1983,24 @@
 DocType: Contract,Contract,Kontrakt
 DocType: Plant Analysis,Laboratory Testing Datetime,Testowanie laboratoryjne Datetime
 DocType: Email Digest,Add Quote,Dodaj Cytat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Współczynnik konwersji jednostki miary jest wymagany dla jednostki miary: {0} w Przedmiocie: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Współczynnik konwersji jednostki miary jest wymagany dla jednostki miary: {0} w Przedmiocie: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Wydatki pośrednie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Wiersz {0}: Ilość jest obowiązkowe
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Wiersz {0}: Ilość jest obowiązkowe
 DocType: Agriculture Analysis Criteria,Agriculture,Rolnictwo
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Utwórz zamówienie sprzedaży
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Wpis rachunkowości dla aktywów
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Zablokuj fakturę
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Wpis rachunkowości dla aktywów
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Zablokuj fakturę
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Ilość do zrobienia
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,koszty naprawy
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Twoje Produkty lub Usługi
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Nie udało się zalogować
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Utworzono zasoby {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Utworzono zasoby {0}
 DocType: Special Test Items,Special Test Items,Specjalne przedmioty testowe
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Aby zarejestrować się w Marketplace, musisz być użytkownikiem z rolami System Manager i Item Manager."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Rodzaj płatności
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Zgodnie z przypisaną Ci strukturą wynagrodzeń nie możesz ubiegać się o świadczenia
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Strona Obraz powinien być plik publiczny lub adres witryny
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Strona Obraz powinien być plik publiczny lub adres witryny
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,To jest grupa przedmiotów root i nie mogą być edytowane.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Łączyć
@@ -1991,7 +2009,8 @@
 DocType: Warehouse,Warehouse Contact Info,Dane kontaktowe dla magazynu
 DocType: Payment Entry,Write Off Difference Amount,Różnica Kwota odpisuje
 DocType: Volunteer,Volunteer Name,Nazwisko wolontariusza
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Email pracownika nie został znaleziony, dlatego wiadomość nie będzie wysłana"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Znaleziono wiersze z powtarzającymi się datami w innych wierszach: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Email pracownika nie został znaleziony, dlatego wiadomość nie będzie wysłana"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Brak struktury wynagrodzenia dla pracownika {0} w danym dniu {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Reguła wysyłki nie dotyczy kraju {0}
 DocType: Item,Foreign Trade Details,Handlu Zagranicznego Szczegóły
@@ -1999,17 +2018,17 @@
 DocType: Email Digest,Annual Income,Roczny dochód
 DocType: Serial No,Serial No Details,Szczegóły numeru seryjnego
 DocType: Purchase Invoice Item,Item Tax Rate,Stawka podatku dla tej pozycji
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Od nazwy imprezy
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Od nazwy imprezy
 DocType: Student Group Student,Group Roll Number,Numer grupy
 DocType: Student Group Student,Group Roll Number,Numer grupy
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Dla {0}, tylko Kredytowane konta mogą być połączone z innym zapisem po stronie debetowej"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Dowód dostawy {0} nie został wysłany
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Dowód dostawy {0} nie został wysłany
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Wycena Zasada jest najpierw wybiera się na podstawie ""Zastosuj Na"" polu, które może być pozycja, poz Grupa lub Marka."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Proszę najpierw ustawić kod pozycji
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Łącznie przydzielony procent sprzedaży dla zespołu powinien wynosić 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Łącznie przydzielony procent sprzedaży dla zespołu powinien wynosić 100
 DocType: Subscription Plan,Billing Interval Count,Liczba interwałów rozliczeń
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Spotkania i spotkania z pacjentami
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Wartość brakująca
@@ -2023,6 +2042,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Tworzenie format wydruku
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Opłata utworzona
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Nie znaleziono żadnych pozycji o nazwie {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Elementy Filtruj
 DocType: Supplier Scorecard Criteria,Criteria Formula,Wzór Kryterium
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Razem Wychodzące
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Może być tylko jedna Zasada dostawy z wartością 0 lub pustą wartością w polu ""Wartość"""
@@ -2031,14 +2051,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",W przypadku elementu {0} liczba musi być liczbą dodatnią
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Informacja: To Centrum Kosztów jest grupą. Nie mogę wykonać operacji rachunkowych na grupach.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Dni urlopu wyrównawczego w dni wolne od ważnych dni świątecznych
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Magazyn Dziecko nie istnieje dla tego magazynu. Nie można usunąć tego magazynu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Magazyn Dziecko nie istnieje dla tego magazynu. Nie można usunąć tego magazynu.
 DocType: Item,Website Item Groups,Grupy przedmiotów strony WWW
 DocType: Purchase Invoice,Total (Company Currency),Razem (Spółka Waluta)
 DocType: Daily Work Summary Group,Reminder,Przypomnienie
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Dostępna wartość
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Dostępna wartość
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Nr seryjny {0} wprowadzony jest więcej niż jeden raz
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Zapis księgowy
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Z GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Z GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Nie zgłoszona kwota
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} pozycji w przygotowaniu
 DocType: Workstation,Workstation Name,Nazwa stacji roboczej
@@ -2046,7 +2066,7 @@
 DocType: POS Item Group,POS Item Group,POS Pozycja Grupy
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,przetwarzanie maila
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,"Element alternatywny nie może być taki sam, jak kod produktu"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} nie należy do pozycji {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} nie należy do pozycji {1}
 DocType: Sales Partner,Target Distribution,Dystrybucja docelowa
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalizacja oceny tymczasowej
 DocType: Salary Slip,Bank Account No.,Nr konta bankowego
@@ -2055,7 +2075,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Mogą być stosowane zmienne kartoteki, a także: {total_score} (całkowity wynik z tego okresu), {period_number} (liczba okresów na dzień dzisiejszy)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Zwinąć wszystkie
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Zwinąć wszystkie
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Utwórz zamówienie zakupu
 DocType: Quality Inspection Reading,Reading 8,Odczyt 8
 DocType: Inpatient Record,Discharge Note,Informacja o rozładowaniu
@@ -2072,7 +2092,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,
 DocType: Purchase Invoice,Supplier Invoice Date,Data faktury dostawcy
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ta wartość jest używana do obliczenia pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Musisz włączyć Koszyk
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Musisz włączyć Koszyk
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Prefiks serii nazw
@@ -2087,11 +2107,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Nakładające warunki pomiędzy:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Zapis {0} jest już powiązany z innym dowodem księgowym
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Łączna wartość zamówienia
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Żywność
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Żywność
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Starzenie Zakres 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Szczegóły kuponu zamykającego POS
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ustaw Serię Nazewnictwa na {0} za pomocą Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Zameldować się
 DocType: Maintenance Schedule Item,No of Visits,Numer wizyt
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Harmonogram konserwacji {0} istnieje przeciwko {1}
@@ -2131,6 +2150,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksymalne korzyści (kwota)
 DocType: Purchase Invoice,Contact Person,Osoba kontaktowa
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Przewidywana data rozpoczęcia' nie może nastąpić później niż 'Przewidywana data zakończenia'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Brak danych dla tego okresu
 DocType: Course Scheduling Tool,Course End Date,Data zakończenia kursu
 DocType: Holiday List,Holidays,Wakacje
 DocType: Sales Order Item,Planned Quantity,Planowana ilość
@@ -2142,7 +2162,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Zmiana netto stanu trwałego
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Wymagana ilość
 DocType: Leave Control Panel,Leave blank if considered for all designations,Zostaw puste jeśli jest to rozważane dla wszystkich nominacji
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od DateTime
 DocType: Shopify Settings,For Company,Dla firmy
@@ -2155,9 +2175,9 @@
 DocType: Material Request,Terms and Conditions Content,Zawartość regulaminu
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Podczas tworzenia harmonogramu kursów wystąpiły błędy
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Pierwszy zatwierdzający wydatek na liście zostanie ustawiony jako domyślny zatwierdzający koszt.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,nie może być większa niż 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,nie może być większa niż 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Aby zarejestrować się w Marketplace, musisz być użytkownikiem innym niż Administrator z rolami System Manager i Item Manager."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Element {0} nie jest w magazynie
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Element {0} nie jest w magazynie
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Nieplanowany
 DocType: Employee,Owned,Zawłaszczony
@@ -2185,7 +2205,7 @@
 DocType: HR Settings,Employee Settings,Ustawienia pracownika
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Ładowanie systemu płatności
 ,Batch-Wise Balance History,
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Wiersz nr {0}: nie można ustawić wartości Rate, jeśli kwota jest większa niż kwota rozliczona dla elementu {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Wiersz nr {0}: nie można ustawić wartości Rate, jeśli kwota jest większa niż kwota rozliczona dla elementu {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Ustawienia drukowania zaktualizowane w odpowiednim formacie druku
 DocType: Package Code,Package Code,Kod pakietu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Uczeń
@@ -2194,7 +2214,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Podatki pobierane z tabeli szczegółów mistrza poz jako ciąg znaków i przechowywane w tej dziedzinie.
  Służy do podatkach i opłatach"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Pracownik nie może odpowiadać do samego siebie.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Pracownik nie może odpowiadać do samego siebie.
 DocType: Leave Type,Max Leaves Allowed,Max Leaves Allowed
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jeśli konto jest zamrożone, zapisy mogą wykonywać tylko wyznaczone osoby."
 DocType: Email Digest,Bank Balance,Saldo bankowe
@@ -2220,6 +2240,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Wpisy transakcji bankowych
 DocType: Quality Inspection,Readings,Odczyty
 DocType: Stock Entry,Total Additional Costs,Wszystkich Dodatkowe koszty
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Liczba interakcji
 DocType: BOM,Scrap Material Cost(Company Currency),Złom koszt materiału (Spółka waluty)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Komponenty
 DocType: Asset,Asset Name,Zaleta Nazwa
@@ -2227,10 +2248,10 @@
 DocType: Shipping Rule Condition,To Value,Określ wartość
 DocType: Loyalty Program,Loyalty Program Type,Typ programu lojalnościowego
 DocType: Asset Movement,Stock Manager,Kierownik magazynu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Magazyn źródłowy jest obowiązkowy dla wiersza {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Magazyn źródłowy jest obowiązkowy dla wiersza {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Termin płatności w wierszu {0} jest prawdopodobnie duplikatem.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Rolnictwo (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,List przewozowy
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,List przewozowy
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Wydatki na wynajem
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Konfiguracja ustawień bramki SMS
 DocType: Disease,Common Name,Nazwa zwyczajowa
@@ -2262,20 +2283,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Wynagrodzenie Slip pracownikowi
 DocType: Cost Center,Parent Cost Center,Nadrzędny dział kalkulacji kosztów
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Wybierz Możliwa Dostawca
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Wybierz Możliwa Dostawca
 DocType: Sales Invoice,Source,Źródło
 DocType: Customer,"Select, to make the customer searchable with these fields","Wybierz, aby klient mógł wyszukać za pomocą tych pól"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importuj notatki dostawy z Shopify w przesyłce
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Pokaż closed
 DocType: Leave Type,Is Leave Without Pay,Czy urlopu bezpłatnego
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.RRRR.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Kategoria atutem jest obowiązkowe dla Fixed pozycja aktywów
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Kategoria atutem jest obowiązkowe dla Fixed pozycja aktywów
 DocType: Fee Validity,Fee Validity,Ważność opłaty
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nie znaleziono rekordów w tabeli płatności
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ten {0} konflikty z {1} do {2} {3}
 DocType: Student Attendance Tool,Students HTML,studenci HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Usuń pracownika <a href=""#Form/Employee/{0}"">{0}</a> \, aby anulować ten dokument"
 DocType: POS Profile,Apply Discount,Zastosuj zniżkę
 DocType: GST HSN Code,GST HSN Code,Kod GST HSN
 DocType: Employee External Work History,Total Experience,Całkowita kwota wydatków
@@ -2298,7 +2316,7 @@
 DocType: Maintenance Schedule,Schedules,Harmonogramy
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profil POS jest wymagany do korzystania z Point-of-Sale
 DocType: Cashier Closing,Net Amount,Kwota netto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nie został złożony, więc działanie nie może zostać zakończone"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nie został złożony, więc działanie nie może zostać zakończone"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Numer
 DocType: Landed Cost Voucher,Additional Charges,Dodatkowe koszty
 DocType: Support Search Source,Result Route Field,Wynik Pole trasy
@@ -2327,11 +2345,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Otwieranie faktur
 DocType: Contract,Contract Details,Szczegóły umowy
 DocType: Employee,Leave Details,Pozostaw szczegóły
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Proszę ustawić pole ID użytkownika w rekordzie pracownika do roli pracownika zestawu
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Proszę ustawić pole ID użytkownika w rekordzie pracownika do roli pracownika zestawu
 DocType: UOM,UOM Name,Nazwa Jednostki Miary
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Aby Adres 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Aby Adres 1
 DocType: GST HSN Code,HSN Code,Kod HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Kwota udziału
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Kwota udziału
 DocType: Inpatient Record,Patient Encounter,Spotkanie z pacjentem
 DocType: Purchase Invoice,Shipping Address,Adres dostawy
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,To narzędzie pomaga uaktualnić lub ustalić ilość i wycenę akcji w systemie. To jest zwykle używany do synchronizacji wartości systemowych i co rzeczywiście istnieje w magazynach.
@@ -2348,9 +2366,9 @@
 DocType: Travel Itinerary,Mode of Travel,Tryb podróży
 DocType: Sales Invoice Item,Brand Name,Nazwa marki
 DocType: Purchase Receipt,Transporter Details,Szczegóły transportu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Domyślny magazyn jest wymagana dla wybranego elementu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Domyślny magazyn jest wymagana dla wybranego elementu
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Pudło
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Dostawca możliwe
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Dostawca możliwe
 DocType: Budget,Monthly Distribution,Miesięczny Dystrybucja
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lista odbiorców jest pusta. Proszę stworzyć Listę Odbiorców
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Opieka zdrowotna (beta)
@@ -2372,6 +2390,7 @@
 ,Lead Name,Nazwa Tropu
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Poszukiwania
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Saldo otwierające zapasy
 DocType: Asset Category Account,Capital Work In Progress Account,Kapitałowe konto w toku
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Korekta wartości aktywów
@@ -2380,7 +2399,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Urlop przedzielony z powodzeniem dla {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Brak Przedmiotów do pakowania
 DocType: Shipping Rule Condition,From Value,Od wartości
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Ilość wyprodukowanych jest obowiązkowa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Ilość wyprodukowanych jest obowiązkowa
 DocType: Loan,Repayment Method,Sposób spłaty
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jeśli zaznaczone, strona główna będzie Grupa domyślna pozycja na stronie"
 DocType: Quality Inspection Reading,Reading 4,Odczyt 4
@@ -2405,7 +2424,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Referencje pracownika
 DocType: Student Group,Set 0 for no limit,Ustaw 0 oznacza brak limitu
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Dzień (s), w którym starasz się o urlop jest święta. Nie musisz ubiegać się o urlop."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Wiersz {idx}: {pole} jest wymagany do utworzenia faktur otwarcia {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Główny adres i dane kontaktowe
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Wyślij ponownie płatności E-mail
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nowe zadanie
@@ -2415,8 +2433,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Wybierz co najmniej jedną domenę.
 DocType: Dependent Task,Dependent Task,Zadanie zależne
 DocType: Shopify Settings,Shopify Tax Account,Shopify Tax Account
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Współczynnikiem konwersji dla domyślnej Jednostki Pomiaru musi być 1 w rzędzie {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Urlop typu {0} nie może być dłuższy niż {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Współczynnikiem konwersji dla domyślnej Jednostki Pomiaru musi być 1 w rzędzie {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Urlop typu {0} nie może być dłuższy niż {1}
 DocType: Delivery Trip,Optimize Route,Zoptymalizuj trasę
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Spróbuj planowania operacji dla X dni wcześniej.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2425,14 +2443,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Proszę ustawić domyślny Payroll konto płatne w Spółce {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Uzyskaj rozpad finansowy danych podatkowych i obciążeń przez Amazon
 DocType: SMS Center,Receiver List,Lista odbiorców
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Szukaj przedmiotu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Szukaj przedmiotu
 DocType: Payment Schedule,Payment Amount,Kwota płatności
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Data pół dnia powinna znajdować się pomiędzy datą pracy a datą zakończenia pracy
 DocType: Healthcare Settings,Healthcare Service Items,Przedmioty opieki zdrowotnej
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Skonsumowana wartość
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Zmiana netto stanu środków pieniężnych
 DocType: Assessment Plan,Grading Scale,Skala ocen
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jednostka miary {0} została wprowadzona więcej niż raz w Tabelce Współczynnika Konwersji
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jednostka miary {0} została wprowadzona więcej niż raz w Tabelce Współczynnika Konwersji
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Zakończone
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Na stanie magazynu
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2455,25 +2473,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Nr seryjny {0} dla ilości {1} nie może być ułamkiem
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Wprowadź adres URL serwera Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Numer katalogowy dostawcy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Wartością konwersji nie może być 0 ani 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Wartością konwersji nie może być 0 ani 1
 DocType: Share Balance,To No,Do Nie
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Wszystkie obowiązkowe zadanie tworzenia pracowników nie zostało jeszcze wykonane.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} jest anulowane lub wstrzymane
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} jest anulowane lub wstrzymane
 DocType: Accounts Settings,Credit Controller,
 DocType: Loan,Applicant Type,Typ Wnioskodawcy
 DocType: Purchase Invoice,03-Deficiency in services,03-Niedobór usług
 DocType: Healthcare Settings,Default Medical Code Standard,Domyślny standard kodu medycznego
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Potwierdzenie Zakupu {0} nie zostało wysłane
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Potwierdzenie Zakupu {0} nie zostało wysłane
 DocType: Company,Default Payable Account,Domyślne konto Rozrachunki z dostawcami
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ustawienia dla internetowego koszyka, takie jak zasady żeglugi, cennika itp"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-RAYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% rozliczono
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Zarezerwowana ilość
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Zarezerwowana ilość
 DocType: Party Account,Party Account,Konto Grupy
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Wybierz firmę i oznaczenie
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Kadry
-DocType: Lead,Upper Income,Wzrost Wpływów
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Wzrost Wpływów
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Odrzucać
 DocType: Journal Entry Account,Debit in Company Currency,Debet w firmie Waluta
 DocType: BOM Item,BOM Item,
@@ -2490,7 +2508,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Oferty pracy dla oznaczenia {0} już otwarte \ lub zatrudnianie zakończone zgodnie z Planem zatrudnienia {1}
 DocType: Vital Signs,Constipated,Mający zaparcie
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Przeciwko Dostawcę faktury {0} {1} dnia
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Przeciwko Dostawcę faktury {0} {1} dnia
 DocType: Customer,Default Price List,Domyślna List Cen
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Rekord Ruch atutem {0} tworzone
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nie znaleziono żadnych przedmiotów.
@@ -2506,16 +2524,17 @@
 DocType: Journal Entry,Entry Type,Rodzaj wpisu
 ,Customer Credit Balance,Saldo kredytowe klienta
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Zmiana netto stanu zobowiązań
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Limit kredytowy został przekroczony dla klienta {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ustaw Serię Nazewnictwa na {0} za pomocą Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Limit kredytowy został przekroczony dla klienta {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Aktualizacja terminów płatności banowych
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,cennik
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,cennik
 DocType: Quotation,Term Details,Szczegóły warunków
 DocType: Employee Incentive,Employee Incentive,Zachęta dla pracowników
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nie można zapisać więcej niż {0} studentów dla tej grupy studentów.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Razem (bez podatku)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Liczba potencjalnych klientów
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Dostępność towaru
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Dostępność towaru
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planowanie zdolności Do (dni)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Dostarczanie
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Żaden z elementów ma żadnych zmian w ilości lub wartości.
@@ -2540,7 +2559,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Leave a frekwencja
 DocType: Asset,Comprehensive Insurance,Kompleksowe ubezpieczenie
 DocType: Maintenance Visit,Partially Completed,Częściowo Ukończony
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Punkt lojalnościowy: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Punkt lojalnościowy: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Dodaj namiary
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Średnia czułość
 DocType: Leave Type,Include holidays within leaves as leaves,Dołączaj święta w ciągu urlopu
 DocType: Loyalty Program,Redemption,Odkupienie
@@ -2574,7 +2594,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Wydatki marketingowe
 ,Item Shortage Report,Element Zgłoś Niedobór
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Nie można utworzyć standardowych kryteriów. Zmień nazwę kryteriów
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Waga jest określona, \n Ustaw także ""Wagę jednostkową"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Waga jest określona, \n Ustaw także ""Wagę jednostkową"""
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,
 DocType: Hub User,Hub Password,Hasło koncentratora
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Oddzielna grupa kursów dla każdej partii
@@ -2589,15 +2609,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Czas trwania spotkania (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Tworzenie Zapisów Księgowych dla każdej zmiany stanu Magazynu
 DocType: Leave Allocation,Total Leaves Allocated,Całkowita ilość przyznanych dni zwolnienia od pracy
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Proszę wpisać poprawny rok obrotowy od daty rozpoczęcia i zakończenia
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Proszę wpisać poprawny rok obrotowy od daty rozpoczęcia i zakończenia
 DocType: Employee,Date Of Retirement,Data przejścia na emeryturę
 DocType: Upload Attendance,Get Template,Pobierz szablon
+,Sales Person Commission Summary,Osoba odpowiedzialna za sprzedaż
 DocType: Additional Salary Component,Additional Salary Component,Dodatkowy składnik wynagrodzenia
 DocType: Material Request,Transferred,Przeniesiony
 DocType: Vehicle,Doors,drzwi
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Konfiguracja ERPNext zakończona!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Konfiguracja ERPNext zakończona!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Zbierz opłatę za rejestrację pacjenta
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nie można zmienić atrybutów po transakcji giełdowej. Zrób nowy przedmiot i prześlij towar do nowego przedmiotu
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nie można zmienić atrybutów po transakcji giełdowej. Zrób nowy przedmiot i prześlij towar do nowego przedmiotu
 DocType: Course Assessment Criteria,Weightage,Waga/wiek
 DocType: Purchase Invoice,Tax Breakup,Podział podatków
 DocType: Employee,Joining Details,Łączenie szczegółów
@@ -2625,14 +2646,15 @@
 DocType: Lead,Next Contact By,Następny Kontakt Po
 DocType: Compensatory Leave Request,Compensatory Leave Request,Wniosek o urlop wyrównawczy
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Ilość wymagana dla Przedmiotu {0} w rzędzie {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazyn {0} nie może zostać usunięty ponieważ istnieje wartość dla przedmiotu {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazyn {0} nie może zostać usunięty ponieważ istnieje wartość dla przedmiotu {1}
 DocType: Blanket Order,Order Type,Typ zamówienia
 ,Item-wise Sales Register,
 DocType: Asset,Gross Purchase Amount,Zakup Kwota brutto
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Saldo otwarcia
 DocType: Asset,Depreciation Method,Metoda amortyzacji
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Czy podatek wliczony jest w opłaty?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Łączna docelowa
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Łączna docelowa
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analiza percepcji
 DocType: Soil Texture,Sand Composition (%),Skład piasku (%)
 DocType: Job Applicant,Applicant for a Job,Aplikant do Pracy
 DocType: Production Plan Material Request,Production Plan Material Request,Produkcja Plan Materiał Zapytanie
@@ -2648,23 +2670,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Ocena (na 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Komórka Nie
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Główny
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Poniższy element {0} nie jest oznaczony jako element {1}. Możesz je włączyć jako element {1} z jego wzorca pozycji
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Wariant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",W przypadku elementu {0} ilość musi być liczbą ujemną
 DocType: Naming Series,Set prefix for numbering series on your transactions,Ustaw prefiks dla numeracji serii na swoich transakcji
 DocType: Employee Attendance Tool,Employees HTML,Pracownicy HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Domyślnie Wykaz Materiałów ({0}) musi być aktywny dla tej pozycji lub jej szablonu
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Domyślnie Wykaz Materiałów ({0}) musi być aktywny dla tej pozycji lub jej szablonu
 DocType: Employee,Leave Encashed?,"Jesteś pewien, że chcesz wyjść z Wykupinych?"
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Szansa Od pola jest obowiązkowe
 DocType: Email Digest,Annual Expenses,roczne koszty
 DocType: Item,Variants,Warianty
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Wprowadź Zamówienie
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Wprowadź Zamówienie
 DocType: SMS Center,Send To,Wyślij do
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},
 DocType: Payment Reconciliation Payment,Allocated amount,Przyznana kwota
 DocType: Sales Team,Contribution to Net Total,
 DocType: Sales Invoice Item,Customer's Item Code,Kod Przedmiotu Klienta
 DocType: Stock Reconciliation,Stock Reconciliation,Uzgodnienia stanu
 DocType: Territory,Territory Name,Nazwa Regionu
+DocType: Email Digest,Purchase Orders to Receive,Zamówienia zakupu do odbioru
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Magazyn z produkcją w toku jest wymagany przed wysłaniem
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Możesz mieć tylko Plany z tym samym cyklem rozliczeniowym w Subskrypcji
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Zmapowane dane
@@ -2683,9 +2707,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Zduplikowany Nr Seryjny wprowadzony dla przedmiotu {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Śledzenie potencjalnych klientów przez źródło potencjalnych klientów.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Warunki wysyłki
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Podaj
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Podaj
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Dziennik konserwacji
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Proszę ustawić filtr na podstawie pkt lub magazynie
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Proszę ustawić filtr na podstawie pkt lub magazynie
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Masa netto tego pakietu. (Obliczone automatycznie jako suma masy netto poszczególnych pozycji)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Wprowadź wpis do dziennika firmy Inter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Kwota rabatu nie może być większa niż 100%
@@ -2694,15 +2718,15 @@
 DocType: Sales Order,To Deliver and Bill,Do dostarczenia i Bill
 DocType: Student Group,Instructors,instruktorzy
 DocType: GL Entry,Credit Amount in Account Currency,Kwota kredytu w walucie rachunku
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} musi być złożony
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Zarządzanie udziałami
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} musi być złożony
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Zarządzanie udziałami
 DocType: Authorization Control,Authorization Control,Kontrola Autoryzacji
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Wiersz # {0}: Odrzucone Magazyn jest obowiązkowe przed odrzucony poz {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Płatność
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Wiersz # {0}: Odrzucone Magazyn jest obowiązkowe przed odrzucony poz {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Płatność
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Magazyn {0} nie jest powiązany z jakimikolwiek kontem, wspomnij o tym w raporcie magazynu lub ustaw domyślnego konta zapasowego w firmie {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Zarządzanie zamówień
 DocType: Work Order Operation,Actual Time and Cost,Rzeczywisty Czas i Koszt
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Zamówienie produktu o maksymalnej ilości {0} może być zrealizowane dla przedmiotu {1} w zamówieniu {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Zamówienie produktu o maksymalnej ilości {0} może być zrealizowane dla przedmiotu {1} w zamówieniu {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Odstępy między plamami
 DocType: Course,Course Abbreviation,Skrót golfowe
@@ -2714,6 +2738,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Całkowita liczba godzin pracy nie powinna być większa niż max godzinach pracy {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,włączony
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Pakiet przedmiotów w momencie sprzedaży
+DocType: Delivery Settings,Dispatch Settings,Ustawienia wysyłki
 DocType: Material Request Plan Item,Actual Qty,Rzeczywista Ilość
 DocType: Sales Invoice Item,References,Referencje
 DocType: Quality Inspection Reading,Reading 10,Odczyt 10
@@ -2723,11 +2748,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Wprowadziłeś duplikat istniejących rzeczy. Sprawdź i spróbuj ponownie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Współpracownik
 DocType: Asset Movement,Asset Movement,Zaleta Ruch
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Zamówienie pracy {0} musi zostać przesłane
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Nowy Koszyk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Zamówienie pracy {0} musi zostać przesłane
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Nowy Koszyk
 DocType: Taxable Salary Slab,From Amount,Od kwoty
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,
 DocType: Leave Type,Encashment,Napad
+DocType: Delivery Settings,Delivery Settings,Ustawienia dostawy
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Pobierz dane
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maksymalny dozwolony urlop w typie urlopu {0} to {1}
 DocType: SMS Center,Create Receiver List,Stwórz listę odbiorców
 DocType: Vehicle,Wheels,Koła
@@ -2743,7 +2770,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Waluta rozliczeniowa musi być równa domyślnej walucie firmy lub walucie konta strony
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Wskazuje, że pakiet jest częścią tej dostawy (Tylko projektu)"
 DocType: Soil Texture,Loam,Ił
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Wiersz {0}: termin płatności nie może być wcześniejszy niż data księgowania
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Wiersz {0}: termin płatności nie może być wcześniejszy niż data księgowania
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Wprowadź wpływ płatności
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Ilość dla Przedmiotu {0} musi być mniejsza niż {1}
 ,Sales Invoice Trends,
@@ -2751,12 +2778,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Może odnosić się do wierdza tylko wtedy, gdy typ opłata jest ""Poprzedniej Wartości Wiersza Suma"" lub ""poprzedniego wiersza Razem"""
 DocType: Sales Order Item,Delivery Warehouse,Magazyn Dostawa
 DocType: Leave Type,Earned Leave Frequency,Zysk Opuść częstotliwość
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Drzewo MPK finansowych.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Podtyp
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Drzewo MPK finansowych.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Podtyp
 DocType: Serial No,Delivery Document No,Nr dokumentu dostawy
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zapewnij dostawę na podstawie wyprodukowanego numeru seryjnego
 DocType: Vital Signs,Furry,Futrzany
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Proszę ustaw &#39;wpływ konto / strata na aktywach Spółki w unieszkodliwianie &quot;{0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Proszę ustaw &#39;wpływ konto / strata na aktywach Spółki w unieszkodliwianie &quot;{0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Uzyskaj pozycje z potwierdzeń zakupu.
 DocType: Serial No,Creation Date,Data utworzenia
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Lokalizacja docelowa jest wymagana dla zasobu {0}
@@ -2770,11 +2797,12 @@
 DocType: Item,Has Variants,Ma Warianty
 DocType: Employee Benefit Claim,Claim Benefit For,Zasiłek roszczenia dla
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Zaktualizuj odpowiedź
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Już wybrane pozycje z {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Już wybrane pozycje z {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nazwa dystrybucji miesięcznej
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Identyfikator zbiorczy jest obowiązkowy
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Identyfikator zbiorczy jest obowiązkowy
 DocType: Sales Person,Parent Sales Person,Nadrzędny Przedstawiciel Handlowy
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Żadne przedmioty do odbioru nie są spóźnione
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Sprzedawca i kupujący nie mogą być tacy sami
 DocType: Project,Collect Progress,Zbierz postęp
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2790,7 +2818,7 @@
 DocType: Bank Guarantee,Margin Money,Marża pieniężna
 DocType: Budget,Budget,Budżet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Ustaw Otwórz
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Trwałego Rzecz musi być element non-stock.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Trwałego Rzecz musi być element non-stock.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budżet nie może być przypisany przed {0}, ponieważ nie jest to konto przychodów lub kosztów"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maksymalna kwota zwolnienia dla {0} to {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Osiągnięte
@@ -2808,9 +2836,9 @@
 ,Amount to Deliver,Kwota do Deliver
 DocType: Asset,Insurance Start Date,Data rozpoczęcia ubezpieczenia
 DocType: Salary Component,Flexible Benefits,Elastyczne korzyści
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Ten sam element został wprowadzony wielokrotnie. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Ten sam element został wprowadzony wielokrotnie. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termin Data rozpoczęcia nie może być krótszy niż rok od daty rozpoczęcia roku akademickiego, w jakim termin ten jest powiązany (Academic Year {}). Popraw daty i spróbuj ponownie."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Wystąpiły błędy
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Wystąpiły błędy
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Pracownik {0} złożył już wniosek o przyznanie {1} między {2} a {3}:
 DocType: Guardian,Guardian Interests,opiekun Zainteresowania
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Zaktualizuj nazwę / numer konta
@@ -2850,9 +2878,9 @@
 ,Item-wise Purchase History,
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Proszę kliknąć na ""Generowanie Harmonogramu"", aby sprowadzić nr seryjny dodany do pozycji {0}"
 DocType: Account,Frozen,Zamrożony
-DocType: Delivery Note,Vehicle Type,Typ pojazdu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Typ pojazdu
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Kwota bazowa (Waluta firmy)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Surowy materiał
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Surowy materiał
 DocType: Payment Reconciliation Payment,Reference Row,Odniesienie Row
 DocType: Installation Note,Installation Time,Czas instalacji
 DocType: Sales Invoice,Accounting Details,Dane księgowe
@@ -2861,12 +2889,13 @@
 DocType: Inpatient Record,O Positive,O pozytywne
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Inwestycje
 DocType: Issue,Resolution Details,Szczegóły Rozstrzygnięcia
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,typ transakcji
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,typ transakcji
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kryteria akceptacji
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Prośbę materiału w powyższej tabeli
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Wpisy do dziennika nie są dostępne
 DocType: Hub Tracked Item,Image List,Lista obrazów
 DocType: Item Attribute,Attribute Name,Nazwa atrybutu
+DocType: Subscription,Generate Invoice At Beginning Of Period,Wygeneruj fakturę na początku okresu
 DocType: BOM,Show In Website,Pokaż na stronie internetowej
 DocType: Loan Application,Total Payable Amount,Całkowita należna kwota
 DocType: Task,Expected Time (in hours),Oczekiwany czas (w godzinach)
@@ -2904,8 +2933,8 @@
 DocType: Employee,Resignation Letter Date,Data wypowiedzenia
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Zasady ustalania cen są dalej filtrowane na podstawie ilości.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Brak Ustawień
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Proszę ustawić datę dołączenia do pracownika {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Proszę ustawić datę dołączenia do pracownika {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Proszę ustawić datę dołączenia do pracownika {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Proszę ustawić datę dołączenia do pracownika {0}
 DocType: Inpatient Record,Discharge,Rozładować się
 DocType: Task,Total Billing Amount (via Time Sheet),Całkowita kwota płatności (poprzez Czas Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Powtórz Przychody klienta
@@ -2915,13 +2944,13 @@
 DocType: Chapter,Chapter,Rozdział
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Para
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Domyślne konto zostanie automatycznie zaktualizowane na fakturze POS po wybraniu tego trybu.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Wybierz BOM i ilosc Produkcji
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Wybierz BOM i ilosc Produkcji
 DocType: Asset,Depreciation Schedule,amortyzacja Harmonogram
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy partnerów handlowych i kontakty
 DocType: Bank Reconciliation Detail,Against Account,Konto korespondujące
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Pół Dzień Data powinna być pomiędzy Od Data i do tej pory
 DocType: Maintenance Schedule Detail,Actual Date,Rzeczywista Data
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Ustaw domyślne miejsce powstawania kosztów w firmie {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Ustaw domyślne miejsce powstawania kosztów w firmie {0}.
 DocType: Item,Has Batch No,Posada numer partii (batch)
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Roczne rozliczeniowy: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Szczegółowe informacje o Shophook
@@ -2933,7 +2962,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.RRRR.-
 DocType: Shift Assignment,Shift Type,Typ zmiany
 DocType: Student,Personal Details,Dane Osobowe
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Proszę ustawić &quot;aktywa Amortyzacja Cost Center&quot; w towarzystwie {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Proszę ustawić &quot;aktywa Amortyzacja Cost Center&quot; w towarzystwie {0}
 ,Maintenance Schedules,Plany Konserwacji
 DocType: Task,Actual End Date (via Time Sheet),Faktyczna data zakończenia (przez czas arkuszu)
 DocType: Soil Texture,Soil Type,Typ gleby
@@ -2941,10 +2970,10 @@
 ,Quotation Trends,Trendy Wyceny
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Pozycja Grupa nie wymienione w pozycji do pozycji mistrza {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Upoważnienie GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debetowane Konto musi być kontem typu Należności
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debetowane Konto musi być kontem typu Należności
 DocType: Shipping Rule,Shipping Amount,Ilość dostawy
 DocType: Supplier Scorecard Period,Period Score,Wynik okresu
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Dodaj klientów
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Dodaj klientów
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kwota Oczekiwana
 DocType: Lab Test Template,Special,Specjalny
 DocType: Loyalty Program,Conversion Factor,Współczynnik konwersji
@@ -2961,7 +2990,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Dodaj papier firmowy
 DocType: Program Enrollment,Self-Driving Vehicle,Samochód osobowy
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Dostawca Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Wiersz {0}: Bill of Materials nie znaleziono Item {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Wiersz {0}: Bill of Materials nie znaleziono Item {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Liczba przyznanych zwolnień od pracy {0} nie może być mniejsza niż już zatwierdzonych zwolnień{1} w okresie
 DocType: Contract Fulfilment Checklist,Requirement,Wymaganie
 DocType: Journal Entry,Accounts Receivable,Należności
@@ -2977,16 +3006,16 @@
 DocType: Projects Settings,Timesheets,ewidencja czasu pracy
 DocType: HR Settings,HR Settings,Ustawienia HR
 DocType: Salary Slip,net pay info,Informacje o wynagrodzeniu netto
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Kwota CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Kwota CESS
 DocType: Woocommerce Settings,Enable Sync,Włącz synchronizację
 DocType: Tax Withholding Rate,Single Transaction Threshold,Próg pojedynczej transakcji
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ta wartość jest aktualizowana w Domyślnym Cenniku Sprzedaży.
 DocType: Email Digest,New Expenses,Nowe wydatki
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Kwota PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Kwota PDC / LC
 DocType: Shareholder,Shareholder,Akcjonariusz
 DocType: Purchase Invoice,Additional Discount Amount,Kwota dodatkowego rabatu
 DocType: Cash Flow Mapper,Position,Pozycja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Zdobądź przedmioty z recept
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Zdobądź przedmioty z recept
 DocType: Patient,Patient Details,Szczegóły pacjenta
 DocType: Inpatient Record,B Positive,B dodatni
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2998,8 +3027,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupa do Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sporty
 DocType: Loan Type,Loan Name,pożyczka Nazwa
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Razem Rzeczywisty
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Razem Rzeczywisty
 DocType: Student Siblings,Student Siblings,Rodzeństwo studenckie
 DocType: Subscription Plan Detail,Subscription Plan Detail,Szczegóły abonamentu
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,szt.
@@ -3026,7 +3054,6 @@
 DocType: Workstation,Wages per hour,Zarobki na godzinę
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Saldo Zdjęcie w serii {0} będzie negatywna {1} dla pozycji {2} w hurtowni {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Niniejszy materiał Wnioski zostały podniesione automatycznie na podstawie poziomu ponownego zamówienia elementu
-DocType: Email Digest,Pending Sales Orders,W oczekiwaniu zleceń sprzedaży
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Konto {0} jest nieprawidłowe. Walutą konta musi być {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Od daty {0} nie może być po zwolnieniu pracownika Data {1}
 DocType: Supplier,Is Internal Supplier,Jest dostawcą wewnętrznym
@@ -3035,13 +3062,14 @@
 DocType: Healthcare Settings,Remind Before,Przypomnij wcześniej
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Współczynnik konwersji jednostki miary jest wymagany w rzędzie {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym zlecenia sprzedaży, sprzedaży lub faktury Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym zlecenia sprzedaży, sprzedaży lub faktury Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 punkty lojalnościowe = ile waluty bazowej?
 DocType: Salary Component,Deduction,Odliczenie
 DocType: Item,Retain Sample,Zachowaj próbkę
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Wiersz {0}: od czasu do czasu i jest obowiązkowe.
 DocType: Stock Reconciliation Item,Amount Difference,kwota różnicy
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Pozycja Cena dodany do {0} w Cenniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Pozycja Cena dodany do {0} w Cenniku {1}
+DocType: Delivery Stop,Order Information,Szczegóły zamówienia
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Proszę podać ID pracownika tej osoby ze sprzedaży
 DocType: Territory,Classification of Customers by region,Klasyfikacja Klientów od regionu
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,W produkcji
@@ -3052,8 +3080,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Obliczony bilans wyciągu bankowego
 DocType: Normal Test Template,Normal Test Template,Normalny szablon testu
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Wyłączony użytkownik
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Wycena
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Nie można ustawić odebranego RFQ na Żadne Cytat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Wycena
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Nie można ustawić odebranego RFQ na Żadne Cytat
 DocType: Salary Slip,Total Deduction,Całkowita kwota odliczenia
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Wybierz konto do wydrukowania w walucie konta
 ,Production Analytics,Analizy produkcyjne
@@ -3066,14 +3094,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Dostawca Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Nazwa planu oceny
 DocType: Work Order Operation,Work Order Operation,Działanie zlecenia pracy
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Ostrzeżenie: Nieprawidłowy certyfikat SSL w załączniku {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Ostrzeżenie: Nieprawidłowy certyfikat SSL w załączniku {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Przewody pomóc biznesu, dodać wszystkie kontakty i więcej jak swoich klientów"
 DocType: Work Order Operation,Actual Operation Time,Rzeczywisty Czas pracy
 DocType: Authorization Rule,Applicable To (User),Stosowne dla (Użytkownik)
 DocType: Purchase Taxes and Charges,Deduct,Odlicz
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Opis stanowiska Pracy
 DocType: Student Applicant,Applied,Stosowany
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Otwórz ponownie
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Otwórz ponownie
 DocType: Sales Invoice Item,Qty as per Stock UOM,Ilość wg. Jednostki Miary
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nazwa Guardian2
 DocType: Attendance,Attendance Request,Żądanie obecności
@@ -3091,7 +3119,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Nr seryjny {0} w ramach gwarancji do {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dopuszczalna wartość
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Użytkownik {0} już istnieje
-apps/erpnext/erpnext/hooks.py +114,Shipments,Przesyłki
+apps/erpnext/erpnext/hooks.py +115,Shipments,Przesyłki
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Łączna kwota przyznanego wsparcia (Spółka waluty)
 DocType: Purchase Order Item,To be delivered to customer,Być dostarczone do klienta
 DocType: BOM,Scrap Material Cost,Złom Materiał Koszt
@@ -3099,11 +3127,12 @@
 DocType: Grant Application,Email Notification Sent,Wysłane powiadomienie e-mail
 DocType: Purchase Invoice,In Words (Company Currency),Słownie
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Firma jest manadatory dla konta firmowego
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Kod przedmiotu, magazyn, ilość są wymagane w wierszu"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Kod przedmiotu, magazyn, ilość są wymagane w wierszu"
 DocType: Bank Guarantee,Supplier,Dostawca
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Pobierz Z
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,To jest dział główny i nie można go edytować.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Pokaż szczegóły płatności
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Czas trwania w dniach
 DocType: C-Form,Quarter,Kwartał
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Pozostałe drobne wydatki
 DocType: Global Defaults,Default Company,Domyślna Firma
@@ -3111,7 +3140,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Wydatek albo różnica w koncie jest obowiązkowa dla przedmiotu {0} jako że ma wpływ na końcową wartość zapasów
 DocType: Bank,Bank Name,Nazwa banku
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Powyżej
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Pozostaw to pole puste, aby składać zamówienia dla wszystkich dostawców"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Pozostaw to pole puste, aby składać zamówienia dla wszystkich dostawców"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Opłata za wizyta stacjonarna
 DocType: Vital Signs,Fluid,Płyn
 DocType: Leave Application,Total Leave Days,Całkowita ilość dni zwolnienia od pracy
@@ -3121,7 +3150,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Ustawienia wariantu pozycji
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Wybierz firmą ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Zostaw puste jeśli jest to rozważane dla wszystkich departamentów
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} jest obowiązkowe dla elementu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} jest obowiązkowe dla elementu {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Przedmiot {0}: {1} wyprodukowano,"
 DocType: Payroll Entry,Fortnightly,Dwutygodniowy
 DocType: Currency Exchange,From Currency,Od Waluty
@@ -3171,7 +3200,7 @@
 DocType: Account,Fixed Asset,Trwała własność
 DocType: Amazon MWS Settings,After Date,Po dacie
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inwentaryzacja w odcinkach
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Nieprawidłowy {0} dla faktury Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Nieprawidłowy {0} dla faktury Inter Company.
 ,Department Analytics,Analityka działu
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Nie znaleziono wiadomości e-mail w domyślnym kontakcie
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generuj sekret
@@ -3190,6 +3219,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Z zapłatą podatku
 DocType: Expense Claim Detail,Expense Claim Detail,Szczegóły o zwrotach kosztów
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Proszę ustawić Instruktorski System Nazw w Edukacji&gt; Ustawienia edukacyjne
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAT DLA DOSTAWCY
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nowe saldo w walucie podstawowej
 DocType: Location,Is Container,To kontener
@@ -3197,13 +3227,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Proszę wybrać prawidłową konto
 DocType: Salary Structure Assignment,Salary Structure Assignment,Przydział struktury wynagrodzeń
 DocType: Purchase Invoice Item,Weight UOM,Waga jednostkowa
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Lista dostępnych akcjonariuszy z numerami folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Lista dostępnych akcjonariuszy z numerami folio
 DocType: Salary Structure Employee,Salary Structure Employee,Struktura Wynagrodzenie pracownicze
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Pokaż atrybuty wariantu
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Pokaż atrybuty wariantu
 DocType: Student,Blood Group,Grupa Krwi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Rachunek bramy płatniczej w planie {0} różni się od konta bramy płatności w tym żądaniu płatności
 DocType: Course,Course Name,Nazwa przedmiotu
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nie znaleziono danych potrącenia podatku dla bieżącego roku obrotowego.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nie znaleziono danych potrącenia podatku dla bieżącego roku obrotowego.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Użytkownicy którzy mogą zatwierdzić wnioski o urlop konkretnych użytkowników
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Urządzenie Biura
 DocType: Purchase Invoice Item,Qty,Ilość
@@ -3211,6 +3241,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Konfiguracja punktów
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Zezwalaj na ten sam towar wielokrotnie
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Wywołaj Prośbę Materiałową, gdy stan osiągnie próg ponowienia zlecenia"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Na cały etet
 DocType: Payroll Entry,Employees,Pracowników
@@ -3222,11 +3253,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Potwierdzenie płatności
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny nie będą wyświetlane, jeśli Cennik nie jest ustawiony"
 DocType: Stock Entry,Total Incoming Value,Całkowita wartość przychodów
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debetowane Konto jest wymagane
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debetowane Konto jest wymagane
 DocType: Clinical Procedure,Inpatient Record,Zapis ambulatoryjny
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Ewidencja czasu pomaga śledzić czasu, kosztów i rozliczeń dla aktywnosci przeprowadzonych przez zespół"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Cennik zakupowy
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Data transakcji
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Cennik zakupowy
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Data transakcji
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Szablony dostawców zmiennych.
 DocType: Job Offer Term,Offer Term,Oferta Term
 DocType: Asset,Quality Manager,Manager Jakości
@@ -3247,11 +3278,11 @@
 DocType: Cashier Closing,To Time,Do czasu
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) dla {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Zatwierdzanie rolę (powyżej dopuszczonego wartości)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredytowane Konto powinno być kontem typu Zobowiązania
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredytowane Konto powinno być kontem typu Zobowiązania
 DocType: Loan,Total Amount Paid,Łączna kwota zapłacona
 DocType: Asset,Insurance End Date,Data zakończenia ubezpieczenia
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Wybierz Wstęp studenta, który jest obowiązkowy dla płatnego studenta"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Lista budżetu
 DocType: Work Order Operation,Completed Qty,Ukończona wartość
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Dla {0}, tylko rachunki płatnicze mogą być połączone z innym wejściem kredytową"
@@ -3259,7 +3290,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Nie można zaktualizować elementu seryjnego {0} za pomocą funkcji zgrupowania, proszę użyć wpisu fotografii"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Nie można zaktualizować elementu seryjnego {0} za pomocą funkcji zgrupowania, proszę użyć wpisu fotografii"
 DocType: Training Event Employee,Training Event Employee,Training Event urzędnik
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksymalne próbki - {0} mogą zostać zachowane dla Batch {1} i Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maksymalne próbki - {0} mogą zostać zachowane dla Batch {1} i Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Dodaj gniazda czasowe
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numery seryjne wymagane dla pozycji {1}. Podałeś {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktualny Wycena Cena
@@ -3290,11 +3321,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Nr seryjny {0} nie znaleziono
 DocType: Fee Schedule Program,Fee Schedule Program,Program planu opłat
 DocType: Fee Schedule Program,Student Batch,Batch Student
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Usuń pracownika <a href=""#Form/Employee/{0}"">{0}</a> \, aby anulować ten dokument"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Dokonaj Studenta
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Rodzaj usługi opieki zdrowotnej
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Zostałeś zaproszony do współpracy przy projekcie: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Zostałeś zaproszony do współpracy przy projekcie: {0}
 DocType: Supplier Group,Parent Supplier Group,Rodzicielska grupa dostawców
+DocType: Email Digest,Purchase Orders to Bill,Zamówienia zakupu do rachunku
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Skumulowane wartości w spółce grupy
 DocType: Leave Block List Date,Block Date,Zablokowana Data
 DocType: Crop,Crop,Przyciąć
@@ -3307,6 +3341,7 @@
 DocType: Sales Order,Not Delivered,Nie dostarczony
 ,Bank Clearance Summary,Rozliczenia bankowe
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,"Jest to oparte na transakcjach z tą osobą handlową. Zobacz oś czasu poniżej, aby uzyskać szczegółowe informacje"
 DocType: Appraisal Goal,Appraisal Goal,Cel oceny
 DocType: Stock Reconciliation Item,Current Amount,Aktualny Kwota
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Budynki
@@ -3333,7 +3368,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Oprogramowania
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Następnie Kontakt Data nie może być w przeszłości
 DocType: Company,For Reference Only.,Wyłącznie w celach informacyjnych.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Wybierz numer partii
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Wybierz numer partii
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Nieprawidłowy {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referencja Inv
@@ -3351,16 +3386,16 @@
 DocType: Normal Test Items,Require Result Value,Wymagaj wartości
 DocType: Item,Show a slideshow at the top of the page,Pokazuj slideshow na górze strony
 DocType: Tax Withholding Rate,Tax Withholding Rate,Podatek u źródła
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,LM
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Sklepy
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,LM
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Sklepy
 DocType: Project Type,Projects Manager,Kierownik Projektów
 DocType: Serial No,Delivery Time,Czas dostawy
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Powtarzono odwołanie
 DocType: Item,End of Life,Zakończenie okresu eksploatacji
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Podróż
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Podróż
 DocType: Student Report Generation Tool,Include All Assessment Group,Uwzględnij całą grupę oceny
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Brak aktywnego czy ustawiona Wynagrodzenie Struktura znalezionych dla pracownika {0} dla podanych dat
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Brak aktywnego czy ustawiona Wynagrodzenie Struktura znalezionych dla pracownika {0} dla podanych dat
 DocType: Leave Block List,Allow Users,Zezwól Użytkownikom
 DocType: Purchase Order,Customer Mobile No,Komórka klienta Nie
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Szczegóły szablonu mapowania przepływu gotówki
@@ -3369,15 +3404,16 @@
 DocType: Rename Tool,Rename Tool,Zmień nazwę narzędzia
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Zaktualizuj Koszt
 DocType: Item Reorder,Item Reorder,Element Zamów ponownie
+DocType: Delivery Note,Mode of Transport,Tryb transportu
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Slip Pokaż Wynagrodzenie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer materiału
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer materiału
 DocType: Fees,Send Payment Request,Wyślij żądanie płatności
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",
 DocType: Travel Request,Any other details,Wszelkie inne szczegóły
 DocType: Water Analysis,Origin,Pochodzenie
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Niniejszy dokument ma na granicy przez {0} {1} dla pozycji {4}. Robisz kolejny {3} przeciwko samo {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Proszę ustawić cykliczne po zapisaniu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Wybierz opcję Zmień konto kwotę
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Proszę ustawić cykliczne po zapisaniu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Wybierz opcję Zmień konto kwotę
 DocType: Purchase Invoice,Price List Currency,Waluta cennika
 DocType: Naming Series,User must always select,Użytkownik musi zawsze zaznaczyć
 DocType: Stock Settings,Allow Negative Stock,Dozwolony ujemny stan
@@ -3398,9 +3434,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Śledzenie
 DocType: Asset Maintenance Log,Actions performed,Wykonane akcje
 DocType: Cash Flow Mapper,Section Leader,Kierownik sekcji
+DocType: Delivery Note,Transport Receipt No,Nr odbioru transportu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Zobowiązania
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Lokalizacja źródłowa i docelowa nie może być taka sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Ilość w rzędzie  {0} ({1}) musi być taka sama jak wyprodukowana ilość {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Ilość w rzędzie  {0} ({1}) musi być taka sama jak wyprodukowana ilość {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Pracownik
 DocType: Bank Guarantee,Fixed Deposit Number,Naprawiono numer depozytu
 DocType: Asset Repair,Failure Date,Data awarii
@@ -3414,16 +3451,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Odliczenia płatności lub strata
 DocType: Soil Analysis,Soil Analysis Criterias,Kryteria analizy gleby
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardowe warunki umowy sprzedaży lub kupna.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Czy na pewno chcesz anulować to spotkanie?
+DocType: BOM Item,Item operation,Obsługa przedmiotu
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Czy na pewno chcesz anulować to spotkanie?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Pakiet cen pokoi hotelowych
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline sprzedaży
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Pipeline sprzedaży
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Proszę ustawić domyślne konto wynagrodzenia komponentu {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Wymagane na
 DocType: Rename Tool,File to Rename,Plik to zmiany nazwy
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Proszę wybrać LM dla pozycji w wierszu {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Pobierz aktualizacje subskrypcji
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} nie jest zgodne z firmą {1} w trybie konta: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Określone BOM {0} nie istnieje dla pozycji {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Określone BOM {0} nie istnieje dla pozycji {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kierunek:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plan Konserwacji {0} musi być anulowany przed usunięciem tego zamówienia
@@ -3432,7 +3470,7 @@
 DocType: Notification Control,Expense Claim Approved,Zwrot Kosztów zatwierdzony
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Ustaw Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nie utworzono zleceń pracy
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Wynagrodzenie Slip pracownika {0} już stworzony dla tego okresu
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Wynagrodzenie Slip pracownika {0} już stworzony dla tego okresu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutyczny
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Możesz przesłać tylko opcję Leave Encashment dla prawidłowej kwoty depozytu
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Koszt zakupionych towarów
@@ -3440,7 +3478,8 @@
 DocType: Selling Settings,Sales Order Required,Wymagane Zamówienie Sprzedaży
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Zostań sprzedawcą
 DocType: Purchase Invoice,Credit To,Kredytowane konto (Ma)
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Całość Przewody / Klienci
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Całość Przewody / Klienci
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Pozostaw puste, aby używać standardowego formatu dokumentu dostawy"
 DocType: Employee Education,Post Graduate,Podyplomowe
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Szczegóły Planu Konserwacji
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Ostrzegaj o nowych zamówieniach zakupu
@@ -3454,14 +3493,14 @@
 DocType: Support Search Source,Post Title Key,Post Title Key
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Dla karty pracy
 DocType: Warranty Claim,Raised By,Wywołany przez
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Recepty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Recepty
 DocType: Payment Gateway Account,Payment Account,Konto Płatność
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Sprecyzuj firmę aby przejść dalej
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Sprecyzuj firmę aby przejść dalej
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Zmiana netto stanu należności
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,
 DocType: Job Offer,Accepted,Przyjęte
 DocType: POS Closing Voucher,Sales Invoices Summary,Podsumowanie faktur sprzedaży
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Nazwa drużyny
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Nazwa drużyny
 DocType: Grant Application,Organization,Organizacja
 DocType: Grant Application,Organization,Organizacja
 DocType: BOM Update Tool,BOM Update Tool,Narzędzie aktualizacji BOM
@@ -3471,7 +3510,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Upewnij się, że na pewno chcesz usunąć wszystkie transakcje dla tej firmy. Twoje dane podstawowe pozostanie tak jak jest. Ta akcja nie można cofnąć."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Wyniki wyszukiwania
 DocType: Room,Room Number,Numer pokoju
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Nieprawidłowy odniesienia {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Nieprawidłowy odniesienia {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nie może być większa niż zaplanowana ilość ({2}) w Zleceniu Produkcyjnym {3}
 DocType: Shipping Rule,Shipping Rule Label,Etykieta z zasadami wysyłki i transportu
 DocType: Journal Entry Account,Payroll Entry,Wpis o płace
@@ -3479,8 +3518,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Zrób szablon podatkowy
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum użytkowników
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Surowce nie może być puste.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Wiersz nr {0} (tabela płatności): kwota musi być ujemna
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nie można zaktualizować stanu - faktura zawiera pozycję, której proces wysyłki scedowano na dostawcę."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Wiersz nr {0} (tabela płatności): kwota musi być ujemna
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nie można zaktualizować stanu - faktura zawiera pozycję, której proces wysyłki scedowano na dostawcę."
 DocType: Contract,Fulfilment Status,Status realizacji
 DocType: Lab Test Sample,Lab Test Sample,Próbka do badań laboratoryjnych
 DocType: Item Variant Settings,Allow Rename Attribute Value,Zezwalaj na zmianę nazwy wartości atrybutu
@@ -3522,11 +3561,11 @@
 DocType: BOM,Show Operations,Pokaż Operations
 ,Minutes to First Response for Opportunity,Minutes to pierwsza odpowiedź na szansy
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Razem Nieobecny
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Jednostka miary
 DocType: Fiscal Year,Year End Date,Data końca roku
 DocType: Task Depends On,Task Depends On,Zadanie Zależy od
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Oferta
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Oferta
 DocType: Operation,Default Workstation,Domyślne Miejsce Pracy
 DocType: Notification Control,Expense Claim Approved Message,Widomość o zwrotach kosztów zatwierdzona
 DocType: Payment Entry,Deductions or Loss,Odliczenia lub strata
@@ -3564,21 +3603,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,"Zatwierdzający Użytkownik nie może być taki sam, jak użytkownik którego zatwierdza"
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Stawki podstawowej (zgodnie Stock UOM)
 DocType: SMS Log,No of Requested SMS,Numer wymaganego SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Urlopu bezpłatnego nie jest zgodny z zatwierdzonymi zapisów Leave aplikacji
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Urlopu bezpłatnego nie jest zgodny z zatwierdzonymi zapisów Leave aplikacji
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Następne kroki
 DocType: Travel Request,Domestic,Krajowy
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Proszę dostarczyć określone przedmioty w najlepszych możliwych cenach
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Proszę dostarczyć określone przedmioty w najlepszych możliwych cenach
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Przeniesienie pracownika nie może zostać przesłane przed datą transferu
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Stwórz Fakturę
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Pozostałe saldo
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Pozostałe saldo
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto blisko Szansa po 15 dniach
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Zlecenia zakupu nie są dozwolone w {0} z powodu karty wyników {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Kod kreskowy {0} nie jest prawidłowym kodem {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Kod kreskowy {0} nie jest prawidłowym kodem {1}
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,koniec roku
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Kwota / kwota procentowa
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Kwota / kwota procentowa
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Końcowa data kontraktu musi być większa od Daty Członkowstwa
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Końcowa data kontraktu musi być większa od Daty Członkowstwa
 DocType: Driver,Driver,Kierowca
 DocType: Vital Signs,Nutrition Values,Wartości odżywcze
 DocType: Lab Test Template,Is billable,Jest rozliczalny
@@ -3589,7 +3628,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Ta przykładowa strona została automatycznie wygenerowana przez ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Starzenie Zakres 1
 DocType: Shopify Settings,Enable Shopify,Włącz Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Całkowita kwota zaliczki nie może być większa niż całkowita kwota roszczenia
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Całkowita kwota zaliczki nie może być większa niż całkowita kwota roszczenia
 DocType: Purchase Taxes and Charges Template,"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
@@ -3636,12 +3675,12 @@
 DocType: Employee Separation,Employee Separation,Separacja pracowników
 DocType: BOM Item,Original Item,Oryginalna pozycja
 DocType: Purchase Receipt Item,Recd Quantity,Zapisana Ilość
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Data
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Data
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Utworzono Records Fee - {0}
 DocType: Asset Category Account,Asset Category Account,Konto Aktywów Kategoria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Wiersz nr {0} (tabela płatności): kwota musi być dodatnia
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Wiersz nr {0} (tabela płatności): kwota musi być dodatnia
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Nie można wyprodukować więcej przedmiotów {0} niż wartość {1} na Zamówieniu
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Wybierz wartości atrybutów
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Wybierz wartości atrybutów
 DocType: Purchase Invoice,Reason For Issuing document,Powód wydania dokumentu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Zdjęcie Wejście {0} nie jest składany
 DocType: Payment Reconciliation,Bank / Cash Account,Rachunek Bankowy/Kasowy
@@ -3650,8 +3689,10 @@
 DocType: Asset,Manual,podręcznik
 DocType: Salary Component Account,Salary Component Account,Konto Wynagrodzenie Komponent
 DocType: Global Defaults,Hide Currency Symbol,Ukryj symbol walutowy
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Szanse sprzedaży według źródła
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informacje o dawcy.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","np. Bank, Gotówka, Karta kredytowa"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Proszę ustawić serię numerów dla Obecności za pośrednictwem Setup&gt; Numbering Series
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","np. Bank, Gotówka, Karta kredytowa"
 DocType: Job Applicant,Source Name,Źródło Nazwa
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalne spoczynkowe ciśnienie krwi u dorosłych wynosi około 120 mmHg skurczowe, a rozkurczowe 80 mmHg, skrócone &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Ustaw okres ważności artykułów w dniach, aby ustawić datę wygaśnięcia na podstawie production_date plus self-life"
@@ -3681,7 +3722,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Ilość musi być mniejsza niż ilość {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Wiersz {0}: Data Początku musi być przed Datą Końca
 DocType: Salary Component,Max Benefit Amount (Yearly),Kwota maksymalnego świadczenia (rocznie)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Współczynnik TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Współczynnik TDS%
 DocType: Crop,Planting Area,Obszar sadzenia
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Razem (szt)
 DocType: Installation Note Item,Installed Qty,Liczba instalacji
@@ -3703,8 +3744,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Pozostaw powiadomienie o zatwierdzeniu
 DocType: Buying Settings,Default Buying Price List,Domyślna Lista Cen Kupowania
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip Wynagrodzenie podstawie grafiku
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Cena zakupu
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Wiersz {0}: wpisz lokalizację dla elementu zasobu {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Cena zakupu
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Wiersz {0}: wpisz lokalizację dla elementu zasobu {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.RRRR.-
 DocType: Company,About the Company,O firmie
 DocType: Notification Control,Sales Order Message,Informacje Zlecenia Sprzedaży
@@ -3771,10 +3812,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Dla wiersza {0}: wpisz planowaną liczbę
 DocType: Account,Income Account,Konto przychodów
 DocType: Payment Request,Amount in customer's currency,Kwota w walucie klienta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Dostarczanie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Dostarczanie
 DocType: Volunteer,Weekdays,Dni powszednie
 DocType: Stock Reconciliation Item,Current Qty,Obecna ilość
 DocType: Restaurant Menu,Restaurant Menu,Menu restauracji
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Dodaj dostawców
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.RRRR.-
 DocType: Loyalty Program,Help Section,Sekcja pomocy
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Poprzedni
@@ -3786,19 +3828,20 @@
 												fullfill Sales Order {2}","Nie można dostarczyć numeru seryjnego {0} elementu {1}, ponieważ jest on zarezerwowany dla \ fullfill zamówienia sprzedaży {2}"
 DocType: Item Reorder,Material Request Type,Typ zamówienia produktu
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Wyślij wiadomość e-mail dotyczącą oceny grantu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage jest pełna, nie oszczędzać"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Wiersz {0}: JM Współczynnik konwersji jest obowiązkowe
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage jest pełna, nie oszczędzać"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Wiersz {0}: JM Współczynnik konwersji jest obowiązkowe
 DocType: Employee Benefit Claim,Claim Date,Data roszczenia
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Pojemność pokoju
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Już istnieje rekord dla elementu {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Utracisz zapis wcześniej wygenerowanych faktur. Czy na pewno chcesz zrestartować tę subskrypcję?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Opłata za rejestrację
 DocType: Loyalty Program Collection,Loyalty Program Collection,Kolekcja programu lojalnościowego
 DocType: Stock Entry Detail,Subcontracted Item,Element podwykonawstwa
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} nie należy do grupy {1}
 DocType: Budget,Cost Center,Centrum kosztów
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Bon #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Bon #
 DocType: Notification Control,Purchase Order Message,Wiadomość Zamówienia Kupna
 DocType: Tax Rule,Shipping Country,Wysyłka Kraj
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ukryj NIP Klienta z transakcji sprzedaży
@@ -3817,23 +3860,22 @@
 DocType: Subscription,Cancel At End Of Period,Anuluj na koniec okresu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Właściwość została już dodana
 DocType: Item Supplier,Item Supplier,Dostawca
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Proszę wprowadzić Kod Produktu w celu przyporządkowania serii
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Proszę wprowadzić wartość dla wyceny {0} {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Proszę wprowadzić Kod Produktu w celu przyporządkowania serii
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Proszę wprowadzić wartość dla wyceny {0} {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nie wybrano pozycji do przeniesienia
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Wszystkie adresy
 DocType: Company,Stock Settings,Ustawienia magazynu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Połączenie jest możliwe tylko wtedy, gdy następujące właściwości są takie same w obu płyt. Czy Grupa Root Typ, Firma"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Połączenie jest możliwe tylko wtedy, gdy następujące właściwości są takie same w obu płyt. Czy Grupa Root Typ, Firma"
 DocType: Vehicle,Electric,Elektryczny
 DocType: Task,% Progress,% Postęp
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Zysk / Strata na Aktywów pozbywaniu
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",W poniższej tabeli zostanie wybrana tylko osoba ubiegająca się o przyjęcie ze statusem &quot;Zatwierdzona&quot;.
 DocType: Tax Withholding Category,Rates,Stawki
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Numer konta dla konta {0} jest niedostępny. <br> Skonfiguruj poprawnie swój plan kont.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Numer konta dla konta {0} jest niedostępny. <br> Skonfiguruj poprawnie swój plan kont.
 DocType: Task,Depends on Tasks,Zależy Zadania
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Zarządzaj drzewem grupy klientów
 DocType: Normal Test Items,Result Value,Wartość wyniku
 DocType: Hotel Room,Hotels,Hotele
-DocType: Delivery Note,Transporter Date,Data Transportera
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nazwa nowego Centrum Kosztów
 DocType: Leave Control Panel,Leave Control Panel,Panel do obsługi Urlopów
 DocType: Project,Task Completion,zadanie Zakończenie
@@ -3880,11 +3922,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Wszystkie grupy oceny
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nowy magazyn Nazwa
 DocType: Shopify Settings,App Type,Typ aplikacji
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Razem {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Razem {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Region
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,
 DocType: Stock Settings,Default Valuation Method,Domyślna metoda wyceny
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Opłata
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Pokaż łączną kwotę
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Aktualizacja w toku. To może trochę potrwać.
 DocType: Production Plan Item,Produced Qty,Wytworzona ilość
 DocType: Vehicle Log,Fuel Qty,Ilość paliwa
@@ -3892,7 +3935,7 @@
 DocType: Work Order Operation,Planned Start Time,Planowany czas rozpoczęcia
 DocType: Course,Assessment,Oszacowanie
 DocType: Payment Entry Reference,Allocated,Przydzielone
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Sporządzenie Bilansu oraz Rachunku zysków i strat.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Sporządzenie Bilansu oraz Rachunku zysków i strat.
 DocType: Student Applicant,Application Status,Status aplikacji
 DocType: Additional Salary,Salary Component Type,Typ składnika wynagrodzenia
 DocType: Sensitivity Test Items,Sensitivity Test Items,Elementy testu czułości
@@ -3903,10 +3946,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Łączna kwota
 DocType: Sales Partner,Targets,Cele
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Zarejestruj numer SIREN w pliku z informacjami o firmie
+DocType: Email Digest,Sales Orders to Bill,Zlecenia sprzedaży do rachunku
 DocType: Price List,Price List Master,Ustawienia Cennika
 DocType: GST Account,CESS Account,Konto CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Wszystkie transakcje sprzedaży mogą być oznaczone przed wieloma ** Osoby sprzedaży **, dzięki czemu można ustawić i monitorować cele."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link do żądania materiałowego
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link do żądania materiałowego
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Aktywność na forum
 ,S.O. No.,
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Ustawienia transakcji bankowych Pozycja
@@ -3921,7 +3965,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,To jest grupa klientów root i nie mogą być edytowane.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Działanie, jeśli skumulowany miesięczny budżet został przekroczony dla zamówienia"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Do miejsca
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Do miejsca
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Przeszacowanie kursu wymiany
 DocType: POS Profile,Ignore Pricing Rule,Ignoruj Reguły Cen
 DocType: Employee Education,Graduate,Absolwent
@@ -3970,6 +4014,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Ustaw domyślnego klienta w Ustawieniach restauracji
 ,Salary Register,wynagrodzenie Rejestracja
 DocType: Warehouse,Parent Warehouse,Dominująca Magazyn
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Wykres
 DocType: Subscription,Net Total,Łączna wartość netto
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Domyślnie nie znaleziono elementu BOM dla elementu {0} i projektu {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definiować różne rodzaje kredytów
@@ -4002,24 +4047,26 @@
 DocType: Membership,Membership Status,Status członkostwa
 DocType: Travel Itinerary,Lodging Required,Wymagane zakwaterowanie
 ,Requested,Zamówiony
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Brak Uwag
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Brak Uwag
 DocType: Asset,In Maintenance,W naprawie
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Kliknij ten przycisk, aby pobrać dane zamówienia sprzedaży z Amazon MWS."
 DocType: Vital Signs,Abdomen,Brzuch
 DocType: Purchase Invoice,Overdue,Zaległy
 DocType: Account,Stock Received But Not Billed,"Przyjęte na stan, nie zapłacone (zobowiązanie)"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Konto root musi być grupą
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Konto root musi być grupą
 DocType: Drug Prescription,Drug Prescription,Na receptę
 DocType: Loan,Repaid/Closed,Spłacone / Zamknięte
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Łącznej prognozowanej szt
 DocType: Monthly Distribution,Distribution Name,Nazwa Dystrybucji
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Dołącz UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Nie ustalono stawki za element {0}, który jest wymagany do wpisów księgowych dla {1} {2}. Jeśli transakcja jest transakcją jako element zerowej stawki wyceny w {1}, wspomnij, że w tabeli {1} pozycji. W przeciwnym razie należy utworzyć transakcję przychodzącą na akcje dla elementu lub wymienić wskaźnik wyceny w rekordzie Element, a następnie spróbować poddać lub anulować ten wpis"
 DocType: Course,Course Code,Kod kursu
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kontrola jakości wymagana dla przedmiotu {0}
 DocType: Location,Parent Location,Lokalizacja rodzica
 DocType: POS Settings,Use POS in Offline Mode,Użyj POS w trybie offline
 DocType: Supplier Scorecard,Supplier Variables,Zmienne Dostawcy
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} jest obowiązkowe. Być może rekord wymiany waluty nie został utworzony dla {1} do {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Stawka przy użyciu której Waluta Klienta jest konwertowana do podstawowej waluty firmy
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Cena netto (Spółka Waluta)
 DocType: Salary Detail,Condition and Formula Help,Stan i Formula Pomoc
@@ -4028,19 +4075,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Faktura sprzedaży
 DocType: Journal Entry Account,Party Balance,Bilans Grupy
 DocType: Cash Flow Mapper,Section Subtotal,Podsuma sekcji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Proszę wybrać Zastosuj RABAT
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Proszę wybrać Zastosuj RABAT
 DocType: Stock Settings,Sample Retention Warehouse,Przykładowy magazyn retencyjny
 DocType: Company,Default Receivable Account,Domyślnie konto Rozrachunki z odbiorcami
 DocType: Purchase Invoice,Deemed Export,Uważa się na eksport
 DocType: Stock Entry,Material Transfer for Manufacture,Materiał transferu dla Produkcja
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rabat procentowy może być stosowany zarówno przed cenniku dla wszystkich Cenniku.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Zapis księgowy dla zapasów
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Zapis księgowy dla zapasów
 DocType: Lab Test,LabTest Approver,Przybliżenie LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Oceniałeś już kryteria oceny {}.
 DocType: Vehicle Service,Engine Oil,Olej silnikowy
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Utworzono zlecenia pracy: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Utworzono zlecenia pracy: {0}
 DocType: Sales Invoice,Sales Team1,Team Sprzedażowy1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Element {0} nie istnieje
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Element {0} nie istnieje
 DocType: Sales Invoice,Customer Address,Adres klienta
 DocType: Loan,Loan Details,pożyczka Szczegóły
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Nie udało się skonfigurować urządzeń firm post
@@ -4061,34 +4108,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Pokaż slideshow na górze strony
 DocType: BOM,Item UOM,Jednostka miary produktu
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Kwota podatku po uwzględnieniu rabatu (waluta firmy)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Magazyn docelowy jest obowiązkowy dla wiersza {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Magazyn docelowy jest obowiązkowy dla wiersza {0}
 DocType: Cheque Print Template,Primary Settings,Ustawienia podstawowe
 DocType: Attendance Request,Work From Home,Praca w domu
 DocType: Purchase Invoice,Select Supplier Address,Wybierz Dostawca Adres
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Dodaj Pracownikom
 DocType: Purchase Invoice Item,Quality Inspection,Kontrola jakości
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Szablon Standardowy
 DocType: Training Event,Theory,Teoria
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Ostrzeżenie: Ilość Zapotrzebowanego Materiału jest mniejsza niż minimalna ilość na zamówieniu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Ostrzeżenie: Ilość Zapotrzebowanego Materiału jest mniejsza niż minimalna ilość na zamówieniu
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Konto {0} jest zamrożone
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Osobowość prawna / Filia w oddzielny planu kont należących do Organizacji.
 DocType: Payment Request,Mute Email,Wyciszenie email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Żywność, Trunki i Tytoń"
 DocType: Account,Account Number,Numer konta
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Mogą jedynie wpłaty przed Unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Wartość prowizji nie może być większa niż 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Mogą jedynie wpłaty przed Unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Wartość prowizji nie może być większa niż 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Automatycznie przydzielaj zaliczki (FIFO)
 DocType: Volunteer,Volunteer,Wolontariusz
 DocType: Buying Settings,Subcontract,Zlecenie
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Podaj {0} pierwszy
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Brak odpowiedzi ze strony
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Brak odpowiedzi ze strony
 DocType: Work Order Operation,Actual End Time,Rzeczywisty czas zakończenia
 DocType: Item,Manufacturer Part Number,Numer katalogowy producenta
 DocType: Taxable Salary Slab,Taxable Salary Slab,Podatki podlegające opodatkowaniu
 DocType: Work Order Operation,Estimated Time and Cost,Szacowany czas i koszt
 DocType: Bin,Bin,Kosz
 DocType: Crop,Crop Name,Nazwa uprawy
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Tylko użytkownicy z rolą {0} mogą rejestrować się w usłudze Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Tylko użytkownicy z rolą {0} mogą rejestrować się w usłudze Marketplace
 DocType: SMS Log,No of Sent SMS,Numer wysłanego Sms
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Spotkania i spotkania
@@ -4117,7 +4165,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Zmień kod
 DocType: Purchase Invoice Item,Valuation Rate,Wskaźnik wyceny
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Nie wybrano Cennika w Walucie
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Nie wybrano Cennika w Walucie
 DocType: Purchase Invoice,Availed ITC Cess,Korzystał z ITC Cess
 ,Student Monthly Attendance Sheet,Student miesięczny Obecność Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Reguła wysyłki dotyczy tylko sprzedaży
@@ -4134,7 +4182,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Zarządzaj Partnerami Sprzedaży.
 DocType: Quality Inspection,Inspection Type,Typ kontroli
 DocType: Fee Validity,Visited yet,Jeszcze odwiedziłem
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Magazyny z istniejącymi transakcji nie mogą być zamieniane na grupy.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Magazyny z istniejącymi transakcji nie mogą być zamieniane na grupy.
 DocType: Assessment Result Tool,Result HTML,wynik HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Jak często należy aktualizować projekt i firmę na podstawie transakcji sprzedaży.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Upływa w dniu
@@ -4142,7 +4190,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Proszę wybrać {0}
 DocType: C-Form,C-Form No,
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Dystans
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Dystans
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Wymień swoje produkty lub usługi, które kupujesz lub sprzedajesz."
 DocType: Water Analysis,Storage Temperature,Temperatura przechowywania
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4158,19 +4206,19 @@
 DocType: Shopify Settings,Delivery Note Series,Seria notatek dostawy
 DocType: Purchase Order Item,Returned Qty,Wrócił szt
 DocType: Student,Exit,Wyjście
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Typ Root jest obowiązkowy
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Typ Root jest obowiązkowy
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Nie udało się zainstalować ustawień wstępnych
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Konwersja UOM w godzinach
 DocType: Contract,Signee Details,Szczegóły dotyczące Signee
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} aktualnie posiada {1} tabelę wyników karty wyników, a zlecenia RFQ dla tego dostawcy powinny być wydawane z ostrożnością."
 DocType: Certified Consultant,Non Profit Manager,Non Profit Manager
 DocType: BOM,Total Cost(Company Currency),Całkowity koszt (Spółka waluty)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Stworzono nr seryjny {0}
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Stworzono nr seryjny {0}
 DocType: Homepage,Company Description for website homepage,Opis firmy na stronie głównej
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Dla wygody klientów, te kody mogą być użyte w formacie drukowania jak faktury czy dowody dostawy"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nazwa suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nie można pobrać informacji dla {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Otwarcie dziennika wejścia
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Otwarcie dziennika wejścia
 DocType: Contract,Fulfilment Terms,Warunki realizacji
 DocType: Sales Invoice,Time Sheet List,Czas Lista Sheet
 DocType: Employee,You can enter any date manually,Możesz wprowadzić jakąkolwiek datę ręcznie
@@ -4206,7 +4254,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Twoja organizacja
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Pomijanie Zostaw alokację dla następujących pracowników, ponieważ rekordy Urlop alokacji już istnieją przeciwko nim. {0}"
 DocType: Fee Component,Fees Category,Opłaty Kategoria
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Dane sponsora (nazwa, lokalizacja)"
 DocType: Supplier Scorecard,Notify Employee,Powiadom o pracowniku
@@ -4219,9 +4267,9 @@
 DocType: Company,Chart Of Accounts Template,Szablon planu kont
 DocType: Attendance,Attendance Date,Data usługi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Aktualizuj zapasy musi być włączone dla faktury zakupu {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Pozycja Cena aktualizowana {0} w Cenniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Pozycja Cena aktualizowana {0} w Cenniku {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Średnie wynagrodzenie w oparciu o zarobki i odliczenia
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Konto grupujące inne konta nie może być konwertowane
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Konto grupujące inne konta nie może być konwertowane
 DocType: Purchase Invoice Item,Accepted Warehouse,Przyjęty magazyn
 DocType: Bank Reconciliation Detail,Posting Date,Data publikacji
 DocType: Item,Valuation Method,Metoda wyceny
@@ -4258,6 +4306,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Wybierz partię
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Roszczenie dotyczące podróży i wydatków
 DocType: Sales Invoice,Redemption Cost Center,Centrum kosztów odkupienia
+DocType: QuickBooks Migrator,Scope,Zakres
 DocType: Assessment Group,Assessment Group Name,Nazwa grupy Assessment
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiał Przeniesiony do Produkcji
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Dodaj do szczegółów
@@ -4265,6 +4314,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Ostatnia synchronizacja Datetime
 DocType: Landed Cost Item,Receipt Document Type,Otrzymanie Rodzaj dokumentu
 DocType: Daily Work Summary Settings,Select Companies,Wybrane firmy
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Oferta / Cena Oferta
 DocType: Antibiotic,Healthcare,Opieka zdrowotna
 DocType: Target Detail,Target Detail,Szczegóły celu
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Pojedynczy wariant
@@ -4274,6 +4324,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Wpis Kończący Okres
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Wybierz dział ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Centrum Kosztów z istniejącą transakcją nie może być przekształcone w grupę
+DocType: QuickBooks Migrator,Authorization URL,Adres URL autoryzacji
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Kwota {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortyzacja
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Liczba akcji i liczby akcji są niespójne
@@ -4296,13 +4347,14 @@
 DocType: Support Search Source,Source DocType,Źródło DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Otwórz nowy bilet
 DocType: Training Event,Trainer Email,Trener email
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,
 DocType: Restaurant Reservation,No of People,Liczba osób
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Szablon z warunkami lub umową.
 DocType: Bank Account,Address and Contact,Adres i Kontakt
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Czy Account Payable
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Zdjęcie nie może zostać zaktualizowany przed ZAKUPU {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Zdjęcie nie może zostać zaktualizowany przed ZAKUPU {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto blisko Issue po 7 dniach
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Urlopu nie może być przyznane przed {0}, a bilans urlopu zostało już przeniesionych przekazywane w przyszłości rekordu alokacji urlopu {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Uwaga: Ze względu / Data odniesienia przekracza dozwolony dzień kredytowej klienta przez {0} dni (s)
@@ -4320,7 +4372,7 @@
 ,Qty to Deliver,Ilość do dostarczenia
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon zsynchronizuje dane zaktualizowane po tej dacie
 ,Stock Analytics,Analityka magazynu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operacje nie może być puste
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operacje nie może być puste
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Testy laboratoryjne
 DocType: Maintenance Visit Purpose,Against Document Detail No,
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Usunięcie jest niedozwolone w przypadku kraju {0}
@@ -4328,13 +4380,12 @@
 DocType: Quality Inspection,Outgoing,Wychodzący
 DocType: Material Request,Requested For,Prośba o
 DocType: Quotation Item,Against Doctype,
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} zostanie anulowane lub zamknięte
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} zostanie anulowane lub zamknięte
 DocType: Asset,Calculate Depreciation,Oblicz amortyzację
 DocType: Delivery Note,Track this Delivery Note against any Project,Śledź potwierdzenie dostawy w każdym projekcie
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Przepływy pieniężne netto z inwestycji
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klient&gt; Grupa klientów&gt; Terytorium
 DocType: Work Order,Work-in-Progress Warehouse,Magazyn z produkcją w toku
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Zaleta {0} należy składać
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Zaleta {0} należy składać
 DocType: Fee Schedule Program,Total Students,Wszystkich studentów
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Obecność Record {0} istnieje przeciwko Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Odnośnik #{0} z datą {1}
@@ -4354,7 +4405,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Nie można utworzyć bonusu utrzymania dla leworęcznych pracowników
 DocType: Lead,Market Segment,Segment rynku
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Dyrektor ds. Rolnictwa
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Wpłaconej kwoty nie może być większa od całkowitej ujemnej kwoty należności {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Wpłaconej kwoty nie może być większa od całkowitej ujemnej kwoty należności {0}
 DocType: Supplier Scorecard Period,Variables,Zmienne
 DocType: Employee Internal Work History,Employee Internal Work History,Historia zatrudnienia pracownika w firmie
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Zamknięcie (Dr)
@@ -4379,22 +4430,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synchronizuj produkty
 DocType: Loyalty Point Entry,Loyalty Program,Program lojalnościowy
 DocType: Student Guardian,Father,Ojciec
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Bilety na wsparcie
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,Opcja 'Aktualizuj Stan' nie może być zaznaczona dla sprzedaży środka trwałego
 DocType: Bank Reconciliation,Bank Reconciliation,Uzgodnienia z wyciągiem bankowym
 DocType: Attendance,On Leave,Na urlopie
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Informuj o aktualizacjach
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Rachunek {2} nie należy do firmy {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Wybierz co najmniej jedną wartość z każdego z atrybutów.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Wybierz co najmniej jedną wartość z każdego z atrybutów.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Zamówienie produktu {0} jest anulowane lub wstrzymane
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Państwo wysyłki
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Państwo wysyłki
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Zarządzanie urlopami
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupy
 DocType: Purchase Invoice,Hold Invoice,Hold Invoice
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Wybierz pracownika
 DocType: Sales Order,Fully Delivered,Całkowicie dostarczono
-DocType: Lead,Lower Income,Niższy przychód
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Niższy przychód
 DocType: Restaurant Order Entry,Current Order,Aktualne zamówienie
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Liczba numerów seryjnych i ilość muszą być takie same
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Źródło i magazyn docelowy nie mogą być takie sama dla wiersza {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Źródło i magazyn docelowy nie mogą być takie sama dla wiersza {0}
 DocType: Account,Asset Received But Not Billed,"Zasoby odebrane, ale nieopłacone"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Konto różnica musi być kontem typu aktywami / pasywami, ponieważ Zdjęcie Pojednanie jest Wejście otwarcia"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Wypłacona kwota nie może być wyższa niż Kwota kredytu {0}
@@ -4403,7 +4456,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Numer Zamówienia Kupna wymagany do {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',Pole 'Od daty' musi następować później niż 'Do daty'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Nie znaleziono planów zatrudnienia dla tego oznaczenia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Partia {0} elementu {1} jest wyłączona.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Partia {0} elementu {1} jest wyłączona.
 DocType: Leave Policy Detail,Annual Allocation,Roczna alokacja
 DocType: Travel Request,Address of Organizer,Adres Organizatora
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Wybierz Healthcare Practitioner ...
@@ -4412,12 +4465,12 @@
 DocType: Asset,Fully Depreciated,pełni zamortyzowanych
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Przewidywana ilość zapasów
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Klient {0} nie należy do projektu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Klient {0} nie należy do projektu {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Zaznaczona Obecność HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Notowania są propozycje, oferty Wysłane do klientów"
 DocType: Sales Invoice,Customer's Purchase Order,Klienta Zamówienia
 DocType: Clinical Procedure,Patient,Cierpliwy
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Pomiń kontrolę kredytową w zleceniu sprzedaży
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Pomiń kontrolę kredytową w zleceniu sprzedaży
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktywność pracownika na pokładzie
 DocType: Location,Check if it is a hydroponic unit,"Sprawdź, czy to jednostka hydroponiczna"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Numer seryjny oraz Batch
@@ -4427,7 +4480,7 @@
 DocType: Supplier Scorecard Period,Calculations,Obliczenia
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Wartość albo Ilość
 DocType: Payment Terms Template,Payment Terms,Zasady płatności
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Produkcje Zamówienia nie mogą być podnoszone przez:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Produkcje Zamówienia nie mogą być podnoszone przez:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minuta
 DocType: Purchase Invoice,Purchase Taxes and Charges,Podatki i opłaty kupna
 DocType: Chapter,Meetup Embed HTML,Meetup Osadź HTML
@@ -4435,7 +4488,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Przejdź do Dostawców
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Końcowe podatki od zakupu w kasie
 ,Qty to Receive,Ilość do otrzymania
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Daty rozpoczęcia i zakończenia nie są w ważnym okresie rozliczeniowym, nie można obliczyć {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Daty rozpoczęcia i zakończenia nie są w ważnym okresie rozliczeniowym, nie można obliczyć {0}."
 DocType: Leave Block List,Leave Block List Allowed,Możesz opuścić Blok Zablokowanych List
 DocType: Grading Scale Interval,Grading Scale Interval,Skala ocen Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Koszty Żądanie Vehicle Zaloguj {0}
@@ -4443,10 +4496,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zniżka (%) w Tabeli Cen Ceny z Marginesem
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Wszystkie Magazyny
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nie znaleziono {0} dla transakcji między spółkami.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nie znaleziono {0} dla transakcji między spółkami.
 DocType: Travel Itinerary,Rented Car,Wynajęty samochód
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,O Twojej firmie
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredytowane konto powinno być kontem bilansowym
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredytowane konto powinno być kontem bilansowym
 DocType: Donor,Donor,Dawca
 DocType: Global Defaults,Disable In Words,Wyłącz w słowach
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Kod elementu jest obowiązkowy, ponieważ pozycja ta nie jest automatycznie numerowana"
@@ -4458,14 +4511,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Konto z kredytem w rachunku bankowym
 DocType: Patient,Patient ID,Identyfikator pacjenta
 DocType: Practitioner Schedule,Schedule Name,Nazwa harmonogramu
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Sprzedaż Pipeline po etapie
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,
 DocType: Currency Exchange,For Buying,Do kupienia
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Dodaj wszystkich dostawców
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Dodaj wszystkich dostawców
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Wiersz {0}: alokowana kwota nie może być większa niż kwota pozostająca do spłaty.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Przeglądaj BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Kredyty Hipoteczne
 DocType: Purchase Invoice,Edit Posting Date and Time,Edit data księgowania i czas
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Proszę ustawić amortyzacyjny dotyczący Konta aktywów z kategorii {0} lub {1} Spółki
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Proszę ustawić amortyzacyjny dotyczący Konta aktywów z kategorii {0} lub {1} Spółki
 DocType: Lab Test Groups,Normal Range,Normalny zakres
 DocType: Academic Term,Academic Year,Rok akademicki
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Dostępne sprzedawanie
@@ -4494,26 +4548,26 @@
 DocType: Patient Appointment,Patient Appointment,Powtarzanie Pacjenta
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Rola Zatwierdzająca nie może być taka sama jak rola którą zatwierdza
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Wypisać się z tej Email Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Dostaj Dostawców przez
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Dostaj Dostawców przez
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},Nie znaleziono {0} dla elementu {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Przejdź do Kursów
 DocType: Accounts Settings,Show Inclusive Tax In Print,Pokaż płatny podatek w druku
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Konto bankowe, od daty i daty są obowiązkowe"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Wiadomość wysłana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Konto z węzłów podrzędnych nie może być ustawiony jako księgi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Konto z węzłów podrzędnych nie może być ustawiony jako księgi
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Stawka przy użyciu której waluta Listy Cen jest konwertowana do podstawowej waluty klienta
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Kwota netto (Waluta Spółki)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Całkowita kwota zaliczki nie może być większa niż całkowita kwota sankcjonowana
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Całkowita kwota zaliczki nie może być większa niż całkowita kwota sankcjonowana
 DocType: Salary Slip,Hour Rate,Stawka godzinowa
 DocType: Stock Settings,Item Naming By,Element Nazwy przez
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Kolejny okres Zamknięcie Wejście {0} została wykonana po {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materiał Przeniesiony do Produkowania
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Konto {0} nie istnieje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Wybierz program lojalnościowy
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Wybierz program lojalnościowy
 DocType: Project,Project Type,Typ projektu
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Dla tego zadania istnieje zadanie podrzędne. Nie możesz usunąć tego zadania.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Wymagana jest ilość lub kwota docelowa
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Wymagana jest ilość lub kwota docelowa
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Koszt różnych działań
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ustawianie zdarzenia do {0}, ponieważ urzędnik dołączone do sprzedaży poniżej osób nie posiada identyfikator użytkownika {1}"
 DocType: Timesheet,Billing Details,Szczegóły płatności
@@ -4570,13 +4624,13 @@
 DocType: Inpatient Record,A Negative,Negatywny
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nic więcej do pokazania.
 DocType: Lead,From Customer,Od klienta
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Połączenia
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Połączenia
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Produkt
 DocType: Employee Tax Exemption Declaration,Declarations,Deklaracje
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Partie
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Opracuj harmonogram opłat
 DocType: Purchase Order Item Supplied,Stock UOM,Jednostka
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Zamówienia Kupna {0} nie zostało wysłane
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Zamówienia Kupna {0} nie zostało wysłane
 DocType: Account,Expenses Included In Asset Valuation,Koszty uwzględnione w wycenie aktywów
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normalny zakres referencyjny dla dorosłych wynosi 16-20 oddech / minutę (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Numer taryfy
@@ -4589,6 +4643,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Najpierw zapisz pacjenta
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Obecność została oznaczona pomyślnie.
 DocType: Program Enrollment,Public Transport,Transport publiczny
+DocType: Delivery Note,GST Vehicle Type,Typ pojazdu GST
 DocType: Soil Texture,Silt Composition (%),Skład mułu (%)
 DocType: Journal Entry,Remark,Uwaga
 DocType: Healthcare Settings,Avoid Confirmation,Unikaj potwierdzenia
@@ -4598,11 +4653,10 @@
 DocType: Education Settings,Current Academic Term,Obecny termin akademicki
 DocType: Education Settings,Current Academic Term,Obecny termin akademicki
 DocType: Sales Order,Not Billed,Nie zaksięgowany
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Obydwa Magazyny muszą należeć do tej samej firmy
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Obydwa Magazyny muszą należeć do tej samej firmy
 DocType: Employee Grade,Default Leave Policy,Domyślna Zostaw zasady
 DocType: Shopify Settings,Shop URL,URL sklepu
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nie dodano jeszcze żadnego kontaktu.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Proszę ustawić serię numerów dla Obecności za pośrednictwem Setup&gt; Numbering Series
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kwota Kosztu Voucheru
 ,Item Balance (Simple),Bilans przedmiotu (prosty)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rachunki od dostawców.
@@ -4627,7 +4681,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Serie Wyeceny
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",Istnieje element  o takiej nazwie. Zmień nazwę Grupy lub tego elementu.
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kryteria analizy gleby
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Wybierz klienta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Wybierz klienta
 DocType: C-Form,I,ja
 DocType: Company,Asset Depreciation Cost Center,Zaleta Centrum Amortyzacja kosztów
 DocType: Production Plan Sales Order,Sales Order Date,Data Zlecenia
@@ -4640,8 +4694,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Obecnie brak dostępnych zasobów w magazynach
 ,Payment Period Based On Invoice Date,Termin Płatności oparty na dacie faktury
 DocType: Sample Collection,No. of print,Liczba kopii
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Przypomnienie o urodzinach
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezerwacja pokoju hotelowego
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Brakujące Wymiana walut stawki dla {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Brakujące Wymiana walut stawki dla {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nazwa ubezpieczenia zdrowotnego
 DocType: Assessment Plan,Examiner,Egzaminator
 DocType: Student,Siblings,Rodzeństwo
@@ -4658,19 +4713,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nowi klienci
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Zysk brutto%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Mianowanie {0} i faktura sprzedaży {1} zostały anulowane
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Możliwości według źródła ołowiu
 DocType: Appraisal Goal,Weightage (%),Waga/wiek (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Zmień profil POS
 DocType: Bank Reconciliation Detail,Clearance Date,Data Czystki
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Zasób już istnieje w odniesieniu do pozycji {0}, nie można zmienić numeru seryjnego bez wartości"
+DocType: Delivery Settings,Dispatch Notification Template,Szablon powiadomienia o wysyłce
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Zasób już istnieje w odniesieniu do pozycji {0}, nie można zmienić numeru seryjnego bez wartości"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Sprawozdanie z oceny
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Zdobądź pracowników
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Zakup Kwota brutto jest obowiązkowe
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Nazwa firmy nie jest taka sama
 DocType: Lead,Address Desc,Opis adresu
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Partia jest obowiązkowe
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Znaleziono wiersze z powtarzającymi się datami w innych wierszach: {list}
 DocType: Topic,Topic Name,Nazwa tematu
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Ustaw domyślny szablon powiadomienia o pozostawieniu zatwierdzania w Ustawieniach HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Ustaw domyślny szablon powiadomienia o pozostawieniu zatwierdzania w Ustawieniach HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Conajmniej jeden sprzedaż lub zakup musi być wybrany
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Wybierz pracownika, aby uzyskać awans pracownika."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Proszę wybrać prawidłową datę
@@ -4704,6 +4760,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Klienta lub dostawcy Szczegóły
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Aktualna wartość aktywów
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Identyfikator firmy
 DocType: Travel Request,Travel Funding,Finansowanie podróży
 DocType: Loan Application,Required by Date,Wymagane przez Data
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Łącze do wszystkich lokalizacji, w których rośnie uprawa"
@@ -4717,9 +4774,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Ilosc w serii dostępne z magazynu
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Razem Odliczenie - Spłata kredytu
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Wynagrodzenie Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Data przejścia na emeryturę musi być większa niż Data wstąpienia
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Data przejścia na emeryturę musi być większa niż Data wstąpienia
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Wiele wariantów
 DocType: Sales Invoice,Against Income Account,Konto przychodów
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% dostarczono
@@ -4748,7 +4805,7 @@
 DocType: POS Profile,Update Stock,Aktualizuj Stan
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,
 DocType: Certification Application,Payment Details,Szczegóły płatności
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Kursy
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Kursy
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Zatwierdzone zlecenie pracy nie może zostać anulowane, należy je najpierw anulować, aby anulować"
 DocType: Asset,Journal Entry for Scrap,Księgowanie na złom
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Wyciągnij elementy z dowodu dostawy
@@ -4771,11 +4828,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Całkowita kwota uznań
 ,Purchase Analytics,Analiza Zakupów
 DocType: Sales Invoice Item,Delivery Note Item,Przedmiot z dowodu dostawy
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Brak aktualnej faktury {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Brak aktualnej faktury {0}
 DocType: Asset Maintenance Log,Task,Zadanie
 DocType: Purchase Taxes and Charges,Reference Row #,Rząd Odniesienia #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Numer partii jest obowiązkowy dla produktu {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,To jest sprzedawca root i nie może być edytowany.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,To jest sprzedawca root i nie może być edytowany.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jeśli zostanie wybrana, wartość określona lub obliczona w tym składniku nie przyczyni się do zarobków ani odliczeń. Jednak wartością tę można odwoływać się do innych składników, które można dodawać lub potrącać."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jeśli zostanie wybrana, wartość określona lub obliczona w tym składniku nie przyczyni się do zarobków ani odliczeń. Jednak wartością tę można odwoływać się do innych składników, które można dodawać lub potrącać."
 DocType: Asset Settings,Number of Days in Fiscal Year,Liczba dni w roku podatkowym
@@ -4784,7 +4841,7 @@
 DocType: Company,Exchange Gain / Loss Account,Wymiana Zysk / strat
 DocType: Amazon MWS Settings,MWS Credentials,Poświadczenia MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Pracownik i obecność
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Cel musi być jednym z {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Cel musi być jednym z {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Wypełnij formularz i zapisz
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Społeczność Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Rzeczywista ilość w magazynie
@@ -4800,7 +4857,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standardowy kurs sprzedaży
 DocType: Account,Rate at which this tax is applied,Stawka przy użyciu której ten podatek jest aplikowany
 DocType: Cash Flow Mapper,Section Name,Nazwa sekcji
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Ilość do ponownego zamówienia
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Ilość do ponownego zamówienia
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Wiersz amortyzacji {0}: oczekiwana wartość po okresie użyteczności musi być większa lub równa {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Aktualne ofert pracy
 DocType: Company,Stock Adjustment Account,Konto korekty
@@ -4810,8 +4867,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Użytkownik systemu (login) ID. Jeśli ustawiono, stanie się on domyślnym dla wszystkich formularzy HR"
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Wprowadź szczegóły dotyczące amortyzacji
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: {1} od
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Pozostaw aplikację {0} już istnieje przeciwko uczniowi {1}
 DocType: Task,depends_on,zależy_od
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Usługa kolejkowania aktualizacji najnowszej ceny we wszystkich materiałach. Może potrwać kilka minut.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Usługa kolejkowania aktualizacji najnowszej ceny we wszystkich materiałach. Może potrwać kilka minut.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nazwa nowego konta. Uwaga: Proszę nie tworzyć konta dla odbiorców i dostawców
 DocType: POS Profile,Display Items In Stock,Wyświetl produkty w magazynie
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Szablony Adresów na dany kraj
@@ -4841,16 +4899,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Gniazda dla {0} nie są dodawane do harmonogramu
 DocType: Product Bundle,List items that form the package.,Lista elementów w pakiecie
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nie dozwolone. Wyłącz szablon testowy
+DocType: Delivery Note,Distance (in km),Odległość (w km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Przydział Procentowy powinien wynosić 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Proszę wybrać Data księgowania przed wybraniem Stronę
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Proszę wybrać Data księgowania przed wybraniem Stronę
 DocType: Program Enrollment,School House,school House
 DocType: Serial No,Out of AMC,
+DocType: Opportunity,Opportunity Amount,Kwota możliwości
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Ilość amortyzacją Zarezerwowane nie może być większa od ogólnej liczby amortyzacją
 DocType: Purchase Order,Order Confirmation Date,Zamów datę potwierdzenia
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.RRRR.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Stwórz Wizytę Konserwacji
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Data rozpoczęcia i data zakończenia pokrywają się z kartą pracy <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Dane dotyczące przeniesienia pracownika
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Proszę się skontaktować z użytkownikiem pełniącym rolę Główny Menadżer Sprzedaży {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Proszę się skontaktować z użytkownikiem pełniącym rolę Główny Menadżer Sprzedaży {0}
 DocType: Company,Default Cash Account,Domyślne Konto Gotówkowe
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Informacje o własnej firmie.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Jest to oparte na obecności tego Studenta
@@ -4858,9 +4919,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Dodać więcej rzeczy lub otworzyć pełną formę
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dowody Dostawy {0} muszą być anulowane przed anulowanie Zamówienia Sprzedaży
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Przejdź do Użytkownicy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Wartość zapłaty + Wartość odliczenia nie może być większa niż Cała Kwota
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Wartość zapłaty + Wartość odliczenia nie może być większa niż Cała Kwota
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Uwaga: Nie ma wystarczającej ilości urlopu aby ustalić typ zwolnienia {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Uwaga: Nie ma wystarczającej ilości urlopu aby ustalić typ zwolnienia {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Nieprawidłowe GSTIN lub Wpisz NA dla niezarejestrowanych
 DocType: Training Event,Seminar,Seminarium
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Rejestracji Opłata
@@ -4877,7 +4938,7 @@
 DocType: Fee Schedule,Fee Schedule,Harmonogram opłat
 DocType: Company,Create Chart Of Accounts Based On,Tworzenie planu kont w oparciu o
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Nie można przekonwertować go na grupę inną niż grupa. Zadania dla dzieci istnieją.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Data urodzenia nie może być większa niż data dzisiejsza.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Data urodzenia nie może być większa niż data dzisiejsza.
 ,Stock Ageing,Starzenie się zapasów
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Częściowo sponsorowane, wymagające częściowego finansowania"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} istnieć przed studenta wnioskodawcy {1}
@@ -4924,11 +4985,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Przed pojednania
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Do {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Dodano podatki i opłaty (Firmowe)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,
 DocType: Sales Order,Partly Billed,Częściowo Zapłacono
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Element {0} musi być trwałego przedmiotu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Stwórz warianty
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Stwórz warianty
 DocType: Item,Default BOM,Domyślne Zestawienie Materiałów
 DocType: Project,Total Billed Amount (via Sales Invoices),Całkowita kwota faktury (za pośrednictwem faktur sprzedaży)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Kwota noty debetowej
@@ -4957,14 +5018,14 @@
 DocType: Notification Control,Custom Message,Niestandardowa wiadomość
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Bankowość inwestycyjna
 DocType: Purchase Invoice,input,wkład
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Konto Gotówka lub Bank jest wymagane dla tworzenia zapisów Płatności
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Konto Gotówka lub Bank jest wymagane dla tworzenia zapisów Płatności
 DocType: Loyalty Program,Multiple Tier Program,Program wielopoziomowy
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adres studenta
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adres studenta
 DocType: Purchase Invoice,Price List Exchange Rate,Cennik Kursowy
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Wszystkie grupy dostawców
 DocType: Employee Boarding Activity,Required for Employee Creation,Wymagany w przypadku tworzenia pracowników
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Numer konta {0} jest już używany na koncie {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Numer konta {0} jest już używany na koncie {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,Nazwa profilu POS
 DocType: Hotel Room Reservation,Booked,Zarezerwowane
@@ -4980,18 +5041,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Nr Odniesienia jest obowiązkowy jest wprowadzono Datę Odniesienia
 DocType: Bank Reconciliation Detail,Payment Document,Płatność Dokument
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Błąd podczas oceny formuły kryterium
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Data Wstąpienie musi być większa niż Data Urodzenia
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Data Wstąpienie musi być większa niż Data Urodzenia
 DocType: Subscription,Plans,Plany
 DocType: Salary Slip,Salary Structure,Struktura Wynagrodzenia
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Linia lotnicza
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Wydanie Materiał
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Wydanie Materiał
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Połącz Shopify z ERPNext
 DocType: Material Request Item,For Warehouse,Dla magazynu
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Zaktualizowano uwagi dotyczące dostawy {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Zaktualizowano uwagi dotyczące dostawy {0}
 DocType: Employee,Offer Date,Data oferty
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Notowania
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Jesteś w trybie offline. Nie będzie mógł przeładować dopóki masz sieć.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Notowania
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Jesteś w trybie offline. Nie będzie mógł przeładować dopóki masz sieć.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Dotacja
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Brak grup studenckich utworzony.
 DocType: Purchase Invoice Item,Serial No,Nr seryjny
@@ -5003,24 +5064,26 @@
 DocType: Sales Invoice,Customer PO Details,Szczegóły zamówienia klienta
 DocType: Stock Entry,Including items for sub assemblies,W tym elementów dla zespołów sub
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tymczasowe konto otwarcia
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Wprowadź wartość musi być dodatnia
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Wprowadź wartość musi być dodatnia
 DocType: Asset,Finance Books,Finanse Książki
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Kategoria deklaracji zwolnienia podatkowego dla pracowników
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Wszystkie obszary
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Ustaw zasadę urlopu dla pracownika {0} w rekordzie Pracownicy / stanowisko
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Nieprawidłowe zamówienie zbiorcze dla wybranego klienta i przedmiotu
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Nieprawidłowe zamówienie zbiorcze dla wybranego klienta i przedmiotu
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Dodaj wiele zadań
 DocType: Purchase Invoice,Items,Produkty
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Data zakończenia nie może być wcześniejsza niż data rozpoczęcia.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student jest już zarejestrowany.
 DocType: Fiscal Year,Year Name,Nazwa roku
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Jest więcej świąt niż dni pracujących
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Nr ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Jest więcej świąt niż dni pracujących
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Następujące elementy {0} nie są oznaczone jako {1}. Możesz je włączyć jako element {1} z jego wzorca pozycji
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Nr ref
 DocType: Production Plan Item,Product Bundle Item,Pakiet produktów Artykuł
 DocType: Sales Partner,Sales Partner Name,Imię Partnera Sprzedaży
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Zapytanie o cenę
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Zapytanie o cenę
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksymalna kwota faktury
 DocType: Normal Test Items,Normal Test Items,Normalne elementy testowe
+DocType: QuickBooks Migrator,Company Settings,Ustawienia firmy
 DocType: Additional Salary,Overwrite Salary Structure Amount,Nadpisz ilość wynagrodzenia
 DocType: Student Language,Student Language,Student Język
 apps/erpnext/erpnext/config/selling.py +23,Customers,Klienci
@@ -5033,22 +5096,24 @@
 DocType: Issue,Opening Time,Czas Otwarcia
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Daty Od i Do są wymagane
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Papiery i Notowania Giełdowe
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Domyślne jednostki miary dla wariantu &quot;{0}&quot; musi być taki sam, jak w szablonie &#39;{1}&#39;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Domyślne jednostki miary dla wariantu &quot;{0}&quot; musi być taki sam, jak w szablonie &#39;{1}&#39;"
 DocType: Shipping Rule,Calculate Based On,Obliczone na podstawie
 DocType: Contract,Unfulfilled,Niespełnione
 DocType: Delivery Note Item,From Warehouse,Z magazynu
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Brak pracowników dla wymienionych kryteriów
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Brak przedmioty z Bill of Materials do produkcji
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Brak przedmioty z Bill of Materials do produkcji
 DocType: Shopify Settings,Default Customer,Domyślny klient
+DocType: Sales Stage,Stage Name,Pseudonim artystyczny
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.RRRR.-
 DocType: Assessment Plan,Supervisor Name,Nazwa Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Nie potwierdzaj, czy spotkanie zostanie utworzone na ten sam dzień"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Ship To State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Ship To State
 DocType: Program Enrollment Course,Program Enrollment Course,Kurs rejestracyjny programu
 DocType: Program Enrollment Course,Program Enrollment Course,Kurs rekrutacji
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Użytkownik {0} jest już przypisany do pracownika służby zdrowia {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Wykonaj wpis dotyczący przechowywania próbek
 DocType: Purchase Taxes and Charges,Valuation and Total,Wycena i kwota całkowita
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negocjacje / przegląd
 DocType: Leave Encashment,Encashment Amount,Kwota rabatu
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Karty wyników
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Wygasłe partie
@@ -5058,7 +5123,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aktualne otwarcia
 DocType: Notification Control,Customize the Notification,Dostosuj powiadomienie
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Przepływy środków pieniężnych z działalności operacyjnej
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Kwota
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Kwota
 DocType: Purchase Invoice,Shipping Rule,Zasada dostawy
 DocType: Patient Relation,Spouse,Małżonka
 DocType: Lab Test Groups,Add Test,Dodaj test
@@ -5072,14 +5137,14 @@
 DocType: Payroll Entry,Payroll Frequency,Częstotliwość Płace
 DocType: Lab Test Template,Sensitivity,Wrażliwość
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Synchronizacja została tymczasowo wyłączona, ponieważ przekroczono maksymalną liczbę ponownych prób"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Surowiec
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Surowiec
 DocType: Leave Application,Follow via Email,Odpowiedz za pomocą E-maila
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Rośliny i maszyn
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Kwota podatku po odliczeniu wysokości rabatu
 DocType: Patient,Inpatient Status,Status stacjonarny
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Codzienne podsumowanie Ustawienia Pracuj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Wybrany cennik powinien mieć sprawdzone pola kupna i sprzedaży.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Wprowadź Reqd według daty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Wybrany cennik powinien mieć sprawdzone pola kupna i sprzedaży.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Wprowadź Reqd według daty
 DocType: Payment Entry,Internal Transfer,Transfer wewnętrzny
 DocType: Asset Maintenance,Maintenance Tasks,Zadania konserwacji
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Wymagana jest ilość lub kwota docelowa
@@ -5101,7 +5166,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ostatnia komunikacja
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ostatnia komunikacja
 ,TDS Payable Monthly,Miesięczny płatny TDS
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,W kolejce do zastąpienia BOM. Może to potrwać kilka minut.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,W kolejce do zastąpienia BOM. Może to potrwać kilka minut.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nie można wywnioskować, kiedy kategoria dotyczy ""Ocena"" a kiedy ""Oceny i Total"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Nr-y seryjne Wymagane do szeregowania pozycji {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Płatności mecz fakturami
@@ -5114,7 +5179,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Dodaj do Koszyka
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Grupuj według
 DocType: Guardian,Interests,Zainteresowania
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Włącz/wyłącz waluty.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Włącz/wyłącz waluty.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nie można przesłać niektórych zwrotów wynagrodzeń
 DocType: Exchange Rate Revaluation,Get Entries,Uzyskaj wpisy
 DocType: Production Plan,Get Material Request,Uzyskaj Materiał Zamówienie
@@ -5136,15 +5201,16 @@
 DocType: Lead,Lead Type,Typ Tropu
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Nie masz uprawnień do zatwierdzania tych urlopów
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Na wszystkie te przedmioty już została wystawiona faktura
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Ustaw nową datę wydania
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Ustaw nową datę wydania
 DocType: Company,Monthly Sales Target,Miesięczny cel sprzedaży
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Może być zatwierdzone przez {0}
 DocType: Hotel Room,Hotel Room Type,Rodzaj pokoju hotelowego
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Dostawca&gt; Dostawca Typ
 DocType: Leave Allocation,Leave Period,Opuść okres
 DocType: Item,Default Material Request Type,Domyślnie Materiał Typ żądania
 DocType: Supplier Scorecard,Evaluation Period,Okres próbny
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Nieznany
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Zamówienie pracy nie zostało utworzone
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Zamówienie pracy nie zostało utworzone
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Kwota {0} już zgłoszona dla komponentu {1}, \ ustaw kwotę równą lub większą niż {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Warunki zasady dostawy
@@ -5179,15 +5245,15 @@
 DocType: Batch,Source Document Name,Nazwa dokumentu źródłowego
 DocType: Production Plan,Get Raw Materials For Production,Zdobądź surowce do produkcji
 DocType: Job Opening,Job Title,Nazwa stanowiska pracy
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} wskazuje, że {1} nie poda cytatu, ale wszystkie cytaty \ zostały cytowane. Aktualizowanie stanu cytatu RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksymalne próbki - {0} zostały już zachowane dla Partii {1} i pozycji {2} w Partii {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksymalne próbki - {0} zostały już zachowane dla Partii {1} i pozycji {2} w Partii {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Zaktualizuj automatycznie koszt BOM
 DocType: Lab Test,Test Name,Nazwa testu
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Procedura kliniczna Materiały eksploatacyjne
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Tworzenie użytkowników
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Subskrypcje
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Subskrypcje
 DocType: Supplier Scorecard,Per Month,Na miesiąc
 DocType: Education Settings,Make Academic Term Mandatory,Uczyń okres akademicki obowiązkowym
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Ilość do produkcji musi być większy niż 0 ° C.
@@ -5196,10 +5262,10 @@
 DocType: Stock Entry,Update Rate and Availability,Aktualizuj cenę i dostępność
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procent który wolno Ci otrzymać lub dostarczyć ponad zamówioną ilość. Na przykład: jeśli zamówiłeś 100 jednostek i Twój procent wynosi 10% oznacza to, że możesz otrzymać 110 jednostek"
 DocType: Loyalty Program,Customer Group,Grupa Klientów
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Wiersz nr {0}: operacja {1} nie została ukończona dla {2} ilości gotowych towarów w kolejności roboczej nr {3}. Zaktualizuj status operacji za pomocą dzienników czasowych
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Wiersz nr {0}: operacja {1} nie została ukończona dla {2} ilości gotowych towarów w kolejności roboczej nr {3}. Zaktualizuj status operacji za pomocą dzienników czasowych
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nowy identyfikator partii (opcjonalnie)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nowy identyfikator partii (opcjonalnie)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Konto wydatków jest obowiązkowe dla przedmiotu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Konto wydatków jest obowiązkowe dla przedmiotu {0}
 DocType: BOM,Website Description,Opis strony WWW
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Zmiana netto w kapitale własnym
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Anuluj faktura zakupu {0} Pierwszy
@@ -5214,7 +5280,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Nie ma nic do edycji
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Widok formularza
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Potwierdzenie wydatków Obowiązkowe w rachunku kosztów
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Podsumowanie dla tego miesiąca i działań toczących
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Podsumowanie dla tego miesiąca i działań toczących
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ustaw niezrealizowane konto zysku / straty w firmie {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Dodaj użytkowników do organizacji, innych niż Ty."
 DocType: Customer Group,Customer Group Name,Nazwa Grupy Klientów
@@ -5224,14 +5290,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Nie utworzono żadnego żadnego materialnego wniosku
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kwota kredytu nie może przekroczyć maksymalna kwota kredytu o {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licencja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Proszę usunąć tę fakturę {0} z C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Proszę usunąć tę fakturę {0} z C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Proszę wybrać Przeniesienie jeżeli chcesz uwzględnić balans poprzedniego roku rozliczeniowego do tego roku rozliczeniowego
 DocType: GL Entry,Against Voucher Type,Rodzaj dowodu
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Dodano gniazda czasowe
 DocType: Item,Attributes,Atrybuty
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Włącz szablon
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Proszę zdefiniować konto odpisów
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Proszę zdefiniować konto odpisów
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Data Ostatniego Zamówienia
 DocType: Salary Component,Is Payable,Jest płatna
 DocType: Inpatient Record,B Negative,B Negatywne
@@ -5242,7 +5308,7 @@
 DocType: Hotel Room,Hotel Room,Pokój hotelowy
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Konto {0} nie należy do firmy {1}
 DocType: Leave Type,Rounding,Zaokrąglanie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Numery seryjne w wierszu {0} nie pasują do opisu dostawy
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Numery seryjne w wierszu {0} nie pasują do opisu dostawy
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Dawka dodana (zaszeregowana)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Następnie reguły cenowe są filtrowane na podstawie klienta, grupy klientów, terytorium, dostawcy, grupy dostawców, kampanii, partnera handlowego itp."
 DocType: Student,Guardian Details,Szczegóły Stróża
@@ -5251,10 +5317,10 @@
 DocType: Vehicle,Chassis No,Podwozie Nie
 DocType: Payment Request,Initiated,Zapoczątkowany
 DocType: Production Plan Item,Planned Start Date,Planowana data rozpoczęcia
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Wybierz zestawienie materiałów
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Wybierz zestawienie materiałów
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Korzystał ze zintegrowanego podatku ITC
 DocType: Purchase Order Item,Blanket Order Rate,Ogólny koszt zamówienia
-apps/erpnext/erpnext/hooks.py +156,Certification,Orzecznictwo
+apps/erpnext/erpnext/hooks.py +157,Certification,Orzecznictwo
 DocType: Bank Guarantee,Clauses and Conditions,Klauzule i warunki
 DocType: Serial No,Creation Document Type,
 DocType: Project Task,View Timesheet,Zobacz grafiku
@@ -5279,6 +5345,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Dominująca pozycja {0} nie może być pozycja Zdjęcie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Listing witryny
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Wszystkie produkty i usługi.
+DocType: Email Digest,Open Quotations,Otwarte oferty
 DocType: Expense Claim,More Details,Więcej szczegółów
 DocType: Supplier Quotation,Supplier Address,Adres dostawcy
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budżet dla rachunku {1} w stosunku do {2} {3} wynosi {4}. Będzie przekraczać o {5}
@@ -5293,12 +5360,11 @@
 DocType: Training Event,Exam,Egzamin
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Błąd na rynku
 DocType: Complaint,Complaint,Skarga
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Magazyn wymagany dla przedmiotu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Magazyn wymagany dla przedmiotu {0}
 DocType: Leave Allocation,Unused leaves,Niewykorzystane urlopy
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Dokonaj wpisu o spłatę
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Wszystkie departamenty
 DocType: Healthcare Service Unit,Vacant,Pusty
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Dostawca&gt; Dostawca Typ
 DocType: Patient,Alcohol Past Use,Alkohol w przeszłości
 DocType: Fertilizer Content,Fertilizer Content,Zawartość nawozu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Kr
@@ -5306,7 +5372,7 @@
 DocType: Tax Rule,Billing State,Stan Billing
 DocType: Share Transfer,Transfer,Transfer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Zamówienie pracy {0} musi zostać anulowane przed anulowaniem tego zamówienia sprzedaży
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),
 DocType: Authorization Rule,Applicable To (Employee),Stosowne dla (Pracownik)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Due Date jest obowiązkowe
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Przyrost dla atrybutu {0} nie może być 0
@@ -5322,7 +5388,7 @@
 DocType: Disease,Treatment Period,Okres leczenia
 DocType: Travel Itinerary,Travel Itinerary,Plan podróży
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Wynik już przesłany
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Magazyn Reserved jest obowiązkowy dla Produktu {0} w dostarczonych Surowcach
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Magazyn Reserved jest obowiązkowy dla Produktu {0} w dostarczonych Surowcach
 ,Inactive Customers,Nieaktywne Klienci
 DocType: Student Admission Program,Maximum Age,Maksymalny wiek
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Poczekaj 3 dni przed ponownym wysłaniem przypomnienia.
@@ -5331,7 +5397,6 @@
 DocType: Stock Entry,Delivery Note No,Nr dowodu dostawy
 DocType: Cheque Print Template,Message to show,Wiadomość pokazać
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Detal
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Zarządzaj fakturą powołań automatycznie
 DocType: Student Attendance,Absent,Nieobecny
 DocType: Staffing Plan,Staffing Plan Detail,Szczegółowy plan zatrudnienia
 DocType: Employee Promotion,Promotion Date,Data promocji
@@ -5353,7 +5418,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Dokonaj Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Druk i Materiały Biurowe
 DocType: Stock Settings,Show Barcode Field,Pokaż pole kodu kreskowego
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Wyślij e-maile Dostawca
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Wyślij e-maile Dostawca
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Wynagrodzenie już przetwarzane w okresie od {0} i {1} Zostaw okresu stosowania nie może być pomiędzy tym zakresie dat.
 DocType: Fiscal Year,Auto Created,Automatycznie utworzone
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Prześlij to, aby utworzyć rekord pracownika"
@@ -5362,7 +5427,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktura {0} już nie istnieje
 DocType: Guardian Interest,Guardian Interest,Strażnik Odsetki
 DocType: Volunteer,Availability,Dostępność
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Ustaw wartości domyślne dla faktur POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Ustaw wartości domyślne dla faktur POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Trening
 DocType: Project,Time to send,Czas wysłać
 DocType: Timesheet,Employee Detail,Szczegóły urzędnik
@@ -5386,7 +5451,7 @@
 DocType: Training Event Employee,Optional,Opcjonalny
 DocType: Salary Slip,Earning & Deduction,Dochód i Odliczenie
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza wody
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Utworzono wariantów {0}.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Utworzono wariantów {0}.
 DocType: Amazon MWS Settings,Region,Region
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcjonalne. Te Ustawienie będzie użyte w filtrze dla różnych transacji.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Błąd Szacowania Wartość nie jest dozwolona
@@ -5405,7 +5470,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Koszt złomowany aktywach
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: MPK jest obowiązkowe dla pozycji {2}
 DocType: Vehicle,Policy No,Polityka nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Elementy z Bundle produktu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Elementy z Bundle produktu
 DocType: Asset,Straight Line,Linia prosta
 DocType: Project User,Project User,Użytkownik projektu
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Rozdzielać
@@ -5414,7 +5479,7 @@
 DocType: GL Entry,Is Advance,Zaawansowany proces
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Cykl życia pracownika
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Obecnośc od i do Daty są obowiązkowe
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Proszę wprowadź ""Zlecona"" jako Tak lub Nie"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Proszę wprowadź ""Zlecona"" jako Tak lub Nie"
 DocType: Item,Default Purchase Unit of Measure,Domyślny zakup jednostki miary
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ostatni dzień komunikacji
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ostatni dzień komunikacji
@@ -5424,7 +5489,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Brak dostępu do tokena lub adresu Shopify URL
 DocType: Location,Latitude,Szerokość
 DocType: Work Order,Scrap Warehouse,złom Magazyn
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Wymagany magazyn w Wiersz nr {0}, ustaw domyślny magazyn dla pozycji {1} dla firmy {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Wymagany magazyn w Wiersz nr {0}, ustaw domyślny magazyn dla pozycji {1} dla firmy {2}"
 DocType: Work Order,Check if material transfer entry is not required,"Sprawdź, czy nie ma konieczności wczytywania materiału"
 DocType: Work Order,Check if material transfer entry is not required,"Sprawdź, czy nie ma konieczności wczytywania materiału"
 DocType: Program Enrollment Tool,Get Students From,Uzyskaj studentów z
@@ -5441,6 +5506,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nowa partia
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Odzież i akcesoria
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Nie udało się rozwiązać funkcji ważonych punktów. Upewnij się, że formuła jest prawidłowa."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Elementy zamówienia zakupu nie zostały dostarczone na czas
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Numer zlecenia
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML / Banner, który pokaże się na górze listy produktów."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Określ warunki do obliczenia kwoty wysyłki
@@ -5449,9 +5515,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Ścieżka
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Nie można przekonwertować centrum kosztów do księgi głównej, jak to ma węzły potomne"
 DocType: Production Plan,Total Planned Qty,Całkowita planowana ilość
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Wartość otwarcia
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Wartość otwarcia
 DocType: Salary Component,Formula,Formuła
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Seryjny #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Seryjny #
 DocType: Lab Test Template,Lab Test Template,Szablon testu laboratoryjnego
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Konto sprzedaży
 DocType: Purchase Invoice Item,Total Weight,Waga całkowita
@@ -5469,7 +5535,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Materiał uczynić żądanie
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Pozycja otwarta {0}
 DocType: Asset Finance Book,Written Down Value,Zapisana wartość
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Proszę ustawić system nazewnictwa pracowników w Zasobach Ludzkich&gt; Ustawienia HR
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktura Sprzedaży {0} powinna być anulowana przed anulowaniem samego Zlecenia Sprzedaży
 DocType: Clinical Procedure,Age,Wiek
 DocType: Sales Invoice Timesheet,Billing Amount,Kwota Rozliczenia
@@ -5478,11 +5543,11 @@
 DocType: Company,Default Employee Advance Account,Domyślne konto Advance pracownika
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Element wyszukiwania (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.RRRR.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Konto z istniejącymi zapisami nie może być usunięte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Konto z istniejącymi zapisami nie może być usunięte
 DocType: Vehicle,Last Carbon Check,Ostatni Carbon Sprawdź
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Wydatki na obsługę prawną
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Wybierz ilość w wierszu
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Zrób faktury otwarcia i zakupu
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Zrób faktury otwarcia i zakupu
 DocType: Purchase Invoice,Posting Time,Czas publikacji
 DocType: Timesheet,% Amount Billed,% wartości rozliczonej
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Wydatki telefoniczne
@@ -5497,14 +5562,14 @@
 DocType: Maintenance Visit,Breakdown,Rozkład
 DocType: Travel Itinerary,Vegetarian,Wegetariański
 DocType: Patient Encounter,Encounter Date,Data spotkania
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Konto: {0} z waluty: nie można wybrać {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Konto: {0} z waluty: nie można wybrać {1}
 DocType: Bank Statement Transaction Settings Item,Bank Data,Dane bankowe
 DocType: Purchase Receipt Item,Sample Quantity,Ilość próbki
 DocType: Bank Guarantee,Name of Beneficiary,Imię beneficjenta
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Zaktualizuj koszt BOM automatycznie za pomocą harmonogramu, w oparciu o ostatnią wycenę / kurs cen / ostatni kurs zakupu surowców."
 DocType: Supplier,SUP-.YYYY.-,SUP-.RRRR.-
 DocType: Bank Reconciliation Detail,Cheque Date,Data czeku
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Konto nadrzędne {1} nie należy do firmy: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Konto nadrzędne {1} nie należy do firmy: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Pomyślnie usunięte wszystkie transakcje związane z tą firmą!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,W sprawie daty
 DocType: Additional Salary,HR,HR
@@ -5512,7 +5577,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Wypisuj alerty SMS dla pacjentów
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Wyrok lub staż
 DocType: Program Enrollment Tool,New Academic Year,Nowy rok akademicki
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Powrót / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Powrót / Credit Note
 DocType: Stock Settings,Auto insert Price List rate if missing,Automatycznie wstaw wartość z cennika jeśli jej brakuje
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Kwota całkowita Płatny
 DocType: GST Settings,B2C Limit,Limit B2C
@@ -5530,10 +5595,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,węzły potomne mogą być tworzone tylko w węzłach typu &quot;grupa&quot;
 DocType: Attendance Request,Half Day Date,Pół Dzień Data
 DocType: Academic Year,Academic Year Name,Nazwa Roku Akademickiego
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} nie może przeprowadzać transakcji z {1}. Zmień firmę.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} nie może przeprowadzać transakcji z {1}. Zmień firmę.
 DocType: Sales Partner,Contact Desc,Opis kontaktu
 DocType: Email Digest,Send regular summary reports via Email.,Wyślij regularne raporty podsumowujące poprzez e-mail.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Proszę ustawić domyślne konto w Expense Claim typu {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Proszę ustawić domyślne konto w Expense Claim typu {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Dostępne liście
 DocType: Assessment Result,Student Name,Nazwa Student
 DocType: Hub Tracked Item,Item Manager,Pozycja menedżera
@@ -5558,9 +5623,10 @@
 DocType: Subscription,Trial Period End Date,Termin zakończenia okresu próbnego
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Brak autoryzacji od {0} przekroczono granice
 DocType: Serial No,Asset Status,Status zasobu
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Ponad wymiarowe ładunki (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Stolik Restauracyjny
 DocType: Hotel Room,Hotel Manager,Kierownik hotelu
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Ustaw regułę podatkowa do koszyka
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Ustaw regułę podatkowa do koszyka
 DocType: Purchase Invoice,Taxes and Charges Added,Dodano podatki i opłaty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Wiersz amortyzacji {0}: Data następnej amortyzacji nie może być wcześniejsza niż data przydatności do użycia
 ,Sales Funnel,Lejek Sprzedaży
@@ -5576,10 +5642,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Wszystkie grupy klientów
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,skumulowane miesięcznie
 DocType: Attendance Request,On Duty,Na służbie
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} jest obowiązkowe. Możliwe, że rekord Wymiana walut nie jest utworzony dla {1} do {2}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} jest obowiązkowe. Możliwe, że rekord Wymiana walut nie jest utworzony dla {1} do {2}."
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Plan zatrudnienia {0} już istnieje dla wyznaczenia {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Szablon podatkowa jest obowiązkowe.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Konto {0}: Konto nadrzędne {1} nie istnieje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Konto {0}: Konto nadrzędne {1} nie istnieje
 DocType: POS Closing Voucher,Period Start Date,Data rozpoczęcia okresu
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Wartość w cenniku (waluta firmy)
 DocType: Products Settings,Products Settings,produkty Ustawienia
@@ -5599,7 +5665,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Ta czynność zatrzyma przyszłe płatności. Czy na pewno chcesz anulować subskrypcję?
 DocType: Serial No,Distinct unit of an Item,Odrębna jednostka przedmiotu
 DocType: Supplier Scorecard Criteria,Criteria Name,Kryteria Nazwa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Proszę ustawić firmę
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Proszę ustawić firmę
 DocType: Procedure Prescription,Procedure Created,Procedura Utworzono
 DocType: Pricing Rule,Buying,Zakupy
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Choroby i nawozy
@@ -5616,29 +5682,30 @@
 DocType: Employee Onboarding,Job Offer,Oferta pracy
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Instytut Skrót
 ,Item-wise Price List Rate,
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Oferta dostawcy
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Oferta dostawcy
 DocType: Quotation,In Words will be visible once you save the Quotation.,
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Liczba ({0}) nie może być ułamkiem w rzędzie {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Liczba ({0}) nie może być ułamkiem w rzędzie {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Liczba ({0}) nie może być ułamkiem w rzędzie {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Liczba ({0}) nie może być ułamkiem w rzędzie {1}
 DocType: Contract,Unsigned,Bez podpisu
 DocType: Selling Settings,Each Transaction,Każda transakcja
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Kod kreskowy {0} jest już używany dla przedmiotu {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Kod kreskowy {0} jest już używany dla przedmiotu {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Zasady naliczania kosztów transportu.
 DocType: Hotel Room,Extra Bed Capacity,Wydajność dodatkowego łóżka
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Otwarcie Zdjęcie
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klient jest wymagany
 DocType: Lab Test,Result Date,Data wyniku
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Data PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Data PDC / LC
 DocType: Purchase Order,To Receive,Otrzymać
 DocType: Leave Period,Holiday List for Optional Leave,Lista urlopowa dla Opcjonalnego urlopu
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Właściciel zasobu
 DocType: Purchase Invoice,Reason For Putting On Hold,Powód do zawieszenia
 DocType: Employee,Personal Email,Osobisty E-mail
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Całkowitej wariancji
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Całkowitej wariancji
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jeśli opcja jest włączona, system będzie zamieszczać wpisy księgowe dla inwentarza automatycznie."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Pośrednictwo
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Frekwencja na pracownika {0} jest już zaznaczone na ten dzień
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Frekwencja na pracownika {0} jest już zaznaczone na ten dzień
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","w minutach 
  Aktualizacja poprzez ""Czas Zaloguj"""
@@ -5646,14 +5713,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Zlecenia synchronizacji
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Zamówienia puszczone do produkcji.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Wybierz rok finansowy ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,Profil POS wymagany do tworzenia wpisu z POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,Profil POS wymagany do tworzenia wpisu z POS
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Punkty lojalnościowe będą obliczane na podstawie zużytego (za pomocą faktury sprzedaży), na podstawie wspomnianego współczynnika zbierania."
 DocType: Program Enrollment Tool,Enroll Students,zapisać studentów
 DocType: Company,HRA Settings,Ustawienia HRA
 DocType: Employee Transfer,Transfer Date,Data przeniesienia
 DocType: Lab Test,Approved Date,Zatwierdzona data
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard sprzedaży
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Co najmniej jeden magazyn jest wymagany
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Co najmniej jeden magazyn jest wymagany
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Skonfiguruj pola pozycji, takie jak UOM, Grupa produktów, Opis i liczba godzin."
 DocType: Certification Application,Certification Status,Status certyfikacji
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Rynek
@@ -5673,6 +5740,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Dopasowanie faktur
 DocType: Work Order,Required Items,wymagane przedmioty
 DocType: Stock Ledger Entry,Stock Value Difference,Różnica wartości zapasów
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Wiersz pozycji {0}: {1} {2} nie istnieje w powyższej tabeli &quot;{1}&quot;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Zasoby Ludzkie
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Płatność Wyrównawcza Płatności
 DocType: Disease,Treatment Task,Zadanie leczenia
@@ -5690,7 +5758,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Urlop musi by przyporządkowany w mnożniku 0.5
 DocType: Work Order,Operation Cost,Koszt operacji
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Zaległa wartość
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identyfikacja decydentów
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Zaległa wartość
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Zamroź asortyment starszy niż [dni]
 DocType: Payment Request,Payment Ordered,Płatność zamówiona
@@ -5702,14 +5771,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Koło życia
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Stwórz BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Współczynnik sprzedaży dla elementu {0} jest niższy niż {1}. Procent sprzedaży powinien wynosić co najmniej {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Współczynnik sprzedaży dla elementu {0} jest niższy niż {1}. Prędkość sprzedaży powinna wynosić co najmniej {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Współczynnik sprzedaży dla elementu {0} jest niższy niż {1}. Procent sprzedaży powinien wynosić co najmniej {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Współczynnik sprzedaży dla elementu {0} jest niższy niż {1}. Prędkość sprzedaży powinna wynosić co najmniej {2}
 DocType: Subscription,Taxes,Podatki
 DocType: Purchase Invoice,capital goods,dobra inwestycyjne
 DocType: Purchase Invoice Item,Weight Per Unit,Waga na jednostkę
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Płatny i niedostarczone
-DocType: Project,Default Cost Center,Domyślne Centrum Kosztów
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Domyślne Centrum Kosztów
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Operacje magazynowe
 DocType: Budget,Budget Accounts,Rachunki ekonomiczne
 DocType: Employee,Internal Work History,Wewnętrzne Historia Pracuj
@@ -5742,7 +5810,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Pracownik służby zdrowia niedostępny na {0}
 DocType: Stock Entry Detail,Additional Cost,Dodatkowy koszt
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Nie można przefiltrować wg Podstawy, jeśli pogrupowano z użyciem Podstawy"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,
 DocType: Quality Inspection,Incoming,Przychodzące
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Definiowane są domyślne szablony podatkowe dla sprzedaży i zakupu.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Wynik Wynik {0} już istnieje.
@@ -5758,7 +5826,7 @@
 DocType: Batch,Batch ID,Identyfikator Partii
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Uwaga: {0}
 ,Delivery Note Trends,Trendy Dowodów Dostawy
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Podsumowanie W tym tygodniu
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Podsumowanie W tym tygodniu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Ilość w magazynie
 ,Daily Work Summary Replies,Podsumowanie codziennej pracy
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Oblicz szacowany czas przyjazdu
@@ -5768,7 +5836,7 @@
 DocType: Bank Account,Party,Grupa
 DocType: Healthcare Settings,Patient Name,Imię pacjenta
 DocType: Variant Field,Variant Field,Pole wariantu
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Docelowa lokalizacja
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Docelowa lokalizacja
 DocType: Sales Order,Delivery Date,Data dostawy
 DocType: Opportunity,Opportunity Date,Data szansy
 DocType: Employee,Health Insurance Provider,Dostawca ubezpieczenia zdrowotnego
@@ -5787,7 +5855,7 @@
 DocType: Employee,History In Company,Historia Firmy
 DocType: Customer,Customer Primary Address,Główny adres klienta
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Biuletyny
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Nr referencyjny.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Nr referencyjny.
 DocType: Drug Prescription,Description/Strength,Opis / Siła
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Utwórz nową pozycję płatności / księgowania
 DocType: Certification Application,Certification Application,Aplikacja certyfikacyjna
@@ -5798,10 +5866,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Sama pozycja została wprowadzona wielokrotnie
 DocType: Department,Leave Block List,Lista Blokowanych Urlopów
 DocType: Purchase Invoice,Tax ID,Identyfikator podatkowy (NIP)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nie jest ustawiony na nr seryjny. Kolumny powinny być puste
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nie jest ustawiony na nr seryjny. Kolumny powinny być puste
 DocType: Accounts Settings,Accounts Settings,Ustawienia Kont
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Zatwierdzać
 DocType: Loyalty Program,Customer Territory,Terytorium klienta
+DocType: Email Digest,Sales Orders to Deliver,Zlecenia sprzedaży do realizacji
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Numer nowego Konta, zostanie dodany do nazwy konta jako prefiks"
 DocType: Maintenance Team Member,Team Member,Członek zespołu
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Brak wyniku
@@ -5811,7 +5880,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Razem {0} dla wszystkich elementów wynosi zero, może trzeba zmienić „Dystrybucja opłat na podstawie”"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Do tej pory nie może być mniejsza niż od daty
 DocType: Opportunity,To Discuss,Do omówienia
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,"Jest to oparte na transakcjach z tym subskrybentem. Zobacz oś czasu poniżej, aby uzyskać szczegółowe informacje"
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,"{0} jednostki {1} potrzebne w {2}, aby zakończyć tę transakcję."
 DocType: Loan Type,Rate of Interest (%) Yearly,Stopa procentowa (%) Roczne
 DocType: Support Settings,Forum URL,URL forum
@@ -5826,7 +5894,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Ucz się więcej
 DocType: Cheque Print Template,Distance from top edge,Odległość od górnej krawędzi
 DocType: POS Closing Voucher Invoices,Quantity of Items,Ilość przedmiotów
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Cennik {0} jest wyłączona lub nie istnieje
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Cennik {0} jest wyłączona lub nie istnieje
 DocType: Purchase Invoice,Return,Powrót
 DocType: Pricing Rule,Disable,Wyłącz
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,"Sposób płatności jest wymagane, aby dokonać płatności"
@@ -5834,18 +5902,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Edytuj na całej stronie, aby uzyskać więcej opcji, takich jak zasoby, numery seryjne, partie itp."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksymalne ciągłe dni obowiązujące
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nie jest powiązana z transakcją{2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Składnik {0} nie może zostać wycofane, jak to jest już {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Składnik {0} nie może zostać wycofane, jak to jest już {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Wymagane kontrole
 DocType: Task,Total Expense Claim (via Expense Claim),Razem zwrot kosztów (przez zwrot kosztów)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Oznacz Nieobecna
 DocType: Job Applicant Source,Job Applicant Source,Źródło wniosku o pracę
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Wielkość IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Wielkość IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Nie udało się skonfigurować firmy
 DocType: Asset Repair,Asset Repair,Naprawa aktywów
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Wiersz {0}: Waluta BOM # {1} powinna być równa wybranej walucie {2}
 DocType: Journal Entry Account,Exchange Rate,Kurs wymiany
 DocType: Patient,Additional information regarding the patient,Dodatkowe informacje dotyczące pacjenta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Zlecenie Sprzedaży {0} nie jest jeszcze złożone
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Zlecenie Sprzedaży {0} nie jest jeszcze złożone
 DocType: Homepage,Tag Line,tag Linia
 DocType: Fee Component,Fee Component,opłata Komponent
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Fleet Management
@@ -5860,7 +5928,7 @@
 DocType: Healthcare Practitioner,Mobile,mobilny
 ,Sales Person-wise Transaction Summary,
 DocType: Training Event,Contact Number,Numer kontaktowy
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Magazyn {0} nie istnieje
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Magazyn {0} nie istnieje
 DocType: Cashier Closing,Custody,Opieka
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Szczegółowe informacje dotyczące złożenia zeznania podatkowego dla pracowników
 DocType: Monthly Distribution,Monthly Distribution Percentages,Miesięczne Procenty Dystrybucja
@@ -5875,7 +5943,7 @@
 DocType: Payment Entry,Paid Amount,Zapłacona kwota
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Zbadaj cykl sprzedaży
 DocType: Assessment Plan,Supervisor,Kierownik
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Wpis do magazynu retencyjnego
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Wpis do magazynu retencyjnego
 ,Available Stock for Packing Items,Dostępne ilości dla materiałów opakunkowych
 DocType: Item Variant,Item Variant,Pozycja Wersja
 ,Work Order Stock Report,Raport o stanie zlecenia pracy
@@ -5884,9 +5952,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Jako Supervisor
 DocType: Leave Policy Detail,Leave Policy Detail,Pozostaw szczegóły zasady
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Złom Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Złożone zlecenia nie mogą zostać usunięte
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jest na minusie, nie możesz ustawić wymagań jako kredyt."
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Zarządzanie jakością
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Złożone zlecenia nie mogą zostać usunięte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jest na minusie, nie możesz ustawić wymagań jako kredyt."
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Zarządzanie jakością
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Element {0} została wyłączona
 DocType: Project,Total Billable Amount (via Timesheets),Całkowita kwota do naliczenia (za pośrednictwem kart pracy)
 DocType: Agriculture Task,Previous Business Day,Poprzedni dzień roboczy
@@ -5909,15 +5977,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Centra Kosztów
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Ponownie uruchom subskrypcję
 DocType: Linked Plant Analysis,Linked Plant Analysis,Połączona analiza roślin
-DocType: Delivery Note,Transporter ID,Identyfikator transportera
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Identyfikator transportera
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Propozycja wartości
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Stawka przy użyciu której waluta dostawcy jest konwertowana do podstawowej waluty firmy
-DocType: Sales Invoice Item,Service End Date,Data zakończenia usługi
+DocType: Purchase Invoice Item,Service End Date,Data zakończenia usługi
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Wiersz # {0}: taktowania konflikty z rzędu {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Zezwalaj na zerową wartość wyceny
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Zezwalaj na zerową wartość wyceny
 DocType: Bank Guarantee,Receiving,Odbieranie
 DocType: Training Event Employee,Invited,Zaproszony
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Rachunki konfiguracji bramy.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Rachunki konfiguracji bramy.
 DocType: Employee,Employment Type,Typ zatrudnienia
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Środki trwałe
 DocType: Payment Entry,Set Exchange Gain / Loss,Ustaw Exchange Zysk / strata
@@ -5933,7 +6002,7 @@
 DocType: Tax Rule,Sales Tax Template,Szablon Podatek od sprzedaży
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Zapłać na poczet zasiłku
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Zaktualizuj numer centrum kosztów
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę"
 DocType: Employee,Encashment Date,Data Inkaso
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Specjalny szablon testu
@@ -5941,13 +6010,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Istnieje Domyślnie aktywny Koszt rodzajów działalności - {0}
 DocType: Work Order,Planned Operating Cost,Planowany koszt operacyjny
 DocType: Academic Term,Term Start Date,Termin Data rozpoczęcia
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lista wszystkich transakcji akcji
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lista wszystkich transakcji akcji
+DocType: Supplier,Is Transporter,Czy Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Importuj fakturę sprzedaży z Shopify, jeśli płatność została zaznaczona"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,"Należy ustawić zarówno datę rozpoczęcia okresu próbnego, jak i datę zakończenia okresu próbnego"
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Średnia stawka
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Całkowita kwota płatności w harmonogramie płatności musi być równa sumie całkowitej / zaokrąglonej
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Całkowita kwota płatności w harmonogramie płatności musi być równa sumie całkowitej / zaokrąglonej
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bilans wyciągów bankowych wedle Księgi Głównej
 DocType: Job Applicant,Applicant Name,Imię Aplikanta
@@ -5975,7 +6045,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Dostępne ilości w magazynie źródłowym
 apps/erpnext/erpnext/config/support.py +22,Warranty,Gwarancja
 DocType: Purchase Invoice,Debit Note Issued,Nocie debetowej
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtr oparty na miejscu powstawania kosztów ma zastosowanie tylko wtedy, gdy jako miejsce powstawania kosztów wybrano Budget Against"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtr oparty na miejscu powstawania kosztów ma zastosowanie tylko wtedy, gdy jako miejsce powstawania kosztów wybrano Budget Against"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Wyszukaj według kodu produktu, numeru seryjnego, numeru partii lub kodu kreskowego"
 DocType: Work Order,Warehouses,Magazyny
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} zasób nie może zostać przetransferowany
@@ -5986,9 +6056,9 @@
 DocType: Workstation,per hour,na godzinę
 DocType: Blanket Order,Purchasing,Nabywczy
 DocType: Announcement,Announcement,Ogłoszenie
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Klient LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Klient LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Dla grupy studentów opartej na partiach, partia ucznia zostanie zatwierdzona dla każdego ucznia z wpisu do programu."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazyn nie może być skasowany tak długo jak długo istnieją zapisy w księdze stanu dla tego magazynu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazyn nie może być skasowany tak długo jak długo istnieją zapisy w księdze stanu dla tego magazynu.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Dystrybucja
 DocType: Journal Entry Account,Loan,Pożyczka
 DocType: Expense Claim Advance,Expense Claim Advance,Advance Claim Advance
@@ -5997,7 +6067,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Menadżer Projektu
 ,Quoted Item Comparison,Porównanie cytowany Item
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Pokrywaj się w punktacji pomiędzy {0} a {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Wyślij
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Wyślij
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Maksymalna zniżka pozwoliło na pozycji: {0} jest {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Wartość aktywów netto na
 DocType: Crop,Produce,Produkować
@@ -6007,20 +6077,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Zużycie materiału do produkcji
 DocType: Item Alternative,Alternative Item Code,Alternatywny kod towaru
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rola pozwala na zatwierdzenie transakcji, których kwoty przekraczają ustalone limity kredytowe."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Wybierz produkty do Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Wybierz produkty do Manufacture
 DocType: Delivery Stop,Delivery Stop,Przystanek dostawy
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Mistrz synchronizacja danych, może to zająć trochę czasu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Mistrz synchronizacja danych, może to zająć trochę czasu"
 DocType: Item,Material Issue,Wydanie materiałów
 DocType: Employee Education,Qualification,Kwalifikacja
 DocType: Item Price,Item Price,Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Środki czystości i Detergenty
 DocType: BOM,Show Items,jasnowidze
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Od czasu nie może być większa niż do czasu.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Czy chcesz powiadomić wszystkich klientów pocztą e-mail?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Czy chcesz powiadomić wszystkich klientów pocztą e-mail?
 DocType: Subscription Plan,Billing Interval,Okres rozliczeniowy
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Ruchomy Obraz i Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Zamówione
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Faktyczna data rozpoczęcia i faktyczna data zakończenia są obowiązkowe
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klient&gt; Grupa klientów&gt; Terytorium
 DocType: Salary Detail,Component,Składnik
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Wiersz {0}: {1} musi być większy niż 0
 DocType: Assessment Criteria,Assessment Criteria Group,Kryteria oceny grupowej
@@ -6051,11 +6122,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Wprowadź nazwę banku lub instytucji kredytowej przed złożeniem wniosku.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} musi zostać wysłany
 DocType: POS Profile,Item Groups,Pozycja Grupy
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Dziś jest {0} 'urodziny!
 DocType: Sales Order Item,For Production,Dla Produkcji
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Waluta konta w walucie
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Dodaj konto tymczasowego otwarcia w planie kont
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Dodaj konto tymczasowego otwarcia w planie kont
 DocType: Customer,Customer Primary Contact,Kontakt główny klienta
 DocType: Project Task,View Task,Zobacz Zadanie
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / ołów%
@@ -6069,11 +6139,11 @@
 DocType: Sales Invoice,Get Advances Received,Uzyskaj otrzymane zaliczki
 DocType: Email Digest,Add/Remove Recipients,Dodaj / Usuń odbiorców
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Aby ustawić ten rok finansowy jako domyślny, kliknij przycisk ""Ustaw jako domyślne"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Kwota potrąconej TDS
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Kwota potrąconej TDS
 DocType: Production Plan,Include Subcontracted Items,Uwzględnij elementy podwykonawstwa
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,łączyć
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Niedobór szt
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,łączyć
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Niedobór szt
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami
 DocType: Loan,Repay from Salary,Spłaty z pensji
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Żądanie zapłatę przed {0} {1} w ilości {2}
 DocType: Additional Salary,Salary Slip,Pasek wynagrodzenia
@@ -6089,7 +6159,7 @@
 DocType: Patient,Dormant,Drzemiący
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odliczanie podatku za nieodebrane świadczenia pracownicze
 DocType: Salary Slip,Total Interest Amount,Łączna kwota odsetek
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Magazyny z węzłów potomnych nie mogą być zamieniane na Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Magazyny z węzłów potomnych nie mogą być zamieniane na Ledger
 DocType: BOM,Manage cost of operations,Zarządzaj kosztami działań
 DocType: Accounts Settings,Stale Days,Stale Dni
 DocType: Travel Itinerary,Arrival Datetime,Przybycie Datetime
@@ -6101,7 +6171,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Wynik oceny Szczegóły
 DocType: Employee Education,Employee Education,Wykształcenie pracownika
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplikat grupę pozycji w tabeli grupy produktów
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"Jest to niezbędne, aby pobrać szczegółowe dotyczące pozycji."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"Jest to niezbędne, aby pobrać szczegółowe dotyczące pozycji."
 DocType: Fertilizer,Fertilizer Name,Nazwa nawozu
 DocType: Salary Slip,Net Pay,Stawka Netto
 DocType: Cash Flow Mapping Accounts,Account,Konto
@@ -6112,14 +6182,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Utwórz oddzielne zgłoszenie wpłaty na poczet roszczenia o zasiłek
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Obecność gorączki (temp.&gt; 38,5 ° C / 101,3 ° F lub trwała temperatura&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Szczegóły dotyczące Teamu Sprzedażowego
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Usuń na stałe?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Usuń na stałe?
 DocType: Expense Claim,Total Claimed Amount,Całkowita kwota roszczeń
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencjalne szanse na sprzedaż.
 DocType: Shareholder,Folio no.,Numer folio
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Nieprawidłowy {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Urlop chorobowy
 DocType: Email Digest,Email Digest,przetwarzanie emaila
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,nie są
 DocType: Delivery Note,Billing Address Name,Nazwa Adresu do Faktury
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,
 ,Item Delivery Date,Data dostarczenia przesyłki
@@ -6135,16 +6204,16 @@
 DocType: Account,Chargeable,Odpowedni do pobierania opłaty.
 DocType: Company,Change Abbreviation,Zmień Skrót
 DocType: Contract,Fulfilment Details,Szczegóły realizacji
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Zapłać {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Zapłać {0} {1}
 DocType: Employee Onboarding,Activities,Zajęcia
 DocType: Expense Claim Detail,Expense Date,Data wydatku
 DocType: Item,No of Months,Liczba miesięcy
 DocType: Item,Max Discount (%),Maksymalny rabat (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Dni kredytu nie mogą być liczbą ujemną
-DocType: Sales Invoice Item,Service Stop Date,Data zatrzymania usługi
+DocType: Purchase Invoice Item,Service Stop Date,Data zatrzymania usługi
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Kwota ostatniego zamówienia
 DocType: Cash Flow Mapper,e.g Adjustments for:,np. korekty dla:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zachowaj próbkę jest oparte na partii, sprawdź opcję Czy partia nr, aby zachować próbkę produktu"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zachowaj próbkę jest oparte na partii, sprawdź opcję Czy partia nr, aby zachować próbkę produktu"
 DocType: Task,Is Milestone,Jest Milestone
 DocType: Certification Application,Yet to appear,Jeszcze się pojawi
 DocType: Delivery Stop,Email Sent To,Email wysłany do
@@ -6152,16 +6221,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Zezwalaj na korzystanie z Centrum kosztów przy wprowadzaniu konta bilansowego
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Scal z istniejącym kontem
 DocType: Budget,Warn,Ostrzeż
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Wszystkie przedmioty zostały już przekazane dla tego zlecenia pracy.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Wszystkie przedmioty zostały już przekazane dla tego zlecenia pracy.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Wszelkie inne uwagi, zauważyć, że powinien iść nakładu w ewidencji."
 DocType: Asset Maintenance,Manufacturing User,Produkcja użytkownika
 DocType: Purchase Invoice,Raw Materials Supplied,Dostarczone surowce
 DocType: Subscription Plan,Payment Plan,Plan płatności
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Włącz zakup przedmiotów za pośrednictwem strony internetowej
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Waluta listy cen {0} musi wynosić {1} lub {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Zarządzanie subskrypcjami
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Zarządzanie subskrypcjami
 DocType: Appraisal,Appraisal Template,Szablon oceny
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Aby przypiąć kod
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Aby przypiąć kod
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Zaznacz to ustawienie, aby włączyć zaplanowaną codzienną procedurę synchronizacji za pośrednictwem programu planującego"
 DocType: Item Group,Item Classification,Pozycja Klasyfikacja
@@ -6171,6 +6240,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Rejestracja pacjenta faktury
 DocType: Crop,Period,Okres
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Księga główna
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Do roku podatkowego
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Zobacz Tropy
 DocType: Program Enrollment Tool,New Program,Nowy program
 DocType: Item Attribute Value,Attribute Value,Wartość atrybutu
@@ -6179,11 +6249,11 @@
 ,Itemwise Recommended Reorder Level,Pozycja Zalecany poziom powtórnego zamówienia
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Pracownik {0} stopnia {1} nie ma domyślnych zasad dotyczących urlopu
 DocType: Salary Detail,Salary Detail,Wynagrodzenie Szczegóły
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Proszę najpierw wybrać {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Proszę najpierw wybrać {0}
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Dodano {0} użytkowników
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","W przypadku programu wielowarstwowego Klienci zostaną automatycznie przypisani do danego poziomu, zgodnie z wydatkami"
 DocType: Appointment Type,Physician,Lekarz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} pozycji {1} wygasł.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} pozycji {1} wygasł.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Konsultacje
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Skończony dobrze
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Cena produktu pojawia się wiele razy w oparciu o Cennik, Dostawcę / Klienta, Walutę, Pozycję, UOM, Ilość i Daty."
@@ -6192,22 +6262,21 @@
 DocType: Certification Application,Name of Applicant,Nazwa wnioskodawcy
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Arkusz Czas produkcji.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Razem
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Nie można zmienić właściwości wariantu po transakcji giełdowej. Będziesz musiał zrobić nową rzecz, aby to zrobić."
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Nie można zmienić właściwości wariantu po transakcji giełdowej. Będziesz musiał zrobić nową rzecz, aby to zrobić."
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandat SEPA bez karty
 DocType: Healthcare Practitioner,Charges,Opłaty
 DocType: Production Plan,Get Items For Work Order,Zdobądź przedmioty na zlecenie pracy
 DocType: Salary Detail,Default Amount,Domyślnie Kwota
 DocType: Lab Test Template,Descriptive,Opisowy
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Magazyn nie został znaleziony w systemie
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Podsumowanie tego miesiąca
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Podsumowanie tego miesiąca
 DocType: Quality Inspection Reading,Quality Inspection Reading,Odczyt kontroli jakości
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,Zapasy starsze niż' powinny być starczyć na %d dni
 DocType: Tax Rule,Purchase Tax Template,Szablon podatkowy zakupów
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Określ cel sprzedaży, jaki chcesz osiągnąć dla swojej firmy."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Opieka zdrowotna
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Opieka zdrowotna
 ,Project wise Stock Tracking,
 DocType: GST HSN Code,Regional,Regionalny
-DocType: Delivery Note,Transport Mode,Tryb transportu
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorium
 DocType: UOM Category,UOM Category,Kategoria UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Rzeczywista Ilość (u źródła/celu)
@@ -6230,17 +6299,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Nie udało się utworzyć witryny
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Szczegóły konwersji jednostki miary
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Wpis zapasu retencji już utworzony lub nie podano próbki próbki
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Wpis zapasu retencji już utworzony lub nie podano próbki próbki
 DocType: Program,Program Abbreviation,Skrót programu
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Produkcja Zamówienie nie może zostać podniesiona przed Szablon Element
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Opłaty są aktualizowane w ZAKUPU każdej pozycji
 DocType: Warranty Claim,Resolved By,Rozstrzygnięte przez
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Zaplanuj rozładowanie
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Czeki i Depozyty nieprawidłowo rozliczone
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Konto {0}: Nie można przypisać siebie jako konta nadrzędnego
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Konto {0}: Nie można przypisać siebie jako konta nadrzędnego
 DocType: Purchase Invoice Item,Price List Rate,Wartość w cenniku
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Tworzenie cytaty z klientami
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Data zatrzymania usługi nie może być późniejsza niż data zakończenia usługi
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Data zatrzymania usługi nie może być późniejsza niż data zakończenia usługi
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Pokazuj ""W magazynie"" lub ""Brak w magazynie"" bazując na ilości dostępnej w tym magazynie."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Zestawienie materiałowe (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Średni czas podjęte przez dostawcę do dostarczenia
@@ -6252,11 +6321,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Godziny
 DocType: Project,Expected Start Date,Spodziewana data startowa
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korekta na fakturze
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Zamówienie pracy zostało już utworzone dla wszystkich produktów z zestawieniem komponentów
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Zamówienie pracy zostało już utworzone dla wszystkich produktów z zestawieniem komponentów
 DocType: Payment Request,Party Details,Strona Szczegóły
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Szczegółowy raport dotyczący wariantu
 DocType: Setup Progress Action,Setup Progress Action,Konfiguracja działania
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Kupowanie cennika
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Kupowanie cennika
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Usuń element, jeśli opłata nie ma zastosowania do tej pozycji"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Anuluj subskrypcje
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Wybierz Stan konserwacji jako Zakończony lub Usuń datę ukończenia
@@ -6274,7 +6343,7 @@
 DocType: Asset,Disposal Date,Utylizacja Data
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emaile zostaną wysłane do wszystkich aktywnych pracowników Spółki w danej godzinie, jeśli nie mają wakacji. Streszczenie odpowiedzi będą wysyłane na północy."
 DocType: Employee Leave Approver,Employee Leave Approver,Zgoda na zwolnienie dla pracownika
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},"Wiersz {0}: Zapis ponownego zamawiania dla tego magazynu, {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},"Wiersz {0}: Zapis ponownego zamawiania dla tego magazynu, {1}"
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",Nie można zadeklarować jako zagubiony z powodu utworzenia kwotacji
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Konto CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Szkolenie Zgłoszenie
@@ -6286,7 +6355,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,"""Do daty"" nie może być terminem przed ""od daty"""
 DocType: Supplier Quotation Item,Prevdoc DocType,Typ dokumentu dla poprzedniego dokumentu
 DocType: Cash Flow Mapper,Section Footer,Sekcja stopki
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Dodaj / Edytuj ceny
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Dodaj / Edytuj ceny
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Promocji Pracowników nie można przesłać przed datą promocji
 DocType: Batch,Parent Batch,Nadrzędna partia
 DocType: Batch,Parent Batch,Nadrzędna partia
@@ -6297,6 +6366,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Kolekcja Próbek
 ,Requested Items To Be Ordered,Proszę o Zamówienie Przedmiotów
 DocType: Price List,Price List Name,Nazwa cennika
+DocType: Delivery Stop,Dispatch Information,Informacje o wysyłce
 DocType: Blanket Order,Manufacturing,Produkcja
 ,Ordered Items To Be Delivered,Zamówione produkty do dostarczenia
 DocType: Account,Income,Przychody
@@ -6315,17 +6385,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jednostki {1} potrzebne w {2} na {3} {4} {5} w celu zrealizowania tej transakcji.
 DocType: Fee Schedule,Student Category,Student Kategoria
 DocType: Announcement,Student,Student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Ilość zapasów do rozpoczęcia procedury nie jest dostępna w magazynie. Czy chcesz nagrać transfer fotografii?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Ilość zapasów do rozpoczęcia procedury nie jest dostępna w magazynie. Czy chcesz nagrać transfer fotografii?
 DocType: Shipping Rule,Shipping Rule Type,Typ reguły wysyłki
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Idź do Pokoje
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Firma, konto płatności, data i data są obowiązkowe"
 DocType: Company,Budget Detail,Szczegóły Budżetu
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Proszę wpisać wiadomość przed wysłaniem
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,SKLEP DO DOSTAWCY
-DocType: Email Digest,Pending Quotations,Oferty oczekujące
-DocType: Delivery Note,Distance (KM),Odległość (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dostawca&gt; Grupa dostawców
 DocType: Asset,Custodian,Kustosz
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} powinno być wartością z zakresu od 0 do 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Płatność {0} od {1} do {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Pożyczki bez pokrycia
@@ -6357,10 +6426,10 @@
 DocType: Lead,Converted,Przekształcono
 DocType: Item,Has Serial No,Posiada numer seryjny
 DocType: Employee,Date of Issue,Data wydania
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Zgodnie z ustawieniami zakupów, jeśli wymagany jest zakup recieptu == &#39;YES&#39;, to w celu utworzenia faktury zakupu użytkownik musi najpierw utworzyć pokwitowanie zakupu dla elementu {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Zgodnie z ustawieniami zakupów, jeśli wymagany jest zakup recieptu == &#39;YES&#39;, to w celu utworzenia faktury zakupu użytkownik musi najpierw utworzyć pokwitowanie zakupu dla elementu {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Wiersz # {0}: Ustaw Dostawca dla pozycji {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Wiersz {0}: Godziny wartość musi być większa od zera.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Strona Obraz {0} dołączone do pozycji {1} nie można znaleźć
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Strona Obraz {0} dołączone do pozycji {1} nie można znaleźć
 DocType: Issue,Content Type,Typ zawartości
 DocType: Asset,Assets,Majątek
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Komputer
@@ -6371,7 +6440,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} nie istnieje
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Proszę sprawdzić multi opcji walutowych, aby umożliwić rachunki w innych walutach"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Pozycja: {0} nie istnieje w systemie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Nie masz uprawnień do ustawienia zamrożenej wartości
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Nie masz uprawnień do ustawienia zamrożenej wartości
 DocType: Payment Reconciliation,Get Unreconciled Entries,Pobierz Wpisy nieuzgodnione
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Pracownik {0} jest na urlopie {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nie wybrano żadnych spłat za wpis do dziennika
@@ -6389,13 +6458,14 @@
 ,Average Commission Rate,Średnia prowizja
 DocType: Share Balance,No of Shares,Liczba akcji
 DocType: Taxable Salary Slab,To Amount,Do kwoty
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,Numer seryjny nie jest dostępny dla pozycji niemagazynowych
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,Numer seryjny nie jest dostępny dla pozycji niemagazynowych
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Wybierz Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Obecność nie może być oznaczana na przyszłość
 DocType: Support Search Source,Post Description Key,Klucz opisu postu
 DocType: Pricing Rule,Pricing Rule Help,Wycena Zasada Pomoc
 DocType: School House,House Name,Nazwa domu
 DocType: Fee Schedule,Total Amount per Student,Łączna kwota na jednego studenta
+DocType: Opportunity,Sales Stage,Etap sprzedaży
 DocType: Purchase Taxes and Charges,Account Head,Konto główne
 DocType: Company,HRA Component,Komponent HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektryczne
@@ -6403,15 +6473,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Całkowita Wartość Różnica (Out - In)
 DocType: Grant Application,Requested Amount,Wnioskowana kwota
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Wiersz {0}: Kurs wymiany jest obowiązkowe
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID Użytkownika nie ustawiony dla Pracownika {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID Użytkownika nie ustawiony dla Pracownika {0}
 DocType: Vehicle,Vehicle Value,Wartość pojazdu
 DocType: Crop Cycle,Detected Diseases,Wykryto choroby
 DocType: Stock Entry,Default Source Warehouse,Domyślny magazyn źródłowy
 DocType: Item,Customer Code,Kod Klienta
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Przypomnienie o Urodzinach dla {0}
 DocType: Asset Maintenance Task,Last Completion Date,Ostatnia data ukończenia
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dni od ostatniego zamówienia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debetowane konto musi być kontem bilansowym
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debetowane konto musi być kontem bilansowym
 DocType: Asset,Naming Series,Seria nazw
 DocType: Vital Signs,Coated,Pokryty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Wiersz {0}: oczekiwana wartość po przydatności musi być mniejsza niż kwota zakupu brutto
@@ -6429,15 +6498,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Dowód dostawy {0} nie może być wysłany
 DocType: Notification Control,Sales Invoice Message,Wiadomość Faktury Sprzedaży
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Zamknięcie konta {0} musi być typu odpowiedzialności / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Slip Wynagrodzenie pracownika {0} już stworzony dla arkusza czasu {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Slip Wynagrodzenie pracownika {0} już stworzony dla arkusza czasu {1}
 DocType: Vehicle Log,Odometer,Drogomierz
 DocType: Production Plan Item,Ordered Qty,Ilość Zamówiona
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Element {0} jest wyłączony
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Element {0} jest wyłączony
 DocType: Stock Settings,Stock Frozen Upto,Zamroź zapasy do
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM nie zawiera żadnego elementu akcji
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM nie zawiera żadnego elementu akcji
 DocType: Chapter,Chapter Head,Rozdział Głowy
 DocType: Payment Term,Month(s) after the end of the invoice month,Miesiąc (y) po zakończeniu miesiąca faktury
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura wynagrodzeń powinna mieć elastyczny składnik (-y) świadczeń w celu przyznania kwoty świadczenia
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura wynagrodzeń powinna mieć elastyczny składnik (-y) świadczeń w celu przyznania kwoty świadczenia
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Czynność / zadanie projektu
 DocType: Vital Signs,Very Coated,Bardzo powlekane
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Tylko wpływ podatkowy (nie można domagać się części dochodu podlegającego opodatkowaniu)
@@ -6455,7 +6524,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Godziny billingowe
 DocType: Project,Total Sales Amount (via Sales Order),Całkowita kwota sprzedaży (poprzez zamówienie sprzedaży)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Domyślnie BOM dla {0} Nie znaleziono
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Wiersz # {0}: Proszę ustawić ilość zmienić kolejność
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Wiersz # {0}: Proszę ustawić ilość zmienić kolejność
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Dotknij elementów, aby je dodać tutaj"
 DocType: Fees,Program Enrollment,Rejestracja w programie
 DocType: Share Transfer,To Folio No,Do Folio Nie
@@ -6498,9 +6567,9 @@
 DocType: SG Creation Tool Course,Max Strength,Maksymalna siła
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instalowanie ustawień wstępnych
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Nie wybrano uwagi dostawy dla klienta {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Nie wybrano uwagi dostawy dla klienta {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Pracownik {0} nie ma maksymalnej kwoty świadczenia
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Wybierz pozycje w oparciu o datę dostarczenia
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Wybierz pozycje w oparciu o datę dostarczenia
 DocType: Grant Application,Has any past Grant Record,Ma jakąkolwiek przeszłość Grant Record
 ,Sales Analytics,Analityka sprzedaży
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Dostępne {0}
@@ -6509,12 +6578,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Ustawienia produkcyjne
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Konfiguracja e-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Komórka Nie
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Proszę dodać domyślną walutę w Głównych Ustawieniach Firmy
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Proszę dodać domyślną walutę w Głównych Ustawieniach Firmy
 DocType: Stock Entry Detail,Stock Entry Detail,Szczególy zapisu magazynowego
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Codzienne Przypomnienia
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Codzienne Przypomnienia
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Zobacz wszystkie otwarte bilety
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Drzewo usług opieki zdrowotnej
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produkt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produkt
 DocType: Products Settings,Home Page is Products,Strona internetowa firmy jest produktem
 ,Asset Depreciation Ledger,Księga amortyzacji
 DocType: Salary Structure,Leave Encashment Amount Per Day,Zostaw kwotę za dzieło na dzień
@@ -6524,8 +6593,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Koszt dostarczonych surowców
 DocType: Selling Settings,Settings for Selling Module,Ustawienia modułu sprzedaży
 DocType: Hotel Room Reservation,Hotel Room Reservation,Rezerwacja pokoju hotelowego
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Obsługa Klienta
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Obsługa Klienta
 DocType: BOM,Thumbnail,Miniaturka
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nie znaleziono kontaktów z identyfikatorami e-mail.
 DocType: Item Customer Detail,Item Customer Detail,Element Szczegóły klienta
 DocType: Notification Control,Prompt for Email on Submission of,Potwierdzenie dla zgłoszeń dla email dla
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maksymalna kwota świadczenia pracownika {0} przekracza {1}
@@ -6535,7 +6605,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Item {0} musi być dostępna w magazynie
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Domyślnie Work In Progress Warehouse
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Harmonogramy nakładek {0}, czy chcesz kontynuować po przejściu przez zakładki?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Domyślne ustawienia dla transakcji księgowych
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Domyślne ustawienia dla transakcji księgowych
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Domyślny szablon podatkowy
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studenci zostali zapisani
@@ -6543,6 +6613,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Ilość zapasów
 DocType: Purchase Invoice Item,Stock Qty,Ilość zapasów
 DocType: Contract,Requires Fulfilment,Wymaga spełnienia
+DocType: QuickBooks Migrator,Default Shipping Account,Domyślne konto wysyłkowe
 DocType: Loan,Repayment Period in Months,Spłata Okres w miesiącach
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Błąd: Nie ważne id?
 DocType: Naming Series,Update Series Number,Zaktualizuj Numer Serii
@@ -6556,11 +6627,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksymalna kwota
 DocType: Journal Entry,Total Amount Currency,Suma Waluta Kwota
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Zespoły Szukaj Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Wymagany jest kod elementu w wierszu nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Wymagany jest kod elementu w wierszu nr {0}
 DocType: GST Account,SGST Account,Konto SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Przejdź do elementów
 DocType: Sales Partner,Partner Type,Typ Partnera
-DocType: Purchase Taxes and Charges,Actual,Właściwy
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Właściwy
 DocType: Restaurant Menu,Restaurant Manager,Menadżer restauracji
 DocType: Authorization Rule,Customerwise Discount,Zniżka dla klienta
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Grafiku zadań.
@@ -6581,7 +6652,7 @@
 DocType: Employee,Cheque,Czek
 DocType: Training Event,Employee Emails,E-maile z pracownikami
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Aktualizacja serii
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Typ raportu jest wymagany
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Typ raportu jest wymagany
 DocType: Item,Serial Number Series,Seria nr seryjnego
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Magazyn jest obowiązkowy dla Przedmiotu {0} w rzędzie {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Hurt i Detal
@@ -6612,7 +6683,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Zaktualizuj kwotę rozliczenia w zleceniu sprzedaży
 DocType: BOM,Materials,Materiały
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jeśli nie jest zaznaczone, lista będzie musiała być dodana do każdego działu, w którym ma zostać zastosowany."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Delegowanie datę i czas delegowania jest obowiązkowe
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Delegowanie datę i czas delegowania jest obowiązkowe
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Szablon podatkowy dla transakcji zakupu.
 ,Item Prices,Ceny
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Słownie będzie widoczna w Zamówieniu po zapisaniu
@@ -6628,12 +6699,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Seria dla pozycji amortyzacji aktywów (wpis w czasopiśmie)
 DocType: Membership,Member Since,Członek od
 DocType: Purchase Invoice,Advance Payments,Zaliczki
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Wybierz Healthcare Service
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Wybierz Healthcare Service
 DocType: Purchase Taxes and Charges,On Net Total,Na podstawie Kwoty Netto
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Wartość atrybutu {0} musi mieścić się w przedziale {1} z {2} w przyrostach {3} {4} Przedmiot
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategoria zwolnienia
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Waluta nie może być zmieniony po dokonaniu wpisów używając innej walucie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Waluta nie może być zmieniony po dokonaniu wpisów używając innej walucie
 DocType: Shipping Rule,Fixed,Naprawiony
 DocType: Vehicle Service,Clutch Plate,sprzęgło
 DocType: Company,Round Off Account,Konto kwot zaokrągleń
@@ -6642,7 +6713,7 @@
 DocType: Subscription Plan,Based on price list,Na podstawie cennika
 DocType: Customer Group,Parent Customer Group,Nadrzędna Grupa Klientów
 DocType: Vehicle Service,Change,Reszta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Subskrypcja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Subskrypcja
 DocType: Purchase Invoice,Contact Email,E-mail kontaktu
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Tworzenie opłat w toku
 DocType: Appraisal Goal,Score Earned,Ilość zdobytych punktów
@@ -6670,23 +6741,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Konto Należności / Zobowiązań
 DocType: Delivery Note Item,Against Sales Order Item,Na podstawie pozycji zamówienia sprzedaży
 DocType: Company,Company Logo,Logo firmy
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Proszę podać wartość atrybutu dla atrybutu {0}
-DocType: Item Default,Default Warehouse,Domyślny magazyn
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Proszę podać wartość atrybutu dla atrybutu {0}
+DocType: QuickBooks Migrator,Default Warehouse,Domyślny magazyn
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budżet nie może być przypisany do rachunku grupy {0}
 DocType: Shopping Cart Settings,Show Price,Pokaż cenę
 DocType: Healthcare Settings,Patient Registration,Rejestracja pacjenta
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Proszę podać nadrzędne centrum kosztów
 DocType: Delivery Note,Print Without Amount,Drukuj bez wartości
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,amortyzacja Data
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,amortyzacja Data
 ,Work Orders in Progress,Zlecenia robocze w toku
 DocType: Issue,Support Team,Support Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Wygaśnięcie (w dniach)
 DocType: Appraisal,Total Score (Out of 5),Łączny wynik (w skali do 5)
 DocType: Student Attendance Tool,Batch,Partia
 DocType: Support Search Source,Query Route String,Ciąg trasy zapytania
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Zaktualizuj stawkę za ostatni zakup
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Zaktualizuj stawkę za ostatni zakup
 DocType: Donor,Donor Type,Rodzaj dawcy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Automatycznie powtórzony dokument został zaktualizowany
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Automatycznie powtórzony dokument został zaktualizowany
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Bilans
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Wybierz firmę
 DocType: Job Card,Job Card,Karta pracy
@@ -6700,7 +6771,7 @@
 DocType: Assessment Result,Total Score,Całkowity wynik
 DocType: Crop Cycle,ISO 8601 standard,Norma ISO 8601
 DocType: Journal Entry,Debit Note,Nota debetowa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Możesz maksymalnie wykorzystać maksymalnie {0} punktów w tej kolejności.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Możesz maksymalnie wykorzystać maksymalnie {0} punktów w tej kolejności.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.RRRR.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Wprowadź klucz tajny API
 DocType: Stock Entry,As per Stock UOM,
@@ -6714,10 +6785,11 @@
 DocType: Journal Entry,Total Debit,Całkowita kwota debetu
 DocType: Travel Request Costing,Sponsored Amount,Sponsorowana kwota
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Magazyn wyrobów gotowych domyślne
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Proszę wybrać Pacjenta
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Proszę wybrać Pacjenta
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Sprzedawca
 DocType: Hotel Room Package,Amenities,Udogodnienia
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Budżet i MPK
+DocType: QuickBooks Migrator,Undeposited Funds Account,Rachunek nierozliczonych funduszy
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Budżet i MPK
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Wielokrotny domyślny tryb płatności nie jest dozwolony
 DocType: Sales Invoice,Loyalty Points Redemption,Odkupienie punktów lojalnościowych
 ,Appointment Analytics,Analytics analityków
@@ -6731,6 +6803,7 @@
 DocType: Batch,Manufacturing Date,Data produkcji
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Utworzenie opłaty nie powiodło się
 DocType: Opening Invoice Creation Tool,Create Missing Party,Utwórz brakującą imprezę
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Cały budżet
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Zostaw puste, jeśli uczysz grupy studentów rocznie"
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Zostaw puste, jeśli uczysz grupy studentów rocznie"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Jeśli zaznaczone, Całkowita liczba Dni Roboczych obejmie święta, a to zmniejsza wartość Wynagrodzenie za dzień"
@@ -6748,20 +6821,19 @@
 DocType: Opportunity Item,Basic Rate,Podstawowy wskaźnik
 DocType: GL Entry,Credit Amount,Kwota kredytu
 DocType: Cheque Print Template,Signatory Position,Sygnatariusz Pozycja
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Ustaw jako utracony
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Ustaw jako utracony
 DocType: Timesheet,Total Billable Hours,Całkowita liczba godzin rozliczanych
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Liczba dni, w których subskrybent musi płacić faktury wygenerowane w ramach tej subskrypcji"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Szczegóły zastosowania świadczeń pracowniczych
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Otrzymanie płatności Uwaga
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Jest to oparte na operacjach przeciwko tym Klienta. Zobacz harmonogram poniżej w szczegółach
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Wiersz {0}: Przyznana kwota {1} musi być mniejsza lub równa kwocie Entry Płatność {2}
 DocType: Program Enrollment Tool,New Academic Term,Nowy okres akademicki
 ,Course wise Assessment Report,Szeregowy raport oceny
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Korzystał z podatku ITC State / UT
 DocType: Tax Rule,Tax Rule,Reguła podatkowa
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Utrzymanie tej samej stawki przez cały cykl sprzedaży
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Zaloguj się jako inny użytkownik, aby zarejestrować się na rynku"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Zaloguj się jako inny użytkownik, aby zarejestrować się na rynku"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Zaplanuj dzienniki poza godzinami Pracy Workstation.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Klienci w kolejce
 DocType: Driver,Issuing Date,Data emisji
@@ -6770,11 +6842,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Prześlij to zlecenie pracy do dalszego przetwarzania.
 ,Items To Be Requested,
 DocType: Company,Company Info,Informacje o firmie
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Wybierz lub dodaj nowego klienta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Wybierz lub dodaj nowego klienta
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,centrum kosztów jest zobowiązany do zwrotu kosztów rezerwacji
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aktywa
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Jest to oparte na obecności pracownika
-DocType: Assessment Result,Summary,Podsumowanie
 DocType: Payment Request,Payment Request Type,Typ żądania płatności
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Oznaczaj Uczestnictwo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Konto debetowe
@@ -6782,7 +6853,7 @@
 DocType: Additional Salary,Employee Name,Nazwisko pracownika
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restauracja Order Entry Pozycja
 DocType: Purchase Invoice,Rounded Total (Company Currency),Końcowa zaokrąglona kwota (waluta firmy)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Nie można konwertowanie do grupy, ponieważ jest wybrany rodzaj konta."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Nie można konwertowanie do grupy, ponieważ jest wybrany rodzaj konta."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} został zmodyfikowany. Proszę odświeżyć.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Zatrzymaj możliwość składania zwolnienia chorobowego użytkownikom w następujące dni.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",W przypadku nielimitowanego wygaśnięcia punktów lojalnościowych czas trwania ważności jest pusty lub 0.
@@ -6803,11 +6874,12 @@
 DocType: Asset,Out of Order,Nieczynny
 DocType: Purchase Receipt Item,Accepted Quantity,Przyjęta Ilość
 DocType: Projects Settings,Ignore Workstation Time Overlap,Zignoruj nakładanie się czasu w stacji roboczej
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Proszę ustawić domyślnej listy wypoczynkowe dla pracowników {0} lub {1} firmy
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Proszę ustawić domyślnej listy wypoczynkowe dla pracowników {0} lub {1} firmy
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} nie istnieje
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Wybierz numery partii
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Do GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Do GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Rachunki dla klientów.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Zgłaszanie faktur automatycznie
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt Id
 DocType: Salary Component,Variable Based On Taxable Salary,Zmienna oparta na podlegającym opodatkowaniu wynagrodzeniu
 DocType: Company,Basic Component,Podstawowy komponent
@@ -6820,10 +6892,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adres hurtowni
 DocType: GL Entry,Voucher Type,Typ Podstawy
 DocType: Amazon MWS Settings,Max Retry Limit,Maksymalny limit ponownych prób
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone
 DocType: Student Applicant,Approved,Zatwierdzono
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Cena
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',pracownik zwalnia się na {0} musi być ustawiony jako 'opuścił'
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',pracownik zwalnia się na {0} musi być ustawiony jako 'opuścił'
 DocType: Marketplace Settings,Last Sync On,Ostatnia synchronizacja
 DocType: Guardian,Guardian,Opiekun
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Wszystkie komunikaty, w tym i powyżej tego, zostaną przeniesione do nowego wydania"
@@ -6846,14 +6918,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Lista chorób wykrytych na polu. Po wybraniu automatycznie doda listę zadań do radzenia sobie z chorobą
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,To jest podstawowa jednostka opieki zdrowotnej i nie można jej edytować.
 DocType: Asset Repair,Repair Status,Status naprawy
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Dodaj partnerów handlowych
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Dziennik zapisów księgowych.
 DocType: Travel Request,Travel Request,Wniosek o podróż
 DocType: Delivery Note Item,Available Qty at From Warehouse,Dostępne szt co z magazynu
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Proszę wybrać pierwszego pracownika
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Frekwencja nie została przesłana do {0}, ponieważ jest to święto."
 DocType: POS Profile,Account for Change Amount,Konto dla zmiany kwoty
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Łączenie z QuickBookami
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Całkowity wzrost / strata
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Nieprawidłowa firma dla faktury między firmami.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Nieprawidłowa firma dla faktury między firmami.
 DocType: Purchase Invoice,input service,usługa wprowadzania danych
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Wiersz {0}: Party / konto nie jest zgodny z {1} / {2} w {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promocja pracowników
@@ -6862,12 +6936,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kod kursu:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Wprowadź konto Wydatków
 DocType: Account,Stock,Magazyn
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym z Zamówieniem, faktura zakupu lub Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym z Zamówieniem, faktura zakupu lub Journal Entry"
 DocType: Employee,Current Address,Obecny adres
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jeśli pozycja jest wariant innego elementu, a następnie opis, zdjęcia, ceny, podatki itp zostanie ustalony z szablonu, o ile nie określono wyraźnie"
 DocType: Serial No,Purchase / Manufacture Details,Szczegóły Zakupu / Produkcji
 DocType: Assessment Group,Assessment Group,Grupa Assessment
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inwentaryzacja partii
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Nazwa procedury
 DocType: Employee,Contract End Date,Data końcowa kontraktu
 DocType: Amazon MWS Settings,Seller ID,ID sprzedawcy
@@ -6887,12 +6962,12 @@
 DocType: Company,Date of Incorporation,Data przyłączenia
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Razem podatkowa
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Ostatnia cena zakupu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Do Ilość (Wyprodukowano kopie) są obowiązkowe
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Do Ilość (Wyprodukowano kopie) są obowiązkowe
 DocType: Stock Entry,Default Target Warehouse,Domyślny magazyn docelowy
 DocType: Purchase Invoice,Net Total (Company Currency),Łączna wartość netto (waluta firmy)
 DocType: Delivery Note,Air,Powietrze
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Rok Data zakończenia nie może być wcześniejsza niż data początkowa rok. Popraw daty i spróbuj ponownie.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nie znajduje się na Opcjonalnej liście świątecznej
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nie znajduje się na Opcjonalnej liście świątecznej
 DocType: Notification Control,Purchase Receipt Message,Wiadomość Potwierdzenia Zakupu
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,złom przedmioty
@@ -6915,23 +6990,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Spełnienie
 DocType: Purchase Taxes and Charges,On Previous Row Amount,
 DocType: Item,Has Expiry Date,Ma datę wygaśnięcia
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Przeniesienie aktywów
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Przeniesienie aktywów
 DocType: POS Profile,POS Profile,POS profilu
 DocType: Training Event,Event Name,Nazwa wydarzenia
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Biuro)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nie można przesłać, pracownicy zostali pozostawieni, aby zaznaczyć frekwencję"
 DocType: Inpatient Record,Admission,Wstęp
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Rekrutacja dla {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezonowość ustalania budżetów, cele itd."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezonowość ustalania budżetów, cele itd."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nazwa zmiennej
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Element {0} jest szablon, należy wybrać jedną z jego odmian"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Proszę ustawić system nazewnictwa pracowników w Zasobach Ludzkich&gt; Ustawienia HR
+DocType: Purchase Invoice Item,Deferred Expense,Odroczony koszt
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Od daty {0} nie może upłynąć data dołączenia pracownika {1}
 DocType: Asset,Asset Category,Aktywa Kategoria
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Stawka Netto nie może być na minusie
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Stawka Netto nie może być na minusie
 DocType: Purchase Order,Advance Paid,Zaliczka
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procent nadprodukcji dla zamówienia sprzedaży
 DocType: Item,Item Tax,Podatek dla tej pozycji
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiał do Dostawcy
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiał do Dostawcy
 DocType: Soil Texture,Loamy Sand,Piasek gliniasty
 DocType: Production Plan,Material Request Planning,Planowanie zapotrzebowania materiałowego
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Akcyza Faktura
@@ -6953,11 +7030,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Narzędzie Scheduling
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,
 DocType: BOM,Item to be manufactured or repacked,"Produkt, który ma zostać wyprodukowany lub przepakowany"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Błąd składni w warunku: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Błąd składni w warunku: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Główne/Opcjonalne Tematy
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Ustaw grupę dostawców w ustawieniach zakupów.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Ustaw grupę dostawców w ustawieniach zakupów.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Całkowita kwota elastycznej składki świadczeń {0} nie powinna być mniejsza \ niż maksymalne korzyści {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Zawieszony
@@ -6977,7 +7054,7 @@
 DocType: Customer,Commission Rate,Wartość prowizji
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Pomyślnie utworzono wpisy płatności
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Utworzono {0} karty wyników dla {1} między:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Bądź Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Bądź Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",Typ płatności musi być jednym z Odbierz Pay and przelew wewnętrzny
 DocType: Travel Itinerary,Preferred Area for Lodging,Preferowany obszar zakwaterowania
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analityka
@@ -6988,7 +7065,7 @@
 DocType: Work Order,Actual Operating Cost,Rzeczywisty koszt operacyjny
 DocType: Payment Entry,Cheque/Reference No,Czek / numer
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root nie może być edytowany
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root nie może być edytowany
 DocType: Item,Units of Measure,Jednostki miary
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Wynajęte w Metro City
 DocType: Supplier,Default Tax Withholding Config,Domyślna konfiguracja podatku u źródła
@@ -7006,21 +7083,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po dokonaniu płatności przekierować użytkownika do wybranej strony.
 DocType: Company,Existing Company,istniejące firmy
 DocType: Healthcare Settings,Result Emailed,Wynik wysłany pocztą elektroniczną
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Kategoria podatkowa została zmieniona na &quot;Razem&quot;, ponieważ wszystkie elementy są towarami nieruchoma"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Kategoria podatkowa została zmieniona na &quot;Razem&quot;, ponieważ wszystkie elementy są towarami nieruchoma"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Do tej pory nie może być równa lub mniejsza niż od daty
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nic do zmiany
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Proszę wybrać plik .csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Proszę wybrać plik .csv
 DocType: Holiday List,Total Holidays,Suma dni świątecznych
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Brakujący szablon wiadomości e-mail do wysyłki. Ustaw jeden w Ustawieniach dostawy.
 DocType: Student Leave Application,Mark as Present,Oznacz jako Present
 DocType: Supplier Scorecard,Indicator Color,Kolor wskaźnika
 DocType: Purchase Order,To Receive and Bill,Do odbierania i Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Wiersz nr {0}: żądanie według daty nie może być wcześniejsze niż data transakcji
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Wiersz nr {0}: żądanie według daty nie może być wcześniejsze niż data transakcji
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Polecane produkty
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Wybierz Nr seryjny
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Wybierz Nr seryjny
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Projektant
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Szablony warunków i regulaminów
 DocType: Serial No,Delivery Details,Szczegóły dostawy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},
 DocType: Program,Program Code,Kod programu
 DocType: Terms and Conditions,Terms and Conditions Help,Warunki Pomoc
 ,Item-wise Purchase Register,
@@ -7033,15 +7111,16 @@
 DocType: Contract,Contract Terms,Warunki kontraktu
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Nie pokazuj żadnych symboli przy walutach, takich jak $"
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maksymalna kwota świadczenia komponentu {0} przekracza {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Pół dnia)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Pół dnia)
 DocType: Payment Term,Credit Days,
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Wybierz pacjenta, aby uzyskać testy laboratoryjne"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Bądź Batch Studenta
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Zezwalaj na transfer do produkcji
 DocType: Leave Type,Is Carry Forward,
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Weź produkty z zestawienia materiałowego
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Weź produkty z zestawienia materiałowego
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Czas realizacji (dni)
 DocType: Cash Flow Mapping,Is Income Tax Expense,Jest kosztem podatku dochodowego
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Twoje zamówienie jest na dostawę!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Wiersz # {0}: Data księgowania musi być taka sama jak data zakupu {1} z {2} aktywów
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Sprawdź, czy Student mieszka w Hostelu Instytutu."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Proszę podać zleceń sprzedaży w powyższej tabeli
@@ -7049,10 +7128,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Przeniesienie aktywów z jednego magazynu do drugiego
 DocType: Vehicle,Petrol,Benzyna
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Pozostałe korzyści (rocznie)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Zestawienie materiałów
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Zestawienie materiałów
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Wiersz {0}: Typ i Partia Partia jest wymagane w przypadku otrzymania / rachunku Płatne {1}
 DocType: Employee,Leave Policy,Opuść zasady
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Aktualizuj elementy
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Aktualizuj elementy
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Data
 DocType: Employee,Reason for Leaving,Powód odejścia
 DocType: BOM Operation,Operating Cost(Company Currency),Koszty operacyjne (Spółka waluty)
@@ -7063,7 +7142,7 @@
 DocType: Department,Expense Approvers,Koszty zatwierdzający
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Wiersz {0}: Debit wpis nie może być związana z {1}
 DocType: Journal Entry,Subscription Section,Sekcja subskrypcji
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Konto {0} nie istnieje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Konto {0} nie istnieje
 DocType: Training Event,Training Program,Program treningowy
 DocType: Account,Cash,Gotówka
 DocType: Employee,Short biography for website and other publications.,Krótka notka na stronę i do innych publikacji
diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv
index 695f402..4c73d5d 100644
--- a/erpnext/translations/ps.csv
+++ b/erpnext/translations/ps.csv
@@ -11,9 +11,10 @@
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js +52,Please select Party Type first,مهرباني وکړئ لومړی انتخاب ګوند ډول
 DocType: Item,Customer Items,پيرودونکو لپاره توکي
 DocType: Project,Costing and Billing,لګښت او اولګښت
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,ګڼون {0}: Parent حساب {1} نه شي د پنډو وي
+DocType: QuickBooks Migrator,Token Endpoint,د توین پای ټکی
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,ګڼون {0}: Parent حساب {1} نه شي د پنډو وي
 DocType: Item,Publish Item to hub.erpnext.com,ته hub.erpnext.com د قالب د خپرېدو
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,د فعالې دورې دوره نشي موندلی
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,د فعالې دورې دوره نشي موندلی
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ارزونې
 DocType: Item,Default Unit of Measure,د اندازه کولو واحد (Default)
 DocType: SMS Center,All Sales Partner Contact,ټول خرڅلاو همکار سره اړيکي
@@ -23,16 +24,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,د اضافو لپاره داخل کړه ټک وکړئ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",د پټنوم، د API کلیدي یا د پیرودونکي URL لپاره ورک شوي ارزښت
 DocType: Employee,Rented,د کشت
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,ټول حسابونه
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,ټول حسابونه
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,د رتبې سره د کارمندانو لیږد نشي کولی
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ودرول تولید نظم نه لغوه شي کولای، نو دا د لومړي Unstop لغوه
 DocType: Vehicle Service,Mileage,ګټه
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,آيا تاسو په رښتيا غواړئ چې دا شتمني راټولوي؟
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,آيا تاسو په رښتيا غواړئ چې دا شتمني راټولوي؟
 DocType: Drug Prescription,Update Schedule,د مهال ویش تازه کول
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,انتخاب Default عرضه
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,کارمند ښکاره کول
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,د نوی بدلولو کچه
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},د اسعارو د بیې په لېست کې د اړتیا {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},د اسعارو د بیې په لېست کې د اړتیا {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* به په راکړې ورکړې محاسبه شي.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT -YYYY-
 DocType: Purchase Order,Customer Contact,پيرودونکو سره اړيکي
@@ -42,7 +43,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,دا په دې عرضه په وړاندې د معاملو پر بنسټ. د تفصیلاتو لپاره په لاندی مهال ویش وګورئ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,د کار د نظم لپاره د سلنې زیاتوالی
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV -YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,د حقوقي
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,د حقوقي
+DocType: Delivery Note,Transport Receipt Date,د ترانسپورت رسید نیټه
 DocType: Shopify Settings,Sales Order Series,د خرڅلاو امر لړۍ
 DocType: Vital Signs,Tongue,ژبو
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -58,17 +60,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,د HRA معافیت
 DocType: Sales Invoice,Customer Name,پیریدونکي نوم
 DocType: Vehicle,Natural Gas,طبیعی ګاز
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},بانکي حساب په توګه نه ونومول شي کولای {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},بانکي حساب په توګه نه ونومول شي کولای {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,د معاش د جوړښت په اساس HRA
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سرونه (یا ډلو) په وړاندې چې د محاسبې توکي دي او انډول وساتل شي.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),بيالنس د {0} کولای شي او نه د صفر څخه کم ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,د خدماتو بند بند تاریخ د خدماتو نیټه وړاندې نشي
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,د خدماتو بند بند تاریخ د خدماتو نیټه وړاندې نشي
 DocType: Manufacturing Settings,Default 10 mins,افتراضي 10 دقیقه
 DocType: Leave Type,Leave Type Name,پريږدئ ډول نوم
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,وښایاست خلاص
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,وښایاست خلاص
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,لړۍ Updated په بریالیتوب
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,بشپړ ی وګوره
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{1} په قطار کې {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{1} په قطار کې {1}
 DocType: Asset Finance Book,Depreciation Start Date,د استهالک نیټه د پیل نیټه
 DocType: Pricing Rule,Apply On,Apply د
 DocType: Item Price,Multiple Item prices.,څو د قالب بيه.
@@ -77,7 +79,7 @@
 DocType: Support Settings,Support Settings,د ملاتړ امستنې
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,د تمی د پای نیټه نه شي کولای په پرتله د تمی د پیل نیټه کمه وي
 DocType: Amazon MWS Settings,Amazon MWS Settings,د ایمیزون MWS ترتیبات
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,د کتارونو تر # {0}: کچه باید په توګه ورته وي {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,د کتارونو تر # {0}: کچه باید په توګه ورته وي {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,دسته شمیره د پای حالت
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,بانک مسوده
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV -YYYY-
@@ -104,7 +106,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,د اړیکو لومړني تفصیلات
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,د پرانیستې مسایل
 DocType: Production Plan Item,Production Plan Item,تولید پلان د قالب
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},کارن {0} لا د مخه د کارکونکو ګمارل {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},کارن {0} لا د مخه د کارکونکو ګمارل {1}
 DocType: Lab Test Groups,Add new line,نوې کرښه زیاته کړئ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,روغتیایی پاملرنه
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),د ځنډ په پیسو (ورځې)
@@ -114,12 +116,11 @@
 DocType: Lab Prescription,Lab Prescription,د لابراتوار نسخه
 ,Delay Days,ناوخته ورځ
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,خدمتونو د اخراجاتو
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},مسلسله شمېره: {0} د مخکې نه په خرڅلاو صورتحساب ماخذ: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},مسلسله شمېره: {0} د مخکې نه په خرڅلاو صورتحساب ماخذ: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,صورتحساب
 DocType: Purchase Invoice Item,Item Weight Details,د وزن وزن توضیحات
 DocType: Asset Maintenance Log,Periodicity,Periodicity
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,مالي کال د {0} ته اړتیا لیدل کیږي
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,سپلائر&gt; سپلائر ګروپ
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,د مطلوب ودې لپاره د نباتاتو قطارونو تر منځ لږ تر لږه فاصله
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,د دفاع
 DocType: Salary Component,Abbr,Abbr
@@ -138,11 +139,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC -YYYY-
 DocType: Daily Work Summary Group,Holiday List,رخصتي بشپړفهرست
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,محاسب
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,د نرخ پلور لیست
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,د نرخ پلور لیست
 DocType: Patient,Tobacco Current Use,تمباکو اوسنی کارول
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,د پلور کچه
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,د پلور کچه
 DocType: Cost Center,Stock User,دحمل کارن
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,د اړیکې معلومات
 DocType: Company,Phone No,تيليفون نه
 DocType: Delivery Trip,Initial Email Notification Sent,د بریښناليک بریښنالیک لیږل
 DocType: Bank Statement Settings,Statement Header Mapping,د بیان سرلیک نقشې
@@ -166,12 +168,11 @@
 DocType: Subscription,Subscription Start Date,د ګډون نېټه پېل
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,د منلو وړ اصلي حسابونه باید وکارول شي که چیرې د ناروغانو لپاره د استیناف فیس نه وي ټاکل شوي.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",سره دوه ستنې، یو زوړ نوم لپاره او يوه د نوي نوم لپاره .csv دوتنې سره ضمیمه
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,د دویم پته څخه
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,د توکو کود&gt; توکي ګروپ&gt; برنامه
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,د دویم پته څخه
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} د {1} په هر فعال مالي کال نه.
 DocType: Packed Item,Parent Detail docname,Parent تفصیلي docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",ماخذ: {0}، شمیره کوډ: {1} او پيرودونکو: {2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{1}} {1} د پلار په شرکت کې حاضر نه دی
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{1}} {1} د پلار په شرکت کې حاضر نه دی
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,د ازموینې دورې پای نیټه د آزموینې دوره د پیل نیټه نه شي کیدی
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,کيلوګرام
 DocType: Tax Withholding Category,Tax Withholding Category,د مالیاتو مالیه کټګوري
@@ -186,12 +187,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,د اعلاناتو
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,همدې شرکت څخه یو ځل بیا ننوتل
 DocType: Patient,Married,واده
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},لپاره نه اجازه {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},لپاره نه اجازه {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,له توکي ترلاسه کړئ
 DocType: Price List,Price Not UOM Dependant,بیه د UOM پرځای نه ده
 DocType: Purchase Invoice,Apply Tax Withholding Amount,د مالیه ورکوونکي د پیسو تادیه کول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},دحمل د سپارنې يادونه په وړاندې د تازه نه شي {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,ټولې پیسې اعتبار شوي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},دحمل د سپارنې يادونه په وړاندې د تازه نه شي {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,ټولې پیسې اعتبار شوي
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},د محصول د {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,هیڅ توکي لست
 DocType: Asset Repair,Error Description,تېروتنه
@@ -205,8 +206,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,د ګمرکي پیسو فلو فارم څخه کار واخلئ
 DocType: SMS Center,All Sales Person,ټول خرڅلاو شخص
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** میاشتنی ویش ** تاسو سره مرسته کوي که تاسو د خپل کاروبار د موسمي لري د بودجې د / د هدف په ټول مياشتو وویشي.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,نه توکي موندل
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,معاش جوړښت ورک
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,نه توکي موندل
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,معاش جوړښت ورک
 DocType: Lead,Person Name,کس نوم
 DocType: Sales Invoice Item,Sales Invoice Item,خرڅلاو صورتحساب د قالب
 DocType: Account,Credit,د اعتبار
@@ -215,19 +216,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,دحمل راپورونه
 DocType: Warehouse,Warehouse Detail,ګدام تفصیلي
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,د دورې د پای نیټه نه وروسته د کال د پای د تعليمي کال د نېټه چې د اصطلاح ده سره تړاو لري په پرتله وي (تعليمي کال د {}). لطفا د خرما د اصلاح او بیا کوښښ وکړه.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",&quot;آیا ثابته شتمني&quot; کولای وناکتل نه وي، ځکه چې د توکي په وړاندې د شتمنیو د ثبت شتون لري
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",&quot;آیا ثابته شتمني&quot; کولای وناکتل نه وي، ځکه چې د توکي په وړاندې د شتمنیو د ثبت شتون لري
 DocType: Delivery Trip,Departure Time,د روانېدو وخت
 DocType: Vehicle Service,Brake Oil,لنت ترمز د تیلو
 DocType: Tax Rule,Tax Type,د مالياتو ډول
 ,Completed Work Orders,د کار بشپړ شوي سپارښتنې
 DocType: Support Settings,Forum Posts,د فورم پوسټونه
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,د ماليې وړ مقدار
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,د ماليې وړ مقدار
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},تاسو اختيار نه لري چې مخکې ثبت کرښې زیاتولی او یا تازه {0}
 DocType: Leave Policy,Leave Policy Details,د پالیسي تفصیلات پریږدئ
 DocType: BOM,Item Image (if not slideshow),د قالب د انځور (که سلاید نه)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(قيامت Rate / 60) * د عملیاتو د وخت
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: د حوالې سند ډول باید د لګښتونو یا ژورنال ننوتلو څخه یو وي
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,انتخاب هیښ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: د حوالې سند ډول باید د لګښتونو یا ژورنال ننوتلو څخه یو وي
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,انتخاب هیښ
 DocType: SMS Log,SMS Log,SMS ننوتنه
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,د تحویلوونکی سامان لګښت
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,د {0} د رخصتۍ له تاريخ او د تاريخ تر منځ نه ده
@@ -236,16 +237,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,د عرضه کوونکي موقف نمونه.
 DocType: Lead,Interested,علاقمند
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,د پرانستلو
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},څخه د {0} د {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},څخه د {0} د {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,پروګرام:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,د مالیې په ټاکلو کې پاتې راغلل
 DocType: Item,Copy From Item Group,کاپي له قالب ګروپ
-DocType: Delivery Trip,Delivery Notification,د سپارلو خبرتیا
 DocType: Journal Entry,Opening Entry,د پرانستلو په انفاذ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب د معاشونو يوازې
 DocType: Loan,Repay Over Number of Periods,بيرته د د پړاوونه شمیره
 DocType: Stock Entry,Additional Costs,اضافي لګښتونو
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې حساب ته ډلې بدل نه شي.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې حساب ته ډلې بدل نه شي.
 DocType: Lead,Product Enquiry,د محصول د ږنو
 DocType: Education Settings,Validate Batch for Students in Student Group,لپاره د زده کونکو د زده ګروپ دسته اعتباري
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},نه رخصت شی پيدا نشول لپاره کارکوونکي {0} د {1}
@@ -253,7 +253,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,مهرباني وکړئ لومړی شرکت ته ننوځي
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,مهرباني غوره شرکت لومړۍ
 DocType: Employee Education,Under Graduate,لاندې د فراغت
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,مهرباني وکړئ د بشري سایټونو کې د وینډوز د خبرتیا نوښت لپاره د ډیزاینټ ټاپ ډک کړئ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,مهرباني وکړئ د بشري سایټونو کې د وینډوز د خبرتیا نوښت لپاره د ډیزاینټ ټاپ ډک کړئ
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,هدف د
 DocType: BOM,Total Cost,ټولیز لګښت،
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -266,7 +266,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,د حساب اعلامیه
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,د درملو د
 DocType: Purchase Invoice Item,Is Fixed Asset,ده ثابته شتمني
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",موجود qty دی {0}، تاسو بايد د {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",موجود qty دی {0}، تاسو بايد د {1}
 DocType: Expense Claim Detail,Claim Amount,ادعا مقدار
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},د کار امر {0}
@@ -300,13 +300,13 @@
 DocType: BOM,Quality Inspection Template,د کیفیت معاینه کول
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",تاسو غواړئ چې د حاضرۍ د اوسمهالولو؟ <br> اوسنی: {0} \ <br> حاضر: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},منل + رد Qty باید د قالب برابر رارسيدلي مقدار وي {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},منل + رد Qty باید د قالب برابر رارسيدلي مقدار وي {0}
 DocType: Item,Supply Raw Materials for Purchase,رسولو لپاره خام توکي د رانيول
 DocType: Agriculture Analysis Criteria,Fertilizer,سرې
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",نشي کولی د سیریل نمبر لخوا د \ توکي {0} په حیث د انتقال تضمین او د سیریل نمبر
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,د پیسو تر لږه یوه اکر لپاره POS صورتحساب ته اړتيا لري.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,د پیسو تر لږه یوه اکر لپاره POS صورتحساب ته اړتيا لري.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,د بانک بیان پیسې د رسیدنې توکي
 DocType: Products Settings,Show Products as a List,انکړپټه ښودل محصوالت په توګه بشپړفهرست
 DocType: Salary Detail,Tax on flexible benefit,د لچک وړ ګټې باندې مالیه
@@ -317,14 +317,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,مختلف مقدار
 DocType: Production Plan,Material Request Detail,د موادو غوښتنې وړاندیز
 DocType: Selling Settings,Default Quotation Validity Days,د داوطلبۍ د داوطلبۍ ورځې ورځې
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",په قطار {0} په قالب کچه د ماليې شامل دي، چې په قطارونو ماليه {1} هم باید شامل شي
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",په قطار {0} په قالب کچه د ماليې شامل دي، چې په قطارونو ماليه {1} هم باید شامل شي
 DocType: SMS Center,SMS Center,SMS مرکز
 DocType: Payroll Entry,Validate Attendance,حاضری تصدیق کول
 DocType: Sales Invoice,Change Amount,د بدلون لپاره د مقدار
 DocType: Party Tax Withholding Config,Certificate Received,سند ترلاسه شو
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,د B2C لپاره د انوائس ارزښت ټاکئ. B2CL او B2CS د دې انوائس ارزښت پر اساس حساب شوي.
 DocType: BOM Update Tool,New BOM,نوي هیښ
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,ټاکل شوي کړنلارې
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,ټاکل شوي کړنلارې
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,یواځې POS ښودل
 DocType: Supplier Group,Supplier Group Name,د سپلویزی ګروپ نوم
 DocType: Driver,Driving License Categories,د موټر چلولو جوازونو کټګوري
@@ -339,7 +339,7 @@
 DocType: Payroll Period,Payroll Periods,د معاش اندازه
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,د کارګر د کمکیانو لپاره
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,broadcasting
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),د POS د سیٹ اپ طریقه (آنلاین / آف لائن)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),د POS د سیٹ اپ طریقه (آنلاین / آف لائن)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,د کاري امرونو په وړاندې د وخت وختونو جوړول. عملیات باید د کار د نظم په وړاندې تعقیب نشي
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,د اجرا
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,د عملیاتو په بشپړه توګه کتل ترسره.
@@ -373,7 +373,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),تخفیف پر بیې لېست کچه)٪ (
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,د توکي ټکي
 DocType: Job Offer,Select Terms and Conditions,منتخب اصطلاحات او شرایط
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,له جملې څخه د ارزښت
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,له جملې څخه د ارزښت
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,د بانکي بیان ترتیبات توکي
 DocType: Woocommerce Settings,Woocommerce Settings,د واو کامیریک امستنې
 DocType: Production Plan,Sales Orders,خرڅلاو امر
@@ -386,20 +386,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,د مادیاتو په غوښتنه په کېکاږلو سره په لاندې لینک رسی شي
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG خلقت اسباب کورس
 DocType: Bank Statement Transaction Invoice Item,Payment Description,د تادیاتو تفصیل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,ناکافي دحمل
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,ناکافي دحمل
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ناتوانې ظرفیت د پلان او د وخت د معلومولو
 DocType: Email Digest,New Sales Orders,نوي خرڅلاو امر
 DocType: Bank Account,Bank Account,د بانک ګڼوڼ
 DocType: Travel Itinerary,Check-out Date,د چیک نیټه
 DocType: Leave Type,Allow Negative Balance,د منفی توازن اجازه
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',تاسو د پروژې ډول &#39;بهرني&#39; نه ړنګولی شئ
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,بدیل توکي غوره کړئ
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,بدیل توکي غوره کړئ
 DocType: Employee,Create User,کارن جوړول
 DocType: Selling Settings,Default Territory,default خاوره
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,ټلويزيون د
 DocType: Work Order Operation,Updated via 'Time Log',روز &#39;د وخت څېره&#39; له لارې
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,پیرودونکي یا عرضه کوونکي غوره کړئ.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},پرمختللی اندازه نه شي کولای څخه ډيره وي {0} د {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},پرمختللی اندازه نه شي کولای څخه ډيره وي {0} د {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",د وخت سلایټ ټوپ شوی، سلایډ {0} څخه {1} د اضافي سلایډ {2} څخه {3}
 DocType: Naming Series,Series List for this Transaction,د دې پیسو د انتقال د لړۍ بشپړفهرست
 DocType: Company,Enable Perpetual Inventory,دايمي موجودي فعال
@@ -420,7 +420,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,په وړاندې د خرڅلاو صورتحساب د قالب
 DocType: Agriculture Analysis Criteria,Linked Doctype,تړل شوي دکتیک ډول
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,له مالي خالص د نغدو
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save",LocalStorage ډک شي، نه د ژغورلو نه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save",LocalStorage ډک شي، نه د ژغورلو نه
 DocType: Lead,Address & Contact,پته تماس
 DocType: Leave Allocation,Add unused leaves from previous allocations,د تیرو تخصیص ناکارول پاڼي ورزیات کړئ
 DocType: Sales Partner,Partner website,همکار ویب پاڼه
@@ -443,10 +443,10 @@
 ,Open Work Orders,د کار خلاص فعالیتونه
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,د ناروغانو مشوره ورکول د محصول توکي
 DocType: Payment Term,Credit Months,د کریډیټ میاشت
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,خالص د معاشونو نه شي کولای 0 څخه کم وي
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,خالص د معاشونو نه شي کولای 0 څخه کم وي
 DocType: Contract,Fulfilled,بشپړ شوی
 DocType: Inpatient Record,Discharge Scheduled,لګول شوی ویش
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,کرارولو نېټه بايد په پرتله په یوځای کېدو نېټه ډيره وي
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,کرارولو نېټه بايد په پرتله په یوځای کېدو نېټه ډيره وي
 DocType: POS Closing Voucher,Cashier,کیشیر
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,روان شو هر کال
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,د کتارونو تر {0}: مهرباني وکړئ وګورئ &#39;آیا پرمختللی&#39; حساب په وړاندې د {1} که دا د يو داسې پرمختللي ننوتلو ده.
@@ -457,15 +457,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,لطفا د زده کونکو د شاګردانو له ډلې څخه فارغ کړئ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,بشپړ دنده
 DocType: Item Website Specification,Item Website Specification,د قالب د ځانګړتیاوو وېب پاڼه
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,د وتو بنديز لګېدلی
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},{0} د قالب په خپلو د ژوند پای ته ورسېدئ {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,د وتو بنديز لګېدلی
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},{0} د قالب په خپلو د ژوند پای ته ورسېدئ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,بانک توکي
 DocType: Customer,Is Internal Customer,داخلي پیرودونکي دي
 DocType: Crop,Annual,کلنی
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",که چیرته د اتوم انټینټ چک شي نو بیا به پیرودونکي به په اتومات ډول د اړوند وفادار پروګرام سره خوندي شي) خوندي ساتل (
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,دحمل پخلاينې د قالب
 DocType: Stock Entry,Sales Invoice No,خرڅلاو صورتحساب نه
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,د سپړنې ډول
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,د سپړنې ډول
 DocType: Material Request Item,Min Order Qty,Min نظم Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,د زده کونکو د ګروپ خلقت اسباب کورس
 DocType: Lead,Do Not Contact,نه د اړيکې
@@ -479,14 +479,14 @@
 DocType: Item,Publish in Hub,په مرکز د خپرېدو
 DocType: Student Admission,Student Admission,د زده کونکو د شاملیدو
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} د قالب دی لغوه
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} د قالب دی لغوه
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,د استهالک صف {0}: د استهالک نیټه د تیر نیټې په توګه داخل شوې ده
 DocType: Contract Template,Fulfilment Terms and Conditions,د بشپړتیا شرایط او شرایط
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,د موادو غوښتنه
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,د موادو غوښتنه
 DocType: Bank Reconciliation,Update Clearance Date,تازه چاڼېزو نېټه
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,رانيول نورولوله
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},د قالب {0} په خام مواد &#39;جدول په اخستلو امر ونه موندل {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},د قالب {0} په خام مواد &#39;جدول په اخستلو امر ونه موندل {1}
 DocType: Salary Slip,Total Principal Amount,ټول اصلي مقدار
 DocType: Student Guardian,Relation,د خپلوي
 DocType: Student Guardian,Mother,مور
@@ -531,10 +531,11 @@
 DocType: Tax Rule,Shipping County,انتقال County
 DocType: Currency Exchange,For Selling,د پلورلو لپاره
 apps/erpnext/erpnext/config/desktop.py +159,Learn,وکړئ
+DocType: Purchase Invoice Item,Enable Deferred Expense,د لیږد شوي لګښت فعالول
 DocType: Asset,Next Depreciation Date,بل د استهالک نېټه
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,فعالیت لګښت په سلو کې د کارګر
 DocType: Accounts Settings,Settings for Accounts,لپاره حسابونه امستنې
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},په رانيول صورتحساب عرضه صورتحساب شتون نه لري {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},په رانيول صورتحساب عرضه صورتحساب شتون نه لري {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Manage خرڅلاو شخص د ونو.
 DocType: Job Applicant,Cover Letter,د خط کور
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,بيالنس Cheques او سپما او پاکول
@@ -549,7 +550,7 @@
 DocType: Employee,External Work History,بهرني کار تاریخ
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,متحدالمال ماخذ کې تېروتنه
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,د زده کوونکو راپور ورکونکی
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,د پنډ کوډ څخه
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,د پنډ کوډ څخه
 DocType: Appointment Type,Is Inpatient,په داخل کښی دی
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 نوم
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,په وييکي (صادراتو) به د لیدو وړ وي يو ځل تاسو تسلیمی يادونه وژغوري.
@@ -564,18 +565,19 @@
 DocType: Journal Entry,Multi Currency,څو د اسعارو
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,صورتحساب ډول
 DocType: Employee Benefit Claim,Expense Proof,د پیسو لګښت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,د سپارنې پرمهال یادونه
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},خوندي کول {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,د سپارنې پرمهال یادونه
 DocType: Patient Encounter,Encounter Impression,اغیزه اغیزه
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,مالیات ترتیبول
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,د شتمنيو د دلال لګښت
 DocType: Volunteer,Morning,سهار
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,د پیسو د داخلولو بدل شوی دی وروسته کش تاسو دا. دا بیا لطفا وباسي.
 DocType: Program Enrollment Tool,New Student Batch,د زده کوونکو نوې ډله
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} په قالب د مالياتو د دوه ځله ننوتل
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,لنډيز دې اوونۍ او په تمه د فعالیتونو لپاره
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} په قالب د مالياتو د دوه ځله ننوتل
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,لنډيز دې اوونۍ او په تمه د فعالیتونو لپاره
 DocType: Student Applicant,Admitted,اعتراف وکړ
 DocType: Workstation,Rent Cost,د کرايې لګښت
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,اندازه د استهالک وروسته
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,اندازه د استهالک وروسته
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,راتلونکو جنتري پیښې
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,مختلف ډولونه
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,لطفا مياشت او کال وټاکئ
@@ -613,8 +615,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},هلته يوازې کولای شي په هر شرکت 1 حساب وي {0} د {1}
 DocType: Support Search Source,Response Result Key Path,د ځواب پایلې کلیدي لار
 DocType: Journal Entry,Inter Company Journal Entry,د انټرنیټ جریان ژورنال
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},د مقدار لپاره {0} باید د کار د امر مقدار څخه ډیر ګرانه وي {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,مهرباني مل وګورئ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},د مقدار لپاره {0} باید د کار د امر مقدار څخه ډیر ګرانه وي {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,مهرباني مل وګورئ
 DocType: Purchase Order,% Received,٪ د ترلاسه
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,د زده کونکو د ډلو جوړول
 DocType: Volunteer,Weekends,اونۍ
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,بشپړ شوی
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,د پیل / اوسني تسلسل کې د شته لړ شمېر کې بدلون راولي.
 DocType: Dosage Strength,Strength,ځواک
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,یو نوی پيرودونکو جوړول
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,یو نوی پيرودونکو جوړول
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,د وخت تمه کول
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",که څو د بیو د اصولو دوام پراخیدل، د کاروونکو څخه پوښتنه کيږي چي د لومړیتوب ټاکل لاسي د شخړې حل کړي.
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,رانيول امر جوړول
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,د مصرف لګښت
 DocType: Purchase Receipt,Vehicle Date,موټر نېټه
 DocType: Student Log,Medical,د طب
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,د له لاسه ورکولو لامل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,مهرباني وکړئ د مخدره توکو انتخاب وکړئ
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,د له لاسه ورکولو لامل
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,مهرباني وکړئ د مخدره توکو انتخاب وکړئ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,سرب د خاوند نه شي کولی چې په غاړه په توګه ورته وي
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,ځانګړې اندازه کولای بوختوکارګرانو مقدار څخه زياته نه
 DocType: Announcement,Receiver,د اخيستونکي
 DocType: Location,Area UOM,ساحه UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation په لاندې نېټو بند دی هر رخصتي بشپړفهرست په توګه: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,فرصتونه
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,فرصتونه
 DocType: Lab Test Template,Single,مجرد
 DocType: Compensatory Leave Request,Work From Date,د نېټې څخه کار
 DocType: Salary Slip,Total Loan Repayment,ټول پور بيرته ورکول
+DocType: Project User,View attachments,ضمیمه وګورئ
 DocType: Account,Cost of Goods Sold,د اجناسو د لګښت پلورل
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,لطفا لګښت مرکز ته ننوځي
 DocType: Drug Prescription,Dosage,ډوډۍ
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,کمیت او Rate
 DocType: Delivery Note,% Installed,٪ ولګول شو
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,درسي / لابراتوارونو او نور هلته د لکچر کولای ټاکل شي.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,د شرکتونو دواړو شرکتونو باید د انټرنیټ د راکړې ورکړې سره سمون ولري.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,د شرکتونو دواړو شرکتونو باید د انټرنیټ د راکړې ورکړې سره سمون ولري.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,مهرباني وکړئ د شرکت نوم د لومړي ننوځي
 DocType: Travel Itinerary,Non-Vegetarian,غیر سبزیج
 DocType: Purchase Invoice,Supplier Name,عرضه کوونکي نوم
@@ -697,7 +700,6 @@
 DocType: Purchase Invoice,01-Sales Return,د پلور پلورنې 01
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,په موقتي توګه ساتل
 DocType: Account,Is Group,دی ګروپ
-DocType: Email Digest,Pending Purchase Orders,رانيول امر په تمه
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,په اتوماتيک ډول سریال ترانسفارمرونو د ټاکلو په موخه د پر بنسټ د FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,چيک عرضه صورتحساب شمېر لوړوالی
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,د ابتدائی پته تفصیلات
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,د مقدماتي متن چې د دغې ایمیل يوې برخې په توګه ځي دتنظيمولو. هر معامله جلا مقدماتي متن لري.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Row {0}: د خام توکي په وړاندې عملیات اړین دي {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},مهرباني وکړئ د شرکت لپاره د تلوالیزه د تادیې وړ ګڼون جوړ {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},د کار امر بندولو لپاره د لیږد اجازه نه ورکول کیږي {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},د کار امر بندولو لپاره د لیږد اجازه نه ورکول کیږي {0}
 DocType: Setup Progress Action,Min Doc Count,د کانونو شمیرنه
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,د ټولو د توليد د پروسې Global امستنې.
 DocType: Accounts Settings,Accounts Frozen Upto,جوړوي ګنګل ترمړوندونو پورې
 DocType: SMS Log,Sent On,ته وليږدول د
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,ځانتیا د {0} په صفات جدول څو ځلې غوره
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,ځانتیا د {0} په صفات جدول څو ځلې غوره
 DocType: HR Settings,Employee record is created using selected field. ,د کارګر ریکارډ انتخاب ډګر په کارولو سره جوړ.
 DocType: Sales Order,Not Applicable,کاروړی نه دی
 DocType: Amazon MWS Settings,UK,برطانيه
@@ -747,20 +749,21 @@
 DocType: Student Report Generation Tool,Attended by Parents,د والدینو لخوا تمرکز
 DocType: Inpatient Record,AB Positive,AB مثبت دی
 DocType: Job Opening,Description of a Job Opening,د دنده تفصيل پرانیستل
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,د نن په تمه فعالیتونو
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,د نن په تمه فعالیتونو
 DocType: Salary Structure,Salary Component for timesheet based payroll.,د timesheet پر بنسټ د معاشونو د معاش برخه.
+DocType: Driver,Applicable for external driver,د بهرني ډرایور لپاره د تطبیق وړ
 DocType: Sales Order Item,Used for Production Plan,د تولید پلان لپاره کارول کيږي
 DocType: Loan,Total Payment,ټول تاديه
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,د بشپړ کار د نظم لپاره لیږد رد نه شي کولی.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,د بشپړ کار د نظم لپاره لیږد رد نه شي کولی.
 DocType: Manufacturing Settings,Time Between Operations (in mins),د وخت عملیاتو تر منځ (په دقیقه)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,پو د مخه د ټولو پلورونو د امر توکو لپاره جوړ شوی
 DocType: Healthcare Service Unit,Occupied,اشغال شوی
 DocType: Clinical Procedure,Consumables,مصرفونه
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} د {1} ده لغوه نو د عمل نه بشپړ شي
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} د {1} ده لغوه نو د عمل نه بشپړ شي
 DocType: Customer,Buyer of Goods and Services.,د توکو او خدماتو د اخستونکو لپاره.
 DocType: Journal Entry,Accounts Payable,ورکړې وړ حسابونه
 DocType: Patient,Allergies,الندي
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,د ټاکل شوي BOMs د همدغه توکي نه دي
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,د ټاکل شوي BOMs د همدغه توکي نه دي
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,د توکو کوډ بدل کړئ
 DocType: Supplier Scorecard Standing,Notify Other,نور ته خبرتیا ورکړئ
 DocType: Vital Signs,Blood Pressure (systolic),د وینی فشار
@@ -772,7 +775,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,بس برخي د جوړولو
 DocType: POS Profile User,POS Profile User,د پی ایس پی پی ایل کارن
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Row {0}: د استملاک د پیل نیټه اړینه ده
-DocType: Sales Invoice Item,Service Start Date,د خدماتو د پیل نیټه
+DocType: Purchase Invoice Item,Service Start Date,د خدماتو د پیل نیټه
 DocType: Subscription Invoice,Subscription Invoice,د ګډون تفتیش
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,مستقيم عايداتو
 DocType: Patient Appointment,Date TIme,نیټه او وخت
@@ -792,7 +795,7 @@
 DocType: Lab Test Template,Lab Routine,لابراتوار
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,د سينګار
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,مهرباني وکړئ د بشپړې شتمنیو د ساتنې لپاره د بشپړې نیټې ټاکنه
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",ته لېږدونه، لاندې شتمنۍ باید د دواړو توکي ورته وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",ته لېږدونه، لاندې شتمنۍ باید د دواړو توکي ورته وي
 DocType: Supplier,Block Supplier,د بلاک سپارل
 DocType: Shipping Rule,Net Weight,خالص وزن
 DocType: Job Opening,Planned number of Positions,پلان شوي شمېره د پوستونو
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,د نغدو فلو نقشه اخیستنې ټکي
 DocType: Travel Request,Costing Details,د لګښت لګښتونه
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,بیرته راستنيدنې وښایاست
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,سریال نه توکی نه شي کولای یوه برخه وي
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,سریال نه توکی نه شي کولای یوه برخه وي
 DocType: Journal Entry,Difference (Dr - Cr),توپير (ډاکټر - CR)
 DocType: Bank Guarantee,Providing,چمتو کول
 DocType: Account,Profit and Loss,ګټه او زیان
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",اجازه نشته، د لابراتوار ټکي سمبول چې اړتیا وي
 DocType: Patient,Risk Factors,د خطر فکتورونه
 DocType: Patient,Occupational Hazards and Environmental Factors,مسلکی خطرونه او چاپیریال عوامل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,د استخراج اسنادونه د مخه د کار امر لپاره جوړ شوي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,د استخراج اسنادونه د مخه د کار امر لپاره جوړ شوي
 DocType: Vital Signs,Respiratory rate,د تناسب کچه
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,د اداره کولو په ټیکه
 DocType: Vital Signs,Body Temperature,د بدن درجه
 DocType: Project,Project will be accessible on the website to these users,پروژه به د دغو کاروونکو په ویب پاڼه د السرسي وړ وي
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} نشي کولی ځکه چې سیریل نمبر {2} د ګودام پورې تړاو نلري {3}
 DocType: Detected Disease,Disease,ناروغ
+DocType: Company,Default Deferred Expense Account,د ټاکل شوي مصرف شوي مصرف حساب
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,د پروژې ډول تعریف کړئ.
 DocType: Supplier Scorecard,Weighting Function,د وزن کولو دنده
 DocType: Healthcare Practitioner,OP Consulting Charge,د OP مشاورت چارج
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,تولید شوي توکي
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,د انوګانو لپاره راکړې ورکړه
 DocType: Sales Order Item,Gross Profit,ټولټال ګټه
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,د انوون انډول
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,د انوون انډول
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,بهرمن نه شي کولای 0 وي
 DocType: Company,Delete Company Transactions,شرکت معاملې ړنګول
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,ماخذ نه او ماخذ نېټه د بانک د راکړې ورکړې الزامی دی
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,له پامه
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} د {1} فعاله نه وي
 DocType: Woocommerce Settings,Freight and Forwarding Account,فریٹ او مخکښ حساب
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,د چاپ Setup چک ابعادو
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,د چاپ Setup چک ابعادو
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,د معاش معاشونه جوړ کړئ
 DocType: Vital Signs,Bloated,لوټ شوی
 DocType: Salary Slip,Salary Slip Timesheet,معاش ټوټه Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,عرضه ګدام د فرعي قرارداد رانيول رسيد اجباري
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,عرضه ګدام د فرعي قرارداد رانيول رسيد اجباري
 DocType: Item Price,Valid From,د اعتبار له
 DocType: Sales Invoice,Total Commission,Total کمیسیون
 DocType: Tax Withholding Account,Tax Withholding Account,د مالیه ورکوونکي مالیه حساب
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,د ټولو سپلویر کټګورډونه.
 DocType: Buying Settings,Purchase Receipt Required,رانيول رسيد اړین
 DocType: Delivery Note,Rail,رېل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,په صفار {0} کې هدف ګودام باید د کار امر په توګه وي
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,سنجي Rate فرض ده که پرانيستل دحمل ته ننوتل
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,په صفار {0} کې هدف ګودام باید د کار امر په توګه وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,سنجي Rate فرض ده که پرانيستل دحمل ته ننوتل
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,هیڅ ډول ثبتونې په صورتحساب جدول کې وموندل
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,لطفا د شرکت او د ګوند ډول لومړی انتخاب
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",مخکې له دې چې د کارن {1} لپاره پۀ پروفايل کې {0} ډیزاین وټاکئ، مهربانۍ په سم ډول بې معیوب شوی
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,د مالي / جوړوي کال.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,د مالي / جوړوي کال.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,جمع ارزښتونه
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",بښنه غواړو، سریال وځيري نه مدغم شي
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,پیرودونکي ګروپ به د ګروپي پیرودونکو لخوا د پیژندنې په وخت کې ټاکل شوي ګروپ ته وټاکي
@@ -895,7 +900,7 @@
 ,Lead Id,سرب د Id
 DocType: C-Form Invoice Detail,Grand Total,ستره مجموعه
 DocType: Assessment Plan,Course,کورس
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,د برخې کود
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,د برخې کود
 DocType: Timesheet,Payslip,ورقې
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,نیمایي نیټه باید د نیټې او تر نیټې پورې وي
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,د توکي په ګاډۍ
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,شخصي بیو
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,د غړیتوب ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},تحویلوونکی: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},تحویلوونکی: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,د بکس بکسونو سره پيوستون
 DocType: Bank Statement Transaction Entry,Payable Account,د تادیې وړ حساب
 DocType: Payment Entry,Type of Payment,د تادیاتو ډول
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,د نیمایي نیټه لازمي ده
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,د تیلو لیږد نیټه
 DocType: Production Plan,Production Plan,د تولید پلان
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,د انوائس د جوړولو وسیله پرانیزي
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,خرڅلاو Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,خرڅلاو Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,نوټ: ټولې اختصاص پاڼي {0} بايد نه مخکې تصویب پاڼو څخه کم وي {1} د مودې لپاره
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,د سیریل نمبر انټرنیټ پر بنسټ د راکړې ورکړې مقدار ټاکئ
 ,Total Stock Summary,Total سټاک لنډيز
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,پیرودونکي یا د قالب
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,پيرودونکو ډیټابیس.
 DocType: Quotation,Quotation To,د داوطلبۍ
-DocType: Lead,Middle Income,د منځني عايداتو
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,د منځني عايداتو
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),د پرانستلو په (آر)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,د قالب اندازه Default اداره {0} نه شي په مستقيمه شي ځکه بدل مو چې ځينې راکړې ورکړې (ص) سره د یو بل UOM لا کړې. تاسو به اړ یو نوی د قالب د بل Default UOM ګټه رامنځ ته کړي.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,د قالب اندازه Default اداره {0} نه شي په مستقيمه شي ځکه بدل مو چې ځينې راکړې ورکړې (ص) سره د یو بل UOM لا کړې. تاسو به اړ یو نوی د قالب د بل Default UOM ګټه رامنځ ته کړي.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,ځانګړې اندازه نه کېدای شي منفي وي
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,مهرباني وکړئ د شرکت جوړ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,مهرباني وکړئ د شرکت جوړ
@@ -949,15 +955,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,انتخاب د پیسو حساب ته د بانک د داخلولو لپاره
 DocType: Hotel Settings,Default Invoice Naming Series,Default انوائس نومونې لړۍ
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",د پاڼو، لګښت د ادعاوو او د معاشونو د اداره کارکوونکی د اسنادو جوړول
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,د اوسمهال د پروسې په ترڅ کې یوه تېروتنه رامنځته شوه
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,د اوسمهال د پروسې په ترڅ کې یوه تېروتنه رامنځته شوه
 DocType: Restaurant Reservation,Restaurant Reservation,د رستورانت ساتنه
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,د پروپوزل ليکلو
 DocType: Payment Entry Deduction,Payment Entry Deduction,د پیسو د داخلولو Deduction
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,پورته کول
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,پیرودونکي د بریښنالیک له لارې خبرتیاوي
 DocType: Item,Batch Number Series,د بسته شمېره لړۍ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,بل خرڅلاو کس {0} د همدې کارکوونکی پېژند شتون لري
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,بل خرڅلاو کس {0} د همدې کارکوونکی پېژند شتون لري
 DocType: Employee Advance,Claimed Amount,ادعا شوې پیسې
+DocType: QuickBooks Migrator,Authorization Settings,د اجازې ترتیبات
 DocType: Travel Itinerary,Departure Datetime,د راتګ دوره
 DocType: Customer,CUST-.YYYY.-,CUST -YYYY-
 DocType: Travel Request Costing,Travel Request Costing,د سفر غوښتنه لګښت
@@ -997,26 +1004,29 @@
 DocType: Buying Settings,Supplier Naming By,عرضه کوونکي نوم By
 DocType: Activity Type,Default Costing Rate,Default لګښت کچه
 DocType: Maintenance Schedule,Maintenance Schedule,د ساتنې او مهال ويش
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",بيا د بیې اصول دي فلتر څخه پر بنسټ د پيرودونکو، پيرودونکو ګروپ، خاوره، عرضه، عرضه ډول، د کمپاین، خرڅلاو همکار او نور
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",بيا د بیې اصول دي فلتر څخه پر بنسټ د پيرودونکو، پيرودونکو ګروپ، خاوره، عرضه، عرضه ډول، د کمپاین، خرڅلاو همکار او نور
 DocType: Employee Promotion,Employee Promotion Details,د کارموندنې پرمختګ توضیحات
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,په موجودي خالص د بدلون
 DocType: Employee,Passport Number,د پاسپورټ ګڼه
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,سره د اړیکو Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,مدير
 DocType: Payment Entry,Payment From / To,د پیسو له / د
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,له مالي کال څخه
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},د پورونو د نوي محدودیت دی لپاره د پیریدونکو د اوسني بيالنس مقدار څخه لږ. پورونو د حد لري تيروخت وي {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},مهرباني وکړئ په ګودام کې حساب ورکړئ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},مهرباني وکړئ په ګودام کې حساب ورکړئ {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;پر بنسټ&#39; او &#39;ډله په&#39; کولای شي په څېر نه وي
 DocType: Sales Person,Sales Person Targets,خرڅلاو شخص موخې
 DocType: Work Order Operation,In minutes,په دقيقو
 DocType: Issue,Resolution Date,لیک نیټه
 DocType: Lab Test Template,Compound,مرکب
+DocType: Opportunity,Probability (%),احتمال (٪)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,د لیږدولو خبرتیا
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,ملکیت غوره کړه
 DocType: Student Batch Name,Batch Name,دسته نوم
 DocType: Fee Validity,Max number of visit,د کتنې ډیره برخه
 ,Hotel Room Occupancy,د هوټل روم Occupancy
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet جوړ:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},لطفا د تادیاتو په اکر کې default د نغدي او يا بانک حساب جوړ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},لطفا د تادیاتو په اکر کې default د نغدي او يا بانک حساب جوړ {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,کې شامل کړي
 DocType: GST Settings,GST Settings,GST امستنې
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},پیسو باید د قیمت د لیست کرنسی په شان وي: {0}
@@ -1057,12 +1067,12 @@
 DocType: Loan,Total Interest Payable,ټولې ګټې د راتلوونکې
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,تيرماښام لګښت مالیات او په تور
 DocType: Work Order Operation,Actual Start Time,واقعي د پیل وخت
+DocType: Purchase Invoice Item,Deferred Expense Account,د لیږد شوي لګښت حساب
 DocType: BOM Operation,Operation Time,د وخت د عملياتو
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,فنلند
 DocType: Salary Structure Assignment,Base,اډه
 DocType: Timesheet,Total Billed Hours,Total محاسبې ته ساعتونه
 DocType: Travel Itinerary,Travel To,سفر ته
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,نه دی
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,مقدار ولیکئ پړاو
 DocType: Leave Block List Allow,Allow User,کارن اجازه
 DocType: Journal Entry,Bill No,بیل نه
@@ -1081,9 +1091,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,د وخت پاڼه
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush خام مواد پر بنسټ
 DocType: Sales Invoice,Port Code,پورت کوډ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,د ریزرو ګودام
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,د ریزرو ګودام
 DocType: Lead,Lead is an Organization,رهبري سازمان دی
-DocType: Guardian Interest,Interest,په زړه پوري
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,مخکې خرڅلاو
 DocType: Instructor Log,Other Details,نور جزئيات
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1093,7 +1102,7 @@
 DocType: Account,Accounts,حسابونه
 DocType: Vehicle,Odometer Value (Last),Odometer ارزښت (په تېره)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,د عرضه کوونکي د سکورډ معیار معیارونه.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,بازار موندنه
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,بازار موندنه
 DocType: Sales Invoice,Redeem Loyalty Points,د وفاداري وفادارۍ ټکي
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,د پیسو د داخلولو د مخکې نه جوړ
 DocType: Request for Quotation,Get Suppliers,سپلائر ترلاسه کړئ
@@ -1110,16 +1119,14 @@
 DocType: Crop,Crop Spacing UOM,د کرهنې فاصله UOM
 DocType: Loyalty Program,Single Tier Program,د واحد ټیر پروګرام
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,یوازې یواځې انتخاب کړئ که تاسو د نغدو پیسو نقشې اسناد چمتو کړئ که نه
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,د پته 1 څخه
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,د پته 1 څخه
 DocType: Email Digest,Next email will be sent on:,بل برېښليک به واستول شي په:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",لاندې توکي {توکي} {فعل} د {پیغام} توکي په توګه نښه کړئ. \ تاسو کولی شئ هغوی د خپل د ماسټر ماسټر څخه د {پیغام} توکي په توګه وکاروي
 DocType: Supplier Scorecard,Per Week,په اونۍ کې
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,د قالب د بېرغونو لري.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,د قالب د بېرغونو لري.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,ټول زده کونکي
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,د قالب {0} ونه موندل شو
 DocType: Bin,Stock Value,دحمل ارزښت
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,شرکت {0} نه شته
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,شرکت {0} نه شته
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} د اعتبار اعتبار لري {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,د ونې ډول
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Qty مصرف د هر واحد
@@ -1135,7 +1142,7 @@
 ,Fichier des Ecritures Comptables [FEC],فیکیر des Ecritures لنډیزونه [FEC]
 DocType: Journal Entry,Credit Card Entry,کریډیټ کارټ انفاذ
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,شرکت او حسابونه
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,په ارزښت
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,په ارزښت
 DocType: Asset Settings,Depreciation Options,د استهالک انتخابونه
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,یا هم ځای یا کارمند ته اړتیا وي
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,د پوستې ناسم وخت
@@ -1152,20 +1159,21 @@
 DocType: Leave Allocation,Allocation,تخصیص
 DocType: Purchase Order,Supply Raw Materials,رسولو لپاره خام مواد
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,اوسني شتمني
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} يو سټاک د قالب نه دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} يو سټاک د قالب نه دی
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',مهرباني وکړئ خپل روزنې ته د روزنې ځوابونه او بیا وروسته &#39;نوی&#39; په واسطه ټریننګ سره شریک کړئ.
 DocType: Mode of Payment Account,Default Account,default اکانټ
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,مهرباني وکړئ لومړی د سټارټ سایټونو کې د نمونې ساتنه ګودام غوره کړئ
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,مهرباني وکړئ لومړی د سټارټ سایټونو کې د نمونې ساتنه ګودام غوره کړئ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,مهرباني وکړئ د ډېرو راټول شویو قواعدو لپاره د ډیری ټیر پروګرام ډول غوره کړئ.
 DocType: Payment Entry,Received Amount (Company Currency),د مبلغ (شرکت د اسعارو)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,اداره کوونکۍ باید جوړ شي که فرصت څخه په غاړه کړې
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,تادیات رد شوی. مهرباني وکړئ د نورو جزیاتو لپاره د ګرمسیرless حساب وګورئ
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,د ضمیمه سره لیږل
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,لطفا اونیز پړاو ورځ وټاکئ
 DocType: Inpatient Record,O Negative,اې منفي
 DocType: Work Order Operation,Planned End Time,پلان د پاي وخت
 ,Sales Person Target Variance Item Group-Wise,خرڅلاو شخص د هدف وړ توپیر د قالب ګروپ تدبيراومصلحت
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,سره د موجوده د راکړې ورکړې په پام بدل نه شي چې د پنډو
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,سره د موجوده د راکړې ورکړې په پام بدل نه شي چې د پنډو
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,د یادښت ډولونه
 DocType: Delivery Note,Customer's Purchase Order No,پيرودونکو د اخستلو امر نه
 DocType: Clinical Procedure,Consume Stock,د سټاک مصرف کول
@@ -1178,26 +1186,26 @@
 DocType: Soil Texture,Sand,رڼا
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,د انرژۍ د
 DocType: Opportunity,Opportunity From,فرصت له
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,د {0}: {1} سیریل شمېره د 2 {2} لپاره اړین ده. تاسو {3} چمتو کړی.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,د {0}: {1} سیریل شمېره د 2 {2} لپاره اړین ده. تاسو {3} چمتو کړی.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,مهرباني وکړئ یو میز انتخاب کړئ
 DocType: BOM,Website Specifications,وېب پاڼه ځانګړتیاو
 DocType: Special Test Items,Particulars,درسونه
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: د {0} د ډول {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,د کتارونو تر {0}: د تغیر فکتور الزامی دی
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,د کتارونو تر {0}: د تغیر فکتور الزامی دی
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",څو د بیو د اصول سره ورته معیارونه شتون، لطفا له خوا لومړیتوب وګومارل شخړې حل کړي. بيه اصول: {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",څو د بیو د اصول سره ورته معیارونه شتون، لطفا له خوا لومړیتوب وګومارل شخړې حل کړي. بيه اصول: {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,د تبادلې بیه د بیا رغونې حساب
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,نه خنثی کولای شي او یا هیښ لغوه په توګه دا ده چې له نورو BOMs سره تړاو لري
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,نه خنثی کولای شي او یا هیښ لغوه په توګه دا ده چې له نورو BOMs سره تړاو لري
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,مهرباني وکړئ د شرکتونو او لیکنو نیټه وټاکئ تر څو ثبتات ترلاسه کړي
 DocType: Asset,Maintenance,د ساتنې او
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,د ناروغۍ له لارې ترلاسه کړئ
 DocType: Subscriber,Subscriber,ګډون کوونکي
 DocType: Item Attribute Value,Item Attribute Value,د قالب ځانتیا ارزښت
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,مهرباني وکړئ خپل د پروژې حالت تازه کړئ
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,مهرباني وکړئ خپل د پروژې حالت تازه کړئ
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,د پیسو تبادله باید د اخیستلو یا خرڅلاو لپاره تطبیق شي.
 DocType: Item,Maximum sample quantity that can be retained,د نمونې خورا مهم مقدار چې ساتل کیدی شي
 DocType: Project Update,How is the Project Progressing Right Now?,د پروژې پرمختګ پرمختګ اوس څه ډول دی؟
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},صف {0} # آئٹم {1} نشي کولی د {2} څخه زیات د پیرودلو په وړاندې لیږدول {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},صف {0} # آئٹم {1} نشي کولی د {2} څخه زیات د پیرودلو په وړاندې لیږدول {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,خرڅلاو مبارزو.
 DocType: Project Task,Make Timesheet,Timesheet د کمکیانو لپاره
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1226,35 +1234,37 @@
 DocType: Lab Test,Lab Test,لابراتوار ازموینه
 DocType: Student Report Generation Tool,Student Report Generation Tool,د زده کونکو د راپور جوړونې وسیله
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,د روغتیایی مراحل مهال ویش وخت
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,د نوم نوم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,د نوم نوم
 DocType: Expense Claim Detail,Expense Claim Type,اخراجاتو ادعا ډول
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,کولر په ګاډۍ تلواله امستنو
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,مهال ویشونه زیات کړئ
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},د شتمنیو د پرزه ژورنال انفاذ له لارې د {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},مهرباني وکړئ په ګورډ کې حساب ورکړئ {0} یا په لومړني انوینٹری حساب کې د شرکت {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},د شتمنیو د پرزه ژورنال انفاذ له لارې د {0}
 DocType: Loan,Interest Income Account,په زړه د عوايدو د حساب
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,د صفر څخه ډیرې ګټې باید د ګټو مخنیوی وکړي
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,د صفر څخه ډیرې ګټې باید د ګټو مخنیوی وکړي
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,د دعوت کولو لیږل بیاکتنه
 DocType: Shift Assignment,Shift Assignment,د لیږد تخصیص
 DocType: Employee Transfer Property,Employee Transfer Property,د کارموندنې لیږد ملکیت
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,وخت څخه باید د وخت څخه لږ وي
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,د ټېکنالوجۍ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",توکي {0} (سیریل نمبر: {1}) د مصرف کولو لپاره د مصرف کولو وړ ندي \ د پلور آرڈر {2} بشپړولو لپاره.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,دفتر د ترمیم لګښتونه
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,ورتګ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,د لوړې بیې لیست وړاندې د ERPN د پرچون پلورونکو قیمتونو څخه د نوي کولو قیمت
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ترتیبول بريښناليک حساب
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,مهرباني وکړئ لومړی د قالب ته ننوځي
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,د اړتیاوو تحلیل
 DocType: Asset Repair,Downtime,رخصتۍ
 DocType: Account,Liability,Liability
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,تحریم مقدار نه شي کولای په کتارونو ادعا مقدار څخه ډيره وي {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,تحریم مقدار نه شي کولای په کتارونو ادعا مقدار څخه ډيره وي {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,اکادمیک اصطلاح:
 DocType: Salary Component,Do not include in total,په مجموع کې شامل نه کړئ
 DocType: Company,Default Cost of Goods Sold Account,د حساب د پلورل شوو اجناسو Default لګښت
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,بیې په لېست کې نه ټاکل
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,بیې په لېست کې نه ټاکل
 DocType: Employee,Family Background,د کورنۍ مخينه
 DocType: Request for Quotation Supplier,Send Email,برېښنا لیک ولېږه
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},خبرداری: ناسم ضميمه {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},خبرداری: ناسم ضميمه {0}
 DocType: Item,Max Sample Quantity,د مکس نمونې مقدار
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,نه د اجازې د
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,د قرارداد د بشپړتیا چک لست
@@ -1286,15 +1296,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} د {1}: لګښت مرکز {2} کوي چې د دې شرکت سره تړاو نه لري {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),خپل خط سر ته پورته کړئ (دا ویب دوستانه د 900px په 100px سره وساتئ)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} د {1}: Account {2} نه شي کولای د يو ګروپ وي
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,د قالب د کتارونو تر {idx}: {doctype} {docname} په پورته نه شته &#39;{doctype}&#39; جدول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} لا د مخه د بشپړې او يا لغوه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} لا د مخه د بشپړې او يا لغوه
+DocType: QuickBooks Migrator,QuickBooks Migrator,د شایک بکس کښونکي
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,نه دندو
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,د پلور انوائس {0} د پیسو په توګه جوړ شوی
 DocType: Item Variant Settings,Copy Fields to Variant,د ویډیو لپاره کاپی ډګرونه
 DocType: Asset,Opening Accumulated Depreciation,د استهلاک د پرانيستلو
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,نمره باید لږ تر لږه 5 يا ور سره برابر وي
 DocType: Program Enrollment Tool,Program Enrollment Tool,پروګرام شمولیت اوزار
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-فورمه سوابق
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-فورمه سوابق
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,ونډې لا دمخه شتون لري
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,پيرودونکو او عرضه
 DocType: Email Digest,Email Digest Settings,Email Digest امستنې
@@ -1307,12 +1317,12 @@
 DocType: Production Plan,Select Items,انتخاب سامان
 DocType: Share Transfer,To Shareholder,د شریکونکي لپاره
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} بیل په وړاندې د {1} مورخ {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,له دولت څخه
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,له دولت څخه
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,د تاسیساتو بنسټ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,د پاڼو تخصیص
 DocType: Program Enrollment,Vehicle/Bus Number,په موټر کې / بس نمبر
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,کورس د مهال ويش
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",تاسو باید د پیسو د اخري معاش په وروستیو معاشونو کې د غیرقانوني مالیې معافې ثبوت او غیر اعلان شوي \ کارمندانو ګټې لپاره د مالیې کم کړئ
 DocType: Request for Quotation Supplier,Quote Status,د حالت حالت
 DocType: GoCardless Settings,Webhooks Secret,د ویبوکس پټ
@@ -1338,13 +1348,13 @@
 DocType: Sales Invoice,Payment Due Date,د پیسو له امله نېټه
 DocType: Drug Prescription,Interval UOM,د UOM منځګړیتوب
 DocType: Customer,"Reselect, if the chosen address is edited after save",بې ځایه کړئ، که چیرې غوره شوي پتې د خوندي کولو وروسته سمبال شي
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,د قالب variant {0} لا د همدې صفتونو شتون لري
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,د قالب variant {0} لا د همدې صفتونو شتون لري
 DocType: Item,Hub Publishing Details,د هوب د خپرولو توضیحات
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;پرانیستل&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;پرانیستل&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,د پرانستې ته ایا
 DocType: Issue,Via Customer Portal,د پیرودونکي پورټیټ سره
 DocType: Notification Control,Delivery Note Message,د سپارنې پرمهال يادونه پيغام
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,د SGST مقدار
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,د SGST مقدار
 DocType: Lab Test Template,Result Format,د پایلو فارم
 DocType: Expense Claim,Expenses,لګښتونه
 DocType: Item Variant Attribute,Item Variant Attribute,د قالب variant ځانتیا
@@ -1352,14 +1362,12 @@
 DocType: Payroll Entry,Bimonthly,د جلسو
 DocType: Vehicle Service,Brake Pad,لنت ترمز Pad
 DocType: Fertilizer,Fertilizer Contents,د سرې وړ توکي
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,د څیړنې او پراختیا
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,د څیړنې او پراختیا
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ته بیل اندازه
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","د پیل نیټه او د نیټې نیټه د کارت کارت سره د زغملو وړ دی <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,د نوم ليکنې په بشپړه توګه کتل
 DocType: Timesheet,Total Billed Amount,Total محاسبې ته مقدار
 DocType: Item Reorder,Re-Order Qty,Re-نظم Qty
 DocType: Leave Block List Date,Leave Block List Date,پريږدئ بالک بشپړفهرست نېټه
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,مهرباني وکړئ په تعلیم کې د ښوونکي د نومونې سیسټم جوړ کړئ&gt; د زده کړې ترتیبات
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: خام مواد د اصلي توکو په څیر نه وي
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,په رانيول رسيد توکي جدول ټولې د تطبیق په تور باید په توګه ټول ماليات او په تور ورته وي
 DocType: Sales Team,Incentives,هڅوونکي
@@ -1373,7 +1381,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-of-خرڅول
 DocType: Fee Schedule,Fee Creation Status,د فیس جوړولو وضعیت
 DocType: Vehicle Log,Odometer Reading,Odometer لوستلو
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ګڼون بیلانس د مخه په پور، تاسو ته د ټاکل &#39;بیلانس باید&#39; په توګه &#39;ګزارې&#39; اجازه نه
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ګڼون بیلانس د مخه په پور، تاسو ته د ټاکل &#39;بیلانس باید&#39; په توګه &#39;ګزارې&#39; اجازه نه
 DocType: Account,Balance must be,توازن باید
 DocType: Notification Control,Expense Claim Rejected Message,اخراجاتو ادعا رد پيغام
 ,Available Qty,موجود Qty
@@ -1403,30 +1411,32 @@
 DocType: Restaurant Table,Minimum Seating,لږ تر لږه څوکۍ
 DocType: Item Attribute,Item Attribute Values,د قالب ځانتیا ارزښتونه
 DocType: Examination Result,Examination Result,د ازموینې د پایلو د
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,رانيول رسيد
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,رانيول رسيد
 ,Received Items To Be Billed,ترلاسه توکي چې د محاسبې ته شي
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,د اسعارو د تبادلې نرخ د بادار.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,د اسعارو د تبادلې نرخ د بادار.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},ماخذ Doctype بايد د يو شي {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,ټول زیرو مقدار فلټر کړئ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ته د وخت د عملياتو په راتلونکو {0} ورځو کې د څوکۍ د موندلو توان نلري {1}
 DocType: Work Order,Plan material for sub-assemblies,فرعي شوراګانو لپاره پلان مواد
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,خرڅلاو همکارانو او خاوره
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,هیښ {0} بايد فعال وي
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,هیښ {0} بايد فعال وي
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,د لیږد لپاره کوم توکي شتون نلري
 DocType: Employee Boarding Activity,Activity Name,د فعالیت نوم
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,د خپریدو نیټه
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,د محصول مقدار ختمول <b>{0}</b> او د مقدار لپاره <b>{1}</b> توپیر نلري
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,د خپریدو نیټه
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,د محصول مقدار ختمول <b>{0}</b> او د مقدار لپاره <b>{1}</b> توپیر نلري
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),تړل (کلینګ + ټول)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,د توکو کود&gt; توکي ګروپ&gt; برنامه
+DocType: Delivery Settings,Dispatch Notification Attachment,د لیږدونې خبرتیا ضمیمه
 DocType: Payroll Entry,Number Of Employees,د کارمندانو شمیر
 DocType: Journal Entry,Depreciation Entry,د استهالک د داخلولو
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,مهرباني وکړئ لومړی انتخاب سند ډول
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,مهرباني وکړئ لومړی انتخاب سند ډول
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,لغوه مواد ليدنه {0} بندول د دې د ساتنې سفر مخکې
 DocType: Pricing Rule,Rate or Discount,اندازه یا رخصتۍ
 DocType: Vital Signs,One Sided,یو اړخ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},شعبه {0} نه د قالب سره تړاو نه لري {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,مطلوب Qty
 DocType: Marketplace Settings,Custom Data,دودیز ډاټا
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,د موجوده معامله ګودامونو ته د پنډو بدل نه شي.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,د موجوده معامله ګودامونو ته د پنډو بدل نه شي.
 DocType: Bank Reconciliation,Total Amount,جمله پیسی
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,د نیټې او نیټې څخه نیټه په بیلابیلو مالي کال کې
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +32,Internet Publishing,د انټرنېټ Publishing
@@ -1435,9 +1445,9 @@
 DocType: Soil Texture,Clay Composition (%),د مڼې جوړښت (٪)
 DocType: Item Group,Item Group Defaults,د توکو ګروپ غلطی
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,مهرباني وکړئ مخکې له دې چې دنده وټاکئ خوندي وساتئ.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,توازن ارزښت
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,توازن ارزښت
 DocType: Lab Test,Lab Technician,د لابراتوار تخنیکین
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,د پلورنې د بیې لېست
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,د پلورنې د بیې لېست
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",که چیرته چک شوی وي، یو پېرودونکی به جوړ شي، ناروغ ته نقشه شوی. د دې پیرود په وړاندې به د ناروغۍ انوګانې جوړ شي. تاسو کولی شئ د ناروغ پیدا کولو پر مهال موجوده پیرود هم وټاکئ.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,پیرودونکي د وفادارۍ په پروګرام کې ندی ثبت شوي
@@ -1451,13 +1461,13 @@
 DocType: Support Search Source,Search Term Param Name,د تلاش اصطلاح پارام نوم
 DocType: Item Barcode,Item Barcode,د توکو بارکوډ
 DocType: Woocommerce Settings,Endpoints,د پای ټکی
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,د قالب تانبه {0} تازه
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,د قالب تانبه {0} تازه
 DocType: Quality Inspection Reading,Reading 6,لوستلو 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,نه شی کولای د {0} د {1} {2} کومه منفي بيالنس صورتحساب پرته
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,نه شی کولای د {0} د {1} {2} کومه منفي بيالنس صورتحساب پرته
 DocType: Share Transfer,From Folio No,له فولولو نه
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,پیري صورتحساب پرمختللی
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},د کتارونو تر {0}: پورونو د ننوتلو سره د نه تړاو شي کولای {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,لپاره د مالي کال د بودجې تعریف کړي.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,لپاره د مالي کال د بودجې تعریف کړي.
 DocType: Shopify Tax Account,ERPNext Account,د ERPNext حساب
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} بند شوی دی نو دا معامله نشي کولی
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,که چیرې د میاشتني بودیجې راټولول د MR په پایله کې کړنې
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,رانيول صورتحساب
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,د کار د نظم په وړاندې د ډیرو موادو مصرف کول اجازه ورکړئ
 DocType: GL Entry,Voucher Detail No,ګټمنو تفصیلي نه
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,نوي خرڅلاو صورتحساب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,نوي خرڅلاو صورتحساب
 DocType: Stock Entry,Total Outgoing Value,Total باورلیک ارزښت
 DocType: Healthcare Practitioner,Appointments,ټاکنې
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,پرانيستل نېټه او د بندولو نېټه باید ورته مالي کال په چوکاټ کې وي
 DocType: Lead,Request for Information,معلومات د غوښتنې لپاره
 ,LeaderBoard,LeaderBoard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),د مارجې سره اندازه (د شرکت پیسو)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب
 DocType: Payment Request,Paid,ورکړل
 DocType: Program Fee,Program Fee,پروګرام فیس
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",په ټولو نورو BOM کې یو ځانګړي BOM ځای په ځای کړئ چیرته چې کارول کیږي. دا به د BOM زاړه اړیکه بدله کړي، د نوي لګښت لګښت سره سم د نوي لګښت لګښت او د &quot;بوم چاودیدونکي توکو&quot; میز بېرته راګرځوي. دا په ټولو بومونو کې تازه قیمتونه تازه کوي.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,لاندې کاري فرمانونه رامنځته شوي:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,لاندې کاري فرمانونه رامنځته شوي:
 DocType: Salary Slip,Total in words,په لفظ Total
 DocType: Inpatient Record,Discharged,خراب شوي
 DocType: Material Request Item,Lead Time Date,سرب د وخت نېټه
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,د پیل برخې برخه واخلئ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY-
 DocType: Loan,Sanctioned,تحریم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه ده لپاره جوړ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},د کتارونو تر # {0}: مهرباني وکړئ سریال لپاره د قالب نه مشخص {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},د ټولې مرستې مقدار: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},د کتارونو تر # {0}: مهرباني وکړئ سریال لپاره د قالب نه مشخص {1}
 DocType: Payroll Entry,Salary Slips Submitted,د معاش معاشونه وړاندې شوي
 DocType: Crop Cycle,Crop Cycle,د کرهنې سائیکل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",لپاره &#39;د محصول د بنډل په&#39; توکي، ګدام، شعبه او دسته نه به د &#39;پروپیلن لیست جدول کې له پام کې ونیول شي. که ګدام او دسته هيڅ لپاره د هر &#39;د محصول د بنډل په&#39; توکی د ټولو بسته بنديو توکو يو شان دي، د هغو ارزښتونو په اصلي شمیره جدول داخل شي، ارزښتونو به کاپي شي چې د &#39;پروپیلن لیست جدول.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",لپاره &#39;د محصول د بنډل په&#39; توکي، ګدام، شعبه او دسته نه به د &#39;پروپیلن لیست جدول کې له پام کې ونیول شي. که ګدام او دسته هيڅ لپاره د هر &#39;د محصول د بنډل په&#39; توکی د ټولو بسته بنديو توکو يو شان دي، د هغو ارزښتونو په اصلي شمیره جدول داخل شي، ارزښتونو به کاپي شي چې د &#39;پروپیلن لیست جدول.
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,له ځای څخه
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,د خالص پیس کینن منفي وي
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,له ځای څخه
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,د خالص پیس کینن منفي وي
 DocType: Student Admission,Publish on website,په ويب پاڼه د خپرېدو
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,عرضه صورتحساب نېټه نه شي کولای پست کوي نېټه څخه ډيره وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,عرضه صورتحساب نېټه نه شي کولای پست کوي نېټه څخه ډيره وي
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY-
 DocType: Subscription,Cancelation Date,د تایید نیټه
 DocType: Purchase Invoice Item,Purchase Order Item,نظم د قالب پیري
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,د زده کوونکو د حاضرۍ اوزار
 DocType: Restaurant Menu,Price List (Auto created),د بیې لیست (آٹو جوړ شوی)
 DocType: Cheque Print Template,Date Settings,نېټه امستنې
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,متفرقه
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,متفرقه
 DocType: Employee Promotion,Employee Promotion Detail,د کارموندنې وده
 ,Company Name,دکمپنی نوم
 DocType: SMS Center,Total Message(s),Total پيغام (s)
@@ -1543,7 +1553,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,آيا د کارګر کالیزې په دوراني ډول نه استوي
 DocType: Expense Claim,Total Advance Amount,د ټولې پرمختیا مقدار
 DocType: Delivery Stop,Estimated Arrival,اټکل شوی رایی
-DocType: Delivery Stop,Notified by Email,د بریښناليک لخوا خبر شوی
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,ټول مقالې وګورئ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,ګرځیدل
 DocType: Item,Inspection Criteria,تفتیش معیارونه
@@ -1553,23 +1562,22 @@
 DocType: Timesheet Detail,Bill,بیل
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,سپین
 DocType: SMS Center,All Lead (Open),ټول کوونکۍ (خلاص)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),د کتارونو تر {0}: Qty لپاره نه {4} په ګودام {1} د ننوتلو وخت امخ د ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),د کتارونو تر {0}: Qty لپاره نه {4} په ګودام {1} د ننوتلو وخت امخ د ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,تاسو کولی شئ یواځې د چک بکسونو لیست څخه د ډیزاین انتخاب انتخاب وکړئ.
 DocType: Purchase Invoice,Get Advances Paid,ترلاسه کړئ پرمختګونه ورکړل
 DocType: Item,Automatically Create New Batch,په خپلکارې توګه د نوي دسته جوړول
 DocType: Item,Automatically Create New Batch,په خپلکارې توګه د نوي دسته جوړول
 DocType: Supplier,Represents Company,شرکت ته تکرار کوي
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,د کمکیانو لپاره د
 DocType: Student Admission,Admission Start Date,د شاملیدو د پیل نیټه
 DocType: Journal Entry,Total Amount in Words,په وييکي Total مقدار
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,نوی کارمند
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,یوه تېروتنه وه. يو احتمالي لامل کیدای شي چې تاسو په بڼه نه وژغوره. لطفا تماس support@erpnext.com که ستونزه دوام ولري.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,زما په ګاډۍ
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},نظم ډول باید د یو وي {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},نظم ډول باید د یو وي {0}
 DocType: Lead,Next Contact Date,بل د تماس نېټه
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,پرانيستل Qty
 DocType: Healthcare Settings,Appointment Reminder,د استیناف یادونې
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,مهرباني وکړئ د بدلون لپاره د مقدار حساب ته ننوځي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,مهرباني وکړئ د بدلون لپاره د مقدار حساب ته ننوځي
 DocType: Program Enrollment Tool Student,Student Batch Name,د زده کونکو د دسته نوم
 DocType: Holiday List,Holiday List Name,رخصتي بشپړفهرست نوم
 DocType: Repayment Schedule,Balance Loan Amount,د توازن د پور مقدار
@@ -1579,7 +1587,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,دحمل غوراوي
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,په کیارت کې شامل شوي توکي نشته
 DocType: Journal Entry Account,Expense Claim,اخراجاتو ادعا
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,آيا تاسو په رښتيا غواړئ چې د دې پرزه د شتمنیو بيازېرمل؟
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,آيا تاسو په رښتيا غواړئ چې د دې پرزه د شتمنیو بيازېرمل؟
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},د Qty {0}
 DocType: Leave Application,Leave Application,رخصت کاریال
 DocType: Patient,Patient Relation,د ناروغ اړیکه
@@ -1600,16 +1608,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},مهرباني وکړئ مشخص یو {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,په اندازه او ارزښت نه بدلون لرې توکي.
 DocType: Delivery Note,Delivery To,ته د وړاندې کولو
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,د ويیرټ جوړول په ليکه کې ليکل شوی.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},د {0} لپاره کاري کاري لنډیز
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,د ويیرټ جوړول په ليکه کې ليکل شوی.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},د {0} لپاره کاري کاري لنډیز
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,په لیست کې د لومړي کنوانسیون وړاندیز به د Default Default Leave Approver په توګه وټاکل شي.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,ځانتیا جدول الزامی دی
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,ځانتیا جدول الزامی دی
 DocType: Production Plan,Get Sales Orders,خرڅلاو امر ترلاسه کړئ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} کېدای شي منفي نه وي
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,د ساکټونو سره نښلول
 DocType: Training Event,Self-Study,د ځان سره مطالعه
 DocType: POS Closing Voucher,Period End Date,د پای نیټه نیټه
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,د خاورې ترکیبونه تر 100 پورې زیاتوالی نه کوي
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,تخفیف
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Row {0}: {1} اړین دی چې د {2} انوګانې جوړ کړي
 DocType: Membership,Membership,غړیتوب
 DocType: Asset,Total Number of Depreciations,Total د Depreciations شمېر
 DocType: Sales Invoice Item,Rate With Margin,کچه د څنډی څخه
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},مهرباني وکړئ مشخص لپاره چي په کتارونو {0} په جدول کې یو باوري د کتارونو تر تذکرو د {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,د متغیر موندلو توان نلري:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,مهرباني وکړئ د نمپاد څخه د سمون لپاره یو ډګر وټاکئ
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,د سایټ لیجر پیدا کیږي لکه څنګه چې ثابت شوي شتمنۍ نشي کیدی.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,د سایټ لیجر پیدا کیږي لکه څنګه چې ثابت شوي شتمنۍ نشي کیدی.
 DocType: Subscription Plan,Fixed rate,ثابت شوی نرخ
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,اعتراف
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,د سرپاڼې ته لاړ شئ او ERPNext په کارولو پيل کوي
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,انتقال د بهرنیو چارو
 ,Projected Quantity as Source,وړاندوینی مقدار په توګه سرچینه
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,د قالب بايد د کارولو تڼی څخه رانيول معاملو لپاره توکي ترلاسه کړئ &#39;زياته شي
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,د لېږد سفر
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,د لېږد سفر
 DocType: Student,A-,خبرتیاوي
 DocType: Share Transfer,Transfer Type,د لېږد ډول
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,خرڅلاو داخراجاتو
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,Default پلورل لګښت مرکز
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ډیسک
 DocType: Buying Settings,Material Transferred for Subcontract,د فرعي قرارداد کولو لپاره انتقال شوي توکي
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,زیپ کوډ
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},خرڅلاو نظم {0} دی {1}
+DocType: Email Digest,Purchase Orders Items Overdue,د پیرودونکو توکو پیرودلو ته اړتیا ده
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,زیپ کوډ
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},خرڅلاو نظم {0} دی {1}
 DocType: Opportunity,Contact Info,تماس پيژندنه
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,جوړول دحمل توکي
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +15,Cannot promote Employee with status Left,نشي کولی د رتبې سره کارمندانو ته وده ورکړي
@@ -1681,12 +1692,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,د صفر د بلې ساعتونو لپاره رسیدنه نشي کیدی
 DocType: Company,Date of Commencement,د پیل نیټه
 DocType: Sales Person,Select company name first.,انتخاب شرکت نوم د لومړي.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},ایمیل ته لېږل شوی {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},ایمیل ته لېږل شوی {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,د داوطلبۍ څخه عرضه ترلاسه کړ.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM بدله کړئ او په ټولو BOMs کې وروستي قیمت تازه کړئ
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},د {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,دا د ريټرو سپلائر ګروپ دی او نشي کولی چې سمبال شي.
-DocType: Delivery Trip,Driver Name,د موټر نوم
+DocType: Delivery Note,Driver Name,د موټر نوم
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,منځنی عمر
 DocType: Education Settings,Attendance Freeze Date,د حاضرۍ کنګل نېټه
 DocType: Education Settings,Attendance Freeze Date,د حاضرۍ کنګل نېټه
@@ -1699,7 +1710,7 @@
 DocType: Company,Parent Company,د والدین شرکت
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},د هوټل خونه {1} د {1} په لاس کې نشته
 DocType: Healthcare Practitioner,Default Currency,default د اسعارو
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,د {0} لپاره خورا لږ رعایت دی {1}٪
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,د {0} لپاره خورا لږ رعایت دی {1}٪
 DocType: Asset Movement,From Employee,له کارګر
 DocType: Driver,Cellphone Number,د ګرڅنده ټیلیفون شمېره
 DocType: Project,Monitor Progress,پرمختګ څارنه
@@ -1715,19 +1726,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},مقدار باید د لږ-تر یا مساوي وي {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},د {0} برخې {1} څخه زیات وي
 DocType: Department Approver,Department Approver,د څانګې موقعیت
+DocType: QuickBooks Migrator,Application Settings,د کاریال سایټونه
 DocType: SMS Center,Total Characters,Total خویونه
 DocType: Employee Advance,Claimed,ادعا شوې
 DocType: Crop,Row Spacing,د قطار فاصله
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},لطفا هیښ لپاره د قالب په هیښ برخه کې غوره {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},لطفا هیښ لپاره د قالب په هیښ برخه کې غوره {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,د ټاکل شوي توکي لپاره کوم توکي نشته
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-فورمه صورتحساب تفصیلي
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,قطعا د پخلاينې د صورتحساب
 DocType: Clinical Procedure,Procedure Template,کړنلارې کاريال
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,بسپنه٪
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",لکه څنګه چې هر د خريداري امستنې که د اخستلو امر مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید د اخستلو امر لومړي لپاره توکی جوړ {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,بسپنه٪
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",لکه څنګه چې هر د خريداري امستنې که د اخستلو امر مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید د اخستلو امر لومړي لپاره توکی جوړ {0}
 ,HSN-wise-summary of outward supplies,د بهرنی تجهیزاتو HSN-wise- لنډیز
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ستاسو د مرجع شرکت ليکنې د کارت شمېرې. د مالياتو د شمېر او نور
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,بیانول، خبرې کول
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,بیانول، خبرې کول
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,ویشونکی-
 DocType: Asset Finance Book,Asset Finance Book,د اثاثې مالي کتاب
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خرید په ګاډۍ نقل حاکمیت
@@ -1736,7 +1748,7 @@
 ,Ordered Items To Be Billed,امر توکي چې د محاسبې ته شي
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,له Range لري چې کم وي په پرتله د Range
 DocType: Global Defaults,Global Defaults,Global افتراضیو
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,د پروژې د مرستې په جلب
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,د پروژې د مرستې په جلب
 DocType: Salary Slip,Deductions,د مجرايي
 DocType: Setup Progress Action,Action Name,د عمل نوم
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,بیا کال
@@ -1750,11 +1762,12 @@
 DocType: Lead,Consultant,مشاور
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,د والدینو ښوونکى د غونډو حاضري
 DocType: Salary Slip,Earnings,عوايد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,{0} پای ته قالب بايد د جوړون ډول د ننوتلو لپاره د داخل شي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,{0} پای ته قالب بايد د جوړون ډول د ننوتلو لپاره د داخل شي
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,پرانيستل محاسبې بیلانس
 ,GST Sales Register,GST خرڅلاو د نوم ثبتول
 DocType: Sales Invoice Advance,Sales Invoice Advance,خرڅلاو صورتحساب پرمختللی
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,هېڅ غوښتنه
+DocType: Stock Settings,Default Return Warehouse,د بېرته ستنیدونکي ګودام ځای
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,خپل ډومین انتخاب کړئ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,د پرچون پلورونکي عرضه کول
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,د تادیاتو انوونټ توکي
@@ -1763,14 +1776,15 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ساحې به یوازې د جوړونې په وخت کې کاپي شي.
 DocType: Setup Progress Action,Domains,Domains
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','واقعي د پیل نیټه ' نه شي پورته له 'واقعي د پای نیټه' څخه
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,مدیریت
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,مدیریت
 DocType: Cheque Print Template,Payer Settings,د ورکوونکي امستنې
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,د ورکړل شويو توکو لپاره د تړلو لپاره د موادو پاتې غوښتنې شتون نلري.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,لومړی شرکت غوره کړئ
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",دا به د د variant د قالب کوډ appended شي. د بیلګې په توګه، که ستا اختصاري دی &quot;SM&quot;، او د توکي کوډ دی &quot;T-کميس&quot;، د variant توکی کوډ به &quot;T-کميس-SM&quot;
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,خالص د معاشونو (په لفظ) به د ليدو وړ وي. هر کله چې تاسو د معاش ټوټه وژغوري.
 DocType: Delivery Note,Is Return,آیا بیرته
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,احتیاط
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,بیرته / ګزارې يادونه
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,بیرته / ګزارې يادونه
 DocType: Price List Country,Price List Country,بیې په لېست کې د هېواد
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} لپاره د قالب د اعتبار وړ سریال ترانسفارمرونو د {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,د مرستې معلومات.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,عرضه ډیټابیس.
 DocType: Contract Template,Contract Terms and Conditions,د قرارداد شرایط او شرایط
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,تاسو نشي کولی هغه یو بل ریکارډ بیا پیل کړئ چې رد شوی نه وي.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,تاسو نشي کولی هغه یو بل ریکارډ بیا پیل کړئ چې رد شوی نه وي.
 DocType: Account,Balance Sheet,توازن پاڼه
 DocType: Leave Type,Is Earned Leave,ارزانه اجازه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',لګښت لپاره مرکز سره د قالب کوډ &#39;د قالب
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',لګښت لپاره مرکز سره د قالب کوډ &#39;د قالب
 DocType: Fee Validity,Valid Till,دقیقه
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,د والدینو ټول ټیم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",د پیسو په اکر کې نده شکل بندي شوې ده. مهرباني وکړئ وګورئ، چې آيا حساب په د تادياتو د اکر یا د POS پېژندنه ټاکل شوي دي.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",د پیسو په اکر کې نده شکل بندي شوې ده. مهرباني وکړئ وګورئ، چې آيا حساب په د تادياتو د اکر یا د POS پېژندنه ټاکل شوي دي.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ورته توکی نه شي کولای شي د څو ځله ننوتل.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",لا حسابونو شي ډلو لاندې کړې، خو د زياتونې شي غیر ډلو په وړاندې د
 DocType: Lead,Lead,سرب د
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,د MWS ثبوت ټاټین
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,دحمل انفاذ {0} جوړ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,تاسو د ژغورلو لپاره د وفادارۍ ټکي نلرئ
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,د کتارونو تر # {0}: رد Qty په رانيول بیرته نه داخل شي
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},مهرباني وکړئ د شرکت {1} په وړاندې د مالیه ورکوونکي کټګورۍ کټګوری {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,د کتارونو تر # {0}: رد Qty په رانيول بیرته نه داخل شي
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,د ټاکل شوي پیرودونکو لپاره د پیرودونکي ګروپ بدلول اجازه نه لري.
 ,Purchase Order Items To Be Billed,د اخستلو امر توکي چې د محاسبې ته شي
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,د رسیدلو اټکل وخت.
 DocType: Program Enrollment Tool,Enrollment Details,د نومونې تفصیلات
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,د شرکت لپاره د ډیرو شواهدو غلطی ندی ټاکلی.
 DocType: Purchase Invoice Item,Net Rate,خالص Rate
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,مهرباني وکړئ یو پیرود غوره کړئ
 DocType: Leave Policy,Leave Allocations,تخصیص پریږدئ
@@ -1832,7 +1848,7 @@
 DocType: Loan Application,Repayment Info,دبيرته پيژندنه
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'توکي' نه شي کولای تش وي
 DocType: Maintenance Team Member,Maintenance Role,د ساتنې رول
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},{0} دوه ګونو قطار سره ورته {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},{0} دوه ګونو قطار سره ورته {1}
 DocType: Marketplace Settings,Disable Marketplace,د بازار ځای بندول
 ,Trial Balance,د محاکمې بیلانس
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,مالي کال د {0} ونه موندل شو
@@ -1843,9 +1859,9 @@
 DocType: Student,O-,فرنګ
 DocType: Subscription Settings,Subscription Settings,د ګډون ترتیبونه
 DocType: Purchase Invoice,Update Auto Repeat Reference,د اتوماتو بیاکتنه حواله تازه کړئ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},د اختر اختیاري لیست د رخصتي دورې لپاره ټاکل شوی ندی {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},د اختر اختیاري لیست د رخصتي دورې لپاره ټاکل شوی ندی {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,د څیړنې
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,د ادرس لپاره 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,د ادرس لپاره 2
 DocType: Maintenance Visit Purpose,Work Done,کار وشو
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,مهرباني وکړی په صفات جدول کې لږ تر لږه يو د خاصه مشخص
 DocType: Announcement,All Students,ټول زده کوونکي
@@ -1855,16 +1871,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,منل شوې لیږدونه
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,ژر
 DocType: Crop Cycle,Linked Location,اړونده ځای
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",د قالب ګروپ سره په همدې نوم شتون لري، لطفا توکی نوم بدل کړي او يا د توکي ډلې نوم
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",د قالب ګروپ سره په همدې نوم شتون لري، لطفا توکی نوم بدل کړي او يا د توکي ډلې نوم
 DocType: Crop Cycle,Less than a year,له یو کال څخه کم
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,د زده کوونکو د موبايل په شمیره
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,د نړۍ پاتې
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,د نړۍ پاتې
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,د قالب {0} نه شي کولای دسته لري
 DocType: Crop,Yield UOM,د UOM ساتنه
 ,Budget Variance Report,د بودجې د توپیر راپور
 DocType: Salary Slip,Gross Pay,Gross د معاشونو
 DocType: Item,Is Item from Hub,د هب څخه توکي دي
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,د روغتیایی خدمتونو څخه توکي ترلاسه کړئ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,د روغتیایی خدمتونو څخه توکي ترلاسه کړئ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,د کتارونو تر {0}: فعالیت ډول فرض ده.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,د سهم ورکړل
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,د محاسبې د پنډو
@@ -1878,6 +1894,7 @@
 DocType: Student Sibling,Student Sibling,د زده کونکو د ورونړه
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,د تادیې موډل
 DocType: Purchase Invoice,Supplied Items,تهيه سامان
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,د کمیسیون کچه٪
 DocType: Work Order,Qty To Manufacture,Qty تولید
 DocType: Email Digest,New Income,نوي عايداتو
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,ټول د اخیستلو دوران عين اندازه وساتي
@@ -1896,8 +1913,7 @@
 DocType: GL Entry,Against Voucher,په وړاندې د ګټمنو
 DocType: Item Default,Default Buying Cost Center,Default د خريداري لګښت مرکز
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",د ERPNext څخه غوره شي، مونږ سپارښتنه کوو چې تاسو ته يو څه وخت ونيسي او دغه مرسته ویډیوګانو ننداره کوي.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),د اصلي عرضه کوونکي لپاره (اختیاري)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ته
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),د اصلي عرضه کوونکي لپاره (اختیاري)
 DocType: Supplier Quotation Item,Lead Time in days,په ورځو په غاړه وخت
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,حسابونه د راتلوونکې لنډيز
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},نه اجازه کنګل حساب د سمولو {0}
@@ -1906,7 +1922,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,د کوډونو لپاره د نوی غوښتنه لپاره خبردارۍ
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,رانيول امر تاسو سره مرسته پلان او ستاسو د اخیستلو تعقيب
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,د لابراتوار ازموینه
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",په مادي غوښتنه د Issue / انتقال مجموعي مقدار {0} د {1} \ نه غوښتنه کمیت لپاره د قالب {2} څخه ډيره وي {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,د کوچنیو
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",که چیرې پیرودونکي په امر کې پیرودونکي نه وي، نو د سپارلو په وخت کې به، سیسټم به د سپارلو لپاره د پیرودونکي پیرود په اړه غور وکړي
@@ -1918,6 +1934,7 @@
 DocType: Project,% Completed,٪ بشپړ شوي
 ,Invoiced Amount (Exculsive Tax),د رسیدونو مقدار (Exculsive د مالياتو)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,د قالب 2
+DocType: QuickBooks Migrator,Authorization Endpoint,د واکمنۍ پایله
 DocType: Travel Request,International,نړیوال
 DocType: Training Event,Training Event,د روزنې دکمپاینونو
 DocType: Item,Auto re-order,د موټرونو د بيا نظم
@@ -1926,15 +1943,15 @@
 DocType: Contract,Contract,د قرارداد د
 DocType: Plant Analysis,Laboratory Testing Datetime,د لابراتواري آزموینی ازموینه
 DocType: Email Digest,Add Quote,Add بیه
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion عامل لپاره UOM ضروري دي: {0} په شمیره: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion عامل لپاره UOM ضروري دي: {0} په شمیره: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,غیر مستقیم مصارف
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,د کتارونو تر {0}: Qty الزامی دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,د کتارونو تر {0}: Qty الزامی دی
 DocType: Agriculture Analysis Criteria,Agriculture,د کرنې
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,د پلور امر جوړول
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,د شتمنیو لپاره د محاسبې داخله
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,د انو انو بلاک
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,د شتمنیو لپاره د محاسبې داخله
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,د انو انو بلاک
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,د مقدار کولو لپاره مقدار
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,پرانیځئ ماسټر معلوماتو
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,پرانیځئ ماسټر معلوماتو
 DocType: Asset Repair,Repair Cost,د ترمیم لګښت
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,ستاسو د تولیداتو يا خدمتونو
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,ننوتل کې ناکام شو
@@ -1942,7 +1959,7 @@
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,تاسو اړتیا لرئ چې د کاروونکي راجستر کولو لپاره د سیسټم مدیر او د مدیر مدیر رول سره یو کارن وي.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,د تادیاتو اکر
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,ستاسو د ټاکل شوې تنخواې جوړښت سره سم تاسو د ګټو لپاره درخواست نشو کولی
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,وېب پاڼه د انځور بايد د عامه دوتنه يا ويب URL وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,وېب پاڼه د انځور بايد د عامه دوتنه يا ويب URL وي
 DocType: Purchase Invoice Item,BOM,هیښ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,دا یو د ريښي توکی ډلې او نه تصحيح شي.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,ضميمه
@@ -1951,24 +1968,25 @@
 DocType: Warehouse,Warehouse Contact Info,ګدام تماس پيژندنه
 DocType: Payment Entry,Write Off Difference Amount,ولیکئ پړاو بدلون مقدار
 DocType: Volunteer,Volunteer Name,رضاکار نوم
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: د کارګر ایمیل ونه موندل، نو برېښناليک نه استول
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},په نورو قطارونو کې د دوه ځله ټاکل شوي نیټې سره قطعونه وموندل شول: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: د کارګر ایمیل ونه موندل، نو برېښناليک نه استول
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},د معاش ورکولو جوړښت د کارمندانو لپاره ټاکل شوی نیټه {0} په ټاکل شوي نیټه {1}
 DocType: Item,Foreign Trade Details,د بهرنیو چارو د سوداګرۍ نورولوله
 ,Assessment Plan Status,د ارزونې پلان حالت
 DocType: Email Digest,Annual Income,د کلني عايداتو
 DocType: Serial No,Serial No Details,شعبه نورولوله
 DocType: Purchase Invoice Item,Item Tax Rate,د قالب د مالياتو Rate
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,د ګوند نوم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,د ګوند نوم
 DocType: Student Group Student,Group Roll Number,ګروپ رول شمیره
 DocType: Student Group Student,Group Roll Number,ګروپ رول شمیره
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",د {0}، يوازې د پور حسابونو بل ډیبیټ د ننوتلو په وړاندې سره وتړل شي
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,د سپارنې پرمهال يادونه {0} نه سپارل
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,د سپارنې پرمهال يادونه {0} نه سپارل
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,د قالب {0} باید یو فرعي قرارداد د قالب وي
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,پلازمیینه تجهیزاتو
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",د بیې د حاکمیت لومړی پر بنسټ ټاکل &#39;Apply د&#39; ډګر، چې کولای شي د قالب، د قالب ګروپ یا نښې وي.
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,مهرباني وکړئ لومړی د کوډ کوډ ولیکئ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,د ډاټا ډول
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,د خرڅلاو ټيم ټولې سلنه بايد 100 وي
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,د ډاټا ډول
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,د خرڅلاو ټيم ټولې سلنه بايد 100 وي
 DocType: Subscription Plan,Billing Interval Count,د بلې درجې د شمېرنې شمېره
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,ګمارل شوي او د ناروغانو مسؤلین
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,ارزښت ورک دی
@@ -1982,6 +2000,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,چاپ شکل جوړول
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,فیس جوړه شوه
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},ايا په نامه کوم توکی نه پیدا {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,د توکو فلټر
 DocType: Supplier Scorecard Criteria,Criteria Formula,معیار معیارول
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Total باورلیک
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",هلته يوازې کولای 0 یا د خالي ارزښت له مخې يو نقل حاکمیت حالت وي. &quot;ارزښت&quot;
@@ -1989,14 +2008,14 @@
 DocType: Patient Appointment,Duration,موده
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,یادونه: دا لګښت د مرکز یو ګروپ دی. آیا ډلو په وړاندې د محاسبې زياتونې نه.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,د معاوضې غوښتنې غوښتنه غوښتنه د اعتبار وړ رخصتیو کې نه دي
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,د ماشومانو د ګدام د دې ګودام موجود دی. تاسو نه شي کولای د دې ګودام ړنګول.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,د ماشومانو د ګدام د دې ګودام موجود دی. تاسو نه شي کولای د دې ګودام ړنګول.
 DocType: Item,Website Item Groups,وېب پاڼه د قالب ډلې
 DocType: Purchase Invoice,Total (Company Currency),Total (شرکت د اسعارو)
 DocType: Daily Work Summary Group,Reminder,یادونې
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,د لاسرسی وړ ارزښت
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,د لاسرسی وړ ارزښت
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,سریال {0} ننوتل څخه یو ځل بیا
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,په ورځپانه کی ثبت شوی مطلب
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,له GSTIN څخه
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,له GSTIN څخه
 DocType: Expense Claim Advance,Unclaimed amount,نا اعلان شوي مقدار
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} په پرمختګ توکي
 DocType: Workstation,Workstation Name,Workstation نوم
@@ -2004,7 +2023,7 @@
 DocType: POS Item Group,POS Item Group,POS د قالب ګروپ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ولېږئ Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,بدیل توکي باید د شونې کوډ په څیر نه وي
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},هیښ {0} نه د قالب سره تړاو نه لري {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},هیښ {0} نه د قالب سره تړاو نه لري {1}
 DocType: Sales Partner,Target Distribution,د هدف د ویش
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - د انتقالي ارزونې ارزونه
 DocType: Salary Slip,Bank Account No.,بانکي حساب شمیره
@@ -2013,7 +2032,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ",د کوډ کارډ متغیرونه هم کارول کیدی شي، او همداراز: {total_score} (د دې دورې ټوله مجموعه)، {وخت_ممبر} (د ورځې حاضرولو دوره)
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,دټولو چپه کیدل
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,دټولو چپه کیدل
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,د اخیستلو امر جوړول
 DocType: Quality Inspection Reading,Reading 8,لوستلو 8
 DocType: Inpatient Record,Discharge Note,د مسموم کولو یادداشت
@@ -2030,7 +2049,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,امتیاز څخه ځي
 DocType: Purchase Invoice,Supplier Invoice Date,عرضه صورتحساب نېټه
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,دا ارزښت د پروټاټا ټیم کارکونکو حساب لپاره کارول کیږي
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,تاسو باید د خرید په ګاډۍ وتوانوي
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,تاسو باید د خرید په ګاډۍ وتوانوي
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS -YYYY.-
 DocType: Stock Settings,Naming Series Prefix,د نوم سیسټم لومړیتوب
@@ -2045,11 +2064,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,د تداخل حالاتو تر منځ وموندل:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ژورنال په وړاندې د انفاذ {0} لا د مخه د يو شمېر نورو کوپون په وړاندې د تعدیل
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Total نظم ارزښت
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,د خوړو د
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,د خوړو د
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Ageing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,د POS وتلو د سوغات تفصیلات
 DocType: Shopify Log,Shopify Log,د پیرود لوګو
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,مهرباني وکړئ د سایټ نوم نومول د Setup&gt; ترتیباتو له لارې {0} لپاره د نومونې لړۍ وټاکئ
 DocType: Inpatient Occupancy,Check In,کتل
 DocType: Maintenance Schedule Item,No of Visits,نه د ليدنې
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},د ساتنې او ویش {0} په وړاندې د شته {1}
@@ -2089,6 +2107,7 @@
 DocType: Salary Structure,Max Benefits (Amount),د زیاتو ګټې (مقدار)
 DocType: Purchase Invoice,Contact Person,د اړیکې نفر
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;د تمی د پیل نیټه د&#39; نه وي زیات &#39;د تمی د پای نیټه&#39;
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,د دې دورې لپاره هیڅ معلومات نشته
 DocType: Course Scheduling Tool,Course End Date,د کورس د پای نیټه
 DocType: Holiday List,Holidays,رخصتۍ
 DocType: Sales Order Item,Planned Quantity,پلان شوي مقدار
@@ -2100,7 +2119,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,په ثابته شتمني خالص د بدلون
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,ریق مقدار
 DocType: Leave Control Panel,Leave blank if considered for all designations,خالي پريږدئ که د ټولو هغو کارونو په پام کې
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,د ډول &#39;واقعي په قطار چارج په قالب Rate نه {0} شامل شي
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,د ډول &#39;واقعي په قطار چارج په قالب Rate نه {0} شامل شي
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},اعظمي: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,له Datetime
 DocType: Shopify Settings,For Company,د شرکت
@@ -2113,9 +2132,9 @@
 DocType: Material Request,Terms and Conditions Content,د قرارداد شرايط منځپانګه
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,د غلطۍ شتون شتون لري د کورس مهال ویش جوړول
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,په لیست کې د لومړنۍ لګښتونو ارزونه به د اصلي لګښت لګښت په توګه وټاکل شي.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,نه شي کولای په پرتله 100 وي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,نه شي کولای په پرتله 100 وي
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,تاسو اړتیا لرئ چې د مدیر څخه پرته د سیسټم مدیر او د منجمنت مدیر رول سره په مارکیټ کې ثبت کولو لپاره بلکې.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} د قالب يو سټاک د قالب نه دی
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} د قالب يو سټاک د قالب نه دی
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC -YYYY-
 DocType: Maintenance Visit,Unscheduled,ناپلان شوې
 DocType: Employee,Owned,د دولتي
@@ -2150,7 +2169,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,منفي مقدار اجازه نه وي
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",د مالياتو د تفصیل جدول توکی په توګه یو تار د بادار څخه راوړل شوی او په دې برخه کې ساتل کيږي. د مالیات او په تور لپاره کارول کيږي
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,کارکوونکی کولای شي چې د ځان راپور نه ورکوي.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,کارکوونکی کولای شي چې د ځان راپور نه ورکوي.
 DocType: Leave Type,Max Leaves Allowed,اجازه ورکړل شوې وړې پاڼې
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",که په پام کې ده کنګل، زياتونې پورې محدود کاروونکو اجازه لري.
 DocType: Email Digest,Bank Balance,بانک دبیلانس
@@ -2176,6 +2195,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,د بانکي لیږد لیکونه
 DocType: Quality Inspection,Readings,نانود
 DocType: Stock Entry,Total Additional Costs,Total اضافي لګښتونو
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,د متقابل عملونو نه
 DocType: BOM,Scrap Material Cost(Company Currency),د اوسپنې د موادو لګښت (شرکت د اسعارو)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,فرعي شورا
 DocType: Asset,Asset Name,د شتمنیو نوم
@@ -2183,10 +2203,10 @@
 DocType: Shipping Rule Condition,To Value,ته ارزښت
 DocType: Loyalty Program,Loyalty Program Type,د وفادارۍ پروګرام ډول
 DocType: Asset Movement,Stock Manager,دحمل مدير
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},سرچینه ګودام لپاره چي په کتارونو الزامی دی {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},سرچینه ګودام لپاره چي په کتارونو الزامی دی {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,په صف کې {0} د تادیاتو موده ممکن یو نقل وي.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),کرنه (بیٹا)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,بسته بنديو ټوټه
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,بسته بنديو ټوټه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,دفتر کرایې
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Setup SMS ورننوتلو امستنې
 DocType: Disease,Common Name,عام نوم
@@ -2218,20 +2238,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email معاش د کارکونکو ټوټه
 DocType: Cost Center,Parent Cost Center,Parent لګښت مرکز
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,ممکنه عرضه وټاکئ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,ممکنه عرضه وټاکئ
 DocType: Sales Invoice,Source,سرچینه
 DocType: Customer,"Select, to make the customer searchable with these fields",غوره کړئ، د دې پېرېدونکو سره د پیرودونکي د موندلو وړ کولو لپاره
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,د لیږد په بدل کې د پرچون پلور څخه د وارداتو سپارښتنې
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,انکړپټه ښودل تړل
 DocType: Leave Type,Is Leave Without Pay,ده پرته د معاشونو د وتو
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-YYYY-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,د شتمنیو کټه ګورۍ لپاره شتمن توکی الزامی دی
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,د شتمنیو کټه ګورۍ لپاره شتمن توکی الزامی دی
 DocType: Fee Validity,Fee Validity,د فیس اعتبار
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,هیڅ ډول ثبتونې په قطعا د جدول کې وموندل
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},دا {0} د شخړو د {1} د {2} {3}
 DocType: Student Attendance Tool,Students HTML,زده کوونکو د HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","لطفا د ړنګولو د کارکوونکی د <a href=""#Form/Employee/{0}"">{0}</a> \ د دې سند د لغوه"
 DocType: POS Profile,Apply Discount,Apply کمښت
 DocType: GST HSN Code,GST HSN Code,GST HSN کوډ
 DocType: Employee External Work History,Total Experience,Total تجربې
@@ -2254,7 +2271,7 @@
 DocType: Maintenance Schedule,Schedules,مهال ويش
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,د پیسو پروفیسر د پوائنټ خرڅلاو کارولو لپاره اړین دی
 DocType: Cashier Closing,Net Amount,خالص مقدار
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} د {1} شوی نه دی سپارل نو د عمل نه بشپړ شي
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} د {1} شوی نه دی سپارل نو د عمل نه بشپړ شي
 DocType: Purchase Order Item Supplied,BOM Detail No,هیښ تفصیلي نه
 DocType: Landed Cost Voucher,Additional Charges,اضافي تور
 DocType: Support Search Source,Result Route Field,د پایلو د لارې ساحه
@@ -2283,11 +2300,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,د انوګانو پرانیستل
 DocType: Contract,Contract Details,د قرارداد تفصیلات
 DocType: Employee,Leave Details,تفصیلات پریږدئ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,مهرباني وکړئ د کار کوونکو د اسنادو د کارکونکو رول جوړ جوړ کارن تذکرو برخه
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,مهرباني وکړئ د کار کوونکو د اسنادو د کارکونکو رول جوړ جوړ کارن تذکرو برخه
 DocType: UOM,UOM Name,UOM نوم
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,د نښه کولو لپاره
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,د نښه کولو لپاره
 DocType: GST HSN Code,HSN Code,HSN کوډ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,مرستې مقدار
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,مرستې مقدار
 DocType: Inpatient Record,Patient Encounter,د ناروغۍ تړون
 DocType: Purchase Invoice,Shipping Address,د وړلو او راوړلو پته
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,دا وسیله تاسو سره مرسته کوي د اوسمهالولو لپاره او يا د ونډې د کمیت او د ارزښت په سيستم ورکوی. دا په خاصه توګه کارول سيستم ارزښتونو او هغه څه چې په حقیقت کې په خپل ګودامونه شتون همغږې ته.
@@ -2304,9 +2321,9 @@
 DocType: Travel Itinerary,Mode of Travel,د سفر موډل
 DocType: Sales Invoice Item,Brand Name,دتوليد نوم
 DocType: Purchase Receipt,Transporter Details,ته لېږدول، په بشپړه توګه کتل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Default ګودام لپاره غوره توکی اړتیا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Default ګودام لپاره غوره توکی اړتیا
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,بکس
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,ممکنه عرضه
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,ممکنه عرضه
 DocType: Budget,Monthly Distribution,میاشتنی ویش
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,د اخيستونکي بشپړفهرست تش دی. لطفا رامنځته اخيستونکي بشپړفهرست
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),روغتیایی پاملرنې (بیٹا)
@@ -2326,6 +2343,7 @@
 ,Lead Name,سرب د نوم
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,اټکل
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,پرانيستل دحمل بیلانس
 DocType: Asset Category Account,Capital Work In Progress Account,د پلازمینې کار په پرمختګ کې حساب
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,د شتمن ارزښت بدلول
@@ -2334,7 +2352,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},د پاڼو په بریالیتوب سره ځانګړې {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,نه سامان ته واچوئ
 DocType: Shipping Rule Condition,From Value,له ارزښت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,دفابريکي مقدار الزامی دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,دفابريکي مقدار الزامی دی
 DocType: Loan,Repayment Method,دبيرته طريقه
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",که وکتل، د کور مخ کې به د دغې ویب پاڼې د تلواله د قالب ګروپ وي
 DocType: Quality Inspection Reading,Reading 4,لوستلو 4
@@ -2358,7 +2376,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,د کار ګمارل
 DocType: Student Group,Set 0 for no limit,جوړ 0 لپاره پرته، حدود نه
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,په هغه ورځ (s) چې تاسو د رخصتۍ درخواست دي رخصتي. تاسو ته اړتيا نه لري د درخواست.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,صف {idx}: {field} اړین دی چې د پرانیستلو {invoice_type} انوګانې جوړ کړي
 DocType: Customer,Primary Address and Contact Detail,لومړني پته او د اړیکو تفصیل
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,بیا ولېږې قطعا د ليک
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,نوې دنده
@@ -2368,8 +2385,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,مهرباني وکړئ لږترلږه یو ډومین انتخاب کړئ.
 DocType: Dependent Task,Dependent Task,اتکا کاري
 DocType: Shopify Settings,Shopify Tax Account,د پیسو مینځلو حساب
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},لپاره د اندازه کولو واحد default تغیر فکتور باید 1 په قطار وي {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},د ډول رخصت {0} په پرتله نور نه شي {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},لپاره د اندازه کولو واحد default تغیر فکتور باید 1 په قطار وي {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},د ډول رخصت {0} په پرتله نور نه شي {1}
 DocType: Delivery Trip,Optimize Route,غوره کول
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,له مخکې پلان لپاره د X ورځو عملیاتو کوښښ وکړئ.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2378,14 +2395,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},لطفا په شرکت Default د معاشاتو د راتلوونکې حساب جوړ {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,د مالیې مالي مالیه ترلاسه کړئ او د ایمیزون لخوا ډاټا چارج کړئ
 DocType: SMS Center,Receiver List,د اخيستونکي بشپړفهرست
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,د لټون د قالب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,د لټون د قالب
 DocType: Payment Schedule,Payment Amount,د تادياتو مقدار
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,د نیمایي نیټه باید د کار څخه نیټه او د کار پای نیټه کې وي
 DocType: Healthcare Settings,Healthcare Service Items,د روغتیا خدماتو توکي
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,په مصرف مقدار
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,په نغدو خالص د بدلون
 DocType: Assessment Plan,Grading Scale,د رتبو او مقياس
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,د {0} اندازه واحد په د تغیر فکتور جدول څخه يو ځل داخل شوي دي
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,د {0} اندازه واحد په د تغیر فکتور جدول څخه يو ځل داخل شوي دي
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,لا د بشپړ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,دحمل په لاس کې
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2408,25 +2425,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,شعبه {0} کمیت {1} نه شي کولای یوه برخه وي
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,مهرباني وکړئ د Woocommerce Server URL ولیکئ
 DocType: Purchase Order Item,Supplier Part Number,عرضه برخه شمېر
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,conversion کچه نه شي کولای 0 يا 1 وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,conversion کچه نه شي کولای 0 يا 1 وي
 DocType: Share Balance,To No,نه
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,د کارموندنې د جوړولو لپاره ټولې لازمي دندې تراوسه ندي ترسره شوي.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} د {1} ده لغوه یا ودرول
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} د {1} ده لغوه یا ودرول
 DocType: Accounts Settings,Credit Controller,اعتبار کنټرولر
 DocType: Loan,Applicant Type,د غوښتنلیک ډول
 DocType: Purchase Invoice,03-Deficiency in services,03 - په خدمتونو کې کمښت
 DocType: Healthcare Settings,Default Medical Code Standard,اصلي طبی کوډ معياري
 DocType: Purchase Invoice Item,HSN/SAC,HSN / د ژېړو
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,رانيول رسيد {0} نه سپارل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,رانيول رسيد {0} نه سپارل
 DocType: Company,Default Payable Account,Default د راتلوونکې اکانټ
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",د انلاین سودا کراچۍ امستنې لکه د لېږد د اصولو، د نرخونو لست نور
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE -YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}٪ محاسبې ته
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,خوندي دي Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,خوندي دي Qty
 DocType: Party Account,Party Account,ګوند حساب
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,مهرباني وکړئ د شرکت او اعلامیه غوره کړئ
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,بشري منابع
-DocType: Lead,Upper Income,د مشرانو پر عايداتو
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,د مشرانو پر عايداتو
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,رد
 DocType: Journal Entry Account,Debit in Company Currency,په شرکت د پیسو د ډیبیټ
 DocType: BOM Item,BOM Item,هیښ د قالب
@@ -2443,7 +2460,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",د نوم لیکنې لپاره د کار خلاصونه {0} مخکې له مخکې پرانیستل شوي یا یا د کارمندانو پلان سره سم بشپړ شوي دندې {1}
 DocType: Vital Signs,Constipated,قبضه شوی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},په وړاندې د عرضه صورتحساب {0} د میاشتې په {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},په وړاندې د عرضه صورتحساب {0} د میاشتې په {1}
 DocType: Customer,Default Price List,Default د بیې په لېست
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,د شتمنیو د غورځنګ ریکارډ {0} جوړ
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,کوم توکي ونه موندل شول.
@@ -2459,17 +2476,18 @@
 DocType: Journal Entry,Entry Type,د ننوتلو ډول
 ,Customer Credit Balance,پيرودونکو پور بیلانس
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,په حسابونه د راتلوونکې خالص د بدلون
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),د پیرودونکي محدودې د پیرودونکو لپاره تیریږي. {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,مهرباني وکړئ د سایټ نوم نومول د Setup&gt; ترتیباتو له لارې {0} لپاره د نومونې لړۍ وټاکئ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),د پیرودونکي محدودې د پیرودونکو لپاره تیریږي. {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',لپاره د پیریدونکو د &#39;Customerwise کمښت&#39; ته اړتيا
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,د بانک د پیسو سره ژورنالونو خرما د اوسمهالولو.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,د بیې
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,د بیې
 DocType: Quotation,Term Details,اصطلاح په بشپړه توګه کتل
 DocType: Employee Incentive,Employee Incentive,د کارموندنې هڅول
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,په پرتله {0} د زده کوونکو لپاره له دغه زده ډلې نور شامل نه شي.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),ټول (د مالیې پرته)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,اداره کوونکۍ سازمان د شمېرنې
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,اداره کوونکۍ سازمان د شمېرنې
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,د استوګنې شتون
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,د استوګنې شتون
 DocType: Manufacturing Settings,Capacity Planning For (Days),د ظرفیت د پلان د (ورځې)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,د تدارکاتو
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,د توکو نه لري او په اندازه او ارزښت کوم بدلون.
@@ -2494,7 +2512,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,پريږدئ او د حاضرۍ
 DocType: Asset,Comprehensive Insurance,جامع بیمه
 DocType: Maintenance Visit,Partially Completed,تر یوه بریده بشپړ شوي
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},د وفاداري ټکي: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},د وفاداري ټکي: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,لارښوونه زیات کړئ
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,منځنی حساسیت
 DocType: Leave Type,Include holidays within leaves as leaves,دننه د پاڼو په توګه پاڼي رخصتي شامل دي
 DocType: Loyalty Program,Redemption,مخنیوی
@@ -2528,7 +2547,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,بازار موندنه داخراجاتو
 ,Item Shortage Report,د قالب په کمښت کې راپور
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,معياري معیارونه نشي جوړولای. مهرباني وکړئ د معیارونو نوم بدل کړئ
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",د وزن دی، \ n لطفا ذکر &quot;وزن UOM&quot; هم
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",د وزن دی، \ n لطفا ذکر &quot;وزن UOM&quot; هم
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,د موادو غوښتنه د دې دحمل د داخلولو لپاره په کار وړل
 DocType: Hub User,Hub Password,حب تڼۍ
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,جلا کورس د هر دسته بنسټ ګروپ
@@ -2543,15 +2562,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),د تقاعد موده (منٹ)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,د هر دحمل ونقل د محاسبې د داخلولو د کمکیانو لپاره
 DocType: Leave Allocation,Total Leaves Allocated,ټولې پاڼې د تخصيص
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,لطفا د اعتبار وړ مالي کال د پیل او پای نیټی
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,لطفا د اعتبار وړ مالي کال د پیل او پای نیټی
 DocType: Employee,Date Of Retirement,نېټه د تقاعد
 DocType: Upload Attendance,Get Template,ترلاسه کينډۍ
+,Sales Person Commission Summary,د پلور خرڅلاو کمیسیون لنډیز
 DocType: Additional Salary Component,Additional Salary Component,د معاش اضافي برخې
 DocType: Material Request,Transferred,سپارل
 DocType: Vehicle,Doors,دروازو
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup بشپړ!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup بشپړ!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,د ناروغ د ثبت لپاره فیس راټول کړئ
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,د ذخیرې له معاملې وروسته امتیازات نشي راوولی. یو نوی توکي جوړ کړئ او نوي شي ته ذخیره انتقال کړئ
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,د ذخیرې له معاملې وروسته امتیازات نشي راوولی. یو نوی توکي جوړ کړئ او نوي شي ته ذخیره انتقال کړئ
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,د مالياتو د تګلاردا
 DocType: Employee,Joining Details,د جزئياتو سره یو ځای کول
@@ -2579,14 +2599,15 @@
 DocType: Lead,Next Contact By,بل د تماس By
 DocType: Compensatory Leave Request,Compensatory Leave Request,د مراجعه کولو اجازه غوښتنه
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},مقدار په قطار د {0} د قالب اړتیا {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},ګدام {0} په توګه د قالب اندازه موجود نه ړنګ شي {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ګدام {0} په توګه د قالب اندازه موجود نه ړنګ شي {1}
 DocType: Blanket Order,Order Type,نظم ډول
 ,Item-wise Sales Register,د قالب-هوښيار خرڅلاو د نوم ثبتول
 DocType: Asset,Gross Purchase Amount,Gross رانيول مقدار
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,د توازن خلاصول
 DocType: Asset,Depreciation Method,د استهالک Method
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,آیا دا د مالياتو په اساسي Rate شامل دي؟
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Total هدف
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Total هدف
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,د انګیرنې تحلیل
 DocType: Soil Texture,Sand Composition (%),د رڼا جوړښت (٪)
 DocType: Job Applicant,Applicant for a Job,د دنده متقاضي
 DocType: Production Plan Material Request,Production Plan Material Request,تولید پلان د موادو غوښتنه
@@ -2601,23 +2622,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),د ارزونې نښه (له 10 څخه بهر)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 د موبايل په هيڅ
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,اصلي
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,لاندې توکي {0} د {1} توکي په توګه ندی نښل شوی. تاسو کولی شئ د هغوی د توکي ماسټر څخه د {1} توکي په توګه وټاکئ
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",د یوې توکو لپاره {0}، مقدار باید منفي شمېره وي
 DocType: Naming Series,Set prefix for numbering series on your transactions,چې د خپلې راکړې ورکړې شمیر لړ جوړ مختاړی
 DocType: Employee Attendance Tool,Employees HTML,د کارکوونکو د HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Default هیښ ({0}) باید د دې توکي او يا د هغې کېنډۍ فعاله وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Default هیښ ({0}) باید د دې توکي او يا د هغې کېنډۍ فعاله وي
 DocType: Employee,Leave Encashed?,ووځي Encashed؟
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصت له ډګر الزامی دی
 DocType: Email Digest,Annual Expenses,د کلني لګښتونو
 DocType: Item,Variants,تانبه
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,د کمکیانو لپاره د اخستلو امر
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,د کمکیانو لپاره د اخستلو امر
 DocType: SMS Center,Send To,لېږل
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},لپاره اجازه او ډول په کافي اندازه رخصت توازن نه شته {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},لپاره اجازه او ډول په کافي اندازه رخصت توازن نه شته {0}
 DocType: Payment Reconciliation Payment,Allocated amount,ځانګړې اندازه
 DocType: Sales Team,Contribution to Net Total,له افغان بېسیم څخه د ټولې ونډې
 DocType: Sales Invoice Item,Customer's Item Code,پيرودونکو د قالب کوډ
 DocType: Stock Reconciliation,Stock Reconciliation,دحمل پخلاينې
 DocType: Territory,Territory Name,خاوره نوم
+DocType: Email Digest,Purchase Orders to Receive,د پیرودلو سپارښتنې ترلاسه کول
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,کار-in-پرمختګ ګدام مخکې اړتیا سپارل
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,تاسو کولی شئ یوازې د ګډون کولو په وخت کې د ورته بل چا سره سره پالنونه ولرئ
 DocType: Bank Statement Transaction Settings Item,Mapped Data,خراب شوی ډاټا
@@ -2634,9 +2657,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},دوه شعبه لپاره د قالب ته ننوتل {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,د لیډ سرچینه لخوا الرښوونه.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,لپاره يو نقل د حاکمیت شرط
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,ولیکۍ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,ولیکۍ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,د ساتنې ساتنه
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,لطفا چاڼګر جوړ پر بنسټ د قالب یا ګدام
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,لطفا چاڼګر جوړ پر بنسټ د قالب یا ګدام
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),د دې بسته خالص وزن. (په توګه د توکو خالص وزن مبلغ په اتوماتيک ډول محاسبه)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,د انټرنیټ جرنل انټرنټ جوړ کړئ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,د استخراج مقدار نشي کولی 100٪
@@ -2645,15 +2668,15 @@
 DocType: Sales Order,To Deliver and Bill,ته کول او د بیل
 DocType: Student Group,Instructors,د ښوونکو
 DocType: GL Entry,Credit Amount in Account Currency,په حساب د اسعارو د پورونو مقدار
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,هیښ {0} بايد وسپارل شي
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,د شریک مدیریت
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,هیښ {0} بايد وسپارل شي
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,د شریک مدیریت
 DocType: Authorization Control,Authorization Control,د واک ورکولو د کنټرول
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},د کتارونو تر # {0}: رد ګدام رد د قالب په وړاندې د الزامی دی {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,د پیسو
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},د کتارونو تر # {0}: رد ګدام رد د قالب په وړاندې د الزامی دی {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,د پیسو
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",ګدام {0} دی چې هر ډول حساب سره تړاو نه، مهرباني وکړئ په شرکت کې د ګدام ریکارډ د حساب يا جوړ تلوالیزه انبار حساب ذکر {1}.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,ستاسو د امر اداره
 DocType: Work Order Operation,Actual Time and Cost,واقعي وخت او لګښت
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},د اعظمي {0} د موادو غوښتنه کولای {1} په وړاندې د خرڅلاو نظم شي لپاره د قالب جوړ {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},د اعظمي {0} د موادو غوښتنه کولای {1} په وړاندې د خرڅلاو نظم شي لپاره د قالب جوړ {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,د کرهنې فاصله
 DocType: Course,Course Abbreviation,کورس Abbreviation
@@ -2665,6 +2688,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Total کار ساعتونو کې باید په پرتله max کار ساعتونو زيات نه وي {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,د
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,د خرڅلاو وخت بنډل په پېژندتورو.
+DocType: Delivery Settings,Dispatch Settings,د لیږدونې امستنې
 DocType: Material Request Plan Item,Actual Qty,واقعي Qty
 DocType: Sales Invoice Item,References,ماخذونه
 DocType: Quality Inspection Reading,Reading 10,لوستلو 10
@@ -2673,11 +2697,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,تا د دوه ګونو توکو ته ننوتل. لطفا د سمولو او بیا کوښښ وکړه.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,ملګري
 DocType: Asset Movement,Asset Movement,د شتمنیو غورځنګ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,د کار امر {0} باید وسپارل شي
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,د نوي په ګاډۍ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,د کار امر {0} باید وسپارل شي
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,د نوي په ګاډۍ
 DocType: Taxable Salary Slab,From Amount,د مقدار څخه
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} د قالب يو serialized توکی نه دی
 DocType: Leave Type,Encashment,اختطاف
+DocType: Delivery Settings,Delivery Settings,د سپارلو ترتیبات
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ډاټا ترلاسه کړئ
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},د لیږد ډول کې {1} {1} دی.
 DocType: SMS Center,Create Receiver List,جوړول د اخيستونکي بشپړفهرست
 DocType: Vehicle,Wheels,په عرابو
@@ -2693,7 +2719,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,د بلې پیسو پیسې باید د یاغیانو د کمپنۍ یا د ګوند حساب حساب سره مساوي وي
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),ښيي چې د کڅوړه ده د دې د وړاندې کولو (یوازې مسوده) یوه برخه
 DocType: Soil Texture,Loam,لوام
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,صف {0}: د تاریخ نیټه د نیټې نیټې څخه مخکې نشي کیدی
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,صف {0}: د تاریخ نیټه د نیټې نیټې څخه مخکې نشي کیدی
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,د پیسو د داخلولو د کمکیانو لپاره
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},لپاره د قالب مقدار {0} بايد په پرتله کمه وي {1}
 ,Sales Invoice Trends,خرڅلاو صورتحساب رجحانات
@@ -2701,12 +2727,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',آيا د قطار ته مراجعه يوازې که د تور د ډول دی په تیره د کتارونو تر مقدار &#39;یا د&#39; مخکینی کتارونو تر Total &#39;
 DocType: Sales Order Item,Delivery Warehouse,د سپارنې پرمهال ګدام
 DocType: Leave Type,Earned Leave Frequency,د عوایدو پریښودلو فریکونسی
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,د مالي لګښت په مرکزونو کې ونه ده.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,فرعي ډول
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,د مالي لګښت په مرکزونو کې ونه ده.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,فرعي ډول
 DocType: Serial No,Delivery Document No,د سپارنې سند نه
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,د تولید شوي سیریل نمبر پر بنسټ د سپارلو ډاډ ترلاسه کول
 DocType: Vital Signs,Furry,فريږه
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},لطفا په شرکت لاسته راغلې ګټه پر شتمنیو برطرف / زیان حساب &#39;جوړ {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},لطفا په شرکت لاسته راغلې ګټه پر شتمنیو برطرف / زیان حساب &#39;جوړ {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,سامان له معاملو رانيول ترلاسه کړئ
 DocType: Serial No,Creation Date,جوړېدنې نېټه
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},د شتمنۍ لپاره هدف ځای ته اړتیا ده {0}
@@ -2720,11 +2746,12 @@
 DocType: Item,Has Variants,لري تانبه
 DocType: Employee Benefit Claim,Claim Benefit For,د ګټې لپاره ادعا وکړئ
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,تازه ځواب
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},تاسو وخته ټاکل څخه توکي {0} د {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},تاسو وخته ټاکل څخه توکي {0} د {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,د میاشتنی ویش نوم
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,دسته تذکرو الزامی دی
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,دسته تذکرو الزامی دی
 DocType: Sales Person,Parent Sales Person,Parent خرڅلاو شخص
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,کوم توکي چې ترلاسه نه شي ترلاسه شوي
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,پلورونکي او پیرودونکی ورته نشي
 DocType: Project,Collect Progress,پرمختګ راټول کړئ
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY-
@@ -2739,7 +2766,7 @@
 DocType: Bank Guarantee,Margin Money,مارګین پیس
 DocType: Budget,Budget,د بودجې د
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,پرانيستی
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,د ثابت د شتمنیو د قالب باید یو غیر سټاک وي.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,د ثابت د شتمنیو د قالب باید یو غیر سټاک وي.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",د بودجې د {0} په وړاندې د ګمارل نه شي، ځکه چې نه يو عايد يا اخراجاتو حساب
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},د {1}} {1} لپاره د مکس د معافیت اندازه
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,السته
@@ -2757,9 +2784,9 @@
 ,Amount to Deliver,اندازه کول
 DocType: Asset,Insurance Start Date,د بیمې د پیل نیټه
 DocType: Salary Component,Flexible Benefits,لامحدود ګټې
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},ورته سامان څو ځله ننوتل شوی. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},ورته سامان څو ځله ننوتل شوی. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,د دورې د پیل نیټه نه شي کولای د کال د پیل د تعليمي کال د نېټه چې د اصطلاح ده سره تړاو لري په پرتله مخکې وي (تعليمي کال د {}). لطفا د خرما د اصلاح او بیا کوښښ وکړه.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,تېروتنې وې.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,تېروتنې وې.
 DocType: Guardian,Guardian Interests,ګارډین علاقه
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,د محاسبې نوم / شمېره تازه کړه
 DocType: Naming Series,Current Value,اوسنی ارزښت
@@ -2797,9 +2824,9 @@
 ,Item-wise Purchase History,د قالب-هوښيار رانيول تاریخ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},لطفا شعبه لپاره د قالب زياته کړه راوړلو په &#39;تولید مهال ویش&#39; کلیک {0}
 DocType: Account,Frozen,ګنګل
-DocType: Delivery Note,Vehicle Type,د موټرو ډول
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,د موټرو ډول
 DocType: Sales Invoice Payment,Base Amount (Company Currency),داساسی مبلغ (شرکت د اسعارو)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,خام توکي
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,خام توکي
 DocType: Payment Reconciliation Payment,Reference Row,ماخذ د کتارونو
 DocType: Installation Note,Installation Time,نصب او د وخت
 DocType: Sales Invoice,Accounting Details,د محاسبې په بشپړه توګه کتل
@@ -2808,12 +2835,13 @@
 DocType: Inpatient Record,O Positive,اې مثبت
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,پانګه اچونه
 DocType: Issue,Resolution Details,د حل په بشپړه توګه کتل
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,د راکړې ورکړې ډول
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,د راکړې ورکړې ډول
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,د منلو وړ ټکي
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,مهرباني وکړی په پورته جدول د موادو غوښتنې ته ننوځي
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,د ژورنال ننوتلو لپاره هیڅ تادیات شتون نلري
 DocType: Hub Tracked Item,Image List,د انځور لسټ
 DocType: Item Attribute,Attribute Name,نوم منسوب
+DocType: Subscription,Generate Invoice At Beginning Of Period,د مودې په پیل کې انوائس تولید کړئ
 DocType: BOM,Show In Website,خپرونه په وېب پاڼه
 DocType: Loan Application,Total Payable Amount,ټول د راتلوونکې مقدار
 DocType: Task,Expected Time (in hours),د تمی د وخت (په ساعتونو)
@@ -2851,8 +2879,8 @@
 DocType: Employee,Resignation Letter Date,د استعفا ليک نېټه
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,د بیې اصول دي لا فلتر پر بنسټ اندازه.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,نه
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},لطفا د ټولګې لپاره د کارمند په یوځای کېدو د نېټه {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},لطفا د ټولګې لپاره د کارمند په یوځای کېدو د نېټه {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},لطفا د ټولګې لپاره د کارمند په یوځای کېدو د نېټه {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},لطفا د ټولګې لپاره د کارمند په یوځای کېدو د نېټه {0}
 DocType: Inpatient Record,Discharge,ویجاړتیا
 DocType: Task,Total Billing Amount (via Time Sheet),Total اولګښت مقدار (د وخت پاڼه له لارې)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,تکرار پيرودونکو د عوایدو
@@ -2862,13 +2890,13 @@
 DocType: Chapter,Chapter,فصل
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,جوړه
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,کله چې دا اکر غوره شو نو اصلي حساب به په POS انو کې خپل ځان تازه شي.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,د تولید لپاره د هیښ او Qty وټاکئ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,د تولید لپاره د هیښ او Qty وټاکئ
 DocType: Asset,Depreciation Schedule,د استهالک ويش
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,خرڅلاو همکار پتې او د اړيکو
 DocType: Bank Reconciliation Detail,Against Account,په وړاندې حساب
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,نيمه ورځ نېټه بايد د تاريخ او تر اوسه پورې تر منځ وي
 DocType: Maintenance Schedule Detail,Actual Date,واقعي نېټه
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,مهرباني وکړئ د شرکت په {0} کمپنۍ کې د اصلي لګښت مرکز ولیکئ.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,مهرباني وکړئ د شرکت په {0} کمپنۍ کې د اصلي لګښت مرکز ولیکئ.
 DocType: Item,Has Batch No,لري دسته نه
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},کلنی اولګښت: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,د Shopify ویبخک تفصیل
@@ -2880,7 +2908,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY-
 DocType: Shift Assignment,Shift Type,د لیږد ډول
 DocType: Student,Personal Details,د شخصي نورولوله
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},مهرباني وکړئ ټاکل په شرکت د شتمنيو د استهالک لګښت مرکز &#39;{0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},مهرباني وکړئ ټاکل په شرکت د شتمنيو د استهالک لګښت مرکز &#39;{0}
 ,Maintenance Schedules,د ساتنې او ویش
 DocType: Task,Actual End Date (via Time Sheet),واقعي د پای نیټه (د وخت پاڼه له لارې)
 DocType: Soil Texture,Soil Type,د خاوری ډول
@@ -2888,10 +2916,10 @@
 ,Quotation Trends,د داوطلبۍ رجحانات
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},د قالب ګروپ نه د توکی په توکی بادار ذکر {0}
 DocType: GoCardless Mandate,GoCardless Mandate,د ګرمډرډ منډټ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,د حساب ډیبیټ باید یو ترلاسه حساب وي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,د حساب ډیبیټ باید یو ترلاسه حساب وي
 DocType: Shipping Rule,Shipping Amount,انتقال مقدار
 DocType: Supplier Scorecard Period,Period Score,د دورې کچه
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,پېرېدونکي ورزیات کړئ
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,پېرېدونکي ورزیات کړئ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,انتظار مقدار
 DocType: Lab Test Template,Special,ځانګړې
 DocType: Loyalty Program,Conversion Factor,د تغیر فکتور
@@ -2908,7 +2936,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,ليټريډ زياتول
 DocType: Program Enrollment,Self-Driving Vehicle,د ځان د چلونې د وسایطو د
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,د کټګورۍ د رایو کارډونه
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},د کتارونو تر {0}: د مواد بیل نه د سامان موندل {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},د کتارونو تر {0}: د مواد بیل نه د سامان موندل {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ټولې پاڼي {0} نه لږ وي لا تصویب پاڼي {1} مودې لپاره په پرتله
 DocType: Contract Fulfilment Checklist,Requirement,اړتیاوې
 DocType: Journal Entry,Accounts Receivable,حسابونه ترلاسه
@@ -2925,16 +2953,16 @@
 DocType: Projects Settings,Timesheets,دحاضري
 DocType: HR Settings,HR Settings,د بشري حقونو څانګې امستنې
 DocType: Salary Slip,net pay info,خالص د معاشونو پيژندنه
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,د CESS مقدار
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,د CESS مقدار
 DocType: Woocommerce Settings,Enable Sync,همکاري فعال کړه
 DocType: Tax Withholding Rate,Single Transaction Threshold,د سوداګریزو معاملو لمریز پړاو
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,دا ارزښت د اصلي خرڅلاو نرخ لیست کې تازه شوی دی.
 DocType: Email Digest,New Expenses,نوي داخراجاتو
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC مقدار
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC مقدار
 DocType: Shareholder,Shareholder,شريکونکي
 DocType: Purchase Invoice,Additional Discount Amount,اضافي کمښت مقدار
 DocType: Cash Flow Mapper,Position,حالت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,د نسخې څخه توکي ترلاسه کړئ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,د نسخې څخه توکي ترلاسه کړئ
 DocType: Patient,Patient Details,د ناروغ توضیحات
 DocType: Inpatient Record,B Positive,B مثبت
 apps/erpnext/erpnext/controllers/accounts_controller.py +655,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",د کتارونو تر # {0}: Qty باید 1، لکه توکی يوه ثابته شتمني ده. لورينه وکړئ د څو qty جلا قطار وکاروي.
@@ -2944,8 +2972,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,د غیر ګروپ ګروپ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,لوبې
 DocType: Loan Type,Loan Name,د پور نوم
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Total واقعي
-DocType: Lab Test UOM,Test UOM,د ام ای امتحان
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Total واقعي
 DocType: Student Siblings,Student Siblings,د زده کونکو د ورور
 DocType: Subscription Plan Detail,Subscription Plan Detail,د ګډون پلان پلان
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,د واحد
@@ -2973,7 +3000,6 @@
 DocType: Workstation,Wages per hour,په هر ساعت کې د معاشونو
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},دحمل په دسته توازن {0} به منفي {1} لپاره د قالب {2} په ګدام {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,مادي غوښتنې لاندې پر بنسټ د قالب د بيا نظم په کچه دي په اتوماتيک ډول راپورته شوې
-DocType: Email Digest,Pending Sales Orders,انتظار خرڅلاو امر
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},ګڼون {0} ناباوره دی. حساب د اسعارو باید د {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},د نیټې څخه {0} نشي کولی د کارمندانو د رعایت کولو نیټه وروسته {1}
 DocType: Supplier,Is Internal Supplier,آیا داخلي سپلائر
@@ -2982,13 +3008,14 @@
 DocType: Healthcare Settings,Remind Before,مخکې یادونه وکړئ
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},په قطار UOM تغیر فکتور ته اړتيا ده {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د خرڅلاو نظم یو، خرڅلاو صورتحساب یا ژورنال انفاذ وي
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د خرڅلاو نظم یو، خرڅلاو صورتحساب یا ژورنال انفاذ وي
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,د وفاداري ټکي = څومره پیسې؟
 DocType: Salary Component,Deduction,مجرايي
 DocType: Item,Retain Sample,نمونه ساتل
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,د کتارونو تر {0}: له وخت او د وخت فرض ده.
 DocType: Stock Reconciliation Item,Amount Difference,اندازه بدلون
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},د قالب بیه لپاره زياته کړه {0} په بیې په لېست کې د {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},د قالب بیه لپاره زياته کړه {0} په بیې په لېست کې د {1}
+DocType: Delivery Stop,Order Information,د امر معلومات
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,مهرباني وکړئ او دې د پلورنې کس ته ننوځي د کارګر Id
 DocType: Territory,Classification of Customers by region,له خوا د سيمې د پېرېدونکي طبقه
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,په تولید کې
@@ -2999,8 +3026,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,محاسبه شوې بانک اعلامیه توازن
 DocType: Normal Test Template,Normal Test Template,د عادي امتحان ټکي
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,معيوبينو د کارونکي عکس
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,د داوطلبۍ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,نشي کولی د ترلاسه شوي آر ایف پی ترلاسه کولو لپاره هیڅ معرفي نه کړي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,د داوطلبۍ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,نشي کولی د ترلاسه شوي آر ایف پی ترلاسه کولو لپاره هیڅ معرفي نه کړي
 DocType: Salary Slip,Total Deduction,Total Deduction
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,د حساب په چاپیریال کې د چاپ کولو لپاره یو حساب وټاکئ
 ,Production Analytics,تولید کړي.
@@ -3013,14 +3040,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,د سپریري کرایډ کارټ Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,د ارزونې پلان نوم
 DocType: Work Order Operation,Work Order Operation,د کار امر عملیات
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},خبرداری: په ضمیمه کی ناسم ایس ایس د سند د {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},خبرداری: په ضمیمه کی ناسم ایس ایس د سند د {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",لامل تاسو سره مرسته ترلاسه سوداګرۍ، ټولې خپلې اړيکې او نور ستاسو د لامل اضافه
 DocType: Work Order Operation,Actual Operation Time,واقعي عملياتو د وخت
 DocType: Authorization Rule,Applicable To (User),د تطبیق وړ د (کارن)
 DocType: Purchase Taxes and Charges,Deduct,وضع
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Job Description
 DocType: Student Applicant,Applied,تطبیقی
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re علني
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re علني
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qty هر دحمل UOM په توګه
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 نوم
 DocType: Attendance,Attendance Request,حاضري غوښتنه
@@ -3038,7 +3065,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},شعبه {0} لاندې ترمړوندونو تضمین دی {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,لږ تر لږه اجازه ورکول ارزښت
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,کارن {0} لا د مخه موجود دی
-apps/erpnext/erpnext/hooks.py +114,Shipments,مالونو
+apps/erpnext/erpnext/hooks.py +115,Shipments,مالونو
 DocType: Payment Entry,Total Allocated Amount (Company Currency),ټولې مقدار (شرکت د اسعارو)
 DocType: Purchase Order Item,To be delivered to customer,د دې لپاره چې د پېرېدونکو ته وسپارل شي
 DocType: BOM,Scrap Material Cost,د اوسپنې د موادو لګښت
@@ -3046,11 +3073,12 @@
 DocType: Grant Application,Email Notification Sent,د بریښناليک خبرتیا استول شوی
 DocType: Purchase Invoice,In Words (Company Currency),په وييکي (شرکت د اسعارو)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,شرکت د شرکت حساب حساب لپاره منونکی دی
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",د توکو کود، ګودام، مقدار په قطار کې اړین دی
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",د توکو کود، ګودام، مقدار په قطار کې اړین دی
 DocType: Bank Guarantee,Supplier,عرضه
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,ترلاسه له
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,دا د ریډ ډیپارټمنټ دی او نشي کولی چې سمبال شي.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,د تادیاتو تفصیلات وښایاست
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,په ورځو کې موده
 DocType: C-Form,Quarter,پدې ربع کې
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,متفرقه لګښتونو
 DocType: Global Defaults,Default Company,default شرکت
@@ -3058,7 +3086,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اخراجاتو او يا بدلون حساب لپاره د قالب {0} په توګه دا اغیزې په ټولیزه توګه د ونډې ارزښت الزامی دی
 DocType: Bank,Bank Name,بانک نوم
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,د ټولو عرضه کوونکو لپاره د پیرود امرونو لپاره ساحه خالي پریږدئ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,د ټولو عرضه کوونکو لپاره د پیرود امرونو لپاره ساحه خالي پریږدئ
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,د داخل بستر ناروغانو لیدنې توکي
 DocType: Vital Signs,Fluid,مايع
 DocType: Leave Application,Total Leave Days,Total اجازه ورځې
@@ -3068,7 +3096,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,د توکو ډول ډولونه
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,وټاکئ شرکت ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,خالي پريږدئ که د ټولو څانګو په پام کې
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} لپاره د قالب الزامی دی {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} لپاره د قالب الزامی دی {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",توکي {0}: {1} تولید شوی،
 DocType: Payroll Entry,Fortnightly,جلالت
 DocType: Currency Exchange,From Currency,څخه د پیسو د
@@ -3118,7 +3146,7 @@
 DocType: Account,Fixed Asset,د ثابت د شتمنیو
 DocType: Amazon MWS Settings,After Date,د نیټې وروسته
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialized موجودي
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,د انټرنیټ انو انو لپاره غلط {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,د انټرنیټ انو انو لپاره غلط {0}.
 ,Department Analytics,د څانګې انټرنېټ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,په بریښناليک اړیکه کې ای میل ونه موندل شو
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,پټ ساتل
@@ -3137,6 +3165,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,اجرايوي ريس
 DocType: Purchase Invoice,With Payment of Tax,د مالیې تادیه کولو سره
 DocType: Expense Claim Detail,Expense Claim Detail,اخراجاتو ادعا تفصیلي
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,مهرباني وکړئ په تعلیم کې د ښوونکي د نومونې سیسټم جوړ کړئ&gt; د زده کړې ترتیبات
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,د عرضه TRIPLICATE
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,نوی بیلانس په اساس پیسو
 DocType: Location,Is Container,کنټینر دی
@@ -3144,13 +3173,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,لطفا صحيح حساب وټاکئ
 DocType: Salary Structure Assignment,Salary Structure Assignment,د تنخوا جوړښت جوړښت
 DocType: Purchase Invoice Item,Weight UOM,وزن UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,د فولیو شمېر سره د شته شریکانو لیست لیست
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,د فولیو شمېر سره د شته شریکانو لیست لیست
 DocType: Salary Structure Employee,Salary Structure Employee,معاش جوړښت د کارګر
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,مختلف ډولونه ښکاره کړئ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,مختلف ډولونه ښکاره کړئ
 DocType: Student,Blood Group,د وينې ګروپ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,د پیسو ورکړه د پالن په حساب کې {0} د تادياتو دروازې حساب څخه توپیر دی چې د دې تادیه غوښتنه کې
 DocType: Course,Course Name,کورس نوم
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,د مالي مالیاتو لپاره د مالیاتو نه ورکول شوي معلومات موندل شوي.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,د مالي مالیاتو لپاره د مالیاتو نه ورکول شوي معلومات موندل شوي.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,هغه کارنان چې کولای شي یو ځانګړي کارکوونکي د رخصتۍ غوښتنلیکونه تصویب
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,دفتر او تجهیزاتو
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3158,6 +3187,7 @@
 DocType: Supplier Scorecard,Scoring Setup,د سایټ لګول
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,برقی سامانونه
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ډبټ ({0}
+DocType: BOM,Allow Same Item Multiple Times,ورته سیمی توکي څو ځلې وخت ورکړئ
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,د موادو غوښتنه راپورته کړي کله سټاک بیا نظم درجی ته ورسیږي
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,پوره وخت
 DocType: Payroll Entry,Employees,د کارکوونکو
@@ -3169,11 +3199,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,د تادیاتو تایید
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,بيې به که بیې په لېست کې نه دی جوړ نه ښودل شي
 DocType: Stock Entry,Total Incoming Value,Total راتلونکي ارزښت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ډیبیټ ته اړتيا ده
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ډیبیټ ته اړتيا ده
 DocType: Clinical Procedure,Inpatient Record,د داخل بستر ناروغانو ریکارډ
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",ویشونو لپاره activites ستاسو د ډلې له خوا تر سره د وخت، لګښت او د بلونو د تګلورې کې مرسته وکړي
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,رانيول بیې لېست
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,د لیږد نیټه
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,رانيول بیې لېست
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,د لیږد نیټه
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,د عرضه کونکي سکورټ کارډ متغیرات.
 DocType: Job Offer Term,Offer Term,وړاندیز مهاله
 DocType: Asset,Quality Manager,د کیفیت د مدير
@@ -3194,11 +3224,11 @@
 DocType: Cashier Closing,To Time,ته د وخت
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) د {0} لپاره
 DocType: Authorization Rule,Approving Role (above authorized value),رول (اجازه ارزښت پورته) تصویب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,د حساب د پور باید یو د راتلوونکې حساب وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,د حساب د پور باید یو د راتلوونکې حساب وي
 DocType: Loan,Total Amount Paid,ټولې پیسې ورکړل شوي
 DocType: Asset,Insurance End Date,د بیمې پای نیټه
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,مهرباني وکړئ د زده کونکي داخلي انتخاب وټاکئ کوم چې د ورکړل شوې زده کونکي غوښتونکي لپاره ضروري دی
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},هیښ مخنیوی دی: {0} نه شي مور او يا ماشوم وي {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},هیښ مخنیوی دی: {0} نه شي مور او يا ماشوم وي {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,د بودجې لیست
 DocType: Work Order Operation,Completed Qty,بشپړ Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",د {0}، يوازې ډیبیټ حسابونو کولای شي د پور بل د ننوتلو په وړاندې سره وتړل شي
@@ -3206,7 +3236,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized شمیره {0} سټاک پخلاينې سټاک انفاذ په کارولو سره، لطفا ګټه نه تازه شي
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized شمیره {0} سټاک پخلاينې سټاک انفاذ په کارولو سره، لطفا ګټه نه تازه شي
 DocType: Training Event Employee,Training Event Employee,د روزنې دکمپاینونو د کارګر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ډیری نمونې - {1} د بچ لپاره ساتل کیدی شي {1} او توکي {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ډیری نمونې - {1} د بچ لپاره ساتل کیدی شي {1} او توکي {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,د وخت سلایډونه زیات کړئ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} پرلپسې لپاره د قالب اړتیا {1}. تاسي چمتو {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,اوسنی ارزښت Rate
@@ -3236,11 +3266,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,شعبه {0} ونه موندل شو
 DocType: Fee Schedule Program,Fee Schedule Program,د فیس شیډی پروګرام
 DocType: Fee Schedule Program,Student Batch,د زده کونکو د دسته
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","لطفا د ړنګولو د کارکوونکی د <a href=""#Form/Employee/{0}"">{0}</a> \ د دې سند د لغوه"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,د زده کوونکو د کمکیانو لپاره د
 DocType: Supplier Scorecard Scoring Standing,Min Grade,د ماین درجه
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,د روغتیایی خدماتو څانګه
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},تاسو ته په دغه پروژه کې همکاري بلل شوي دي: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},تاسو ته په دغه پروژه کې همکاري بلل شوي دي: {0}
 DocType: Supplier Group,Parent Supplier Group,د والدینو سپلویزی ګروپ
+DocType: Email Digest,Purchase Orders to Bill,بل ته د پیرودلو امرونه
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,په ګروپ شرکت کې راغونډ شوي ارزښتونه
 DocType: Leave Block List Date,Block Date,د بنديز نېټه
 DocType: Crop,Crop,فصل
@@ -3253,6 +3286,7 @@
 DocType: Sales Order,Not Delivered,نه تحویلوونکی
 ,Bank Clearance Summary,بانک چاڼېزو لنډيز
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",جوړول او هره ورځ، هفته وار او ماهوار ایمیل digests اداره کړي.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,دا د پلور پلور شخص په وړاندې د لیږد پر بنسټ والړ دی. د جزیاتو لپاره لاندې مهال ویش وګورئ
 DocType: Appraisal Goal,Appraisal Goal,د ارزونې موخه
 DocType: Stock Reconciliation Item,Current Amount,اوسني مقدار
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ودانۍ
@@ -3279,7 +3313,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,دکمپیوتر
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,بل د تماس نېټه نه شي کولای د پخوا په وي
 DocType: Company,For Reference Only.,د ماخذ یوازې.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,انتخاب دسته نه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,انتخاب دسته نه
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},باطلې {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,حواله انو
@@ -3297,16 +3331,16 @@
 DocType: Normal Test Items,Require Result Value,د مطلوب پایلې ارزښت
 DocType: Item,Show a slideshow at the top of the page,د پاڼې په سر کې یو سلاید وښایاست
 DocType: Tax Withholding Rate,Tax Withholding Rate,د مالیاتو د وضع کولو کچه
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,دوکانونه
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,دوکانونه
 DocType: Project Type,Projects Manager,د پروژې مدیر
 DocType: Serial No,Delivery Time,د لېږدون وخت
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Ageing پر بنسټ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,اختطاف فسخه شوی
 DocType: Item,End of Life,د ژوند تر پايه
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,travel
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,travel
 DocType: Student Report Generation Tool,Include All Assessment Group,د ټول ارزونې ډلې شامل کړئ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,نه د فعال یا default معاش جوړښت وموندل لپاره کارمند {0} د ورکړل شوې خرما
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,نه د فعال یا default معاش جوړښت وموندل لپاره کارمند {0} د ورکړل شوې خرما
 DocType: Leave Block List,Allow Users,کارنان پرېښودل
 DocType: Purchase Order,Customer Mobile No,پيرودونکو د موبايل په هيڅ
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,د نغدو پیسو نقشې کولو نمونې تفصیلات
@@ -3315,15 +3349,16 @@
 DocType: Rename Tool,Rename Tool,ونوموئ اوزار
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,تازه لګښت
 DocType: Item Reorder,Item Reorder,د قالب ترمیمي
+DocType: Delivery Note,Mode of Transport,د ترانسپورت موډل
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,انکړپټه ښودل معاش ټوټه
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,د انتقال د موادو
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,د انتقال د موادو
 DocType: Fees,Send Payment Request,د تادیاتو غوښتنه واستوئ
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",د عملیاتو، د عملیاتي مصارفو ليکئ او نه ستاسو په عملیاتو یو بې ساری عملياتو ورکړي.
 DocType: Travel Request,Any other details,نور معلومات
 DocType: Water Analysis,Origin,اصلي
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,دغه سند له خوا حد دی {0} د {1} لپاره توکی {4}. آیا تاسو د ورته په وړاندې د بل {3} {2}؟
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,لطفا جوړ ژغورلو وروسته تکراري
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,انتخاب بدلون اندازه حساب
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,لطفا جوړ ژغورلو وروسته تکراري
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,انتخاب بدلون اندازه حساب
 DocType: Purchase Invoice,Price List Currency,د اسعارو بیې لېست
 DocType: Naming Series,User must always select,کارن بايد تل انتخاب
 DocType: Stock Settings,Allow Negative Stock,د منفی دحمل اجازه
@@ -3344,9 +3379,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,د واردکوونکو
 DocType: Asset Maintenance Log,Actions performed,کړنې ترسره شوې
 DocType: Cash Flow Mapper,Section Leader,برخه برخه
+DocType: Delivery Note,Transport Receipt No,د ترانسپورت رسید نه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),د بودیجو سرچینه (مسؤلیتونه)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,سرچینه او د نښه کولو ځای نشي کولی ورته وي
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},په قطار مقدار {0} ({1}) بايد په توګه جوړيږي اندازه ورته وي {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},په قطار مقدار {0} ({1}) بايد په توګه جوړيږي اندازه ورته وي {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,د کارګر
 DocType: Bank Guarantee,Fixed Deposit Number,ثابت شوي شمېره
 DocType: Asset Repair,Failure Date,د ناکامي نیټه
@@ -3360,16 +3396,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,د پیسو وضع او يا له لاسه ورکول
 DocType: Soil Analysis,Soil Analysis Criterias,د خاورې تجزیه کول Criterias
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,د پلورنې يا رانيول کره د قرارداد د شرطونو.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,ایا تاسو ډاډه یاست چې تاسو دا ټاکل رد کړئ؟
+DocType: BOM Item,Item operation,د توکي عملیات
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,ایا تاسو ډاډه یاست چې تاسو دا ټاکل رد کړئ؟
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,د هوټل خونه د قیمت ارزونه
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,خرڅلاو نل
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,خرڅلاو نل
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},لطفا په معاش برخه default ګڼون جوړ {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,اړتیا ده
 DocType: Rename Tool,File to Rename,د نوم بدلول د دوتنې
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},لطفا په کتارونو لپاره د قالب هیښ غوره {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,د ترلاسه کولو تازه راپورونه
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},حساب {0} سره د شرکت د {1} کې د حساب اکر سره سمون نه خوري: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},مشخص هیښ {0} لپاره د قالب نه شته {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},مشخص هیښ {0} لپاره د قالب نه شته {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,کورس:
 DocType: Soil Texture,Sandy Loam,سندی لوام
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,د ساتنې او ویش {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي
@@ -3378,7 +3415,7 @@
 DocType: Notification Control,Expense Claim Approved,اخراجاتو ادعا تصویب
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),وده او تخصیص کړئ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,د کار سپارښتنې نه رامنځته شوې
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,د کارکوونکي معاش ټوټه {0} لا په دې موده کې جوړ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,د کارکوونکي معاش ټوټه {0} لا په دې موده کې جوړ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Pharmaceutical
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,تاسو یوازې کولی شئ د معتبر پیسو مقدار ته اجازه واخلئ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,د رانیولې سامان لګښت
@@ -3386,7 +3423,8 @@
 DocType: Selling Settings,Sales Order Required,خرڅلاو نظم مطلوب
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,پلورونکی بن
 DocType: Purchase Invoice,Credit To,د اعتبار
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,فعال د ياه / پېرودونکي
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,فعال د ياه / پېرودونکي
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,د معیاري سپارلو نوټ فارم بڼه کارولو لپاره خالي پریږدئ
 DocType: Employee Education,Post Graduate,ليکنه د فارغ شول
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,د ساتنې او مهال ويش تفصیلي
 DocType: Supplier Scorecard,Warn for new Purchase Orders,د نویو پیرودونکو لپاره خبرداری
@@ -3400,14 +3438,14 @@
 DocType: Support Search Source,Post Title Key,د پوسټ سرلیک
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,د کارت کارت لپاره
 DocType: Warranty Claim,Raised By,راپورته By
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,نسخه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,نسخه
 DocType: Payment Gateway Account,Payment Account,د پیسو حساب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,مهرباني وکړئ د شرکت مشخص چې مخکې لاړ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,مهرباني وکړئ د شرکت مشخص چې مخکې لاړ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,په حسابونه ترلاسه خالص د بدلون
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,د معاوضې پړاو
 DocType: Job Offer,Accepted,منل
 DocType: POS Closing Voucher,Sales Invoices Summary,د پلورنې انوګانو لنډیز
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,د ګوند نوم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,د ګوند نوم
 DocType: Grant Application,Organization,سازمان د
 DocType: Grant Application,Organization,سازمان د
 DocType: BOM Update Tool,BOM Update Tool,د بوم تازه ډاټا
@@ -3417,7 +3455,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,لطفا باوري تاسو په رښتيا غواړئ چې د دې شرکت د ټولو معاملو کې د ړنګولو. ستاسو بادار ارقام به پاتې شي دا. دا عمل ناکړل نه شي.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,د لټون پايلې
 DocType: Room,Room Number,کوټه شمېر
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},باطلې مرجع {0} د {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},باطلې مرجع {0} د {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) د نه په پام کې quanitity څخه ډيره وي ({2}) په تولید نظم {3}
 DocType: Shipping Rule,Shipping Rule Label,انتقال حاکمیت نښه د
 DocType: Journal Entry Account,Payroll Entry,د معاشونو داخله
@@ -3425,8 +3463,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,د مالیې ټیکنالوژي جوړه کړئ
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,کارن فورم
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,خام مواد نه شي خالي وي.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,رو # {0} (د تادياتو جدول): مقدار باید منفي وي
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.",کیدای شي سټاک د اوسمهالولو لپاره نه، صورتحساب لرونکی د څاڅکی انتقال توکی.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,رو # {0} (د تادياتو جدول): مقدار باید منفي وي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.",کیدای شي سټاک د اوسمهالولو لپاره نه، صورتحساب لرونکی د څاڅکی انتقال توکی.
 DocType: Contract,Fulfilment Status,د بشپړتیا حالت
 DocType: Lab Test Sample,Lab Test Sample,د لابراتوار ازموینه
 DocType: Item Variant Settings,Allow Rename Attribute Value,اجازه ورکړه د ارزښت ارزښت بدل کړئ
@@ -3468,11 +3506,11 @@
 DocType: BOM,Show Operations,خپرونه عملیاتو په
 ,Minutes to First Response for Opportunity,لپاره د فرصت د لومړی غبرګون دقيقو
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Total حاضر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,د قالب یا ګدام لپاره چي په کتارونو {0} سمون نه خوري د موادو غوښتنه
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,د قالب یا ګدام لپاره چي په کتارونو {0} سمون نه خوري د موادو غوښتنه
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,د اندازه کولو واحد
 DocType: Fiscal Year,Year End Date,کال د پای نیټه
 DocType: Task Depends On,Task Depends On,کاري پورې تړلی دی د
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,فرصت
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,فرصت
 DocType: Operation,Default Workstation,default Workstation
 DocType: Notification Control,Expense Claim Approved Message,اخراجاتو ادعا تصویب پيغام
 DocType: Payment Entry,Deductions or Loss,د مجرايي او يا له لاسه ورکول
@@ -3510,21 +3548,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,تصویب کارن نه شي کولای په همدې توګه د کارونکي د واکمنۍ ته د تطبیق وړ وي
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),اساسي کچه (په سلو کې دحمل UOM په توګه)
 DocType: SMS Log,No of Requested SMS,نه د غوښتل پیغامونه
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,پرته د معاشونو د وتو سره تصويب اجازه کاریال اسنادو سمون نه خوري
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,پرته د معاشونو د وتو سره تصويب اجازه کاریال اسنادو سمون نه خوري
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,نور ګامونه
 DocType: Travel Request,Domestic,کورني
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,لطفا په ښه کچه د مشخص توکو د رسولو
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,لطفا په ښه کچه د مشخص توکو د رسولو
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,د کارمندانو لیږدول د لېږد نیټه مخکې نشي وړاندې کیدی
 DocType: Certification Application,USD,امریکايي ډالر
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,انوائس جوړ کړئ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,پاتې پاتې والی
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,پاتې پاتې والی
 DocType: Selling Settings,Auto close Opportunity after 15 days,د موټرونو په 15 ورځو وروسته نږدې فرصت
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,د پیرود کارډونه د {1} د سایټ کارډ ولاړ کیدو له امله {0} ته اجازه نه لري.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Barcode {0} یو باوري {1} کوډ نه دی
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Barcode {0} یو باوري {1} کوډ نه دی
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,د پای کال
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / مشري٪
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / مشري٪
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,د قرارداد د پای نیټه باید په پرتله د داخلیدل نېټه ډيره وي
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,د قرارداد د پای نیټه باید په پرتله د داخلیدل نېټه ډيره وي
 DocType: Driver,Driver,چلوونکی
 DocType: Vital Signs,Nutrition Values,د تغذيې ارزښتونه
 DocType: Lab Test Template,Is billable,د اعتبار وړ دی
@@ -3535,7 +3573,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,دا يو مثال ویب پاڼه د Auto-تولید څخه ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Ageing Range 1
 DocType: Shopify Settings,Enable Shopify,د دوتنې فعالول
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,ټول وړاندیز شوی مقدار د ټولو ادعا شوي مقدار څخه زیات نه وي
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,ټول وړاندیز شوی مقدار د ټولو ادعا شوي مقدار څخه زیات نه وي
 DocType: Purchase Taxes and Charges Template,"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
@@ -3562,12 +3600,12 @@
 DocType: Employee Separation,Employee Separation,د کار کولو جلا کول
 DocType: BOM Item,Original Item,اصلي توکي
 DocType: Purchase Receipt Item,Recd Quantity,Recd مقدار
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,د ډاټا تاریخ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,د ډاټا تاریخ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},فیس سوابق ايجاد - {0}
 DocType: Asset Category Account,Asset Category Account,د شتمنیو د حساب کټه ګورۍ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,رو # {0} (د تادياتو جدول): مقدار باید مثبت وي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,رو # {0} (د تادياتو جدول): مقدار باید مثبت وي
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},آیا د پلورنې نظم کمیت څخه زیات د قالب {0} د توليد نه {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,د ځانګړتیا ارزښتونه غوره کړئ
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,د ځانګړتیا ارزښتونه غوره کړئ
 DocType: Purchase Invoice,Reason For Issuing document,د سند د صادرولو لپاره دلیل
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,دحمل {0} د ننوتلو نه سپارل
 DocType: Payment Reconciliation,Bank / Cash Account,بانک / د نقدو پیسو حساب
@@ -3576,8 +3614,10 @@
 DocType: Asset,Manual,لارښود
 DocType: Salary Component Account,Salary Component Account,معاش برخه اکانټ
 DocType: Global Defaults,Hide Currency Symbol,پټول د اسعارو سمبول
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,سرچینه د پلور فرصتونه
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,د ډونر معلومات.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card",د بيلګې په توګه بانک، د نقدو پیسو، کریډیټ کارټ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,مهرباني وکړئ د سیٹ اپ&gt; شمېره لړۍ له لارې د حاضریدو لړۍ سیسټم
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card",د بيلګې په توګه بانک، د نقدو پیسو، کریډیټ کارټ
 DocType: Job Applicant,Source Name,سرچینه نوم
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",په بالغ کې د عادي آرام فشار فشار تقریبا 120 ملی ګرامه هګسټولیک دی، او 80 mmHg ډیسولیک، لنډیز &quot;120/80 mmHg&quot;
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",په ورځو کې د شیانو د شیدو ژوند ترتیب کړئ، د تولید_ډیټ او ځان ژوند په اساس د ختمولو وخت ختمولو لپاره
@@ -3607,7 +3647,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},د مقدار لپاره باید د مقدار څخه کم وي {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,د کتارونو تر {0}: بیا نېټه دمخه بايد د پای نیټه وي
 DocType: Salary Component,Max Benefit Amount (Yearly),د زیاتو ګټې ګټې (کلنۍ)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,د TDS شرح٪
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,د TDS شرح٪
 DocType: Crop,Planting Area,د کښت کولو ساحه
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qty)
 DocType: Installation Note Item,Installed Qty,نصب Qty
@@ -3629,8 +3669,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,د تایید خبرتیا پریږدئ
 DocType: Buying Settings,Default Buying Price List,Default د خريداري د بیې په لېست
 DocType: Payroll Entry,Salary Slip Based on Timesheet,معاش ټوټه پر بنسټ Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,د پیرودلو کچه
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Row {0}: د شتمنۍ د توکو لپاره ځای ولیکئ {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,د پیرودلو کچه
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Row {0}: د شتمنۍ د توکو لپاره ځای ولیکئ {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ -YYYY-
 DocType: Company,About the Company,د شرکت په اړه
 DocType: Notification Control,Sales Order Message,خرڅلاو نظم پيغام
@@ -3696,10 +3736,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,د قطار لپاره {0}: پلان شوي مقدار درج کړئ
 DocType: Account,Income Account,پر عايداتو باندې حساب
 DocType: Payment Request,Amount in customer's currency,په مشتري د پيسو اندازه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,د سپارنې پرمهال
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,د سپارنې پرمهال
 DocType: Volunteer,Weekdays,اونۍ
 DocType: Stock Reconciliation Item,Current Qty,اوسني Qty
 DocType: Restaurant Menu,Restaurant Menu,د رستورانت ماین
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,سپلائر زیات کړئ
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV -YYYY.-
 DocType: Loyalty Program,Help Section,د مرستې برخه
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,قبلی
@@ -3711,17 +3752,18 @@
 												fullfill Sales Order {2}",نشي کولی د سیریل نمبر {0} د توکي {1} وړاندې کړي ځکه چې دا د \ بشپړ فیلډ د پلور امر لپاره ساتل شوی {2}
 DocType: Item Reorder,Material Request Type,د موادو غوښتنه ډول
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,د وړیا بیاکتنې بریښنالیک واستوئ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",LocalStorage دی پوره، خو د ژغورلو نه
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,د کتارونو تر {0}: UOM د تغیر فکتور الزامی دی
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",LocalStorage دی پوره، خو د ژغورلو نه
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,د کتارونو تر {0}: UOM د تغیر فکتور الزامی دی
 DocType: Employee Benefit Claim,Claim Date,د ادعا نیټه
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,د خونې ظرفیت
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,دسرچینی یادونه
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,تاسو به د مخکینیو پیرود شویو ریکارډونو ریکارډ ورک کړئ. ایا ته باوري یې چې دا ګډون بیا پیلول غواړئ؟
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,د نوم ليکنې فیس
 DocType: Loyalty Program Collection,Loyalty Program Collection,د وفاداري پروګرام ټولګه
 DocType: Stock Entry Detail,Subcontracted Item,فرعي قرارداد شوي توکي
 DocType: Budget,Cost Center,لګښت مرکز
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,ګټمنو #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,ګټمنو #
 DocType: Notification Control,Purchase Order Message,پیري نظم پيغام
 DocType: Tax Rule,Shipping Country,انتقال د هېواد
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,د پیرودونکو د مالياتو د Id څخه د خرڅلاو معاملې پټول
@@ -3740,23 +3782,22 @@
 DocType: Subscription,Cancel At End Of Period,د دورې په پاې کې رد کړئ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,ملکیت لا دمخه زیات شوی
 DocType: Item Supplier,Item Supplier,د قالب عرضه
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,لطفا د قالب کوډ داخل ته داځکه تر لاسه نه
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},لورينه وکړئ د {0} quotation_to د ارزښت ټاکلو {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,لطفا د قالب کوډ داخل ته داځکه تر لاسه نه
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},لورينه وکړئ د {0} quotation_to د ارزښت ټاکلو {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,د لېږد لپاره ټاکل شوي توکي نشته
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ټول Addresses.
 DocType: Company,Stock Settings,دحمل امستنې
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",آژانسونو هغه مهال ممکنه ده که لاندې شتمنۍ په دواړو اسنادو يو شان دي. دی ګروپ، د ریښی ډول، د شرکت
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",آژانسونو هغه مهال ممکنه ده که لاندې شتمنۍ په دواړو اسنادو يو شان دي. دی ګروپ، د ریښی ډول، د شرکت
 DocType: Vehicle,Electric,Electric
 DocType: Task,% Progress,٪ پرمختګ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,ګټې / له لاسه ورکول د شتمنيو د برطرف
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",یوازې د زده کوونکو غوښتنلیک ورکوونکي چې &quot;د منل شوي&quot; حالت سره به په لاندې جدول کې وټاکل شي.
 DocType: Tax Withholding Category,Rates,بیې
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,د حساب لپاره د حساب شمیر {0} شتون نلري. <br> مهرباني وکړئ خپل حسابونه په سمه توګه سمبال کړئ.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,د حساب لپاره د حساب شمیر {0} شتون نلري. <br> مهرباني وکړئ خپل حسابونه په سمه توګه سمبال کړئ.
 DocType: Task,Depends on Tasks,په دندې پورې تړاو لري
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Manage پيرودونکو ګروپ د ونو.
 DocType: Normal Test Items,Result Value,د نتیجې ارزښت
 DocType: Hotel Room,Hotels,هوټلونه
-DocType: Delivery Note,Transporter Date,د لېږد نیټه
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,نوي لګښت مرکز نوم
 DocType: Leave Control Panel,Leave Control Panel,پريږدئ Control Panel
 DocType: Project,Task Completion,کاري پوره کول
@@ -3803,11 +3844,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,ټول د ارزونې ډلې
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,نوي ګدام نوم
 DocType: Shopify Settings,App Type,د اپوټ ډول
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,خاوره
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,لورينه وکړئ د اړتيا کتنو نه یادونه
 DocType: Stock Settings,Default Valuation Method,تلواله ارزښت Method
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,فیس
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,مجموعي مقدار ښکاره کړئ
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,اوسمهال په پرمختګ کې دی. دا ممکن یو څه وخت ونیسي.
 DocType: Production Plan Item,Produced Qty,تولید شوی مقدار
 DocType: Vehicle Log,Fuel Qty,د تیلو د Qty
@@ -3815,7 +3857,7 @@
 DocType: Work Order Operation,Planned Start Time,پلان د پیل وخت
 DocType: Course,Assessment,ارزونه
 DocType: Payment Entry Reference,Allocated,تخصيص
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,نږدې بیلانس پاڼه او کتاب ګټه یا تاوان.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,نږدې بیلانس پاڼه او کتاب ګټه یا تاوان.
 DocType: Student Applicant,Application Status,کاریال حالت
 DocType: Additional Salary,Salary Component Type,د معاش برخې برخې
 DocType: Sensitivity Test Items,Sensitivity Test Items,د حساسیت ازموینې
@@ -3826,10 +3868,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Total وتلي مقدار
 DocType: Sales Partner,Targets,موخې
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,مهرباني وکړی د سیرین شمیره د شرکت د معلوماتو فایل کې ثبت کړئ
+DocType: Email Digest,Sales Orders to Bill,د پلور خرڅول بل ته
 DocType: Price List,Price List Master,د بیې په لېست ماسټر
 DocType: GST Account,CESS Account,CESS ګڼون
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ټول خرڅلاو معاملې کولی شی څو ** خرڅلاو اشخاص ** په وړاندې د سکس شي تر څو چې تاسو کولای شي او د اهدافو څخه څارنه وکړي.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,د موادو غوښتنې سره اړیکه
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,د موادو غوښتنې سره اړیکه
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,د فورم فعالیت
 ,S.O. No.,SO شمیره
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,د بانک بیان د لیږد ترتیبات توکي
@@ -3844,7 +3887,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,دا یو د ريښي د مشتريانو د ډلې او نه تصحيح شي.
 DocType: Student,AB-,عبداالله
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,که چیرې د میاشتنۍ بودیجې مجموعه په پوسته کې تیریږي نو کړنې
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,ځای ته
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,ځای ته
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,د تبادلې کچه ارزونه
 DocType: POS Profile,Ignore Pricing Rule,د بیې د حاکمیت له پامه
 DocType: Employee Education,Graduate,فارغ
@@ -3881,6 +3924,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,مهرباني وکړئ د رستورانت ترتیباتو کې ډیزاین پیرود کړئ
 ,Salary Register,معاش د نوم ثبتول
 DocType: Warehouse,Parent Warehouse,Parent ګدام
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,چارټ
 DocType: Subscription,Net Total,خالص Total
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Default هیښ لپاره توکی ونه موندل {0} او د پروژې د {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,د پور د مختلفو ډولونو تعریف
@@ -3913,18 +3957,19 @@
 DocType: Membership,Membership Status,د غړیتوب حالت
 DocType: Travel Itinerary,Lodging Required,غلا کول اړین دي
 ,Requested,غوښتنه
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,نه څرګندونې
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,نه څرګندونې
 DocType: Asset,In Maintenance,په ساتنه کې
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,دا تڼۍ کلیک وکړئ ترڅو د ایمیزون میګاواټ څخه خپل د پلور آرډ ډاټا خلاص کړئ.
 DocType: Vital Signs,Abdomen,ډوډۍ
 DocType: Purchase Invoice,Overdue,ورځباندې
 DocType: Account,Stock Received But Not Billed,دحمل رارسيدلي خو نه محاسبې ته
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,د ريښي د حساب بايد د يوې ډلې وي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,د ريښي د حساب بايد د يوې ډلې وي
 DocType: Drug Prescription,Drug Prescription,د مخدره موادو نسخه
 DocType: Loan,Repaid/Closed,بیرته / تړل
 DocType: Amazon MWS Settings,CA,سي
 DocType: Item,Total Projected Qty,ټول پيشبيني Qty
 DocType: Monthly Distribution,Distribution Name,ویش نوم
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM شامل کړئ
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",د تادیاتو کچه د {0} لپاره نده موندل شوې، کوم چې د {1} {2} لپاره د حساب ورکونې اندیښنو ته اړتیا لري. که چیرې توکي په {1} کې د صفر ارزښت د اندازې په توګه لیږدول کیږي، لطفا دا د {1} توکي میز کې یادونه وکړئ. که نه نو، مهرباني وکړئ د توکو لپاره د زیرمې راتلونکی لیږد رامنځته کړئ یا د توکو ریکارډ کې د ارزښت اندازه وشمیرئ، او بیا د دې داخلي ثبت کولو / فسخ کولو هڅه وکړئ
 DocType: Course,Course Code,کورس کوډ
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},د کیفیت د تفتیش لپاره د قالب اړتیا {0}
@@ -3939,19 +3984,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,خرڅلاو صورتحساب
 DocType: Journal Entry Account,Party Balance,ګوند بیلانس
 DocType: Cash Flow Mapper,Section Subtotal,برخه فرعي ټوک
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,مهرباني غوره Apply کمښت د
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,مهرباني غوره Apply کمښت د
 DocType: Stock Settings,Sample Retention Warehouse,د نمونې ساتنه ګودام
 DocType: Company,Default Receivable Account,Default ترلاسه اکانټ
 DocType: Purchase Invoice,Deemed Export,د صادراتو وضعیت
 DocType: Stock Entry,Material Transfer for Manufacture,د جوړون د توکو لېږدونه د
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,تخفیف سلنه يا په وړاندې د بیې په لېست کې او یا د ټولو د بیې په لېست کارول کيداي شي.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,لپاره دحمل محاسبې انفاذ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,لپاره دحمل محاسبې انفاذ
 DocType: Lab Test,LabTest Approver,د لابراتوار تګلاره
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,تاسو مخکې د ارزونې معیارونه ارزول {}.
 DocType: Vehicle Service,Engine Oil,د انجن د تیلو
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},د کار امرونه جوړ شوي: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},د کار امرونه جوړ شوي: {0}
 DocType: Sales Invoice,Sales Team1,خرڅلاو Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,د قالب {0} نه شته
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,د قالب {0} نه شته
 DocType: Sales Invoice,Customer Address,پيرودونکو پته
 DocType: Loan,Loan Details,د پور نورولوله
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,د پوستي شرکتونو د جوړونې په اړه ناکام شو
@@ -3972,34 +4017,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,د پاڼې په سر کې د دې سلاید وښایاست
 DocType: BOM,Item UOM,د قالب UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),د مالیې د مقدار کمښت مقدار وروسته (شرکت د اسعارو)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},هدف ګودام لپاره چي په کتارونو الزامی دی {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},هدف ګودام لپاره چي په کتارونو الزامی دی {0}
 DocType: Cheque Print Template,Primary Settings,لومړنۍ امستنې
 DocType: Attendance Request,Work From Home,له کور څخه کار
 DocType: Purchase Invoice,Select Supplier Address,انتخاب عرضه پته
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,مامورین ورزیات کړئ
 DocType: Purchase Invoice Item,Quality Inspection,د کیفیت د تفتیش
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,اضافي واړه
 DocType: Company,Standard Template,معياري کينډۍ
 DocType: Training Event,Theory,تیوری
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,خبرداری: مادي غوښتل Qty دی لږ تر لږه نظم Qty څخه کم
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,خبرداری: مادي غوښتل Qty دی لږ تر لږه نظم Qty څخه کم
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,ګڼون {0} ده کنګل
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,قانوني نهاد / مستقلې سره د حسابونه د يو جلا چارت د سازمان پورې.
 DocType: Payment Request,Mute Email,ګونګ دبرېښنا ليک
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco",د خوړو، او نوشابه &amp; تنباکو
 DocType: Account,Account Number,ګڼون شمېره
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},يوازې په وړاندې پیسې unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,کمیسیون کچه نه شي کولای په پرتله 100 وي
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},يوازې په وړاندې پیسې unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,کمیسیون کچه نه شي کولای په پرتله 100 وي
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),خپل ځانونه غوره کړئ (FIFO)
 DocType: Volunteer,Volunteer,رضاکار
 DocType: Buying Settings,Subcontract,فرعي
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,لطفا {0} په لومړي
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,څخه د نه ځواب
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,څخه د نه ځواب
 DocType: Work Order Operation,Actual End Time,واقعي د پاي وخت
 DocType: Item,Manufacturer Part Number,جوړونکي برخه شمېر
 DocType: Taxable Salary Slab,Taxable Salary Slab,د مالیې وړ معاش تناسب
 DocType: Work Order Operation,Estimated Time and Cost,د اټکل له وخت او لګښت
 DocType: Bin,Bin,بن
 DocType: Crop,Crop Name,د کرهن نوم
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,یواځې کاروونکي د {0} رول کولی شي په بازار کې ثبت شي
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,یواځې کاروونکي د {0} رول کولی شي په بازار کې ثبت شي
 DocType: SMS Log,No of Sent SMS,نه د ته وليږدول شوه پیغامونه
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,ګمارل شوي او تفتیشونه
@@ -4028,7 +4074,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,د بدلولو کوډ
 DocType: Purchase Invoice Item,Valuation Rate,سنجي Rate
 DocType: Vehicle,Diesel,دیزل
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,د اسعارو بیې په لېست کې نه ټاکل
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,د اسعارو بیې په لېست کې نه ټاکل
 DocType: Purchase Invoice,Availed ITC Cess,د آی ټي ټي سي انټرنیټ ترلاسه کول
 ,Student Monthly Attendance Sheet,د زده کوونکو میاشتنی حاضرۍ پاڼه
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,د پلور کولو لپاره یوازې د لیږد حاکمیت
@@ -4045,7 +4091,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Manage خرڅلاو همکاران.
 DocType: Quality Inspection,Inspection Type,تفتیش ډول
 DocType: Fee Validity,Visited yet,لا تر اوسه لیدل شوی
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې د ګدامونو د ډلې بدل نه شي.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې د ګدامونو د ډلې بدل نه شي.
 DocType: Assessment Result Tool,Result HTML,د پایلو د HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,د پلور او راکړې ورکړې پر بنسټ باید پروژه او شرکت څو ځله تمدید شي.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,په ختمېږي
@@ -4053,7 +4099,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},مهرباني غوره {0}
 DocType: C-Form,C-Form No,C-فورمه نشته
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,فاصله
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,فاصله
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,خپل محصولات یا خدمات لیست کړئ کوم چې تاسو یې اخلئ یا پلورئ.
 DocType: Water Analysis,Storage Temperature,د ذخیرې درجه
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD -YYYY-
@@ -4068,18 +4114,18 @@
 DocType: Shopify Settings,Delivery Note Series,د سپارښتنې یادښت لړۍ
 DocType: Purchase Order Item,Returned Qty,راستون Qty
 DocType: Student,Exit,وتون
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,د ريښي ډول فرض ده
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,د ريښي ډول فرض ده
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,د کوټونو لګولو کې ناکام شو
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,په وختونو کې د UOM بدلون
 DocType: Contract,Signee Details,د لاسلیک تفصیلات
 DocType: Certified Consultant,Non Profit Manager,د غیر ګټې مدیر
 DocType: BOM,Total Cost(Company Currency),ټولیز لګښت (شرکت د اسعارو)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,شعبه {0} جوړ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,شعبه {0} جوړ
 DocType: Homepage,Company Description for website homepage,د ویب پاڼه Company Description
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",د مشتريانو د مناسب وخت، دغو کوډونو په چاپي فرمت څخه په څېر بلونه او د محصول سپارل یاداښتونه وکارول شي
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier نوم
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,د {0} لپاره معلومات نشي ترلاسه کولی.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,د ننوتنې د ژورنال پرانيستل
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,د ننوتنې د ژورنال پرانيستل
 DocType: Contract,Fulfilment Terms,د بشپړتیا شرایط
 DocType: Sales Invoice,Time Sheet List,د وخت پاڼه بشپړفهرست
 DocType: Employee,You can enter any date manually,تاسو کولای شی هر نېټې په لاسي ننوځي
@@ -4115,7 +4161,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,ستاسو د سازمان
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",د لاندې کارمندانو لپاره د استوګنې پریښودلو پریښودل، لکه څنګه چې د استوګنځای ریکارډونه یې د دوی په وړاندې شتون لري. {0}
 DocType: Fee Component,Fees Category,فیس کټه ګورۍ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,لطفا کرارولو نیټه.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,لطفا کرارولو نیټه.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,نننیو
 DocType: Travel Request,"Details of Sponsor (Name, Location)",د اسپانسر تفصیلات (نوم، ځای)
 DocType: Supplier Scorecard,Notify Employee,کارمندان خبرتیا
@@ -4128,9 +4174,9 @@
 DocType: Company,Chart Of Accounts Template,د حسابونو کينډۍ چارت
 DocType: Attendance,Attendance Date,د حاضرۍ نېټه
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},د تازه معلوماتو ذخیره باید د پیرود انوائس لپاره وکارول شي {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},د قالب د بیې د {0} په بیې په لېست کې تازه {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},د قالب د بیې د {0} په بیې په لېست کې تازه {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,معاش سترواکې بنسټ د ګټې وټې او Deduction.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو حساب بدل نه شي چې د پنډو
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو حساب بدل نه شي چې د پنډو
 DocType: Purchase Invoice Item,Accepted Warehouse,منل ګدام
 DocType: Bank Reconciliation Detail,Posting Date,نوکرې نېټه
 DocType: Item,Valuation Method,سنجي Method
@@ -4167,6 +4213,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,مهرباني وکړئ داځکه انتخاب
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,سفر او لګښت ادعا
 DocType: Sales Invoice,Redemption Cost Center,د خسارې لګښت لګښت
+DocType: QuickBooks Migrator,Scope,ساحه
 DocType: Assessment Group,Assessment Group Name,د ارزونې ډلې نوم
 DocType: Manufacturing Settings,Material Transferred for Manufacture,د جوړون مواد سپارل
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,په تفصیل کې اضافه کړئ
@@ -4174,6 +4221,7 @@
 DocType: Shopify Settings,Last Sync Datetime,د وروستي سمون مطابقت
 DocType: Landed Cost Item,Receipt Document Type,د رسيد سند ډول
 DocType: Daily Work Summary Settings,Select Companies,انتخاب شرکتونو
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,وړاندیز / د قیمت قیمت
 DocType: Antibiotic,Healthcare,روغتیایی پاملرنه
 DocType: Target Detail,Target Detail,هدف تفصیلي
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,یو واحد بڼه
@@ -4183,6 +4231,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,د دورې په تړلو انفاذ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,څانګه غوره کړئ ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,د موجوده معاملو لګښت مرکز ته ډلې بدل نه شي
+DocType: QuickBooks Migrator,Authorization URL,د اجازې یو آر ایل
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},مقدار د {0} د {1} {2} {3}
 DocType: Account,Depreciation,د استهالک
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,د ونډې شمېره او د شمېره شمېره متناقض دي
@@ -4205,13 +4254,14 @@
 DocType: Support Search Source,Source DocType,د سرچینې ډاټا ډول
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,یو نوی ټکټ خلاص کړئ
 DocType: Training Event,Trainer Email,د روزونکي دبرېښنا ليک
+DocType: Driver,Transporter,لیږدونکی
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,مادي غوښتنې {0} جوړ
 DocType: Restaurant Reservation,No of People,د خلکو شمیر
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,د شرایطو یا د قرارداد په کينډۍ.
 DocType: Bank Account,Address and Contact,پته او تماس
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,آیا د حساب د راتلوونکې
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},دحمل رانيول رسيد وړاندې تازه نه شي {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},دحمل رانيول رسيد وړاندې تازه نه شي {0}
 DocType: Support Settings,Auto close Issue after 7 days,د موټرونو 7 ورځې وروسته له نږدې Issue
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",تر وتلو وړاندې نه شي کولای ځانګړي شي {0} په توګه رخصت انډول لا شوي دي انتقال-استولې چې په راتلونکي کې رخصت تخصيص ریکارډ {1}
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوټ: له کبله / ماخذ نېټه له خوا د {0} په ورځ اجازه مشتريانو د پورونو ورځو څخه زيات (s)
@@ -4229,20 +4279,19 @@
 ,Qty to Deliver,Qty ته تحویل
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ایمیزون به د دې نیټې څخه وروسته د معلوماتو تازه کړی
 ,Stock Analytics,دحمل Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,عملیاتو په خالي نه شي پاتې کېدای
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,عملیاتو په خالي نه شي پاتې کېدای
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,لابراتوار ازموینه
 DocType: Maintenance Visit Purpose,Against Document Detail No,په وړاندې د سند جزییات نشته
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +111,Party Type is mandatory,ګوند ډول فرض ده
 DocType: Quality Inspection,Outgoing,د تېرې
 DocType: Material Request,Requested For,غوښتنه د
 DocType: Quotation Item,Against Doctype,په وړاندې د Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} د {1} ده لغوه یا تړل
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} د {1} ده لغوه یا تړل
 DocType: Asset,Calculate Depreciation,د استهالک محاسبه کول
 DocType: Delivery Note,Track this Delivery Note against any Project,هر ډول د پروژې پر وړاندې د دې د سپارنې يادونه وڅارئ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,له پانګه اچونه خالص د نغدو
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,پیرودونکي&gt; پیرودونکي ګروپ&gt; ساحه
 DocType: Work Order,Work-in-Progress Warehouse,کار-in-پرمختګ ګدام
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,د شتمنیو د {0} بايد وسپارل شي
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,د شتمنیو د {0} بايد وسپارل شي
 DocType: Fee Schedule Program,Total Students,ټول زده کونکي
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},د حاضرۍ دثبت {0} شتون د زده کوونکو پر وړاندې د {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},ماخذ # {0} د میاشتې په {1}
@@ -4262,7 +4311,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,د پاتې کارمندانو لپاره د ساتلو بونس نشي رامینځته کولی
 DocType: Lead,Market Segment,بازار برخه
 DocType: Agriculture Analysis Criteria,Agriculture Manager,د کرنې مدیر
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},ورکړل مقدار نه شي کولای ټولو منفي بيالنس مقدار څخه ډيره وي {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},ورکړل مقدار نه شي کولای ټولو منفي بيالنس مقدار څخه ډيره وي {0}
 DocType: Supplier Scorecard Period,Variables,ډولونه
 DocType: Employee Internal Work History,Employee Internal Work History,د کارګر کورني کار تاریخ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),تړل د (ډاکټر)
@@ -4287,22 +4336,24 @@
 DocType: Amazon MWS Settings,Synch Products,د سیمچ محصولات
 DocType: Loyalty Point Entry,Loyalty Program,د وفادارۍ پروګرام
 DocType: Student Guardian,Father,پلار
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,ملاتړ ټکټونه
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;تازه سټاک لپاره ثابته شتمني خرڅلاو نه وکتل شي
 DocType: Bank Reconciliation,Bank Reconciliation,بانک پخلاينې
 DocType: Attendance,On Leave,په اړه چې رخصت
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ترلاسه تازه خبرونه
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} د {1}: Account {2} کوي چې د دې شرکت سره تړاو نه لري {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,لږ تر لږه یو ځانګړتیاوې د هر صفتونو څخه غوره کړئ.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,لږ تر لږه یو ځانګړتیاوې د هر صفتونو څخه غوره کړئ.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,د موادو غوښتنه {0} دی لغوه یا ودرول
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,د لیږدونې حالت
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,د لیږدونې حالت
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,د مدیریت څخه ووځي
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,ډلو
 DocType: Purchase Invoice,Hold Invoice,د انوائس ساتل
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,مهرباني وکړئ د کارمند غوره کول
 DocType: Sales Order,Fully Delivered,په بشپړه توګه وسپارل شول
-DocType: Lead,Lower Income,ولسي عايداتو
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,ولسي عايداتو
 DocType: Restaurant Order Entry,Current Order,اوسنۍ امر
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,د سیریل پوټ او مقدار شمېره باید ورته وي
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},سرچینه او هدف ګودام نه شي لپاره چي په کتارونو ورته وي {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},سرچینه او هدف ګودام نه شي لپاره چي په کتارونو ورته وي {0}
 DocType: Account,Asset Received But Not Billed,شتمنۍ ترلاسه شوي خو بلل شوي ندي
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",توپير حساب باید یو د شتمنیو / Liability ډول په پام کې وي، ځکه په دې کې دحمل پخلاينې يو پرانیستل انفاذ دی
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},ورکړل شوي مقدار نه شي کولای د پور مقدار زیات وي {0}
@@ -4311,7 +4362,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},نظم لپاره د قالب اړتیا پیري {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;له نېټه باید وروسته&#39; ته د نېټه وي
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,نه د دې نومونې لپاره د کارمندانو پالنونه موندل شوي
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,بکس {0} د Item {1} معیوب شوی دی.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,بکس {0} د Item {1} معیوب شوی دی.
 DocType: Leave Policy Detail,Annual Allocation,کلنۍ تخصیص
 DocType: Travel Request,Address of Organizer,د تنظیم کوونکی پته
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,د روغتیا پاملرنې پریکړه کونکي غوره کړئ ...
@@ -4320,12 +4371,12 @@
 DocType: Asset,Fully Depreciated,په بشپړه توګه راکم شو
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,دحمل وړاندوینی Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},پيرودونکو {0} نه تړاو نه لري د پروژې د {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},پيرودونکو {0} نه تړاو نه لري د پروژې د {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,د پام وړ د حاضرۍ د HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",د داوطلبۍ دي وړانديزونه، د داوطلبۍ د خپل مشتريان تاسو ته ليږلي دي
 DocType: Sales Invoice,Customer's Purchase Order,پيرودونکو د اخستلو امر
 DocType: Clinical Procedure,Patient,ناروغ
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,د پلور په امر کې د کریډیټ چک چیک کړئ
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,د پلور په امر کې د کریډیټ چک چیک کړئ
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,د کارموندنې فعالیتونه
 DocType: Location,Check if it is a hydroponic unit,وګورئ که دا د هیدرروپو واحد وي
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,شعبه او دسته
@@ -4335,7 +4386,7 @@
 DocType: Supplier Scorecard Period,Calculations,حسابونه
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,ارزښت او يا د Qty
 DocType: Payment Terms Template,Payment Terms,د تادیاتو شرایط
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions امر لپاره نه شي مطرح شي:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions امر لپاره نه شي مطرح شي:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,دقیقه
 DocType: Purchase Invoice,Purchase Taxes and Charges,مالیات او په تور پیري
 DocType: Chapter,Meetup Embed HTML,ملګری ایمیل ایچ ایچ ایل
@@ -4350,10 +4401,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,تخفیف (٪) د بیې په لېست کې و ارزوئ سره څنډی
 DocType: Healthcare Service Unit Type,Rate / UOM,کچه / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ټول Warehouses
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,No {0} د انټرنیټ د راکړې ورکړې لپاره موندل شوی.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,No {0} د انټرنیټ د راکړې ورکړې لپاره موندل شوی.
 DocType: Travel Itinerary,Rented Car,کرایټ کار
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,ستاسو د شرکت په اړه
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,د حساب د پور باید د موازنې د پاڼه په پام کې وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,د حساب د پور باید د موازنې د پاڼه په پام کې وي
 DocType: Donor,Donor,بسپنه ورکوونکی
 DocType: Global Defaults,Disable In Words,نافعال په وييکي
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,د قالب کوډ لازمي ده، ځکه د قالب په اتوماتيک ډول شمېر نه
@@ -4365,14 +4416,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,بانک قرضې اکانټ
 DocType: Patient,Patient ID,د ناروغ پېژندنه
 DocType: Practitioner Schedule,Schedule Name,د مهال ویش نوم
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,د سایج لخوا د پلور پایپینینټ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,معاش ټوټه د کمکیانو لپاره
 DocType: Currency Exchange,For Buying,د پیرودلو لپاره
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,ټول سپلولونه زیات کړئ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,ټول سپلولونه زیات کړئ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,د کتارونو تر # {0}: ځانګړې شوې مقدار نه بيالنس اندازه په پرتله زیات وي.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,کتنه د هیښ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,خوندي پور
 DocType: Purchase Invoice,Edit Posting Date and Time,سمول نوکرې نېټه او وخت
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},لطفا په شتمنیو کټه ګورۍ {0} یا د شرکت د استهالک اړوند حسابونه جوړ {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},لطفا په شتمنیو کټه ګورۍ {0} یا د شرکت د استهالک اړوند حسابونه جوړ {1}
 DocType: Lab Test Groups,Normal Range,عمومی رینج
 DocType: Academic Term,Academic Year,تعلیمي کال
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,موجود پلورل
@@ -4400,26 +4452,26 @@
 DocType: Patient Appointment,Patient Appointment,د ناروغ ټاکنه
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,رول تصویب نه شي کولای ورته په توګه رول د واکمنۍ ته د تطبیق وړ وي
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,له دې ليک Digest وباسو
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,عرضه کونکي ترلاسه کړئ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,عرضه کونکي ترلاسه کړئ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{1} د توکي {1} لپاره ندی موندلی
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,کورسونو ته لاړ شئ
 DocType: Accounts Settings,Show Inclusive Tax In Print,په چاپ کې انډول مالیه ښودل
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",د بانک حساب، د نیټې او نیټې نیټه معتبر دي
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,پيغام ته وليږدول شوه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,سره د ماشومانو د غوټو حساب نه په توګه د پنډو جوړ شي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,سره د ماشومانو د غوټو حساب نه په توګه د پنډو جوړ شي
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,په ميزان کي د بیو د لست د اسعارو ده چې د مشتريانو د اډې اسعارو بدل
 DocType: Purchase Invoice Item,Net Amount (Company Currency),خالص مقدار (شرکت د اسعارو)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,ټول وړاندیز شوی رقم کیدای شي د ټولو منظور شوي مقدار څخه ډیر نه وي
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,ټول وړاندیز شوی رقم کیدای شي د ټولو منظور شوي مقدار څخه ډیر نه وي
 DocType: Salary Slip,Hour Rate,ساعت Rate
 DocType: Stock Settings,Item Naming By,د قالب نوم By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},وروسته يو بل د دورې په تړلو انفاذ {0} شوی دی {1}
 DocType: Work Order,Material Transferred for Manufacturing,د دفابريکي مواد سپارل
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,ګڼون {0} نه شتون
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,د وفادارۍ پروګرام غوره کړئ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,د وفادارۍ پروګرام غوره کړئ
 DocType: Project,Project Type,د پروژې ډول
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,د دې دندې لپاره د ماشوم دندې شتون لري. تاسو دا کار نشي کولی.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,يا هدف qty يا هدف اندازه فرض ده.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,يا هدف qty يا هدف اندازه فرض ده.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,د بیالبیلو فعالیتونو لګښت
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",د خوښو ته پیښی {0}، ځکه چې د کارګر ته لاندې خرڅلاو هغه اشخاص چې د وصل يو کارن تذکرو نه لري {1}
 DocType: Timesheet,Billing Details,د بیلونو په بشپړه توګه کتل
@@ -4476,13 +4528,13 @@
 DocType: Inpatient Record,A Negative,منفي
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,هیڅ مطلب ته وښيي.
 DocType: Lead,From Customer,له پيرودونکو
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,غږ
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,غږ
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,یو محصول
 DocType: Employee Tax Exemption Declaration,Declarations,اعالمیه
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,دستو
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,د فیس مهال ویش جوړ کړئ
 DocType: Purchase Order Item Supplied,Stock UOM,دحمل UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,پیري نظم {0} نه سپارل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,پیري نظم {0} نه سپارل
 DocType: Account,Expenses Included In Asset Valuation,لګښتونه په اثاثه کې شامل دي
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),د بالغ لپاره معمول حواله لرونکی حد 16-20 تنفس / دقیقې (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,د تعرفې شمیره
@@ -4495,6 +4547,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,مهرباني وکړئ لومړی ناروغ ته وساتئ
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,د حاضرۍ په بریالیتوب سره په نښه شوي دي.
 DocType: Program Enrollment,Public Transport,د عامه ترانسپورت
+DocType: Delivery Note,GST Vehicle Type,د GST موټر ډول
 DocType: Soil Texture,Silt Composition (%),د Silt جوړښت (٪)
 DocType: Journal Entry,Remark,تبصره
 DocType: Healthcare Settings,Avoid Confirmation,تایید څخه ډډه وکړئ
@@ -4504,11 +4557,10 @@
 DocType: Education Settings,Current Academic Term,اوسنۍ علمي مهاله
 DocType: Education Settings,Current Academic Term,اوسنۍ علمي مهاله
 DocType: Sales Order,Not Billed,نه محاسبې ته
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,دواړه ګدام بايد د همدې شرکت پورې اړه لري
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,دواړه ګدام بايد د همدې شرکت پورې اړه لري
 DocType: Employee Grade,Default Leave Policy,د منلو وړ تګلاره
 DocType: Shopify Settings,Shop URL,د هټۍ یو آر ایل
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,نه تماسونه زياته کړه تر اوسه.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,مهرباني وکړئ د سیٹ اپ&gt; شمېره لړۍ له لارې د حاضریدو لړۍ سیسټم
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,تيرماښام لګښت ګټمنو مقدار
 ,Item Balance (Simple),د توکو توازن (ساده)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,بلونه له خوا عرضه راپورته کړې.
@@ -4533,7 +4585,7 @@
 DocType: Shopping Cart Settings,Quotation Series,د داوطلبۍ لړۍ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",توکی سره د ورته نوم شتون لري ({0})، لطفا د توکي ډلې نوم بدل کړي او يا د جنس نوم بدلولی شی
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,د خاورې تحلیل معیار
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,لطفا د مشتريانو د ټاکلو
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,لطفا د مشتريانو د ټاکلو
 DocType: C-Form,I,زه
 DocType: Company,Asset Depreciation Cost Center,د شتمنيو د استهالک لګښت مرکز
 DocType: Production Plan Sales Order,Sales Order Date,خرڅلاو نظم نېټه
@@ -4546,8 +4598,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,اوس مهال په کوم ګودام کې هیڅ ذخیره شتون نلري
 ,Payment Period Based On Invoice Date,د پیسو د دورې پر بنسټ د صورتحساب نېټه
 DocType: Sample Collection,No. of print,د چاپ شمیره
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,د سالم یادونې
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,د هوټل روم د ساتلو توکي
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},د ورکو پیسو د بدلولو د نرخونو او {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},د ورکو پیسو د بدلولو د نرخونو او {0}
 DocType: Employee Health Insurance,Health Insurance Name,د روغتیا بیمې نوم
 DocType: Assessment Plan,Examiner,Examiner
 DocType: Student,Siblings,ورور
@@ -4563,18 +4616,19 @@
 DocType: Pricing Rule,Margin,څنډی
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,نوي پېرېدونکي
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,ټولټال ګټه ٪
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,د مشرې سرچینې لخوا فرصتونه
 DocType: Appraisal Goal,Weightage (%),Weightage)٪ (
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,د POS پېژندل بدل کړئ
 DocType: Bank Reconciliation Detail,Clearance Date,بېلوګډو چاڼېزو نېټه
+DocType: Delivery Settings,Dispatch Notification Template,د لیږدونې خبرتیا چوکاټ
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,د ارزونې راپور
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,کارمندان ترلاسه کړئ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross رانيول مقدار الزامی دی
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,د شرکت نوم ورته نه دی
 DocType: Lead,Address Desc,د حل نزولی
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,ګوند الزامی دی
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},په نورو قطارونو کې د دوه ځله ټاکل شوي نیټې سره قطعونه وموندل شول: {لیست}
 DocType: Topic,Topic Name,موضوع نوم
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,مهرباني وکړئ د بشري حقونو په څانګو کې د اجازې تصویب نوښت لپاره ډیزاینټ ټاپ ډک کړئ.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,مهرباني وکړئ د بشري حقونو په څانګو کې د اجازې تصویب نوښت لپاره ډیزاینټ ټاپ ډک کړئ.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,تيروخت د خرڅالو او يا د خريداري يو باید وټاکل شي
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,د کارموندنې د ترلاسه کولو لپاره یو مامور غوره کړئ.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,لطفا یو باوري نیټه وټاکئ
@@ -4608,6 +4662,7 @@
 DocType: Stock Entry,Customer or Supplier Details,پیرودونکي یا عرضه نورولوله
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY -YYYY-
 DocType: Asset Value Adjustment,Current Asset Value,اوسنۍ شتمني ارزښت
+DocType: QuickBooks Migrator,Quickbooks Company ID,د ساکټونو شرکت ID
 DocType: Travel Request,Travel Funding,د سفر تمویل
 DocType: Loan Application,Required by Date,د اړتیا له خوا نېټه
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,د ټولو هغه ځایونو لپاره چې په هغې کې کرهنه وده کوي
@@ -4621,9 +4676,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,په له ګدام موجود دسته Qty
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,ناخالص معاشونو - ټول Deduction - پور بيرته ورکول
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,اوسني هیښ او نوي هیښ نه شي کولای ورته وي
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,اوسني هیښ او نوي هیښ نه شي کولای ورته وي
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,معاش ټوټه ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,نېټه د تقاعد باید په پرتله د داخلیدل نېټه ډيره وي
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,نېټه د تقاعد باید په پرتله د داخلیدل نېټه ډيره وي
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,ګڼ شمیر متغیرات
 DocType: Sales Invoice,Against Income Account,په وړاندې پر عايداتو باندې حساب
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}٪ تحویلوونکی
@@ -4652,7 +4707,7 @@
 DocType: POS Profile,Update Stock,تازه دحمل
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,لپاره شیان ډول UOM به د ناسم (Total) خالص وزن ارزښت لامل شي. ډاډه کړئ چې د هر توکی خالص وزن په همدې UOM ده.
 DocType: Certification Application,Payment Details,د تاديې جزئيات
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,هیښ Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,هیښ Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",د کار امر بند شوی نشي تایید شوی، دا لومړی ځل وځنډول چې فسخه شي
 DocType: Asset,Journal Entry for Scrap,د Scrap ژورنال انفاذ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,لطفآ د سپارنې پرمهال يادونه توکي وباسي
@@ -4675,11 +4730,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Total تحریم مقدار
 ,Purchase Analytics,رانيول Analytics
 DocType: Sales Invoice Item,Delivery Note Item,د سپارنې پرمهال يادونه د قالب
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,اوسنۍ انوائس {0} ورک دی
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,اوسنۍ انوائس {0} ورک دی
 DocType: Asset Maintenance Log,Task,کاري
 DocType: Purchase Taxes and Charges,Reference Row #,ماخذ د کتارونو تر #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},د بستې شمېره لپاره د قالب الزامی دی {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,دا یو د ريښو د پلورنې د شخص او نه تصحيح شي.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,دا یو د ريښو د پلورنې د شخص او نه تصحيح شي.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",که ټاکل، د ارزښت د مشخص او يا په دې برخه محاسبه به د عايد يا د مجرايي سره مرسته نه کوي. که څه هم، دا د ارزښت کولای شي له خوا د نورو برخو چې زياته شي او يا مجرايي حواله شي.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",که ټاکل، د ارزښت د مشخص او يا په دې برخه محاسبه به د عايد يا د مجرايي سره مرسته نه کوي. که څه هم، دا د ارزښت کولای شي له خوا د نورو برخو چې زياته شي او يا مجرايي حواله شي.
 DocType: Asset Settings,Number of Days in Fiscal Year,په مالي کال کې د ورځو شمیر
@@ -4688,7 +4743,7 @@
 DocType: Company,Exchange Gain / Loss Account,په بدل کې لاسته راغلې ګټه / زیان اکانټ
 DocType: Amazon MWS Settings,MWS Credentials,د MWS اعتبار وړاندوینه
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,د کارګر او د حاضرۍ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},هدف باید د یو وي {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},هدف باید د یو وي {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,د فورمې په ډکولو او بيا يې خوندي
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,د ټولنې د بحث فورم
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,په سټاک واقعي qty
@@ -4704,7 +4759,7 @@
 DocType: Lab Test Template,Standard Selling Rate,معياري پلورل Rate
 DocType: Account,Rate at which this tax is applied,په ميزان کي دغه ماليه د اجرا وړ ده
 DocType: Cash Flow Mapper,Section Name,د برخې نوم
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,ترمیمي Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,ترمیمي Qty
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,اوسنۍ دنده په پرانیستولو
 DocType: Company,Stock Adjustment Account,دحمل اصلاحاتو اکانټ
 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,ولیکئ پړاو
@@ -4714,7 +4769,7 @@
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,د استخراج قیمتونه درج کړئ
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: له {1}
 DocType: Task,depends_on,اړه لري پر
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,د ټولو موادو په وروستیو کې د وروستي قیمت نوي کولو لپاره قطع شوي. دا کیدای شي څو دقیقو وخت ونیسي.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,د ټولو موادو په وروستیو کې د وروستي قیمت نوي کولو لپاره قطع شوي. دا کیدای شي څو دقیقو وخت ونیسي.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,د نوو حساب نوم. یادونه: لطفا لپاره پېرودونکي او عرضه کوونکي حسابونو نه رامنځته کوي
 DocType: POS Profile,Display Items In Stock,توکي په اسٹاک کې ښودل شوي
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,د هیواد په تلواله پته نمونې
@@ -4744,16 +4799,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,د {0} لپاره سلاټونه په مهال ویش کې شامل نه دي
 DocType: Product Bundle,List items that form the package.,لست کې د اقلامو چې د بنډل جوړوي.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,اجازه نشته. مهرباني وکړئ د ازموینې چوکاټ غیر فعال کړئ
+DocType: Delivery Note,Distance (in km),فاصله (په کیلو متر)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,سلنه تخصيص بايد مساوي له 100٪ وي
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,لطفا د ګوند په ټاکلو مخکې نوکرې نېټه وټاکئ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,لطفا د ګوند په ټاکلو مخکې نوکرې نېټه وټاکئ
 DocType: Program Enrollment,School House,د ښوونځي ماڼۍ
 DocType: Serial No,Out of AMC,د AMC له جملې څخه
+DocType: Opportunity,Opportunity Amount,د فرصت مقدار
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,د Depreciations بک شمېر نه شي کولای ټول د Depreciations شمېر څخه ډيره وي
 DocType: Purchase Order,Order Confirmation Date,د امر تایید نیټه
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,د کمکیانو لپاره د ساتنې او سفر
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","د پیل نیټه او د نیټې نیټه د کارت کارت سره د زغملو وړ دی <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,د کارمندانو لیږد تفصیلات
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,لطفا د کارونکي چې د خرڅلاو ماسټر مدير {0} رول سره اړیکه
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,لطفا د کارونکي چې د خرڅلاو ماسټر مدير {0} رول سره اړیکه
 DocType: Company,Default Cash Account,Default د نقدو پیسو حساب
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,شرکت (نه پيرودونکو يا عرضه) بادار.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,دا د دې د زده کوونکو د ګډون پر بنسټ
@@ -4761,9 +4819,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,نور توکي یا علني بشپړه فورمه ورزیات کړئ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,د سپارنې پرمهال یاداښتونه {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,کاروونکو ته لاړ شه
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,ورکړل اندازه + ولیکئ پړاو مقدار نه شي کولای په پرتله Grand Total ډيره وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,ورکړل اندازه + ولیکئ پړاو مقدار نه شي کولای په پرتله Grand Total ډيره وي
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} لپاره د قالب یو باوري دسته شمېر نه دی {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},نوټ: د اجازه ډول کافي رخصت توازن نه شته {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},نوټ: د اجازه ډول کافي رخصت توازن نه شته {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,ناسم GSTIN يا د ناثبت شویو NA وليکئ
 DocType: Training Event,Seminar,سیمینار
 DocType: Program Enrollment Fee,Program Enrollment Fee,پروګرام شمولیت فیس
@@ -4780,7 +4838,7 @@
 DocType: Fee Schedule,Fee Schedule,فیس مهال ويش
 DocType: Company,Create Chart Of Accounts Based On,د حسابونو پر بنسټ چارت جوړول
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,نشي کولای چې په غیر ګروپ بدل شي. د ماشوم دندې شتون لري.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,د زېږېدو نېټه نه شي نن څخه ډيره وي.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,د زېږېدو نېټه نه شي نن څخه ډيره وي.
 ,Stock Ageing,دحمل Ageing
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",لږ تر لږه تمویل شوي، د جزوي تمویل اړتیاوې
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},د زده کونکو د {0} زده کوونکو د درخواست په وړاندې د شته {1}
@@ -4826,11 +4884,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,مخکې له پخلاینې
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},د {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),مالیه او په تور د ورزیاتولو (شرکت د اسعارو)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,د قالب د مالياتو د کتارونو تر {0} بايد د ډول د مالياتو او يا د عايداتو او يا اخراجاتو یا Chargeable ګڼون لری
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,د قالب د مالياتو د کتارونو تر {0} بايد د ډول د مالياتو او يا د عايداتو او يا اخراجاتو یا Chargeable ګڼون لری
 DocType: Sales Order,Partly Billed,خفيف د محاسبې
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,د قالب {0} بايد يوه ثابته شتمني د قالب وي
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,ډولونه جوړ کړئ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,ډولونه جوړ کړئ
 DocType: Item,Default BOM,default هیښ
 DocType: Project,Total Billed Amount (via Sales Invoices),د بشپړې شوې پیسې (د پلور انوګانو له لارې)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ډیبیټ يادونه مقدار
@@ -4859,14 +4917,14 @@
 DocType: Notification Control,Custom Message,د ګمرکونو پيغام
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,د پانګونې د بانکداري
 DocType: Purchase Invoice,input,انډول
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,د نغدي او يا بانک حساب د تادیاتو لپاره د ننوتلو کولو الزامی دی
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,د نغدي او يا بانک حساب د تادیاتو لپاره د ننوتلو کولو الزامی دی
 DocType: Loyalty Program,Multiple Tier Program,ډیری ټیر پروګرام
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,د زده کوونکو پته
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,د زده کوونکو پته
 DocType: Purchase Invoice,Price List Exchange Rate,د بیې په لېست د بدلولو نرخ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,د ټولو سپلویزی ګروپونه
 DocType: Employee Boarding Activity,Required for Employee Creation,د کارموندنې د جوړولو لپاره اړین دی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},د حساب شمیره {0} د مخه په حساب کې کارول شوې {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},د حساب شمیره {0} د مخه په حساب کې کارول شوې {1}
 DocType: GoCardless Mandate,Mandate,منډې
 DocType: POS Profile,POS Profile Name,د پی ایس پی ایل نوم
 DocType: Hotel Room Reservation,Booked,کتاب شوی
@@ -4882,18 +4940,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,ماخذ نه فرض ده که تاسو ماخذ نېټه ته ننوتل
 DocType: Bank Reconciliation Detail,Payment Document,د پیسو د سند
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,د معیار فارمول ارزونه کې تېروتنه
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,د داخلیدل نېټه بايد په پرتله د زېږېدو نېټه ډيره وي
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,د داخلیدل نېټه بايد په پرتله د زېږېدو نېټه ډيره وي
 DocType: Subscription,Plans,پلانونه
 DocType: Salary Slip,Salary Structure,معاش جوړښت
 DocType: Account,Bank,بانک د
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,هوايي شرکت
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Issue مواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Issue مواد
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,نښلول د ERPNext سره وپلټئ
 DocType: Material Request Item,For Warehouse,د ګدام
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,د سپارلو یادښتونه {0} تازه شوي
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,د سپارلو یادښتونه {0} تازه شوي
 DocType: Employee,Offer Date,وړاندیز نېټه
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Quotations
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,تاسو په نالیکي اکر کې دي. تاسو به ونه کړای شي تر هغه وخته چې د شبکې لري بيا راولېښئ.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Quotations
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,تاسو په نالیکي اکر کې دي. تاسو به ونه کړای شي تر هغه وخته چې د شبکې لري بيا راولېښئ.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,وړیا مرسته
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,نه د زده کوونکو ډلو جوړ.
 DocType: Purchase Invoice Item,Serial No,پر له پسې ګڼه
@@ -4905,23 +4963,25 @@
 DocType: Sales Invoice,Customer PO Details,پیرودونکي پوټ جزئیات
 DocType: Stock Entry,Including items for sub assemblies,په شمول د فرعي شوراګانو لپاره شیان
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,د لنډ وخت پرانيستلو حساب
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,وليکئ ارزښت باید مثبتې وي
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,وليکئ ارزښت باید مثبتې وي
 DocType: Asset,Finance Books,مالي کتابونه
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,د کارمندانو د مالیې معافیت اعلامیه کټګوري
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,ټول سیمې
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,د ټاکل شوې پیرودونکي او توکي لپاره د ناباوره پاکټ امر
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,د ټاکل شوې پیرودونکي او توکي لپاره د ناباوره پاکټ امر
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,ډیری کاري ډلې زیات کړئ
 DocType: Purchase Invoice,Items,توکي
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,د پای نیټه د پیل نیټه نه وړاندې کیدی شي.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,د زده کوونکو د مخکې شامل.
 DocType: Fiscal Year,Year Name,کال نوم
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,په دې مياشت کاري ورځو څخه زيات د رخصتيو په شتون لري.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,په دې مياشت کاري ورځو څخه زيات د رخصتيو په شتون لري.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,لاندې توکي {0} توکي د {1} توکي په نښه نه دي. تاسو کولی شئ د هغوی د توکي ماسټر څخه د {1} توکي په توګه وټاکئ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,د محصول د بنډل په قالب
 DocType: Sales Partner,Sales Partner Name,خرڅلاو همکار نوم
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,د داوطلبۍ غوښتنه
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,د داوطلبۍ غوښتنه
 DocType: Payment Reconciliation,Maximum Invoice Amount,اعظمي صورتحساب مقدار
 DocType: Normal Test Items,Normal Test Items,د عادي ازموینې توکي
+DocType: QuickBooks Migrator,Company Settings,د شرکت ترتیبونه
 DocType: Additional Salary,Overwrite Salary Structure Amount,د معاشاتو جوړښت مقدار بیرته اخیستل
 DocType: Student Language,Student Language,د زده کوونکو ژبه
 apps/erpnext/erpnext/config/selling.py +23,Customers,پېرودونکي
@@ -4934,22 +4994,24 @@
 DocType: Issue,Opening Time,د پرانستلو په وخت
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,څخه او د خرما اړتیا
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,امنيت &amp; Commodity exchanges
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',د variant اندازه Default واحد &#39;{0}&#39; باید په کينډۍ ورته وي &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',د variant اندازه Default واحد &#39;{0}&#39; باید په کينډۍ ورته وي &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,محاسبه په اساس
 DocType: Contract,Unfulfilled,ناڅاپه
 DocType: Delivery Note Item,From Warehouse,له ګدام
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,د ذکر شویو معیارونو لپاره هیڅ کارمندان نشته
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,سره د توکو بیل نه توکي تولید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,سره د توکو بیل نه توکي تولید
 DocType: Shopify Settings,Default Customer,اصلي پیرودونکی
+DocType: Sales Stage,Stage Name,د مرحلې نوم
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN -YYYY.-
 DocType: Assessment Plan,Supervisor Name,څارونکي نوم
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,دا تایید نه کړئ که چیرې د ورته ورځې لپاره ټاکنې جوړې شي
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,دولت ته جہاز
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,دولت ته جہاز
 DocType: Program Enrollment Course,Program Enrollment Course,پروګرام شمولیت کورس
 DocType: Program Enrollment Course,Program Enrollment Course,پروګرام شمولیت کورس
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},کارن {0} لا د مخه د صحي کارکونکي لپاره ټاکل شوی دی {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,د نمونې د ساتلو د ذخیرې انټرنېټ جوړ کړئ
 DocType: Purchase Taxes and Charges,Valuation and Total,ارزښت او Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,خبرې اترې / بیا کتنه
 DocType: Leave Encashment,Encashment Amount,د پیسو مینځل
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,د سکورډډزونه
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,وخت تېر شوي بسته
@@ -4959,7 +5021,7 @@
 DocType: Staffing Plan Detail,Current Openings,اوسنۍ پرانيستې
 DocType: Notification Control,Customize the Notification,د خبرتیا دتنظيمولو
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,له عملیاتو په نقدو پیسو د جریان
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,د CGST مقدار
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,د CGST مقدار
 DocType: Purchase Invoice,Shipping Rule,انتقال حاکمیت
 DocType: Patient Relation,Spouse,ښځه
 DocType: Lab Test Groups,Add Test,ازموينه زياته کړئ
@@ -4973,14 +5035,14 @@
 DocType: Payroll Entry,Payroll Frequency,د معاشونو د فریکونسۍ
 DocType: Lab Test Template,Sensitivity,حساسیت
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,هماغه وخت په عارضه توګه نافعال شوی ځکه چې تر ټولو زیات تیریدلی شوی دی
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,خام توکي
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,خام توکي
 DocType: Leave Application,Follow via Email,ایمیل له لارې تعقيب
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,د نباتاتو او ماشینونو
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,د مالیې د مقدار کمښت مقدار وروسته
 DocType: Patient,Inpatient Status,د داخل بستر حالت
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,هره ورځ د کار لنډیز امستنې
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,د ټاکل شوي نرخ لیست باید وپلورل شي او پلوري یې وپلورل شي.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,مهرباني وکړئ د رادډ نیټه په نیټه درج کړئ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,د ټاکل شوي نرخ لیست باید وپلورل شي او پلوري یې وپلورل شي.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,مهرباني وکړئ د رادډ نیټه په نیټه درج کړئ
 DocType: Payment Entry,Internal Transfer,کورني انتقال
 DocType: Asset Maintenance,Maintenance Tasks,د ترمیم دندې
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,يا هدف qty يا هدف اندازه فرض ده
@@ -5002,7 +5064,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,تېر مخابراتو
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,تېر مخابراتو
 ,TDS Payable Monthly,د تادیه وړ میاشتنۍ TDS
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,د BOM ځای نیولو لپاره قطع شوی. دا کیدای شي څو دقیقو وخت ونیسي.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,د BOM ځای نیولو لپاره قطع شوی. دا کیدای شي څو دقیقو وخت ونیسي.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',وضع نه شي کله چې وېشنيزه کې د &#39;ارزښت&#39; یا د &#39;ارزښت او Total&#39; دی
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},د Serialized د قالب سریال ترانسفارمرونو د مطلوب {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,سره صورتحساب لوبه د پیسو ورکړه
@@ -5015,7 +5077,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,کارټ ته یی اضافه کړه
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,ډله په
 DocType: Guardian,Interests,د ګټو
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,فعال / معلول اسعارو.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,فعال / معلول اسعارو.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,نشي کولی د معاشاتو ځینې سایټونه وسپاري
 DocType: Exchange Rate Revaluation,Get Entries,ننوتل ترلاسه کړئ
 DocType: Production Plan,Get Material Request,د موادو غوښتنه ترلاسه کړئ
@@ -5037,15 +5099,16 @@
 DocType: Lead,Lead Type,سرب د ډول
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,تاسو اختيار نه لري چې پر بالک نیټی پاڼو تصویب
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,دا ټول توکي لا د رسیدونو شوي
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,د نوي اعلان تاریخ نیټه کړئ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,د نوي اعلان تاریخ نیټه کړئ
 DocType: Company,Monthly Sales Target,د میاشتنۍ خرڅلاو هدف
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},آیا له خوا تصویب شي {0}
 DocType: Hotel Room,Hotel Room Type,د هوټل خونه
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,عرضه کوونکي&gt; د عرضه کوونکي ډول
 DocType: Leave Allocation,Leave Period,د پریښودلو موده
 DocType: Item,Default Material Request Type,Default د موادو غوښتنه ډول
 DocType: Supplier Scorecard,Evaluation Period,د ارزونې موده
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,نامعلوم
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,د کار امر ندی جوړ شوی
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,د کار امر ندی جوړ شوی
 DocType: Shipping Rule,Shipping Rule Conditions,انتقال حاکمیت شرايط
 DocType: Purchase Invoice,Export Type,د صادرولو ډول
 DocType: Salary Slip Loan,Salary Slip Loan,د معاش لپ ټاپ
@@ -5078,15 +5141,15 @@
 DocType: Batch,Source Document Name,سرچینه د سند نوم
 DocType: Production Plan,Get Raw Materials For Production,د تولید لپاره خاموش توکي ترلاسه کړئ
 DocType: Job Opening,Job Title,د دندې سرلیک
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{1} اشاره کوي چې {1} به یو کوډ چمتو نکړي، مګر ټول توکي \ نقل شوي دي. د آر ایف پی د اقتباس حالت وضع کول
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ډیری نمونې - {1} د مخه د بچ لپاره {1} او Item {2} په بچ {3} کې ساتل شوي دي.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ډیری نمونې - {1} د مخه د بچ لپاره {1} او Item {2} په بچ {3} کې ساتل شوي دي.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,د بوم لګښت په اوتوماتیک ډول خپور کړئ
 DocType: Lab Test,Test Name,د ازموینې نوم
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,د کلینیکي کړنلارو د مصرف وړ توکي
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,کارنان جوړول
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ګرام
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,ګډونونه
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,ګډونونه
 DocType: Supplier Scorecard,Per Month,په میاشت کې
 DocType: Education Settings,Make Academic Term Mandatory,د اکادمیک اصطالح معرفي کړئ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,مقدار تولید باید په پرتله 0 ډيره وي.
@@ -5095,10 +5158,10 @@
 DocType: Stock Entry,Update Rate and Availability,تازه Rate او پیدايښت
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,سلنه تاسو اجازه لري چې د تر لاسه او یا د کمیت امر په وړاندې د زيات ورسوي. د مثال په توګه: که تاسو د 100 واحدونو ته امر وکړ. او ستاسو امتياز٪ 10 نو بيا تاسو ته اجازه لري چې 110 واحدونه ترلاسه ده.
 DocType: Loyalty Program,Customer Group,پيرودونکو ګروپ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Row # {0}: عملیات {1} د کار امر په {3} کې د {2} مقدار مقدار د توکو لپاره بشپړ ندی بشپړ شوی. مهرباني وکړئ د وخت لوګو له لارې د عملیاتو حالت تازه کړئ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Row # {0}: عملیات {1} د کار امر په {3} کې د {2} مقدار مقدار د توکو لپاره بشپړ ندی بشپړ شوی. مهرباني وکړئ د وخت لوګو له لارې د عملیاتو حالت تازه کړئ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),نوي دسته تذکرو (اختیاري)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),نوي دسته تذکرو (اختیاري)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},اخراجاتو حساب لپاره توکی الزامی دی {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},اخراجاتو حساب لپاره توکی الزامی دی {0}
 DocType: BOM,Website Description,وېب پاڼه Description
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,په مساوات خالص د بدلون
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,لطفا لغوه رانيول صورتحساب {0} په لومړي
@@ -5113,7 +5176,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,هيڅ د سمولو لپاره شتون لري.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,د فارم لید
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,د لګښت لګښتونه د لګښت ادعا کې اجباري
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,لنډيز لپاره د دې مياشتې او په تمه فعالیتونو
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,لنډيز لپاره د دې مياشتې او په تمه فعالیتونو
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},مهرباني وکړئ په شرکت کې د غیر رسمي تبادلې ګټې / ضایع حساب ترتیب کړئ {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",کاروونکي د خپل ځان پرته بل سازمان ته اضافه کړئ.
 DocType: Customer Group,Customer Group Name,پيرودونکو ډلې نوم
@@ -5123,14 +5186,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,د مادي غوښتنه نه جوړه شوې
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},د پور مقدار نه شي کولای د اعظمي پور مقدار زیات {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,منښتليک
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},لطفا لرې دې صورتحساب {0} څخه C-فورمه {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},لطفا لرې دې صورتحساب {0} څخه C-فورمه {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,مهرباني غوره مخ په وړاندې ترسره کړي که تاسو هم غواړي چې عبارت دي د تېر مالي کال د توازن د دې مالي کال ته روان شو
 DocType: GL Entry,Against Voucher Type,په وړاندې د ګټمنو ډول
 DocType: Healthcare Practitioner,Phone (R),تلیفون (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,د وخت وختونه شامل دي
 DocType: Item,Attributes,صفات
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,کينډۍ فعالول
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,لطفا حساب ولیکئ پړاو
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,لطفا حساب ولیکئ پړاو
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تېره نظم نېټه
 DocType: Salary Component,Is Payable,د پیسو وړ دی
 DocType: Inpatient Record,B Negative,B منفي
@@ -5141,7 +5204,7 @@
 DocType: Hotel Room,Hotel Room,د هوټل کوټه
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},ګڼون {0} کوي شرکت ته نه پورې {1}
 DocType: Leave Type,Rounding,ګرځي
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,په قطار {0} سریال شمیرې سره د سپارلو يادونه سره سمون نه خوري
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,په قطار {0} سریال شمیرې سره د سپارلو يادونه سره سمون نه خوري
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),بې ځایه شوي مقدار (پروتوکول شوی)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",بيا د قيمت اصول د پيرودونکي، پيرودونکي ګروپ، ساحه، عرضه کوونکي، د سپلوي ګروپ ګروپ، کمپاين، د پلور شريکونکي په اساس فلټر شوي دي.
 DocType: Student,Guardian Details,د ګارډین په بشپړه توګه کتل
@@ -5150,10 +5213,10 @@
 DocType: Vehicle,Chassis No,Chassis نه
 DocType: Payment Request,Initiated,پیل
 DocType: Production Plan Item,Planned Start Date,پلان د پیل نیټه
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,مهرباني وکړئ BOM غوره کړئ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,مهرباني وکړئ BOM غوره کړئ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,د آی ټي ټي انډول شوي مالیه ترلاسه کړه
 DocType: Purchase Order Item,Blanket Order Rate,د بالقوه امر اندازه
-apps/erpnext/erpnext/hooks.py +156,Certification,تصدیق
+apps/erpnext/erpnext/hooks.py +157,Certification,تصدیق
 DocType: Bank Guarantee,Clauses and Conditions,بندیزونه او شرایط
 DocType: Serial No,Creation Document Type,د خلقت د سند ډول
 DocType: Project Task,View Timesheet,ټايمز پاڼه وګورئ
@@ -5178,6 +5241,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,{0} د موروپلار د قالب باید یو دحمل د قالب نه وي
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,د ویب پاڼې لیست کول
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ټول محصولات او یا خدمتونه.
+DocType: Email Digest,Open Quotations,خلاصې کوټونه
 DocType: Expense Claim,More Details,نورولوله
 DocType: Supplier Quotation,Supplier Address,عرضه پته
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} لپاره د حساب د بودجې د {1} په وړاندې د {2} {3} دی {4}. دا به د زیات {5}
@@ -5192,12 +5256,11 @@
 DocType: Training Event,Exam,ازموينه
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,د بازار ځای تېروتنه
 DocType: Complaint,Complaint,شکایت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},ګدام لپاره سټاک د قالب اړتیا {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},ګدام لپاره سټاک د قالب اړتیا {0}
 DocType: Leave Allocation,Unused leaves,ناکارېدلې پاڼي
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,د بیرته راستنیدلو داخله واخلئ
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,ټولې څانګې
 DocType: Healthcare Service Unit,Vacant,خالی
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,عرضه کوونکي&gt; د عرضه کوونکي ډول
 DocType: Patient,Alcohol Past Use,الکولي پخوانی کارول
 DocType: Fertilizer Content,Fertilizer Content,د سرې وړ منځپانګه
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,CR
@@ -5205,7 +5268,7 @@
 DocType: Tax Rule,Billing State,د بیلونو د بهرنیو چارو
 DocType: Share Transfer,Transfer,د انتقال د
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,د کار امر {0} باید د دې خرڅلاو د سپارلو مخه ونیسي
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),چاودنه هیښ (فرعي شوراګانو په ګډون) د راوړلو
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),چاودنه هیښ (فرعي شوراګانو په ګډون) د راوړلو
 DocType: Authorization Rule,Applicable To (Employee),د تطبیق وړ د (کارکوونکی)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,له امله نېټه الزامی دی
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,د خاصې لپاره بهرمن {0} 0 نه شي
@@ -5221,7 +5284,7 @@
 DocType: Disease,Treatment Period,د درملنې موده
 DocType: Travel Itinerary,Travel Itinerary,د سفر تګلارې
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,پایلې لا دمخه وړاندې شوي
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,د خوندي خونې خونې د توکو د توکو په وړاندې د توکو {0} لپاره لازمي ده
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,د خوندي خونې خونې د توکو د توکو په وړاندې د توکو {0} لپاره لازمي ده
 ,Inactive Customers,ناچارنده پېرودونکي
 DocType: Student Admission Program,Maximum Age,لوړ عمر
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,مهرباني وکړئ د یادونې په ترڅ کې 3 ورځې مخکې انتظار وکړئ.
@@ -5230,7 +5293,6 @@
 DocType: Stock Entry,Delivery Note No,د سپارنې پرمهال يادونه نه
 DocType: Cheque Print Template,Message to show,پيغام تر څو وښيي
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,پرچون
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,د استوګنې انوائس په خپل ځان سره اداره کړئ
 DocType: Student Attendance,Absent,غیرحاضر
 DocType: Staffing Plan,Staffing Plan Detail,د کارکونکي پلان تفصیل
 DocType: Employee Promotion,Promotion Date,پرمختیا نیټه
@@ -5252,7 +5314,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,د کمکیانو لپاره د مشرتابه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,چاپ او قرطاسيه
 DocType: Stock Settings,Show Barcode Field,انکړپټه ښودل Barcode ساحوي
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,عرضه برېښناليک وليږئ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,عرضه برېښناليک وليږئ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",معاش لا د تر منځ د {0} او {1}، پريږدئ درخواست موده دې نېټې لړ تر منځ نه وي موده پروسس.
 DocType: Fiscal Year,Auto Created,اتوم جوړ شوی
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,د کارکونکي ریکارډ د جوړولو لپاره دا وسپاري
@@ -5261,7 +5323,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,رسید {0} نور شتون نلري
 DocType: Guardian Interest,Guardian Interest,د ګارډین په زړه پوري
 DocType: Volunteer,Availability,شتون
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,د پیسو د انوز لپاره د بیالبیلو ارزښتونو ترتیبول
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,د پیسو د انوز لپاره د بیالبیلو ارزښتونو ترتیبول
 apps/erpnext/erpnext/config/hr.py +248,Training,د روزنې
 DocType: Project,Time to send,د لیږلو وخت
 DocType: Timesheet,Employee Detail,د کارګر تفصیلي
@@ -5285,7 +5347,7 @@
 DocType: Training Event Employee,Optional,اختیاري
 DocType: Salary Slip,Earning & Deduction,وټې &amp; Deduction
 DocType: Agriculture Analysis Criteria,Water Analysis,د اوبو تحلیل
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} ډولونه جوړ شوي.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} ډولونه جوړ شوي.
 DocType: Amazon MWS Settings,Region,Region
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاري. دا امستنې به په بېلا بېلو معاملو چاڼ وکارول شي.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,منفي ارزښت Rate اجازه نه وي
@@ -5304,7 +5366,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,د پرزه د شتمنیو د لګښت
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} د {1}: لګښت لپاره مرکز د قالب الزامی دی {2}
 DocType: Vehicle,Policy No,د پالیسۍ نه
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,څخه د محصول د بنډل توکي ترلاسه کړئ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,څخه د محصول د بنډل توکي ترلاسه کړئ
 DocType: Asset,Straight Line,سیده کرښه
 DocType: Project User,Project User,د پروژې د کارن
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,وېشل شوى
@@ -5313,7 +5375,7 @@
 DocType: GL Entry,Is Advance,ده پرمختللی
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,د کارموندنې ژوندی
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,د حاضرۍ له تاريخ او د حاضرۍ ته د نېټه الزامی دی
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,لطفا &#39;د دې لپاره قرارداد&#39; په توګه هو یا نه
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,لطفا &#39;د دې لپاره قرارداد&#39; په توګه هو یا نه
 DocType: Item,Default Purchase Unit of Measure,د ماین پاکي د اصلي پیرود څانګه
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,تېر مخابراتو نېټه
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,تېر مخابراتو نېټه
@@ -5323,7 +5385,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,د ایل پی ایل لاسرسی یا دوتنې تایید کول
 DocType: Location,Latitude,عرضه
 DocType: Work Order,Scrap Warehouse,د اوسپنې ګدام
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",د رین نمبر په {0} کې ګودام ته اړتیا ده، مهرباني وکړئ د شرکت لپاره {1} د مودې لپاره د ڈیفالډ ګودام تعین کړئ {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",د رین نمبر په {0} کې ګودام ته اړتیا ده، مهرباني وکړئ د شرکت لپاره {1} د مودې لپاره د ڈیفالډ ګودام تعین کړئ {2}
 DocType: Work Order,Check if material transfer entry is not required,وګورئ که د موادو د ليږدونې د ننوتلو ته اړتيا نه ده
 DocType: Work Order,Check if material transfer entry is not required,وګورئ که د موادو د ليږدونې د ننوتلو ته اړتيا نه ده
 DocType: Program Enrollment Tool,Get Students From,زده کونکي له ترلاسه کړئ
@@ -5340,6 +5402,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,نوي دسته Qty
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,پوښاک تلسکوپی
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,نشي کولی د وزن شوي سکور فعالیتونه حل کړي. ډاډ ترلاسه کړئ چې فارمول اعتبار لري.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,د سپارلو امرونه چې په وخت کې نه دي ترلاسه شوي
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,د نظم شمېر
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / بنر چې به د محصول د لست په سر وښيي.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,شرایطو ته انتقال اندازه محاسبه ليکئ
@@ -5348,9 +5411,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,پټه
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,ته د پنډو لګښت مرکز بدلوي نشي کولای، ځکه دا د ماشوم غوټو لري
 DocType: Production Plan,Total Planned Qty,ټول پلان شوي مقدار
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,د پرانستلو په ارزښت
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,د پرانستلو په ارزښت
 DocType: Salary Component,Formula,فورمول
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,سریال #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,سریال #
 DocType: Lab Test Template,Lab Test Template,د لابراتوار ازموینه
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,د پلور حساب
 DocType: Purchase Invoice Item,Total Weight,ټول وزن
@@ -5368,7 +5431,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,د موادو غوښتنه د کمکیانو لپاره د
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},د پرانیستې شمیره {0}
 DocType: Asset Finance Book,Written Down Value,لیکل شوی ارزښت
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,مهرباني وکړئ د بشري منابعو&gt; بشري سیسټمونو کې د کارمندانو نومونې سیستم ترتیب کړئ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,خرڅلاو صورتحساب {0} بايد لغوه شي بندول د دې خرڅلاو نظم مخکې
 DocType: Clinical Procedure,Age,عمر
 DocType: Sales Invoice Timesheet,Billing Amount,د بیلونو په مقدار
@@ -5377,11 +5439,11 @@
 DocType: Company,Default Employee Advance Account,د اصلي کارمندانو پرمختیا حساب
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),د لټون توکي (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,سره د موجوده د راکړې ورکړې حساب نه ړنګ شي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,سره د موجوده د راکړې ورکړې حساب نه ړنګ شي
 DocType: Vehicle,Last Carbon Check,تېره کاربن Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,قانوني داخراجاتو
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,لطفا د قطار په کمیت وټاکي
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,د پرانستلو خرڅلاو او د پیرودونو انوایس جوړ کړئ
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,د پرانستلو خرڅلاو او د پیرودونو انوایس جوړ کړئ
 DocType: Purchase Invoice,Posting Time,نوکرې وخت
 DocType: Timesheet,% Amount Billed,٪ بیل د
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telephone داخراجاتو
@@ -5396,14 +5458,14 @@
 DocType: Maintenance Visit,Breakdown,د ماشین یا د ګاډي ناڅاپه خرابېدل
 DocType: Travel Itinerary,Vegetarian,سبزيجات
 DocType: Patient Encounter,Encounter Date,د نیونې نیټه
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,ګڼون: {0} سره اسعارو: {1} غوره نه شي
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,ګڼون: {0} سره اسعارو: {1} غوره نه شي
 DocType: Bank Statement Transaction Settings Item,Bank Data,د بانک ډاټا
 DocType: Purchase Receipt Item,Sample Quantity,نمونې مقدار
 DocType: Bank Guarantee,Name of Beneficiary,د ګټه اخیستونکي نوم
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",د BOM تازه معلومات د مهال ویش له لارې لګښت کوي، د قیمت د قیمت د نرخ / د نرخونو نرخ / د خامو موادو اخیستل شوي نرخ پر اساس.
 DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,آرډر نېټه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},ګڼون {0}: Parent حساب {1} نه پورې شرکت نه لري چې: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},ګڼون {0}: Parent حساب {1} نه پورې شرکت نه لري چې: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,په بریالیتوب سره د دې شرکت ته اړوند ټولو معاملو ړنګ!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,په توګه د تاريخ
 DocType: Additional Salary,HR,د بشري حقونو څانګه
@@ -5411,7 +5473,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,د ناروغۍ ایس ایم ایل خبرتیاوې
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,تعليقي
 DocType: Program Enrollment Tool,New Academic Year,د نوي تعليمي کال د
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,بیرته / اعتبار يادونه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,بیرته / اعتبار يادونه
 DocType: Stock Settings,Auto insert Price List rate if missing,کړکېو کې درج د بیې په لېست کچه که ورک
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,ټولې ورکړل شوې پیسې د
 DocType: GST Settings,B2C Limit,B2C محدودیت
@@ -5429,10 +5491,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,د ماشومانو د غوټو يوازې ډله &#39;ډول غوټو لاندې جوړ شي
 DocType: Attendance Request,Half Day Date,نيمه ورځ نېټه
 DocType: Academic Year,Academic Year Name,تعليمي کال د نوم
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{1} اجازه نه لري چې د {1} سره معامله وکړي. مهرباني وکړئ شرکت بدل کړئ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{1} اجازه نه لري چې د {1} سره معامله وکړي. مهرباني وکړئ شرکت بدل کړئ.
 DocType: Sales Partner,Contact Desc,تماس نزولی
 DocType: Email Digest,Send regular summary reports via Email.,منظم لنډیز راپورونه ليک له لارې واستوئ.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},لطفا په اخراجاتو ادعا ډول default ګڼون جوړ {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},لطفا په اخراجاتو ادعا ډول default ګڼون جوړ {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,شتون لري
 DocType: Assessment Result,Student Name,د زده کوونکو نوم
 DocType: Hub Tracked Item,Item Manager,د قالب مدير
@@ -5457,9 +5519,10 @@
 DocType: Subscription,Trial Period End Date,د ازموینې موده پای نیټه
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,نه authroized راهیسې {0} حدودو څخه تجاوز
 DocType: Serial No,Asset Status,د شتمنۍ حالت
+DocType: Delivery Note,Over Dimensional Cargo (ODC),د Dimensional کارګو څخه زیات (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,د رستورانت میز
 DocType: Hotel Room,Hotel Manager,د هوټل مدیر
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,د سودا کراچۍ جوړ د مالياتو د حاکمیت
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,د سودا کراچۍ جوړ د مالياتو د حاکمیت
 DocType: Purchase Invoice,Taxes and Charges Added,مالیه او په تور د ورزیاتولو
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,د استهالک صف {0}: د استملاک نیټه د لاسرسي لپاره د لاس رسی نیولو څخه وړاندې نشي
 ,Sales Funnel,خرڅلاو کیږدئ
@@ -5475,10 +5538,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,ټول پيرودونکو ډلې
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,جمع میاشتنی
 DocType: Attendance Request,On Duty,د دندې په اړه
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه د {1} د {2} جوړ.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه د {1} د {2} جوړ.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},د کارکونکي پلان {0} لا د مخه د نومونې لپاره {1} شتون لري.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,د مالياتو د کينډۍ الزامی دی.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,ګڼون {0}: Parent حساب {1} نه شته
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,ګڼون {0}: Parent حساب {1} نه شته
 DocType: POS Closing Voucher,Period Start Date,د پیل نیټه
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),د بیې په لېست کچه (د شرکت د اسعارو)
 DocType: Products Settings,Products Settings,محصوالت امستنې
@@ -5498,7 +5561,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,دا عمل به راتلونکې راتلونکی بندول ودروي. ایا ته باوري یې چې دا ګډون رد کړې؟
 DocType: Serial No,Distinct unit of an Item,د يو قالب توپیر واحد
 DocType: Supplier Scorecard Criteria,Criteria Name,معیارونه نوم
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,لطفا جوړ شرکت
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,لطفا جوړ شرکت
 DocType: Procedure Prescription,Procedure Created,کړنلاره جوړه شوه
 DocType: Pricing Rule,Buying,د خريداري
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,ناروغي او سرې
@@ -5515,43 +5578,44 @@
 DocType: Employee Onboarding,Job Offer,دندې وړانديز
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,انستیتوت Abbreviation
 ,Item-wise Price List Rate,د قالب-هوښيار بیې په لېست کې و ارزوئ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,عرضه کوونکي د داوطلبۍ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,عرضه کوونکي د داوطلبۍ
 DocType: Quotation,In Words will be visible once you save the Quotation.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د داوطلبۍ وژغوري.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) نه په قطار یوه برخه وي {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) نه په قطار یوه برخه وي {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) نه په قطار یوه برخه وي {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) نه په قطار یوه برخه وي {1}
 DocType: Contract,Unsigned,ناباوره شوی
 DocType: Selling Settings,Each Transaction,هر انتقال
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} د مخه په قالب کارول {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} د مخه په قالب کارول {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,د زياته کړه لېږد لګښتونه اصول.
 DocType: Hotel Room,Extra Bed Capacity,د بستر اضافي ظرفیت
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,تشریح
 DocType: Item,Opening Stock,پرانيستل دحمل
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,پيرودونکو ته اړتيا ده
 DocType: Lab Test,Result Date,د پایلو نیټه
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC نیټه
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC نیټه
 DocType: Purchase Order,To Receive,تر لاسه
 DocType: Leave Period,Holiday List for Optional Leave,د اختیاري لیږد لپاره د رخصتي لیست
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,د شتمنی مالک
 DocType: Purchase Invoice,Reason For Putting On Hold,د نیولو په موخه دلیل
 DocType: Employee,Personal Email,د شخصي ليک
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Total توپیر
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Total توپیر
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",که چېرې توانول شوی، دا سيستم به د محاسبې زياتونې لپاره د انبار په اتوماتيک ډول وروسته.
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,صرافي
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,د {0} کارمند په ګډون لا د مخه د دې ورځې لپاره په نښه
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,د {0} کارمند په ګډون لا د مخه د دې ورځې لپاره په نښه
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",په دقيقه يي روز &#39;د وخت څېره&#39; له لارې
 DocType: Customer,From Lead,له کوونکۍ
 DocType: Amazon MWS Settings,Synch Orders,د مرکب امرونه
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,امر د تولید لپاره د خوشې شول.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,مالي کال لپاره وټاکه ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS د پېژندنې اړتيا ته POS انفاذ لپاره
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS د پېژندنې اړتيا ته POS انفاذ لپاره
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",د وفادارۍ ټکي به د مصرف شوي (د پلور انو له لارې) حساب شي، د راغونډولو فکتور په اساس به ذکر شي.
 DocType: Program Enrollment Tool,Enroll Students,زده کوونکي شامل کړي
 DocType: Company,HRA Settings,د HRA ترتیبات
 DocType: Employee Transfer,Transfer Date,د لېږد نیټه
 DocType: Lab Test,Approved Date,منظور شوی نیټه
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,معياري پلورل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,تيروخت يو ګودام الزامی دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,تيروخت يو ګودام الزامی دی
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.",د توکي ساحه لکه UOM، د ګروپ ګروپ، توضیحي او د ساعتونو شمیره ترتیب کړئ.
 DocType: Certification Application,Certification Status,د تصدیق حالت
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,بازار موندنه
@@ -5571,6 +5635,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,د مباحثې انوګانې
 DocType: Work Order,Required Items,د اړتیا توکي
 DocType: Stock Ledger Entry,Stock Value Difference,دحمل ارزښت بدلون
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,د توکو صف {0}: {1} {2} د پورته &#39;{1}&#39; په جدول کې شتون نلري
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,د بشري منابعو
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,قطعا د پخلاينې د پیسو
 DocType: Disease,Treatment Task,د درملنې ټیم
@@ -5587,7 +5652,8 @@
 DocType: Account,Debit,ډیبیټ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,پاڼي باید د 0.5 ګونی ځانګړي شي
 DocType: Work Order,Operation Cost,د عملياتو لګښت
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,بيالنس نننیو
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,د تصمیم نیولو پیژندل
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,بيالنس نننیو
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ټولګې اهدافو د قالب ګروپ-هوښيار د دې خرڅلاو شخص.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],د يخبندان په ډیپو کې د زړو څخه [ورځې]
 DocType: Payment Request,Payment Ordered,تادیه شوی حکم
@@ -5599,14 +5665,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,اجازه لاندې کاروونکو لپاره د بنديز ورځو اجازه غوښتنلیکونه تصویب کړي.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,دژوند دوران
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM جوړه کړئ
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},د پلورلو لپاره د توکی کچه {0} کمه ده چې د خپلو {1}. خرڅول کچه باید تيروخت {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},د پلورلو لپاره د توکی کچه {0} کمه ده چې د خپلو {1}. خرڅول کچه باید تيروخت {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},د پلورلو لپاره د توکی کچه {0} کمه ده چې د خپلو {1}. خرڅول کچه باید تيروخت {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},د پلورلو لپاره د توکی کچه {0} کمه ده چې د خپلو {1}. خرڅول کچه باید تيروخت {2}
 DocType: Subscription,Taxes,مالیات
 DocType: Purchase Invoice,capital goods,سرمایه توکي
 DocType: Purchase Invoice Item,Weight Per Unit,د فی واحد وزن
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,ورکړل او نه تحویلوونکی
-DocType: Project,Default Cost Center,Default لګښت مرکز
-DocType: Delivery Note,Transporter Doc No,د ترانسپورت ډاټا
+DocType: QuickBooks Migrator,Default Cost Center,Default لګښت مرکز
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,دحمل معاملې
 DocType: Budget,Budget Accounts,د بودجې د حسابونه
 DocType: Employee,Internal Work History,کورني کار تاریخ
@@ -5639,7 +5704,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},د روغتیا پاملرنې پریکړه کوونکی په {0}
 DocType: Stock Entry Detail,Additional Cost,اضافي لګښت
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",نه ګټمنو نه پر بنسټ کولای شي Filter، که ګروپ له خوا د ګټمنو
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,عرضه د داوطلبۍ د کمکیانو لپاره
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,عرضه د داوطلبۍ د کمکیانو لپاره
 DocType: Quality Inspection,Incoming,راتلونکي
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,د پلور او اخیستلو لپاره د اصلي مالیې ټیکنالوژي جوړېږي.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,د ارزونې پایلې ریکارډ {0} لا د مخه وجود لري.
@@ -5655,7 +5720,7 @@
 DocType: Batch,Batch ID,دسته ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},یادونه: {0}
 ,Delivery Note Trends,د سپارنې پرمهال يادونه رجحانات
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,دا اونۍ د لنډيز
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,دا اونۍ د لنډيز
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,په سټاک Qty
 ,Daily Work Summary Replies,د ورځني کار لنډیز ځوابونه
 DocType: Delivery Trip,Calculate Estimated Arrival Times,اټکل شوي را رسید ټایمز محاسبه کړئ
@@ -5665,7 +5730,7 @@
 DocType: Bank Account,Party,ګوند
 DocType: Healthcare Settings,Patient Name,د ناروغ نوم
 DocType: Variant Field,Variant Field,مختلف میدان
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,د نښه کولو هدف
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,د نښه کولو هدف
 DocType: Sales Order,Delivery Date,د سپارنې نېټه
 DocType: Opportunity,Opportunity Date,فرصت نېټه
 DocType: Employee,Health Insurance Provider,د روغتیا بیمه برابره
@@ -5684,7 +5749,7 @@
 DocType: Employee,History In Company,تاریخ په شرکت
 DocType: Customer,Customer Primary Address,پيرودونکي ابتدايي پته
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرپا
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,د حوالې نمبر
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,د حوالې نمبر
 DocType: Drug Prescription,Description/Strength,تفصیل / ځواک
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,د نوی تادیې / ژورنال ننوت جوړول
 DocType: Certification Application,Certification Application,د تصدیق غوښتنلیک
@@ -5695,10 +5760,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,ورته توکی دی څو ځله داخل شوي دي
 DocType: Department,Leave Block List,پريږدئ بالک بشپړفهرست
 DocType: Purchase Invoice,Tax ID,د مالياتو د تذکرو
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. کالم بايد خالي وي
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. کالم بايد خالي وي
 DocType: Accounts Settings,Accounts Settings,جوړوي امستنې
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,منظور کړل
 DocType: Loyalty Program,Customer Territory,پیرودونکي ساحه
+DocType: Email Digest,Sales Orders to Deliver,د پلورلو امرونه وړاندې کول
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",د نوي حساب شمېره، دا به د حساب په نوم کې د مخفف په توګه وکارول شي
 DocType: Maintenance Team Member,Team Member,د ډلې غړی
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,د سپارلو لپاره هیڅ نتیجه نشته
@@ -5708,7 +5774,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",Total {0} لپاره ټول توکي صفر دی، کېدی شي چې تاسو باید بدلون &#39;په تور ویشي پر بنسټ&#39;
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,تر اوسه پورې کیدی شي د نیټې څخه لږ نه وي
 DocType: Opportunity,To Discuss,د خبرو اترو
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,دا د دې ګډون کونکي په وړاندې د راکړې ورکړې پر بنسټ والړ دی. د جزیاتو لپاره لاندې مهال ویش وګورئ
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} د واحدونو {1} د {2} د دې معاملې د بشپړولو لپاره اړتيا لري.
 DocType: Loan Type,Rate of Interest (%) Yearly,د ګټې کچه)٪ (کلنی
 DocType: Support Settings,Forum URL,د فورم فورمه
@@ -5722,7 +5787,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,نور زده کړئ
 DocType: Cheque Print Template,Distance from top edge,له پورتنی څنډې فاصله
 DocType: POS Closing Voucher Invoices,Quantity of Items,د توکو مقدار
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,د بیې په لېست {0} معلول دی او یا موجود ندی
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,د بیې په لېست {0} معلول دی او یا موجود ندی
 DocType: Purchase Invoice,Return,بیرته راتګ
 DocType: Pricing Rule,Disable,نافعال
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,د پیسو اکر ته اړتيا ده چې د پیسو لپاره
@@ -5730,18 +5795,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.",په نورو مخونو کې د نورو انتخابونو لکه شتمنۍ، سیریل نکس، بسته او نور لپاره سم کړئ.
 DocType: Leave Type,Maximum Continuous Days Applicable,د تطبیق وړ خورا اوږدمهالې ورځې
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} په دسته کې د ده شامل نه {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",د شتمنیو د {0} نه پرزه شي، لکه څنګه چې د مخه د {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",د شتمنیو د {0} نه پرزه شي، لکه څنګه چې د مخه د {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,اړتیاوې
 DocType: Task,Total Expense Claim (via Expense Claim),Total اخراجاتو ادعا (اخراجاتو ادعا له لارې)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,مارک حاضر
 DocType: Job Applicant Source,Job Applicant Source,د کار غوښتونکي غوښتونکي
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,د IGST مقدار
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,د IGST مقدار
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,د شرکت جوړولو لپاره ناکام شو
 DocType: Asset Repair,Asset Repair,د شتمنیو ترمیم
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},د کتارونو تر {0}: د هیښ # د اسعارو د {1} بايد مساوي د ټاکل اسعارو وي {2}
 DocType: Journal Entry Account,Exchange Rate,د بدلولو نرخ
 DocType: Patient,Additional information regarding the patient,د ناروغ په اړه اضافي معلومات
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,خرڅلاو نظم {0} نه سپارل
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,خرڅلاو نظم {0} نه سپارل
 DocType: Homepage,Tag Line,Tag کرښې
 DocType: Fee Component,Fee Component,فیس برخه
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,د بیړیو د مدیریت
@@ -5756,7 +5821,7 @@
 DocType: Healthcare Practitioner,Mobile,ګرځنده
 ,Sales Person-wise Transaction Summary,خرڅلاو شخص-هوښيار معامالتو لنډيز
 DocType: Training Event,Contact Number,د اړیکې شمیره
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,ګدام {0} نه شته
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,ګدام {0} نه شته
 DocType: Cashier Closing,Custody,تاوان
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,د کارمندانو د مالیې معافیت ثبوت وړاندې کول
 DocType: Monthly Distribution,Monthly Distribution Percentages,میاشتنی ویش فيصدۍ
@@ -5771,7 +5836,7 @@
 DocType: Payment Entry,Paid Amount,ورکړل مقدار
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,د پلور سایټ وپلټئ
 DocType: Assessment Plan,Supervisor,څارونکي
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,د ساتلو ذخیره کول
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,د ساتلو ذخیره کول
 ,Available Stock for Packing Items,د ت توکي موجود دحمل
 DocType: Item Variant,Item Variant,د قالب variant
 ,Work Order Stock Report,د کار آرډ اسٹاک راپور
@@ -5780,9 +5845,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,د څارونکي په توګه
 DocType: Leave Policy Detail,Leave Policy Detail,د پالیسي تفصیل پریږدئ
 DocType: BOM Scrap Item,BOM Scrap Item,هیښ Scrap د قالب
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,ته وسپارل امر نه ړنګ شي
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ګڼون بیلانس د مخه په ګزارې، تاسو ته د ټاکل &#39;بیلانس باید&#39; په توګه اعتبار &#39;اجازه نه
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,د کیفیت د مدیریت
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,ته وسپارل امر نه ړنګ شي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ګڼون بیلانس د مخه په ګزارې، تاسو ته د ټاکل &#39;بیلانس باید&#39; په توګه اعتبار &#39;اجازه نه
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,د کیفیت د مدیریت
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,{0} د قالب نافعال شوی دی
 DocType: Project,Total Billable Amount (via Timesheets),د ټول وړ وړ مقدار (د ټایټ شیټونو له لارې)
 DocType: Agriculture Task,Previous Business Day,مخکینی کاروباری ورځ
@@ -5805,15 +5870,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,لګښت د مرکزونو
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,د ګډون بیا پیلول
 DocType: Linked Plant Analysis,Linked Plant Analysis,تړل شوي پلان شننه
-DocType: Delivery Note,Transporter ID,د ټرانسپورټ ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,د ټرانسپورټ ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,د ارزښت وړاندیز
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,چې د عرضه کوونکي د پيسو کچه چې د شرکت د اډې اسعارو بدل
-DocType: Sales Invoice Item,Service End Date,د خدمت پای نیټه
+DocType: Purchase Invoice Item,Service End Date,د خدمت پای نیټه
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},د کتارونو تر # {0}: د قطار تیارولو شخړو د {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازه صفر ارزښت Rate
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازه صفر ارزښت Rate
 DocType: Bank Guarantee,Receiving,ترلاسه کول
 DocType: Training Event Employee,Invited,بلنه
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup ليدونکی حسابونو.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup ليدونکی حسابونو.
 DocType: Employee,Employment Type,وظيفي نوع
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,ثابته شتمني
 DocType: Payment Entry,Set Exchange Gain / Loss,د ټاکلو په موخه د بدل لازمې / له لاسه ورکول
@@ -5829,7 +5895,7 @@
 DocType: Tax Rule,Sales Tax Template,خرڅلاو د مالياتو د کينډۍ
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,د ګټو د ادعا ادعا کول
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,د تازه لګښت لګښت مرکز شمیره
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ
 DocType: Employee,Encashment Date,د ورکړې نېټه
 DocType: Training Event,Internet,د انټرنېټ
 DocType: Special Test Template,Special Test Template,د ځانګړې ځانګړې ټکي
@@ -5837,13 +5903,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Default فعالیت لګښت لپاره د فعالیت ډول شتون لري - {0}
 DocType: Work Order,Planned Operating Cost,پلان عملياتي لګښت
 DocType: Academic Term,Term Start Date,اصطلاح د پیل نیټه
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,د ټولو ونډې لیږد لیست
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,د ټولو ونډې لیږد لیست
+DocType: Supplier,Is Transporter,آیا د ترانسپورت
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,که چیری تادیه نښه شوی وی د پیرود څخه د پلور انوائس وارد کړئ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,د کارموندنۍ شمېرنې
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,د کارموندنۍ شمېرنې
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,د آزموینې دواړه د پیل نیټه د پیل نیټه او د آزموینې دورې پای نیټه باید وټاکل شي
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,اوسط کچه
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,د تادیاتو مهال ویش کې د مجموعي تادیاتو اندازه باید د ګردي / ګردي ګرد مجموعي سره مساوي وي
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,د تادیاتو مهال ویش کې د مجموعي تادیاتو اندازه باید د ګردي / ګردي ګرد مجموعي سره مساوي وي
 DocType: Subscription Plan Detail,Plan,پلان
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,بانک اعلامیه سلنه له بلونو په توګه انډول
 DocType: Job Applicant,Applicant Name,متقاضي نوم
@@ -5870,7 +5937,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,موجود Qty په سرچینه ګدام
 apps/erpnext/erpnext/config/support.py +22,Warranty,ګرنټی
 DocType: Purchase Invoice,Debit Note Issued,ډیبیټ يادونه خپور شوی
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,د لګښت مرکز پر بنسټ فلټر یوازې یوازې د تطبیق وړ دی که چیرې د بودیجې پر وړاندې د انتخاباتو مرکز په توګه وټاکل شي
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,د لګښت مرکز پر بنسټ فلټر یوازې یوازې د تطبیق وړ دی که چیرې د بودیجې پر وړاندې د انتخاباتو مرکز په توګه وټاکل شي
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",د شفر کود، سیریل نمبر، بچ ن یا بارکوډ په لټه کې لټون
 DocType: Work Order,Warehouses,Warehouses
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} د شتمنیو نه انتقال شي
@@ -5881,9 +5948,9 @@
 DocType: Workstation,per hour,په يوه ګړۍ کې
 DocType: Blanket Order,Purchasing,د خريدارۍ د
 DocType: Announcement,Announcement,اعلانونه
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,پیرودونکي LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,پیرودونکي LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",د دسته پر بنسټ د زده کوونکو د ډلې، د زده کوونکو د سته به د پروګرام څخه د هر زده کوونکو اعتبار ورکړ شي.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ګدام په توګه د دې ګودام سټاک د پنډو ننوتلو شتون نه ړنګ شي.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ګدام په توګه د دې ګودام سټاک د پنډو ننوتلو شتون نه ړنګ شي.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,ویش
 DocType: Journal Entry Account,Loan,پور
 DocType: Expense Claim Advance,Expense Claim Advance,د ادعا ادعا غوښتنه
@@ -5892,7 +5959,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,پروژې سمبالګر
 ,Quoted Item Comparison,له خولې د قالب پرتله
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},په {0} او {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,چلاونه د
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,چلاونه د
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max تخفیف لپاره توکی اجازه: {0} دی {1}٪
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,خالص د شتمنیو ارزښت په توګه د
 DocType: Crop,Produce,توليدول، جوړول
@@ -5902,20 +5969,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,د تولید لپاره د توکو مصرف
 DocType: Item Alternative,Alternative Item Code,د بدیل توکي
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,رول چې اجازه راکړه ورکړه چې د پور د حدودو ټاکل تجاوز ته وړاندې کړي.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,وړانديزونه وټاکئ جوړون
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,وړانديزونه وټاکئ جوړون
 DocType: Delivery Stop,Delivery Stop,د سپارلو بند
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي
 DocType: Item,Material Issue,مادي Issue
 DocType: Employee Education,Qualification,وړتوب
 DocType: Item Price,Item Price,د قالب بیه
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Soap &amp; پاکونکو
 DocType: BOM,Show Items,خپرونه توکی
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,له وخت نه شي کولای د وخت څخه ډيره وي.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,ایا تاسو غواړئ ټول پیرودونکي د بریښنالیک له لارې خبر کړئ؟
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,ایا تاسو غواړئ ټول پیرودونکي د بریښنالیک له لارې خبر کړئ؟
 DocType: Subscription Plan,Billing Interval,د بل کولو منځګړیتوب
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,حرکت انځوريز &amp; ویډیو
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,امر وکړ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,د پیل نیټه او د پای نیټه نیټه اړینه ده
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,پېرودونکي&gt; پیرودونکي ګروپ&gt; ساحه
 DocType: Salary Detail,Component,برخه
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,صف {0}: {1} باید د 0 څخه ډیر وي
 DocType: Assessment Criteria,Assessment Criteria Group,د ارزونې معیارونه ګروپ
@@ -5945,11 +6013,10 @@
 DocType: Purchase Invoice,In Words,په وييکي
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,د تسلیم کولو دمخه د بانک یا پور ورکونکي سازمان نوم درج کړئ.
 DocType: POS Profile,Item Groups,د قالب ډلې
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,نن د {0} د زوکړې ورځ!
 DocType: Sales Order Item,For Production,د تولید
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,توازن په حساب کې حساب
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,مهرباني وکړئ د حسابونو په چارټ کې د عارضي پرانیستلو حساب اضافه کړئ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,مهرباني وکړئ د حسابونو په چارټ کې د عارضي پرانیستلو حساب اضافه کړئ
 DocType: Customer,Customer Primary Contact,پیرودونکي لومړني اړیکه
 DocType: Project Task,View Task,محتویات کاري
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,د کارموندنۍ / مشري٪
@@ -5963,11 +6030,11 @@
 DocType: Sales Invoice,Get Advances Received,ترلاسه کړئ پرمختګونه تر لاسه کړي
 DocType: Email Digest,Add/Remove Recipients,Add / اخیستونکو کړئ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",د دې مالي کال په توګه (Default) جوړ، په &#39;د ټاکلو په توګه Default&#39; کیکاږۍ
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,د TDS کم شوي مقدار
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,د TDS کم شوي مقدار
 DocType: Production Plan,Include Subcontracted Items,فرعي قرارداد شوي توکي شامل کړئ
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,سره یو ځای شول
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,په کمښت کې Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,سره یو ځای شول
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,په کمښت کې Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون
 DocType: Loan,Repay from Salary,له معاش ورکول
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},د غوښتنې په وړاندې د پیسو {0} د {1} لپاره د اندازه {2}
 DocType: Additional Salary,Salary Slip,معاش ټوټه
@@ -5983,7 +6050,7 @@
 DocType: Patient,Dormant,د استراحت په
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,د غیر اعلان شوي کارمندانو ګټو لپاره د محصول مالیه
 DocType: Salary Slip,Total Interest Amount,د ګټو مجموعه
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو ګودامونه بدل نه شي چې د پنډو
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو ګودامونه بدل نه شي چې د پنډو
 DocType: BOM,Manage cost of operations,اداره د عملیاتو لګښت
 DocType: Accounts Settings,Stale Days,ستوري ورځ
 DocType: Travel Itinerary,Arrival Datetime,د رسیدو نېټه
@@ -5995,7 +6062,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,د ارزونې د پایلو د تفصیلي
 DocType: Employee Education,Employee Education,د کارګر ښوونه
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,دوه ګونو توکی ډلې په توکی ډلې جدول کې وموندل
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,دا ته اړتيا ده، د قالب نورولوله راوړي.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,دا ته اړتيا ده، د قالب نورولوله راوړي.
 DocType: Fertilizer,Fertilizer Name,د سرې نوم
 DocType: Salary Slip,Net Pay,خالص د معاشونو
 DocType: Cash Flow Mapping Accounts,Account,ګڼون
@@ -6006,14 +6073,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,د ګټو د ادعا په وړاندې د مختلفو پیسو داخلیدل
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),د تبه شتون (temp&gt; 38.5 ° C / 101.3 ° F یا دوام لرونکی طنز&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,خرڅلاو ټيم په بشپړه توګه کتل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,د تل لپاره ړنګ کړئ؟
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,د تل لپاره ړنګ کړئ؟
 DocType: Expense Claim,Total Claimed Amount,Total ادعا مقدار
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,د پلورلو د بالقوه فرصتونو.
 DocType: Shareholder,Folio no.,فولولو نه.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},باطلې {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,ناروغ ته لاړل
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,نه
 DocType: Delivery Note,Billing Address Name,د بیلونو په پته نوم
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,مغازو
 ,Item Delivery Date,د توکي سپارلو نیټه
@@ -6029,16 +6095,16 @@
 DocType: Account,Chargeable,Chargeable
 DocType: Company,Change Abbreviation,د بدلون Abbreviation
 DocType: Contract,Fulfilment Details,د بشپړتیا تفصیلات
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},پیسې {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},پیسې {0} {1}
 DocType: Employee Onboarding,Activities,فعالیتونه
 DocType: Expense Claim Detail,Expense Date,اخراجاتو نېټه
 DocType: Item,No of Months,د میاشتې نه
 DocType: Item,Max Discount (%),Max کمښت)٪ (
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,کریډیټ ورځ نشي کولی منفي شمیره وي
-DocType: Sales Invoice Item,Service Stop Date,د خدمت بندیز تاریخ
+DocType: Purchase Invoice Item,Service Stop Date,د خدمت بندیز تاریخ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,تېره نظم مقدار
 DocType: Cash Flow Mapper,e.g Adjustments for:,د مثال په توګه:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} نمونه ساتل د بستې پر بنسټ دي، مهرباني وکړئ د ترلاسه کولو نمونه وګورئ د بستې بسته نه وګورئ
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} نمونه ساتل د بستې پر بنسټ دي، مهرباني وکړئ د ترلاسه کولو نمونه وګورئ د بستې بسته نه وګورئ
 DocType: Task,Is Milestone,آیا د معیار
 DocType: Certification Application,Yet to appear,خو بیا هم لیدل کیږي
 DocType: Delivery Stop,Email Sent To,د برېښناليک لېږلو
@@ -6046,15 +6112,15 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,د بیلانس شیٹ حساب کې د لګښت مرکز ته اجازه ورکړئ
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,د موجوده حساب سره ضمیمه کړئ
 DocType: Budget,Warn,خبرداری
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,ټول توکي د مخه د دې کار امر لپاره لیږدول شوي دي.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,ټول توکي د مخه د دې کار امر لپاره لیږدول شوي دي.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",کوم بل څرګندونې، د یادولو وړ هڅې چې بايد په اسنادو ته ولاړ شي.
 DocType: Asset Maintenance,Manufacturing User,دفابريکي کارن
 DocType: Purchase Invoice,Raw Materials Supplied,خام مواد
 DocType: Subscription Plan,Payment Plan,د تادیاتو پلان
 DocType: Shopping Cart Settings,Enable purchase of items via the website,د ویب پاڼې له لارې د توکو اخیستل فعال کړئ
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,د ګډون مدیریت
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,د ګډون مدیریت
 DocType: Appraisal,Appraisal Template,ارزونې کينډۍ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,د پنډ کود لپاره
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,د پنډ کود لپاره
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,د دې لپاره وګورئ چې د ټاکل شوي ورځنۍ همغږي کولو ورځنۍ مهال ویش د شیډولر له لارې فعال کړئ
 DocType: Item Group,Item Classification,د قالب طبقه
@@ -6064,6 +6130,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,د رسیدګۍ ناروغۍ راجستر
 DocType: Crop,Period,د دورې
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,له بلونو
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,مالي کال ته
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,محتویات ياه
 DocType: Program Enrollment Tool,New Program,د نوي پروګرام
 DocType: Item Attribute Value,Attribute Value,منسوب ارزښت
@@ -6072,10 +6139,10 @@
 ,Itemwise Recommended Reorder Level,نورتسهیالت وړانديز شوي ترمیمي د ليول
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,کارمند {0} د {1} د ډایفورډ اجازه نه لري تګلاره لري
 DocType: Salary Detail,Salary Detail,معاش تفصیلي
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,مهرباني غوره {0} په لومړي
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,مهرباني غوره {0} په لومړي
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",د څو اړخیز پروګرام په صورت کې، پیرودونکي به د خپل مصرف په اساس اړوند ټیټ ته ګمارل کیږي
 DocType: Appointment Type,Physician,ډاکټر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,دسته {0} د قالب {1} تېر شوی دی.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,دسته {0} د قالب {1} تېر شوی دی.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,مشورې
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,بشپړ شوی
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",د توکو قیمت د ډیزاین لیست، پیرودونکی / پیرودونکی، پیسو، توکي، UOM، مقدار او تاریخونو پراساس ګڼل کیږي.
@@ -6083,22 +6150,21 @@
 DocType: Certification Application,Name of Applicant,د غوښتونکي نوم
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,د تولید د وخت پاڼه.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,پاسنۍ
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,د سود لیږد وروسته مختلف توپیرونه نشي راوولی. تاسو باید دا کار کولو لپاره نوي توکي جوړ کړئ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,د سود لیږد وروسته مختلف توپیرونه نشي راوولی. تاسو باید دا کار کولو لپاره نوي توکي جوړ کړئ.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,د ګیرډless SEPA منډول
 DocType: Healthcare Practitioner,Charges,لګښتونه
 DocType: Production Plan,Get Items For Work Order,د کار امر لپاره توکي ترلاسه کړئ
 DocType: Salary Detail,Default Amount,default مقدار
 DocType: Lab Test Template,Descriptive,تشریحات
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,ګدام په سيستم کې ونه موندل شو
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,دا مياشت د لنډيز
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,دا مياشت د لنډيز
 DocType: Quality Inspection Reading,Quality Inspection Reading,د کیفیت د تفتیش د لوستلو
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`د يخبندان په ډیپو کې د زړو Than` بايد٪ d ورځو په پرتله کوچنی وي.
 DocType: Tax Rule,Purchase Tax Template,پیري د مالياتو د کينډۍ
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,د پلور موخې وټاکئ چې تاسو غواړئ د خپل شرکت لپاره ترلاسه کړئ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,روغتیایی خدمتونه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,روغتیایی خدمتونه
 ,Project wise Stock Tracking,د پروژې هوښيار دحمل څارلو
 DocType: GST HSN Code,Regional,سیمه
-DocType: Delivery Note,Transport Mode,د ټرانسپورت موډل
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,لابراتوار
 DocType: UOM Category,UOM Category,د UOM کټګوري
 DocType: Clinical Procedure Item,Actual Qty (at source/target),واقعي Qty (په سرچينه / هدف)
@@ -6121,17 +6187,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,د وېب پاڼه جوړولو کې پاتې راغله
 DocType: Soil Analysis,Mg/K,MG / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM اړونه تفصیلي
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,د ساتلو د ذخیره ننوتنې مخکې له مخکې رامینځته شوې یا نمونې مقدار ندی برابر شوی
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,د ساتلو د ذخیره ننوتنې مخکې له مخکې رامینځته شوې یا نمونې مقدار ندی برابر شوی
 DocType: Program,Program Abbreviation,پروګرام Abbreviation
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,يو قالب کينډۍ پر وړاندې د تولید نظم نه راپورته شي
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,په تور د هري برخي په وړاندې په رانيول رسيد تازه دي
 DocType: Warranty Claim,Resolved By,حل د
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,د ویجاړ مهال ویش
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques او سپما په ناسم ډول پاکه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,ګڼون {0}: تاسو نه شي کولاي ځان د مور او پلار په پام کې وګماری
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,ګڼون {0}: تاسو نه شي کولاي ځان د مور او پلار په پام کې وګماری
 DocType: Purchase Invoice Item,Price List Rate,د بیې په لېست Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,د پېرېدونکو يادي جوړول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,د خدماتو بند بند تاریخ د پای نیټې نه وروسته نشي
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,د خدماتو بند بند تاریخ د پای نیټې نه وروسته نشي
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",وښیه &quot;په سټاک&quot; يا &quot;نه په سټاک&quot; پر بنسټ د ونډې په دې ګودام لپاره چمتو کېږي.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),د توکو Bill (هیښ)
 DocType: Item,Average time taken by the supplier to deliver,د وخت اوسط د عرضه کوونکي له خوا اخيستل ته ورسوي
@@ -6143,11 +6209,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ساعتونه
 DocType: Project,Expected Start Date,د تمی د پیل نیټه
 DocType: Purchase Invoice,04-Correction in Invoice,04-په انوائس کې اصلاح
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,د کار امر مخکې له دې د BOM سره د ټولو شیانو لپاره جوړ شو
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,د کار امر مخکې له دې د BOM سره د ټولو شیانو لپاره جوړ شو
 DocType: Payment Request,Party Details,د ګوند تفصيلات
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,د توپیر تفصیلات
 DocType: Setup Progress Action,Setup Progress Action,د پرمختګ پرمختګ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,د نرخ لیست
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,د نرخ لیست
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,توکی لرې که په تور د تطبیق وړ نه دی چې توکی
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,ګډون تایید کړئ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,مهرباني وکړئ د بشپړولو په حال کې د ساتنې وضعیت غوره کړئ یا د ختم نیټه نیټه
@@ -6165,7 +6231,7 @@
 DocType: Asset,Disposal Date,برطرف نېټه
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",برېښناليک به د ورکړل ساعت چې د شرکت د ټولو فعاله کارمندان واستول شي، که رخصتي نه لرو. د ځوابونو لنډیز به په نيمه شپه ته واستول شي.
 DocType: Employee Leave Approver,Employee Leave Approver,د کارګر اجازه Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},د کتارونو تر {0}: د نورو ترمیمي د ننوتلو مخکې د دې ګودام شتون {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},د کتارونو تر {0}: د نورو ترمیمي د ننوتلو مخکې د دې ګودام شتون {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",په توګه له لاسه نه اعلان کولای، ځکه د داوطلبۍ شوی دی.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP ګڼون
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,د زده کړې Feedback
@@ -6177,7 +6243,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تر اوسه پورې ونه شي کولای له نېټې څخه مخکې وي
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,برخه فوټر
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Add / سمول نرخونه
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Add / سمول نرخونه
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,د کارموندنې وده نشي کولی د پرمختیا نیټې وړاندې وړاندې شي
 DocType: Batch,Parent Batch,د موروپلار دسته
 DocType: Batch,Parent Batch,د موروپلار دسته
@@ -6188,6 +6254,7 @@
 DocType: Clinical Procedure Template,Sample Collection,نمونه راغونډول
 ,Requested Items To Be Ordered,غوښتل توکي چې د سپارښتنې شي
 DocType: Price List,Price List Name,د بیې په لېست نوم
+DocType: Delivery Stop,Dispatch Information,د خبرتیاوو خبرتیا
 DocType: Blanket Order,Manufacturing,دفابريکي
 ,Ordered Items To Be Delivered,امر سامان ته تحویلیږي
 DocType: Account,Income,پر عايداتو
@@ -6206,17 +6273,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} د {1} په اړتيا {2} د {3} {4} د {5} د دې معاملې د بشپړولو لپاره واحدونو.
 DocType: Fee Schedule,Student Category,د زده کوونکو کټه ګورۍ
 DocType: Announcement,Student,د زده کوونکو
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,د ذخیره کولو سیسټم د پیل کولو لپاره په ګودام کې شتون نلري. ایا تاسو غواړئ د سټا لیږد لیږد ریکارډ ثبت کړئ
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,د ذخیره کولو سیسټم د پیل کولو لپاره په ګودام کې شتون نلري. ایا تاسو غواړئ د سټا لیږد لیږد ریکارډ ثبت کړئ
 DocType: Shipping Rule,Shipping Rule Type,د تدارکاتو ډول ډول
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,خونو ته لاړ شه
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory",شرکت، د تادیاتو حساب، د نیټې او نیټې نیټې څخه اړین دی
 DocType: Company,Budget Detail,د بودجې تفصیل
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,لطفا د استولو مخکې پیغام ته ننوځي
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,دوه ګونو لپاره د عرضه
-DocType: Email Digest,Pending Quotations,انتظار Quotations
-DocType: Delivery Note,Distance (KM),فاصله (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,سپلائر&gt; سپلائر ګروپ
 DocType: Asset,Custodian,کوسټډین
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-خرڅول پېژندنه
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-خرڅول پېژندنه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,ضمانته پور
 DocType: Cost Center,Cost Center Name,لګښت مرکز نوم
 DocType: Student,B+,B +
@@ -6246,10 +6312,10 @@
 DocType: Lead,Converted,بدلوی
 DocType: Item,Has Serial No,لري شعبه
 DocType: Employee,Date of Issue,د صدور نېټه
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",لکه څنګه چې هر د خريداري امستنې که رانيول Reciept مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید رانيول رسيد لومړي لپاره توکی جوړ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",لکه څنګه چې هر د خريداري امستنې که رانيول Reciept مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید رانيول رسيد لومړي لپاره توکی جوړ {0}
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},د کتارونو تر # {0}: د جنس د ټاکلو په عرضه {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,د کتارونو تر {0}: ساعتونه ارزښت باید له صفر څخه زیات وي.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,وېب پاڼه Image {0} چې په قالب {1} وصل ونه موندل شي
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,وېب پاڼه Image {0} چې په قالب {1} وصل ونه موندل شي
 DocType: Issue,Content Type,منځپانګه ډول
 DocType: Asset,Assets,شتمنۍ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,کمپيوټر
@@ -6260,7 +6326,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} د {1} نه شته
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,لطفا د اسعارو انتخاب څو له نورو اسعارو حسابونو اجازه وګورئ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,شمیره: {0} په سيستم کې نه شته
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,تاسو د ګنګل ارزښت جوړ واک نه دي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,تاسو د ګنګل ارزښت جوړ واک نه دي
 DocType: Payment Reconciliation,Get Unreconciled Entries,تطبیق توکي ترلاسه کړئ
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,د ژورنال ننوتلو لپاره هیڅ بیرته تادیه نه ده شوې
 DocType: Payment Reconciliation,From Invoice Date,له صورتحساب نېټه
@@ -6277,13 +6343,14 @@
 ,Average Commission Rate,په اوسط ډول د کمیسیون Rate
 DocType: Share Balance,No of Shares,د ونډو نه
 DocType: Taxable Salary Slab,To Amount,مقدار ته
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;لري شعبه&#39; د غیر سټاک توکی نه وي &#39;هو&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;لري شعبه&#39; د غیر سټاک توکی نه وي &#39;هو&#39;
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,حالت وټاکئ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,د حاضرۍ د راتلونکي لپاره د خرما نه په نښه شي
 DocType: Support Search Source,Post Description Key,د پوسټ تفصیل کیلي
 DocType: Pricing Rule,Pricing Rule Help,د بیې د حاکمیت مرسته
 DocType: School House,House Name,ماڼۍ نوم
 DocType: Fee Schedule,Total Amount per Student,د هر زده کونکي ټوله اندازه
+DocType: Opportunity,Sales Stage,د پلور مرحله
 DocType: Purchase Taxes and Charges,Account Head,ګڼون مشر
 DocType: Company,HRA Component,د HRA برخې
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,برق
@@ -6291,15 +6358,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Total ارزښت بدلون (له جملې څخه - په)
 DocType: Grant Application,Requested Amount,غوښتل شوي مقدار
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,د کتارونو تر {0}: د بدلولو نرخ الزامی دی
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},کارن تذکرو لپاره د کارکونکو نه {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},کارن تذکرو لپاره د کارکونکو نه {0}
 DocType: Vehicle,Vehicle Value,موټر ارزښت
 DocType: Crop Cycle,Detected Diseases,درملو ناروغي
 DocType: Stock Entry,Default Source Warehouse,Default سرچینه ګدام
 DocType: Item,Customer Code,پيرودونکو کوډ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},د کالیزې په ياد راولي {0}
 DocType: Asset Maintenance Task,Last Completion Date,د پای بشپړولو نیټه
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ورځو راهیسې تېر نظم
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,د حساب ډیبیټ باید د موازنې د پاڼه په پام کې وي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,د حساب ډیبیټ باید د موازنې د پاڼه په پام کې وي
 DocType: Asset,Naming Series,نوم لړۍ
 DocType: Vital Signs,Coated,لیټ شوی
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,صف {0}: متوقع ارزښت د ګټور ژوند څخه وروسته باید د خالص پیرود پیسو څخه کم وي
@@ -6317,15 +6383,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,د سپارنې پرمهال يادونه {0} بايد وړاندې نه شي
 DocType: Notification Control,Sales Invoice Message,خرڅلاو صورتحساب پيغام
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,تړل د حساب {0} بايد د ډول Liability / مساوات وي
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},د کارکوونکي معاش ټوټه {0} د مخه د وخت په پاڼه کې جوړ {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},د کارکوونکي معاش ټوټه {0} د مخه د وخت په پاڼه کې جوړ {1}
 DocType: Vehicle Log,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,امر Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,د قالب {0} معلول دی
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,د قالب {0} معلول دی
 DocType: Stock Settings,Stock Frozen Upto,دحمل ګنګل ترمړوندونو پورې
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,هیښ کوم سټاک توکی نه لري
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,هیښ کوم سټاک توکی نه لري
 DocType: Chapter,Chapter Head,د فصل سر
 DocType: Payment Term,Month(s) after the end of the invoice month,د رسیدنې میاشتې پای پورې میاشت میاشتې
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,د تنخوا جوړښت باید د ګټې اندازه تقویه کولو لپاره د انعطاف وړ ګټې جزو ولري
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,د تنخوا جوړښت باید د ګټې اندازه تقویه کولو لپاره د انعطاف وړ ګټې جزو ولري
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,د پروژې د فعاليت / دنده.
 DocType: Vital Signs,Very Coated,ډیر لیپت
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),یوازې د مالیې اغېزې) د ادعا وړ نه وي مګر د مالیه وړ عوایدو برخه
@@ -6343,7 +6409,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,بلونو ساعتونه
 DocType: Project,Total Sales Amount (via Sales Order),د پلور مجموعي مقدار (د پلور امر له الرې)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,د {0} ونه موندل Default هیښ
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,د کتارونو تر # {0}: مهرباني وکړئ ټاکل ترمیمي کمیت
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,د کتارونو تر # {0}: مهرباني وکړئ ټاکل ترمیمي کمیت
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,دلته يې اضافه توکي tap
 DocType: Fees,Program Enrollment,پروګرام شمولیت
 DocType: Share Transfer,To Folio No,فولولو ته
@@ -6385,8 +6451,8 @@
 DocType: SG Creation Tool Course,Max Strength,Max پياوړتيا
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,لګول شوي سایټونه
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH -YYYY-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},د سپارښتنې یادښت د پیرودونکو لپاره غوره شوی {}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,د سپارلو نیټه پر بنسټ د توکو توکي وټاکئ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},د سپارښتنې یادښت د پیرودونکو لپاره غوره شوی {}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,د سپارلو نیټه پر بنسټ د توکو توکي وټاکئ
 DocType: Grant Application,Has any past Grant Record,د تیر وړیا مرستې ریکارډ لري
 ,Sales Analytics,خرڅلاو Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},موجود {0}
@@ -6395,12 +6461,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,دفابريکي امستنې
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Email ترتیبول
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 د موبايل په هيڅ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,لطفا په شرکت ماسټر default اسعارو ته ننوځي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,لطفا په شرکت ماسټر default اسعارو ته ننوځي
 DocType: Stock Entry Detail,Stock Entry Detail,دحمل انفاذ تفصیلي
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,هره ورځ په دوراني ډول
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,هره ورځ په دوراني ډول
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,ټولې خلاصې ټکټونه وګورئ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,د روغتیا پاملرنې خدمت واحد ونې
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,محصول
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,محصول
 DocType: Products Settings,Home Page is Products,لمړی مخ ده محصوالت
 ,Asset Depreciation Ledger,د شتمنيو د استهالک د پنډو
 DocType: Salary Structure,Leave Encashment Amount Per Day,په ورځ کې د تاو تریخوالي پیسې پریږدئ
@@ -6410,8 +6476,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,خام مواد لګښت
 DocType: Selling Settings,Settings for Selling Module,لپاره خرڅول ماډل امستنې
 DocType: Hotel Room Reservation,Hotel Room Reservation,د هوټل خوندیتوب
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,د پیرودونکو خدمت
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,د پیرودونکو خدمت
 DocType: BOM,Thumbnail,بټنوک
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,د بریښناليک ID سره نښې نښانې موندل شوي.
 DocType: Item Customer Detail,Item Customer Detail,د قالب پيرودونکو تفصیلي
 DocType: Notification Control,Prompt for Email on Submission of,د ليک د وړاندې کول دې ته وهڅول
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +102,Total allocated leaves are more than days in the period,ټولې پاڼي په دې موده کې د ورځو څخه زیات دي
@@ -6420,12 +6487,13 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,د قالب {0} باید یو سټاک د قالب وي
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Default د کار په پرمختګ ګدام
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",د {0} تاوان لپاره شیډولونه، ایا تاسو غواړئ چې د اوپلو شویو سلایډونو د سکپ کولو وروسته پرمخ ولاړ شئ؟
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,د محاسبې معاملو تلواله امستنو.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,د محاسبې معاملو تلواله امستنو.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,د وړانګو پاڼي
 DocType: Restaurant,Default Tax Template,اصلي مالی ټکي
 DocType: Fees,Student Details,د زده کونکو توضیحات
 DocType: Purchase Invoice Item,Stock Qty,سټاک Qty
 DocType: Contract,Requires Fulfilment,بشپړتیا ته اړتیا لري
+DocType: QuickBooks Migrator,Default Shipping Account,د اصلي لیږد حساب
 DocType: Loan,Repayment Period in Months,په میاشتو کې بیرته ورکړې دوره
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,تېروتنه: يو د اعتبار وړ پېژند نه؟
 DocType: Naming Series,Update Series Number,تازه لړۍ شمېر
@@ -6439,11 +6507,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,زیاتې اندازه
 DocType: Journal Entry,Total Amount Currency,Total مقدار د اسعارو
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,د لټون فرعي شورا
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},د قالب کوډ په کتارونو هیڅ اړتیا {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},د قالب کوډ په کتارونو هیڅ اړتیا {0}
 DocType: GST Account,SGST Account,د SGST حساب
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,توکي ته لاړ شه
 DocType: Sales Partner,Partner Type,همکار ډول
-DocType: Purchase Taxes and Charges,Actual,واقعي
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,واقعي
 DocType: Restaurant Menu,Restaurant Manager,د رستورانت مدیر
 DocType: Authorization Rule,Customerwise Discount,Customerwise کمښت
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,د دندو Timesheet.
@@ -6464,7 +6532,7 @@
 DocType: Employee,Cheque,آرډر
 DocType: Training Event,Employee Emails,د کارموندنې برېښناليکونه
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,لړۍ Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,راپور ډول فرض ده
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,راپور ډول فرض ده
 DocType: Item,Serial Number Series,پرلپسې لړۍ
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ګدام لپاره سټاک د قالب {0} په قطار الزامی دی {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,د پرچون او عمده
@@ -6495,7 +6563,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,د پلور په امر کې د اخیستل شوو پیسو تازه کول
 DocType: BOM,Materials,د توکو
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",که چک، په لست کې به ته د هر ریاست چې دا لري چې کارول کيږي زياته شي.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,پست کوي وخت او نېټه امخ د الزامی دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,پست کوي وخت او نېټه امخ د الزامی دی
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,د معاملو اخلي د مالياتو کېنډۍ.
 ,Item Prices,د قالب نرخونه
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د اخستلو امر وژغوري.
@@ -6511,12 +6579,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),د استملاک د استحکام داخلي (جریان داخلي) لړۍ
 DocType: Membership,Member Since,غړی
 DocType: Purchase Invoice,Advance Payments,پرمختللی د پیسو ورکړه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,مهرباني وکړئ د روغتیايی خدمت غوره کول غوره کړئ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,مهرباني وکړئ د روغتیايی خدمت غوره کول غوره کړئ
 DocType: Purchase Taxes and Charges,On Net Total,د افغان بېسیم ټول
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},د خاصې لپاره {0} ارزښت باید د لړ کې وي {1} د {2} د زیاتوالی {3} لپاره د قالب {4}
 DocType: Restaurant Reservation,Waitlisted,انتظار شوی
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,د معافیت کټګورۍ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,د اسعارو نه شي د ارقامو د يو شمېر نورو اسعارو په کارولو وروسته بدل شي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,د اسعارو نه شي د ارقامو د يو شمېر نورو اسعارو په کارولو وروسته بدل شي
 DocType: Shipping Rule,Fixed,ثابت شوی
 DocType: Vehicle Service,Clutch Plate,د کلچ ذريعه
 DocType: Company,Round Off Account,حساب پړاو
@@ -6525,7 +6593,7 @@
 DocType: Subscription Plan,Based on price list,د قیمت لیست پر بنسټ
 DocType: Customer Group,Parent Customer Group,Parent پيرودونکو ګروپ
 DocType: Vehicle Service,Change,د بدلون
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,ګډون
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,ګډون
 DocType: Purchase Invoice,Contact Email,تماس دبرېښنا ليک
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,د فیس جوړونې تادیه کول
 DocType: Appraisal Goal,Score Earned,نمره لاسته راول
@@ -6553,23 +6621,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,ترلاسه / د راتلوونکې اکانټ
 DocType: Delivery Note Item,Against Sales Order Item,په وړاندې د خرڅلاو نظم قالب
 DocType: Company,Company Logo,د شرکت علامت
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},مهرباني وکړئ مشخص د خاصې لپاره ارزښت ځانتیا {0}
-DocType: Item Default,Default Warehouse,default ګدام
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},مهرباني وکړئ مشخص د خاصې لپاره ارزښت ځانتیا {0}
+DocType: QuickBooks Migrator,Default Warehouse,default ګدام
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},د بودجې د ګروپ د حساب په وړاندې نه شي کولای {0}
 DocType: Shopping Cart Settings,Show Price,نرخ ښکاره کړئ
 DocType: Healthcare Settings,Patient Registration,د ناروغۍ ثبت
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,لطفا مورنی لګښت مرکز ته ننوځي
 DocType: Delivery Note,Print Without Amount,پرته مقدار دچاپ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,د استهالک نېټه
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,د استهالک نېټه
 ,Work Orders in Progress,په پرمختګ کې کاري امر
 DocType: Issue,Support Team,د ملاتړ ټيم
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),د انقضاء (ورځو)
 DocType: Appraisal,Total Score (Out of 5),ټولې نمرې (د 5 څخه)
 DocType: Student Attendance Tool,Batch,دسته
 DocType: Support Search Source,Query Route String,د پوښتنو لارښوونکي
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,د وروستي پیرود په اساس د تازه نرخ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,د وروستي پیرود په اساس د تازه نرخ
 DocType: Donor,Donor Type,د ډونر ډول
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,د اتوم بیاکتنه سند تازه شوی
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,د اتوم بیاکتنه سند تازه شوی
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,توازن
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,مهرباني وکړئ شرکت غوره کړئ
 DocType: Job Card,Job Card,د کار کارت
@@ -6596,10 +6664,11 @@
 DocType: Journal Entry,Total Debit,Total ګزارې
 DocType: Travel Request Costing,Sponsored Amount,تمویل شوي مقدار
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Default توکو د ګدام
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,لطفا ناروغان وټاکئ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,لطفا ناروغان وټاکئ
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,خرڅلاو شخص
 DocType: Hotel Room Package,Amenities,امکانات
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,د بودجې او لګښتونو مرکز
+DocType: QuickBooks Migrator,Undeposited Funds Account,د نه منل شوي فنډ حساب
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,د بودجې او لګښتونو مرکز
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,د پیسو ډیری ډیزاین موډل اجازه نه لري
 DocType: Sales Invoice,Loyalty Points Redemption,د وفادارۍ ټکي مخنیوی
 ,Appointment Analytics,د استوګنې انټرنېټونه
@@ -6613,6 +6682,7 @@
 DocType: Batch,Manufacturing Date,د تولید کولو نیټه
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,د فیس جوړول ناکام شول
 DocType: Opening Invoice Creation Tool,Create Missing Party,ورک ورکونکي ګوند جوړول
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,ټول بودیجه
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,خالي پريږدئ که تاسو په هر کال کې زده کوونکو ډلو لپاره
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,خالي پريږدئ که تاسو په هر کال کې زده کوونکو ډلو لپاره
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",که وکتل، ټول نه. د کاري ورځې به رخصتي شامل دي او دا کار به د معاش د ورځې د ارزښت د کمولو
@@ -6630,20 +6700,19 @@
 DocType: Opportunity Item,Basic Rate,اساسي Rate
 DocType: GL Entry,Credit Amount,اعتبار مقدار
 DocType: Cheque Print Template,Signatory Position,لاسليک مقام
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,د ټاکل شويو Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,د ټاکل شويو Lost
 DocType: Timesheet,Total Billable Hours,Total Billable ساعتونه
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,د هغه ورځو شمېر چې هغه سبسایټ باید د دې ګډون لخوا تولید شوي انوګانو پیسې ورکړي
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,د کارموندنې د ګټې غوښتنلیک تفصیل
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,د پيسو د رسيد يادونه
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,دا په دې پيرودونکو پر وړاندې د معاملو پر بنسټ. د تفصیلاتو لپاره په لاندی مهال ویش وګورئ
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},د کتارونو تر {0}: ځانګړې اندازه {1} بايد په پرتله کمه وي او یا د پیسو د داخلولو اندازه مساوي {2}
 DocType: Program Enrollment Tool,New Academic Term,نوی اکادمیک اصطالح
 ,Course wise Assessment Report,کورس هوښيار د ارزونې رپورټ
 DocType: Purchase Invoice,Availed ITC State/UT Tax,د آی.پی.سی ریاست / UT د مالیې ترلاسه کول
 DocType: Tax Rule,Tax Rule,د مالياتو د حاکمیت
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,د خرڅلاو دوره ورته کچه وساتي
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,مهرباني وکړئ په بازار کې د راجستر کولو لپاره د بل کاروونکي په توګه ننوتل
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,مهرباني وکړئ په بازار کې د راجستر کولو لپاره د بل کاروونکي په توګه ننوتل
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Workstation کاري ساعتونه بهر وخت يادښتونه پلان جوړ کړي.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,په کتار پېرېدونکي
 DocType: Driver,Issuing Date,د جاري کولو نیټه
@@ -6652,11 +6721,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,د نور پروسس لپاره د کار امر وسپاري.
 ,Items To Be Requested,د ليکنو ته غوښتنه وشي
 DocType: Company,Company Info,پيژندنه
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,وټاکئ او يا د نوي مشتريانو د اضافه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,وټاکئ او يا د نوي مشتريانو د اضافه
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,لګښت مرکز ته اړتيا ده چې د لګښت ادعا کتاب
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),د بسپنو (شتمني) کاریال
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,دا د دې د کارکونکو د راتګ پر بنسټ
-DocType: Assessment Result,Summary,لنډیز
 DocType: Payment Request,Payment Request Type,د تادیاتو غوښتنه ډول
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,نښه نښه
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ډیبیټ اکانټ
@@ -6664,7 +6732,7 @@
 DocType: Additional Salary,Employee Name,د کارګر نوم
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,د رستورانت امر د ننوت توکي
 DocType: Purchase Invoice,Rounded Total (Company Currency),غونډ مونډ Total (شرکت د اسعارو)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,آيا له ګروپ د پټو نه ځکه حساب ډول انتخاب.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,آيا له ګروپ د پټو نه ځکه حساب ډول انتخاب.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} د {1} بدل شوی دی. لطفا تازه.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,څخه په لاندې ورځو کولو اجازه غوښتنلیکونه کاروونکو ودروي.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",که د وفادارۍ پوائنټ لپاره نامحدود ختمیدل، د پای نیټې موده خالي یا 0 موده وساتئ.
@@ -6685,11 +6753,12 @@
 DocType: Asset,Out of Order,له کاره وتلی
 DocType: Purchase Receipt Item,Accepted Quantity,منل مقدار
 DocType: Projects Settings,Ignore Workstation Time Overlap,د کارګرۍ وخت وخت پرانيزئ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},لطفا یو default رخصتي بشپړفهرست لپاره د کارګر جوړ {0} یا د شرکت د {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},لطفا یو default رخصتي بشپړفهرست لپاره د کارګر جوړ {0} یا د شرکت د {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} نه شتون
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,انتخاب دسته شمیرې
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN ته
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN ته
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,بلونه د پېرېدونکي راپورته کړې.
+DocType: Healthcare Settings,Invoice Appointments Automatically,د انوائس استوګنې په خپله توګه
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,د پروژې Id
 DocType: Salary Component,Variable Based On Taxable Salary,د مالیې وړ معاش په اساس متغیر
 DocType: Company,Basic Component,اساسي برخې
@@ -6702,10 +6771,10 @@
 DocType: Stock Entry,Source Warehouse Address,سرچینه ګودام پته
 DocType: GL Entry,Voucher Type,ګټمنو ډول
 DocType: Amazon MWS Settings,Max Retry Limit,د Max Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب
 DocType: Student Applicant,Approved,تصویب شوې
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,د بیې
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',د کارګر د کرارۍ د {0} بايد جوړ شي د &quot;کيڼ &#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',د کارګر د کرارۍ د {0} بايد جوړ شي د &quot;کيڼ &#39;
 DocType: Marketplace Settings,Last Sync On,وروستنۍ هممهال
 DocType: Guardian,Guardian,ګارډین
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,ټول هغه ارتباطات چې په دې کې شامل دي او باید پورته نوي مسوده ته لیږدول کیږي
@@ -6728,14 +6797,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,په ساحه کې د ناروغیو لیست. کله چې دا غوره کړه نو په اتومات ډول به د دندو لیست اضافه کړئ چې د ناروغۍ سره معامله وکړي
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,دا د صحي خدماتو ريښه ده او نشي کولی چې سمبال شي.
 DocType: Asset Repair,Repair Status,د ترمیم حالت
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,د پلور شریکانو اضافه کړئ
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,د محاسبې ژورنال زياتونې.
 DocType: Travel Request,Travel Request,د سفر غوښتنه
 DocType: Delivery Note Item,Available Qty at From Warehouse,موجود Qty په له ګدام
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,مهرباني وکړئ لومړی غوره کارکوونکی دثبت.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,حاضری د {0} لپاره ندی ورکړل شوی ځکه چې دا د هټیوال دی.
 DocType: POS Profile,Account for Change Amount,د بدلون لپاره د مقدار حساب
+DocType: QuickBooks Migrator,Connecting to QuickBooks,د بکسونو سره نښلول
 DocType: Exchange Rate Revaluation,Total Gain/Loss,ټول لاسته راوړنې / ضایع
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,د انټرنیټ انو انو لپاره غلط شرکت.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,د انټرنیټ انو انو لپاره غلط شرکت.
 DocType: Purchase Invoice,input service,تڼۍ خدمت
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},د کتارونو تر {0}: ګوند / حساب سره سمون نه خوري {1} / {2} د {3} {4}
 DocType: Employee Promotion,Employee Promotion,د کارموندنې وده
@@ -6744,12 +6815,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,د کورس کود:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,لطفا اخراجاتو حساب ته ننوځي
 DocType: Account,Stock,سټاک
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د اخستلو امر يو، رانيول صورتحساب یا ژورنال انفاذ وي
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د اخستلو امر يو، رانيول صورتحساب یا ژورنال انفاذ وي
 DocType: Employee,Current Address,اوسني پته
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",که جنس د بل جنس بيا توضيحات، انځور، د قيمتونو، ماليه او نور به د کېنډۍ څخه جوړ شي يو variant دی، مګر په واضح ډول مشخص
 DocType: Serial No,Purchase / Manufacture Details,رانيول / جوړون نورولوله
 DocType: Assessment Group,Assessment Group,د ارزونې د ډلې
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,دسته موجودي
+DocType: Supplier,GST Transporter ID,د GST ټرانسپورټ ID
 DocType: Procedure Prescription,Procedure Name,د پروسیجر نوم
 DocType: Employee,Contract End Date,د قرارداد د پای نیټه
 DocType: Amazon MWS Settings,Seller ID,د پلورونکي ID
@@ -6769,12 +6841,12 @@
 DocType: Company,Date of Incorporation,د شرکتونو نیټه
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total د مالياتو
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,د اخري اخستلو نرخ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,د مقدار (تولید Qty) فرض ده
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,د مقدار (تولید Qty) فرض ده
 DocType: Stock Entry,Default Target Warehouse,Default د هدف ګدام
 DocType: Purchase Invoice,Net Total (Company Currency),خالص Total (شرکت د اسعارو)
 DocType: Delivery Note,Air,هوا
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,د کال د پای نیټه نه شي کولای د کال د پیل نیټه د وخت نه مخکې وي. لطفا د خرما د اصلاح او بیا کوښښ وکړه.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} د اختیاري رخصتیو لست کې نه دی
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} د اختیاري رخصتیو لست کې نه دی
 DocType: Notification Control,Purchase Receipt Message,رانيول رسيد پيغام
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,د اوسپنې توکی
@@ -6797,23 +6869,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,بشپړ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,په تیره د کتارونو تر مقدار
 DocType: Item,Has Expiry Date,د پای نیټه نیټه لري
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,د انتقال د شتمنیو
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,د انتقال د شتمنیو
 DocType: POS Profile,POS Profile,POS پېژندنه
 DocType: Training Event,Event Name,دکمپاینونو نوم
 DocType: Healthcare Practitioner,Phone (Office),تلیفون (دفتر)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance",نشو تسلیم کولی، کارمندانو ته حاضریدلو لپاره پاتې شو
 DocType: Inpatient Record,Admission,د شاملیدو
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},لپاره د شمولیت {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",د ټاکلو لپاره د بودجې، نښې او نور موسمي
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",د ټاکلو لپاره د بودجې، نښې او نور موسمي
 DocType: Supplier Scorecard Scoring Variable,Variable Name,متغیر نوم
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",{0} د قالب دی کېنډۍ، لطفا د خپلو بېرغونو وټاکئ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,مهرباني وکړئ د بشري منابعو&gt; بشري سیسټمونو کې د کارمندانو نومونې سیستم ترتیب کړئ
+DocType: Purchase Invoice Item,Deferred Expense,انتقال شوي لګښت
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},د نېټې څخه {0} نشي کولی د کارمندانو سره یوځای کیدو نیټه مخکې {1}
 DocType: Asset,Asset Category,د شتمنیو کټه ګورۍ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,خالص د معاشونو نه کېدای شي منفي وي
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,خالص د معاشونو نه کېدای شي منفي وي
 DocType: Purchase Order,Advance Paid,پرمختللی ورکړل
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,د پلور د حکم لپاره د سلنې زیاتوالی
 DocType: Item,Item Tax,د قالب د مالياتو
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,ته عرضه مواد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,ته عرضه مواد
 DocType: Soil Texture,Loamy Sand,لامین ریت
 DocType: Production Plan,Material Request Planning,د موادو غوښتنې پلان جوړونه
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,وسیله صورتحساب
@@ -6834,11 +6908,11 @@
 DocType: Scheduling Tool,Scheduling Tool,مهال ويش له اوزار
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,باور كارت
 DocType: BOM,Item to be manufactured or repacked,د قالب توليد شي او يا repacked
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},په نخښه کې د Syntax غلطی: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},په نخښه کې د Syntax غلطی: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY-
 DocType: Employee Education,Major/Optional Subjects,جګړن / اختیاري مضمونونه
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,مهرباني وکړئ د پیرودونکي ګروپ د پیرودنې په ترتیباتو کې سیٹ کړئ.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,مهرباني وکړئ د پیرودونکي ګروپ د پیرودنې په ترتیباتو کې سیٹ کړئ.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",د لچک وړ ګټور اجزاو مقدار {0} باید د ډیرو ګټو څخه کم نه وي {1}
 DocType: Sales Invoice Item,Drop Ship,څاڅکی کښتۍ
 DocType: Driver,Suspended,معطل شوی
@@ -6857,7 +6931,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +51,Stock Levels,سټاک کچه
 DocType: Customer,Commission Rate,کمیسیون Rate
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,په بریالیتوب سره د تادیاتو ثبتونه
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,د کمکیانو لپاره د variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,د کمکیانو لپاره د variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",د پیسو ډول بايد د تر لاسه شي، د تنخاوو او کورني انتقال
 DocType: Travel Itinerary,Preferred Area for Lodging,د لوډنګ لپاره غوره انتخابی ساحه
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6868,7 +6942,7 @@
 DocType: Work Order,Actual Operating Cost,واقعي عملياتي لګښت
 DocType: Payment Entry,Cheque/Reference No,آرډر / ماخذ نه
 DocType: Soil Texture,Clay Loam,مټ لوام
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,د ريښي د تصحيح نه شي.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,د ريښي د تصحيح نه شي.
 DocType: Item,Units of Measure,د اندازه کولو واحدونه
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,په میٹرو ښار کې کرایه شوی
 DocType: Supplier,Default Tax Withholding Config,د عوایدو مالیه تادیه کول
@@ -6886,21 +6960,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,د پیسو له بشپړېدو وروسته ټاکل مخ ته د کارونکي عکس د تاوولو.
 DocType: Company,Existing Company,موجوده شرکت
 DocType: Healthcare Settings,Result Emailed,پایلې ای میل شوي
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",د مالياتو د کټه دی چې د &quot;ټول&quot; ته بدل شوي ځکه چې ټول سامان د غیر سټاک توکي دي
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",د مالياتو د کټه دی چې د &quot;ټول&quot; ته بدل شوي ځکه چې ټول سامان د غیر سټاک توکي دي
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,تر اوسه پورې کیدی شي د نیټې څخه مساوي یا لږ نه وي
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,هیڅ بدلون نشي کولی
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,لطفا یو csv دوتنه انتخاب
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,لطفا یو csv دوتنه انتخاب
 DocType: Holiday List,Total Holidays,ټول هټۍ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,د لېږد لپاره د بریښناليک ای میل ساند مهرباني وکړئ د سپارلو ترتیباتو کې یو یې وټاکئ.
 DocType: Student Leave Application,Mark as Present,مارک په توګه د وړاندې
 DocType: Supplier Scorecard,Indicator Color,د شاخص رنګ
 DocType: Purchase Order,To Receive and Bill,تر لاسه کول او د بیل
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: د رادډ تاریخ د لېږد نیټې څخه وړاندې نشي کیدی
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: د رادډ تاریخ د لېږد نیټې څخه وړاندې نشي کیدی
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,مستند محصوالت
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,سیریل نمبر غوره کړئ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,سیریل نمبر غوره کړئ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,په سکښتګر کې
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,د قرارداد شرايط کينډۍ
 DocType: Serial No,Delivery Details,د وړاندې کولو په بشپړه توګه کتل
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},لګښت په مرکز کې قطار ته اړتیا لیدل کیږي {0} په مالیات لپاره ډول جدول {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},لګښت په مرکز کې قطار ته اړتیا لیدل کیږي {0} په مالیات لپاره ډول جدول {1}
 DocType: Program,Program Code,پروګرام کوډ
 DocType: Terms and Conditions,Terms and Conditions Help,د قرارداد شرايط مرسته
 ,Item-wise Purchase Register,د قالب-هوښيار رانيول د نوم ثبتول
@@ -6913,15 +6988,16 @@
 DocType: Contract,Contract Terms,د قرارداد شرایط
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,مه $ نور په څېر د هر سمبول تر څنګ اسعارو نه ښيي.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},د {0} څخه د زیاتو ګټې ګټه {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(نیمه ورځ)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(نیمه ورځ)
 DocType: Payment Term,Credit Days,اعتبار ورځې
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,مهرباني وکړئ د لابراتوار آزموینې لپاره ناروغ ته وټاکئ
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,د کمکیانو لپاره د زده کونکو د دسته
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,د تولید لپاره لیږد اجازه
 DocType: Leave Type,Is Carry Forward,مخ په وړاندې د دې لپاره ترسره کړي
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,له هیښ توکي ترلاسه کړئ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,له هیښ توکي ترلاسه کړئ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,د وخت ورځې سوق
 DocType: Cash Flow Mapping,Is Income Tax Expense,د عایداتو مالی لګښت دی
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,ستاسو امر د سپارلو لپاره دی.
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},د کتارونو تر # {0}: پست کوي نېټه بايد په توګه د اخیستلو نېټې ورته وي {1} د شتمنیو د {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,وګورئ دا که د زده کوونکو د ده په انستیتیوت په ليليه درلوده.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,مهرباني وکړی په پورته جدول خرڅلاو امر ته ننوځي
@@ -6929,10 +7005,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,له يوه ګودام څخه بل د شتمنیو ته سپاري
 DocType: Vehicle,Petrol,پطرول
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),پاتې پاتې ګټې (کلنۍ)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,د توکو بیل
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,د توکو بیل
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},د کتارونو تر {0}: ګوند ډول او د ګوند د ترلاسه / د راتلوونکې حساب ته اړتیا لیدل کیږي {1}
 DocType: Employee,Leave Policy,پالیسي پریږدئ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,توکي اوسمهالول
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,توکي اوسمهالول
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,دسرچینی یادونه نېټه
 DocType: Employee,Reason for Leaving,د پرېښودو لامل
 DocType: BOM Operation,Operating Cost(Company Currency),عادي لګښت (شرکت د اسعارو)
@@ -6943,7 +7019,7 @@
 DocType: Department,Expense Approvers,لګښت تاوان
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},د کتارونو تر {0}: ډیبیټ د ننوتلو سره د نه تړاو شي کولای {1}
 DocType: Journal Entry,Subscription Section,د ګډون برخې
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,ګڼون {0} نه شته
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,ګڼون {0} نه شته
 DocType: Training Event,Training Program,د روزنې پروګرام
 DocType: Account,Cash,د نغدو پيسو
 DocType: Employee,Short biography for website and other publications.,د ويب سايټ او نورو خپرونو لنډ ژوندلیک.
diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv
index 632944a..fb754fe 100644
--- a/erpnext/translations/pt-BR.csv
+++ b/erpnext/translations/pt-BR.csv
@@ -5,27 +5,27 @@
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js +52,Please select Party Type first,"Por favor, selecione o Tipo de Sujeito primeiro"
 DocType: Item,Customer Items,Itens de clientes
 DocType: Project,Costing and Billing,Custos e Faturamento
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Conta {0}: A Conta Superior {1} não pode ser um livro-razão
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Conta {0}: A Conta Superior {1} não pode ser um livro-razão
 DocType: Item,Publish Item to hub.erpnext.com,Publicar Item para hub.erpnext.com
 DocType: SMS Center,All Sales Partner Contact,Todos os Contatos de Parceiros de Vendas
 DocType: Department,Leave Approvers,Aprovadores de Licença
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Parou ordem de produção não pode ser cancelado, desentupir-lo primeiro para cancelar"
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Você realmente quer se desfazer deste ativo?
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},É necessário informar a Moeda na Lista de Preço {0}
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Você realmente quer se desfazer deste ativo?
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},É necessário informar a Moeda na Lista de Preço {0}
 DocType: Employee,Job Applicant,Candidato à Vaga
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Isto é baseado nas transações envolvendo este Fornecedor. Veja a linha do tempo abaixo para maiores detalhes
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Legal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Legal
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +204,Actual type tax cannot be included in Item rate in row {0},Tipo de imposto real não pode ser incluído na tarifa do item na linha {0}
 DocType: Purchase Receipt Item,Required By,Entrega em
 DocType: Delivery Note,Return Against Delivery Note,Devolução contra Guia de Remessa
 DocType: Purchase Order,% Billed,Faturado %
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +41,Exchange Rate must be same as {0} {1} ({2}),Taxa de câmbio deve ser o mesmo que {0} {1} ({2})
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},A conta bancária não pode ser nomeada como {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},A conta bancária não pode ser nomeada como {0}
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (ou grupos) contra o qual as entradas de Contabilidade são feitas e os saldos são mantidos.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Excelente para {0} não pode ser inferior a zero ( {1})
 DocType: Manufacturing Settings,Default 10 mins,Padrão 10 minutos
 DocType: Leave Type,Leave Type Name,Nome do Tipo de Licença
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostrar aberta
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Mostrar aberta
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Finalizar Compra
 DocType: Pricing Rule,Apply On,Aplicar em
 DocType: Item Price,Multiple Item prices.,Vários preços do item.
@@ -33,7 +33,7 @@
 DocType: SMS Center,All Supplier Contact,Todos os Contatos de Fornecedor
 DocType: Support Settings,Support Settings,Configurações do Pós Vendas
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,A Data Prevista de Término não pode ser menor que a Data Prevista de Início
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha # {0}: O Valor deve ser o mesmo da {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha # {0}: O Valor deve ser o mesmo da {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Status do Vencimento do Item do Lote
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Cheque Administrativo
 DocType: Mode of Payment Account,Mode of Payment Account,Modo de pagamento da conta
@@ -42,7 +42,7 @@
 apps/erpnext/erpnext/templates/includes/product_page.js +34,In Stock,Em Estoque
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Incidentes Abertos
 DocType: Production Plan Item,Production Plan Item,Item do Planejamento de Produção
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Usuário {0} já está atribuído ao Colaborador {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Usuário {0} já está atribuído ao Colaborador {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Plano de Saúde
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Atraso no Pagamento (Dias)
 DocType: Payment Terms Template Detail,Payment Terms Template Detail,Detalhes do Modelo de Termos de Pagamento
@@ -70,28 +70,28 @@
 apps/erpnext/erpnext/public/js/stock_analytics.js +58,Select Warehouse...,Selecione Armazém...
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Mesma empresa está inscrita mais de uma vez
 DocType: Patient,Married,Casado
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Não permitido para {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra nota de entrega {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Estrutura salarial ausente
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Não permitido para {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra nota de entrega {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Estrutura salarial ausente
 DocType: Sales Invoice Item,Sales Invoice Item,Item da Fatura de Venda
 DocType: POS Profile,Write Off Cost Center,Centro de custo do abatimento
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Relatórios de Estoque
 DocType: Warehouse,Warehouse Detail,Detalhes do Armazén
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É Ativo Fixo"" não pode ser desmarcado se já existe um registro de Ativo relacionado ao item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É Ativo Fixo"" não pode ser desmarcado se já existe um registro de Ativo relacionado ao item"
 DocType: Vehicle Service,Brake Oil,Óleo de Freio
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Você não está autorizado para adicionar ou atualizar entradas antes de {0}
 DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valor por Hora / 60) * Tempo de operação real
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Selecionar LDM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Selecionar LDM
 DocType: SMS Log,SMS Log,Log de SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Custo de Produtos Entregues
 DocType: Student Log,Student Log,Log do Aluno
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Abertura
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},A partir de {0} a {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},A partir de {0} a {1}
 DocType: Item,Copy From Item Group,Copiar do item do grupo
 DocType: Journal Entry,Opening Entry,Lançamento de Abertura
 DocType: Stock Entry,Additional Costs,Custos adicionais
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Contas com a transações existentes não pode ser convertidas em um grupo.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Contas com a transações existentes não pode ser convertidas em um grupo.
 DocType: Lead,Product Enquiry,Consulta de Produto
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Por favor insira primeira empresa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Por favor, selecione Empresa primeiro"
@@ -102,7 +102,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +277,Item {0} does not exist in the system or has expired,Item {0} não existe no sistema ou expirou
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Extrato da conta
 DocType: Purchase Invoice Item,Is Fixed Asset,É Ativo Imobilizado
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","A qtde disponível é {0}, você necessita de {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","A qtde disponível é {0}, você necessita de {1}"
 DocType: Expense Claim Detail,Claim Amount,Valor Requerido
 DocType: Assessment Result,Grade,Nota de Avaliação
 DocType: Restaurant Table,No of Seats,Número de assentos
@@ -116,17 +116,17 @@
 DocType: Journal Entry,Contra Entry,Contrapartida de Entrada
 DocType: Journal Entry Account,Credit in Company Currency,Crédito em moeda da empresa
 DocType: Delivery Note,Installation Status,Status da Instalação
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A qtde Aceita + Rejeitada deve ser igual a quantidade recebida para o item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A qtde Aceita + Rejeitada deve ser igual a quantidade recebida para o item {0}
 DocType: Item,Supply Raw Materials for Purchase,Abastecimento de Matérias-primas para a Compra
 DocType: Products Settings,Show Products as a List,Mostrar Produtos como uma Lista
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py +43,Item {0} is not active or end of life has been reached,Item {0} não está ativo ou fim de vida útil foi atingido
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"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"
 DocType: Sales Invoice,Change Amount,Troco
 DocType: Depreciation Schedule,Make Depreciation Entry,Fazer Lançamento de Depreciação
 DocType: Appraisal Template Goal,KRA,APR
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Criar Colaborador
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Radio-difusão
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Modo de Configuração do PDV (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Modo de Configuração do PDV (Online / Offline)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,execução
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Os detalhes das operações realizadas.
 DocType: Asset Maintenance Log,Maintenance Status,Status da Manutenção
@@ -143,18 +143,18 @@
 apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must be applicable for Buying or Selling,Lista de Preço deve ser aplicável para comprar ou vender
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Data de instalação não pode ser anterior à data de entrega de item {0}
 DocType: Pricing Rule,Discount on Price List Rate (%),% de Desconto sobre o Preço da Lista de Preços
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Valor Saída
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Valor Saída
 DocType: Production Plan,Sales Orders,Pedidos de Venda
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +436,Set as Default,Definir como padrão
 ,Purchase Order Trends,Tendência de Pedidos de Compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Estoque Insuficiente
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Estoque Insuficiente
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desativar Controle de Tempo e Planejamento de Capacidade
 DocType: Email Digest,New Sales Orders,Novos Pedidos de Venda
 DocType: Leave Type,Allow Negative Balance,Permitir saldo negativo
 DocType: Employee,Create User,Criar Usuário
 DocType: Selling Settings,Default Territory,Território padrão
 DocType: Work Order Operation,Updated via 'Time Log',Atualizado via 'Time Log'
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},O valor do adiantamento não pode ser maior do que {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},O valor do adiantamento não pode ser maior do que {0} {1}
 DocType: Naming Series,Series List for this Transaction,Lista de séries para esta transação
 DocType: Company,Default Payroll Payable Account,Conta Padrão para Folha de Pagamentos
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js +51,Update Email Group,Atualizar Grupo de Email
@@ -173,15 +173,15 @@
 apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nenhuma descrição informada
 apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Solicitação de Compra.
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Isto é baseado nos Registros de Tempo relacionados a este Projeto
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,A Data da Licença deve ser maior que Data de Contratação
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,A Data da Licença deve ser maior que Data de Contratação
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Folhas por ano
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Linha {0}: Por favor, selecione 'É Adiantamento' se este é um lançamento de adiantamento  relacionado à conta {1}."
 apps/erpnext/erpnext/stock/utils.py +243,Warehouse {0} does not belong to company {1},Armazém {0} não pertence à empresa {1}
 DocType: Email Digest,Profit & Loss,Lucro e Perdas
 DocType: Task,Total Costing Amount (via Time Sheet),Custo Total (via Registro de Tempo)
 DocType: Item Website Specification,Item Website Specification,Especificação do Site do Item
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Licenças Bloqueadas
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Item {0} chegou ao fim da vida em {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Licenças Bloqueadas
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Item {0} chegou ao fim da vida em {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Lançamentos do Banco
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item da Conciliação de Estoque
 DocType: Stock Entry,Sales Invoice No,Nº da Nota Fiscal de Venda
@@ -194,11 +194,11 @@
 DocType: POS Profile,Allow user to edit Rate,Permitir que o usuário altere o preço
 DocType: Item,Publish in Hub,Publicar no Hub
 DocType: Student Admission,Student Admission,Admissão do Aluno
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Item {0} é cancelada
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Requisição de Material
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Item {0} é cancelada
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Requisição de Material
 DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data Liquidação
 DocType: Item,Purchase Details,Detalhes de Compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Item {0} não encontrado em 'matérias-primas fornecidas"" na tabela Pedido de Compra {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Item {0} não encontrado em 'matérias-primas fornecidas"" na tabela Pedido de Compra {1}"
 apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Pedidos confirmados de clientes.
 DocType: Notification Control,Notification Control,Controle de Notificação
 DocType: Territory,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."
@@ -214,7 +214,7 @@
 DocType: Tax Rule,Shipping County,Condado de Entrega
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Custo da Atividade por Colaborador
 DocType: Accounts Settings,Settings for Accounts,Configurações para Contas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Nº da Nota Fiscal do Fornecedor já existe na Nota Fiscal de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Nº da Nota Fiscal do Fornecedor já existe na Nota Fiscal de Compra {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gerenciar vendedores
 DocType: Job Applicant,Cover Letter,Carta de apresentação
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques em circulação e depósitos para apagar
@@ -230,7 +230,7 @@
 DocType: Journal Entry,Multi Currency,Multi moeda
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configurando Impostos
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagamento foi modificado depois que você puxou-o. Por favor, puxe-o novamente."
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} entrou duas vezes no Imposto do Item
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} entrou duas vezes no Imposto do Item
 DocType: Workstation,Rent Cost,Custo do Aluguel
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Próximos Eventos do Calendário
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Selecione mês e ano
@@ -266,7 +266,7 @@
 DocType: Request for Quotation,Request for Quotation,Solicitação de Orçamento
 DocType: Salary Slip Timesheet,Working Hours,Horas de trabalho
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Alterar o número sequencial de início/atual de uma série existente.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Criar novo Cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Criar novo Cliente
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias regras de preços continuam a prevalecer, os usuários são convidados a definir a prioridade manualmente para resolver o conflito."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Criar Pedidos de Compra
 ,Purchase Register,Registro de Compras
@@ -274,7 +274,7 @@
 DocType: Workstation,Consumable Cost,Custo dos Consumíveis
 DocType: Purchase Receipt,Vehicle Date,Data do Veículo
 DocType: Student Log,Medical,Médico
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Motivo para perder
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Motivo para perder
 DocType: Announcement,Receiver,Recebedor
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"Workstation é fechado nas seguintes datas, conforme lista do feriado: {0}"
 DocType: Lab Test Template,Single,Solteiro
@@ -284,18 +284,18 @@
 DocType: Delivery Note,% Installed,Instalado %
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Leia o manual de ERPNext
 DocType: Purchase Invoice,01-Sales Return,01-Devolução de vendas
-DocType: Email Digest,Pending Purchase Orders,Pedidos de Compra Pendentes
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Número de Série automaticamente definido com base na FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Verificar unicidade de número de nota fiscal do fornecedor
 DocType: Vehicle Service,Oil Change,Troca de Óleo
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Número do Caso Final' não pode ser menor que o 'Número do Caso Inicial'
 DocType: Lead,Channel Partner,Canal de Parceria
 DocType: Account,Old Parent,Pai Velho
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +221,{0} {1} is not associated with {2} {3},{0} {1} não está associado com {2} {3}
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personalize o texto introdutório que vai como uma parte do que email. Cada transação tem um texto introdutório separado.
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,As configurações globais para todos os processos de fabricação.
 DocType: Accounts Settings,Accounts Frozen Upto,Contas congeladas até
 DocType: SMS Log,Sent On,Enviado em
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atributo {0} selecionada várias vezes na tabela de atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atributo {0} selecionada várias vezes na tabela de atributos
 DocType: HR Settings,Employee record is created using selected field. ,O registro do colaborador é criado usando o campo selecionado.
 DocType: Request for Quotation Item,Required Date,Para o Dia
 DocType: Delivery Note,Billing Address,Endereço de Faturamento
@@ -315,7 +315,7 @@
 DocType: Sales Order Item,Used for Production Plan,Usado para o Plano de Produção
 DocType: Loan,Total Payment,Pagamento Total
 DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo entre operações (em minutos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} é cancelado então a ação não pode ser concluída
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} é cancelado então a ação não pode ser concluída
 DocType: Item Price,Valid Upto,Válido até
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avisar em Pedidos de Compra
 apps/erpnext/erpnext/utilities/user_progress.py +67,List a few of your customers. They could be organizations or individuals.,Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas.
@@ -329,7 +329,7 @@
 apps/erpnext/erpnext/projects/doctype/task/task.py +47,Cannot close task as its dependant task {0} is not closed.,Não pode fechar tarefa como sua tarefa dependente {0} não está fechado.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +435,Please enter Warehouse for which Material Request will be raised,"Por favor, indique Armazén para as quais as Requisições de Material serão levantadas"
 DocType: Work Order,Additional Operating Cost,Custo Operacional Adicional
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Para mesclar , seguintes propriedades devem ser os mesmos para ambos os itens"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Para mesclar , seguintes propriedades devem ser os mesmos para ambos os itens"
 ,Serial No Warranty Expiry,Vencimento da Garantia com Nº de Série
 DocType: Sales Invoice,Offline POS Name,Nome do POS Offline
 DocType: Sales Order,To Deliver,Para Entregar
@@ -353,15 +353,15 @@
 DocType: Installation Note Item,Installation Note Item,Item da Nota de Instalação
 DocType: Production Plan Item,Pending Qty,Pendente Qtde
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} não está ativo
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Configurar dimensões do cheque para impressão
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Configurar dimensões do cheque para impressão
 DocType: Salary Slip,Salary Slip Timesheet,Controle de Tempo do Demonstrativo de Pagamento
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Fornecedor Armazém obrigatório para sub- contratados Recibo de compra
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Fornecedor Armazém obrigatório para sub- contratados Recibo de compra
 DocType: Item Price,Valid From,Válido de
 DocType: Sales Invoice,Total Commission,Total da Comissão
 DocType: Buying Settings,Purchase Receipt Required,Recibo de Compra Obrigatório
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nenhum registro encontrado na tabela de fatura
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Por favor, selecione a Empresa e Tipo de Sujeito primeiro"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Ano Financeiro / Exercício.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Ano Financeiro / Exercício.
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Desculpe, os números de ordem não podem ser mescladas"
 DocType: Supplier,Prevent RFQs,Evitar Orçamentos
 ,Lead Id,Cliente em Potencial ID
@@ -373,14 +373,14 @@
 DocType: Job Applicant,Resume Attachment,Anexo currículo
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Clientes Repetidos
 DocType: Leave Control Panel,Allocate,Alocar
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Devolução de Vendas
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Devolução de Vendas
 DocType: Item,Delivered by Supplier (Drop Ship),Entregue pelo Fornecedor (Drop Ship)
 apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Banco de dados de clientes potenciais.
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Banco de Dados de Clientes
 DocType: Quotation,Quotation To,Orçamento para
-DocType: Lead,Middle Income,Média Renda
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Média Renda
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Abertura (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidade de medida padrão para item {0} não pode ser alterado diretamente porque você já fez alguma transação (s) com outra Unidade de Medida. Você precisará criar um novo item para usar uma Unidade de Medida padrão diferente.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidade de medida padrão para item {0} não pode ser alterado diretamente porque você já fez alguma transação (s) com outra Unidade de Medida. Você precisará criar um novo item para usar uma Unidade de Medida padrão diferente.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Total alocado não pode ser negativo
 DocType: Purchase Order Item,Billed Amt,Valor Faturado
 DocType: Training Result Employee,Training Result Employee,Resultado do Treinamento do Colaborador
@@ -391,7 +391,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +150,Reference No & Reference Date is required for {0},Número de referência e Referência Data é necessário para {0}
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selecione a conta de pagamento para fazer o lançamento bancário
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Proposta Redação
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Outro Vendedor {0} existe com o mesmo ID de Colaborador
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Outro Vendedor {0} existe com o mesmo ID de Colaborador
 apps/erpnext/erpnext/config/education.py +180,Masters,Cadastros
 apps/erpnext/erpnext/config/accounts.py +161,Update Bank Transaction Dates,Conciliação Bancária
 apps/erpnext/erpnext/config/projects.py +41,Time Tracking,Controle de Tempo
@@ -409,7 +409,7 @@
 DocType: Buying Settings,Supplier Naming By,Nomeação do Fornecedor por
 DocType: Activity Type,Default Costing Rate,Preço de Custo Padrão
 DocType: Maintenance Schedule,Maintenance Schedule,Programação da Manutenção
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"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"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"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"
 DocType: Employee,Passport Number,Número do Passaporte
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Gerente
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novo limite de crédito é inferior ao saldo devedor atual do cliente. O limite de crédito deve ser de pelo menos {0}
@@ -418,7 +418,7 @@
 DocType: Work Order Operation,In minutes,Em Minutos
 DocType: Issue,Resolution Date,Data da Solução
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Registro de Tempo criado:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Defina Caixa padrão ou conta bancária no Modo de pagamento {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Defina Caixa padrão ou conta bancária no Modo de pagamento {0}
 DocType: Selling Settings,Customer Naming By,Nomeação de Cliente por
 DocType: Depreciation Schedule,Depreciation Amount,Valor de Depreciação
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +105,Convert to Group,Converter em Grupo
@@ -452,14 +452,14 @@
 DocType: Instructor Log,Other Details,Outros detalhes
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Fornecedor
 DocType: Vehicle,Odometer Value (Last),Quilometragem do Odômetro (última)
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,marketing
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Entrada de pagamento já foi criada
 DocType: Purchase Receipt Item Supplied,Current Stock,Estoque Atual
 apps/erpnext/erpnext/controllers/accounts_controller.py +665,Row #{0}: Asset {1} does not linked to Item {2},Linha # {0}: Ativo {1} não vinculado ao item {2}
 DocType: Account,Expenses Included In Valuation,Despesas Incluídas na Avaliação
 ,Absent Student Report,Relatório de Frequência do Aluno
 DocType: Email Digest,Next email will be sent on:,Próximo email será enviado em:
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Item tem variantes.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Item tem variantes.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} não foi encontrado
 DocType: Bin,Stock Value,Valor do Estoque
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tipo de árvore
@@ -469,17 +469,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +7,Aerospace,Aeroespacial
 DocType: Journal Entry,Credit Card Entry,Lançamento de Cartão de Crédito
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Empresas e Contas
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Valor Entrada
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Valor Entrada
 DocType: Selling Settings,Close Opportunity After Days,Fechar Oportunidade Após Dias
 DocType: Purchase Order,Supply Raw Materials,Abastecimento de Matérias-primas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Ativo Circulante
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} não é um item de estoque
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} não é um item de estoque
 DocType: Payment Entry,Received Amount (Company Currency),Total recebido (moeda da empresa)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,O Cliente em Potencial deve ser informado se a Oportunidade foi feita para um Cliente em Potencial.
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Por favor selecione dia de folga semanal
 DocType: Work Order Operation,Planned End Time,Horário Planejado de Término
 ,Sales Person Target Variance Item Group-Wise,Variação de Público do Vendedor por Grupo de Item
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Contas com transações existentes não pode ser convertidas em livro-razão
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Contas com transações existentes não pode ser convertidas em livro-razão
 DocType: Delivery Note,Customer's Purchase Order No,Nº do Pedido de Compra do Cliente
 apps/erpnext/erpnext/stock/reorder_item.py +194,Auto Material Requests Generated,Requisições de Material Geradas Automaticamente
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +184,You can not enter current voucher in 'Against Journal Entry' column,Você não pode lançar o comprovante atual na coluna 'Contra Entrada do Livro Diário'
@@ -487,9 +487,9 @@
 DocType: Opportunity,Opportunity From,Oportunidade de
 DocType: BOM,Website Specifications,Especificações do Site
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: A partir de {0} do tipo {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Linha {0}: Fator de Conversão é obrigatório
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Várias regras de preços existe com os mesmos critérios, por favor, resolver o conflito através da atribuição de prioridade. Regras Preço: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar BOM vez que está associada com outras BOMs
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Linha {0}: Fator de Conversão é obrigatório
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Várias regras de preços existe com os mesmos critérios, por favor, resolver o conflito através da atribuição de prioridade. Regras Preço: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar BOM vez que está associada com outras BOMs
 DocType: Item Attribute Value,Item Attribute Value,Item Atributo Valor
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanhas de vendas .
 DocType: Project Task,Make Timesheet,Fazer Registro de Tempo
@@ -534,16 +534,16 @@
  9. É este imposto incluído na Taxa Básica ?: Se você verificar isso, significa que este imposto não será exibido abaixo da tabela de item, mas será incluída na taxa básica em sua tabela item principal. Isso é útil quando você quer dar um preço fixo (incluindo todos os impostos) dos preços para os clientes."
 DocType: Employee,Bank A/C No.,Nº Cta. Bancária
 apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +9,Partially Ordered,Parcialmente Comprados
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Nome do Documento
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Nome do Documento
 DocType: Expense Claim Detail,Expense Claim Type,Tipo de Pedido de Reembolso de Despesas
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,As configurações padrão para Carrinho de Compras
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Despesas com Manutenção de Escritório
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurando Conta de Email
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Por favor, indique primeiro item"
 DocType: Account,Liability,Passivo
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Montante Liberado não pode ser maior do que no Pedido de Reembolso na linha {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Montante Liberado não pode ser maior do que no Pedido de Reembolso na linha {0}.
 DocType: Company,Default Cost of Goods Sold Account,Conta de Custo Padrão de Mercadorias Vendidas
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Lista de Preço não selecionado
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Lista de Preço não selecionado
 DocType: Employee,Family Background,Antecedentes familiares
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nenhuma permissão
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +75,"To filter based on Party, select Party Type first","Para filtrar baseado em Sujeito, selecione o Tipo de Sujeito primeiro"
@@ -562,9 +562,9 @@
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +410,"If you have any questions, please get back to us.","Se você tem alguma pergunta, por favor nos contate."
 DocType: Item,Website Warehouse,Armazém do Site
 DocType: Payment Reconciliation,Minimum Invoice Amount,Valor Mínimo da Fatura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,O Registro de Tempo {0} está finalizado ou cancelado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,O Registro de Tempo {0} está finalizado ou cancelado
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Pontuação deve ser inferior ou igual a 5
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Registros C-Form
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Registros C-Form
 DocType: Email Digest,Email Digest Settings,Configurações do Resumo por Email
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +412,Thank you for your business!,Obrigado pela compra!
 apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Suporte às perguntas de clientes.
@@ -585,8 +585,8 @@
 apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Pedido de Compra para Pagamento
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Qtde Projetada
 DocType: Sales Invoice,Payment Due Date,Data de Vencimento
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Variant item {0} já existe com mesmos atributos
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Abrindo'
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Variant item {0} já existe com mesmos atributos
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Abrindo'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Atribuições em aberto
 DocType: Notification Control,Delivery Note Message,Mensagem da Guia de Remessa
 DocType: Item Variant Attribute,Item Variant Attribute,Variant item Atributo
@@ -602,7 +602,7 @@
 DocType: Sales Invoice Item,Stock Details,Detalhes do Estoque
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Ponto de Vendas
 DocType: Vehicle Log,Odometer Reading,Leitura do Odômetro
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","O saldo já  está em crédito, você não tem a permissão para definir 'saldo deve ser' como 'débito'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","O saldo já  está em crédito, você não tem a permissão para definir 'saldo deve ser' como 'débito'"
 DocType: Account,Balance must be,O Saldo deve ser
 DocType: Notification Control,Expense Claim Rejected Message,Mensagem de recusa do Pedido de Reembolso de Despesas
 ,Available Qty,Qtde Disponível
@@ -616,28 +616,28 @@
 DocType: Supplier Quotation,Is Subcontracted,É subcontratada
 DocType: Item Attribute,Item Attribute Values,Valores dos Atributos
 ,Received Items To Be Billed,"Itens Recebidos, mas não Faturados"
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Cadastro de Taxa de Câmbio
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Cadastro de Taxa de Câmbio
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar entalhe Tempo nos próximos {0} dias para a Operação {1}
 DocType: Work Order,Plan material for sub-assemblies,Material de Plano de sub-conjuntos
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,LDM {0} deve ser ativa
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,LDM {0} deve ser ativa
 DocType: Journal Entry,Depreciation Entry,Lançamento de Depreciação
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Por favor, selecione o tipo de documento primeiro"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Por favor, selecione o tipo de documento primeiro"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Materiais Visitas {0} antes de cancelar este Manutenção Visita
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial Não {0} não pertence ao item {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Qtde Requerida
 DocType: Bank Reconciliation,Total Amount,Valor total
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +32,Internet Publishing,Publishing Internet
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js +25,Creating {0} Invoice,Criando Fatura de {0}
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Valor Patrimonial
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Valor Patrimonial
 apps/erpnext/erpnext/accounts/general_ledger.py +178,Please mention Round Off Account in Company,"Por favor, mencione completam Conta in Company"
 DocType: Purchase Receipt,Range,Alcance
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +52,Employee {0} is not active or does not exist,Colaborador {0} não está ativo ou não existe
 DocType: Item Barcode,Item Barcode,Código de barras do Item
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Variante(s) do Item {0} atualizada(s)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Variante(s) do Item {0} atualizada(s)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Adiantamento da Nota Fiscal de Compra
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Linha {0}: Lançamento de crédito não pode ser relacionado a uma {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Defina orçamento para um ano fiscal.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Defina orçamento para um ano fiscal.
 DocType: Employee,Permanent Address Is,Endereço permanente é
 DocType: Payment Terms Template,Payment Terms Template,Modelo de Termos de Pagamento
 DocType: Employee,Exit Interview Details,Detalhes da Entrevista de Saída
@@ -646,15 +646,14 @@
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Abertura Data e Data de Fechamento deve estar dentro mesmo ano fiscal
 DocType: Lead,Request for Information,Solicitação de Informação
 ,LeaderBoard,Ranking de Desempenho
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sincronizar Faturas Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sincronizar Faturas Offline
 DocType: Program Fee,Program Fee,Taxa do Programa
 DocType: Material Request Item,Lead Time Date,Prazo de Entrega
 DocType: Loan,Sanctioned,Liberada
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,é obrigatório. Talvez o registro de taxas de câmbios não está criado para
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Linha # {0}: Favor especificar Sem Serial para item {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens &#39;pacote de produtos &quot;, Armazém, Serial e não há Batch Não será considerada a partir do&#39; Packing List &#39;tabela. Se Warehouse e Batch Não são as mesmas para todos os itens de embalagem para qualquer item de &#39;Bundle Produto&#39;, esses valores podem ser inseridos na tabela do item principal, os valores serão copiados para &#39;Packing List&#39; tabela."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Linha # {0}: Favor especificar Sem Serial para item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens &#39;pacote de produtos &quot;, Armazém, Serial e não há Batch Não será considerada a partir do&#39; Packing List &#39;tabela. Se Warehouse e Batch Não são as mesmas para todos os itens de embalagem para qualquer item de &#39;Bundle Produto&#39;, esses valores podem ser inseridos na tabela do item principal, os valores serão copiados para &#39;Packing List&#39; tabela."
 DocType: Student Admission,Publish on website,Publicar no site
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,A data da nota fiscal do fornecedor não pode ser maior do que data do lançamento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,A data da nota fiscal do fornecedor não pode ser maior do que data do lançamento
 DocType: Purchase Invoice Item,Purchase Order Item,Item do Pedido de Compra
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +139,Indirect Income,Receita Indireta
 DocType: Student Attendance Tool,Student Attendance Tool,Ferramenta de Presença dos Alunos
@@ -676,13 +675,12 @@
 DocType: BOM Website Item,BOM Website Item,LDM do Item do Site
 apps/erpnext/erpnext/public/js/setup_wizard.js +52,Upload your letter head and logo. (you can edit them later).,Publique sua cabeça letra e logotipo. (Você pode editá-las mais tarde).
 DocType: SMS Center,All Lead (Open),Todos os Clientes em Potencial em Aberto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Qtde não disponível do item {4} no armazén {1} no horário do lançamento ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Qtde não disponível do item {4} no armazén {1} no horário do lançamento ({2} {3})
 DocType: Purchase Invoice,Get Advances Paid,Obter adiantamentos pagos
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Fazer
 DocType: Journal Entry,Total Amount in Words,Valor total por extenso
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Houve um erro. Uma razão provável pode ser que você não tenha salvo o formulário. Entre em contato com support@erpnext.com se o problema persistir.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Meu carrinho
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Tipo de Ordem deve ser uma das {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Tipo de Ordem deve ser uma das {0}
 DocType: Lead,Next Contact Date,Data do Próximo Contato
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qtde Abertura
 DocType: Program Enrollment Tool Student,Student Batch Name,Nome da Série de Alunos
@@ -690,7 +688,7 @@
 DocType: Repayment Schedule,Balance Loan Amount,Saldo do Empréstimo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Opções de Compra
 DocType: Journal Entry Account,Expense Claim,Pedido de Reembolso de Despesas
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Você realmente deseja restaurar este ativo descartado?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Você realmente deseja restaurar este ativo descartado?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Qtde para {0}
 DocType: Leave Application,Leave Application,Solicitação de Licenças
 DocType: Leave Block List,Leave Block List Dates,Deixe as datas Lista de Bloqueios
@@ -699,7 +697,7 @@
 DocType: Packing Slip Item,Packing Slip Item,Item da Lista de Embalagem
 DocType: Purchase Invoice,Cash/Bank Account,Conta do Caixa/Banco
 DocType: Delivery Note,Delivery To,Entregar Para
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,A tabela de atributos é obrigatório
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,A tabela de atributos é obrigatório
 DocType: Production Plan,Get Sales Orders,Obter Pedidos de Venda
 DocType: Asset,Total Number of Depreciations,Número Total de Depreciações
 DocType: Workstation,Wages,Salário
@@ -714,12 +712,12 @@
 DocType: Job Card,WIP Warehouse,Armazén de Trabalho em Andamento
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},Nº de Série {0} está sob contrato de manutenção até {1}
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"O artigo deve ser adicionado usando ""Obter itens de recibos de compra 'botão"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Viagem de Entrega
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Viagem de Entrega
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Compra padrão
 DocType: GL Entry,Against,Contra
 DocType: Item Default,Default Selling Cost Center,Centro de Custo Padrão de Vendas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,CEP
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Pedido de Venda {0} é {1}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,CEP
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Pedido de Venda {0} é {1}
 DocType: Opportunity,Contact Info,Informações para Contato
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Fazendo Lançamentos no Estoque
 DocType: Packing Slip,Net Weight UOM,Unidade de Medida do Peso Líquido
@@ -741,20 +739,20 @@
 DocType: SMS Center,Total Characters,Total de Personagens
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detalhe Fatura do Formulário-C
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura da Conciliação de Pagamento
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Contribuição%
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Contribuição%
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Números de registro da empresa para sua referência. Exemplo: CNPJ, IE, etc"
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regra de Envio do Carrinho de Compras
 apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',"Por favor, defina &quot;Aplicar desconto adicional em &#39;"
 ,Ordered Items To Be Billed,"Itens Vendidos, mas não Faturados"
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,De Gama tem de ser inferior à gama
 DocType: Global Defaults,Global Defaults,Padrões Globais
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Convite para Colaboração em Projeto
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Convite para Colaboração em Projeto
 DocType: Purchase Invoice,Start date of current invoice's period,Data de início do período de fatura atual
 DocType: Salary Slip,Leave Without Pay,Licença não remunerada
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +366,Capacity Planning Error,Erro de Planejamento de Capacidade
 ,Trial Balance for Party,Balancete para o Sujeito
 DocType: Salary Slip,Earnings,Ganhos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,O Item finalizado {0} deve ser digitado para a o lançamento de tipo de fabricação
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,O Item finalizado {0} deve ser digitado para a o lançamento de tipo de fabricação
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Saldo de Abertura da Conta
 DocType: Sales Invoice Advance,Sales Invoice Advance,Adiantamento da Fatura de Venda
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nada para pedir
@@ -764,7 +762,7 @@
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Isso vai ser anexado ao Código do item da variante. Por exemplo, se a sua abreviatura é ""SM"", e o código do item é ""t-shirt"", o código do item da variante será ""T-shirt-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pagamento líquido (por extenso) será visível quando você salvar a folha de pagamento.
 DocType: Delivery Note,Is Return,É Devolução
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Devolução / Nota de Débito
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Devolução / Nota de Débito
 DocType: Price List Country,Price List Country,Preço da lista País
 DocType: Item,UOMs,Unidades de Medida
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} números de série válidos para o item {1}
@@ -772,12 +770,12 @@
 DocType: Purchase Invoice Item,UOM Conversion Factor,Fator de Conversão da Unidade de Medida
 DocType: Stock Settings,Default Item Group,Grupo de Itens padrão
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Banco de dados do fornecedor.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Centro de Custos para Item com Código '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Centro de Custos para Item com Código '
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Outras contas podem ser feitas em Grupos, mas as entradas podem ser feitas contra os Não-Grupos"
 DocType: Lead,Lead,Cliente em Potencial
 DocType: Email Digest,Payables,Contas a Pagar
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Lançamento de Estoque {0} criado
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha # {0}: Qtde rejeitada não pode ser lançada na devolução da compra
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha # {0}: Qtde rejeitada não pode ser lançada na devolução da compra
 ,Purchase Order Items To Be Billed,"Itens Comprados, mas não Faturados"
 DocType: Purchase Invoice Item,Purchase Invoice Item,Item da Nota Fiscal de Compra
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +58,Stock Ledger Entries and GL Entries are reposted for the selected Purchase Receipts,Banco de Ledger Entradas e GL As entradas são reenviados para os recibos de compra selecionados
@@ -796,10 +794,10 @@
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +56,Item {0} must be a non-stock item,Item {0} deve ser um item não inventariado
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Ver Livro Razão
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Mais antigas
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Um grupo de itens existe com o mesmo nome, por favor, mude o nome do item ou mude o nome do grupo de itens"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Um grupo de itens existe com o mesmo nome, por favor, mude o nome do item ou mude o nome do grupo de itens"
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Celular do Aluno
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Celular do Aluno
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Resto do Mundo
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Resto do Mundo
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,O item {0} não pode ter Batch
 ,Budget Variance Report,Relatório de Variação de Orçamento
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Registro Contábil
@@ -819,14 +817,13 @@
 DocType: GL Entry,Against Voucher,Contra o Comprovante
 DocType: Item Default,Default Buying Cost Center,Centro de Custo Padrão de Compra
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Para tirar o melhor proveito do ERPNext, recomendamos que você dedique algum tempo para assistir a esses vídeos de ajuda."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,para
 DocType: Supplier Quotation Item,Lead Time in days,Prazo de Entrega (em dias)
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Resumo do Contas a Pagar
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Não autorizado para editar conta congelada {0}
 DocType: Journal Entry,Get Outstanding Invoices,Obter notas pendentes
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +84,Sales Order {0} is not valid,Pedido de Venda {0} não é válido
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Avisar ao criar novas solicitações de orçamentos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",A quantidade total Saída / Transferir {0} na Requisição de Material {1} \ não pode ser maior do que a quantidade solicitada {2} para o Item {3}
 DocType: Education Settings,Employee Number,Número do Colaborador
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +67,Case No(s) already in use. Try from Case No {0},Processo n º (s) já está em uso . Tente de Processo n {0}
@@ -837,18 +834,18 @@
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total de Alcançados
 DocType: Employee,Place of Issue,Local de Envio
 DocType: Email Digest,Add Quote,Adicionar Citar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Fator de Conversão de Unidade de Medida é necessário para Unidade de Medida: {0} no Item: {1}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Linha {0}: Qtde é obrigatória
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sincronizar com o Servidor
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Fator de Conversão de Unidade de Medida é necessário para Unidade de Medida: {0} no Item: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Linha {0}: Qtde é obrigatória
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sincronizar com o Servidor
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Seus Produtos ou Serviços
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Forma de Pagamento
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Site de imagem deve ser um arquivo público ou URL do site
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Site de imagem deve ser um arquivo público ou URL do site
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Este é um grupo de itens de raiz e não pode ser editada.
 DocType: Journal Entry Account,Purchase Order,Pedido de Compra
 DocType: Vehicle,Fuel UOM,UDM do Combustível
 DocType: Warehouse,Warehouse Contact Info,Informações de Contato do Armazén
 DocType: Payment Entry,Write Off Difference Amount,Valor da diferença do abatimento
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Email do colaborador não encontrado, portanto o email não foi enviado"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Email do colaborador não encontrado, portanto o email não foi enviado"
 DocType: Email Digest,Annual Income,Receita Anual
 DocType: Serial No,Serial No Details,Detalhes do Nº de Série
 DocType: Purchase Invoice Item,Item Tax Rate,Alíquota do Imposto do Item
@@ -856,8 +853,8 @@
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Item {0} deve ser um item do sub- contratados
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Bens de Capital
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regra de Preços é o primeiro selecionado com base em ""Aplicar On 'campo, que pode ser Item, item de grupo ou Marca."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Tipo do Documento
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Porcentagem total alocado para a equipe de vendas deve ser de 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Tipo do Documento
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Porcentagem total alocado para a equipe de vendas deve ser de 100
 ,Team Updates,Updates da Equipe
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +39,For Supplier,Para Fornecedor
 DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Definir o Tipo de Conta ajuda na seleção desta Conta nas transações.
@@ -874,7 +871,7 @@
 DocType: Grading Scale Interval,Grade Code,Código de Nota de Avaliação
 DocType: POS Item Group,POS Item Group,Grupo de Itens PDV
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Resumo por Email:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},A LDM {0} não pertencem ao Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},A LDM {0} não pertencem ao Item {1}
 DocType: Sales Partner,Target Distribution,Distribuição de metas
 DocType: Salary Slip,Bank Account No.,Nº Conta Bancária
 DocType: Naming Series,This is the number of the last created transaction with this prefix,Este é o número da última transação criada com este prefixo
@@ -894,7 +891,7 @@
 DocType: Purchase Taxes and Charges,Add or Deduct,Adicionar ou Reduzir
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Condições sobreposição encontradas entre :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Contra Journal Entry {0} já é ajustado contra algum outro comprovante
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Alimentos
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Alimentos
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Faixa de Envelhecimento 3
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Moeda da Conta de encerramento deve ser {0}
 apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},Soma de pontos para todos os objetivos deve inteirar 100. (valor atual: {0})
@@ -919,14 +916,14 @@
 DocType: Item,Maintain Stock,Manter Estoque
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Variação Líquida do Ativo Imobilizado
 DocType: Leave Control Panel,Leave blank if considered for all designations,Deixe em branco se considerado para todas as designações
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge do tipo ' real ' na linha {0} não pode ser incluído no item Taxa
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge do tipo ' real ' na linha {0} não pode ser incluído no item Taxa
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir da data e hora
 apps/erpnext/erpnext/config/support.py +17,Communication log.,Log de Comunicação.
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +70,Buying Amount,Valor de Compra
 DocType: Sales Invoice,Shipping Address Name,Endereço de Entrega
 DocType: Material Request,Terms and Conditions Content,Conteúdo dos Termos e Condições
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Item {0} não é um item de estoque
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Item {0} não é um item de estoque
 DocType: Maintenance Visit,Unscheduled,Sem Agendamento
 DocType: Salary Component,Depends on Leave Without Pay,Depende de licença sem vencimento
 ,Purchase Invoice Trends,Tendência de Notas Fiscais de Compra
@@ -942,7 +939,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negativo Quantidade não é permitido
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Detalhe da tabela de imposto obtido a partir do cadastro do item como texto e armazenado neste campo. Usado para Tributos e Encargos
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Colaborador não pode denunciar a si mesmo.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Colaborador não pode denunciar a si mesmo.
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se a conta for congelada, os lançamentos só serão permitidos aos usuários restritos."
 apps/erpnext/erpnext/accounts/party.py +269,Accounting Entry for {0}: {1} can only be made in currency: {2},Contabilidade de entrada para {0}: {1} só pode ser feito em moeda: {2}
 DocType: Job Opening,"Job profile, qualifications required etc.","Perfil da vaga, qualificações exigidas, etc."
@@ -956,8 +953,8 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Subconjuntos
 DocType: Shipping Rule Condition,To Value,Para o Valor
 DocType: Asset Movement,Stock Manager,Gerente de Estoque
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},O armazén de origem é obrigatório para a linha {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Lista de Embalagem
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},O armazén de origem é obrigatório para a linha {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Lista de Embalagem
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Aluguel do Escritório
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Configurações de gateway SMS Setup
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +61,Import Failed!,Falha na Importação!
@@ -970,7 +967,7 @@
 apps/erpnext/erpnext/config/stock.py +312,Item Variants,Variantes dos Itens
 DocType: HR Settings,Email Salary Slip to Employee,Enviar contracheque para colaborador via email
 DocType: Cost Center,Parent Cost Center,Centro de Custo pai
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Selecione Possível Fornecedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Selecione Possível Fornecedor
 DocType: Sales Invoice,Source,Origem
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostrar fechados
 DocType: Leave Type,Is Leave Without Pay,É Licença não remunerada
@@ -984,7 +981,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +27,Executive Search,Executive Search
 apps/erpnext/erpnext/utilities/activation.py +63,Create Leads,Criar Clientes em Potencial
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Perfil do PDV é necessário para usar o ponto de venda
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} não foi enviado então a ação não pode ser concluída
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} não foi enviado então a ação não pode ser concluída
 DocType: Purchase Order Item Supplied,BOM Detail No,Nº do detalhe da LDM
 DocType: Landed Cost Voucher,Additional Charges,Encargos Adicionais
 DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Total do desconto adicional (moeda da empresa)
@@ -996,14 +993,14 @@
 DocType: Leave Block List,Block Holidays on important days.,Bloco Feriados em dias importantes.
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +119,Accounts Receivable Summary,Resumo do Contas a Receber
 DocType: Loan,Monthly Repayment Amount,Valor da Parcela Mensal
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Por favor, defina o campo ID do usuário em um registro de empregado para definir Função Funcionário"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Por favor, defina o campo ID do usuário em um registro de empregado para definir Função Funcionário"
 DocType: UOM,UOM Name,Nome da Unidade de Medida
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Contribuição Total
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Contribuição Total
 DocType: Purchase Invoice,Shipping Address,Endereço para Entrega
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Esta ferramenta ajuda você a atualizar ou corrigir a quantidade ea valorização das ações no sistema. Ele é geralmente usado para sincronizar os valores do sistema e que realmente existe em seus armazéns.
 DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Por extenso será visível quando você salvar a Guia de Remessa.
 DocType: Purchase Receipt,Transporter Details,Detalhes da Transportadora
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Possível Fornecedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Possível Fornecedor
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Lista Receiver está vazio. Por favor, crie Lista Receiver"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Serviço de Saúde (beta)
 DocType: Production Plan Sales Order,Production Plan Sales Order,Pedido de Venda do Plano de Produção
@@ -1021,7 +1018,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Folhas atribuídos com sucesso para {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Nenhum item para embalar
 DocType: Shipping Rule Condition,From Value,De Valor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Manufacturing Quantidade é obrigatório
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Manufacturing Quantidade é obrigatório
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se for selecionado, a Página Inicial será o Grupo de Itens padrão do site"
 DocType: Company,Default Holiday List,Lista Padrão de Feriados
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Stock Liabilities,Passivo Estoque
@@ -1029,19 +1026,18 @@
 DocType: Opportunity,Contact Mobile No,Celular do Contato
 ,Material Requests for which Supplier Quotations are not created,"Itens Requisitados, mas não Cotados"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,No dia (s) em que você está se candidatando a licença são feriados. Você não precisa solicitar uma licença.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Linha {idx}: {field} é obrigatório para criar as notas de abertura {invoice_type}
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Reenviar email de pagamento
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nova Tarefa
 apps/erpnext/erpnext/config/education.py +230,Other Reports,Relatórios Adicionais
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Fator de conversão de unidade de medida padrão deve ser 1 na linha {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Deixar do tipo {0} não pode ser maior que {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Fator de conversão de unidade de medida padrão deve ser 1 na linha {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Deixar do tipo {0} não pode ser maior que {1}
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Tente planejar operações para X dias de antecedência.
 DocType: HR Settings,Stop Birthday Reminders,Interromper lembretes de aniversários
 DocType: SMS Center,Receiver List,Lista de recebedores
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Quantidade Consumida
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Variação Líquida em Dinheiro
 DocType: Assessment Plan,Grading Scale,Escala de avaliação
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidade de Medida {0} foi inserida mais de uma vez na Tabela de Conversão de Fator
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidade de Medida {0} foi inserida mais de uma vez na Tabela de Conversão de Fator
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Já concluído
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +64,Import Successful!,Importação Realizada com Sucesso!
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +35,Payment Request already exists {0},Pedido de Pagamento já existe {0}
@@ -1052,25 +1048,25 @@
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +496,From Date cannot be greater than To Date,A partir de data não pode ser maior que a Data
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial Não {0} {1} quantidade não pode ser uma fração
 DocType: Purchase Order Item,Supplier Part Number,Número da Peça do Fornecedor
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} está cancelado ou parado
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} está cancelado ou parado
 DocType: Accounts Settings,Credit Controller,Controlador de crédito
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Recibo de compra {0} não é enviado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Recibo de compra {0} não é enviado
 DocType: Company,Default Payable Account,Contas a Pagar Padrão
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Configurações do carrinho de compras on-line, tais como regras de navegação, lista de preços etc."
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Qtde Reservada
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Qtde Reservada
 DocType: Party Account,Party Account,Conta do Sujeito
-DocType: Lead,Upper Income,Alta Renda
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Alta Renda
 DocType: Journal Entry Account,Debit in Company Currency,Débito em moeda da empresa
 DocType: Appraisal,For Employee,Para o Colaborador
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +170,Row {0}: Advance against Supplier must be debit,Linha {0}: Adiantamento relacionado com o fornecedor deve ser um débito
 DocType: Expense Claim,Total Amount Reimbursed,Quantia total reembolsada
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Relacionado à nota fiscal do fornecedor nº {0} emitida em {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Relacionado à nota fiscal do fornecedor nº {0} emitida em {1}
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Registro de Movimentação de Ativos {0} criado
 DocType: Journal Entry,Entry Type,Tipo de Lançamento
 ,Customer Credit Balance,Saldo de Crédito do Cliente
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Necessário para ' Customerwise Discount ' Cliente
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Atualizar datas de pagamento bancário com livro Diário.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Precificação
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Precificação
 DocType: Quotation,Term Details,Detalhes dos Termos
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Não é possível inscrever mais de {0} alunos neste grupo de alunos.
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Contagem de Clientes em Potencial
@@ -1100,16 +1096,16 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +18,Fulfillment,Realização
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Despesas com Marketing
 ,Item Shortage Report,Relatório de Itens em Falta no Estoque
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Peso é mencionado, \n Também mencione ""Unidade de Medida de Peso"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Peso é mencionado, \n Também mencione ""Unidade de Medida de Peso"""
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Requisição de Material usada para fazer esta Entrada de Material
 apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,Unidade única de um item.
 DocType: Fee Category,Fee Category,Categoria de Taxas
 ,Student Fee Collection,Cobrança de Taxa do Aluno
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Fazer lançamento contábil para cada movimento de estoque
 DocType: Leave Allocation,Total Leaves Allocated,Total de licenças alocadas
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Por favor, indique datas inicial e final válidas do Ano Financeiro"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Por favor, indique datas inicial e final válidas do Ano Financeiro"
 DocType: Employee,Date Of Retirement,Data da aposentadoria
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Configuração do ERPNext Concluída!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Configuração do ERPNext Concluída!
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Centro de Custo é necessário para a conta de ""Lucros e Perdas"" {2}. Por favor, crie um Centro de Custo padrão para a Empresa."
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +175,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe um grupo de clientes com o mesmo nome, por favor modifique o nome do cliente ou renomeie o grupo de clientes"
 apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Novo Contato
@@ -1118,11 +1114,11 @@
 DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se este item tem variantes, então ele não pode ser selecionado em pedidos de venda etc."
 DocType: Lead,Next Contact By,Próximo Contato Por
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Quantidade necessária para item {0} na linha {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído pois existe quantidade para item {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído pois existe quantidade para item {1}
 ,Item-wise Sales Register,Registro de Vendas por Item
 DocType: Asset,Gross Purchase Amount,Valor Bruto de Compra
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Este Imposto Está Incluído na Base de Cálculo?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Meta Total
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Meta Total
 DocType: Job Applicant,Applicant for a Job,Candidato à uma Vaga
 DocType: Production Plan Material Request,Production Plan Material Request,Requisição de Material do Planejamento de Produção
 DocType: Stock Reconciliation,Reconciliation JSON,Reconciliação JSON
@@ -1130,11 +1126,11 @@
 DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permitir vários Pedidos de Venda relacionados ao Pedido de Compra do Cliente
 DocType: Naming Series,Set prefix for numbering series on your transactions,Definir prefixo para séries de numeração em suas transações
 DocType: Employee Attendance Tool,Employees HTML,Colaboradores HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,LDM Padrão ({0}) precisa estar ativo para este item ou o seu modelo
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,LDM Padrão ({0}) precisa estar ativo para este item ou o seu modelo
 DocType: Employee,Leave Encashed?,Licenças Cobradas?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"O campo ""Oportunidade de"" é obrigatório"
 DocType: Email Digest,Annual Expenses,Despesas Anuais
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Criar Pedido de Compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Criar Pedido de Compra
 DocType: Payment Reconciliation Payment,Allocated amount,Quantidade atribuída
 DocType: Stock Reconciliation,Stock Reconciliation,Conciliação de Estoque
 DocType: Territory,Territory Name,Nome do Território
@@ -1143,16 +1139,16 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +262,Against Journal Entry {0} does not have any unmatched {1} entry,Contra Journal Entry {0} não tem qualquer {1} entrada incomparável
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicar Serial Não entrou para item {0}
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,A condição para uma regra de Remessa
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base em artigo ou Armazém"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base em artigo ou Armazém"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),O peso líquido do pacote. (Calculado automaticamente como soma do peso líquido dos itens)
 DocType: Sales Order,To Deliver and Bill,Para Entregar e Faturar
 DocType: GL Entry,Credit Amount in Account Currency,Crédito em moeda da conta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,LDM {0} deve ser enviada
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,LDM {0} deve ser enviada
 DocType: Authorization Control,Authorization Control,Controle de autorização
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha # {0}: Armazén Rejeitado é obrigatório para o item rejeitado {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha # {0}: Armazén Rejeitado é obrigatório para o item rejeitado {1}
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gerir seus pedidos
 DocType: Work Order Operation,Actual Time and Cost,Tempo e Custo Real
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Requisição de Material de no máximo {0} pode ser feita para item {1} relacionado à ordem de venda {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Requisição de Material de no máximo {0} pode ser feita para item {1} relacionado à ordem de venda {2}
 DocType: Course,Course Abbreviation,Abreviação do Curso
 DocType: Student Leave Application,Student Leave Application,Pedido de Licença do Aluno
 DocType: Item,Will also apply for variants,Também se aplica às variantes
@@ -1163,7 +1159,7 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Você digitou itens duplicados . Por favor, corrigir e tentar novamente."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Associado
 DocType: Asset Movement,Asset Movement,Movimentação de Ativos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Novo Carrinho
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Novo Carrinho
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} não é um item serializado
 DocType: SMS Center,Create Receiver List,Criar Lista de Receptor
 DocType: Packing Slip,To Package No.,Até nº do pacote
@@ -1179,7 +1175,7 @@
 DocType: Leave Application,Apply / Approve Leaves,Aplicar / Aprovar Leaves
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,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'
 DocType: Sales Order Item,Delivery Warehouse,Armazén de Entrega
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Árvore de Centros de Custo.
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Árvore de Centros de Custo.
 DocType: Serial No,Delivery Document No,Nº do Documento de Entrega
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +42,"Selling must be checked, if Applicable For is selected as {0}","Venda deve ser verificada, se for caso disso for selecionado como {0}"
 DocType: Production Plan Material Request,Material Request Date,Data da Requisição de Material
@@ -1200,7 +1196,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +73,Item {0} is not setup for Serial Nos. Check Item master,"Item {0} não está configurado para nºs de série mestre, verifique o cadastro do item"
 DocType: Maintenance Visit,Maintenance Time,Horário da Manutenção
 ,Amount to Deliver,Total à Entregar
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Ocorreram erros.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Ocorreram erros.
 DocType: Guardian,Guardian Interests,Interesses do Responsável
 apps/erpnext/erpnext/controllers/accounts_controller.py +321,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Vários anos fiscais existem para a data {0}. Por favor, defina empresa no ano fiscal"
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +229,{0} created,{0} criou
@@ -1254,7 +1250,7 @@
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Não Definido
 DocType: Task,Total Billing Amount (via Time Sheet),Total Faturado (via Registro de Tempo)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Receita Clientes Repetidos
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Selecionar LDM e quantidade para produção
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Selecionar LDM e quantidade para produção
 DocType: Asset,Depreciation Schedule,Tabela de Depreciação
 DocType: Bank Reconciliation Detail,Against Account,Contra à Conta
 DocType: Item,Has Batch No,Tem nº de Lote
@@ -1262,19 +1258,19 @@
 DocType: Delivery Note,Excise Page Number,Número de página do imposto
 DocType: Asset,Purchase Date,Data da Compra
 DocType: Student,Personal Details,Detalhes pessoais
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},"Por favor, defina &quot;de ativos Centro de Custo Depreciação &#39;in Company {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},"Por favor, defina &quot;de ativos Centro de Custo Depreciação &#39;in Company {0}"
 ,Maintenance Schedules,Horários de Manutenção
 DocType: Task,Actual End Date (via Time Sheet),Data Final Real (via Registro de Tempo)
 ,Quotation Trends,Tendência de Orçamentos
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Grupo item não mencionado no mestre de item para item {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,De débito em conta deve ser uma conta a receber
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,De débito em conta deve ser uma conta a receber
 DocType: Shipping Rule,Shipping Amount,Valor do Transporte
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Adicionar Clientes
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Adicionar Clientes
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Total pendente
 ,Vehicle Expenses,Despesas com Veículos
 DocType: Purchase Receipt,Vehicle Number,Placa do Veículo
 DocType: Loan,Loan Amount,Valor do Empréstimo
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Linha {0}: Lista de MAteriais não encontrada para o item {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Linha {0}: Lista de MAteriais não encontrada para o item {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total de licenças alocadas {0} não pode ser menor do que as licenças já aprovadas {1} para o período
 DocType: Work Order,Use Multi-Level BOM,Utilize LDM Multinível
 DocType: Bank Reconciliation,Include Reconciled Entries,Incluir entradas reconciliadas
@@ -1290,7 +1286,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupo para Não-Grupo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Esportes
 DocType: Loan Type,Loan Name,Nome do Empréstimo
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Total Atual
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Total Atual
 DocType: Student Siblings,Student Siblings,Irmãos do Aluno
 apps/erpnext/erpnext/stock/get_item_details.py +157,Please specify Company,"Por favor, especifique Empresa"
 ,Customer Acquisition and Loyalty,Aquisição de Clientes e Fidelização
@@ -1304,30 +1300,29 @@
 DocType: Workstation,Wages per hour,Salário por hora
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Da balança em Batch {0} se tornará negativo {1} para item {2} no Armazém {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,As seguintes Requisições de Material foram criadas automaticamente com base no nível de reposição do item
-DocType: Email Digest,Pending Sales Orders,Pedidos de Venda Pendentes
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Conta {0} é inválido. Conta de moeda deve ser {1}
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Fator de Conversão da Unidade de Medida é necessário na linha {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Venda, uma Nota Fiscal de Venda ou um Lançamento Contábil"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Venda, uma Nota Fiscal de Venda ou um Lançamento Contábil"
 DocType: Stock Reconciliation Item,Amount Difference,Valor da Diferença
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Item Preço adicionada para {0} na lista de preços {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Item Preço adicionada para {0} na lista de preços {1}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Digite o ID de Colaborador deste Vendedor
 DocType: Territory,Classification of Customers by region,Classificação dos clientes por região
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +66,Difference Amount must be zero,O Valor da Diferença deve ser zero
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +60,Please enter Production Item first,"Por favor, indique item Produção primeiro"
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Saldo calculado do extrato bancário
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,usuário desativado
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Orçamento
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Orçamento
 DocType: Salary Slip,Total Deduction,Dedução total
 ,Production Analytics,Análise de Produção
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +136,Item {0} has already been returned,Item {0} já foi devolvido
 DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,O **Ano Fiscal** representa um exercício financeiro. Todos os lançamentos contábeis e outras transações principais são rastreadas contra o **Ano Fiscal**.
 DocType: Opportunity,Customer / Lead Address,Endereço do Cliente/Cliente em Potencial
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Aviso: certificado SSL inválido no anexo {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Aviso: certificado SSL inválido no anexo {0}
 DocType: Work Order Operation,Actual Operation Time,Tempo Real da Operação
 DocType: Authorization Rule,Applicable To (User),Aplicável Para (Usuário)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Descrição da Vaga
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Abrir Novamente
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Abrir Novamente
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qtde por UDM do Estoque
 DocType: Purchase Invoice,02-Post Sale Discount,02-Desconto pós venda
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +139,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caracteres especiais, exceto ""-"" ""."", ""#"", e ""/"", não são permitidos em nomeação em série"
@@ -1336,7 +1331,7 @@
 DocType: Appraisal,Calculate Total Score,Calcular a Pontuação Total
 DocType: Asset Repair,Manufacturing Manager,Gerente de Fabricação
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Nº de Série {0} está na garantia até {1}
-apps/erpnext/erpnext/hooks.py +114,Shipments,Entregas
+apps/erpnext/erpnext/hooks.py +115,Shipments,Entregas
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Total alocado (moeda da empresa)
 DocType: Purchase Order Item,To be delivered to customer,Para ser entregue ao cliente
 DocType: BOM,Scrap Material Cost,Custo do Material Sucateado
@@ -1348,7 +1343,7 @@
 DocType: Email Digest,Note: Email will not be sent to disabled users,Observação: Emails não serão enviado para usuários desabilitados
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Selecione a Empresa...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Deixe em branco se considerado para todos os departamentos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} é obrigatório para o item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} é obrigatório para o item {1}
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +171,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor, selecione montante atribuído, tipo de fatura e número da fatura em pelo menos uma fileira"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +143,Cost of New Purchase,Custo da Nova Compra
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +98,Sales Order required for Item {0},Pedido de Venda necessário para o item {0}
@@ -1394,8 +1389,8 @@
 DocType: BOM Scrap Item,Basic Amount (Company Currency),Total Base (moeda da empresa)
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Os preços não serão mostrados se a lista de preços não estiver configurada
 DocType: Stock Entry,Total Incoming Value,Valor Total Recebido
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Para Débito é necessária
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Preço de Compra Lista
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Para Débito é necessária
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Preço de Compra Lista
 DocType: Job Offer Term,Offer Term,Termos da Oferta
 DocType: Asset,Quality Manager,Gerente de Qualidade
 DocType: Job Applicant,Job Opening,Vaga de Trabalho
@@ -1406,8 +1401,8 @@
 DocType: Supplier,Warn RFQs,Alertar em Solicitações de Orçamentos
 DocType: Cashier Closing,To Time,Até o Horário
 DocType: Authorization Rule,Approving Role (above authorized value),Função de Aprovador (para autorização de valor excedente)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,A conta de Crédito deve ser uma conta do Contas à Pagar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},LDM recursão: {0} não pode ser pai ou filho de {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,A conta de Crédito deve ser uma conta do Contas à Pagar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},LDM recursão: {0} não pode ser pai ou filho de {2}
 DocType: Work Order Operation,Completed Qty,Qtde Concluída
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Por {0}, apenas as contas de débito pode ser ligado contra outra entrada crédito"
 DocType: Manufacturing Settings,Allow Overtime,Permitir Hora Extra
@@ -1427,7 +1422,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} não foi encontrado
 DocType: Fee Schedule Program,Student Batch,Série de Alunos
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Fazer Aluno
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Você foi convidado para colaborar com o projeto: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Você foi convidado para colaborar com o projeto: {0}
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html +70,Apply Now,Aplique agora
 ,Bank Clearance Summary,Resumo da Liquidação Bancária
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Cria e configura as regras de recebimento de emails, como diário, semanal ou mensal."
@@ -1446,11 +1441,11 @@
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +43,'From Date' is required,Informe a 'Data Inicial'
 apps/erpnext/erpnext/stock/get_item_details.py +146,No Item with Barcode {0},Nenhum artigo com código de barras {0}
 DocType: Item,Show a slideshow at the top of the page,Mostrar uma apresentação de slides no topo da página
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,LDMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,LDMs
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Envelhecimento Baseado em
 DocType: Item,End of Life,Validade
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Viagem
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Não foi encontrada nenhuma Estrutura Salarial padrão ativa para o colaborador {0} ou para as datas indicadas
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Viagem
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Não foi encontrada nenhuma Estrutura Salarial padrão ativa para o colaborador {0} ou para as datas indicadas
 DocType: Leave Block List,Allow Users,Permitir que os usuários
 DocType: Purchase Order,Customer Mobile No,Celular do Cliente
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Acompanhe resultados separada e despesa para verticais de produtos ou divisões.
@@ -1460,8 +1455,8 @@
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Mostrar Contracheque
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar as operações, custos operacionais e dar um número único de operação às suas operações."
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está fora do limite {0} {1} para o item {4}. Você está fazendo outro(a) {3} relacionado(a) a(o) mesmo(a) {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Selecione a conta de troco
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Selecione a conta de troco
 DocType: Naming Series,User must always select,O Usuário deve sempre selecionar
 DocType: Stock Settings,Allow Negative Stock,Permitir Estoque Negativo
 DocType: Topic,Topic,Tópico
@@ -1471,29 +1466,29 @@
 DocType: Stock Entry,Purchase Receipt No,Nº do Recibo de Compra
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +31,Earnest Money,Sinal/Garantia em Dinheiro
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Fonte de Recursos (Passivos)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1} ) deve ser a mesma que a quantidade fabricada {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1} ) deve ser a mesma que a quantidade fabricada {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Colaborador
 DocType: Payment Entry,Payment Deductions or Loss,Deduções ou perdas de pagamento
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Termos do contrato padrão para vendas ou compra.
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline de Vendas
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Pipeline de Vendas
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Obrigatório On
 DocType: Rename Tool,File to Rename,Arquivo para Renomear
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Por favor, selecione LDM para o Item na linha {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},A LDM {0} especificada não existe para o Item {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},A LDM {0} especificada não existe para o Item {1}
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programação de Manutenção {0} deve ser cancelada antes de cancelar este Pedido de Venda
 DocType: Notification Control,Expense Claim Approved,Pedido de Reembolso de Despesas Aprovado
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Contracheque do colaborador {0} já criado para este período
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Contracheque do colaborador {0} já criado para este período
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Custo de Produtos Comprados
 DocType: Selling Settings,Sales Order Required,Pedido de Venda Obrigatório
 DocType: Purchase Invoice,Credit To,Crédito para
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Clientes em Potencial  Ativos / Clientes
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Clientes em Potencial  Ativos / Clientes
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalhe da Programação da Manutenção
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Avisar em Novos Pedidos de Compra
 DocType: Buying Settings,Buying Settings,Configurações de Compras
 DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nº da LDM para um Item Bom Acabado
 DocType: Upload Attendance,Attendance To Date,Data Final de Comparecimento
 DocType: Warranty Claim,Raised By,Levantadas por
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Por favor, especifique a Empresa para prosseguir"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Por favor, especifique a Empresa para prosseguir"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Saída Compensatória
 DocType: Job Offer,Accepted,Aceito
 DocType: BOM Update Tool,BOM Update Tool,Ferramenta de atualização da Lista de Materiais
@@ -1504,7 +1499,7 @@
 DocType: Shipping Rule,Shipping Rule Label,Rótulo da Regra de Envio
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fórum de Usuários
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Matérias-primas não pode ficar em branco.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar estoque, fatura contém gota artigo do transporte."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar estoque, fatura contém gota artigo do transporte."
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +533,Quick Journal Entry,Lançamento no Livro Diário Rápido
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +244,You can not change rate if BOM mentioned agianst any item,Você não pode alterar a taxa se a LDM é mencionada em algum item
 DocType: Employee,Previous Work Experience,Experiência anterior de trabalho
@@ -1520,7 +1515,7 @@
 DocType: Student Admission Program,Naming Series (for Student Applicant),Código dos Documentos (para condidato à vaga de estudo)
 ,Minutes to First Response for Opportunity,Minutos para Primeira Resposta em Oportunidades
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Total de faltas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Item ou Armazén na linha {0} não corresponde à Requisição de Material
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Item ou Armazén na linha {0} não corresponde à Requisição de Material
 DocType: Fiscal Year,Year End Date,Data final do ano
 DocType: Task Depends On,Task Depends On,Tarefa depende de
 DocType: Operation,Default Workstation,Estação de Trabalho Padrão
@@ -1544,12 +1539,12 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Usuário Aprovador não pode ser o mesmo usuário da regra: é aplicável a
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Preço Unitário (de acordo com a UDM do estoque)
 DocType: SMS Log,No of Requested SMS,Nº de SMS pedidos
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,"Por favor, informe os melhores valores e condições possíveis para os itens especificados"
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,"Por favor, informe os melhores valores e condições possíveis para os itens especificados"
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Criar Fatura
 DocType: Selling Settings,Auto close Opportunity after 15 days,Fechar automaticamente a oportunidade após 15 dias
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Ano Final
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Orçamento  / Cliente em Potencial %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Data de Encerramento do Contrato deve ser maior que Data de Inicio
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Data de Encerramento do Contrato deve ser maior que Data de Inicio
 DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,Um distribuidor de terceiros / revendedor / comissão do agente / filial / revendedor que vende os produtos de empresas de uma comissão.
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +412,{0} against Purchase Order {1},{0} relacionado ao Pedido de Compra {1}
 DocType: Task,Actual Start Date (via Time Sheet),Data de Início Real (via Registro de Tempo)
@@ -1660,9 +1655,9 @@
 DocType: Appraisal Goal,Key Responsibility Area,Área de responsabilidade principal
 DocType: Payment Entry,Total Allocated Amount,Total alocado
 DocType: Item Reorder,Material Request Type,Tipo de Requisição de Material
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: Fator de Conversão da Unidade de Medida é obrigatório
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: Fator de Conversão da Unidade de Medida é obrigatório
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Referência
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Comprovante #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Comprovante #
 DocType: Notification Control,Purchase Order Message,Mensagem do Pedido de Compra
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Esconder CPF/CNPJ em transações de vendas
 DocType: Upload Attendance,Upload HTML,Upload HTML
@@ -1672,10 +1667,10 @@
 DocType: Employee Education,Class / Percentage,Classe / Percentual
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +75,Income Tax,Imposto de Renda
 apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,"Rastreia Clientes em Potencial, por Segmento."
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Por favor, insira o Código Item para obter lotes não"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Por favor selecione um valor para {0} orçamento_para {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Por favor, insira o Código Item para obter lotes não"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Por favor selecione um valor para {0} orçamento_para {1}
 DocType: Company,Stock Settings,Configurações de Estoque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. É Group, tipo de raiz, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. É Group, tipo de raiz, Company"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Ganho/Perda no Descarte de Ativo
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gerenciar grupos de clientes
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novo Centro de Custo Nome
@@ -1702,7 +1697,7 @@
 DocType: Vehicle Log,Fuel Qty,Qtde de Combustível
 DocType: Work Order Operation,Planned Start Time,Horário Planejado de Início
 DocType: Payment Entry Reference,Allocated,Alocado
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda .
 DocType: Fees,Fees,Taxas
 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifique Taxa de Câmbio para converter uma moeda em outra
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +164,Quotation {0} is cancelled,O Orçamento {0} está cancelado
@@ -1767,7 +1762,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operação {0} mais do que as horas de trabalho disponíveis na estação de trabalho {1}, quebrar a operação em várias operações"
 DocType: Purchase Invoice,Overdue,Atrasado
 DocType: Account,Stock Received But Not Billed,"Itens Recebidos, mas não Faturados"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Conta raiz deve ser um grupo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Conta raiz deve ser um grupo
 DocType: Item,Total Projected Qty,Quantidade Total Projetada
 DocType: Monthly Distribution,Distribution Name,Nome da distribuição
 DocType: Course,Course Code,Código do Curso
@@ -1777,12 +1772,12 @@
 apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Gerenciar territórios
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Fatura de Venda
 DocType: Journal Entry Account,Party Balance,Saldo do Sujeito
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Por favor, selecione Aplicar Discount On"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Por favor, selecione Aplicar Discount On"
 DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Material para Fabricação
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Percentual de desconto pode ser aplicado contra uma lista de preços ou para todos Lista de Preços.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Lançamento Contábil de Estoque
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Lançamento Contábil de Estoque
 DocType: Sales Invoice,Sales Team1,Equipe de Vendas 1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Item {0} não existe
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Item {0} não existe
 DocType: Sales Invoice,Customer Address,Endereço do Cliente
 DocType: Loan,Loan Details,Detalhes do Empréstimo
 DocType: Company,Default Inventory Account,Conta de Inventário Padrão
@@ -1792,17 +1787,18 @@
 DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta apresentação de slides no topo da página
 DocType: BOM,Item UOM,Unidade de Medida do Item
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Valor do imposto após desconto (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Destino do Warehouse é obrigatória para a linha {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Destino do Warehouse é obrigatória para a linha {0}
 DocType: Purchase Invoice,Select Supplier Address,Selecione um Endereço do Fornecedor
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Adicionar Colaboradores
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Muito Pequeno
 DocType: Company,Standard Template,Template Padrão
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A quantidade de material solicitado é menor do que o Pedido Mínimo
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A quantidade de material solicitado é menor do que o Pedido Mínimo
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,A Conta {0} está congelada
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidade Legal / Subsidiária com um gráfico separado de Contas pertencente à Organização.
 DocType: Payment Request,Mute Email,Mudo Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Alimentos, Bebidas e Fumo"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Só pode fazer o pagamento contra a faturar {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Percentual de comissão não pode ser maior do que 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Só pode fazer o pagamento contra a faturar {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Percentual de comissão não pode ser maior do que 100
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Por favor, indique {0} primeiro"
 DocType: Work Order Operation,Actual End Time,Tempo Final Real
 DocType: Item,Manufacturer Part Number,Número de Peça do Fabricante
@@ -1818,7 +1814,7 @@
 apps/erpnext/erpnext/controllers/accounts_controller.py +601,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avanço total ({0}) contra Pedido {1} não pode ser maior do que o total geral ({2})
 DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selecione distribuição mensal para distribuir desigualmente metas nos meses.
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Lista de Preço Moeda não selecionado
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Lista de Preço Moeda não selecionado
 ,Student Monthly Attendance Sheet,Folha de Presença Mensal do Aluno
 DocType: Rename Tool,Rename Log,Renomear Log
 DocType: Maintenance Visit Purpose,Against Document No,Contra o Documento Nº
@@ -1833,10 +1829,10 @@
 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nome ou email é obrigatório
 DocType: Purchase Order Item,Returned Qty,Qtde Devolvida
 DocType: Student,Exit,Saída
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Tipo de Raiz é obrigatório
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Tipo de Raiz é obrigatório
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} já possui um {1} Scorecard de Fornecedor em aberto, portanto, as Cotações para este fornecedor devem ser emitidas com cautela."
 DocType: BOM,Total Cost(Company Currency),Custo total (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Nº de Série {0} criado
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Nº de Série {0} criado
 DocType: Homepage,Company Description for website homepage,A Descrição da Empresa para a página inicial do site
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para a comodidade dos clientes, estes códigos podem ser usados em formatos de impressão, como Notas Fiscais e Guias de Remessa"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nome do Fornecedor
@@ -1852,7 +1848,7 @@
 apps/erpnext/erpnext/config/selling.py +308,Logs for maintaining sms delivery status,Logs para a manutenção de status de entrega sms
 DocType: Accounts Settings,Make Payment via Journal Entry,Fazer o Pagamento via Lançamento no Livro Diário
 DocType: Fee Component,Fees Category,Categoria de Taxas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Por favor, indique data da liberação."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Por favor, indique data da liberação."
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Total
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Digite o nome da campanha se o motivo da consulta foi uma campanha.
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +38,Newspaper Publishers,Editor de Newsletter
@@ -1860,7 +1856,7 @@
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Estoque Mínimo
 DocType: Attendance,Attendance Date,Data de Comparecimento
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Separação Salário com base em salário e dedução.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Contas com nós filhos não podem ser convertidas em um livro-razão
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Contas com nós filhos não podem ser convertidas em um livro-razão
 DocType: Purchase Invoice Item,Accepted Warehouse,Armazén Aceito
 DocType: Bank Reconciliation Detail,Posting Date,Data da Postagem
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +203,Mark Half Day,Marcar Meio Período
@@ -1895,7 +1891,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Requisições de Material {0} criadas
 DocType: Restaurant Reservation,No of People,Número de pessoas
 DocType: Bank Account,Address and Contact,Endereço e Contato
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},O estoque não pode ser atualizado em relação ao Recibo de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},O estoque não pode ser atualizado em relação ao Recibo de Compra {0}
 DocType: Support Settings,Auto close Issue after 7 days,Fechar atuomaticamente o incidente após 7 dias
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deixe não pode ser alocado antes {0}, como saldo licença já tenha sido no futuro recorde alocação licença encaminhadas-carry {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Observação: Devido /  Data de referência excede dias de crédito de cliente permitido por {0} dia(s)
@@ -1911,17 +1907,17 @@
 DocType: Quality Inspection,Outgoing,De Saída
 DocType: Material Request,Requested For,Solicitado para
 DocType: Quotation Item,Against Doctype,Contra o Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} está cancelado(a) ou fechado(a)
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} está cancelado(a) ou fechado(a)
 DocType: Delivery Note,Track this Delivery Note against any Project,Acompanhar este Guia de Remessa contra qualquer projeto
 DocType: Work Order,Work-in-Progress Warehouse,Armazén de Trabalho em Andamento
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,O Ativo {0} deve ser enviado
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,O Ativo {0} deve ser enviado
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},O registro de presença {0} já existe relaciolado ao Aluno {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referência #{0} datado de {1}
 apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Gerenciar endereços
 DocType: Serial No,Warranty / AMC Details,Garantia / Detalhes do CAM
 DocType: Journal Entry,User Remark,Observação do Usuário
 DocType: Lead,Market Segment,Segmento de Renda
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},O valor pago não pode ser superior ao saldo devedor {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},O valor pago não pode ser superior ao saldo devedor {0}
 DocType: Employee Internal Work History,Employee Internal Work History,Histórico de Trabalho Interno do Colaborador
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Fechamento (Dr)
 DocType: Cheque Print Template,Cheque Size,Tamanho da Folha de Cheque
@@ -1941,27 +1937,27 @@
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Receber notícias
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Conta {2} não pertence à empresa {3}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Requisição de Material {0} é cancelada ou parada
-DocType: Lead,Lower Income,Baixa Renda
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Baixa Renda
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Conta diferença deve ser uma conta de tipo ativo / passivo, uma vez que este da reconciliação é uma entrada de Abertura"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Número do Pedido de Compra necessário para o item {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',A 'Data Final' deve ser posterior a 'Data Inicial'
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +39,Cannot change status as student {0} is linked with student application {1},Não é possível alterar o status pois o aluno {0} está relacionado à candidatura à vaga de estudo {1}
 DocType: Asset,Fully Depreciated,Depreciados Totalmente
 ,Stock Projected Qty,Projeção de Estoque
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Cliente {0} não pertence ao projeto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Cliente {0} não pertence ao projeto {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Presença marcante HTML
 DocType: Sales Invoice,Customer's Purchase Order,Pedido de Compra do Cliente
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Número de Série e Lote
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Valor ou Qtde
 DocType: Payment Terms Template,Payment Terms,Termos de Pagamento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Ordens de produção não puderam ser geradas para:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Ordens de produção não puderam ser geradas para:
 DocType: Purchase Invoice,Purchase Taxes and Charges,Impostos e Encargos sobre Compras
 ,Qty to Receive,Qtde para Receber
 DocType: Leave Block List,Leave Block List Allowed,Deixe Lista de Bloqueios admitidos
 DocType: Grading Scale Interval,Grading Scale Interval,Intervalo da escala de avaliação
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reembolso de Despesa para o Log do Veículo {0}
 DocType: Healthcare Service Unit Type,Rate / UOM,Valor / UDM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Para crédito de conta deve ser uma conta de Balanço
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Para crédito de conta deve ser uma conta de Balanço
 DocType: Global Defaults,Disable In Words,Desativar por extenso
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Código do item é obrigatório porque Item não é numerada automaticamente
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},O Orçamento {0} não é do tipo {1}
@@ -1969,7 +1965,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Conta Bancária Garantida
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Criar Folha de Pagamento
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Navegar LDM
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, defina as contas relacionadas com depreciação de ativos em Categoria {0} ou Empresa {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, defina as contas relacionadas com depreciação de ativos em Categoria {0} ou Empresa {1}"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +179,Opening Balance Equity,Saldo de Abertura do Patrimônio Líquido
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +175,Remaining,Remanescente
 apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,Data é repetida
@@ -1978,16 +1974,16 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Perfil Aprovandor não pode ser o mesmo Perfil da regra é aplicável a
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Cancelar a inscrição neste Resumo por Email
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Mensagem enviada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Conta com nós filho não pode ser definido como contabilidade
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Conta com nós filho não pode ser definido como contabilidade
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Taxa na qual a moeda da lista de preços é convertida para a moeda base do cliente
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Valor Líquido (moeda da empresa)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,O montante do adiantamento total não pode ser maior do que o montante liberado total
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,O montante do adiantamento total não pode ser maior do que o montante liberado total
 DocType: Salary Slip,Hour Rate,Valor por Hora
 DocType: Stock Settings,Item Naming By,Nomeação de Item por
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Outra entrada no Período de Encerramento {0} foi feita após {1}
 DocType: Work Order,Material Transferred for Manufacturing,Material Transferido para Fabricação
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Conta {0} não existe
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Meta de qtde ou valor da meta são obrigatórios.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Meta de qtde ou valor da meta são obrigatórios.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Custo das diferentes actividades
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Configurando eventos para {0}, uma vez que o colaborador relacionado aos vendedores abaixo não tem um ID do usuário {1}"
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +163,Source and target warehouse must be different,O armazén de origem e o armazém de destino devem ser diferentes um do outro
@@ -2015,15 +2011,15 @@
 apps/erpnext/erpnext/config/accounts.py +157,Banking and Payments,Bancos e Pagamentos
 ,Welcome to ERPNext,Bem vindo ao ERPNext
 apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Fazer um Orçamento
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,chamadas
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,chamadas
 DocType: Purchase Order Item Supplied,Stock UOM,Unidade de Medida do Estoque
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Pedido de Compra {0} não é enviado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Pedido de Compra {0} não é enviado
 DocType: Work Order Item,Available Qty at WIP Warehouse,Qtd disponível no Armazén de Trabalho em Andamento
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +233,Serial No {0} does not belong to Warehouse {1},Serial Não {0} não pertence ao Armazém {1}
 apps/erpnext/erpnext/controllers/status_updater.py +180,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : O sistema não irá verificar o excesso de entrega e sobre- reserva para item {0} como quantidade ou valor é 0
 DocType: Notification Control,Quotation Message,Mensagem do Orçamento
 DocType: Purchase Receipt Item,Rate and Amount,Preço e Total
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer a mesma empresa
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer a mesma empresa
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nenhum contato adicionado ainda.
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Comprovante de Custo do Desembarque
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faturas emitidas por Fornecedores.
@@ -2036,14 +2032,14 @@
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.js +3,Student Group,Grupo de Alunos
 DocType: Shopping Cart Settings,Quotation Series,Séries de Orçamento
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Um item existe com o mesmo nome ( {0}) , por favor, altere o nome do grupo de itens ou renomeie o item"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Selecione o cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Selecione o cliente
 DocType: Company,Asset Depreciation Cost Center,Centro de Custo do Ativo Depreciado
 DocType: Production Plan Sales Order,Sales Order Date,Data do Pedido de Venda
 DocType: Sales Invoice Item,Delivered Qty,Qtde Entregue
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py +90,Customer {0} is created.,O cliente {0} foi criado.
 DocType: Stock Settings,Limit Percent,Limite Percentual
 ,Payment Period Based On Invoice Date,Prazo Médio de Pagamento Baseado na Emissão da Nota
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Faltando taxas de câmbio para {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Faltando taxas de câmbio para {0}
 DocType: Journal Entry,Stock Entry,Lançamento no Estoque
 DocType: Asset,Insurance Details,Detalhes do Seguro
 DocType: Account,Payable,A pagar
@@ -2066,9 +2062,9 @@
 DocType: Lead,Lead Owner,Proprietário do Cliente em Potencial
 DocType: Stock Settings,Auto Material Request,Requisição de Material Automática
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Qtde Disponível do Lote no Armazém
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,A LDM Atual e a Nova LDM não podem ser as mesmas
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,A LDM Atual e a Nova LDM não podem ser as mesmas
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ID da folha de pagamento
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Data da aposentadoria deve ser maior que Data de Contratação
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Data da aposentadoria deve ser maior que Data de Contratação
 DocType: Sales Invoice,Against Income Account,Contra a Conta de Recebimentos
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +106,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Item {0}: Qtde pedida {1} não pode ser inferior a qtde mínima de pedido {2} (definido no cadastro do Item).
 DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Distribuição percentual mensal
@@ -2084,7 +2080,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +231,Valuation type charges can not marked as Inclusive,Encargos tipo de avaliação não pode marcado como Inclusive
 DocType: POS Profile,Update Stock,Atualizar Estoque
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UDM diferente para itens gerará um Peso Líquido (Total ) incorreto. Certifique-se de que o peso líquido de cada item está na mesma UDM.
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Valor na LDM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Valor na LDM
 DocType: Asset,Journal Entry for Scrap,Lançamento no Livro Diário para Sucata
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, puxar itens de entrega Nota"
 apps/erpnext/erpnext/accounts/utils.py +496,Journal Entries {0} are un-linked,Lançamentos no Livro Diário {0} são desvinculados
@@ -2098,12 +2094,12 @@
 ,Purchase Analytics,Analítico de Compras
 DocType: Purchase Taxes and Charges,Reference Row #,Referência Linha #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Número do lote é obrigatória para item {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Esta é uma pessoa de vendas de raiz e não pode ser editado.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Esta é uma pessoa de vendas de raiz e não pode ser editado.
 ,Stock Ledger,Livro de Inventário
 apps/erpnext/erpnext/templates/includes/cart/cart_items.html +29,Rate: {0},Classificação: {0}
 DocType: Company,Exchange Gain / Loss Account,Conta de Ganho / Perda com Câmbio
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Colaborador e Ponto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Objetivo deve ser um dos {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Objetivo deve ser um dos {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Preencha o formulário e salve
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum da Comunidade
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Quantidade real em estoque
@@ -2113,7 +2109,7 @@
 DocType: Purchase Order,Get Items from Open Material Requests,Obter Itens de Requisições de Material Abertas
 DocType: Lab Test Template,Standard Selling Rate,Valor de venda padrão
 DocType: Account,Rate at which this tax is applied,Taxa em que este imposto é aplicado
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Qtde para Reposição
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Qtde para Reposição
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Vagas Disponíveis Atualmente
 DocType: Company,Stock Adjustment Account,Conta de Ajuste
 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Abatimento
@@ -2132,16 +2128,16 @@
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Data do Lançamento da Fatura
 DocType: Product Bundle,List items that form the package.,Lista de itens que compõem o pacote.
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentual de alocação deve ser igual a 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Por favor, selecione data de lançamento antes de selecionar o sujeito"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Por favor, selecione data de lançamento antes de selecionar o sujeito"
 DocType: Serial No,Out of AMC,Fora do CAM
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Criar Visita de Manutenção
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Por favor, entre em contato com um usuário que tem a função {0} Gerente de Cadastros de Vendas"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Por favor, entre em contato com um usuário que tem a função {0} Gerente de Cadastros de Vendas"
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,"Cadastro da Empresa  (a própria companhia, não se refere ao cliente, nem ao fornecedor)"
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Isto é baseado na frequência do aluno
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,A Guia de Remessa {0} deve ser cancelada antes de cancelar este Pedido de Venda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Valor pago + Valor do abatimento não pode ser maior do que o total geral
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Valor pago + Valor do abatimento não pode ser maior do que o total geral
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} não é um número de lote válido para o item {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Nota: Não é suficiente equilíbrio pela licença Tipo {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Nota: Não é suficiente equilíbrio pela licença Tipo {0}
 DocType: Program Enrollment Fee,Program Enrollment Fee,Taxa de Inscrição no Programa
 DocType: Item,Supplier Items,Itens do Fornecedor
 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +19,Transactions can only be deleted by the creator of the Company,Transações só podem ser excluídos pelo criador da Companhia
@@ -2149,7 +2145,7 @@
 DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,Validar Preço de Venda para o Item de acordo com o Valor de Compra ou Taxa de Avaliação
 DocType: Fee Schedule,Fee Schedule,Cronograma de Taxas
 DocType: Company,Create Chart Of Accounts Based On,Criar plano de contas baseado em
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Data de nascimento não pode ser maior do que hoje.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Data de nascimento não pode ser maior do que hoje.
 ,Stock Ageing,Envelhecimento do Estoque
 apps/erpnext/erpnext/projects/doctype/task/task.js +39,Timesheet,Registro de Tempo
 apps/erpnext/erpnext/controllers/accounts_controller.py +305,{0} '{1}' is disabled,{0} '{1}' está desativado
@@ -2167,7 +2163,7 @@
 DocType: Item,Safety Stock,Estoque de Segurança
 DocType: Healthcare Settings,Healthcare Settings,Configurações de Serviço de Saúde
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos e taxas acrescidos (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Imposto Row {0} deve ter em conta tipo de imposto ou de renda ou de despesa ou carregável
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Imposto Row {0} deve ter em conta tipo de imposto ou de renda ou de despesa ou carregável
 apps/erpnext/erpnext/setup/doctype/company/company.js +109,Please re-type company name to confirm,"Por favor, digite novamente o nome da empresa para confirmar"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +234,Total Outstanding Amt,Total devido
 DocType: Journal Entry,Printing Settings,Configurações de impressão
@@ -2181,37 +2177,37 @@
 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,No Estoque:
 DocType: Notification Control,Custom Message,Mensagem personalizada
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investimento Bancário
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Dinheiro ou conta bancária é obrigatória para a tomada de entrada de pagamento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Dinheiro ou conta bancária é obrigatória para a tomada de entrada de pagamento
 DocType: POS Profile,POS Profile Name,Nome do Perfil do PDV
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +107,Intern,internar
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Transações com ações antes {0} são congelados
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Por favor, clique em ""Gerar Agenda"""
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Referência Não é obrigatório se você entrou Data de Referência
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Data de Contratação deve ser maior do que a Data de Nascimento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Saída de Material
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Data de Contratação deve ser maior do que a Data de Nascimento
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Saída de Material
 DocType: Material Request Item,For Warehouse,Para Armazén
 DocType: Employee,Offer Date,Data da Oferta
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Orçamentos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Você está em modo offline. Você não será capaz de recarregar até ter conexão.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Orçamentos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Você está em modo offline. Você não será capaz de recarregar até ter conexão.
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Não foi criado nenhum grupo de alunos.
 DocType: Purchase Invoice Item,Serial No,Nº de Série
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Por favor, indique Maintaince Detalhes primeiro"
 DocType: Stock Entry,Including items for sub assemblies,Incluindo itens para subconjuntos
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Aluno já está inscrito.
 DocType: Fiscal Year,Year Name,Nome do ano
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês.
 DocType: Production Plan Item,Product Bundle Item,Item do Pacote de Produtos
 DocType: Sales Partner,Sales Partner Name,Nome do Parceiro de Vendas
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Solicitação de Orçamento
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Solicitação de Orçamento
 DocType: Payment Reconciliation,Maximum Invoice Amount,Valor Máximo da Fatura
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +24,Order/Quot %,Pedido / Orçamentos %
 DocType: Asset,Partially Depreciated,parcialmente depreciados
 DocType: Issue,Opening Time,Horário de Abertura
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,De e datas necessárias
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A unidade de medida padrão para a variante '{0}' deve ser o mesmo que no modelo '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A unidade de medida padrão para a variante '{0}' deve ser o mesmo que no modelo '{1}'
 DocType: Shipping Rule,Calculate Based On,Calcule Baseado em
 DocType: Delivery Note Item,From Warehouse,Armazén de Origem
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Não há itens com Lista de Materiais para Fabricação
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Não há itens com Lista de Materiais para Fabricação
 DocType: Assessment Plan,Supervisor Name,Nome do supervisor
 DocType: Purchase Taxes and Charges,Valuation and Total,Valorização e Total
 DocType: Notification Control,Customize the Notification,Personalizar a Notificação
@@ -2242,7 +2238,7 @@
 ,Profitability Analysis,Análise de Lucratividade
 DocType: Supplier,Prevent POs,Evitar Pedidos de Compra
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Agrupar por
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Ativar / Desativar moedas.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Ativar / Desativar moedas.
 DocType: Production Plan,Get Material Request,Obter Requisições de Material
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Quantia)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +26,Entertainment & Leisure,Entretenimento & Lazer
@@ -2272,7 +2268,7 @@
 apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Relatório da visita da chamada de manutenção.
 DocType: Stock Entry,Update Rate and Availability,Atualizar Valor e Disponibilidade
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percentagem que estão autorizados a receber ou entregar mais contra a quantidade encomendada. Por exemplo: Se você encomendou 100 unidades. e seu subsídio é de 10%, então você está autorizada a receber 110 unidades."
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Conta de despesa é obrigatória para item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Conta de despesa é obrigatória para item {0}
 DocType: BOM,Website Description,Descrição do Site
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Mudança no Patrimônio Líquido
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Por favor cancelar a Nota Fiscal de Compra {0} primeiro
@@ -2284,10 +2280,10 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Não há nada a ser editado.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Ver Formulário
 apps/erpnext/erpnext/public/js/financial_statements.js +58,Cash Flow Statement,Demonstrativo de Fluxo de Caixa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Invoice {0} a partir de C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Invoice {0} a partir de C-Form {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor selecione Encaminhar se você também quer incluir o saldo de licenças do ano fiscal anterior neste ano fiscal
 DocType: GL Entry,Against Voucher Type,Contra o Tipo de Comprovante
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Por favor, indique a conta de abatimento"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Por favor, indique a conta de abatimento"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Data do último pedido
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Conta {0} não pertence à empresa {1}
 DocType: Student,Guardian Details,Detalhes do Responsável
@@ -2309,11 +2305,11 @@
 DocType: Student Sibling,Student ID,ID do Aluno
 apps/erpnext/erpnext/config/projects.py +51,Types of activities for Time Logs,Tipos de Atividades para Registros de Tempo
 DocType: Stock Entry Detail,Basic Amount,Valor Base
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Armazém necessário para o ítem do estoque {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Armazém necessário para o ítem do estoque {0}
 DocType: Leave Allocation,Unused leaves,Folhas não utilizadas
 DocType: Patient,Alcohol Past Use,Uso passado de álcool
 DocType: Tax Rule,Billing State,Estado de Faturamento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Buscar LDM explodida (incluindo sub-conjuntos )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Buscar LDM explodida (incluindo sub-conjuntos )
 DocType: Authorization Rule,Applicable To (Employee),Aplicável para (Colaborador)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,A data de vencimento é obrigatória
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Atributo incremento para {0} não pode ser 0
@@ -2331,10 +2327,10 @@
 DocType: Purchase Order Item Supplied,Raw Material Item Code,Código de Item de Matérias-primas
 DocType: Journal Entry,Write Off Based On,Abater baseado em
 DocType: Stock Settings,Show Barcode Field,Mostrar Campo Código de Barras
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Enviar emails a fornecedores
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Enviar emails a fornecedores
 DocType: Fiscal Year,Auto Created,Criado automaticamente
 DocType: Chapter Member,Leave Reason,Motivo da Saída
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Configurar valores padrão para faturas do PDV
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Configurar valores padrão para faturas do PDV
 apps/erpnext/erpnext/config/hr.py +248,Training,Treinamento
 DocType: Timesheet,Employee Detail,Detalhes do Colaborador
 apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Configurações para página inicial do site
@@ -2355,12 +2351,12 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Custo do Ativo Sucateado
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Custo é obrigatória para item {2}
 DocType: Vehicle,Policy No,Nº da Apólice
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Obter Itens do Pacote de Produtos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Obter Itens do Pacote de Produtos
 DocType: Asset,Straight Line,Linha reta
 DocType: Project User,Project User,Usuário do Projeto
 DocType: GL Entry,Is Advance,É Adiantamento
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Data de Início do Comparecimento e Data Final de Comparecimento é obrigatória
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Por favor, digite ' é subcontratado ""como Sim ou Não"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Por favor, digite ' é subcontratado ""como Sim ou Não"
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data do Último Contato
 DocType: Sales Team,Contact No.,Nº Contato.
 DocType: Bank Reconciliation,Payment Entries,Lançamentos de Pagamentos
@@ -2374,8 +2370,8 @@
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condições para calcular valor de frete
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Papel permissão para definir as contas congeladas e editar entradas congeladas
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter Centro de Custo de contabilidade , uma vez que tem nós filhos"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Valor de Abertura
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Valor de Abertura
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 apps/erpnext/erpnext/controllers/accounts_controller.py +690,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha # {0}: Ativo {1} não pode ser enviado, já é {2}"
 DocType: Tax Rule,Billing Country,País de Faturamento
 DocType: Purchase Order Item,Expected Delivery Date,Data Prevista de Entrega
@@ -2387,7 +2383,7 @@
 DocType: Sales Invoice Timesheet,Billing Amount,Total para Faturamento
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantidade inválido especificado para o item {0} . Quantidade deve ser maior do que 0 .
 DocType: Company,Default Employee Advance Account,Conta Padrão de Adiantamento à Colaboradores
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Contas com transações existentes não pode ser excluídas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Contas com transações existentes não pode ser excluídas
 DocType: Vehicle,Last Carbon Check,Última Inspeção de Emissão de Carbono
 DocType: Purchase Invoice,Posting Time,Horário da Postagem
 DocType: Timesheet,% Amount Billed,Valor Faturado %
@@ -2399,13 +2395,13 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Receita com novos clientes
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Travel Expenses,Despesas com viagem
 DocType: Maintenance Visit,Breakdown,Pane
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,A Conta: {0} com moeda: {1} não pode ser selecionada
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,A Conta: {0} com moeda: {1} não pode ser selecionada
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Atualize o custo da lista lista de materiais automaticamente através do Agendador, com base na taxa de avaliação / taxa de preços mais recente / última taxa de compra de matérias-primas."
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: A Conta Superior {1} não pertence à empresa: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: A Conta Superior {1} não pertence à empresa: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Todas as transações relacionadas a esta empresa foram excluídas com sucesso!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Como na Data
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Provação
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Devolução / Nota de Crédito
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Devolução / Nota de Crédito
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Quantia total paga
 DocType: Job Card,Transferred Qty,Qtde Transferida
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +164,Planning,Planejamento
@@ -2415,7 +2411,7 @@
 DocType: Attendance Request,Half Day Date,Meio Período da Data
 DocType: Sales Partner,Contact Desc,Descrição do Contato
 DocType: Email Digest,Send regular summary reports via Email.,Enviar relatórios periódicos de síntese via Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Por favor configure uma conta padrão no tipo de Reembolso de Despesas {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Por favor configure uma conta padrão no tipo de Reembolso de Despesas {0}
 DocType: Hub Tracked Item,Item Manager,Gerente de Item
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Payroll Payable,Folha de pagamento a pagar
 DocType: Work Order,Total Operating Cost,Custo de Operacional Total
@@ -2426,7 +2422,7 @@
 DocType: Bank Account,Party Type,Tipo de Sujeito
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +220,Payment Entry already exists,Pagamento já existe
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Não authroized desde {0} excede os limites
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Conjunto de regras de imposto por carrinho de compras
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Conjunto de regras de imposto por carrinho de compras
 ,Sales Funnel,Funil de Vendas
 apps/erpnext/erpnext/setup/doctype/company/company.py +53,Abbreviation is mandatory,Abreviatura é obrigatória
 ,Qty to Transfer,Qtde para Transferir
@@ -2434,9 +2430,9 @@
 DocType: Stock Settings,Role Allowed to edit frozen stock,Papel permissão para editar estoque congelado
 ,Territory Target Variance Item Group-Wise,Variação Territorial de Público por Grupo de Item
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Todos os grupos de clientes
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o valor de câmbio não exista de {1} para {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o valor de câmbio não exista de {1} para {2}.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Modelo de impostos é obrigatório.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Conta {0}: A Conta Superior {1} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Conta {0}: A Conta Superior {1} não existe
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Preço da Lista de Preços (moeda da empresa)
 DocType: Products Settings,Products Settings,Configurações de Produtos
 DocType: Monthly Distribution Percentage,Percentage Allocation,Alocação Percentual
@@ -2449,28 +2445,28 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +95,Row # {0}: Serial No is mandatory,Linha # {0}: O número de série é obrigatório
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detalhes do Imposto Vinculados ao Item
 ,Item-wise Price List Rate,Lista de Preços por Item
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Orçamento de Fornecedor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Orçamento de Fornecedor
 DocType: Quotation,In Words will be visible once you save the Quotation.,Por extenso será visível quando você salvar o orçamento.
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Código de barras {0} já utilizado em item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Código de barras {0} já utilizado em item {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regras para adicionar os custos de envio .
 DocType: Item,Opening Stock,Abertura de Estoque
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,O Cliente é obrigatório
 DocType: Purchase Order,To Receive,Receber
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,usuario@exemplo.com.br
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Variância total
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Variância total
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se ativado, o sistema irá postar lançamentos contábeis para o inventário automaticamente."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Corretagem
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Presença para o colaborador {0} já está registrada para este dia
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Presença para o colaborador {0} já está registrada para este dia
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","em Minutos 
  Atualizado via 'Registro de Tempo'"
 DocType: Customer,From Lead,Do Cliente em Potencial
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Ordens liberadas para produção.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Selecione o Ano Fiscal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,Perfil do PDV necessário para fazer entrada no PDV
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,Perfil do PDV necessário para fazer entrada no PDV
 DocType: Program Enrollment Tool,Enroll Students,Matricular Alunos
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venda padrão
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Pelo menos um armazém é obrigatório
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Pelo menos um armazém é obrigatório
 DocType: Serial No,Out of Warranty,Fora de Garantia
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +396,{0} against Sales Invoice {1},{0} contra Fatura de Venda {1}
 DocType: Customer,Mention if non-standard receivable account,Mencione se a conta a receber não for a conta padrão
@@ -2483,7 +2479,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Electronic Equipments,Equipamentos Eletrônicos
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Folhas devem ser alocados em múltiplos de 0,5"
 DocType: Work Order,Operation Cost,Custo da Operação
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Valor Devido
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Valor Devido
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Estabelecer Metas para este Vendedor por Grupo de Itens
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelar lançamentos mais antigos do que [Dias]
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se duas ou mais regras de preços são encontrados com base nas condições acima, a prioridade é aplicada. Prioridade é um número entre 0 a 20, enquanto o valor padrão é zero (em branco). Número maior significa que ele terá prioridade se houver várias regras de preços com as mesmas condições."
@@ -2506,7 +2502,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js +36,Production Item,Bem de Produção
 ,Employee Information,Informações do Colaborador
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Não é possível filtrar com base no Comprovante Não, se agrupados por voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Criar Orçamento do Fornecedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Criar Orçamento do Fornecedor
 DocType: BOM,Materials Required (Exploded),Materiais necessários (lista explodida)
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +100,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Número de ordem {1} não coincide com {2} {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +89,Casual Leave,Casual Deixar
@@ -2527,22 +2523,22 @@
 DocType: Stock Ledger Entry,Stock Ledger Entry,Lançamento do Livro de Inventário
 DocType: Department,Leave Block List,Lista de Bloqueio de Licença
 DocType: Purchase Invoice,Tax ID,CPF/CNPJ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} não está configurado para Serial Coluna N º s deve estar em branco
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} não está configurado para Serial Coluna N º s deve estar em branco
 DocType: Accounts Settings,Accounts Settings,Configurações de Contas
 DocType: Customer,Sales Partner and Commission,Parceiro de Vendas e Comissão
 DocType: Loan,Rate of Interest (%) / Year,Taxa de Juros (%) / Ano
 DocType: Loan Type,Rate of Interest (%) Yearly,Taxa de Juros (%) Anual
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +75,Temporary Accounts,Contas Temporárias
 DocType: BOM Explosion Item,BOM Explosion Item,Item da Explosão da LDM
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Lista de Preços {0} está desativada ou não existe
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Lista de Preços {0} está desativada ou não existe
 DocType: Purchase Invoice,Return,Devolução
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} não está inscrito no Lote {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} não pode ser descartado, uma vez que já é {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} não pode ser descartado, uma vez que já é {1}"
 DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação Despesa Total (via Despesa Claim)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausente
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: Moeda da LDM # {1} deve ser igual à moeda selecionada {2}
 DocType: Journal Entry Account,Exchange Rate,Taxa de Câmbio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado
 DocType: Homepage,Tag Line,Slogan
 DocType: Fee Component,Fee Component,Componente da Taxa
 apps/erpnext/erpnext/education/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,O peso total de todos os Critérios de Avaliação deve ser 100%
@@ -2551,7 +2547,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock não pode existir por item {0} já que tem variantes
 ,Sales Person-wise Transaction Summary,Resumo de Vendas por Vendedor
 DocType: Training Event,Contact Number,Telefone para Contato
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Armazém {0} não existe
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Armazém {0} não existe
 DocType: Monthly Distribution,Monthly Distribution Percentages,Percentagens distribuição mensal
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +115,The selected item cannot have Batch,O item selecionado não pode ter Batch
 DocType: Delivery Note,% of materials delivered against this Delivery Note,% do material entregue contra esta Guia de Remessa
@@ -2560,7 +2556,7 @@
 DocType: Payment Entry,Paid Amount,Valor pago
 ,Available Stock for Packing Items,Estoque Disponível para o Empacotamento de Itens
 DocType: Item Variant,Item Variant,Item Variant
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo já está em débito, você não tem permissão para definir 'saldo deve ser' como 'crédito'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo já está em débito, você não tem permissão para definir 'saldo deve ser' como 'crédito'"
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Item {0} foi desativado
 apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Por favor, indique a quantidade de item {0}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Credit Note Amt,Nota de crédito Total
@@ -2571,14 +2567,14 @@
 DocType: Item Group,Parent Item Group,Grupo de item pai
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Taxa na qual a moeda do fornecedor é convertida para a moeda base da empresa
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Linha # {0}: conflitos Timings com linha {1}
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Configuração contas Gateway.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Configuração contas Gateway.
 DocType: Employee,Employment Type,Tipo de Emprego
 DocType: Payment Entry,Set Exchange Gain / Loss,Definir Perda/Ganho com Câmbio
 DocType: Item Default,Default Expense Account,Conta Padrão de Despesa
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Email do Aluno
 DocType: Employee,Notice (days),Aviso Prévio ( dias)
 DocType: Tax Rule,Sales Tax Template,Modelo de Impostos sobre Vendas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Selecione os itens para salvar a nota
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Selecione os itens para salvar a nota
 DocType: Employee,Encashment Date,Data da cobrança
 DocType: Account,Stock Adjustment,Ajuste do estoque
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Existe Atividade Custo Padrão para o Tipo de Atividade - {0}
@@ -2606,14 +2602,14 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Qtd disponível no Armazén de Origem
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} ativo não pode ser transferido
 DocType: Blanket Order,Purchasing,Requisições
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser excluído pois existe entrada de material para este armazém.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser excluído pois existe entrada de material para este armazém.
 DocType: Expense Claim Advance,Expense Claim Advance,Adiantamento de Solicitação de Reembolso
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Gerente de Projetos
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max desconto permitido para o item: {0} é {1}%
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +319,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha # {0}: Não é permitido mudar de fornecedor quando o Pedido de Compra já existe
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Papel que é permitido submeter transações que excedam os limites de crédito estabelecidos.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Selecionar Itens para Produzir
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Os dados estão sendo sincronizados, isto pode demorar algum tempo"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Selecionar Itens para Produzir
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Os dados estão sendo sincronizados, isto pode demorar algum tempo"
 DocType: Item Price,Item Price,Preço do Item
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Soap & detergente
 DocType: BOM,Show Items,Mostrar Itens
@@ -2630,7 +2626,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +222,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar por causa da entrada submetido {0} existe
 DocType: Loan,Disbursement Date,Data do Desembolso
 DocType: BOM Update Tool,Update latest price in all BOMs,Atualize o preço mais recente em todas as LDMs
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,{0} faz aniversário hoje!
 DocType: Sales Order Item,For Production,Para Produção
 DocType: Payment Request,payment_url,payment_url
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Oportunidade / Cliente em Potencial %
@@ -2638,9 +2633,9 @@
 DocType: Sales Invoice,Get Advances Received,Obter adiantamentos recebidos
 DocType: Email Digest,Add/Remove Recipients,Adicionar / Remover Destinatários
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para definir esse Ano Fiscal como padrão , clique em ' Definir como padrão '"
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Junte-se
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Qtde em Falta
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Variante item {0} existe com os mesmos atributos
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Junte-se
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Qtde em Falta
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Variante item {0} existe com os mesmos atributos
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Esta é uma solicitação de pagamento relacionada à {0} {1} no valor de {2}
 DocType: Additional Salary,Salary Slip,Contracheque
 DocType: Pricing Rule,Margin Rate or Amount,Percentual ou Valor de Margem
@@ -2654,13 +2649,13 @@
 apps/erpnext/erpnext/config/setup.py +14,Global Settings,Configurações Globais
 DocType: Crop,Row Spacing UOM,Espaçamento de linhas UDM
 DocType: Employee Education,Employee Education,Escolaridade do Colaborador
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Isto é necessário para buscar detalhes de itens
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Isto é necessário para buscar detalhes de itens
 DocType: Salary Slip,Net Pay,Pagamento Líquido
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} has already been received,Nº de Série {0} já foi recebido
 ,Requested Items To Be Transferred,"Items Solicitados, mas não Transferidos"
 DocType: Expense Claim,Vehicle Log,Log do Veículo
 DocType: Customer,Sales Team Details,Detalhes da Equipe de Vendas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Apagar de forma permanente?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Apagar de forma permanente?
 DocType: Expense Claim,Total Claimed Amount,Quantia Total Reivindicada
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades potenciais para a venda.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Licença Médica
@@ -2685,12 +2680,12 @@
 DocType: Item Attribute Value,Attribute Value,Atributo Valor
 ,Itemwise Recommended Reorder Level,Níves de Reposição Recomendados por Item
 DocType: Salary Detail,Salary Detail,Detalhes de Salário
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Por favor selecione {0} primeiro
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Lote {0} de {1} item expirou.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Por favor selecione {0} primeiro
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Lote {0} de {1} item expirou.
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Registro de Tempo para fabricação
 DocType: Salary Detail,Default Amount,Quantidade Padrão
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Armazén não foi encontrado no sistema
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Resumo deste mês
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Resumo deste mês
 DocType: Quality Inspection Reading,Quality Inspection Reading,Leitura da Inspeção de Qualidade
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,'Congelar Estoque anterior a' deve ser menor que %d dias.
 DocType: Tax Rule,Purchase Tax Template,Modelo de Impostos sobre a compra
@@ -2711,7 +2706,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Encargos são atualizados em Recibo de compra para cada item
 DocType: Warranty Claim,Resolved By,Resolvido por
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques e depósitos apagados incorretamente
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode definir a própria conta como uma conta superior
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode definir a própria conta como uma conta superior
 DocType: Purchase Invoice Item,Price List Rate,Preço na Lista de Preços
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Criar orçamentos de clientes
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostrar ""Em Estoque"" ou ""Esgotado"" baseado no estoque disponível neste armazén."
@@ -2723,12 +2718,12 @@
 DocType: Workstation,Operating Costs,Custos Operacionais
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Os e-mails serão enviados para todos os colaboradores ativos da empresa na hora informada, caso não estejam de férias. O resumo das respostas serão enviadas à meia-noite."
 DocType: Employee Leave Approver,Employee Leave Approver,Licença do Colaborador Aprovada
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Linha {0}: Uma entrada de reposição já existe para este armazém {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Linha {0}: Uma entrada de reposição já existe para este armazém {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Não se pode declarar como perdido , porque foi realizado um Orçamento."
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Feedback do Treinamento
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Por favor selecione a Data de início e a Data de Término do Item {0}
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Até o momento não pode ser antes a partir da data
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Adicionar / Editar preços
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Adicionar / Editar preços
 DocType: Cheque Print Template,Cheque Print Template,Template para Impressão de Cheques
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +85,Chart of Cost Centers,Plano de Centros de Custo
 ,Requested Items To Be Ordered,"Itens Solicitados, mas não Comprados"
@@ -2744,8 +2739,7 @@
 DocType: Announcement,Student,Aluno
 DocType: Company,Budget Detail,Detalhe do Orçamento
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Por favor introduza a mensagem antes de enviá-
-DocType: Email Digest,Pending Quotations,Orçamentos Pendentes
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Perfil do Ponto de Vendas
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Perfil do Ponto de Vendas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Empréstimos não Garantidos
 DocType: Maintenance Schedule Detail,Scheduled Date,Data Agendada
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +232,Total Paid Amt,Quantia total paga
@@ -2762,11 +2756,11 @@
 DocType: Item,Has Serial No,Tem nº de Série
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Linha # {0}: Defina o fornecedor para o item {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Linha {0}: Horas deve ser um valor maior que zero
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Site Imagem {0} anexada ao Item {1} não pode ser encontrado
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Site Imagem {0} anexada ao Item {1} não pode ser encontrado
 DocType: Item,List this Item in multiple groups on the website.,Listar este item em vários grupos no site.
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Por favor, verifique multi opção de moeda para permitir que contas com outra moeda"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} não existe no sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Você não está autorizado para definir o valor congelado
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Você não está autorizado para definir o valor congelado
 DocType: Payment Reconciliation,Get Unreconciled Entries,Obter Lançamentos não Conciliados
 DocType: Payment Reconciliation,From Invoice Date,A Partir da Data de Faturamento
 DocType: Leave Encashment,Leave Encashment,Pagamento da Saída
@@ -2774,7 +2768,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +84,To Warehouse,Para o Armazén
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +26,All Student Admissions,Todas Admissões de Alunos
 ,Average Commission Rate,Percentual de Comissão Médio
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Tem Número Serial' não pode ser confirmado para itens sem controle de estoque
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Tem Número Serial' não pode ser confirmado para itens sem controle de estoque
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Comparecimento não pode ser marcado para datas futuras
 DocType: Pricing Rule,Pricing Rule Help,Regra Preços Ajuda
 DocType: Purchase Taxes and Charges,Account Head,Conta
@@ -2782,12 +2776,11 @@
 apps/erpnext/erpnext/utilities/activation.py +100,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Adicione o resto de sua organização como seus usuários. Você também pode adicionar clientes convidados ao seu portal adicionando-os de Contatos
 DocType: Stock Entry,Total Value Difference (Out - In),Diferença do Valor Total (Saída - Entrada)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Linha {0}: Taxa de Câmbio é obrigatória
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID de usuário não definida para Colaborador {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID de usuário não definida para Colaborador {0}
 DocType: Stock Entry,Default Source Warehouse,Armazén de Origem Padrão
 DocType: Item,Customer Code,Código do Cliente
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Lembrete de aniversário para {0}
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dias desde a última compra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Débito em conta deve ser uma conta de Balanço
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Débito em conta deve ser uma conta de Balanço
 DocType: Asset,Naming Series,Código dos Documentos
 DocType: Leave Block List,Leave Block List Name,Deixe o nome Lista de Bloqueios
 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,A data de início da cobertura do seguro deve ser inferior a data de término da cobertura
@@ -2796,17 +2789,17 @@
 DocType: Shopping Cart Settings,Checkout Settings,Configurações de Vendas
 DocType: Notification Control,Sales Invoice Message,Mensagem da Fatura de Venda
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Fechando Conta {0} deve ser do tipo de responsabilidade / Patrimônio Líquido
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Contracheque do colaborador {0} já criado para o registro de tempo {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Contracheque do colaborador {0} já criado para o registro de tempo {1}
 DocType: Vehicle Log,Odometer,Odômetro
 DocType: Production Plan Item,Ordered Qty,Qtde Encomendada
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Item {0} está desativado
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Item {0} está desativado
 DocType: Stock Settings,Stock Frozen Upto,Estoque congelado até
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,LDM não contém nenhum item de estoque
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,LDM não contém nenhum item de estoque
 DocType: Vehicle Log,Refuelling Details,Detalhes de Abastecimento
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +46,"Buying must be checked, if Applicable For is selected as {0}","Compra deve ser verificada, se for caso disso nos items selecionados como {0}"
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Desconto deve ser inferior a 100
 DocType: Purchase Invoice,Write Off Amount (Company Currency),Valor abatido (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,"Linha # {0}: Por favor, defina a quantidade de reposição"
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,"Linha # {0}: Por favor, defina a quantidade de reposição"
 DocType: Landed Cost Voucher,Landed Cost Voucher,Comprovante de Custos de Desembarque
 apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Defina {0}
 DocType: Employee,Health Details,Detalhes sobre a Saúde
@@ -2829,7 +2822,7 @@
 ,Prospects Engaged But Not Converted,"Clientes prospectados, mas não convertidos"
 DocType: Manufacturing Settings,Manufacturing Settings,Configurações de Fabricação
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configurando Email
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Por favor, indique moeda padrão ino cadastro da empresa"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Por favor, indique moeda padrão ino cadastro da empresa"
 DocType: Stock Entry Detail,Stock Entry Detail,Detalhe do Lançamento no Estoque
 DocType: Products Settings,Home Page is Products,Página Inicial é Produtos
 ,Asset Depreciation Ledger,Livro Razão de Depreciação de Ativos
@@ -2837,20 +2830,20 @@
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nome da Nova Conta
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Custo de fornecimento de Matérias-primas
 DocType: Selling Settings,Settings for Selling Module,Configurações do Módulo de Vendas
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Atendimento ao Cliente
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Atendimento ao Cliente
 DocType: Item Customer Detail,Item Customer Detail,Detalhe do Cliente do Item
 DocType: Notification Control,Prompt for Email on Submission of,Solicitar o Envio de Email no Envio do Documento
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +102,Total allocated leaves are more than days in the period,Total de licenças alocadas é maior do que número de dias no período
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Item {0} deve ser um item de estoque
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Armazén Padrão de Trabalho em Andamento
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,As configurações padrão para as transações contábeis.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,As configurações padrão para as transações contábeis.
 DocType: Purchase Invoice Item,Stock Qty,Quantidade em estoque
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Erro: Não é um ID válido?
 DocType: Naming Series,Update Series Number,Atualizar Números de Séries
 DocType: Account,Equity,Patrimônio Líquido
 DocType: Job Offer,Printing Details,Imprimir detalhes
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Pesquisa Subconjuntos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Código do item exigido na Linha Nº {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Código do item exigido na Linha Nº {0}
 DocType: Sales Partner,Partner Type,Tipo de parceiro
 DocType: Authorization Rule,Customerwise Discount,Desconto referente ao Cliente
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Registros de Tempo para tarefas.
@@ -2863,7 +2856,7 @@
 DocType: Item Reorder,Re-Order Level,Nível de Reposição
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +102,Part-time,De meio expediente
 DocType: Employee,Applicable Holiday List,Lista de Férias Aplicável
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Tipo de Relatório é obrigatório
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Tipo de Relatório é obrigatório
 DocType: Item,Serial Number Series,Séries de Nº de Série
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Armazém é obrigatória para stock o item {0} na linha {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Varejo e Atacado
@@ -2877,19 +2870,19 @@
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js +7,Attendance,Comparecimento
 apps/erpnext/erpnext/public/js/pos/pos.html +115,Stock Items,Itens de estoque
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se não for controlada, a lista deverá ser adicionado a cada departamento onde tem de ser aplicado."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Data e horário da postagem são obrigatórios
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Data e horário da postagem são obrigatórios
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Por extenso será visível quando você salvar o Pedido de Compra.
 DocType: Period Closing Voucher,Period Closing Voucher,Comprovante de Encerramento do Período
 apps/erpnext/erpnext/config/selling.py +67,Price List master.,Cadastro da Lista de Preços.
 DocType: Task,Review Date,Data da Revisão
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Série para lançamento de Depreciação de Ativos (Lançamento no Livro Diário)
 DocType: Restaurant Reservation,Waitlisted,Colocado na lista de espera
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Moeda não pode ser alterada depois de fazer entradas usando alguma outra moeda
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Moeda não pode ser alterada depois de fazer entradas usando alguma outra moeda
 DocType: Vehicle Service,Clutch Plate,Disco de Embreagem
 DocType: Company,Round Off Account,Conta de Arredondamento
 DocType: Customer Group,Parent Customer Group,Grupo de Clientes pai
 DocType: Vehicle Service,Change,Alteração
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Inscrição
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Inscrição
 DocType: Purchase Invoice,Contact Email,Email do Contato
 DocType: Appraisal Goal,Score Earned,Pontuação Obtida
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +222,Notice Period,Período de Aviso Prévio
@@ -2906,11 +2899,11 @@
 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantidade do item obtido após a fabricação / reembalagem a partir de determinadas quantidades de matéria-prima
 DocType: Payment Reconciliation,Receivable / Payable Account,Conta de Recebimento/Pagamento
 DocType: Delivery Note Item,Against Sales Order Item,Relacionado ao Item do Pedido de Venda
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Por favor, especifique Atributo Valor para o atributo {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Por favor, especifique Atributo Valor para o atributo {0}"
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Orçamento não pode ser atribuído contra a conta de grupo {0}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Por favor entre o centro de custo pai
 DocType: Delivery Note,Print Without Amount,Imprimir sem valores
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Data da Depreciação
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Data da Depreciação
 DocType: Issue,Support Team,Equipe de Pós-Vendas
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Vencimento (em dias)
 DocType: Appraisal,Total Score (Out of 5),Pontuação Total (nota máxima 5)
@@ -2932,7 +2925,7 @@
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Contagem de Orçamentos
 ,BOM Stock Report,Relatório de Estoque por LDM
 DocType: GL Entry,Credit Amount,Total de crédito
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Definir como Perdido
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Definir como Perdido
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,O pagamento Recibo Nota
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Isto é baseado nas transações envolvendo este Cliente. Veja a linha do tempo abaixo para maiores detalhes
 DocType: Tax Rule,Tax Rule,Regras de Aplicação de Impostos
@@ -2940,14 +2933,14 @@
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planejar Registros de Tempo fora do horário de trabalho da estação de trabalho.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Clientes na Fila
 ,Items To Be Requested,Itens para Requisitar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Selecione ou adicione um novo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Selecione ou adicione um novo cliente
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicação de Recursos (Ativos)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Isto é baseado na frequência deste Colaborador
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Marcar Presença
 DocType: Fiscal Year,Year Start Date,Data do início do ano
 DocType: Additional Salary,Employee Name,Nome do Colaborador
 DocType: Purchase Invoice,Rounded Total (Company Currency),Total arredondado (moeda da empresa)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o tipo de conta é selecionado."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o tipo de conta é selecionado."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0} {1} foi modificado. Por favor, atualize."
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impedir que usuários solicitem licenças em dias seguintes
 DocType: Loyalty Point Entry,Purchase Amount,Valor de Compra
@@ -2957,15 +2950,15 @@
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Packed quantity must equal quantity for Item {0} in row {1},Embalado quantidade deve ser igual a quantidade de item {0} na linha {1}
 DocType: Work Order,Manufactured Qty,Qtde Fabricada
 DocType: Purchase Receipt Item,Accepted Quantity,Quantidade Aceita
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Feriados padrão para o(a) Colaboador(a) {0} ou para a Empresa {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Feriados padrão para o(a) Colaboador(a) {0} ou para a Empresa {1}"
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Faturas emitidas para Clientes.
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id Projeto
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +578,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Linha {0}: Valor não pode ser superior ao valor pendente relacionado ao Reembolso de Despesas {1}. O valor pendente é {2}
 DocType: Assessment Plan,Schedule,Agendar
 DocType: Account,Parent Account,Conta Superior
 DocType: GL Entry,Voucher Type,Tipo de Comprovante
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Preço de tabela não encontrado ou deficientes
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Colaborador dispensado em {0} deve ser definido como 'Desligamento'
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Preço de tabela não encontrado ou deficientes
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Colaborador dispensado em {0} deve ser definido como 'Desligamento'
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Avaliação {0} criada para o Colaborador {1} no intervalo de datas informado
 DocType: Selling Settings,Campaign Naming By,Nomeação de Campanha por
 DocType: Employee,Current Address Is,Endereço atual é
@@ -2978,7 +2971,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Linha {0}: Sujeito / Conta não coincidem com {1} / {2} em {3} {4}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Por favor insira Conta Despesa
 DocType: Account,Stock,Estoque
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Compra, uma Nota Fiscal de Compra ou um Lançamento Contábil"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Compra, uma Nota Fiscal de Compra ou um Lançamento Contábil"
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se o item é uma variante de outro item, em seguida, descrição, imagem, preços, impostos etc será definido a partir do modelo, a menos que explicitamente especificado"
 DocType: Serial No,Purchase / Manufacture Details,Detalhes Compra / Fabricação
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventário por Lote
@@ -2988,7 +2981,7 @@
 DocType: Pricing Rule,Min Qty,Qtde Mínima
 DocType: Production Plan Item,Planned Qty,Qtde Planejada
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Fiscal total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Para Quantidade (qtde fabricada) é obrigatório
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Para Quantidade (qtde fabricada) é obrigatório
 DocType: Stock Entry,Default Target Warehouse,Armazén de Destino Padrão
 DocType: Purchase Invoice,Net Total (Company Currency),Total Líquido (moeda da empresa)
 DocType: Notification Control,Purchase Receipt Message,Mensagem do Recibo de Compra
@@ -3002,8 +2995,8 @@
 DocType: POS Profile,POS Profile,Perfil do PDV
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Item {0} é um modelo, por favor selecione uma de suas variantes"
 DocType: Asset,Asset Category,Categoria de Ativos
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Salário líquido não pode ser negativo
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Material a Fornecedor
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Salário líquido não pode ser negativo
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Material a Fornecedor
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Guia de Recolhimento de Tributos
 DocType: Expense Claim,Employees Email Id,Endereços de Email dos Colaboradores
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Current Liabilities,Passivo Circulante
@@ -3026,7 +3019,7 @@
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +25,Cart is Empty,Seu carrinho está vazio
 DocType: Work Order,Actual Operating Cost,Custo Operacional Real
 DocType: Soil Texture,Clay Loam,Barro de Argila
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root não pode ser editado.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root não pode ser editado.
 DocType: Item,Units of Measure,Unidades de Medida
 DocType: Manufacturing Settings,Allow Production on Holidays,Permitir a Produção em Feriados
 DocType: Sales Invoice,Customer's Purchase Order Date,Data do Pedido de Compra do Cliente
@@ -3034,17 +3027,17 @@
 DocType: Payment Gateway Account,Payment Gateway Account,Integração com API's de Meios de Pagamento
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Após a conclusão do pagamento redirecionar usuário para a página selecionada.
 DocType: Company,Existing Company,Empresa Existente
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Por favor, selecione um arquivo csv"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,"Por favor, selecione um arquivo csv"
 DocType: Student Leave Application,Mark as Present,Marcar como presente
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produtos em Destaque
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Modelo de Termos e Condições
 DocType: Serial No,Delivery Details,Detalhes da entrega
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,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}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,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}
 ,Item-wise Purchase Register,Registro de Compras por Item
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +381,Please select Category first,Por favor selecione a Categoria primeiro
 apps/erpnext/erpnext/config/projects.py +13,Project master.,Cadastro de Projeto.
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Não mostrar nenhum símbolo como R$ etc ao lado de moedas.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Meio Período)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Meio Período)
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Faça uma Série de Alunos
 DocType: Leave Type,Is Carry Forward,É encaminhado
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Prazo de Entrega (em dias)
@@ -3059,6 +3052,6 @@
 DocType: GL Entry,Is Opening,É Abertura
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Linha {0}: Lançamento de débito não pode ser relacionado a uma {1}
 DocType: Journal Entry,Subscription Section,Seção de Inscrição
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,A Conta {0} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,A Conta {0} não existe
 DocType: Account,Cash,Dinheiro
 DocType: Employee,Short biography for website and other publications.,Breve biografia para o site e outras publicações.
diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv
index 6a68326..16c3c86 100644
--- a/erpnext/translations/pt.csv
+++ b/erpnext/translations/pt.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Artigos do Cliente
 DocType: Project,Costing and Billing,Custos e Faturação
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},A moeda da conta avançada deve ser igual à moeda da empresa {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Conta {0}: Conta paterna {1} não pode ser um livro fiscal
+DocType: QuickBooks Migrator,Token Endpoint,Ponto final do token
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Conta {0}: Conta paterna {1} não pode ser um livro fiscal
 DocType: Item,Publish Item to hub.erpnext.com,Publicar o artigo em hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Não é possível encontrar período de saída ativo
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Não é possível encontrar período de saída ativo
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Avaliação
 DocType: Item,Default Unit of Measure,Unidade de Medida Padrão
 DocType: SMS Center,All Sales Partner Contact,Todos os Contactos de Parceiros Comerciais
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Clique em Enter To Add
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Valor ausente para senha, chave de API ou URL do Shopify"
 DocType: Employee,Rented,Alugado
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Todas as contas
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Todas as contas
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Não é possível transferir o funcionário com status
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","A Ordem de Produção parada não pode ser cancelada, continue com mesma antes para depois cancelar"
 DocType: Vehicle Service,Mileage,Quilometragem
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Você realmente quer descartar esse ativo?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Você realmente quer descartar esse ativo?
 DocType: Drug Prescription,Update Schedule,Programação de atualização
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Selecione o Fornecedor Padrão
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Mostrar empregado
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nova taxa de câmbio
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Moeda é necessária para a Lista de Preços {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Moeda é necessária para a Lista de Preços {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Será calculado na transação.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Contato do Cliente
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Isto é baseado em operações com este fornecedor. Veja o cronograma abaixo para obter detalhes
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Porcentagem de superprodução para ordem de serviço
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Jurídico
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Jurídico
+DocType: Delivery Note,Transport Receipt Date,Data de recebimento de transporte
 DocType: Shopify Settings,Sales Order Series,Série de pedidos de vendas
 DocType: Vital Signs,Tongue,Língua
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Isenção de HRA
 DocType: Sales Invoice,Customer Name,Nome do Cliente
 DocType: Vehicle,Natural Gas,Gás Natural
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Conta bancária não pode ser nomeada como {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Conta bancária não pode ser nomeada como {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA conforme estrutura salarial
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Elementos (ou grupos) dos quais os Lançamentos Contabilísticos são feitas e os saldos são mantidos.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Pendente para {0} não pode ser menor que zero ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,A data de parada de serviço não pode ser anterior à data de início do serviço
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,A data de parada de serviço não pode ser anterior à data de início do serviço
 DocType: Manufacturing Settings,Default 10 mins,Padrão de 10 min
 DocType: Leave Type,Leave Type Name,Nome do Tipo de Baixa
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostrar aberto
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Mostrar aberto
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Série Atualizada com Sucesso
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Check-out
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} na linha {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} na linha {1}
 DocType: Asset Finance Book,Depreciation Start Date,Data de início da depreciação
 DocType: Pricing Rule,Apply On,Aplicar Em
 DocType: Item Price,Multiple Item prices.,Preços de Vários Artigos.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Definições de suporte
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Data de Término não pode ser inferior a Data de Início
 DocType: Amazon MWS Settings,Amazon MWS Settings,Configurações do Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha #{0}: A taxa deve ser a mesma que {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha #{0}: A taxa deve ser a mesma que {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch item de status de validade
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Depósito Bancário
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Detalhes principais de contato
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Incidentes em Aberto
 DocType: Production Plan Item,Production Plan Item,Artigo do Plano de Produção
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},O utilizador {0} já está atribuído ao funcionário {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},O utilizador {0} já está atribuído ao funcionário {1}
 DocType: Lab Test Groups,Add new line,Adicionar nova linha
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Assistência Médica
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Atraso no pagamento (Dias)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Prescrição de laboratório
 ,Delay Days,Delay Days
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Despesa de Serviço
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de série: {0} já está referenciado na fatura de vendas: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de série: {0} já está referenciado na fatura de vendas: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Fatura
 DocType: Purchase Invoice Item,Item Weight Details,Detalhes do peso do item
 DocType: Asset Maintenance Log,Periodicity,Periodicidade
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,O Ano Fiscal {0} é obrigatório
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Fornecedor&gt; Grupo de Fornecedores
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,A distância mínima entre fileiras de plantas para o melhor crescimento
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Defesa
 DocType: Salary Component,Abbr,Abrev
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Lista de Feriados
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Contabilista
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Lista de preços de venda
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Lista de preços de venda
 DocType: Patient,Tobacco Current Use,Uso atual do tabaco
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Taxa de vendas
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Taxa de vendas
 DocType: Cost Center,Stock User,Utilizador de Stock
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Informações de contato
 DocType: Company,Phone No,Nº de Telefone
 DocType: Delivery Trip,Initial Email Notification Sent,Notificação inicial de e-mail enviada
 DocType: Bank Statement Settings,Statement Header Mapping,Mapeamento de cabeçalho de declaração
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Data de início da assinatura
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Contas a receber padrão a serem usadas se não forem definidas no Paciente para reservar cobranças de Compromisso.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Anexe o ficheiro .csv com duas colunas, uma para o nome antigo e uma para o novo nome"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Do endereço 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Código do item&gt; Grupo de itens&gt; Marca
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Do endereço 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} não em qualquer ano fiscal ativa.
 DocType: Packed Item,Parent Detail docname,Dados Principais de docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referência: {0}, Código do Item: {1} e Cliente: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} não está presente na empresa controladora
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} não está presente na empresa controladora
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Data de término do período de avaliação não pode ser anterior à data de início do período de avaliação
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Categoria de Retenção Fiscal
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Publicidade
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Esta mesma empresa está inscrita mais do que uma vez
 DocType: Patient,Married,Casado/a
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Não tem permissão para {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Não tem permissão para {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Obter itens de
 DocType: Price List,Price Not UOM Dependant,Preço não Dependente do UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Aplicar montante de retenção fiscal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},O Stock não pode ser atualizado nesta Guia de Remessa {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Quantidade Total Creditada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},O Stock não pode ser atualizado nesta Guia de Remessa {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Quantidade Total Creditada
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produto {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nenhum item listado
 DocType: Asset Repair,Error Description,Descrição de erro
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Use o formato de fluxo de caixa personalizado
 DocType: SMS Center,All Sales Person,Todos os Vendedores
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"A **Distribuição Mensal** ajuda-o a distribuir o Orçamento/Meta por vários meses, caso o seu negócio seja sazonal."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Não itens encontrados
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Falta a Estrutura Salarial
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Não itens encontrados
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Falta a Estrutura Salarial
 DocType: Lead,Person Name,Nome da Pessoa
 DocType: Sales Invoice Item,Sales Invoice Item,Item de Fatura de Vendas
 DocType: Account,Credit,Crédito
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Relatórios de Stock
 DocType: Warehouse,Warehouse Detail,Detalhe Armazém
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"O Prazo de Data de Término não pode ser posterior à Data de Término de Ano do Ano Letivo, com a qual está relacionado o termo (Ano Lectivo {}). Por favor, corrija as datas e tente novamente."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É um Ativo Imobilizado"" não pode ser desmarcado, pois existe um registo de ativos desse item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É um Ativo Imobilizado"" não pode ser desmarcado, pois existe um registo de ativos desse item"
 DocType: Delivery Trip,Departure Time,Hora de partida
 DocType: Vehicle Service,Brake Oil,Óleo dos Travões
 DocType: Tax Rule,Tax Type,Tipo de imposto
 ,Completed Work Orders,Ordens de trabalho concluídas
 DocType: Support Settings,Forum Posts,Posts no Fórum
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Valor taxado
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Valor taxado
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Não está autorizado a adicionar ou atualizar registos antes de {0}
 DocType: Leave Policy,Leave Policy Details,Deixar detalhes da política
 DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for diapositivo de imagens)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valor por Hora / 60) * Tempo Real Operacional
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Linha # {0}: O tipo de documento de referência deve ser um pedido de despesa ou entrada de diário
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Selecionar BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Linha # {0}: O tipo de documento de referência deve ser um pedido de despesa ou entrada de diário
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Selecionar BOM
 DocType: SMS Log,SMS Log,Registo de SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Custo de Itens Entregues
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,O feriado em {0} não é entre De Data e To Date
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Modelos de classificação de fornecedores.
 DocType: Lead,Interested,Interessado
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,A Abrir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},De {0} a {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},De {0} a {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programa:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Falha na configuração de impostos
 DocType: Item,Copy From Item Group,Copiar do Grupo do Item
-DocType: Delivery Trip,Delivery Notification,Notificação de entrega
 DocType: Journal Entry,Opening Entry,Registo de Abertura
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Só Conta de Pagamento
 DocType: Loan,Repay Over Number of Periods,Reembolsar Ao longo Número de Períodos
 DocType: Stock Entry,Additional Costs,Custos Adicionais
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,A conta da transação existente não pode ser convertida a grupo.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,A conta da transação existente não pode ser convertida a grupo.
 DocType: Lead,Product Enquiry,Inquérito de Produto
 DocType: Education Settings,Validate Batch for Students in Student Group,Validar Lote para Estudantes em Grupo de Estudantes
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nenhum registo de falta encontrados para o funcionário {0} para {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Por favor, insira primeiro a empresa"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Por favor, selecione primeiro a Empresa"
 DocType: Employee Education,Under Graduate,Universitário
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"Por favor, defina o modelo padrão para Notificação de status de saída em Configurações de RH."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"Por favor, defina o modelo padrão para Notificação de status de saída em Configurações de RH."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Objetivo
 DocType: BOM,Total Cost,Custo Total
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Extrato de Conta
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmacêuticos
 DocType: Purchase Invoice Item,Is Fixed Asset,É um Ativo Imobilizado
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","A qtd disponível é {0}, necessita {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","A qtd disponível é {0}, necessita {1}"
 DocType: Expense Claim Detail,Claim Amount,Quantidade do Pedido
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},A ordem de serviço foi {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Modelo de Inspeção de Qualidade
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Você deseja atualizar atendimento? <br> Presente: {0} \ <br> Ausente: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A Qtd Aceite + Rejeitada deve ser igual à quantidade Recebida pelo Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A Qtd Aceite + Rejeitada deve ser igual à quantidade Recebida pelo Item {0}
 DocType: Item,Supply Raw Materials for Purchase,Abastecimento de Matérias-Primas para Compra
 DocType: Agriculture Analysis Criteria,Fertilizer,Fertilizante
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Não é possível garantir a entrega por Nº de série, pois \ Item {0} é adicionado com e sem Garantir entrega por \ Nº de série"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,É necessário pelo menos um modo de pagamento para a fatura POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,É necessário pelo menos um modo de pagamento para a fatura POS.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Item de fatura de transação de extrato bancário
 DocType: Products Settings,Show Products as a List,Mostrar os Produtos como Lista
 DocType: Salary Detail,Tax on flexible benefit,Imposto sobre benefício flexível
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Detalhes do pedido de material
 DocType: Selling Settings,Default Quotation Validity Days,Dias de validade de cotação padrão
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos nas linhas {1} também deverão ser incluídos"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos nas linhas {1} também deverão ser incluídos"
 DocType: SMS Center,SMS Center,Centro de SMS
 DocType: Payroll Entry,Validate Attendance,Validar Participação
 DocType: Sales Invoice,Change Amount,Alterar Montante
 DocType: Party Tax Withholding Config,Certificate Received,Certificado recebido
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Defina o valor da fatura para B2C. B2CL e B2CS calculados com base neste valor da fatura.
 DocType: BOM Update Tool,New BOM,Nova LDM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Procedimentos prescritos
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Procedimentos prescritos
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Mostrar apenas POS
 DocType: Supplier Group,Supplier Group Name,Nome do Grupo de Fornecedores
 DocType: Driver,Driving License Categories,Categorias de licenças de condução
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Períodos da folha de pagamento
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Tornar Funcionário
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Transmissão
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Modo de Configuração do POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Modo de Configuração do POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Desativa a criação de registros de horário em Ordens de Serviço. As operações não devem ser rastreadas em relação à ordem de serviço
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Execução
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Os dados das operações realizadas.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Desconto na Taxa de Lista de Preços (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Modelo de item
 DocType: Job Offer,Select Terms and Conditions,Selecione os Termos e Condições
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Valor de Saída
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Valor de Saída
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Item de configurações de extrato bancário
 DocType: Woocommerce Settings,Woocommerce Settings,Configurações do Woocommerce
 DocType: Production Plan,Sales Orders,Ordens de Vendas
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Pode aceder à solicitação de cotação ao clicar no link a seguir
 DocType: SG Creation Tool Course,SG Creation Tool Course,Curso de Ferramenta de Criação SG
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrição de pagamento
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Stock Insuficiente
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Stock Insuficiente
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desativar a Capacidade de Planeamento e o Controlo do Tempo
 DocType: Email Digest,New Sales Orders,Novas Ordens de Venda
 DocType: Bank Account,Bank Account,Conta Bancária
 DocType: Travel Itinerary,Check-out Date,Data de Check-out
 DocType: Leave Type,Allow Negative Balance,Permitir Saldo Negativo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Você não pode excluir o Tipo de Projeto &#39;Externo&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Selecionar item alternativo
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Selecionar item alternativo
 DocType: Employee,Create User,Criar utilizador
 DocType: Selling Settings,Default Territory,Território Padrão
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televisão
 DocType: Work Order Operation,Updated via 'Time Log',"Atualizado através de ""Registo de Tempo"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Selecione o cliente ou fornecedor.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},O montante do adiantamento não pode ser maior do que {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},O montante do adiantamento não pode ser maior do que {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Time slot skiped, o slot {0} para {1} se sobrepõe ao slot existente {2} para {3}"
 DocType: Naming Series,Series List for this Transaction,Lista de Séries para esta Transação
 DocType: Company,Enable Perpetual Inventory,Habilitar inventário perpétuo
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Na Nota Fiscal de Venda do Item
 DocType: Agriculture Analysis Criteria,Linked Doctype,Documento vinculado
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Caixa Líquido de Financiamento
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","O Armazenamento Local está cheio, não foi guardado"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","O Armazenamento Local está cheio, não foi guardado"
 DocType: Lead,Address & Contact,Endereço e Contacto
 DocType: Leave Allocation,Add unused leaves from previous allocations,Adicionar licenças não utilizadas através de atribuições anteriores
 DocType: Sales Partner,Partner website,Website parceiro
@@ -447,10 +447,10 @@
 ,Open Work Orders,Abrir ordens de serviço
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Item de Cobrança de Consulta ao Paciente
 DocType: Payment Term,Credit Months,Meses de Crédito
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,A Remuneração Líquida não pode ser inferior a 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,A Remuneração Líquida não pode ser inferior a 0
 DocType: Contract,Fulfilled,Realizada
 DocType: Inpatient Record,Discharge Scheduled,Descarga Agendada
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,A Data de Dispensa deve ser mais recente que a Data de Adesão
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,A Data de Dispensa deve ser mais recente que a Data de Adesão
 DocType: POS Closing Voucher,Cashier,Caixa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Licenças por Ano
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Linha {0}: Por favor, selecione ""É um Adiantamento"" na Conta {1} se for um registo dum adiantamento."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Por favor, configure alunos sob grupos de estudantes"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Trabalho completo
 DocType: Item Website Specification,Item Website Specification,Especificação de Website do Item
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Licença Bloqueada
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},O Item {0} expirou em {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Licença Bloqueada
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},O Item {0} expirou em {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Registos Bancários
 DocType: Customer,Is Internal Customer,É cliente interno
 DocType: Crop,Annual,Anual
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Se a opção Aceitação automática estiver marcada, os clientes serão automaticamente vinculados ao Programa de fidelidade em questão (quando salvo)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item de Reconciliação de Stock
 DocType: Stock Entry,Sales Invoice No,Fatura de Vendas Nr
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tipo de alimentação
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tipo de alimentação
 DocType: Material Request Item,Min Order Qty,Qtd de Pedido Mín.
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curso de Ferramenta de Criação de Grupo de Estudantes
 DocType: Lead,Do Not Contact,Não Contactar
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publicar na Plataforma
 DocType: Student Admission,Student Admission,Admissão de Estudante
 ,Terretory,Território
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,O Item {0} foi cancelado
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,O Item {0} foi cancelado
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Linha de depreciação {0}: a data de início da depreciação é entrada como data anterior
 DocType: Contract Template,Fulfilment Terms and Conditions,Termos e Condições de Cumprimento
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Solicitação de Material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Solicitação de Material
 DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data de Liquidação
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Dados de Compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},O Item {0} não foi encontrado na tabela das 'Matérias-primas Fornecidas' na Ordens de Compra {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},O Item {0} não foi encontrado na tabela das 'Matérias-primas Fornecidas' na Ordens de Compra {1}
 DocType: Salary Slip,Total Principal Amount,Valor total do capital
 DocType: Student Guardian,Relation,Relação
 DocType: Student Guardian,Mother,Mãe
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Condado de Envio
 DocType: Currency Exchange,For Selling,À venda
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Aprender
+DocType: Purchase Invoice Item,Enable Deferred Expense,Ativar Despesa Adiada
 DocType: Asset,Next Depreciation Date,Próxima Data de Depreciação
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Custo de Atividade por Funcionário
 DocType: Accounts Settings,Settings for Accounts,Definições de Contas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},O Nr. de Fatura do Fornecedor existe na Fatura de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},O Nr. de Fatura do Fornecedor existe na Fatura de Compra {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gerir Organograma de Vendedores.
 DocType: Job Applicant,Cover Letter,Carta de Apresentação
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques a Cobrar e Depósitos a receber
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Histórico Profissional Externo
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Erro de Referência Circular
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Cartão de relatório do aluno
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Do código PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Do código PIN
 DocType: Appointment Type,Is Inpatient,É paciente internado
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nome Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Por Extenso (Exportar) será visível assim que guardar a Guia de Remessa.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Múltiplas Moedas
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo de Fatura
 DocType: Employee Benefit Claim,Expense Proof,Prova de Despesas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Guia de Remessa
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Salvando {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Guia de Remessa
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,A Configurar Impostos
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Custo do Ativo Vendido
 DocType: Volunteer,Morning,Manhã
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"O Registo de Pagamento foi alterado após o ter retirado. Por favor, retire-o novamente."
 DocType: Program Enrollment Tool,New Student Batch,Novo lote de estudantes
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} entrou duas vezes na Taxa de Item
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Resumo para esta semana e atividades pendentes
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} entrou duas vezes na Taxa de Item
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Resumo para esta semana e atividades pendentes
 DocType: Student Applicant,Admitted,Admitido/a
 DocType: Workstation,Rent Cost,Custo de Aluguer
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Montante Após Depreciação
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Montante Após Depreciação
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Próximos Eventos no Calendário
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Atributos Variante
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Por favor, selecione o mês e o ano"
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Só pode haver 1 Conta por Empresa em {0} {1}
 DocType: Support Search Source,Response Result Key Path,Caminho da chave do resultado da resposta
 DocType: Journal Entry,Inter Company Journal Entry,Entrada de diário entre empresas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Para quantidade {0} não deve ser maior que a quantidade da ordem de serviço {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Por favor, veja o anexo"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Para quantidade {0} não deve ser maior que a quantidade da ordem de serviço {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Por favor, veja o anexo"
 DocType: Purchase Order,% Received,% Recebida
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Criar Grupos de Estudantes
 DocType: Volunteer,Weekends,Finais de semana
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Total pendente
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Altera o número de sequência inicial / atual duma série existente.
 DocType: Dosage Strength,Strength,Força
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Criar um novo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Criar um novo cliente
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Expirando em
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias Regras de Fixação de Preços continuarem a prevalecer, será pedido aos utilizadores que definam a Prioridade manualmente para que este conflito seja resolvido."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Criar ordens de compra
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Custo de Consumíveis
 DocType: Purchase Receipt,Vehicle Date,Data de Veículo
 DocType: Student Log,Medical,Clínico
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Motivo de perda
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Por favor selecione Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Motivo de perda
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Por favor selecione Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,O Dono do Potencial Cliente não pode ser o mesmo que o Potencial Cliente
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,O montante atribuído não pode ser superior ao montante não ajustado
 DocType: Announcement,Receiver,Recetor
 DocType: Location,Area UOM,UOM da área
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"O Posto de Trabalho está encerrado nas seguintes datas, conforme a Lista de Feriados: {0}"
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Oportunidades
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Oportunidades
 DocType: Lab Test Template,Single,Solteiro/a
 DocType: Compensatory Leave Request,Work From Date,Trabalho a partir da data
 DocType: Salary Slip,Total Loan Repayment,O reembolso total do empréstimo
+DocType: Project User,View attachments,Visualizar anexos
 DocType: Account,Cost of Goods Sold,Custo dos Produtos Vendidos
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,"Por favor, insira o Centro de Custos"
 DocType: Drug Prescription,Dosage,Dosagem
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Quantidade e Valor
 DocType: Delivery Note,% Installed,% Instalada
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Salas de Aula / Laboratórios, etc. onde podem ser agendadas palestras."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,As moedas da empresa de ambas as empresas devem corresponder às transações da empresa.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,As moedas da empresa de ambas as empresas devem corresponder às transações da empresa.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,"Por favor, insira o nome da empresa primeiro"
 DocType: Travel Itinerary,Non-Vegetarian,Não Vegetariana
 DocType: Purchase Invoice,Supplier Name,Nome do Fornecedor
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Temporariamente em espera
 DocType: Account,Is Group,É Grupo
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,A nota de crédito {0} foi criada automaticamente
-DocType: Email Digest,Pending Purchase Orders,Ordens de Compra Pendentes
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Definir os Nrs de Série automaticamente com base em FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Verificar Singularidade de Número de Fatura de Fornecedor
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Detalhes principais do endereço
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personaliza o texto introdutório que vai fazer parte desse email. Cada transação tem um texto introdutório em separado.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Linha {0}: A operação é necessária em relação ao item de matéria-prima {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Defina a conta pagável padrão da empresa {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transação não permitida em relação à ordem de trabalho interrompida {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transação não permitida em relação à ordem de trabalho interrompida {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,As definições gerais para todos os processos de fabrico.
 DocType: Accounts Settings,Accounts Frozen Upto,Contas Congeladas Até
 DocType: SMS Log,Sent On,Enviado Em
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,O Atributo {0} foi selecionado várias vezes na Tabela de Atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,O Atributo {0} foi selecionado várias vezes na Tabela de Atributos
 DocType: HR Settings,Employee record is created using selected field. ,O registo de funcionário é criado ao utilizar o campo selecionado.
 DocType: Sales Order,Not Applicable,Não Aplicável
 DocType: Amazon MWS Settings,UK,Reino Unido
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,O funcionário {0} já solicitou {1} em {2}:
 DocType: Inpatient Record,AB Positive,AB Positivo
 DocType: Job Opening,Description of a Job Opening,Descrição de uma Vaga de Emprego
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Atividades pendentes para hoje
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Atividades pendentes para hoje
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Componente Salarial para a folha de presença com base no pagamento.
+DocType: Driver,Applicable for external driver,Aplicável para driver externo
 DocType: Sales Order Item,Used for Production Plan,Utilizado para o Plano de Produção
 DocType: Loan,Total Payment,Pagamento total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Não é possível cancelar a transação para a ordem de serviço concluída.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Não é possível cancelar a transação para a ordem de serviço concluída.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo Entre Operações (em minutos)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,Pedido já criado para todos os itens da ordem do cliente
 DocType: Healthcare Service Unit,Occupied,Ocupado
 DocType: Clinical Procedure,Consumables,Consumíveis
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} é cancelado para que a ação não possa ser concluída
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} é cancelado para que a ação não possa ser concluída
 DocType: Customer,Buyer of Goods and Services.,Comprador de Produtos e Serviços.
 DocType: Journal Entry,Accounts Payable,Contas a Pagar
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,O valor de {0} definido nesta solicitação de pagamento é diferente do valor calculado de todos os planos de pagamento: {1}. Certifique-se de que está correto antes de enviar o documento.
 DocType: Patient,Allergies,Alergias
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,As listas de materiais selecionadas não são para o mesmo item
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,As listas de materiais selecionadas não são para o mesmo item
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Alterar o código do item
 DocType: Supplier Scorecard Standing,Notify Other,Notificar outro
 DocType: Vital Signs,Blood Pressure (systolic),Pressão sanguínea (sistólica)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Peças suficiente para construir
 DocType: POS Profile User,POS Profile User,Usuário do perfil POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Linha {0}: Data de Início da Depreciação é obrigatória
-DocType: Sales Invoice Item,Service Start Date,Data de início do serviço
+DocType: Purchase Invoice Item,Service Start Date,Data de início do serviço
 DocType: Subscription Invoice,Subscription Invoice,Fatura de Subscrição
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Rendimento Direto
 DocType: Patient Appointment,Date TIme,Data hora
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Rotina de laboratório
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Cosméticos
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Selecione a Data de conclusão do registro de manutenção de ativos concluídos
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Para unir, as seguintes propriedades devem ser iguais para ambos items"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Para unir, as seguintes propriedades devem ser iguais para ambos items"
 DocType: Supplier,Block Supplier,Fornecedor de blocos
 DocType: Shipping Rule,Net Weight,Peso Líquido
 DocType: Job Opening,Planned number of Positions,Número planejado de posições
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Modelo de mapeamento de fluxo de caixa
 DocType: Travel Request,Costing Details,Detalhes do custo
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Mostrar entradas de devolução
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,O nr. de série do item não pode ser uma fração
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,O nr. de série do item não pode ser uma fração
 DocType: Journal Entry,Difference (Dr - Cr),Diferença (Db - Cr)
 DocType: Bank Guarantee,Providing,Fornecendo
 DocType: Account,Profit and Loss,Lucros e Perdas
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Não permitido, configure o modelo de teste de laboratório conforme necessário"
 DocType: Patient,Risk Factors,Fatores de risco
 DocType: Patient,Occupational Hazards and Environmental Factors,Perigos ocupacionais e fatores ambientais
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Entradas de ações já criadas para ordem de serviço
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Entradas de ações já criadas para ordem de serviço
 DocType: Vital Signs,Respiratory rate,Frequência respiratória
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Gestão de Subcontratação
 DocType: Vital Signs,Body Temperature,Temperatura corporal
 DocType: Project,Project will be accessible on the website to these users,O projeto estará acessível no website para estes utilizadores
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Não é possível cancelar {0} {1} porque o número de série {2} não pertence ao depósito {3}
 DocType: Detected Disease,Disease,Doença
+DocType: Company,Default Deferred Expense Account,Conta de Despesas Diferidas Padrão
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definir tipo de projeto.
 DocType: Supplier Scorecard,Weighting Function,Função de ponderação
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,Artigos produzidos
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Corresponder transação a faturas
 DocType: Sales Order Item,Gross Profit,Lucro Bruto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Desbloquear fatura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Desbloquear fatura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,O Aumento não pode ser 0
 DocType: Company,Delete Company Transactions,Eliminar Transações da Empresa
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,É obrigatório colocar o Nº de Referência e a Data de Referência para as transações bancárias
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Ignorar
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} não é activa
 DocType: Woocommerce Settings,Freight and Forwarding Account,Conta de Frete e Encaminhamento
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Defina as dimensões do cheque para impressão
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Defina as dimensões do cheque para impressão
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Criar recibos salariais
 DocType: Vital Signs,Bloated,Inchado
 DocType: Salary Slip,Salary Slip Timesheet,Folhas de Vencimento de Registo de Horas
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,É obrigatório colocar o Fornecedor de Armazém no Recibo de compra de subcontratados
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,É obrigatório colocar o Fornecedor de Armazém no Recibo de compra de subcontratados
 DocType: Item Price,Valid From,Válido De
 DocType: Sales Invoice,Total Commission,Comissão Total
 DocType: Tax Withholding Account,Tax Withholding Account,Conta de Retenção Fiscal
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Todos os scorecards do fornecedor.
 DocType: Buying Settings,Purchase Receipt Required,É Obrigatório o Recibo de Compra
 DocType: Delivery Note,Rail,Trilho
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,O depósito de destino na linha {0} deve ser o mesmo da Ordem de Serviço
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,É obrigatório colocar a Taxa de Avaliação se foi introduzido o Stock de Abertura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,O depósito de destino na linha {0} deve ser o mesmo da Ordem de Serviço
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,É obrigatório colocar a Taxa de Avaliação se foi introduzido o Stock de Abertura
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Não foram encontrados nenhuns registos na tabela da Fatura
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Por favor, selecione primeiro a Empresa e o Tipo de Parte"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Já definiu o padrão no perfil pos {0} para o usuário {1}, desabilitado gentilmente por padrão"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Ano fiscal / financeiro.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Ano fiscal / financeiro.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valores Acumulados
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Desculpe, mas os Nrs. de Série não podem ser unidos"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,O Grupo de clientes será definido para o grupo selecionado durante a sincronização dos clientes do Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,ID de Potencial Cliente
 DocType: C-Form Invoice Detail,Grand Total,Total Geral
 DocType: Assessment Plan,Course,Curso
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Código da Seção
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Código da Seção
 DocType: Timesheet,Payslip,Folha de Pagamento
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,A data de meio dia deve estar entre a data e a data
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,item Cart
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Bio pessoal
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID de associação
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Entregue: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Entregue: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Conectado ao QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Conta a Pagar
 DocType: Payment Entry,Type of Payment,Tipo de Pagamento
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Meio Dia A data é obrigatória
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Data de envio da conta
 DocType: Production Plan,Production Plan,Plano de produção
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Ferramenta de criação de fatura de abertura
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Retorno de Vendas
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Retorno de Vendas
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Nota: O total de licenças atribuídas {0} não deve ser menor do que as licenças já aprovadas {1}, para esse período"
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Definir Qtd em transações com base na entrada serial
 ,Total Stock Summary,Resumo de estoque total
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,Cliente ou Item
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de dados do cliente.
 DocType: Quotation,Quotation To,Orçamento Para
-DocType: Lead,Middle Income,Rendimento Médio
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Rendimento Médio
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Inicial (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,A Unidade de Medida Padrão do Item {0} não pode ser alterada diretamente porque já efetuou alguma/s transação/transações com outra UNID. Irá precisar criar um novo Item para poder utilizar uma UNID Padrão diferente.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,A Unidade de Medida Padrão do Item {0} não pode ser alterada diretamente porque já efetuou alguma/s transação/transações com outra UNID. Irá precisar criar um novo Item para poder utilizar uma UNID Padrão diferente.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,O montante atribuído não pode ser negativo
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Defina a Empresa
 DocType: Share Balance,Share Balance,Partilha de equilíbrio
@@ -956,15 +962,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selecione a Conta de Pagamento para efetuar um Registo Bancário
 DocType: Hotel Settings,Default Invoice Naming Series,Série de nomeação de fatura padrão
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Criar registos de funcionários para gerir faltas, declarações de despesas e folha de salários"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Ocorreu um erro durante o processo de atualização
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Ocorreu um erro durante o processo de atualização
 DocType: Restaurant Reservation,Restaurant Reservation,Reserva de restaurante
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Elaboração de Proposta
 DocType: Payment Entry Deduction,Payment Entry Deduction,Dedução de Registo de Pagamento
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Empacotando
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Notificar clientes por e-mail
 DocType: Item,Batch Number Series,Série de números em lote
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Já existe outro Vendedor {0} com a mesma id de Funcionário
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Já existe outro Vendedor {0} com a mesma id de Funcionário
 DocType: Employee Advance,Claimed Amount,Montante reclamado
+DocType: QuickBooks Migrator,Authorization Settings,Configurações de autorização
 DocType: Travel Itinerary,Departure Datetime,Data de saída
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Custeio de Solicitação de Viagem
@@ -1003,26 +1010,29 @@
 DocType: Buying Settings,Supplier Naming By,Nome de Fornecedor Por
 DocType: Activity Type,Default Costing Rate,Taxa de Custo Padrão
 DocType: Maintenance Schedule,Maintenance Schedule,Cronograma de Manutenção
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Então as Regras de Fixação de Preços serão filtradas com base no Cliente, Grupo de Clientes, Território, Fornecedor, Tipo de fornecedor, Campanha, Parceiro de Vendas etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Então as Regras de Fixação de Preços serão filtradas com base no Cliente, Grupo de Clientes, Território, Fornecedor, Tipo de fornecedor, Campanha, Parceiro de Vendas etc."
 DocType: Employee Promotion,Employee Promotion Details,Detalhes da promoção do funcionário
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Variação Líquida no Inventário
 DocType: Employee,Passport Number,Número de Passaporte
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relação com Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Gestor
 DocType: Payment Entry,Payment From / To,Pagamento De / Para
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,A partir do ano fiscal
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},O novo limite de crédito é inferior ao montante em dívida atual para o cliente. O limite de crédito tem que ser pelo menos {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Defina conta no Warehouse {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Defina conta no Warehouse {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Baseado em' e 'Agrupado por' não podem ser iguais
 DocType: Sales Person,Sales Person Targets,Metas de Vendedores
 DocType: Work Order Operation,In minutes,Em minutos
 DocType: Issue,Resolution Date,Data de Resolução
 DocType: Lab Test Template,Compound,Composto
+DocType: Opportunity,Probability (%),Probabilidade (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Notificação de Despacho
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Selecione a propriedade
 DocType: Student Batch Name,Batch Name,Nome de Lote
 DocType: Fee Validity,Max number of visit,Número máximo de visitas
 ,Hotel Room Occupancy,Ocupação do quarto do hotel
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Registo de Horas criado:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Por favor defina o Dinheiro ou Conta Bancária padrão no Modo de Pagamento {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Por favor defina o Dinheiro ou Conta Bancária padrão no Modo de Pagamento {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Matricular
 DocType: GST Settings,GST Settings,Configurações de GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},A moeda deve ser a mesma que a Moeda da lista de preços: {0}
@@ -1063,12 +1073,12 @@
 DocType: Loan,Total Interest Payable,Interesse total a pagar
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impostos e Taxas de Custo de Entrega
 DocType: Work Order Operation,Actual Start Time,Hora de Início Efetiva
+DocType: Purchase Invoice Item,Deferred Expense Account,Conta de despesas diferidas
 DocType: BOM Operation,Operation Time,Tempo de Operação
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Terminar
 DocType: Salary Structure Assignment,Base,Base
 DocType: Timesheet,Total Billed Hours,Horas Totais Faturadas
 DocType: Travel Itinerary,Travel To,Viajar para
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,não é
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Liquidar Quantidade
 DocType: Leave Block List Allow,Allow User,Permitir Utilizador
 DocType: Journal Entry,Bill No,Nr. de Conta
@@ -1085,9 +1095,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Folha de Presença
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Confirmar Matérias-Primas com Base Em
 DocType: Sales Invoice,Port Code,Código de porta
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Armazém de reserva
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Armazém de reserva
 DocType: Lead,Lead is an Organization,Lead é uma organização
-DocType: Guardian Interest,Interest,Juros
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pré-vendas
 DocType: Instructor Log,Other Details,Outros Dados
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1097,7 +1106,7 @@
 DocType: Account,Accounts,Contas
 DocType: Vehicle,Odometer Value (Last),Valor do Conta-quilómetros (Último)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Modelos de critérios de scorecard do fornecedor.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Resgatar pontos de fidelidade
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,O Registo de Pagamento já tinha sido criado
 DocType: Request for Quotation,Get Suppliers,Obter Fornecedores
@@ -1114,16 +1123,14 @@
 DocType: Crop,Crop Spacing UOM,UOM de espaçamento de colheitas
 DocType: Loyalty Program,Single Tier Program,Programa de camada única
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selecione apenas se você configurou os documentos do Mapeador de fluxo de caixa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Do endereço 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Do endereço 1
 DocType: Email Digest,Next email will be sent on:,O próximo email será enviado em:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Após o item {items} {verb} marcado como {message} item. \ Você pode ativá-los como {message} item do seu mestre de itens
 DocType: Supplier Scorecard,Per Week,Por semana
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,O Item tem variantes.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,O Item tem variantes.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Estudante total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Não foi encontrado o Item {0}
 DocType: Bin,Stock Value,Valor do Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,A Empresa {0} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,A Empresa {0} não existe
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} tem validade de taxa até {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tipo de Esquema
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Qtd Consumida Por Unidade
@@ -1138,7 +1145,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Registo de Cartão de Crédito
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Empresa e Contas
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,No Valor
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,No Valor
 DocType: Asset Settings,Depreciation Options,Opções de depreciação
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Qualquer local ou funcionário deve ser necessário
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Tempo de lançamento inválido
@@ -1155,20 +1162,21 @@
 DocType: Leave Allocation,Allocation,Alocação
 DocType: Purchase Order,Supply Raw Materials,Abastecimento de Matérias-Primas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Ativos Atuais
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} não é um item de stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} não é um item de stock
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Por favor, compartilhe seus comentários para o treinamento clicando em &#39;Feedback de Treinamento&#39; e depois &#39;Novo&#39;"
 DocType: Mode of Payment Account,Default Account,Conta Padrão
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Selecione Almacço de retenção de amostra em Configurações de estoque primeiro
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Selecione Almacço de retenção de amostra em Configurações de estoque primeiro
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,"Por favor, selecione o tipo de Programa de Múltiplas Classes para mais de uma regra de coleta."
 DocType: Payment Entry,Received Amount (Company Currency),Montante Recebido (Moeda da Empresa)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,O Potencial Cliente deve ser definido se for efetuada uma Oportunidade para um Potencial Cliente
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Pagamento cancelado. Por favor, verifique a sua conta GoCardless para mais detalhes"
 DocType: Contract,N/A,N / D
+DocType: Delivery Settings,Send with Attachment,Enviar com anexo
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Por favor, seleccione os dias de folga semanal"
 DocType: Inpatient Record,O Negative,O Negativo
 DocType: Work Order Operation,Planned End Time,Tempo de Término Planeado
 ,Sales Person Target Variance Item Group-Wise,Item de Variância Alvo de Vendedores em Grupo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,A conta da transação existente não pode ser convertida num livro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,A conta da transação existente não pode ser convertida num livro
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Detalhes do Tipo de Memebership
 DocType: Delivery Note,Customer's Purchase Order No,Nr. da Ordem de Compra do Cliente
 DocType: Clinical Procedure,Consume Stock,Consumir estoque
@@ -1181,26 +1189,26 @@
 DocType: Soil Texture,Sand,Areia
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energia
 DocType: Opportunity,Opportunity From,Oportunidade De
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Linha {0}: {1} Números de série necessários para o Item {2}. Você forneceu {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Linha {0}: {1} Números de série necessários para o Item {2}. Você forneceu {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Selecione uma tabela
 DocType: BOM,Website Specifications,Especificações do Website
 DocType: Special Test Items,Particulars,Informações
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: De {0} do tipo {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Existem Várias Regras de Preços com os mesmos critérios, por favor, resolva o conflito através da atribuição de prioridades. Regras de Preços: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Existem Várias Regras de Preços com os mesmos critérios, por favor, resolva o conflito através da atribuição de prioridades. Regras de Preços: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Conta de Reavaliação da Taxa de Câmbio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar a LDM pois está associada a outras LDM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar a LDM pois está associada a outras LDM
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"Por favor, selecione Empresa e Data de Lançamento para obter as inscrições"
 DocType: Asset,Maintenance,Manutenção
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Obter do Encontro do Paciente
 DocType: Subscriber,Subscriber,Assinante
 DocType: Item Attribute Value,Item Attribute Value,Valor do Atributo do Item
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,"Por favor, atualize seu status do projeto"
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,"Por favor, atualize seu status do projeto"
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Câmbio deve ser aplicável para compra ou venda.
 DocType: Item,Maximum sample quantity that can be retained,Quantidade máxima de amostras que pode ser mantida
 DocType: Project Update,How is the Project Progressing Right Now?,Como o projeto está progredindo agora?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},A linha {0} # Item {1} não pode ser transferido mais do que {2} contra a ordem de compra {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},A linha {0} # Item {1} não pode ser transferido mais do que {2} contra a ordem de compra {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanhas de vendas.
 DocType: Project Task,Make Timesheet,Criar Registo de Horas
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1248,36 +1256,38 @@
 DocType: Lab Test,Lab Test,Teste de laboratório
 DocType: Student Report Generation Tool,Student Report Generation Tool,Ferramenta de geração de relatórios de alunos
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Slot de Tempo do Cronograma de Assistência Médica
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Nome Doc
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Nome Doc
 DocType: Expense Claim Detail,Expense Claim Type,Tipo de Reembolso de Despesas
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,As definições padrão para o Carrinho de Compras
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Adicionar Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Ativo excluído através do Lançamento Contabilístico {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Por favor, defina a conta no depósito {0} ou a conta de inventário padrão na empresa {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Ativo excluído através do Lançamento Contabilístico {0}
 DocType: Loan,Interest Income Account,Conta Margem
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Benefícios máximos devem ser maiores que zero para dispensar benefícios
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Benefícios máximos devem ser maiores que zero para dispensar benefícios
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Revisão do convite enviado
 DocType: Shift Assignment,Shift Assignment,Atribuição de turno
 DocType: Employee Transfer Property,Employee Transfer Property,Propriedade de transferência do empregado
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Do tempo deve ser menor que o tempo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotecnologia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Item {0} (Serial No: {1}) não pode ser consumido como reserverd \ para preencher o Pedido de Vendas {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Despesas de Manutenção de Escritório
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Vamos para
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Atualizar preço de Shopify para lista de preços ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurar conta de email
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Por favor, insira o Item primeiro"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Precisa de análise
 DocType: Asset Repair,Downtime,Tempo de inatividade
 DocType: Account,Liability,Responsabilidade
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,O Montante Sancionado não pode ser maior do que o Montante de Reembolso na Fila {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,O Montante Sancionado não pode ser maior do que o Montante de Reembolso na Fila {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Período Acadêmico:
 DocType: Salary Component,Do not include in total,Não inclua no total
 DocType: Company,Default Cost of Goods Sold Account,Custo Padrão de Conta de Produtos Vendidos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},A quantidade de amostra {0} não pode ser superior à quantidade recebida {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,A Lista de Preços não foi selecionada
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},A quantidade de amostra {0} não pode ser superior à quantidade recebida {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,A Lista de Preços não foi selecionada
 DocType: Employee,Family Background,Antecedentes Familiares
 DocType: Request for Quotation Supplier,Send Email,Enviar Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Aviso: Anexo inválido {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Aviso: Anexo inválido {0}
 DocType: Item,Max Sample Quantity,Quantidade Máx. De Amostra
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Sem Permissão
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lista de verificação de cumprimento do contrato
@@ -1308,15 +1318,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: O Centro de Custo {2} não pertence à Empresa {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Carregue o seu cabeçalho de letra (Mantenha-o amigável na web como 900px por 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: A Conta {2} não pode ser um Grupo
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,A Linha do Item {idx}: {doctype} {docname}  não existe na tabela '{doctype}'
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,O Registo de Horas {0} já está concluído ou foi cancelado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,O Registo de Horas {0} já está concluído ou foi cancelado
+DocType: QuickBooks Migrator,QuickBooks Migrator,Migrator de QuickBooks
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,não há tarefas
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Fatura de vendas {0} criada como paga
 DocType: Item Variant Settings,Copy Fields to Variant,Copiar campos para variante
 DocType: Asset,Opening Accumulated Depreciation,Depreciação Acumulada Inicial
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,A classificação deve ser menor ou igual a 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Ferramenta de Inscrição no Programa
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Registos de Form-C
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Registos de Form-C
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,As ações já existem
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Clientes e Fornecedores
 DocType: Email Digest,Email Digest Settings,Definições de Resumo de Email
@@ -1329,12 +1339,12 @@
 DocType: Production Plan,Select Items,Selecionar Itens
 DocType: Share Transfer,To Shareholder,Ao acionista
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} na Fatura {1} com a data de {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Do estado
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Do estado
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Instituição de Configuração
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Alocando as folhas ...
 DocType: Program Enrollment,Vehicle/Bus Number,Número de veículo / ônibus
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Cronograma de Curso
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",É necessário deduzir o imposto para a isenção de imposto não enviada e os benefícios \ Employee Unclaimed no último boleto salarial do período da folha de pagamento
 DocType: Request for Quotation Supplier,Quote Status,Status da Cotação
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1360,13 +1370,13 @@
 DocType: Sales Invoice,Payment Due Date,Data Limite de Pagamento
 DocType: Drug Prescription,Interval UOM,UOM Intervalo
 DocType: Customer,"Reselect, if the chosen address is edited after save","Reseleccione, se o endereço escolhido for editado após salvar"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,A Variante do Item {0} já existe com mesmos atributos
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,A Variante do Item {0} já existe com mesmos atributos
 DocType: Item,Hub Publishing Details,Detalhes da publicação do hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Abertura'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Abertura'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Tarefas Abertas
 DocType: Issue,Via Customer Portal,Através do Portal do Cliente
 DocType: Notification Control,Delivery Note Message,Mensagem de Guia de Remessa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Quantidade de SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Quantidade de SGST
 DocType: Lab Test Template,Result Format,Formato de resultado
 DocType: Expense Claim,Expenses,Despesas
 DocType: Item Variant Attribute,Item Variant Attribute,Atributo de Variante do Item
@@ -1374,14 +1384,12 @@
 DocType: Payroll Entry,Bimonthly,Quinzenal
 DocType: Vehicle Service,Brake Pad,Pastilha de Travão
 DocType: Fertilizer,Fertilizer Contents,Conteúdo de fertilizantes
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Pesquisa e Desenvolvimento
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Pesquisa e Desenvolvimento
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Montante a Faturar
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","A data de início e de término estão sobrepostas ao cartão de trabalho <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Dados de Inscrição
 DocType: Timesheet,Total Billed Amount,Valor Total Faturado
 DocType: Item Reorder,Re-Order Qty,Qtd de Reencomenda
 DocType: Leave Block List Date,Leave Block List Date,Data de Lista de Bloqueio de Licenças
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Por favor, instale o Sistema de Nomes de Instrutores em Educação&gt; Configurações de Educação"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: A matéria-prima não pode ser igual ao item principal
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total de encargos aplicáveis em Purchase mesa Itens recibo deve ser o mesmo que o total Tributos e Encargos
 DocType: Sales Team,Incentives,Incentivos
@@ -1395,7 +1403,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Ponto de Venda
 DocType: Fee Schedule,Fee Creation Status,Status da Criação de Taxas
 DocType: Vehicle Log,Odometer Reading,Leitura do Conta-quilómetros
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","O Saldo da conta já está em Crédito, não tem permissão para definir ""Saldo Deve Ser"" como ""Débito"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","O Saldo da conta já está em Crédito, não tem permissão para definir ""Saldo Deve Ser"" como ""Débito"""
 DocType: Account,Balance must be,O saldo deve ser
 DocType: Notification Control,Expense Claim Rejected Message,Mensagem de Reembolso de Despesas Rejeitado
 ,Available Qty,Qtd Disponível
@@ -1407,7 +1415,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Sempre sincronize seus produtos do Amazon MWS antes de sincronizar os detalhes do pedido
 DocType: Delivery Trip,Delivery Stops,Paradas de entrega
 DocType: Salary Slip,Working Days,Dias Úteis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Não é possível alterar a Data de Parada do Serviço para o item na linha {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Não é possível alterar a Data de Parada do Serviço para o item na linha {0}
 DocType: Serial No,Incoming Rate,Taxa de Entrada
 DocType: Packing Slip,Gross Weight,Peso Bruto
 DocType: Leave Type,Encashment Threshold Days,Dias Limite de Acumulação
@@ -1426,31 +1434,33 @@
 DocType: Restaurant Table,Minimum Seating,Assentos mínimos
 DocType: Item Attribute,Item Attribute Values,Valores do Atributo do Item
 DocType: Examination Result,Examination Result,Resultado do Exame
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Recibo de Compra
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Recibo de Compra
 ,Received Items To Be Billed,Itens Recebidos a Serem Faturados
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Definidor de taxa de câmbio de moeda.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Definidor de taxa de câmbio de moeda.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},O Tipo de Documento de Referência deve ser um de {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Qtd total de zero do filtro
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar o Horário nos próximos {0} dias para a Operação {1}
 DocType: Work Order,Plan material for sub-assemblies,Planear material para subconjuntos
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Parceiros de Vendas e Território
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,A LDM {0} deve estar ativa
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,A LDM {0} deve estar ativa
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Nenhum item disponível para transferência
 DocType: Employee Boarding Activity,Activity Name,Nome da Atividade
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Alterar data de liberação
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Quantidade de produto finalizada <b>{0}</b> e para Quantidade <b>{1}</b> não pode ser diferente
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Alterar data de liberação
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Quantidade de produto finalizada <b>{0}</b> e para Quantidade <b>{1}</b> não pode ser diferente
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Fechamento (Abertura + Total)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Código do item&gt; Grupo de itens&gt; Marca
+DocType: Delivery Settings,Dispatch Notification Attachment,Anexo de Notificação de Despacho
 DocType: Payroll Entry,Number Of Employees,Número de empregados
 DocType: Journal Entry,Depreciation Entry,Registo de Depreciação
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Por favor, selecione primeiro o tipo de documento"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Por favor, selecione primeiro o tipo de documento"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Visitas Materiais {0} antes de cancelar esta Visita de Manutenção
 DocType: Pricing Rule,Rate or Discount,Taxa ou desconto
 DocType: Vital Signs,One Sided,Um lado
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},O Nr. de Série {0} não pertence ao Item {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Qtd Necessária
 DocType: Marketplace Settings,Custom Data,Dados personalizados
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Os Armazéns com transação existente não podem ser convertidos em razão.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},O número de série é obrigatório para o item {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Os Armazéns com transação existente não podem ser convertidos em razão.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},O número de série é obrigatório para o item {0}
 DocType: Bank Reconciliation,Total Amount,Valor Total
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,De data e até a data estão em diferentes anos fiscais
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,O paciente {0} não tem referência de cliente para faturar
@@ -1461,9 +1471,9 @@
 DocType: Soil Texture,Clay Composition (%),Composição da argila (%)
 DocType: Item Group,Item Group Defaults,Padrões de Grupo de Itens
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Salve antes de atribuir a tarefa.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Valor de Saldo
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Valor de Saldo
 DocType: Lab Test,Lab Technician,Técnico de laboratório
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Lista de Preço de Venda
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Lista de Preço de Venda
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Se marcado, um cliente será criado, mapeado para Paciente. As faturas do paciente serão criadas contra este Cliente. Você também pode selecionar o Cliente existente ao criar o Paciente."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,O cliente não está inscrito em nenhum programa de fidelidade
@@ -1477,13 +1487,13 @@
 DocType: Support Search Source,Search Term Param Name,Termo de pesquisa Param Name
 DocType: Item Barcode,Item Barcode,Código de barras do item
 DocType: Woocommerce Settings,Endpoints,Pontos de extremidade
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Variantes do Item {0} atualizadas
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Variantes do Item {0} atualizadas
 DocType: Quality Inspection Reading,Reading 6,Leitura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente negativa
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente negativa
 DocType: Share Transfer,From Folio No,Do Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Avanço de Fatura de Compra
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Linha {0}: O registo de crédito não pode ser ligado a {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definir orçamento para um ano fiscal.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definir orçamento para um ano fiscal.
 DocType: Shopify Tax Account,ERPNext Account,Conta ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} está bloqueado, portanto, essa transação não pode continuar"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Ação se o Orçamento Mensal Acumulado for excedido em MR
@@ -1499,19 +1509,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Fatura de Compra
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Permitir vários consumos de material em relação a uma ordem de serviço
 DocType: GL Entry,Voucher Detail No,Dado de Voucher Nr.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nova Fatura de Venda
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nova Fatura de Venda
 DocType: Stock Entry,Total Outgoing Value,Valor Total de Saída
 DocType: Healthcare Practitioner,Appointments,Compromissos
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,A Data de Abertura e a Data de Término devem estar dentro do mesmo Ano Fiscal
 DocType: Lead,Request for Information,Pedido de Informação
 ,LeaderBoard,Entre os melhores
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Taxa com margem (moeda da empresa)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sincronização de Facturas Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sincronização de Facturas Offline
 DocType: Payment Request,Paid,Pago
 DocType: Program Fee,Program Fee,Proprina do Programa
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Substitua uma lista de materiais específica em todas as outras BOMs onde é usado. Ele irá substituir o antigo link da BOM, atualizar o custo e regenerar a tabela &quot;BOM Explosion Item&quot; conforme nova lista técnica. Ele também atualiza o preço mais recente em todas as listas de materiais."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,As seguintes ordens de serviço foram criadas:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,As seguintes ordens de serviço foram criadas:
 DocType: Salary Slip,Total in words,Total por extenso
 DocType: Inpatient Record,Discharged,Descarregado
 DocType: Material Request Item,Lead Time Date,Data de Chegada ao Armazém
@@ -1522,16 +1532,16 @@
 DocType: Support Settings,Get Started Sections,Seções iniciais
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sancionada
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,é obrigatório. Talvez o registo de Câmbio não tenha sido criado para
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"Linha #{0}: Por favor, especifique o Nr. de Série para o Item {1}"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Valor total da contribuição: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"Linha #{0}: Por favor, especifique o Nr. de Série para o Item {1}"
 DocType: Payroll Entry,Salary Slips Submitted,Slips Salariais enviados
 DocType: Crop Cycle,Crop Cycle,Ciclo de colheita
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens dos ""Pacote de Produtos"", o Armazém e Nr. de Lote serão considerados a partir da tabela de ""Lista de Empacotamento"". Se o Armazém e o Nr. de Lote forem os mesmos para todos os itens empacotados para qualquer item dum ""Pacote de Produto"", esses valores podem ser inseridos na tabela do Item principal, e os valores serão copiados para a tabela da ""Lista de Empacotamento'""."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens dos ""Pacote de Produtos"", o Armazém e Nr. de Lote serão considerados a partir da tabela de ""Lista de Empacotamento"". Se o Armazém e o Nr. de Lote forem os mesmos para todos os itens empacotados para qualquer item dum ""Pacote de Produto"", esses valores podem ser inseridos na tabela do Item principal, e os valores serão copiados para a tabela da ""Lista de Empacotamento'""."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Do lugar
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,O pagamento líquido não pode ser negativo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Do lugar
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,O pagamento líquido não pode ser negativo
 DocType: Student Admission,Publish on website,Publicar no website
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,A Data da Fatura do Fornecedor não pode ser maior que Data de Lançamento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,A Data da Fatura do Fornecedor não pode ser maior que Data de Lançamento
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Data de cancelamento
 DocType: Purchase Invoice Item,Purchase Order Item,Item da Ordem de Compra
@@ -1540,7 +1550,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Ferramenta de Assiduidade dos Alunos
 DocType: Restaurant Menu,Price List (Auto created),Lista de preços (criada automaticamente)
 DocType: Cheque Print Template,Date Settings,Definições de Data
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variação
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variação
 DocType: Employee Promotion,Employee Promotion Detail,Detalhe de Promoção do Funcionário
 ,Company Name,Nome da Empresa
 DocType: SMS Center,Total Message(s),Mensagens Totais
@@ -1570,7 +1580,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Não enviar Lembretes de Aniversário de Funcionários
 DocType: Expense Claim,Total Advance Amount,Valor antecipado total
 DocType: Delivery Stop,Estimated Arrival,Chegada estimada
-DocType: Delivery Stop,Notified by Email,Notificado por Email
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Veja todos os artigos
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Entrar
 DocType: Item,Inspection Criteria,Critérios de Inspeção
@@ -1580,23 +1589,22 @@
 DocType: Timesheet Detail,Bill,Fatura
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Branco
 DocType: SMS Center,All Lead (Open),Todos Potenciais Clientes (Abertos)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: A qtd não está disponível para {4} no armazém {1} no momento da postagem do registo ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: A qtd não está disponível para {4} no armazém {1} no momento da postagem do registo ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Você só pode selecionar um máximo de uma opção na lista de caixas de seleção.
 DocType: Purchase Invoice,Get Advances Paid,Obter Adiantamentos Pagos
 DocType: Item,Automatically Create New Batch,Criar novo lote automaticamente
 DocType: Item,Automatically Create New Batch,Criar novo lote automaticamente
 DocType: Supplier,Represents Company,Representa empresa
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Registar
 DocType: Student Admission,Admission Start Date,Data de Início de Admissão
 DocType: Journal Entry,Total Amount in Words,Valor Total por Extenso
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Novo empregado
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Houve um erro. Um dos motivos prováveis para isto ter ocorrido, poderá ser por ainda não ter guardado o formulário. Se o problema persistir, por favor contacte support@erpnext.com."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Meu Carrinho
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},O Tipo de Pedido deve pertencer a {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},O Tipo de Pedido deve pertencer a {0}
 DocType: Lead,Next Contact Date,Data do Próximo Contacto
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qtd Inicial
 DocType: Healthcare Settings,Appointment Reminder,Lembrete de compromisso
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Por favor, insira a Conta para o Montante de Alterações"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Por favor, insira a Conta para o Montante de Alterações"
 DocType: Program Enrollment Tool Student,Student Batch Name,Nome de Classe de Estudantes
 DocType: Holiday List,Holiday List Name,Lista de Nomes de Feriados
 DocType: Repayment Schedule,Balance Loan Amount,Saldo Valor do Empréstimo
@@ -1606,13 +1614,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Opções de Stock
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nenhum item adicionado ao carrinho
 DocType: Journal Entry Account,Expense Claim,Relatório de Despesas
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Deseja realmente restaurar este ativo descartado?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Deseja realmente restaurar este ativo descartado?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Qtd para {0}
 DocType: Leave Application,Leave Application,Pedido de Licença
 DocType: Patient,Patient Relation,Relação com o paciente
 DocType: Item,Hub Category to Publish,Categoria Hub para Publicar
 DocType: Leave Block List,Leave Block List Dates,Datas de Lista de Bloqueio de Licenças
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","O pedido de vendas {0} tem reserva para o item {1}, você só pode entregar {1} reservado contra {0}. Serial No {2} não pode ser entregue"
 DocType: Sales Invoice,Billing Address GSTIN,Endereço de cobrança GSTIN
@@ -1630,16 +1638,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Por favor especificar um {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Itens removidos sem nenhuma alteração na quantidade ou valor.
 DocType: Delivery Note,Delivery To,Entregue A
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,A criação de variantes foi colocada na fila.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Resumo do trabalho para {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,A criação de variantes foi colocada na fila.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Resumo do trabalho para {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,O primeiro Aprovador de Saídas na lista será definido como o Aprovado de Saída padrão.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,É obrigatório colocar a tabela do atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,É obrigatório colocar a tabela do atributos
 DocType: Production Plan,Get Sales Orders,Obter Ordens de Venda
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} não pode ser negativo
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Conecte-se a Quickbooks
 DocType: Training Event,Self-Study,Auto estudo
 DocType: POS Closing Voucher,Period End Date,Data de término do período
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,As composições de solo não somam até 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Desconto
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,A linha {0}: {1} é necessária para criar as faturas de abertura {2}
 DocType: Membership,Membership,Associação
 DocType: Asset,Total Number of Depreciations,Número total de Depreciações
 DocType: Sales Invoice Item,Rate With Margin,Taxa com margem
@@ -1651,7 +1661,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},"Por favor, especifique uma ID de Linha válida para a linha {0} na tabela {1}"
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Não foi possível encontrar a variável:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Selecione um campo para editar a partir do numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Não pode ser um item de ativos fixos, pois o Ledger de estoque é criado."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Não pode ser um item de ativos fixos, pois o Ledger de estoque é criado."
 DocType: Subscription Plan,Fixed rate,Taxa fixa
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Admitem
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Vá para o Ambiente de Trabalho e comece a utilizar ERPNext
@@ -1685,7 +1695,7 @@
 DocType: Tax Rule,Shipping State,Estado de Envio
 ,Projected Quantity as Source,Quantidade Projetada como Fonte
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"O item deve ser adicionado utilizando o botão ""Obter Itens de Recibos de Compra"""
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Viagem de entrega
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Viagem de entrega
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Tipo de transferência
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Despesas com Vendas
@@ -1698,8 +1708,9 @@
 DocType: Item Default,Default Selling Cost Center,Centro de Custo de Venda Padrão
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disco
 DocType: Buying Settings,Material Transferred for Subcontract,Material transferido para subcontrato
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Código Postal
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},A Ordem de Venda {0} é {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Itens de Pedidos de Compra em Atraso
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Código Postal
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},A Ordem de Venda {0} é {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Selecione a conta de receita de juros no empréstimo {0}
 DocType: Opportunity,Contact Info,Informações de Contacto
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Efetuar Registos de Stock
@@ -1712,12 +1723,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,A fatura não pode ser feita para zero hora de cobrança
 DocType: Company,Date of Commencement,Data de início
 DocType: Sales Person,Select company name first.,Selecione o nome da empresa primeiro.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail enviado para {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail enviado para {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Cotações recebidas de Fornecedores.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Substitua a Lista de BOM e atualize o preço mais recente em todas as BOMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Para {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Este é um grupo de fornecedores raiz e não pode ser editado.
-DocType: Delivery Trip,Driver Name,Nome do motorista
+DocType: Delivery Note,Driver Name,Nome do motorista
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Idade Média
 DocType: Education Settings,Attendance Freeze Date,Data de congelamento do comparecimento
 DocType: Education Settings,Attendance Freeze Date,Data de congelamento do comparecimento
@@ -1730,7 +1741,7 @@
 DocType: Company,Parent Company,Empresa-mãe
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotel Os quartos do tipo {0} estão indisponíveis no {1}
 DocType: Healthcare Practitioner,Default Currency,Moeda Padrão
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,O desconto máximo para o item {0} é de {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,O desconto máximo para o item {0} é de {1}%
 DocType: Asset Movement,From Employee,Do(a) Funcionário(a)
 DocType: Driver,Cellphone Number,Número de telemóvel
 DocType: Project,Monitor Progress,Monitorar o progresso
@@ -1746,19 +1757,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},A quantidade deve ser inferior ou igual a {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},A quantia máxima elegível para o componente {0} excede {1}
 DocType: Department Approver,Department Approver,Aprovador do departamento
+DocType: QuickBooks Migrator,Application Settings,Configurações do aplicativo
 DocType: SMS Center,Total Characters,Total de Caracteres
 DocType: Employee Advance,Claimed,Reivindicado
 DocType: Crop,Row Spacing,Espaçamento entre linhas
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Por favor, selecione a LDM no campo LDM para o Item {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Por favor, selecione a LDM no campo LDM para o Item {0}"
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Não há variante de item para o item selecionado
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Dados de Fatura Form-C
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura de Conciliação de Pagamento
 DocType: Clinical Procedure,Procedure Template,Modelo de procedimento
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Contribuição %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","De acordo com as Configurações de compra, se a ordem de compra necessária == &#39;SIM&#39;, então, para criar a factura de compra, o usuário precisa criar a ordem de compra primeiro para o item {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Contribuição %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","De acordo com as Configurações de compra, se a ordem de compra necessária == &#39;SIM&#39;, então, para criar a factura de compra, o usuário precisa criar a ordem de compra primeiro para o item {0}"
 ,HSN-wise-summary of outward supplies,HSN-wise-resumo de fontes externas
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Os números de registo da empresa para sua referência. Números fiscais, etc."
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Declarar
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Declarar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distribuidor
 DocType: Asset Finance Book,Asset Finance Book,Livro de finanças de ativos
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regra de Envio de Carrinho de Compras
@@ -1767,7 +1779,7 @@
 ,Ordered Items To Be Billed,Itens Pedidos A Serem Faturados
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,A Faixa De tem de ser inferior à Faixa Para
 DocType: Global Defaults,Global Defaults,Padrões Gerais
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Convite de Colaboração no Projeto
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Convite de Colaboração no Projeto
 DocType: Salary Slip,Deductions,Deduções
 DocType: Setup Progress Action,Action Name,Nome da Ação
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Ano de Início
@@ -1781,11 +1793,12 @@
 DocType: Lead,Consultant,Consultor
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Atendimento à Reunião de Pais de Professores
 DocType: Salary Slip,Earnings,Remunerações
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,O Item Acabado {0} deve ser inserido no registo de Tipo de Fabrico
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,O Item Acabado {0} deve ser inserido no registo de Tipo de Fabrico
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Saldo Contabilístico Inicial
 ,GST Sales Register,GST Sales Register
 DocType: Sales Invoice Advance,Sales Invoice Advance,Avanço de Fatura de Vendas
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nada a requesitar
+DocType: Stock Settings,Default Return Warehouse,Armazém de Devolução Padrão
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Selecione seus domínios
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Fornecedor Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Itens de fatura de pagamento
@@ -1794,15 +1807,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Os campos serão copiados apenas no momento da criação.
 DocType: Setup Progress Action,Domains,Domínios
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',A 'Data de Início Efetiva' não pode ser mais recente que a 'Data de Término Efetiva'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Gestão
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Gestão
 DocType: Cheque Print Template,Payer Settings,Definições de Pagador
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Nenhuma solicitação de material pendente encontrada para vincular os itens fornecidos.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Selecione a empresa primeiro
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Isto será anexado ao Código do Item da variante. Por exemplo, se a sua abreviatura for ""SM"", e o código do item é ""T-SHIRT"", o código do item da variante será ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,A Remuneração Líquida (por extenso) será visível assim que guardar a Folha de Vencimento.
 DocType: Delivery Note,Is Return,É um Retorno
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Cuidado
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',O dia de início é maior que o final da tarefa &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Retorno / Nota de Débito
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Retorno / Nota de Débito
 DocType: Price List Country,Price List Country,País da Lista de Preços
 DocType: Item,UOMs,UNIDs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},Nr. de série válido {0} para o Item {1}
@@ -1815,13 +1829,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Conceda informações.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Banco de dados de fornecedores.
 DocType: Contract Template,Contract Terms and Conditions,Termos e condições do contrato
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Você não pode reiniciar uma Assinatura que não seja cancelada.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Você não pode reiniciar uma Assinatura que não seja cancelada.
 DocType: Account,Balance Sheet,Balanço
 DocType: Leave Type,Is Earned Leave,É uma licença ganhada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',O Centro de Custo Para o Item com o Código de Item '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',O Centro de Custo Para o Item com o Código de Item '
 DocType: Fee Validity,Valid Till,Válida até
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Reunião total de professores de pais
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","O Modo de Pagamento não está configurado. Por favor, verifique se conta foi definida no Modo de Pagamentos ou no Perfil POS."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","O Modo de Pagamento não está configurado. Por favor, verifique se conta foi definida no Modo de Pagamentos ou no Perfil POS."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Mesmo item não pode ser inserido várias vezes.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Podem ser realizadas outras contas nos Grupos, e os registos podem ser efetuados em Fora do Grupo"
 DocType: Lead,Lead,Potenciais Clientes
@@ -1830,11 +1844,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,Token de Autenticação do MWS
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Registo de Stock {0} criado
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Você não tem suficientes pontos de lealdade para resgatar
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha #{0}: A Qtd Rejeitada não pode ser inserida na Devolução de Compra
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},"Por favor, defina a conta associada na Categoria Retenção Fiscal {0} contra a Empresa {1}"
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha #{0}: A Qtd Rejeitada não pode ser inserida na Devolução de Compra
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,A alteração do grupo de clientes para o cliente selecionado não é permitida.
 ,Purchase Order Items To Be Billed,Itens da Ordem de Compra a faturar
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Atualizando os horários de chegada estimados.
 DocType: Program Enrollment Tool,Enrollment Details,Detalhes da inscrição
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Não é possível definir vários padrões de item para uma empresa.
 DocType: Purchase Invoice Item,Net Rate,Taxa Líquida
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Selecione um cliente
 DocType: Leave Policy,Leave Allocations,Deixar alocações
@@ -1863,7 +1879,7 @@
 DocType: Loan Application,Repayment Info,Informações de reembolso
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"As ""Entradas"" não podem estar vazias"
 DocType: Maintenance Team Member,Maintenance Role,Função de manutenção
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Linha duplicada {0} com o mesmo {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Linha duplicada {0} com o mesmo {1}
 DocType: Marketplace Settings,Disable Marketplace,Desativar mercado
 ,Trial Balance,Balancete
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,O Ano Fiscal de {0} não foi encontrado
@@ -1874,9 +1890,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Configurações de assinatura
 DocType: Purchase Invoice,Update Auto Repeat Reference,Atualizar referência de repetição automática
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Lista de feriados opcional não definida para o período de licença {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Lista de feriados opcional não definida para o período de licença {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Pesquisa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Para abordar 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Para abordar 2
 DocType: Maintenance Visit Purpose,Work Done,Trabalho Efetuado
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Por favor, especifique pelo menos um atributo na tabela de Atributos"
 DocType: Announcement,All Students,Todos os Alunos
@@ -1886,16 +1902,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transações reconciliadas
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Mais Cedo
 DocType: Crop Cycle,Linked Location,Local Vinculado
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Já existe um Grupo de Itens com o mesmo nome, Por favor, altere o nome desse grupo de itens ou modifique o nome deste grupo de itens"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Já existe um Grupo de Itens com o mesmo nome, Por favor, altere o nome desse grupo de itens ou modifique o nome deste grupo de itens"
 DocType: Crop Cycle,Less than a year,Menos de um ano
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nr. de Telemóvel de Estudante
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Resto Do Mundo
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Resto Do Mundo
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,O Item {0} não pode ter um Lote
 DocType: Crop,Yield UOM,Rendimento UOM
 ,Budget Variance Report,Relatório de Desvios de Orçamento
 DocType: Salary Slip,Gross Pay,Salário Bruto
 DocType: Item,Is Item from Hub,É Item do Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Obter itens de serviços de saúde
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Obter itens de serviços de saúde
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Linha {0}: É obrigatório colocar o Tipo de Atividade.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividendos Pagos
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Livro Contabilístico
@@ -1910,6 +1926,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,O modo de pagamento
 DocType: Purchase Invoice,Supplied Items,Itens Fornecidos
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Defina um menu ativo para o Restaurante {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Taxa de comissão %
 DocType: Work Order,Qty To Manufacture,Qtd Para Fabrico
 DocType: Email Digest,New Income,Novo Rendimento
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Manter a mesma taxa durante todo o ciclo de compra
@@ -1924,12 +1941,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},É necessária a Taxa de Avaliação para o Item na linha {0}
 DocType: Supplier Scorecard,Scorecard Actions,Ações do Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Exemplo: Mestrado em Ciência de Computadores
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Fornecedor {0} não encontrado em {1}
 DocType: Purchase Invoice,Rejected Warehouse,Armazém Rejeitado
 DocType: GL Entry,Against Voucher,No Voucher
 DocType: Item Default,Default Buying Cost Center,Centro de Custo de Compra Padrão
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Para aproveitar melhor ERPNext, recomendamos que use algum tempo a assistir a estes vídeos de ajuda."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Para fornecedor padrão (opcional)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,a
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Para fornecedor padrão (opcional)
 DocType: Supplier Quotation Item,Lead Time in days,Chegada ao Armazém em dias
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Resumo das Contas a Pagar
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Não está autorizado a editar a Conta congelada {0}
@@ -1938,7 +1955,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Avise o novo pedido de citações
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,As ordens de compra ajudá-lo a planejar e acompanhar suas compras
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Prescrições de teste de laboratório
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",A quantidade total da Emissão / Transferência {0} no Pedido de Material {1} \ não pode ser maior do que a quantidade pedida {2} para o Item {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Pequeno
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Se o Shopify não contiver um cliente no Pedido, durante a sincronização de Pedidos, o sistema considerará o cliente padrão para pedido"
@@ -1950,6 +1967,7 @@
 DocType: Project,% Completed,% Concluído
 ,Invoiced Amount (Exculsive Tax),Montante Faturado (Taxa Exclusiva)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Item 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Ponto final da autorização
 DocType: Travel Request,International,Internacional
 DocType: Training Event,Training Event,Evento de Formação
 DocType: Item,Auto re-order,Voltar a Pedir Autom.
@@ -1958,24 +1976,24 @@
 DocType: Contract,Contract,Contrato
 DocType: Plant Analysis,Laboratory Testing Datetime,Teste de Laboratório Data Tempo
 DocType: Email Digest,Add Quote,Adicionar Cotação
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Fator de conversão de UNID necessário para a UNID: {0} no Item: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Fator de conversão de UNID necessário para a UNID: {0} no Item: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Despesas Indiretas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Linha {0}: É obrigatório colocar a qtd
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Linha {0}: É obrigatório colocar a qtd
 DocType: Agriculture Analysis Criteria,Agriculture,Agricultura
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Criar pedido de venda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Entrada contábil de ativo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Bloquear fatura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Entrada contábil de ativo
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Bloquear fatura
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Quantidade a fazer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sincronização de Def. de Dados
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sincronização de Def. de Dados
 DocType: Asset Repair,Repair Cost,Custo de Reparo
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Os seus Produtos ou Serviços
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Falha ao fazer o login
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Ativo {0} criado
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Ativo {0} criado
 DocType: Special Test Items,Special Test Items,Itens de teste especiais
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Você precisa ser um usuário com as funções System Manager e Item Manager para registrar no Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Modo de Pagamento
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"De acordo com a estrutura salarial atribuída, você não pode solicitar benefícios"
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,O Website de Imagem deve ser um ficheiro público ou um URL de website
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,O Website de Imagem deve ser um ficheiro público ou um URL de website
 DocType: Purchase Invoice Item,BOM,LDM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Este é um item principal e não pode ser editado.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Mesclar
@@ -1984,7 +2002,8 @@
 DocType: Warehouse,Warehouse Contact Info,Informações de Contacto do Armazém
 DocType: Payment Entry,Write Off Difference Amount,Liquidar Montante de Diferença
 DocType: Volunteer,Volunteer Name,Nome do voluntário
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Não foi encontrado o email do funcionário, portanto, o email  não será enviado"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Linhas com datas de vencimento duplicadas em outras linhas foram encontradas: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Não foi encontrado o email do funcionário, portanto, o email  não será enviado"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Nenhuma estrutura salarial atribuída para o empregado {0} em determinada data {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Regra de envio não aplicável para o país {0}
 DocType: Item,Foreign Trade Details,Detalhes Comércio Exterior
@@ -1992,16 +2011,16 @@
 DocType: Email Digest,Annual Income,Rendimento Anual
 DocType: Serial No,Serial No Details,Dados de Nr. de Série
 DocType: Purchase Invoice Item,Item Tax Rate,Taxa Fiscal do Item
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Do nome do partido
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Do nome do partido
 DocType: Student Group Student,Group Roll Number,Número de rolo de grupo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Para {0}, só podem ser ligadas contas de crédito noutro registo de débito"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,A Guia de Remessa {0} não foi enviada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,A Guia de Remessa {0} não foi enviada
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,O Item {0} deve ser um Item Subcontratado
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Bens de Equipamentos
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","A Regra de Fixação de Preços é selecionada primeiro com base no campo ""Aplicar Em"", que pode ser um Item, Grupo de Itens ou Marca."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Defina primeiro o código do item
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Tipo Doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,A percentagem total atribuída à equipa de vendas deve ser de 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Tipo Doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,A percentagem total atribuída à equipa de vendas deve ser de 100
 DocType: Subscription Plan,Billing Interval Count,Contagem de intervalos de faturamento
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Nomeações e Encontros com Pacientes
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Valor ausente
@@ -2015,6 +2034,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Criar Formato de Impressão
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Fee Created
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Não foi encontrado nenhum item denominado {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filtro de itens
 DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula Critérios
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Total de Saída
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Só pode haver uma Condição de Regra de Envio com 0 ou valor em branco para ""Valor Para"""
@@ -2023,14 +2043,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Para um item {0}, a quantidade deve ser um número positivo"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Este Centro de Custo é um Grupo. Não pode efetuar registos contabilísticos em grupos.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Dias de solicitação de licença compensatória não em feriados válidos
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Existe um armazém secundário para este armazém. Não pode eliminar este armazém.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Existe um armazém secundário para este armazém. Não pode eliminar este armazém.
 DocType: Item,Website Item Groups,Website de Grupos de Itens
 DocType: Purchase Invoice,Total (Company Currency),Total (Moeda da Empresa)
 DocType: Daily Work Summary Group,Reminder,Lembrete
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Valor Acessível
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Valor Acessível
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,O número de série {0} foi introduzido mais do que uma vez
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Lançamento Contabilístico
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,De GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,De GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Montante não reclamado
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} itens em progresso
 DocType: Workstation,Workstation Name,Nome do Posto de Trabalho
@@ -2038,7 +2058,7 @@
 DocType: POS Item Group,POS Item Group,Grupo de Itens POS
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email de Resumo:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Item alternativo não deve ser igual ao código do item
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},A LDM {0} não pertence ao Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},A LDM {0} não pertence ao Item {1}
 DocType: Sales Partner,Target Distribution,Objetivo de Distribuição
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalização da avaliação provisória
 DocType: Salary Slip,Bank Account No.,Conta Bancária Nr.
@@ -2047,7 +2067,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","As variáveis do Scorecard podem ser usadas, bem como: {total_score} (a pontuação total desse período), {period_number} (o número de períodos até hoje)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Recolher todos
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Recolher todos
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Criar pedido
 DocType: Quality Inspection Reading,Reading 8,Leitura 8
 DocType: Inpatient Record,Discharge Note,Nota de Descarga
@@ -2064,7 +2084,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Licença Especial
 DocType: Purchase Invoice,Supplier Invoice Date,Data de Fatura de Fornecedor
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Esse valor é usado para cálculos pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,É preciso ativar o Carrinho de Compras
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,É preciso ativar o Carrinho de Compras
 DocType: Payment Entry,Writeoff,Liquidar
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Prefixo da série de nomes
@@ -2079,11 +2099,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Foram encontradas condições sobrepostas entre:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,O Lançamento Contabilístico {0} já está relacionado com outro voucher
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Valor Total do Pedido
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Comida
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Comida
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Faixa de Idade 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalhes do Voucher de Fechamento do PDV
 DocType: Shopify Log,Shopify Log,Log do Shopify
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Por favor, defina a série de nomenclatura para {0} via Configuração&gt; Configurações&gt; Naming Series"
 DocType: Inpatient Occupancy,Check In,Check-in
 DocType: Maintenance Schedule Item,No of Visits,Nº de Visitas
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},O Cronograma de Manutenção {0} existe contra {1}
@@ -2123,6 +2142,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Benefícios máximos (quantidade)
 DocType: Purchase Invoice,Contact Person,Contactar Pessoa
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"A ""Data de Início Esperada"" não pode ser mais recente que a ""Data de Término Esperada"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nenhum dado para este período
 DocType: Course Scheduling Tool,Course End Date,Data de Término do Curso
 DocType: Holiday List,Holidays,Férias
 DocType: Sales Order Item,Planned Quantity,Quantidade Planeada
@@ -2134,7 +2154,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Variação Líquida no Ativo Imobilizado
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Deixe em branco se for para todas as designações
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"A cobrança do tipo ""Real"" na linha {0} não pode ser incluída no preço do Item"
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"A cobrança do tipo ""Real"" na linha {0} não pode ser incluída no preço do Item"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Máx.: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Data e Hora De
 DocType: Shopify Settings,For Company,Para a Empresa
@@ -2147,9 +2167,9 @@
 DocType: Material Request,Terms and Conditions Content,Conteúdo de Termos e Condições
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Houve erros na criação da programação do curso
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,O primeiro Aprovador de despesas na lista será definido como o Aprovador de despesas padrão.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,não pode ser maior do que 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,não pode ser maior do que 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Você precisa ser um usuário diferente das funções Administrador com Gerente do Sistema e Gerenciador de Itens para registrar no Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,O Item {0} não é um item de stock
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,O Item {0} não é um item de stock
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Sem Marcação
 DocType: Employee,Owned,Pertencente
@@ -2177,7 +2197,7 @@
 DocType: HR Settings,Employee Settings,Definições de Funcionário
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Sistema de pagamento de carregamento
 ,Batch-Wise Balance History,Histórico de Saldo em Lote
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Linha # {0}: Não é possível definir Taxa se o valor for maior do que o valor faturado do Item {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Linha # {0}: Não é possível definir Taxa se o valor for maior do que o valor faturado do Item {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,As definições de impressão estão atualizadas no respectivo formato de impressão
 DocType: Package Code,Package Code,Código pacote
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Aprendiz
@@ -2186,7 +2206,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","O dado da tabela de imposto obtido a partir do definidor de item como uma string e armazenado neste campo.
  Utilizado para Impostos e Encargos"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,O Funcionário não pode reportar-se a si mesmo.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,O Funcionário não pode reportar-se a si mesmo.
 DocType: Leave Type,Max Leaves Allowed,Max Folhas Permitidas
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se a conta está congelada, só são permitidos registos a utilizadores restritos."
 DocType: Email Digest,Bank Balance,Saldo Bancário
@@ -2212,6 +2232,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Entradas de Transações Bancárias
 DocType: Quality Inspection,Readings,Leituras
 DocType: Stock Entry,Total Additional Costs,Total de Custos Adicionais
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Não de Interações
 DocType: BOM,Scrap Material Cost(Company Currency),Custo de Material de Sucata (Moeda da Empresa)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Submontagens
 DocType: Asset,Asset Name,Nome do Ativo
@@ -2219,10 +2240,10 @@
 DocType: Shipping Rule Condition,To Value,Ao Valor
 DocType: Loyalty Program,Loyalty Program Type,Tipo de programa de fidelidade
 DocType: Asset Movement,Stock Manager,Gestor de Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},É obrigatório colocar o armazém de origem para a linha {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},É obrigatório colocar o armazém de origem para a linha {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,O termo de pagamento na linha {0} é possivelmente uma duplicata.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Agricultura (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Nota Fiscal
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Nota Fiscal
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Alugar Escritório
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Configurar definições de portal de SMS
 DocType: Disease,Common Name,Nome comum
@@ -2254,20 +2275,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Enviar Email de Folha de Pagamento a um Funcionário
 DocType: Cost Center,Parent Cost Center,Centro de Custo Principal
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Selecione Fornecedor Possível
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Selecione Fornecedor Possível
 DocType: Sales Invoice,Source,Fonte
 DocType: Customer,"Select, to make the customer searchable with these fields","Selecione, para tornar o cliente pesquisável com esses campos"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importar notas de entrega do Shopify no envio
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostrar encerrado
 DocType: Leave Type,Is Leave Without Pay,É uma Licença Sem Vencimento
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,É obrigatório colocar a Categoria Ativo para um item de Ativo Imobilizado
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,É obrigatório colocar a Categoria Ativo para um item de Ativo Imobilizado
 DocType: Fee Validity,Fee Validity,Validade da tarifa
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Não foram encontrados nenhuns registos na tabela Pagamento
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Este/a {0} entra em conflito com {1} por {2} {3}
 DocType: Student Attendance Tool,Students HTML,HTML de Estudantes
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Por favor, apague o empregado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 DocType: POS Profile,Apply Discount,Aplicar Desconto
 DocType: GST HSN Code,GST HSN Code,Código GST HSN
 DocType: Employee External Work History,Total Experience,Experiência total
@@ -2290,7 +2308,7 @@
 DocType: Maintenance Schedule,Schedules,Horários
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Perfil de POS é necessário para usar o ponto de venda
 DocType: Cashier Closing,Net Amount,Valor Líquido
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} não foi enviado para que a ação não possa ser concluída
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} não foi enviado para que a ação não possa ser concluída
 DocType: Purchase Order Item Supplied,BOM Detail No,Nº de Dados da LDM
 DocType: Landed Cost Voucher,Additional Charges,Despesas adicionais
 DocType: Support Search Source,Result Route Field,Campo de Rota do Resultado
@@ -2319,11 +2337,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Abertura de faturas
 DocType: Contract,Contract Details,Detalhes do contrato
 DocType: Employee,Leave Details,Deixe detalhes
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Por favor, defina o campo da ID de Utilizador no registo de Funcionário para definir a Função de Funcionário"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Por favor, defina o campo da ID de Utilizador no registo de Funcionário para definir a Função de Funcionário"
 DocType: UOM,UOM Name,Nome da UNID
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Para abordar 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Para abordar 1
 DocType: GST HSN Code,HSN Code,Código HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Montante de Contribuição
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Montante de Contribuição
 DocType: Inpatient Record,Patient Encounter,Encontro do Paciente
 DocType: Purchase Invoice,Shipping Address,Endereço de Envio
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Esta ferramenta auxilia-o na atualização ou correção da quantidade e valorização do stock no sistema. Ela é geralmente utilizado para sincronizar os valores do sistema que realmente existem nos seus armazéns.
@@ -2340,9 +2358,9 @@
 DocType: Travel Itinerary,Mode of Travel,Modo de viagem
 DocType: Sales Invoice Item,Brand Name,Nome da Marca
 DocType: Purchase Receipt,Transporter Details,Dados da Transportadora
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,É necessário colocar o armazém padrão para o item selecionado
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,É necessário colocar o armazém padrão para o item selecionado
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Caixa
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Fornecedor possível
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Fornecedor possível
 DocType: Budget,Monthly Distribution,Distribuição Mensal
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"A Lista de Recetores está vazia. Por favor, crie uma Lista de Recetores"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Healthcare (beta)
@@ -2364,6 +2382,7 @@
 ,Lead Name,Nome de Potencial Cliente
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospecção
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Saldo de Stock Inicial
 DocType: Asset Category Account,Capital Work In Progress Account,Conta de trabalho em andamento de capital
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Ajuste do Valor do Ativo
@@ -2372,7 +2391,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Licenças Atribuídas Com Sucesso para {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Sem Itens para embalar
 DocType: Shipping Rule Condition,From Value,Valor De
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,É obrigatório colocar a Quantidade de Fabrico
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,É obrigatório colocar a Quantidade de Fabrico
 DocType: Loan,Repayment Method,Método de reembolso
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se for selecionado, a Página Inicial será o Grupo de Itens padrão do website"
 DocType: Quality Inspection Reading,Reading 4,Leitura 4
@@ -2397,7 +2416,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Referência de funcionário
 DocType: Student Group,Set 0 for no limit,Defina 0 para sem limite
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,O(s) dia(s) em que está a solicitar a licença são feriados. Não necessita solicitar uma licença.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} é necessário para criar as faturas Opening {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Endereço principal e detalhes de contato
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Reenviar Email de Pagamento
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nova tarefa
@@ -2407,8 +2425,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Selecione pelo menos um domínio.
 DocType: Dependent Task,Dependent Task,Tarefa Dependente
 DocType: Shopify Settings,Shopify Tax Account,Conta Fiscal do Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},O fator de conversão da unidade de medida padrão deve ser 1 na linha {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},A licença do tipo {0} não pode ser mais longa do que {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},O fator de conversão da unidade de medida padrão deve ser 1 na linha {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},A licença do tipo {0} não pode ser mais longa do que {1}
 DocType: Delivery Trip,Optimize Route,Otimizar rota
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Tente planear operações para X dias de antecedência.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2417,14 +2435,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Por favor definir Payroll Conta a Pagar padrão in Company {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Obtenha a divisão financeira de impostos e encargos por dados da Amazon
 DocType: SMS Center,Receiver List,Lista de Destinatários
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Pesquisar Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Pesquisar Item
 DocType: Payment Schedule,Payment Amount,Valor do Pagamento
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,A data de meio dia deve estar entre o trabalho da data e a data de término do trabalho
 DocType: Healthcare Settings,Healthcare Service Items,Itens de serviço de saúde
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Montante Consumido
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Variação Líquida na Caixa
 DocType: Assessment Plan,Grading Scale,Escala de classificação
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,A Unidade de Medida {0} foi inserido mais do que uma vez na Tabela de Conversão de Fatores
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,A Unidade de Medida {0} foi inserido mais do que uma vez na Tabela de Conversão de Fatores
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Já foi concluído
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Estoque na mão
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2447,25 +2465,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,O Nr. de Série {0} de quantidade {1} não pode ser uma fração
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,"Por favor, indique o URL do servidor de Woocommerce"
 DocType: Purchase Order Item,Supplier Part Number,Número de Peça de Fornecedor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,A taxa de conversão não pode ser 0 ou 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,A taxa de conversão não pode ser 0 ou 1
 DocType: Share Balance,To No,Para não
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Todas as Tarefas obrigatórias para criação de funcionários ainda não foram concluídas.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} foi cancelado ou interrompido
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} foi cancelado ou interrompido
 DocType: Accounts Settings,Credit Controller,Controlador de Crédito
 DocType: Loan,Applicant Type,Tipo de candidato
 DocType: Purchase Invoice,03-Deficiency in services,03-Deficiência em serviços
 DocType: Healthcare Settings,Default Medical Code Standard,Padrão do Código Médico Padrão
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,O Recibo de Compra {0} não foi enviado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,O Recibo de Compra {0} não foi enviado
 DocType: Company,Default Payable Account,Conta a Pagar Padrão
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","As definições para carrinho de compras online, tais como as regras de navegação, lista de preços, etc."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Faturado
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Qtd Reservada
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Qtd Reservada
 DocType: Party Account,Party Account,Conta da Parte
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Por favor selecione Empresa e Designação
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Recursos Humanos
-DocType: Lead,Upper Income,Rendimento Superior
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Rendimento Superior
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Rejeitar
 DocType: Journal Entry Account,Debit in Company Currency,Débito em Moeda da Empresa
 DocType: BOM Item,BOM Item,Item da LDM
@@ -2482,7 +2500,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Aberturas de trabalho para designação {0} já aberta \ ou contratação concluída conforme Plano de Pessoal {1}
 DocType: Vital Signs,Constipated,Constipado
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Na Fatura de Fornecedor {0} datada de {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Na Fatura de Fornecedor {0} datada de {1}
 DocType: Customer,Default Price List,Lista de Preços Padrão
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Foi criado o registo do Movimento do Ativo {0}
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nenhum item encontrado.
@@ -2498,17 +2516,18 @@
 DocType: Journal Entry,Entry Type,Tipo de Registo
 ,Customer Credit Balance,Saldo de Crédito de Cliente
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Variação Líquida em Contas a Pagar
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),O limite de crédito foi cruzado para o cliente {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Por favor, defina a série de nomenclatura para {0} via Configuração&gt; Configurações&gt; Naming Series"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),O limite de crédito foi cruzado para o cliente {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"É necessário colocar o Cliente para o""'Desconto de Cliente"""
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Atualização de pagamento bancário com data do diário.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Fix. de Preços
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Fix. de Preços
 DocType: Quotation,Term Details,Dados de Término
 DocType: Employee Incentive,Employee Incentive,Incentivo ao funcionário
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Não pode inscrever mais de {0} estudantes neste grupo de alunos.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Total (Sem Imposto)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Contagem de leads
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Contagem de leads
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Disponível em estoque
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Disponível em estoque
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planeamento de Capacidade Para (Dias)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Adjudicação
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Nenhum dos itens teve qualquer alteração na sua quantidade ou montante.
@@ -2533,7 +2552,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Licenças e Assiduidade
 DocType: Asset,Comprehensive Insurance,Seguro Abrangente
 DocType: Maintenance Visit,Partially Completed,Parcialmente Concluído
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Ponto de fidelidade: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Ponto de fidelidade: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Adicionar leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensibilidade moderada
 DocType: Leave Type,Include holidays within leaves as leaves,Incluir as férias nas licenças como licenças
 DocType: Loyalty Program,Redemption,Redenção
@@ -2567,7 +2587,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Despesas de Marketing
 ,Item Shortage Report,Comunicação de Falta de Item
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Não é possível criar critérios padrão. Renomeie os critérios
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Foi mencionado um Peso,\n Por favor, mencione também a ""UNID de Peso"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Foi mencionado um Peso,\n Por favor, mencione também a ""UNID de Peso"""
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,A Solicitação de Material utilizada para efetuar este Registo de Stock
 DocType: Hub User,Hub Password,Senha do Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grupo separado baseado em cursos para cada lote
@@ -2582,15 +2602,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Duração da consulta (min.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Efetue um Registo Contabilístico Para Cada Movimento de Stock
 DocType: Leave Allocation,Total Leaves Allocated,Licenças Totais Atribuídas
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Por favor, insira as datas de Início e Término do Ano Fiscal"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Por favor, insira as datas de Início e Término do Ano Fiscal"
 DocType: Employee,Date Of Retirement,Data de Reforma
 DocType: Upload Attendance,Get Template,Obter Modelo
+,Sales Person Commission Summary,Resumo da Comissão de Vendas
 DocType: Additional Salary Component,Additional Salary Component,Componente salarial adicional
 DocType: Material Request,Transferred,Transferido
 DocType: Vehicle,Doors,Portas
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Instalação de ERPNext Concluída!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Instalação de ERPNext Concluída!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Taxa de Recolha para Registro de Pacientes
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Não é possível alterar os Atributos após a transação do estoque. Faça um novo Item e transfira estoque para o novo Item
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Não é possível alterar os Atributos após a transação do estoque. Faça um novo Item e transfira estoque para o novo Item
 DocType: Course Assessment Criteria,Weightage,Peso
 DocType: Purchase Invoice,Tax Breakup,Desagregação de impostos
 DocType: Employee,Joining Details,Unindo Detalhes
@@ -2618,14 +2639,15 @@
 DocType: Lead,Next Contact By,Próximo Contacto Por
 DocType: Compensatory Leave Request,Compensatory Leave Request,Pedido de Licença Compensatória
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},A quantidade necessária para o item {0} na linha {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,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}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído como existe quantidade para item {1}
 DocType: Blanket Order,Order Type,Tipo de Pedido
 ,Item-wise Sales Register,Registo de Vendas de Item Inteligente
 DocType: Asset,Gross Purchase Amount,Montante de Compra Bruto
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Balanços de abertura
 DocType: Asset,Depreciation Method,Método de Depreciação
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Esta Taxa está incluída na Taxa Básica?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Alvo total
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Alvo total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Análise de Percepção
 DocType: Soil Texture,Sand Composition (%),Composição da Areia (%)
 DocType: Job Applicant,Applicant for a Job,Candidato a um Emprego
 DocType: Production Plan Material Request,Production Plan Material Request,Solicitação de Material de Plano de Produção
@@ -2641,23 +2663,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Marca de avaliação (fora de 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 móvel Não
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Principal
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,O item seguinte {0} não está marcado como item {1}. Você pode ativá-los como um item {1} do seu mestre de itens
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variante
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Para um item {0}, a quantidade deve ser um número negativo"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Definir prefixo para numeração de série em suas transações
 DocType: Employee Attendance Tool,Employees HTML,HTML de Funcionários
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,A LDM Padrão ({0}) deve estar ativa para este item ou para o seu modelo
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,A LDM Padrão ({0}) deve estar ativa para este item ou para o seu modelo
 DocType: Employee,Leave Encashed?,Sair de Pagos?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,É obrigatório colocar o campo Oportunidade De
 DocType: Email Digest,Annual Expenses,Despesas anuais
 DocType: Item,Variants,Variantes
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Criar Ordem de Compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Criar Ordem de Compra
 DocType: SMS Center,Send To,Enviar para
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Não há o suficiente equilíbrio pela licença Tipo {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Não há o suficiente equilíbrio pela licença Tipo {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Montante alocado
 DocType: Sales Team,Contribution to Net Total,Contribuição para o Total Líquido
 DocType: Sales Invoice Item,Customer's Item Code,Código do Item do Cliente
 DocType: Stock Reconciliation,Stock Reconciliation,Da Reconciliação
 DocType: Territory,Territory Name,Nome território
+DocType: Email Digest,Purchase Orders to Receive,Pedidos de compra a receber
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Você só pode ter planos com o mesmo ciclo de faturamento em uma assinatura
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Dados mapeados
@@ -2676,9 +2700,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Foi inserido um Nº de Série em duplicado para o Item {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Rastrear leads por origem de leads.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Uma condição para uma Regra de Envio
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,"Por favor, insira"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,"Por favor, insira"
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Log de Manutenção
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no Item ou no Armazém"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no Item ou no Armazém"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),O peso líquido do pacote. (Calculado automaticamente como soma de peso líquido dos itens)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Faça a entrada no diário entre empresas
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,O valor do desconto não pode ser superior a 100%
@@ -2687,15 +2711,15 @@
 DocType: Sales Order,To Deliver and Bill,Para Entregar e Cobrar
 DocType: Student Group,Instructors,instrutores
 DocType: GL Entry,Credit Amount in Account Currency,Montante de Crédito na Moeda da Conta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,A LDM {0} deve ser enviada
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Gerenciamento de compartilhamento
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,A LDM {0} deve ser enviada
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Gerenciamento de compartilhamento
 DocType: Authorization Control,Authorization Control,Controlo de Autorização
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha #{0}:  É obrigatório colocar o Armazém Rejeitado no Item Rejeitado {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Pagamento
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha #{0}:  É obrigatório colocar o Armazém Rejeitado no Item Rejeitado {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Pagamento
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","O depósito {0} não está vinculado a nenhuma conta, mencione a conta no registro do depósito ou defina a conta do inventário padrão na empresa {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gerir as suas encomendas
 DocType: Work Order Operation,Actual Time and Cost,Horas e Custos Efetivos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},"Para a Ordem de Venda {2},  o máximo do Pedido de Material para o Item {1} é {0}"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},"Para a Ordem de Venda {2},  o máximo do Pedido de Material para o Item {1} é {0}"
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Espaçamento de colheita
 DocType: Course,Course Abbreviation,Abreviação de Curso
@@ -2707,6 +2731,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},O total de horas de trabalho não deve ser maior que o nr. máx. de horas de trabalho {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Em
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Pacote de itens no momento da venda.
+DocType: Delivery Settings,Dispatch Settings,Configurações de despacho
 DocType: Material Request Plan Item,Actual Qty,Qtd Efetiva
 DocType: Sales Invoice Item,References,Referências
 DocType: Quality Inspection Reading,Reading 10,Leitura 10
@@ -2716,11 +2741,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Inseriu itens duplicados. Por favor retifique esta situação, e tente novamente."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Sócio
 DocType: Asset Movement,Asset Movement,Movimento de Ativo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,A ordem de serviço {0} deve ser enviada
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,New Cart
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,A ordem de serviço {0} deve ser enviada
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,New Cart
 DocType: Taxable Salary Slab,From Amount,De Montante
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,O Item {0} não é um item de série
 DocType: Leave Type,Encashment,Recheio
+DocType: Delivery Settings,Delivery Settings,Configurações de entrega
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Buscar dados
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Licença máxima permitida no tipo de licença {0} é {1}
 DocType: SMS Center,Create Receiver List,Criar Lista de Destinatários
 DocType: Vehicle,Wheels,Rodas
@@ -2736,7 +2763,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,A moeda de faturamento deve ser igual à moeda da empresa padrão ou à moeda da conta do partido
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Indica que o pacote é uma parte desta entrega (Só no Rascunho)
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Linha {0}: data de vencimento não pode ser antes da data de publicação
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Linha {0}: data de vencimento não pode ser antes da data de publicação
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Efetuar Registo de Pagamento
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},A Quantidade do Item {0} deve ser inferior a {1}
 ,Sales Invoice Trends,Tendências de Fatura de Vendas
@@ -2744,12 +2771,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Só pode referir a linha se o tipo de cobrança for ""No Montante da Linha Anterior"" ou ""Total de Linha Anterior"""
 DocType: Sales Order Item,Delivery Warehouse,Armazém de Entrega
 DocType: Leave Type,Earned Leave Frequency,Freqüência de Licença Ganhada
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Esquema de Centros de Custo financeiro.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Subtipo
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Esquema de Centros de Custo financeiro.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Subtipo
 DocType: Serial No,Delivery Document No,Nr. de Documento de Entrega
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Garantir a entrega com base no número de série produzido
 DocType: Vital Signs,Furry,Peludo
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Por favor, defina a ""Conta de Ganhos/Perdas na Eliminação de Ativos"" na Empresa {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Por favor, defina a ""Conta de Ganhos/Perdas na Eliminação de Ativos"" na Empresa {0}"
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obter Itens de Recibos de Compra
 DocType: Serial No,Creation Date,Data de Criação
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},O local de destino é obrigatório para o ativo {0}
@@ -2763,11 +2790,12 @@
 DocType: Item,Has Variants,Tem Variantes
 DocType: Employee Benefit Claim,Claim Benefit For,Reivindicar benefício para
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Atualizar Resposta
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Já selecionou itens de {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Já selecionou itens de {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Nome da Distribuição Mensal
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,O ID do lote é obrigatório
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,O ID do lote é obrigatório
 DocType: Sales Person,Parent Sales Person,Vendedor Principal
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Nenhum item a ser recebido está atrasado
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,O vendedor e o comprador não podem ser os mesmos
 DocType: Project,Collect Progress,Recolha Progresso
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2783,7 +2811,7 @@
 DocType: Bank Guarantee,Margin Money,Dinheiro Margem
 DocType: Budget,Budget,Orçamento
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Set Open
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,O Item Ativo Imobilizado deve ser um item não inventariado.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,O Item Ativo Imobilizado deve ser um item não inventariado.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","O Orçamento não pode ser atribuído a {0}, pois não é uma conta de Rendimentos ou Despesas"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},O valor máximo de isenção para {0} é {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Alcançados
@@ -2801,9 +2829,9 @@
 ,Amount to Deliver,Montante a Entregar
 DocType: Asset,Insurance Start Date,Data de início do seguro
 DocType: Salary Component,Flexible Benefits,Benefícios flexíveis
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},O mesmo item foi inserido várias vezes. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},O mesmo item foi inserido várias vezes. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"O Prazo da Data de Início não pode ser antes da Data de Início do Ano Letivo com o qual o termo está vinculado (Ano Lectivo {}). Por favor, corrija as datas e tente novamente."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Ocorreram erros
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Ocorreram erros
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,O empregado {0} já aplicou {1} entre {2} e {3}:
 DocType: Guardian,Guardian Interests,guardião Interesses
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Atualizar nome / número da conta
@@ -2843,9 +2871,9 @@
 ,Item-wise Purchase History,Histórico de Compras por Item
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Por favor, clique em ""Gerar Cronograma"" para obter o Nr. de Série adicionado ao Item {0}"
 DocType: Account,Frozen,Suspenso
-DocType: Delivery Note,Vehicle Type,Tipo de Veículo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Tipo de Veículo
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Valor Base (Moeda da Empresa)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Matéria prima
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Matéria prima
 DocType: Payment Reconciliation Payment,Reference Row,Linha de Referência
 DocType: Installation Note,Installation Time,Tempo de Instalação
 DocType: Sales Invoice,Accounting Details,Dados Contabilísticos
@@ -2854,12 +2882,13 @@
 DocType: Inpatient Record,O Positive,O Positivo
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investimentos
 DocType: Issue,Resolution Details,Dados de Resolução
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Tipo de transação
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Tipo de transação
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Critérios de Aceitação
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Por favor, insira as Solicitações de Materiais na tabela acima"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Nenhum reembolso disponível para lançamento no diário
 DocType: Hub Tracked Item,Image List,Lista de imagens
 DocType: Item Attribute,Attribute Name,Nome do Atributo
+DocType: Subscription,Generate Invoice At Beginning Of Period,Gerar fatura no início do período
 DocType: BOM,Show In Website,Mostrar No Website
 DocType: Loan Application,Total Payable Amount,Valor Total a Pagar
 DocType: Task,Expected Time (in hours),Tempo Previsto (em horas)
@@ -2897,8 +2926,8 @@
 DocType: Employee,Resignation Letter Date,Data de Carta de Demissão
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,As Regras de Fixação de Preços são filtradas adicionalmente com base na quantidade.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Não Selecionado
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Defina a data de início da sessão para o empregado {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Defina a data de início da sessão para o empregado {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Defina a data de início da sessão para o empregado {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Defina a data de início da sessão para o empregado {0}
 DocType: Inpatient Record,Discharge,Descarga
 DocType: Task,Total Billing Amount (via Time Sheet),Montante de Faturação Total (através da Folha de Presenças)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Rendimento de Cliente Fiel
@@ -2908,13 +2937,13 @@
 DocType: Chapter,Chapter,Capítulo
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Par
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,A conta padrão será atualizada automaticamente na Fatura POS quando esse modo for selecionado.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Selecione BOM e Qtde de Produção
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Selecione BOM e Qtde de Produção
 DocType: Asset,Depreciation Schedule,Cronograma de Depreciação
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Endereços e contatos do parceiro de vendas
 DocType: Bank Reconciliation Detail,Against Account,Na Conta
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Metade Data Day deve estar entre De Data e To Date
 DocType: Maintenance Schedule Detail,Actual Date,Data Real
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Defina o Centro de custo padrão na {0} empresa.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Defina o Centro de custo padrão na {0} empresa.
 DocType: Item,Has Batch No,Tem Nr. de Lote
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Faturação Anual: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Detalhe Shopify Webhook
@@ -2926,7 +2955,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Tipo de deslocamento
 DocType: Student,Personal Details,Dados Pessoais
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},"Por favor, defina o ""Centro de Custos de Depreciação de Ativos"" na Empresa {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},"Por favor, defina o ""Centro de Custos de Depreciação de Ativos"" na Empresa {0}"
 ,Maintenance Schedules,Cronogramas de Manutenção
 DocType: Task,Actual End Date (via Time Sheet),Data de Término Efetiva (através da Folha de Presenças)
 DocType: Soil Texture,Soil Type,Tipo de solo
@@ -2934,10 +2963,10 @@
 ,Quotation Trends,Tendências de Cotação
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},O Grupo do Item não foi mencionado no definidor de item para o item {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandato GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,A conta de Débito Para deve ser uma conta A Receber
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,A conta de Débito Para deve ser uma conta A Receber
 DocType: Shipping Rule,Shipping Amount,Montante de Envio
 DocType: Supplier Scorecard Period,Period Score,Pontuação do período
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Adicionar clientes
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Adicionar clientes
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Montante Pendente
 DocType: Lab Test Template,Special,Especial
 DocType: Loyalty Program,Conversion Factor,Fator de Conversão
@@ -2954,7 +2983,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Adicionar papel timbrado
 DocType: Program Enrollment,Self-Driving Vehicle,Veículo de auto-condução
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Scorecard do fornecedor em pé
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials não encontrado para o item {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials não encontrado para o item {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,O total de licenças atribuídas {0} não pode ser menor do que as licenças já aprovados {1} para o período
 DocType: Contract Fulfilment Checklist,Requirement,Requerimento
 DocType: Journal Entry,Accounts Receivable,Contas a Receber
@@ -2971,16 +3000,16 @@
 DocType: Projects Settings,Timesheets,Registo de Horas
 DocType: HR Settings,HR Settings,Definições de RH
 DocType: Salary Slip,net pay info,Informações net pay
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Quantidade de CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Quantidade de CESS
 DocType: Woocommerce Settings,Enable Sync,Ativar sincronização
 DocType: Tax Withholding Rate,Single Transaction Threshold,Limite Único de Transação
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Esse valor é atualizado na Lista de Preços de Vendas Padrão.
 DocType: Email Digest,New Expenses,Novas Despesas
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Montante PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Montante PDC / LC
 DocType: Shareholder,Shareholder,Acionista
 DocType: Purchase Invoice,Additional Discount Amount,Quantia de Desconto Adicional
 DocType: Cash Flow Mapper,Position,Posição
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Obter itens de prescrições
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Obter itens de prescrições
 DocType: Patient,Patient Details,Detalhes do paciente
 DocType: Inpatient Record,B Positive,B Positivo
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2992,8 +3021,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupo a Fora do Grupo
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Desportos
 DocType: Loan Type,Loan Name,Nome do empréstimo
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Total Real
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Total Real
 DocType: Student Siblings,Student Siblings,Irmãos do Estudante
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detalhe do plano de assinatura
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Unidade
@@ -3021,7 +3049,6 @@
 DocType: Workstation,Wages per hour,Salários por hora
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},O saldo de stock no Lote {0} vai ficar negativo {1} para o item {2} no Armazém {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,As seguintes Solicitações de Materiais têm sido automaticamente executadas com base no nível de reencomenda do Item
-DocType: Email Digest,Pending Sales Orders,Ordens de Venda Pendentes
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},A conta {0} é inválida. A Moeda da Conta deve ser {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},A partir da data {0} não pode ser após a data de alívio do empregado {1}
 DocType: Supplier,Is Internal Supplier,É fornecedor interno
@@ -3030,13 +3057,14 @@
 DocType: Healthcare Settings,Remind Before,Lembre-se antes
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},É necessário colocar o fator de Conversão de UNID na linha {0}
 DocType: Production Plan Item,material_request_item,item_de_solicitação_de_material
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O tipo de documento referênciado deve ser umas Ordem de Venda, uma Fatura de Venda ou um Lançamento Contabilístico"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O tipo de documento referênciado deve ser umas Ordem de Venda, uma Fatura de Venda ou um Lançamento Contabilístico"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Pontos de fidelidade = Quanto de moeda base?
 DocType: Salary Component,Deduction,Dedução
 DocType: Item,Retain Sample,Manter a amostra
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Linha {0}: É obrigatório colocar a Periodicidade.
 DocType: Stock Reconciliation Item,Amount Difference,Diferença de Montante
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},O Preço de Item foi adicionada a {0} na Lista de Preços {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},O Preço de Item foi adicionada a {0} na Lista de Preços {1}
+DocType: Delivery Stop,Order Information,Informação do Pedido
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Por favor, insira a ID de Funcionário deste(a) vendedor(a)"
 DocType: Territory,Classification of Customers by region,Classificação dos Clientes por Região
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Em produção
@@ -3047,8 +3075,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Saldo de de Extrato Bancário calculado
 DocType: Normal Test Template,Normal Test Template,Modelo de teste normal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,utilizador desativado
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Cotação
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Não é possível definir um RFQ recebido para nenhuma cotação
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Cotação
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Não é possível definir um RFQ recebido para nenhuma cotação
 DocType: Salary Slip,Total Deduction,Total de Reduções
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Selecione uma conta para imprimir na moeda da conta
 ,Production Analytics,Analytics produção
@@ -3061,14 +3089,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuração do Scorecard Fornecedor
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Nome do Plano de Avaliação
 DocType: Work Order Operation,Work Order Operation,Operação de ordem de trabalho
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Aviso: Certificado SSL inválido no anexo {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Aviso: Certificado SSL inválido no anexo {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads ajudá-lo a começar o negócio, adicione todos os seus contatos e mais como suas ligações"
 DocType: Work Order Operation,Actual Operation Time,Tempo Operacional Efetivo
 DocType: Authorization Rule,Applicable To (User),Aplicável Ao/À (Utilizador/a)
 DocType: Purchase Taxes and Charges,Deduct,Deduzir
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Descrição do Emprego
 DocType: Student Applicant,Applied,Aplicado
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Novamento aberto
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Novamento aberto
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qtd como UNID de Stock
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nome Guardian2
 DocType: Attendance,Attendance Request,Solicitação de participação
@@ -3086,7 +3114,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},O Nr. de Série {0} está na garantia até {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor mínimo permissível
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,O usuário {0} já existe
-apps/erpnext/erpnext/hooks.py +114,Shipments,Envios
+apps/erpnext/erpnext/hooks.py +115,Shipments,Envios
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Montante Alocado Total (Moeda da Empresa)
 DocType: Purchase Order Item,To be delivered to customer,A ser entregue ao cliente
 DocType: BOM,Scrap Material Cost,Custo de Material de Sucata
@@ -3094,11 +3122,12 @@
 DocType: Grant Application,Email Notification Sent,Notificação por email enviada
 DocType: Purchase Invoice,In Words (Company Currency),Por Extenso (Moeda da Empresa)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Empresa é manejável por conta da empresa
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Código do item, armazém, quantidade é necessária na linha"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Código do item, armazém, quantidade é necessária na linha"
 DocType: Bank Guarantee,Supplier,Fornecedor
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Obter De
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Este é um departamento raiz e não pode ser editado.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Mostrar detalhes de pagamento
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Duração em dias
 DocType: C-Form,Quarter,Trimestre
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Despesas Diversas
 DocType: Global Defaults,Default Company,Empresa Padrão
@@ -3106,7 +3135,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,É obrigatório ter uma conta de Despesas ou Diferenças para o Item {0} pois ele afeta o valor do stock em geral
 DocType: Bank,Bank Name,Nome do Banco
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Acima
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Deixe o campo vazio para fazer pedidos de compra para todos os fornecedores
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Deixe o campo vazio para fazer pedidos de compra para todos os fornecedores
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Item de cobrança de visita a pacientes internados
 DocType: Vital Signs,Fluid,Fluido
 DocType: Leave Application,Total Leave Days,Total de Dias de Licença
@@ -3116,7 +3145,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Configurações da Variante de Item
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Selecionar Empresa...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Deixe em branco se for para todos os departamentos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} é obrigatório para o Item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} é obrigatório para o Item {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Item {0}: {1} quantidade produzida,"
 DocType: Payroll Entry,Fortnightly,Quinzenal
 DocType: Currency Exchange,From Currency,De Moeda
@@ -3166,7 +3195,7 @@
 DocType: Account,Fixed Asset,Ativos Imobilizados
 DocType: Amazon MWS Settings,After Date,Depois da data
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventário Serializado
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,{0} inválido para fatura entre empresas.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,{0} inválido para fatura entre empresas.
 ,Department Analytics,Análise do departamento
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-mail não encontrado em contato padrão
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Gerar Segredo
@@ -3185,6 +3214,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Com Pagamento de Imposto
 DocType: Expense Claim Detail,Expense Claim Detail,Dados de Reembolso de Despesas
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Por favor, instale o Sistema de Nomes de Instrutores em Educação&gt; Configurações de Educação"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICADO PARA FORNECEDOR
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Novo saldo em moeda base
 DocType: Location,Is Container,Container
@@ -3192,13 +3222,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Por favor, selecione a conta correta"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Atribuição de estrutura salarial
 DocType: Purchase Invoice Item,Weight UOM,UNID de Peso
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Lista de accionistas disponíveis com números folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Lista de accionistas disponíveis com números folio
 DocType: Salary Structure Employee,Salary Structure Employee,Estrutura Salarial de Funcionários
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Mostrar atributos variantes
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Mostrar atributos variantes
 DocType: Student,Blood Group,Grupo Sanguíneo
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,A conta do gateway de pagamento no plano {0} é diferente da conta do gateway de pagamento nesta solicitação de pagamento
 DocType: Course,Course Name,Nome do Curso
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nenhum dado de retenção fiscal encontrado para o ano fiscal atual.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nenhum dado de retenção fiscal encontrado para o ano fiscal atual.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Utilizadores que podem aprovar pedidos de licença de um determinado funcionário
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Equipamentos de Escritório
 DocType: Purchase Invoice Item,Qty,Qtd
@@ -3206,6 +3236,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Configuração de pontuação
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Eletrónica
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Débito ({0})
+DocType: BOM,Allow Same Item Multiple Times,Permitir o mesmo item várias vezes
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Levantar Solicitação de Material quando o stock atingir o nível de reencomenda
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Tempo Integral
 DocType: Payroll Entry,Employees,Funcionários
@@ -3217,11 +3248,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Confirmação de pagamento
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Os preços não será mostrado se Preço de tabela não está definido
 DocType: Stock Entry,Total Incoming Value,Valor Total de Entrada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,É necessário colocar o Débito Para
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,É necessário colocar o Débito Para
 DocType: Clinical Procedure,Inpatient Record,Registro de internamento
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","O Registo de Horas ajudar a manter o controlo do tempo, custo e faturação para atividades feitas pela sua equipa"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Lista de Preços de Compra
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Data da Transação
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Lista de Preços de Compra
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Data da Transação
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Modelos de variáveis do scorecard do fornecedor.
 DocType: Job Offer Term,Offer Term,Termo de Oferta
 DocType: Asset,Quality Manager,Gestor da Qualidade
@@ -3242,11 +3273,11 @@
 DocType: Cashier Closing,To Time,Para Tempo
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) para {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Aprovar Função (acima do valor autorizado)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,O Crédito Para a conta deve ser uma conta A Pagar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,O Crédito Para a conta deve ser uma conta A Pagar
 DocType: Loan,Total Amount Paid,Valor Total Pago
 DocType: Asset,Insurance End Date,Data final do seguro
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Selecione a Admissão de Estudante que é obrigatória para o estudante pago.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Recursividade da LDM: {0} não pode ser o grupo de origem ou o subgrupo de {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Recursividade da LDM: {0} não pode ser o grupo de origem ou o subgrupo de {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Lista de Orçamentos
 DocType: Work Order Operation,Completed Qty,Qtd Concluída
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",Só podem ser vinculadas contas de dédito noutro registo de crébito para {0}
@@ -3254,7 +3285,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","O item de série {0} não pode ser atualizado usando Reconciliação de stock, use a Entrada de stock"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","O item de série {0} não pode ser atualizado usando Reconciliação de stock, use a Entrada de stock"
 DocType: Training Event Employee,Training Event Employee,Evento de Formação de Funcionário
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Amostras máximas - {0} podem ser mantidas para Batch {1} e Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Amostras máximas - {0} podem ser mantidas para Batch {1} e Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Adicionar intervalos de tempo
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,São necessários {0} Nrs. de Série para o Item {1}. Forneceu {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Avaliação Atual da Taxa
@@ -3285,11 +3316,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Nr. de Série {0} não foi encontrado
 DocType: Fee Schedule Program,Fee Schedule Program,Programa de Programação de Taxas
 DocType: Fee Schedule Program,Student Batch,Classe de Estudantes
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Por favor, apague o empregado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Faça Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipo de unidade de serviço de saúde
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Foi convidado para colaborar com o projeto: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Foi convidado para colaborar com o projeto: {0}
 DocType: Supplier Group,Parent Supplier Group,Grupo de fornecedores pai
+DocType: Email Digest,Purchase Orders to Bill,Pedidos de compra para fatura
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Valores acumulados na empresa do grupo
 DocType: Leave Block List Date,Block Date,Bloquear Data
 DocType: Crop,Crop,Colheita
@@ -3302,6 +3336,7 @@
 DocType: Sales Order,Not Delivered,Não Entregue
 ,Bank Clearance Summary,Resumo de Liquidações Bancárias
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Criar e gerir resumos de email diários, semanais e mensais."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Isso é baseado em transações contra essa pessoa de vendas. Veja a linha do tempo abaixo para detalhes
 DocType: Appraisal Goal,Appraisal Goal,Objetivo da Avaliação
 DocType: Stock Reconciliation Item,Current Amount,Valor Atual
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Prédios
@@ -3328,7 +3363,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,A Próxima Data de Contacto não pode ocorrer no passado
 DocType: Company,For Reference Only.,Só para Referência.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Selecione lote não
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Selecione lote não
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Inválido {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referência Inv
@@ -3346,16 +3381,16 @@
 DocType: Normal Test Items,Require Result Value,Exigir o valor do resultado
 DocType: Item,Show a slideshow at the top of the page,Ver uma apresentação de slides no topo da página
 DocType: Tax Withholding Rate,Tax Withholding Rate,Taxa de Retenção Fiscal
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Lojas
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Lojas
 DocType: Project Type,Projects Manager,Gerente de Projetos
 DocType: Serial No,Delivery Time,Prazo de Entrega
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Idade Baseada em
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Compromisso cancelado
 DocType: Item,End of Life,Expiração
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Viagens
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Viagens
 DocType: Student Report Generation Tool,Include All Assessment Group,Incluir todo o grupo de avaliação
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Não foi encontrada nenhuma Estrutura Salarial padrão ativa para o funcionário {0} ou para as datas indicadas
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Não foi encontrada nenhuma Estrutura Salarial padrão ativa para o funcionário {0} ou para as datas indicadas
 DocType: Leave Block List,Allow Users,Permitir Utilizadores
 DocType: Purchase Order,Customer Mobile No,Nr. de Telemóvel de Cliente
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalhes do modelo de mapeamento de fluxo de caixa
@@ -3364,15 +3399,16 @@
 DocType: Rename Tool,Rename Tool,Ferr. de Alt. de Nome
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Atualizar Custo
 DocType: Item Reorder,Item Reorder,Reencomenda do Item
+DocType: Delivery Note,Mode of Transport,Modo de transporte
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Mostrar Folha de Vencimento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transferência de Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transferência de Material
 DocType: Fees,Send Payment Request,Enviar pedido de pagamento
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar as operações, custo operacional e dar um só Nr. Operação às suas operações."
 DocType: Travel Request,Any other details,Qualquer outro detalhe
 DocType: Water Analysis,Origin,Origem
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está acima do limite por {0} {1} para o item {4}. Está a fazer outra {3} no/a mesmo/a {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,"Por favor, defina como recorrente depois de guardar"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Selecionar alterar montante de conta
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,"Por favor, defina como recorrente depois de guardar"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Selecionar alterar montante de conta
 DocType: Purchase Invoice,Price List Currency,Moeda da Lista de Preços
 DocType: Naming Series,User must always select,O utilizador tem sempre que escolher
 DocType: Stock Settings,Allow Negative Stock,Permitir Stock Negativo
@@ -3393,9 +3429,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Rastreabilidade
 DocType: Asset Maintenance Log,Actions performed,Ações realizadas
 DocType: Cash Flow Mapper,Section Leader,Líder da seção
+DocType: Delivery Note,Transport Receipt No,Recibo de Transporte Não
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Fonte de Fundos (Passivos)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,A origem e o local de destino não podem ser iguais
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1}) deve ser igual à quantidade fabricada em {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1}) deve ser igual à quantidade fabricada em {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Funcionário
 DocType: Bank Guarantee,Fixed Deposit Number,Número de depósito fixo
 DocType: Asset Repair,Failure Date,Data de falha
@@ -3409,16 +3446,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Deduções ou Perdas de Pagamento
 DocType: Soil Analysis,Soil Analysis Criterias,Critérios de análise do solo
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Termos do contrato padrão para Vendas ou Compra.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Tem certeza de que deseja cancelar esse compromisso?
+DocType: BOM Item,Item operation,Operação de item
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Tem certeza de que deseja cancelar esse compromisso?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Pacote de preços de quarto de hotel
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Canal de Vendas
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Canal de Vendas
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},"Por favor, defina conta padrão no Componente Salarial {0}"
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Necessário Em
 DocType: Rename Tool,File to Rename,Ficheiro para Alterar Nome
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Por favor, selecione uma LDM para o Item na Linha {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Buscar atualizações de assinatura
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},A conta {0} não coincide com a Empresa {1} no Modo de Conta: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},A LDM especificada {0} não existe para o Item {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},A LDM especificada {0} não existe para o Item {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Curso:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,O Cronograma de Manutenção {0} deve ser cancelado antes de cancelar esta Ordem de Venda
@@ -3427,7 +3465,7 @@
 DocType: Notification Control,Expense Claim Approved,Reembolso de Despesas Aprovado
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Definir adiantamentos e alocar (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nenhuma ordem de serviço criada
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Já foi criada a Folha de Vencimento do funcionário {0} para este período
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Já foi criada a Folha de Vencimento do funcionário {0} para este período
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmacêutico
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Você só pode enviar uma licença para uma quantia válida de reembolso
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Custo dos Itens Adquiridos
@@ -3435,7 +3473,8 @@
 DocType: Selling Settings,Sales Order Required,Ordem de Venda necessária
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Torne-se um vendedor
 DocType: Purchase Invoice,Credit To,Creditar Em
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Potenciais Clientes / Clientes Ativos
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Potenciais Clientes / Clientes Ativos
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Deixe em branco para usar o formato padrão de nota de entrega
 DocType: Employee Education,Post Graduate,Pós-Graduação
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Dados do Cronograma de Manutenção
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Avisar novas ordens de compra
@@ -3449,14 +3488,14 @@
 DocType: Support Search Source,Post Title Key,Post Title Key
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Para o cartão do trabalho
 DocType: Warranty Claim,Raised By,Levantado Por
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Prescrições
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Prescrições
 DocType: Payment Gateway Account,Payment Account,Conta de Pagamento
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Por favor, especifique a Empresa para poder continuar"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Por favor, especifique a Empresa para poder continuar"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Variação Líquida em Contas a Receber
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Descanso de Compensação
 DocType: Job Offer,Accepted,Aceite
 DocType: POS Closing Voucher,Sales Invoices Summary,Resumo de faturas de vendas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Para o nome da festa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Para o nome da festa
 DocType: Grant Application,Organization,Organização
 DocType: BOM Update Tool,BOM Update Tool,Ferramenta de atualização da lista técnica
 DocType: SG Creation Tool Course,Student Group Name,Nome do Grupo de Estudantes
@@ -3465,7 +3504,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, certifique-se de que realmente deseja apagar todas as transações para esta empresa. Os seus dados principais permanecerão como estão. Esta ação não pode ser anulada."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Procurar Resultados
 DocType: Room,Room Number,Número de Sala
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Referência inválida {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Referência inválida {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planeada ({2}) no Pedido de Produção {3}
 DocType: Shipping Rule,Shipping Rule Label,Regra Rotulação de Envio
 DocType: Journal Entry Account,Payroll Entry,Entrada de folha de pagamento
@@ -3473,8 +3512,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Criar modelo de imposto
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fórum de Utilizadores
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,As Matérias-primas não podem ficar em branco.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Linha # {0} (Tabela de pagamento): o valor deve ser negativo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar o stock, a fatura contém um item de envio direto."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Linha # {0} (Tabela de pagamento): o valor deve ser negativo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar o stock, a fatura contém um item de envio direto."
 DocType: Contract,Fulfilment Status,Status de Cumprimento
 DocType: Lab Test Sample,Lab Test Sample,Amostra de teste de laboratório
 DocType: Item Variant Settings,Allow Rename Attribute Value,Permitir Renomear o Valor do Atributo
@@ -3516,11 +3555,11 @@
 DocType: BOM,Show Operations,Mostrar Operações
 ,Minutes to First Response for Opportunity,Minutos para a Primeira Resposta a uma Oportunidade
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Faltas Totais
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,O Item ou Armazém para a linha {0} não corresponde à Solicitação de Materiais
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,O Item ou Armazém para a linha {0} não corresponde à Solicitação de Materiais
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Unidade de Medida
 DocType: Fiscal Year,Year End Date,Data de Fim de Ano
 DocType: Task Depends On,Task Depends On,A Tarefa Depende De
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Oportunidade
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Oportunidade
 DocType: Operation,Default Workstation,Posto de Trabalho Padrão
 DocType: Notification Control,Expense Claim Approved Message,Mensagem de Reembolso de Despesas Aprovadas
 DocType: Payment Entry,Deductions or Loss,Deduções ou Perdas
@@ -3558,21 +3597,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,O Utilizador Aprovador não pode o mesmo que o da regra Aplicável A
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Preço Unitário (de acordo com a UDM de Stock)
 DocType: SMS Log,No of Requested SMS,Nr. de SMS Solicitados
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,A Licença Sem Vencimento não coincide com os registos de Pedido de Licença aprovados
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,A Licença Sem Vencimento não coincide com os registos de Pedido de Licença aprovados
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Próximos Passos
 DocType: Travel Request,Domestic,Doméstico
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,"Por favor, forneça os itens especificados com as melhores taxas possíveis"
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,"Por favor, forneça os itens especificados com as melhores taxas possíveis"
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Transferência de Empregados não pode ser submetida antes da Data de Transferência
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Maak Factuur
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Saldo remanescente
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Saldo remanescente
 DocType: Selling Settings,Auto close Opportunity after 15 days,perto Opportunity Auto após 15 dias
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,As ordens de compra não são permitidas para {0} devido a um ponto de avaliação de {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,O código de barras {0} não é um código {1} válido
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,O código de barras {0} não é um código {1} válido
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Fim do Ano
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,A Data de Término do Contrato deve ser mais recente que a Data de Adesão
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,A Data de Término do Contrato deve ser mais recente que a Data de Adesão
 DocType: Driver,Driver,Motorista
 DocType: Vital Signs,Nutrition Values,Valores nutricionais
 DocType: Lab Test Template,Is billable,É faturável
@@ -3583,7 +3622,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Este é um exemplo dum website gerado automaticamente a partir de ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Faixa de Idade 1
 DocType: Shopify Settings,Enable Shopify,Ativar o Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,A quantia de antecipação total não pode ser maior do que o montante total reclamado
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,A quantia de antecipação total não pode ser maior do que o montante total reclamado
 DocType: Purchase Taxes and Charges Template,"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
@@ -3630,12 +3669,12 @@
 DocType: Employee Separation,Employee Separation,Separação de funcionários
 DocType: BOM Item,Original Item,Item Original
 DocType: Purchase Receipt Item,Recd Quantity,Qtd Recebida
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Data do Doc
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Data do Doc
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Registos de Propinas Criados - {0}
 DocType: Asset Category Account,Asset Category Account,Categoria de Conta de Ativo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Linha # {0} (Tabela de pagamento): o valor deve ser positivo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Linha # {0} (Tabela de pagamento): o valor deve ser positivo
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais Itens {0} do que a quantidade da Ordem de Vendas {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Selecione os Valores do Atributo
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Selecione os Valores do Atributo
 DocType: Purchase Invoice,Reason For Issuing document,Razão para emitir documento
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,O Registo de Stock {0} não foi enviado
 DocType: Payment Reconciliation,Bank / Cash Account,Conta Bancária / Dinheiro
@@ -3644,8 +3683,10 @@
 DocType: Asset,Manual,Manual
 DocType: Salary Component Account,Salary Component Account,Conta Componente Salarial
 DocType: Global Defaults,Hide Currency Symbol,Ocultar Símbolo de Moeda
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Oportunidades de vendas por origem
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informação do doador.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ex: Banco, Dinheiro, Cartão de Crédito"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Por favor, configure a série de numeração para Presença via Configuração&gt; Série de Numeração"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ex: Banco, Dinheiro, Cartão de Crédito"
 DocType: Job Applicant,Source Name,Nome da Fonte
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","A pressão arterial normal em repouso em um adulto é de aproximadamente 120 mmHg sistólica e 80 mmHg diastólica, abreviada &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Defina a vida útil dos itens em dias, para caducar com base em manufacturer_date plus self life"
@@ -3675,7 +3716,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Para Quantidade deve ser menor que quantidade {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Linha {0}: A Data de Início deve ser anterior à Data de Término
 DocType: Salary Component,Max Benefit Amount (Yearly),Valor máximo de benefício (anual)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,% De taxa de TDS
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,% De taxa de TDS
 DocType: Crop,Planting Area,Área de plantação
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qtd)
 DocType: Installation Note Item,Installed Qty,Qtd Instalada
@@ -3697,8 +3738,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Deixar a notificação de aprovação
 DocType: Buying Settings,Default Buying Price List,Lista de Compra de Preço Padrão
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Folha de Vencimento Baseada no Registo de Horas
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Taxa de compra
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Linha {0}: inserir local para o item do ativo {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Taxa de compra
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Linha {0}: inserir local para o item do ativo {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Sobre a empresa
 DocType: Notification Control,Sales Order Message,Mensagem da Ordem de Venda
@@ -3765,10 +3806,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Para a linha {0}: digite a quantidade planejada
 DocType: Account,Income Account,Conta de Rendimento
 DocType: Payment Request,Amount in customer's currency,Montante na moeda do cliente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Entrega
 DocType: Volunteer,Weekdays,Dias da semana
 DocType: Stock Reconciliation Item,Current Qty,Qtd Atual
 DocType: Restaurant Menu,Restaurant Menu,Menu do restaurante
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Adicionar Fornecedores
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Seção de ajuda
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Anterior
@@ -3780,19 +3822,20 @@
 												fullfill Sales Order {2}","Não é possível entregar o Nº de série {0} do item {1}, pois está reservado para \ fullfill Sales Order {2}"
 DocType: Item Reorder,Material Request Type,Tipo de Solicitação de Material
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Enviar o e-mail de revisão de concessão
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão de UNID
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão de UNID
 DocType: Employee Benefit Claim,Claim Date,Data de reivindicação
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Capacidade do quarto
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Já existe registro para o item {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref.
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Você perderá registros de faturas geradas anteriormente. Tem certeza de que deseja reiniciar esta assinatura?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Taxa de registro
 DocType: Loyalty Program Collection,Loyalty Program Collection,Coleção de programas de fidelidade
 DocType: Stock Entry Detail,Subcontracted Item,Item subcontratado
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},O aluno {0} não pertence ao grupo {1}
 DocType: Budget,Cost Center,Centro de Custos
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Mensagem da Ordem de Compra
 DocType: Tax Rule,Shipping Country,País de Envio
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Esconder do Cliente Tax Id de Transações de vendas
@@ -3811,23 +3854,22 @@
 DocType: Subscription,Cancel At End Of Period,Cancelar no final do período
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Propriedade já adicionada
 DocType: Item Supplier,Item Supplier,Fornecedor do Item
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Por favor, insira o Código do Item para obter o nr. de lote"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Por favor, selecione um valor para {0} a cotação_para {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Por favor, insira o Código do Item para obter o nr. de lote"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Por favor, selecione um valor para {0} a cotação_para {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nenhum item selecionado para transferência
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Todos os Endereços.
 DocType: Company,Stock Settings,Definições de Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A união só é possível caso as seguintes propriedades sejam iguais em ambos os registos. Estes são o Grupo, Tipo Principal, Empresa"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A união só é possível caso as seguintes propriedades sejam iguais em ambos os registos. Estes são o Grupo, Tipo Principal, Empresa"
 DocType: Vehicle,Electric,Elétrico
 DocType: Task,% Progress,% de Progresso
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Ganhos/Perdas de Eliminação de Ativos
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Apenas o Candidato Estudante com o status &quot;Aprovado&quot; será selecionado na tabela abaixo.
 DocType: Tax Withholding Category,Rates,Preços
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,O número da conta da conta {0} não está disponível. <br> Configure seu Gráfico de Contas corretamente.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,O número da conta da conta {0} não está disponível. <br> Configure seu Gráfico de Contas corretamente.
 DocType: Task,Depends on Tasks,Depende de Tarefas
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gerir o Esquema de Grupo de Cliente.
 DocType: Normal Test Items,Result Value,Valor de Resultado
 DocType: Hotel Room,Hotels,Hotéis
-DocType: Delivery Note,Transporter Date,Data do transportador
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novo Nome de Centro de Custos
 DocType: Leave Control Panel,Leave Control Panel,Painel de Controlo de Licenças
 DocType: Project,Task Completion,Conclusão da Tarefa
@@ -3874,11 +3916,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Todos os Grupos de Avaliação
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Novo Nome de Armazém
 DocType: Shopify Settings,App Type,Tipo de aplicativo
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Território
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Por favor, mencione o nr. de visitas necessárias"
 DocType: Stock Settings,Default Valuation Method,Método de Estimativa Padrão
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Taxa
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Mostrar Montante Cumulativo
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Atualização em andamento. Pode demorar um pouco.
 DocType: Production Plan Item,Produced Qty,Qtd produzido
 DocType: Vehicle Log,Fuel Qty,Qtd de Comb.
@@ -3886,7 +3929,7 @@
 DocType: Work Order Operation,Planned Start Time,Tempo de Início Planeado
 DocType: Course,Assessment,Avaliação
 DocType: Payment Entry Reference,Allocated,Atribuído
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Feche o Balanço e adicione Lucros ou Perdas
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Feche o Balanço e adicione Lucros ou Perdas
 DocType: Student Applicant,Application Status,Estado da Candidatura
 DocType: Additional Salary,Salary Component Type,Tipo de componente salarial
 DocType: Sensitivity Test Items,Sensitivity Test Items,Itens de teste de sensibilidade
@@ -3897,10 +3940,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Montante Total em Dívida
 DocType: Sales Partner,Targets,Metas
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Registre o número SIREN no arquivo de informações da empresa
+DocType: Email Digest,Sales Orders to Bill,Ordens de vendas para faturamento
 DocType: Price List,Price List Master,Definidor de Lista de Preços
 DocType: GST Account,CESS Account,Conta CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Todas as Transações de Vendas podem ser assinaladas em vários **Vendedores** para que possa definir e monitorizar as metas.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link para solicitação de material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link para solicitação de material
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Atividade do Fórum
 ,S.O. No.,Nr. de P.E.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Item de configuração de transação de extrato bancário
@@ -3915,7 +3959,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Este é um cliente principal e não pode ser editado.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Ação se o orçamento mensal acumulado for excedido no PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Colocar
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Colocar
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Reavaliação da taxa de câmbio
 DocType: POS Profile,Ignore Pricing Rule,Ignorar Regra de Fixação de Preços
 DocType: Employee Education,Graduate,Licenciado
@@ -3964,6 +4008,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Defina o cliente padrão em Configurações do restaurante
 ,Salary Register,salário Register
 DocType: Warehouse,Parent Warehouse,Armazém Principal
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Gráfico
 DocType: Subscription,Net Total,Total Líquido
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Lista de materiais padrão não encontrada para Item {0} e Projeto {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definir vários tipos de empréstimo
@@ -3996,24 +4041,26 @@
 DocType: Membership,Membership Status,Status da associação
 DocType: Travel Itinerary,Lodging Required,Alojamento requerido
 ,Requested,Solicitado
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Sem Observações
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Sem Observações
 DocType: Asset,In Maintenance,Em manutenção
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Clique nesse botão para extrair os dados de sua ordem de venda do Amazon MWS.
 DocType: Vital Signs,Abdomen,Abdômen
 DocType: Purchase Invoice,Overdue,Vencido
 DocType: Account,Stock Received But Not Billed,Stock Recebido Mas Não Faturados
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,A Conta Principal deve ser um grupo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,A Conta Principal deve ser um grupo
 DocType: Drug Prescription,Drug Prescription,Prescrição de drogas
 DocType: Loan,Repaid/Closed,Reembolsado / Fechado
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Qtd Projetada Total
 DocType: Monthly Distribution,Distribution Name,Nome de Distribuição
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Incluir UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Taxa de avaliação não encontrada para o Item {0}, que é necessário para fazer as entradas contábeis para {1} {2}. Se o item estiver sendo negociado como item de taxa de avaliação zero no {1}, mencione que na tabela {1} Item. Caso contrário, crie uma transação de estoque recebida para o item ou mencione a taxa de avaliação no registro do item e tente enviar / cancelar esta entrada"
 DocType: Course,Course Code,Código de Curso
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inspeção de Qualidade necessária para o item {0}
 DocType: Location,Parent Location,Localização dos pais
 DocType: POS Settings,Use POS in Offline Mode,Use POS no modo off-line
 DocType: Supplier Scorecard,Supplier Variables,Variáveis do Fornecedor
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} é obrigatório. Talvez o registro da troca de moeda não seja criado para {1} para {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Taxa à qual a moeda do cliente é convertida para a moeda principal da empresa
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Taxa Líquida (Moeda da Empresa)
 DocType: Salary Detail,Condition and Formula Help,Seção de Ajuda de Condições e Fórmulas
@@ -4022,19 +4069,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Fatura de Vendas
 DocType: Journal Entry Account,Party Balance,Saldo da Parte
 DocType: Cash Flow Mapper,Section Subtotal,Subtotal de seção
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Por favor, selecione Aplicar Desconto Em"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Por favor, selecione Aplicar Desconto Em"
 DocType: Stock Settings,Sample Retention Warehouse,Armazém de retenção de amostra
 DocType: Company,Default Receivable Account,Contas a Receber Padrão
 DocType: Purchase Invoice,Deemed Export,Exceção de exportação
 DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Material para Fabrico
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,A Percentagem de Desconto pode ser aplicada numa Lista de Preços ou em todas as Listas de Preços.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Registo Contabilístico de Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Registo Contabilístico de Stock
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Você já avaliou os critérios de avaliação {}.
 DocType: Vehicle Service,Engine Oil,Óleo de Motor
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Ordens de Serviço Criadas: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Ordens de Serviço Criadas: {0}
 DocType: Sales Invoice,Sales Team1,Equipa de Vendas1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,O Item {0} não existe
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,O Item {0} não existe
 DocType: Sales Invoice,Customer Address,Endereço de Cliente
 DocType: Loan,Loan Details,Detalhes empréstimo
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Falha ao configurar dispositivos móveis da empresa postal
@@ -4055,34 +4102,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta apresentação de diapositivos no topo da página
 DocType: BOM,Item UOM,UNID de Item
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Valor do Imposto Após Montante de Desconto (Moeda da Empresa)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},É obrigatório colocar o Destino do Armazém para a linha {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},É obrigatório colocar o Destino do Armazém para a linha {0}
 DocType: Cheque Print Template,Primary Settings,Definições Principais
 DocType: Attendance Request,Work From Home,Trabalho a partir de casa
 DocType: Purchase Invoice,Select Supplier Address,Escolha um Endereço de Fornecedor
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Adicionar Funcionários
 DocType: Purchase Invoice Item,Quality Inspection,Inspeção de Qualidade
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra-pequeno
 DocType: Company,Standard Template,Modelo Padrão
 DocType: Training Event,Theory,Teoria
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A Qtd do Material requisitado é menor que a Qtd de Pedido Mínima
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A Qtd do Material requisitado é menor que a Qtd de Pedido Mínima
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,A conta {0} está congelada
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidade Legal / Subsidiária com um Gráfico de Contas separado pertencente à Organização.
 DocType: Payment Request,Mute Email,Email Sem Som
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Comida, Bebidas e Tabaco"
 DocType: Account,Account Number,Número da conta
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Só pode efetuar o pagamento no {0} não faturado
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,A taxa de comissão não pode ser superior a 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Só pode efetuar o pagamento no {0} não faturado
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,A taxa de comissão não pode ser superior a 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Alocar Avanços Automaticamente (FIFO)
 DocType: Volunteer,Volunteer,Voluntário
 DocType: Buying Settings,Subcontract,Subcontratar
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Por favor, insira {0} primeiro"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Sem respostas de
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Sem respostas de
 DocType: Work Order Operation,Actual End Time,Tempo Final Efetivo
 DocType: Item,Manufacturer Part Number,Número da Peça de Fabricante
 DocType: Taxable Salary Slab,Taxable Salary Slab,Laje de salário tributável
 DocType: Work Order Operation,Estimated Time and Cost,Tempo e Custo Estimados
 DocType: Bin,Bin,Caixa
 DocType: Crop,Crop Name,Nome da cultura
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Somente usuários com função {0} podem se registrar no Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Somente usuários com função {0} podem se registrar no Marketplace
 DocType: SMS Log,No of Sent SMS,N º de SMS Enviados
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Nomeações e Encontros
@@ -4111,7 +4159,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Código de mudança
 DocType: Purchase Invoice Item,Valuation Rate,Taxa de Avaliação
 DocType: Vehicle,Diesel,Gasóleo
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Não foi selecionada uma Moeda para a Lista de Preços
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Não foi selecionada uma Moeda para a Lista de Preços
 DocType: Purchase Invoice,Availed ITC Cess,Aproveitou o ITC Cess
 ,Student Monthly Attendance Sheet,Folha de Assiduidade Mensal de Estudante
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Regra de envio aplicável apenas para venda
@@ -4128,7 +4176,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gerir Parceiros de Vendas.
 DocType: Quality Inspection,Inspection Type,Tipo de Inspeção
 DocType: Fee Validity,Visited yet,Visitou ainda
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Os Armazéns com a transação existente não podem ser convertidos num grupo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Os Armazéns com a transação existente não podem ser convertidos num grupo.
 DocType: Assessment Result Tool,Result HTML,resultado HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Com que frequência o projeto e a empresa devem ser atualizados com base nas transações de vendas.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Expira em
@@ -4136,7 +4184,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Por favor, selecione {0}"
 DocType: C-Form,C-Form No,Nr. de Form-C
 DocType: BOM,Exploded_items,Vista_expandida_de_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Distância
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Distância
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Liste seus produtos ou serviços que você compra ou vende.
 DocType: Water Analysis,Storage Temperature,Temperatura de armazenamento
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4152,19 +4200,19 @@
 DocType: Shopify Settings,Delivery Note Series,Série de notas de entrega
 DocType: Purchase Order Item,Returned Qty,Qtd Devolvida
 DocType: Student,Exit,Sair
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,É obrigatório colocar o Tipo de Fonte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,É obrigatório colocar o Tipo de Fonte
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Falha na instalação de predefinições
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversão de UOM em horas
 DocType: Contract,Signee Details,Detalhes da Signee
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} atualmente tem um {1} Guia de Scorecard do Fornecedor, e as PDOs para este fornecedor devem ser emitidas com cautela."
 DocType: Certified Consultant,Non Profit Manager,Gerente sem fins lucrativos
 DocType: BOM,Total Cost(Company Currency),Custo Total (Moeda da Empresa)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Nr. de Série {0} criado
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Nr. de Série {0} criado
 DocType: Homepage,Company Description for website homepage,A Descrição da Empresa para a página inicial do website
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para a maior comodidade dos clientes, estes códigos podem ser utilizados em formatos de impressão, como Faturas e Guias de Remessa"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nome suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Não foi possível recuperar informações para {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Jornal de entrada de abertura
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Jornal de entrada de abertura
 DocType: Contract,Fulfilment Terms,Termos de Cumprimento
 DocType: Sales Invoice,Time Sheet List,Lista de Folhas de Presença
 DocType: Employee,You can enter any date manually,Pode inserir qualquer dado manualmente
@@ -4200,7 +4248,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Sua organização
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ignorar a atribuição de licenças para os funcionários a seguir, já que os registros de alocação de licenças já existem contra eles. {0}"
 DocType: Fee Component,Fees Category,Categoria de Propinas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Por favor, insira a data de saída."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Por favor, insira a data de saída."
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Mtt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detalhes do Patrocinador (Nome, Localização)"
 DocType: Supplier Scorecard,Notify Employee,Notificar Empregado
@@ -4213,9 +4261,9 @@
 DocType: Company,Chart Of Accounts Template,Modelo de Plano de Contas
 DocType: Attendance,Attendance Date,Data de Presença
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Atualizar estoque deve ser ativado para a fatura de compra {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},O Preço do Item foi atualizado para {0} na Lista de Preços {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},O Preço do Item foi atualizado para {0} na Lista de Preços {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Separação Salarial com base nas Remunerações e Reduções.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Uma conta com subgrupos não pode ser convertida num livro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Uma conta com subgrupos não pode ser convertida num livro
 DocType: Purchase Invoice Item,Accepted Warehouse,Armazém Aceite
 DocType: Bank Reconciliation Detail,Posting Date,Data de Postagem
 DocType: Item,Valuation Method,Método de Avaliação
@@ -4252,6 +4300,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Selecione um lote
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Reivindicação de viagens e despesas
 DocType: Sales Invoice,Redemption Cost Center,Centro de custo de resgate
+DocType: QuickBooks Migrator,Scope,Escopo
 DocType: Assessment Group,Assessment Group Name,Nome do Grupo de Avaliação
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferido para Fabrico
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Adicionar aos Detalhes
@@ -4259,6 +4308,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Data e hora da última sincronização
 DocType: Landed Cost Item,Receipt Document Type,Tipo de Documento de Receção
 DocType: Daily Work Summary Settings,Select Companies,Seleccionar Empresas
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Proposta / cotação de preço
 DocType: Antibiotic,Healthcare,Cuidados de saúde
 DocType: Target Detail,Target Detail,Detalhe Alvo
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Variante única
@@ -4268,6 +4318,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Registo de Término de Período
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Selecione Departamento ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,O Centro de Custo com as operações existentes não pode ser convertido em grupo
+DocType: QuickBooks Migrator,Authorization URL,URL de autorização
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Montante {0} {1} {2} {3}
 DocType: Account,Depreciation,Depreciação
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,O número de ações e os números de compartilhamento são inconsistentes
@@ -4290,13 +4341,14 @@
 DocType: Support Search Source,Source DocType,DocType de origem
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Abra um novo ticket
 DocType: Training Event,Trainer Email,Email do Formador
+DocType: Driver,Transporter,Transportador
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Foram criadas as Solicitações de Material {0}
 DocType: Restaurant Reservation,No of People,Não há pessoas
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Modelo de termos ou contratos.
 DocType: Bank Account,Address and Contact,Endereço e Contacto
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,É Uma Conta A Pagar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},O Stock não pode ser atualizado no Recibo de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},O Stock não pode ser atualizado no Recibo de Compra {0}
 DocType: Support Settings,Auto close Issue after 7 days,Fechar automáticamente incidentes após 7 dias
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","A licença não pode ser atribuída antes de {0}, pois o saldo de licenças já foi carregado no registo de atribuição de licenças {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A Data de Vencimento / Referência excede os dias de crédito permitidos por cliente em {0} dia(s)
@@ -4314,7 +4366,7 @@
 ,Qty to Deliver,Qtd a Entregar
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,A Amazon sincronizará os dados atualizados após essa data
 ,Stock Analytics,Análise de Stock
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,As operações não podem ser deixadas em branco
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,As operações não podem ser deixadas em branco
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Teste (s) de laboratório
 DocType: Maintenance Visit Purpose,Against Document Detail No,No Nr. de Dados de Documento
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},A exclusão não está permitida para o país {0}
@@ -4322,13 +4374,12 @@
 DocType: Quality Inspection,Outgoing,Saída
 DocType: Material Request,Requested For,Solicitado Para
 DocType: Quotation Item,Against Doctype,No Tipo de Documento
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} foi cancelado ou encerrado
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} foi cancelado ou encerrado
 DocType: Asset,Calculate Depreciation,Calcular Depreciação
 DocType: Delivery Note,Track this Delivery Note against any Project,Acompanhar esta Guia de Remessa em qualquer Projeto
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Caixa Líquido de Investimentos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de Clientes&gt; Território
 DocType: Work Order,Work-in-Progress Warehouse,Armazém de Trabalho a Decorrer
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,O ativo {0} deve ser enviado
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,O ativo {0} deve ser enviado
 DocType: Fee Schedule Program,Total Students,Total de alunos
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Existe um Registo de Assiduidade {0} no Estudante {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referência #{0} datada de {1}
@@ -4347,7 +4398,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Não é possível criar bônus de retenção para funcionários da esquerda
 DocType: Lead,Market Segment,Segmento de Mercado
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Gerente de Agricultura
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},O Montante Pago não pode ser superior ao montante em dívida total negativo {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},O Montante Pago não pode ser superior ao montante em dívida total negativo {0}
 DocType: Supplier Scorecard Period,Variables,Variáveis
 DocType: Employee Internal Work History,Employee Internal Work History,Historial de Trabalho Interno do Funcionário
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),A Fechar (Db)
@@ -4372,22 +4423,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Products
 DocType: Loyalty Point Entry,Loyalty Program,Programa de lealdade
 DocType: Student Guardian,Father,Pai
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Bilhetes de suporte
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Stock"" não pode ser ativado para a venda de ativos imobilizado"
 DocType: Bank Reconciliation,Bank Reconciliation,Conciliação Bancária
 DocType: Attendance,On Leave,em licença
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obter Atualizações
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: A Conta {2} não pertence à Empresa {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Selecione pelo menos um valor de cada um dos atributos.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Selecione pelo menos um valor de cada um dos atributos.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,A Solicitação de Material {0} foi cancelada ou interrompida
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Estado de Despacho
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Estado de Despacho
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Gestão de Licenças
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupos
 DocType: Purchase Invoice,Hold Invoice,Segurar fatura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Selecione Empregado
 DocType: Sales Order,Fully Delivered,Totalmente Entregue
-DocType: Lead,Lower Income,Rendimento Mais Baixo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Rendimento Mais Baixo
 DocType: Restaurant Order Entry,Current Order,Ordem atual
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,O número de números de série e quantidade deve ser o mesmo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Fonte e armazém de destino não pode ser o mesmo para a linha {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Fonte e armazém de destino não pode ser o mesmo para a linha {0}
 DocType: Account,Asset Received But Not Billed,"Ativo Recebido, mas Não Faturado"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","A Conta de Diferenças deve ser uma conta do tipo Ativo/Passivo, pois esta Conciliação de Stock é um Registo de Abertura"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Desembolso Valor não pode ser maior do que o valor do empréstimo {0}
@@ -4396,7 +4449,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Nº da Ordem de Compra necessário para o Item {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"A ""Data De"" deve ser depois da ""Data Para"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Não foram encontrados planos de pessoal para esta designação
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Lote {0} do item {1} está desativado.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Lote {0} do item {1} está desativado.
 DocType: Leave Policy Detail,Annual Allocation,Alocação Anual
 DocType: Travel Request,Address of Organizer,Endereço do organizador
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Selecione Healthcare Practitioner ...
@@ -4405,12 +4458,12 @@
 DocType: Asset,Fully Depreciated,Totalmente Depreciados
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Qtd Projetada de Stock
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},O Cliente {0} não pertence ao projeto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},O Cliente {0} não pertence ao projeto {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,HTML de Presenças Marcadas
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citações são propostas, as propostas que enviou aos seus clientes"
 DocType: Sales Invoice,Customer's Purchase Order,Ordem de Compra do Cliente
 DocType: Clinical Procedure,Patient,Paciente
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Ignorar verificação de crédito na ordem do cliente
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Ignorar verificação de crédito na ordem do cliente
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Atividade de Onboarding dos Funcionários
 DocType: Location,Check if it is a hydroponic unit,Verifique se é uma unidade hidropônica
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,O Nr. de Série e de Lote
@@ -4420,7 +4473,7 @@
 DocType: Supplier Scorecard Period,Calculations,Cálculos
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Valor ou Qtd
 DocType: Payment Terms Template,Payment Terms,Termos de pagamento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Não podem ser criados Pedidos de Produção para:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Não podem ser criados Pedidos de Produção para:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minuto
 DocType: Purchase Invoice,Purchase Taxes and Charges,Impostos e Taxas de Compra
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4428,7 +4481,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Ir para Fornecedores
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impostos de Voucher de Fechamento de PDV
 ,Qty to Receive,Qtd a Receber
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datas de início e término fora de um Período da Folha de Pagamento válido, não é possível calcular {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datas de início e término fora de um Período da Folha de Pagamento válido, não é possível calcular {0}."
 DocType: Leave Block List,Leave Block List Allowed,Lista de Bloqueio de Licenças Permitida
 DocType: Grading Scale Interval,Grading Scale Interval,Grading Scale Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reivindicação de Despesa para o Registo de Veículo {0}
@@ -4436,10 +4489,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Desconto (%) na Taxa da Lista de Preços com Margem
 DocType: Healthcare Service Unit Type,Rate / UOM,Taxa / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Todos os Armazéns
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nenhum {0} encontrado para transações entre empresas.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nenhum {0} encontrado para transações entre empresas.
 DocType: Travel Itinerary,Rented Car,Carro alugado
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Sobre a sua empresa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,A conta de Crédito Para deve ser uma conta de Balanço
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,A conta de Crédito Para deve ser uma conta de Balanço
 DocType: Donor,Donor,Doador
 DocType: Global Defaults,Disable In Words,Desativar Por Extenso
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,É obrigatório colocar o Código do Item  porque o Item não é automaticamente numerado
@@ -4451,14 +4504,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Descoberto na Conta Bancária
 DocType: Patient,Patient ID,Identificação do paciente
 DocType: Practitioner Schedule,Schedule Name,Nome da programação
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Pipeline de vendas por estágio
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Criar Folha de Vencimento
 DocType: Currency Exchange,For Buying,Para comprar
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Adicionar todos os fornecedores
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Adicionar todos os fornecedores
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Allocated Amount não pode ser maior do que o montante pendente.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Pesquisar na LDM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Empréstimos Garantidos
 DocType: Purchase Invoice,Edit Posting Date and Time,Editar postagem Data e Hora
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, defina as Contas relacionadas com a Depreciação na Categoria de ativos {0} ou na Empresa {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, defina as Contas relacionadas com a Depreciação na Categoria de ativos {0} ou na Empresa {1}"
 DocType: Lab Test Groups,Normal Range,Intervalo normal
 DocType: Academic Term,Academic Year,Ano Letivo
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Venda disponível
@@ -4487,26 +4541,26 @@
 DocType: Patient Appointment,Patient Appointment,Nomeação do paciente
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,A Função Aprovada não pode ser igual à da regra Aplicável A
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Cancelar a Inscrição neste Resumo de Email
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Obter provedores por
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Obter provedores por
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} não encontrado para Item {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Ir para Cursos
 DocType: Accounts Settings,Show Inclusive Tax In Print,Mostrar imposto inclusivo na impressão
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Conta bancária, de data e data são obrigatórias"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Mensagem Enviada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Uma conta com subgrupos não pode ser definida como um livro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Uma conta com subgrupos não pode ser definida como um livro
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Taxa à qual a moeda da lista de preços é convertida para a moeda principal do cliente
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Valor Líquido (Moeda da Empresa)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,O montante do adiantamento total não pode ser maior do que o montante sancionado total
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,O montante do adiantamento total não pode ser maior do que o montante sancionado total
 DocType: Salary Slip,Hour Rate,Preço por Hora
 DocType: Stock Settings,Item Naming By,Dar Nome de Item Por
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Foi efetuado outro Registo de Encerramento de Período {0} após {1}
 DocType: Work Order,Material Transferred for Manufacturing,Material Transferido para Fabrico
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,A Conta {0} não existe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Selecione o programa de fidelidade
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Selecione o programa de fidelidade
 DocType: Project,Project Type,Tipo de Projeto
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Tarefa infantil existe para esta Tarefa. Você não pode excluir esta Tarefa.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,É obrigatório colocar a qtd prevista ou o montante previsto.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,É obrigatório colocar a qtd prevista ou o montante previsto.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Custo de diversas atividades
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","A Configurar Eventos para {0}, uma vez que o Funcionário vinculado ao Vendedor abaixo não possui uma ID de Utilizador {1}"
 DocType: Timesheet,Billing Details,Dados de Faturação
@@ -4564,13 +4618,13 @@
 DocType: Inpatient Record,A Negative,Um negativo
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nada mais para mostrar.
 DocType: Lead,From Customer,Do Cliente
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Chamadas
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Chamadas
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Um produto
 DocType: Employee Tax Exemption Declaration,Declarations,Declarações
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Lotes
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Faça o horário das taxas
 DocType: Purchase Order Item Supplied,Stock UOM,UNID de Stock
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,A Ordem de Compra {0} não foi enviada
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,A Ordem de Compra {0} não foi enviada
 DocType: Account,Expenses Included In Asset Valuation,Despesas incluídas na avaliação de imobilizado
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),O intervalo de referência normal para um adulto é de 16-20 respirações / minuto (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Número de tarifas
@@ -4583,6 +4637,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Salve primeiro o paciente
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,A presença foi registada com sucesso.
 DocType: Program Enrollment,Public Transport,Transporte público
+DocType: Delivery Note,GST Vehicle Type,Tipo de veículo GST
 DocType: Soil Texture,Silt Composition (%),Composição do Silt (%)
 DocType: Journal Entry,Remark,Observação
 DocType: Healthcare Settings,Avoid Confirmation,Evite a Confirmação
@@ -4592,11 +4647,10 @@
 DocType: Education Settings,Current Academic Term,Termo acadêmico atual
 DocType: Education Settings,Current Academic Term,Termo acadêmico atual
 DocType: Sales Order,Not Billed,Não Faturado
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer à mesma Empresa
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer à mesma Empresa
 DocType: Employee Grade,Default Leave Policy,Política de licença padrão
 DocType: Shopify Settings,Shop URL,URL da loja
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ainda não foi adicionado nenhum contacto.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Por favor, configure a série de numeração para Presença via Configuração&gt; Série de Numeração"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Montante do Voucher de Custo de Entrega
 ,Item Balance (Simple),Balanço de itens (Simples)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Contas criadas por Fornecedores.
@@ -4621,7 +4675,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Série de Cotação
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Já existe um item com o mesmo nome ({0}), por favor, altere o nome deste item ou altere o nome deste item"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Critérios de análise do solo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,"Por favor, selecione o cliente"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,"Por favor, selecione o cliente"
 DocType: C-Form,I,I
 DocType: Company,Asset Depreciation Cost Center,Centro de Custo de Depreciação de Ativo
 DocType: Production Plan Sales Order,Sales Order Date,Data da Ordem de Venda
@@ -4634,8 +4688,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Atualmente não há estoque disponível em qualquer armazém
 ,Payment Period Based On Invoice Date,Período De Pagamento Baseado Na Data Da Fatura
 DocType: Sample Collection,No. of print,Número de impressão
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Lembrete de aniversário
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Item de reserva de quarto de hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Faltam as Taxas de Câmbio de {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Faltam as Taxas de Câmbio de {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nome do Seguro de Saúde
 DocType: Assessment Plan,Examiner,Examinador
 DocType: Student,Siblings,Irmãos
@@ -4652,19 +4707,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novos Clientes
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,% de Lucro Bruto
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Compromisso {0} e fatura de vendas {1} cancelados
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Oportunidades por fonte de chumbo
 DocType: Appraisal Goal,Weightage (%),Peso (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Alterar o perfil do POS
 DocType: Bank Reconciliation Detail,Clearance Date,Data de Liquidação
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Ativo já existe contra o item {0}, você não pode alterar o valor serial sem"
+DocType: Delivery Settings,Dispatch Notification Template,Modelo de Notificação de Despacho
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Ativo já existe contra o item {0}, você não pode alterar o valor serial sem"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Relatório de avaliação
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Obter funcionários
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,É obrigatório colocar o Montante de Compra Bruto
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Nome da empresa não o mesmo
 DocType: Lead,Address Desc,Descrição de Endereço
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,É obrigatório colocar a parte
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},As linhas com datas de vencimento duplicadas em outras linhas foram encontradas: {list}
 DocType: Topic,Topic Name,Nome do Tópico
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Por favor, defina o modelo padrão para deixar a notificação de aprovação nas configurações de RH."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Por favor, defina o modelo padrão para deixar a notificação de aprovação nas configurações de RH."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Deverá ser selecionado pelo menos um dos Vendedores ou Compradores
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Selecione um funcionário para obter o adiantamento do funcionário.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Por favor selecione uma data válida
@@ -4698,6 +4754,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Dados de Cliente ou Fornecedor
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Valor atual do ativo
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID da empresa de Quickbooks
 DocType: Travel Request,Travel Funding,Financiamento de viagens
 DocType: Loan Application,Required by Date,Exigido por Data
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Um link para todos os locais em que a safra está crescendo
@@ -4711,9 +4768,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Qtd de Lote Disponível em Do Armazém
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pagamento Bruto - Dedução Total - reembolso do empréstimo
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,A LDM Atual e a Nova LDN não podem ser iguais
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,A LDM Atual e a Nova LDN não podem ser iguais
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ID de Folha de Vencimento
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,A Data De Saída deve ser posterior à Data de Admissão
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,A Data De Saída deve ser posterior à Data de Admissão
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Variantes múltiplas
 DocType: Sales Invoice,Against Income Account,Na Conta de Rendimentos
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Entregue
@@ -4742,7 +4799,7 @@
 DocType: POS Profile,Update Stock,Actualizar Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Uma UNID diferente para os itens levará a um Valor de Peso Líquido (Total) incorreto. Certifique-se de que o Peso Líquido de cada item está na mesma UNID.
 DocType: Certification Application,Payment Details,Detalhes do pagamento
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Preço na LDM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Preço na LDM
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","A ordem de trabalho interrompida não pode ser cancelada, descompacte-a primeiro para cancelar"
 DocType: Asset,Journal Entry for Scrap,Lançamento Contabilístico para Sucata
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, remova os itens da Guia de Remessa"
@@ -4765,11 +4822,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Valor Total Sancionado
 ,Purchase Analytics,Análise de Compra
 DocType: Sales Invoice Item,Delivery Note Item,Item da Guia de Remessa
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,A fatura atual {0} está faltando
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,A fatura atual {0} está faltando
 DocType: Asset Maintenance Log,Task,Tarefa
 DocType: Purchase Taxes and Charges,Reference Row #,Linha de Referência #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},É obrigatório colocar o número do lote para o Item {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Este é um vendedor principal e não pode ser editado.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Este é um vendedor principal e não pode ser editado.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Se selecionado, o valor especificado ou calculado neste componente não contribuirá para os ganhos ou deduções. No entanto, seu valor pode ser referenciado por outros componentes que podem ser adicionados ou deduzidos."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Se selecionado, o valor especificado ou calculado neste componente não contribuirá para os ganhos ou deduções. No entanto, seu valor pode ser referenciado por outros componentes que podem ser adicionados ou deduzidos."
 DocType: Asset Settings,Number of Days in Fiscal Year,Número de dias no ano fiscal
@@ -4778,7 +4835,7 @@
 DocType: Company,Exchange Gain / Loss Account,Conta de Ganhos / Perdas de Câmbios
 DocType: Amazon MWS Settings,MWS Credentials,Credenciais MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Funcionário e Assiduidade
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},O objetivo deve pertencer a {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},O objetivo deve pertencer a {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Preencha o formulário e guarde-o
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Fórum Comunitário
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Quantidade real em stock
@@ -4794,7 +4851,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Taxa de Vendas Padrão
 DocType: Account,Rate at which this tax is applied,Taxa à qual este imposto é aplicado
 DocType: Cash Flow Mapper,Section Name,Nome da Seção
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Qtd de Reencomenda
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Qtd de Reencomenda
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Linha de depreciação {0}: o valor esperado após a vida útil deve ser maior ou igual a {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Vagas de Emprego Atuais
 DocType: Company,Stock Adjustment Account,Conta de Acerto de Stock
@@ -4804,8 +4861,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistema de ID do Utilizador (login). Se for definido, ele vai ser o padrão para todas as formas de RH."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Insira detalhes de depreciação
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: De {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Deixe o aplicativo {0} já existir contra o aluno {1}
 DocType: Task,depends_on,depende_de
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Em fila para atualizar o preço mais recente em todas as Marcas de materiais. Pode demorar alguns minutos.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Em fila para atualizar o preço mais recente em todas as Marcas de materiais. Pode demorar alguns minutos.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Nome da nova Conta. Nota: Por favor, não crie contas para Clientes e Fornecedores"
 DocType: POS Profile,Display Items In Stock,Exibir itens em estoque
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Modelos de Endereço por País
@@ -4835,16 +4893,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots para {0} não são adicionados ao cronograma
 DocType: Product Bundle,List items that form the package.,Lista de itens que fazem parte do pacote.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Não é permitido. Desative o modelo de teste
+DocType: Delivery Note,Distance (in km),Distância (em km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,A Percentagem de Atribuição deve ser igual a 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Por favor, selecione a Data de Lançamento antes de selecionar a Parte"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Por favor, selecione a Data de Lançamento antes de selecionar a Parte"
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Sem CMA
+DocType: Opportunity,Opportunity Amount,Valor da oportunidade
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,O Número de Depreciações Reservadas não pode ser maior do que o Número Total de Depreciações
 DocType: Purchase Order,Order Confirmation Date,Data de confirmação do pedido
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Efetuar Visita de Manutenção
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","A data de início e de término estão sobrepostas ao cartão de trabalho <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Detalhes de transferência de funcionários
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Por favor, contacte o utilizador com a função de Gestor Definidor de Vendas {0}"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Por favor, contacte o utilizador com a função de Gestor Definidor de Vendas {0}"
 DocType: Company,Default Cash Account,Conta Caixa Padrão
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Definidor da Empresa (não Cliente ou Fornecedor).
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Isto baseia-se na assiduidade deste Estudante
@@ -4852,9 +4913,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Adicionar mais itens ou abrir formulário inteiro
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Deverá cancelar as Guias de Remessa {0} antes de cancelar esta Ordem de Venda
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Ir aos usuários
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,O Montante Pago + Montante Liquidado não pode ser superior ao Total Geral
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,O Montante Pago + Montante Liquidado não pode ser superior ao Total Geral
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} não é um Número de Lote válido para o Item {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Nota: Não possui saldo de licença suficiente para o Tipo de Licença {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Nota: Não possui saldo de licença suficiente para o Tipo de Licença {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN inválido ou Digite NA para não registrado
 DocType: Training Event,Seminar,Seminário
 DocType: Program Enrollment Fee,Program Enrollment Fee,Propina de Inscrição no Programa
@@ -4871,7 +4932,7 @@
 DocType: Fee Schedule,Fee Schedule,Cronograma de Propinas
 DocType: Company,Create Chart Of Accounts Based On,Criar Plano de Contas Baseado Em
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Não é possível convertê-lo em não-grupo. Tarefas infantis existem.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,A Data de Nascimento não pode ser após hoje.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,A Data de Nascimento não pode ser após hoje.
 ,Stock Ageing,Envelhecimento de Stock
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Parcialmente patrocinado, requer financiamento parcial"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},O aluno {0} existe contra candidato a estudante {1}
@@ -4918,11 +4979,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Antes da conciliação
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Para {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos e Taxas Adicionados (Moeda da Empresa)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,A linha de Taxa do Item {0} deve ter em conta o tipo de Taxa ou de Rendimento ou de Despesa ou de Cobrança
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,A linha de Taxa do Item {0} deve ter em conta o tipo de Taxa ou de Rendimento ou de Despesa ou de Cobrança
 DocType: Sales Order,Partly Billed,Parcialmente Faturado
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,O Item {0} deve ser um Item de Ativo Imobilizado
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Fazer variantes
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Fazer variantes
 DocType: Item,Default BOM,LDM Padrão
 DocType: Project,Total Billed Amount (via Sales Invoices),Valor total faturado (através de faturas de vendas)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Valor da nota de débito
@@ -4951,14 +5012,14 @@
 DocType: Notification Control,Custom Message,Mensagem Personalizada
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Banco de Investimentos
 DocType: Purchase Invoice,input,entrada
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,É obrigatório colocar o Dinheiro ou a Conta Bancária para efetuar um registo de pagamento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,É obrigatório colocar o Dinheiro ou a Conta Bancária para efetuar um registo de pagamento
 DocType: Loyalty Program,Multiple Tier Program,Programa de múltiplos níveis
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Endereço do estudante
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Endereço do estudante
 DocType: Purchase Invoice,Price List Exchange Rate,Taxa de Câmbio da Lista de Preços
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Todos os grupos de fornecedores
 DocType: Employee Boarding Activity,Required for Employee Creation,Necessário para a criação de funcionários
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Número de conta {0} já utilizado na conta {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Número de conta {0} já utilizado na conta {1}
 DocType: GoCardless Mandate,Mandate,Mandato
 DocType: POS Profile,POS Profile Name,Nome do perfil POS
 DocType: Hotel Room Reservation,Booked,Reservado
@@ -4974,18 +5035,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,É obrigatório colocar o Nr. de Referência se tiver inserido a Data de Referência
 DocType: Bank Reconciliation Detail,Payment Document,Documento de Pagamento
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Erro ao avaliar a fórmula de critérios
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,A Data de Admissão deve ser mais recente do que a Data de Nascimento
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,A Data de Admissão deve ser mais recente do que a Data de Nascimento
 DocType: Subscription,Plans,Planos
 DocType: Salary Slip,Salary Structure,Estrutura Salarial
 DocType: Account,Bank,Banco
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Companhia Aérea
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Enviar Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Enviar Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Conecte o Shopify com o ERPNext
 DocType: Material Request Item,For Warehouse,Para o Armazém
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Notas de entrega {0} atualizadas
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Notas de entrega {0} atualizadas
 DocType: Employee,Offer Date,Data de Oferta
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cotações
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Está em modo offline. Não poderá recarregar até ter rede.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Cotações
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Está em modo offline. Não poderá recarregar até ter rede.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Conceder
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Não foi criado nenhum Grupo de Estudantes.
 DocType: Purchase Invoice Item,Serial No,Nr. de Série
@@ -4997,24 +5058,26 @@
 DocType: Sales Invoice,Customer PO Details,Detalhes do cliente PO
 DocType: Stock Entry,Including items for sub assemblies,A incluir itens para subconjuntos
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Conta de abertura temporária
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,O valor introduzido deve ser positivo
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,O valor introduzido deve ser positivo
 DocType: Asset,Finance Books,Livros de finanças
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Categoria de Declaração de Isenção de Imposto do Empregado
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Todos os Territórios
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,"Por favor, defina a política de licença para o funcionário {0} no registro de Empregado / Nota"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ordem de cobertura inválida para o cliente e item selecionados
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ordem de cobertura inválida para o cliente e item selecionados
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Adicionar várias tarefas
 DocType: Purchase Invoice,Items,Itens
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,A data de término não pode ser anterior à data de início.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,O Estudante já está inscrito.
 DocType: Fiscal Year,Year Name,Nome do Ano
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Há mais feriados do que dias úteis neste mês.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Há mais feriados do que dias úteis neste mês.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Os itens seguintes {0} não estão marcados como item {1}. Você pode ativá-los como um item {1} do seu mestre de itens
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Item de Pacote de Produtos
 DocType: Sales Partner,Sales Partner Name,Nome de Parceiro de Vendas
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Solicitação de Cotações
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Solicitação de Cotações
 DocType: Payment Reconciliation,Maximum Invoice Amount,Montante de Fatura Máximo
 DocType: Normal Test Items,Normal Test Items,Itens de teste normais
+DocType: QuickBooks Migrator,Company Settings,Configurações da empresa
 DocType: Additional Salary,Overwrite Salary Structure Amount,Sobrescrever quantidade de estrutura salarial
 DocType: Student Language,Student Language,Student Idioma
 apps/erpnext/erpnext/config/selling.py +23,Customers,Clientes
@@ -5027,22 +5090,24 @@
 DocType: Issue,Opening Time,Tempo de Abertura
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,São necessárias as datas De e A
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Valores Mobiliários e Bolsas de Mercadorias
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A Unidade de Medida Padrão para a Variante '{0}' deve ser igual à do Modelo '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A Unidade de Medida Padrão para a Variante '{0}' deve ser igual à do Modelo '{1}'
 DocType: Shipping Rule,Calculate Based On,Calcular com Base Em
 DocType: Contract,Unfulfilled,Não cumprido
 DocType: Delivery Note Item,From Warehouse,Armazém De
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Nenhum empregado pelos critérios mencionados
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Não há itens com Bill of Materials para Fabricação
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Não há itens com Bill of Materials para Fabricação
 DocType: Shopify Settings,Default Customer,Cliente padrão
+DocType: Sales Stage,Stage Name,Nome artístico
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Nome do Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Não confirme se o compromisso foi criado no mesmo dia
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Enviar para Estado
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Enviar para Estado
 DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscrição no programa
 DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscrição no programa
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},O usuário {0} já está atribuído ao Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Fazer entrada de estoque de retenção de amostra
 DocType: Purchase Taxes and Charges,Valuation and Total,Avaliação e Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negociação / Revisão
 DocType: Leave Encashment,Encashment Amount,Montante da Cobrança
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Lotes expirados
@@ -5052,7 +5117,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aberturas Atuais
 DocType: Notification Control,Customize the Notification,Personalizar Notificação
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Fluxo de Caixa das Operações
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Quantidade CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Quantidade CGST
 DocType: Purchase Invoice,Shipping Rule,Regra de Envio
 DocType: Patient Relation,Spouse,Cônjuge
 DocType: Lab Test Groups,Add Test,Adicionar teste
@@ -5066,14 +5131,14 @@
 DocType: Payroll Entry,Payroll Frequency,Frequência de Pagamento
 DocType: Lab Test Template,Sensitivity,Sensibilidade
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,A sincronização foi temporariamente desativada porque tentativas máximas foram excedidas
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Matéria-prima
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Matéria-prima
 DocType: Leave Application,Follow via Email,Seguir através do Email
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Plantas e Máquinas
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total de Impostos Depois do Montante do Desconto
 DocType: Patient,Inpatient Status,Status de internação
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Definições de Resumo de Trabalho Diário
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,A Lista de Preços Selecionada deve ter campos de compra e venda verificados.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Digite Reqd by Date
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,A Lista de Preços Selecionada deve ter campos de compra e venda verificados.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Digite Reqd by Date
 DocType: Payment Entry,Internal Transfer,Transferência Interna
 DocType: Asset Maintenance,Maintenance Tasks,Tarefas de manutenção
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,É obrigatório colocar a qtd prevista ou o montante previsto
@@ -5095,7 +5160,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última comunicação
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última comunicação
 ,TDS Payable Monthly,TDS a pagar mensalmente
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Em fila para substituir a lista de materiais. Pode demorar alguns minutos.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Em fila para substituir a lista de materiais. Pode demorar alguns minutos.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Não pode deduzir quando a categoria é da ""Estimativa"" ou ""Estimativa e Total"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},É Necessário colocar o Nr. de Série para o Item em Série {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Combinar Pagamentos com Faturas
@@ -5108,7 +5173,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Adicionar ao Carrinho
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Agrupar Por
 DocType: Guardian,Interests,Juros
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Ativar / desativar moedas.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Ativar / desativar moedas.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Não foi possível enviar alguns recibos de salário
 DocType: Exchange Rate Revaluation,Get Entries,Receber Entradas
 DocType: Production Plan,Get Material Request,Obter Solicitação de Material
@@ -5130,15 +5195,16 @@
 DocType: Lead,Lead Type,Tipo Potencial Cliente
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Não está autorizado a aprovar licenças em Datas Bloqueadas
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Todos estes itens já foram faturados
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Definir nova data de lançamento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Definir nova data de lançamento
 DocType: Company,Monthly Sales Target,Alvo de Vendas Mensais
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Pode ser aprovado por {0}
 DocType: Hotel Room,Hotel Room Type,Tipo de quarto do hotel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Fornecedor&gt; Tipo de Fornecedor
 DocType: Leave Allocation,Leave Period,Período de licença
 DocType: Item,Default Material Request Type,Tipo de Solicitação de Material Padrão
 DocType: Supplier Scorecard,Evaluation Period,Periodo de avaliação
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Desconhecido
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Ordem de serviço não criada
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Ordem de serviço não criada
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Uma quantia de {0} já reivindicada para o componente {1}, \ configure o valor igual ou maior que {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Condições de Regras de Envio
@@ -5173,15 +5239,15 @@
 DocType: Batch,Source Document Name,Nome do Documento de Origem
 DocType: Production Plan,Get Raw Materials For Production,Obtenha matérias-primas para a produção
 DocType: Job Opening,Job Title,Título de Emprego
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indica que {1} não fornecerá uma cotação, mas todos os itens \ foram citados. Atualizando o status da cotação RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Amostras máximas - {0} já foram mantidas para Batch {1} e Item {2} no Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Amostras máximas - {0} já foram mantidas para Batch {1} e Item {2} no Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Atualize automaticamente o preço da lista técnica
 DocType: Lab Test,Test Name,Nome do teste
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Item consumível de procedimento clínico
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Criar utilizadores
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gramas
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Assinaturas
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Assinaturas
 DocType: Supplier Scorecard,Per Month,Por mês
 DocType: Education Settings,Make Academic Term Mandatory,Tornar o mandato acadêmico obrigatório
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,A Quantidade de Fabrico deve ser superior a 0.
@@ -5190,9 +5256,9 @@
 DocType: Stock Entry,Update Rate and Availability,Atualizar Taxa e Disponibilidade
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"A percentagem que está autorizado a receber ou entregar da quantidade pedida. Por ex: Se encomendou 100 unidades e a sua Ajuda de Custo é de 10%, então está autorizado a receber 110 unidades."
 DocType: Loyalty Program,Customer Group,Grupo de Clientes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Linha # {0}: A operação {1} não está concluída para {2} quantidade de produtos acabados na Ordem de Serviço # {3}. Por favor, atualize o status da operação via Time Logs"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Linha # {0}: A operação {1} não está concluída para {2} quantidade de produtos acabados na Ordem de Serviço # {3}. Por favor, atualize o status da operação via Time Logs"
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Novo ID do lote (opcional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},É obrigatório ter uma conta de despesas para o item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},É obrigatório ter uma conta de despesas para o item {0}
 DocType: BOM,Website Description,Descrição do Website
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Variação Líquida na Equidade
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,"Por favor, cancele a Fatura de Compra {0} primeiro"
@@ -5207,7 +5273,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Não há nada para editar.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Vista de formulário
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Aprovador de despesas obrigatório na declaração de despesas
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Resumo para este mês e atividades pendentes
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Resumo para este mês e atividades pendentes
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Por favor, defina a conta de ganho / perda de moeda não realizada na empresa {0}"
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Adicione usuários à sua organização, além de você."
 DocType: Customer Group,Customer Group Name,Nome do Grupo de Clientes
@@ -5217,14 +5283,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Não foi criada nenhuma solicitação de material
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Valor do Empréstimo não pode exceder Máximo Valor do Empréstimo de {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licença
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Fatura {0} do Form-C {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Fatura {0} do Form-C {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor selecione Continuar se também deseja incluir o saldo de licenças do ano fiscal anterior neste ano fiscal
 DocType: GL Entry,Against Voucher Type,No Tipo de Voucher
 DocType: Healthcare Practitioner,Phone (R),Telefone (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Slots de tempo adicionados
 DocType: Item,Attributes,Atributos
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Habilitar modelo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Por favor, insira a Conta de Liquidação"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Por favor, insira a Conta de Liquidação"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Data do Último Pedido
 DocType: Salary Component,Is Payable,É pagável
 DocType: Inpatient Record,B Negative,B Negativo
@@ -5235,7 +5301,7 @@
 DocType: Hotel Room,Hotel Room,Quarto de hotel
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},A conta {0} não pertence à empresa {1}
 DocType: Leave Type,Rounding,Arredondamento
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Os números de série na linha {0} não correspondem à nota de entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Os números de série na linha {0} não correspondem à nota de entrega
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Quantidade Dispensada (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Em seguida, as regras de preços são filtradas com base no cliente, grupo de clientes, território, fornecedor, grupo de fornecedores, campanha, parceiro de vendas, etc."
 DocType: Student,Guardian Details,Dados de Responsável
@@ -5244,10 +5310,10 @@
 DocType: Vehicle,Chassis No,Nr. de Chassis
 DocType: Payment Request,Initiated,Iniciado
 DocType: Production Plan Item,Planned Start Date,Data de Início Planeada
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Selecione uma lista de materiais
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Selecione uma lista de materiais
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Imposto Integrado do ITC
 DocType: Purchase Order Item,Blanket Order Rate,Taxa de ordem de cobertura
-apps/erpnext/erpnext/hooks.py +156,Certification,Certificação
+apps/erpnext/erpnext/hooks.py +157,Certification,Certificação
 DocType: Bank Guarantee,Clauses and Conditions,Cláusulas e Condições
 DocType: Serial No,Creation Document Type,Tipo de Criação de Documento
 DocType: Project Task,View Timesheet,Horário de exibição
@@ -5272,6 +5338,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,O Item Principal {0} não deve ser um Item do Stock
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Listagem de sites
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Todos os Produtos ou Serviços.
+DocType: Email Digest,Open Quotations,Citações Abertas
 DocType: Expense Claim,More Details,Mais detalhes
 DocType: Supplier Quotation,Supplier Address,Endereço do Fornecedor
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},O Orçamento {0} para a conta {1} em {2} {3} é de {4}. Ele irá exceder em {5}
@@ -5286,12 +5353,11 @@
 DocType: Training Event,Exam,Exame
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Erro do mercado
 DocType: Complaint,Complaint,Queixa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Armazém necessário para o Item {0} do stock
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Armazém necessário para o Item {0} do stock
 DocType: Leave Allocation,Unused leaves,Licensas não utilizadas
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Fazer entrada de reembolso
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Todos os departamentos
 DocType: Healthcare Service Unit,Vacant,Vago
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Fornecedor&gt; Tipo de Fornecedor
 DocType: Patient,Alcohol Past Use,Uso passado do álcool
 DocType: Fertilizer Content,Fertilizer Content,Conteúdo de fertilizante
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5299,7 +5365,7 @@
 DocType: Tax Rule,Billing State,Estado de Faturação
 DocType: Share Transfer,Transfer,Transferir
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,A ordem de serviço {0} deve ser cancelada antes de cancelar este pedido de venda
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Trazer LDM expandida (incluindo os subconjuntos)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Trazer LDM expandida (incluindo os subconjuntos)
 DocType: Authorization Rule,Applicable To (Employee),Aplicável Ao/À (Funcionário/a)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,É obrigatório colocar a Data de Vencimento
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,O Aumento do Atributo {0} não pode ser 0
@@ -5315,7 +5381,7 @@
 DocType: Disease,Treatment Period,Período de tratamento
 DocType: Travel Itinerary,Travel Itinerary,Itinerário de viagem
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Resultado já enviado
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Armazém reservado é obrigatório para o item {0} em matérias-primas fornecidas
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Armazém reservado é obrigatório para o item {0} em matérias-primas fornecidas
 ,Inactive Customers,Clientes Inativos
 DocType: Student Admission Program,Maximum Age,Máxima idade
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Aguarde 3 dias antes de reenviar o lembrete.
@@ -5324,7 +5390,6 @@
 DocType: Stock Entry,Delivery Note No,Nr. da Guia de Remessa
 DocType: Cheque Print Template,Message to show,Mensagem a mostrar
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Retalho
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Gerenciar fatura de compromisso automaticamente
 DocType: Student Attendance,Absent,Ausente
 DocType: Staffing Plan,Staffing Plan Detail,Detalhe do plano de pessoal
 DocType: Employee Promotion,Promotion Date,Data de Promoção
@@ -5346,7 +5411,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Crie um Potencial Cliente
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Impressão e artigos de papelaria
 DocType: Stock Settings,Show Barcode Field,Mostrar Campo do Código de Barras
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Enviar Emails de Fornecedores
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Enviar Emails de Fornecedores
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","O salário já foi processado para período entre {0} e {1}, o período de aplicação da Licença não pode estar entre este intervalo de datas."
 DocType: Fiscal Year,Auto Created,Auto criado
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Envie isto para criar o registro do funcionário
@@ -5355,7 +5420,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,A fatura {0} não existe mais
 DocType: Guardian Interest,Guardian Interest,Interesse do Responsável
 DocType: Volunteer,Availability,Disponibilidade
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Configurar valores padrão para faturas de PDV
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Configurar valores padrão para faturas de PDV
 apps/erpnext/erpnext/config/hr.py +248,Training,Formação
 DocType: Project,Time to send,Hora de enviar
 DocType: Timesheet,Employee Detail,Dados do Funcionário
@@ -5379,7 +5444,7 @@
 DocType: Training Event Employee,Optional,Opcional
 DocType: Salary Slip,Earning & Deduction,Remunerações e Deduções
 DocType: Agriculture Analysis Criteria,Water Analysis,Análise de água
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variantes criadas.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variantes criadas.
 DocType: Amazon MWS Settings,Region,Região
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Esta definição será utilizada para filtrar várias transações.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Não são permitidas Percentagens de Avaliação Negativas
@@ -5398,7 +5463,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Custo do Ativo Descartado
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: O Centro de Custo é obrigatório para o Item {2}
 DocType: Vehicle,Policy No,Nr. de Política
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Obter Itens de Pacote de Produtos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Obter Itens de Pacote de Produtos
 DocType: Asset,Straight Line,Linha Reta
 DocType: Project User,Project User,Utilizador do Projecto
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Dividido
@@ -5407,7 +5472,7 @@
 DocType: GL Entry,Is Advance,É o Avanço
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Ciclo de Vida do Funcionário
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,É obrigatória a Presença Da Data À Data
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Por favor, responda Sim ou Não a ""É Subcontratado"""
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Por favor, responda Sim ou Não a ""É Subcontratado"""
 DocType: Item,Default Purchase Unit of Measure,Unidade de medida de compra padrão
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data da última comunicação
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data da última comunicação
@@ -5417,7 +5482,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Token de acesso ou URL do Shopify ausente
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,Armazém de Sucata
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Armazém requerido na Linha Não {0}, por favor, defina armazém padrão para o item {1} para a empresa {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Armazém requerido na Linha Não {0}, por favor, defina armazém padrão para o item {1} para a empresa {2}"
 DocType: Work Order,Check if material transfer entry is not required,Verifique se a entrada de transferência de material não é necessária
 DocType: Work Order,Check if material transfer entry is not required,Verifique se a entrada de transferência de material não é necessária
 DocType: Program Enrollment Tool,Get Students From,Obter Estudantes De
@@ -5434,6 +5499,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nova quantidade de lote
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Vestuário e Acessórios
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Não foi possível resolver a função de pontuação ponderada. Verifique se a fórmula é válida.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Ordem de compra Itens não recebidos a tempo
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Número do Pedido
 DocType: Item Group,HTML / Banner that will show on the top of product list.,O HTML / Banner que será mostrado no topo da lista de produtos.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condições para calcular valor de envio
@@ -5442,9 +5508,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Caminho
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter o Centro de Custo a livro, uma vez que tem subgrupos"
 DocType: Production Plan,Total Planned Qty,Qtd total planejado
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Valor Inicial
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Valor Inicial
 DocType: Salary Component,Formula,Fórmula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Série #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Série #
 DocType: Lab Test Template,Lab Test Template,Modelo de teste de laboratório
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Conta de vendas
 DocType: Purchase Invoice Item,Total Weight,Peso total
@@ -5462,7 +5528,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Fazer Pedido de Material
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Abrir item {0}
 DocType: Asset Finance Book,Written Down Value,Valor baixado
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Por favor, configure Employee Naming System em Recursos Humanos&gt; HR Settings"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A Fatura de Venda {0} deve ser cancelada antes de cancelar esta Ordem de Venda
 DocType: Clinical Procedure,Age,Idade
 DocType: Sales Invoice Timesheet,Billing Amount,Montante de Faturação
@@ -5471,11 +5536,11 @@
 DocType: Company,Default Employee Advance Account,Conta Antecipada Empregada antecipada
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Pesquisar item (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Não pode eliminar a conta com a transação existente
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Não pode eliminar a conta com a transação existente
 DocType: Vehicle,Last Carbon Check,Último Duplicado de Cheque
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Despesas Legais
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Selecione a quantidade na linha
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Faça vendas de abertura e faturas de compra
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Faça vendas de abertura e faturas de compra
 DocType: Purchase Invoice,Posting Time,Hora de Postagem
 DocType: Timesheet,% Amount Billed,% Valor Faturado
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Despesas Telefónicas
@@ -5490,14 +5555,14 @@
 DocType: Maintenance Visit,Breakdown,Decomposição
 DocType: Travel Itinerary,Vegetarian,Vegetariano
 DocType: Patient Encounter,Encounter Date,Encontro Data
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Não é possível selecionar a conta: {0} com a moeda: {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Não é possível selecionar a conta: {0} com a moeda: {1}
 DocType: Bank Statement Transaction Settings Item,Bank Data,Dados bancários
 DocType: Purchase Receipt Item,Sample Quantity,Quantidade da amostra
 DocType: Bank Guarantee,Name of Beneficiary,Nome do beneficiário
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Atualize o custo da lista técnica automaticamente através do Agendador, com base na taxa de avaliação / taxa de preços mais recente / última taxa de compra de matérias-primas."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Data do Cheque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},A Conta {0}: da Conta Principal {1} não pertence à empresa: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},A Conta {0}: da Conta Principal {1} não pertence à empresa: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Todas as transacções relacionadas com esta empresa foram eliminadas com sucesso!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Igual à Data
 DocType: Additional Salary,HR,RH
@@ -5505,7 +5570,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Alertas de SMS para pacientes
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,À Experiência
 DocType: Program Enrollment Tool,New Academic Year,Novo Ano Letivo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Retorno / Nota de Crédito
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Retorno / Nota de Crédito
 DocType: Stock Settings,Auto insert Price List rate if missing,Inserir automaticamente o preço na lista de preço se não houver nenhum.
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Montante Total Pago
 DocType: GST Settings,B2C Limit,Limite B2C
@@ -5523,10 +5588,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,"Os Subgrupos só podem ser criados sob os ramos do tipo ""Grupo"""
 DocType: Attendance Request,Half Day Date,Meio Dia Data
 DocType: Academic Year,Academic Year Name,Nome do Ano Letivo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,"{0} não pode transacionar com {1}. Por favor, altere a empresa."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,"{0} não pode transacionar com {1}. Por favor, altere a empresa."
 DocType: Sales Partner,Contact Desc,Descr. de Contacto
 DocType: Email Digest,Send regular summary reports via Email.,Enviar relatórios de resumo periódicos através do Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Por favor, defina a conta padrão no Tipo de Despesas de Reembolso {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Por favor, defina a conta padrão no Tipo de Despesas de Reembolso {0}"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Folhas Disponíveis
 DocType: Assessment Result,Student Name,Nome do Aluno
 DocType: Hub Tracked Item,Item Manager,Gestor do Item
@@ -5551,9 +5616,10 @@
 DocType: Subscription,Trial Period End Date,Data de término do período de avaliação
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Não está autorizado pois {0} excede os limites
 DocType: Serial No,Asset Status,Status do Ativo
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Sobre Carga Dimensional (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Mesa de restaurante
 DocType: Hotel Room,Hotel Manager,Gerente do hotel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Estabelecer Regras de Impostos para o carrinho de compras
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Estabelecer Regras de Impostos para o carrinho de compras
 DocType: Purchase Invoice,Taxes and Charges Added,Impostos e Encargos Adicionados
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Linha de depreciação {0}: a próxima data de depreciação não pode ser anterior à data disponível para uso
 ,Sales Funnel,Canal de Vendas
@@ -5569,10 +5635,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Todos os Grupos de Clientes
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Acumulada Mensalmente
 DocType: Attendance Request,On Duty,Em serviço
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o registo de Câmbio não tenha sido criado para {1} a {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o registo de Câmbio não tenha sido criado para {1} a {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Plano de Pessoal {0} já existe para designação {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,É obrigatório inserir o Modelo de Impostos.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,A Conta {0}: Conta principal {1} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,A Conta {0}: Conta principal {1} não existe
 DocType: POS Closing Voucher,Period Start Date,Data de Início do Período
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Taxa de Lista de Preços (Moeda da Empresa)
 DocType: Products Settings,Products Settings,Definições de Produtos
@@ -5592,7 +5658,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Essa ação interromperá o faturamento futuro. Tem certeza de que deseja cancelar esta assinatura?
 DocType: Serial No,Distinct unit of an Item,Unidade distinta dum Item
 DocType: Supplier Scorecard Criteria,Criteria Name,Nome dos critérios
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Defina Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Defina Company
 DocType: Procedure Prescription,Procedure Created,Procedimento criado
 DocType: Pricing Rule,Buying,Comprar
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Doenças e fertilizantes
@@ -5609,29 +5675,30 @@
 DocType: Employee Onboarding,Job Offer,Oferta de emprego
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Abreviação do Instituto
 ,Item-wise Price List Rate,Taxa de Lista de Preço por Item
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Cotação do Fornecedor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Cotação do Fornecedor
 DocType: Quotation,In Words will be visible once you save the Quotation.,Por extenso será visível assim que guardar o Orçamento.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Quantidade ({0}) não pode ser uma fração na linha {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Quantidade ({0}) não pode ser uma fração na linha {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Quantidade ({0}) não pode ser uma fração na linha {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Quantidade ({0}) não pode ser uma fração na linha {1}
 DocType: Contract,Unsigned,Não assinado
 DocType: Selling Settings,Each Transaction,Cada transação
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},O Código de Barras {0} já foi utilizado no Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},O Código de Barras {0} já foi utilizado no Item {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,As regras para adicionar os custos de envio.
 DocType: Hotel Room,Extra Bed Capacity,Capacidade de cama extra
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Stock Inicial
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,É necessário colocar o cliente
 DocType: Lab Test,Result Date,Data do resultado
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Data
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Data
 DocType: Purchase Order,To Receive,A Receber
 DocType: Leave Period,Holiday List for Optional Leave,Lista de férias para licença opcional
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,utilizador@exemplo.com
 DocType: Asset,Asset Owner,Proprietário de ativos
 DocType: Purchase Invoice,Reason For Putting On Hold,Razão para colocar em espera
 DocType: Employee,Personal Email,Email Pessoal
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Variância Total
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Variância Total
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se for ativado, o sistema irá postar registos contabilísticos automáticos para o inventário."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Corretor/a
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,A Assiduidade do funcionário {0} já foi marcada para este dia
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,A Assiduidade do funcionário {0} já foi marcada para este dia
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","em Minutos
 Atualizado através do ""Registo de Tempo"""
@@ -5639,14 +5706,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Pedidos de sincronização
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pedidos lançados para a produção.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Selecione o Ano Fiscal...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,É necessário colocar o Perfil POS para efetuar um Registo POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,É necessário colocar o Perfil POS para efetuar um Registo POS
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Os pontos de fidelidade serão calculados a partir do gasto realizado (via fatura de vendas), com base no fator de cobrança mencionado."
 DocType: Program Enrollment Tool,Enroll Students,Matricular Estudantes
 DocType: Company,HRA Settings,Configurações de HRA
 DocType: Employee Transfer,Transfer Date,Data de transferência
 DocType: Lab Test,Approved Date,Data aprovada
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venda Padrão
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,É obrigatório colocar pelo menos um armazém
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,É obrigatório colocar pelo menos um armazém
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Configure campos de itens como UOM, grupo de itens, descrição e número de horas."
 DocType: Certification Application,Certification Status,Status de Certificação
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5666,6 +5733,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Faturas correspondentes
 DocType: Work Order,Required Items,Itens Obrigatórios
 DocType: Stock Ledger Entry,Stock Value Difference,Diferença de Valor de Stock
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Linha do Item {0}: {1} {2} não existe na tabela &#39;{1}&#39; acima
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Recursos Humanos
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pagamento de Conciliação de Pagamento
 DocType: Disease,Treatment Task,Tarefa de Tratamento
@@ -5683,7 +5751,8 @@
 DocType: Account,Debit,Débito
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"As licenças devem ser atribuídas em múltiplos de 0,5"
 DocType: Work Order,Operation Cost,Custo de Operação
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Mtt em Dívida
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identificando os tomadores de decisão
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Mtt em Dívida
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Estabelecer Item Alvo por Grupo para este Vendedor/a.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Suspender Stocks Mais Antigos Que [Dias]
 DocType: Payment Request,Payment Ordered,Pagamento pedido
@@ -5695,14 +5764,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Permitir que os seguintes utilizadores aprovem Pedidos de Licenças para dias bloqueados.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Ciclo da vida
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Faça BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},A taxa de venda do item {0} é menor que a {1}. A taxa de venda deve ser pelo menos {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},A taxa de venda do item {0} é menor que a {1}. A taxa de venda deve ser pelo menos {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},A taxa de venda do item {0} é menor que a {1}. A taxa de venda deve ser pelo menos {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},A taxa de venda do item {0} é menor que a {1}. A taxa de venda deve ser pelo menos {2}
 DocType: Subscription,Taxes,Impostos
 DocType: Purchase Invoice,capital goods,bens de capital
 DocType: Purchase Invoice Item,Weight Per Unit,Peso por unidade
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Pago e Não Entregue
-DocType: Project,Default Cost Center,Centro de Custo Padrão
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Centro de Custo Padrão
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transações de Stock
 DocType: Budget,Budget Accounts,Contas do Orçamento
 DocType: Employee,Internal Work History,Historial de Trabalho Interno
@@ -5735,7 +5803,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Profissional de Saúde não disponível em {0}
 DocType: Stock Entry Detail,Additional Cost,Custo Adicional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Não pode filtrar com base no Nr. de Voucher, se estiver agrupado por Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Efetuar Cotação de Fornecedor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Efetuar Cotação de Fornecedor
 DocType: Quality Inspection,Incoming,Entrada
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Os modelos de imposto padrão para vendas e compra são criados.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Avaliação O registro de resultados {0} já existe.
@@ -5751,7 +5819,7 @@
 DocType: Batch,Batch ID,ID do Lote
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Nota: {0}
 ,Delivery Note Trends,Tendências das Guias de Remessa
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Resumo da Semana
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Resumo da Semana
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Quantidade em stock
 ,Daily Work Summary Replies,Respostas de resumo do trabalho diário
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcule os horários de chegada estimados
@@ -5761,7 +5829,7 @@
 DocType: Bank Account,Party,Parte
 DocType: Healthcare Settings,Patient Name,Nome do paciente
 DocType: Variant Field,Variant Field,Campo variante
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Localização Alvo
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Localização Alvo
 DocType: Sales Order,Delivery Date,Data de Entrega
 DocType: Opportunity,Opportunity Date,Data de Oportunidade
 DocType: Employee,Health Insurance Provider,Provedor de Seguro de Saúde
@@ -5780,7 +5848,7 @@
 DocType: Employee,History In Company,Historial na Empresa
 DocType: Customer,Customer Primary Address,Endereço principal do cliente
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referência No.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referência No.
 DocType: Drug Prescription,Description/Strength,Descrição / Força
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Criar novo pagamento / entrada no diário
 DocType: Certification Application,Certification Application,Aplicativo de Certificação
@@ -5791,10 +5859,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Mesmo item foi inserido várias vezes
 DocType: Department,Leave Block List,Lista de Bloqueio de Licenças
 DocType: Purchase Invoice,Tax ID,NIF/NIPC
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,"O Item {0} não está configurado para os Nrs. de Série, a coluna deve estar em branco"
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,"O Item {0} não está configurado para os Nrs. de Série, a coluna deve estar em branco"
 DocType: Accounts Settings,Accounts Settings,Definições de Contas
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Aprovar
 DocType: Loyalty Program,Customer Territory,Território do Cliente
+DocType: Email Digest,Sales Orders to Deliver,Ordens de vendas para entregar
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Número da nova conta, será incluído no nome da conta como um prefixo"
 DocType: Maintenance Team Member,Team Member,Membro da equipe
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Nenhum resultado para enviar
@@ -5804,7 +5873,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total de {0} para todos os itens é zero, pode ser que você deve mudar &#39;Distribuir taxas sobre&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Até o momento não pode ser menor que a data
 DocType: Opportunity,To Discuss,Para Discutir
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Isto é baseado em transações contra este Assinante. Veja a linha do tempo abaixo para detalhes
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,São necessárias {0} unidades de {1} em {2} para concluir esta transação.
 DocType: Loan Type,Rate of Interest (%) Yearly,Taxa de juro (%) Anual
 DocType: Support Settings,Forum URL,URL do Fórum
@@ -5819,7 +5887,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Saber mais
 DocType: Cheque Print Template,Distance from top edge,Distância da margem superior
 DocType: POS Closing Voucher Invoices,Quantity of Items,Quantidade de itens
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Preço de tabela {0} está desativado ou não existe
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Preço de tabela {0} está desativado ou não existe
 DocType: Purchase Invoice,Return,Devolver
 DocType: Pricing Rule,Disable,Desativar
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Modo de pagamento é necessário para fazer um pagamento
@@ -5827,18 +5895,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Edite em página inteira para obter mais opções, como ativos, números de série, lotes etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Máximo de dias contínuos aplicáveis
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} não está inscrito no lote {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","O ativo {0} não pode ser eliminado, uma vez que já é um/a {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","O ativo {0} não pode ser eliminado, uma vez que já é um/a {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Cheques necessários
 DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação de Despesa Total (através de Reembolso de Despesas)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausência
 DocType: Job Applicant Source,Job Applicant Source,Fonte de Candidato a Emprego
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Valor IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Valor IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Falha na configuração da empresa
 DocType: Asset Repair,Asset Repair,Reparo de ativos
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: A Moeda da LDM # {1} deve ser igual à moeda selecionada {2}
 DocType: Journal Entry Account,Exchange Rate,Valor de Câmbio
 DocType: Patient,Additional information regarding the patient,Informações adicionais sobre o paciente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,A Ordem de Vendas {0} não foi enviada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,A Ordem de Vendas {0} não foi enviada
 DocType: Homepage,Tag Line,Linha de tag
 DocType: Fee Component,Fee Component,Componente de Propina
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Gestão de Frotas
@@ -5853,7 +5921,7 @@
 DocType: Healthcare Practitioner,Mobile,Móvel
 ,Sales Person-wise Transaction Summary,Resumo da Transação por Vendedor
 DocType: Training Event,Contact Number,Número de Contacto
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,O Armazém {0} não existe
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,O Armazém {0} não existe
 DocType: Cashier Closing,Custody,Custódia
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Detalhe de envio de prova de isenção de imposto de empregado
 DocType: Monthly Distribution,Monthly Distribution Percentages,Percentagens de Distribuição Mensal
@@ -5868,7 +5936,7 @@
 DocType: Payment Entry,Paid Amount,Montante Pago
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Explore o ciclo de vendas
 DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Entrada de estoque de retenção
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Entrada de estoque de retenção
 ,Available Stock for Packing Items,Stock Disponível para Items Embalados
 DocType: Item Variant,Item Variant,Variante do Item
 ,Work Order Stock Report,Relatório de estoque de ordem de trabalho
@@ -5877,9 +5945,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Como supervisor
 DocType: Leave Policy Detail,Leave Policy Detail,Deixar detalhes da política
 DocType: BOM Scrap Item,BOM Scrap Item,Item de Sucata da LDM
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,ordens enviadas não pode ser excluído
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo da conta já está em débito, não tem permissão para definir o ""Saldo Deve Ser"" como ""Crédito"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Gestão da Qualidade
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,ordens enviadas não pode ser excluído
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo da conta já está em débito, não tem permissão para definir o ""Saldo Deve Ser"" como ""Crédito"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Gestão da Qualidade
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,O Item {0} foi desativado
 DocType: Project,Total Billable Amount (via Timesheets),Valor Billable total (via timesheets)
 DocType: Agriculture Task,Previous Business Day,Dia útil anterior
@@ -5902,15 +5970,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Centros de Custo
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Reinicie a Assinatura
 DocType: Linked Plant Analysis,Linked Plant Analysis,Análise de planta vinculada
-DocType: Delivery Note,Transporter ID,ID do transportador
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID do transportador
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Proposta de valor
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Taxa à qual a moeda do fornecedor é convertida para a moeda principal do cliente
-DocType: Sales Invoice Item,Service End Date,Data de término do serviço
+DocType: Purchase Invoice Item,Service End Date,Data de término do serviço
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Linha #{0}: Conflitos temporais na linha {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permitir taxa de avaliação zero
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permitir taxa de avaliação zero
 DocType: Bank Guarantee,Receiving,Recebendo
 DocType: Training Event Employee,Invited,Convidado
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Configuração de contas do Portal.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Configuração de contas do Portal.
 DocType: Employee,Employment Type,Tipo de Contratação
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Ativos Imobilizados
 DocType: Payment Entry,Set Exchange Gain / Loss,Definir o as Perdas / Ganhos de Câmbio
@@ -5926,7 +5995,7 @@
 DocType: Tax Rule,Sales Tax Template,Modelo do Imposto sobre Vendas
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Pagar contra a reivindicação de benefícios
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Atualizar número do centro de custo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Selecione os itens para guardar a fatura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Selecione os itens para guardar a fatura
 DocType: Employee,Encashment Date,Data de Pagamento
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Modelo de teste especial
@@ -5934,13 +6003,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Existe uma Atividade de Custo Padrão para o Tipo de Atividade - {0}
 DocType: Work Order,Planned Operating Cost,Custo Operacional Planeado
 DocType: Academic Term,Term Start Date,Prazo Data de Início
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lista de todas as transações de compartilhamento
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lista de todas as transações de compartilhamento
+DocType: Supplier,Is Transporter,É transportador
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importar fatura de vendas do Shopify se o pagamento estiver marcado
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,A data de início do período de avaliação e a data de término do período de avaliação devem ser definidas
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Taxa média
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,O valor total do pagamento no cronograma de pagamento deve ser igual a total / total arredondado
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,O valor total do pagamento no cronograma de pagamento deve ser igual a total / total arredondado
 DocType: Subscription Plan Detail,Plan,Plano
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Declaração Bancária de Saldo de acordo com a Razão Geral
 DocType: Job Applicant,Applicant Name,Nome do Candidato
@@ -5974,7 +6044,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Qtd disponível no Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garantia
 DocType: Purchase Invoice,Debit Note Issued,Nota de Débito Emitida
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,O filtro baseado no Centro de Custo só é aplicável se o Budget Against estiver selecionado como Centro de Custo
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,O filtro baseado no Centro de Custo só é aplicável se o Budget Against estiver selecionado como Centro de Custo
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Pesquisa por código de item, número de série, número de lote ou código de barras"
 DocType: Work Order,Warehouses,Armazéns
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,O ativo {0} não pode ser transferido
@@ -5985,9 +6055,9 @@
 DocType: Workstation,per hour,por hora
 DocType: Blanket Order,Purchasing,Aquisição
 DocType: Announcement,Announcement,Anúncio
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,LPO do cliente
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,LPO do cliente
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Para o grupo de alunos com base em lote, o lote de estudante será validado para cada aluno da inscrição no programa."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser eliminado porque existe um registo de livro de stock para este armazém.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser eliminado porque existe um registo de livro de stock para este armazém.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribuição
 DocType: Journal Entry Account,Loan,Empréstimo
 DocType: Expense Claim Advance,Expense Claim Advance,Avance de reclamação de despesas
@@ -5996,7 +6066,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Gestor de Projetos
 ,Quoted Item Comparison,Comparação de Cotação de Item
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Sobreposição na pontuação entre {0} e {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Expedição
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Expedição
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,O máx. de desconto permitido para o item: {0} é de {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Valor Patrimonial Líquido como em
 DocType: Crop,Produce,Produzir
@@ -6006,20 +6076,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Consumo de material para manufatura
 DocType: Item Alternative,Alternative Item Code,Código de item alternativo
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,A função para a qual é permitida enviar transações que excedam os limites de crédito estabelecidos.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Selecione os itens para Fabricação
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Selecione os itens para Fabricação
 DocType: Delivery Stop,Delivery Stop,Parada de entrega
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Os dados do definidor estão a sincronizar, isto pode demorar algum tempo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Os dados do definidor estão a sincronizar, isto pode demorar algum tempo"
 DocType: Item,Material Issue,Saída de Material
 DocType: Employee Education,Qualification,Qualificação
 DocType: Item Price,Item Price,Preço de Item
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sabão e Detergentes
 DocType: BOM,Show Items,Exibir itens
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,O Tempo De não pode ser após o Tempo Para.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Deseja notificar todos os clientes por e-mail?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Deseja notificar todos os clientes por e-mail?
 DocType: Subscription Plan,Billing Interval,Intervalo de cobrança
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Filmes e Vídeos
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Pedido
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,A data de início real e a data de término real são obrigatórias
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de Clientes&gt; Território
 DocType: Salary Detail,Component,Componente
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Linha {0}: {1} deve ser maior que 0
 DocType: Assessment Criteria,Assessment Criteria Group,Critérios de Avaliação Grupo
@@ -6050,11 +6121,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Digite o nome do banco ou instituição de empréstimo antes de enviar.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} deve ser enviado
 DocType: POS Profile,Item Groups,Grupos de Itens
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Hoje é o seu {0} aniversário!
 DocType: Sales Order Item,For Production,Para a Produção
 DocType: Payment Request,payment_url,url_de_pagamento
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Saldo em moeda da conta
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Adicione uma conta de abertura temporária no plano de contas
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Adicione uma conta de abertura temporária no plano de contas
 DocType: Customer,Customer Primary Contact,Contato primário do cliente
 DocType: Project Task,View Task,Ver Tarefa
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6068,11 +6138,11 @@
 DocType: Sales Invoice,Get Advances Received,Obter Adiantamentos Recebidos
 DocType: Email Digest,Add/Remove Recipients,Adicionar/Remover Destinatários
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para definir este Ano Fiscal como Padrão, clique em ""Definir como Padrão"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Quantidade de TDS deduzida
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Quantidade de TDS deduzida
 DocType: Production Plan,Include Subcontracted Items,Incluir itens subcontratados
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Inscrição
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Qtd de Escassez
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Inscrição
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Qtd de Escassez
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos
 DocType: Loan,Repay from Salary,Reembolsar a partir de Salário
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Solicitando o pagamento contra {0} {1} para montante {2}
 DocType: Additional Salary,Salary Slip,Folha de Vencimento
@@ -6088,7 +6158,7 @@
 DocType: Patient,Dormant,Inativo
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Deduzir Imposto Para Benefícios de Empregados Não Reclamados
 DocType: Salary Slip,Total Interest Amount,Montante total de juros
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Os armazéns com subgrupos não podem ser convertido em livro
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Os armazéns com subgrupos não podem ser convertido em livro
 DocType: BOM,Manage cost of operations,Gerir custo das operações
 DocType: Accounts Settings,Stale Days,Dias fechados
 DocType: Travel Itinerary,Arrival Datetime,Data de chegada
@@ -6100,7 +6170,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Avaliação Resultado Detalhe
 DocType: Employee Education,Employee Education,Educação do Funcionário
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Foi encontrado um grupo item duplicado na tabela de grupo de itens
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,É preciso buscar os Dados do Item.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,É preciso buscar os Dados do Item.
 DocType: Fertilizer,Fertilizer Name,Nome do fertilizante
 DocType: Salary Slip,Net Pay,Rem. Líquida
 DocType: Cash Flow Mapping Accounts,Account,Conta
@@ -6111,14 +6181,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Criar entrada de pagamento separado contra sinistro de benefício
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Presença de febre (temperatura&gt; 38,5 ° C / 101,3 ° F ou temperatura sustentada&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Dados de Equipa de Vendas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Eliminar permanentemente?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Eliminar permanentemente?
 DocType: Expense Claim,Total Claimed Amount,Montante Reclamado Total
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciais oportunidades de venda.
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Inválido {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Licença de Doença
 DocType: Email Digest,Email Digest,Email de Resumo
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,não são
 DocType: Delivery Note,Billing Address Name,Nome do Endereço de Faturação
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Lojas do Departamento
 ,Item Delivery Date,Data de entrega do item
@@ -6134,16 +6203,16 @@
 DocType: Account,Chargeable,Cobrável
 DocType: Company,Change Abbreviation,Alterar Abreviação
 DocType: Contract,Fulfilment Details,Detalhes de Cumprimento
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Pague {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Pague {0} {1}
 DocType: Employee Onboarding,Activities,actividades
 DocType: Expense Claim Detail,Expense Date,Data da Despesa
 DocType: Item,No of Months,Não de meses
 DocType: Item,Max Discount (%),Desconto Máx. (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Days Credit não pode ser um número negativo
-DocType: Sales Invoice Item,Service Stop Date,Data de Parada de Serviço
+DocType: Purchase Invoice Item,Service Stop Date,Data de Parada de Serviço
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Montante do Último Pedido
 DocType: Cash Flow Mapper,e.g Adjustments for:,"por exemplo, ajustes para:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Manter a amostra é baseada no lote, verifique Não ter lote para reter a amostra do item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Manter a amostra é baseada no lote, verifique Não ter lote para reter a amostra do item"
 DocType: Task,Is Milestone,É Milestone
 DocType: Certification Application,Yet to appear,Ainda para aparecer
 DocType: Delivery Stop,Email Sent To,Email Enviado Para
@@ -6151,16 +6220,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Permitir que o centro de custo na entrada da conta do balanço
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Mesclar com conta existente
 DocType: Budget,Warn,Aviso
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Todos os itens já foram transferidos para esta Ordem de Serviço.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Todos os itens já foram transferidos para esta Ordem de Serviço.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Quaisquer outras observações, dignas de serem mencionadas, que devem ir para os registos."
 DocType: Asset Maintenance,Manufacturing User,Utilizador de Fabrico
 DocType: Purchase Invoice,Raw Materials Supplied,Matérias-primas Fornecidas
 DocType: Subscription Plan,Payment Plan,Plano de pagamento
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Ativar a compra de itens pelo site
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Moeda da lista de preços {0} deve ser {1} ou {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Gerenciamento de Assinaturas
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Gerenciamento de Assinaturas
 DocType: Appraisal,Appraisal Template,Modelo de Avaliação
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Para fixar o código
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Para fixar o código
 DocType: Soil Texture,Ternary Plot,Parcela Ternar
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Marque isto para habilitar uma rotina de sincronização diária programada via agendador
 DocType: Item Group,Item Classification,Classificação do Item
@@ -6170,6 +6239,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Fatura Registro de Pacientes
 DocType: Crop,Period,Período
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Razão Geral
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Para o ano fiscal
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Ver Potenciais Clientes
 DocType: Program Enrollment Tool,New Program,Novo Programa
 DocType: Item Attribute Value,Attribute Value,Valor do Atributo
@@ -6178,11 +6248,11 @@
 ,Itemwise Recommended Reorder Level,Nível de Reposição Recomendada por Item
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Empregado {0} da nota {1} não tem política de licença padrão
 DocType: Salary Detail,Salary Detail,Dados Salariais
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Por favor, seleccione primeiro {0}"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Por favor, seleccione primeiro {0}"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Adicionados {0} usuários
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","No caso do programa multicamadas, os Clientes serão atribuídos automaticamente ao nível em questão de acordo com o gasto"
 DocType: Appointment Type,Physician,Médico
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,O Lote {0} do Item {1} expirou.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,O Lote {0} do Item {1} expirou.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Consultas
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Bem acabado
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","O Preço do Item aparece várias vezes com base na Lista de Preços, Fornecedor / Cliente, Moeda, Item, UOM, Quantidade e Datas."
@@ -6191,22 +6261,21 @@
 DocType: Certification Application,Name of Applicant,Nome do requerente
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Folha de Presença de fabrico.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Não é possível alterar as propriedades da Variante após a transação de estoque. Você terá que fazer um novo item para fazer isso.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Não é possível alterar as propriedades da Variante após a transação de estoque. Você terá que fazer um novo item para fazer isso.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandato SEPA GoCardless
 DocType: Healthcare Practitioner,Charges,Cobranças
 DocType: Production Plan,Get Items For Work Order,Obter itens para ordem de trabalho
 DocType: Salary Detail,Default Amount,Montante Padrão
 DocType: Lab Test Template,Descriptive,Descritivo
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,O armazém não foi encontrado no sistema
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Resumo Deste Mês
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Resumo Deste Mês
 DocType: Quality Inspection Reading,Quality Inspection Reading,Leitura de Inspeção de Qualidade
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,"""Congelar Stocks Mais Antigos Que"" deve ser menor que %d dias."
 DocType: Tax Rule,Purchase Tax Template,Modelo de Taxa de Compra
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Defina um objetivo de vendas que você deseja alcançar para sua empresa.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Serviços de Saúde
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Serviços de Saúde
 ,Project wise Stock Tracking,Controlo de Stock por Projeto
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Modo de transporte
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratório
 DocType: UOM Category,UOM Category,Categoria de UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Qtd  Efetiva (na origem/destino)
@@ -6229,17 +6298,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Falha ao criar o site
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Dados de Conversão de UNID
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Entrada de estoque de retenção já criada ou quantidade de amostra não fornecida
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Entrada de estoque de retenção já criada ou quantidade de amostra não fornecida
 DocType: Program,Program Abbreviation,Abreviação do Programa
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Não pode ser criado uma Ordem de Produção para um Item Modelo
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Os custos de cada item são atualizados no Recibo de Compra
 DocType: Warranty Claim,Resolved By,Resolvido Por
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Descarga Horária
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Os Cheques e Depósitos foram apagados incorretamente
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Conta {0}: Não pode atribuí-la como conta principal
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Conta {0}: Não pode atribuí-la como conta principal
 DocType: Purchase Invoice Item,Price List Rate,PReço na Lista de Preços
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Criar cotações de clientes
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Data de parada de serviço não pode ser após a data de término do serviço
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Data de parada de serviço não pode ser após a data de término do serviço
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostrar ""Em Stock"" ou ""Não Está em Stock"" com base no stock disponível neste armazém."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Lista de Materiais (LDM)
 DocType: Item,Average time taken by the supplier to deliver,Tempo médio necessário para o fornecedor efetuar a entrega
@@ -6251,11 +6320,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Horas
 DocType: Project,Expected Start Date,Data de Início Prevista
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correção na Fatura
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Ordem de Serviço já criada para todos os itens com BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Ordem de Serviço já criada para todos os itens com BOM
 DocType: Payment Request,Party Details,Detalhes do partido
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Relatório de Detalhes da Variante
 DocType: Setup Progress Action,Setup Progress Action,Configurar a ação de progresso
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Lista de preços de compra
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Lista de preços de compra
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Remover item, se os encargos não forem aplicáveis a esse item"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Cancelar assinatura
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Selecione o Status da manutenção como concluído ou remova a Data de conclusão
@@ -6273,7 +6342,7 @@
 DocType: Asset,Disposal Date,Data de Eliminação
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Os emails serão enviados para todos os funcionários ativos da empresa na hora estabelecida, se não estiverem de férias. O resumo das respostas será enviado à meia-noite."
 DocType: Employee Leave Approver,Employee Leave Approver,Autorizador de Licenças do Funcionário
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Linha{0}: Já existe um registo de Reencomenda para este armazém {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Linha{0}: Já existe um registo de Reencomenda para este armazém {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Não pode declarar como perdido, porque foi efetuada uma Cotação."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Conta do CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Feedback de Formação
@@ -6285,7 +6354,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,A data a não pode ser anterior à data de
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Rodapé de seção
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Adicionar / Editar Preços
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Adicionar / Editar Preços
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,A promoção de funcionários não pode ser enviada antes da data da promoção
 DocType: Batch,Parent Batch,Lote pai
 DocType: Batch,Parent Batch,Lote pai
@@ -6296,6 +6365,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Coleção de amostras
 ,Requested Items To Be Ordered,Itens solicitados para encomendar
 DocType: Price List,Price List Name,Nome da Lista de Preços
+DocType: Delivery Stop,Dispatch Information,Informação de Despacho
 DocType: Blanket Order,Manufacturing,Fabrico
 ,Ordered Items To Be Delivered,Itens Pedidos A Serem Entregues
 DocType: Account,Income,Rendimento
@@ -6314,17 +6384,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,São necessárias {0} unidades de {1} em {2} em {3} {4} para {5} para concluir esta transação.
 DocType: Fee Schedule,Student Category,Categoria de Estudante
 DocType: Announcement,Student,Estudante
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,A quantidade em estoque para iniciar o procedimento não está disponível no depósito. Você quer gravar uma transferência de estoque?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,A quantidade em estoque para iniciar o procedimento não está disponível no depósito. Você quer gravar uma transferência de estoque?
 DocType: Shipping Rule,Shipping Rule Type,Tipo de regra de envio
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Ir para os Quartos
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Empresa, Conta de Pagamento, Data e Data é obrigatória"
 DocType: Company,Budget Detail,Detalhe orçamento
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Por favor, insira a mensagem antes de enviá-la"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICADO PARA FORNECEDOR
-DocType: Email Digest,Pending Quotations,Cotações Pendentes
-DocType: Delivery Note,Distance (KM),Distância (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Fornecedor&gt; Grupo de Fornecedores
 DocType: Asset,Custodian,Custodiante
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Perfil de Ponto de Venda
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Perfil de Ponto de Venda
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} deve ser um valor entre 0 e 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Pagamento de {0} de {1} a {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Empréstimos Não Garantidos
@@ -6356,10 +6425,10 @@
 DocType: Lead,Converted,Convertido
 DocType: Item,Has Serial No,Tem Nr. de Série
 DocType: Employee,Date of Issue,Data de Emissão
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","De acordo com as Configurações de compra, se o Recibo Obtido Obrigatório == &#39;SIM&#39;, então, para criar a Fatura de Compra, o usuário precisa criar o Recibo de Compra primeiro para o item {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","De acordo com as Configurações de compra, se o Recibo Obtido Obrigatório == &#39;SIM&#39;, então, para criar a Fatura de Compra, o usuário precisa criar o Recibo de Compra primeiro para o item {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Linha #{0}: Definir Fornecedor para o item {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Linha {0}: O valor por hora deve ser maior que zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Não foi possível encontrar a Imagem do Website {0} anexada ao Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Não foi possível encontrar a Imagem do Website {0} anexada ao Item {1}
 DocType: Issue,Content Type,Tipo de Conteúdo
 DocType: Asset,Assets,Ativos
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Computador
@@ -6370,7 +6439,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} não existe
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Por favor, selecione a opção de Múltiplas Moedas para permitir contas com outra moeda"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,O Item: {0} não existe no sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Não está autorizado a definir como valor Congelado
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Não está autorizado a definir como valor Congelado
 DocType: Payment Reconciliation,Get Unreconciled Entries,Obter Registos Não Conciliados
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Empregado {0} está em Sair em {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nenhum reembolso selecionado para Entrada no Diário
@@ -6388,13 +6457,14 @@
 ,Average Commission Rate,Taxa de Comissão Média
 DocType: Share Balance,No of Shares,Nº de Ações
 DocType: Taxable Salary Slab,To Amount,A quantidade
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Tem um Nr. de Série"" não pode ser ""Sim"" para um item sem gestão de stock"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Tem um Nr. de Série"" não pode ser ""Sim"" para um item sem gestão de stock"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Selecionar status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,A presença não pode ser registada em datas futuras
 DocType: Support Search Source,Post Description Key,Chave de descrição de postagens
 DocType: Pricing Rule,Pricing Rule Help,Ajuda da Regra Fixação de Preços
 DocType: School House,House Name,Nome casa
 DocType: Fee Schedule,Total Amount per Student,Montante total por aluno
+DocType: Opportunity,Sales Stage,Estágio de vendas
 DocType: Purchase Taxes and Charges,Account Head,Título de Conta
 DocType: Company,HRA Component,Componente HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elétrico
@@ -6402,15 +6472,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Diferença de Valor Total (Saída - Entrada)
 DocType: Grant Application,Requested Amount,Montante Requerido
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Linha {0}: É obrigatório colocar a Taxa de Câmbio
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Não está definido a ID do utilizador para o Funcionário {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Não está definido a ID do utilizador para o Funcionário {0}
 DocType: Vehicle,Vehicle Value,Valor do Veículo
 DocType: Crop Cycle,Detected Diseases,Doenças detectadas
 DocType: Stock Entry,Default Source Warehouse,Armazém Fonte Padrão
 DocType: Item,Customer Code,Código de Cliente
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Lembrete de Aniversário para o/a {0}
 DocType: Asset Maintenance Task,Last Completion Date,Última Data de Conclusão
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dias Desde a última Ordem
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,A conta de Débito Para deve ser uma conta de Balanço
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,A conta de Débito Para deve ser uma conta de Balanço
 DocType: Asset,Naming Series,Série de Atrib. de Nomes
 DocType: Vital Signs,Coated,Revestido
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Linha {0}: o valor esperado após a vida útil deve ser menor que o valor da compra bruta
@@ -6428,15 +6497,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,A Guia de Remessa {0} não deve ser enviada
 DocType: Notification Control,Sales Invoice Message,Mensagem de Fatura de Vendas
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,A Conta de Encerramento {0} deve ser do tipo de Responsabilidade / Equidade
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},A Folha de Vencimento do funcionário {0} já foi criada para folha de vencimento {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},A Folha de Vencimento do funcionário {0} já foi criada para folha de vencimento {1}
 DocType: Vehicle Log,Odometer,Conta-km
 DocType: Production Plan Item,Ordered Qty,Qtd Pedida
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,O Item {0} está desativado
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,O Item {0} está desativado
 DocType: Stock Settings,Stock Frozen Upto,Stock Congelado Até
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,A LDM não contém nenhum item em stock
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,A LDM não contém nenhum item em stock
 DocType: Chapter,Chapter Head,Chefe de capítulo
 DocType: Payment Term,Month(s) after the end of the invoice month,Mês (s) após o final do mês da factura
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Estrutura Salarial deve ter componente (s) de benefício flexível para dispensar o valor do benefício
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Estrutura Salarial deve ter componente (s) de benefício flexível para dispensar o valor do benefício
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Atividade / tarefa do projeto.
 DocType: Vital Signs,Very Coated,Muito revestido
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Somente Impacto Fiscal (Não é Possível Reivindicar, mas Parte do Lucro Real)"
@@ -6454,7 +6523,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Horas de Faturação
 DocType: Project,Total Sales Amount (via Sales Order),Valor total das vendas (por ordem do cliente)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Não foi encontrado a LDM Padrão para {0}
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,"Linha #{0}: Por favor, defina a quantidade de reencomenda"
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,"Linha #{0}: Por favor, defina a quantidade de reencomenda"
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toque em itens para adicioná-los aqui
 DocType: Fees,Program Enrollment,Inscrição no Programa
 DocType: Share Transfer,To Folio No,Para Folio No
@@ -6496,9 +6565,9 @@
 DocType: SG Creation Tool Course,Max Strength,Força Máx.
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instalando predefinições
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Nenhuma nota de entrega selecionada para o cliente {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Nenhuma nota de entrega selecionada para o cliente {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Empregado {0} não tem valor de benefício máximo
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Selecione itens com base na data de entrega
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Selecione itens com base na data de entrega
 DocType: Grant Application,Has any past Grant Record,Já havia passado Grant Record
 ,Sales Analytics,Análise de Vendas
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Disponível {0}
@@ -6507,12 +6576,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Definições de Fabrico
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,A Configurar Email
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 móvel Não
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Por favor, indique a moeda padrão no Definidor da Empresa"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Por favor, indique a moeda padrão no Definidor da Empresa"
 DocType: Stock Entry Detail,Stock Entry Detail,Dado de Registo de Stock
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Lembretes Diários
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Lembretes Diários
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Veja todos os ingressos abertos
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Árvore da Unidade de Serviços de Saúde
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,produtos
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,produtos
 DocType: Products Settings,Home Page is Products,A Página Principal são os Produtos
 ,Asset Depreciation Ledger,Livro de Depreciação de Ativo
 DocType: Salary Structure,Leave Encashment Amount Per Day,Deixar montante de cobrança por dia
@@ -6522,8 +6591,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Custo de Matérias-primas Fornecidas
 DocType: Selling Settings,Settings for Selling Module,Definições para Vender Módulo
 DocType: Hotel Room Reservation,Hotel Room Reservation,Reserva de quarto de hotel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Apoio ao Cliente
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Apoio ao Cliente
 DocType: BOM,Thumbnail,Miniatura
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nenhum contato com IDs de e-mail encontrados.
 DocType: Item Customer Detail,Item Customer Detail,Dados de Cliente do Item
 DocType: Notification Control,Prompt for Email on Submission of,Solicitar Email Mediante o Envio de
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},O valor máximo de benefício do empregado {0} excede {1}
@@ -6533,7 +6603,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,O Item {0} deve ser um Item de stock
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Armazém de Trabalho em Progresso Padrão
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Programações para sobreposições {0}, você deseja prosseguir após ignorar os slots sobrepostos?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,As definições padrão para as transações contabilísticas.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,As definições padrão para as transações contabilísticas.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Modelo de imposto padrão
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Estudantes foram matriculados
@@ -6541,6 +6611,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Quantidade de stock
 DocType: Purchase Invoice Item,Stock Qty,Quantidade de Stock
 DocType: Contract,Requires Fulfilment,Requer Cumprimento
+DocType: QuickBooks Migrator,Default Shipping Account,Conta de envio padrão
 DocType: Loan,Repayment Period in Months,Período de reembolso em meses
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Erro: Não é uma ID válida?
 DocType: Naming Series,Update Series Number,Atualização de Número de Série
@@ -6554,11 +6625,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Quantidade máxima
 DocType: Journal Entry,Total Amount Currency,Valor Total da Moeda
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Pesquisar Subconjuntos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},É necessário o Código do Item na Linha Nr. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},É necessário o Código do Item na Linha Nr. {0}
 DocType: GST Account,SGST Account,Conta SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Ir para Itens
 DocType: Sales Partner,Partner Type,Tipo de Parceiro
-DocType: Purchase Taxes and Charges,Actual,Atual
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Atual
 DocType: Restaurant Menu,Restaurant Manager,Gerente de restaurante
 DocType: Authorization Rule,Customerwise Discount,Desconto por Cliente
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Registo de Horas para as tarefas.
@@ -6579,7 +6650,7 @@
 DocType: Employee,Cheque,Cheque
 DocType: Training Event,Employee Emails,E-mails do empregado
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Série Atualizada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,É obrigatório colocar o Tipo de Relatório
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,É obrigatório colocar o Tipo de Relatório
 DocType: Item,Serial Number Series,Série de Número em Série
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},É obrigatório colocar o armazém para o item em stock {0} na linha {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retalho e Grosso
@@ -6610,7 +6681,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Atualizar Valor Cobrado no Pedido de Vendas
 DocType: BOM,Materials,Materiais
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se não for selecionada, a lista deverá ser adicionada a cada Departamento onde tem de ser aplicada."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,É obrigatório colocar a data e hora de postagem
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,É obrigatório colocar a data e hora de postagem
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Modelo de impostos para a compra de transações.
 ,Item Prices,Preços de Itens
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Por extenso será visível assim que guardar a Ordem de Compra.
@@ -6626,12 +6697,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Série para Entrada de Depreciação de Ativos (Entrada de Diário)
 DocType: Membership,Member Since,Membro desde
 DocType: Purchase Invoice,Advance Payments,Adiantamentos
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Por favor selecione Serviço de Saúde
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Por favor selecione Serviço de Saúde
 DocType: Purchase Taxes and Charges,On Net Total,No Total Líquido
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},O Valor para o Atributo {0} deve estar dentro do intervalo de {1} a {2} nos acréscimos de {3} para o Item {4}
 DocType: Restaurant Reservation,Waitlisted,Espera de espera
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria de isenção
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,A moeda não pode ser alterada depois de efetuar registos utilizando alguma outra moeda
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,A moeda não pode ser alterada depois de efetuar registos utilizando alguma outra moeda
 DocType: Shipping Rule,Fixed,Fixo
 DocType: Vehicle Service,Clutch Plate,Embraiagem
 DocType: Company,Round Off Account,Arredondar Conta
@@ -6640,7 +6711,7 @@
 DocType: Subscription Plan,Based on price list,Baseado na lista de preços
 DocType: Customer Group,Parent Customer Group,Grupo de Clientes Principal
 DocType: Vehicle Service,Change,Mudança
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Subscrição
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Subscrição
 DocType: Purchase Invoice,Contact Email,Email de Contacto
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Criação de taxa pendente
 DocType: Appraisal Goal,Score Earned,Classificação Ganha
@@ -6668,23 +6739,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Conta A Receber / A Pagar
 DocType: Delivery Note Item,Against Sales Order Item,No Item da Ordem de Venda
 DocType: Company,Company Logo,Logotipo da empresa
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Por favor, especifique um Valor de Atributo para o atributo {0}"
-DocType: Item Default,Default Warehouse,Armazém Padrão
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Por favor, especifique um Valor de Atributo para o atributo {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Armazém Padrão
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},O Orçamento não pode ser atribuído à Conta de Grupo {0}
 DocType: Shopping Cart Settings,Show Price,Mostrar preço
 DocType: Healthcare Settings,Patient Registration,Registro de Paciente
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Por favor, insira o centro de custos principal"
 DocType: Delivery Note,Print Without Amount,Imprimir Sem o Montante
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Data de Depreciação
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Data de Depreciação
 ,Work Orders in Progress,Ordens de serviço em andamento
 DocType: Issue,Support Team,Equipa de Apoio
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Validade (em dias)
 DocType: Appraisal,Total Score (Out of 5),Classificação Total (em 5)
 DocType: Student Attendance Tool,Batch,Lote
 DocType: Support Search Source,Query Route String,String de rota de consulta
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Atualizar taxa de acordo com a última compra
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Atualizar taxa de acordo com a última compra
 DocType: Donor,Donor Type,Tipo de doador
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Auto repetir documento atualizado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Auto repetir documento atualizado
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Saldo
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Selecione a Empresa
 DocType: Job Card,Job Card,Cartão de trabalho
@@ -6698,7 +6769,7 @@
 DocType: Assessment Result,Total Score,Pontuação total
 DocType: Crop Cycle,ISO 8601 standard,Norma ISO 8601
 DocType: Journal Entry,Debit Note,Nota de Débito
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Você só pode resgatar no máximo {0} pontos nesse pedido.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Você só pode resgatar no máximo {0} pontos nesse pedido.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,"Por favor, insira o segredo do consumidor da API"
 DocType: Stock Entry,As per Stock UOM,Igual à UNID de Stock
@@ -6711,10 +6782,11 @@
 DocType: Journal Entry,Total Debit,Débito Total
 DocType: Travel Request Costing,Sponsored Amount,Quantia Patrocinada
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Armazém de Produtos Acabados Padrão
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Selecione Paciente
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Selecione Paciente
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Vendedor/a
 DocType: Hotel Room Package,Amenities,Facilidades
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Orçamento e Centro de Custo
+DocType: QuickBooks Migrator,Undeposited Funds Account,Conta de fundos não depositados
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Orçamento e Centro de Custo
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,O modo de pagamento padrão múltiplo não é permitido
 DocType: Sales Invoice,Loyalty Points Redemption,Resgate de pontos de fidelidade
 ,Appointment Analytics,Análise de nomeação
@@ -6728,6 +6800,7 @@
 DocType: Batch,Manufacturing Date,Data de fabricação
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Fee Creation Failed
 DocType: Opening Invoice Creation Tool,Create Missing Party,Criar Partido Desaparecido
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Orçamento total
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deixe em branco se você fizer grupos de alunos por ano
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Se for selecionado, o nr. Total de Dias de Úteis incluirá os feriados, e isto irá reduzir o valor do Salário Por Dia"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Aplicativos que usam a chave atual não poderão acessar, tem certeza?"
@@ -6744,20 +6817,19 @@
 DocType: Opportunity Item,Basic Rate,Taxa Básica
 DocType: GL Entry,Credit Amount,Montante de Crédito
 DocType: Cheque Print Template,Signatory Position,Posição do Signatário
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Defenir como Perdido
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Defenir como Perdido
 DocType: Timesheet,Total Billable Hours,Total de Horas Trabalhadas
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Número de dias que o assinante deve pagar as faturas geradas por esta assinatura
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detalhes do aplicativo de benefício do funcionário
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Nota de Recibo de Pagamento
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Isto é baseado em operações neste cliente. Veja cronograma abaixo para obter mais detalhes
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Linha {0}: O montante atribuído {1} deve ser menor ou igual ao montante de Registo de Pagamento {2}
 DocType: Program Enrollment Tool,New Academic Term,Novo Prazo Acadêmico
 ,Course wise Assessment Report,Relatório de Avaliação do Curso
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Avançou o Tributo do Estado / UT do ITC
 DocType: Tax Rule,Tax Rule,Regra Fiscal
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Manter a Mesma Taxa em Todo o Ciclo de Vendas
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Por favor, faça login como outro usuário para se registrar no Marketplace"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Por favor, faça login como outro usuário para se registrar no Marketplace"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planear o registo de tempo fora do Horário de Trabalho do Posto de Trabalho.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Os clientes na fila
 DocType: Driver,Issuing Date,Data de emissão
@@ -6766,11 +6838,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Envie esta Ordem de Serviço para processamento adicional.
 ,Items To Be Requested,Items a Serem Solicitados
 DocType: Company,Company Info,Informações da Empresa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Selecionar ou adicionar novo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Selecionar ou adicionar novo cliente
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,centro de custo é necessário reservar uma reivindicação de despesa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicação de Fundos (Ativos)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Esta baseia-se na assiduidade deste Funcionário
-DocType: Assessment Result,Summary,Resumo
 DocType: Payment Request,Payment Request Type,Solicitação de pagamento
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Conta de Débito
@@ -6778,7 +6849,7 @@
 DocType: Additional Salary,Employee Name,Nome do Funcionário
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Item de entrada de pedido de restaurante
 DocType: Purchase Invoice,Rounded Total (Company Currency),Total Arredondado (Moeda da Empresa)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o Tipo de Conta está selecionado."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o Tipo de Conta está selecionado."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0} {1} foi alterado. Por favor, faça uma atualização."
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impeça os utilizadores de efetuar Pedidos de Licença nos dias seguintes.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Se a expiração for ilimitada para os Pontos de Lealdade, mantenha a Duração de Expiração vazia ou 0."
@@ -6799,11 +6870,12 @@
 DocType: Asset,Out of Order,Fora de serviço
 DocType: Purchase Receipt Item,Accepted Quantity,Quantidade Aceite
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorar a sobreposição do tempo da estação de trabalho
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Feriados padrão para o(a) Funcionário(a) {0} ou para a Empresa {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Feriados padrão para o(a) Funcionário(a) {0} ou para a Empresa {1}"
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} não existe
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Selecione números de lote
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Para GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Para GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Contas levantadas a Clientes.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Nomeações de fatura automaticamente
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID de Projeto
 DocType: Salary Component,Variable Based On Taxable Salary,Variável Baseada no Salário Tributável
 DocType: Company,Basic Component,Componente Básico
@@ -6816,10 +6888,10 @@
 DocType: Stock Entry,Source Warehouse Address,Endereço do depósito de origem
 DocType: GL Entry,Voucher Type,Tipo de Voucher
 DocType: Amazon MWS Settings,Max Retry Limit,Limite máximo de nova tentativa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Lista de Preços não encontrada ou desativada
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Lista de Preços não encontrada ou desativada
 DocType: Student Applicant,Approved,Aprovado
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Preço
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"O Funcionário dispensado em {0} deve ser definido como ""Saiu"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"O Funcionário dispensado em {0} deve ser definido como ""Saiu"""
 DocType: Marketplace Settings,Last Sync On,Última sincronização em
 DocType: Guardian,Guardian,Responsável
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Todas as comunicações, incluindo e acima, serão transferidas para o novo problema."
@@ -6842,14 +6914,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lista de doenças detectadas no campo. Quando selecionado, ele adicionará automaticamente uma lista de tarefas para lidar com a doença"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Esta é uma unidade de serviço de saúde raiz e não pode ser editada.
 DocType: Asset Repair,Repair Status,Status do reparo
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Adicionar parceiros de vendas
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Registo de Lançamentos Contabilísticos.
 DocType: Travel Request,Travel Request,Pedido de viagem
 DocType: Delivery Note Item,Available Qty at From Warehouse,Qtd Disponível Do Armazém
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Por favor, selecione primeiro o Registo de Funcionário."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Participação não enviada para {0}, pois é um feriado."
 DocType: POS Profile,Account for Change Amount,Conta para a Mudança de Montante
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Conectando-se ao QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Ganho / Perda Total
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Empresa inválida para fatura inter-empresa.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Empresa inválida para fatura inter-empresa.
 DocType: Purchase Invoice,input service,serviço de insumos
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Linha {0}: A Parte / Conta não corresponde a {1} / {2} em {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promoção de funcionários
@@ -6858,12 +6932,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Código do curso:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Por favor, insira a Conta de Despesas"
 DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha {0}: O tipo de documento referênciado deve ser uma Ordem de Compra, uma Fatura de Compra ou um Lançamento Contabilístico"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha {0}: O tipo de documento referênciado deve ser uma Ordem de Compra, uma Fatura de Compra ou um Lançamento Contabilístico"
 DocType: Employee,Current Address,Endereço Atual
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se o item for uma variante doutro item, então, a descrição, a imagem, os preços, as taxas, etc. serão definidos a partir do modelo, a menos que seja explicitamente especificado o contrário"
 DocType: Serial No,Purchase / Manufacture Details,Dados de Compra / Fabrico
 DocType: Assessment Group,Assessment Group,Grupo de Avaliação
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventário do Lote
+DocType: Supplier,GST Transporter ID,ID do transportador GST
 DocType: Procedure Prescription,Procedure Name,Nome do procedimento
 DocType: Employee,Contract End Date,Data de Término do Contrato
 DocType: Amazon MWS Settings,Seller ID,ID do vendedor
@@ -6883,12 +6958,12 @@
 DocType: Company,Date of Incorporation,Data de incorporação
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Impostos Totais
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Último preço de compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,É obrigatório colocar Para a Quantidade (Qtd de Fabrico)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,É obrigatório colocar Para a Quantidade (Qtd de Fabrico)
 DocType: Stock Entry,Default Target Warehouse,Armazém Alvo Padrão
 DocType: Purchase Invoice,Net Total (Company Currency),Total Líquido (Moeda da Empresa)
 DocType: Delivery Note,Air,Ar
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"A Data de Término do Ano não pode ser anterior à Data de Início de Ano. Por favor, corrija as datas e tente novamente."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} não está na lista de feriados opcional
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} não está na lista de feriados opcional
 DocType: Notification Control,Purchase Receipt Message,Mensagem de Recibo de Compra
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Itens de Sucata
@@ -6911,23 +6986,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Cumprimento
 DocType: Purchase Taxes and Charges,On Previous Row Amount,No Montante da Linha Anterior
 DocType: Item,Has Expiry Date,Tem data de expiração
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transferência de Ativos
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transferência de Ativos
 DocType: POS Profile,POS Profile,Perfil POS
 DocType: Training Event,Event Name,Nome do Evento
 DocType: Healthcare Practitioner,Phone (Office),Telefone (Escritório)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Não é possível enviar, funcionários deixados para marcar presença"
 DocType: Inpatient Record,Admission,Admissão
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Admissões para {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sazonalidade para definição de orçamentos, metas etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sazonalidade para definição de orçamentos, metas etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nome variável
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","O Item {0} é um modelo, por favor, selecione uma das suas variantes"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Por favor, configure Employee Naming System em Recursos Humanos&gt; HR Settings"
+DocType: Purchase Invoice Item,Deferred Expense,Despesa Diferida
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},A partir da data {0} não pode ser anterior à data de adesão do funcionário {1}
 DocType: Asset,Asset Category,Categoria de Ativo
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,A Remuneração Líquida não pode ser negativa
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,A Remuneração Líquida não pode ser negativa
 DocType: Purchase Order,Advance Paid,Adiantamento Pago
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Porcentagem de superprodução para pedido de venda
 DocType: Item,Item Tax,Imposto do Item
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Material para o Fornecedor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Material para o Fornecedor
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Planejamento de Solicitação de Material
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Fatura de Imposto Especial
@@ -6949,11 +7026,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Ferramenta de Agendamento
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Cartão de Crédito
 DocType: BOM,Item to be manufactured or repacked,Item a ser fabricado ou reembalado
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Erro de sintaxe na condição: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Erro de sintaxe na condição: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Assuntos Principais/Opcionais
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,"Por favor, defina o grupo de fornecedores nas configurações de compra."
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,"Por favor, defina o grupo de fornecedores nas configurações de compra."
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",O valor total do componente de benefício flexível {0} não deve ser menor \ do que os benefícios máximos {1}
 DocType: Sales Invoice Item,Drop Ship,Envio Direto
 DocType: Driver,Suspended,Suspenso
@@ -6973,7 +7050,7 @@
 DocType: Customer,Commission Rate,Taxa de Comissão
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Entradas de pagamento criadas com sucesso
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Criou {0} scorecards para {1} entre:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Criar Variante
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Criar Variante
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","O Tipo de Pagamento deve ser Receber, Pagar ou Transferência Interna"
 DocType: Travel Itinerary,Preferred Area for Lodging,Área Preferida de Alojamento
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Análise
@@ -6984,7 +7061,7 @@
 DocType: Work Order,Actual Operating Cost,Custo Operacional Efetivo
 DocType: Payment Entry,Cheque/Reference No,Nr. de Cheque/Referência
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,A fonte não pode ser editada.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,A fonte não pode ser editada.
 DocType: Item,Units of Measure,Unidades de medida
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Alugado em Metro City
 DocType: Supplier,Default Tax Withholding Config,Configuração padrão de retenção de imposto
@@ -7002,21 +7079,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"Após o pagamento ter sido efetuado, redireciona o utilizador para a página selecionada."
 DocType: Company,Existing Company,Companhia Existente
 DocType: Healthcare Settings,Result Emailed,Resultado enviado por e-mail
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria de imposto foi alterada para &quot;Total&quot; porque todos os itens são itens sem estoque
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria de imposto foi alterada para &quot;Total&quot; porque todos os itens são itens sem estoque
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Até o momento não pode ser igual ou menor que a data
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nada para mudar
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Por favor, selecione um ficheiro csv"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,"Por favor, selecione um ficheiro csv"
 DocType: Holiday List,Total Holidays,Total de feriados
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,"Modelo de email ausente para envio. Por favor, defina um em Configurações de Entrega."
 DocType: Student Leave Application,Mark as Present,Mark como presente
 DocType: Supplier Scorecard,Indicator Color,Cor do indicador
 DocType: Purchase Order,To Receive and Bill,Para Receber e Faturar
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Linha # {0}: Reqd por data não pode ser antes da data da transação
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Linha # {0}: Reqd por data não pode ser antes da data da transação
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produtos Em Destaque
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Selecione o nº de série
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Selecione o nº de série
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Designer
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Termos e Condições de Modelo
 DocType: Serial No,Delivery Details,Dados de Entrega
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},É necessário colocar o Centro de Custo na linha {0} na Tabela de Impostos para o tipo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},É necessário colocar o Centro de Custo na linha {0} na Tabela de Impostos para o tipo {1}
 DocType: Program,Program Code,Código do Programa
 DocType: Terms and Conditions,Terms and Conditions Help,Ajuda de Termos e Condições
 ,Item-wise Purchase Register,Registo de Compra por Item
@@ -7029,15 +7107,16 @@
 DocType: Contract,Contract Terms,Termos do contrato
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Não mostrar qualquer símbolo como $ ao lado das moedas.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},A quantidade máxima de benefício do componente {0} excede {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Meio Dia)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Meio Dia)
 DocType: Payment Term,Credit Days,Dias de Crédito
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Selecione Paciente para obter testes laboratoriais
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Criar Classe de Estudantes
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Permitir transferência para fabricação
 DocType: Leave Type,Is Carry Forward,É para Continuar
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Obter itens da LDM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Obter itens da LDM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dias para Chegar ao Armazém
 DocType: Cash Flow Mapping,Is Income Tax Expense,É a despesa de imposto de renda
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Seu pedido está fora de prazo!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Linha #{0}: A Data de Postagem deve ser igual à data de compra {1} do ativo {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Verifique se o estudante reside no albergue do Instituto.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Insira as Ordens de Venda na tabela acima
@@ -7045,10 +7124,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transferir um ativo de um armazém para outro
 DocType: Vehicle,Petrol,Gasolina
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Benefícios restantes (Anualmente)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Lista de Materiais
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Lista de Materiais
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Linha {0}: É necessário colocar o Tipo de Parte e a Parte para a conta A Receber / A Pagar {1}
 DocType: Employee,Leave Policy,Política de licença
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Atualizar itens
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Atualizar itens
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Data de Ref.
 DocType: Employee,Reason for Leaving,Motivo de Saída
 DocType: BOM Operation,Operating Cost(Company Currency),Custo Operacional (Moeda da Empresa)
@@ -7059,7 +7138,7 @@
 DocType: Department,Expense Approvers,Aprovadores de despesas
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Linha {0}: Um registo de débito não pode ser vinculado a {1}
 DocType: Journal Entry,Subscription Section,Secção de Subscrição
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,A conta {0} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,A conta {0} não existe
 DocType: Training Event,Training Program,Programa de treinamento
 DocType: Account,Cash,Numerário
 DocType: Employee,Short biography for website and other publications.,Breve biografia para o website e outras publicações.
diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv
index b52245d..e9a7df3 100644
--- a/erpnext/translations/ro.csv
+++ b/erpnext/translations/ro.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Articole clientului
 DocType: Project,Costing and Billing,Calculație a costurilor și de facturare
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Advance valuta contului ar trebui să fie aceeași ca moneda companiei {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Contul {0}: cont Părinte {1} nu poate fi un registru
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Contul {0}: cont Părinte {1} nu poate fi un registru
 DocType: Item,Publish Item to hub.erpnext.com,Publica Postul de hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nu se poate găsi perioada activă de plecare
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nu se poate găsi perioada activă de plecare
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Evaluare
 DocType: Item,Default Unit of Measure,Unitatea de Măsură Implicita
 DocType: SMS Center,All Sales Partner Contact,Toate contactele partenerului de vânzări
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Faceți clic pe Enter to Add
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Valoare lipsă pentru parola, cheia API sau adresa URL pentru cumpărături"
 DocType: Employee,Rented,Închiriate
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Toate conturile
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Toate conturile
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Nu se poate transfera angajatul cu starea Stânga
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Oprit comandă de producție nu poate fi anulat, acesta unstop întâi pentru a anula"
 DocType: Vehicle Service,Mileage,distanță parcursă
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Chiar vrei să resturi acest activ?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Chiar vrei să resturi acest activ?
 DocType: Drug Prescription,Update Schedule,Actualizați programul
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Selectați Furnizor implicit
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Afișați angajatul
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Noul curs de schimb
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Moneda este necesară pentru lista de prețuri {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Moneda este necesară pentru lista de prețuri {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Va fi calculat în cadrul tranzacției.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Clientul A lua legatura
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Aceasta se bazează pe tranzacțiile împotriva acestui furnizor. A se vedea calendarul de mai jos pentru detalii
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Procentul de supraproducție pentru comanda de lucru
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Juridic
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Juridic
+DocType: Delivery Note,Transport Receipt Date,Data primirii transportului
 DocType: Shopify Settings,Sales Order Series,Seria de comandă de vânzări
 DocType: Vital Signs,Tongue,Limbă
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Excepție HRA
 DocType: Sales Invoice,Customer Name,Nume client
 DocType: Vehicle,Natural Gas,Gaz natural
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Contul bancar nu poate fi numit ca {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Contul bancar nu poate fi numit ca {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA conform structurii salariale
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (sau grupuri) față de care înregistrările contabile sunt făcute și soldurile sunt menținute.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Restante pentru {0} nu poate fi mai mică decât zero ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Data de începere a serviciului nu poate fi înaintea datei de începere a serviciului
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Data de începere a serviciului nu poate fi înaintea datei de începere a serviciului
 DocType: Manufacturing Settings,Default 10 mins,Implicit 10 minute
 DocType: Leave Type,Leave Type Name,Denumire Tip Concediu
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Afișați deschis
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Afișați deschis
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Seria Actualizat cu succes
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Verifică
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} în rândul {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} în rândul {1}
 DocType: Asset Finance Book,Depreciation Start Date,Data de începere a amortizării
 DocType: Pricing Rule,Apply On,Se aplică pe
 DocType: Item Price,Multiple Item prices.,Mai multe prețuri element.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Setări de sprijin
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Așteptat Data de încheiere nu poate fi mai mică de Data de începere așteptată
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rata trebuie să fie aceeași ca și {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rata trebuie să fie aceeași ca și {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Lot Articol Stare de expirare
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Ciorna bancară
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Detalii de contact primare
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Probleme deschise
 DocType: Production Plan Item,Production Plan Item,Planul de producție Articol
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat Angajat {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat Angajat {1}
 DocType: Lab Test Groups,Add new line,Adăugați o linie nouă
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Servicii de Sanatate
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Întârziere de plată (zile)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab prescription
 ,Delay Days,Zilele întârziate
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Cheltuieli de serviciu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Numărul de serie: {0} este deja menționat în factura de vânzare: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Numărul de serie: {0} este deja menționat în factura de vânzare: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Factură
 DocType: Purchase Invoice Item,Item Weight Details,Greutate Detalii articol
 DocType: Asset Maintenance Log,Periodicity,Periodicitate
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Anul fiscal {0} este necesară
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Furnizor&gt; Grupul de furnizori
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Distanța minimă dintre rânduri de plante pentru creștere optimă
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Apărare
 DocType: Salary Component,Abbr,Presc
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Lista de Vacanță
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Contabil
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Lista de prețuri de vânzare
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Lista de prețuri de vânzare
 DocType: Patient,Tobacco Current Use,Utilizarea curentă a tutunului
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Rata de vanzare
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Rata de vanzare
 DocType: Cost Center,Stock User,Stoc de utilizare
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Informatii de contact
 DocType: Company,Phone No,Nu telefon
 DocType: Delivery Trip,Initial Email Notification Sent,Notificarea inițială de e-mail trimisă
 DocType: Bank Statement Settings,Statement Header Mapping,Afișarea antetului de rutare
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Data de începere a abonamentului
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Conturile implicite de încasat pentru a fi utilizate dacă nu sunt stabilite în pacient pentru a rezerva taxele de numire.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Atașați fișier .csv cu două coloane, una pentru denumirea veche și una pentru denumirea nouă"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Din adresa 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Codul elementului&gt; Element Grup&gt; Brand
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Din adresa 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} nu se gaseste in niciun an fiscal activ.
 DocType: Packed Item,Parent Detail docname,Părinte Detaliu docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referință: {0}, Cod articol: {1} și Client: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} nu este prezentă în compania mamă
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} nu este prezentă în compania mamă
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Perioada de încheiere a perioadei de încercare nu poate fi înainte de data începerii perioadei de încercare
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Categoria de reținere fiscală
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Publicitate
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Aceeași societate este înscris de mai multe ori
 DocType: Patient,Married,Căsătorit
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nu este permisă {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nu este permisă {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Obține elemente din
 DocType: Price List,Price Not UOM Dependant,Pretul nu este dependent de UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Aplicați suma de reținere fiscală
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Suma totală creditată
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Suma totală creditată
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produs {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nu sunt enumerate elemente
 DocType: Asset Repair,Error Description,Descrierea erorii
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Utilizați formatul fluxului de numerar personalizat
 DocType: SMS Center,All Sales Person,Toate persoanele de vânzăril
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Lunar Distribuție ** vă ajută să distribuie bugetul / Target peste luni dacă aveți sezonier în afacerea dumneavoastră.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nu au fost găsite articole
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Structura de salarizare lipsă
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nu au fost găsite articole
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Structura de salarizare lipsă
 DocType: Lead,Person Name,Nume persoană
 DocType: Sales Invoice Item,Sales Invoice Item,Factură de vânzări Postul
 DocType: Account,Credit,Credit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Rapoarte de stoc
 DocType: Warehouse,Warehouse Detail,Depozit Detaliu
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Pe termen Data de încheiere nu poate fi mai târziu de Anul Data de încheiere a anului universitar la care este legat termenul (anului universitar {}). Vă rugăm să corectați datele și încercați din nou.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Este activ fix"" nu poate fi debifată deoarece există informații împotriva produsului"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Este activ fix"" nu poate fi debifată deoarece există informații împotriva produsului"
 DocType: Delivery Trip,Departure Time,Timp de plecare
 DocType: Vehicle Service,Brake Oil,Ulei de frână
 DocType: Tax Rule,Tax Type,Tipul de impozitare
 ,Completed Work Orders,Ordine de lucru finalizate
 DocType: Support Settings,Forum Posts,Mesaje pe forum
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Sumă impozabilă
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Sumă impozabilă
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Nu sunteți autorizat să adăugați sau să actualizați intrări înainte de {0}
 DocType: Leave Policy,Leave Policy Details,Lăsați detaliile politicii
 DocType: BOM,Item Image (if not slideshow),Imagine Articol (dacă nu exista prezentare)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif orar / 60) * Timp efectiv de operare
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rândul # {0}: Tipul de document de referință trebuie să fie una dintre revendicările de cheltuieli sau intrări în jurnal
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Selectați BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rândul # {0}: Tipul de document de referință trebuie să fie una dintre revendicările de cheltuieli sau intrări în jurnal
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Selectați BOM
 DocType: SMS Log,SMS Log,SMS Conectare
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costul de articole livrate
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Vacanta pe {0} nu este între De la data si pana in prezent
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Modele de clasificare a furnizorilor.
 DocType: Lead,Interested,Interesat
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Deschidere
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},De la {0} {1} la
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},De la {0} {1} la
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Eroare la instalarea taxelor
 DocType: Item,Copy From Item Group,Copiere din Grupul de Articole
-DocType: Delivery Trip,Delivery Notification,Notificare de livrare
 DocType: Journal Entry,Opening Entry,Deschiderea de intrare
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Contul Plătiți numai
 DocType: Loan,Repay Over Number of Periods,Rambursa Peste Număr de Perioade
 DocType: Stock Entry,Additional Costs,Costuri suplimentare
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Un cont cu tranzacții existente nu poate fi transformat în grup.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Un cont cu tranzacții existente nu poate fi transformat în grup.
 DocType: Lead,Product Enquiry,Intrebare produs
 DocType: Education Settings,Validate Batch for Students in Student Group,Validați lotul pentru elevii din grupul de studenți
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nici o înregistrare de concediu găsite pentru angajat {0} pentru {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Va rugam sa introduceti prima companie
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Vă rugăm să selectați Company primul
 DocType: Employee Education,Under Graduate,Sub Absolvent
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Stabiliți șablonul implicit pentru notificarea de stare la ieșire în setările HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Stabiliți șablonul implicit pentru notificarea de stare la ieșire în setările HR.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Țintă pe
 DocType: BOM,Total Cost,Cost total
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Extras de cont
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Produse farmaceutice
 DocType: Purchase Invoice Item,Is Fixed Asset,Este activ fix
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Numele tau este {0}, ai nevoie de {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Numele tau este {0}, ai nevoie de {1}"
 DocType: Expense Claim Detail,Claim Amount,Suma Cerere
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Ordinul de lucru a fost {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Model de inspecție a calității
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Doriți să actualizați prezență? <br> Prezent: {0} \ <br> Absent: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cant. acceptată + respinsă trebuie să fie egală cu cantitatea recepționată pentru articolul {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cant. acceptată + respinsă trebuie să fie egală cu cantitatea recepționată pentru articolul {0}
 DocType: Item,Supply Raw Materials for Purchase,Materii prime de alimentare pentru cumparare
 DocType: Agriculture Analysis Criteria,Fertilizer,Îngrăşământ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Nu se poate asigura livrarea prin numărul de serie după cum este adăugat articolul {0} cu și fără Asigurați livrarea prin \ Nr.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Cel puțin un mod de plată este necesar factura pentru POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Cel puțin un mod de plată este necesar factura pentru POS.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Tranzacție de poziție bancară
 DocType: Products Settings,Show Products as a List,Afișare produse ca o listă
 DocType: Salary Detail,Tax on flexible benefit,Impozitul pe beneficii flexibile
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Cantitate diferențială
 DocType: Production Plan,Material Request Detail,Detalii privind solicitarea materialului
 DocType: Selling Settings,Default Quotation Validity Days,Valabilitatea zilnică a cotațiilor
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pentru a include taxa în rândul {0} în rata articol, impozitele în rânduri {1} trebuie de asemenea să fie incluse"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"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"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Validați participarea
 DocType: Sales Invoice,Change Amount,Sumă schimbare
 DocType: Party Tax Withholding Config,Certificate Received,Certificatul primit
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Setați valoarea facturii pentru B2C. B2CL și B2CS calculate pe baza acestei valori de facturare.
 DocType: BOM Update Tool,New BOM,Nou BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Proceduri prescrise
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Proceduri prescrise
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Afișați numai POS
 DocType: Supplier Group,Supplier Group Name,Numele grupului de furnizori
 DocType: Driver,Driving License Categories,Categorii de licență de conducere
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Perioade de salarizare
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Asigurați-angajat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Transminiune
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Modul de configurare a POS (online / offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Modul de configurare a POS (online / offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Dezactivează crearea de jurnale de timp împotriva comenzilor de lucru. Operațiunile nu vor fi urmărite împotriva ordinului de lucru
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Executie
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detalii privind operațiunile efectuate.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Reducere la Lista de preturi Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Șablon de șablon
 DocType: Job Offer,Select Terms and Conditions,Selectați Termeni și condiții
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Valoarea afară
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Valoarea afară
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Elementul pentru setările declarației bancare
 DocType: Woocommerce Settings,Woocommerce Settings,Setări Woocommerce
 DocType: Production Plan,Sales Orders,Comenzi de vânzări
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Cererea de ofertă poate fi accesată făcând clic pe link-ul de mai jos
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creare curs Unealtă
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrierea plății
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,stoc insuficient
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,stoc insuficient
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planificarea Capacitatii Dezactivați și Time Tracking
 DocType: Email Digest,New Sales Orders,Noi comenzi de vânzări
 DocType: Bank Account,Bank Account,Cont bancar
 DocType: Travel Itinerary,Check-out Date,Verifica data
 DocType: Leave Type,Allow Negative Balance,Permiteţi sold negativ
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Nu puteți șterge tipul de proiect &quot;extern&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Selectați elementul alternativ
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Selectați elementul alternativ
 DocType: Employee,Create User,Creaza utilizator
 DocType: Selling Settings,Default Territory,Teritoriu Implicit
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televiziune
 DocType: Work Order Operation,Updated via 'Time Log',"Actualizat prin ""Ora Log"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Selectați clientul sau furnizorul.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Suma avans nu poate fi mai mare decât {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Suma avans nu poate fi mai mare decât {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slotul de timp a fost anulat, slotul {0} până la {1} suprapune slotul existent {2} până la {3}"
 DocType: Naming Series,Series List for this Transaction,Lista de serie pentru această tranzacție
 DocType: Company,Enable Perpetual Inventory,Activați inventarul perpetuu
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Comparativ articolului facturii de vânzări
 DocType: Agriculture Analysis Criteria,Linked Doctype,Legate de Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Numerar net din Finantare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage este plin, nu a salvat"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage este plin, nu a salvat"
 DocType: Lead,Address & Contact,Adresă și contact
 DocType: Leave Allocation,Add unused leaves from previous allocations,Adăugați zile de concediu neutilizate de la alocări anterioare
 DocType: Sales Partner,Partner website,site-ul partenerului
@@ -447,10 +447,10 @@
 ,Open Work Orders,Deschideți comenzile de lucru
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Aflați articolul de taxare pentru consultanță pentru pacient
 DocType: Payment Term,Credit Months,Lunile de credit
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Plata netă nu poate fi mai mică decât 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Plata netă nu poate fi mai mică decât 0
 DocType: Contract,Fulfilled,Fulfilled
 DocType: Inpatient Record,Discharge Scheduled,Descărcarea programată
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării
 DocType: POS Closing Voucher,Cashier,Casier
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Frunze pe an
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rând {0}: Vă rugăm să verificați ""Este Advance"" împotriva Cont {1} dacă aceasta este o intrare în avans."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Configurați elevii din grupurile de studenți
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Lucrul complet
 DocType: Item Website Specification,Item Website Specification,Specificație Site Articol
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Concediu Blocat
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Articolul {0} a ajuns la sfârșitul cliclului sau de viață in {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Concediu Blocat
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Articolul {0} a ajuns la sfârșitul cliclului sau de viață in {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Intrările bancare
 DocType: Customer,Is Internal Customer,Este client intern
 DocType: Crop,Annual,Anual
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Dacă este bifată opțiunea Auto Opt In, clienții vor fi conectați automat la programul de loialitate respectiv (la salvare)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock reconciliere Articol
 DocType: Stock Entry,Sales Invoice No,Factură de vânzări Nu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tip de aprovizionare
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tip de aprovizionare
 DocType: Material Request Item,Min Order Qty,Min Ordine Cantitate
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curs de grup studențesc instrument de creare
 DocType: Lead,Do Not Contact,Nu contactati
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publica in Hub
 DocType: Student Admission,Student Admission,Admiterea studenților
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Articolul {0} este anulat
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Articolul {0} este anulat
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Rândul de amortizare {0}: Data de începere a amortizării este introdusă ca dată trecută
 DocType: Contract Template,Fulfilment Terms and Conditions,Condiții și condiții de îndeplinire
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Cerere de material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Cerere de material
 DocType: Bank Reconciliation,Update Clearance Date,Actualizare Clearance Data
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Detalii de cumpărare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Postul {0} nu a fost găsit în &quot;Materii prime furnizate&quot; masă în Comandă {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Postul {0} nu a fost găsit în &quot;Materii prime furnizate&quot; masă în Comandă {1}
 DocType: Salary Slip,Total Principal Amount,Sumă totală principală
 DocType: Student Guardian,Relation,Relație
 DocType: Student Guardian,Mother,Mamă
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,County transport maritim
 DocType: Currency Exchange,For Selling,Pentru vânzări
 apps/erpnext/erpnext/config/desktop.py +159,Learn,A invata
+DocType: Purchase Invoice Item,Enable Deferred Expense,Activați cheltuielile amânate
 DocType: Asset,Next Depreciation Date,Data următoarei amortizări
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Cost activitate per angajat
 DocType: Accounts Settings,Settings for Accounts,Setări pentru conturi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Furnizor Factura nr există în factură Purchase {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Furnizor Factura nr există în factură Purchase {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gestioneaza Ramificatiile Persoanei responsabila cu Vanzarile
 DocType: Job Applicant,Cover Letter,Scrisoare de intenție
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cecuri restante și pentru a șterge Depozite
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Istoricul lucrului externă
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Eroare de referință Circular
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Student Card de raportare
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Din codul PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Din codul PIN
 DocType: Appointment Type,Is Inpatient,Este internat
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nume Guardian1
 DocType: Delivery Note,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.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Multi valutar
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Factura Tip
 DocType: Employee Benefit Claim,Expense Proof,Cheltuieli de probă
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Nota de Livrare
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Salvarea {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Nota de Livrare
 DocType: Patient Encounter,Encounter Impression,Întâlniți impresiile
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configurarea Impozite
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Costul de active vândute
 DocType: Volunteer,Morning,Dimineaţă
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Plata intrare a fost modificat după ce-l tras. Vă rugăm să trage din nou.
 DocType: Program Enrollment Tool,New Student Batch,Noul lot de studenți
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} a fost introdus de două ori în taxa articolului
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Rezumat pentru această săptămână și a activităților în curs
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} a fost introdus de două ori în taxa articolului
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Rezumat pentru această săptămână și a activităților în curs
 DocType: Student Applicant,Admitted,Admis
 DocType: Workstation,Rent Cost,Cost Chirie
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Suma după amortizare
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Suma după amortizare
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Evenimente viitoare Calendar
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Atribute Variant
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Vă rugăm selectați luna și anul
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Nu poate fi doar un cont per companie în {0} {1}
 DocType: Support Search Source,Response Result Key Path,Răspuns Rezultat Cale cheie
 DocType: Journal Entry,Inter Company Journal Entry,Intrarea în Jurnalul Inter companiei
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Pentru cantitatea {0} nu trebuie să fie mai mare decât cantitatea de comandă de lucru {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Vă rugăm să consultați atașament
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Pentru cantitatea {0} nu trebuie să fie mai mare decât cantitatea de comandă de lucru {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Vă rugăm să consultați atașament
 DocType: Purchase Order,% Received,% Primit
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Creați Grupurile de studenți
 DocType: Volunteer,Weekends,Weekend-uri
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Total deosebit
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Schimbați secventa de numar de inceput / curent a unei serii existente.
 DocType: Dosage Strength,Strength,Putere
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Creați un nou client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Creați un nou client
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Expirând On
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","În cazul în care mai multe reguli de stabilire a prețurilor continuă să prevaleze, utilizatorii sunt rugați să setați manual prioritate pentru a rezolva conflictul."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Creare comenzi de aprovizionare
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Cost Consumabile
 DocType: Purchase Receipt,Vehicle Date,Vehicul Data
 DocType: Student Log,Medical,Medical
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Motiv pentru pierdere
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Selectați Droguri
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Motiv pentru pierdere
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Selectați Droguri
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Plumb Proprietarul nu poate fi aceeași ca de plumb
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Suma alocată poate nu este mai mare decât valoarea brută
 DocType: Announcement,Receiver,Primitor
 DocType: Location,Area UOM,Zona UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation este închis la următoarele date ca pe lista de vacanta: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Oportunitati
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Oportunitati
 DocType: Lab Test Template,Single,Celibatar
 DocType: Compensatory Leave Request,Work From Date,Lucrul de la data
 DocType: Salary Slip,Total Loan Repayment,Rambursarea totală a creditului
+DocType: Project User,View attachments,Vizualizați atașamentele
 DocType: Account,Cost of Goods Sold,Cost Bunuri Vândute
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Va rugam sa introduceti Cost Center
 DocType: Drug Prescription,Dosage,Dozare
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Cantitatea și rata
 DocType: Delivery Note,% Installed,% Instalat
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Classrooms / Laboratoare, etc, unde prelegeri pot fi programate."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Monedele companiilor ambelor companii ar trebui să se potrivească cu tranzacțiile Inter-Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Monedele companiilor ambelor companii ar trebui să se potrivească cu tranzacțiile Inter-Company.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Va rugam sa introduceti numele companiei în primul rând
 DocType: Travel Itinerary,Non-Vegetarian,Non vegetarian
 DocType: Purchase Invoice,Supplier Name,Furnizor Denumire
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Temporar în așteptare
 DocType: Account,Is Group,Is Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Nota de credit {0} a fost creată automat
-DocType: Email Digest,Pending Purchase Orders,În așteptare comenzi de aprovizionare
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Setat automat Serial nr bazat pe FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Cec Furnizor Numărul facturii Unicitatea
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Detalii despre adresa primară
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Particulariza textul introductiv, care merge ca o parte din acel email. Fiecare tranzacție are un text introductiv separat."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Rândul {0}: operația este necesară împotriva elementului de materie primă {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Ați setat contul de plată implicit pentru compania {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Tranzacția nu este permisă împotriva comenzii de lucru oprita {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Tranzacția nu este permisă împotriva comenzii de lucru oprita {0}
 DocType: Setup Progress Action,Min Doc Count,Numărul minim de documente
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Setările globale pentru toate procesele de producție.
 DocType: Accounts Settings,Accounts Frozen Upto,Conturile sunt Blocate Până la
 DocType: SMS Log,Sent On,A trimis pe
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atributul {0} este selectat de mai multe ori în tabelul Atribute
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atributul {0} este selectat de mai multe ori în tabelul Atribute
 DocType: HR Settings,Employee record is created using selected field. ,Inregistrarea angajatului este realizata prin utilizarea campului selectat.
 DocType: Sales Order,Not Applicable,Nu se aplică
 DocType: Amazon MWS Settings,UK,Regatul Unit
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Angajatul {0} a solicitat deja {1} în {2}:
 DocType: Inpatient Record,AB Positive,AB pozitiv
 DocType: Job Opening,Description of a Job Opening,Descrierea unei slujbe
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Activități în așteptare pentru ziua de azi
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Activități în așteptare pentru ziua de azi
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Componenta de salarizare pentru salarizare bazate pe timesheet.
+DocType: Driver,Applicable for external driver,Aplicabil pentru driverul extern
 DocType: Sales Order Item,Used for Production Plan,Folosit pentru Planul de producție
 DocType: Loan,Total Payment,Plată totală
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Nu se poate anula tranzacția pentru comanda finalizată de lucru.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Nu se poate anula tranzacția pentru comanda finalizată de lucru.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Timp între operațiuni (în minute)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO a fost deja creată pentru toate elementele comenzii de vânzări
 DocType: Healthcare Service Unit,Occupied,Ocupat
 DocType: Clinical Procedure,Consumables,Consumabile
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} este anulată, astfel încât acțiunea nu poate fi terminată"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} este anulată, astfel încât acțiunea nu poate fi terminată"
 DocType: Customer,Buyer of Goods and Services.,Cumpărător de produse și servicii.
 DocType: Journal Entry,Accounts Payable,Conturi de plată
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Valoarea {0} stabilită în această solicitare de plată este diferită de suma calculată a tuturor planurilor de plată: {1}. Asigurați-vă că este corect înainte de a trimite documentul.
 DocType: Patient,Allergies,Alergii
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Cele BOM selectate nu sunt pentru același articol
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Cele BOM selectate nu sunt pentru același articol
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Modificați codul elementului
 DocType: Supplier Scorecard Standing,Notify Other,Notificați alta
 DocType: Vital Signs,Blood Pressure (systolic),Tensiunea arterială (sistolică)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Piese de schimb suficient pentru a construi
 DocType: POS Profile User,POS Profile User,Utilizator de profil POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Rând {0}: este necesară începerea amortizării
-DocType: Sales Invoice Item,Service Start Date,Data de începere a serviciului
+DocType: Purchase Invoice Item,Service Start Date,Data de începere a serviciului
 DocType: Subscription Invoice,Subscription Invoice,Factura de abonament
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Venituri Directe
 DocType: Patient Appointment,Date TIme,Data TIme
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Laboratorul de rutină
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Cosmetică
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Selectați Data de încheiere pentru jurnalul de întreținere a activelor finalizat
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Pentru a îmbina, următoarele proprietăți trebuie să fie aceeași pentru ambele elemente"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Pentru a îmbina, următoarele proprietăți trebuie să fie aceeași pentru ambele elemente"
 DocType: Supplier,Block Supplier,Furnizorul de blocuri
 DocType: Shipping Rule,Net Weight,Greutate netă
 DocType: Job Opening,Planned number of Positions,Număr planificat de poziții
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Formatul de cartografiere a fluxului de numerar
 DocType: Travel Request,Costing Details,Costul detaliilor
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Afișați înregistrările returnate
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial nici un articol nu poate fi o fracție
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial nici un articol nu poate fi o fracție
 DocType: Journal Entry,Difference (Dr - Cr),Diferența (Dr - Cr)
 DocType: Bank Guarantee,Providing,Furnizarea
 DocType: Account,Profit and Loss,Profit și pierdere
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nu este permisă, configurați Șablon de testare Lab așa cum este necesar"
 DocType: Patient,Risk Factors,Factori de risc
 DocType: Patient,Occupational Hazards and Environmental Factors,Riscuri Ocupaționale și Factori de Mediu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Înregistrări stoc deja create pentru comanda de lucru
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Înregistrări stoc deja create pentru comanda de lucru
 DocType: Vital Signs,Respiratory rate,Rata respiratorie
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Gestionarea Subcontracte
 DocType: Vital Signs,Body Temperature,Temperatura corpului
 DocType: Project,Project will be accessible on the website to these users,Proiectul va fi accesibil pe site-ul acestor utilizatori
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Nu se poate anula {0} {1} deoarece numărul de serie {2} nu aparține depozitului {3}
 DocType: Detected Disease,Disease,boală
+DocType: Company,Default Deferred Expense Account,Implicit contul amânat de cheltuieli
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definiți tipul de proiect.
 DocType: Supplier Scorecard,Weighting Function,Funcție de ponderare
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Taxă de consultanță
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,Articole produse
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Tranzacționați tranzacția la facturi
 DocType: Sales Order Item,Gross Profit,Profit brut
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Deblocați factura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Deblocați factura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Creștere nu poate fi 0
 DocType: Company,Delete Company Transactions,Ștergeți Tranzacții de Firma
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,De referință nr și de referință Data este obligatorie pentru tranzacție bancară
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Ignora
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} nu este activ
 DocType: Woocommerce Settings,Freight and Forwarding Account,Contul de expediere și de expediere
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Dimensiunile de instalare pentru imprimare de verificare
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Dimensiunile de instalare pentru imprimare de verificare
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Creați buletine de salariu
 DocType: Vital Signs,Bloated,Umflat
 DocType: Salary Slip,Salary Slip Timesheet,Salariu alunecare Pontaj
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizor Depozit obligatoriu pentru contractate sub-cumparare Primirea
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizor Depozit obligatoriu pentru contractate sub-cumparare Primirea
 DocType: Item Price,Valid From,Valabil de la
 DocType: Sales Invoice,Total Commission,Total de Comisie
 DocType: Tax Withholding Account,Tax Withholding Account,Contul de reținere fiscală
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Toate cardurile de evaluare ale furnizorilor.
 DocType: Buying Settings,Purchase Receipt Required,Cumpărare de primire Obligatoriu
 DocType: Delivery Note,Rail,șină
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Depozitul țintă în rândul {0} trebuie să fie același cu Ordinul de lucru
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Evaluarea Rata este obligatorie în cazul în care a intrat Deschiderea stoc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Depozitul țintă în rândul {0} trebuie să fie același cu Ordinul de lucru
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Evaluarea Rata este obligatorie în cazul în care a intrat Deschiderea stoc
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nu sunt găsite în tabelul de factură înregistrări
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Vă rugăm să selectați Company și Partidul Tip primul
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Deja a fost setat implicit în profilul pos {0} pentru utilizatorul {1}, dezactivat în mod prestabilit"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,An financiar / contabil.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,An financiar / contabil.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valorile acumulate
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Ne pare rău, Serial nr nu se pot uni"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Grupul de clienți va seta grupul selectat în timp ce va sincroniza clienții din Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,Id Conducere
 DocType: C-Form Invoice Detail,Grand Total,Total general
 DocType: Assessment Plan,Course,Curs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Codul secțiunii
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Codul secțiunii
 DocType: Timesheet,Payslip,fluturaș
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Data de la jumătate de zi ar trebui să fie între data și data
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Cos
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Personal Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID-ul de membru
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Livrate: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Livrate: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Conectat la QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Contul furnizori
 DocType: Payment Entry,Type of Payment,Tipul de plată
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Data semestrului este obligatorie
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Data livrării în cont
 DocType: Production Plan,Production Plan,Plan de productie
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Deschiderea Instrumentului de creare a facturilor
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Vânzări de returnare
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Vânzări de returnare
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Notă: Totalul frunzelor alocate {0} nu ar trebui să fie mai mică decât frunzele deja aprobate {1} pentru perioada
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Setați cantitatea din tranzacții pe baza numărului de intrare sir
 ,Total Stock Summary,Rezumatul total al stocului
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,Client sau un element
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza de Date Client.
 DocType: Quotation,Quotation To,Citat Pentru a
-DocType: Lead,Middle Income,Venituri medii
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Venituri medii
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Deschidere (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Unitatea de măsură implicită pentru postul {0} nu poate fi schimbat direct, deoarece aveti si voi deja unele tranzacții (i) cu un alt UOM. Veți avea nevoie pentru a crea un nou element pentru a utiliza un alt implicit UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Unitatea de măsură implicită pentru postul {0} nu poate fi schimbat direct, deoarece aveti si voi deja unele tranzacții (i) cu un alt UOM. Veți avea nevoie pentru a crea un nou element pentru a utiliza un alt implicit UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Suma alocată nu poate fi negativă
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Stabiliți compania
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Stabiliți compania
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selectați Cont de plăți pentru a face Banca de intrare
 DocType: Hotel Settings,Default Invoice Naming Series,Seria implicită de numire a facturilor
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Crearea de înregistrări angajaților pentru a gestiona frunze, cheltuieli și salarizare creanțe"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,A apărut o eroare în timpul procesului de actualizare
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,A apărut o eroare în timpul procesului de actualizare
 DocType: Restaurant Reservation,Restaurant Reservation,Rezervare la restaurant
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Propunere de scriere
 DocType: Payment Entry Deduction,Payment Entry Deduction,Plată Deducerea intrare
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Înfășurați-vă
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Notificați clienții prin e-mail
 DocType: Item,Batch Number Series,Seria numerelor serii
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Un alt Sales Person {0} există cu același ID Angajat
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Un alt Sales Person {0} există cu același ID Angajat
 DocType: Employee Advance,Claimed Amount,Suma solicitată
+DocType: QuickBooks Migrator,Authorization Settings,Setările de autorizare
 DocType: Travel Itinerary,Departure Datetime,Data plecării
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Costul cererii de călătorie
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,Furnizor de denumire prin
 DocType: Activity Type,Default Costing Rate,Implicit Rata Costing
 DocType: Maintenance Schedule,Maintenance Schedule,Program Mentenanta
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"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"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"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"
 DocType: Employee Promotion,Employee Promotion Details,Detaliile de promovare a angajaților
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Schimbarea net în inventar
 DocType: Employee,Passport Number,Numărul de pașaport
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relația cu Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manager
 DocType: Payment Entry,Payment From / To,Plata De la / la
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Din anul fiscal
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Noua limită de credit este mai mică decât valoarea curentă restante pentru client. Limita de credit trebuie să fie atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Vă rugăm să configurați un cont în Warehouse {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Vă rugăm să configurați un cont în Warehouse {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Bazat pe' și 'Grupat dupa' nu pot fi identice
 DocType: Sales Person,Sales Person Targets,Obiective de vânzări Persoana
 DocType: Work Order Operation,In minutes,In cateva minute
 DocType: Issue,Resolution Date,Data rezolvare
 DocType: Lab Test Template,Compound,Compus
+DocType: Opportunity,Probability (%),Probabilitate (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Notificare de expediere
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Selectați proprietatea
 DocType: Student Batch Name,Batch Name,Nume lot
 DocType: Fee Validity,Max number of visit,Numărul maxim de vizite
 ,Hotel Room Occupancy,Hotel Ocuparea camerei
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Pontajul creat:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Vă rugăm să setați Cash implicit sau cont bancar în modul de plată {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Vă rugăm să setați Cash implicit sau cont bancar în modul de plată {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,A se inscrie
 DocType: GST Settings,GST Settings,Setări GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuta trebuie sa fie aceeasi cu Moneda Preturilor: {0}
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,Dobânda totală de plată
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impozite cost debarcate și Taxe
 DocType: Work Order Operation,Actual Start Time,Timpul efectiv de începere
+DocType: Purchase Invoice Item,Deferred Expense Account,Contul de cheltuieli amânate
 DocType: BOM Operation,Operation Time,Funcționare Ora
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,finalizarea
 DocType: Salary Structure Assignment,Base,Baza
 DocType: Timesheet,Total Billed Hours,Numărul total de ore facturate
 DocType: Travel Itinerary,Travel To,Călători în
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nu este
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Scrie Off Suma
 DocType: Leave Block List Allow,Allow User,Permiteţi utilizator
 DocType: Journal Entry,Bill No,Factură nr.
@@ -1089,9 +1099,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Fișa de timp
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Materii Prime bazat pe
 DocType: Sales Invoice,Port Code,Codul portului
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Rezervați depozitul
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Rezervați depozitul
 DocType: Lead,Lead is an Organization,Plumbul este o organizație
-DocType: Guardian Interest,Interest,Interes
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Vânzări pre
 DocType: Instructor Log,Other Details,Alte detalii
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,furnizo
@@ -1101,7 +1110,7 @@
 DocType: Account,Accounts,Conturi
 DocType: Vehicle,Odometer Value (Last),Valoarea contorului de parcurs (Ultimul)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Șabloane ale criteriilor privind tabloul de bord al furnizorului.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Răscumpărați punctele de loialitate
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Plata Intrarea este deja creat
 DocType: Request for Quotation,Get Suppliers,Obțineți furnizori
@@ -1118,16 +1127,14 @@
 DocType: Crop,Crop Spacing UOM,Distanțarea culturii UOM
 DocType: Loyalty Program,Single Tier Program,Program unic de nivel
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selectați numai dacă aveți setarea documentelor Mapper Flow Flow
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,De la adresa 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,De la adresa 1
 DocType: Email Digest,Next email will be sent on:,Următorul email va fi trimis la:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Următorul articol {items} {verb} este marcat ca articol {message}. Puteți să-i activați ca element {message} de la elementul său principal
 DocType: Supplier Scorecard,Per Week,Pe saptamana
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Element are variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Element are variante.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Student total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Articolul {0} nu a fost găsit
 DocType: Bin,Stock Value,Valoare stoc
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Firma {0} nu există
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Firma {0} nu există
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} are valabilitate până la data de {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Arbore Tip
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Cantitate consumata pe unitatea
@@ -1142,7 +1149,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptabile [FEC]
 DocType: Journal Entry,Credit Card Entry,Card de credit intrare
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Și evidența contabilă
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,în valoare
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,în valoare
 DocType: Asset Settings,Depreciation Options,Opțiunile de amortizare
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Trebuie să fie necesară locația sau angajatul
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Ora nevalidă a postării
@@ -1159,20 +1166,21 @@
 DocType: Leave Allocation,Allocation,Alocare
 DocType: Purchase Order,Supply Raw Materials,Aprovizionarea cu materii prime
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Active Curente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} nu este un articol de stoc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} nu este un articol de stoc
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vă rugăm să împărtășiți feedback-ul dvs. la antrenament făcând clic pe &quot;Feedback Training&quot; și apoi pe &quot;New&quot;
 DocType: Mode of Payment Account,Default Account,Cont Implicit
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Vă rugăm să selectați mai întâi Warehouse de stocare a probelor din Setări stoc
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Vă rugăm să selectați mai întâi Warehouse de stocare a probelor din Setări stoc
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Selectați tipul de program cu mai multe niveluri pentru mai multe reguli de colectare.
 DocType: Payment Entry,Received Amount (Company Currency),Suma primită (Moneda Companiei)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Conducerea trebuie să fie setata dacă Oportunitatea este creata din Conducere
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Plata anulată. Verificați contul GoCardless pentru mai multe detalii
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Trimiteți cu atașament
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Vă rugăm să selectați zi liberă pe săptămână
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planificate End Time
 ,Sales Person Target Variance Item Group-Wise,Persoana de vânzări țintă varianță Articol Grupa Înțelept
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Un cont cu tranzacții existente nu poate fi transformat în registru contabil
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Un cont cu tranzacții existente nu poate fi transformat în registru contabil
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Detalii despre tipul de membru
 DocType: Delivery Note,Customer's Purchase Order No,Nr. Comanda de Aprovizionare Client
 DocType: Clinical Procedure,Consume Stock,Consumați stocul
@@ -1185,26 +1193,26 @@
 DocType: Soil Texture,Sand,Nisip
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energie
 DocType: Opportunity,Opportunity From,Oportunitate de la
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rând {0}: {1} Numerele de serie necesare pentru articolul {2}. Ați oferit {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rând {0}: {1} Numerele de serie necesare pentru articolul {2}. Ați oferit {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Selectați un tabel
 DocType: BOM,Website Specifications,Site-ul Specificații
 DocType: Special Test Items,Particulars,Particularități
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: de la {0} de tipul {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Rând {0}: Factorul de conversie este obligatorie
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Rând {0}: Factorul de conversie este obligatorie
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reguli de preturi multiple există cu aceleași criterii, vă rugăm să rezolve conflictul prin atribuirea de prioritate. Reguli de preț: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reguli de preturi multiple există cu aceleași criterii, vă rugăm să rezolve conflictul prin atribuirea de prioritate. Reguli de preț: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Contul de reevaluare a cursului de schimb
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nu se poate deactiva sau anula FDM, deoarece este conectat cu alte FDM-uri"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nu se poate deactiva sau anula FDM, deoarece este conectat cu alte FDM-uri"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Selectați Company and Dateing date pentru a obține înregistrări
 DocType: Asset,Maintenance,Mentenanţă
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Ia de la întâlnirea cu pacienții
 DocType: Subscriber,Subscriber,Abonat
 DocType: Item Attribute Value,Item Attribute Value,Postul caracteristicii Valoarea
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Actualizați starea proiectului
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Actualizați starea proiectului
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Schimbul valutar trebuie să fie aplicabil pentru cumpărare sau pentru vânzare.
 DocType: Item,Maximum sample quantity that can be retained,Cantitatea maximă de mostră care poate fi reținută
 DocType: Project Update,How is the Project Progressing Right Now?,Cum se desfasoara proiectul acum?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rândul {0} # Articol {1} nu poate fi transferat mai mult de {2} față de comanda de aprovizionare {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rândul {0} # Articol {1} nu poate fi transferat mai mult de {2} față de comanda de aprovizionare {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanii de vanzari.
 DocType: Project Task,Make Timesheet,asiguraţi-Pontaj
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1252,36 +1260,38 @@
 DocType: Lab Test,Lab Test,Test de laborator
 DocType: Student Report Generation Tool,Student Report Generation Tool,Instrumentul de generare a rapoartelor elevilor
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Programul de îngrijire a sănătății Time Slot
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Denumire Doc
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Denumire Doc
 DocType: Expense Claim Detail,Expense Claim Type,Tip Revendicare Cheltuieli
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Setările implicite pentru Cosul de cumparaturi
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Adăugați Intervale de Timp
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Activ casate prin Jurnal de intrare {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vă rugăm să configurați contul în depozit {0} sau contul implicit de inventar din companie {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Activ casate prin Jurnal de intrare {0}
 DocType: Loan,Interest Income Account,Contul Interes Venit
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Beneficiile maxime ar trebui să fie mai mari decât zero pentru a renunța la beneficii
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Beneficiile maxime ar trebui să fie mai mari decât zero pentru a renunța la beneficii
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Examinarea invitației trimisă
 DocType: Shift Assignment,Shift Assignment,Schimbare asignare
 DocType: Employee Transfer Property,Employee Transfer Property,Angajamentul transferului de proprietate
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Din timp ar trebui să fie mai puțin decât timpul
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotehnologie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Produsul {0} (nr. De serie: {1}) nu poate fi consumat așa cum este reserverd \ pentru a îndeplini comanda de vânzări {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Cheltuieli de întreținere birou
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Mergi la
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Actualizați prețul de la Shopify la lista de prețuri ERP următoare
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurarea contului de e-mail
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Va rugam sa introduceti Articol primul
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analiza Nevoilor
 DocType: Asset Repair,Downtime,downtime
 DocType: Account,Liability,Răspundere
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sancționat Suma nu poate fi mai mare decât revendicarea Suma în rândul {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sancționat Suma nu poate fi mai mare decât revendicarea Suma în rândul {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Termen academic:
 DocType: Salary Component,Do not include in total,Nu includeți în total
 DocType: Company,Default Cost of Goods Sold Account,Implicit Costul cont bunuri vândute
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Cantitatea de probe {0} nu poate fi mai mare decât cantitatea primită {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Lista de prețuri nu selectat
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Cantitatea de probe {0} nu poate fi mai mare decât cantitatea primită {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Lista de prețuri nu selectat
 DocType: Employee,Family Background,Context familial
 DocType: Request for Quotation Supplier,Send Email,Trimiteți-ne email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Atenție: Attachment invalid {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Atenție: Attachment invalid {0}
 DocType: Item,Max Sample Quantity,Cantitate maximă de probă
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nici o permisiune
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lista de verificare a executării contului
@@ -1313,15 +1323,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} nu aparține Companiei {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Încărcați capul scrisorii dvs. (Păstrați-l prietenos pe web ca 900px la 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Cont {2} nu poate fi un grup
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Postul rând {IDX}: {DOCTYPE} {DOCNAME} nu există în sus &quot;{DOCTYPE} &#39;masă
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Pontajul {0} este deja finalizat sau anulat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Pontajul {0} este deja finalizat sau anulat
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nu există nicio sarcină
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Factura de vânzări {0} creată ca plătită
 DocType: Item Variant Settings,Copy Fields to Variant,Copiați câmpurile în varianta
 DocType: Asset,Opening Accumulated Depreciation,Deschidere Amortizarea Acumulate
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Scorul trebuie să fie mai mică sau egală cu 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Programul Instrumentul de înscriere
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Înregistrări formular-C
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Înregistrări formular-C
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Acțiunile există deja
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Client și furnizor
 DocType: Email Digest,Email Digest Settings,Setari Email Digest
@@ -1334,12 +1344,12 @@
 DocType: Production Plan,Select Items,Selectați Elemente
 DocType: Share Transfer,To Shareholder,Pentru acționar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} comparativ cu factura {1} din data de {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Din stat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Din stat
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Instituția de înființare
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Alocarea frunzelor ...
 DocType: Program Enrollment,Vehicle/Bus Number,Numărul vehiculului / autobuzului
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Program de curs de
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Trebuie să deduceți impozitul pentru dovezi de scutire fiscală nedorite și necompensate \ Beneficiile angajaților în ultimul salariu al perioadei de salarizare
 DocType: Request for Quotation Supplier,Quote Status,Citat Stare
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1365,13 +1375,13 @@
 DocType: Sales Invoice,Payment Due Date,Data scadentă de plată
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",Resetați dacă adresa editată este editată după salvare
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Postul Varianta {0} există deja cu aceleași atribute
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Postul Varianta {0} există deja cu aceleași atribute
 DocType: Item,Hub Publishing Details,Detalii privind publicarea Hubului
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Deschiderea&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Deschiderea&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Deschideți To Do
 DocType: Issue,Via Customer Portal,Prin portalul de clienți
 DocType: Notification Control,Delivery Note Message,Nota de Livrare Mesaj
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Suma SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Suma SGST
 DocType: Lab Test Template,Result Format,Formatul rezultatelor
 DocType: Expense Claim,Expenses,Cheltuieli
 DocType: Item Variant Attribute,Item Variant Attribute,Varianta element Atribut
@@ -1379,14 +1389,12 @@
 DocType: Payroll Entry,Bimonthly,Bilunar
 DocType: Vehicle Service,Brake Pad,Pad de frână
 DocType: Fertilizer,Fertilizer Contents,Conținutul de îngrășăminte
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Cercetare & Dezvoltare
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Cercetare & Dezvoltare
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Sumă pentru facturare
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Data de începere și data de încheiere se suprapun cu cartea de lucru <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Detalii de înregistrare
 DocType: Timesheet,Total Billed Amount,Suma totală Billed
 DocType: Item Reorder,Re-Order Qty,Re-comanda Cantitate
 DocType: Leave Block List Date,Leave Block List Date,Data Lista Concedii Blocate
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație&gt; Setări educaționale
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Materia primă nu poate fi identică cu elementul principal
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Taxe totale aplicabile în tabelul de achiziție Chitanță Elementele trebuie să fie la fel ca total impozite și taxe
 DocType: Sales Team,Incentives,Stimulente
@@ -1400,7 +1408,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Punct de vânzare
 DocType: Fee Schedule,Fee Creation Status,Starea de creare a taxelor
 DocType: Vehicle Log,Odometer Reading,Kilometrajul
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Debit""."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Debit""."
 DocType: Account,Balance must be,Bilanţul trebuie să fie
 DocType: Notification Control,Expense Claim Rejected Message,Mesaj Respingere Revendicare Cheltuieli
 ,Available Qty,Cantitate disponibilă
@@ -1412,7 +1420,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Sincronizați întotdeauna produsele dvs. cu Amazon MWS înainte de sincronizarea detaliilor comenzilor
 DocType: Delivery Trip,Delivery Stops,Livrarea se oprește
 DocType: Salary Slip,Working Days,Zile lucratoare
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Nu se poate schimba data de începere a serviciului pentru elementul din rândul {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Nu se poate schimba data de începere a serviciului pentru elementul din rândul {0}
 DocType: Serial No,Incoming Rate,Rate de intrare
 DocType: Packing Slip,Gross Weight,Greutate brută
 DocType: Leave Type,Encashment Threshold Days,Zilele pragului de încasare
@@ -1431,31 +1439,33 @@
 DocType: Restaurant Table,Minimum Seating,Scaunele minime
 DocType: Item Attribute,Item Attribute Values,Valori Postul Atribut
 DocType: Examination Result,Examination Result,examinarea Rezultat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Primirea de cumpărare
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Primirea de cumpărare
 ,Received Items To Be Billed,Articole primite Pentru a fi facturat
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Maestru cursului de schimb valutar.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Maestru cursului de schimb valutar.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referință Doctype trebuie să fie una dintre {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtrați numărul total zero
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Imposibilitatea de a găsi timp Slot în următorii {0} zile pentru Operațiunea {1}
 DocType: Work Order,Plan material for sub-assemblies,Material Plan de subansambluri
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Parteneri de vânzări și teritoriu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} trebuie să fie activ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} trebuie să fie activ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Nu există elemente disponibile pentru transfer
 DocType: Employee Boarding Activity,Activity Name,Numele activității
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Modificați data de lansare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Produsul finit <b>{0}</b> și Cantitatea <b>{1}</b> nu pot fi diferite
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Modificați data de lansare
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Produsul finit <b>{0}</b> și Cantitatea <b>{1}</b> nu pot fi diferite
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Închidere (deschidere + total)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Codul elementului&gt; Element Grup&gt; Brand
+DocType: Delivery Settings,Dispatch Notification Attachment,Expedierea notificării atașament
 DocType: Payroll Entry,Number Of Employees,Numar de angajati
 DocType: Journal Entry,Depreciation Entry,amortizare intrare
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Vă rugăm să selectați tipul de document primul
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Vă rugăm să selectați tipul de document primul
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuleaza Vizite Material {0} înainte de a anula această Vizita de întreținere
 DocType: Pricing Rule,Rate or Discount,Tarif sau Discount
 DocType: Vital Signs,One Sided,O singură față
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Cantitate ceruta
 DocType: Marketplace Settings,Custom Data,Date personalizate
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Depozite de tranzacții existente nu pot fi convertite în contabilitate.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Numărul de serie nu este obligatoriu pentru articolul {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Depozite de tranzacții existente nu pot fi convertite în contabilitate.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Numărul de serie nu este obligatoriu pentru articolul {0}
 DocType: Bank Reconciliation,Total Amount,Suma totală
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,De la data și până la data se află în anul fiscal diferit
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacientul {0} nu are refrence de facturare pentru clienți
@@ -1466,9 +1476,9 @@
 DocType: Soil Texture,Clay Composition (%),Compoziția de lut (%)
 DocType: Item Group,Item Group Defaults,Setări implicite pentru grupul de articole
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Salvați înainte de atribuirea unei sarcini.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Valoarea bilanţului
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Valoarea bilanţului
 DocType: Lab Test,Lab Technician,Tehnician de laborator
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Lista de prețuri de vânzare
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Lista de prețuri de vânzare
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Dacă este bifată, va fi creat un client, cartografiat pacientului. Facturile de pacienți vor fi create împotriva acestui Client. De asemenea, puteți selecta Clientul existent în timp ce creați pacientul."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Clientul nu este înscris în niciun program de loialitate
@@ -1482,13 +1492,13 @@
 DocType: Support Search Source,Search Term Param Name,Termenul de căutare Param Name
 DocType: Item Barcode,Item Barcode,Element de coduri de bare
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Postul variante {0} actualizat
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Postul variante {0} actualizat
 DocType: Quality Inspection Reading,Reading 6,Lectura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} fără nici o factură negativă restante
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} fără nici o factură negativă restante
 DocType: Share Transfer,From Folio No,Din Folio nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de cumpărare în avans
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Rând {0}: intrare de credit nu poate fi legat de o {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definiți bugetul pentru un exercițiu financiar.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definiți bugetul pentru un exercițiu financiar.
 DocType: Shopify Tax Account,ERPNext Account,Contul ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} este blocat, astfel încât această tranzacție nu poate continua"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Acțiune dacă bugetul lunar acumulat este depășit cu MR
@@ -1504,19 +1514,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Factura de cumpărare
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Permiteți consumarea mai multor materiale față de o comandă de lucru
 DocType: GL Entry,Voucher Detail No,Detaliu voucher Nu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Noua factură de vânzări
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Noua factură de vânzări
 DocType: Stock Entry,Total Outgoing Value,Valoarea totală de ieșire
 DocType: Healthcare Practitioner,Appointments,Programari
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Deschiderea și data inchiderii ar trebui să fie în același an fiscal
 DocType: Lead,Request for Information,Cerere de informații
 ,LeaderBoard,LEADERBOARD
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rata cu marjă (moneda companiei)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sincronizare offline Facturile
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sincronizare offline Facturile
 DocType: Payment Request,Paid,Plătit
 DocType: Program Fee,Program Fee,Taxa de program
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Înlocuiți un BOM particular în toate celelalte BOM unde este utilizat. Acesta va înlocui vechiul link BOM, va actualiza costul și va regenera tabelul &quot;BOM Explosion Item&quot; ca pe noul BOM. Actualizează, de asemenea, ultimul preț în toate BOM-urile."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Au fost create următoarele ordine de lucru:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Au fost create următoarele ordine de lucru:
 DocType: Salary Slip,Total in words,Total în cuvinte
 DocType: Inpatient Record,Discharged,evacuate
 DocType: Material Request Item,Lead Time Date,Data Timp Conducere
@@ -1527,16 +1537,16 @@
 DocType: Support Settings,Get Started Sections,Începeți secțiunile
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,consacrat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,este obligatorie. Poate înregistrarea de schimb valutar nu este creeatã pentru
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Rând # {0}: Vă rugăm să specificați Nu serial pentru postul {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Suma totală a contribuției: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Rând # {0}: Vă rugăm să specificați Nu serial pentru postul {1}
 DocType: Payroll Entry,Salary Slips Submitted,Salariile trimise
 DocType: Crop Cycle,Crop Cycle,Ciclu de recoltare
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pentru elementele &quot;produse Bundle&quot;, Warehouse, Serial No și lot nr vor fi luate în considerare de la &quot;ambalare List&quot; masa. Dacă Warehouse și Lot nr sunt aceleași pentru toate elementele de ambalaj pentru produs orice &quot;Bundle produs&quot;, aceste valori pot fi introduse în tabelul de punctul principal, valorile vor fi copiate &quot;de ambalare Lista&quot; masă."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pentru elementele &quot;produse Bundle&quot;, Warehouse, Serial No și lot nr vor fi luate în considerare de la &quot;ambalare List&quot; masa. Dacă Warehouse și Lot nr sunt aceleași pentru toate elementele de ambalaj pentru produs orice &quot;Bundle produs&quot;, aceste valori pot fi introduse în tabelul de punctul principal, valorile vor fi copiate &quot;de ambalare Lista&quot; masă."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,De la loc
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Plata netă nu poate fi negativă
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,De la loc
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Plata netă nu poate fi negativă
 DocType: Student Admission,Publish on website,Publica pe site-ul
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Furnizor Data facturii nu poate fi mai mare decât postare Data
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Furnizor Data facturii nu poate fi mai mare decât postare Data
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Data de anulare
 DocType: Purchase Invoice Item,Purchase Order Item,Comandă de aprovizionare Articol
@@ -1545,7 +1555,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Instrumentul de student Participarea
 DocType: Restaurant Menu,Price List (Auto created),Lista de prețuri (creată automat)
 DocType: Cheque Print Template,Date Settings,dată Setări
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variație
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variație
 DocType: Employee Promotion,Employee Promotion Detail,Detaliile de promovare a angajaților
 ,Company Name,Denumire Furnizor
 DocType: SMS Center,Total Message(s),Total mesaj(e)
@@ -1575,7 +1585,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Nu trimiteți Memento pentru Zi de Nastere Angajat
 DocType: Expense Claim,Total Advance Amount,Suma totală a avansului
 DocType: Delivery Stop,Estimated Arrival,Sosirea estimată
-DocType: Delivery Stop,Notified by Email,Notificată prin e-mail
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Vezi toate articolele
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,Criteriile de inspecție
@@ -1585,23 +1594,22 @@
 DocType: Timesheet Detail,Bill,Factură
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Alb
 DocType: SMS Center,All Lead (Open),Toate articolele de top (deschise)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rândul {0}: Cant nu este disponibil pentru {4} în depozit {1} în postarea momentul înscrierii ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rândul {0}: Cant nu este disponibil pentru {4} în depozit {1} în postarea momentul înscrierii ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Puteți selecta numai o singură opțiune din lista de casete de selectare.
 DocType: Purchase Invoice,Get Advances Paid,Obtine Avansurile Achitate
 DocType: Item,Automatically Create New Batch,Creare automată Lot nou
 DocType: Item,Automatically Create New Batch,Creare automată a Lot nou
 DocType: Supplier,Represents Company,Reprezintă compania
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Realizare
 DocType: Student Admission,Admission Start Date,Data de începere a Admiterii
 DocType: Journal Entry,Total Amount in Words,Suma totală în cuvinte
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Angajat nou
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,A aparut o eroare. Un motiv probabil ar putea fi că nu ați salvat formularul. Vă rugăm să contactați iulianolaru@ollala.ro dacă problema persistă.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Cosul meu
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Pentru Tipul trebuie să fie una dintre {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Pentru Tipul trebuie să fie una dintre {0}
 DocType: Lead,Next Contact Date,Următor Contact Data
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Deschiderea Cantitate
 DocType: Healthcare Settings,Appointment Reminder,Memento pentru numire
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Vă rugăm să introduceți cont pentru Schimbare Sumă
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Vă rugăm să introduceți cont pentru Schimbare Sumă
 DocType: Program Enrollment Tool Student,Student Batch Name,Nume elev Lot
 DocType: Holiday List,Holiday List Name,Denumire Lista de Vacanță
 DocType: Repayment Schedule,Balance Loan Amount,Soldul Suma creditului
@@ -1611,13 +1619,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Opțiuni pe acțiuni
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nu sunt adăugate produse în coș
 DocType: Journal Entry Account,Expense Claim,Revendicare Cheltuieli
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Sigur doriți să restabiliți acest activ casate?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Sigur doriți să restabiliți acest activ casate?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Cantitate pentru {0}
 DocType: Leave Application,Leave Application,Aplicatie pentru Concediu
 DocType: Patient,Patient Relation,Relația pacientului
 DocType: Item,Hub Category to Publish,Categorie Hub pentru publicare
 DocType: Leave Block List,Leave Block List Dates,Date Lista Concedii Blocate
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Ordinul de vânzări {0} are rezervare pentru articolul {1}, puteți trimite numai {1} rezervat pentru {0}. Numărul serial {2} nu poate fi livrat"
 DocType: Sales Invoice,Billing Address GSTIN,Adresa de facturare GSTIN
@@ -1635,16 +1643,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vă rugăm să specificați un {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Articole eliminate cu nici o schimbare în cantitate sau de valoare.
 DocType: Delivery Note,Delivery To,De Livrare la
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Crearea de variante a fost în coada de așteptare.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Rezumatul lucrării pentru {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Crearea de variante a fost în coada de așteptare.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Rezumatul lucrării pentru {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Primul Aprobator de plecare din listă va fi setat ca implicit Permis de plecare.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Tabelul atribut este obligatoriu
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Tabelul atribut este obligatoriu
 DocType: Production Plan,Get Sales Orders,Obține comenzile de vânzări
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} nu poate fi negativ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Conectați-vă la agendele rapide
 DocType: Training Event,Self-Study,Studiu individual
 DocType: POS Closing Voucher,Period End Date,Perioada de sfârșit a perioadei
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Compozițiile solului nu adaugă până la 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Reducere
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Rândul {0}: {1} este necesar pentru a crea Facturile de deschidere {2}
 DocType: Membership,Membership,apartenență
 DocType: Asset,Total Number of Depreciations,Număr total de Deprecieri
 DocType: Sales Invoice Item,Rate With Margin,Rate cu marjă
@@ -1656,7 +1666,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Vă rugăm să specificați un ID rând valabil pentru rând {0} în tabelul {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Imposibil de găsit variabila:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Selectați un câmp de editat din numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Nu poate fi un element de activ fix, deoarece este creat un registru de stoc."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Nu poate fi un element de activ fix, deoarece este creat un registru de stoc."
 DocType: Subscription Plan,Fixed rate,Rata fixa
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,admite
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Du-te la desktop și începe să utilizați ERPNext
@@ -1690,7 +1700,7 @@
 DocType: Tax Rule,Shipping State,Stat de transport maritim
 ,Projected Quantity as Source,Cantitatea ca sursă proiectată
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Postul trebuie să fie adăugate folosind ""obține elemente din Cumpără Încasări"" buton"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Excursie la expediere
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Excursie la expediere
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Tip de transfer
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Cheltuieli de vânzare
@@ -1703,8 +1713,9 @@
 DocType: Item Default,Default Selling Cost Center,Centru de Cost Vanzare Implicit
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disc
 DocType: Buying Settings,Material Transferred for Subcontract,Material transferat pentru subcontractare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Cod postal
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Comandă de vânzări {0} este {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Elementele comenzilor de cumpărare sunt restante
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Cod postal
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Comandă de vânzări {0} este {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Selectați contul de venituri din dobânzi în împrumut {0}
 DocType: Opportunity,Contact Info,Informaţii Persoana de Contact
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Efectuarea de stoc Entries
@@ -1717,12 +1728,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Factura nu poate fi făcută pentru ora de facturare zero
 DocType: Company,Date of Commencement,Data începerii
 DocType: Sales Person,Select company name first.,Selectați numele companiei în primul rând.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail trimis la {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail trimis la {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Cotatiilor primite de la furnizori.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Înlocuiți BOM și actualizați prețul cel mai recent în toate BOM-urile
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Pentru a {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Acesta este un grup de furnizori rădăcini și nu poate fi editat.
-DocType: Delivery Trip,Driver Name,Numele șoferului
+DocType: Delivery Note,Driver Name,Numele șoferului
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Vârstă medie
 DocType: Education Settings,Attendance Freeze Date,Data de înghețare a prezenței
 DocType: Education Settings,Attendance Freeze Date,Data de înghețare a prezenței
@@ -1734,7 +1745,7 @@
 DocType: Company,Parent Company,Compania mamă
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Camerele Hotel de tip {0} nu sunt disponibile în {1}
 DocType: Healthcare Practitioner,Default Currency,Monedă implicită
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Reducerea maximă pentru articolul {0} este {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Reducerea maximă pentru articolul {0} este {1}%
 DocType: Asset Movement,From Employee,Din Angajat
 DocType: Driver,Cellphone Number,număr de telefon
 DocType: Project,Monitor Progress,Monitorizați progresul
@@ -1750,19 +1761,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Cantitatea trebuie sa fie mai mic sau egal cu {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Suma maximă eligibilă pentru componenta {0} depășește {1}
 DocType: Department Approver,Department Approver,Departamentul Aprobare
+DocType: QuickBooks Migrator,Application Settings,Setările aplicației
 DocType: SMS Center,Total Characters,Total de caractere
 DocType: Employee Advance,Claimed,Revendicat
 DocType: Crop,Row Spacing,Spațierea rândului
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Vă rugăm să selectați BOM BOM în domeniu pentru postul {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Vă rugăm să selectați BOM BOM în domeniu pentru postul {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Nu există variante de elemente pentru elementul selectat
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detaliu factură formular-C
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Reconcilierea plata facturii
 DocType: Clinical Procedure,Procedure Template,Șablon de procedură
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Contribuția%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","În conformitate cu Setările de cumpărare dacă comanda de aprovizionare este obligatorie == &#39;YES&#39;, atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze mai întâi comanda de aprovizionare pentru elementul {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Contribuția%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","În conformitate cu Setările de cumpărare dacă comanda de aprovizionare este obligatorie == &#39;YES&#39;, atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze mai întâi comanda de aprovizionare pentru elementul {0}"
 ,HSN-wise-summary of outward supplies,Rezumatul HSN pentru rezervele exterioare
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Numerele de înregistrare companie pentru referință. Numerele fiscale etc
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,A afirma
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,A afirma
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distribuitor
 DocType: Asset Finance Book,Asset Finance Book,Cartea de finanțare a activelor
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Cosul de cumparaturi Articolul Transport
@@ -1771,7 +1783,7 @@
 ,Ordered Items To Be Billed,Comandat de Articole Pentru a fi facturat
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Din Gama trebuie să fie mai mică de la gama
 DocType: Global Defaults,Global Defaults,Valori Implicite Globale
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Colaborare proiect Invitație
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Colaborare proiect Invitație
 DocType: Salary Slip,Deductions,Deduceri
 DocType: Setup Progress Action,Action Name,Numele acțiunii
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Anul de începere
@@ -1785,11 +1797,12 @@
 DocType: Lead,Consultant,Consultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Conferința părinților la conferința părintească
 DocType: Salary Slip,Earnings,Câștiguri
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Postul terminat {0} trebuie să fie introdusă de intrare de tip fabricarea
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Postul terminat {0} trebuie să fie introdusă de intrare de tip fabricarea
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Sold Contabilitate
 ,GST Sales Register,Registrul vânzărilor GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Factura Vanzare Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nimic de a solicita
+DocType: Stock Settings,Default Return Warehouse,Întoarcere înapoi implicită
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Selectați-vă domeniile
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Furnizor de magazin
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elemente de factură de plată
@@ -1798,15 +1811,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Câmpurile vor fi copiate numai în momentul creării.
 DocType: Setup Progress Action,Domains,Domenii
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Data efectivă de începere' nu poate fi după  'Data efectivă de sfârșit'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Management
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Management
 DocType: Cheque Print Template,Payer Settings,Setări plătitorilor
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Nu au fost găsite solicitări de material în așteptare pentru link-ul pentru elementele date.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Selectați mai întâi compania
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Acest lucru va fi adăugat la Codul punctul de varianta. De exemplu, în cazul în care abrevierea este ""SM"", iar codul produs face ""T-SHIRT"", codul punctul de varianta va fi ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay net (în cuvinte) vor fi vizibile după ce salvați fluturasul de salariu.
 DocType: Delivery Note,Is Return,Este de returnare
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Prudență
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Ziua de început este mai mare decât ziua de sfârșit în sarcina &quot;{0}&quot;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Returnare / debit Notă
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Returnare / debit Notă
 DocType: Price List Country,Price List Country,Lista de preturi Țară
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} numere de serie valabile pentru articolul {1}
@@ -1819,13 +1833,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Acordați informații.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Baza de date furnizor.
 DocType: Contract Template,Contract Terms and Conditions,Termeni și condiții contractuale
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Nu puteți reporni o abonament care nu este anulat.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Nu puteți reporni o abonament care nu este anulat.
 DocType: Account,Balance Sheet,Bilant
 DocType: Leave Type,Is Earned Leave,Este lăsat câștigat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Centrul de cost pentru postul cu codul Postul '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Centrul de cost pentru postul cu codul Postul '
 DocType: Fee Validity,Valid Till,Valabil până la
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Întâlnire între profesorii de părinți
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modul de plată nu este configurat. Vă rugăm să verificați, dacă contul a fost setat pe modul de plăți sau la POS Profil."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modul de plată nu este configurat. Vă rugăm să verificați, dacă contul a fost setat pe modul de plăți sau la POS Profil."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Același articol nu poate fi introdus de mai multe ori.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Conturile suplimentare pot fi făcute sub Groups, dar intrările pot fi făcute împotriva non-Grupuri"
 DocType: Lead,Lead,Conducere
@@ -1834,11 +1848,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Arhivă de intrare {0} creat
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Nu aveți puncte de loialitate pentru a răscumpăra
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Respins Cantitate nu pot fi introduse în Purchase Întoarcere
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Vă rugăm să setați contul asociat în categoria de reținere fiscală {0} împotriva companiei {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Respins Cantitate nu pot fi introduse în Purchase Întoarcere
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Schimbarea Grupului de Clienți pentru Clientul selectat nu este permisă.
 ,Purchase Order Items To Be Billed,Cumparare Ordine Articole Pentru a fi facturat
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Actualizând orele de sosire estimate.
 DocType: Program Enrollment Tool,Enrollment Details,Detalii de înscriere
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Nu se pot seta mai multe setări implicite pentru o companie.
 DocType: Purchase Invoice Item,Net Rate,Rata netă
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Selectați un client
 DocType: Leave Policy,Leave Allocations,Lăsați alocările
@@ -1869,7 +1885,7 @@
 DocType: Loan Application,Repayment Info,Info rambursarea
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Intrările' nu pot fi vide
 DocType: Maintenance Team Member,Maintenance Role,Rolul de întreținere
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Inregistrare {0} este duplicata cu aceeași {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Inregistrare {0} este duplicata cu aceeași {1}
 DocType: Marketplace Settings,Disable Marketplace,Dezactivați Marketplace
 ,Trial Balance,Balanta
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Anul fiscal {0} nu a fost găsit
@@ -1880,9 +1896,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Setările pentru abonament
 DocType: Purchase Invoice,Update Auto Repeat Reference,Actualizați referința de repetare automată
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Lista de vacanță opțională nu este setată pentru perioada de concediu {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Lista de vacanță opțională nu este setată pentru perioada de concediu {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Cercetare
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Pentru a adresa 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Pentru a adresa 2
 DocType: Maintenance Visit Purpose,Work Done,Activitatea desfășurată
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Vă rugăm să specificați cel puțin un atribut în tabelul Atribute
 DocType: Announcement,All Students,toţi elevii
@@ -1892,16 +1908,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Tranzacții reconciliate
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Cel mai devreme
 DocType: Crop Cycle,Linked Location,Locație conectată
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Există un grup de articole cu aceeaşi denumire, vă rugăm să schimbați denumirea articolului sau să redenumiţi grupul articolului"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Există un grup de articole cu aceeaşi denumire, vă rugăm să schimbați denumirea articolului sau să redenumiţi grupul articolului"
 DocType: Crop Cycle,Less than a year,Mai putin de un an
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Elev mobil Nr
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Restul lumii
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Restul lumii
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Postul {0} nu poate avea Lot
 DocType: Crop,Yield UOM,Randamentul UOM
 ,Budget Variance Report,Raport de variaţie buget
 DocType: Salary Slip,Gross Pay,Plata Bruta
 DocType: Item,Is Item from Hub,Este element din Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Obțineți articole din serviciile de asistență medicală
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Obțineți articole din serviciile de asistență medicală
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Rândul {0}: Activitatea de tip este obligatorie.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividendele plătite
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Registru Jurnal
@@ -1916,6 +1932,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Modul de plată
 DocType: Purchase Invoice,Supplied Items,Articole furnizate
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Vă rugăm să setați un meniu activ pentru Restaurant {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Rata comisionului %
 DocType: Work Order,Qty To Manufacture,Cantitate pentru fabricare
 DocType: Email Digest,New Income,noul venit
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Menține aceeași cată in cursul ciclului de cumpărare
@@ -1930,12 +1947,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Rata de evaluare cerute pentru postul în rândul {0}
 DocType: Supplier Scorecard,Scorecard Actions,Caracteristicile Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Exemplu: Master în Informatică
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Furnizorul {0} nu a fost găsit în {1}
 DocType: Purchase Invoice,Rejected Warehouse,Depozit Respins
 DocType: GL Entry,Against Voucher,Contra voucherului
 DocType: Item Default,Default Buying Cost Center,Centru de Cost Cumparare Implicit
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Pentru a obține cele mai bune din ERPNext, vă recomandăm să luați ceva timp și de ceas aceste filme de ajutor."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Pentru furnizor implicit (opțional)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,la
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Pentru furnizor implicit (opțional)
 DocType: Supplier Quotation Item,Lead Time in days,Timp de plumb în zile
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Rezumat conturi pentru plăți
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Nu este autorizat pentru a edita Contul {0} blocat
@@ -1944,9 +1961,9 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Avertizare pentru o nouă solicitare de ofertă
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Comenzile de aprovizionare vă ajuta să planificați și să urmați pe achizițiile dvs.
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Cerințe privind testarea la laborator
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Cantitatea totală de emisie / transfer {0} din solicitarea materialului {1} nu poate fi mai mare decât cantitatea cerută {2} pentru articolul {3}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Cantitatea totală de emisie / transfer {0} în solicitarea materialului {1} nu poate fi mai mare decât cantitatea cerută {2} pentru articolul {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Mic
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Dacă Shopify nu conține un client în comandă, atunci când sincronizați Comenzi, sistemul va lua în considerare clientul implicit pentru comandă"
@@ -1958,6 +1975,7 @@
 DocType: Project,% Completed,% Finalizat
 ,Invoiced Amount (Exculsive Tax),Facturate Suma (Exculsive Tax)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Punctul 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Autorizație
 DocType: Travel Request,International,Internaţional
 DocType: Training Event,Training Event,Eveniment de formare
 DocType: Item,Auto re-order,Re-comandă automată
@@ -1966,24 +1984,24 @@
 DocType: Contract,Contract,Contract
 DocType: Plant Analysis,Laboratory Testing Datetime,Timp de testare a laboratorului
 DocType: Email Digest,Add Quote,Adaugați citat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Factor coversion UOM UOM necesare pentru: {0} in articol: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Factor coversion UOM UOM necesare pentru: {0} in articol: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Cheltuieli indirecte
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Rând {0}: Cant este obligatorie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Rând {0}: Cant este obligatorie
 DocType: Agriculture Analysis Criteria,Agriculture,Agricultură
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Creați o comandă de vânzări
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Înregistrare contabilă a activelor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blocați factura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Înregistrare contabilă a activelor
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blocați factura
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Cantitate de făcut
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sincronizare Date
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sincronizare Date
 DocType: Asset Repair,Repair Cost,Costul reparațiilor
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Produsele sau serviciile dvs.
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Eroare la autentificare
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} a fost creat
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} a fost creat
 DocType: Special Test Items,Special Test Items,Elemente speciale de testare
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Trebuie să fiți utilizator cu funcții Manager Manager și Manager de posturi pentru a vă înregistra pe Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Mod de plata
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"În conformitate cu structura salarială atribuită, nu puteți aplica pentru beneficii"
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Site-ul Image ar trebui să fie un fișier public sau site-ul URL-ul
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Site-ul Image ar trebui să fie un fișier public sau site-ul URL-ul
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Acesta este un grup element rădăcină și nu pot fi editate.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,contopi
@@ -1992,7 +2010,8 @@
 DocType: Warehouse,Warehouse Contact Info,Date de contact depozit
 DocType: Payment Entry,Write Off Difference Amount,Diferență Sumă Piertdute
 DocType: Volunteer,Volunteer Name,Nume de voluntar
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: E-mail-ul angajatului nu a fost găsit, prin urmare, nu a fost trimis mail"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Au fost găsite rânduri cu date scadente în alte rânduri: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: E-mail-ul angajatului nu a fost găsit, prin urmare, nu a fost trimis mail"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Nu există structură salarială atribuită pentru angajat {0} la data dată {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Norma de transport nu se aplică țării {0}
 DocType: Item,Foreign Trade Details,Detalii Comerț Exterior
@@ -2000,16 +2019,16 @@
 DocType: Email Digest,Annual Income,Venit anual
 DocType: Serial No,Serial No Details,Serial Nu Detalii
 DocType: Purchase Invoice Item,Item Tax Rate,Rata de Impozitare Articol
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,De la numele partidului
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,De la numele partidului
 DocType: Student Group Student,Group Roll Number,Numărul rolurilor de grup
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Pentru {0}, numai conturi de credit poate fi legat de o altă intrare în debit"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Nota de Livrare {0} nu este introdusa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Nota de Livrare {0} nu este introdusa
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Articolul {0} trebuie să fie un Articol Sub-contractat
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Echipamente de Capital
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regula de stabilire a prețurilor este selectat în primul rând bazat pe ""Aplicați pe"" teren, care poate fi produs, Grupa de articole sau de brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Vă rugăm să setați mai întâi Codul elementului
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Tip Doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Procentul total alocat pentru echipa de vânzări ar trebui să fie de 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Tip Doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Procentul total alocat pentru echipa de vânzări ar trebui să fie de 100
 DocType: Subscription Plan,Billing Interval Count,Intervalul de facturare
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Numiri și întâlniri cu pacienții
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Valoarea lipsește
@@ -2023,6 +2042,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Creați Format imprimare
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Taxa a fost creată
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Nu am gasit nici un element numit {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filtrarea elementelor
 DocType: Supplier Scorecard Criteria,Criteria Formula,Criterii Formula
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Raport de ieșire
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"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"""
@@ -2031,14 +2051,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Pentru un element {0}, cantitatea trebuie să fie un număr pozitiv"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,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.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Plățile compensatorii pleacă în zilele de sărbători valabile
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Există depozit copil pentru acest depozit. Nu puteți șterge acest depozit.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Există depozit copil pentru acest depozit. Nu puteți șterge acest depozit.
 DocType: Item,Website Item Groups,Site-ul Articol Grupuri
 DocType: Purchase Invoice,Total (Company Currency),Total (Company valutar)
 DocType: Daily Work Summary Group,Reminder,Aducere aminte
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Valoare accesibilă
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Valoare accesibilă
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Intrare în jurnal
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,De la GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,De la GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Sumă nerevendicată
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} elemente în curs
 DocType: Workstation,Workstation Name,Stație de lucru Nume
@@ -2046,7 +2066,7 @@
 DocType: POS Item Group,POS Item Group,POS Articol Grupa
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Elementul alternativ nu trebuie să fie identic cu cel al articolului
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} nu aparţine articolului {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} nu aparţine articolului {1}
 DocType: Sales Partner,Target Distribution,Țintă Distribuție
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - Finalizarea evaluării provizorii
 DocType: Salary Slip,Bank Account No.,Cont bancar nr.
@@ -2055,7 +2075,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Variabilele caracterelor pot fi utilizate, precum și: {total_score} (scorul total din acea perioadă), {period_number} (numărul de perioade până în prezent)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Reduceți totul În această
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Reduceți totul În această
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Creați comandă de aprovizionare
 DocType: Quality Inspection Reading,Reading 8,Lectură 8
 DocType: Inpatient Record,Discharge Note,Notă privind descărcarea
@@ -2072,7 +2092,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege concediu
 DocType: Purchase Invoice,Supplier Invoice Date,Furnizor Data facturii
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Această valoare este folosită pentru calculul pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Trebuie să activați Cosul de cumparaturi
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Trebuie să activați Cosul de cumparaturi
 DocType: Payment Entry,Writeoff,Achita
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Denumirea prefixului seriei
@@ -2087,11 +2107,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Condiții se suprapun găsite între:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Comparativ intrării {0} în jurnal este deja ajustată comparativ altui voucher
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Valoarea totală Comanda
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Produse Alimentare
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Produse Alimentare
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Clasă de uzură 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalii Voucher de închidere POS
 DocType: Shopify Log,Shopify Log,Magazinul de jurnal
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Setați seria de numire pentru {0} prin Configurare&gt; Setări&gt; Serii de numire
 DocType: Inpatient Occupancy,Check In,Verifica
 DocType: Maintenance Schedule Item,No of Visits,Nu de vizite
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Planul de întreținere {0} există împotriva {1}
@@ -2131,6 +2150,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Beneficii maxime (suma)
 DocType: Purchase Invoice,Contact Person,Persoană de contact
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Data de început preconizatã' nu poate fi dupa data 'Data de sfârșit anticipatã'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nu există date pentru această perioadă
 DocType: Course Scheduling Tool,Course End Date,Desigur Data de încheiere
 DocType: Holiday List,Holidays,Concedii
 DocType: Sales Order Item,Planned Quantity,Planificate Cantitate
@@ -2142,7 +2162,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Schimbarea net în active fixe
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Cantitate
 DocType: Leave Control Panel,Leave blank if considered for all designations,Lăsați necompletat dacă se consideră pentru toate denumirile
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Taxa de tip 'Efectiv' în inregistrarea {0} nu poate fi inclus în Rata Articol"""
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Taxa de tip 'Efectiv' în inregistrarea {0} nu poate fi inclus în Rata Articol"""
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,De la Datetime
 DocType: Shopify Settings,For Company,Pentru Companie
@@ -2155,9 +2175,9 @@
 DocType: Material Request,Terms and Conditions Content,Termeni și condiții de conținut
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Au apărut erori la crearea programului de curs
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Primul deținător de cheltuieli din listă va fi setat ca implicit pentru Exportare de cheltuieli.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,nu poate fi mai mare de 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,nu poate fi mai mare de 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Trebuie să fii alt utilizator decât Administrator cu rolul managerului de sistem și al Managerului de articole pentru a te înregistra pe Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Articolul{0} nu este un element de stoc
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Articolul{0} nu este un element de stoc
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Neprogramat
 DocType: Employee,Owned,Deținut
@@ -2185,7 +2205,7 @@
 DocType: HR Settings,Employee Settings,Setări Angajat
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Încărcarea sistemului de plată
 ,Batch-Wise Balance History,Istoricul balanţei principale aferente lotului
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Rândul # {0}: Nu se poate seta Rata dacă suma este mai mare decât suma facturată pentru articolul {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Rândul # {0}: Nu se poate seta Rata dacă suma este mai mare decât suma facturată pentru articolul {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Setările de imprimare actualizate în format de imprimare respectiv
 DocType: Package Code,Package Code,Cod pachet
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Începător
@@ -2194,7 +2214,7 @@
 DocType: Purchase Invoice Item,"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 articol ca un șir și stocate în acest domeniu.
  Folosit pentru Impozite și Taxe"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Angajat nu pot raporta la sine.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Angajat nu pot raporta la sine.
 DocType: Leave Type,Max Leaves Allowed,Frunzele maxime sunt permise
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","În cazul în care contul este blocat, intrările sunt permite utilizatorilor restricționati."
 DocType: Email Digest,Bank Balance,Banca Balance
@@ -2220,6 +2240,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Intrările de tranzacții bancare
 DocType: Quality Inspection,Readings,Lecturi
 DocType: Stock Entry,Total Additional Costs,Costuri totale suplimentare
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Nr de interacțiuni
 DocType: BOM,Scrap Material Cost(Company Currency),Cost resturi de material (companie Moneda)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub Assemblies
 DocType: Asset,Asset Name,Denumire activ
@@ -2227,10 +2248,10 @@
 DocType: Shipping Rule Condition,To Value,La valoarea
 DocType: Loyalty Program,Loyalty Program Type,Tip de program de loialitate
 DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Depozit sursă este obligatorie pentru rând {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Depozit sursă este obligatorie pentru rând {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,"Termenul de plată la rândul {0} este, eventual, un duplicat."
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Agricultura (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Slip de ambalare
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Slip de ambalare
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Birou inchiriat
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Setări de configurare SMS gateway-ul
 DocType: Disease,Common Name,Denumirea comună
@@ -2262,20 +2283,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-mail Salariu Slip angajatului
 DocType: Cost Center,Parent Cost Center,Părinte Cost Center
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Selectați Posibil furnizor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Selectați Posibil furnizor
 DocType: Sales Invoice,Source,Sursă
 DocType: Customer,"Select, to make the customer searchable with these fields","Selectați, pentru a face ca clientul să poată fi căutat în aceste câmpuri"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importă note de livrare de la Shopify la expediere
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Afișează închis
 DocType: Leave Type,Is Leave Without Pay,Este concediu fără plată
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Categorie Activ este obligatorie pentru articolul Activ Fix
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Categorie Activ este obligatorie pentru articolul Activ Fix
 DocType: Fee Validity,Fee Validity,Valabilitate taxă
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nu sunt găsite în tabelul de plăți înregistrări
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Acest {0} conflicte cu {1} pentru {2} {3}
 DocType: Student Attendance Tool,Students HTML,HTML studenții
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Stergeți angajatul <a href=""#Form/Employee/{0}"">{0}</a> \ pentru a anula acest document"
 DocType: POS Profile,Apply Discount,Aplicați o reducere
 DocType: GST HSN Code,GST HSN Code,Codul GST HSN
 DocType: Employee External Work History,Total Experience,Experiența totală
@@ -2298,7 +2316,7 @@
 DocType: Maintenance Schedule,Schedules,Orarele
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profilul POS este necesar pentru a utiliza Punctul de vânzare
 DocType: Cashier Closing,Net Amount,Cantitate netă
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nu a fost transmis, astfel încât acțiunea nu poate fi finalizată"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nu a fost transmis, astfel încât acțiunea nu poate fi finalizată"
 DocType: Purchase Order Item Supplied,BOM Detail No,Detaliu BOM nr.
 DocType: Landed Cost Voucher,Additional Charges,Costuri suplimentare
 DocType: Support Search Source,Result Route Field,Câmp de rutare rezultat
@@ -2327,11 +2345,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Deschiderea facturilor
 DocType: Contract,Contract Details,Detaliile contractului
 DocType: Employee,Leave Details,Lăsați detalii
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Vă rugăm să setați câmp ID de utilizator într-o înregistrare angajat să stabilească Angajat rol
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Vă rugăm să setați câmp ID de utilizator într-o înregistrare angajat să stabilească Angajat rol
 DocType: UOM,UOM Name,Numele UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Pentru a adresa 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Pentru a adresa 1
 DocType: GST HSN Code,HSN Code,Codul HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Contribuția Suma
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Contribuția Suma
 DocType: Inpatient Record,Patient Encounter,Întâlnirea cu pacienții
 DocType: Purchase Invoice,Shipping Address,Adresa de livrare
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Acest instrument vă ajută să actualizați sau stabili cantitatea și evaluarea stocului in sistem. Acesta este de obicei folosit pentru a sincroniza valorile de sistem și ceea ce există de fapt în depozite tale.
@@ -2348,9 +2366,9 @@
 DocType: Travel Itinerary,Mode of Travel,Modul de călătorie
 DocType: Sales Invoice Item,Brand Name,Denumire marcă
 DocType: Purchase Receipt,Transporter Details,Detalii Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,depozitul implicit este necesar pentru elementul selectat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,depozitul implicit este necesar pentru elementul selectat
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Cutie
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,posibil furnizor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,posibil furnizor
 DocType: Budget,Monthly Distribution,Distributie lunar
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receptor Lista goala. Vă rugăm să creați Receiver Lista
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Servicii medicale (beta)
@@ -2373,6 +2391,7 @@
 ,Lead Name,Nume Conducere
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Prospectarea
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Sold Stock
 DocType: Asset Category Account,Capital Work In Progress Account,Activitatea de capital în curs de desfășurare
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Ajustarea valorii activelor
@@ -2381,7 +2400,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Concedii alocate cu succes pentru {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Nu sunt produse în ambalaj
 DocType: Shipping Rule Condition,From Value,Din Valoare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Cantitatea de fabricație este obligatorie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Cantitatea de fabricație este obligatorie
 DocType: Loan,Repayment Method,Metoda de rambursare
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Dacă este bifată, pagina de pornire va fi implicit postul Grupului pentru site-ul web"
 DocType: Quality Inspection Reading,Reading 4,Lectura 4
@@ -2406,7 +2425,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Referirea angajaților
 DocType: Student Group,Set 0 for no limit,0 pentru a seta nici o limită
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,A doua zi (e) pe care se aplica pentru concediu sunt sărbători. Nu trebuie să se aplice pentru concediu.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,"Pentru a crea Facturile de deschidere {invoice_type}, este necesar {{idx}: {field}"
 DocType: Customer,Primary Address and Contact Detail,Adresa principală și detaliile de contact
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Retrimiteți e-mail-ul de plată
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Sarcina noua
@@ -2416,8 +2434,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Selectați cel puțin un domeniu.
 DocType: Dependent Task,Dependent Task,Sarcina dependent
 DocType: Shopify Settings,Shopify Tax Account,Achiziționați contul fiscal
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de Conversie pentru Unitatea de Măsură implicita trebuie să fie 1 pentru inregistrarea {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Concediul de tip {0} nu poate dura mai mare de {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de Conversie pentru Unitatea de Măsură implicita trebuie să fie 1 pentru inregistrarea {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Concediul de tip {0} nu poate dura mai mare de {1}
 DocType: Delivery Trip,Optimize Route,Optimizați ruta
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Încercați planificarea operațiunilor de X zile în avans.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2426,14 +2444,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Vă rugăm să setați Cont Cheltuieli suplimentare salarizare implicit în companie {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Obțineți despărțirea financiară a datelor fiscale și taxe de către Amazon
 DocType: SMS Center,Receiver List,Receptor Lista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,căutare articol
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,căutare articol
 DocType: Payment Schedule,Payment Amount,Plata Suma
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Data de la jumătate de zi ar trebui să se afle între Data de lucru și Data de terminare a lucrului
 DocType: Healthcare Settings,Healthcare Service Items,Servicii medicale
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Consumat Suma
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Schimbarea net în numerar
 DocType: Assessment Plan,Grading Scale,Scala de notare
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unitate de măsură {0} a fost introdus mai mult de o dată în Factor de conversie Tabelul
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unitate de măsură {0} a fost introdus mai mult de o dată în Factor de conversie Tabelul
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,deja finalizat
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stoc în mână
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2456,25 +2474,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Introduceți adresa URL a serverului Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Furnizor Număr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1
 DocType: Share Balance,To No,Pentru a Nu
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Toate sarcinile obligatorii pentru crearea de angajați nu au fost încă încheiate.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} este anulată sau oprită
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} este anulată sau oprită
 DocType: Accounts Settings,Credit Controller,Controler de Credit
 DocType: Loan,Applicant Type,Tipul solicitantului
 DocType: Purchase Invoice,03-Deficiency in services,03 - Deficiență în servicii
 DocType: Healthcare Settings,Default Medical Code Standard,Standardul medical standard standard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Primirea de cumpărare {0} nu este prezentat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Primirea de cumpărare {0} nu este prezentat
 DocType: Company,Default Payable Account,Implicit cont furnizori
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Setări pentru cosul de cumparaturi on-line, cum ar fi normele de transport maritim, lista de preturi, etc."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Facturat
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Cant. rezervata
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Cant. rezervata
 DocType: Party Account,Party Account,Party Account
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Selectați Companie și desemnare
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Resurse umane
-DocType: Lead,Upper Income,Venituri de sus
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Venituri de sus
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Respinge
 DocType: Journal Entry Account,Debit in Company Currency,Debit în companie valutar
 DocType: BOM Item,BOM Item,Articol BOM
@@ -2491,7 +2509,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Deschideri de locuri de muncă pentru desemnarea {0} deja deschise sau închirieri finalizate conform Planului de personal {1}
 DocType: Vital Signs,Constipated,Constipat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Contra facturii furnizorului {0} din data {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Contra facturii furnizorului {0} din data {1}
 DocType: Customer,Default Price List,Lista de Prețuri Implicita
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Mișcarea de înregistrare a activelor {0} creat
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nu au fost gasite articolele.
@@ -2507,17 +2525,18 @@
 DocType: Journal Entry,Entry Type,Tipul de intrare
 ,Customer Credit Balance,Balanța Clienți credit
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Schimbarea net în conturi de plătit
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Limita de credit a fost depășită pentru clientul {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Setați seria de numire pentru {0} prin Configurare&gt; Setări&gt; Serii de numire
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Limita de credit a fost depășită pentru clientul {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Client necesar pentru 'Reducere Client'
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Actualizați datele de plată bancar cu reviste.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Stabilirea pretului
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Stabilirea pretului
 DocType: Quotation,Term Details,Detalii pe termen
 DocType: Employee Incentive,Employee Incentive,Angajament pentru angajați
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nu se poate inscrie mai mult de {0} studenți pentru acest grup de studenți.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Total (fără taxe)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Conducerea contabilă
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Conducerea contabilă
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stoc disponibil
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stoc disponibil
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planificarea capacitate de (zile)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,achiziții publice
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Nici unul din elementele au nici o schimbare în cantitate sau de valoare.
@@ -2542,7 +2561,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Plece și prezență
 DocType: Asset,Comprehensive Insurance,Asigurare completă
 DocType: Maintenance Visit,Partially Completed,Parțial finalizate
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Punct de loialitate: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Punct de loialitate: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Adaugă rezultate
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensibilitate moderată
 DocType: Leave Type,Include holidays within leaves as leaves,Includ zilele de sărbătoare în frunze ca frunze
 DocType: Loyalty Program,Redemption,Răscumpărare
@@ -2576,7 +2596,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Cheltuieli de marketing
 ,Item Shortage Report,Raport Articole Lipsa
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Nu se pot crea criterii standard. Renunțați la criterii
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Cerere de material utilizat pentru a face acest stoc de intrare
 DocType: Hub User,Hub Password,Parola Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separați un grup bazat pe cursuri pentru fiecare lot
@@ -2591,15 +2611,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Durata intalnire (minute)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Realizeaza Intrare de Contabilitate Pentru Fiecare Modificare a Stocului
 DocType: Leave Allocation,Total Leaves Allocated,Totalul Frunze alocate
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Va rugam sa introduceti valabil financiare Anul începe și a termina Perioada
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Va rugam sa introduceti valabil financiare Anul începe și a termina Perioada
 DocType: Employee,Date Of Retirement,Data Pensionare
 DocType: Upload Attendance,Get Template,Obține șablon
+,Sales Person Commission Summary,Persoana de vânzări Rezumat al Comisiei
 DocType: Additional Salary Component,Additional Salary Component,Componenta salarială suplimentară
 DocType: Material Request,Transferred,transferat
 DocType: Vehicle,Doors,Usi
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Colectați taxa pentru înregistrarea pacientului
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nu se poate modifica atributele după tranzacția de stoc. Creați un element nou și transferați stocul la noul element
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nu se poate modifica atributele după tranzacția de stoc. Creați un element nou și transferați stocul la noul element
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Descărcarea de impozite
 DocType: Employee,Joining Details,Se alăture Detalii
@@ -2627,14 +2648,15 @@
 DocType: Lead,Next Contact By,Următor Contact Prin
 DocType: Compensatory Leave Request,Compensatory Leave Request,Solicitare de plecare compensatorie
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Cantitatea necesară pentru postul {0} în rândul {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1}
 DocType: Blanket Order,Order Type,Tip comandă
 ,Item-wise Sales Register,Registru Vanzari Articol-Avizat
 DocType: Asset,Gross Purchase Amount,Sumă brută Cumpărare
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Solduri de deschidere
 DocType: Asset,Depreciation Method,Metoda de amortizare
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Este acest fiscală inclusă în rata de bază?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Raport țintă
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Raport țintă
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analiza percepției
 DocType: Soil Texture,Sand Composition (%),Compoziția nisipului (%)
 DocType: Job Applicant,Applicant for a Job,Solicitant pentru un loc de muncă
 DocType: Production Plan Material Request,Production Plan Material Request,Producția Plan de material Cerere
@@ -2650,23 +2672,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Marca de evaluare (din 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 mobil nr
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Principal
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Următorul articol {0} nu este marcat ca {1} element. Puteți să le activați ca element {1} din capitolul Articol
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variantă
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Pentru un element {0}, cantitatea trebuie să fie număr negativ"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Set prefix pentru seria de numerotare pe tranzacțiile dvs.
 DocType: Employee Attendance Tool,Employees HTML,Angajații HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Implicit BOM ({0}) trebuie să fie activ pentru acest element sau șablon de
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Implicit BOM ({0}) trebuie să fie activ pentru acest element sau șablon de
 DocType: Employee,Leave Encashed?,Concediu Incasat ?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Oportunitatea de la câmp este obligatoriu
 DocType: Email Digest,Annual Expenses,Cheltuielile anuale
 DocType: Item,Variants,Variante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Realizeaza Comanda de Cumparare
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Realizeaza Comanda de Cumparare
 DocType: SMS Center,Send To,Trimite la
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Nu există echilibru concediu suficient pentru concediul de tip {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Nu există echilibru concediu suficient pentru concediul de tip {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Suma alocată
 DocType: Sales Team,Contribution to Net Total,Contribuție la Total Net
 DocType: Sales Invoice Item,Customer's Item Code,Cod Articol Client
 DocType: Stock Reconciliation,Stock Reconciliation,Stoc Reconciliere
 DocType: Territory,Territory Name,Teritoriului Denumire
+DocType: Email Digest,Purchase Orders to Receive,Comenzi de cumpărare pentru a primi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Puteți avea numai planuri cu același ciclu de facturare într-un abonament
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Date cartografiate
@@ -2685,9 +2709,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Nr. Serial introdus pentru articolul {0} este duplicat
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Track Leads by Lead Source.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,O condiție pentru o normă de transport
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Te rog intra
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Te rog intra
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Meniu de întreținere
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Vă rugăm să setați filtru bazat pe postul sau depozit
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Vă rugăm să setați filtru bazat pe postul sau depozit
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Greutatea netă a acestui pachet. (Calculat automat ca suma de greutate netă de produs)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Faceți intrarea în jurnalul Inter companiei
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Suma de reducere nu poate fi mai mare de 100%
@@ -2696,15 +2720,15 @@
 DocType: Sales Order,To Deliver and Bill,Pentru a livra și Bill
 DocType: Student Group,Instructors,instructorii
 DocType: GL Entry,Credit Amount in Account Currency,Suma de credit în cont valutar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} trebuie să fie introdus
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Gestiune partajare
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} trebuie să fie introdus
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Gestiune partajare
 DocType: Authorization Control,Authorization Control,Control de autorizare
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Respins Warehouse este obligatorie împotriva postul respins {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Plată
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Respins Warehouse este obligatorie împotriva postul respins {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Plată
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Warehouse {0} nu este conectat la niciun cont, menționați contul din înregistrarea din depozit sau setați contul de inventar implicit din compania {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gestionați comenzile
 DocType: Work Order Operation,Actual Time and Cost,Timp și cost efective
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,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}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,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}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Decuparea culturii
 DocType: Course,Course Abbreviation,Abreviere curs de
@@ -2716,6 +2740,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Numărul total de ore de lucru nu trebuie sa fie mai mare de ore de lucru max {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Pornit
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Set de articole în momemntul vânzării.
+DocType: Delivery Settings,Dispatch Settings,Dispecerat Setări
 DocType: Material Request Plan Item,Actual Qty,Cant. efectivă
 DocType: Sales Invoice Item,References,Referințe
 DocType: Quality Inspection Reading,Reading 10,Lectura 10
@@ -2725,11 +2750,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ați introdus elemente cu dubluri. Vă rugăm să rectifice și să încercați din nou.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Asociaţi
 DocType: Asset Movement,Asset Movement,Mișcarea activelor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Ordinul de lucru {0} trebuie trimis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Coș nou
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Ordinul de lucru {0} trebuie trimis
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Coș nou
 DocType: Taxable Salary Slab,From Amount,Din Sumă
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Articolul {0} nu este un articol serializat
 DocType: Leave Type,Encashment,Încasare
+DocType: Delivery Settings,Delivery Settings,Setări de livrare
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Fetch Data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Permisul maxim permis în tipul de concediu {0} este {1}
 DocType: SMS Center,Create Receiver List,Creare Lista Recipienti
 DocType: Vehicle,Wheels,roţi
@@ -2745,7 +2772,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,"Valuta de facturare trebuie să fie egală fie cu valuta implicită a companiei, fie cu moneda contului de partid"
 DocType: Packing Slip,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)
 DocType: Soil Texture,Loam,Lut
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Rând {0}: data de scadență nu poate fi înainte de data postării
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Rând {0}: data de scadență nu poate fi înainte de data postării
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Realizeaza Intrare de Plati
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Cantitatea pentru postul {0} trebuie să fie mai mică de {1}
 ,Sales Invoice Trends,Vânzări Tendințe factură
@@ -2753,12 +2780,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Se poate face referire la inregistrare numai dacă tipul de taxa este 'Suma inregistrare precedenta' sau 'Total inregistrare precedenta'
 DocType: Sales Order Item,Delivery Warehouse,Depozit de livrare
 DocType: Leave Type,Earned Leave Frequency,Frecvența de plecare câștigată
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Tree of centre de cost financiare.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Subtipul
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Tree of centre de cost financiare.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Subtipul
 DocType: Serial No,Delivery Document No,Nr. de document de Livrare
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Asigurați livrarea pe baza numărului de serie produs
 DocType: Vital Signs,Furry,Cu blană
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vă rugăm să setați &#39;Gain / Pierdere de cont privind Eliminarea activelor &quot;în companie {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vă rugăm să setați &#39;Gain / Pierdere de cont privind Eliminarea activelor &quot;în companie {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obține elemente din achiziție Încasări
 DocType: Serial No,Creation Date,Data creării
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Destinația de locație este necesară pentru elementul {0}
@@ -2772,11 +2799,12 @@
 DocType: Item,Has Variants,Are variante
 DocType: Employee Benefit Claim,Claim Benefit For,Revendicați beneficiul pentru
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Actualizați răspunsul
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Ați selectat deja un produs de la {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Ați selectat deja un produs de la {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Numele de Distributie lunar
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ID-ul lotului este obligatoriu
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ID-ul lotului este obligatoriu
 DocType: Sales Person,Parent Sales Person,Mamă Sales Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Nu sunt întârziate niciun element de primit
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Vânzătorul și cumpărătorul nu pot fi aceleași
 DocType: Project,Collect Progress,Collect Progress
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2792,7 +2820,7 @@
 DocType: Bank Guarantee,Margin Money,Marja de bani
 DocType: Budget,Budget,Buget
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Setați Deschideți
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fix elementul de activ trebuie să fie un element de bază non-stoc.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fix elementul de activ trebuie să fie un element de bază non-stoc.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bugetul nu pot fi atribuite în {0}, deoarece nu este un cont venituri sau cheltuieli"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Valoarea maximă de scutire pentru {0} este {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Realizat
@@ -2810,9 +2838,9 @@
 ,Amount to Deliver,Cntitate de livrat
 DocType: Asset,Insurance Start Date,Data de începere a asigurării
 DocType: Salary Component,Flexible Benefits,Beneficii flexibile
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Același element a fost introdus de mai multe ori. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Același element a fost introdus de mai multe ori. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Start Termen Data nu poate fi mai devreme decât data Anul de începere a anului universitar la care este legat termenul (anului universitar {}). Vă rugăm să corectați datele și încercați din nou.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Au fost erori.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Au fost erori.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Angajatul {0} a solicitat deja {1} între {2} și {3}:
 DocType: Guardian,Guardian Interests,Guardian Interese
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Actualizați numele / numărul contului
@@ -2851,9 +2879,9 @@
 ,Item-wise Purchase History,Istoric Achizitii Articol-Avizat
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,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}"
 DocType: Account,Frozen,Blocat
-DocType: Delivery Note,Vehicle Type,Tip de vehicul
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Tip de vehicul
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Suma de bază (Companie Moneda)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Materie prima
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Materie prima
 DocType: Payment Reconciliation Payment,Reference Row,rândul de referință
 DocType: Installation Note,Installation Time,Timp de instalare
 DocType: Sales Invoice,Accounting Details,Detalii Contabilitate
@@ -2862,12 +2890,13 @@
 DocType: Inpatient Record,O Positive,O pozitiv
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investiții
 DocType: Issue,Resolution Details,Rezoluția Detalii
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,tipul tranzacției
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,tipul tranzacției
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criteriile de receptie
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Vă rugăm să introduceți Cererile materiale din tabelul de mai sus
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Nu sunt disponibile rambursări pentru înscrierea în Jurnal
 DocType: Hub Tracked Item,Image List,Listă de imagini
 DocType: Item Attribute,Attribute Name,Denumire atribut
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generați factura la începutul perioadei
 DocType: BOM,Show In Website,Arata pe site-ul
 DocType: Loan Application,Total Payable Amount,Suma totală de plată
 DocType: Task,Expected Time (in hours),Timp de așteptat (în ore)
@@ -2905,8 +2934,8 @@
 DocType: Employee,Resignation Letter Date,Data Scrisoare de Demisie
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Regulile de stabilire a prețurilor sunt filtrate în continuare în funcție de cantitate.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Nu a fost setat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Vă rugăm să setați data de îmbarcare pentru angajat {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Vă rugăm să setați data de îmbarcare pentru angajat {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Vă rugăm să setați data de îmbarcare pentru angajat {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Vă rugăm să setați data de îmbarcare pentru angajat {0}
 DocType: Inpatient Record,Discharge,descărcare
 DocType: Task,Total Billing Amount (via Time Sheet),Suma totală de facturare (prin timp Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repetați Venituri Clienți
@@ -2916,13 +2945,13 @@
 DocType: Chapter,Chapter,Capitol
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pereche
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Contul implicit va fi actualizat automat în factură POS când este selectat acest mod.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Selectați BOM și Cant pentru producție
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Selectați BOM și Cant pentru producție
 DocType: Asset,Depreciation Schedule,Program de amortizare
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adrese de parteneri de vânzări și contacte
 DocType: Bank Reconciliation Detail,Against Account,Comparativ contului
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Jumătate Data zi ar trebui să fie între De la data si pana in prezent
 DocType: Maintenance Schedule Detail,Actual Date,Data efectiva
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Alegeți Centrul de cost implicit în compania {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Alegeți Centrul de cost implicit în compania {0}.
 DocType: Item,Has Batch No,Are nr. de Lot
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Facturare anuală: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Bucurați-vă de detaliile Webhook
@@ -2934,7 +2963,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Tip Shift
 DocType: Student,Personal Details,Detalii personale
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Vă rugăm să setați &quot;Activ Center Amortizarea Cost&quot; în companie {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Vă rugăm să setați &quot;Activ Center Amortizarea Cost&quot; în companie {0}
 ,Maintenance Schedules,Program de Mentenanta
 DocType: Task,Actual End Date (via Time Sheet),Data de încheiere efectivă (prin Pontaj)
 DocType: Soil Texture,Soil Type,Tipul de sol
@@ -2942,10 +2971,10 @@
 ,Quotation Trends,Cotație Tendințe
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,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}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debit cont trebuie să fie un cont de creanțe
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debit cont trebuie să fie un cont de creanțe
 DocType: Shipping Rule,Shipping Amount,Suma de transport maritim
 DocType: Supplier Scorecard Period,Period Score,Scorul perioadei
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Adăugați clienți
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Adăugați clienți
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,În așteptarea Suma
 DocType: Lab Test Template,Special,Special
 DocType: Loyalty Program,Conversion Factor,Factor de conversie
@@ -2962,7 +2991,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Adăugați antetul
 DocType: Program Enrollment,Self-Driving Vehicle,Vehicul cu autovehicul
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Graficul Scorecard pentru furnizori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Rândul {0}: Lista de materiale nu a fost găsit pentru elementul {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Rândul {0}: Lista de materiale nu a fost găsit pentru elementul {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total frunze alocate {0} nu poate fi mai mic de frunze deja aprobate {1} pentru perioada
 DocType: Contract Fulfilment Checklist,Requirement,Cerinţă
 DocType: Journal Entry,Accounts Receivable,Conturi de Incasare
@@ -2979,16 +3008,16 @@
 DocType: Projects Settings,Timesheets,Pontaje
 DocType: HR Settings,HR Settings,Setări Resurse Umane
 DocType: Salary Slip,net pay info,info net pay
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Suma CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Suma CESS
 DocType: Woocommerce Settings,Enable Sync,Activați sincronizarea
 DocType: Tax Withholding Rate,Single Transaction Threshold,Singurul prag de tranzacție
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Această valoare este actualizată în lista prestabilită a prețurilor de vânzare.
 DocType: Email Digest,New Expenses,Cheltuieli noi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Suma PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Suma PDC / LC
 DocType: Shareholder,Shareholder,Acționar
 DocType: Purchase Invoice,Additional Discount Amount,Valoare discount-ului suplimentar
 DocType: Cash Flow Mapper,Position,Poziţie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Obțineți articole din prescripții
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Obțineți articole din prescripții
 DocType: Patient,Patient Details,Detalii pacient
 DocType: Inpatient Record,B Positive,B pozitiv
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -3000,8 +3029,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grup non-grup
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sport
 DocType: Loan Type,Loan Name,Nume de împrumut
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Raport real
-DocType: Lab Test UOM,Test UOM,Testați UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Raport real
 DocType: Student Siblings,Student Siblings,Siblings Student
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detaliile planului de abonament
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Unitate
@@ -3029,7 +3057,6 @@
 DocType: Workstation,Wages per hour,Salarii pe oră
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},echilibru stoc în Serie {0} va deveni negativ {1} pentru postul {2} la Depozitul {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Ca urmare a solicitărilor de materiale au fost ridicate în mod automat în funcție de nivelul de re-comanda item
-DocType: Email Digest,Pending Sales Orders,Comenzile de vânzări în așteptare
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Contul {0} nu este valid. Valuta contului trebuie să fie {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},De la data {0} nu poate fi după data eliberării angajatului {1}
 DocType: Supplier,Is Internal Supplier,Este furnizor intern
@@ -3038,13 +3065,14 @@
 DocType: Healthcare Settings,Remind Before,Amintește-te înainte
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Factor UOM de conversie este necesară în rândul {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie una din comandă de vânzări, vânzări factură sau Jurnal de intrare"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie una din comandă de vânzări, vânzări factură sau Jurnal de intrare"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Puncte de loialitate = Cât de multă monedă de bază?
 DocType: Salary Component,Deduction,Deducere
 DocType: Item,Retain Sample,Păstrați eșantionul
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Rândul {0}: De la timp și de Ora este obligatorie.
 DocType: Stock Reconciliation Item,Amount Difference,suma diferenţă
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Articol Preț adăugată pentru {0} în lista de prețuri {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Articol Preț adăugată pentru {0} în lista de prețuri {1}
+DocType: Delivery Stop,Order Information,Informații despre comandă
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vă rugăm să introduceți ID-ul de angajat al acestei persoane de vânzări
 DocType: Territory,Classification of Customers by region,Clasificarea clienți în funcție de regiune
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,In productie
@@ -3055,8 +3083,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Calculat Bank echilibru Declaratie
 DocType: Normal Test Template,Normal Test Template,Șablonul de test normal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,utilizator dezactivat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Citat
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Nu se poate seta un RFQ primit la nici o cotatie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Citat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Nu se poate seta un RFQ primit la nici o cotatie
 DocType: Salary Slip,Total Deduction,Total de deducere
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Selectați un cont pentru a imprima în moneda contului
 ,Production Analytics,Google Analytics de producție
@@ -3069,14 +3097,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Setarea Scorecard pentru furnizori
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Numele planului de evaluare
 DocType: Work Order Operation,Work Order Operation,Comandă de comandă de lucru
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Atenție: certificat SSL invalid pe atașament {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Atenție: certificat SSL invalid pe atașament {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Oportunitati de afaceri ajuta să obțineți, adăugați toate contactele și mai mult ca dvs. conduce"
 DocType: Work Order Operation,Actual Operation Time,Timp efectiv de funcționare
 DocType: Authorization Rule,Applicable To (User),Aplicabil pentru (utilizator)
 DocType: Purchase Taxes and Charges,Deduct,Deduce
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Descrierea postului
 DocType: Student Applicant,Applied,Aplicat
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-deschide
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-deschide
 DocType: Sales Invoice Item,Qty as per Stock UOM,Cantitate conform Stock UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nume Guardian2
 DocType: Attendance,Attendance Request,Cererea de participare
@@ -3094,7 +3122,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Nu {0} este în garanție pana {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valoarea minimă admisă
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Utilizatorul {0} există deja
-apps/erpnext/erpnext/hooks.py +114,Shipments,Transporturile
+apps/erpnext/erpnext/hooks.py +115,Shipments,Transporturile
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Suma totală alocată (Companie Moneda)
 DocType: Purchase Order Item,To be delivered to customer,Pentru a fi livrat clientului
 DocType: BOM,Scrap Material Cost,Cost resturi de materiale
@@ -3102,11 +3130,12 @@
 DocType: Grant Application,Email Notification Sent,Trimiterea notificării prin e-mail
 DocType: Purchase Invoice,In Words (Company Currency),În cuvinte (Compania valutar)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Compania este managerială pentru contul companiei
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Codul articolului, depozitul, cantitatea necesară pe rând"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Codul articolului, depozitul, cantitatea necesară pe rând"
 DocType: Bank Guarantee,Supplier,Furnizor
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Ia de la
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Acesta este un departament rădăcină și nu poate fi editat.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Afișați detaliile de plată
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Durata în Zile
 DocType: C-Form,Quarter,Trimestru
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Cheltuieli diverse
 DocType: Global Defaults,Default Company,Companie Implicita
@@ -3114,7 +3143,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,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"
 DocType: Bank,Bank Name,Denumire bancă
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,de mai sus
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Lăsați câmpul gol pentru a efectua comenzi de achiziție pentru toți furnizorii
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Lăsați câmpul gol pentru a efectua comenzi de achiziție pentru toți furnizorii
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Taxă pentru vizitarea pacientului
 DocType: Vital Signs,Fluid,Fluid
 DocType: Leave Application,Total Leave Days,Total de zile de concediu
@@ -3123,7 +3152,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Setări pentru variantele de articol
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Selectați compania ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Lăsați necompletat dacă se consideră pentru toate departamentele
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} este obligatoriu pentru articolul {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} este obligatoriu pentru articolul {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Articol {0}: {1} cantitate produsă,"
 DocType: Payroll Entry,Fortnightly,bilunară
 DocType: Currency Exchange,From Currency,Din moneda
@@ -3173,7 +3202,7 @@
 DocType: Account,Fixed Asset,Activ Fix
 DocType: Amazon MWS Settings,After Date,După data
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventarul serializat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Este nevalid {0} pentru factura Intercompanie.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Este nevalid {0} pentru factura Intercompanie.
 ,Department Analytics,Departamentul Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-mailul nu a fost găsit în contactul implicit
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generați secret
@@ -3192,6 +3221,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Cu plata impozitului
 DocType: Expense Claim Detail,Expense Claim Detail,Detaliu Revendicare Cheltuieli
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație&gt; Setări educaționale
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE PENTRU FURNIZOR
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Noul echilibru în moneda de bază
 DocType: Location,Is Container,Este Container
@@ -3199,13 +3229,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Vă rugăm să selectați contul corect
 DocType: Salary Structure Assignment,Salary Structure Assignment,Structura salarială
 DocType: Purchase Invoice Item,Weight UOM,Greutate UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Lista Acționarilor disponibili cu numere folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Lista Acționarilor disponibili cu numere folio
 DocType: Salary Structure Employee,Salary Structure Employee,Structura de salarizare Angajat
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Afișați atribute variate
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Afișați atribute variate
 DocType: Student,Blood Group,Grupă de sânge
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Contul gateway-ului de plată din plan {0} este diferit de contul gateway-ului de plată din această solicitare de plată
 DocType: Course,Course Name,Numele cursului
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nu au fost găsite date privind reținerea fiscală pentru anul fiscal curent.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nu au fost găsite date privind reținerea fiscală pentru anul fiscal curent.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Utilizatorii care poate aproba cererile de concediu o anumită angajatilor
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Echipamente de birou
 DocType: Purchase Invoice Item,Qty,Cantitate
@@ -3213,6 +3243,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Punctul de configurare
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Electronică
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Permiteți aceluiași articol mai multe ore
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Creaza Cerere Material atunci când stocul ajunge la nivelul re-comandă
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Permanent
 DocType: Payroll Entry,Employees,Numar de angajati
@@ -3224,11 +3255,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Confirmarea platii
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Prețurile nu vor fi afișate în cazul în care Prețul de listă nu este setat
 DocType: Stock Entry,Total Incoming Value,Valoarea totală a sosi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Pentru debit este necesar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Pentru debit este necesar
 DocType: Clinical Procedure,Inpatient Record,Înregistrări de pacienți
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Pontaje ajuta să urmăriți timp, costuri și de facturare pentru activitati efectuate de echipa ta"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Cumparare Lista de preturi
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Data tranzacției
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Cumparare Lista de preturi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Data tranzacției
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Șabloane ale variabilelor pentru scorurile pentru furnizori.
 DocType: Job Offer Term,Offer Term,Termen oferta
 DocType: Asset,Quality Manager,Manager de calitate
@@ -3249,11 +3280,11 @@
 DocType: Cashier Closing,To Time,La timp
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) pentru {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Aprobarea Rol (mai mare decât valoarea autorizată)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Credit Pentru cont trebuie să fie un cont de plati
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Credit Pentru cont trebuie să fie un cont de plati
 DocType: Loan,Total Amount Paid,Suma totală plătită
 DocType: Asset,Insurance End Date,Data de încheiere a asigurării
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Selectați admiterea studenților care este obligatorie pentru solicitantul studenților plătiți
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Recursivitate FDM: {0} nu poate fi parinte sau copil lui {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Recursivitate FDM: {0} nu poate fi parinte sau copil lui {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Lista de bugete
 DocType: Work Order Operation,Completed Qty,Cantitate Finalizata
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Pentru {0}, numai conturi de debit poate fi legat de o altă intrare în credit"
@@ -3261,7 +3292,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Articolul {0} cu elementul serializat nu poate fi actualizat utilizând Reconcilierea stocurilor, vă rugăm să utilizați înregistrarea stocului"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Articolul {0} cu elementul serializat nu poate fi actualizat utilizând Reconcilierea stocurilor, vă rugăm să utilizați înregistrarea stocului"
 DocType: Training Event Employee,Training Event Employee,Eveniment de formare Angajat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Probele maxime - {0} pot fi păstrate pentru lotul {1} și articolul {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Probele maxime - {0} pot fi păstrate pentru lotul {1} și articolul {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Adăugați intervale de timp
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} numere de serie necesare pentru postul {1}. Ați furnizat {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Rata de evaluare curentă
@@ -3292,11 +3323,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial nr {0} nu a fost găsit
 DocType: Fee Schedule Program,Fee Schedule Program,Programul programului de plăți
 DocType: Fee Schedule Program,Student Batch,Lot de student
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Stergeți angajatul <a href=""#Form/Employee/{0}"">{0}</a> \ pentru a anula acest document"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Asigurați-Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Gradul minim
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipul unității de servicii medicale
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Ați fost invitat să colaboreze la proiect: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Ați fost invitat să colaboreze la proiect: {0}
 DocType: Supplier Group,Parent Supplier Group,Grupul furnizorilor-mamă
+DocType: Email Digest,Purchase Orders to Bill,Achiziționați comenzi către Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Valori acumulate în compania grupului
 DocType: Leave Block List Date,Block Date,Dată blocare
 DocType: Crop,Crop,A decupa
@@ -3309,6 +3343,7 @@
 DocType: Sales Order,Not Delivered,Nu Pronunțată
 ,Bank Clearance Summary,Sumar aprobare bancă
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Creare și gestionare rezumate e-mail zilnice, săptămânale și lunare."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Aceasta se bazează pe tranzacțiile efectuate împotriva acestei persoane de vânzări. Consultați linia temporală de mai jos pentru detalii
 DocType: Appraisal Goal,Appraisal Goal,Obiectiv expertiză
 DocType: Stock Reconciliation Item,Current Amount,Suma curentă
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Corpuri
@@ -3335,7 +3370,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,În continuare Contact Data nu poate fi în trecut
 DocType: Company,For Reference Only.,Numai Pentru referință.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Selectați numărul lotului
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Selectați numărul lotului
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Invalid {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referință Inv
@@ -3353,16 +3388,16 @@
 DocType: Normal Test Items,Require Result Value,Necesita valoarea rezultatului
 DocType: Item,Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii
 DocType: Tax Withholding Rate,Tax Withholding Rate,Rata reținerii fiscale
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Magazine
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOM
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Magazine
 DocType: Project Type,Projects Manager,Manager Proiecte
 DocType: Serial No,Delivery Time,Timp de Livrare
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Uzură bazată pe
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Numirea anulată
 DocType: Item,End of Life,Sfârsitul vieții
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Călători
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Călători
 DocType: Student Report Generation Tool,Include All Assessment Group,Includeți tot grupul de evaluare
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Nr Structură activă sau Salariul implicit găsite pentru angajat al {0} pentru datele indicate
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Nr Structură activă sau Salariul implicit găsite pentru angajat al {0} pentru datele indicate
 DocType: Leave Block List,Allow Users,Permiteți utilizatori
 DocType: Purchase Order,Customer Mobile No,Client Mobile Nu
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detaliile șablonului pentru fluxul de numerar
@@ -3371,15 +3406,16 @@
 DocType: Rename Tool,Rename Tool,Unealta Redenumire
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Actualizare Cost
 DocType: Item Reorder,Item Reorder,Reordonare Articol
+DocType: Delivery Note,Mode of Transport,Mijloc de transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Afișează Salariu alunecare
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Material de transfer
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Material de transfer
 DocType: Fees,Send Payment Request,Trimiteți Cerere de Plată
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specifica operațiunilor, costurile de exploatare și să dea o operațiune unică nu pentru operațiunile dumneavoastră."
 DocType: Travel Request,Any other details,Orice alte detalii
 DocType: Water Analysis,Origin,Origine
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Acest document este peste limita de {0} {1} pentru elementul {4}. Faci un alt {3} împotriva aceleași {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Vă rugăm să setați recurente după salvare
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,cont Selectați suma schimbare
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Vă rugăm să setați recurente după salvare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,cont Selectați suma schimbare
 DocType: Purchase Invoice,Price List Currency,Lista de pret Valuta
 DocType: Naming Series,User must always select,Utilizatorul trebuie să selecteze întotdeauna
 DocType: Stock Settings,Allow Negative Stock,Permiteţi stoc negativ
@@ -3400,9 +3436,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trasabilitatea
 DocType: Asset Maintenance Log,Actions performed,Acțiuni efectuate
 DocType: Cash Flow Mapper,Section Leader,Liderul secțiunii
+DocType: Delivery Note,Transport Receipt No,Primirea transportului nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Sursa fondurilor (pasive)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Sursa și locația țintă nu pot fi identice
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,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}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Cantitatea în rândul {0} ({1}), trebuie să fie aceeași ca și cantitatea produsă {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Angajat
 DocType: Bank Guarantee,Fixed Deposit Number,Numărul depozitului fix
 DocType: Asset Repair,Failure Date,Dată de nerespectare
@@ -3416,16 +3453,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Deducerile de plată sau pierdere
 DocType: Soil Analysis,Soil Analysis Criterias,Criterii de analiză a solului
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Clauzele contractuale standard pentru vânzări sau de cumpărare.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Sigur doriți să anulați această întâlnire?
+DocType: BOM Item,Item operation,Operarea elementului
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Sigur doriți să anulați această întâlnire?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Pachetul pentru tarifarea camerei hotelului
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,conducte de vânzări
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,conducte de vânzări
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Vă rugăm să setați contul implicit în Salariu Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Cerut pe
 DocType: Rename Tool,File to Rename,Fișier de Redenumiți
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Vă rugăm să selectați BOM pentru postul în rândul {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Actualizați abonamentul la preluare
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Contul {0} nu se potrivește cu Compania {1} în modul de cont: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},BOM specificată {0} nu există pentru postul {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},BOM specificată {0} nu există pentru postul {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Curs:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programul de Mentenanta {0} trebuie anulat înainte de a anula aceasta Comandă de Vânzări
@@ -3434,7 +3472,7 @@
 DocType: Notification Control,Expense Claim Approved,Revendicare Cheltuieli Aprobata
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Setați avansuri și alocați (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nu au fost create comenzi de lucru
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Platā angajatului {0} deja creat pentru această perioadă
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Platā angajatului {0} deja creat pentru această perioadă
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutic
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Puteți să trimiteți numai permisiunea de înregistrare pentru o sumă validă de încasare
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costul de produsele cumparate
@@ -3442,7 +3480,8 @@
 DocType: Selling Settings,Sales Order Required,Comandă de vânzări obligatorii
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Deveniți un vânzător
 DocType: Purchase Invoice,Credit To,De Creditat catre
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Oportunități active / Clienți
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Oportunități active / Clienți
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Lăsați necompletat pentru a utiliza formatul standard de livrare
 DocType: Employee Education,Post Graduate,Postuniversitar
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalii Program Mentenanta
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Avertizați pentru comenzi noi de achiziție
@@ -3456,14 +3495,14 @@
 DocType: Support Search Source,Post Title Key,Titlul mesajului cheie
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Pentru cartea de locuri de muncă
 DocType: Warranty Claim,Raised By,Ridicat de
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Prescriptiile
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Prescriptiile
 DocType: Payment Gateway Account,Payment Account,Cont de plăți
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Schimbarea net în conturile de creanțe
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Fara Masuri Compensatorii
 DocType: Job Offer,Accepted,Acceptat
 DocType: POS Closing Voucher,Sales Invoices Summary,Sumarul facturilor de vânzări
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,La numele partidului
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,La numele partidului
 DocType: Grant Application,Organization,Organizare
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
 DocType: SG Creation Tool Course,Student Group Name,Numele grupului studențesc
@@ -3472,7 +3511,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Vă rugăm să asigurați-vă că într-adevăr să ștergeți toate tranzacțiile pentru această companie. Datele dvs. de bază vor rămâne așa cum este. Această acțiune nu poate fi anulată.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,rezultatele cautarii
 DocType: Room,Room Number,Numărul de cameră
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Referință invalid {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Referință invalid {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nu poate fi mai mare decât cantitatea planificată ({2}) aferent comenzii de producție {3}
 DocType: Shipping Rule,Shipping Rule Label,Regula de transport maritim Label
 DocType: Journal Entry Account,Payroll Entry,Salarizare intrare
@@ -3480,8 +3519,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Faceți șablon de taxă
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum utilizator
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Materii Prime nu poate fi gol.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Rândul # {0} (tabelul de plată): Suma trebuie să fie negativă
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nu a putut fi actualizat stoc, factura conține drop de transport maritim."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Rândul # {0} (tabelul de plată): Suma trebuie să fie negativă
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nu a putut fi actualizat stoc, factura conține drop de transport maritim."
 DocType: Contract,Fulfilment Status,Starea de îndeplinire
 DocType: Lab Test Sample,Lab Test Sample,Test de laborator
 DocType: Item Variant Settings,Allow Rename Attribute Value,Permiteți redenumirea valorii atributului
@@ -3523,11 +3562,11 @@
 DocType: BOM,Show Operations,Afișați Operații
 ,Minutes to First Response for Opportunity,Minute la First Response pentru oportunitate
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Raport Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Articolul sau Depozitul aferent inregistrariii {0} nu se potrivește cu Cererea de Material
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Articolul sau Depozitul aferent inregistrariii {0} nu se potrivește cu Cererea de Material
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Unitate de măsură
 DocType: Fiscal Year,Year End Date,Anul Data de încheiere
 DocType: Task Depends On,Task Depends On,Sarcina Depinde
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Oportunitate
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Oportunitate
 DocType: Operation,Default Workstation,Implicit Workstation
 DocType: Notification Control,Expense Claim Approved Message,Mesaj Aprobare Revendicare Cheltuieli
 DocType: Payment Entry,Deductions or Loss,Deducerile sau Pierdere
@@ -3565,20 +3604,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Aprobarea unui utilizator nu poate fi aceeași cu utilizatorul. Regula este aplicabilă pentru
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Rata de bază (conform Stock UOM)
 DocType: SMS Log,No of Requested SMS,Nu de SMS solicitat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Concediu fără plată nu se potrivește cu înregistrările privind concediul de aplicare aprobat
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Concediu fără plată nu se potrivește cu înregistrările privind concediul de aplicare aprobat
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Pasii urmatori
 DocType: Travel Request,Domestic,Intern
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Vă rugăm să furnizeze elementele specificate la cele mai bune tarife posibile
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Vă rugăm să furnizeze elementele specificate la cele mai bune tarife posibile
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Transferul angajaților nu poate fi depus înainte de data transferului
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Realizare Factura
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Balanța rămasă
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Balanța rămasă
 DocType: Selling Settings,Auto close Opportunity after 15 days,Închidere automata Oportunitate după 15 zile
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Comenzile de cumpărare nu sunt permise pentru {0} datorită unui punctaj din {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Codul de bare {0} nu este un cod valid {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Codul de bare {0} nu este un cod valid {1}
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Anul de încheiere
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Cota / Plumb%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Data de Incheiere Contract trebuie să fie ulterioara Datei Aderării
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Data de Incheiere Contract trebuie să fie ulterioara Datei Aderării
 DocType: Driver,Driver,Conducător auto
 DocType: Vital Signs,Nutrition Values,Valorile nutriției
 DocType: Lab Test Template,Is billable,Este facturabil
@@ -3589,7 +3628,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Acesta este un site web exemplu auto-generat de ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Clasă de uzură 1
 DocType: Shopify Settings,Enable Shopify,Activați Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Suma avansului total nu poate fi mai mare decât suma totală revendicată
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Suma avansului total nu poate fi mai mare decât suma totală revendicată
 DocType: Purchase Taxes and Charges Template,"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
@@ -3636,12 +3675,12 @@
 DocType: Employee Separation,Employee Separation,Separarea angajaților
 DocType: BOM Item,Original Item,Articolul original
 DocType: Purchase Receipt Item,Recd Quantity,Recd Cantitate
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Data Documentelor
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Data Documentelor
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Taxa de inregistrare Creat - {0}
 DocType: Asset Category Account,Asset Category Account,Cont activ Categorie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Rândul # {0} (tabelul de plată): Suma trebuie să fie pozitivă
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Rândul # {0} (tabelul de plată): Suma trebuie să fie pozitivă
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Nu se pot produce mai multe Articole {0} decât cantitatea din Ordinul de Vânzări {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Selectați valorile atributelor
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Selectați valorile atributelor
 DocType: Purchase Invoice,Reason For Issuing document,Motivul pentru documentul de emitere
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock intrare {0} nu este prezentat
 DocType: Payment Reconciliation,Bank / Cash Account,Cont bancă / numerar
@@ -3650,8 +3689,10 @@
 DocType: Asset,Manual,Manual
 DocType: Salary Component Account,Salary Component Account,Contul de salariu Componentă
 DocType: Global Defaults,Hide Currency Symbol,Ascunde simbol moneda
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Oportunități de vânzare după sursă
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informații despre donator.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vă rugăm să configurați seria de numerotare pentru Participare prin Configurare&gt; Serie de numerotare
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit"
 DocType: Job Applicant,Source Name,sursa Nume
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tensiunea arterială normală de repaus la un adult este de aproximativ 120 mmHg sistolică și 80 mmHg diastolică, abreviată &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Stabiliți termenul de valabilitate a produselor în zile, pentru a stabili termenul de expirare pe baza datei de fabricație plus a vieții proprii"
@@ -3681,7 +3722,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Cantitatea trebuie să fie mai mică decât cantitatea {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rând {0}: Data începerii trebuie să fie înainte de Data de încheiere
 DocType: Salary Component,Max Benefit Amount (Yearly),Sumă maximă pentru beneficiu (anual)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Rata TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Rata TDS%
 DocType: Crop,Planting Area,Zona de plantare
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Cantitate)
 DocType: Installation Note Item,Installed Qty,Instalat Cantitate
@@ -3703,8 +3744,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Lăsați notificarea de aprobare
 DocType: Buying Settings,Default Buying Price List,Lista de POrețuri de Cumparare Implicita
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Bazat pe salariu Slip Pontaj
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Rata de cumparare
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Rând {0}: introduceți locația pentru elementul de activ {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Rata de cumparare
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Rând {0}: introduceți locația pentru elementul de activ {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Despre companie
 DocType: Notification Control,Sales Order Message,Comandă de vânzări Mesaj
@@ -3771,10 +3812,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Pentru rândul {0}: Introduceți cantitatea planificată
 DocType: Account,Income Account,Contul de venit
 DocType: Payment Request,Amount in customer's currency,Suma în moneda clientului
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Livrare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Livrare
 DocType: Volunteer,Weekdays,Zilele saptamanii
 DocType: Stock Reconciliation Item,Current Qty,Cantitate curentă
 DocType: Restaurant Menu,Restaurant Menu,Meniu Restaurant
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Adăugați furnizori
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Secțiunea Ajutor
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Anterior
@@ -3786,19 +3828,20 @@
 												fullfill Sales Order {2}",Nu se poate livra numărul de serie {0} al elementului {1} deoarece este rezervat pentru \ fullfill Order Order {2}
 DocType: Item Reorder,Material Request Type,Material Cerere tip
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Trimiteți e-mailul de examinare a granturilor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Factorul de conversie UOM este obligatorie
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Factorul de conversie UOM este obligatorie
 DocType: Employee Benefit Claim,Claim Date,Data revendicării
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Capacitatea camerei
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Încă există înregistrare pentru articolul {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Re
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Veți pierde înregistrări ale facturilor generate anterior. Sigur doriți să reporniți acest abonament?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Taxa de înregistrare
 DocType: Loyalty Program Collection,Loyalty Program Collection,Colecția de programe de loialitate
 DocType: Stock Entry Detail,Subcontracted Item,Subcontractat element
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Studentul {0} nu aparține grupului {1}
 DocType: Budget,Cost Center,Centrul de cost
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Purchase Order Mesaj
 DocType: Tax Rule,Shipping Country,Transport Tara
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ascunde Id-ul fiscal al Clientului din tranzacțiile de vânzare
@@ -3817,23 +3860,22 @@
 DocType: Subscription,Cancel At End Of Period,Anulați la sfârșitul perioadei
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Proprietățile deja adăugate
 DocType: Item Supplier,Item Supplier,Furnizor Articol
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nu există elemente selectate pentru transfer
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Toate adresele.
 DocType: Company,Stock Settings,Setări stoc
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Fuziune este posibilă numai în cazul în care următoarele proprietăți sunt aceleași în ambele registre. Este Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Fuziune este posibilă numai în cazul în care următoarele proprietăți sunt aceleași în ambele registre. Este Group, Root Type, Company"
 DocType: Vehicle,Electric,Electric
 DocType: Task,% Progress,% Progres
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Câștigul / Pierdere de eliminare a activelor
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",În tabelul de mai jos va fi selectat numai Solicitantul studenților cu statutul &quot;Aprobat&quot;.
 DocType: Tax Withholding Category,Rates,tarife
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Numărul contului pentru contul {0} nu este disponibil. <br> Vă rugăm să configurați corect planul de conturi.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Numărul contului pentru contul {0} nu este disponibil. <br> Vă rugăm să configurați corect planul de conturi.
 DocType: Task,Depends on Tasks,Depinde de Sarcini
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gestioneaza Ramificatiile de Group a Clientului.
 DocType: Normal Test Items,Result Value,Valoare Rezultat
 DocType: Hotel Room,Hotels,Hoteluri
-DocType: Delivery Note,Transporter Date,Data transportatorului
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Numele noului centru de cost
 DocType: Leave Control Panel,Leave Control Panel,Panou de Control Concediu
 DocType: Project,Task Completion,sarcina Finalizarea
@@ -3880,11 +3922,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Toate grupurile de evaluare
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nume nou depozit
 DocType: Shopify Settings,App Type,Tipul aplicației
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Teritoriu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vă rugăm să menționați nici de vizite necesare
 DocType: Stock Settings,Default Valuation Method,Metoda de Evaluare Implicită
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,taxă
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Afișați suma cumulată
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Actualizare în curs. Ar putea dura ceva timp.
 DocType: Production Plan Item,Produced Qty,Cantitate produsă
 DocType: Vehicle Log,Fuel Qty,combustibil Cantitate
@@ -3892,7 +3935,7 @@
 DocType: Work Order Operation,Planned Start Time,Planificate Ora de începere
 DocType: Course,Assessment,Evaluare
 DocType: Payment Entry Reference,Allocated,Alocat
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Inchideti Bilanțul și registrul Profit sau Pierdere.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Inchideti Bilanțul și registrul Profit sau Pierdere.
 DocType: Student Applicant,Application Status,Starea aplicației
 DocType: Additional Salary,Salary Component Type,Tipul componentei salariale
 DocType: Sensitivity Test Items,Sensitivity Test Items,Elemente de testare a senzitivității
@@ -3903,10 +3946,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Total Suma Impresionant
 DocType: Sales Partner,Targets,Obiective
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Înregistrați numărul SIREN în fișierul cu informații despre companie
+DocType: Email Digest,Sales Orders to Bill,Comenzi de vânzare către Bill
 DocType: Price List,Price List Master,Lista de preturi Masterat
 DocType: GST Account,CESS Account,Cont CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Toate tranzacțiile de vânzări pot fi etichetate comparativ mai multor **Persoane de vânzări** pentru ca dvs. sa puteţi configura și monitoriza obiective.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Link la solicitarea materialului
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Link la solicitarea materialului
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Activitatea Forumului
 ,S.O. No.,SO No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Element pentru setările tranzacției din contul bancar
@@ -3921,7 +3965,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,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.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Acțiune în cazul în care bugetul lunar acumulat este depășit cu PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,A plasa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,A plasa
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Reevaluarea cursului de schimb
 DocType: POS Profile,Ignore Pricing Rule,Ignora Regula Preturi
 DocType: Employee Education,Graduate,Absolvent
@@ -3970,6 +4014,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Alegeți clientul implicit în Setări restaurant
 ,Salary Register,Salariu Înregistrare
 DocType: Warehouse,Parent Warehouse,Depozit-mamă
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Diagramă
 DocType: Subscription,Net Total,Total net
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Implicit BOM nu a fost găsit pentru articolele {0} și proiectul {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definirea diferitelor tipuri de împrumut
@@ -4002,24 +4047,26 @@
 DocType: Membership,Membership Status,Statutul de membru
 DocType: Travel Itinerary,Lodging Required,Cazare solicitată
 ,Requested,Solicitată
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Nu Observații
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Nu Observații
 DocType: Asset,In Maintenance,În întreținere
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Faceți clic pe acest buton pentru a vă trage datele de comandă de vânzări de la Amazon MWS.
 DocType: Vital Signs,Abdomen,Abdomen
 DocType: Purchase Invoice,Overdue,Întârziat
 DocType: Account,Stock Received But Not Billed,"Stock primite, dar nu Considerat"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Contul de root trebuie să fie un grup
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Contul de root trebuie să fie un grup
 DocType: Drug Prescription,Drug Prescription,Droguri de prescripție
 DocType: Loan,Repaid/Closed,Nerambursate / Închis
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Cantitate totală prevăzută
 DocType: Monthly Distribution,Distribution Name,Denumire Distribuție
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Includeți UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Rata de evaluare nu a fost găsită pentru articolul {0}, care trebuie să facă înregistrări contabile pentru {1} {2}. Dacă elementul tranzacționează ca element cu rată zero de evaluare în {1}, vă rugăm să menționați acest lucru în tabelul {1} Item. În caz contrar, vă rugăm să creați o tranzacție de stoc de intrare pentru elementul respectiv sau să menționați rata de evaluare în înregistrarea elementului și apoi încercați să trimiteți / anulați această intrare"
 DocType: Course,Course Code,Codul cursului
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inspecție de calitate necesare pentru postul {0}
 DocType: Location,Parent Location,Locația părintească
 DocType: POS Settings,Use POS in Offline Mode,Utilizați POS în modul offline
 DocType: Supplier Scorecard,Supplier Variables,Variabilele furnizorilor
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} este obligatorie. Poate că înregistrarea de schimb valutar nu este creată pentru {1} până la {2}
 DocType: Quotation,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
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Rata netă (companie de valuta)
 DocType: Salary Detail,Condition and Formula Help,Stare și Formula Ajutor
@@ -4028,19 +4075,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Factură de vânzări
 DocType: Journal Entry Account,Party Balance,Balanța Party
 DocType: Cash Flow Mapper,Section Subtotal,Secțiunea Subtotal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Vă rugăm să selectați Aplicați Discount On
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Vă rugăm să selectați Aplicați Discount On
 DocType: Stock Settings,Sample Retention Warehouse,Exemplu de reținere depozit
 DocType: Company,Default Receivable Account,Implicit cont de încasat
 DocType: Purchase Invoice,Deemed Export,Considerat export
 DocType: Stock Entry,Material Transfer for Manufacture,Transfer de materii pentru fabricarea
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Procentul de reducere se poate aplica fie pe o listă de prețuri sau pentru toate lista de prețuri.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Intrare contabila pentru stoc
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Intrare contabila pentru stoc
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ați evaluat deja criteriile de evaluare {}.
 DocType: Vehicle Service,Engine Oil,Ulei de motor
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Comenzi de lucru create: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Comenzi de lucru create: {0}
 DocType: Sales Invoice,Sales Team1,Vânzări TEAM1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Articolul {0} nu există
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Articolul {0} nu există
 DocType: Sales Invoice,Customer Address,Adresă clientului
 DocType: Loan,Loan Details,Creditul Detalii
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Nu sa reușit configurarea posturilor companiei
@@ -4061,34 +4108,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Arată această prezentare în partea de sus a paginii
 DocType: BOM,Item UOM,Articol FDM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Suma impozitului pe urma Discount Suma (companie de valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0}
 DocType: Cheque Print Template,Primary Settings,Setări primare
 DocType: Attendance Request,Work From Home,Lucru de acasă
 DocType: Purchase Invoice,Select Supplier Address,Selectați Furnizor Adresă
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Adăugați angajați
 DocType: Purchase Invoice Item,Quality Inspection,Inspecție de calitate
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,Format standard
 DocType: Training Event,Theory,Teorie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Contul {0} este Blocat
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitate juridică / Filiala cu o Grafic separat de conturi aparținând Organizației.
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Produse Alimentare, Bauturi si Tutun"
 DocType: Account,Account Number,Numar de cont
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Poate face doar plata împotriva facturată {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Rata de comision nu poate fi mai mare decat 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Poate face doar plata împotriva facturată {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Rata de comision nu poate fi mai mare decat 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Alocați avansuri automat (FIFO)
 DocType: Volunteer,Volunteer,Voluntar
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Va rugam sa introduceti {0} primul
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Nu există răspunsuri de la
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Nu există răspunsuri de la
 DocType: Work Order Operation,Actual End Time,Timp efectiv de sfârşit
 DocType: Item,Manufacturer Part Number,Numarul de piesa
 DocType: Taxable Salary Slab,Taxable Salary Slab,Taxable Salary Slab
 DocType: Work Order Operation,Estimated Time and Cost,Timpul estimat și cost
 DocType: Bin,Bin,Coş
 DocType: Crop,Crop Name,Numele plantei
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Numai utilizatorii cu rolul {0} se pot înregistra pe Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Numai utilizatorii cu rolul {0} se pot înregistra pe Marketplace
 DocType: SMS Log,No of Sent SMS,Nu de SMS-uri trimise
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Numiri și întâlniri
@@ -4117,7 +4165,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Modificați codul
 DocType: Purchase Invoice Item,Valuation Rate,Rata de evaluare
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Lista de pret Valuta nu selectat
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Lista de pret Valuta nu selectat
 DocType: Purchase Invoice,Availed ITC Cess,Avansat ITC Cess
 ,Student Monthly Attendance Sheet,Elev foaia de prezență lunară
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Regulă de expediere aplicabilă numai pentru vânzare
@@ -4134,7 +4182,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gestiona vânzările Partners.
 DocType: Quality Inspection,Inspection Type,Inspecție Tip
 DocType: Fee Validity,Visited yet,Vizitată încă
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Depozite tranzacție existente nu pot fi convertite în grup.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Depozite tranzacție existente nu pot fi convertite în grup.
 DocType: Assessment Result Tool,Result HTML,rezultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Cât de des ar trebui să se actualizeze proiectul și compania pe baza tranzacțiilor de vânzare.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Expira la
@@ -4142,7 +4190,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Vă rugăm să selectați {0}
 DocType: C-Form,C-Form No,Nr. formular-C
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Distanţă
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Distanţă
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Listați produsele sau serviciile pe care le cumpărați sau le vindeți.
 DocType: Water Analysis,Storage Temperature,Temperatura de depozitare
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4158,19 +4206,19 @@
 DocType: Shopify Settings,Delivery Note Series,Seria de note de livrare
 DocType: Purchase Order Item,Returned Qty,Întors Cantitate
 DocType: Student,Exit,Iesire
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Rădăcină de tip este obligatorie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Rădăcină de tip este obligatorie
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Eroare la instalarea presetărilor
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversie UOM în ore
 DocType: Contract,Signee Details,Signee Detalii
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} are în prezent {1} Scor de Furnizor, iar cererile de oferta către acest furnizor ar trebui emise cu prudență."
 DocType: Certified Consultant,Non Profit Manager,Manager non-profit
 DocType: BOM,Total Cost(Company Currency),Cost total (companie Moneda)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial Nu {0} a creat
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial Nu {0} a creat
 DocType: Homepage,Company Description for website homepage,Descriere companie pentru pagina de start site
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pentru comoditatea clienților, aceste coduri pot fi utilizate în formate de imprimare cum ar fi Facturi și Note de Livrare"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nume furnizo
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nu s-au putut obține informații pentru {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Deschiderea Jurnalului de intrare
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Deschiderea Jurnalului de intrare
 DocType: Contract,Fulfilment Terms,Condiții de îndeplinire
 DocType: Sales Invoice,Time Sheet List,Listă de timp Sheet
 DocType: Employee,You can enter any date manually,Puteți introduce manual orice dată
@@ -4206,7 +4254,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Organizația dumneavoastră
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Scăderea listei de alocare pentru următorii angajați, deoarece înregistrările privind alocarea listei există deja împotriva acestora. {0}"
 DocType: Fee Component,Fees Category,Taxele de Categoria
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Vă rugăm să introduceți data alinarea.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Vă rugăm să introduceți data alinarea.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Suma
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detalii despre sponsor (nume, locație)"
 DocType: Supplier Scorecard,Notify Employee,Notificați angajatul
@@ -4219,9 +4267,9 @@
 DocType: Company,Chart Of Accounts Template,Diagrama de conturi de șabloane
 DocType: Attendance,Attendance Date,Dată prezenţă
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Actualizați stocul trebuie să fie activat pentru factura de achiziție {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Articol Preț actualizat pentru {0} în lista de prețuri {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Articol Preț actualizat pentru {0} în lista de prețuri {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salariul despartire bazat privind câștigul salarial și deducere.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Un cont cu noduri copil nu poate fi transformat în registru contabil
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Un cont cu noduri copil nu poate fi transformat în registru contabil
 DocType: Purchase Invoice Item,Accepted Warehouse,Depozit Acceptat
 DocType: Bank Reconciliation Detail,Posting Date,Dată postare
 DocType: Item,Valuation Method,Metoda de evaluare
@@ -4258,6 +4306,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Selectați un lot
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Cerere de călătorie și cheltuieli
 DocType: Sales Invoice,Redemption Cost Center,Centrul de cost de răscumpărare
+DocType: QuickBooks Migrator,Scope,domeniu
 DocType: Assessment Group,Assessment Group Name,Numele grupului de evaluare
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferat pentru fabricarea
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Adăugați la Detalii
@@ -4265,6 +4314,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Ultima dată de sincronizare
 DocType: Landed Cost Item,Receipt Document Type,Primire Tip de document
 DocType: Daily Work Summary Settings,Select Companies,selectaţi Companii
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Propunere / Citat pret
 DocType: Antibiotic,Healthcare,Sănătate
 DocType: Target Detail,Target Detail,Țintă Detaliu
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Varianta unică
@@ -4274,6 +4324,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Intrarea Perioada de închidere
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Selectați Departamentul ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Centrul de Cost cu tranzacții existente nu poate fi transformat în grup
+DocType: QuickBooks Migrator,Authorization URL,Adresa de autorizare
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
 DocType: Account,Depreciation,Depreciere
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Numărul de acțiuni și numerele de acțiuni sunt incoerente
@@ -4296,13 +4347,14 @@
 DocType: Support Search Source,Source DocType,Sursa DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Deschideți un nou bilet
 DocType: Training Event,Trainer Email,trainer e-mail
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Cererile de materiale {0} a creat
 DocType: Restaurant Reservation,No of People,Nr de oameni
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Șablon de termeni sau contractului.
 DocType: Bank Account,Address and Contact,Adresa și Contact
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Este cont de plati
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock nu poate fi actualizat cu confirmare de primire {0} Purchase
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock nu poate fi actualizat cu confirmare de primire {0} Purchase
 DocType: Support Settings,Auto close Issue after 7 days,Închidere automată Problemă după 7 zile
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Concediu nu poate fi repartizat înainte {0}, ca echilibru concediu a fost deja carry transmise în viitor înregistrarea alocare concediu {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Notă: Datorită / Reference Data depășește de companie zile de credit client de {0} zi (le)
@@ -4320,7 +4372,7 @@
 ,Qty to Deliver,Cantitate pentru a oferi
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon va sincroniza datele actualizate după această dată
 ,Stock Analytics,Analytics stoc
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operații nu poate fi lăsat necompletat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operații nu poate fi lăsat necompletat
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Test de laborator (e)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Comparativ detaliilor documentului nr.
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Ștergerea nu este permisă pentru țara {0}
@@ -4328,13 +4380,12 @@
 DocType: Quality Inspection,Outgoing,Trimise
 DocType: Material Request,Requested For,Solicitat/a pentru
 DocType: Quotation Item,Against Doctype,Comparativ tipului documentului
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} este anulat sau închis
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} este anulat sau închis
 DocType: Asset,Calculate Depreciation,Calculați amortizarea
 DocType: Delivery Note,Track this Delivery Note against any Project,Urmareste acest Livrare Note împotriva oricărui proiect
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Numerar net din Investiții
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clienți&gt; Teritoriu
 DocType: Work Order,Work-in-Progress Warehouse,De lucru-in-Progress Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Activul {0} trebuie transmis
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Activul {0} trebuie transmis
 DocType: Fee Schedule Program,Total Students,Total studenți
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Înregistrarea prezenței {0} există pentru elevul {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Reference # {0} din {1}
@@ -4353,7 +4404,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Nu se poate crea Bonus de retenție pentru angajații stânga
 DocType: Lead,Market Segment,Segmentul de piață
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Directorul Agriculturii
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Suma plătită nu poate fi mai mare decât suma totală negativă restante {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Suma plătită nu poate fi mai mare decât suma totală negativă restante {0}
 DocType: Supplier Scorecard Period,Variables,variabile
 DocType: Employee Internal Work History,Employee Internal Work History,Istoric Intern Locuri de Munca Angajat
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),De închidere (Dr)
@@ -4378,22 +4429,24 @@
 DocType: Amazon MWS Settings,Synch Products,Produse Synch
 DocType: Loyalty Point Entry,Loyalty Program,Program de fidelizare
 DocType: Student Guardian,Father,tată
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Bilete de sprijin
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&quot;Actualizare stoc&quot; nu poate fi verificată de vânzare de active fixe
 DocType: Bank Reconciliation,Bank Reconciliation,Reconciliere bancară
 DocType: Attendance,On Leave,La plecare
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obțineți actualizări
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Cont {2} nu aparține Companiei {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Selectați cel puțin o valoare din fiecare dintre atribute.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Selectați cel puțin o valoare din fiecare dintre atribute.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Cerere de material {0} este anulată sau oprită
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Statul de expediere
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Statul de expediere
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Lasă Managementul
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupuri
 DocType: Purchase Invoice,Hold Invoice,Țineți factura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Selectați Angajat
 DocType: Sales Order,Fully Delivered,Livrat complet
-DocType: Lead,Lower Income,Micsoreaza Venit
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Micsoreaza Venit
 DocType: Restaurant Order Entry,Current Order,Comanda actuală
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Numărul de numere și cantitate de serie trebuie să fie aceleași
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Sursă și depozit țintă nu poate fi același pentru rând {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Sursă și depozit țintă nu poate fi același pentru rând {0}
 DocType: Account,Asset Received But Not Billed,"Activul primit, dar nu facturat"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Diferența cont trebuie să fie un cont de tip activ / pasiv, deoarece acest stoc Reconcilierea este un intrare de deschidere"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Suma debursate nu poate fi mai mare decât Suma creditului {0}
@@ -4402,7 +4455,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Din Data' trebuie să fie dupã 'Până în Data'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Nu au fost găsite planuri de personal pentru această desemnare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Lotul {0} al elementului {1} este dezactivat.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Lotul {0} al elementului {1} este dezactivat.
 DocType: Leave Policy Detail,Annual Allocation,Alocarea anuală
 DocType: Travel Request,Address of Organizer,Adresa organizatorului
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Selectați medicul curant ...
@@ -4411,12 +4464,12 @@
 DocType: Asset,Fully Depreciated,Depreciata pe deplin
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stoc proiectată Cantitate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Clientul {0} nu apartine proiectului {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Clientul {0} nu apartine proiectului {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Participarea marcat HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Cotațiile sunt propuneri, sumele licitate le-ați trimis clienților dvs."
 DocType: Sales Invoice,Customer's Purchase Order,Comandă clientului
 DocType: Clinical Procedure,Patient,Rabdator
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Anulați verificarea creditului la Ordin de vânzări
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Anulați verificarea creditului la Ordin de vânzări
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activitatea de angajare a angajaților
 DocType: Location,Check if it is a hydroponic unit,Verificați dacă este o unitate hidroponică
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial și Lot nr
@@ -4426,7 +4479,7 @@
 DocType: Supplier Scorecard Period,Calculations,calculele
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Valoare sau Cantitate
 DocType: Payment Terms Template,Payment Terms,Termeni de plată
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Comenzile Productions nu pot fi ridicate pentru:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Comenzile Productions nu pot fi ridicate pentru:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minut
 DocType: Purchase Invoice,Purchase Taxes and Charges,Taxele de cumpărare și Taxe
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4434,7 +4487,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Mergeți la furnizori
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taxe pentru voucherele de închidere de la POS
 ,Qty to Receive,Cantitate de a primi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datele de începere și de sfârșit nu se află într-o perioadă de salarizare valabilă, nu pot calcula {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datele de începere și de sfârșit nu se află într-o perioadă de salarizare valabilă, nu pot calcula {0}."
 DocType: Leave Block List,Leave Block List Allowed,Lista Concedii Blocate Permise
 DocType: Grading Scale Interval,Grading Scale Interval,Clasificarea Scala Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Revendicarea pentru cheltuieli de vehicul Log {0}
@@ -4442,10 +4495,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Reducere (%) la rata de listă cu marjă
 DocType: Healthcare Service Unit Type,Rate / UOM,Rata / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,toate Depozite
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nu a fost găsit {0} pentru tranzacțiile Intercompanie.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nu a fost găsit {0} pentru tranzacțiile Intercompanie.
 DocType: Travel Itinerary,Rented Car,Mașină închiriată
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Despre compania dvs.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Credit în contul trebuie să fie un cont de bilanț
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Credit în contul trebuie să fie un cont de bilanț
 DocType: Donor,Donor,Donator
 DocType: Global Defaults,Disable In Words,Nu fi de acord în cuvinte
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Cod articol este obligatorie, deoarece postul nu este numerotat automat"
@@ -4457,14 +4510,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Descoperire cont bancar
 DocType: Patient,Patient ID,ID-ul pacientului
 DocType: Practitioner Schedule,Schedule Name,Numele programului
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Piața de vânzări pe etape
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Realizeaza Fluturas de Salar
 DocType: Currency Exchange,For Buying,Pentru cumparare
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Adăugați toți furnizorii
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Adăugați toți furnizorii
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rândul # {0}: Suma alocată nu poate fi mai mare decât suma rămasă.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Navigare BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Împrumuturi garantate
 DocType: Purchase Invoice,Edit Posting Date and Time,Editare postare Data și ora
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vă rugăm să setați Conturi aferente amortizării în categoria activelor {0} sau companie {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vă rugăm să setați Conturi aferente amortizării în categoria activelor {0} sau companie {1}
 DocType: Lab Test Groups,Normal Range,Interval normal
 DocType: Academic Term,Academic Year,An academic
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Vânzări disponibile
@@ -4493,26 +4547,26 @@
 DocType: Patient Appointment,Patient Appointment,Numirea pacientului
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Aprobarea unui rol nu poate fi aceeaşi cu rolul. Regula este aplicabilă pentru
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Dezabona de la acest e-mail Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Obțineți furnizori prin
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Obțineți furnizori prin
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nu a fost găsit pentru articolul {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Mergeți la Cursuri
 DocType: Accounts Settings,Show Inclusive Tax In Print,Afișați impozitul inclus în imprimare
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Contul bancar, de la data și până la data sunt obligatorii"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Mesajul a fost trimis
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Cont cu noduri copil nu poate fi setat ca Registru Contabil
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Cont cu noduri copil nu poate fi setat ca Registru Contabil
 DocType: C-Form,II,II
 DocType: Sales Invoice,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
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Suma netă (companie de valuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Suma avansului total nu poate fi mai mare decât suma totală sancționată
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Suma avansului total nu poate fi mai mare decât suma totală sancționată
 DocType: Salary Slip,Hour Rate,Rata Oră
 DocType: Stock Settings,Item Naming By,Denumire Articol Prin
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},O altă intrare închidere de perioada {0} a fost efectuată după {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materii Transferate pentru fabricarea
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Contul {0} nu există
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Selectați programul de loialitate
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Selectați programul de loialitate
 DocType: Project,Project Type,Tip de proiect
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Sarcina pentru copii există pentru această sarcină. Nu puteți șterge această activitate.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Cantitatea țintă sau valoarea țintă este obligatorie.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Cantitatea țintă sau valoarea țintă este obligatorie.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Costul diverse activități
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Setarea Evenimente la {0}, deoarece angajatul atașat la mai jos de vânzare Persoanele care nu are un ID de utilizator {1}"
 DocType: Timesheet,Billing Details,detalii de facturare
@@ -4570,13 +4624,13 @@
 DocType: Inpatient Record,A Negative,Un negativ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nimic mai mult pentru a arăta.
 DocType: Lead,From Customer,De la Client
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Apeluri
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Apeluri
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Un produs
 DocType: Employee Tax Exemption Declaration,Declarations,declaraţii
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Sarjele
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Faceți programarea taxelor
 DocType: Purchase Order Item Supplied,Stock UOM,Stoc UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Comandă {0} nu este prezentat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Comandă {0} nu este prezentat
 DocType: Account,Expenses Included In Asset Valuation,Cheltuieli incluse în evaluarea activelor
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Intervalul normal de referință pentru un adult este de 16-20 respirații / minut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tarif Număr
@@ -4589,6 +4643,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Salvați mai întâi pacientul
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Prezența a fost marcată cu succes.
 DocType: Program Enrollment,Public Transport,Transport public
+DocType: Delivery Note,GST Vehicle Type,Tipul vehiculului GST
 DocType: Soil Texture,Silt Composition (%),Compoziția Silt (%)
 DocType: Journal Entry,Remark,Remarcă
 DocType: Healthcare Settings,Avoid Confirmation,Evitați confirmarea
@@ -4598,11 +4653,10 @@
 DocType: Education Settings,Current Academic Term,Termen academic actual
 DocType: Education Settings,Current Academic Term,Termen academic actual
 DocType: Sales Order,Not Billed,Nu Taxat
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Ambele depozite trebuie să aparțină aceleiași companii
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Ambele depozite trebuie să aparțină aceleiași companii
 DocType: Employee Grade,Default Leave Policy,Implicit Politica de plecare
 DocType: Shopify Settings,Shop URL,Adresa URL magazin
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nu contact adăugat încă.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vă rugăm să configurați seria de numerotare pentru Participare prin Configurare&gt; Serie de numerotare
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Costul Landed Voucher Suma
 ,Item Balance (Simple),Balanța postului (simplă)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Facturi cu valoarea ridicată de către furnizori.
@@ -4627,7 +4681,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Ofertă Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Există un articol cu aceeaşi denumire ({0}), vă rugăm să schimbați denumirea grupului articolului sau să redenumiţi articolul"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Criterii de analiză a solului
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Vă rugăm să selectați Clienți
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Vă rugăm să selectați Clienți
 DocType: C-Form,I,eu
 DocType: Company,Asset Depreciation Cost Center,Centru de cost Amortizare Activ
 DocType: Production Plan Sales Order,Sales Order Date,Comandă de vânzări Data
@@ -4640,8 +4694,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,În prezent nu există stoc disponibil în niciun depozit
 ,Payment Period Based On Invoice Date,Perioada de plată Bazat pe Data facturii
 DocType: Sample Collection,No. of print,Nr. De imprimare
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Amintirea zilei de naștere
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervare cameră cameră
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Lipsește Schimb valutar prețul pentru {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Lipsește Schimb valutar prețul pentru {0}
 DocType: Employee Health Insurance,Health Insurance Name,Nume de Asigurări de Sănătate
 DocType: Assessment Plan,Examiner,Examinator
 DocType: Student,Siblings,siblings
@@ -4658,19 +4713,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Clienți noi
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Profit Brut%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Mențiunea {0} și factura de vânzări {1} au fost anulate
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Oportunități de către sursa de plumb
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Schimbarea profilului POS
 DocType: Bank Reconciliation Detail,Clearance Date,Data Aprobare
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Există deja un element împotriva elementului {0}, pe care nu îl puteți modifica, nu are nici o valoare"
+DocType: Delivery Settings,Dispatch Notification Template,Șablonul de notificare pentru expediere
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Există deja un element împotriva elementului {0}, pe care nu îl puteți modifica, nu are nici o valoare"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Raport de evaluare
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Obțineți angajați
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Valoarea brută Achiziția este obligatorie
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Numele companiei nu este același
 DocType: Lead,Address Desc,Adresă Desc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party este obligatorie
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Au fost găsite rânduri cu date scadente în alte rânduri: {list}
 DocType: Topic,Topic Name,Nume subiect
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Stabiliți șablonul prestabilit pentru notificarea de aprobare de ieșire din setările HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Stabiliți șablonul prestabilit pentru notificarea de aprobare de ieșire din setările HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Cel puţin una din opţiunile de vânzare sau cumpărare trebuie să fie selectată
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Selectați un angajat pentru a avansa angajatul.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Selectați o dată validă
@@ -4704,6 +4760,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Client sau furnizor Detalii
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Valoarea activului curent
+DocType: QuickBooks Migrator,Quickbooks Company ID,Coduri de identificare rapidă a companiei
 DocType: Travel Request,Travel Funding,Finanțarea turismului
 DocType: Loan Application,Required by Date,Cerere livrare la data de
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,O legătură către toate locațiile în care cultura este în creștere
@@ -4717,9 +4774,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Disponibil lot Cantitate puțin din Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Plata brută - Deducerea totală - rambursare a creditului
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,FDM-ul curent și FDM-ul nou nu pot fi identici
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,FDM-ul curent și FDM-ul nou nu pot fi identici
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ID-ul de salarizare alunecare
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Data Pensionare trebuie să fie ulterioara Datei Aderării
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Data Pensionare trebuie să fie ulterioara Datei Aderării
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Variante multiple
 DocType: Sales Invoice,Against Income Account,Comparativ contului de venit
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Livrat
@@ -4748,7 +4805,7 @@
 DocType: POS Profile,Update Stock,Actualizare stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Un UOM diferit pentru articole va conduce la o valoare incorecta pentru Greutate Neta (Total). Asigurați-vă că Greutatea Netă a fiecărui articol este în același UOM.
 DocType: Certification Application,Payment Details,Detalii de plata
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Rată BOM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Rată BOM
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Oprirea comenzii de lucru nu poate fi anulată, deblocați mai întâi pentru a anula"
 DocType: Asset,Journal Entry for Scrap,Jurnal de intrare pentru deseuri
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Vă rugăm să trage elemente de livrare Nota
@@ -4771,11 +4828,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Suma totală sancționat
 ,Purchase Analytics,Analytics de cumpărare
 DocType: Sales Invoice Item,Delivery Note Item,Articol de nota de Livrare
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Factura curentă {0} lipsește
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Factura curentă {0} lipsește
 DocType: Asset Maintenance Log,Task,Sarcină
 DocType: Purchase Taxes and Charges,Reference Row #,Reference Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Numărul aferent lotului este obligatoriu pentru articolul {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,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.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,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.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Dacă este selectată, valoarea specificată sau calculată în această componentă nu va contribui la câștigurile sau deducerile. Cu toate acestea, valoarea sa poate fi menționată de alte componente care pot fi adăugate sau deduse."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Dacă este selectată, valoarea specificată sau calculată în această componentă nu va contribui la câștigurile sau deducerile. Cu toate acestea, valoarea sa poate fi menționată de alte componente care pot fi adăugate sau deduse."
 DocType: Asset Settings,Number of Days in Fiscal Year,Numărul de zile în anul fiscal
@@ -4784,7 +4841,7 @@
 DocType: Company,Exchange Gain / Loss Account,Schimb de câștig / pierdere de cont
 DocType: Amazon MWS Settings,MWS Credentials,Certificatele MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Angajaților și prezență
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Scopul trebuie să fie una dintre {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Scopul trebuie să fie una dintre {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Completați formularul și salvați-l
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Community Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Cant. efectiva în stoc
@@ -4800,7 +4857,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard de vânzare Rata
 DocType: Account,Rate at which this tax is applied,Rata la care se aplică acest impozit
 DocType: Cash Flow Mapper,Section Name,Numele secțiunii
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Cantitatea de comandat
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Cantitatea de comandat
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Rata de amortizare {0}: Valoarea estimată după viața utilă trebuie să fie mai mare sau egală cu {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Locuri de munca disponibile
 DocType: Company,Stock Adjustment Account,Cont Ajustarea stoc
@@ -4810,8 +4867,9 @@
 DocType: Employee,"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."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Introduceți detaliile de depreciere
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: de la {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Lăsați aplicația {0} să existe deja împotriva elevului {1}
 DocType: Task,depends_on,depinde de
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,A intrat în așteptare pentru actualizarea ultimului preț în toate materialele. Ar putea dura câteva minute.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,A intrat în așteptare pentru actualizarea ultimului preț în toate materialele. Ar putea dura câteva minute.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Numele de cont nou. Notă: Vă rugăm să nu creați conturi pentru clienți și furnizori
 DocType: POS Profile,Display Items In Stock,Afișați articolele în stoc
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Șabloanele țară înțelept adresa implicită
@@ -4841,16 +4899,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Sloturile pentru {0} nu sunt adăugate la program
 DocType: Product Bundle,List items that form the package.,Listeaza articole care formează pachetul.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nu sunt acceptate. Dezactivați șablonul de testare
+DocType: Delivery Note,Distance (in km),Distanța (în km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Alocarea procent ar trebui să fie egală cu 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Vă rugăm să selectați Dată postare înainte de a selecta Parte
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Vă rugăm să selectați Dată postare înainte de a selecta Parte
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Din AMC
+DocType: Opportunity,Opportunity Amount,Oportunitate Sumă
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numărul de Deprecieri Booked nu poate fi mai mare decât Număr total de Deprecieri
 DocType: Purchase Order,Order Confirmation Date,Data de confirmare a comenzii
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Realizeaza Vizita de Mentenanta
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Data de începere și data de încheiere se suprapun cu cartea de lucru <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Detaliile transferului angajatului
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Vă rugăm să contactați pentru utilizatorul care au Sales Maestru de Management {0} rol
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Vă rugăm să contactați pentru utilizatorul care au Sales Maestru de Management {0} rol
 DocType: Company,Default Cash Account,Cont de Numerar Implicit
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Directorul Companiei(nu al Clientului sau al Furnizorui).
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Aceasta se bazează pe prezența acestui student
@@ -4858,9 +4919,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Adăugați mai multe articole sau deschideți formular complet
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota de Livrare {0} trebuie sa fie anulată înainte de a anula aceasta Comandă de Vânzări
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Accesați Utilizatori
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Suma plătită + Scrie Off Suma nu poate fi mai mare decât Grand total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Suma plătită + Scrie Off Suma nu poate fi mai mare decât Grand total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nu este un număr de lot valid aferent articolului {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Notă: Nu este echilibrul concediu suficient pentru concediul de tip {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Notă: Nu este echilibrul concediu suficient pentru concediul de tip {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN nevalid sau Enter NA pentru neînregistrat
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Programul de înscriere Taxa
@@ -4877,7 +4938,7 @@
 DocType: Fee Schedule,Fee Schedule,Taxa de Program
 DocType: Company,Create Chart Of Accounts Based On,"Creează Plan de conturi, bazate pe"
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Nu se poate converti în non-grup. Sarcini pentru copii există.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Data nașterii nu poate fi mai mare decât în prezent.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Data nașterii nu poate fi mai mare decât în prezent.
 ,Stock Ageing,Stoc Îmbătrânirea
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Parțial sponsorizat, necesită finanțare parțială"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} există împotriva solicitantului de student {1}
@@ -4924,11 +4985,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Premergător reconcilierii
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Pentru a {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impozite și Taxe adăugate (Compania de valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Taxa Articol pentru inregistrarea {0} trebuie sa detina un cont de tip Fiscal sau De Venituri sau De Cheltuieli sau Taxabil
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Taxa Articol pentru inregistrarea {0} trebuie sa detina un cont de tip Fiscal sau De Venituri sau De Cheltuieli sau Taxabil
 DocType: Sales Order,Partly Billed,Parțial Taxat
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Postul {0} trebuie să fie un element activ fix
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Faceți variante
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Faceți variante
 DocType: Item,Default BOM,FDM Implicit
 DocType: Project,Total Billed Amount (via Sales Invoices),Suma facturată totală (prin facturi de vânzare)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debit Notă Sumă
@@ -4957,14 +5018,14 @@
 DocType: Notification Control,Custom Message,Mesaj Personalizat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investment Banking
 DocType: Purchase Invoice,input,intrare
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Pentru a face o inregistrare de plată este obligatoriu numerar sau cont bancar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Pentru a face o inregistrare de plată este obligatoriu numerar sau cont bancar
 DocType: Loyalty Program,Multiple Tier Program,Program multiplu
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa studenților
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa studenților
 DocType: Purchase Invoice,Price List Exchange Rate,Lista de prețuri Cursul de schimb
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Toate grupurile de furnizori
 DocType: Employee Boarding Activity,Required for Employee Creation,Necesar pentru crearea angajaților
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Numărul contului {0} deja utilizat în contul {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Numărul contului {0} deja utilizat în contul {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,Numele profilului POS
 DocType: Hotel Room Reservation,Booked,rezervat
@@ -4980,18 +5041,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,De referință nu este obligatorie în cazul în care ați introdus Reference Data
 DocType: Bank Reconciliation Detail,Payment Document,Documentul de plată
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Eroare la evaluarea formulei de criterii
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Data Aderării trebuie să fie ulterioara Datei Nașterii
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Data Aderării trebuie să fie ulterioara Datei Nașterii
 DocType: Subscription,Plans,Planuri
 DocType: Salary Slip,Salary Structure,Structura salariu
 DocType: Account,Bank,Bancă
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Linie aeriană
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Eliberarea Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Eliberarea Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Conectați-vă la Shopify cu ERPNext
 DocType: Material Request Item,For Warehouse,Pentru Depozit
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Notele de livrare {0} sunt actualizate
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Notele de livrare {0} sunt actualizate
 DocType: Employee,Offer Date,Oferta Date
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cotațiile
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Sunteți în modul offline. Tu nu va fi capabil să reîncărcați până când nu aveți de rețea.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Cotațiile
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Sunteți în modul offline. Tu nu va fi capabil să reîncărcați până când nu aveți de rețea.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Acorda
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Nu există grupuri create de studenți.
 DocType: Purchase Invoice Item,Serial No,Nr. serie
@@ -5003,24 +5064,26 @@
 DocType: Sales Invoice,Customer PO Details,Detalii PO pentru clienți
 DocType: Stock Entry,Including items for sub assemblies,Inclusiv articole pentru subansambluri
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Contul de deschidere temporar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Introduceți valoarea trebuie să fie pozitiv
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Introduceți valoarea trebuie să fie pozitiv
 DocType: Asset,Finance Books,Cărți de finanțare
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Declarația de scutire fiscală a angajaților
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Toate teritoriile
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Vă rugăm să stabiliți politica de concediu pentru angajatul {0} în evidența Angajat / Grad
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Comanda nevalabilă pentru client și element selectat
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Comanda nevalabilă pentru client și element selectat
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Adăugați mai multe activități
 DocType: Purchase Invoice,Items,Articole
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Data de încheiere nu poate fi înainte de data de începere.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student este deja înscris.
 DocType: Fiscal Year,Year Name,An Denumire
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Există mai multe sărbători decât de zile de lucru în această lună.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Există mai multe sărbători decât de zile de lucru în această lună.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Următoarele elemente {0} nu sunt marcate ca {1} element. Puteți să le activați ca element {1} din capitolul Articol
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Produs Bundle Postul
 DocType: Sales Partner,Sales Partner Name,Numele Partner Sales
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Cerere de Oferte
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Cerere de Oferte
 DocType: Payment Reconciliation,Maximum Invoice Amount,Factură maxim Suma
 DocType: Normal Test Items,Normal Test Items,Elemente de test normale
+DocType: QuickBooks Migrator,Company Settings,Setări Company
 DocType: Additional Salary,Overwrite Salary Structure Amount,Suprascrieți suma structurii salariilor
 DocType: Student Language,Student Language,Limba Student
 apps/erpnext/erpnext/config/selling.py +23,Customers,clienţii care
@@ -5033,22 +5096,24 @@
 DocType: Issue,Opening Time,Timp de deschidere
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Datele De La și Pana La necesare
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,A Valorilor Mobiliare și Burselor de Mărfuri
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitatea implicit de măsură pentru Variant &#39;{0} &quot;trebuie să fie la fel ca în Template&quot; {1} &quot;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitatea implicit de măsură pentru Variant &#39;{0} &quot;trebuie să fie la fel ca în Template&quot; {1} &quot;
 DocType: Shipping Rule,Calculate Based On,Calculaţi pe baza
 DocType: Contract,Unfulfilled,neîmplinit
 DocType: Delivery Note Item,From Warehouse,Din depozitul
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Nu există angajați pentru criteriile menționate
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Nu există niciun articol cu Lista de materiale pentru fabricarea
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Nu există niciun articol cu Lista de materiale pentru fabricarea
 DocType: Shopify Settings,Default Customer,Clientul implicit
+DocType: Sales Stage,Stage Name,Nume de scena
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Nume supervizor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Nu confirmați dacă se creează o întâlnire pentru aceeași zi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Transport către stat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Transport către stat
 DocType: Program Enrollment Course,Program Enrollment Course,Curs de înscriere la curs
 DocType: Program Enrollment Course,Program Enrollment Course,Curs de înscriere la curs
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Utilizatorul {0} este deja însărcinat cu medicul de îngrijire medicală {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Faceți intrarea stocului de reținere a probelor
 DocType: Purchase Taxes and Charges,Valuation and Total,Evaluare și Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negocierea / revizuire
 DocType: Leave Encashment,Encashment Amount,Suma de încasare
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecardurilor
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Loturile expirate
@@ -5058,7 +5123,7 @@
 DocType: Staffing Plan Detail,Current Openings,Deschideri curente
 DocType: Notification Control,Customize the Notification,Personalizare Notificare
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Cash Flow din Operațiuni
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Suma CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Suma CGST
 DocType: Purchase Invoice,Shipping Rule,Regula de transport maritim
 DocType: Patient Relation,Spouse,soț
 DocType: Lab Test Groups,Add Test,Adăugați test
@@ -5072,14 +5137,14 @@
 DocType: Payroll Entry,Payroll Frequency,Frecventa de salarizare
 DocType: Lab Test Template,Sensitivity,Sensibilitate
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Sincronizarea a fost temporar dezactivată, deoarece au fost depășite încercările maxime"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Material brut
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Material brut
 DocType: Leave Application,Follow via Email,Urmați prin e-mail
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Plante și mașini
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Suma taxa După Discount Suma
 DocType: Patient,Inpatient Status,Starea staționarului
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Setări de zi cu zi de lucru Sumar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Lista de prețuri selectată ar trebui să verifice câmpurile de cumpărare și vânzare.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Introduceți Reqd după dată
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Lista de prețuri selectată ar trebui să verifice câmpurile de cumpărare și vânzare.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Introduceți Reqd după dată
 DocType: Payment Entry,Internal Transfer,Transfer intern
 DocType: Asset Maintenance,Maintenance Tasks,Sarcini de întreținere
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Cantitatea țintă sau valoarea țintă este obligatorie
@@ -5101,7 +5166,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicare
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicare
 ,TDS Payable Monthly,TDS plătibil lunar
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,În așteptare pentru înlocuirea BOM. Ar putea dura câteva minute.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,În așteptare pentru înlocuirea BOM. Ar putea dura câteva minute.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nu se poate deduce când categoria este de 'Evaluare' sau 'Evaluare și total'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Plățile se potrivesc cu facturi
@@ -5114,7 +5179,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Adăugaţi în Coş
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Grupul De
 DocType: Guardian,Interests,interese
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Activare / dezactivare valute.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Activare / dezactivare valute.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nu am putut trimite unele Salariile
 DocType: Exchange Rate Revaluation,Get Entries,Obțineți intrări
 DocType: Production Plan,Get Material Request,Material Cerere obțineți
@@ -5136,15 +5201,16 @@
 DocType: Lead,Lead Type,Tip Conducere
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Tu nu sunt autorizate să aprobe frunze pe bloc Perioada
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Toate aceste articole au fost deja facturate
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Setați noua dată de lansare
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Setați noua dată de lansare
 DocType: Company,Monthly Sales Target,Vânzări lunare
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Poate fi aprobat/a de către {0}
 DocType: Hotel Room,Hotel Room Type,Tip camera de hotel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Furnizor&gt; Tipul furnizorului
 DocType: Leave Allocation,Leave Period,Lăsați perioada
 DocType: Item,Default Material Request Type,Implicit Material Tip de solicitare
 DocType: Supplier Scorecard,Evaluation Period,Perioada de evaluare
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Necunoscut
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Ordinul de lucru nu a fost creat
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Ordinul de lucru nu a fost creat
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","O sumă de {0} deja revendicată pentru componenta {1}, \ a stabilit suma egală sau mai mare decât {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Condiții Regula de transport maritim
@@ -5179,15 +5245,15 @@
 DocType: Batch,Source Document Name,Numele sursei de document
 DocType: Production Plan,Get Raw Materials For Production,Obțineți materii prime pentru producție
 DocType: Job Opening,Job Title,Denumire post
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indică faptul că {1} nu va oferi o cotație, dar toate articolele \ au fost cotate. Se actualizează statusul cererii de oferta."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Probele maxime - {0} au fost deja reținute pentru lotul {1} și articolul {2} din lotul {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Probele maxime - {0} au fost deja reținute pentru lotul {1} și articolul {2} din lotul {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Actualizați costul BOM automat
 DocType: Lab Test,Test Name,Numele testului
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Procedura clinică Consumabile
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Creați Utilizatori
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Abonamente
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Abonamente
 DocType: Supplier Scorecard,Per Month,Pe luna
 DocType: Education Settings,Make Academic Term Mandatory,Asigurați-obligatoriu termenul academic
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Cantitatea să Fabricare trebuie sa fie mai mare decât 0.
@@ -5196,10 +5262,10 @@
 DocType: Stock Entry,Update Rate and Availability,Actualizarea Rata și disponibilitatea
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procentul vi se permite de a primi sau livra mai mult față de cantitatea comandata. De exemplu: Dacă ați comandat 100 de unități. și alocația este de 10%, atunci vi se permite să primească 110 de unități."
 DocType: Loyalty Program,Customer Group,Grup Clienți
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rândul # {0}: Operația {1} nu este finalizată pentru {2} cantitățile de produse finite din Ordinul de lucru # {3}. Actualizați starea de funcționare prin intermediul jurnalelor de timp
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rândul # {0}: Operația {1} nu este finalizată pentru {2} cantitățile de produse finite din Ordinul de lucru # {3}. Actualizați starea de funcționare prin intermediul jurnalelor de timp
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ID-ul lotului nou (opțional)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ID-ul lotului nou (opțional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Cont de cheltuieli este obligatoriu pentru articolul {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Cont de cheltuieli este obligatoriu pentru articolul {0}
 DocType: BOM,Website Description,Site-ul Descriere
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Schimbarea net în capitaluri proprii
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Vă rugăm să anulați Achiziționarea factură {0} mai întâi
@@ -5214,7 +5280,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Nu este nimic pentru a edita.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Vizualizare formular
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Cheltuieli de asistare obligatorii în cererea de cheltuieli
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Rezumat pentru această lună și activități în așteptarea
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Rezumat pentru această lună și activități în așteptarea
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vă rugăm să setați Contul de câștig / pierdere nerealizat din companie {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Adăugați utilizatori în organizația dvs., în afară de dvs."
 DocType: Customer Group,Customer Group Name,Nume Group Client
@@ -5224,14 +5290,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Nu a fost creată nicio solicitare materială
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma creditului nu poate depăși valoarea maximă a împrumutului de {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licență
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Vă rugăm să eliminați acest factură {0} de la C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Vă rugăm să eliminați acest factură {0} de la C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vă rugăm să selectați reporta dacă doriți și să includă echilibrul de anul precedent fiscal lasă în acest an fiscal
 DocType: GL Entry,Against Voucher Type,Contra tipului de voucher
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Au fost adăugate sloturi de timp
 DocType: Item,Attributes,Atribute
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Activați șablonul
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Ultima comandă Data
 DocType: Salary Component,Is Payable,Se plătește
 DocType: Inpatient Record,B Negative,B Negativ
@@ -5242,7 +5308,7 @@
 DocType: Hotel Room,Hotel Room,Cameră de hotel
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Contul {0} nu aparține companiei {1}
 DocType: Leave Type,Rounding,rotunjirea
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Numerele de serie din rândul {0} nu se potrivesc cu Nota de livrare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Numerele de serie din rândul {0} nu se potrivesc cu Nota de livrare
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Sumă distribuită (Pro-evaluată)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Apoi, regulile de tarifare sunt filtrate în funcție de client, grup de clienți, teritoriu, furnizor, grup de furnizori, campanie, partener de vânzări etc."
 DocType: Student,Guardian Details,Detalii tutore
@@ -5251,10 +5317,10 @@
 DocType: Vehicle,Chassis No,Număr șasiu
 DocType: Payment Request,Initiated,Iniţiat
 DocType: Production Plan Item,Planned Start Date,Start data planificată
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Selectați un BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Selectați un BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Avantaje fiscale integrate ITC
 DocType: Purchase Order Item,Blanket Order Rate,Rata de comandă a plicului
-apps/erpnext/erpnext/hooks.py +156,Certification,Certificare
+apps/erpnext/erpnext/hooks.py +157,Certification,Certificare
 DocType: Bank Guarantee,Clauses and Conditions,Clauze și condiții
 DocType: Serial No,Creation Document Type,Tip de document creație
 DocType: Project Task,View Timesheet,Vizualizați foaia de lucru
@@ -5279,6 +5345,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Postul părinte {0} nu trebuie să fie un articol stoc
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Înregistrarea site-ului
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Toate produsele sau serviciile.
+DocType: Email Digest,Open Quotations,Citatele deschise
 DocType: Expense Claim,More Details,Mai multe detalii
 DocType: Supplier Quotation,Supplier Address,Furnizor Adresa
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},Bugetul {0} pentru Contul {1} fata de {2} {3} este {4}. Acesta este depășit cu {5}
@@ -5293,12 +5360,11 @@
 DocType: Training Event,Exam,Examen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Eroare de pe piață
 DocType: Complaint,Complaint,Plângere
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0}
 DocType: Leave Allocation,Unused leaves,Frunze neutilizate
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Faceți intrarea în rambursare
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Toate departamentele
 DocType: Healthcare Service Unit,Vacant,Vacant
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Furnizor&gt; Tipul furnizorului
 DocType: Patient,Alcohol Past Use,Utilizarea anterioară a alcoolului
 DocType: Fertilizer Content,Fertilizer Content,Conținut de îngrășăminte
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5306,7 +5372,7 @@
 DocType: Tax Rule,Billing State,Stat de facturare
 DocType: Share Transfer,Transfer,Transfer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Ordinul de lucru {0} trebuie anulat înainte de a anula acest ordin de vânzări
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Obtine FDM expandat (inclusiv subansamblurile)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Obtine FDM expandat (inclusiv subansamblurile)
 DocType: Authorization Rule,Applicable To (Employee),Aplicabil pentru (angajat)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Due Date este obligatorie
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Creștere pentru Atribut {0} nu poate fi 0
@@ -5322,7 +5388,7 @@
 DocType: Disease,Treatment Period,Perioada de tratament
 DocType: Travel Itinerary,Travel Itinerary,Itinerariul de călătorie
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Rezultatul deja trimis
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Depozitul rezervat este obligatoriu pentru articolul {0} din materiile prime furnizate
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Depozitul rezervat este obligatoriu pentru articolul {0} din materiile prime furnizate
 ,Inactive Customers,Clienții inactive
 DocType: Student Admission Program,Maximum Age,Vârsta maximă
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Așteptați 3 zile înainte de a retrimite mementourile.
@@ -5331,7 +5397,6 @@
 DocType: Stock Entry,Delivery Note No,Nr. Nota de Livrare
 DocType: Cheque Print Template,Message to show,Mesaj pentru a arăta
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Cu amănuntul
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Gestionați automat factura de numire
 DocType: Student Attendance,Absent,Absent
 DocType: Staffing Plan,Staffing Plan Detail,Detaliile planului de personal
 DocType: Employee Promotion,Promotion Date,Data promoției
@@ -5353,7 +5418,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Asigurați-vă de plumb
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Imprimare și articole de papetărie
 DocType: Stock Settings,Show Barcode Field,Afișează coduri de bare Câmp
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Trimite email-uri Furnizor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Trimite email-uri Furnizor
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salariu au fost deja procesate pentru perioada între {0} și {1}, Lăsați perioada de aplicare nu poate fi între acest interval de date."
 DocType: Fiscal Year,Auto Created,Crearea automată
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Trimiteți acest lucru pentru a crea înregistrarea angajatului
@@ -5362,7 +5427,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Factura {0} nu mai există
 DocType: Guardian Interest,Guardian Interest,Interes tutore
 DocType: Volunteer,Availability,Disponibilitate
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Configurați valorile implicite pentru facturile POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Configurați valorile implicite pentru facturile POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Pregătire
 DocType: Project,Time to send,Este timpul să trimiteți
 DocType: Timesheet,Employee Detail,Detaliu angajat
@@ -5386,7 +5451,7 @@
 DocType: Training Event Employee,Optional,facultativ
 DocType: Salary Slip,Earning & Deduction,Câștig Salarial si Deducere
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza apei
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variantele create.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variantele create.
 DocType: Amazon MWS Settings,Region,Regiune
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opțional. Această setare va fi utilizat pentru a filtra în diverse tranzacții.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negativ Rata de evaluare nu este permis
@@ -5405,7 +5470,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Costul de active scoase din uz
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: 아이템 {2} 는 Cost Center가  필수임
 DocType: Vehicle,Policy No,Politica nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Obține elemente din Bundle produse
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Obține elemente din Bundle produse
 DocType: Asset,Straight Line,Linie dreapta
 DocType: Project User,Project User,utilizator proiect
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Despică
@@ -5414,7 +5479,7 @@
 DocType: GL Entry,Is Advance,Este Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Durata de viață a angajatului
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Prezenţa de la data și Prezența până la data sunt obligatorii
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu"
 DocType: Item,Default Purchase Unit of Measure,Unitatea de măsură prestabilită a măsurii
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ultima comunicare
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ultima comunicare
@@ -5424,7 +5489,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Accesul la jetonul de acces sau lipsa adresei Shopify
 DocType: Location,Latitude,Latitudine
 DocType: Work Order,Scrap Warehouse,Depozit fier vechi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Depozitul necesar la rândul nr. {0}, vă rugăm să setați un depozit implicit pentru elementul {1} pentru companie {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Depozitul necesar la rândul nr. {0}, vă rugăm să setați un depozit implicit pentru elementul {1} pentru companie {2}"
 DocType: Work Order,Check if material transfer entry is not required,Verificați dacă nu este necesară introducerea transferului de materiale
 DocType: Work Order,Check if material transfer entry is not required,Verificați dacă nu este necesară introducerea transferului de materiale
 DocType: Program Enrollment Tool,Get Students From,Elevii de la a lua
@@ -5441,6 +5506,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Numărul nou de loturi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Îmbrăcăminte și accesorii
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Nu s-a putut rezolva funcția de scor ponderat. Asigurați-vă că formula este validă.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Elemente de comandă de cumpărare care nu au fost primite la timp
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Numărul de comandă
 DocType: Item Group,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."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Precizați condițiile de calcul cantitate de transport maritim
@@ -5449,9 +5515,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,cale
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Nu se poate converti de cost Centrul de registru, deoarece are noduri copil"
 DocType: Production Plan,Total Planned Qty,Cantitatea totală planificată
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Valoarea de deschidere
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Valoarea de deschidere
 DocType: Salary Component,Formula,Formulă
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Cont de vanzari
 DocType: Purchase Invoice Item,Total Weight,Greutate totală
@@ -5469,7 +5535,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Asigurați-vă Material Cerere
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Deschis Postul {0}
 DocType: Asset Finance Book,Written Down Value,Valoarea scrise în jos
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configurați sistemul de numire a angajaților în Resurse umane&gt; Setări HR
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,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
 DocType: Clinical Procedure,Age,Vârstă
 DocType: Sales Invoice Timesheet,Billing Amount,Suma de facturare
@@ -5478,11 +5543,11 @@
 DocType: Company,Default Employee Advance Account,Implicit Cont Advance Advance Employee
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Elementul de căutare (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Un cont cu tranzacții existente nu poate fi șters
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Un cont cu tranzacții existente nu poate fi șters
 DocType: Vehicle,Last Carbon Check,Ultima Verificare carbon
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Cheltuieli Juridice
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Selectați cantitatea pe rând
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Faceți deschiderea facturilor de vânzare și cumpărare
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Faceți deschiderea facturilor de vânzare și cumpărare
 DocType: Purchase Invoice,Posting Time,Postarea de timp
 DocType: Timesheet,% Amount Billed,% Suma facturata
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Cheltuieli de telefon
@@ -5497,14 +5562,14 @@
 DocType: Maintenance Visit,Breakdown,Avarie
 DocType: Travel Itinerary,Vegetarian,Vegetarian
 DocType: Patient Encounter,Encounter Date,Data întâlnirii
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Contul: {0} cu moneda: {1} nu poate fi selectat
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Contul: {0} cu moneda: {1} nu poate fi selectat
 DocType: Bank Statement Transaction Settings Item,Bank Data,Date bancare
 DocType: Purchase Receipt Item,Sample Quantity,Cantitate de probă
 DocType: Bank Guarantee,Name of Beneficiary,Numele beneficiarului
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Actualizați costul BOM în mod automat prin programator, bazat pe cea mai recentă rată de evaluare / rata de prețuri / ultima rată de achiziție a materiilor prime."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Data Cec
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Contul {0}: cont Părinte {1} nu apartine companiei: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Contul {0}: cont Părinte {1} nu apartine companiei: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Șters cu succes toate tranzacțiile legate de aceasta companie!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Ca pe data
 DocType: Additional Salary,HR,HR
@@ -5512,7 +5577,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Alerte SMS ale pacientului
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Probă
 DocType: Program Enrollment Tool,New Academic Year,Anul universitar nou
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Revenire / credit Notă
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Revenire / credit Notă
 DocType: Stock Settings,Auto insert Price List rate if missing,"Inserare automată a pretului de listă, dacă lipsește"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Total Suma plătită
 DocType: GST Settings,B2C Limit,Limita B2C
@@ -5530,10 +5595,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,noduri pentru copii pot fi create numai în noduri de tip &quot;grup&quot;
 DocType: Attendance Request,Half Day Date,Jumatate de zi Data
 DocType: Academic Year,Academic Year Name,Nume An Universitar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} nu este permis să efectueze tranzacții cu {1}. Vă rugăm să schimbați compania.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} nu este permis să efectueze tranzacții cu {1}. Vă rugăm să schimbați compania.
 DocType: Sales Partner,Contact Desc,Persoana de Contact Desc
 DocType: Email Digest,Send regular summary reports via Email.,Trimite rapoarte de sinteză periodice prin e-mail.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Vă rugăm să setați contul implicit în cheltuielile de revendicare Tip {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Vă rugăm să setați contul implicit în cheltuielile de revendicare Tip {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Frunzele disponibile
 DocType: Assessment Result,Student Name,Numele studentului
 DocType: Hub Tracked Item,Item Manager,Postul de manager
@@ -5558,9 +5623,10 @@
 DocType: Subscription,Trial Period End Date,Data de încheiere a perioadei de încercare
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Nu authroized din {0} depășește limitele
 DocType: Serial No,Asset Status,Starea activelor
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Peste mărime dimensională (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurant Table
 DocType: Hotel Room,Hotel Manager,Hotel Manager
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set Regula fiscală pentru coșul de cumpărături
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Set Regula fiscală pentru coșul de cumpărături
 DocType: Purchase Invoice,Taxes and Charges Added,Impozite și Taxe Added
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Rândul de amortizare {0}: Data următoarei amortizări nu poate fi înaintea datei disponibile pentru utilizare
 ,Sales Funnel,De vânzări pâlnie
@@ -5576,10 +5642,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Toate grupurile de clienți
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,lunar acumulat
 DocType: Attendance Request,On Duty,La datorie
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} este obligatoriu. Este posibil ca înregistrarea schimbului valutar nu este creată pentru {1} până la {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} este obligatoriu. Este posibil ca înregistrarea schimbului valutar nu este creată pentru {1} până la {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Planul de personal {0} există deja pentru desemnare {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Format de impozitare este obligatorie.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Contul {0}: cont părinte {1} nu există
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Contul {0}: cont părinte {1} nu există
 DocType: POS Closing Voucher,Period Start Date,Data de începere a perioadei
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Lista de prețuri Rate (Compania de valuta)
 DocType: Products Settings,Products Settings,produse Setări
@@ -5599,7 +5665,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Această acțiune va opri facturarea viitoare. Sigur doriți să anulați acest abonament?
 DocType: Serial No,Distinct unit of an Item,Unitate distinctă de Postul
 DocType: Supplier Scorecard Criteria,Criteria Name,Numele de criterii
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Stabiliți compania
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Stabiliți compania
 DocType: Procedure Prescription,Procedure Created,Procedura creată
 DocType: Pricing Rule,Buying,Cumpărare
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Boli și îngrășăminte
@@ -5616,29 +5682,30 @@
 DocType: Employee Onboarding,Job Offer,Ofertă de muncă
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institutul Abreviere
 ,Item-wise Price List Rate,Rata Lista de Pret Articol-Avizat
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Furnizor ofertă
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Furnizor ofertă
 DocType: Quotation,In Words will be visible once you save the Quotation.,În cuvinte va fi vizibil după ce salvați citat.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Cantitatea ({0}) nu poate fi o fracțiune în rândul {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Cantitatea ({0}) nu poate fi o fracțiune în rândul {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Cantitatea ({0}) nu poate fi o fracțiune în rândul {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Cantitatea ({0}) nu poate fi o fracțiune în rândul {1}
 DocType: Contract,Unsigned,Nesemnat
 DocType: Selling Settings,Each Transaction,Fiecare tranzacție
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Cod de bare {0} deja folosit pentru articolul {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Cod de bare {0} deja folosit pentru articolul {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim.
 DocType: Hotel Room,Extra Bed Capacity,Capacitatea patului suplimentar
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,deschidere stoc
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Clientul este necesar
 DocType: Lab Test,Result Date,Data rezultatului
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Data PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Data PDC / LC
 DocType: Purchase Order,To Receive,A Primi
 DocType: Leave Period,Holiday List for Optional Leave,Lista de vacanță pentru concediul opțional
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Proprietarul de proprietar
 DocType: Purchase Invoice,Reason For Putting On Hold,Motivul pentru a pune în așteptare
 DocType: Employee,Personal Email,Personal de e-mail
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Raport Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Raport Variance
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokeraj
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Prezența pentru angajatul {0} este deja marcată pentru această zi
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Prezența pentru angajatul {0} este deja marcată pentru această zi
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","în procesul-verbal 
  Actualizat prin ""Ora Log"""
@@ -5646,14 +5713,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Comenzile de sincronizare
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Comenzi lansat pentru producție.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Selectați anul fiscal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profil necesare pentru a face POS intrare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profil necesare pentru a face POS intrare
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Punctele de loialitate vor fi calculate din suma cheltuită (prin factura de vânzare), pe baza factorului de colectare menționat."
 DocType: Program Enrollment Tool,Enroll Students,Studenți Enroll
 DocType: Company,HRA Settings,Setări HRA
 DocType: Employee Transfer,Transfer Date,Data transferului
 DocType: Lab Test,Approved Date,Data aprobarii
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Vanzarea Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Cel puţin un depozit este obligatoriu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Cel puţin un depozit este obligatoriu
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Configurați câmpurile de articole, cum ar fi UOM, Grupul de articole, Descrierea și numărul de ore."
 DocType: Certification Application,Certification Status,Starea certificării
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Piata de desfacere
@@ -5673,6 +5740,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Facturi de potrivire
 DocType: Work Order,Required Items,Articole cerute
 DocType: Stock Ledger Entry,Stock Value Difference,Valoarea Stock Diferența
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Rândul {0}: {1} {2} nu există în tabelul de mai sus {1}
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Resurse Umane
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Reconciliere de plata
 DocType: Disease,Treatment Task,Sarcina de tratament
@@ -5690,7 +5758,8 @@
 DocType: Account,Debit,Debitare
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Concediile trebuie să fie alocate în multipli de 0.5"""
 DocType: Work Order,Operation Cost,Funcționare cost
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Impresionant Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identificarea factorilor de decizie
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Impresionant Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Stabilească obiective Articol Grupa-înțelept pentru această persoană de vânzări.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Blocheaza Stocurile Mai Vechi De [zile]
 DocType: Payment Request,Payment Ordered,Plata a fost comandată
@@ -5702,14 +5771,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Permiteţi următorilor utilizatori să aprobe cereri de concediu pentru zile blocate.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Ciclu de viață
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Faceți BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Rata de vânzare pentru articolul {0} este mai mică decât {1}. Rata de vânzare trebuie să fie atinsă {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Rata de vânzare pentru articolul {0} este mai mică decât {1}. Rata de vânzare trebuie să fie atinsă {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Rata de vânzare pentru articolul {0} este mai mică decât {1}. Rata de vânzare trebuie să fie atinsă {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Rata de vânzare pentru articolul {0} este mai mică decât {1}. Rata de vânzare trebuie să fie atinsă {2}
 DocType: Subscription,Taxes,Impozite
 DocType: Purchase Invoice,capital goods,bunuri capitale
 DocType: Purchase Invoice Item,Weight Per Unit,Greutate pe unitate
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Plătite și nu sunt livrate
-DocType: Project,Default Cost Center,Cost Center Implicit
-DocType: Delivery Note,Transporter Doc No,Transporter Doc nr
+DocType: QuickBooks Migrator,Default Cost Center,Cost Center Implicit
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Tranzacții de stoc
 DocType: Budget,Budget Accounts,Conturile bugetare
 DocType: Employee,Internal Work History,Istoria interne de lucru
@@ -5742,7 +5810,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Medicul de îngrijire medicală nu este disponibil la {0}
 DocType: Stock Entry Detail,Additional Cost,Cost aditional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Nu se poate filtra pe baza voucher Nr., în cazul gruparii in functie de Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Realizeaza Ofertă Furnizor
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Realizeaza Ofertă Furnizor
 DocType: Quality Inspection,Incoming,Primite
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Se creează șabloane fiscale predefinite pentru vânzări și achiziții.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Inregistrarea Rezultatului evaluării {0} există deja.
@@ -5758,7 +5826,7 @@
 DocType: Batch,Batch ID,ID-ul lotului
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Notă: {0}
 ,Delivery Note Trends,Tendințe Nota de Livrare
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Rezumat această săptămână
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Rezumat această săptămână
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,În stoc Cantitate
 ,Daily Work Summary Replies,Rezumat zilnic de lucrări
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Calculați orele estimate de sosire
@@ -5768,7 +5836,7 @@
 DocType: Bank Account,Party,Partener
 DocType: Healthcare Settings,Patient Name,Numele pacientului
 DocType: Variant Field,Variant Field,Varianta câmpului
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Locația țintă
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Locația țintă
 DocType: Sales Order,Delivery Date,Data de Livrare
 DocType: Opportunity,Opportunity Date,Oportunitate Data
 DocType: Employee,Health Insurance Provider,Asigurari de sanatate
@@ -5787,7 +5855,7 @@
 DocType: Employee,History In Company,Istoric In Companie
 DocType: Customer,Customer Primary Address,Adresa primară a clientului
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Buletine
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Numărul de referință
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Numărul de referință
 DocType: Drug Prescription,Description/Strength,Descriere / Putere
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Creați o nouă plată / intrare în jurnal
 DocType: Certification Application,Certification Application,Cerere de certificare
@@ -5798,10 +5866,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Același articol a fost introdus de mai multe ori
 DocType: Department,Leave Block List,Lista Concedii Blocate
 DocType: Purchase Invoice,Tax ID,ID impozit
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Articolul {0} nu este configurat pentru Numerotare Seriala. Coloana trebuie să fie vida
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Articolul {0} nu este configurat pentru Numerotare Seriala. Coloana trebuie să fie vida
 DocType: Accounts Settings,Accounts Settings,Setări Conturi
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Aproba
 DocType: Loyalty Program,Customer Territory,Teritoriul clientului
+DocType: Email Digest,Sales Orders to Deliver,Comenzi de livrare pentru livrare
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Numărul de cont nou, acesta va fi inclus în numele contului ca prefix"
 DocType: Maintenance Team Member,Team Member,Membru al echipei
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Niciun rezultat nu trebuie trimis
@@ -5811,7 +5880,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total {0} pentru toate articolele este zero, poate fi ar trebui să schimbați „Distribuirea cheltuielilor pe baza“"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Până în prezent nu poate fi mai mică decât de la data
 DocType: Opportunity,To Discuss,Pentru a discuta
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Aceasta se bazează pe tranzacțiile efectuate împotriva acestui abonat. Consultați linia temporală de mai jos pentru detalii
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} unități de {1} necesare în {2} pentru a finaliza această tranzacție.
 DocType: Loan Type,Rate of Interest (%) Yearly,Rata dobânzii (%) anual
 DocType: Support Settings,Forum URL,Adresa URL a forumului
@@ -5826,7 +5894,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Află mai multe
 DocType: Cheque Print Template,Distance from top edge,Distanța de la marginea de sus
 DocType: POS Closing Voucher Invoices,Quantity of Items,Cantitatea de articole
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Listă de prețuri {0} este dezactivat sau nu există
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Listă de prețuri {0} este dezactivat sau nu există
 DocType: Purchase Invoice,Return,Întoarcere
 DocType: Pricing Rule,Disable,Dezactivati
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Modul de plată este necesară pentru a efectua o plată
@@ -5834,18 +5902,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Modificați pagina completă pentru mai multe opțiuni, cum ar fi active, numere de serie, loturi etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Zilele maxime continue sunt aplicabile
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nu este înscris în Lotul {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Activul {0} nu poate fi scos din uz, deoarece este deja {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Activul {0} nu poate fi scos din uz, deoarece este deja {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Verificări necesare
 DocType: Task,Total Expense Claim (via Expense Claim),Revendicarea Total cheltuieli (prin cheltuieli revendicarea)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
 DocType: Job Applicant Source,Job Applicant Source,Sursa solicitantului de locuri de muncă
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Suma IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Suma IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Setarea companiei nu a reușit
 DocType: Asset Repair,Asset Repair,Repararea activelor
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rând {0}: Moneda de BOM # {1} ar trebui să fie egal cu moneda selectată {2}
 DocType: Journal Entry Account,Exchange Rate,Rata de schimb
 DocType: Patient,Additional information regarding the patient,Informații suplimentare privind pacientul
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat
 DocType: Homepage,Tag Line,Eticheta linie
 DocType: Fee Component,Fee Component,Taxa de Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Conducerea flotei
@@ -5860,7 +5928,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobil
 ,Sales Person-wise Transaction Summary,Persoana de vânzări-înțelept Rezumat Transaction
 DocType: Training Event,Contact Number,Numar de contact
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Depozitul {0} nu există
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Depozitul {0} nu există
 DocType: Cashier Closing,Custody,Custodie
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Angajamentul de scutire fiscală Detaliu de prezentare a probelor
 DocType: Monthly Distribution,Monthly Distribution Percentages,Procente de distribuție lunare
@@ -5875,7 +5943,7 @@
 DocType: Payment Entry,Paid Amount,Suma plătită
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Explorați ciclul vânzărilor
 DocType: Assessment Plan,Supervisor,supraveghetor
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Reținerea stocului
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Reținerea stocului
 ,Available Stock for Packing Items,Stoc disponibil pentru articole destinate împachetării
 DocType: Item Variant,Item Variant,Postul Varianta
 ,Work Order Stock Report,Raport de stoc pentru comanda de lucru
@@ -5884,9 +5952,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Ca supraveghetor
 DocType: Leave Policy Detail,Leave Policy Detail,Lăsați detaliile politicii
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Resturi Postul
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,comenzile trimise nu pot fi șterse
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Credit""."
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Managementul calității
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,comenzile trimise nu pot fi șterse
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Credit""."
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Managementul calității
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Postul {0} a fost dezactivat
 DocType: Project,Total Billable Amount (via Timesheets),Sumă totală facturată (prin intermediul foilor de pontaj)
 DocType: Agriculture Task,Previous Business Day,Ziua lucrătoare anterioară
@@ -5909,15 +5977,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Centre de cost
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Reporniți abonamentul
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analiza plantelor conectate
-DocType: Delivery Note,Transporter ID,ID-ul transportatorului
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID-ul transportatorului
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Propunere de valoare
 DocType: Purchase Receipt,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
-DocType: Sales Invoice Item,Service End Date,Data de încheiere a serviciului
+DocType: Purchase Invoice Item,Service End Date,Data de încheiere a serviciului
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Rând # {0}: conflicte timpilor cu rândul {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permiteți ratei de evaluare zero
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permiteți ratei de evaluare zero
 DocType: Bank Guarantee,Receiving,primire
 DocType: Training Event Employee,Invited,invitați
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup conturi Gateway.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup conturi Gateway.
 DocType: Employee,Employment Type,Tip angajare
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Active Fixe
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange Gain / Pierdere
@@ -5933,7 +6002,7 @@
 DocType: Tax Rule,Sales Tax Template,Format impozitul pe vânzări
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Plătiți împotriva revendicării beneficiilor
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Actualizați numărul centrului de costuri
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Selectați elemente pentru a salva factura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Selectați elemente pentru a salva factura
 DocType: Employee,Encashment Date,Data plata in Numerar
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Șablon de testare special
@@ -5941,12 +6010,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Există implicit Activitate Cost de activitate de tip - {0}
 DocType: Work Order,Planned Operating Cost,Planificate cost de operare
 DocType: Academic Term,Term Start Date,Termenul Data de începere
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lista tuturor tranzacțiilor cu acțiuni
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lista tuturor tranzacțiilor cu acțiuni
+DocType: Supplier,Is Transporter,Este Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importă factura de vânzare din Shopify dacă este marcată plata
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,"Trebuie să fie setată atât data de începere a perioadei de încercare, cât și data de încheiere a perioadei de încercare"
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Rata medie
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Suma totală de plată în Planul de Plăți trebuie să fie egală cu Total / Rotunjit
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Suma totală de plată în Planul de Plăți trebuie să fie egală cu Total / Rotunjit
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Banca echilibru Declarație pe General Ledger
 DocType: Job Applicant,Applicant Name,Nume solicitant
@@ -5974,7 +6044,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Cantitate disponibilă la Warehouse sursă
 apps/erpnext/erpnext/config/support.py +22,Warranty,garanţie
 DocType: Purchase Invoice,Debit Note Issued,Debit Notă Eliberat
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtrul bazat pe Centrul de costuri este valabil numai dacă este selectat Buget Împotrivă ca Centrul de Costuri
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtrul bazat pe Centrul de costuri este valabil numai dacă este selectat Buget Împotrivă ca Centrul de Costuri
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Căutați după codul de articol, numărul de serie, numărul lotului sau codul de bare"
 DocType: Work Order,Warehouses,Depozite
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} activul nu poate fi transferat
@@ -5985,9 +6055,9 @@
 DocType: Workstation,per hour,pe oră
 DocType: Blanket Order,Purchasing,cumpărare
 DocType: Announcement,Announcement,Anunţ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Clientul LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Clientul LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Pentru grupul de studenți bazat pe loturi, lotul student va fi validat pentru fiecare student din înscrierea în program."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,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.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,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.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribuire
 DocType: Journal Entry Account,Loan,Împrumut
 DocType: Expense Claim Advance,Expense Claim Advance,Cheltuieli de revendicare Advance
@@ -5996,7 +6066,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Manager de Proiect
 ,Quoted Item Comparison,Compararea Articol citat
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Suprapunerea punctajului între {0} și {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Expediere
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Expediere
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Discount maxim permis pentru articol: {0} este {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Valoarea activelor nete pe
 DocType: Crop,Produce,Legume şi fructe
@@ -6006,20 +6076,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Consumul de materiale pentru fabricare
 DocType: Item Alternative,Alternative Item Code,Codul elementului alternativ
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol care i se permite să prezinte tranzacțiile care depășesc limitele de credit stabilite.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Selectați elementele de Fabricare
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Selectați elementele de Fabricare
 DocType: Delivery Stop,Delivery Stop,Livrare Stop
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","datele de bază de sincronizare, ar putea dura ceva timp"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","datele de bază de sincronizare, ar putea dura ceva timp"
 DocType: Item,Material Issue,Problema de material
 DocType: Employee Education,Qualification,Calificare
 DocType: Item Price,Item Price,Pret Articol
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Soap & Detergent
 DocType: BOM,Show Items,Afișare articole
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Din Timpul nu poate fi mai mare decât în timp.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Doriți să anunțați toți clienții prin e-mail?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Doriți să anunțați toți clienții prin e-mail?
 DocType: Subscription Plan,Billing Interval,Intervalul de facturare
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Ordonat
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Data de începere efectivă și data efectivă de încheiere sunt obligatorii
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clienți&gt; Teritoriu
 DocType: Salary Detail,Component,component
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Rând {0}: {1} trebuie să fie mai mare de 0
 DocType: Assessment Criteria,Assessment Criteria Group,Grup de criterii de evaluare
@@ -6050,11 +6121,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Introduceți numele băncii sau al instituției de credit înainte de depunere.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} trebuie transmis
 DocType: POS Profile,Item Groups,Grupuri articol
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Astăzi este {0} nu a aniversare!
 DocType: Sales Order Item,For Production,Pentru Producție
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Soldul în moneda contului
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Adăugați un cont de deschidere temporară în Planul de conturi
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Adăugați un cont de deschidere temporară în Planul de conturi
 DocType: Customer,Customer Primary Contact,Contact primar client
 DocType: Project Task,View Task,Vezi Sarcina
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Plumb%
@@ -6068,11 +6138,11 @@
 DocType: Sales Invoice,Get Advances Received,Obtine Avansurile Primite
 DocType: Email Digest,Add/Remove Recipients,Adăugaţi/Stergeţi Destinatari
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Pentru a seta acest an fiscal ca implicit, faceți clic pe ""Set as Default"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Cantitatea de TDS dedusă
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Cantitatea de TDS dedusă
 DocType: Production Plan,Include Subcontracted Items,Includeți articole subcontractate
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,A adera
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Lipsă Cantitate
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,A adera
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Lipsă Cantitate
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute
 DocType: Loan,Repay from Salary,Rambursa din salariu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Se solicita plata contra {0} {1} pentru suma {2}
 DocType: Additional Salary,Salary Slip,Salariul Slip
@@ -6088,7 +6158,7 @@
 DocType: Patient,Dormant,Inactiv
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Deducerea impozitelor pentru beneficiile nerecuperate ale angajaților
 DocType: Salary Slip,Total Interest Amount,Suma totală a dobânzii
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Depozite cu noduri copil nu pot fi convertite în Cartea Mare
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Depozite cu noduri copil nu pot fi convertite în Cartea Mare
 DocType: BOM,Manage cost of operations,Gestioneaza costul operațiunilor
 DocType: Accounts Settings,Stale Days,Zilele stale
 DocType: Travel Itinerary,Arrival Datetime,Ora de sosire
@@ -6100,7 +6170,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Detalii rezultat evaluare
 DocType: Employee Education,Employee Education,Educație Angajat
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Grup de element dublu exemplar găsit în tabelul de grup de elemente
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Este nevoie să-i aducă Detalii despre articol.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Este nevoie să-i aducă Detalii despre articol.
 DocType: Fertilizer,Fertilizer Name,Denumirea îngrășămintelor
 DocType: Salary Slip,Net Pay,Plată netă
 DocType: Cash Flow Mapping Accounts,Account,Cont
@@ -6111,14 +6181,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Creați o intrare separată de plată împotriva revendicării beneficiilor
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Prezența febrei (temperatură&gt; 38,5 ° C sau temperatură susținută&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Detalii de vânzări Echipa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Șterge definitiv?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Șterge definitiv?
 DocType: Expense Claim,Total Claimed Amount,Total suma pretinsă
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potențiale oportunități de vânzare.
 DocType: Shareholder,Folio no.,Folio nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Invalid {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,A concediului medical
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,nu sunt
 DocType: Delivery Note,Billing Address Name,Numele din adresa de facturare
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Magazine Departament
 ,Item Delivery Date,Data livrării articolului
@@ -6134,16 +6203,16 @@
 DocType: Account,Chargeable,Taxabil/a
 DocType: Company,Change Abbreviation,Schimbarea abreviere
 DocType: Contract,Fulfilment Details,Detalii de execuție
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Plătește {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Plătește {0} {1}
 DocType: Employee Onboarding,Activities,Activitati
 DocType: Expense Claim Detail,Expense Date,Data cheltuieli
 DocType: Item,No of Months,Numărul de luni
 DocType: Item,Max Discount (%),Max Discount (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Zilele de credit nu pot fi un număr negativ
-DocType: Sales Invoice Item,Service Stop Date,Data de începere a serviciului
+DocType: Purchase Invoice Item,Service Stop Date,Data de începere a serviciului
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Ultima cantitate
 DocType: Cash Flow Mapper,e.g Adjustments for:,de ex. ajustări pentru:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Întreținerea eșantionului se bazează pe lot, verificați dacă lotul nu conține un eșantion de element"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Întreținerea eșantionului se bazează pe lot, verificați dacă lotul nu conține un eșantion de element"
 DocType: Task,Is Milestone,Este Milestone
 DocType: Certification Application,Yet to appear,"Totuși, să apară"
 DocType: Delivery Stop,Email Sent To,Email trimis catre
@@ -6151,16 +6220,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Permiteți Centrului de costuri la intrarea în contul bilanțului
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Mergeți cu contul existent
 DocType: Budget,Warn,Avertiza
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Toate articolele au fost deja transferate pentru această comandă de lucru.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Toate articolele au fost deja transferate pentru această comandă de lucru.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Orice alte observații, efort remarcabil care ar trebui înregistrate."
 DocType: Asset Maintenance,Manufacturing User,Producție de utilizare
 DocType: Purchase Invoice,Raw Materials Supplied,Materii prime furnizate
 DocType: Subscription Plan,Payment Plan,Plan de plată
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Activați achiziționarea de articole prin intermediul site-ului web
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Moneda din lista de prețuri {0} trebuie să fie {1} sau {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Managementul abonamentelor
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Managementul abonamentelor
 DocType: Appraisal,Appraisal Template,Model expertiză
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Pentru a activa codul
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Pentru a activa codul
 DocType: Soil Texture,Ternary Plot,Ternar Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Verificați acest lucru pentru a activa o rutină zilnică de sincronizare programată prin programator
 DocType: Item Group,Item Classification,Postul Clasificare
@@ -6170,6 +6239,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Inregistrarea pacientului
 DocType: Crop,Period,Perioada
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Registru Contabil General
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Anul fiscal
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Vezi Oportunitati
 DocType: Program Enrollment Tool,New Program,programul nou
 DocType: Item Attribute Value,Attribute Value,Valoare Atribut
@@ -6178,11 +6248,11 @@
 ,Itemwise Recommended Reorder Level,Nivel de Reordonare Recomandat al Articolului-Awesome
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Angajații {0} ai clasei {1} nu au o politică de concediu implicită
 DocType: Salary Detail,Salary Detail,Detalii salariu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Vă rugăm selectați 0} {întâi
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Vă rugăm selectați 0} {întâi
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Au fost adăugați {0} utilizatori
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","În cazul unui program cu mai multe niveluri, Clienții vor fi automat alocați nivelului respectiv în funcție de cheltuielile efectuate"
 DocType: Appointment Type,Physician,Medic
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Lot {0} din {1} Postul a expirat.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Lot {0} din {1} Postul a expirat.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,consultări
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Terminat bine
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Elementul Preț apare de mai multe ori pe baza listei de prețuri, furnizor / client, valută, element, UOM, cantitate și date."
@@ -6191,22 +6261,21 @@
 DocType: Certification Application,Name of Applicant,Numele aplicantului
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Fișa de timp pentru fabricație.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,subtotală
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Nu se pot modifica proprietățile Variant după tranzacția stoc. Va trebui să faceți un nou element pentru a face acest lucru.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Nu se pot modifica proprietățile Variant după tranzacția stoc. Va trebui să faceți un nou element pentru a face acest lucru.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless Mandatul SEPA
 DocType: Healthcare Practitioner,Charges,Taxe
 DocType: Production Plan,Get Items For Work Order,Obțineți comenzi pentru lucru
 DocType: Salary Detail,Default Amount,Implicit Suma
 DocType: Lab Test Template,Descriptive,Descriptiv
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Depozit nu a fost găsit în sistemul
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Rezumat această lună
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Rezumat această lună
 DocType: Quality Inspection Reading,Quality Inspection Reading,Inspecție de calitate Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,'Blochează stocuri mai vechi decât' ar trebui să fie mai mic de %d zile.
 DocType: Tax Rule,Purchase Tax Template,Achiziționa Format fiscală
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Stabiliți un obiectiv de vânzări pe care doriți să-l atingeți pentru compania dvs.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Servicii pentru sanatate
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Servicii pentru sanatate
 ,Project wise Stock Tracking,Proiect înțelept Tracking Stock
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Modul de transport
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laborator
 DocType: UOM Category,UOM Category,Categoria UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Cant. efectivă (la sursă/destinaţie)
@@ -6229,17 +6298,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Eroare la crearea site-ului
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Detaliu UOM de conversie
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Reținerea stocului de stocare deja creată sau Cantitatea de eșantion care nu a fost furnizată
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Reținerea stocului de stocare deja creată sau Cantitatea de eșantion care nu a fost furnizată
 DocType: Program,Program Abbreviation,Abreviere de program
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Producția Comanda nu poate fi ridicată pe un șablon Postul
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Tarifele sunt actualizate în Primirea cumparare pentru fiecare articol
 DocType: Warranty Claim,Resolved By,Rezolvat prin
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Programați descărcarea
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cecuri și Depozite respingă incorect
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Contul {0}: nu puteți atribui contului în sine calitatea de cont părinte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Contul {0}: nu puteți atribui contului în sine calitatea de cont părinte
 DocType: Purchase Invoice Item,Price List Rate,Lista de prețuri Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Creați citate client
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Dată de încetare a serviciului nu poate fi după Data de încheiere a serviciului
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Dată de încetare a serviciului nu poate fi după Data de încheiere a serviciului
 DocType: Item,"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."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Factură de materiale (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Timpul mediu luate de către furnizor de a livra
@@ -6251,11 +6320,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ore
 DocType: Project,Expected Start Date,Data de Incepere Preconizata
 DocType: Purchase Invoice,04-Correction in Invoice,04-Corectarea facturii
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Ordin de lucru deja creat pentru toate articolele cu BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Ordin de lucru deja creat pentru toate articolele cu BOM
 DocType: Payment Request,Party Details,Party Detalii
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Varianta Detalii raport
 DocType: Setup Progress Action,Setup Progress Action,Acțiune de instalare progresivă
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Achiziționarea listei de prețuri
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Achiziționarea listei de prețuri
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Eliminați element cazul în care costurile nu se aplică în acest element
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Anuleaza abonarea
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Selectați Stare de întreținere ca Completat sau eliminați Data de finalizare
@@ -6273,7 +6342,7 @@
 DocType: Asset,Disposal Date,eliminare Data
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mailuri vor fi trimise tuturor angajaților activi ai companiei la ora dat, în cazul în care nu au vacanță. Rezumatul răspunsurilor vor fi trimise la miezul nopții."
 DocType: Employee Leave Approver,Employee Leave Approver,Aprobator Concediu Angajat
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Rând {0}: O intrare de Comandă există deja pentru acest depozit {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Rând {0}: O intrare de Comandă există deja pentru acest depozit {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Nu se poate declara pierdut, pentru că Oferta a fost realizata."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Contul CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Feedback formare
@@ -6285,7 +6354,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Până în prezent nu poate fi înainte de data
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype
 DocType: Cash Flow Mapper,Section Footer,Secțiunea Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Adăugați / editați preturi
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Adăugați / editați preturi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Promovarea angajaților nu poate fi depusă înainte de data promoției
 DocType: Batch,Parent Batch,Lotul părinte
 DocType: Batch,Parent Batch,Lotul părinte
@@ -6296,6 +6365,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Colectie de mostre
 ,Requested Items To Be Ordered,Articole solicitate de comandat
 DocType: Price List,Price List Name,Lista de prețuri Nume
+DocType: Delivery Stop,Dispatch Information,Informații despre expediere
 DocType: Blanket Order,Manufacturing,Producţie
 ,Ordered Items To Be Delivered,Comandat de elemente pentru a fi livrate
 DocType: Account,Income,Venit
@@ -6314,17 +6384,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unități de {1} necesare în {2} pe {3} {4} pentru {5} pentru a finaliza această tranzacție.
 DocType: Fee Schedule,Student Category,Categoria de student
 DocType: Announcement,Student,Student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Procedura privind cantitatea de stocare nu este disponibilă în depozit. Doriți să înregistrați un transfer de stoc
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Procedura privind cantitatea de stocare nu este disponibilă în depozit. Doriți să înregistrați un transfer de stoc
 DocType: Shipping Rule,Shipping Rule Type,Tipul regulii de transport
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Mergeți la Camere
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Compania, contul de plată, de la data și până la data este obligatorie"
 DocType: Company,Budget Detail,Detaliu buget
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vă rugăm să introduceți mesajul înainte de trimitere
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE PENTRU FURNIZOR
-DocType: Email Digest,Pending Quotations,în așteptare Cotațiile
-DocType: Delivery Note,Distance (KM),Distanță (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Furnizor&gt; Grupul de furnizori
 DocType: Asset,Custodian,Custode
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Punctul de vânzare profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Punctul de vânzare profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} ar trebui să fie o valoare cuprinsă între 0 și 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Plata pentru {0} de la {1} la {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Creditele negarantate
@@ -6356,10 +6425,10 @@
 DocType: Lead,Converted,Transformat
 DocType: Item,Has Serial No,Are nr. de serie
 DocType: Employee,Date of Issue,Data Problemei
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","În conformitate cu Setările de cumpărare, dacă este necesară achiziția == &#39;YES&#39;, atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze primul chitanță pentru elementul {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","În conformitate cu Setările de cumpărare, dacă este necesară achiziția == &#39;YES&#39;, atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze primul chitanță pentru elementul {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Set Furnizor de produs {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Rândul {0}: Valoarea ore trebuie să fie mai mare decât zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Site-ul Image {0} atașat la postul {1} nu poate fi găsit
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Site-ul Image {0} atașat la postul {1} nu poate fi găsit
 DocType: Issue,Content Type,Tip Conținut
 DocType: Asset,Assets,bunuri
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Computer
@@ -6370,7 +6439,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} nu există
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Vă rugăm să verificați Multi opțiune de valuta pentru a permite conturi cu altă valută
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Postul: {0} nu există în sistemul
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Nu esti autorizat pentru a configura valoarea Congelat
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Nu esti autorizat pentru a configura valoarea Congelat
 DocType: Payment Reconciliation,Get Unreconciled Entries,Ia nereconciliate Entries
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Angajatul {0} este activat Lăsați pe {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nu sunt selectate rambursări pentru înscrierea în Jurnal
@@ -6388,13 +6457,14 @@
 ,Average Commission Rate,Rată de comision medie
 DocType: Share Balance,No of Shares,Numărul de acțiuni
 DocType: Taxable Salary Slab,To Amount,La suma
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Are numãr de serie' nu poate fi 'Da' pentru articolele care nu au stoc
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Are numãr de serie' nu poate fi 'Da' pentru articolele care nu au stoc
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Selectați Stare
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Prezenţa nu poate fi consemnată pentru date viitoare
 DocType: Support Search Source,Post Description Key,Post Descriere cheie
 DocType: Pricing Rule,Pricing Rule Help,Regula de stabilire a prețurilor de ajutor
 DocType: School House,House Name,Numele casei
 DocType: Fee Schedule,Total Amount per Student,Suma totală pe student
+DocType: Opportunity,Sales Stage,Stadiul vânzărilor
 DocType: Purchase Taxes and Charges,Account Head,Titularul Contului
 DocType: Company,HRA Component,Componenta HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Electric
@@ -6402,15 +6472,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Diferența Valoarea totală (Out - In)
 DocType: Grant Application,Requested Amount,Suma solicitată
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Exchange Rate este obligatorie
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID-ul de utilizator nu este setat pentru Angajat {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID-ul de utilizator nu este setat pentru Angajat {0}
 DocType: Vehicle,Vehicle Value,Valoarea vehiculului
 DocType: Crop Cycle,Detected Diseases,Au detectat bolile
 DocType: Stock Entry,Default Source Warehouse,Depozit Sursa Implicit
 DocType: Item,Customer Code,Cod client
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Memento dată naştere pentru {0}
 DocType: Asset Maintenance Task,Last Completion Date,Ultima dată de finalizare
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Zile de la ultima comandă
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debit la contul trebuie să fie un cont de bilanț
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debit la contul trebuie să fie un cont de bilanț
 DocType: Asset,Naming Series,Naming Series
 DocType: Vital Signs,Coated,Acoperit
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rând {0}: Valoarea așteptată după viața utilă trebuie să fie mai mică decât suma brută de achiziție
@@ -6428,15 +6497,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Nota de Livrare {0} nu trebuie sa fie introdusa
 DocType: Notification Control,Sales Invoice Message,Factură de vânzări Mesaj
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Contul {0} de închidere trebuie să fie de tip răspunderii / capitaluri proprii
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Salariu de alunecare angajat al {0} deja creat pentru foaie de timp {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Salariu de alunecare angajat al {0} deja creat pentru foaie de timp {1}
 DocType: Vehicle Log,Odometer,Contorul de kilometraj
 DocType: Production Plan Item,Ordered Qty,Ordonat Cantitate
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Postul {0} este dezactivat
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Postul {0} este dezactivat
 DocType: Stock Settings,Stock Frozen Upto,Stoc Frozen Până la
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM nu conține nici un element de stoc
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM nu conține nici un element de stoc
 DocType: Chapter,Chapter Head,Capitolul Cap
 DocType: Payment Term,Month(s) after the end of the invoice month,Luna (luni) după sfârșitul lunii facturii
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Structura salariilor ar trebui să aibă componente flexibile pentru beneficiu pentru a renunța la suma beneficiilor
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Structura salariilor ar trebui să aibă componente flexibile pentru beneficiu pentru a renunța la suma beneficiilor
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Activitatea de proiect / sarcină.
 DocType: Vital Signs,Very Coated,Foarte acoperit
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Numai impactul fiscal (nu poate fi revendicat, ci parte din venitul impozabil)"
@@ -6454,7 +6523,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Ore de facturare
 DocType: Project,Total Sales Amount (via Sales Order),Suma totală a vânzărilor (prin comandă de vânzări)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM implicit pentru {0} nu a fost găsit
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Va rugam sa seta cantitatea reordona
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Va rugam sa seta cantitatea reordona
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Atingeți elementele pentru a le adăuga aici
 DocType: Fees,Program Enrollment,programul de înscriere
 DocType: Share Transfer,To Folio No,Pentru Folio nr
@@ -6497,9 +6566,9 @@
 DocType: SG Creation Tool Course,Max Strength,Putere max
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instalarea presetărilor
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Nu este selectată nicio notificare de livrare pentru client {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Nu este selectată nicio notificare de livrare pentru client {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Angajatul {0} nu are o valoare maximă a beneficiului
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Selectați elementele bazate pe data livrării
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Selectați elementele bazate pe data livrării
 DocType: Grant Application,Has any past Grant Record,Are vreun dosar Grant trecut
 ,Sales Analytics,Analitice de vânzare
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Disponibile {0}
@@ -6508,12 +6577,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Setări de fabricație
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configurarea e-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 mobil nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Va rugam sa introduceti moneda implicit în Compania de Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Va rugam sa introduceti moneda implicit în Compania de Master
 DocType: Stock Entry Detail,Stock Entry Detail,Stoc de intrare Detaliu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Memento de zi cu zi
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Memento de zi cu zi
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Vedeți toate biletele deschise
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Unitatea de servicii de asistență medicală
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produs
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produs
 DocType: Products Settings,Home Page is Products,Pagina este Produse
 ,Asset Depreciation Ledger,Registru Amortizatre Active
 DocType: Salary Structure,Leave Encashment Amount Per Day,Părăsiți Suma de Invenție pe Zi
@@ -6523,8 +6592,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Costul materiilor prime livrate
 DocType: Selling Settings,Settings for Selling Module,Setări pentru vânzare Modulul
 DocType: Hotel Room Reservation,Hotel Room Reservation,Rezervarea camerelor hotelului
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Service Client
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Service Client
 DocType: BOM,Thumbnail,Miniatură
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nu au fost găsite contacte cu ID-urile de e-mail.
 DocType: Item Customer Detail,Item Customer Detail,Detaliu Articol Client
 DocType: Notification Control,Prompt for Email on Submission of,Prompt de e-mail pe Depunerea
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Suma maximă a beneficiilor angajatului {0} depășește {1}
@@ -6534,7 +6604,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Articolul {0} trebuie să fie un Articol de Stoc
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Implicit Lucrări în depozit Progress
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Programări pentru suprapunerile {0}, doriți să continuați după ce ați sări peste sloturile suprapuse?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Setări implicite pentru tranzacțiile de contabilitate.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Setări implicite pentru tranzacțiile de contabilitate.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Frunze
 DocType: Restaurant,Default Tax Template,Implicit Template fiscal
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Elevii au fost înscriși
@@ -6542,6 +6612,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Cota stocului
 DocType: Purchase Invoice Item,Stock Qty,Cota stocului
 DocType: Contract,Requires Fulfilment,Necesită îndeplinirea
+DocType: QuickBooks Migrator,Default Shipping Account,Contul de transport implicit
 DocType: Loan,Repayment Period in Months,Rambursarea Perioada în luni
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Eroare: Nu a id valid?
 DocType: Naming Series,Update Series Number,Actualizare Serii Număr
@@ -6555,11 +6626,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Suma maximă
 DocType: Journal Entry,Total Amount Currency,Suma totală Moneda
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Căutare subansambluri
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Cod Articol necesar la inregistrarea Nr. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Cod Articol necesar la inregistrarea Nr. {0}
 DocType: GST Account,SGST Account,Contul SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Accesați articolele
 DocType: Sales Partner,Partner Type,Tip partener
-DocType: Purchase Taxes and Charges,Actual,Efectiv
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Efectiv
 DocType: Restaurant Menu,Restaurant Manager,Manager Restaurant
 DocType: Authorization Rule,Customerwise Discount,Reducere Client
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet pentru sarcini.
@@ -6580,7 +6651,7 @@
 DocType: Employee,Cheque,Cheque
 DocType: Training Event,Employee Emails,E-mailuri ale angajaților
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Seria Actualizat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Tip de raport este obligatorie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Tip de raport este obligatorie
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Depozit este obligatorie pentru stocul de postul {0} în rândul {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retail & Wholesale
@@ -6610,7 +6681,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Actualizați suma facturată în comandă de vânzări
 DocType: BOM,Materials,Materiale
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","In cazul in care este debifat, lista va trebui să fie adăugata fiecarui Departament unde trebuie sa fie aplicată."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Data postării și postarea de timp este obligatorie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Data postării și postarea de timp este obligatorie
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare.
 ,Item Prices,Preturi Articol
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,În cuvinte va fi vizibil după ce a salva Ordinul de cumparare.
@@ -6626,12 +6697,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Seria pentru intrarea în amortizarea activelor (intrare în jurnal)
 DocType: Membership,Member Since,Membru din
 DocType: Purchase Invoice,Advance Payments,Plățile în avans
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Selectați Serviciul de asistență medicală
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Selectați Serviciul de asistență medicală
 DocType: Purchase Taxes and Charges,On Net Total,Pe net total
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valoare pentru atributul {0} trebuie să fie în intervalul de {1} la {2} în trepte de {3} pentru postul {4}
 DocType: Restaurant Reservation,Waitlisted,waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria de scutire
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Moneda nu poate fi schimbat după efectuarea înregistrări folosind un altă valută
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Moneda nu poate fi schimbat după efectuarea înregistrări folosind un altă valută
 DocType: Shipping Rule,Fixed,Fix
 DocType: Vehicle Service,Clutch Plate,Placă de ambreiaj
 DocType: Company,Round Off Account,Rotunji cont
@@ -6640,7 +6711,7 @@
 DocType: Subscription Plan,Based on price list,Bazat pe lista de prețuri
 DocType: Customer Group,Parent Customer Group,Părinte Grup Clienți
 DocType: Vehicle Service,Change,Schimbare
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Abonament
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Abonament
 DocType: Purchase Invoice,Contact Email,Email Persoana de Contact
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Crearea taxelor în așteptare
 DocType: Appraisal Goal,Score Earned,Scor Earned
@@ -6668,23 +6739,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,De încasat de cont / de plătit
 DocType: Delivery Note Item,Against Sales Order Item,Contra articolului comenzii de vânzări
 DocType: Company,Company Logo,Logoul companiei
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Vă rugăm să specificați Atribut Valoare pentru atribut {0}
-DocType: Item Default,Default Warehouse,Depozit Implicit
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Vă rugăm să specificați Atribut Valoare pentru atribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Depozit Implicit
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Buget nu pot fi atribuite în Grupa Contul {0}
 DocType: Shopping Cart Settings,Show Price,Afișați prețul
 DocType: Healthcare Settings,Patient Registration,Inregistrarea pacientului
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Vă rugăm să introduceți centru de cost părinte
 DocType: Delivery Note,Print Without Amount,Imprima Fără Suma
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Data de amortizare
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Data de amortizare
 ,Work Orders in Progress,Ordine de lucru în curs
 DocType: Issue,Support Team,Echipa de Suport
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Expirării (în zile)
 DocType: Appraisal,Total Score (Out of 5),Scor total (din 5)
 DocType: Student Attendance Tool,Batch,Lot
 DocType: Support Search Source,Query Route String,Query String Rout
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Rata de actualizare ca pe ultima achiziție
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Rata de actualizare ca pe ultima achiziție
 DocType: Donor,Donor Type,Tipul donatorului
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Documentul repetat automat a fost actualizat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Documentul repetat automat a fost actualizat
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Bilanţ
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Selectați compania
 DocType: Job Card,Job Card,Carte de muncă
@@ -6698,7 +6769,7 @@
 DocType: Assessment Result,Total Score,Scorul total
 DocType: Crop Cycle,ISO 8601 standard,Standardul ISO 8601
 DocType: Journal Entry,Debit Note,Nota de Debit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Puteți răscumpăra maxim {0} puncte în această ordine.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Puteți răscumpăra maxim {0} puncte în această ordine.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Introduceți secretul pentru clienți API
 DocType: Stock Entry,As per Stock UOM,Ca şi pentru stoc UOM
@@ -6712,10 +6783,11 @@
 DocType: Journal Entry,Total Debit,Total debit
 DocType: Travel Request Costing,Sponsored Amount,Suma sponsorizată
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Implicite terminat Marfuri Warehouse
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Selectați pacientul
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Selectați pacientul
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Persoana de vânzări
 DocType: Hotel Room Package,Amenities,dotări
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Buget și centru de cost
+DocType: QuickBooks Migrator,Undeposited Funds Account,Contul fondurilor nedeclarate
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Buget și centru de cost
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Modul implicit de plată multiple nu este permis
 DocType: Sales Invoice,Loyalty Points Redemption,Răscumpărarea punctelor de loialitate
 ,Appointment Analytics,Analiza programării
@@ -6729,6 +6801,7 @@
 DocType: Batch,Manufacturing Date,Data fabricatiei
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Crearea de comisioane a eșuat
 DocType: Opening Invoice Creation Tool,Create Missing Party,Creați o parte lipsă
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Buget total
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lăsați necompletat dacă faceți grupuri de elevi pe an
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","In cazul in care se bifeaza, nr. total de zile lucratoare va include si sarbatorile, iar acest lucru va reduce valoarea Salariul pe Zi"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Aplicațiile care utilizează cheia curentă nu vor putea accesa, sunteți sigur?"
@@ -6745,20 +6818,19 @@
 DocType: Opportunity Item,Basic Rate,Rată elementară
 DocType: GL Entry,Credit Amount,Suma de credit
 DocType: Cheque Print Template,Signatory Position,Poziție semnatar
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Setați ca Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Setați ca Lost
 DocType: Timesheet,Total Billable Hours,Numărul total de ore facturabile
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Numărul de zile în care abonatul trebuie să plătească facturile generate de acest abonament
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detaliile aplicației pentru beneficiile angajaților
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Plată Primirea Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Aceasta se bazează pe tranzacțiile împotriva acestui client. A se vedea calendarul de mai jos pentru detalii
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rândul {0}: Suma alocată {1} trebuie să fie mai mic sau egal cu suma de plată de intrare {2}
 DocType: Program Enrollment Tool,New Academic Term,Termen nou academic
 ,Course wise Assessment Report,Raport de evaluare în curs
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Avantajat statul ITC / taxa UT
 DocType: Tax Rule,Tax Rule,Regula de impozitare
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Menține Aceeași Rată in Cursul Ciclului de Vânzări
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Conectați-vă ca alt utilizator pentru a vă înregistra pe Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Conectați-vă ca alt utilizator pentru a vă înregistra pe Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planificați busteni de timp în afara orelor de lucru de lucru.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Clienții din Coadă
 DocType: Driver,Issuing Date,Data emiterii
@@ -6767,11 +6839,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Trimiteți acest ordin de lucru pentru o prelucrare ulterioară.
 ,Items To Be Requested,Articole care vor fi solicitate
 DocType: Company,Company Info,Informaţii Companie
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Selectați sau adăugați client nou
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Selectați sau adăugați client nou
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,centru de cost este necesar pentru a rezerva o cerere de cheltuieli
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicţie a fondurilor (active)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Aceasta se bazează pe prezența a acestui angajat
-DocType: Assessment Result,Summary,rezumat
 DocType: Payment Request,Payment Request Type,Tip de solicitare de plată
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Marchează prezența
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Contul debit
@@ -6779,7 +6850,7 @@
 DocType: Additional Salary,Employee Name,Nume angajat
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Articol de intrare pentru comandă pentru restaurant
 DocType: Purchase Invoice,Rounded Total (Company Currency),Rotunjite total (Compania de valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Nu se poate sub acoperire la Grupul pentru că este selectată Tip cont.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Nu se poate sub acoperire la Grupul pentru că este selectată Tip cont.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} a fost modificat. Vă rugăm să reîmprospătați.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Opri utilizatorii de la a face aplicații concediu pentru următoarele zile.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Dacă expiră nelimitat pentru Punctele de loialitate, păstrați Durata de expirare goală sau 0."
@@ -6800,11 +6871,12 @@
 DocType: Asset,Out of Order,Scos din uz
 DocType: Purchase Receipt Item,Accepted Quantity,Cantitatea Acceptata
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorați suprapunerea timpului de lucru al stației
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Vă rugăm să setați o valoare implicită Lista de vacanță pentru angajat {0} sau companie {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Vă rugăm să setați o valoare implicită Lista de vacanță pentru angajat {0} sau companie {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} nu există
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Selectați numerele lotului
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Pentru GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Pentru GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Facturi cu valoarea ridicată pentru clienți.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Facturare Numiri automat
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id-ul proiectului
 DocType: Salary Component,Variable Based On Taxable Salary,Variabilă pe salariu impozabil
 DocType: Company,Basic Component,Componenta de bază
@@ -6817,10 +6889,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adresa sursă a depozitului
 DocType: GL Entry,Voucher Type,Tip Voucher
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Lista de preturi nu a fost găsit sau cu handicap
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Lista de preturi nu a fost găsit sau cu handicap
 DocType: Student Applicant,Approved,Aprobat
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Preț
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Angajat eliberat din finctie pe {0} trebuie să fie setat ca 'Plecat'
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Angajat eliberat din finctie pe {0} trebuie să fie setat ca 'Plecat'
 DocType: Marketplace Settings,Last Sync On,Ultima sincronizare activată
 DocType: Guardian,Guardian,gardian
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Toate comunicările, inclusiv și deasupra acestora, vor fi mutate în noua ediție"
@@ -6843,14 +6915,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lista bolilor detectate pe teren. Când este selectată, va adăuga automat o listă de sarcini pentru a face față bolii"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Aceasta este o unitate de asistență medicală rădăcină și nu poate fi editată.
 DocType: Asset Repair,Repair Status,Stare de reparare
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Adăugați parteneri de vânzări
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Inregistrari contabile de jurnal.
 DocType: Travel Request,Travel Request,Cerere de călătorie
 DocType: Delivery Note Item,Available Qty at From Warehouse,Cantitate Disponibil la Depozitul
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Vă rugăm să selectați Angajat Înregistrare întâi.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Participarea nu a fost trimisă pentru {0} deoarece este o sărbătoare.
 DocType: POS Profile,Account for Change Amount,Contul pentru Schimbare Sumă
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Conectarea la QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Total câștig / pierdere
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Compania nevalidă pentru factura intercompanie.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Compania nevalidă pentru factura intercompanie.
 DocType: Purchase Invoice,input service,serviciu de intrare
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rând {0}: Parte / conturi nu se potrivește cu {1} / {2} din {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promovarea angajaților
@@ -6859,12 +6933,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Codul cursului:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Va rugam sa introduceti cont de cheltuieli
 DocType: Account,Stock,Stoc
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie unul dintre comandă cumparare, factură sau Jurnal de intrare"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie unul dintre comandă cumparare, factură sau Jurnal de intrare"
 DocType: Employee,Current Address,Adresa actuală
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Dacă elementul este o variantă de un alt element atunci descriere, imagine, de stabilire a prețurilor, impozite etc vor fi stabilite de șablon dacă nu se specifică în mod explicit"
 DocType: Serial No,Purchase / Manufacture Details,Detalii de cumpărare / Fabricarea
 DocType: Assessment Group,Assessment Group,Grup de evaluare
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Lot Inventarul
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Numele procedurii
 DocType: Employee,Contract End Date,Data de Incheiere Contract
 DocType: Amazon MWS Settings,Seller ID,ID-ul vânzătorului
@@ -6884,12 +6959,12 @@
 DocType: Company,Date of Incorporation,Data infiintarii
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Taxa totală
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Ultima valoare de cumpărare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Pentru Cantitate (fabricat Cant) este obligatorie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Pentru Cantitate (fabricat Cant) este obligatorie
 DocType: Stock Entry,Default Target Warehouse,Depozit Tinta Implicit
 DocType: Purchase Invoice,Net Total (Company Currency),Net total (Compania de valuta)
 DocType: Delivery Note,Air,Aer
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Anul Data de încheiere nu poate fi mai devreme decât data An Start. Vă rugăm să corectați datele și încercați din nou.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nu este în lista de sărbători opționale
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nu este în lista de sărbători opționale
 DocType: Notification Control,Purchase Receipt Message,Primirea de cumpărare Mesaj
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,resturi Articole
@@ -6912,23 +6987,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Împlinire
 DocType: Purchase Taxes and Charges,On Previous Row Amount,La rândul precedent Suma
 DocType: Item,Has Expiry Date,Are data de expirare
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,activ de transfer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,activ de transfer
 DocType: POS Profile,POS Profile,POS Profil
 DocType: Training Event,Event Name,Numele evenimentului
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Office)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nu se poate trimite, Angajații lăsați să marcheze prezența"
 DocType: Inpatient Record,Admission,Admitere
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Admitere pentru {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezonalitatea pentru stabilirea bugetelor, obiective etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezonalitatea pentru stabilirea bugetelor, obiective etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Numele variabil
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Postul {0} este un șablon, vă rugăm să selectați unul dintre variantele sale"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configurați sistemul de numire a angajaților în Resurse umane&gt; Setări HR
+DocType: Purchase Invoice Item,Deferred Expense,Cheltuieli amânate
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},De la data {0} nu poate fi înainte de data de îmbarcare a angajatului {1}
 DocType: Asset,Asset Category,Categorie activ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Salariul net nu poate fi negativ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Salariul net nu poate fi negativ
 DocType: Purchase Order,Advance Paid,Avans plătit
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procentaj de supraproducție pentru comandă de vânzări
 DocType: Item,Item Tax,Taxa Articol
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Material de Furnizor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Material de Furnizor
 DocType: Soil Texture,Loamy Sand,Nisip argilos
 DocType: Production Plan,Material Request Planning,Planificarea solicitărilor materiale
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Accize factură
@@ -6950,11 +7027,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Instrumentul de programare
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Card de Credit
 DocType: BOM,Item to be manufactured or repacked,Articol care urmează să fie fabricat sau reambalat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Eroare de sintaxă în stare: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Eroare de sintaxă în stare: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Subiecte Majore / Opționale
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Setați Grupul de furnizori în Setări de cumpărare.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Setați Grupul de furnizori în Setări de cumpărare.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Suma totală a componentei de beneficiu flexibil {0} nu trebuie să fie mai mică decât beneficiile maxime {1}
 DocType: Sales Invoice Item,Drop Ship,Drop navelor
 DocType: Driver,Suspended,Suspendat
@@ -6974,7 +7051,7 @@
 DocType: Customer,Commission Rate,Rata de Comision
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Au fost create intrări de plată cu succes
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,A creat {0} cărți de scor pentru {1} între:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Face Varianta
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Face Varianta
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipul de plată trebuie să fie unul dintre Primire, Pay și de transfer intern"
 DocType: Travel Itinerary,Preferred Area for Lodging,Zonă preferată de cazare
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Google Analytics
@@ -6985,7 +7062,7 @@
 DocType: Work Order,Actual Operating Cost,Cost efectiv de operare
 DocType: Payment Entry,Cheque/Reference No,Cecul / de referință nr
 DocType: Soil Texture,Clay Loam,Argilos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Rădăcină nu poate fi editat.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Rădăcină nu poate fi editat.
 DocType: Item,Units of Measure,Unitati de masura
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Închiriat în Metro City
 DocType: Supplier,Default Tax Withholding Config,Config
@@ -7003,21 +7080,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,După finalizarea plății redirecționați utilizatorul la pagina selectată.
 DocType: Company,Existing Company,companie existentă
 DocType: Healthcare Settings,Result Emailed,Rezultatul a fost trimis prin e-mail
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria de taxe a fost modificată la &quot;Total&quot; deoarece toate elementele nu sunt elemente stoc
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria de taxe a fost modificată la &quot;Total&quot; deoarece toate elementele nu sunt elemente stoc
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Până în prezent nu poate fi egală sau mai mică decât de la data
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nimic de schimbat
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vă rugăm să selectați un fișier csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Vă rugăm să selectați un fișier csv
 DocType: Holiday List,Total Holidays,Total sărbători
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Șablonul de e-mail lipsă pentru expediere. Alegeți unul din Setările de livrare.
 DocType: Student Leave Application,Mark as Present,Marcați ca prezent
 DocType: Supplier Scorecard,Indicator Color,Indicator Culoare
 DocType: Purchase Order,To Receive and Bill,Pentru a primi și Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Rândul # {0}: Reqd by Date nu poate fi înainte de data tranzacției
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Rândul # {0}: Reqd by Date nu poate fi înainte de data tranzacției
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produse recomandate
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Selectați numărul serial
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Selectați numărul serial
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Proiectant
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Termeni și condiții Format
 DocType: Serial No,Delivery Details,Detalii Livrare
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Centrul de Cost este necesar pentru inregistrarea {0} din tabelul Taxe pentru tipul {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Centrul de Cost este necesar pentru inregistrarea {0} din tabelul Taxe pentru tipul {1}
 DocType: Program,Program Code,Codul programului
 DocType: Terms and Conditions,Terms and Conditions Help,Termeni și Condiții Ajutor
 ,Item-wise Purchase Register,Registru Achizitii Articol-Avizat
@@ -7030,15 +7108,16 @@
 DocType: Contract,Contract Terms,Termenii contractului
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Nu afisa nici un simbol de genul $ etc alături de valute.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Suma maximă de beneficii a componentei {0} depășește {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Jumatate de zi)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Jumatate de zi)
 DocType: Payment Term,Credit Days,Zile de Credit
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Selectați pacientul pentru a obține testele de laborator
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Asigurați-Lot Student
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Permiteți transferul pentru fabricație
 DocType: Leave Type,Is Carry Forward,Este Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Obține articole din FDM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Obține articole din FDM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Timpul in Zile Conducere
 DocType: Cash Flow Mapping,Is Income Tax Expense,Cheltuielile cu impozitul pe venit
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Comanda dvs. este livrată!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rând # {0}: Detașarea Data trebuie să fie aceeași ca dată de achiziție {1} din activ {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Verificați dacă studentul este rezident la Hostelul Institutului.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Vă rugăm să introduceți comenzile de vânzări în tabelul de mai sus
@@ -7046,10 +7125,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Se transferă un activ de la un depozit la altul
 DocType: Vehicle,Petrol,Benzină
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Alte beneficii (anuale)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Reţete de Producţie
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Reţete de Producţie
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partidul Tipul și Partidul este necesar pentru creanțe / cont plateste {1}
 DocType: Employee,Leave Policy,Lasati politica
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Actualizați elementele
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Actualizați elementele
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Data
 DocType: Employee,Reason for Leaving,Motiv pentru plecare
 DocType: BOM Operation,Operating Cost(Company Currency),Costul de operare (Companie Moneda)
@@ -7060,7 +7139,7 @@
 DocType: Department,Expense Approvers,Examinatorii de cheltuieli
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Rând {0}: debit de intrare nu poate fi legat de o {1}
 DocType: Journal Entry,Subscription Section,Secțiunea de abonamente
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Contul {0} nu există
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Contul {0} nu există
 DocType: Training Event,Training Program,Program de antrenament
 DocType: Account,Cash,Numerar
 DocType: Employee,Short biography for website and other publications.,Scurta biografie pentru site-ul web și alte publicații.
diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv
index b2add69..b6359da 100644
--- a/erpnext/translations/ru.csv
+++ b/erpnext/translations/ru.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Продукты для клиентов
 DocType: Project,Costing and Billing,Калькуляция и биллинг
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},"Валюта авансового счета должна быть такой же, как и валюта компании {0}"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Счет {0}: Родительский счет {1} не может быть регистром
+DocType: QuickBooks Migrator,Token Endpoint,Конечная точка маркера
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Счет {0}: Родительский счет {1} не может быть регистром
 DocType: Item,Publish Item to hub.erpnext.com,Опубликовать деталь к hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Не удается найти активный период отпуска
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Не удается найти активный период отпуска
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,оценка
 DocType: Item,Default Unit of Measure,Единица измерения по умолчанию
 DocType: SMS Center,All Sales Partner Contact,Всем Контактам Торговых Партнеров
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Нажмите «Ввод для добавления».
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Недостающее значение для пароля, ключа API или URL-адрес для поиска"
 DocType: Employee,Rented,Арендованный
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Все учетные записи
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Все учетные записи
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Невозможно передать Сотруднику статус слева
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Остановился производственного заказа не может быть отменено, откупоривать сначала отменить"
 DocType: Vehicle Service,Mileage,пробег
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Вы действительно хотите отказаться от этого актива?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Вы действительно хотите отказаться от этого актива?
 DocType: Drug Prescription,Update Schedule,Расписание обновлений
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Выберите По умолчанию Поставщик
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Показать сотрудника
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Новый обменный курс
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Валюта необходима для Прейскурантом {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Валюта необходима для Прейскурантом {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Будет рассчитана в сделке.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Контакты с клиентами
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Это основано на операциях против этого поставщика. См график ниже для получения подробной информации
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Процент перепроизводства для рабочего заказа
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Легальный
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Легальный
+DocType: Delivery Note,Transport Receipt Date,Дата получения транспортного сообщения
 DocType: Shopify Settings,Sales Order Series,Серия заказов клиентов
 DocType: Vital Signs,Tongue,Язык
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Освобождение от HRA
 DocType: Sales Invoice,Customer Name,Имя клиента
 DocType: Vehicle,Natural Gas,Природный газ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Банковский счет не может быть назван {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Банковский счет не может быть назван {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA согласно структуре заработной платы
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (или группы), против которого бухгалтерских проводок производится и остатки сохраняются."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Выдающийся для {0} не может быть меньше нуля ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Дата остановки службы не может быть до даты начала службы
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Дата остановки службы не может быть до даты начала службы
 DocType: Manufacturing Settings,Default 10 mins,По умолчанию 10 минут
 DocType: Leave Type,Leave Type Name,Оставьте Тип Название
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Показать открыт
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Показать открыт
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Серия Обновлено Успешно
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,"Проверять, выписываться"
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} в строке {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} в строке {1}
 DocType: Asset Finance Book,Depreciation Start Date,Дата начала амортизации
 DocType: Pricing Rule,Apply On,Применить на
 DocType: Item Price,Multiple Item prices.,Гибкая цена продукта
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Настройки поддержки
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,"Ожидаемая Дата окончания не может быть меньше, чем ожидалось Дата начала"
 DocType: Amazon MWS Settings,Amazon MWS Settings,Настройки Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Ряд # {0}: цена должна быть такой же, как {1}: {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Ряд # {0}: цена должна быть такой же, как {1}: {2} ({3} / {4})"
 ,Batch Item Expiry Status,Статус срока годности партии продукта
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Банковский счет
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-СП-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Основные контактные данные
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Открыть вопросы
 DocType: Production Plan Item,Production Plan Item,Производственный план Пункт
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен сотрудником {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен сотрудником {1}
 DocType: Lab Test Groups,Add new line,Добавить строку
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Здравоохранение
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Задержка в оплате (дни)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Лабораторный рецепт
 ,Delay Days,Дни задержки
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Услуги Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Серийный номер: {0} уже указан в счете продаж: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Серийный номер: {0} уже указан в счете продаж: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Счет
 DocType: Purchase Invoice Item,Item Weight Details,Деталь Вес Подробности
 DocType: Asset Maintenance Log,Periodicity,Периодичность
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Финансовый год {0} требуется
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Поставщик&gt; Группа поставщиков
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минимальное расстояние между рядами растений для оптимального роста
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Оборона
 DocType: Salary Component,Abbr,Аббревиатура
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Список праздников
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Бухгалтер
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Продажа прайс-листа
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Продажа прайс-листа
 DocType: Patient,Tobacco Current Use,Текущее потребление табака
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Стоимость продажи
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Стоимость продажи
 DocType: Cost Center,Stock User,Пользователь склада
 DocType: Soil Analysis,(Ca+Mg)/K,(Са + Mg) / К
+DocType: Delivery Stop,Contact Information,Контакты
 DocType: Company,Phone No,Номер телефона
 DocType: Delivery Trip,Initial Email Notification Sent,Исходящее уведомление по электронной почте отправлено
 DocType: Bank Statement Settings,Statement Header Mapping,Сопоставление заголовков операторов
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Дата начала подписки
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Дебиторские счета будут использоваться по умолчанию, если они не установлены в Пациенте, чтобы оплатить плату за назначение"
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Прикрепите файл .csv с двумя колоннами, одна для старого имени и одина для нового названия"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Из адреса 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Код товара&gt; Группа товаров&gt; Марка
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Из адреса 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} не в каком-либо активном финансовом годе.
 DocType: Packed Item,Parent Detail docname,Родитель Деталь DOCNAME
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Ссылка: {0}, Код товара: {1} и Заказчик: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} нет в материнской компании
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} нет в материнской компании
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Дата окончания пробного периода Не может быть до начала периода пробного периода
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,кг
 DocType: Tax Withholding Category,Tax Withholding Category,Категория удержания налогов
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Реклама
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,То же компания вошла более чем один раз
 DocType: Patient,Married,Замужем
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Не допускается для {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Не допускается для {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Получить продукты от
 DocType: Price List,Price Not UOM Dependant,Цена не зависит от УОМ
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Применять сумму удержания налога
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Общая сумма кредита
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Общая сумма кредита
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Продукт {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Нет списка продуктов
 DocType: Asset Repair,Error Description,Описание ошибки
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Использовать формат пользовательского денежного потока
 DocType: SMS Center,All Sales Person,Всем Продавцам
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,«Распределение по месяцам» позволяет распределить бюджет/цель по месяцам при наличии сезонности в вашем бизнесе.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Продукты не найдены
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Структура заработной платы Отсутствующий
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Продукты не найдены
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Структура заработной платы Отсутствующий
 DocType: Lead,Person Name,Имя лица
 DocType: Sales Invoice Item,Sales Invoice Item,Счет на продажу продукта
 DocType: Account,Credit,Кредит
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Отчеты по запасам
 DocType: Warehouse,Warehouse Detail,Подробности склада
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Срок Дата окончания не может быть позднее, чем за год Дата окончания учебного года, к которому этот термин связан (учебный год {}). Пожалуйста, исправьте дату и попробуйте еще раз."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","Нельзя отменить выбор ""Является основным средством"", поскольку по данному пункту имеется запись по активам"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","Нельзя отменить выбор ""Является основным средством"", поскольку по данному пункту имеется запись по активам"
 DocType: Delivery Trip,Departure Time,Время отправления
 DocType: Vehicle Service,Brake Oil,Тормозные масла
 DocType: Tax Rule,Tax Type,Налоги Тип
 ,Completed Work Orders,Завершенные рабочие задания
 DocType: Support Settings,Forum Posts,Сообщения форума
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Налогооблагаемая сумма
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Налогооблагаемая сумма
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},"Вы не авторизованы, чтобы добавлять или обновлять записи ранее {0}"
 DocType: Leave Policy,Leave Policy Details,Оставьте сведения о политике
 DocType: BOM,Item Image (if not slideshow),Изображение продукта (не для слайд-шоу)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(часовая ставка ÷ 60) × фактическое время работы
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Строка # {0}: Тип ссылочного документа должен быть одним из заголовка расхода или записи журнала
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Выберите BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Строка # {0}: Тип ссылочного документа должен быть одним из заголовка расхода или записи журнала
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Выберите BOM
 DocType: SMS Log,SMS Log,СМС-журнал
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Затраты по поставленным продуктам
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Праздник на {0} не между From Date и To Date
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Шаблоны позиций поставщиков.
 DocType: Lead,Interested,Заинтересованный
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Открытие
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},От {0} до {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},От {0} до {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Программа:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Не удалось установить налоги
 DocType: Item,Copy From Item Group,Скопируйте из продуктовой группы
-DocType: Delivery Trip,Delivery Notification,Уведомление о доставке
 DocType: Journal Entry,Opening Entry,Начальная запись
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Счет Оплатить только
 DocType: Loan,Repay Over Number of Periods,Погашать Over Количество периодов
 DocType: Stock Entry,Additional Costs,Дополнительные расходы
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Счет существующей проводки не может быть преобразован в группу.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Счет существующей проводки не может быть преобразован в группу.
 DocType: Lead,Product Enquiry,Запрос на продукт
 DocType: Education Settings,Validate Batch for Students in Student Group,Проверка партии для студентов в студенческой группе
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Нет отпуска найденная запись для сотрудника {0} для {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Пожалуйста, введите название первой Компании"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Пожалуйста, выберите КОМПАНИЯ Первый"
 DocType: Employee Education,Under Graduate,Под Выпускник
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"Пожалуйста, установите шаблон по умолчанию для уведомления о статусе отпуска в настройках HR."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"Пожалуйста, установите шаблон по умолчанию для уведомления о статусе отпуска в настройках HR."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Целевая На
 DocType: BOM,Total Cost,Общая стоимость
 DocType: Soil Analysis,Ca/K,Са / К
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Выписка по счету
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Фармацевтика
 DocType: Purchase Invoice Item,Is Fixed Asset,Фиксирована Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Доступный кол-во: {0}, необходимо {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Доступный кол-во: {0}, необходимо {1}"
 DocType: Expense Claim Detail,Claim Amount,Сумма претензии
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Рабочий заказ был {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Качественный контрольный шаблон
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Вы хотите обновить посещаемость? <br> Присутствуют: {0} \ <br> Отсутствовали: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Кол-во принятых + отклонённых должно быть равно полученному количеству продукта {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Кол-во принятых + отклонённых должно быть равно полученному количеству продукта {0}
 DocType: Item,Supply Raw Materials for Purchase,Поставка сырья для покупки
 DocType: Agriculture Analysis Criteria,Fertilizer,удобрение
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Невозможно обеспечить доставку серийным номером, так как \ Item {0} добавляется с и без обеспечения доставки \ Серийным номером"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,По крайней мере один способ оплаты требуется для POS счета.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,По крайней мере один способ оплаты требуется для POS счета.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Элемент счета транзакции банковского выписки
 DocType: Products Settings,Show Products as a List,Показать продукты списком
 DocType: Salary Detail,Tax on flexible benefit,Налог на гибкую выгоду
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Подробности заявки на метериал
 DocType: Selling Settings,Default Quotation Validity Days,Дни по умолчанию для котировок
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}"
 DocType: SMS Center,SMS Center,СМС-центр
 DocType: Payroll Entry,Validate Attendance,Подтвердить посещаемость
 DocType: Sales Invoice,Change Amount,Изменение Сумма
 DocType: Party Tax Withholding Config,Certificate Received,Полученный сертификат
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,"Установите значение счета для B2C. B2CL и B2CS, рассчитанные на основе этой стоимости счета."
 DocType: BOM Update Tool,New BOM,Новая ВМ
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Предписанные процедуры
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Предписанные процедуры
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Показать только POS
 DocType: Supplier Group,Supplier Group Name,Название группы поставщиков
 DocType: Driver,Driving License Categories,Категории водительских прав
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Периоды начисления заработной платы
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Сделать Employee
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Вещание
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Режим настройки POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Режим настройки POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Отключает создание журналов времени с помощью Work Orders. Операции не должны отслеживаться в отношении Рабочего заказа
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Реализация
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Информация о выполненных операциях.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Скидка на Прайс-лист ставка (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Шаблон продукта
 DocType: Job Offer,Select Terms and Conditions,Выберите Сроки и условия
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,аута
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,аута
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Элемент настройки выписки по банку
 DocType: Woocommerce Settings,Woocommerce Settings,Настройки Woocommerce
 DocType: Production Plan,Sales Orders,Заказы клиентов
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,"Запрос котировок можно получить, перейдя по следующей ссылке"
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Создание курса инструмента
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Описание платежа
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Недостаточный Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Недостаточный Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Отключить планирование емкости и отслеживание времени
 DocType: Email Digest,New Sales Orders,Новые заказы на продажу
 DocType: Bank Account,Bank Account,Банковский счет
 DocType: Travel Itinerary,Check-out Date,Проверить дату
 DocType: Leave Type,Allow Negative Balance,Разрешить отрицательное сальдо
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Вы не можете удалить Project Type &#39;External&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Выбрать альтернативный элемент
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Выбрать альтернативный элемент
 DocType: Employee,Create User,Создать пользователя
 DocType: Selling Settings,Default Territory,По умолчанию Территория
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Телевидение
 DocType: Work Order Operation,Updated via 'Time Log',"Обновлено помощью ""Time Вход"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Выберите клиента или поставщика.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},"Предварительная сумма не может быть больше, чем {0} {1}"
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},"Предварительная сумма не может быть больше, чем {0} {1}"
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временной интервал пропущен, слот {0} - {1} перекрывает существующий слот {2} до {3}"
 DocType: Naming Series,Series List for this Transaction,Список Серия для этого сделки
 DocType: Company,Enable Perpetual Inventory,Включить вечный инвентарь
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Счет на продажу продукта
 DocType: Agriculture Analysis Criteria,Linked Doctype,Связанный Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Чистые денежные средства от финансовой деятельности
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage полон, не спасло"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage полон, не спасло"
 DocType: Lead,Address & Contact,Адрес и контакт
 DocType: Leave Allocation,Add unused leaves from previous allocations,Добавить неиспользованные отпуска с прошлых периодов
 DocType: Sales Partner,Partner website,Сайт партнера
@@ -447,10 +447,10 @@
 ,Open Work Orders,Открытые рабочие задания
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Комиссионные
 DocType: Payment Term,Credit Months,Кредитные месяцы
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,"Net Pay не может быть меньше, чем 0"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,"Net Pay не может быть меньше, чем 0"
 DocType: Contract,Fulfilled,Исполненная
 DocType: Inpatient Record,Discharge Scheduled,Расписание выписок
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения
 DocType: POS Closing Voucher,Cashier,Касса
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Листья в год
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ряд {0}: Пожалуйста, проверьте 'Как Advance ""против счета {1}, если это заранее запись."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Пожалуйста, настройте учащихся по студенческим группам"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Полное задание
 DocType: Item Website Specification,Item Website Specification,Описание продукта для сайта
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Оставьте Заблокированные
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Оставьте Заблокированные
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Банковские записи
 DocType: Customer,Is Internal Customer,Внутренний клиент
 DocType: Crop,Annual,За год
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Если вы выбрали Auto Opt In, клиенты будут автоматически связаны с соответствующей программой лояльности (при сохранении)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Товар с Сверки Запасов
 DocType: Stock Entry,Sales Invoice No,№ Счета на продажу
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Тип поставки
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Тип поставки
 DocType: Material Request Item,Min Order Qty,Минимальный заказ Кол-во
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Курс Студенческая группа Инструмент создания
 DocType: Lead,Do Not Contact,Не обращайтесь
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Опубликовать в Hub
 DocType: Student Admission,Student Admission,приёму студентов
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Пункт {0} отменяется
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Пункт {0} отменяется
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Строка амортизации {0}: Дата начала амортизации вводится как прошедшая дата
 DocType: Contract Template,Fulfilment Terms and Conditions,Сроки и условия выполнения
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Запрос материала
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Запрос материала
 DocType: Bank Reconciliation,Update Clearance Date,Обновление просвет Дата
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Покупка Подробности
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Пункт {0} не найден в &quot;давальческое сырье&quot; таблицы в Заказе {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Пункт {0} не найден в &quot;давальческое сырье&quot; таблицы в Заказе {1}
 DocType: Salary Slip,Total Principal Amount,Общая сумма
 DocType: Student Guardian,Relation,Отношение
 DocType: Student Guardian,Mother,Мама
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,графство Доставка
 DocType: Currency Exchange,For Selling,Для продажи
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Справка
+DocType: Purchase Invoice Item,Enable Deferred Expense,Включить отложенные расходы
 DocType: Asset,Next Depreciation Date,Следующий Износ Дата
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Деятельность Стоимость одного работника
 DocType: Accounts Settings,Settings for Accounts,Настройки для счетов
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Поставщик Счет-фактура не существует в счете-фактуре {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Поставщик Счет-фактура не существует в счете-фактуре {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управление деревом менеджеров по продажам.
 DocType: Job Applicant,Cover Letter,Сопроводительное письмо
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"Выдающиеся чеки и депозиты, чтобы очистить"
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Внешний Работа История
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Циклическая ссылка Ошибка
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Студенческая отчетная карточка
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Из штырькового кода
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Из штырькового кода
 DocType: Appointment Type,Is Inpatient,Является стационарным
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Имя Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,В Слов (Экспорт) будут видны только вы сохраните накладной.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Мультивалютность
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип счета
 DocType: Employee Benefit Claim,Expense Proof,Доказательство расходов
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Накладная
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Сохранение {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Накладная
 DocType: Patient Encounter,Encounter Impression,Впечатление от Encounter
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Настройка Налоги
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Себестоимость проданных активов
 DocType: Volunteer,Morning,утро
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата запись была изменена после того, как вытащил его. Пожалуйста, вытащить его снова."
 DocType: Program Enrollment Tool,New Student Batch,Новая студенческая партия
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} введен дважды в налог продукта
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Резюме на этой неделе и в ожидании деятельности
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} введен дважды в налог продукта
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Резюме на этой неделе и в ожидании деятельности
 DocType: Student Applicant,Admitted,Признался
 DocType: Workstation,Rent Cost,Стоимость аренды
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Сумма после амортизации
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Сумма после амортизации
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Предстоящие события календаря
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Вариант Атрибуты
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Пожалуйста, выберите месяц и год"
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Там может быть только 1 аккаунт на компанию в {0} {1}
 DocType: Support Search Source,Response Result Key Path,Путь ответа результата ответа
 DocType: Journal Entry,Inter Company Journal Entry,Вход в журнал Inter Company
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Для количества {0} не должно быть больше количества заказа на работу {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Пожалуйста, см. приложение"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Для количества {0} не должно быть больше количества заказа на работу {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Пожалуйста, см. приложение"
 DocType: Purchase Order,% Received,% Получено
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Создание студенческих групп
 DocType: Volunteer,Weekends,Выходные дни
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Всего выдающихся
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Изменение начального / текущий порядковый номер существующей серии.
 DocType: Dosage Strength,Strength,Прочность
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Создать нового клиента
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Создать нового клиента
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Срок действия
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Если превалируют несколько правил ценообразования, пользователям предлагается установить приоритет вручную для разрешения конфликта."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Создание заказов на поставку
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Расходные Стоимость
 DocType: Purchase Receipt,Vehicle Date,Дата транспортного средства
 DocType: Student Log,Medical,Медицинский
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Причина потери
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Выберите лекарство
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Причина потери
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Выберите лекарство
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Владельцем лида не может быть сам лид
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Выделенная сумма не может превышать суммы нерегулируемого
 DocType: Announcement,Receiver,Получатель
 DocType: Location,Area UOM,Область UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Рабочая станция закрыта в следующие сроки согласно Список праздников: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Возможности
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Возможности
 DocType: Lab Test Template,Single,Единственный
 DocType: Compensatory Leave Request,Work From Date,Работа с даты
 DocType: Salary Slip,Total Loan Repayment,Общая сумма погашения кредита
+DocType: Project User,View attachments,Просмотр вложений
 DocType: Account,Cost of Goods Sold,Себестоимость проданного товара
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,"Пожалуйста, введите МВЗ"
 DocType: Drug Prescription,Dosage,дозировка
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Количество и курс
 DocType: Delivery Note,% Installed,% Установлено
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабинеты / лаборатории и т.д., где лекции могут быть запланированы."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Валюты компаний обеих компаний должны соответствовать сделкам Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Валюты компаний обеих компаний должны соответствовать сделкам Inter Company.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,"Пожалуйста, введите название компании сначала"
 DocType: Travel Itinerary,Non-Vegetarian,Не вегетарианский
 DocType: Purchase Invoice,Supplier Name,Наименование поставщика
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Временно в режиме удержания
 DocType: Account,Is Group,Группа
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Кредитная нота {0} создана автоматически
-DocType: Email Digest,Pending Purchase Orders,В ожидании заказов на поставку
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Автоматически устанавливать серийные номера на основе ФИФО
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Проверять Уникальность Номера Счетов получаемых от Поставщика
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Основная информация о адресе
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Настроить вводный текст, который идет в составе этой электронной почте. Каждая транзакция имеет отдельный вводный текст."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Строка {0}: требуется операция против элемента исходного материала {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},"Пожалуйста, задайте кредитную карту по умолчанию для компании {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Транзакция не разрешена против прекращенного рабочего заказа {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Транзакция не разрешена против прекращенного рабочего заказа {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобальные настройки для всех производственных процессов.
 DocType: Accounts Settings,Accounts Frozen Upto,Счета заморожены до
 DocType: SMS Log,Sent On,Направлено на
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} выбран несколько раз в Таблице Атрибутов
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} выбран несколько раз в Таблице Атрибутов
 DocType: HR Settings,Employee record is created using selected field. ,
 DocType: Sales Order,Not Applicable,Не применяется
 DocType: Amazon MWS Settings,UK,Великобритания
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Сотрудник {0} уже применил {1} к {2}:
 DocType: Inpatient Record,AB Positive,АВ положительная
 DocType: Job Opening,Description of a Job Opening,Описание работу Открытие
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,В ожидании деятельность на сегодняшний день
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,В ожидании деятельность на сегодняшний день
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Заработная плата Компонент для расчета заработной платы на основе расписания.
+DocType: Driver,Applicable for external driver,Применимо для внешнего драйвера
 DocType: Sales Order Item,Used for Production Plan,Используется для производственного плана
 DocType: Loan,Total Payment,Всего к оплате
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Невозможно отменить транзакцию для выполненного рабочего заказа.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Невозможно отменить транзакцию для выполненного рабочего заказа.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Время между операциями (в мин)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO уже создан для всех позиций заказа клиента
 DocType: Healthcare Service Unit,Occupied,занятый
 DocType: Clinical Procedure,Consumables,расходные материалы
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} отменяется, поэтому действие не может быть завершено"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} отменяется, поэтому действие не может быть завершено"
 DocType: Customer,Buyer of Goods and Services.,Покупатель товаров и услуг.
 DocType: Journal Entry,Accounts Payable,Счета к оплате
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Сумма {0}, установленная в этом платежном запросе, отличается от расчетной суммы всех планов платежей: {1}. Перед отправкой документа убедитесь, что это правильно."
 DocType: Patient,Allergies,аллергии
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Выбранные ВМ не для одного продукта
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Выбранные ВМ не для одного продукта
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Изменить код товара
 DocType: Supplier Scorecard Standing,Notify Other,Уведомить других
 DocType: Vital Signs,Blood Pressure (systolic),Кровяное давление (систолическое)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Достаточно части для сборки
 DocType: POS Profile User,POS Profile User,Пользователь профиля POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Строка {0}: требуется дата начала амортизации
-DocType: Sales Invoice Item,Service Start Date,Дата начала службы
+DocType: Purchase Invoice Item,Service Start Date,Дата начала службы
 DocType: Subscription Invoice,Subscription Invoice,Счет-фактура
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Прямая прибыль
 DocType: Patient Appointment,Date TIme,Дата и время
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Лабораторная работа
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Косметика
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Выберите Дата завершения для завершенного журнала обслуживания активов
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов"
 DocType: Supplier,Block Supplier,Поставщик блоков
 DocType: Shipping Rule,Net Weight,Вес нетто
 DocType: Job Opening,Planned number of Positions,Планируемое количество позиций
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Шаблон сопоставления денежных потоков
 DocType: Travel Request,Costing Details,Сведения о стоимости
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Показать возвращенные записи
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Серийный номер продукта не может быть дробным
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Серийный номер продукта не может быть дробным
 DocType: Journal Entry,Difference (Dr - Cr),Отличия (д-р - Cr)
 DocType: Bank Guarantee,Providing,обеспечение
 DocType: Account,Profit and Loss,Прибыль и убытки
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Не разрешено, настройте шаблон лабораторного тестирования по мере необходимости."
 DocType: Patient,Risk Factors,Факторы риска
 DocType: Patient,Occupational Hazards and Environmental Factors,Профессиональные опасности и факторы окружающей среды
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,"Записи запаса, уже созданные для рабочего заказа"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,"Записи запаса, уже созданные для рабочего заказа"
 DocType: Vital Signs,Respiratory rate,Частота дыхания
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Управление субподрядом
 DocType: Vital Signs,Body Temperature,Температура тела
 DocType: Project,Project will be accessible on the website to these users,Проект будет доступен на веб-сайте для этих пользователей
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Невозможно отменить {0} {1}, поскольку Serial No {2} не относится к складу {3}"
 DocType: Detected Disease,Disease,болезнь
+DocType: Company,Default Deferred Expense Account,Учетная запись по отложенному счету по умолчанию
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Установите тип проекта.
 DocType: Supplier Scorecard,Weighting Function,Весовая функция
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,Производимые товары
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Сопоставление транзакций с счетами-фактурами
 DocType: Sales Order Item,Gross Profit,Валовая прибыль
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Разблокировать счет-фактуру
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Разблокировать счет-фактуру
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Прирост не может быть 0
 DocType: Company,Delete Company Transactions,Удалить Сделки Компания
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Ссылка № и дата Reference является обязательным для операции банка
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Игнорировать
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} не активен
 DocType: Woocommerce Settings,Freight and Forwarding Account,Фрахт и пересылка
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Размеры Проверьте настройки для печати
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Размеры Проверьте настройки для печати
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Создать зарплатные листки
 DocType: Vital Signs,Bloated,Раздутый
 DocType: Salary Slip,Salary Slip Timesheet,Зарплата скольжению Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК
 DocType: Item Price,Valid From,Действительно с
 DocType: Sales Invoice,Total Commission,Всего комиссия
 DocType: Tax Withholding Account,Tax Withholding Account,Удержание налога
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Все оценочные карточки поставщиков.
 DocType: Buying Settings,Purchase Receipt Required,Покупка Получение необходимое
 DocType: Delivery Note,Rail,рельсовый
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,"Целевой склад в строке {0} должен быть таким же, как и рабочий заказ"
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Оценка Оцените является обязательным, если введен Открытие изображения"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,"Целевой склад в строке {0} должен быть таким же, как и рабочий заказ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Оценка Оцените является обязательным, если введен Открытие изображения"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Не записи не найдено в таблице счетов
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Пожалуйста, выберите компании и партийных первого типа"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Уже задан по умолчанию в pos-профиле {0} для пользователя {1}, любезно отключен по умолчанию"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Финансовый / отчетный год.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Финансовый / отчетный год.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Накопленные значения
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","К сожалению, серийные номера не могут быть объединены"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Группа клиентов настроится на выбранную группу, синхронизируя клиентов с Shopify"
@@ -903,7 +908,7 @@
 ,Lead Id,ID лида
 DocType: C-Form Invoice Detail,Grand Total,Общий итог
 DocType: Assessment Plan,Course,Курс
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Код раздела
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Код раздела
 DocType: Timesheet,Payslip,листка
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Половина дня должна быть между датой и датой
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Продуктовая корзина
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Персональная биография
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Идентификатор членства
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Доставлено: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Доставлено: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Подключено к QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Счёт оплаты
 DocType: Payment Entry,Type of Payment,Тип платежа
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Полдня Дата обязательна
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Дата платежа
 DocType: Production Plan,Production Plan,План производства
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Открытие инструмента создания счета-фактуры
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Возвраты с продаж
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Возвраты с продаж
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Примечание: Суммарное количество выделенных листьев {0} не должно быть меньше, чем уже утвержденных листьев {1} на период"
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Установить количество в транзакциях на основе ввода без последовательного ввода
 ,Total Stock Summary,Общая статистика запасов
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,Клиент или Продукт
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,База данных клиентов.
 DocType: Quotation,Quotation To,Предложение
-DocType: Lead,Middle Income,Средний уровень дохода
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Средний уровень дохода
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Начальное сальдо (кредит)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"По умолчанию Единица измерения для п {0} не может быть изменен непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Вам нужно будет создать новый пункт для использования другого умолчанию единица измерения."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"По умолчанию Единица измерения для п {0} не может быть изменен непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Вам нужно будет создать новый пункт для использования другого умолчанию единица измерения."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Выделенные сумма не может быть отрицательным
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Укажите компанию
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Укажите компанию
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Выберите Учетная запись Оплата сделать Банк Стажер
 DocType: Hotel Settings,Default Invoice Naming Series,Серия имен по умолчанию для счета
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Создание записей сотрудников для управления листьев, расходов и заработной платы претензий"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Произошла ошибка во время процесса обновления
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Произошла ошибка во время процесса обновления
 DocType: Restaurant Reservation,Restaurant Reservation,Бронирование ресторанов
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Предложение Написание
 DocType: Payment Entry Deduction,Payment Entry Deduction,Оплата запись Вычет
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Завершение
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Уведомлять клиентов по электронной почте
 DocType: Item,Batch Number Series,Серия серийных номеров
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Другой человек Продажи {0} существует с тем же идентификатором Сотрудника
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Другой человек Продажи {0} существует с тем же идентификатором Сотрудника
 DocType: Employee Advance,Claimed Amount,Заявленная сумма
+DocType: QuickBooks Migrator,Authorization Settings,Настройки авторизации
 DocType: Travel Itinerary,Departure Datetime,Дата и время вылета
 DocType: Customer,CUST-.YYYY.-,КЛИЕНТ-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Расчет стоимости проезда
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,Поставщик Именование По
 DocType: Activity Type,Default Costing Rate,По умолчанию Калькуляция Оценить
 DocType: Maintenance Schedule,Maintenance Schedule,График технического обслуживания
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Затем Правила ценообразования отфильтровываются на основе Клиента, Группы клиентов, Территории, Поставщика, Типа поставщика, Кампании, Партнера по продажам и т. д."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Затем Правила ценообразования отфильтровываются на основе Клиента, Группы клиентов, Территории, Поставщика, Типа поставщика, Кампании, Партнера по продажам и т. д."
 DocType: Employee Promotion,Employee Promotion Details,Сведения о содействии сотрудникам
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Чистое изменение в запасах
 DocType: Employee,Passport Number,Номер паспорта
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Связь с Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Менеджер
 DocType: Payment Entry,Payment From / To,Оплата с / по
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Из финансового года
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Новый кредитный лимит меньше текущей суммы задолженности для клиента. Кредитный лимит должен быть зарегистрировано не менее {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Укажите учетную запись в Складском {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Укажите учетную запись в Складском {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""На основании"" и ""Группировка по"" не могут быть одинаковыми"
 DocType: Sales Person,Sales Person Targets,Цели продавца
 DocType: Work Order Operation,In minutes,Через несколько минут
 DocType: Issue,Resolution Date,Разрешение Дата
 DocType: Lab Test Template,Compound,Соединение
+DocType: Opportunity,Probability (%),Вероятность (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Уведомление о рассылке
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Выберите свойство
 DocType: Student Batch Name,Batch Name,Наименование партии
 DocType: Fee Validity,Max number of visit,Максимальное количество посещений
 ,Hotel Room Occupancy,Гостиничный номер
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Табель создан:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,зачислять
 DocType: GST Settings,GST Settings,Настройки GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},"Валюта должна быть такой же, как и прейскурант Валюта: {0}"
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,Общий процент кредиторов
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Стоимость Налоги и сборы
 DocType: Work Order Operation,Actual Start Time,Фактическое начало Время
+DocType: Purchase Invoice Item,Deferred Expense Account,Отсроченная учетная запись
 DocType: BOM Operation,Operation Time,Время работы
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Завершить
 DocType: Salary Structure Assignment,Base,База
 DocType: Timesheet,Total Billed Hours,Всего Оплачиваемые Часы
 DocType: Travel Itinerary,Travel To,Путешествовать в
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,не является
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Списание Количество
 DocType: Leave Block List Allow,Allow User,Разрешить пользователю
 DocType: Journal Entry,Bill No,Номер накладной
@@ -1088,9 +1098,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Время Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,На основе обратного отнесения затрат на сырье и материалы
 DocType: Sales Invoice,Port Code,Код порта
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Резервный склад
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Резервный склад
 DocType: Lead,Lead is an Organization,Свинец - это Организация
-DocType: Guardian Interest,Interest,Интерес
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Предпродажа
 DocType: Instructor Log,Other Details,Другие детали
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Поставщик
@@ -1100,7 +1109,7 @@
 DocType: Account,Accounts,Счета
 DocType: Vehicle,Odometer Value (Last),Значение одометра (последнее)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Шаблоны критериев оценки поставщиков.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Маркетинг
 DocType: Sales Invoice,Redeem Loyalty Points,Погасить очки лояльности
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Оплата запись уже создан
 DocType: Request for Quotation,Get Suppliers,Получить поставщиков
@@ -1117,16 +1126,14 @@
 DocType: Crop,Crop Spacing UOM,Интервал между кадрами UOM
 DocType: Loyalty Program,Single Tier Program,Программа для одного уровня
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Выбирайте только, если у вас есть настройки документов Cash Flow Mapper"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Из адреса 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Из адреса 1
 DocType: Email Digest,Next email will be sent on:,Следующее письмо будет отправлено на:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master","Следующий элемент {items} {verb}, помеченный как элемент {message}. \ Вы можете включить их как элемент {message} из своего элемента Item"
 DocType: Supplier Scorecard,Per Week,В неделю
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Продукт имеет модификации
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Продукт имеет модификации
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Всего учеников
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Продукт {0} не найден
 DocType: Bin,Stock Value,Стоимость акций
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Компания {0} не существует
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Компания {0} не существует
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} действует до {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Дерево Тип
 DocType: BOM Explosion Item,Qty Consumed Per Unit,"Кол-во,  потребляемое за единицу"
@@ -1142,7 +1149,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Вступление Кредитная карта
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Компания и счетам
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,В цене
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,В цене
 DocType: Asset Settings,Depreciation Options,Варианты амортизации
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,"Требуется либо место, либо сотрудник"
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Недопустимое время проводки
@@ -1159,20 +1166,21 @@
 DocType: Leave Allocation,Allocation,распределение
 DocType: Purchase Order,Supply Raw Materials,Поставка сырья
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Оборотные активы
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} нескладируемый продукт
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} нескладируемый продукт
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Пожалуйста, поделитесь своими отзывами о тренинге, нажав «Обратная связь с обучением», а затем «Новый»,"
 DocType: Mode of Payment Account,Default Account,По умолчанию учетная запись
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Сначала выберите «Хранилище хранения образцов» в разделе «Настройки запаса»
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Сначала выберите «Хранилище хранения образцов» в разделе «Настройки запаса»
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Выберите несколько типов программ для нескольких правил сбора.
 DocType: Payment Entry,Received Amount (Company Currency),Полученная сумма (валюта компании)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Если возможность появилась от лида, он должен быть указан"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Оплата отменена. Пожалуйста, проверьте свою учетную запись GoCardless для получения более подробной информации."
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Отправить с прикрепленным файлом
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Пожалуйста, выберите в неделю выходной"
 DocType: Inpatient Record,O Negative,O Отрицательный
 DocType: Work Order Operation,Planned End Time,Планируемые Время окончания
 ,Sales Person Target Variance Item Group-Wise,Лицо продаж Целевая Разница Пункт Группа Мудрого
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Счет с существующими проводками не может быть преобразован в регистр
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Счет с существующими проводками не может быть преобразован в регистр
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Информация о типе памяти
 DocType: Delivery Note,Customer's Purchase Order No,Клиентам Заказ Нет
 DocType: Clinical Procedure,Consume Stock,Потребляемый запас
@@ -1185,26 +1193,26 @@
 DocType: Soil Texture,Sand,песок
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Энергоэффективность
 DocType: Opportunity,Opportunity From,Выявление из
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Строка {0}: {1} Необходимы серийные номера продукта {2}. Вы предоставили {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Строка {0}: {1} Необходимы серийные номера продукта {2}. Вы предоставили {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Выберите таблицу
 DocType: BOM,Website Specifications,Сайт характеристики
 DocType: Special Test Items,Particulars,Частности
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: От {0} типа {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования является обязательным
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования является обязательным
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Несколько Цена Правила существует с теми же критериями, пожалуйста разрешить конфликт путем присвоения приоритета. Цена Правила: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Несколько Цена Правила существует с теми же критериями, пожалуйста разрешить конфликт путем присвоения приоритета. Цена Правила: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Счет переоценки валютных курсов
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете отключить или отменить спецификации, как она связана с другими спецификациями"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете отключить или отменить спецификации, как она связана с другими спецификациями"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Выберите компанию и дату проводки для получения записей.
 DocType: Asset,Maintenance,Обслуживание
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Получите от Patient Encounter
 DocType: Subscriber,Subscriber,подписчик
 DocType: Item Attribute Value,Item Attribute Value,Значение признака продукта
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,"Пожалуйста, обновите статус проекта"
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,"Пожалуйста, обновите статус проекта"
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Обмен валюты должен применяться для покупки или продажи.
 DocType: Item,Maximum sample quantity that can be retained,"Максимальное количество образцов, которое можно сохранить"
 DocType: Project Update,How is the Project Progressing Right Now?,Как идет проект сейчас?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Строка {0} # Элемент {1} не может быть передан более {2} в отношении заказа на поставку {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Строка {0} # Элемент {1} не может быть передан более {2} в отношении заказа на поставку {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампании по продажам.
 DocType: Project Task,Make Timesheet,Создать табель
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1252,36 +1260,38 @@
 DocType: Lab Test,Lab Test,Лабораторный тест
 DocType: Student Report Generation Tool,Student Report Generation Tool,Инструмент создания отчетов для учащихся
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Расписание занятий
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Имя документа
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Имя документа
 DocType: Expense Claim Detail,Expense Claim Type,Тип Авансового Отчета
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Настройки по умолчанию для корзину
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Добавить таймслоты
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset слом через журнал запись {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Укажите учетную запись в хранилище {0} или учетную запись инвентаризации по умолчанию в компании {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset слом через журнал запись {0}
 DocType: Loan,Interest Income Account,Счет Процентные доходы
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Максимальные преимущества должны быть больше нуля, чтобы распределять преимущества"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Максимальные преимущества должны быть больше нуля, чтобы распределять преимущества"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Отправлено приглашение на просмотр
 DocType: Shift Assignment,Shift Assignment,Назначение сдвига
 DocType: Employee Transfer Property,Employee Transfer Property,Свойство переноса персонала
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,От времени должно быть меньше времени
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Биотехнологии
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Пункт {0} (серийный номер: {1}) не может быть использован, так как reserverd \ to fullfill Sales Order {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Эксплуатационные расходы на офис
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Идти к
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Обновить цену от Shopify до прайс-листа ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Настройка учетной записи электронной почты
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Пожалуйста, введите сначала продукт"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Анализ потребностей
 DocType: Asset Repair,Downtime,время простоя
 DocType: Account,Liability,Ответственность сторон
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкционированный сумма не может быть больше, чем претензии Сумма в строке {0}."
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкционированный сумма не может быть больше, чем претензии Сумма в строке {0}."
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Срок обучения:
 DocType: Salary Component,Do not include in total,Не включать в общей сложности
 DocType: Company,Default Cost of Goods Sold Account,По умолчанию Себестоимость проданных товаров счет
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},"Количество образцов {0} не может быть больше, чем полученное количество {1}"
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Прайс-лист не выбран
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},"Количество образцов {0} не может быть больше, чем полученное количество {1}"
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Прайс-лист не выбран
 DocType: Employee,Family Background,Семья Фон
 DocType: Request for Quotation Supplier,Send Email,Отправить e-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Внимание: Неверное приложение {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Внимание: Неверное приложение {0}
 DocType: Item,Max Sample Quantity,Максимальное количество образцов
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Нет разрешения
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контрольный список выполнения контракта
@@ -1313,15 +1323,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: МВЗ {2} не принадлежит Компании {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Загрузите свою букву (сохраните ее в Интернете как 900px на 100 пикселей)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Счет {2} не может быть группой
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Пункт Строка {IDX}: {доктайп} {DOCNAME} не существует в выше &#39;{доктайп}&#39; таблица
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Табель {0} уже заполнен или отменен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Табель {0} уже заполнен или отменен
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Нет задач
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Сбыт-счет-фактура {0} создан как оплаченный
 DocType: Item Variant Settings,Copy Fields to Variant,Копировать поля в вариант
 DocType: Asset,Opening Accumulated Depreciation,Начальная Накопленная амортизация
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Оценка должна быть меньше или равна 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Программа Зачисление Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,С-форма записи
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,С-форма записи
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Акции уже существуют
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Заказчик и Поставщик
 DocType: Email Digest,Email Digest Settings,Email Дайджест Настройки
@@ -1334,12 +1344,12 @@
 DocType: Production Plan,Select Items,Выберите продукты
 DocType: Share Transfer,To Shareholder,Акционеру
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} по Счету {1} от {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Из штата
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Из штата
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Учреждение установки
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Выделенные разрешения
 DocType: Program Enrollment,Vehicle/Bus Number,Номер транспортного средства / автобуса
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Расписание курсов
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Вам необходимо вычесть налог за отказ в освобождении от уплаты налогов и невостребованные \ пособия сотрудникам в последнем зарплатном периоде оплаты
 DocType: Request for Quotation Supplier,Quote Status,Статус цитаты
 DocType: GoCardless Settings,Webhooks Secret,Секретные клипы
@@ -1365,13 +1375,13 @@
 DocType: Sales Invoice,Payment Due Date,Дата платежа
 DocType: Drug Prescription,Interval UOM,Интервал UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Повторно выберите, если выбранный адрес отредактирован после сохранения"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Модификация продукта {0} с этими атрибутами уже существует
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Модификация продукта {0} с этими атрибутами уже существует
 DocType: Item,Hub Publishing Details,Сведения о публикации концентратора
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',«Открывается»
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',«Открывается»
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Открыть список дел
 DocType: Issue,Via Customer Portal,Через портал клиентов
 DocType: Notification Control,Delivery Note Message,Доставка Примечание сообщение
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Сумма SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Сумма SGST
 DocType: Lab Test Template,Result Format,Формат результата
 DocType: Expense Claim,Expenses,Расходы
 DocType: Item Variant Attribute,Item Variant Attribute,Характеристики модификации продукта
@@ -1379,14 +1389,12 @@
 DocType: Payroll Entry,Bimonthly,Раз в два месяца
 DocType: Vehicle Service,Brake Pad,Комплект тормозных колодок
 DocType: Fertilizer,Fertilizer Contents,Содержание удобрений
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Научно-исследовательские и опытно-конструкторские работы
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Научно-исследовательские и опытно-конструкторские работы
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,"Сумма, Биллу"
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Дата начала и дата окончания совпадают с картой задания <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Регистрационные данные
 DocType: Timesheet,Total Billed Amount,Общая сумма Объявленный
 DocType: Item Reorder,Re-Order Qty,Количество пополнения
 DocType: Leave Block List Date,Leave Block List Date,Оставьте Блок-лист Дата
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Пожалуйста, настройте систему именования инструкторов в образовании&gt; Настройки образования"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,Спецификация # {0}: Сырье не может быть идентичным основному продукту.
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Всего Применимые сборы в таблице Purchase квитанций Элементов должны быть такими же, как все налоги и сборы"
 DocType: Sales Team,Incentives,Стимулирование
@@ -1400,7 +1408,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Торговая точка
 DocType: Fee Schedule,Fee Creation Status,Статус создания платы
 DocType: Vehicle Log,Odometer Reading,Показания одометра
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс счета в Кредите, запрещена установка 'Баланс должен быть' как 'Дебет'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс счета в Кредите, запрещена установка 'Баланс должен быть' как 'Дебет'"
 DocType: Account,Balance must be,Баланс должен быть
 DocType: Notification Control,Expense Claim Rejected Message,Сообщение от Отклонении Авансового Отчета
 ,Available Qty,Доступное количество
@@ -1412,7 +1420,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Всегда синхронизируйте свои продукты с Amazon MWS перед синхронизацией деталей заказов
 DocType: Delivery Trip,Delivery Stops,Остановить доставки
 DocType: Salary Slip,Working Days,В рабочие дни
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Невозможно изменить дату остановки службы для элемента в строке {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Невозможно изменить дату остановки службы для элемента в строке {0}
 DocType: Serial No,Incoming Rate,Входящая цена
 DocType: Packing Slip,Gross Weight,Вес брутто
 DocType: Leave Type,Encashment Threshold Days,Дни порога инкассации
@@ -1431,31 +1439,33 @@
 DocType: Restaurant Table,Minimum Seating,Минимальное размещение
 DocType: Item Attribute,Item Attribute Values,Пункт значений атрибутов
 DocType: Examination Result,Examination Result,Экспертиза Результат
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Товарный чек
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Товарный чек
 ,Received Items To Be Billed,"Полученные товары, на которые нужно выписать счет"
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Мастер Валютный курс.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Мастер Валютный курс.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Справочник Doctype должен быть одним из {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Фильтровать Total Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Не удается найти временной интервал в ближайшие {0} дней для работы {1}
 DocType: Work Order,Plan material for sub-assemblies,План материал для Субсборки
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Партнеры по сбыту и территории
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,ВМ {0} должен быть активным
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,ВМ {0} должен быть активным
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Нет доступных продуктов для перемещения
 DocType: Employee Boarding Activity,Activity Name,Название мероприятия
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Изменить дату выпуска
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Количество готового продукта <b>{0}</b> и для количества <b>{1}</b> не может быть разным
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Изменить дату выпуска
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Количество готового продукта <b>{0}</b> и для количества <b>{1}</b> не может быть разным
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Закрытие (Открытие + Итого)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Код товара&gt; Группа товаров&gt; Марка
+DocType: Delivery Settings,Dispatch Notification Attachment,Отправка уведомления
 DocType: Payroll Entry,Number Of Employees,Количество работников
 DocType: Journal Entry,Depreciation Entry,Износ Вход
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Пожалуйста, выберите тип документа сначала"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Пожалуйста, выберите тип документа сначала"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит
 DocType: Pricing Rule,Rate or Discount,Стоимость или скидка
 DocType: Vital Signs,One Sided,Односторонняя
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Обязательные Кол-во
 DocType: Marketplace Settings,Custom Data,Пользовательские данные
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Склады с существующей транзакции не могут быть преобразованы в бухгалтерской книге.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Серийный номер является обязательным для элемента {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Склады с существующей транзакции не могут быть преобразованы в бухгалтерской книге.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Серийный номер является обязательным для элемента {0}
 DocType: Bank Reconciliation,Total Amount,Общая сумма
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,От даты и до даты лежат разные финансовые годы
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,У пациента {0} нет отзыва клиента на счет-фактуру
@@ -1466,9 +1476,9 @@
 DocType: Soil Texture,Clay Composition (%),Состав глины (%)
 DocType: Item Group,Item Group Defaults,Элемент группы по умолчанию
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Сохраните задачу перед назначением.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Валюта баланса
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Валюта баланса
 DocType: Lab Test,Lab Technician,Лаборант
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Прайс-лист продажи
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Прайс-лист продажи
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Если этот флажок установлен, клиент будет создан, привязанный к пациенту. С этого клиента будет создан счет-фактура пациента. Вы также можете выбрать существующего клиента при создании Пациента."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Клиент не зарегистрирован в какой-либо программе лояльности
@@ -1482,13 +1492,13 @@
 DocType: Support Search Source,Search Term Param Name,Поиск Термин Название параметра
 DocType: Item Barcode,Item Barcode,Штрих-код продукта
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Модификация продукта {0} обновлена
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Модификация продукта {0} обновлена
 DocType: Quality Inspection Reading,Reading 6,Чтение 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Может не {0} {1} {2} без какого-либо отрицательного выдающийся счет-фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Может не {0} {1} {2} без какого-либо отрицательного выдающийся счет-фактура
 DocType: Share Transfer,From Folio No,Из Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Счета-фактуры Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Ряд {0}: Кредитная запись не может быть связан с {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Определить бюджет на финансовый год.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Определить бюджет на финансовый год.
 DocType: Shopify Tax Account,ERPNext Account,Учетная запись ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} заблокирован, поэтому эта транзакция не может быть продолжена"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Действия, если превышение Ежемесячного бюджета превысило MR"
@@ -1504,19 +1514,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Покупка Счет
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Разрешить использование нескольких материалов в соответствии с рабочим заказом
 DocType: GL Entry,Voucher Detail No,Подробности ваучера №
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Новый счет на продажу
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Новый счет на продажу
 DocType: Stock Entry,Total Outgoing Value,Всего исходящее значение
 DocType: Healthcare Practitioner,Appointments,Назначения
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Дата открытия и Дата закрытия должны быть внутри одного финансового года
 DocType: Lead,Request for Information,Запрос на информацию
 ,LeaderBoard,Доска почёта
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Ставка с маржей (валюта компании)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Синхронизация Offline счетов-фактур
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Синхронизация Offline счетов-фактур
 DocType: Payment Request,Paid,Оплачено
 DocType: Program Fee,Program Fee,Стоимость программы
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Замените конкретную спецификацию во всех других спецификациях, где она используется. Он заменит старую ссылку BOM, обновит стоимость и восстановит таблицу «BOM Explosion Item» в соответствии с новой спецификацией. Он также обновляет последнюю цену во всех спецификациях."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Были созданы следующие Рабочие Заказы:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Были созданы следующие Рабочие Заказы:
 DocType: Salary Slip,Total in words,Всего в словах
 DocType: Inpatient Record,Discharged,Выписанный
 DocType: Material Request Item,Lead Time Date,Время и дата лида
@@ -1527,16 +1537,16 @@
 DocType: Support Settings,Get Started Sections,Начать разделы
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,санкционированные
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,"является обязательным. Может быть, Обмен валюты запись не создана для"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Общая сумма вклада: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}"
 DocType: Payroll Entry,Salary Slips Submitted,Заявки на зарплату
 DocType: Crop Cycle,Crop Cycle,Цикл урожая
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для элементов 'Товарный набор', складской номер, серийный номер и номер партии будет подтягиваться из таблицы ""Упаковочный лист"". Если складской номер и номер партии одинаковы для всех пакуемых единиц для каждого наименования ""Товарного набора"", эти номера можно ввести в таблице основного наименования, значения будут скопированы в таблицу ""Упаковочного листа""."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для элементов 'Товарный набор', складской номер, серийный номер и номер партии будет подтягиваться из таблицы ""Упаковочный лист"". Если складской номер и номер партии одинаковы для всех пакуемых единиц для каждого наименования ""Товарного набора"", эти номера можно ввести в таблице основного наименования, значения будут скопированы в таблицу ""Упаковочного листа""."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,С места
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay не может быть отрицательным
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,С места
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay не может быть отрицательным
 DocType: Student Admission,Publish on website,Публикация на сайте
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,"Дата Поставщик Счет не может быть больше, чем Дата публикации"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,"Дата Поставщик Счет не может быть больше, чем Дата публикации"
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Дата отмены
 DocType: Purchase Invoice Item,Purchase Order Item,Заказ товара
@@ -1545,7 +1555,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Участники Инструмент
 DocType: Restaurant Menu,Price List (Auto created),Прейскурант (автоматически создан)
 DocType: Cheque Print Template,Date Settings,Настройки даты
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Дисперсия
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Дисперсия
 DocType: Employee Promotion,Employee Promotion Detail,Сведения о содействии сотрудникам
 ,Company Name,Название компании
 DocType: SMS Center,Total Message(s),Всего сообщений
@@ -1575,7 +1585,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Не отправляйте Employee рождения Напоминания
 DocType: Expense Claim,Total Advance Amount,Общая сумма аванса
 DocType: Delivery Stop,Estimated Arrival,ожидаемое прибытие
-DocType: Delivery Stop,Notified by Email,Уведомление по электронной почте
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Просмотреть все статьи
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Прогулка в
 DocType: Item,Inspection Criteria,Критерии проверки
@@ -1585,23 +1594,22 @@
 DocType: Timesheet Detail,Bill,Билл
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Белый
 DocType: SMS Center,All Lead (Open),Всем Входящим (Созданным)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Строка {0}: Кол-во не доступен для {4} на складе {1} при проводки время вступления ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Строка {0}: Кол-во не доступен для {4} на складе {1} при проводки время вступления ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Вы можете выбрать только один вариант из списка флажков.
 DocType: Purchase Invoice,Get Advances Paid,Получить авансы выданные
 DocType: Item,Automatically Create New Batch,Автоматически создавать новую группу
 DocType: Item,Automatically Create New Batch,Автоматически создавать новую группу
 DocType: Supplier,Represents Company,Представляет компанию
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Сделать
 DocType: Student Admission,Admission Start Date,Прием Начальная дата
 DocType: Journal Entry,Total Amount in Words,Общая сумма в словах
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Новый сотрудник
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Был ошибка. Один вероятной причиной может быть то, что вы не сохранили форму. Пожалуйста, свяжитесь с support@erpnext.com если проблема не устранена."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моя корзина
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Тип заказа должен быть одним из {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Тип заказа должен быть одним из {0}
 DocType: Lead,Next Contact Date,Дата следующего контакта
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Открытое кол-во
 DocType: Healthcare Settings,Appointment Reminder,Напоминание о назначении
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Пожалуйста, введите счет для изменения высоты"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Пожалуйста, введите счет для изменения высоты"
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Пакетное Имя
 DocType: Holiday List,Holiday List Name,Название списка выходных
 DocType: Repayment Schedule,Balance Loan Amount,Баланс Сумма кредита
@@ -1611,13 +1619,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Опционы
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Нет товаров добавлено в корзину
 DocType: Journal Entry Account,Expense Claim,Заявка на возмещение
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Вы действительно хотите восстановить этот актив на слом?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Вы действительно хотите восстановить этот актив на слом?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Кол-во для {0}
 DocType: Leave Application,Leave Application,Заявление на отпуск
 DocType: Patient,Patient Relation,Отношение пациентов
 DocType: Item,Hub Category to Publish,Категория концентратора для публикации
 DocType: Leave Block List,Leave Block List Dates,Оставьте черных списков Даты
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Заказ на продажу {0} имеет резервирование для пункта {1}, вы можете только зарезервировать {1} против {0}. Серийный номер {2} не может быть доставлен"
 DocType: Sales Invoice,Billing Address GSTIN,Адрес выставления счета GSTIN
@@ -1635,16 +1643,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Введите {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Удалены пункты без изменения в количестве или стоимости.
 DocType: Delivery Note,Delivery To,Доставка
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Создание вариантов было поставлено в очередь.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Резюме работы для {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Создание вариантов было поставлено в очередь.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Резюме работы для {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Первый одобритель вылета в списке будет установлен как «Утверждающий по умолчанию».
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Таблица атрибутов является обязательной
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Таблица атрибутов является обязательной
 DocType: Production Plan,Get Sales Orders,Получить заказ клиента
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} не может быть отрицательным
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Подключение к Quickbooks
 DocType: Training Event,Self-Study,Самообучения
 DocType: POS Closing Voucher,Period End Date,Дата окончания периода
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Композиции почвы не составляют до 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Скидка
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Строка {0}: {1} требуется для создания счетов-фактур открытия {2}
 DocType: Membership,Membership,членство
 DocType: Asset,Total Number of Depreciations,Общее количество отчислений на амортизацию
 DocType: Sales Invoice Item,Rate With Margin,Оценить с маржой
@@ -1656,7 +1666,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},"Пожалуйста, укажите действительный идентификатор строки для строки {0} в таблице {1}"
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Не удалось найти переменную:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Выберите поле для редактирования из numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Не может быть элементом фиксированного актива, так как создается складская книга."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Не может быть элементом фиксированного актива, так как создается складская книга."
 DocType: Subscription Plan,Fixed rate,Фиксированная ставка
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Допустить
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Перейдите на рабочий стол и начать использовать ERPNext
@@ -1690,7 +1700,7 @@
 DocType: Tax Rule,Shipping State,Государственный Доставка
 ,Projected Quantity as Source,Планируемое количество как источник
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Продукт должен быть добавлен с помощью кнопки ""Получить продукты из покупки '"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Доставка поездки
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Доставка поездки
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Тип передачи
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Расходы на продажи
@@ -1703,8 +1713,9 @@
 DocType: Item Default,Default Selling Cost Center,По умолчанию Продажа Стоимость центр
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,диск
 DocType: Buying Settings,Material Transferred for Subcontract,"Материал, переданный для субподряда"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Почтовый индекс
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Заказ клиента {0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Элементы заказа на поставку просрочены
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Почтовый индекс
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Заказ клиента {0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Выберите процентный доход в кредите {0}
 DocType: Opportunity,Contact Info,Контактная информация
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Создание складской проводки
@@ -1717,12 +1728,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Счета не могут быть выставлены за нулевой расчетный час
 DocType: Company,Date of Commencement,Дата начала
 DocType: Sales Person,Select company name first.,Выберите название компании в первую очередь.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail отправлено на адрес {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail отправлено на адрес {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Котировки полученных от поставщиков.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Заменить спецификацию и обновить последнюю цену во всех спецификациях
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Для {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Это группа поставщиков корней и не может быть отредактирована.
-DocType: Delivery Trip,Driver Name,Имя драйвера
+DocType: Delivery Note,Driver Name,Имя драйвера
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Средний возраст
 DocType: Education Settings,Attendance Freeze Date,Дата остановки посещения
 DocType: Payment Request,Inward,внутрь
@@ -1733,7 +1744,7 @@
 DocType: Company,Parent Company,Родительская компания
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Номера отеля типа {0} недоступны в {1}
 DocType: Healthcare Practitioner,Default Currency,Базовая валюта
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Максимальная скидка для товара {0} равна {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Максимальная скидка для товара {0} равна {1}%
 DocType: Asset Movement,From Employee,От работника
 DocType: Driver,Cellphone Number,номер мобильного телефона
 DocType: Project,Monitor Progress,Мониторинг готовности
@@ -1749,19 +1760,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Количество должно быть меньше или равно {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},"Максимальное количество, подходящее для компонента {0}, превышает {1}"
 DocType: Department Approver,Department Approver,Подтверждение департамента
+DocType: QuickBooks Migrator,Application Settings,Настройки приложения
 DocType: SMS Center,Total Characters,Всего символов
 DocType: Employee Advance,Claimed,Заявленное
 DocType: Crop,Row Spacing,Интервал между рядами
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Выберите спецификацию в поле спецификации для продукта {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Выберите спецификацию в поле спецификации для продукта {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Нет выбранного варианта товара для выбранного элемента
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-образный Счет Подробно
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Оплата Примирение Счет
 DocType: Clinical Procedure,Procedure Template,Шаблон процедуры
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Вклад%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","В соответствии с настройками покупки, если требуемый заказ на поставку == «ДА», то для создания счета-фактуры пользователю необходимо сначала создать заказ на поставку для пункта {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Вклад%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","В соответствии с настройками покупки, если требуемый заказ на поставку == «ДА», то для создания счета-фактуры пользователю необходимо сначала создать заказ на поставку для пункта {0}"
 ,HSN-wise-summary of outward supplies,HSN-краткая сводка внешних поставок
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Регистрационные номера компании для вашей справки. Налоговые числа и т.д.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Государство
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Государство
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Дистрибьютор
 DocType: Asset Finance Book,Asset Finance Book,Финансовая книга по активам
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корзина Правило Доставка
@@ -1770,7 +1782,7 @@
 ,Ordered Items To Be Billed,"Заказал пунктов, которые будут Объявленный"
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"С Диапазон должен быть меньше, чем диапазон"
 DocType: Global Defaults,Global Defaults,Глобальные вводные по умолчанию
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Сотрудничество Приглашение проекта
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Сотрудничество Приглашение проекта
 DocType: Salary Slip,Deductions,Отчисления
 DocType: Setup Progress Action,Action Name,Название действия
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Год начала
@@ -1784,11 +1796,12 @@
 DocType: Lead,Consultant,Консультант
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Посещение собрания учителей родителей
 DocType: Salary Slip,Earnings,Прибыль
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Готовая единица {0} должна быть введена для Производственного типа записи
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Готовая единица {0} должна быть введена для Производственного типа записи
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Начальный бухгалтерский баланс
 ,GST Sales Register,Реестр продаж GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Счет Продажи предварительный
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Нечего заявлять
+DocType: Stock Settings,Default Return Warehouse,Возвращение по умолчанию
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Выберите свои домены
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Покупатель
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Платежные счета
@@ -1797,15 +1810,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Поля будут скопированы только во время создания.
 DocType: Setup Progress Action,Domains,Домены
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"«Фактическая дата начала» не может быть больше, чем «Фактическая дата завершения»"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Управление
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Управление
 DocType: Cheque Print Template,Payer Settings,Настройки плательщика
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Ожидается, что запросы материала не будут найдены для ссылок на данные предметы."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Выберите компанию сначала
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Это будет добавлена в Кодекс пункта варианте. Например, если ваш аббревиатура ""SM"", и код деталь ""Футболка"", код товара из вариантов будет ""T-Shirt-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Чистая Платное (прописью) будут видны, как только вы сохраните Зарплата Слип."
 DocType: Delivery Note,Is Return,Является Вернуться
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,предосторожность
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',"Дата начала задачи '{0}' позже, чем дата завершения."
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Возврат / дебетовые Примечание
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Возврат / дебетовые Примечание
 DocType: Price List Country,Price List Country,Цены Страна
 DocType: Item,UOMs,Единицы измерения
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} действительные серийные номера для продукта {1}
@@ -1818,13 +1832,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Предоставить информацию.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,База данных поставщиков.
 DocType: Contract Template,Contract Terms and Conditions,Условия договора
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Вы не можете перезапустить подписку, которая не отменена."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Вы не можете перезапустить подписку, которая не отменена."
 DocType: Account,Balance Sheet,Балансовый отчет
 DocType: Leave Type,Is Earned Leave,Заработано
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Центр Стоимость для элемента данных с Код товара '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Центр Стоимость для элемента данных с Код товара '
 DocType: Fee Validity,Valid Till,Годен до
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Общее собрание учителей родителей
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплаты не настроен. Пожалуйста, проверьте, имеет ли учетная запись была установлена на режим платежей или на POS Profile."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплаты не настроен. Пожалуйста, проверьте, имеет ли учетная запись была установлена на режим платежей или на POS Profile."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Один продукт нельзя вводить несколько раз.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть против не-групп"
 DocType: Lead,Lead,Обращение
@@ -1833,11 +1847,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Создана складская запись {0}
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,У вас недостаточно очков лояльности для выкупа
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Отклонено Кол-во не может быть введен в приобретении Вернуться
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Установите соответствующий аккаунт в категории «Удержание налога» {0} в отношении Компании {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Отклонено Кол-во не может быть введен в приобретении Вернуться
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Изменение группы клиентов для выбранного Клиента запрещено.
 ,Purchase Order Items To Be Billed,Покупка Заказ позиции быть выставлен счет
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Обновление предполагаемого времени прибытия.
 DocType: Program Enrollment Tool,Enrollment Details,Сведения о зачислении
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Невозможно установить несколько параметров по умолчанию для компании.
 DocType: Purchase Invoice Item,Net Rate,Нетто-ставка
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Выберите клиента
 DocType: Leave Policy,Leave Allocations,Оставить выделение
@@ -1867,7 +1883,7 @@
 DocType: Loan Application,Repayment Info,Погашение информация
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Записи"" не могут быть пустыми"
 DocType: Maintenance Team Member,Maintenance Role,Роль обслуживания
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Дубликат строка {0} с же {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Дубликат строка {0} с же {1}
 DocType: Marketplace Settings,Disable Marketplace,Отключить рынок
 ,Trial Balance,Пробный баланс
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Финансовый год {0} не найден
@@ -1878,9 +1894,9 @@
 DocType: Student,O-,О-
 DocType: Subscription Settings,Subscription Settings,Настройки подписки
 DocType: Purchase Invoice,Update Auto Repeat Reference,Обновить ссылку на автоматический повтор
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Необязательный список праздников не установлен для периода отпуска {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Необязательный список праздников не установлен для периода отпуска {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Исследования
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Адрес 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Адрес 2
 DocType: Maintenance Visit Purpose,Work Done,Сделано
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Пожалуйста, укажите как минимум один атрибут в таблице атрибутов"
 DocType: Announcement,All Students,Все студенты
@@ -1890,16 +1906,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Согласованные транзакции
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Старейшие
 DocType: Crop Cycle,Linked Location,Связанное местоположение
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Продуктовая группа с этим именем уже существует. Пожалуйста, измените название продукта или название продуктовой группы."
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Продуктовая группа с этим именем уже существует. Пожалуйста, измените название продукта или название продуктовой группы."
 DocType: Crop Cycle,Less than a year,"Меньше, чем год"
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Остальной мир
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Остальной мир
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Продукт {0} не может быть партией
 DocType: Crop,Yield UOM,Доходность UOM
 ,Budget Variance Report,Бюджет Разница Сообщить
 DocType: Salary Slip,Gross Pay,Зарплата до вычетов
 DocType: Item,Is Item from Hub,Продукт из концентратора
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Получить товары из служб здравоохранения
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Получить товары из служб здравоохранения
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Строка {0}: Вид деятельности является обязательным.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Оплачено дивидендов
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Главная книга
@@ -1914,6 +1930,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Режим платежа
 DocType: Purchase Invoice,Supplied Items,Поставляемые продукты
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Установите активное меню для ресторана {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Ставка комиссии %
 DocType: Work Order,Qty To Manufacture,Кол-во для производства
 DocType: Email Digest,New Income,Новые поступления
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Поддержание же скоростью в течение покупке цикла
@@ -1928,12 +1945,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Оценка Оцените необходимый для пункта в строке {0}
 DocType: Supplier Scorecard,Scorecard Actions,Действия в Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Пример: Мастера в области компьютерных наук
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Поставщик {0} не найден в {1}
 DocType: Purchase Invoice,Rejected Warehouse,Склад непринятой продукции
 DocType: GL Entry,Against Voucher,Против ваучером
 DocType: Item Default,Default Buying Cost Center,Центр затрат продажи по умолчанию
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Чтобы получить лучшее из ERPNext, мы рекомендуем вам потребуется некоторое время и смотреть эти справки видео."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Поставщик по умолчанию (необязательно)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,для
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Поставщик по умолчанию (необязательно)
 DocType: Supplier Quotation Item,Lead Time in days,Время выполнения
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Сводка кредиторской задолженности
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0}
@@ -1942,7 +1959,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Предупреждать о новых запросах на предложение
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Заказы помогут вам планировать и следить за ваши покупки
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Лабораторные тесты
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Общее количество выпуска / передачи {0} в Material Request {1} \ не может быть больше требуемого количества {2} для п {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Небольшой
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Если Shopify не содержит клиента в заказе, то при синхронизации Заказов система будет рассматривать клиента по умолчанию для заказа"
@@ -1954,6 +1971,7 @@
 DocType: Project,% Completed,% Завершено
 ,Invoiced Amount (Exculsive Tax),Сумма по счетам (Exculsive стоимость)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Пункт 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Конечная точка авторизации
 DocType: Travel Request,International,Международный
 DocType: Training Event,Training Event,Учебное мероприятие
 DocType: Item,Auto re-order,Автоматический перезаказ
@@ -1962,24 +1980,24 @@
 DocType: Contract,Contract,Контракт
 DocType: Plant Analysis,Laboratory Testing Datetime,Лабораторное тестирование Дата и время
 DocType: Email Digest,Add Quote,Добавить Цитата
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Косвенные расходы
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Ряд {0}: Кол-во является обязательным
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Ряд {0}: Кол-во является обязательным
 DocType: Agriculture Analysis Criteria,Agriculture,Сельское хозяйство
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Создать заказ клиента
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Учетная запись для активов
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Блок-счет
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Учетная запись для активов
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Блок-счет
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,"Количество, которое нужно сделать"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Синхронизация Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Синхронизация Master Data
 DocType: Asset Repair,Repair Cost,Стоимость ремонта
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Ваши продукты или услуги
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Не удалось войти
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Объект {0} создан
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Объект {0} создан
 DocType: Special Test Items,Special Test Items,Специальные тестовые элементы
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Для регистрации на Marketplace вам необходимо быть пользователем с диспетчерами System Manager и Item Manager.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Способ оплаты
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,В соответствии с вашей установленной структурой заработной платы вы не можете подать заявку на получение пособий
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Сайт изображение должно быть общественное файл или адрес веб-сайта
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Сайт изображение должно быть общественное файл или адрес веб-сайта
 DocType: Purchase Invoice Item,BOM,ВМ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Это корень группу товаров и не могут быть изменены.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,сливаться
@@ -1988,7 +2006,8 @@
 DocType: Warehouse,Warehouse Contact Info,Контактная информация склада
 DocType: Payment Entry,Write Off Difference Amount,Списание разница в
 DocType: Volunteer,Volunteer Name,Имя волонтера
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Адрес электронной почты сотрудника не найден, поэтому письмо не отправлено"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Были найдены строки с повторяющимися датами в других строках: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Адрес электронной почты сотрудника не найден, поэтому письмо не отправлено"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},"Нет структуры заработной платы, назначенной для сотрудника {0} в данную дату {1}"
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Правило доставки не применяется для страны {0}
 DocType: Item,Foreign Trade Details,Сведения о внешней торговле
@@ -1996,17 +2015,17 @@
 DocType: Email Digest,Annual Income,Годовой доход
 DocType: Serial No,Serial No Details,Серийный номер подробнее
 DocType: Purchase Invoice Item,Item Tax Rate,Ставка налогов на продукт
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,От имени партии
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,От имени партии
 DocType: Student Group Student,Group Roll Number,Номер рулона группы
 DocType: Student Group Student,Group Roll Number,Номер рулона группы
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Для {0}, только кредитные счета могут быть связаны с дебетовой записью"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Уведомление о доставке {0} не проведено
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Уведомление о доставке {0} не проведено
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Капитальные оборудование
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Правило ценообразования сначала выбирается на основе поля «Применить на», значением которого может быть Позиция, Группа Позиций, Торговая Марка."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Сначала укажите код продукта
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Тип документа
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Тип документа
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100
 DocType: Subscription Plan,Billing Interval Count,Счет интервала фактурирования
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Назначения и встречи с пациентами
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Недостающее значение
@@ -2020,6 +2039,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Создание Формат печати
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Плата создана
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Не нашли какой-либо пункт под названием {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Фильтр элементов
 DocType: Supplier Scorecard Criteria,Criteria Formula,Формула критериев
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Всего исходящих
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Там может быть только один Правило Начальные с 0 или пустое значение для ""To Размер"""
@@ -2028,14 +2048,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Для элемента {0} количество должно быть положительным числом
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примечание: Эта МВЗ является Группа. Невозможно сделать бухгалтерские проводки против групп.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Дни запроса на получение компенсационных отчислений не действительны
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Детский склад существует для этого склада. Вы не можете удалить этот склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Детский склад существует для этого склада. Вы не можете удалить этот склад.
 DocType: Item,Website Item Groups,Продуктовые группы на сайте
 DocType: Purchase Invoice,Total (Company Currency),Всего (Компания валют)
 DocType: Daily Work Summary Group,Reminder,напоминание
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Доступная стоимость
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Доступная стоимость
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Запись в дневнике
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,От GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,От GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Невостребованная сумма
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} продуктов в работе
 DocType: Workstation,Workstation Name,Имя рабочей станции
@@ -2043,7 +2063,7 @@
 DocType: POS Item Group,POS Item Group,POS Item Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Электронная почта Дайджест:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,"Альтернативный элемент не должен быть таким же, как код позиции"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Спецификация {0} не относится к продукту {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Спецификация {0} не относится к продукту {1}
 DocType: Sales Partner,Target Distribution,Распределение цели
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Завершение предварительной оценки
 DocType: Salary Slip,Bank Account No.,Счет №
@@ -2052,7 +2072,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Можно использовать переменные Scorecard, а также: {total_score} (общий балл за этот период), {period_number} (количество периодов по сегодняшний день)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Свернуть все
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Свернуть все
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Создать заказ на поставку
 DocType: Quality Inspection Reading,Reading 8,Чтение 8
 DocType: Inpatient Record,Discharge Note,Комментарии к выписке
@@ -2069,7 +2089,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Привилегированный Оставить
 DocType: Purchase Invoice,Supplier Invoice Date,Дата выставления счета поставщиком
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Это значение используется для расчета пропорционального времени
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Вам необходимо включить «корзину»
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Вам необходимо включить «корзину»
 DocType: Payment Entry,Writeoff,Списать
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Префикс серии имен
@@ -2084,11 +2104,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Перекрытие условия найдено между:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Против Запись в журнале {0} уже настроен против какой-либо другой ваучер
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Общая стоимость заказа
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Продукты питания
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Продукты питания
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Старение Диапазон 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Информация о закрытии ваучера POS
 DocType: Shopify Log,Shopify Log,Shopify Вход
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Пожалуйста, установите Naming Series для {0} через Setup&gt; Settings&gt; Naming Series"
 DocType: Inpatient Occupancy,Check In,Регистрация
 DocType: Maintenance Schedule Item,No of Visits,Кол-во посещений
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},График обслуживания {0} существует против {1}
@@ -2128,6 +2147,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Максимальные выгоды (сумма)
 DocType: Purchase Invoice,Contact Person,Контактное Лицо
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Ожидаемая Дата начала"" не может быть больше, чем ""Ожидаемая Дата окончания"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Нет данных за этот период
 DocType: Course Scheduling Tool,Course End Date,Курс Дата окончания
 DocType: Holiday List,Holidays,Праздники
 DocType: Sales Order Item,Planned Quantity,Планируемый Количество
@@ -2139,7 +2159,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Чистое изменение в основных фондов
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Оставьте пустым, если рассматривать для всех обозначений"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,С DateTime
 DocType: Shopify Settings,For Company,Для Компании
@@ -2152,9 +2172,9 @@
 DocType: Material Request,Terms and Conditions Content,Условия Содержимое
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,"Были ошибки, связанные с расписанием курсов"
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Первый Подтвердитель расходов в списке будет установлен в качестве Утвердителя расходов по умолчанию.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,"не может быть больше, чем 100"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,"не может быть больше, чем 100"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Чтобы зарегистрироваться на Marketplace, вам необходимо быть другим пользователем, кроме Администратора, с ролями System Manager и Item Manager."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Продукта {0} нет на складе
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Продукта {0} нет на складе
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Незапланированный
 DocType: Employee,Owned,Присвоено
@@ -2182,7 +2202,7 @@
 DocType: HR Settings,Employee Settings,Работники Настройки
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Загрузка платежной системы
 ,Batch-Wise Balance History,История баланса партий
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Строка # {0}: не может установить значение скорости, если сумма превышает сумму выставленного счета за элемент {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Строка # {0}: не может установить значение скорости, если сумма превышает сумму выставленного счета за элемент {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Настройки печати обновляется в соответствующем формате печати
 DocType: Package Code,Package Code,Код пакета
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Ученик
@@ -2191,7 +2211,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Налоговый Подробная таблица выбирается из мастера элемента в виде строки и хранится в этой области.
  Используется по налогам и сборам"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Сотрудник не может сообщить себе.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Сотрудник не может сообщить себе.
 DocType: Leave Type,Max Leaves Allowed,Максимальные листья разрешены
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Если счет замораживается, записи разрешается ограниченных пользователей."
 DocType: Email Digest,Bank Balance,Банковский баланс
@@ -2217,6 +2237,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Записи банковских транзакций
 DocType: Quality Inspection,Readings,Чтения
 DocType: Stock Entry,Total Additional Costs,Всего Дополнительные расходы
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Количество взаимодействий
 DocType: BOM,Scrap Material Cost(Company Currency),Скрапа Стоимость (Компания Валюта)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub сборки
 DocType: Asset,Asset Name,Наименование активов
@@ -2224,10 +2245,10 @@
 DocType: Shipping Rule Condition,To Value,Произвести оценку
 DocType: Loyalty Program,Loyalty Program Type,Тип программы лояльности
 DocType: Asset Movement,Stock Manager,Менеджер склада
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,"Термин платежа в строке {0}, возможно, является дубликатом."
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Сельское хозяйство (бета)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Упаковочный лист
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Упаковочный лист
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Аренда площади для офиса
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Указать настройки СМС-шлюза
 DocType: Disease,Common Name,Распространенное имя
@@ -2259,20 +2280,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-mail Зарплата скольжению работнику
 DocType: Cost Center,Parent Cost Center,Родитель МВЗ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Выбор возможного поставщика
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Выбор возможного поставщика
 DocType: Sales Invoice,Source,Источник
 DocType: Customer,"Select, to make the customer searchable with these fields","Выберите, чтобы сделать поиск клиента с этими полями"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Импорт уведомлений о доставке из Shopify on Shipment
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Показать закрыто
 DocType: Leave Type,Is Leave Without Pay,Является отпуск без
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Категория активов является обязательным для фиксированного элемента активов
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Категория активов является обязательным для фиксированного элемента активов
 DocType: Fee Validity,Fee Validity,Вознаграждение за действительность
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Не записи не найдено в таблице оплаты
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Это {0} конфликты с {1} для {2} {3}
 DocType: Student Attendance Tool,Students HTML,Студенты HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Удалите сотрудника <a href=""#Form/Employee/{0}"">{0}</a> \, чтобы отменить этот документ."
 DocType: POS Profile,Apply Discount,Применить скидку
 DocType: GST HSN Code,GST HSN Code,Код GST HSN
 DocType: Employee External Work History,Total Experience,Суммарный опыт
@@ -2295,7 +2313,7 @@
 DocType: Maintenance Schedule,Schedules,Расписание
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Профиль POS необходим для использования Point-of-Sale
 DocType: Cashier Closing,Net Amount,Чистая сумма
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не отправлено, поэтому действие не может быть завершено"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не отправлено, поэтому действие не может быть завершено"
 DocType: Purchase Order Item Supplied,BOM Detail No,ВМ детали №
 DocType: Landed Cost Voucher,Additional Charges,Дополнительные расходы
 DocType: Support Search Source,Result Route Field,Поле маршрута результата
@@ -2324,11 +2342,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Открытие счетов-фактур
 DocType: Contract,Contract Details,Информация о контракте
 DocType: Employee,Leave Details,Оставить детали
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Чтобы установить роль ""Сотрудник"", укажите соответствующий идентификатор пользователя в карточке сотрудника"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Чтобы установить роль ""Сотрудник"", укажите соответствующий идентификатор пользователя в карточке сотрудника"
 DocType: UOM,UOM Name,Название единицы измерения
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Адрес 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Адрес 1
 DocType: GST HSN Code,HSN Code,Код HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Вклад Сумма
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Вклад Сумма
 DocType: Inpatient Record,Patient Encounter,Встреча пациента
 DocType: Purchase Invoice,Shipping Address,Адрес доставки
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Этот инструмент поможет вам обновить или исправить количество и оценку запасов в системе. Это, как правило, используется для синхронизации системных значений и то, что на самом деле существует в ваших складах."
@@ -2345,9 +2363,9 @@
 DocType: Travel Itinerary,Mode of Travel,Режим путешествия
 DocType: Sales Invoice Item,Brand Name,Имя бренда
 DocType: Purchase Receipt,Transporter Details,Детали транспорта
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Требуется основной склад для выбранного продукта
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Требуется основной склад для выбранного продукта
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Рамка
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Возможный поставщик
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Возможный поставщик
 DocType: Budget,Monthly Distribution,Ежемесячно дистрибуция
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Список получателей пуст. Пожалуйста, создайте список"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Здравоохранение (бета)
@@ -2368,6 +2386,7 @@
 ,Lead Name,Имя лида
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,разведочные работы
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Открытие баланса запасов
 DocType: Asset Category Account,Capital Work In Progress Account,Счет капитальной работы
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Корректировка стоимости активов
@@ -2376,7 +2395,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Отпуск успешно распределен для {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Нет продуктов для упаковки
 DocType: Shipping Rule Condition,From Value,От стоимости
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Производство Количество является обязательным
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Производство Количество является обязательным
 DocType: Loan,Repayment Method,Способ погашения
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Если этот флажок установлен, главная страница будет по умолчанию Item Group для веб-сайте"
 DocType: Quality Inspection Reading,Reading 4,Чтение 4
@@ -2401,7 +2420,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Перечень сотрудников
 DocType: Student Group,Set 0 for no limit,Установите 0 для каких-либо ограничений
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"На следующий день (с), на которой вы подаете заявление на отпуск праздники. Вам не нужно обратиться за разрешением."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Строка {idx}: {поле} требуется для создания счетов-фактур открытия {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Первичный адрес и контактная информация
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Повторно оплаты на e-mail
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Новая задача
@@ -2411,8 +2429,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Выберите хотя бы один домен.
 DocType: Dependent Task,Dependent Task,Зависимая задача
 DocType: Shopify Settings,Shopify Tax Account,Уточнить налоговый счет
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}"
 DocType: Delivery Trip,Optimize Route,Оптимизировать маршрут
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Попробуйте планировании операций для X дней.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2421,14 +2439,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Пожалуйста, установите по умолчанию Payroll расчётный счёт в компании {0}"
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Получите финансовую разбивку данных по налогам и сборам Amazon
 DocType: SMS Center,Receiver List,Список получателей
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Поиск продукта
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Поиск продукта
 DocType: Payment Schedule,Payment Amount,Сумма платежа
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Половина дня должна находиться между Работой с даты и датой окончания работы
 DocType: Healthcare Settings,Healthcare Service Items,Товары медицинского обслуживания
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Израсходованное количество
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Чистое изменение денежных средств
 DocType: Assessment Plan,Grading Scale,Оценочная шкала
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Уже закончено
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Товарная наличность
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2451,25 +2469,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Введите URL-адрес сервера Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Номер детали поставщика
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1
 DocType: Share Balance,To No,Нет
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Все обязательные задания для создания сотрудников еще не завершены.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} отменён или остановлен
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} отменён или остановлен
 DocType: Accounts Settings,Credit Controller,Кредитная контроллер
 DocType: Loan,Applicant Type,Тип заявителя
 DocType: Purchase Invoice,03-Deficiency in services,03 - Недостаток услуг
 DocType: Healthcare Settings,Default Medical Code Standard,Стандарт медицинского стандарта по умолчанию
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Приход закупки {0} не проведен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Приход закупки {0} не проведен
 DocType: Company,Default Payable Account,По умолчанию оплачивается аккаунт
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Настройки для онлайн корзины, такие как правилами перевозок, прайс-лист и т.д."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0} % оплачено
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Зарезервированное кол-во
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Зарезервированное кол-во
 DocType: Party Account,Party Account,Партия аккаунт
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Выберите компанию и обозначение
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Персонал
-DocType: Lead,Upper Income,Высокий уровень дохода
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Высокий уровень дохода
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,отклонять
 DocType: Journal Entry Account,Debit in Company Currency,Дебет в валюте компании
 DocType: BOM Item,BOM Item,ВМ продукта
@@ -2486,7 +2504,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Вакансии Открытия для обозначения {0} уже открыты / или найм завершен в соответствии с Кадровым планом {1}
 DocType: Vital Signs,Constipated,Запор
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Против поставщика счет-фактура {0} от {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Против поставщика счет-фактура {0} от {1}
 DocType: Customer,Default Price List,По умолчанию Прайс-лист
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,запись Движение активов {0} создано
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Ничего не найдено.
@@ -2502,17 +2520,18 @@
 DocType: Journal Entry,Entry Type,Тип записи
 ,Customer Credit Balance,Кредитная История Клиента
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Чистое изменение кредиторской задолженности
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитный лимит был скрещен для клиента {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Пожалуйста, установите Naming Series для {0} через Setup&gt; Settings&gt; Naming Series"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитный лимит был скрещен для клиента {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Клиент требуется для ""Customerwise Скидка"""
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Обновление банк платежные даты с журналов.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,ценообразование
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,ценообразование
 DocType: Quotation,Term Details,Срочные Подробнее
 DocType: Employee Incentive,Employee Incentive,Стимулирование сотрудников
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не удается зарегистрировать более {0} студентов для этой группы студентов.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Всего (без налога)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Счетчик лида
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Счетчик лида
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Имеется в наличии
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Имеется в наличии
 DocType: Manufacturing Settings,Capacity Planning For (Days),Планирование мощности в течение (дней)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Закупка
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ни одному продукту не изменено количество или объём.
@@ -2537,7 +2556,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Оставить и посещаемость
 DocType: Asset,Comprehensive Insurance,Комплексное страхование
 DocType: Maintenance Visit,Partially Completed,Частично завершено
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Точка лояльности: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Точка лояльности: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Добавить потенциальных клиентов
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Умеренная чувствительность
 DocType: Leave Type,Include holidays within leaves as leaves,Включить праздники в отпуска как отпускные дни
 DocType: Loyalty Program,Redemption,Выкуп
@@ -2571,7 +2591,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Маркетинговые расходы
 ,Item Shortage Report,Отчет о нехватке продуктов
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Невозможно создать стандартные критерии. Переименуйте критерии
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вес упоминается, \n Пожалуйста, укажите ""Вес Единица измерения"" слишком"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вес упоминается, \n Пожалуйста, укажите ""Вес Единица измерения"" слишком"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Материал Запрос используется, чтобы сделать эту Stock запись"
 DocType: Hub User,Hub Password,Пароль концентратора
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Отдельная группа на основе курса для каждой партии
@@ -2586,15 +2606,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Продолжительность встречи (мин.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Создавать бухгалтерские проводки при каждом перемещении запасов
 DocType: Leave Allocation,Total Leaves Allocated,Всего Листья Выделенные
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Пожалуйста, введите действительный финансовый год даты начала и окончания"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Пожалуйста, введите действительный финансовый год даты начала и окончания"
 DocType: Employee,Date Of Retirement,Дата выбытия
 DocType: Upload Attendance,Get Template,Получить шаблон
+,Sales Person Commission Summary,Резюме комиссии по продажам
 DocType: Additional Salary Component,Additional Salary Component,Дополнительный компонент оплаты труда
 DocType: Material Request,Transferred,Переданы
 DocType: Vehicle,Doors,двери
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Настройка ERPNext завершена!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Настройка ERPNext завершена!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Сбор платы за регистрацию пациентов
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Невозможно изменить атрибуты после транзакции с акциями. Сделайте новый предмет и переведите запас на новый элемент
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Невозможно изменить атрибуты после транзакции с акциями. Сделайте новый предмет и переведите запас на новый элемент
 DocType: Course Assessment Criteria,Weightage,Взвешивание
 DocType: Purchase Invoice,Tax Breakup,Распределение налогов
 DocType: Employee,Joining Details,Детали соединения
@@ -2622,14 +2643,15 @@
 DocType: Lead,Next Contact By,Следующий контакт назначен
 DocType: Compensatory Leave Request,Compensatory Leave Request,Компенсационный отпуск
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Склад {0} не может быть удален как существует количество для Пункт {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Склад {0} не может быть удален как существует количество для Пункт {1}
 DocType: Blanket Order,Order Type,Тип заказа
 ,Item-wise Sales Register,Пункт мудрый Продажи Зарегистрироваться
 DocType: Asset,Gross Purchase Amount,Валовая сумма покупки
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Открытые балансы
 DocType: Asset,Depreciation Method,метод начисления износа
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Этот налог Входит ли в базовой ставки?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Всего Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Всего Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Анализ восприятия
 DocType: Soil Texture,Sand Composition (%),Состав песка (%)
 DocType: Job Applicant,Applicant for a Job,Заявитель на вакансию
 DocType: Production Plan Material Request,Production Plan Material Request,Производство План Материал Запрос
@@ -2645,23 +2667,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Оценка Оценка (из 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Нет
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Основные
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Следующий элемент {0} не помечен как элемент {1}. Вы можете включить их как {1} из своего элемента
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Вариант
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Для элемента {0} количество должно быть отрицательным числом
 DocType: Naming Series,Set prefix for numbering series on your transactions,Установить префикс для нумерации серии на ваших сделок
 DocType: Employee Attendance Tool,Employees HTML,Сотрудники HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,По умолчанию ВМ ({0}) должна быть активной для данного продукта или в шаблоне
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,По умолчанию ВМ ({0}) должна быть активной для данного продукта или в шаблоне
 DocType: Employee,Leave Encashed?,Оставьте инкассированы?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Возможность поле От обязательна
 DocType: Email Digest,Annual Expenses,годовые расходы
 DocType: Item,Variants,Варианты
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Создать заказ на поставку
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Создать заказ на поставку
 DocType: SMS Center,Send To,Отправить
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Выделенная сумма
 DocType: Sales Team,Contribution to Net Total,Вклад в Сумму
 DocType: Sales Invoice Item,Customer's Item Code,Клиентский код продукта
 DocType: Stock Reconciliation,Stock Reconciliation,Инвентаризация запасов
 DocType: Territory,Territory Name,Территория Имя
+DocType: Email Digest,Purchase Orders to Receive,Заказы на поставку для получения
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Работа-в-Прогресс Склад требуется перед Отправить
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,У вас могут быть только планы с одинаковым биллинговым циклом в подписке
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Отображаемые данные
@@ -2680,9 +2704,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Отслеживание ведет по источнику свинца.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Условие доставки
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Пожалуйста входите
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Пожалуйста входите
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Журнал технического обслуживания
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр, основанный на пункте или на складе"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр, основанный на пункте или на складе"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Вес нетто этого пакета. (Рассчитывается суммированием веса продуктов)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Сделать запись в журнале Inter Company
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Размер скидки не может превышать 100%
@@ -2691,15 +2715,15 @@
 DocType: Sales Order,To Deliver and Bill,Для доставки и оплаты
 DocType: Student Group,Instructors,Инструкторы
 DocType: GL Entry,Credit Amount in Account Currency,Сумма кредита в валюте счета
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,ВМ {0} должен быть проведён
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Управление долями
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,ВМ {0} должен быть проведён
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Управление долями
 DocType: Authorization Control,Authorization Control,Авторизация управления
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Отклонено Склад является обязательным в отношении отклонил Пункт {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Оплата
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Отклонено Склад является обязательным в отношении отклонил Пункт {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Оплата
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Склад {0} не связан ни с одной учетной записью, укажите учётную запись в записи склада или установите учётную запись по умолчанию в компании {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Управляйте свои заказы
 DocType: Work Order Operation,Actual Time and Cost,Фактическое время и стоимость
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Максимум {0} заявок на материал может быть сделано для продукта {1} по Заказу на продажу {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Максимум {0} заявок на материал может быть сделано для продукта {1} по Заказу на продажу {2}
 DocType: Amazon MWS Settings,DE,Делавэр
 DocType: Crop,Crop Spacing,Интервал между культурами
 DocType: Course,Course Abbreviation,Аббревиатура для гольфа
@@ -2711,6 +2735,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},"Всего продолжительность рабочего времени не должна быть больше, чем максимальное рабочее время {0}"
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Вкл
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Собирать продукты в момент продажи.
+DocType: Delivery Settings,Dispatch Settings,Настройки отправки
 DocType: Material Request Plan Item,Actual Qty,Факт. кол-во
 DocType: Sales Invoice Item,References,Рекомендации
 DocType: Quality Inspection Reading,Reading 10,Чтение 10
@@ -2720,11 +2745,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Вы ввели дублирующиеся продукты. Пожалуйста, исправьте и попробуйте снова."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Помощник
 DocType: Asset Movement,Asset Movement,Движение активов
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Порядок работы {0} должен быть отправлен
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Новая корзина
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Порядок работы {0} должен быть отправлен
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Новая корзина
 DocType: Taxable Salary Slab,From Amount,Из суммы
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} не сериализованным Пункт
 DocType: Leave Type,Encashment,инкассация
+DocType: Delivery Settings,Delivery Settings,Настройки доставки
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Получение данных
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},"Максимальный отпуск, разрешенный в типе отпуска {0}, равен {1}"
 DocType: SMS Center,Create Receiver List,Создать список получателей
 DocType: Vehicle,Wheels,Колеса
@@ -2740,7 +2767,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Валюта платежа должна быть равна валюте валюты дефолта или валюте счета участника
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Указывает, что пакет является частью этой поставки (только проект)"
 DocType: Soil Texture,Loam,суглинок
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Строка {0}: дата выполнения не может быть до даты публикации
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Строка {0}: дата выполнения не может быть до даты публикации
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Произвести оплату запись
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Количество по пункту {0} должно быть меньше {1}
 ,Sales Invoice Trends,Расходная накладная тенденции
@@ -2748,12 +2775,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете обратиться строку, только если тип заряда «О Предыдущая сумма Row» или «Предыдущая Row Всего"""
 DocType: Sales Order Item,Delivery Warehouse,Доставка Склад
 DocType: Leave Type,Earned Leave Frequency,Заработок
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Дерево центров финансовых затрат.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Подтип
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Дерево центров финансовых затрат.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Подтип
 DocType: Serial No,Delivery Document No,Номер документа доставки
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обеспечить доставку на основе серийного номера
 DocType: Vital Signs,Furry,пушистый
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Пожалуйста, установите &quot;прибыль / убыток Счет по обращению с отходами актива в компании {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Пожалуйста, установите &quot;прибыль / убыток Счет по обращению с отходами актива в компании {0}"
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Получить продукты из покупки.
 DocType: Serial No,Creation Date,Дата создания
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Целевое местоположение требуется для актива {0}
@@ -2767,11 +2794,12 @@
 DocType: Item,Has Variants,Имеет варианты
 DocType: Employee Benefit Claim,Claim Benefit For,Требование о пособиях для
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Обновить ответ
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Вы уже выбрали продукты из {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Вы уже выбрали продукты из {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Название ежемесячное распределение
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Идентификатор партии является обязательным
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Идентификатор партии является обязательным
 DocType: Sales Person,Parent Sales Person,Головная группа продаж
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,"Никакие предметы, которые должны быть получены, просрочены"
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Продавец и покупатель не могут быть одинаковыми
 DocType: Project,Collect Progress,Оценить готовность
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2787,7 +2815,7 @@
 DocType: Bank Guarantee,Margin Money,Маржинальные деньги
 DocType: Budget,Budget,Бюджет
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Открыть
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Элемент основных средств не может быть элементом запасов.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Элемент основных средств не может быть элементом запасов.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не может быть назначен на {0}, так как это не доход или расход счета"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Максимальная сумма освобождения для {0} равна {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Достигнутый
@@ -2805,9 +2833,9 @@
 ,Amount to Deliver,Сумма доставки
 DocType: Asset,Insurance Start Date,Дата начала страхования
 DocType: Salary Component,Flexible Benefits,Гибкие преимущества
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Один и тот же элемент был введен несколько раз. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Один и тот же элемент был введен несколько раз. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Срок Дата начала не может быть раньше, чем год Дата начала учебного года, к которому этот термин связан (учебный год {}). Пожалуйста, исправьте дату и попробуйте еще раз."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Были ошибки.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Были ошибки.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Сотрудник {0} уже подал заявку на {1} между {2} и {3}:
 DocType: Guardian,Guardian Interests,хранители Интересы
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Обновить имя учетной записи / номер
@@ -2847,9 +2875,9 @@
 ,Item-wise Purchase History,Пункт мудрый История покупок
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы принести Серийный номер добавлен для Пункт {0}"
 DocType: Account,Frozen,замороженные
-DocType: Delivery Note,Vehicle Type,тип машины
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,тип машины
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Базовая сумма (Компания Валюта)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Сырье
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Сырье
 DocType: Payment Reconciliation Payment,Reference Row,Ссылка Row
 DocType: Installation Note,Installation Time,Время установки
 DocType: Sales Invoice,Accounting Details,Подробности ведения учета
@@ -2858,12 +2886,13 @@
 DocType: Inpatient Record,O Positive,O Положительный
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Инвестиции
 DocType: Issue,Resolution Details,Разрешение Подробнее
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Тип операции
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Тип операции
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерий приемлемости
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Пожалуйста, введите Материал запросов в приведенной выше таблице"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Нет доступных платежей для записи журнала
 DocType: Hub Tracked Item,Image List,Список изображений
 DocType: Item Attribute,Attribute Name,Имя атрибута
+DocType: Subscription,Generate Invoice At Beginning Of Period,Сформировать счет в начале периода
 DocType: BOM,Show In Website,Показать на сайте
 DocType: Loan Application,Total Payable Amount,Общая сумма оплачивается
 DocType: Task,Expected Time (in hours),Ожидаемое время (в часах)
@@ -2901,8 +2930,8 @@
 DocType: Employee,Resignation Letter Date,Отставка Письмо Дата
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Правила ценообразования далее фильтруются в зависимости от количества.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Не указано
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Укажите дату присоединения для сотрудника {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Укажите дату присоединения для сотрудника {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Укажите дату присоединения для сотрудника {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Укажите дату присоединения для сотрудника {0}
 DocType: Inpatient Record,Discharge,Разрядка
 DocType: Task,Total Billing Amount (via Time Sheet),Общая сумма Billing (через табель)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторите Выручка клиентов
@@ -2912,13 +2941,13 @@
 DocType: Chapter,Chapter,глава
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Носите
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Учетная запись по умолчанию будет автоматически обновляться в POS-счете, если выбран этот режим."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Выберите BOM и Кол-во для производства
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Выберите BOM и Кол-во для производства
 DocType: Asset,Depreciation Schedule,Амортизация Расписание
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Адреса и партнеры торговых партнеров
 DocType: Bank Reconciliation Detail,Against Account,Со счета
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Поаяся Дата должна быть в пределах от даты и до настоящего времени
 DocType: Maintenance Schedule Detail,Actual Date,Фактическая дата
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,"Пожалуйста, установите Центр затрат по умолчанию в {0} компании."
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,"Пожалуйста, установите Центр затрат по умолчанию в {0} компании."
 DocType: Item,Has Batch No,Имеет номер партии
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Годовой Billing: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Узнайте подробности веб-камеры
@@ -2930,7 +2959,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Тип сдвига
 DocType: Student,Personal Details,Личные Данные
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},"Пожалуйста, установите &quot;активов Амортизация затрат по МВЗ&quot; в компании {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},"Пожалуйста, установите &quot;активов Амортизация затрат по МВЗ&quot; в компании {0}"
 ,Maintenance Schedules,Графики технического обслуживания
 DocType: Task,Actual End Date (via Time Sheet),Фактическая дата окончания (с помощью табеля рабочего времени)
 DocType: Soil Texture,Soil Type,Тип почвы
@@ -2938,10 +2967,10 @@
 ,Quotation Trends,Динамика предложений
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Пункт Группа не упоминается в мастера пункт по пункту {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Безрукий мандат
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Дебету счета должны быть задолженность счет
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Дебету счета должны быть задолженность счет
 DocType: Shipping Rule,Shipping Amount,Сумма доставки
 DocType: Supplier Scorecard Period,Period Score,Период
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Добавить клиентов
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Добавить клиентов
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,В ожидании Сумма
 DocType: Lab Test Template,Special,Особый
 DocType: Loyalty Program,Conversion Factor,Коэффициент конверсии
@@ -2958,7 +2987,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Добавить бланки
 DocType: Program Enrollment,Self-Driving Vehicle,Самоходное транспортное средство
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Постоянный счет поставщика
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Строка {0}: Для продукта {1} не найдена ведомость материалов
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Строка {0}: Для продукта {1} не найдена ведомость материалов
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Всего выделенные листья {0} не может быть меньше, чем уже утвержденных листьев {1} за период"
 DocType: Contract Fulfilment Checklist,Requirement,требование
 DocType: Journal Entry,Accounts Receivable,Дебиторская задолженность
@@ -2975,16 +3004,16 @@
 DocType: Projects Settings,Timesheets,Табели
 DocType: HR Settings,HR Settings,Настройки HR
 DocType: Salary Slip,net pay info,Чистая информация платить
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS Значение
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS Значение
 DocType: Woocommerce Settings,Enable Sync,Включить синхронизацию
 DocType: Tax Withholding Rate,Single Transaction Threshold,Единый порог транзакции
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Это значение обновляется в прейскуранте продаж по умолчанию.
 DocType: Email Digest,New Expenses,Новые расходы
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Amount
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Amount
 DocType: Shareholder,Shareholder,акционер
 DocType: Purchase Invoice,Additional Discount Amount,Сумма Дополнительной Скидки
 DocType: Cash Flow Mapper,Position,Должность
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Получить предметы из рецептов
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Получить предметы из рецептов
 DocType: Patient,Patient Details,Сведения о пациенте
 DocType: Inpatient Record,B Positive,В Позитивный
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2996,8 +3025,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Группа не-группы
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Спорт
 DocType: Loan Type,Loan Name,Кредит Имя
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Общий фактический
-DocType: Lab Test UOM,Test UOM,Тест UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Общий фактический
 DocType: Student Siblings,Student Siblings,"Студенческие Братья, сестры"
 DocType: Subscription Plan Detail,Subscription Plan Detail,Деталь плана подписки
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Единица
@@ -3025,7 +3053,6 @@
 DocType: Workstation,Wages per hour,Заработная плата в час
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Для продукта {2} на складе {3} остатки запасов для партии {0} станут отрицательными {1}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следующие запросы на материалы были созданы автоматически на основании минимального уровня запасов продукта
-DocType: Email Digest,Pending Sales Orders,В ожидании заказов на продажу
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Счёт {0} является недопустимым. Валюта счёта должна быть {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},From Date {0} не может быть после освобождения сотрудника {Date} {1}
 DocType: Supplier,Is Internal Supplier,Внутренний поставщик
@@ -3034,13 +3061,14 @@
 DocType: Healthcare Settings,Remind Before,Напомнить
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа клиента, счет-фактура или продаже журнал Вход"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа клиента, счет-фактура или продаже журнал Вход"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Бонусные баллы = Сколько базовой валюты?
 DocType: Salary Component,Deduction,Вычет
 DocType: Item,Retain Sample,Сохранить образец
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Строка {0}: От времени и времени является обязательным.
 DocType: Stock Reconciliation Item,Amount Difference,Сумма разница
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Цена продукта {0} добавлена в прайс-лист {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Цена продукта {0} добавлена в прайс-лист {1}
+DocType: Delivery Stop,Order Information,запросить информацию
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Пожалуйста, введите Employee Id этого менеджера по продажам"
 DocType: Territory,Classification of Customers by region,Классификация клиентов по регионам
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,В производстве
@@ -3051,8 +3079,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Расчетный банк себе баланс
 DocType: Normal Test Template,Normal Test Template,Шаблон нормального теста
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,отключенный пользователь
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Предложение
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Невозможно установить полученный RFQ без цитаты
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Предложение
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Невозможно установить полученный RFQ без цитаты
 DocType: Salary Slip,Total Deduction,Всего Вычет
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Выберите учетную запись для печати в валюте счета.
 ,Production Analytics,Производственная аналитика
@@ -3065,14 +3093,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставщик Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Название плана оценки
 DocType: Work Order Operation,Work Order Operation,Порядок работы
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Внимание: Неверный сертификат SSL в приложении {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Внимание: Неверный сертификат SSL в приложении {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Лиды помогут делать дело. Внесите все свои контакты, идеи развития или продаж в лиды."
 DocType: Work Order Operation,Actual Operation Time,Фактическая Время работы
 DocType: Authorization Rule,Applicable To (User),Применимо к (Пользователь)
 DocType: Purchase Taxes and Charges,Deduct,Вычеты €
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Описание работы
 DocType: Student Applicant,Applied,прикладная
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Снова откройте
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Снова откройте
 DocType: Sales Invoice Item,Qty as per Stock UOM,Кол-во в соответствии с ед.измерения запасов
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Имя Guardian2
 DocType: Attendance,Attendance Request,Запрос на посещение
@@ -3090,7 +3118,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимальное допустимое значение
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Пользователь {0} уже существует
-apps/erpnext/erpnext/hooks.py +114,Shipments,Поставки
+apps/erpnext/erpnext/hooks.py +115,Shipments,Поставки
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Общая Выделенная сумма (Компания Валюта)
 DocType: Purchase Order Item,To be delivered to customer,Доставлен заказчику
 DocType: BOM,Scrap Material Cost,Лом Материал Стоимость
@@ -3098,11 +3126,12 @@
 DocType: Grant Application,Email Notification Sent,Уведомление по электронной почте отправлено
 DocType: Purchase Invoice,In Words (Company Currency),В Слов (Компания валюте)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Компания является manadatory для учетной записи компании
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Код товара, склад, количество требуется в строке"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Код товара, склад, количество требуется в строке"
 DocType: Bank Guarantee,Supplier,Поставщик
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Получить от
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Это корневой отдел и не может быть отредактирован.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Показать данные платежа
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Продолжительность в днях
 DocType: C-Form,Quarter,Квартал
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Прочие расходы
 DocType: Global Defaults,Default Company,Компания по умолчанию
@@ -3110,7 +3139,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходов или Разница счета является обязательным для п. {0}, поскольку это влияет общая стоимость акции"
 DocType: Bank,Bank Name,Название банка
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Выше
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Оставьте поле пустым, чтобы делать заказы на поставку для всех поставщиков"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Оставьте поле пустым, чтобы делать заказы на поставку для всех поставщиков"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Ставка на стационарный визит
 DocType: Vital Signs,Fluid,жидкость
 DocType: Leave Application,Total Leave Days,Всего Оставить дней
@@ -3120,7 +3149,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Параметры модификации продкута
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Выберите компанию ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Оставьте пустым, если рассматривать для всех отделов"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} является обязательным для продукта {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} является обязательным для продукта {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Продукт {0}: произведено {1} единиц,"
 DocType: Payroll Entry,Fortnightly,раз в две недели
 DocType: Currency Exchange,From Currency,Из валюты
@@ -3170,7 +3199,7 @@
 DocType: Account,Fixed Asset,Основное средство
 DocType: Amazon MWS Settings,After Date,После даты
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Учет сериями
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Недопустимый {0} для счета Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Недопустимый {0} для счета Inter Company.
 ,Department Analytics,Аналитика отделов
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Электронная почта не найдена в контакте по умолчанию
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Создать секрет
@@ -3189,6 +3218,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Исполнительный директор
 DocType: Purchase Invoice,With Payment of Tax,С уплатой налога
 DocType: Expense Claim Detail,Expense Claim Detail,Детали Авансового Отчета
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Пожалуйста, настройте систему именования инструкторов в образовании&gt; Настройки образования"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,ТРИПЛИКАЦИЯ ДЛЯ ПОСТАВЩИКА
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Новый баланс в базовой валюте
 DocType: Location,Is Container,Контейнер
@@ -3196,13 +3226,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Пожалуйста, выберите правильный счет"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Назначение структуры заработной платы
 DocType: Purchase Invoice Item,Weight UOM,Вес Единица измерения
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Список доступных Акционеров с номерами фолио
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Список доступных Акционеров с номерами фолио
 DocType: Salary Structure Employee,Salary Structure Employee,Зарплата Структура сотрудников
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Показать атрибуты варианта
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Показать атрибуты варианта
 DocType: Student,Blood Group,Группа крови
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Учетная запись платежного шлюза в плане {0} отличается от учетной записи платежного шлюза в этом платежном запросе
 DocType: Course,Course Name,Название курса
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Данные по удержанию налогов не найдены за текущий финансовый год.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Данные по удержанию налогов не найдены за текущий финансовый год.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Пользователи, которые могут утвердить отпуска приложения конкретного работника"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Оборудование офиса
 DocType: Purchase Invoice Item,Qty,Кол-во
@@ -3210,6 +3240,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Настройка подсчета очков
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Электроника
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Дебет ({0})
+DocType: BOM,Allow Same Item Multiple Times,Разрешить один и тот же элемент в несколько раз
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Создавать запрос на материалы когда запасы достигают минимального заданного уровня
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Полный рабочий день
 DocType: Payroll Entry,Employees,Сотрудники
@@ -3221,11 +3252,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Подтверждение об оплате
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Цены не будут показаны, если прайс-лист не установлен"
 DocType: Stock Entry,Total Incoming Value,Всего входное значение
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Дебет требуется
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Дебет требуется
 DocType: Clinical Procedure,Inpatient Record,Стационарная запись
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets поможет отслеживать время, стоимость и выставление счетов для Активности сделанной вашей команды"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Прайс-лист закупки
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Дата транзакции
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Прайс-лист закупки
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Дата транзакции
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Шаблоны переменных показателей поставщика.
 DocType: Job Offer Term,Offer Term,Условие предложения
 DocType: Asset,Quality Manager,Менеджер по качеству
@@ -3246,11 +3277,11 @@
 DocType: Cashier Closing,To Time,Чтобы время
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) для {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Утверждении роль (выше уставного стоимости)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Кредит на счету должно быть оплачивается счет
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Кредит на счету должно быть оплачивается счет
 DocType: Loan,Total Amount Paid,Общая сумма
 DocType: Asset,Insurance End Date,Дата окончания страхования
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Пожалуйста, выберите Вход для студентов, который является обязательным для оплачиваемого студента"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не может быть родитель или ребенок {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не может быть родитель или ребенок {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Бюджетный список
 DocType: Work Order Operation,Completed Qty,Завершено Кол-во
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Для {0}, только дебетовые счета могут быть связаны с кредитной записью"
@@ -3258,7 +3289,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Серийный продукт {0} не может быть обновлён с помощью ревизии склада, пожалуйста, используйте приходную накладную"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Серийный продукт {0} не может быть обновлён с помощью ревизии склада, пожалуйста, используйте приходную накладную"
 DocType: Training Event Employee,Training Event Employee,Обучение сотрудников Событие
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максимальные образцы - {0} могут сохраняться для Batch {1} и Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максимальные образцы - {0} могут сохраняться для Batch {1} и Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Добавление временных интервалов
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Серийные номера необходимы для продукта {1}. Вы предоставили {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Текущая оценка
@@ -3289,11 +3320,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серийный номер {0} не найден
 DocType: Fee Schedule Program,Fee Schedule Program,Планирование программы
 DocType: Fee Schedule Program,Student Batch,Student Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Удалите сотрудника <a href=""#Form/Employee/{0}"">{0}</a> \, чтобы отменить этот документ."
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Создать студента
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Тип единицы медицинского обслуживания
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Вы были приглашены для совместной работы над проектом: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Вы были приглашены для совместной работы над проектом: {0}
 DocType: Supplier Group,Parent Supplier Group,Родительская группа поставщиков
+DocType: Email Digest,Purchase Orders to Bill,Заказы на поставку для счета
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Накопленные ценности в группе компаний
 DocType: Leave Block List Date,Block Date,Блок Дата
 DocType: Crop,Crop,урожай
@@ -3306,6 +3340,7 @@
 DocType: Sales Order,Not Delivered,Не доставлен
 ,Bank Clearance Summary,Банк уплата по счетам итого
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Создание и управление ежедневные, еженедельные и ежемесячные дайджесты новостей."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Это основано на транзакциях с этим продавцом. См. Ниже подробное описание
 DocType: Appraisal Goal,Appraisal Goal,Оценка Гол
 DocType: Stock Reconciliation Item,Current Amount,Текущий объем
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,здания
@@ -3332,7 +3367,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Дата следующего контакта не может быть в прошлом
 DocType: Company,For Reference Only.,Только для справки.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Выберите номер партии
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Выберите номер партии
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Неверный {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Ссылка Inv
@@ -3350,16 +3385,16 @@
 DocType: Normal Test Items,Require Result Value,Требовать значение результата
 DocType: Item,Show a slideshow at the top of the page,Показывать слайд-шоу в верхней части страницы
 DocType: Tax Withholding Rate,Tax Withholding Rate,Ставки удержания налогов
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Магазины
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Магазины
 DocType: Project Type,Projects Manager,Менеджер проектов
 DocType: Serial No,Delivery Time,Время доставки
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,"Проблемам старения, на основе"
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Назначение отменено
 DocType: Item,End of Life,Конец срока службы
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Путешествия
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Путешествия
 DocType: Student Report Generation Tool,Include All Assessment Group,Включить всю группу оценки
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Нет активной или по умолчанию Зарплата Структура найдено для сотрудника {0} для указанных дат
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Нет активной или по умолчанию Зарплата Структура найдено для сотрудника {0} для указанных дат
 DocType: Leave Block List,Allow Users,Разрешить пользователям
 DocType: Purchase Order,Customer Mobile No,Заказчик Мобильная Нет
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Подробное описание шаблонов движения денежных средств
@@ -3368,15 +3403,16 @@
 DocType: Rename Tool,Rename Tool,Переименование файлов
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Обновление Стоимость
 DocType: Item Reorder,Item Reorder,Повторный заказ продукта
+DocType: Delivery Note,Mode of Transport,Вид транспорта
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Показать Зарплата скольжению
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,О передаче материала
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,О передаче материала
 DocType: Fees,Send Payment Request,Отправить запрос на оплату
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","не Укажите операции, эксплуатационные расходы и дать уникальную операцию не в вашей деятельности."
 DocType: Travel Request,Any other details,Любые другие детали
 DocType: Water Analysis,Origin,происхождения
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Этот документ находится над пределом {0} {1} для элемента {4}. Вы делаете другой {3} против того же {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,"Пожалуйста, установите повторяющиеся после сохранения"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Сумма счета Выберите изменения
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,"Пожалуйста, установите повторяющиеся после сохранения"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Сумма счета Выберите изменения
 DocType: Purchase Invoice,Price List Currency,Прайс-лист валют
 DocType: Naming Series,User must always select,Пользователь всегда должен выбирать
 DocType: Stock Settings,Allow Negative Stock,Разрешить отрицательный запас
@@ -3397,9 +3433,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,прослеживаемость
 DocType: Asset Maintenance Log,Actions performed,Выполненные действия
 DocType: Cash Flow Mapper,Section Leader,Руководитель раздела
+DocType: Delivery Note,Transport Receipt No,Транспортная квитанция Нет
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Источник финансирования (обязательства)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Источник и целевое местоположение не могут быть одинаковыми
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ({1}) должна быть такой же, как изготавливается количество {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ({1}) должна быть такой же, как изготавливается количество {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Сотрудник
 DocType: Bank Guarantee,Fixed Deposit Number,Номер фиксированного депозита
 DocType: Asset Repair,Failure Date,Дата отказа
@@ -3413,16 +3450,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Отчисления оплаты или убыток
 DocType: Soil Analysis,Soil Analysis Criterias,Критерий анализа почвы
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Вы действительно хотите отменить эту встречу?
+DocType: BOM Item,Item operation,Работа с элементами
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Вы действительно хотите отменить эту встречу?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Пакет услуг для гостиничных номеров
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Воронка продаж
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Воронка продаж
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},"Пожалуйста, установите учетную запись по умолчанию в компоненте Зарплатный {0}"
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обязательно На
 DocType: Rename Tool,File to Rename,Файл Переименовать
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Выберите в строке {0} спецификацию для продукта
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Получение обновлений подписки
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Учетная запись {0} не совпадает с компанией {1} в Способе учетной записи: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Указанная ВМ {0} для продукта {1} не существует
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Указанная ВМ {0} для продукта {1} не существует
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Курс:
 DocType: Soil Texture,Sandy Loam,Песчаный суглинок
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента
@@ -3431,7 +3469,7 @@
 DocType: Notification Control,Expense Claim Approved,Авансовый Отчет Одобрен
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Set Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Нет рабочих заказов
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Зарплата Скольжение работника {0} уже создано за этот период
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Зарплата Скольжение работника {0} уже создано за этот период
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Фармацевтический
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Вы можете только отправить «Оставшаяся инкассация» для действительной суммы инкассации
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Стоимость поставленных продуктов
@@ -3439,7 +3477,8 @@
 DocType: Selling Settings,Sales Order Required,Требования Заказа клиента
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Стать продавцом
 DocType: Purchase Invoice,Credit To,Кредитная Для
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,"Активные лиды, клиенты"
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,"Активные лиды, клиенты"
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Оставьте пустым для использования стандартного формата Отчета доставки
 DocType: Employee Education,Post Graduate,Послевузовском
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,График технического обслуживания Подробно
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Предупреждать о новых заказах на поставку
@@ -3453,14 +3492,14 @@
 DocType: Support Search Source,Post Title Key,Заголовок заголовка
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Для работы
 DocType: Warranty Claim,Raised By,Создал
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Предписания
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Предписания
 DocType: Payment Gateway Account,Payment Account,Счёт оплаты
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Пожалуйста, сформулируйте Компания приступить"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Пожалуйста, сформулируйте Компания приступить"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Чистое изменение дебиторской задолженности
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Компенсационные Выкл
 DocType: Job Offer,Accepted,Принято
 DocType: POS Closing Voucher,Sales Invoices Summary,Сводка счетов-фактур
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Название партии
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Название партии
 DocType: Grant Application,Organization,Организация
 DocType: BOM Update Tool,BOM Update Tool,Инструмент обновления спецификации
 DocType: SG Creation Tool Course,Student Group Name,Имя Студенческая группа
@@ -3469,7 +3508,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Пожалуйста, убедитесь, что вы действительно хотите удалить все транзакции для компании. Ваши основные данные останется, как есть. Это действие не может быть отменено."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,результаты поиска
 DocType: Room,Room Number,Номер комнаты
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Недопустимая ссылка {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Недопустимая ссылка {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не может быть больше, чем запланированное количество ({2}) в Производственном Заказе {3}"
 DocType: Shipping Rule,Shipping Rule Label,Название правила доставки
 DocType: Journal Entry Account,Payroll Entry,Ввод зарплаты
@@ -3477,8 +3516,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Сделать шаблон налога
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Форум пользователей
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Сырьё не может быть пустым.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Строка # {0} (Таблица платежей): сумма должна быть отрицательной
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Не удалось обновить запас, счет-фактура содержит падение пункт доставки."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Строка # {0} (Таблица платежей): сумма должна быть отрицательной
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Не удалось обновить запас, счет-фактура содержит падение пункт доставки."
 DocType: Contract,Fulfilment Status,Статус выполнения
 DocType: Lab Test Sample,Lab Test Sample,Лабораторный пробный образец
 DocType: Item Variant Settings,Allow Rename Attribute Value,Разрешить переименование значения атрибута
@@ -3520,11 +3559,11 @@
 DocType: BOM,Show Operations,Показать операции
 ,Minutes to First Response for Opportunity,Время первого отклика на возможности
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Всего Отсутствует
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Продукт или склад для строки {0} не соответствует запросу на материалы
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Продукт или склад для строки {0} не соответствует запросу на материалы
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Единица Измерения
 DocType: Fiscal Year,Year End Date,Дата окончания года
 DocType: Task Depends On,Task Depends On,Задача зависит от
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Выявление
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Выявление
 DocType: Operation,Default Workstation,По умолчанию Workstation
 DocType: Notification Control,Expense Claim Approved Message,Сообщение об Одобрении Авансового Отчета
 DocType: Payment Entry,Deductions or Loss,Отчисления или убыток
@@ -3562,20 +3601,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,"Утвержденный Пользователь не может быть тем же пользователем, к которому применимо правило"
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Базовая ставка (согласно ед.измерения запасов на складе)
 DocType: SMS Log,No of Requested SMS,Кол-во запрошенных СМС
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Отпуск без оплаты не входит в утвержденные типы отпусков
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Отпуск без оплаты не входит в утвержденные типы отпусков
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Следующие шаги
 DocType: Travel Request,Domestic,внутренний
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,"Пожалуйста, предоставьте указанные пункты в наилучших возможных ставок"
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,"Пожалуйста, предоставьте указанные пункты в наилучших возможных ставок"
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Передача сотрудника не может быть отправлена до даты передачи
 DocType: Certification Application,USD,доллар США
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Создать счет-фактуру
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Остаток средств
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Остаток средств
 DocType: Selling Settings,Auto close Opportunity after 15 days,Авто близко Возможность через 15 дней
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,"Заказы на поставку не допускаются для {0} из-за того, что система показателей имеет значение {1}."
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Barcode {0} не является допустимым кодом {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Barcode {0} не является допустимым кодом {1}
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Конец года
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Предл/Лид %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,"Конец контракта Дата должна быть больше, чем дата вступления"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,"Конец контракта Дата должна быть больше, чем дата вступления"
 DocType: Driver,Driver,Водитель
 DocType: Vital Signs,Nutrition Values,Значения питания
 DocType: Lab Test Template,Is billable,Является платным
@@ -3586,7 +3625,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Это пример сайт автоматически сгенерированный из ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Старение Диапазон 1
 DocType: Shopify Settings,Enable Shopify,Включить Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Общая сумма аванса не может превышать общую заявленную сумму
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Общая сумма аванса не может превышать общую заявленную сумму
 DocType: Purchase Taxes and Charges Template,"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
@@ -3633,12 +3672,12 @@
 DocType: Employee Separation,Employee Separation,Разделение сотрудников
 DocType: BOM Item,Original Item,Оригинальный товар
 DocType: Purchase Receipt Item,Recd Quantity,Получ. кол-во
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Дата документа
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Дата документа
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Создано записей платы - {0}
 DocType: Asset Category Account,Asset Category Account,Категория активов Счет
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Строка # {0} (Таблица платежей): сумма должна быть положительной
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Строка # {0} (Таблица платежей): сумма должна быть положительной
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},"Нельзя производить продукта {0} больше, чем в заказе на продажу ({1})"
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Выберите значения атрибута
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Выберите значения атрибута
 DocType: Purchase Invoice,Reason For Issuing document,Причина выдачи документа
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Складской акт {0} не проведен
 DocType: Payment Reconciliation,Bank / Cash Account,Банк / Расчетный счет
@@ -3647,8 +3686,10 @@
 DocType: Asset,Manual,Руководство
 DocType: Salary Component Account,Salary Component Account,Зарплатный Компонент
 DocType: Global Defaults,Hide Currency Symbol,Скрыть символ валюты
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Возможности продаж по источникам
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Донорская информация.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","например банк, наличные, кредитная карта"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Пожалуйста, установите серию нумерации для участия через Setup&gt; Numbering Series"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","например банк, наличные, кредитная карта"
 DocType: Job Applicant,Source Name,Имя источника
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормальное покоящееся кровяное давление у взрослого человека составляет приблизительно 120 мм рт.ст. систолическое и 80 мм рт.ст. диастолическое, сокращенно «120/80 мм рт.ст.»,"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Устанавливайте срок хранения элементов в днях, чтобы установить срок действия на основе production_date plus self life"
@@ -3678,7 +3719,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Для количества должно быть меньше количества {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ряд {0}: Дата начала должна быть раньше даты окончания
 DocType: Salary Component,Max Benefit Amount (Yearly),Максимальная сумма пособия (ежегодно)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Rate%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Rate%
 DocType: Crop,Planting Area,Площадь посадки
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Всего (кол-во)
 DocType: Installation Note Item,Installed Qty,Установленное количество
@@ -3700,8 +3741,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Оставить уведомление об утверждении
 DocType: Buying Settings,Default Buying Price List,По умолчанию Покупка Прайс-лист
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Зарплата скольжения на основе Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Частота покупки
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Строка {0}: введите местоположение для объекта актива {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Частота покупки
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Строка {0}: введите местоположение для объекта актива {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-предложения-.YYYY.-
 DocType: Company,About the Company,О компании
 DocType: Notification Control,Sales Order Message,Заказ клиента Сообщение
@@ -3767,10 +3808,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Для строки {0}: введите запланированное количество
 DocType: Account,Income Account,Счет Доходов
 DocType: Payment Request,Amount in customer's currency,Сумма в валюте клиента
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Доставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Доставка
 DocType: Volunteer,Weekdays,Будни
 DocType: Stock Reconciliation Item,Current Qty,Текущий Кол-во
 DocType: Restaurant Menu,Restaurant Menu,Меню ресторана
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Добавить поставщиков
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Раздел справки
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Предыдущая
@@ -3782,19 +3824,20 @@
 												fullfill Sales Order {2}","Невозможно доставить серийный номер {0} пункта {1}, поскольку он зарезервирован для заказа \ полного заполнения {2}"
 DocType: Item Reorder,Material Request Type,Тип заявки на материал
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Отправить отзыв
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage полна, не спасло"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования Единица измерения является обязательным
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage полна, не спасло"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования Единица измерения является обязательным
 DocType: Employee Benefit Claim,Claim Date,Дата претензии
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Вместимость номера
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Уже существует запись для элемента {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ссылка
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Вы потеряете записи ранее сгенерированных счетов-фактур. Вы действительно хотите перезапустить эту подписку?
+DocType: Lab Test,LP-,ЛВ
 DocType: Healthcare Settings,Registration Fee,Регистрационный взнос
 DocType: Loyalty Program Collection,Loyalty Program Collection,Коллекция программы лояльности
 DocType: Stock Entry Detail,Subcontracted Item,Субподрядный товар
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Студент {0} не принадлежит группе {1}
 DocType: Budget,Cost Center,Центр затрат
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Ваучер #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Ваучер #
 DocType: Notification Control,Purchase Order Message,Заказ на сообщение
 DocType: Tax Rule,Shipping Country,Доставка Страна
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Скрыть Налоговый идентификатор клиента от сделки купли-продажи
@@ -3813,23 +3856,22 @@
 DocType: Subscription,Cancel At End Of Period,Отмена на конец периода
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Недвижимость уже добавлена
 DocType: Item Supplier,Item Supplier,Поставщик продукта
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Не выбраны продукты для перемещения
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Все адреса.
 DocType: Company,Stock Settings,Настройки Запасов
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Объединение возможно только, если следующие свойства такие же, как в отчетах. Есть группа, корневого типа, компания"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Объединение возможно только, если следующие свойства такие же, как в отчетах. Есть группа, корневого типа, компания"
 DocType: Vehicle,Electric,электрический
 DocType: Task,% Progress,% Прогресс
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Прибыль / убыток от выбытия основных средств
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",В таблице ниже будет выбран только кандидат-студент со статусом «Approved».
 DocType: Tax Withholding Category,Rates,Ставки
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Номер учетной записи для учетной записи {0} недоступен. <br> Правильно настройте свой план счетов.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Номер учетной записи для учетной записи {0} недоступен. <br> Правильно настройте свой план счетов.
 DocType: Task,Depends on Tasks,Зависит от задач
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управление деревом групп покупателей.
 DocType: Normal Test Items,Result Value,Значение результата
 DocType: Hotel Room,Hotels,Отели
-DocType: Delivery Note,Transporter Date,Дата транспортера
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Новый Центр Стоимость Имя
 DocType: Leave Control Panel,Leave Control Panel,Оставьте панели управления
 DocType: Project,Task Completion,Завершение задачи
@@ -3876,11 +3918,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Все группы по оценке
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Новое название склада
 DocType: Shopify Settings,App Type,Тип приложения
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Общая {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Общая {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Территория
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Пожалуйста, укажите кол-во посещений, необходимых"
 DocType: Stock Settings,Default Valuation Method,Метод оценки по умолчанию
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,плата
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Показать суммарную сумму
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Идет обновление. Это может занять некоторое время.
 DocType: Production Plan Item,Produced Qty,Произведенное количество
 DocType: Vehicle Log,Fuel Qty,Топливо Кол-во
@@ -3888,7 +3931,7 @@
 DocType: Work Order Operation,Planned Start Time,Планируемые Время
 DocType: Course,Assessment,оценка
 DocType: Payment Entry Reference,Allocated,Выделенные
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Закрыть баланс и книга прибыли или убытка.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Закрыть баланс и книга прибыли или убытка.
 DocType: Student Applicant,Application Status,Статус приложения
 DocType: Additional Salary,Salary Component Type,Тип залогового имущества
 DocType: Sensitivity Test Items,Sensitivity Test Items,Элементы проверки чувствительности
@@ -3899,10 +3942,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Общей суммой задолженности
 DocType: Sales Partner,Targets,Цели
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,"Пожалуйста, зарегистрируйте номер SIREN в файле информации о компании"
+DocType: Email Digest,Sales Orders to Bill,Заказы на продажу Билла
 DocType: Price List,Price List Master,Прайс-лист Мастер
 DocType: GST Account,CESS Account,CESS-аккаунт
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Все сделок купли-продажи могут быть помечены против нескольких ** продавцы ** так что вы можете устанавливать и контролировать цели.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Ссылка на запрос материала
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Ссылка на запрос материала
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Активность в форуме
 ,S.O. No.,КО №
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Параметры транзакции банковского вычета
@@ -3917,7 +3961,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Это корневая группа клиентов и не могут быть изменены.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Действие в случае превышения Ежемесячного бюджета на PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Положить
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Положить
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Переоценка валютного курса
 DocType: POS Profile,Ignore Pricing Rule,Игнорировать правило ценообразования
 DocType: Employee Education,Graduate,Выпускник
@@ -3966,6 +4010,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Укажите клиента по умолчанию в настройках ресторана
 ,Salary Register,Доход Регистрация
 DocType: Warehouse,Parent Warehouse,Родитель склад
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Диаграмма
 DocType: Subscription,Net Total,Чистая Всего
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Спецификация по умолчанию для продукта {0} и проекта {1} не найдена
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Определение различных видов кредита
@@ -3998,24 +4043,26 @@
 DocType: Membership,Membership Status,Статус членства
 DocType: Travel Itinerary,Lodging Required,Требуется проживание
 ,Requested,Запрошено
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Нет Замечания
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Нет Замечания
 DocType: Asset,In Maintenance,В обеспечении
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Нажмите эту кнопку, чтобы вытащить данные заказа клиента из Amazon MWS."
 DocType: Vital Signs,Abdomen,Брюшная полость
 DocType: Purchase Invoice,Overdue,Просроченный
 DocType: Account,Stock Received But Not Billed,"Запас получен, но не выписан счет"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Корень аккаунт должна быть группа
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Корень аккаунт должна быть группа
 DocType: Drug Prescription,Drug Prescription,Рецепт лекарств
 DocType: Loan,Repaid/Closed,Возвращенный / Closed
 DocType: Amazon MWS Settings,CA,Калифорния
 DocType: Item,Total Projected Qty,Общая запланированная Кол-во
 DocType: Monthly Distribution,Distribution Name,Распределение Имя
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Включить UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Показатель оценки не найден для элемента {0}, который требуется для учета записей для {1} {2}. Если элемент совершает транзакцию в качестве элемента оценки нулевой оценки в {1}, укажите это в таблице {1}. В противном случае, пожалуйста, создайте транзакцию входящего запаса для данного элемента или укажите показатель оценки в записи позиции, а затем попробуйте отправить или отменить эту запись"
 DocType: Course,Course Code,Код курса
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},"Контроль качества, необходимые для Пункт {0}"
 DocType: Location,Parent Location,Расположение родителей
 DocType: POS Settings,Use POS in Offline Mode,Использовать POS в автономном режиме
 DocType: Supplier Scorecard,Supplier Variables,Переменные поставщика
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},"{0} является обязательным. Возможно, запись обмена валюты не создана для {1} - {2}"
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Курс, по которому валюта клиента конвертируется в базовую валюту компании"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Чистая скорость (Компания валют)
 DocType: Salary Detail,Condition and Formula Help,Состояние и формула Помощь
@@ -4024,19 +4071,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Счет на продажу
 DocType: Journal Entry Account,Party Balance,Баланс партия
 DocType: Cash Flow Mapper,Section Subtotal,Раздел Итого
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Пожалуйста, выберите Применить скидки на"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Пожалуйста, выберите Применить скидки на"
 DocType: Stock Settings,Sample Retention Warehouse,Хранилище хранения образцов
 DocType: Company,Default Receivable Account,По умолчанию задолженность аккаунт
 DocType: Purchase Invoice,Deemed Export,Рассмотренный экспорт
 DocType: Stock Entry,Material Transfer for Manufacture,Материал Передача для производства
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,"Процент скидки может применяться либо к Прайс-листу, либо ко всем Прайс-листам."
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Бухгалтерская Проводка по Запасам
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Бухгалтерская Проводка по Запасам
 DocType: Lab Test,LabTest Approver,Подтверждение LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Вы уже оценили критерии оценки {}.
 DocType: Vehicle Service,Engine Oil,Машинное масло
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Созданы рабочие задания: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Созданы рабочие задания: {0}
 DocType: Sales Invoice,Sales Team1,Продажи Команда1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Продукт {0} не существует
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Продукт {0} не существует
 DocType: Sales Invoice,Customer Address,Клиент Адрес
 DocType: Loan,Loan Details,Кредит Подробнее
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Не удалось настроить оборудование для компании
@@ -4057,34 +4104,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Показать этот слайд-шоу в верхней части страницы
 DocType: BOM,Item UOM,Единиц продукта
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сумма налога после скидки Сумма (Компания валют)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
 DocType: Cheque Print Template,Primary Settings,Основные настройки
 DocType: Attendance Request,Work From Home,Работа из дома
 DocType: Purchase Invoice,Select Supplier Address,Выбрать адрес поставщика
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Добавить сотрудников
 DocType: Purchase Invoice Item,Quality Inspection,Контроль качества
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Очень Маленький
 DocType: Company,Standard Template,Стандартный шаблон
 DocType: Training Event,Theory,теория
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Кол-во в запросе на материалы меньше минимального количества для заказа
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Кол-во в запросе на материалы меньше минимального количества для заказа
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Счет {0} заморожен
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическое лицо / Вспомогательный с отдельным Планом счетов бухгалтерского учета, принадлежащего Организации."
 DocType: Payment Request,Mute Email,Отключение E-mail
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Продукты питания, напитки и табак"
 DocType: Account,Account Number,Номер аккаунта
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Могу только осуществить платеж против нефактурированных {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Могу только осуществить платеж против нефактурированных {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100"
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Автоматическое выделение авансов (FIFO)
 DocType: Volunteer,Volunteer,доброволец
 DocType: Buying Settings,Subcontract,Субподряд
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Пожалуйста, введите {0} в первую очередь"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Нет ответов от
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Нет ответов от
 DocType: Work Order Operation,Actual End Time,Фактическое Время окончания
 DocType: Item,Manufacturer Part Number,Номер партии производителя
 DocType: Taxable Salary Slab,Taxable Salary Slab,Налогооблагаемая зарплатная плита
 DocType: Work Order Operation,Estimated Time and Cost,Расчетное время и стоимость
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Название урожая
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Только пользователи с ролью {0} могут зарегистрироваться на Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Только пользователи с ролью {0} могут зарегистрироваться на Marketplace
 DocType: SMS Log,No of Sent SMS,Кол-во отправленных СМС
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Встречи и Столкновения
@@ -4113,7 +4161,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Изменить код
 DocType: Purchase Invoice Item,Valuation Rate,Оценка
 DocType: Vehicle,Diesel,дизель
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Прайс-лист Обмен не выбран
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Прайс-лист Обмен не выбран
 DocType: Purchase Invoice,Availed ITC Cess,Пользуется ITC Cess
 ,Student Monthly Attendance Sheet,Student Ежемесячная посещаемость Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Правило доставки применимо только для продажи
@@ -4130,7 +4178,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управление партнерами по сбыту.
 DocType: Quality Inspection,Inspection Type,Тип контроля
 DocType: Fee Validity,Visited yet,Посетил еще
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Склады с существующей транзакции не может быть преобразована в группу.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Склады с существующей транзакции не может быть преобразована в группу.
 DocType: Assessment Result Tool,Result HTML,Результат HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Как часто необходимо обновлять проект и компанию на основе транзакций продаж.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Годен до
@@ -4138,7 +4186,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Пожалуйста, выберите {0}"
 DocType: C-Form,C-Form No,C-образный Нет
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Дистанция
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Дистанция
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Перечислите свои продукты или услуги, которые вы покупаете или продаете."
 DocType: Water Analysis,Storage Temperature,Температура хранения
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4154,19 +4202,19 @@
 DocType: Shopify Settings,Delivery Note Series,Серия доставки
 DocType: Purchase Order Item,Returned Qty,Вернулся Кол-во
 DocType: Student,Exit,Выход
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Корневая Тип является обязательным
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Корневая Тип является обязательным
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Не удалось установить пресеты
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Преобразование UOM в часы
 DocType: Contract,Signee Details,Информация о подписчике
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} в настоящее время имеет {1} систему показателей поставщика, и RFQ для этого поставщика должны выдаваться с осторожностью."
 DocType: Certified Consultant,Non Profit Manager,Менеджер некоммерческих организаций
 DocType: BOM,Total Cost(Company Currency),Общая стоимость (Компания Валюта)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Серийный номер {0} создан
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Серийный номер {0} создан
 DocType: Homepage,Company Description for website homepage,Описание компании на главную страницу сайта
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Для удобства клиентов, эти коды могут быть использованы в печатных формах документов, таких как Счета и Документы  Отгрузки"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Название поставщика
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Не удалось получить информацию для {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Журнал открытия журнала
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Журнал открытия журнала
 DocType: Contract,Fulfilment Terms,Условия выполнения
 DocType: Sales Invoice,Time Sheet List,Список времени лист
 DocType: Employee,You can enter any date manually,Вы можете ввести любую дату вручную
@@ -4202,7 +4250,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Ваша организация
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Пропуск распределения отпуска для следующих сотрудников, поскольку записи о выделении уже существуют против них. {0}"
 DocType: Fee Component,Fees Category,Категория плат
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Пожалуйста, введите даты снятия."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Пожалуйста, введите даты снятия."
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Подробная информация о спонсоре (название, местоположение)"
 DocType: Supplier Scorecard,Notify Employee,Уведомить сотрудника
@@ -4215,9 +4263,9 @@
 DocType: Company,Chart Of Accounts Template,План счетов бухгалтерского учета шаблона
 DocType: Attendance,Attendance Date,Посещаемость Дата
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Для покупки счета-фактуры {0} необходимо включить обновление запасов
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Цена продукта {0} обновлена в прайс-листе {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Цена продукта {0} обновлена в прайс-листе {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Зарплата распада на основе Заработок и дедукции.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,"Счет, имеющий субсчета не может быть преобразован в регистр"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,"Счет, имеющий субсчета не может быть преобразован в регистр"
 DocType: Purchase Invoice Item,Accepted Warehouse,Принимающий склад
 DocType: Bank Reconciliation Detail,Posting Date,Дата публикации
 DocType: Item,Valuation Method,Метод оценки
@@ -4254,6 +4302,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Выберите пакет
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Заявка на поездку и расходы
 DocType: Sales Invoice,Redemption Cost Center,Центр выкупа
+DocType: QuickBooks Migrator,Scope,Объем
 DocType: Assessment Group,Assessment Group Name,Название группы по оценке
 DocType: Manufacturing Settings,Material Transferred for Manufacture,"Материал, переданный для производства"
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Добавить в корзину
@@ -4261,6 +4310,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Последнее время синхронизации
 DocType: Landed Cost Item,Receipt Document Type,Тип документа о получении
 DocType: Daily Work Summary Settings,Select Companies,Выбор компаний
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Предложение / цена
 DocType: Antibiotic,Healthcare,Здравоохранение
 DocType: Target Detail,Target Detail,Цель Подробности
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Одноместный вариант
@@ -4270,6 +4320,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Период закрытия входа
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Выберите раздел ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,МВЗ с существующими сделок не могут быть преобразованы в группе
+DocType: QuickBooks Migrator,Authorization URL,URL авторизации
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Сумма {0} {1} {2} {3}
 DocType: Account,Depreciation,Амортизация
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Количество акций и номеров акций несовместимы
@@ -4292,13 +4343,14 @@
 DocType: Support Search Source,Source DocType,Источник DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Открыть новый билет
 DocType: Training Event,Trainer Email,Тренер Email
+DocType: Driver,Transporter,Транспортер
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Заявка на материал {0} создана
 DocType: Restaurant Reservation,No of People,Нет людей
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Шаблон терминов или договором.
 DocType: Bank Account,Address and Contact,Адрес и контакт
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Является ли кредиторская задолженность
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Фото не может быть обновлен с квитанцией о покупке {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Фото не может быть обновлен с квитанцией о покупке {0}
 DocType: Support Settings,Auto close Issue after 7 days,Закрыть вопрос через 7 дней
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Оставить не могут быть выделены, прежде чем {0}, а отпуск баланс уже переноса направляются в будущем записи распределения отпуска {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примечание: Из-за / Reference Дата превышает разрешенный лимит клиент дня на {0} сутки (ы)
@@ -4316,7 +4368,7 @@
 ,Qty to Deliver,Кол-во для доставки
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon будет синхронизировать данные, обновленные после этой даты"
 ,Stock Analytics,Аналитика запасов
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,"Операции, не может быть оставлено пустым"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,"Операции, не может быть оставлено пустым"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Лабораторный тест (ы)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Против деталях документа Нет
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Для страны не разрешено удаление {0}
@@ -4324,13 +4376,12 @@
 DocType: Quality Inspection,Outgoing,Исходящий
 DocType: Material Request,Requested For,Запрошено для
 DocType: Quotation Item,Against Doctype,Против Типа документа
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} отменено или закрыто
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} отменено или закрыто
 DocType: Asset,Calculate Depreciation,Рассчитать амортизацию
 DocType: Delivery Note,Track this Delivery Note against any Project,Подписка на Delivery Note против любого проекта
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Чистые денежные средства от инвестиционной деятельности
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Группа клиентов&gt; Территория
 DocType: Work Order,Work-in-Progress Warehouse,Работа-в-Прогресс Склад
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Актив {0} должен быть проведен
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Актив {0} должен быть проведен
 DocType: Fee Schedule Program,Total Students,Всего студентов
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Рекордное {0} существует против Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Ссылка №{0} от {1}
@@ -4350,7 +4401,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Невозможно создать бонус удерживания для левых сотрудников
 DocType: Lead,Market Segment,Сегмент рынка
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Менеджер по развитию
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Уплаченная сумма не может быть больше суммарного отрицательного непогашенной {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Уплаченная сумма не может быть больше суммарного отрицательного непогашенной {0}
 DocType: Supplier Scorecard Period,Variables,переменные
 DocType: Employee Internal Work History,Employee Internal Work History,Сотрудник внутреннего Работа История
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Закрытие (д-р)
@@ -4375,22 +4426,24 @@
 DocType: Amazon MWS Settings,Synch Products,Синхронные продукты
 DocType: Loyalty Point Entry,Loyalty Program,Программа лояльности
 DocType: Student Guardian,Father,Отец
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Билеты на поддержку
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Обновить запасы"" нельзя выбрать при продаже основных средств"
 DocType: Bank Reconciliation,Bank Reconciliation,Банковская сверка
 DocType: Attendance,On Leave,в отпуске
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Получить обновления
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Счет {2} не принадлежит Компании {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Выберите по крайней мере одно значение из каждого из атрибутов.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Выберите по крайней мере одно значение из каждого из атрибутов.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Заявка на материал {0} отменена или остановлена
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Состояние отправки
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Состояние отправки
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Оставить управления
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Группы
 DocType: Purchase Invoice,Hold Invoice,Держать счет-фактуру
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Выберите Сотрудник
 DocType: Sales Order,Fully Delivered,Полностью доставлен
-DocType: Lead,Lower Income,Низкий уровень дохода
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Низкий уровень дохода
 DocType: Restaurant Order Entry,Current Order,Текущий заказ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Количество серийных номеров и количества должно быть одинаковым
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0}
 DocType: Account,Asset Received But Not Billed,"Активы получены, но не выставлены"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разница аккаунт должен быть тип счета активов / пассивов, так как это со Примирение запись Открытие"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},"Освоено Сумма не может быть больше, чем сумма займа {0}"
@@ -4399,7 +4452,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Поле ""С даты"" должно быть после ""До даты"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Никаких кадровых планов для этого обозначения
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Пакет {0} элемента {1} отключен.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Пакет {0} элемента {1} отключен.
 DocType: Leave Policy Detail,Annual Allocation,Ежегодное распределение
 DocType: Travel Request,Address of Organizer,Адрес организатора
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Выберите врача-практикующего врача ...
@@ -4408,12 +4461,12 @@
 DocType: Asset,Fully Depreciated,Полностью Амортизируется
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Прогнозируемое количество запасов
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Клиент {0} не относится к проекту {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Клиент {0} не относится к проекту {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Выраженное Посещаемость HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Котировки являются предложениями, предложениями отправленных к своим клиентам"
 DocType: Sales Invoice,Customer's Purchase Order,Заказ клиента
 DocType: Clinical Procedure,Patient,Пациент
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Обход кредитной проверки по заказу клиента
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Обход кредитной проверки по заказу клиента
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Деятельность бортового персонала
 DocType: Location,Check if it is a hydroponic unit,"Проверьте, является ли это гидропонной единицей"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Серийный номер и партия
@@ -4423,7 +4476,7 @@
 DocType: Supplier Scorecard Period,Calculations,вычисления
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Значение или Кол-во
 DocType: Payment Terms Template,Payment Terms,Условия оплаты
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Продукции Заказы не могут быть подняты для:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Продукции Заказы не могут быть подняты для:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Минута
 DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка Налоги и сборы
 DocType: Chapter,Meetup Embed HTML,Вставить HTML-код
@@ -4431,17 +4484,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Перейти к поставщикам
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Налоги на ваучер на POS
 ,Qty to Receive,Кол-во на получение
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Начальные и конечные даты не в действительном периоде расчета заработной платы, не могут рассчитать {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Начальные и конечные даты не в действительном периоде расчета заработной платы, не могут рассчитать {0}."
 DocType: Leave Block List,Leave Block List Allowed,Оставьте Черный список животных
 DocType: Grading Scale Interval,Grading Scale Interval,Интервал Градация шкалы
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Авансовый Отчет для для журнала автомобиля {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Скидка (%) на цену Прейскурант с маржой
 DocType: Healthcare Service Unit Type,Rate / UOM,Скорость / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Все склады
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Нет {0} найдено для транзакций Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Нет {0} найдено для транзакций Inter Company.
 DocType: Travel Itinerary,Rented Car,Прокат автомобилей
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,О вашей компании
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Кредит на счету должен быть баланс счета
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Кредит на счету должен быть баланс счета
 DocType: Donor,Donor,даритель
 DocType: Global Defaults,Disable In Words,Отключить в словах
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются"
@@ -4453,14 +4506,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Банковский овердрафтовый счет
 DocType: Patient,Patient ID,Идентификатор пациента
 DocType: Practitioner Schedule,Schedule Name,Название расписания
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Трубопровод сбыта по этапам
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Сделать Зарплата Слип
 DocType: Currency Exchange,For Buying,Для покупки
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Добавить все поставщики
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Добавить все поставщики
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Строка # {0}: выделенная сумма не может превышать невыплаченную сумму.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Просмотр спецификации
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Обеспеченные кредиты
 DocType: Purchase Invoice,Edit Posting Date and Time,Изменить дату и время публикации
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Пожалуйста, установите Амортизация соответствующих счетов в Asset Категория {0} или компании {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Пожалуйста, установите Амортизация соответствующих счетов в Asset Категория {0} или компании {1}"
 DocType: Lab Test Groups,Normal Range,Нормальный диапазон
 DocType: Academic Term,Academic Year,Учебный год
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Доступные продажи
@@ -4489,26 +4543,26 @@
 DocType: Patient Appointment,Patient Appointment,Назначение пациента
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к"
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Отказаться от этой Email Дайджест
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Получить поставщиков по
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Получить поставщиков по
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} не найден для продукта {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Перейти на курсы
 DocType: Accounts Settings,Show Inclusive Tax In Print,Показать Включенный налог в печать
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Банковский счет, с даты и до даты, являются обязательными"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Сообщение отправлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,"Счет с дочерних узлов, не может быть установлен как книгу"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,"Счет с дочерних узлов, не может быть установлен как книгу"
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Курс по которому валюта Прайс листа конвертируется в базовую валюту покупателя
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Чистая сумма (валюта Компании)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Общая сумма аванса не может превышать общую сумму санкций
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Общая сумма аванса не может превышать общую сумму санкций
 DocType: Salary Slip,Hour Rate,Часовой разряд
 DocType: Stock Settings,Item Naming By,Наименование продукта по
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Другой Период Окончание Вступление {0} был сделан после {1}
 DocType: Work Order,Material Transferred for Manufacturing,Материал переведен на Производство
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Счет {0} не существует
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Выберите программу лояльности
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Выберите программу лояльности
 DocType: Project,Project Type,Тип проекта
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Для этой задачи существует дочерняя задача. Вы не можете удалить эту задачу.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Либо целевой Количество или целевое количество является обязательным.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Либо целевой Количество или целевое количество является обязательным.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Стоимость различных видов деятельности
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Настройка событий для {0}, так как работник прилагается к ниже продавцы не имеют идентификатор пользователя {1}"
 DocType: Timesheet,Billing Details,Платежные реквизиты
@@ -4566,13 +4620,13 @@
 DocType: Inpatient Record,A Negative,Отрицательно
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ничего больше не показывать.
 DocType: Lead,From Customer,От клиента
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Звонки
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Звонки
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Продукт
 DocType: Employee Tax Exemption Declaration,Declarations,Объявления
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Порции
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Сделать расписание
 DocType: Purchase Order Item Supplied,Stock UOM,Единица измерения запасов
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Заказ на закупку {0} не проведен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Заказ на закупку {0} не проведен
 DocType: Account,Expenses Included In Asset Valuation,"Расходы, включенные в оценку активов"
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Нормальный диапазон задания для взрослого составляет 16-20 вдохов / мин (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Тарифный номер
@@ -4585,6 +4639,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Сначала сохраните пациента
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Зрители были успешно отмечены.
 DocType: Program Enrollment,Public Transport,Общественный транспорт
+DocType: Delivery Note,GST Vehicle Type,Тип транспортного средства GST
 DocType: Soil Texture,Silt Composition (%),Состав ила (%)
 DocType: Journal Entry,Remark,Примечание
 DocType: Healthcare Settings,Avoid Confirmation,Избегайте подтверждения
@@ -4594,11 +4649,10 @@
 DocType: Education Settings,Current Academic Term,Текущий академический семестр
 DocType: Education Settings,Current Academic Term,Текущий академический семестр
 DocType: Sales Order,Not Billed,Счета не выставленны
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Оба Склад должены принадлежать одной Компании
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Оба Склад должены принадлежать одной Компании
 DocType: Employee Grade,Default Leave Policy,Политика по умолчанию
 DocType: Shopify Settings,Shop URL,URL магазина
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Нет контактов Пока еще не добавлено.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Пожалуйста, установите серию нумерации для участия через Setup&gt; Numbering Series"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Земельные стоимости путевки сумма
 ,Item Balance (Simple),Остаток продукта (простой)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Платежи Поставщикам
@@ -4623,7 +4677,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Цитата серии
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Продукт с именем ({0}) существует. Пожалуйста, измените название продуктовой группы или продукта."
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Критерии оценки почвы
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,"Пожалуйста, выберите клиента"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,"Пожалуйста, выберите клиента"
 DocType: C-Form,I,Я
 DocType: Company,Asset Depreciation Cost Center,Центр Амортизация Стоимость активов
 DocType: Production Plan Sales Order,Sales Order Date,Дата Заказа клиента
@@ -4636,8 +4690,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Сейчас нет доступного запаса на складах
 ,Payment Period Based On Invoice Date,Оплата период на основе Накладная Дата
 DocType: Sample Collection,No. of print,Номер печати
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,День рождения
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Бронирование номера в гостинице
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Пропавших без вести Курсы валют на {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Пропавших без вести Курсы валют на {0}
 DocType: Employee Health Insurance,Health Insurance Name,Название медицинского страхования
 DocType: Assessment Plan,Examiner,экзаменатор
 DocType: Student,Siblings,Братья и сестры
@@ -4654,19 +4709,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Новые клиенты
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Валовая Прибыль%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Назначение {0} и счет-фактура продажи {1} отменены
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Возможности по источникам свинца
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Изменить профиль POS
 DocType: Bank Reconciliation Detail,Clearance Date,Клиренс Дата
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Атрибут уже существует против элемента {0}, вы не можете изменить серийный номер без значения"
+DocType: Delivery Settings,Dispatch Notification Template,Шаблон уведомления об отправке
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Атрибут уже существует против элемента {0}, вы не можете изменить серийный номер без значения"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Отчет об оценке
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Получить сотрудников
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Валовая сумма покупки является обязательным
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Название компании не одинаково
 DocType: Lead,Address Desc,Адрес по убыванию
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Партия является обязательным
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Были найдены строки с повторяющимися датами в других строках: {list}
 DocType: Topic,Topic Name,Название темы
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Пожалуйста, установите шаблон по умолчанию для уведомления об утверждении по уходу в настройках HR."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Пожалуйста, установите шаблон по умолчанию для уведомления об утверждении по уходу в настройках HR."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,По крайней мере один из продажи или покупки должен быть выбран
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Выберите сотрудника, чтобы получить работу сотрудника."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Пожалуйста выберите правильную дату
@@ -4700,6 +4756,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Детали по Заказчику или Поставщику
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Текущая стоимость актива
+DocType: QuickBooks Migrator,Quickbooks Company ID,Идентификатор компании Quickbooks
 DocType: Travel Request,Travel Funding,Финансирование путешествия
 DocType: Loan Application,Required by Date,Требуется Дата
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Ссылка на все Местоположения в который растет Урожай
@@ -4713,9 +4770,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Доступные Пакетная Кол-во на со склада
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Итого Вычет - Погашение кредита
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,"Текущий спецификации и Нью-BOM не может быть таким же,"
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,"Текущий спецификации и Нью-BOM не может быть таким же,"
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Зарплата скольжения ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Несколько вариантов
 DocType: Sales Invoice,Against Income Account,Со счета доходов
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% доставлено
@@ -4744,7 +4801,7 @@
 DocType: POS Profile,Update Stock,Обновить склад
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Различные единицы измерения (ЕИ) продуктов приведут к некорректному (общему) значению массы нетто. Убедитесь, что вес нетто каждого продукта находится в одной ЕИ."
 DocType: Certification Application,Payment Details,Детали оплаты
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Цена спецификации
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Цена спецификации
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Прекращенный рабочий заказ не может быть отменен, отмените его сначала, чтобы отменить"
 DocType: Asset,Journal Entry for Scrap,Запись в журнале для лома
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Пожалуйста вытяните продукты из транспортной накладной
@@ -4767,11 +4824,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Всего Санкционированный Количество
 ,Purchase Analytics,Аналитика поставок
 DocType: Sales Invoice Item,Delivery Note Item,Доставляемый продукт
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Текущий счет-фактура {0} отсутствует
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Текущий счет-фактура {0} отсутствует
 DocType: Asset Maintenance Log,Task,Задача
 DocType: Purchase Taxes and Charges,Reference Row #,Ссылка строка #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Номер партии является обязательным для продукта {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Это корень продавец и не могут быть изменены.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Это корень продавец и не могут быть изменены.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Если выбрано, значение, указанное или рассчитанное в этом компоненте, не будет вносить свой вклад в доходы или вычеты. Однако на его ценность могут ссылаться другие компоненты, которые могут быть добавлены или вычтены."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Если выбрано, значение, указанное или рассчитанное в этом компоненте, не будет вносить свой вклад в доходы или вычеты. Однако на его ценность могут ссылаться другие компоненты, которые могут быть добавлены или вычтены."
 DocType: Asset Settings,Number of Days in Fiscal Year,Количество дней в финансовом году
@@ -4780,7 +4837,7 @@
 DocType: Company,Exchange Gain / Loss Account,Обмен Прибыль / убытках
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Сотрудники и посещаемость
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Цель должна быть одна из {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Цель должна быть одна из {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Заполните и сохранить форму
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Форум
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Количество штук в наличии
@@ -4796,7 +4853,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Стандартная ставка продажи
 DocType: Account,Rate at which this tax is applied,Курс по которому этот налог применяется
 DocType: Cash Flow Mapper,Section Name,Название раздела
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Изменить порядок Кол-во
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Изменить порядок Кол-во
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Строка амортизации {0}: ожидаемое значение после полезного срока службы должно быть больше или равно {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Текущие вакансии Вакансии
 DocType: Company,Stock Adjustment Account,Регулирование счета запасов
@@ -4806,8 +4863,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Система Пользователь (Войти) ID. Если установлено, то это станет по умолчанию для всех форм HR."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Введите данные об амортизации
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: От {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Оставить заявку {0} уже существует против ученика {1}
 DocType: Task,depends_on,зависит от
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очередь для обновления последней цены во всех Биллях материалов. Это может занять несколько минут.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очередь для обновления последней цены во всех Биллях материалов. Это может занять несколько минут.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Название нового счёта. Примечание: Пожалуйста, не создавайте счета для клиентов и поставщиков"
 DocType: POS Profile,Display Items In Stock,Показать элементы на складе
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Шаблоны Страна мудрый адрес по умолчанию
@@ -4837,16 +4895,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Слоты для {0} не добавляются в расписание
 DocType: Product Bundle,List items that form the package.,"Список продуктов, которые формируют пакет"
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Не разрешено. Отключите тестовый шаблон
+DocType: Delivery Note,Distance (in km),Расстояние (в км)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Пожалуйста, выберите Дата публикации, прежде чем выбрать партию"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Пожалуйста, выберите Дата публикации, прежде чем выбрать партию"
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Из КУА
+DocType: Opportunity,Opportunity Amount,Количество возможностей
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Количество не Забронированный отчислений на амортизацию может быть больше, чем Общее количество отчислений на амортизацию"
 DocType: Purchase Order,Order Confirmation Date,Дата подтверждения заказа
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Сделать ОБСЛУЖИВАНИЕ Посетите
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Дата начала и дата окончания совпадают с картой задания <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Сведения о переводе сотрудников
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Свяжитесь с нами для пользователя, который имеет в продаже Master Менеджер {0} роль"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Свяжитесь с нами для пользователя, который имеет в продаже Master Менеджер {0} роль"
 DocType: Company,Default Cash Account,Расчетный счет по умолчанию
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Компания (не клиента или поставщика) хозяин.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Это основано на посещаемости этого студента
@@ -4854,9 +4915,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Добавить ещё продукты или открыть полную форму
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Перейти к Пользователям
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Оплаченная сумма + сумма списания не могут быть больше общего итога
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Оплаченная сумма + сумма списания не могут быть больше общего итога
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} недопустимый номер партии для продукта {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Недопустимый GSTIN или введите NA для незарегистрированных
 DocType: Training Event,Seminar,Семинар
 DocType: Program Enrollment Fee,Program Enrollment Fee,Программа Зачисление Плата
@@ -4873,7 +4934,7 @@
 DocType: Fee Schedule,Fee Schedule,График оплат
 DocType: Company,Create Chart Of Accounts Based On,"Создание плана счетов бухгалтерского учета, основанные на"
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Невозможно преобразовать его в не-группу. Существуют детские задачи.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,"Дата рождения не может быть больше, чем сегодня."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,"Дата рождения не может быть больше, чем сегодня."
 ,Stock Ageing,Старые запасы (Неликвиды)
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Частично спонсируется, требует частичного финансирования"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} существует против студента заявителя {1}
@@ -4920,11 +4981,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Перед примирения
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Для {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Налоги и сборы Добавил (Компания Валюта)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная
 DocType: Sales Order,Partly Billed,Выставлены счет(а) частично
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Пункт {0} должен быть Fixed Asset Item
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Сделать модификации
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Сделать модификации
 DocType: Item,Default BOM,По умолчанию BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Общая сумма выставленных счетов (через счета-фактуры)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Сумма дебетовой ноты
@@ -4953,13 +5014,13 @@
 DocType: Notification Control,Custom Message,Текст сообщения
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Инвестиционно-банковская деятельность
 DocType: Purchase Invoice,input,вход
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
 DocType: Loyalty Program,Multiple Tier Program,Программа с несколькими уровнями
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Адрес студента
 DocType: Purchase Invoice,Price List Exchange Rate,Прайс-лист валютный курс
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Все группы поставщиков
 DocType: Employee Boarding Activity,Required for Employee Creation,Требуется для создания сотрудников
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},"Номер счета {0}, уже использованный в учетной записи {1}"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},"Номер счета {0}, уже использованный в учетной записи {1}"
 DocType: GoCardless Mandate,Mandate,мандат
 DocType: POS Profile,POS Profile Name,Название профиля POS
 DocType: Hotel Room Reservation,Booked,бронирования
@@ -4975,18 +5036,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Ссылка № является обязательным, если вы ввели Исходной дате"
 DocType: Bank Reconciliation Detail,Payment Document,Платежный документ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Ошибка оценки формулы критериев
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Дата Присоединение должно быть больше Дата рождения
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Дата Присоединение должно быть больше Дата рождения
 DocType: Subscription,Plans,планы
 DocType: Salary Slip,Salary Structure,Зарплата Структура
 DocType: Account,Bank,Банк:
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Авиалиния
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Запрос на материал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Запрос на материал
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Подключить Shopify с помощью ERPNext
 DocType: Material Request Item,For Warehouse,Для Склада
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Примечания к доставке {0} обновлены
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Примечания к доставке {0} обновлены
 DocType: Employee,Offer Date,Дата предложения
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Цитаты
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Вы находитесь в автономном режиме. Вы не сможете обновить без подключения к сети.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Цитаты
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Вы находитесь в автономном режиме. Вы не сможете обновить без подключения к сети.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Ни один студент группы не создано.
 DocType: Purchase Invoice Item,Serial No,Серийный номер
@@ -4998,24 +5059,26 @@
 DocType: Sales Invoice,Customer PO Details,Детали заказа клиента
 DocType: Stock Entry,Including items for sub assemblies,В том числе предметы для суб собраний
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Временный вступительный счет
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Введите значение должно быть положительным
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Введите значение должно быть положительным
 DocType: Asset,Finance Books,Финансовая литература
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Декларация об освобождении от налога с сотрудников
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Все Территории
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Укажите политику отпуска сотрудника {0} в записи Employee / Grade
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Недействительный заказ на одеяло для выбранного клиента и предмета
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Недействительный заказ на одеяло для выбранного клиента и предмета
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Добавить несколько задач
 DocType: Purchase Invoice,Items,Продукты
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Дата окончания не может быть до даты начала.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Студент уже поступил.
 DocType: Fiscal Year,Year Name,Год
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,"Есть больше праздников, чем рабочих дней в этом месяце."
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,"Есть больше праздников, чем рабочих дней в этом месяце."
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Следующие элементы {0} не помечены как {1}. Вы можете включить их как {1} из своего элемента
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Продукт Связка товара
 DocType: Sales Partner,Sales Partner Name,Имя Партнера по продажам
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Запрос на предложения
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Запрос на предложения
 DocType: Payment Reconciliation,Maximum Invoice Amount,Максимальная Сумма счета
 DocType: Normal Test Items,Normal Test Items,Обычные тестовые продукты
+DocType: QuickBooks Migrator,Company Settings,Настройки компании
 DocType: Additional Salary,Overwrite Salary Structure Amount,Перезаписать сумму заработной платы
 DocType: Student Language,Student Language,Student Язык
 apps/erpnext/erpnext/config/selling.py +23,Customers,Клиенты
@@ -5028,22 +5091,24 @@
 DocType: Issue,Opening Time,Открытие Время
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,"От и До даты, необходимых"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Фондовые и товарные биржи
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"По умолчанию Единица измерения для варианта &#39;{0}&#39; должно быть такой же, как в шаблоне &#39;{1}&#39;"
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"По умолчанию Единица измерения для варианта &#39;{0}&#39; должно быть такой же, как в шаблоне &#39;{1}&#39;"
 DocType: Shipping Rule,Calculate Based On,Рассчитать на основе
 DocType: Contract,Unfulfilled,невыполненный
 DocType: Delivery Note Item,From Warehouse,От Склад
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Нет сотрудников по указанным критериям
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Нет предметов с Биллом материалов не Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Нет предметов с Биллом материалов не Manufacture
 DocType: Shopify Settings,Default Customer,Клиент по умолчанию
+DocType: Sales Stage,Stage Name,Сценический псевдоним
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-ПРПЖД-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Имя супервизора
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Не подтверждайте, назначено ли назначение на тот же день"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Корабль в штат
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Корабль в штат
 DocType: Program Enrollment Course,Program Enrollment Course,Курсы по зачислению в программу
 DocType: Program Enrollment Course,Program Enrollment Course,Курсы по зачислению в программу
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Пользователь {0} уже назначен специалисту по здравоохранению {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Сделать запись запаса образца
 DocType: Purchase Taxes and Charges,Valuation and Total,Оценка и Всего
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Переговоры / Обзор
 DocType: Leave Encashment,Encashment Amount,Сумма инкассации
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Истекшие партии
@@ -5053,7 +5118,7 @@
 DocType: Staffing Plan Detail,Current Openings,Текущие открытия
 DocType: Notification Control,Customize the Notification,Настроить уведомления
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Поток денежных средств от операций
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Значение
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Значение
 DocType: Purchase Invoice,Shipping Rule,Правило доставки
 DocType: Patient Relation,Spouse,супруга
 DocType: Lab Test Groups,Add Test,Добавить тест
@@ -5067,14 +5132,14 @@
 DocType: Payroll Entry,Payroll Frequency,Расчет заработной платы Частота
 DocType: Lab Test Template,Sensitivity,чувствительность
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Синхронизация временно отключена, поскольку превышены максимальные повторные попытки"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Сырьё
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Сырьё
 DocType: Leave Application,Follow via Email,Следить по электронной почте
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Растения и Механизмов
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сумма налога После скидка сумма
 DocType: Patient,Inpatient Status,Состояние стационара
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ежедневные Настройки работы Резюме
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Выбранный прейскурант должен иметь поля для покупки и продажи.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,"Пожалуйста, введите Reqd by Date"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Выбранный прейскурант должен иметь поля для покупки и продажи.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,"Пожалуйста, введите Reqd by Date"
 DocType: Payment Entry,Internal Transfer,Внутренний трансфер
 DocType: Asset Maintenance,Maintenance Tasks,Задачи обслуживания
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Либо целевой Количество или целевое количество является обязательным
@@ -5096,7 +5161,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последнее сообщение
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последнее сообщение
 ,TDS Payable Monthly,TDS Payable Monthly
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Очередь на замену спецификации. Это может занять несколько минут.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Очередь на замену спецификации. Это может занять несколько минут.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть, когда категория для ""Оценка"" или ""Оценка и Всего"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Требуются серийные номера для серийного продукта {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Соответствие Платежи с счетов-фактур
@@ -5109,7 +5174,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Добавить в корзину
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Group By
 DocType: Guardian,Interests,интересы
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Включение / отключение валюты.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Включение / отключение валюты.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Не удалось подтвердить некоторые зарплатные листки
 DocType: Exchange Rate Revaluation,Get Entries,Получить записи
 DocType: Production Plan,Get Material Request,Получить заявку на материал
@@ -5131,15 +5196,16 @@
 DocType: Lead,Lead Type,Тип лида
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Вы не уполномочен утверждать листья на Блок Сроки
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,На все эти продукты уже выписаны счета
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Установите новую дату выпуска
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Установите новую дату выпуска
 DocType: Company,Monthly Sales Target,Месячная цель продаж
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Может быть одобрено {0}
 DocType: Hotel Room,Hotel Room Type,Типы номеров
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Поставщик&gt; Тип поставщика
 DocType: Leave Allocation,Leave Period,Период отпуска
 DocType: Item,Default Material Request Type,Тип заявки на материал по умолчанию
 DocType: Supplier Scorecard,Evaluation Period,Период оценки
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,неизвестный
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Рабочий заказ не создан
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Рабочий заказ не создан
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Количество {0}, уже заявленное для компонента {1}, \ задает величину, равную или превышающую {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Правило перевозки груза
@@ -5174,15 +5240,15 @@
 DocType: Batch,Source Document Name,Имя исходного документа
 DocType: Production Plan,Get Raw Materials For Production,Получить сырье для производства
 DocType: Job Opening,Job Title,Должность
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} указывает, что {1} не будет предоставлять котировку, но все позиции \ были указаны. Обновление статуса котировки RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимальные образцы - {0} уже сохранены для Batch {1} и Item {2} в пакете {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимальные образцы - {0} уже сохранены для Batch {1} и Item {2} в пакете {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Автоматическое обновление стоимости спецификации
 DocType: Lab Test,Test Name,Имя теста
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Расходный материал для клинической процедуры
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Создание пользователей
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,грамм
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Подписки
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Подписки
 DocType: Supplier Scorecard,Per Month,В месяц
 DocType: Education Settings,Make Academic Term Mandatory,Сделать академический срок обязательным
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,"Количество, Изготовление должны быть больше, чем 0."
@@ -5191,10 +5257,10 @@
 DocType: Stock Entry,Update Rate and Availability,Скорость обновления и доступность
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Процент вы имеете право принимать или сдавать более против заказанного количества. Например: Если Вы заказали 100 единиц. и ваш Пособие 10%, то вы имеете право на получение 110 единиц."
 DocType: Loyalty Program,Customer Group,Группа клиентов
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Строка # {0}: операция {1} не завершена для {2} количества готовой продукции в Рабочем заказе № {3}. Обновите статус операции с помощью журналов времени
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Строка # {0}: операция {1} не завершена для {2} количества готовой продукции в Рабочем заказе № {3}. Обновите статус операции с помощью журналов времени
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Новый идентификатор партии (необязательно)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Новый идентификатор партии (необязательно)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0}
 DocType: BOM,Website Description,Описание
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Чистое изменение в капитале
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,"Пожалуйста, отменить счета покупки {0} первым"
@@ -5209,7 +5275,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,"Там нет ничего, чтобы изменить."
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Просмотр формы
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,"Утверждение о расходах, обязательный для покрытия расходов"
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Резюме для этого месяца и в ожидании деятельности
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Резюме для этого месяца и в ожидании деятельности
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Установите Unrealized Exchange Gain / Loss Account в компании {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Добавьте пользователей в свою организацию, кроме вас."
 DocType: Customer Group,Customer Group Name,Группа Имя клиента
@@ -5219,14 +5285,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Нет созданных заявок на материал
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Сумма кредита не может превышать максимальный Сумма кредита {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Лицензия
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Пожалуйста, удалите этот счет {0} из C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Пожалуйста, удалите этот счет {0} из C-Form {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Пожалуйста, выберите переносить, если вы также хотите включить баланс предыдущего финансового года оставляет в этом финансовом году"
 DocType: GL Entry,Against Voucher Type,Против Сертификаты Тип
 DocType: Healthcare Practitioner,Phone (R),Телефон (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Добавлены временные интервалы
 DocType: Item,Attributes,Атрибуты
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Включить шаблон
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Пожалуйста, введите списать счет"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Пожалуйста, введите списать счет"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последняя дата заказа
 DocType: Salary Component,Is Payable,Подлежит оплате
 DocType: Inpatient Record,B Negative,В Негативный
@@ -5237,7 +5303,7 @@
 DocType: Hotel Room,Hotel Room,Номер в отеле
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Счет {0} не принадлежит компании {1}
 DocType: Leave Type,Rounding,округление
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Серийные номера в строке {0} не совпадают с полем «Поставка»
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Серийные номера в строке {0} не совпадают с полем «Поставка»
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Распределенная сумма (про-рейтинг)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Затем Правила ценообразования отфильтровываются на основе Клиента, Группы клиентов, Территории, Поставщика, Группы поставщиков, Кампании, Партнера по продажам и т. Д."
 DocType: Student,Guardian Details,Подробнее Гардиан
@@ -5246,10 +5312,10 @@
 DocType: Vehicle,Chassis No,Шасси Нет
 DocType: Payment Request,Initiated,По инициативе
 DocType: Production Plan Item,Planned Start Date,Планируемая дата начала
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Выберите спецификацию
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Выберите спецификацию
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Доступный Интегрированный налог МТЦ
 DocType: Purchase Order Item,Blanket Order Rate,Стоимость заказа на одеяло
-apps/erpnext/erpnext/hooks.py +156,Certification,сертификация
+apps/erpnext/erpnext/hooks.py +157,Certification,сертификация
 DocType: Bank Guarantee,Clauses and Conditions,Положения и условия
 DocType: Serial No,Creation Document Type,Создание типа документа
 DocType: Project Task,View Timesheet,Просмотр табеля
@@ -5274,6 +5340,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Родитель товара {0} не должны быть со пункт
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Список сайтов
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Все продукты или услуги.
+DocType: Email Digest,Open Quotations,Открытые котировки
 DocType: Expense Claim,More Details,Больше параметров
 DocType: Supplier Quotation,Supplier Address,Адрес поставщика
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет по Счету {1} для {2} {3} составляет {4}. Он будет израсходован к {5}
@@ -5288,12 +5355,11 @@
 DocType: Training Event,Exam,Экзамен
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Ошибка рынка
 DocType: Complaint,Complaint,жалоба
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Требуется Склад для Запаса {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Требуется Склад для Запаса {0}
 DocType: Leave Allocation,Unused leaves,Неиспользованные листья
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Сделать заявку на погашение
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Все отделы
 DocType: Healthcare Service Unit,Vacant,вакантный
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Поставщик&gt; Тип поставщика
 DocType: Patient,Alcohol Past Use,Использование алкоголя в прошлом
 DocType: Fertilizer Content,Fertilizer Content,Содержание удобрений
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5301,7 +5367,7 @@
 DocType: Tax Rule,Billing State,Государственный счетов
 DocType: Share Transfer,Transfer,Переложить
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Рабочий заказ {0} должен быть отменен до отмены этого заказа клиента
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch разобранном BOM (в том числе узлов)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch разобранном BOM (в том числе узлов)
 DocType: Authorization Rule,Applicable To (Employee),Применимо к (Сотрудник)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Благодаря Дата является обязательным
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Прирост за атрибут {0} не может быть 0
@@ -5317,7 +5383,7 @@
 DocType: Disease,Treatment Period,Период лечения
 DocType: Travel Itinerary,Travel Itinerary,Маршрут путешествия
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Результат уже отправлен
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Зарезервировано Склад обязателен для товара {0} в поставляемых сырьевых материалах
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Зарезервировано Склад обязателен для товара {0} в поставляемых сырьевых материалах
 ,Inactive Customers,Неактивные клиенты
 DocType: Student Admission Program,Maximum Age,Максимальный возраст
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Подождите 3 дня перед отправкой напоминания.
@@ -5326,7 +5392,6 @@
 DocType: Stock Entry,Delivery Note No,Документ  Отгрузки №
 DocType: Cheque Print Template,Message to show,"Сообщение, чтобы показать"
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Розничная торговля
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Автоматическое автоматическое оформление счета-фактуры
 DocType: Student Attendance,Absent,Отсутствует
 DocType: Staffing Plan,Staffing Plan Detail,Детальный план кадрового обеспечения
 DocType: Employee Promotion,Promotion Date,Дата акции
@@ -5348,7 +5413,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Создать лид
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Печать и канцелярские
 DocType: Stock Settings,Show Barcode Field,Показать поле штрих-кода
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Отправить Поставщик электронных писем
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Отправить Поставщик электронных писем
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Зарплата уже обработали за период между {0} и {1}, Оставьте период применения не может быть в пределах этого диапазона дат."
 DocType: Fiscal Year,Auto Created,Автосоздан
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Отправьте это, чтобы создать запись сотрудника"
@@ -5357,7 +5422,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Счет-фактура {0} больше не существует
 DocType: Guardian Interest,Guardian Interest,Опекун Проценты
 DocType: Volunteer,Availability,Доступность
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Настройка значений по умолчанию для счетов-фактур POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Настройка значений по умолчанию для счетов-фактур POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Обучение
 DocType: Project,Time to send,Время отправки
 DocType: Timesheet,Employee Detail,Сотрудник Деталь
@@ -5381,7 +5446,7 @@
 DocType: Training Event Employee,Optional,Необязательный
 DocType: Salary Slip,Earning & Deduction,Заработок & Вычет
 DocType: Agriculture Analysis Criteria,Water Analysis,Анализ воды
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Созданы варианты {0}.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Созданы варианты {0}.
 DocType: Amazon MWS Settings,Region,Область
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Факультативно. Эта установка будет использоваться для фильтрации в различных сделок.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Отрицательный Оценка курс не допускается
@@ -5400,7 +5465,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Стоимость списанных активов
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: МВЗ является обязательным для позиции {2}
 DocType: Vehicle,Policy No,Политика Нет
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Получить продукты из продуктового набора
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Получить продукты из продуктового набора
 DocType: Asset,Straight Line,Прямая линия
 DocType: Project User,Project User,Пользователь проекта
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Трещина
@@ -5408,7 +5473,7 @@
 DocType: GL Entry,Is Advance,Является Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Жизненный цикл сотрудников
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,"""Начало учетного периода"" и ""Конец учетного периода"" обязательны к заполнению"
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите 'Является субподряду "", как Да или Нет"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите 'Является субподряду "", как Да или Нет"
 DocType: Item,Default Purchase Unit of Measure,Единица измерения по умолчанию
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Дата последнего общения
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Дата последнего общения
@@ -5418,7 +5483,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Недопустимый токен доступа или URL-адрес Shopify
 DocType: Location,Latitude,широта
 DocType: Work Order,Scrap Warehouse,Лом Склад
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Требуется хранилище в строке «Нет» {0}, пожалуйста, установите для хранилища по умолчанию для товара {1} для компании {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Требуется хранилище в строке «Нет» {0}, пожалуйста, установите для хранилища по умолчанию для товара {1} для компании {2}"
 DocType: Work Order,Check if material transfer entry is not required,"Проверьте, не требуется ли запись материала"
 DocType: Work Order,Check if material transfer entry is not required,"Проверьте, не требуется ли запись материала"
 DocType: Program Enrollment Tool,Get Students From,Получить студентов из
@@ -5435,6 +5500,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Новое количество партий
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Одежда и аксессуары
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Не удалось решить функцию взвешенного балла. Убедитесь, что формула действительна."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Элементы заказа на поставку не принимаются вовремя
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Номер заказа
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Баннер который будет отображаться в верхней части списка продуктов.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Укажите условия для расчета суммы доставки
@@ -5443,9 +5509,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Дорожка
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге, как это имеет дочерние узлы"
 DocType: Production Plan,Total Planned Qty,Общее количество запланированных
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Начальное значение
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Начальное значение
 DocType: Salary Component,Formula,формула
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Шаблон лабораторных тестов
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Сбыт
 DocType: Purchase Invoice Item,Total Weight,Общий вес
@@ -5463,7 +5529,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Создать запрос на материал
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Открыть продукт {0}
 DocType: Asset Finance Book,Written Down Value,Списанная стоимость
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Пожалуйста, настройте систему имен пользователей в человеческих ресурсах&gt; Настройки персонажа"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменен до отмены этого Заказа клиента
 DocType: Clinical Procedure,Age,Возраст
 DocType: Sales Invoice Timesheet,Billing Amount,Биллинг Сумма
@@ -5472,11 +5537,11 @@
 DocType: Company,Default Employee Advance Account,Default Advance Account
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Пункт поиска (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Счет с существующими проводками не может быть удален
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Счет с существующими проводками не может быть удален
 DocType: Vehicle,Last Carbon Check,Последний Carbon Проверить
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Судебные издержки
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Выберите количество в строке
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Сделать открытие счетов-фактур на покупку и покупку
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Сделать открытие счетов-фактур на покупку и покупку
 DocType: Purchase Invoice,Posting Time,Время публикации
 DocType: Timesheet,% Amount Billed,% Сумма счета
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Телефон Расходы
@@ -5491,14 +5556,14 @@
 DocType: Maintenance Visit,Breakdown,Разбивка
 DocType: Travel Itinerary,Vegetarian,вегетарианец
 DocType: Patient Encounter,Encounter Date,Дата встречи
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Счет: {0} с валютой: {1} не может быть выбран
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Счет: {0} с валютой: {1} не может быть выбран
 DocType: Bank Statement Transaction Settings Item,Bank Data,Банковские данные
 DocType: Purchase Receipt Item,Sample Quantity,Количество образцов
 DocType: Bank Guarantee,Name of Beneficiary,Имя получателя
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Автоматически обновлять стоимость спецификации через Планировщик, исходя из последней оценки / курса прейскуранта / последней покупки сырья."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Чек Дата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Счет {0}: Родитель счета {1} не принадлежит компании: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Счет {0}: Родитель счета {1} не принадлежит компании: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,"Успешно удален все сделки, связанные с этой компанией!"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,По состоянию на Дату
 DocType: Additional Salary,HR,HR
@@ -5506,7 +5571,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Оповещения SMS для пациентов
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Испытательный срок
 DocType: Program Enrollment Tool,New Academic Year,Новый учебный год
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Возвращение / Кредит Примечание
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Возвращение / Кредит Примечание
 DocType: Stock Settings,Auto insert Price List rate if missing,Автоматическая вставка прайс - листа при отсутствии цены
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Всего уплаченной суммы
 DocType: GST Settings,B2C Limit,Ограничение B2C
@@ -5524,10 +5589,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дочерние узлы могут быть созданы только в узлах типа &quot;Группа&quot;
 DocType: Attendance Request,Half Day Date,Полдня Дата
 DocType: Academic Year,Academic Year Name,Название учебного года
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} не разрешено совершать транзакции с {1}. Измените компанию.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} не разрешено совершать транзакции с {1}. Измените компанию.
 DocType: Sales Partner,Contact Desc,Связаться Описание изделия
 DocType: Email Digest,Send regular summary reports via Email.,Отправить регулярные сводные отчеты по электронной почте.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Пожалуйста, установите учетную запись по умолчанию для Типа Авансового Отчета {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Пожалуйста, установите учетную запись по умолчанию для Типа Авансового Отчета {0}"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Доступные листья
 DocType: Assessment Result,Student Name,Имя ученика
 DocType: Hub Tracked Item,Item Manager,Менеджер продукта
@@ -5552,9 +5617,10 @@
 DocType: Subscription,Trial Period End Date,Дата окончания пробного периода
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы
 DocType: Serial No,Asset Status,Состояние активов
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Over Dimensional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Стол для ресторанов
 DocType: Hotel Room,Hotel Manager,Менеджер отеля
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Установите Налоговый Правило корзине
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Установите Налоговый Правило корзине
 DocType: Purchase Invoice,Taxes and Charges Added,Налоги и сборы добавлены
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,"Строка амортизации {0}: следующая дата амортизации не может быть до даты, доступной для использования"
 ,Sales Funnel,Воронка продаж
@@ -5570,10 +5636,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Все группы клиентов
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Накопленный в месяц
 DocType: Attendance Request,On Duty,На службе
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} является обязательным. Может быть, запись Обмен валюты не создана для {1} по {2}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} является обязательным. Может быть, запись Обмен валюты не создана для {1} по {2}."
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Кадровый план {0} уже существует для обозначения {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Налоговый шаблона является обязательным.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Счет {0}: Родитель счета {1} не существует
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Счет {0}: Родитель счета {1} не существует
 DocType: POS Closing Voucher,Period Start Date,Дата начала периода
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Прайс-лист Тариф (Компания Валюта)
 DocType: Products Settings,Products Settings,Настройки Продукты
@@ -5593,7 +5659,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Это действие остановит будущий биллинг. Вы действительно хотите отменить эту подписку?
 DocType: Serial No,Distinct unit of an Item,Отдельного подразделения из пункта
 DocType: Supplier Scorecard Criteria,Criteria Name,Название критерия
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Укажите компанию
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Укажите компанию
 DocType: Procedure Prescription,Procedure Created,Процедура создана
 DocType: Pricing Rule,Buying,Покупка
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Болезни и удобрения
@@ -5610,29 +5676,30 @@
 DocType: Employee Onboarding,Job Offer,Предложение работы
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,институт Аббревиатура
 ,Item-wise Price List Rate,Цена продукта в прайс-листе
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Запрос Поставщику
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Запрос Поставщику
 DocType: Quotation,In Words will be visible once you save the Quotation.,По словам будет виден только вы сохраните цитаты.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Количество ({0}) не может быть дробью в строке {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Количество ({0}) не может быть дробью в строке {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Количество ({0}) не может быть дробью в строке {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Количество ({0}) не может быть дробью в строке {1}
 DocType: Contract,Unsigned,неподписанный
 DocType: Selling Settings,Each Transaction,Каждая транзакция
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Штрихкод {0} уже используется для продукта {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Штрихкод {0} уже используется для продукта {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для добавления стоимости доставки.
 DocType: Hotel Room,Extra Bed Capacity,Дополнительная кровать
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Начальный запас
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Требуется клиентов
 DocType: Lab Test,Result Date,Дата результата
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Дата PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Дата PDC / LC
 DocType: Purchase Order,To Receive,Получить
 DocType: Leave Period,Holiday List for Optional Leave,Список праздников для дополнительного отпуска
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Владелец актива
 DocType: Purchase Invoice,Reason For Putting On Hold,Причина удержания
 DocType: Employee,Personal Email,Личная E-mail
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Общей дисперсии
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Общей дисперсии
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Если включен, то система будет отправлять бухгалтерских проводок для инвентаризации автоматически."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Посредничество
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Участие для работника {0} уже помечено на этот день
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Участие для работника {0} уже помечено на этот день
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","в минутах 
  Обновлено помощью ""Time Вход"""
@@ -5640,14 +5707,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Синхронные заказы
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,"Заказы, выпущенные для производства."
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Выберите финансовый год ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,"POS-профиля требуется, чтобы сделать запись POS"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,"POS-профиля требуется, чтобы сделать запись POS"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Точки лояльности будут рассчитываться исходя из проведенного (с помощью счета-фактуры) на основе упомянутого коэффициента сбора.
 DocType: Program Enrollment Tool,Enroll Students,зачислить студентов
 DocType: Company,HRA Settings,Настройки HRA
 DocType: Employee Transfer,Transfer Date,Дата передачи
 DocType: Lab Test,Approved Date,Утвержденная дата
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандартный Продажа
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,"По крайней мере, один склад является обязательным"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,"По крайней мере, один склад является обязательным"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Настройте поля элементов, такие как UOM, группа элементов, описание и количество часов."
 DocType: Certification Application,Certification Status,Статус сертификации
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,базарная площадь
@@ -5667,6 +5734,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Сопоставление счетов-фактур
 DocType: Work Order,Required Items,Требуемые товары
 DocType: Stock Ledger Entry,Stock Value Difference,Расхождение Стоимости Запасов
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Элемент Row {0}: {1} {2} не существует в таблице «{1}»
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Кадры
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Оплата Примирение Оплата
 DocType: Disease,Treatment Task,Лечебная задача
@@ -5684,7 +5752,8 @@
 DocType: Account,Debit,Дебет
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Листья должны быть выделены несколько 0,5"
 DocType: Work Order,Operation Cost,Стоимость эксплуатации
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Выдающийся Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,"Определение лиц, принимающих решения"
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Выдающийся Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Задайте цели Продуктовых Групп для Продавца
 DocType: Stock Settings,Freeze Stocks Older Than [Days],"Замороженные запасы старше, чем [Дни]"
 DocType: Payment Request,Payment Ordered,Оплата заказа
@@ -5696,14 +5765,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Разрешить следующие пользователи утвердить Leave приложений для блочных дней.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Жизненный цикл
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Сделать спецификацию
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продажная ставка для продукта {0} ниже его {1}. Продажная ставка должна быть не менее {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продажная ставка для продукта {0} ниже его {1}. Продажная ставка должна быть не менее {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продажная ставка для продукта {0} ниже его {1}. Продажная ставка должна быть не менее {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продажная ставка для продукта {0} ниже его {1}. Продажная ставка должна быть не менее {2}
 DocType: Subscription,Taxes,Налоги
 DocType: Purchase Invoice,capital goods,капитальные товары
 DocType: Purchase Invoice Item,Weight Per Unit,Вес на единицу
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Оплаченные и не доставленные
-DocType: Project,Default Cost Center,По умолчанию Центр Стоимость
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,По умолчанию Центр Стоимость
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Транзакции запасов
 DocType: Budget,Budget Accounts,Счета бюджета
 DocType: Employee,Internal Work History,Внутренняя история Работа
@@ -5736,7 +5804,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Практикующий здравоохранения не доступен в {0}
 DocType: Stock Entry Detail,Additional Cost,Дополнительная стоимость
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Сделать Поставщик цитаты
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Сделать Поставщик цитаты
 DocType: Quality Inspection,Incoming,Входящий
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Создаются шаблоны налогов по умолчанию для продаж и покупки.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Запись результатов оценки {0} уже существует.
@@ -5752,7 +5820,7 @@
 DocType: Batch,Batch ID,ID партии
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Примечание: {0}
 ,Delivery Note Trends,Динамика Накладных
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Резюме этой недели
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Резюме этой недели
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,В наличии Кол-во
 ,Daily Work Summary Replies,Ответы на ежедневную работу
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Рассчитать расчетное время прибытия
@@ -5762,7 +5830,7 @@
 DocType: Bank Account,Party,Партия
 DocType: Healthcare Settings,Patient Name,Имя пациента
 DocType: Variant Field,Variant Field,Поле вариантов
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Целевое местоположение
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Целевое местоположение
 DocType: Sales Order,Delivery Date,Дата поставки
 DocType: Opportunity,Opportunity Date,Возможность Дата
 DocType: Employee,Health Insurance Provider,Поставщик медицинского страхования
@@ -5781,7 +5849,7 @@
 DocType: Employee,History In Company,История в компании
 DocType: Customer,Customer Primary Address,Основной адрес клиента
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Информационная рассылка
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Номер ссылки
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Номер ссылки
 DocType: Drug Prescription,Description/Strength,Описание / Strength
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Создать новую запись о платеже / журнале
 DocType: Certification Application,Certification Application,Приложение для сертификации
@@ -5792,10 +5860,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Тот же пункт был введен несколько раз
 DocType: Department,Leave Block List,Оставьте список есть
 DocType: Purchase Invoice,Tax ID,ИНН
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым
 DocType: Accounts Settings,Accounts Settings,Настройки аккаунта
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Одобрить
 DocType: Loyalty Program,Customer Territory,Территория клиента
+DocType: Email Digest,Sales Orders to Deliver,Заказы на поставку для доставки
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Номер новой учетной записи, она будет включена в имя учетной записи в качестве префикса"
 DocType: Maintenance Team Member,Team Member,Участник команды
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Нет результатов для отправки
@@ -5805,7 +5874,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Всего {0} для всех элементов равно нулю, может быть, вы должны изменить «Распределить плату на основе»"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,"На сегодняшний день не может быть меньше, чем с даты"
 DocType: Opportunity,To Discuss,Для обсуждения
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Это основано на транзакциях с этим подписчиком. См. Ниже подробное описание
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} единиц {1} требуется в {2} для завершения этой транзакции..
 DocType: Loan Type,Rate of Interest (%) Yearly,Процентная ставка (%) Годовой
 DocType: Support Settings,Forum URL,URL форума
@@ -5820,7 +5888,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Выучить больше
 DocType: Cheque Print Template,Distance from top edge,Расстояние от верхнего края
 DocType: POS Closing Voucher Invoices,Quantity of Items,Количество позиций
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Прайс-лист {0} отключен или не существует
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Прайс-лист {0} отключен или не существует
 DocType: Purchase Invoice,Return,Возвращение
 DocType: Pricing Rule,Disable,Отключить
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Способ оплаты требуется произвести оплату
@@ -5828,18 +5896,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Редактируйте на полной странице дополнительные параметры, такие как активы, серийные номера, партии и т. Д."
 DocType: Leave Type,Maximum Continuous Days Applicable,Максимальные непрерывные дни
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} — {1} не зарегистрирован в пакете {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не может быть утилизированы, как это уже {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не может быть утилизированы, как это уже {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Требуется проверка
 DocType: Task,Total Expense Claim (via Expense Claim),Итоговая сумма аванса (через Авансовый Отчет)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Отметка отсутствует
 DocType: Job Applicant Source,Job Applicant Source,Источник заявки
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Сумма IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Сумма IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Не удалось настроить компанию
 DocType: Asset Repair,Asset Repair,Ремонт активов
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Строка {0}: Валюта BOM # {1} должен быть равен выбранной валюте {2}
 DocType: Journal Entry Account,Exchange Rate,Курс обмена
 DocType: Patient,Additional information regarding the patient,Дополнительная информация о пациенте
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Заказ на продажу {0} не проведен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Заказ на продажу {0} не проведен
 DocType: Homepage,Tag Line,Tag Line
 DocType: Fee Component,Fee Component,Компонент платы
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Управление флотом
@@ -5854,7 +5922,7 @@
 DocType: Healthcare Practitioner,Mobile,Мобильный
 ,Sales Person-wise Transaction Summary,Отчет по сделкам продавцов
 DocType: Training Event,Contact Number,Контактный номер
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Склад {0} не существует
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Склад {0} не существует
 DocType: Cashier Closing,Custody,Опека
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Сведения об отказе от налогообложения сотрудников
 DocType: Monthly Distribution,Monthly Distribution Percentages,Ежемесячные Проценты распределения
@@ -5869,7 +5937,7 @@
 DocType: Payment Entry,Paid Amount,Оплаченная сумма
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Исследуйте цикл продаж
 DocType: Assessment Plan,Supervisor,Руководитель
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Запись запаса запаса
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Запись запаса запаса
 ,Available Stock for Packing Items,Доступные Запасы для Комплектации Продуктов
 DocType: Item Variant,Item Variant,Модификация продукта
 ,Work Order Stock Report,Отчет о работе заказа
@@ -5878,9 +5946,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Как супервизор
 DocType: Leave Policy Detail,Leave Policy Detail,Оставить информацию о политике
 DocType: BOM Scrap Item,BOM Scrap Item,Спецификация отходов продукта
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Отправил заказы не могут быть удалены
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс счета в Дебете, запрещена установка 'Баланс должен быть' как 'Кредит'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Управление качеством
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Отправил заказы не могут быть удалены
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс счета в Дебете, запрещена установка 'Баланс должен быть' как 'Кредит'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Управление качеством
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Продукт {0} не годен
 DocType: Project,Total Billable Amount (via Timesheets),Общая сумма платежа (через расписания)
 DocType: Agriculture Task,Previous Business Day,Предыдущий рабочий день
@@ -5903,15 +5971,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Центр затрат
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Перезапустить подписку
 DocType: Linked Plant Analysis,Linked Plant Analysis,Анализ связанных растений
-DocType: Delivery Note,Transporter ID,Идентификатор транспортника
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Идентификатор транспортника
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Ценностное предложение
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Курс конвертирования валюты поставщика в базовую валюту компании
-DocType: Sales Invoice Item,Service End Date,Дата окончания услуги
+DocType: Purchase Invoice Item,Service End Date,Дата окончания услуги
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ряд # {0}: тайминги конфликты с рядом {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Разрешить нулевую оценку
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Разрешить нулевую оценку
 DocType: Bank Guarantee,Receiving,получающий
 DocType: Training Event Employee,Invited,приглашенный
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Настройка шлюза счета.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Настройка шлюза счета.
 DocType: Employee,Employment Type,Вид занятости
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Основные средства
 DocType: Payment Entry,Set Exchange Gain / Loss,Установить Курсовая прибыль / убыток
@@ -5927,7 +5996,7 @@
 DocType: Tax Rule,Sales Tax Template,Шаблон Налога с продаж
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Оплатить против заявки на получение пособия
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Обновить номер центра затрат
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Выберите продукты для сохранения счёта
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Выберите продукты для сохранения счёта
 DocType: Employee,Encashment Date,Инкассация Дата
 DocType: Training Event,Internet,интернет
 DocType: Special Test Template,Special Test Template,Специальный тестовый шаблон
@@ -5935,13 +6004,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},По умолчанию активность Стоимость существует для вида деятельности - {0}
 DocType: Work Order,Planned Operating Cost,Планируемые Эксплуатационные расходы
 DocType: Academic Term,Term Start Date,Срок дата начала
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Список всех сделок с акциями
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Список всех сделок с акциями
+DocType: Supplier,Is Transporter,Является Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Импортировать счет-фактуру продавца, чтобы узнать, отмечен ли платеж"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Счетчик Opp
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Счетчик Opp
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,"Должны быть установлены как дата начала пробного периода, так и дата окончания пробного периода"
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Средняя оценка
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общая сумма платежа в Графе платежей должна быть равна Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общая сумма платежа в Графе платежей должна быть равна Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,План
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Банк балансовый отчет за Главную книгу
 DocType: Job Applicant,Applicant Name,Имя заявителя
@@ -5969,7 +6039,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Доступное количество в исходном хранилище
 apps/erpnext/erpnext/config/support.py +22,Warranty,Гарантия
 DocType: Purchase Invoice,Debit Note Issued,Дебет Примечание Выпущенный
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Фильтр, основанный на МВЗ, применим только в том случае, если «Бюджет Против» выбран как «Центр затрат»"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Фильтр, основанный на МВЗ, применим только в том случае, если «Бюджет Против» выбран как «Центр затрат»"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Поиск по коду товара, серийному номеру, номеру партии или штрих-коду"
 DocType: Work Order,Warehouses,Склады
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} актив не может быть перемещён
@@ -5980,9 +6050,9 @@
 DocType: Workstation,per hour,в час
 DocType: Blanket Order,Purchasing,покупка
 DocType: Announcement,Announcement,Объявление
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Клиент LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Клиент LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Для пакетной студенческой группы, Студенческая партия будет подтверждена для каждого ученика из заявки на участие в программе."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не может быть удалён, так как существует запись в складкой книге  этого склада."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не может быть удалён, так как существует запись в складкой книге  этого склада."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Распределение
 DocType: Journal Entry Account,Loan,ссуда
 DocType: Expense Claim Advance,Expense Claim Advance,Претензия на увеличение расходов
@@ -5991,7 +6061,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Менеджер проектов
 ,Quoted Item Comparison,Цитируется Сравнение товара
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Перекрытие при подсчете между {0} и {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Отправка
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Отправка
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Макс скидка позволило пункта: {0} {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Чистая стоимость активов на
 DocType: Crop,Produce,Производить
@@ -6001,20 +6071,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Потребление материала для производства
 DocType: Item Alternative,Alternative Item Code,Альтернативный код товара
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роль, позволяющая проводить операции, превышающие кредитный лимит, установлена."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Выберите продукты для производства
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Выберите продукты для производства
 DocType: Delivery Stop,Delivery Stop,Остановить доставку
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время"
 DocType: Item,Material Issue,Вопрос по материалу
 DocType: Employee Education,Qualification,Квалификаци
 DocType: Item Price,Item Price,Цена продукта
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Моющие средства
 DocType: BOM,Show Items,Показать продукты
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,От времени не может быть больше времени.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Вы хотите уведомить всех клиентов по электронной почте?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Вы хотите уведомить всех клиентов по электронной почте?
 DocType: Subscription Plan,Billing Interval,Интервал выставления счетов
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Кино- и видеостудия
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,В обработке
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Фактическая дата начала и фактическая дата окончания являются обязательными
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Группа клиентов&gt; Территория
 DocType: Salary Detail,Component,Компонент
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Строка {0}: {1} должна быть больше 0
 DocType: Assessment Criteria,Assessment Criteria Group,Критерии оценки Группа
@@ -6045,11 +6116,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Введите имя банка или кредитной организации перед отправкой.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} необходимо отправить
 DocType: POS Profile,Item Groups,Продуктовые группы
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Сегодня у {0} день рождения!
 DocType: Sales Order Item,For Production,Для производства
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Баланс в валюте счета
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,"Пожалуйста, добавьте временный вступительный счет в План счетов"
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,"Пожалуйста, добавьте временный вступительный счет в План счетов"
 DocType: Customer,Customer Primary Contact,Первичный контакт с клиентом
 DocType: Project Task,View Task,Просмотр задачи
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Возм/Лид %
@@ -6063,11 +6133,11 @@
 DocType: Sales Invoice,Get Advances Received,Получить авансы полученные
 DocType: Email Digest,Add/Remove Recipients,Добавить / Удалить получателей
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Для установки в этом финансовом году, как по умолчанию, нажмите на кнопку ""Установить по умолчанию"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Количество вычитаемых TDS
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Количество вычитаемых TDS
 DocType: Production Plan,Include Subcontracted Items,Включить субподрядные товары
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Присоединиться
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Нехватка Кол-во
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Модификация продукта {0} с этими атрибутами существует
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Присоединиться
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Нехватка Кол-во
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Модификация продукта {0} с этими атрибутами существует
 DocType: Loan,Repay from Salary,Погашать из заработной платы
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Запрос платеж против {0} {1} на сумму {2}
 DocType: Additional Salary,Salary Slip,Зарплата скольжения
@@ -6083,7 +6153,7 @@
 DocType: Patient,Dormant,бездействующий
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Вычет налога для невостребованных сотрудников
 DocType: Salary Slip,Total Interest Amount,Общая сумма процентов
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Склады с дочерними узлами не могут быть преобразованы в бухгалтерской книге
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Склады с дочерними узлами не могут быть преобразованы в бухгалтерской книге
 DocType: BOM,Manage cost of operations,Управление стоимостью операций
 DocType: Accounts Settings,Stale Days,Прошлые дни
 DocType: Travel Itinerary,Arrival Datetime,Время прибытия
@@ -6095,7 +6165,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Оценка результата Detail
 DocType: Employee Education,Employee Education,Сотрудник Образование
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Повторяющаяся группа находке в таблице группы товаров
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Это необходимо для отображения подробностей продукта.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Это необходимо для отображения подробностей продукта.
 DocType: Fertilizer,Fertilizer Name,Название удобрения
 DocType: Salary Slip,Net Pay,Чистая Оплата
 DocType: Cash Flow Mapping Accounts,Account,Аккаунт
@@ -6106,14 +6176,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Создать отдельную заявку на подачу заявки на получение пособия
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Наличие лихорадки (темп&gt; 38,5 ° C / 101,3 ° F или постоянная температура&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Описание отдела продаж
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Удалить навсегда?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Удалить навсегда?
 DocType: Expense Claim,Total Claimed Amount,Всего заявленной суммы
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенциальные возможности для продажи.
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Неверный {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Отпуск по болезни
 DocType: Email Digest,Email Digest,E-mail Дайджест
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,не
 DocType: Delivery Note,Billing Address Name,Адрес для выставления счета Имя
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Универмаги
 ,Item Delivery Date,Дата доставки
@@ -6129,16 +6198,16 @@
 DocType: Account,Chargeable,Ответственный
 DocType: Company,Change Abbreviation,Изменить Аббревиатура
 DocType: Contract,Fulfilment Details,Сведения о выполнении
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Оплатить {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Оплатить {0} {1}
 DocType: Employee Onboarding,Activities,мероприятия
 DocType: Expense Claim Detail,Expense Date,Дата расхода
 DocType: Item,No of Months,Число месяцев
 DocType: Item,Max Discount (%),Макс Скидка (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Кредитные дни не могут быть отрицательным числом
-DocType: Sales Invoice Item,Service Stop Date,Дата остановки службы
+DocType: Purchase Invoice Item,Service Stop Date,Дата остановки службы
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Последняя сумма заказа
 DocType: Cash Flow Mapper,e.g Adjustments for:,"например, корректировки для:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Сохранять образец на основе партии, пожалуйста, проверьте, имеет ли партия №, чтобы сохранить образец продукта"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Сохранять образец на основе партии, пожалуйста, проверьте, имеет ли партия №, чтобы сохранить образец продукта"
 DocType: Task,Is Milestone,Это этап
 DocType: Certification Application,Yet to appear,Но чтобы появиться
 DocType: Delivery Stop,Email Sent To,Е-мейл отправлен
@@ -6146,16 +6215,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Разрешить МВЗ при вводе балансовой учетной записи
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Слияние с существующей учетной записью
 DocType: Budget,Warn,Важно
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Все продукты уже переведены для этого Заказа.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Все продукты уже переведены для этого Заказа.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Любые другие замечания, отметить усилия, которые должны идти в записях."
 DocType: Asset Maintenance,Manufacturing User,Сотрудник производства
 DocType: Purchase Invoice,Raw Materials Supplied,Поставка сырья
 DocType: Subscription Plan,Payment Plan,Платежный план
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Включить покупку предметов через веб-сайт
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Валюта прейскуранта {0} должна быть {1} или {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Управление подпиской
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Управление подпиской
 DocType: Appraisal,Appraisal Template,Оценка шаблона
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,К PIN-коду
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,К PIN-коду
 DocType: Soil Texture,Ternary Plot,Тройной участок
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Проверьте это, чтобы включить запланированную ежедневную процедуру синхронизации через планировщик"
 DocType: Item Group,Item Classification,Продуктовая классификация
@@ -6165,6 +6234,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Регистрация счета-фактуры
 DocType: Crop,Period,Период обновления
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Бухгалтерская книга
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,К финансовому году
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Посмотреть лиды
 DocType: Program Enrollment Tool,New Program,Новая программа
 DocType: Item Attribute Value,Attribute Value,Значение атрибута
@@ -6173,11 +6243,11 @@
 ,Itemwise Recommended Reorder Level,Рекомендация пополнения уровня продукта
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Сотрудник {0} класса {1} не имеет политики отпуска по умолчанию
 DocType: Salary Detail,Salary Detail,Заработная плата: Подробности
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Пожалуйста, выберите {0} первый"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Пожалуйста, выберите {0} первый"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Добавлены пользователи {0}
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",В случае многоуровневой программы Клиенты будут автоматически назначены соответствующему уровню в соответствии с затраченными
 DocType: Appointment Type,Physician,врач
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Партия {0} продукта {1} просрочена
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Партия {0} продукта {1} просрочена
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,консультации
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Готово Хорошо
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Цена товара отображается несколько раз на основе Прайс-листа, Поставщика / Клиента, Валюты, Предмет, UOM, Кол-во и Даты."
@@ -6186,22 +6256,21 @@
 DocType: Certification Application,Name of Applicant,Имя заявителя
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Время Лист для изготовления.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Промежуточный итог
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Невозможно изменить свойства Variant после транзакции с акциями. Вам нужно будет сделать новый элемент для этого.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Невозможно изменить свойства Variant после транзакции с акциями. Вам нужно будет сделать новый элемент для этого.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Безрукий мандат SEPA
 DocType: Healthcare Practitioner,Charges,расходы
 DocType: Production Plan,Get Items For Work Order,Выбрать продукты для заказа
 DocType: Salary Detail,Default Amount,По умолчанию количество
 DocType: Lab Test Template,Descriptive,Описательный
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Склад не найден в системе
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Резюме этого месяца
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Резюме этого месяца
 DocType: Quality Inspection Reading,Quality Inspection Reading,Контроль качества Чтение
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,"""Заморозить остатки старше чем"" должны быть меньше %d дней."
 DocType: Tax Rule,Purchase Tax Template,Налог на покупку шаблон
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Задайте цель продаж, которую вы хотите достичь для своей компании."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Здравоохранение
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Здравоохранение
 ,Project wise Stock Tracking,Отслеживание затрат по проектам
 DocType: GST HSN Code,Regional,региональный
-DocType: Delivery Note,Transport Mode,Режим транспорта
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Лаборатория
 DocType: UOM Category,UOM Category,Категория UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Факт. кол-во (в источнике / цели)
@@ -6224,17 +6293,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Не удалось создать веб-сайт
 DocType: Soil Analysis,Mg/K,Мг / К
 DocType: UOM Conversion Detail,UOM Conversion Detail,Единица измерения Преобразование Подробно
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,"Удержание запаса, которое уже создано или количество образцов не указано"
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,"Удержание запаса, которое уже создано или количество образцов не указано"
 DocType: Program,Program Abbreviation,Программа Аббревиатура
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Производственный заказ не может быть поднят против Item Шаблон
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Расходы обновляются в приобретении получение против каждого пункта
 DocType: Warranty Claim,Resolved By,Решили По
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Расписание
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Чеки и депозиты неправильно очищена
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Счёт {0}: Вы не можете  назначить самого себя родительским счётом
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Счёт {0}: Вы не можете  назначить самого себя родительским счётом
 DocType: Purchase Invoice Item,Price List Rate,Прайс-лист Оценить
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Создание котировки клиентов
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Дата остановки службы не может быть после даты окончания услуги
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Дата остановки службы не может быть после даты окончания услуги
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Покажите «На складе» или «Не на складе» на основе имеющихся на складе.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Ведомость материалов (ВМ)
 DocType: Item,Average time taken by the supplier to deliver,"Время, необходимое поставщику на выполнение доставки"
@@ -6246,11 +6315,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Часов
 DocType: Project,Expected Start Date,Ожидаемая дата начала
 DocType: Purchase Invoice,04-Correction in Invoice,04-Исправление в счете-фактуре
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Рабочий заказ уже создан для всех элементов с спецификацией
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Рабочий заказ уже создан для всех элементов с спецификацией
 DocType: Payment Request,Party Details,Партия Подробности
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Подробный отчет о вариантах
 DocType: Setup Progress Action,Setup Progress Action,Установка готовности работ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Ценовой список покупок
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Ценовой список покупок
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Удалить продукт, если сборы не применимы к этому продукту"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Отменить подписку
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Выберите «Состояние обслуживания» как «Завершено» или «Дата завершения»
@@ -6268,7 +6337,7 @@
 DocType: Asset,Disposal Date,Утилизация Дата
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Электронные письма будут отправлены во все активные работники компании на данный час, если у них нет отпуска. Резюме ответов будет отправлен в полночь."
 DocType: Employee Leave Approver,Employee Leave Approver,Сотрудник Оставить утверждающий
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: запись Изменить порядок уже существует для этого склада {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: запись Изменить порядок уже существует для этого склада {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Не можете объявить как потерял, потому что цитаты было сделано."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP-аккаунт
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Обучение Обратная связь
@@ -6280,7 +6349,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,На сегодняшний день не может быть раньше от даты
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Нижний колонтитул
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Добавить/изменить цены
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Добавить/изменить цены
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Продвижение сотрудника не может быть отправлено до даты акции
 DocType: Batch,Parent Batch,Родительская партия
 DocType: Cheque Print Template,Cheque Print Template,Чеками печати шаблона
@@ -6290,6 +6359,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Сбор образцов
 ,Requested Items To Be Ordered,Запрошенные продукты заказаны
 DocType: Price List,Price List Name,Цена Имя
+DocType: Delivery Stop,Dispatch Information,Информация о доставке
 DocType: Blanket Order,Manufacturing,Производство
 ,Ordered Items To Be Delivered,Заказанные позиции к отгрузке
 DocType: Account,Income,Доход
@@ -6308,17 +6378,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} единиц {1} требуется в {2} на {3} {4} для {5} чтобы завершить эту транзакцию.
 DocType: Fee Schedule,Student Category,Студент Категория
 DocType: Announcement,Student,Ученик
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Количество запаса для начала процедуры не доступно на складе. Вы хотите записать перенос запаса
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Количество запаса для начала процедуры не доступно на складе. Вы хотите записать перенос запаса
 DocType: Shipping Rule,Shipping Rule Type,Тип правила доставки
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Перейти в Комнат
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Компания, платежный счет, с даты и по времени является обязательной"
 DocType: Company,Budget Detail,Бюджет Подробно
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ДЛЯ ПОСТАВЩИКА
-DocType: Email Digest,Pending Quotations,До Котировки
-DocType: Delivery Note,Distance (KM),Дистанция (км)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Поставщик&gt; Группа поставщиков
 DocType: Asset,Custodian,попечитель
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Точка-в-продажи профиля
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Точка-в-продажи профиля
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} должно быть значением от 0 до 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Оплата {0} от {1} до {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Необеспеченных кредитов
@@ -6350,10 +6419,10 @@
 DocType: Lead,Converted,Конвертировано
 DocType: Item,Has Serial No,Имеет серийный №
 DocType: Employee,Date of Issue,Дата вопроса
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","В соответствии с настройками покупки, если требуется Приобретение покупки == «ДА», затем для создания счета-фактуры для покупки пользователю необходимо сначала создать покупку для элемента {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","В соответствии с настройками покупки, если требуется Приобретение покупки == «ДА», затем для создания счета-фактуры для покупки пользователю необходимо сначала создать покупку для элемента {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Ряд # {0}: Установить Поставщик по пункту {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Строка {0}: значение часов должно быть больше нуля.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,"Изображение {0} на сайте, прикреплённое к продукту {1}, не найдено"
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,"Изображение {0} на сайте, прикреплённое к продукту {1}, не найдено"
 DocType: Issue,Content Type,Тип контента
 DocType: Asset,Assets,Активы
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Компьютер
@@ -6364,7 +6433,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} не существует
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Пожалуйста, проверьте мультивалютный вариант, позволяющий счета другой валюте"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Продукт: {0} не существует
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Ваши настройки доступа не позволяют замораживать значения
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Ваши настройки доступа не позволяют замораживать значения
 DocType: Payment Reconciliation,Get Unreconciled Entries,Получить несверенные записи
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Сотрудник {0} отправляется в {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Не выбрано никаких выплат для записи журнала
@@ -6382,13 +6451,14 @@
 ,Average Commission Rate,Средний Уровень Комиссии
 DocType: Share Balance,No of Shares,Нет акций
 DocType: Taxable Salary Slab,To Amount,Сумма
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,«Имеет серийный номер» не может быть «Да» для нескладируемого продукта
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,«Имеет серийный номер» не может быть «Да» для нескладируемого продукта
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Выберите статус
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Посещаемость не могут быть отмечены для будущих дат
 DocType: Support Search Source,Post Description Key,Сообщение Описание Key
 DocType: Pricing Rule,Pricing Rule Help,Цены Правило Помощь
 DocType: School House,House Name,Название дома
 DocType: Fee Schedule,Total Amount per Student,Общая сумма на одного студента
+DocType: Opportunity,Sales Stage,Этап продажи
 DocType: Purchase Taxes and Charges,Account Head,Основной счет
 DocType: Company,HRA Component,Компонент HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Электрический
@@ -6396,15 +6466,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Общая стоимость Разница (Out - In)
 DocType: Grant Application,Requested Amount,Запрошенная сумма
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Ряд {0}: Курс является обязательным
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID пользователя не установлен для сотрудника {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID пользователя не установлен для сотрудника {0}
 DocType: Vehicle,Vehicle Value,Значение автомобиля
 DocType: Crop Cycle,Detected Diseases,Обнаруженные заболевания
 DocType: Stock Entry,Default Source Warehouse,По умолчанию склад сырья
 DocType: Item,Customer Code,Код клиента
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Напоминание о дне рождения для {0}
 DocType: Asset Maintenance Task,Last Completion Date,Последняя дата завершения
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дни с последнего Заказать
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Дебету счета должны быть баланс счета
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Дебету счета должны быть баланс счета
 DocType: Asset,Naming Series,Наименование серии
 DocType: Vital Signs,Coated,Покрытый
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ряд {0}: ожидаемое значение после полезной жизни должно быть меньше валовой суммы покупки
@@ -6422,15 +6491,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Уведомление о доставке {0} не должно быть проведено
 DocType: Notification Control,Sales Invoice Message,Счет по продажам Написать письмо
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Закрытие счета {0} должен быть типа ответственностью / собственный капитал
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Зарплата Скольжение работника {0} уже создан для табеля {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Зарплата Скольжение работника {0} уже создан для табеля {1}
 DocType: Vehicle Log,Odometer,одометр
 DocType: Production Plan Item,Ordered Qty,Заказал Кол-во
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Пункт {0} отключена
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Пункт {0} отключена
 DocType: Stock Settings,Stock Frozen Upto,Фото Замороженные До
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,ВМ не содержит какой-либо складируемый продукт
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,ВМ не содержит какой-либо складируемый продукт
 DocType: Chapter,Chapter Head,Глава главы
 DocType: Payment Term,Month(s) after the end of the invoice month,Месяц (ы) после окончания месяца счета-фактуры
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структура заработной платы должна иметь гибкий компонент (ы) выгоды для распределения суммы пособия
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структура заработной платы должна иметь гибкий компонент (ы) выгоды для распределения суммы пособия
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Проектная деятельность / задачи.
 DocType: Vital Signs,Very Coated,Очень хорошо
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Только налоговое воздействие (не может претендовать на часть налогооблагаемого дохода)
@@ -6448,7 +6517,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Платежная часы
 DocType: Project,Total Sales Amount (via Sales Order),Общая сумма продаж (по заказу клиента)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,По умолчанию BOM для {0} не найден
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,"Ряд # {0}: Пожалуйста, установите количество тональный"
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,"Ряд # {0}: Пожалуйста, установите количество тональный"
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Выберите продукты, чтобы добавить их"
 DocType: Fees,Program Enrollment,Программа подачи заявок
 DocType: Share Transfer,To Folio No,В Folio No
@@ -6491,9 +6560,9 @@
 DocType: SG Creation Tool Course,Max Strength,Максимальная прочность
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Установка пресетов
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Нет примечания о доставке для клиента {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Нет примечания о доставке для клиента {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Сотрудник {0} не имеет максимальной суммы пособия
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Выбрать продукты по дате поставки
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Выбрать продукты по дате поставки
 DocType: Grant Application,Has any past Grant Record,Имеет ли какая-либо прошлая грантовая запись
 ,Sales Analytics,Аналитика продаж
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Доступно {0}
@@ -6502,12 +6571,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Настройки Производство
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Настройка e-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Нет
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master"
 DocType: Stock Entry Detail,Stock Entry Detail,Подробности Складского Акта
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Ежедневные напоминания
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Ежедневные напоминания
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Просмотреть все открытые билеты
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Здравоохранение
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Продукт
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Продукт
 DocType: Products Settings,Home Page is Products,Главная — Продукты
 ,Asset Depreciation Ledger,Износ Леджер активов
 DocType: Salary Structure,Leave Encashment Amount Per Day,Оставить количество инкассации в день
@@ -6517,8 +6586,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Стоимость поставленного сырья
 DocType: Selling Settings,Settings for Selling Module,Настройки по продаже модуля
 DocType: Hotel Room Reservation,Hotel Room Reservation,Бронирование номеров в гостинице
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Обслуживание Клиентов
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Обслуживание Клиентов
 DocType: BOM,Thumbnail,Миниатюра
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Не найдено контактов с идентификаторами электронной почты.
 DocType: Item Customer Detail,Item Customer Detail,Пункт Детальное клиентов
 DocType: Notification Control,Prompt for Email on Submission of,Запрашивать Email по подаче
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Максимальная сумма вознаграждения сотрудника {0} превышает {1}
@@ -6528,7 +6598,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Продукт {0} должен быть в наличии
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,По умолчанию работы на складе Прогресс
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Расписания для {0} перекрываются, вы хотите продолжить после пропусков перекрытых слотов?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Листы грантов
 DocType: Restaurant,Default Tax Template,Шаблон налога по умолчанию
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Студенты были зачислены
@@ -6536,6 +6606,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Кол-во в запасе
 DocType: Purchase Invoice Item,Stock Qty,Кол-во в запасе
 DocType: Contract,Requires Fulfilment,Требуется выполнение
+DocType: QuickBooks Migrator,Default Shipping Account,Учетная запись по умолчанию
 DocType: Loan,Repayment Period in Months,Период погашения в месяцах
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Ошибка: Не действует ID?
 DocType: Naming Series,Update Series Number,Обновление Номер серии
@@ -6549,11 +6620,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Макс. Сумма
 DocType: Journal Entry,Total Amount Currency,Общая сумма валюты
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Поиск Sub сборки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Код товара требуется на Row Нет {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Код товара требуется на Row Нет {0}
 DocType: GST Account,SGST Account,Учетная запись SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Перейти к продуктам
 DocType: Sales Partner,Partner Type,Тип партнера
-DocType: Purchase Taxes and Charges,Actual,Фактически
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Фактически
 DocType: Restaurant Menu,Restaurant Manager,Менеджер ресторана
 DocType: Authorization Rule,Customerwise Discount,Customerwise Скидка
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Табель для задач.
@@ -6574,7 +6645,7 @@
 DocType: Employee,Cheque,Чек
 DocType: Training Event,Employee Emails,Письма сотрудников
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Серия Обновлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Тип отчета является обязательным
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Тип отчета является обязательным
 DocType: Item,Serial Number Series,Серийный номер серии
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Склад является обязательным для Запаса {0} в строке {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Розничная и оптовая торговля
@@ -6605,7 +6676,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Обновить выставленную сумму в заказе клиента
 DocType: BOM,Materials,Материалы
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Если не установлен, то список нужно будет добавлен в каждом департаменте, где он должен быть применен."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Дата публикации и размещения время является обязательным
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Дата публикации и размещения время является обязательным
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Налоговый шаблон для покупки сделок.
 ,Item Prices,Цены продукта
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,По словам будет виден только вы сохраните заказ на поставку.
@@ -6621,12 +6692,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серия для ввода амортизации актива (запись в журнале)
 DocType: Membership,Member Since,Участник с
 DocType: Purchase Invoice,Advance Payments,Авансовые платежи
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Выберите Healthcare Service
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Выберите Healthcare Service
 DocType: Purchase Taxes and Charges,On Net Total,On Net Всего
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Значение атрибута {0} должно быть в диапазоне от {1} до {2} в приращений {3} для п {4}
 DocType: Restaurant Reservation,Waitlisted,лист ожидания
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категория освобождения
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,"Валюта не может быть изменена после внесения записи, используя другой валюты"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,"Валюта не может быть изменена после внесения записи, используя другой валюты"
 DocType: Shipping Rule,Fixed,Исправлена
 DocType: Vehicle Service,Clutch Plate,Диск сцепления
 DocType: Company,Round Off Account,Округление аккаунт
@@ -6635,7 +6706,7 @@
 DocType: Subscription Plan,Based on price list,На основе прайс листа
 DocType: Customer Group,Parent Customer Group,Родительская группа клиента
 DocType: Vehicle Service,Change,Изменение
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Подписка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Подписка
 DocType: Purchase Invoice,Contact Email,Эл. адрес
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Платежное создание ожидается
 DocType: Appraisal Goal,Score Earned,Оценка Заработано
@@ -6663,23 +6734,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Счет Дебиторской / Кредиторской задолженности
 DocType: Delivery Note Item,Against Sales Order Item,Заказ на продажу продукта
 DocType: Company,Company Logo,Логотип компании
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Пожалуйста, сформулируйте Значение атрибута для атрибута {0}"
-DocType: Item Default,Default Warehouse,Склад по умолчанию
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Пожалуйста, сформулируйте Значение атрибута для атрибута {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Склад по умолчанию
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Бюджет не может быть назначен на учетную запись группы {0}
 DocType: Shopping Cart Settings,Show Price,Показать цену
 DocType: Healthcare Settings,Patient Registration,Регистрация пациентов
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Пожалуйста, введите МВЗ родительский"
 DocType: Delivery Note,Print Without Amount,Распечатать без суммы
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Износ Дата
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Износ Дата
 ,Work Orders in Progress,Незавершенные заказы
 DocType: Issue,Support Team,Отдел тех. поддержки
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Срок действия (в днях)
 DocType: Appraisal,Total Score (Out of 5),Всего рейтинг (из 5)
 DocType: Student Attendance Tool,Batch,Партия
 DocType: Support Search Source,Query Route String,Строка маршрута запроса
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Скорость обновления согласно последней покупке
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Скорость обновления согласно последней покупке
 DocType: Donor,Donor Type,Тип донора
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Автоматический повторный документ обновлен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Автоматический повторный документ обновлен
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Баланс
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Выберите компанию
 DocType: Job Card,Job Card,Карточка работы
@@ -6693,7 +6764,7 @@
 DocType: Assessment Result,Total Score,Общий счет
 DocType: Crop Cycle,ISO 8601 standard,Стандарт ISO 8601
 DocType: Journal Entry,Debit Note,Дебет-нота
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Вы можете выкупить только max {0} очков в этом порядке.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Вы можете выкупить только max {0} очков в этом порядке.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,"Пожалуйста, введите секретный раздел API"
 DocType: Stock Entry,As per Stock UOM,По товарной ед. изм.
@@ -6707,10 +6778,11 @@
 DocType: Journal Entry,Total Debit,Всего Дебет
 DocType: Travel Request Costing,Sponsored Amount,Спонсированная сумма
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,По умолчанию склад готовой продукции
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Выберите пациента
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Выберите пациента
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Продавец
 DocType: Hotel Room Package,Amenities,Удобства
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Бюджет и МВЗ
+DocType: QuickBooks Migrator,Undeposited Funds Account,Учет нераспределенных средств
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Бюджет и МВЗ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Множественный режим оплаты по умолчанию не разрешен
 DocType: Sales Invoice,Loyalty Points Redemption,Выкуп лояльности очков
 ,Appointment Analytics,Аналитика встреч
@@ -6724,6 +6796,7 @@
 DocType: Batch,Manufacturing Date,Дата производства
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Не удалось создать сбор
 DocType: Opening Invoice Creation Tool,Create Missing Party,Создать отсутствующую партию
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Общий бюджет
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Оставьте пустым, если вы создаете группы студентов в год"
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Оставьте пустым, если вы создаете группы студентов в год"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Если флажок установлен, все время не. рабочих дней будет включать в себя праздники, и это приведет к снижению стоимости Зарплата в день"
@@ -6740,20 +6813,19 @@
 DocType: Opportunity Item,Basic Rate,Основная ставка
 DocType: GL Entry,Credit Amount,Сумма кредита
 DocType: Cheque Print Template,Signatory Position,подписавшая Позиция
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Установить как Остаться в живых
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Установить как Остаться в живых
 DocType: Timesheet,Total Billable Hours,Всего человеко-часов
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Количество дней, в течение которых абонент должен оплатить счета, сгенерированные этой подпиской"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Сведения о преимуществах сотрудников
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Оплата Получение Примечание
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Это основано на операциях против этого клиента. См график ниже для получения подробной информации
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Строка {0}: Выделенная сумма {1} должна быть меньше или равна сумме платежа ввода {2}
 DocType: Program Enrollment Tool,New Academic Term,Новый учебный термин
 ,Course wise Assessment Report,Отчет об оценке курса
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Пользуется государством ITC / UT Tax
 DocType: Tax Rule,Tax Rule,Налоговое положение
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Поддержание же скоростью протяжении цикла продаж
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Войдите в систему как другой пользователь, чтобы зарегистрироваться на Marketplace"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Войдите в систему как другой пользователь, чтобы зарегистрироваться на Marketplace"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планировать время журналы за пределами рабочего времени рабочих станций.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Клиенты в очереди
 DocType: Driver,Issuing Date,Дата выпуска ценных бумаг
@@ -6762,11 +6834,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Отправьте этот рабочий заказ для дальнейшей обработки.
 ,Items To Be Requested,Запрашиваемые продукты
 DocType: Company,Company Info,Информация о компании
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Выберите или добавить новый клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Выберите или добавить новый клиент
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,МВЗ требуется заказать требование о расходах
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Применение средств (активов)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Это основано на посещаемости этого сотрудника
-DocType: Assessment Result,Summary,Резюме
 DocType: Payment Request,Payment Request Type,Тип платежного запроса
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Пометить посещаемость
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Дебетовый счет
@@ -6774,7 +6845,7 @@
 DocType: Additional Salary,Employee Name,Имя Сотрудника
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Номер заказа заказа ресторана
 DocType: Purchase Invoice,Rounded Total (Company Currency),Округлые Всего (Компания Валюта)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Не можете скрытой в группу, потому что выбран Тип аккаунта."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Не можете скрытой в группу, потому что выбран Тип аккаунта."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0} {1} был изменен. Пожалуйста, обновите."
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Остановить пользователям вносить Leave приложений на последующие дни.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Если неограниченное истечение срока действия для очков лояльности, держите продолжительность истечения срока действия пустым или 0."
@@ -6795,11 +6866,12 @@
 DocType: Asset,Out of Order,Вышел из строя
 DocType: Purchase Receipt Item,Accepted Quantity,Принято Количество
 DocType: Projects Settings,Ignore Workstation Time Overlap,Игнорировать перекрытие рабочей станции
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Пожалуйста, установите по умолчанию список праздников для Employee {0} или Компания {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Пожалуйста, установите по умолчанию список праздников для Employee {0} или Компания {1}"
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} не существует
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Выберите пакетные номера
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,К GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,К GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Платежи Заказчиков
+DocType: Healthcare Settings,Invoice Appointments Automatically,Назначение счетов-фактур автоматически
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Идентификатор проекта
 DocType: Salary Component,Variable Based On Taxable Salary,"Переменная, основанная на налогооблагаемой зарплате"
 DocType: Company,Basic Component,Основной компонент
@@ -6812,10 +6884,10 @@
 DocType: Stock Entry,Source Warehouse Address,Адрес источника склада
 DocType: GL Entry,Voucher Type,Ваучер Тип
 DocType: Amazon MWS Settings,Max Retry Limit,Максимальный лимит регрессии
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Прайс-лист не найден или отключен
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Прайс-лист не найден или отключен
 DocType: Student Applicant,Approved,Утверждено
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Цена
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как ""левые"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как ""левые"""
 DocType: Marketplace Settings,Last Sync On,Последняя синхронизация
 DocType: Guardian,Guardian,блюститель
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Все коммуникации, включая и вышеупомянутое, должны быть перенесены в новый Выпуск"
@@ -6838,14 +6910,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Список заболеваний, обнаруженных на поле. При выборе он автоматически добавит список задач для борьбы с болезнью"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Это корневая служба здравоохранения и не может быть отредактирована.
 DocType: Asset Repair,Repair Status,Статус ремонта
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Добавить партнеров по продажам
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Журнал бухгалтерских записей.
 DocType: Travel Request,Travel Request,Запрос на поездку
 DocType: Delivery Note Item,Available Qty at From Warehouse,Доступно Кол-во на со склада
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Пожалуйста, выберите Employee Record первым."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Посещение не отправлено для {0}, поскольку это праздник."
 DocType: POS Profile,Account for Change Amount,Счет для изменения высоты
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Подключение к QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Общая прибыль / убыток
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Недопустимая компания для счета компании Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Недопустимая компания для счета компании Inter.
 DocType: Purchase Invoice,input service,услуга ввода
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ряд {0}: Партия / счета не соответствует {1} / {2} в {3} {4}
 DocType: Employee Promotion,Employee Promotion,Продвижение сотрудников
@@ -6854,12 +6928,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Код курса:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Пожалуйста, введите Expense счет"
 DocType: Account,Stock,Запасы
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа на поставку, счета-фактуры Покупка или журнал запись"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа на поставку, счета-фактуры Покупка или журнал запись"
 DocType: Employee,Current Address,Текущий адрес
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Если продукт — вариант другого продукта, то описание, изображение, цена, налоги и т. д., будут установлены из шаблона, если не указано другое"
 DocType: Serial No,Purchase / Manufacture Details,Покупка / Производство Подробнее
 DocType: Assessment Group,Assessment Group,Группа по оценке
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Пакетная Инвентарь
+DocType: Supplier,GST Transporter ID,Идентификатор транспортера GST
 DocType: Procedure Prescription,Procedure Name,Название процедуры
 DocType: Employee,Contract End Date,Конец контракта Дата
 DocType: Amazon MWS Settings,Seller ID,ID продавца
@@ -6879,12 +6954,12 @@
 DocType: Company,Date of Incorporation,Дата включения
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Совокупная налоговая
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Последняя цена покупки
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Для Количество (Изготовитель Количество) является обязательным
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Для Количество (Изготовитель Количество) является обязательным
 DocType: Stock Entry,Default Target Warehouse,Цель по умолчанию Склад
 DocType: Purchase Invoice,Net Total (Company Currency),Чистая Всего (Компания Валюта)
 DocType: Delivery Note,Air,Воздух
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Год Конечная дата не может быть раньше, чем год Дата начала. Пожалуйста, исправьте дату и попробуйте еще раз."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} не входит в необязательный список праздников
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} не входит в необязательный список праздников
 DocType: Notification Control,Purchase Receipt Message,Покупка Получение Сообщение
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Утилизированные продукты
@@ -6907,23 +6982,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,выполнение
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На Сумму предыдущей строки
 DocType: Item,Has Expiry Date,Имеет дату истечения срока действия
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Передача активов
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Передача активов
 DocType: POS Profile,POS Profile,POS-профиля
 DocType: Training Event,Event Name,Название события
 DocType: Healthcare Practitioner,Phone (Office),Телефон(офисный)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Не могу отправить, Сотрудники оставили отмечать посещаемость"
 DocType: Inpatient Record,Admission,вход
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Поступающим для {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Сезонность для установки бюджеты, целевые и т.п."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Сезонность для установки бюджеты, целевые и т.п."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Имя переменной
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Пункт {0} шаблона, выберите один из его вариантов"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Пожалуйста, настройте систему имен пользователей в человеческих ресурсах&gt; Настройки персонажа"
+DocType: Purchase Invoice Item,Deferred Expense,Отложенные расходы
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},From Date {0} не может быть до вступления в должность сотрудника {1}
 DocType: Asset,Asset Category,Категория активов
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Чистая зарплата не может быть отрицательным
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Чистая зарплата не может быть отрицательным
 DocType: Purchase Order,Advance Paid,Авансовая выплата
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент перепроизводства для заказа клиента
 DocType: Item,Item Tax,Налог на продукт
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Материал Поставщику
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Материал Поставщику
 DocType: Soil Texture,Loamy Sand,Супесь
 DocType: Production Plan,Material Request Planning,Планирование заявки на материал
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Акцизный Счет
@@ -6945,11 +7022,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Планирование Инструмент
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Кредитная карта
 DocType: BOM,Item to be manufactured or repacked,Продукт должен быть произведен или переупакован
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Синтаксическая ошибка в состоянии: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Синтаксическая ошибка в состоянии: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST .YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Основные / факультативных предметов
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Установите группу поставщиков в разделе «Настройки покупок».
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Установите группу поставщиков в разделе «Настройки покупок».
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Общая сумма компонента гибкого вознаграждения {0} не должна быть меньше \ максимальных преимуществ {1}
 DocType: Sales Invoice Item,Drop Ship,Корабль падения
 DocType: Driver,Suspended,подвешенный
@@ -6969,7 +7046,7 @@
 DocType: Customer,Commission Rate,Комиссия
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Успешно созданные платежные записи
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Созданы {0} оценочные карточки для {1} между:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Создать вариант
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Создать вариант
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Тип оплаты должен быть одним из Присылать, Pay и внутренний перевод"
 DocType: Travel Itinerary,Preferred Area for Lodging,Предпочтительная зона для проживания
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Аналитика
@@ -6980,7 +7057,7 @@
 DocType: Work Order,Actual Operating Cost,Фактическая Эксплуатационные расходы
 DocType: Payment Entry,Cheque/Reference No,Чеками / ссылка №
 DocType: Soil Texture,Clay Loam,Суглинок
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Корневая не могут быть изменены.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Корневая не могут быть изменены.
 DocType: Item,Units of Measure,Единицы измерения
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Сдается в метро
 DocType: Supplier,Default Tax Withholding Config,Конфигурация удержания налога по умолчанию
@@ -6998,21 +7075,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,После завершения оплаты перенаправить пользователя на выбранную страницу.
 DocType: Company,Existing Company,Существующие компании
 DocType: Healthcare Settings,Result Emailed,Результат Отправлено по электронной почте
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Налоговая категория была изменена на «Итого», потому что все элементы не являются складскими запасами"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Налоговая категория была изменена на «Итого», потому что все элементы не являются складскими запасами"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,"На сегодняшний день не может быть равным или меньше, чем с даты"
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Нечего менять
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Выберите файл CSV
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Выберите файл CSV
 DocType: Holiday List,Total Holidays,Всего праздников
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Отсутствует шаблон электронной почты для отправки. Установите его в настройках доставки.
 DocType: Student Leave Application,Mark as Present,Отметить как Present
 DocType: Supplier Scorecard,Indicator Color,Цвет индикатора
 DocType: Purchase Order,To Receive and Bill,Для приема и Билл
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Строка # {0}: Reqd by Date не может быть до даты транзакции
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Строка # {0}: Reqd by Date не может быть до даты транзакции
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Представленные продукты
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Выберите серийный номер
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Выберите серийный номер
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Дизайнер
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Условия шаблона
 DocType: Serial No,Delivery Details,Подробности доставки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1}
 DocType: Program,Program Code,Программный код
 DocType: Terms and Conditions,Terms and Conditions Help,Правила и условия Помощь
 ,Item-wise Purchase Register,Пункт мудрый Покупка Зарегистрироваться
@@ -7025,15 +7103,16 @@
 DocType: Contract,Contract Terms,Условия договора
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Не показывать любой символ вроде $ и т.д. рядом с валютами.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Максимальное количество преимуществ компонента {0} превышает {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Полдня)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Полдня)
 DocType: Payment Term,Credit Days,Кредитных дней
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Выберите «Пациент», чтобы получить лабораторные тесты"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Make Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Разрешить перенос производства
 DocType: Leave Type,Is Carry Forward,Является ли переносить
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Получить продукты из спецификации
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Получить продукты из спецификации
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Время выполнения
 DocType: Cash Flow Mapping,Is Income Tax Expense,Расходы на подоходный налог
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Ваш заказ для доставки!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Строка # {0}: Дата размещения должна быть такой же, как даты покупки {1} актива {2}"
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Проверьте это, если Студент проживает в Хостеле Института."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Пожалуйста, введите Заказы в приведенной выше таблице"
@@ -7041,10 +7120,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Передача актива с одного склада на другой
 DocType: Vehicle,Petrol,Бензин
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Оставшиеся преимущества (ежегодно)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Ведомость материалов
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Ведомость материалов
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ряд {0}: Партия Тип и партия необходима для / дебиторская задолженность внимание {1}
 DocType: Employee,Leave Policy,Оставить политику
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Обновить элементы
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Обновить элементы
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Дата ссылки
 DocType: Employee,Reason for Leaving,Причина увольнения
 DocType: BOM Operation,Operating Cost(Company Currency),Эксплуатационные расходы (Компания Валюта)
@@ -7055,7 +7134,7 @@
 DocType: Department,Expense Approvers,Утвердители расходов
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Ряд {0}: Дебет запись не может быть связан с {1}
 DocType: Journal Entry,Subscription Section,Раздел подписки
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Аккаунт {0} не существует
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Аккаунт {0} не существует
 DocType: Training Event,Training Program,Программа обучения
 DocType: Account,Cash,Наличные
 DocType: Employee,Short biography for website and other publications.,Краткая биография для веб-сайта и других изданий.
diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv
index f5ececd..a6503ee 100644
--- a/erpnext/translations/si.csv
+++ b/erpnext/translations/si.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,පාරිභෝගික අයිතම
 DocType: Project,Costing and Billing,පිරිවැය හා බිල්පත්
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},අත්තිකාරම් ගිණුම ව්යවහාර මුදල් සමාගම් එකට සමාන විය යුතුය {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,ගිණුම {0}: මාපිය ගිණුමක් {1} දේශලජර් විය නොහැකි
+DocType: QuickBooks Migrator,Token Endpoint,ටෝකන් අවසානය
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,ගිණුම {0}: මාපිය ගිණුමක් {1} දේශලජර් විය නොහැකි
 DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com කිරීමට අයිතමය ප්රකාශයට පත් කරනු ලබයි
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,ක්රියාකාරී නිවාඩු කාලයක් සොයා ගත නොහැක
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,ක්රියාකාරී නිවාඩු කාලයක් සොයා ගත නොහැක
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ඇගයීම
 DocType: Item,Default Unit of Measure,නු පෙරනිමි ඒකකය
 DocType: SMS Center,All Sales Partner Contact,සියලු විකුණුම් සහකරු අමතන්න
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,එකතු කිරීමට Enter ක්ලික් කරන්න
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","මුරපදය, API යතුර හෝ සාප්පු කිරීම සඳහා URL සඳහා නැති වටිනාකමක්"
 DocType: Employee,Rented,කුලියට ගත්
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,සියලු ගිණුම්
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,සියලු ගිණුම්
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,සේවකයාගේ තත්වය වමට හැරවිය නොහැක
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","නතර අවලංගු කිරීමට ප්රථම එය Unstop නිෂ්පාදන සාමය, අවලංගු කල නොහැක"
 DocType: Vehicle Service,Mileage,ධාවනය කර ඇති දුර
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,ඔබට නිසැකවම මෙම වත්කම් ඡන්ද දායකයා කිරීමට අවශ්යද?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,ඔබට නිසැකවම මෙම වත්කම් ඡන්ද දායකයා කිරීමට අවශ්යද?
 DocType: Drug Prescription,Update Schedule,යාවත්කාල උපලේඛනය
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,පෙරනිමි සැපයුම්කරු තෝරන්න
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,සේවකයා පෙන්වන්න
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,නව විනිමය අනුපාතිකය
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},ව්යවහාර මුදල් මිල ලැයිස්තුව {0} සඳහා අවශ්ය
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},ව්යවහාර මුදල් මිල ලැයිස්තුව {0} සඳහා අවශ්ය
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ගනුදෙනුව ගණනය කරනු ඇත.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,පාරිභෝගික ඇමතුම්
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,මෙය මේ සැපයුම්කරු එරෙහිව ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහනකට බලන්න
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,වැඩ පිළිවෙල සඳහා වැඩිපුර නිෂ්පාදනය කිරීම
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,නීතිමය
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,නීතිමය
+DocType: Delivery Note,Transport Receipt Date,ප්රවාහන කුවිතාන්සිය දිනය
 DocType: Shopify Settings,Sales Order Series,විකුණුම් නියෝග මාලාව
 DocType: Vital Signs,Tongue,දිව
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA නිදහස් කිරීම
 DocType: Sales Invoice,Customer Name,පාරිභෝගිකයාගේ නම
 DocType: Vehicle,Natural Gas,ස්වාභාවික ගෑස්
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},බැංකු ගිණුමක් {0} ලෙස නම් කළ නොහැකි
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},බැංකු ගිණුමක් {0} ලෙස නම් කළ නොහැකි
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,වැටුප් ව්යුහය අනුව HRA
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ප්රධානීන් (හෝ කණ්ඩායම්) ගිණුම්කරණය අයැදුම්පත් ඉදිරිපත් කර ඇති අතර තුලනය නඩත්තු කරගෙන යනු ලබන එරෙහිව.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),{0} ශුන්ය ({1}) ට වඩා අඩු විය නොහැක විශිෂ්ට සඳහා
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,සේවා නැවතුම් දිනය සේවා ආරම්භක දිනයට පෙර විය නොහැක
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,සේවා නැවතුම් දිනය සේවා ආරම්භක දිනයට පෙර විය නොහැක
 DocType: Manufacturing Settings,Default 10 mins,මිනිත්තු 10 Default
 DocType: Leave Type,Leave Type Name,"අවසරය, වර්ගය නම"
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,විවෘත පෙන්වන්න
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,විවෘත පෙන්වන්න
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,මාලාවක් සාර්ථකව යාවත්කාලීන කිරීම
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,පරීක්ෂාකාරී වන්න
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} පේළි {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} පේළි {1}
 DocType: Asset Finance Book,Depreciation Start Date,ක්ෂයවීම් ආරම්භක දිනය
 DocType: Pricing Rule,Apply On,දා යොමු කරන්න
 DocType: Item Price,Multiple Item prices.,බහු විෂය මිල.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,සහාය සැකසුම්
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,අපේක්ෂිත අවසානය දිනය අපේක්ෂා ඇරඹුම් දිනය ඊට වඩා අඩු විය නොහැක
 DocType: Amazon MWS Settings,Amazon MWS Settings,ඇමේසන් MWS සැකසුම්
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ෙරෝ # {0}: {2} ({3} / {4}): අනුපාත {1} ලෙස සමාන විය යුතුයි
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ෙරෝ # {0}: {2} ({3} / {4}): අනුපාත {1} ලෙස සමාන විය යුතුයි
 ,Batch Item Expiry Status,කණ්ඩායම අයිතමය කල් ඉකුත් වීමේ තත්ත්වය
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,බැංකු අණකරයකින් ෙගවිය
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -105,7 +107,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,ප්රාථමික ඇමතුම් විස්තර
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,විවෘත ගැටළු
 DocType: Production Plan Item,Production Plan Item,නිශ්පාදන සැළැස්ම අයිතමය
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},පරිශීලක {0} සේවක {1} කිරීමට දැනටමත් අනුයුක්ත කර ඇත
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},පරිශීලක {0} සේවක {1} කිරීමට දැනටමත් අනුයුක්ත කර ඇත
 DocType: Lab Test Groups,Add new line,නව රේඛාවක් එකතු කරන්න
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,සෞඛ්ය සත්කාර
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ෙගවීම පමාද (දින)
@@ -115,12 +117,11 @@
 DocType: Lab Prescription,Lab Prescription,වෛද්ය නිර්දේශය
 ,Delay Days,ප්රමාද වූ දින
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,සේවා වියදම්
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},අනුක්රමික අංකය: {0} දැනටමත් විකුණුම් ඉන්වොයිසිය දී නමෙන්ම ඇත: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},අනුක්රමික අංකය: {0} දැනටමත් විකුණුම් ඉන්වොයිසිය දී නමෙන්ම ඇත: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,ඉන්වොයිසිය
 DocType: Purchase Invoice Item,Item Weight Details,අයිතම බර ප්රමාණය විස්තර
 DocType: Asset Maintenance Log,Periodicity,ආවර්තයක්
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,මුදල් වර්ෂය {0} අවශ්ය වේ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,සැපයුම්කරු&gt; සැපයුම් කණ්ඩායම
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ප්රශස්ත වර්ධනය සඳහා පැල පේළි අතර අවම පරතරය
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,ආරක්ෂක
 DocType: Salary Component,Abbr,Abbr
@@ -139,11 +140,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,නිවාඩු ලැයිස්තුව
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,ගණකාධිකාරී
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,විකුණුම් මිල ලැයිස්තුව
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,විකුණුම් මිල ලැයිස්තුව
 DocType: Patient,Tobacco Current Use,දුම්කොළ භාවිතය
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,විකුණුම් අනුපාතිකය
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,විකුණුම් අනුපාතිකය
 DocType: Cost Center,Stock User,කොටස් පරිශීලක
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,සබඳතා තොරතුරු
 DocType: Company,Phone No,දුරකතන අංකය
 DocType: Delivery Trip,Initial Email Notification Sent,ආරම්භක ඊමේල් දැනුම්දීම යැවූ
 DocType: Bank Statement Settings,Statement Header Mapping,ප්රකාශන ශීර්ෂ සිතියම්කරණය
@@ -167,12 +169,11 @@
 DocType: Subscription,Subscription Start Date,දායක ආරම්භක දිනය
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"පත්වීම් ගාස්තු අයකරනු නොලබන්නේ නම්, භාවිතා නොකරන ලද අකර්මණ්ය ලැබිය හැකි ගිණුම්."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","කුළුණු දෙක, පැරණි නම සඳහා එක හා නව නාමය සඳහා එක් .csv ගොනුව අමුණන්න"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,ලිපිනය 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,අයිතම කේතය&gt; අයිතමය කාණ්ඩ&gt; වෙළඳ නාමය
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,ලිපිනය 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ඕනෑම ක්රියාශීලී මුදල් වර්ෂය තුළ නැත.
 DocType: Packed Item,Parent Detail docname,මව් විස්තර docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","මූලාශ්ර: {0}, අයිතමය සංකේතය: {1} සහ පාරිභෝගික: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} මව් සමාගමෙහි නොමැත
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} මව් සමාගමෙහි නොමැත
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,පරීක්ෂා කාලය අවසන් කළ දිනය ආරම්භක දිනයට පෙර දින ආරම්භ කළ නොහැක
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,බදු රඳවා ගැනීමේ වර්ගය
@@ -188,12 +189,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,වෙළඳ ප්රචාරණ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,එම සමාගම එක් වරකට වඩා ඇතුලත් කර
 DocType: Patient,Married,විවාහක
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} සඳහා අවසර නැත
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} සඳහා අවසර නැත
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,සිට භාණ්ඩ ලබා ගන්න
 DocType: Price List,Price Not UOM Dependant,මිළ ගණන් නැත
 DocType: Purchase Invoice,Apply Tax Withholding Amount,බදු රඳවා ගැනීමේ ප්රමාණය අයදුම් කරන්න
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},කොටස් බෙදීම සටහන {0} එරෙහිව යාවත්කාලීන කල නොහැක
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,මුළු මුදල අයකෙරේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},කොටස් බෙදීම සටහන {0} එරෙහිව යාවත්කාලීන කල නොහැක
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,මුළු මුදල අයකෙරේ
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},නිෂ්පාදන {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,ලැයිස්තුගත අයිතමයන් කිසිවක් නොමැත
 DocType: Asset Repair,Error Description,දෝෂය විස්තරය
@@ -207,8 +208,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,අභිමත මුදල් ප්රවාහ ආකෘතිය භාවිතා කරන්න
 DocType: SMS Center,All Sales Person,සියලු විකුණුම් පුද්ගලයෙක්
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** මාසික බෙදාහැරීම් ** ඔබගේ ව්යාපාරය තුළ යමක සෘතුමය බලපෑම ඇති නම්, ඔබ මාස හරහා අයවැය / ඉලක්ක, බෙදා හැරීමට උපකාරී වේ."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,හමු වූ භාණ්ඩ නොවේ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,වැටුප් ව්යුහය අතුරුදන්
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,හමු වූ භාණ්ඩ නොවේ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,වැටුප් ව්යුහය අතුරුදන්
 DocType: Lead,Person Name,පුද්ගලයා නම
 DocType: Sales Invoice Item,Sales Invoice Item,විකුණුම් ඉන්වොයිසිය අයිතමය
 DocType: Account,Credit,ණය
@@ -217,19 +218,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,කොටස් වාර්තා
 DocType: Warehouse,Warehouse Detail,පොත් ගබඩාව විස්තර
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,හදුන්වන අවසානය දිනය පසුව කාලීන සම්බන්ධකම් කිරීමට (අධ්යයන වර්ෂය {}) අධ්යයන වසරේ වසර අවසාන දිනය වඩා විය නොහැකිය. දින වකවානු නිවැරදි කර නැවත උත්සාහ කරන්න.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;ස්ථාවර වත්කම් ද&quot; වත්කම් වාර්තාවක් අයිතමය එරෙහිව පවතී ලෙස, අපරීක්ෂා විය නොහැකි"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;ස්ථාවර වත්කම් ද&quot; වත්කම් වාර්තාවක් අයිතමය එරෙහිව පවතී ලෙස, අපරීක්ෂා විය නොහැකි"
 DocType: Delivery Trip,Departure Time,පිටත්වීමේ වේලාව
 DocType: Vehicle Service,Brake Oil,බ්රේක් ඔයිල්
 DocType: Tax Rule,Tax Type,බදු වර්ගය
 ,Completed Work Orders,සම්පූර්ණ කරන ලද වැඩ ඇණවුම්
 DocType: Support Settings,Forum Posts,සංසද තැපැල්
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,බදු අයකල හැකි ප්රමාණය
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,බදු අයකල හැකි ප්රමාණය
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},ඔබ {0} පෙර සටහන් ඇතුළත් කිරීම් එකතු කිරීම හෝ යාවත්කාලීන කිරීම කිරීමට තමන්ට අවසර නොමැති
 DocType: Leave Policy,Leave Policy Details,ප්රතිපත්ති විස්තර
 DocType: BOM,Item Image (if not slideshow),අයිතමය අනුරුව (Slideshow නොවේ නම්)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(පැය අනුපාතිකය / 60) * සත මෙහෙයුම කාල
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,පේළිය # {0}: ආශ්රේය ලේඛන වර්ගය Expense Claim හෝ Journal Entry වලින් එකක් විය යුතුය
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,ද්රව්ය ලේඛණය තෝරන්න
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,පේළිය # {0}: ආශ්රේය ලේඛන වර්ගය Expense Claim හෝ Journal Entry වලින් එකක් විය යුතුය
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,ද්රව්ය ලේඛණය තෝරන්න
 DocType: SMS Log,SMS Log,කෙටි පණිවුඩ ලොග්
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,භාර අයිතම පිරිවැය
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} මත වන නිවාඩු අතර දිනය සිට මේ දක්වා නැත
@@ -238,16 +239,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,සැපයුම්කරුවන්ගේ ආස්ථානයන් ආකෘති.
 DocType: Lead,Interested,උනන්දුවක් දක්වන
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,විවෘත
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},{0} සිට {1} වෙත
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},{0} සිට {1} වෙත
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,වැඩසටහන:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,බදු පිහිටුවීමට අපොහොසත් විය
 DocType: Item,Copy From Item Group,විෂය සමූහ වෙතින් පිටපත්
-DocType: Delivery Trip,Delivery Notification,බෙදාහැරීමේ නිවේදනය
 DocType: Journal Entry,Opening Entry,විවෘත පිවිසුම්
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ගිණුම් පමණක් ගෙවන්න
 DocType: Loan,Repay Over Number of Periods,"කාල පරිච්ඡේදය, සංඛ්යාව අධික ආපසු ගෙවීම"
 DocType: Stock Entry,Additional Costs,අතිරේක පිරිවැය
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව ගිණුමක් පිරිසක් බවට පරිවර්තනය කළ නොහැක.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව ගිණුමක් පිරිසක් බවට පරිවර්තනය කළ නොහැක.
 DocType: Lead,Product Enquiry,නිෂ්පාදන විමසීම්
 DocType: Education Settings,Validate Batch for Students in Student Group,ශිෂ්ය සමූහය සිසුන් සඳහා කණ්ඩායම තහවුරු කර
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},{1} සඳහා කිසිදු නිවාඩු වාර්තා සේවකයා සඳහා සොයා {0}
@@ -255,7 +255,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,පළමු සමාගම ඇතුලත් කරන්න
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,කරුණාකර සමාගම පළමු තෝරා
 DocType: Employee Education,Under Graduate,උපාධි යටතේ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"කරුණාකර HR සැකසීම් තුළ, Leave Status Notification සඳහා ප්රකෘති ආකෘතිය සකසන්න."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"කරුණාකර HR සැකසීම් තුළ, Leave Status Notification සඳහා ප්රකෘති ආකෘතිය සකසන්න."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ඉලක්කය මත
 DocType: BOM,Total Cost,මුළු වියදම
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -268,7 +268,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,ගිණුම් ප්රකාශයක්
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ඖෂධ
 DocType: Purchase Invoice Item,Is Fixed Asset,ස්ථාවර වත්කම් ද
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","ලබා ගත හැකි යවන ලද {0}, ඔබ {1} අවශ්ය වේ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","ලබා ගත හැකි යවන ලද {0}, ඔබ {1} අවශ්ය වේ"
 DocType: Expense Claim Detail,Claim Amount,හිමිකම් ප්රමාණය
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},වැඩ පිළිවෙල {0}
@@ -302,13 +302,13 @@
 DocType: BOM,Quality Inspection Template,තත්ත්ව පරීක්ෂක ආකෘතිය
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",ඔබ පැමිණීම යාවත්කාලීන කිරීමට අවශ්යද? <br> වර්තමාන: {0} \ <br> නැති කල: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},පිළිගත් + යවන ලද අයිතමය {0} සඳහා ලැබී ප්රමාණය සමාන විය යුතුය ප්රතික්ෂේප
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},පිළිගත් + යවන ලද අයිතමය {0} සඳහා ලැබී ප්රමාණය සමාන විය යුතුය ප්රතික්ෂේප
 DocType: Item,Supply Raw Materials for Purchase,"මිලදී ගැනීම සඳහා සම්පාදන, අමු ද්රව්ය"
 DocType: Agriculture Analysis Criteria,Fertilizer,පොහොර
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",\ Serial {0} සමඟ බෙදාහැරීම සහතික කිරීම සහතික කළ නොහැකි ය.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,ගෙවීම් අවම වශයෙන් එක් මාදිලිය POS ඉන්වොයිසිය සඳහා අවශ්ය වේ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,ගෙවීම් අවම වශයෙන් එක් මාදිලිය POS ඉන්වොයිසිය සඳහා අවශ්ය වේ.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,බැංකු ප්රකාශය ගණුදෙනු ඉන්වොයිස්තුව අයිතමය
 DocType: Products Settings,Show Products as a List,ලැයිස්තුවක් ලෙස නිෂ්පාදන පෙන්වන්න
 DocType: Salary Detail,Tax on flexible benefit,නම්යශීලී ප්රතිලාභ මත බදු
@@ -319,14 +319,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,ද්රව්ය ඉල්ලීම් විස්තර
 DocType: Selling Settings,Default Quotation Validity Days,පෙරනිමි නිශ්කාෂණ වලංගු කාලය
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","බදු ඇතුළත් කිරීමට පේළියේ {0} අයිතමය අනුපාතය, පේළි {1} බදු ද ඇතුළත් විය යුතු අතර"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","බදු ඇතුළත් කිරීමට පේළියේ {0} අයිතමය අනුපාතය, පේළි {1} බදු ද ඇතුළත් විය යුතු අතර"
 DocType: SMS Center,SMS Center,කෙටි පණිවුඩ මධ්යස්ථානය
 DocType: Payroll Entry,Validate Attendance,වලංගු සහභාගිත්වය
 DocType: Sales Invoice,Change Amount,මුදල වෙනස්
 DocType: Party Tax Withholding Config,Certificate Received,ලබාගත් සහතිකය
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C සඳහා ඉන්වොයිස් අගය සකසන්න. B2C සහ B2CS මෙම ඉන්වොයිස් අගය මත පදනම්ව ගණනය කර ඇත.
 DocType: BOM Update Tool,New BOM,නව ද්රව්ය ලේඛණය
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,නියමිත ක්රියාපටිපාටිය
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,නියමිත ක්රියාපටිපාටිය
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,POS පමණක් පෙන්වන්න
 DocType: Supplier Group,Supplier Group Name,සැපයුම් කණ්ඩායම් නම
 DocType: Driver,Driving License Categories,රියදුරු බලපත්ර කාණ්ඩය
@@ -341,7 +341,7 @@
 DocType: Payroll Period,Payroll Periods,වැටුප් කාලපරිච්සේය
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,සේවක කරන්න
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,ගුවන් විදුලි
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS සැකසුම (ඔන්ලයින් / අන්තේ)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS සැකසුම (ඔන්ලයින් / අන්තේ)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,රැකියා ඇණවුම්වලට එරෙහිව වේලා සටහන් කිරීම අවලංගු කිරීම. වැඩ පිළිවෙලට මෙහෙයුම් සිදු නොකළ යුතුය
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,ක්රියාකරවීම
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,මෙහෙයුම් පිළිබඳ විස්තර සිදු කරන ලදී.
@@ -375,7 +375,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),මිල ලැයිස්තුව අනුපාතිකය (%) වට්ටමක්
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,අයිතම ආකෘතිය
 DocType: Job Offer,Select Terms and Conditions,නියමයන් හා කොන්දේසි තෝරන්න
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,අගය පෙන්වා
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,අගය පෙන්වා
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,බැංකු ප්රකාශය සැකසුම් අයිතමය
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce සැකසුම්
 DocType: Production Plan,Sales Orders,විකුණුම් නියෝග
@@ -388,20 +388,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,උද්ධෘත සඳහා කල ඉල්ලීම පහත සබැඳිය ක්ලික් කිරීම මගින් ප්රවේශ විය හැකි
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG නිර්මාණය මෙවලම පාඨමාලා
 DocType: Bank Statement Transaction Invoice Item,Payment Description,ගෙවීම් විස්තරය
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,ප්රමාණවත් කොටස්
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,ප්රමාණවත් කොටස්
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ධාරිතා සැලසුම් හා වේලාව ට්රැකින් අක්රීය
 DocType: Email Digest,New Sales Orders,නව විකුණුම් නියෝග
 DocType: Bank Account,Bank Account,බැංකු ගිණුම
 DocType: Travel Itinerary,Check-out Date,Check-out දිනය
 DocType: Leave Type,Allow Negative Balance,ඍණ ශේෂය ඉඩ දෙන්න
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',ඔබට ව්යාපෘති වර්ගය &#39;බාහිර&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,විකල්ප අයිතම තෝරන්න
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,විකල්ප අයිතම තෝරන්න
 DocType: Employee,Create User,පරිශීලක නිර්මාණය
 DocType: Selling Settings,Default Territory,පෙරනිමි දේශසීමාවේ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,රූපවාහිනී
 DocType: Work Order Operation,Updated via 'Time Log',&#39;කාලය පිළිබඳ ලඝු-සටහන&#39; හරහා යාවත්කාලීන කිරීම
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,පාරිභෝගිකයා හෝ සැපයුම්කරු තෝරන්න.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},{0} {1} වඩා වැඩි උසස් ප්රමාණය විය නොහැකි
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},{0} {1} වඩා වැඩි උසස් ප්රමාණය විය නොහැකි
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","තාවකාලික ස්ලට් පෝලිමෙන්, ස්ලට් {0} සිට {1} දක්වා ඇති විනිවිදක ස්තරය {2} දක්වා {3}"
 DocType: Naming Series,Series List for this Transaction,මෙම ගනුදෙනු සඳහා මාලාවක් ලැයිස්තුව
 DocType: Company,Enable Perpetual Inventory,භාණ්ඩ තොගය සක්රිය කරන්න
@@ -422,7 +422,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,විකුණුම් ඉන්වොයිසිය අයිතමය එරෙහිව
 DocType: Agriculture Analysis Criteria,Linked Doctype,ලින්ක්ඩ් ඩොක්ටයිප්
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,මූල්ය පහසුකම් ශුද්ධ මුදල්
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ"
 DocType: Lead,Address & Contact,ලිපිනය සහ ඇමතුම්
 DocType: Leave Allocation,Add unused leaves from previous allocations,පෙර ප්රතිපාදනවලින් භාවිතා නොකරන කොළ එකතු කරන්න
 DocType: Sales Partner,Partner website,සහකරු වෙබ් අඩවිය
@@ -445,10 +445,10 @@
 ,Open Work Orders,විවෘත සේවා ඇණවුම්
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,රෝගී උපදේශක ගාස්තු අයිතමයෙන්
 DocType: Payment Term,Credit Months,ණය මාසය
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,"ශුද්ධ වැටුප්, 0 ට වඩා අඩු විය නොහැක"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,"ශුද්ධ වැටුප්, 0 ට වඩා අඩු විය නොහැක"
 DocType: Contract,Fulfilled,ඉටු වේ
 DocType: Inpatient Record,Discharge Scheduled,විසර්ජනය නියමිත වේ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,දිනය ලිහිල් සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,දිනය ලිහිල් සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය
 DocType: POS Closing Voucher,Cashier,කෑෂ්
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,වසරකට කොළ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ෙරෝ {0}: මෙම අත්තිකාරම් ප්රවේශය නම් අත්තිකාරම් ලෙසයි &#39;ගිණුම එරෙහිව පරීක්ෂා කරන්න {1}.
@@ -459,15 +459,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,ශිෂ්ය කණ්ඩායම් යටතේ සිසුන් හදන්න
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,සම්පූර්ණ යෝබ්
 DocType: Item Website Specification,Item Website Specification,අයිතමය වෙබ් අඩවිය පිරිවිතර
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,අවසරය ඇහිරීම
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},අයිතමය {0} {1} මත ජීවය එහි අවසානය කරා එළඹ ඇති
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,අවසරය ඇහිරීම
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},අයිතමය {0} {1} මත ජීවය එහි අවසානය කරා එළඹ ඇති
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,බැංකු අයැදුම්පත්
 DocType: Customer,Is Internal Customer,අභ්යන්තර ගනුදෙනුකරුවෙක්ද?
 DocType: Crop,Annual,වාර්ෂික
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ස්වයංක්රීය තෝරාගැනීම පරීක්ෂා කර ඇත්නම්, පාරිභෝගිකයින් විසින් අදාල ලෝයල්ටි වැඩසටහන සමඟ ස්වයංක්රීයව සම්බන්ධ වනු ඇත (ඉතිරිය)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,කොටස් ප්රතිසන්ධාන අයිතමය
 DocType: Stock Entry,Sales Invoice No,විකුණුම් ඉන්වොයිසිය නොමැත
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,සැපයුම් වර්ගය
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,සැපයුම් වර්ගය
 DocType: Material Request Item,Min Order Qty,අවම සාමය යවන ලද
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ශිෂ්ය කණ්ඩායම් නිර්මාණය මෙවලම පාඨමාලා
 DocType: Lead,Do Not Contact,අමතන්න එපා
@@ -481,14 +481,14 @@
 DocType: Item,Publish in Hub,Hub දී ප්රකාශයට පත් කරනු ලබයි
 DocType: Student Admission,Student Admission,ශිෂ්ය ඇතුළත් කිරීම
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,අයිතමය {0} අවලංගුයි
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,අයිතමය {0} අවලංගුයි
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,ක්ෂය කිරීම් පේළි {0}: ක්ෂයවීම් ආරම්භක දිනය අතීත දිනය ලෙස ඇතුළත් කර ඇත
 DocType: Contract Template,Fulfilment Terms and Conditions,ඉටු කරන නියමයන් සහ කොන්දේසි
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,"ද්රව්ය, ඉල්ලීම්"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,"ද්රව්ය, ඉල්ලීම්"
 DocType: Bank Reconciliation,Update Clearance Date,යාවත්කාලීන නිශ්කාශනෙය් දිනය
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,මිලදී විස්තර
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"අයිතමය {0} මිලදී ගැනීමේ නියෝගයක් {1} තුළ &#39;, අමු ද්රව්ය සැපයූ&#39; වගුව තුල සොයාගත නොහැකි"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"අයිතමය {0} මිලදී ගැනීමේ නියෝගයක් {1} තුළ &#39;, අමු ද්රව්ය සැපයූ&#39; වගුව තුල සොයාගත නොහැකි"
 DocType: Salary Slip,Total Principal Amount,මුලික මුදල
 DocType: Student Guardian,Relation,සම්බන්ධතා
 DocType: Student Guardian,Mother,මව
@@ -533,10 +533,11 @@
 DocType: Tax Rule,Shipping County,නැව් කවුන්ටි
 DocType: Currency Exchange,For Selling,විකිණීම සඳහා
 apps/erpnext/erpnext/config/desktop.py +159,Learn,ඉගෙන ගන්න
+DocType: Purchase Invoice Item,Enable Deferred Expense,විෙමෝචිත වියදම් සබල කරන්න
 DocType: Asset,Next Depreciation Date,ඊළඟ ක්ෂය දිනය
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,සේවක අනුව ලද වියදම
 DocType: Accounts Settings,Settings for Accounts,ගිණුම් සඳහා සැකසුම්
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},සැපයුම්කරු ගෙවීම් නොමැත ගැනුම් {0} පවතින
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},සැපයුම්කරු ගෙවීම් නොමැත ගැනුම් {0} පවතින
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,විකුණුම් පුද්ගලයෙක් රුක් කළමනාකරණය කරන්න.
 DocType: Job Applicant,Cover Letter,ආවරණ ලිපිය
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,පැහැදිලි කිරීමට කැපී පෙනෙන චෙක්පත් සහ තැන්පතු
@@ -551,7 +552,7 @@
 DocType: Employee,External Work History,විදේශ රැකියා ඉතිහාසය
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,වටරවුම් විමර්ශන දෝෂ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,ශිෂ්ය වාර්තා කාඩ්පත
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,PIN කේතයෙන්
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,PIN කේතයෙන්
 DocType: Appointment Type,Is Inpatient,රෝගී
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 නම
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ඔබ සැපයුම් සටහන බේරා වරක් වචන (අපනයන) දෘශ්යමාන වනු ඇත.
@@ -566,18 +567,19 @@
 DocType: Journal Entry,Multi Currency,බහු ව්යවහාර මුදල්
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ඉන්වොයිසිය වර්ගය
 DocType: Employee Benefit Claim,Expense Proof,වියදම් සාධක
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,සැපයුම් සටහන
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},සුරකින්න {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,සැපයුම් සටහන
 DocType: Patient Encounter,Encounter Impression,පෙනෙන්නට ඇත
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,බදු සකස් කිරීම
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,අලෙවි වත්කම් පිරිවැය
 DocType: Volunteer,Morning,උදෑසන
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,ඔබ එය ඇද පසු ගෙවීම් සටහන් වෙනස් කර ඇත. කරුණාකර එය නැවත නැවත අදින්න.
 DocType: Program Enrollment Tool,New Student Batch,නව ශිෂ්ය කණ්ඩායම
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} අයිතමය බදු දී දෙවරක් ඇතුළත්
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,මේ සතියේ හා ෙ කටයුතු සඳහා සාරාංශය
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} අයිතමය බදු දී දෙවරක් ඇතුළත්
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,මේ සතියේ හා ෙ කටයුතු සඳහා සාරාංශය
 DocType: Student Applicant,Admitted,ඇතුළත්
 DocType: Workstation,Rent Cost,කුලියට වියදම
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,ක්ෂය පසු ප්රමාණය
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,ක්ෂය පසු ප්රමාණය
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,ඉදිරියට එන දින දසුන සිදුවීම්
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,ප්රභූත්ව ගුණාංග
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,කරුණාකර වසර සහ මාසය තෝරා
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},එහි එකම {0} {1} තුළ සමාගම අනුව 1 ගිණුම විය හැක
 DocType: Support Search Source,Response Result Key Path,ප්රතිචාර ප්රතිඵල ප්රතිඵල මාර්ගය
 DocType: Journal Entry,Inter Company Journal Entry,අන්තර් සමාගම් Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},වැඩ ප්රමාණය අනුව {0} ප්රමානය {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,කරුණාකර ඇමුණුම බලන්න
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},වැඩ ප්රමාණය අනුව {0} ප්රමානය {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,කරුණාකර ඇමුණුම බලන්න
 DocType: Purchase Order,% Received,% ලැබී
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ශිෂ්ය කණ්ඩායම් නිර්මාණය කරන්න
 DocType: Volunteer,Weekends,සති අන්ත
@@ -658,7 +660,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,විශිෂ්ටයි
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,දැනට පවතින මාලාවේ ආරම්භක / වත්මන් අනුක්රමය අංකය වෙනස් කරන්න.
 DocType: Dosage Strength,Strength,ශක්තිය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,නව පාරිභෝගික නිර්මාණය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,නව පාරිභෝගික නිර්මාණය
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,කල් ඉකුත් වේ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","බහු මිල නියම රීති පවතින දිගටම සිදු වන්නේ නම්, පරිශීලකයන් ගැටුම විසඳීමට අතින් ප්රමුඛ සකස් කරන ලෙස ඉල්ලා ඇත."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,මිලදී ගැනීම නියෝග නිර්මාණය
@@ -669,17 +671,18 @@
 DocType: Workstation,Consumable Cost,පාරිෙභෝජන වියදම
 DocType: Purchase Receipt,Vehicle Date,වාහන දිනය
 DocType: Student Log,Medical,වෛද්ය
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,අහිමි හේතුව
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,කරුණාකර ඖෂධය තෝරන්න
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,අහිමි හේතුව
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,කරුණාකර ඖෂධය තෝරන්න
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,ඊයම් න පෙරමුණ ලෙස සමාන විය නොහැකි
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,unadjusted ප්රමාණය ට වඩා වැඩි මුදලක් වෙන් කර ගත යුතු නොවේ
 DocType: Announcement,Receiver,ලබන්නා
 DocType: Location,Area UOM,UOM ප්රදේශය
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},සේවා පරිගණකයක් නිවාඩු ලැයිස්තුව අනුව පහත සඳහන් දිනවලදී වසා ඇත: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,අවස්ථාවන්
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,අවස්ථාවන්
 DocType: Lab Test Template,Single,තනි
 DocType: Compensatory Leave Request,Work From Date,දිනය සිට වැඩ කිරීම
 DocType: Salary Slip,Total Loan Repayment,මුළු ණය ආපසු ගෙවීමේ
+DocType: Project User,View attachments,ඇමුණුම් බලන්න
 DocType: Account,Cost of Goods Sold,විකුණුම් පිරිවැය
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,පිරිවැය මධ්යස්ථානය ඇතුලත් කරන්න
 DocType: Drug Prescription,Dosage,ආහාරය
@@ -690,7 +693,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,ප්රමාණය හා වේගය
 DocType: Delivery Note,% Installed,% ප්රාප්ත
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,පන්ති කාමර / රසායනාගාර ආදිය දේශන නියමිත කළ හැකි.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,සමාගම් දෙකේම සමාගම් අන්තර් සමාගම් ගනුදෙනු සඳහා ගැලපේ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,සමාගම් දෙකේම සමාගම් අන්තර් සමාගම් ගනුදෙනු සඳහා ගැලපේ.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,සමාගමේ නම පළමු ඇතුලත් කරන්න
 DocType: Travel Itinerary,Non-Vegetarian,නිර්මාංශ නොවන
 DocType: Purchase Invoice,Supplier Name,සපයන්නාගේ නම
@@ -700,7 +703,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,තාවකාලිකව අල්ලා ගන්න
 DocType: Account,Is Group,"සමූහය,"
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,ණය සටහන {0} ස්වයංක්රීයව සාදා ඇත
-DocType: Email Digest,Pending Purchase Orders,විභාග මිලදී ගැනීම නියෝග
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,FIFO මත පදනම් ස්වයංක්රීයව සකසන්න අනු අංක
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,පරීක්ෂා කරන්න සැපයුම්කරු ඉන්වොයිසිය අංකය අනන්යතාව
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,ප්රාථමික ලිපිනයන් විස්තර
@@ -718,12 +720,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,එම ඊමේල් කොටසක් ලෙස බෙදීයන හඳුන්වාදීමේ පෙළ වෙනස් කරගන්න. එක් එක් ගනුදෙනුව වෙනම හඳුන්වාදීමේ පෙළ ඇත.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},පේළිය {0}: අමුද්රව්ය අයිතමයට එරෙහිව ක්රියාත්මක කිරීම {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},සමාගම {0} සඳහා පෙරනිමි ගෙවිය යුතු ගිණුම් සකස් කරන්න
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},නැවැත්වීමට වැඩ කිරීම තහනම් නොවේ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},නැවැත්වීමට වැඩ කිරීම තහනම් නොවේ {0}
 DocType: Setup Progress Action,Min Doc Count,මිනුම් දණ්ඩ
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,සියලු නිෂ්පාදන ක්රියාවලීන් සඳහා වන ගෝලීය සැකසුම්.
 DocType: Accounts Settings,Accounts Frozen Upto,ගිණුම් ශීත කළ තුරුත්
 DocType: SMS Log,Sent On,දා යවන
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,ගති ලක්ෂණය {0} දන්ත ධාතුන් වගුව කිහිපවතාවක් තෝරාගත්
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,ගති ලක්ෂණය {0} දන්ත ධාතුන් වගුව කිහිපවතාවක් තෝරාගත්
 DocType: HR Settings,Employee record is created using selected field. ,සේවක වාර්තාවක් තෝරාගත් ක්ෂේත්ර භාවිතා කිරීමෙන්ය.
 DocType: Sales Order,Not Applicable,අදාළ නොවේ
 DocType: Amazon MWS Settings,UK,එක්සත් රාජධානිය
@@ -750,21 +752,22 @@
 DocType: Student Report Generation Tool,Attended by Parents,දෙමව්පියන් සහභාගී විය
 DocType: Inpatient Record,AB Positive,AB ධනාත්මක
 DocType: Job Opening,Description of a Job Opening,රැකියාවක් ආරම්භ කිරීම පිළිබඳ විස්තරය
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,අද විභාග කටයුතු
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,අද විභාග කටයුතු
 DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet පදනම් වැටුප් වැටුප් සංරචක.
+DocType: Driver,Applicable for external driver,බාහිර රියදුරු සඳහා අදාළ වේ
 DocType: Sales Order Item,Used for Production Plan,නිශ්පාදන සැළැස්ම සඳහා භාවිතා
 DocType: Loan,Total Payment,මුළු ගෙවීම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,සම්පූර්ණ කරන ලද වැඩ පිළිවෙල සඳහා ගනුදෙනුව අවලංගු කළ නොහැක.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,සම්පූර්ණ කරන ලද වැඩ පිළිවෙල සඳහා ගනුදෙනුව අවලංගු කළ නොහැක.
 DocType: Manufacturing Settings,Time Between Operations (in mins),මෙහෙයුම් අතර කාලය (මිනිත්තු දී)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,සෑම අලෙවිකරණ ඇණවුම් අයිතම සඳහාම PO නිර්මාණය කර ඇත
 DocType: Healthcare Service Unit,Occupied,වාඩි වී ඇත
 DocType: Clinical Procedure,Consumables,පාරිභෝජනය
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} පියවර අවසන් කළ නොහැකි නිසා අවලංගු
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} පියවර අවසන් කළ නොහැකි නිසා අවලංගු
 DocType: Customer,Buyer of Goods and Services.,භාණ්ඩ හා සේවා මිලදී ගන්නාගේ.
 DocType: Journal Entry,Accounts Payable,ගෙවිය යුතු ගිණුම්
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,මෙම ගෙවීම් ඉල්ලුමෙහි {0} හි ඇති මුදල සියලු ගෙවීමේ සැලසුම් වල ගණනය කළ ප්රමාණයට වඩා වෙනස් වේ: {1}. ලේඛනය ඉදිරිපත් කිරීමට පෙර මෙය නිවැරදි බවට වග බලා ගන්න.
 DocType: Patient,Allergies,අසාත්මිකතා
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,තෝරාගත් BOMs එම අයිතමය සඳහා නොවේ
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,තෝරාගත් BOMs එම අයිතමය සඳහා නොවේ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,අයිතමයේ කේතය වෙනස් කරන්න
 DocType: Supplier Scorecard Standing,Notify Other,අනිත් අයට දැනුම් දෙන්න
 DocType: Vital Signs,Blood Pressure (systolic),රුධිර පීඩනය (සිස්ටලික්)
@@ -776,7 +779,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,ගොඩනගනු කිරීමට තරම් අමතර කොටස්
 DocType: POS Profile User,POS Profile User,POS පැතිකඩ පරිශීලක
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,පේළිය {0}: ක්ෂයවීම් ආරම්භක දිනය අවශ්යය
-DocType: Sales Invoice Item,Service Start Date,සේවා ආරම්භක දිනය
+DocType: Purchase Invoice Item,Service Start Date,සේවා ආරම්භක දිනය
 DocType: Subscription Invoice,Subscription Invoice,දායකත්ව ඉන්වොයිසිය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,සෘජු ආදායම්
 DocType: Patient Appointment,Date TIme,දිනය වෙලාව
@@ -796,7 +799,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,අලංකාර ආලේපන
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,සම්පුර්ණ කළ වත්කම් නඩත්තු ලොගය සඳහා අවසන් දිනය තෝරන්න
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","ඒකාබද්ධ කිරීමට, පහත සඳහන් ලක්ෂණ භාණ්ඩ යන දෙකම සඳහා එකම විය යුතු"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","ඒකාබද්ධ කිරීමට, පහත සඳහන් ලක්ෂණ භාණ්ඩ යන දෙකම සඳහා එකම විය යුතු"
 DocType: Supplier,Block Supplier,බ්ලොක් සැපයුම්කරු
 DocType: Shipping Rule,Net Weight,ශුද්ධ බර
 DocType: Job Opening,Planned number of Positions,සැලසුම් කළ සංඛ්යාව ගණන
@@ -818,19 +821,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,මුදල් ප්රවාහ සිතියම්කරණය
 DocType: Travel Request,Costing Details,පිරිවැය තොරතුරු
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,ආපසු ලැබෙන සටහන් පෙන්වන්න
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,අනු කිසිදු අයිතමය අල්පයක් විය නොහැකි
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,අනු කිසිදු අයිතමය අල්පයක් විය නොහැකි
 DocType: Journal Entry,Difference (Dr - Cr),වෙනස (ආචාර්ය - Cr)
 DocType: Bank Guarantee,Providing,සපයමින්
 DocType: Account,Profit and Loss,ලාභ සහ අලාභ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","අවසර නොලැබූ විට, අවශ්ය පරිදි ලේසර් ටෙස්ට් සැකසුම වින්යාස කරන්න"
 DocType: Patient,Risk Factors,අවදානම් සාධක
 DocType: Patient,Occupational Hazards and Environmental Factors,වෘත්තීයමය හා පාරිසරික සාධක
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,වැඩ පිළිවෙළ සඳහා දැනටමත් නිර්මාණය කර ඇති කොටස් සටහන්
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,වැඩ පිළිවෙළ සඳහා දැනටමත් නිර්මාණය කර ඇති කොටස් සටහන්
 DocType: Vital Signs,Respiratory rate,ශ්වසන වේගය
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,කළමනාකාර උප කොන්ත්රාත්
 DocType: Vital Signs,Body Temperature,ශරීරය උෂ්ණත්වය
 DocType: Project,Project will be accessible on the website to these users,ව්යාපෘති මේ පරිශීලකයන්ට එම වෙබ් අඩවිය පිවිසිය හැකි වනු ඇත
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} අවලංගු කළ නොහැකි නිසා අනුක්රම අංක {2} ගබඩාවට අයත් නොවේ {3}
 DocType: Detected Disease,Disease,රෝගය
+DocType: Company,Default Deferred Expense Account,කල් ඉකුත් වූ වියදම් ගිණුම
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,ව ාපෘති වර්ගය නිර්වචනය කරන්න.
 DocType: Supplier Scorecard,Weighting Function,බර කිරිමේ කාර්යය
 DocType: Healthcare Practitioner,OP Consulting Charge,OP උපදේශන ගාස්තු
@@ -847,7 +852,7 @@
 DocType: Crop,Produced Items,නිෂ්පාදිත අයිතම
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ඉන්වොයිසිවලට ගණුදෙනු කිරීම
 DocType: Sales Order Item,Gross Profit,දළ ලාභය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,අවහිර කිරීම ඉන්වොයිසිය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,අවහිර කිරීම ඉන්වොයිසිය
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,වර්ධකය 0 වෙන්න බෑ
 DocType: Company,Delete Company Transactions,සමාගම ගනුදෙනු Delete
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,ෙයොමු අංකය හා විමර්ශන දිනය බැංකුවේ ගනුදෙනුව සඳහා අනිවාර්ය වේ
@@ -868,11 +873,11 @@
 DocType: Budget,Ignore,නොසලකා හරිනවා
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} සක්රීය නොවන
 DocType: Woocommerce Settings,Freight and Forwarding Account,නැව්ගත කිරීමේ සහ යොමු කිරීමේ ගිණුම
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,මුද්රණය සඳහා පිහිටුවීම් චෙක්පත මාන
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,මුද්රණය සඳහා පිහිටුවීම් චෙක්පත මාන
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,වැටුප් ලම්ප් නිර්මාණය කරන්න
 DocType: Vital Signs,Bloated,ඉදිමී
 DocType: Salary Slip,Salary Slip Timesheet,වැටුප් පුරවා Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,උප කොන්ත්රාත් මිලදී ගැනීම රිසිට්පත අනිවාර්ය සැපයුම්කරු ගබඩාව
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,උප කොන්ත්රාත් මිලදී ගැනීම රිසිට්පත අනිවාර්ය සැපයුම්කරු ගබඩාව
 DocType: Item Price,Valid From,සිට වලංගු
 DocType: Sales Invoice,Total Commission,මුළු කොමිෂන් සභාව
 DocType: Tax Withholding Account,Tax Withholding Account,බදු රඳවා ගැනීමේ ගිණුම
@@ -880,12 +885,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,සියලු සැපයුම්කරුවන්ගේ ලකුණු දර්ශක.
 DocType: Buying Settings,Purchase Receipt Required,මිලදී ගැනීම කුවිතාන්සිය අවශ්ය
 DocType: Delivery Note,Rail,දුම්රිය
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,පේලිය {0} ඉලක්කගත ගබඩාව වැඩ පිළිවෙළට සමාන විය යුතුය
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"ආරම්භක තොගය තිබේ නම්, තක්සේරු අනුපාත අනිවාර්ය වේ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,පේලිය {0} ඉලක්කගත ගබඩාව වැඩ පිළිවෙළට සමාන විය යුතුය
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"ආරම්භක තොගය තිබේ නම්, තක්සේරු අනුපාත අනිවාර්ය වේ"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,වාර්තා ඉන්ෙවොයිසිය වගුව සොයාගැනීමට නොමැත
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,කරුණාකර ප්රථම සමාගම හා පක්ෂ වර්ගය තෝරා
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","පරිශීලකයා {1} සඳහා පරිශීලක පැතිකඩ {0} සඳහා සුපුරුදු ලෙස සකසා ඇත, කරුණාකර කාරුණිකව අබල කරන පෙරනිමිය"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,මූල්ය / ගිණුම් වර්ෂය.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,මූල්ය / ගිණුම් වර්ෂය.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,සමුච්චිත අගයන්
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","සමාවන්න, අනු අංක ඒකාබද්ධ කළ නොහැකි"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ගනුදෙනුකරුවන් සමූහය Shopify වෙතින් ගනුදෙනුකරුවන් සමමුහුර්ත කරන අතරම තෝරාගත් කණ්ඩායමකට ගනුදෙනුකරුවන් කණ්ඩායම තෝරා ගැනේ
@@ -899,7 +904,7 @@
 ,Lead Id,ඊයම් අංකය
 DocType: C-Form Invoice Detail,Grand Total,මුලු එකතුව
 DocType: Assessment Plan,Course,පාඨමාලාව
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,සංග්රහය
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,සංග්රහය
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,අර්ධ දින දින සිට දින සිට අද දක්වා කාලය අතර විය යුතුය
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,අයිතමය කරත්ත
@@ -908,7 +913,8 @@
 DocType: Employee,Personal Bio,පෞද්ගලික ජීව
 DocType: C-Form,IV,IV වන
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,සාමාජික හැඳුනුම්පත
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},පාවා: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},පාවා: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks සමඟ සම්බන්ධ වේ
 DocType: Bank Statement Transaction Entry,Payable Account,ගෙවිය යුතු ගිණුම්
 DocType: Payment Entry,Type of Payment,ගෙවීම් වර්ගය
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,අර්ධ දින දිනය අනිවාර්ය වේ
@@ -920,7 +926,7 @@
 DocType: Sales Invoice,Shipping Bill Date,නැව් බිල්පත දිනය
 DocType: Production Plan,Production Plan,නිෂ්පාදන සැලැස්ම
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ආරම්භක ඉන්වොයිස් සෑදීම මෙවලම
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,විකුණුම් ප්රතිලාභ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,විකුණුම් ප්රතිලාභ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,සටහන: මුළු වෙන් කොළ {0} කාලය සඳහා දැනටමත් අනුමැතිය කොළ {1} ට අඩු නොවිය යුතු ය
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,අනුක්රමික අංකයක් මත පදනම් වූ ගනුදෙනුවලදී Qty සකසන්න
 ,Total Stock Summary,මුළු කොටස් සාරාංශය
@@ -931,9 +937,9 @@
 DocType: Authorization Rule,Customer or Item,පාරිභෝගික හෝ විෂය
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,ගනුදෙනුකාර දත්ත පදනම්.
 DocType: Quotation,Quotation To,උද්ධෘත කිරීම
-DocType: Lead,Middle Income,මැදි ආදායම්
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,මැදි ආදායම්
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),විවෘත කිරීමේ (බැර)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ඔබ මේ වන විටත් තවත් UOM සමග සමහර ගනුදෙනු (ව) කර ඇති නිසා අයිතමය සඳහා නු පෙරනිමි ඒකකය {0} සෘජුවම වෙනස් කළ නොහැක. ඔබ වෙනස් පෙරනිමි UOM භාවිතා කිරීම සඳහා නව විෂය නිර්මාණය කිරීමට අවශ්ය වනු ඇත.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ඔබ මේ වන විටත් තවත් UOM සමග සමහර ගනුදෙනු (ව) කර ඇති නිසා අයිතමය සඳහා නු පෙරනිමි ඒකකය {0} සෘජුවම වෙනස් කළ නොහැක. ඔබ වෙනස් පෙරනිමි UOM භාවිතා කිරීම සඳහා නව විෂය නිර්මාණය කිරීමට අවශ්ය වනු ඇත.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,වෙන් කල මුදල සෘණ විය නොහැකි
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,සමාගම සකස් කරන්න
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,සමාගම සකස් කරන්න
@@ -951,15 +957,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,බැංකුව සටහන් කිරීමට ගෙවීම් ගිණුම තෝරන්න
 DocType: Hotel Settings,Default Invoice Naming Series,පෙරගෙවුම් ඉන්වොයිස් නම් කිරීමේ කාණ්ඩ
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","කොළ, වියදම් හිමිකම් සහ වැටුප් කළමනාකරණය සේවක වාර්තා නිර්මාණය"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,යාවත්කාලීන කිරීමේ ක්රියාවලියේදී දෝශයක් ඇතිවිය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,යාවත්කාලීන කිරීමේ ක්රියාවලියේදී දෝශයක් ඇතිවිය
 DocType: Restaurant Reservation,Restaurant Reservation,ආපන ශාලා
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,යෝජනාව ලේඛන
 DocType: Payment Entry Deduction,Payment Entry Deduction,ගෙවීම් සටහන් අඩු
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,ආවරණය කිරීම
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,විද්යුත් තැපෑල හරහා ගනුදෙනුකරුවන් දැනුවත් කරන්න
 DocType: Item,Batch Number Series,කාණ්ඩය ගණන
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,තවත් විකුණුම් පුද්ගලයෙක් {0} එම සේවක අංකය සහිත පවතී
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,තවත් විකුණුම් පුද්ගලයෙක් {0} එම සේවක අංකය සහිත පවතී
 DocType: Employee Advance,Claimed Amount,හිමිකම් ලද මුදල
+DocType: QuickBooks Migrator,Authorization Settings,අවසරය සැකසීම්
 DocType: Travel Itinerary,Departure Datetime,පිටත් වීම
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,ගමන් වියදම් පිරිවැය
@@ -998,26 +1005,29 @@
 DocType: Buying Settings,Supplier Naming By,කිරීම සැපයුම්කරු නම් කිරීම
 DocType: Activity Type,Default Costing Rate,පෙරනිමි සැඳුම්ලත් අනුපාතිකය
 DocType: Maintenance Schedule,Maintenance Schedule,නඩත්තු උපෙල්ඛනෙය්
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","එවිට මිල ගණන් රීති පාරිභෝගික, පාරිභෝගික සමූහය, ප්රදේශය සැපයුම්කරු සැපයුම්කරුවන් වර්ගය, ව්යාපාරය, විකුණුම් සහකරු ආදිය මත පදනම් අතරින් ප්රේරණය වේ"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","එවිට මිල ගණන් රීති පාරිභෝගික, පාරිභෝගික සමූහය, ප්රදේශය සැපයුම්කරු සැපයුම්කරුවන් වර්ගය, ව්යාපාරය, විකුණුම් සහකරු ආදිය මත පදනම් අතරින් ප්රේරණය වේ"
 DocType: Employee Promotion,Employee Promotion Details,සේවක ප්රවර්ධන විස්තරය
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,බඩු තොග ශුද්ධ වෙනස්
 DocType: Employee,Passport Number,විදේශ ගමන් බලපත්ර අංකය
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 සමඟ සම්බන්ධය
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,කළමනාකරු
 DocType: Payment Entry,Payment From / To,/ සිට දක්වා ගෙවීම්
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,මූල්ය වර්ෂය සිට
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},නව ණය සීමාව පාරිභෝගික වත්මන් හිඟ මුදල වඩා අඩු වේ. ණය සීමාව බෙ {0} විය යුතුය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},ගබඩාවෙහි ගිණුම සකසන්න {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},ගබඩාවෙහි ගිණුම සකසන්න {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;මත පදනම් වූ&#39; සහ &#39;කණ්ඩායම විසින්&#39; සමාන විය නොහැකි
 DocType: Sales Person,Sales Person Targets,විකුණුම් පුද්ගලයා ඉලක්ක
 DocType: Work Order Operation,In minutes,විනාඩි
 DocType: Issue,Resolution Date,යෝජනාව දිනය
 DocType: Lab Test Template,Compound,සංයුක්තය
+DocType: Opportunity,Probability (%),සම්භාවිතාව (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,යැවීම නිවේදනය
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,දේපල තෝරන්න
 DocType: Student Batch Name,Batch Name,කණ්ඩායම නම
 DocType: Fee Validity,Max number of visit,සංචාරය කරන ලද උපරිම සංඛ්යාව
 ,Hotel Room Occupancy,හෝටල් කාමරය
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet නිර්මාණය:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},ගෙවීම් ප්රකාරය {0} පැහැර මුදල් හෝ බැංකු ගිණුම් සකස් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},ගෙවීම් ප්රකාරය {0} පැහැර මුදල් හෝ බැංකු ගිණුම් සකස් කරන්න
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,ලියාපදිංචි
 DocType: GST Settings,GST Settings,GST සැකසුම්
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},ව්යවහාර මුදල් ලැයිස්තු ගත කළ යුත්තේ මිල ලැයිස්තුව: {0}
@@ -1058,12 +1068,12 @@
 DocType: Loan,Total Interest Payable,සම්පූර්ණ පොලී ගෙවිය යුතු
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,වියදම බදු හා ගාස්තු ගොඩ බස්වන ලදී
 DocType: Work Order Operation,Actual Start Time,සැබෑ ආරම්භය කාල
+DocType: Purchase Invoice Item,Deferred Expense Account,විලම්බිත වියදම් ගිණුම
 DocType: BOM Operation,Operation Time,මෙහෙයුම කාල
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,අවසානයි
 DocType: Salary Structure Assignment,Base,පදනම
 DocType: Timesheet,Total Billed Hours,මුළු අසූහත පැය
 DocType: Travel Itinerary,Travel To,සංචාරය කරන්න
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,නොවේ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,මුදල කපා
 DocType: Leave Block List Allow,Allow User,පරිශීලක ඉඩ දෙන්න
 DocType: Journal Entry,Bill No,පනත් කෙටුම්පත මෙයට
@@ -1082,9 +1092,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,කාලය පත්රය
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,"Backflush, අමු ද්රව්ය මත පදනම් වන දින"
 DocType: Sales Invoice,Port Code,වරාය කේතය
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,සංචිත ගබඩාව
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,සංචිත ගබඩාව
 DocType: Lead,Lead is an Organization,නායකත්වය සංවිධානයකි
-DocType: Guardian Interest,Interest,පොලී
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,පෙර විකුණුම්
 DocType: Instructor Log,Other Details,වෙනත් විස්තර
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1094,7 +1103,7 @@
 DocType: Account,Accounts,ගිණුම්
 DocType: Vehicle,Odometer Value (Last),Odometer අගය (අවසන්)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,සැපයුම්කරුවන්ගේ ලකුණුකරුවන්ගේ නිර්ණායක
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,අලෙවි
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,අලෙවි
 DocType: Sales Invoice,Redeem Loyalty Points,මුදා හරින ලෙන්ගතු ලක්ෂ්ය
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,ගෙවීම් සටහන් දැනටමත් නිර්මාණය
 DocType: Request for Quotation,Get Suppliers,සැපයුම්කරුවන් ලබා ගන්න
@@ -1110,16 +1119,14 @@
 DocType: Crop,Crop Spacing UOM,බෝග පරතරය UOM
 DocType: Loyalty Program,Single Tier Program,එකම මට්ටමේ වැඩසටහන
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ඔබ විසින් සැකසූ මුදල් ප්රවාහ සිතියම් ලේඛන සකසා ඇත්නම් පමණක් තෝරා ගන්න
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,ලිපිනය 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,ලිපිනය 1
 DocType: Email Digest,Next email will be sent on:,ඊළඟ ඊ-තැපැල් යවා වනු ඇත:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",{Item} අයිතමයක් ලෙස සලකුණු කළ අයිතමයන් {items} {verb}. ඔබට අයිතමය භාරයේ සිට {message} අයිතමය ලෙස ඒවා සක්රීය කළ හැකිය.
 DocType: Supplier Scorecard,Per Week,සතියකට
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,අයිතමය ප්රභේද ඇත.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,අයිතමය ප්රභේද ඇත.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,සම්පූර්ණ ශිෂ්යයා
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,අයිතමය {0} සොයාගත නොහැකි
 DocType: Bin,Stock Value,කොටස් අගය
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,සමාගම {0} නොපවතියි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,සමාගම {0} නොපවතියි
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} දක්වා කාලය වලංගු වේ {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,රුක් වර්ගය
 DocType: BOM Explosion Item,Qty Consumed Per Unit,ඒකකය එක් පරිභෝජනය යවන ලද
@@ -1135,7 +1142,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,ක්රෙඩිට් කාඩ් සටහන්
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,සමාගම හා ගිණුම්
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,අගය දී
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,අගය දී
 DocType: Asset Settings,Depreciation Options,ක්ෂයවීම් ක්රම
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,ස්ථානය හෝ සේවකයා අවශ්ය විය යුතුය
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,වලංගු නොවන තැපැල් කිරීම
@@ -1152,20 +1159,21 @@
 DocType: Leave Allocation,Allocation,වෙන් කිරීම
 DocType: Purchase Order,Supply Raw Materials,"සම්පාදන, අමු ද්රව්ය"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ජංගම වත්කම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} කොටස් අයිතමය නොවේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} කොටස් අයිතමය නොවේ
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"පුහුණුවීම් සඳහා ක්ලික් කිරීමෙන් ඔබේ ප්රතිපෝෂණය බෙදාගන්න, පසුව &#39;නව&#39;"
 DocType: Mode of Payment Account,Default Account,පෙරනිමි ගිණුම
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,කරුණාකර මුලින්ම කොටස් සැකසුම් වල සාම්පල රඳවා තබා ගැනීමේ ගබඩාව තෝරන්න
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,කරුණාකර මුලින්ම කොටස් සැකසුම් වල සාම්පල රඳවා තබා ගැනීමේ ගබඩාව තෝරන්න
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,එකතු කිරීමේ නීති වලට වඩා වැඩි ගණනක් සඳහා කරුණාකර බහු ස්ථරයේ වැඩසටහන් වර්ගය තෝරන්න.
 DocType: Payment Entry,Received Amount (Company Currency),ලැබී ප්රමාණය (සමාගම ව්යවහාර මුදල්)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"අවස්ථා පෙරමුණ සිදු කෙරේ නම්, ඊයම් තබා ගත යුතුය"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,ගෙවීම් අවලංගු වේ. වැඩි විස්තර සඳහා ඔබගේ GoCardless ගිණුම පරීක්ෂා කරන්න
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,ඇමුණුම් සමඟ යවන්න
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,කරුණාකර සතිපතා ලකුණු දින තෝරා
 DocType: Inpatient Record,O Negative,සෘණාත්මකව
 DocType: Work Order Operation,Planned End Time,සැලසුම්ගත අවසන් වන වේලාව
 ,Sales Person Target Variance Item Group-Wise,විකුණුම් පුද්ගලයා ඉලක්ක විචලතාව අයිතමය සමූහ ප්රාඥ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,පවත්නා ගනුදෙනුව ගිණුමක් ලෙජර් බවට පරිවර්තනය කළ නොහැකි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,පවත්නා ගනුදෙනුව ගිණුමක් ලෙජර් බවට පරිවර්තනය කළ නොහැකි
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,මයික්රොසොෆ්ට් වර්ගය විස්තර
 DocType: Delivery Note,Customer's Purchase Order No,පාරිභෝගික මිලදී ගැනීමේ නියෝගයක් නැත
 DocType: Clinical Procedure,Consume Stock,පරිභෝජනය තොගය
@@ -1178,26 +1186,26 @@
 DocType: Soil Texture,Sand,වැලි
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,බලශක්ති
 DocType: Opportunity,Opportunity From,සිට අවස්ථාව
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,පේළිය {0}: {1} අයිතමය සඳහා අවශ්ය වන අනුක්රමික අංකයන් {2}. ඔබ සපයා ඇත්තේ {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,පේළිය {0}: {1} අයිතමය සඳහා අවශ්ය වන අනුක්රමික අංකයන් {2}. ඔබ සපයා ඇත්තේ {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,කරුණාකර වගුවක් තෝරන්න
 DocType: BOM,Website Specifications,වෙබ් අඩවිය පිරිවිතර
 DocType: Special Test Items,Particulars,විස්තර
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: {0} වර්ගයේ {1} සිට
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,ෙරෝ {0}: පරිවර්තන සාධකය අනිවාර්ය වේ
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,ෙරෝ {0}: පරිවර්තන සාධකය අනිවාර්ය වේ
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","බහු මිල රීති එම නිර්ණායක සමග පවතී, ප්රමුඛත්වය යොමු කිරීම මගින් ගැටුම විසඳීමට කරන්න. මිල රීති: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","බහු මිල රීති එම නිර්ණායක සමග පවතී, ප්රමුඛත්වය යොමු කිරීම මගින් ගැටුම විසඳීමට කරන්න. මිල රීති: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,විනිමය අනුපාතික ප්රතිශෝධන ගිණුම
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,එය අනෙක් BOMs සම්බන්ධ වන ලෙස ද ෙව් විසන්ධි කිරීම හෝ අවලංගු කිරීම කළ නොහැකි
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,එය අනෙක් BOMs සම්බන්ධ වන ලෙස ද ෙව් විසන්ධි කිරීම හෝ අවලංගු කිරීම කළ නොහැකි
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,කරුණාකර ඇතුළත් කිරීම සඳහා සමාගම හා දිනය පළ කිරීම තෝරන්න
 DocType: Asset,Maintenance,නඩත්තු
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Patient Encounter වෙතින් ලබාගන්න
 DocType: Subscriber,Subscriber,ග්රාහකයා
 DocType: Item Attribute Value,Item Attribute Value,අයිතමය Attribute අගය
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,කරුණාකර ඔබගේ ව්යාපෘති තත්ත්වය යාවත්කාලීන කරන්න
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,කරුණාකර ඔබගේ ව්යාපෘති තත්ත්වය යාවත්කාලීන කරන්න
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,විනිමය හෝ විකිණීම සඳහා මුදල් හුවමාරුව අදාළ විය යුතුය.
 DocType: Item,Maximum sample quantity that can be retained,රඳවා ගත හැකි උපරිම නියැදි ප්රමාණය
 DocType: Project Update,How is the Project Progressing Right Now?,ව්යාපෘතිය දැන් ප්රගතිශීලී වන්නේ කෙසේද?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},පේළිය {0} # අයිතම {1} මිලදී ගැනීමේ නියෝගයට එරෙහිව {2} වඩා වැඩි සංඛ්යාවක් මාරු කළ නොහැක {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},පේළිය {0} # අයිතම {1} මිලදී ගැනීමේ නියෝගයට එරෙහිව {2} වඩා වැඩි සංඛ්යාවක් මාරු කළ නොහැක {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,විකුණුම් ව්යාපාර.
 DocType: Project Task,Make Timesheet,Timesheet කරන්න
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1226,36 +1234,38 @@
 DocType: Lab Test,Lab Test,පරීක්ෂණය
 DocType: Student Report Generation Tool,Student Report Generation Tool,ශිෂ්ය වාර්තා උත්පාදන මෙවලම
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,සෞඛ්ය ආරක්ෂණ කාලසටහන කාල පරාසය
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,ඩොක් නම
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,ඩොක් නම
 DocType: Expense Claim Detail,Expense Claim Type,වියදම් හිමිකම් වර්ගය
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,සාප්පු සවාරි කරත්ත සඳහා පෙරනිමි සැකසුම්
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Timeslots එකතු කරන්න
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},ජර්නල් සටහන් {0} හරහා ඒම වත්කම්
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},කරුණාකර ගබඩාව {0} හෝ ව්යාපාරයේ පෙරගෙවුම් ඉන්වොයිසි ගිණුම {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},ජර්නල් සටහන් {0} හරහා ඒම වත්කම්
 DocType: Loan,Interest Income Account,පොලී ආදායම ගිණුම
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Max ප්රතිලාභ ශුන්යයට වඩා වැඩි විය යුතුය
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Max ප්රතිලාභ ශුන්යයට වඩා වැඩි විය යුතුය
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,සමාලෝචනය යැවූ ලිපිය
 DocType: Shift Assignment,Shift Assignment,Shift පැවරුම
 DocType: Employee Transfer Property,Employee Transfer Property,සේවක ස්ථාන මාරු දේපල
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,කාලය සිට කාලය දක්වා අඩු විය යුතුය
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,ජෛව තාක්ෂණ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",අයිතමය {0} (අනුක්රමික අංකය: {1}) විකුණුම් නියෝගය {2} පූර්ණ ලෙස සම්පූර්ණ කිරීම ලෙස නැවත පරිභෝජනය කළ නොහැක.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,කාර්යාලය නඩත්තු වියදම්
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,යන්න
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify සිට ERPNext මිල ලැයිස්තුවෙන් මිල යාවත්කාලීන කරන්න
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ඊ-තැපැල් ගිණුම සකස් කිරීම
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,පළමු අයිතමය ඇතුලත් කරන්න
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,අවශ්යතා විශ්ලේෂණය
 DocType: Asset Repair,Downtime,අතිකාල දීමනා
 DocType: Account,Liability,වගකීම්
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,අනුමැතිය ලත් මුදල ෙරෝ {0} තුළ හිමිකම් ප්රමාණය ට වඩා වැඩි විය නොහැක.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,අනුමැතිය ලත් මුදල ෙරෝ {0} තුළ හිමිකම් ප්රමාණය ට වඩා වැඩි විය නොහැක.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,අධ්යයන වාරය:
 DocType: Salary Component,Do not include in total,මුලුමනින්ම ඇතුළත් නොකරන්න
 DocType: Company,Default Cost of Goods Sold Account,විදුලි උපකරණ පැහැර වියදම ගිණුම අලෙවි
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},සාම්පල ප්රමාණය {0} ප්රමාණයට වඩා වැඩි විය නොහැක {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,මිල ලැයිස්තුව තෝරා ගෙන නොමැති
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},සාම්පල ප්රමාණය {0} ප්රමාණයට වඩා වැඩි විය නොහැක {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,මිල ලැයිස්තුව තෝරා ගෙන නොමැති
 DocType: Employee,Family Background,පවුල් පසුබිම
 DocType: Request for Quotation Supplier,Send Email,යවන්න විද්යුත්
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},අවවාදයයි: වලංගු නොවන ඇමුණුම් {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},අවවාදයයි: වලංගු නොවන ඇමුණුම් {0}
 DocType: Item,Max Sample Quantity,නියැදි නියැදි ප්රමාණය
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,කිසිදු අවසරය
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,කොන්ත්රාත් ඉටු කිරීම පිරික්සුම් ලැයිස්තුව
@@ -1287,15 +1297,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: පිරිවැය මධ්යස්ථානය {2} සමාගම {3} අයත් නොවේ
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),ඔබගේ ලිපියේ ශීර්ෂය උඩුගත කරන්න.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: ගිණුම් {2} සහිත සමූහය විය නොහැකි
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,අයිතමය ෙරෝ {idx}: {doctype} {docname} ඉහත &#39;{doctype}&#39; වගුවේ නොපවතියි
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} වන විට අවසන් කර හෝ අවලංගු වේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} වන විට අවසන් කර හෝ අවලංගු වේ
+DocType: QuickBooks Migrator,QuickBooks Migrator,ඉක්මන් පොත් Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,කිසිදු කාර්යයන්
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,විකුණුම් ඉන්වොයිසිය {0} විසින් ගෙවනු ලැබුවා
 DocType: Item Variant Settings,Copy Fields to Variant,ප්රභේදයට පිටපත් කරන්න
 DocType: Asset,Opening Accumulated Depreciation,සමුච්චිත ක්ෂය විවෘත
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,ලකුණු අඩු හෝ 5 දක්වා සමාන විය යුතුයි
 DocType: Program Enrollment Tool,Program Enrollment Tool,වැඩසටහන ඇතුළත් මෙවලම
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-ආකෘතිය වාර්තා
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-ආකෘතිය වාර්තා
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,කොටස් දැනටමත් පවතී
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,පාරිභෝගික සහ සැපයුම්කරුවන්
 DocType: Email Digest,Email Digest Settings,විද්යුත් Digest සැකසුම්
@@ -1308,12 +1318,12 @@
 DocType: Production Plan,Select Items,අයිතම තෝරන්න
 DocType: Share Transfer,To Shareholder,කොටස්කරු
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} පනත් කෙටුම්පත {1} එරෙහිව දිනැති {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,රාජ්යයෙන්
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,රාජ්යයෙන්
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,ස්ථාපන ආයතනය
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,කොළ වෙන් කිරීම ...
 DocType: Program Enrollment,Vehicle/Bus Number,වාහන / බස් අංකය
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,පාඨමාලා කාලසටහන
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",වැටුප් රහිත කාල පරිච්ඡේදයේ අළුත්ම වැටුප් බදු ස්ලිප්හි සේවක ප්රතිලාභ නොලැබූ බදු අහෝසි කිරීමේ සාධක සහ නොකෙරුණු \
 DocType: Request for Quotation Supplier,Quote Status,Quote තත්වය
 DocType: GoCardless Settings,Webhooks Secret,වෙබ් කෙක්ස් රහස්
@@ -1339,13 +1349,13 @@
 DocType: Sales Invoice,Payment Due Date,ගෙවීම් නියමිත දිනය
 DocType: Drug Prescription,Interval UOM,UOM හි වේගය
 DocType: Customer,"Reselect, if the chosen address is edited after save","තෝරාගත් පසු, තෝරාගත් ලිපිනය සුරැකීමෙන් අනතුරුව සංස්කරණය කරනු ලැබේ"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,අයිතමය ප්රභේද්යයක් {0} දැනටමත් එම ලක්ෂණ සහිත පවතී
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,අයිතමය ප්රභේද්යයක් {0} දැනටමත් එම ලක්ෂණ සහිත පවතී
 DocType: Item,Hub Publishing Details,තොරතුරු මධ්යස්ථානය තොරතුරු විස්තර
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;විවෘත&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;විවෘත&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,විවෘත එක්කෙනාගේ
 DocType: Issue,Via Customer Portal,ගනුදෙනුකාර ද්වාරය හරහා
 DocType: Notification Control,Delivery Note Message,සැපයුම් සටහන පණිවුඩය
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST මුදල
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST මුදල
 DocType: Lab Test Template,Result Format,ප්රතිඵල ආකෘතිය
 DocType: Expense Claim,Expenses,වියදම්
 DocType: Item Variant Attribute,Item Variant Attribute,අයිතමය ප්රභේද්යයක් Attribute
@@ -1353,14 +1363,12 @@
 DocType: Payroll Entry,Bimonthly,Bimonthly
 DocType: Vehicle Service,Brake Pad,තිරිංග Pad
 DocType: Fertilizer,Fertilizer Contents,පොහොර අන්තර්ගතය
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,පර්යේෂණ හා සංවර්ධන
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,පර්යේෂණ හා සංවර්ධන
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,පනත් කෙටුම්පත මුදල
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ආරම්භක දිනය සහ අවසන් දිනය කාර්යය කාඩ්පත සමඟ අතිශුද්ධව පවතී <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,ලියාපදිංචි විස්තර
 DocType: Timesheet,Total Billed Amount,මුළු අසූහත මුදල
 DocType: Item Reorder,Re-Order Qty,නැවත සාමය යවන ලද
 DocType: Leave Block List Date,Leave Block List Date,වාරණ ලැයිස්තුව දිනය නිවාඩු
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,කරුණාකර අධ්යාපනය&gt; අධ්යාපන සැකසීම් තුළ උපදේශක නාමකරණයක් සැකසීම
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: අමුද්රව්ය මුලික අයිතමයට සමාන විය නොහැක
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,මිලදී ගැනීම රිසිට්පත අයිතම වගුවේ මුළු අදාළ ගාස්තු මුළු බදු හා ගාස්තු ලෙස එම විය යුතුය
 DocType: Sales Team,Incentives,සහන
@@ -1374,7 +1382,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,පේදුරු-of-Sale විකිණීමට
 DocType: Fee Schedule,Fee Creation Status,ගාස්තු නිර්මාණ තත්ත්වය
 DocType: Vehicle Log,Odometer Reading,මීටරෙය්
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ගිණුම් ශේෂය දැනටමත් ණය, ඔබ නියම කිරීමට අවසර නැත &#39;ඩෙබිට්&#39; ලෙස &#39;ශේෂ විය යුතුයි&#39;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ගිණුම් ශේෂය දැනටමත් ණය, ඔබ නියම කිරීමට අවසර නැත &#39;ඩෙබිට්&#39; ලෙස &#39;ශේෂ විය යුතුයි&#39;"
 DocType: Account,Balance must be,ශේෂ විය යුතුය
 DocType: Notification Control,Expense Claim Rejected Message,වියදම් හිමිකම් පණිවුඩය ප්රතික්ෂේප
 ,Available Qty,ලබා ගත හැකි යවන ලද
@@ -1386,7 +1394,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ඇමේසන් MWS වෙතින් ඔබගේ නිෂ්පාදන සමමුහුර්ත කරන්න
 DocType: Delivery Trip,Delivery Stops,බෙදාහැරීම් සීමාව
 DocType: Salary Slip,Working Days,වැඩ කරන දවස්
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},පේළියෙහි අයිතමය සඳහා සේවා නැවතුම් දිනය වෙනස් කළ නොහැක {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},පේළියෙහි අයිතමය සඳහා සේවා නැවතුම් දිනය වෙනස් කළ නොහැක {0}
 DocType: Serial No,Incoming Rate,ලැබෙන අනුපාත
 DocType: Packing Slip,Gross Weight,දළ බර
 DocType: Leave Type,Encashment Threshold Days,බාධක සීමාව
@@ -1405,31 +1413,33 @@
 DocType: Restaurant Table,Minimum Seating,අවම ආසන
 DocType: Item Attribute,Item Attribute Values,අයිතමය Attribute වටිනාකම්
 DocType: Examination Result,Examination Result,විභාග ප්රතිඵල
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,මිලදී ගැනීම කුවිතාන්සිය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,මිලදී ගැනීම කුවිතාන්සිය
 ,Received Items To Be Billed,ලැබී අයිතම බිල්පතක්
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,මුදල් හුවමාරු අනුපාතය ස්වාමියා.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,මුදල් හුවමාරු අනුපාතය ස්වාමියා.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},විමර්ශන Doctype {0} එකක් විය යුතුය
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,මුල පිරික්සන්න
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},මෙහෙයුම {1} සඳහා ඉදිරි {0} දින තුළ කාල Slot සොයා ගැනීමට නොහැකි
 DocType: Work Order,Plan material for sub-assemblies,උප-එකලස්කිරීම් සඳහා සැලසුම් ද්රව්ය
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,විකුණුම් හවුල්කරුවන් සහ ප්රාට්රද්ීයය
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,ද්රව්ය ලේඛණය {0} ක්රියාකාරී විය යුතුය
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,ද්රව්ය ලේඛණය {0} ක්රියාකාරී විය යුතුය
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,ස්ථාන මාරු සඳහා අයිතම නොමැත
 DocType: Employee Boarding Activity,Activity Name,ක්රියාකාරකම් නම
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,නිකුත් කරන දිනය වෙනස් කරන්න
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,නිමි භාණ්ඩයේ ප්රමාණය <b>{0}</b> සහ ප්රමාණය <b>{1}</b> වෙනස් විය නොහැක
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,නිකුත් කරන දිනය වෙනස් කරන්න
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,නිමි භාණ්ඩයේ ප්රමාණය <b>{0}</b> සහ ප්රමාණය <b>{1}</b> වෙනස් විය නොහැක
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),අවසාන (විවෘත කිරීම + සම්පූර්ණ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,අයිතම කේතය&gt; අයිතමය කාණ්ඩ&gt; වෙළඳ නාමය
+DocType: Delivery Settings,Dispatch Notification Attachment,විවාශ්ශන ඇමුණුම් ඇමිණුම්
 DocType: Payroll Entry,Number Of Employees,සේවකයන් ගණන
 DocType: Journal Entry,Depreciation Entry,ක්ෂය සටහන්
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,කරුණාකර පළමු ලිපි වර්ගය තෝරා
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,කරුණාකර පළමු ලිපි වර්ගය තෝරා
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,මෙම නඩත්තු සංචාරය අවලංගු කර පෙර ද්රව්ය සංචාර {0} අවලංගු කරන්න
 DocType: Pricing Rule,Rate or Discount,අනුපාතිකය හෝ වට්ටම්
 DocType: Vital Signs,One Sided,එක් පැත්තක්
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},අනු අංකය {0} අයිතමය අයිති නැත {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,අවශ්ය යවන ලද
 DocType: Marketplace Settings,Custom Data,අභිරුචි දත්ත
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව ලෙජර් පරිවර්තනය කළ නොහැක.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},අයිතම අංකය {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව ලෙජර් පරිවර්තනය කළ නොහැක.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},අයිතම අංකය {0}
 DocType: Bank Reconciliation,Total Amount,මුලු වටිනාකම
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,දිනය හා දිනය දක්වා වෙනස් වන මූල්ය වර්ෂය තුළ
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,රෝගියා {0} ඉන්වොයිසියකට ගනුදෙනුකරුගේ බැඳුම්කර නොමැත
@@ -1440,9 +1450,9 @@
 DocType: Soil Texture,Clay Composition (%),මැටි සංයුතිය (%)
 DocType: Item Group,Item Group Defaults,අයිතම සමූහය පෙරනිමි
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,කාර්යය පැවරීමට පෙර ඉතිරි කරන්න.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ශේෂ අගය
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ශේෂ අගය
 DocType: Lab Test,Lab Technician,විද්යාගාරය
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,විකුණුම් මිල ලැයිස්තුව
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,විකුණුම් මිල ලැයිස්තුව
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","පරික්ෂා කර ඇත්නම්, පාරිභෝගිකයා නිර්මාණය කරනු ලබන අතර, රෝගියා වෙත සිතියම්කරණය කර ඇත. මෙම ගණුදෙනුකරුට රෝගියාගේ ඉන්වොයිස මතුවනු ඇත. Patient නිර්මාණය කිරීමේදී ඔබට පවතින පාරිභෝගිකයා තෝරා ගත හැකිය."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ඕනෑම ලෝයල්ටි වැඩසටහනක ගනුදෙනුකරු බැඳී නැත
@@ -1456,13 +1466,13 @@
 DocType: Support Search Source,Search Term Param Name,සෙවීම පරම නම
 DocType: Item Barcode,Item Barcode,අයිතමය Barcode
 DocType: Woocommerce Settings,Endpoints,අවසානය
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,අයිතමය ප්රභේද {0} යාවත්කාලීන
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,අයිතමය ප්රභේද {0} යාවත්කාලීන
 DocType: Quality Inspection Reading,Reading 6,කියවීම 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,{0} නොහැකි {1} {2} සෘණාත්මක කැපී පෙනෙන ඉන්වොයිස් තොරව
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,{0} නොහැකි {1} {2} සෘණාත්මක කැපී පෙනෙන ඉන්වොයිස් තොරව
 DocType: Share Transfer,From Folio No,ෙප්ලි අංක
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,මිලදී ගැනීම ඉන්වොයිසිය අත්තිකාරම්
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},ෙරෝ {0}: ක්රෙඩිට් විසයක් {1} සමග සම්බන්ධ විය නොහැකි
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,මූල්ය වර්ෂය සඳහා අයවැය අර්ථ දක්වන්න.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,මූල්ය වර්ෂය සඳහා අයවැය අර්ථ දක්වන්න.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext ගිණුම
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} අවහිර කරනු ලැබේ. මෙම ගනුදෙනුව ඉදිරියට යා නොහැක
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,සමුච්චිත මාසික අයවැය ඉක්මවා ගියහොත් ක්රියා කිරීම
@@ -1478,19 +1488,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,මිලදී ගැනීම ඉන්වොයිසිය
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,වැඩ පිළිවෙලට එරෙහිව ද්රව්යමය පරිභෝජනය සඳහා ඉඩ දෙන්න
 DocType: GL Entry,Voucher Detail No,වවුචරය විස්තර නොමැත
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,නව විකුණුම් ඉන්වොයිසිය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,නව විකුණුම් ඉන්වොයිසිය
 DocType: Stock Entry,Total Outgoing Value,මුළු ඇමතුම් අගය
 DocType: Healthcare Practitioner,Appointments,පත්වීම්
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,දිනය හා අවසාන දිනය විවෘත එම මුදල් වර්ෂය තුළ විය යුතු
 DocType: Lead,Request for Information,තොරතුරු සඳහා වන ඉල්ලීම
 ,LeaderBoard,ප්රමුඛ
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),අනුපාතිකය අනුපාතිකය (සමාගම් ව්යවහාර මුදල්)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි
 DocType: Payment Request,Paid,ගෙවුම්
 DocType: Program Fee,Program Fee,වැඩසටහන ගාස්තු
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","එය භාවිතා කරන වෙනත් BOM හි විශේෂිත BOM එකක ප්රතිස්ථාපනය කරන්න. පැරණි BOM සබැඳිය වෙනුවට, නව BOM අනුව අනුව පිරිවැය යාවත්කාලීන කිරීම හා BOM පුපුරණ ද්රව්ය අයිතම වගු ප්රතිස්ථාපනය කරනු ඇත. සියලුම BOMs වල නවතම මිලක් ද එය යාවත්කාලීන කරයි."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,පහත දැක්වෙන සේවා ඇණවුම් නිර්මාණය කරන ලදි:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,පහත දැක්වෙන සේවා ඇණවුම් නිර්මාණය කරන ලදි:
 DocType: Salary Slip,Total in words,වචන මුළු
 DocType: Inpatient Record,Discharged,විසන්ධි කෙරේ
 DocType: Material Request Item,Lead Time Date,ඉදිරියට ඇති කාලය දිනය
@@ -1501,16 +1511,16 @@
 DocType: Support Settings,Get Started Sections,ආරම්භ කළ අංශ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,අනුමත
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තාවක් සඳහා නිර්මාණය කර නැත
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},ෙරෝ # {0}: අයිතමය {1} සඳහා අනු අංකය සඳහන් කරන්න
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},මුළු දායක මුදල් ප්රමාණය: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},ෙරෝ # {0}: අයිතමය {1} සඳහා අනු අංකය සඳහන් කරන්න
 DocType: Payroll Entry,Salary Slips Submitted,වැටුප් ස්ලිප් ඉදිරිපත් කරන ලදි
 DocType: Crop Cycle,Crop Cycle,බෝග චක්රය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;නිෂ්පාදන පැකේජය&#39; භාණ්ඩ, ගබඩා, අනු අංකය හා කණ්ඩායම සඳහා කිසිඳු මෙම &#39;ඇසුරුම් ලැයිස්තු මේසයෙන් සලකා බලනු ඇත. ගබඩාව සහ කණ්ඩායම මෙයට කිසිම &#39;නිෂ්පාදන පැකේජය&#39; අයිතමයේ සඳහා සියලු ඇසුරුම් භාණ්ඩ සඳහා සමාන වේ නම්, එම අගයන් ප්රධාන විෂය වගුවේ ඇතුළත් කළ හැකි, සාරධර්ම &#39;ඇසුරුම් ලැයිස්තු&#39; වගුව වෙත පිටපත් කිරීමට නියමිතය."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;නිෂ්පාදන පැකේජය&#39; භාණ්ඩ, ගබඩා, අනු අංකය හා කණ්ඩායම සඳහා කිසිඳු මෙම &#39;ඇසුරුම් ලැයිස්තු මේසයෙන් සලකා බලනු ඇත. ගබඩාව සහ කණ්ඩායම මෙයට කිසිම &#39;නිෂ්පාදන පැකේජය&#39; අයිතමයේ සඳහා සියලු ඇසුරුම් භාණ්ඩ සඳහා සමාන වේ නම්, එම අගයන් ප්රධාන විෂය වගුවේ ඇතුළත් කළ හැකි, සාරධර්ම &#39;ඇසුරුම් ලැයිස්තු&#39; වගුව වෙත පිටපත් කිරීමට නියමිතය."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,පෙදෙස සිට
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,ශුද්ධ ගෙවීම් ඍණාත්මක විය නොහැක
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,පෙදෙස සිට
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,ශුද්ධ ගෙවීම් ඍණාත්මක විය නොහැක
 DocType: Student Admission,Publish on website,වෙබ් අඩවිය ප්රකාශයට පත් කරනු ලබයි
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,"සැපයුම්කරු ගෙවීම් දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය නොහැකි"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,"සැපයුම්කරු ගෙවීම් දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය නොහැකි"
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,අවලංගු දිනය
 DocType: Purchase Invoice Item,Purchase Order Item,මිලදී ගැනීමේ නියෝගයක් අයිතමය
@@ -1519,7 +1529,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,ශිෂ්ය පැමිණීම මෙවලම
 DocType: Restaurant Menu,Price List (Auto created),මිල ලැයිස්තුව (ස්වයංක්රීයව සාදා ඇති)
 DocType: Cheque Print Template,Date Settings,දිනය සැකසුම්
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,විචලතාව
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,විචලතාව
 DocType: Employee Promotion,Employee Promotion Detail,සේවක ප්රවර්ධන විස්තරය
 ,Company Name,සමාගම් නාමය
 DocType: SMS Center,Total Message(s),මුළු පණිවුඩය (ව)
@@ -1549,7 +1559,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,සේවක උපන්දින මතක් යවන්න එපා
 DocType: Expense Claim,Total Advance Amount,මුළු අත්තිකාරම් මුදල
 DocType: Delivery Stop,Estimated Arrival,ඇස්තමේන්තුගත පැමිණීම
-DocType: Delivery Stop,Notified by Email,ඊ-මේල් මගින් දැනුම් දෙනු ලැබේ
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,සියළුම ලිපි බලන්න
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,දී ගමන්
 DocType: Item,Inspection Criteria,පරීක්ෂණ නිර්ණායක
@@ -1559,23 +1568,22 @@
 DocType: Timesheet Detail,Bill,පනත් කෙටුම්පත
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,සුදු
 DocType: SMS Center,All Lead (Open),සියලු ඊයම් (විවෘත)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ෙරෝ {0}: පිවිසුම් කාලය පළකිරීම ගුදම් තුළ යවන ලද {4} සඳහා ලබා ගත හැකි {1} ({2} {3}) නොවේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ෙරෝ {0}: පිවිසුම් කාලය පළකිරීම ගුදම් තුළ යවන ලද {4} සඳහා ලබා ගත හැකි {1} ({2} {3}) නොවේ
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,ඔබට පමණක් චෙක්පත් පෙට්ටි ලැයිස්තුවෙන් එක් විකල්පය උපරිම තෝරාගත හැක.
 DocType: Purchase Invoice,Get Advances Paid,අත්තිකාරම් ගෙවීම්
 DocType: Item,Automatically Create New Batch,නව කණ්ඩායම ස්වයංක්රීයව නිර්මාණය
 DocType: Item,Automatically Create New Batch,නව කණ්ඩායම ස්වයංක්රීයව නිර්මාණය
 DocType: Supplier,Represents Company,සමාගම නියෝජනය කරයි
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,කරන්න
 DocType: Student Admission,Admission Start Date,ඇතුල් වීමේ ආරම්භය දිනය
 DocType: Journal Entry,Total Amount in Words,වචන මුළු මුදල
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,නව ෙසේවකයා
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"දෝශයක් ඇති විය. එක් අනුමාන හේතුව ඔබ එම ආකෘති පත්රය සුරක්ෂිත නොවන බව විය හැක. ගැටලුව පවතී නම්, support@erpnext.com අමතන්න."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,මගේ කරත්ත
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},සාමය වර්ගය {0} එකක් විය යුතුය
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},සාමය වර්ගය {0} එකක් විය යුතුය
 DocType: Lead,Next Contact Date,ඊළඟට අප අමතන්න දිනය
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,විවෘත යවන ලද
 DocType: Healthcare Settings,Appointment Reminder,හමුවීම සිහිගැන්වීම
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,වෙනස් මුදල සඳහා ගිණුම් ඇතුලත් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,වෙනස් මුදල සඳහා ගිණුම් ඇතුලත් කරන්න
 DocType: Program Enrollment Tool Student,Student Batch Name,ශිෂ්ය කණ්ඩායම නම
 DocType: Holiday List,Holiday List Name,නිවාඩු ලැයිස්තු නම
 DocType: Repayment Schedule,Balance Loan Amount,ඉතිරි ණය මුදල
@@ -1585,13 +1593,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,කොටස් විකල්ප
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,කරත්ත වලට එකතු කර නැත
 DocType: Journal Entry Account,Expense Claim,වියදම් හිමිකම්
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,ඔබ ඇත්තටම කටුගා දමා වත්කම් නැවත කිරීමට අවශ්යද?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,ඔබ ඇත්තටම කටුගා දමා වත්කම් නැවත කිරීමට අවශ්යද?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},{0} සඳහා යවන ලද
 DocType: Leave Application,Leave Application,අයදුම් තබන්න
 DocType: Patient,Patient Relation,රෝගියාගේ සම්බන්ධතාවය
 DocType: Item,Hub Category to Publish,හබ් කාණ්ඩයේ පළ කිරීම
 DocType: Leave Block List,Leave Block List Dates,වාරණ ලැයිස්තුව දිනයන් නිවාඩු
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","විකුණුම් අනුපිළිවෙල {0} අයිතමයට {1} අයිතමයක් වෙන් කර ඇති අතර, ඔබට {0} ට පමණක් {1} වෙන් කර තැබිය හැකිය. අනුපිළිවෙල අංක {2} වෙත භාර දිය නොහැක"
 DocType: Sales Invoice,Billing Address GSTIN,බිල්පත් ලිපිනය GSTIN
@@ -1609,16 +1617,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ඇති {0} කරුණාකර සඳහන් කරන්න
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,ප්රමාණය සහ වටිනාකම කිසිදු වෙනසක් සමග භාණ්ඩ ඉවත් කර ඇත.
 DocType: Delivery Note,Delivery To,වෙත බෙදා හැරීමේ
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variant නිර්මානය පෝලිමේ ඇත.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} සඳහා වැඩ සාරාංශය
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variant නිර්මානය පෝලිමේ ඇත.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} සඳහා වැඩ සාරාංශය
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ලැයිස්තුවෙහි පළමු අවසර පත්ර අනුමැතිය ලැබෙන්නේ පෙරනිමි නිවාඩු අනුමත කිරීම වශයෙනි.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,ගති ලක්ෂණය වගුව අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,ගති ලක්ෂණය වගුව අනිවාර්ය වේ
 DocType: Production Plan,Get Sales Orders,විකුණුම් නියෝග ලබා ගන්න
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} සෘණ විය නොහැකි
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,ක්ෂණික පොත්වලට සම්බන්ධ වන්න
 DocType: Training Event,Self-Study,ස්වයං අධ්යයනය
 DocType: POS Closing Voucher,Period End Date,කාලය අවසන් වන දිනය
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,පාංශු සංයුතිය 100 දක්වා එකතු නොවේ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,වට්ටමක්
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,පේළිය {0}: {1} විවෘත කිරීම {2} ඉන්වොයිස් සෑදීම සඳහා අවශ්ය වේ
 DocType: Membership,Membership,සාමාජිකත්වය
 DocType: Asset,Total Number of Depreciations,අගය පහත මුළු සංඛ්යාව
 DocType: Sales Invoice Item,Rate With Margin,ආන්තිකය සමග අනුපාතය
@@ -1630,7 +1640,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},පේළියක {0} සඳහා වලංගු ෙරෝ හැඳුනුම්පත සඳහන් කරන්න {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,විචල්යය සොයා ගත නොහැක:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,කරුණාකර numpad වෙතින් සංස්කරණය කිරීමට ක්ෂේත්රයක් තෝරන්න
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,තොග ලෙජරය සාදන නිසා ස්ථාවර වත්කම් අයිතමයක් විය නොහැක.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,තොග ලෙජරය සාදන නිසා ස්ථාවර වත්කම් අයිතමයක් විය නොහැක.
 DocType: Subscription Plan,Fixed rate,ස්ථාවර අනුපාතය
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,පිළිගන්න
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,මෙම පරිගණක වෙත ගොස් ERPNext භාවිතා ආරම්භ
@@ -1664,7 +1674,7 @@
 DocType: Tax Rule,Shipping State,නැව් රාජ්ය
 ,Projected Quantity as Source,මූලාශ්රය ලෙස ප්රක්ෂේපණය ප්රමාණ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,අයිතමය බොත්තම &#39;මිලදී ගැනීම ලැබීම් සිට අයිතම ලබා ගන්න&#39; භාවිතා එකතු කල යුතුය
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,සැපයුම් චාරිකාව
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,සැපයුම් චාරිකාව
 DocType: Student,A-,ඒ-
 DocType: Share Transfer,Transfer Type,මාරු වර්ගය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,විකුණුම් වියදම්
@@ -1677,8 +1687,9 @@
 DocType: Item Default,Default Selling Cost Center,පෙරනිමි විකිණීම පිරිවැය මධ්යස්ථානය
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,තැටි
 DocType: Buying Settings,Material Transferred for Subcontract,උප කොන්ත්රාත්තුව සඳහා පැවරූ ද්රව්ය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,කලාප කේතය
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},විකුණුම් සාමය {0} වේ {1}
+DocType: Email Digest,Purchase Orders Items Overdue,භාණ්ඩ මිලදී ගැනීම් නියෝග කල් ඉකුත් වේ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,කලාප කේතය
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},විකුණුම් සාමය {0} වේ {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},පොලී ආදායම් ගිණුමක් තෝරන්න {0}
 DocType: Opportunity,Contact Info,සම්බන්ධ වීම
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,කොටස් අයැදුම්පත් කිරීම
@@ -1691,12 +1702,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,ශුන්ය බිල්පත් කිරීම සඳහා ඉන්වොයිසිය කළ නොහැක
 DocType: Company,Date of Commencement,ආරම්භක දිනය
 DocType: Sales Person,Select company name first.,පළමු සමාගම නම තෝරන්න.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},විද්යුත් තැපෑල {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},විද්යුත් තැපෑල {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,සැපයුම්කරුවන් ලැබෙන මිල ගණන්.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM ආකෘති වෙනුවට නවීනතම අළුත් යාවත්කාලීන කිරීම
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} වෙත | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,මෙය මූල සැපයුම් කණ්ඩායමක් වන අතර සංස්කරණය කළ නොහැක.
-DocType: Delivery Trip,Driver Name,රියදුරු නම
+DocType: Delivery Note,Driver Name,රියදුරු නම
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,සාමාන්ය වයස අවුරුදු
 DocType: Education Settings,Attendance Freeze Date,පැමිණීම කණ්ඩරාව දිනය
 DocType: Education Settings,Attendance Freeze Date,පැමිණීම කණ්ඩරාව දිනය
@@ -1708,7 +1719,7 @@
 DocType: Company,Parent Company,මව් සමාගම
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},{0} වර්ගයේ හෝටල් කාමර නොමැත {1}
 DocType: Healthcare Practitioner,Default Currency,පෙරනිමි ව්යවහාර මුදල්
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,අයිතමය සඳහා උපරිම වට්ටම් {0} යනු {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,අයිතමය සඳහා උපරිම වට්ටම් {0} යනු {1}%
 DocType: Asset Movement,From Employee,සේවක සිට
 DocType: Driver,Cellphone Number,ජංගම දුරකථන අංකය
 DocType: Project,Monitor Progress,ප්රගතිය අධීක්ෂණය කරන්න
@@ -1723,19 +1734,20 @@
 DocType: Buying Settings,Default Supplier Group,Default Supplier Group
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},ප්රමාණය අඩු හෝ {0} වෙත සමාන විය යුතුයි
 DocType: Department Approver,Department Approver,දෙපාර්තමේන්තු අනුමැතිය
+DocType: QuickBooks Migrator,Application Settings,යෙදුම් සැකසීම්
 DocType: SMS Center,Total Characters,මුළු අක්ෂර
 DocType: Employee Advance,Claimed,හිමිකම් කියන ලදී
 DocType: Crop,Row Spacing,පේළි පරතරය
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},කරුණාකර විෂය සඳහා ද ෙව් ක්ෂේත්රයේ ද්රව්ය ලේඛණය තෝරා {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},කරුණාකර විෂය සඳහා ද ෙව් ක්ෂේත්රයේ ද්රව්ය ලේඛණය තෝරා {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,තෝරාගත් අයිතමය සඳහා අයිතමයන් වර්ගයක් නොමැත
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-ආකෘතිය ඉන්වොයිසිය විස්තර
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ගෙවීම් ප්රතිසන්ධාන ඉන්වොයිසිය
 DocType: Clinical Procedure,Procedure Template,ක්රියා පටිපාටිය
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,දායකත්වය %
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීමේ නියෝගයක් අවශ්ය == &#39;ඔව්&#39; නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීමේ නියෝගයක් නිර්මාණය කිරීමට අවශ්ය නම්"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,දායකත්වය %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීමේ නියෝගයක් අවශ්ය == &#39;ඔව්&#39; නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීමේ නියෝගයක් නිර්මාණය කිරීමට අවශ්ය නම්"
 ,HSN-wise-summary of outward supplies,HSN-ප්රඥාව-බාහිර සැපයුම්වල සාරාංශය
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ඔබේ ප්රයෝජනය සඳහා සමාගම ලියාපදිංචි අංක. බදු අංක ආදිය
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,රාජ්යයට
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,රාජ්යයට
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,බෙදාහැරීමේ
 DocType: Asset Finance Book,Asset Finance Book,වත්කම් මූල්ය පොත
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,සාප්පු සවාරි කරත්ත නැව් පාලනය
@@ -1744,7 +1756,7 @@
 ,Ordered Items To Be Billed,නියෝග අයිතම බිල්පතක්
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,රංගේ සිට රංගේ කිරීම වඩා අඩු විය යුතුය
 DocType: Global Defaults,Global Defaults,ගෝලීය Defaults
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,ව්යාපෘති ඒකාබද්ධතාවයක් ආරාධනයයි
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,ව්යාපෘති ඒකාබද්ධතාවයක් ආරාධනයයි
 DocType: Salary Slip,Deductions,අඩු කිරීම්
 DocType: Setup Progress Action,Action Name,ක්රියාකාරී නම
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,ආරම්භක වර්ෂය
@@ -1758,11 +1770,12 @@
 DocType: Lead,Consultant,උපදේශක
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,දෙමාපියන් ගුරු රැස්වීම
 DocType: Salary Slip,Earnings,ඉපැයීම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,අවසන් විෂය {0} නිෂ්පාදනය වර්ගය ප්රවේශය සඳහා ඇතුලත් කල යුතුය
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,අවසන් විෂය {0} නිෂ්පාදනය වර්ගය ප්රවේශය සඳහා ඇතුලත් කල යුතුය
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,විවෘත මුල්ය ශේෂය
 ,GST Sales Register,GST විකුණුම් රෙජිස්ටර්
 DocType: Sales Invoice Advance,Sales Invoice Advance,විකුණුම් ඉන්වොයිසිය අත්තිකාරම්
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,ඉල්ලා කිසිවක්
+DocType: Stock Settings,Default Return Warehouse,පෙරනිමි ආපසු ගබඩා
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,ඔබගේ වසම් තෝරන්න
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,සාප්පු සැපයුම්කරු
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ගෙවීම් ඉන්වොයිසි අයිතම
@@ -1771,15 +1784,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,බිම්වල පිටපත් පමණක් පිටපත් කෙරෙනු ඇත.
 DocType: Setup Progress Action,Domains,වසම්
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;සත ඇරඹුම් දිනය&#39; &#39;සත අවසානය දිනය&#39; ට වඩා වැඩි විය නොහැක
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,කළමනාකරණ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,කළමනාකරණ
 DocType: Cheque Print Template,Payer Settings,ගෙවන්නා සැකසුම්
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,ඉදිරිපත් කළ ද්රව්ය සඳහා සම්බන්ධ කිරීම සඳහා සොයා ගන්නා ලද ද්රව්යමය ඉල්ලීම් කිසිවක් නැත.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,මුලින්ම සමාගම තෝරන්න
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","මෙය ප්රභේද්යයක් යන විෂය සංග්රහයේ ඇත්තා වූ ද, ඇත. උදාහරණයක් ලෙස, ඔබේ වචන සහ &quot;එස් එම්&quot; වන අතර, අයිතමය කේතය &quot;T-shirt&quot; වේ නම්, ප්රභේද්යයක් ක අයිතමය කේතය &quot;T-shirt-එස්.එම්&quot; වනු"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ඔබ වැටුප් පුරවා ඉතිරි වරක් (වචන) ශුද්ධ වැටුප් දෘශ්යමාන වනු ඇත.
 DocType: Delivery Note,Is Return,ප්රතිලාභ වේ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,අවවාදයයි
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',කාර්යය අවසන් වන දිනට ආරම්භක දිනය &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,ආපසු / ඩෙබිට් සටහන
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,ආපසු / ඩෙබිට් සටහන
 DocType: Price List Country,Price List Country,මිල ලැයිස්තුව රට
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},විෂය {1} සඳහා {0} වලංගු අනුක්රමික අංක
@@ -1792,13 +1806,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,තොරතුරු ලබා දෙන්න.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,සැපයුම්කරු දත්ත සමුදාය.
 DocType: Contract Template,Contract Terms and Conditions,කොන්ත්රාත් කොන්දේසි සහ කොන්දේසි
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,අවලංගු නොකළ දායකත්ව නැවත ආරම්භ කළ නොහැක.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,අවලංගු නොකළ දායකත්ව නැවත ආරම්භ කළ නොහැක.
 DocType: Account,Balance Sheet,ශේෂ පත්රය
 DocType: Leave Type,Is Earned Leave,ඉතුරු වී ඇත්තේ ය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',විෂය සංග්රහයේ සමග අයිතමය සඳහා පිරිවැය මධ්යස්ථානය
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',විෂය සංග්රහයේ සමග අයිතමය සඳහා පිරිවැය මධ්යස්ථානය
 DocType: Fee Validity,Valid Till,වලංගු ටී
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,සමස්ත දෙමව්පියන් ගුරු රැස්වීම
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ගෙවීම් ක්රමය වින්යාස කර නොමැත. ගිණුමක් ගෙවීම් වන ආකාරය මත හෝ POS නරඹන්න තබා තිබේද, කරුණාකර පරීක්ෂා කරන්න."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ගෙවීම් ක්රමය වින්යාස කර නොමැත. ගිණුමක් ගෙවීම් වන ආකාරය මත හෝ POS නරඹන්න තබා තිබේද, කරුණාකර පරීක්ෂා කරන්න."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,එම අයිතමය වාර කිහිපයක් ඇතුළත් කළ නොහැක.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","කණ්ඩායම් යටතේ තව දුරටත් ගිණුම් කළ හැකි නමුත්, ඇතුළත් කිරීම්-කණ්ඩායම් නොවන එරෙහිව කළ හැකි"
 DocType: Lead,Lead,ඊයම්
@@ -1807,11 +1821,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS ඔට් ටෙක්න්
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,කොටස් Entry {0} නිර්මාණය
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,ඔබ මුදා හැරීමට පක්ෂපාතීත්වයේ පොත්වලට ඔබ කැමති නැත
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,ෙරෝ # {0}: ප්රතික්ෂේප යවන ලද මිලදී ගැනීම ප්රතිලාභ ඇතුළත් කළ නොහැකි
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},කරුණාකර {1} සමාගමට බදු රඳවා ගැනීමේ කාණ්ඩයේ {0} සම්බන්ධිත ගිණුමක් සකසන්න
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,ෙරෝ # {0}: ප්රතික්ෂේප යවන ලද මිලදී ගැනීම ප්රතිලාභ ඇතුළත් කළ නොහැකි
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,තෝරාගත් ගනුදෙනුකරු සඳහා පාරිභෝගික කණ්ඩායම් වෙනස් කිරීම තහනම් කර ඇත.
 ,Purchase Order Items To Be Billed,මිලදී ගැනීමේ නියෝගයක් අයිතම බිල්පතක්
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,ඇස්තමේන්තුගත පැමිණීමේ කාලය යාවත්කාලීන කිරීම.
 DocType: Program Enrollment Tool,Enrollment Details,ඇතුළත් කිරීම් විස්තර
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,සමාගමකට බහු අයිතම ආකෘති සැකසිය නොහැක.
 DocType: Purchase Invoice Item,Net Rate,ශුද්ධ ෙපොලී අනුපාතිකය
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,කරුණාකර පාරිභෝගිකයා තෝරා ගන්න
 DocType: Leave Policy,Leave Allocations,වෙන් කිරීම
@@ -1842,7 +1858,7 @@
 DocType: Loan Application,Repayment Info,ණය ආපසු ගෙවීමේ තොරතුරු
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;අයැදුම්පත්&#39; හිස් විය නොහැක
 DocType: Maintenance Team Member,Maintenance Role,නඩත්තු භූමිකාව
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},එම {1} සමග පේළිය {0} අනුපිටපත්
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},එම {1} සමග පේළිය {0} අනුපිටපත්
 DocType: Marketplace Settings,Disable Marketplace,වෙළඳපල අවලංගු කරන්න
 ,Trial Balance,මාසික බැංකු සැසඳුම්
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,මුදල් වර්ෂය {0} සොයාගත නොහැකි
@@ -1853,9 +1869,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,ග්රාහක සැකසුම්
 DocType: Purchase Invoice,Update Auto Repeat Reference,ස්වයං නැවත නැවත යොමු යාවත්කාලීන කරන්න
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},නිවාඩුවක් සඳහා විකල්ප නිවාඩු දිනයන් නොමැත {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},නිවාඩුවක් සඳහා විකල්ප නිවාඩු දිනයන් නොමැත {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,පර්යේෂණ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,ලිපිනය 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,ලිපිනය 2
 DocType: Maintenance Visit Purpose,Work Done,කළ වැඩ
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,මෙම දන්ත ධාතුන් වගුවේ අවම වශයෙන් එක් විශේෂණය සඳහන් කරන්න
 DocType: Announcement,All Students,සියලු ශිෂ්ය
@@ -1865,16 +1881,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,ගනුදෙනුවල ප්රතිඵලයක්
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,ආදිතම
 DocType: Crop Cycle,Linked Location,සම්බන්ධිත ස්ථානය
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","ක අයිතමය සමූහ එකම නමින් පවතී, අයිතමය නම වෙනස් කිරීම හෝ අයිතමය පිරිසක් නැවත නම් කරුණාකර"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","ක අයිතමය සමූහ එකම නමින් පවතී, අයිතමය නම වෙනස් කිරීම හෝ අයිතමය පිරිසක් නැවත නම් කරුණාකර"
 DocType: Crop Cycle,Less than a year,අවුරුද්දකට වඩා අඩු කාලයක්
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ශිෂ්ය ජංගම අංක
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,ලෝකයේ සෙසු
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,ලෝකයේ සෙසු
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,අයිතමය {0} කණ්ඩායම ලබා ගත නොහැකි
 DocType: Crop,Yield UOM,අස්වැන්න නෙලීම
 ,Budget Variance Report,අයවැය විචලතාව වාර්තාව
 DocType: Salary Slip,Gross Pay,දළ වැටුප්
 DocType: Item,Is Item from Hub,අයිතමයේ සිට අයිතමය දක්වා ඇත
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,සෞඛ්ය සේවා වෙතින් අයිතම ලබා ගන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,සෞඛ්ය සේවා වෙතින් අයිතම ලබා ගන්න
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,ෙරෝ {0}: ක්රියාකාරකම් වර්ගය අනිවාර්ය වේ.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,ගෙවුම් ලාභාංශ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,ගිණුම් කරණය ලේජර
@@ -1889,6 +1905,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,ගෙවීමේ ක්රමය
 DocType: Purchase Invoice,Supplied Items,සැපයූ අයිතම
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},කරුණාකර {0} අවන්හල සඳහා ක්රියාකාරී මෙනුව සකසන්න
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,කොමිෂන් සභා අනුපාතය%
 DocType: Work Order,Qty To Manufacture,යවන ලද නිෂ්පාදනය කිරීම සඳහා
 DocType: Email Digest,New Income,නව ආදායම්
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,මිලදී ගැනීම චක්රය පුරා එම අනුපාතය පවත්වා
@@ -1903,12 +1920,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},පේළියේ {0} තුළ අයිතමය සඳහා අවශ්ය තක්සේරු අනුපාත
 DocType: Supplier Scorecard,Scorecard Actions,ලකුණු කරන්න
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,උදාහරණය: පරිගණක විද්යාව පිළිබඳ ශාස්ත්රපති
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},සපයන්නා {0} {1}
 DocType: Purchase Invoice,Rejected Warehouse,ප්රතික්ෂේප ගබඩාව
 DocType: GL Entry,Against Voucher,වවුචරයක් එරෙහිව
 DocType: Item Default,Default Buying Cost Center,පෙරනිමි මිලට ගැනීම පිරිවැය මධ්යස්ථානය
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext ක් අතර විශිෂ්ටතම ලබා ගැනීමට, අපි ඔබට යම් කාලයක් ගත සහ මෙම උදව් වීඩියෝ දර්ශන නරඹා බව නිර්දේශ කරමු."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Default සැපයුම්කරු සඳහා (විකල්ප)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,දක්වා
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Default සැපයුම්කරු සඳහා (විකල්ප)
 DocType: Supplier Quotation Item,Lead Time in days,දින තුළ කාල Lead
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,ගෙවිය යුතු ගිණුම් සාරාංශය
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},ශීත කළ ගිණුම් {0} සංස්කරණය කිරීමට අවසර නැත
@@ -1917,7 +1934,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Quotations සඳහා නව ඉල්ලීම සඳහා අවවාද කරන්න
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,මිලදී ගැනීමේ නියෝග ඔබ ඔබේ මිලදී ගැනීම සැලසුම් සහ පසුවිපරම් උදව්
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,පරීක්ෂණ පරීක්ෂණ නිර්දේශ කිරීම
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",මුළු නිකුත් / ස්ථාන මාරු ප්රමාණය {0} ද්රව්ය ඉල්ලීම ගැන {1} \ ඉල්ලා ප්රමාණය {2} අයිතමය {3} සඳහා වඩා වැඩි විය නොහැකි
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,කුඩා
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","සාප්පු සවාරියේ ගනුදෙනුකරුවෙකු අඩංගු නොවේ නම්, ඇණවුම් සමීක්ෂණය කිරීමේදී, පද්ධතිය මඟින් සාමාන්යයෙන් ගණුදෙනු කරුවෙකු සඳහා ඇණවුම් කරනු ඇත"
@@ -1929,6 +1946,7 @@
 DocType: Project,% Completed,% සම්පූර්ණ
 ,Invoiced Amount (Exculsive Tax),ඉන්වොයිස් ප්රමාණය (Exculsive බදු)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,අංක 2
+DocType: QuickBooks Migrator,Authorization Endpoint,අවසර ලත් අන්තය
 DocType: Travel Request,International,අන්තර්ජාතික
 DocType: Training Event,Training Event,පුහුණු EVENT
 DocType: Item,Auto re-order,වාහන නැවත අනුපිළිවෙලට
@@ -1937,24 +1955,24 @@
 DocType: Contract,Contract,කොන්ත්රාත්තුව
 DocType: Plant Analysis,Laboratory Testing Datetime,ඩී
 DocType: Email Digest,Add Quote,Quote එකතු කරන්න
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM සඳහා අවශ්ය UOM coversion සාධකය: අයිතම ගැන {0}: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM සඳහා අවශ්ය UOM coversion සාධකය: අයිතම ගැන {0}: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,වක්ර වියදම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,ෙරෝ {0}: යවන ලද අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,ෙරෝ {0}: යවන ලද අනිවාර්ය වේ
 DocType: Agriculture Analysis Criteria,Agriculture,කෘෂිකර්ම
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,විකුණුම් නියෝගයක් සාදන්න
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,වත්කම් සඳහා ගිණුම් ප්රවේශය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,වාරණ ඉන්වොයිසිය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,වත්කම් සඳහා ගිණුම් ප්රවේශය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,වාරණ ඉන්වොයිසිය
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,ප්රමාණය සෑදීමට
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,සමමුහුර්ත කරන්න මාස්ටර් දත්ත
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,සමමුහුර්ත කරන්න මාස්ටර් දත්ත
 DocType: Asset Repair,Repair Cost,අලුත්වැඩියා වියදම්
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,ඔබගේ නිෂ්පාදන හෝ සේවා
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,පිවිසීම අසාර්ථකයි
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Asset {0} නිර්මාණය කරන ලදි
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Asset {0} නිර්මාණය කරන ලදි
 DocType: Special Test Items,Special Test Items,විශේෂ පරීක්ෂණ අයිතම
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,ඔබ Marketplace හි ලියාපදිංචි වීමට System Manager සහ අයිතම කළමනාකරුගේ භූමිකාවන් සමඟ භාවිතා කරන්නෙකු විය යුතුය.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,ගෙවීම් ක්රමය
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,ඔබ ලබා දුන් වැටුප් ව්යුහය අනුව ඔබට ප්රතිලාභ සඳහා අයදුම් කළ නොහැකිය
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,වෙබ් අඩවිය රූප ප්රසිද්ධ ගොනුව හෝ වෙබ් අඩවි URL විය යුතුය
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,වෙබ් අඩවිය රූප ප්රසිද්ධ ගොනුව හෝ වෙබ් අඩවි URL විය යුතුය
 DocType: Purchase Invoice Item,BOM,ද්රව්ය ලේඛණය
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,"මෙය මූල අයිතමය පිරිසක් වන අතර, සංස්කරණය කළ නොහැක."
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,ඒකාබද්ධ කරන්න
@@ -1963,7 +1981,8 @@
 DocType: Warehouse,Warehouse Contact Info,පොත් ගබඩාව සම්බන්ධ වීම
 DocType: Payment Entry,Write Off Difference Amount,වෙනස මුදල කපා
 DocType: Volunteer,Volunteer Name,ස්වේච්ඡා නම
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: සේවක ඊ-තැපැල් සොයාගත නොහැකි, ඒ නිසා ඊ-තැපැල් යවා නැත"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},අනෙකුත් පේළි අනුපිටපත් නියමිත දිනයන් සමඟ ඇති පේළි සොයා ගන්නා ලදී: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: සේවක ඊ-තැපැල් සොයාගත නොහැකි, ඒ නිසා ඊ-තැපැල් යවා නැත"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},යෝජිත දිනයක {0} සේවක සේවිකාවන් සඳහා වන වැටුප් ව්යුහය නොමැත {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},නැව්ගත කිරීමේ නීතිය රටට අදාළ නොවේ {0}
 DocType: Item,Foreign Trade Details,විදේශ වෙළෙඳ විස්තර
@@ -1971,17 +1990,17 @@
 DocType: Email Digest,Annual Income,වාර්ෂික ආදායම
 DocType: Serial No,Serial No Details,අනු අංකය විස්තර
 DocType: Purchase Invoice Item,Item Tax Rate,අයිතමය බදු අනුපාත
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,පක්ෂ නමෙන්
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,පක්ෂ නමෙන්
 DocType: Student Group Student,Group Roll Number,සමූහ Roll අංකය
 DocType: Student Group Student,Group Roll Number,සමූහ Roll අංකය
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0} සඳහා පමණක් ණය ගිණුම් තවත් හර සටහන හා සම්බන්ධ කර ගත හැකි
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,සැපයුම් සටහන {0} ඉදිරිපත් කර නැත
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,සැපයුම් සටහන {0} ඉදිරිපත් කර නැත
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,අයිතමය {0} උප කොන්ත්රාත් අයිතමය විය යුතුය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,ප්රාග්ධන උපකරණ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","මිල ගණන් පාලනය පළමු අයිතමය, විෂය සමූහය හෝ වෙළඳ නාමය විය හැකි ක්ෂේත්ර, &#39;මත යොමු කරන්න&#39; මත පදනම් වූ තෝරා ගනු ලැබේ."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,කරුණාකර අයිතම කේතය මුලින්ම සකසන්න
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ඩොක් වර්ගය
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,විකුණුම් කණ්ඩායමේ මුළු වෙන් ප්රතිශතය 100 විය යුතුයි
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ඩොක් වර්ගය
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,විකුණුම් කණ්ඩායමේ මුළු වෙන් ප්රතිශතය 100 විය යුතුයි
 DocType: Subscription Plan,Billing Interval Count,බිල්ගත කිරීමේ කාල ගණනය කිරීම
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,පත්වීම් සහ රෝගීන්ගේ ගැටුම්
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,වටිනාකම නැතිවෙයි
@@ -1995,6 +2014,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,මුද්රණය ආකෘතිය නිර්මාණය
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,ගාස්තුවක් නිර්මාණය කරයි
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},{0} නමින් ඕනෑම අයිතමය සොයා ගත්තේ නැහැ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,අයිතම පෙරහන
 DocType: Supplier Scorecard Criteria,Criteria Formula,නිර්වචනය
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,මුළු ඇමතුම්
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",එහි එකම &quot;කිරීම අගය&quot; සඳහා 0 හෝ හිස් අගය එක් නාවික අණ තත්වය විය හැකි
@@ -2003,14 +2023,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",අයිතමයක් {0} සඳහා ප්රමාණය ධනාත්මක අංකයක් විය යුතුය
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,සටහන: මෙම පිරිවැය මධ්යස්ථානය සමූහ ව්යාපාරයේ සමූහ වේ. කන්ඩායම්වලට එරෙහිව ගිණුම් සටහන් ඇතුළත් කිරීම් නො හැකි ය.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,වලංගු නිවාඩු නිවාඩු නොලැබේ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,ළමා ගබඩා සංකීර්ණය මෙම ගබඩා සංකීර්ණය සඳහා පවතී. ඔබ මෙම ගබඩා සංකීර්ණය මකා දැමිය නොහැකි.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ළමා ගබඩා සංකීර්ණය මෙම ගබඩා සංකීර්ණය සඳහා පවතී. ඔබ මෙම ගබඩා සංකීර්ණය මකා දැමිය නොහැකි.
 DocType: Item,Website Item Groups,වෙබ් අඩවිය අයිතමය කණ්ඩායම්
 DocType: Purchase Invoice,Total (Company Currency),එකතුව (සමාගම ව්යවහාර මුදල්)
 DocType: Daily Work Summary Group,Reminder,මතක්
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,ප්රවේශ විය හැකි වටිනාකම
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,ප්රවේශ විය හැකි වටිනාකම
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,අනුක්රමික අංකය {0} වරකට වඩා ඇතුල්
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,ජර්නල් සටහන්
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN වෙතින්
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN වෙතින්
 DocType: Expense Claim Advance,Unclaimed amount,නොකෙරුණු මුදල
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} ප්රගතිය භාණ්ඩ
 DocType: Workstation,Workstation Name,සේවා පරිගණකයක් නම
@@ -2018,7 +2038,7 @@
 DocType: POS Item Group,POS Item Group,POS අයිතමය සමූහ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,විද්යුත් Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,විකල්ප අයිතම අයිතමය කේතයට සමාන නොවිය යුතුය
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},ද්රව්ය ලේඛණය {0} අයිතමය අයිති නැත {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},ද්රව්ය ලේඛණය {0} අයිතමය අයිති නැත {1}
 DocType: Sales Partner,Target Distribution,ඉලක්ක බෙදාහැරීම්
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - තාවකාලික ඇගයීම අවසන් කිරීම
 DocType: Salary Slip,Bank Account No.,බැංකු ගිණුම් අංක
@@ -2027,7 +2047,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard විචල්යයන් භාවිතා කළ හැකිය, එසේම: {total_score} (එම කාලයෙන් සම්පූර්ණ ලකුණු), {period_number} (වර්තමාන සිට අද දක්වා කාලය)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,සියල්ල හකුලන්න
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,සියල්ල හකුලන්න
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,මිලදී ගැනීමේ නියෝගයක් නිර්මාණය කරන්න
 DocType: Quality Inspection Reading,Reading 8,කියවීමට 8
 DocType: Inpatient Record,Discharge Note,විසර්ජන සටහන
@@ -2044,7 +2064,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,වරප්රසාද සහිත
 DocType: Purchase Invoice,Supplier Invoice Date,සැපයුම්කරු ගෙවීම් දිනය
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,මෙම අගය ප්රරෝටා ටෝටිසිස් ගණනය සඳහා භාවිතා වේ
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,ඔබ සාප්පු සවාරි කරත්ත සක්රිය කර ගැනීමට අවශ්ය
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,ඔබ සාප්පු සවාරි කරත්ත සක්රිය කර ගැනීමට අවශ්ය
 DocType: Payment Entry,Writeoff,ලියා හරින්න
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,නම් කිරීමේ ශ්රේණියේ Prefix
@@ -2059,11 +2079,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,අතර සොයා අතිච්ඡාදනය කොන්දේසි යටතේ:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ජර්නල් සටහන් {0} එරෙහිව මේ වන විටත් තවත් වවුචරය එරෙහිව ගැලපූ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,මුළු සාමය අගය
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ආහාර
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,ආහාර
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,වයස්ගතවීම රංගේ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS අවසාන වවුචර් විස්තර
 DocType: Shopify Log,Shopify Log,ලොග් කරන්න
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,කරුණාකර Setup&gt; Settings&gt; Naming Series මගින් {0} සඳහා නම් කිරීමේ මාලාවක් සකසන්න
 DocType: Inpatient Occupancy,Check In,ඇතුල් වීම
 DocType: Maintenance Schedule Item,No of Visits,සංචාර අංක
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},{1} එරෙහිව නඩත්තු උපෙල්ඛනෙය් {0} පවතී
@@ -2103,6 +2122,7 @@
 DocType: Salary Structure,Max Benefits (Amount),මැක්ස් ප්රතිලාභ (ප්රමාණය)
 DocType: Purchase Invoice,Contact Person,අදාළ පුද්ගලයා
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;අපේක්ෂිත ඇරඹුම් දිනය&#39; &#39;අපේක්ෂිත අවසානය දිනය&#39; ට වඩා වැඩි විය නොහැක
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,මෙම කාලය සඳහා දත්ත නොමැත
 DocType: Course Scheduling Tool,Course End Date,පාඨමාලා අවසානය දිනය
 DocType: Holiday List,Holidays,නිවාඩු දින
 DocType: Sales Order Item,Planned Quantity,සැලසුම් ප්රමාණ
@@ -2114,7 +2134,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,ස්ථාවර වත්කම් ශුද්ධ වෙනස්
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,සියලු තනතුරු සඳහා සලකා නම් හිස්ව තබන්න
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,වර්ගය භාර &#39;සත&#39; පේළිය {0} අයිතමය ශ්රේණිගත ඇතුළත් කළ නොහැකි
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,වර්ගය භාර &#39;සත&#39; පේළිය {0} අයිතමය ශ්රේණිගත ඇතුළත් කළ නොහැකි
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},මැක්ස්: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,දිනයවේලාව සිට
 DocType: Shopify Settings,For Company,සමාගම වෙනුවෙන්
@@ -2127,9 +2147,9 @@
 DocType: Material Request,Terms and Conditions Content,නියමයන් හා කොන්දේසි අන්තර්ගත
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,පාඨමාලාවේ උපලේඛන නිර්මාණය කිරීමේ දෝෂ ඇත
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,ලැයිස්තුවේ පළමු වියදම් සහතිකය පෙරනිමි වියදම් සහතිකය ලෙස නියම කරනු ලැබේ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 ට වඩා වැඩි විය නොහැක
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 ට වඩා වැඩි විය නොහැක
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,ඔබ Marketplace හි ලියාපදිංචි වීම සඳහා පද්ධති කළමනාකරු සහ අයිතම කළමනාකරුගේ භූමිකාවන් සමඟ පරිපාලක හැර වෙනත් පරිශීලකයෙකු විය යුතුය.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,අයිතමය {0} කොටස් අයිතමය නොවේ
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,අයිතමය {0} කොටස් අයිතමය නොවේ
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,කලින් නොදන්වා
 DocType: Employee,Owned,අයත්
@@ -2157,7 +2177,7 @@
 DocType: HR Settings,Employee Settings,සේවක සැකසුම්
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,ගෙවීම් පද්ධතියක් පැටවීම
 ,Batch-Wise Balance History,කණ්ඩායම ප්රාඥ ශේෂ ඉතිහාසය
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,පේළිය # {0}: අයිතමය {1} සඳහා බිල්පත් ප්රමාණයට වඩා වැඩි නම් අනුපාතය සැකසිය නොහැක.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,පේළිය # {0}: අයිතමය {1} සඳහා බිල්පත් ප්රමාණයට වඩා වැඩි නම් අනුපාතය සැකසිය නොහැක.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,මුද්රණය සැකසුම් අදාළ මුද්රිත ආකෘතිය යාවත්කාලීන
 DocType: Package Code,Package Code,පැකේජය සංග්රහයේ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,ආධුනිකත්ව
@@ -2165,7 +2185,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,ඍණ ප්රමාණ කිරීමට අවසර නැත
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",බදු විස්තර වගුව වැලක් ලෙස අයිතමය ස්වාමියා සිට ඉහළම අගය හා මෙම ක්ෂේත්රය තුළ ගබඩා. බදු හා ගාස්තු සඳහා භාවිතා
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,සේවක තමා වෙත වාර්තා කළ නොහැක.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,සේවක තමා වෙත වාර්තා කළ නොහැක.
 DocType: Leave Type,Max Leaves Allowed,මැක්ස් කල් ඉකුත්ව ඇත
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ගිණුම කැටි නම්, ඇතුළත් කිරීම් සීමා පරිශීලකයන්ට ඉඩ දෙනු ලැබේ."
 DocType: Email Digest,Bank Balance,බැංකු ශේෂ
@@ -2191,6 +2211,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,බැංකු ගනුදෙනු ගනුදෙනු
 DocType: Quality Inspection,Readings,කියවීම්
 DocType: Stock Entry,Total Additional Costs,මුළු අතිරේක පිරිවැය
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,අන්තර් ක්රියාකාරී සංඛ්යාව
 DocType: BOM,Scrap Material Cost(Company Currency),පරණ ද්රව්ය වියදම (සමාගම ව්යවහාර මුදල්)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,උප එක්රැස්වීම්
 DocType: Asset,Asset Name,වත්කම් නම
@@ -2198,10 +2219,10 @@
 DocType: Shipping Rule Condition,To Value,අගය කිරීමට
 DocType: Loyalty Program,Loyalty Program Type,ලෝයල්ටි ක්රමලේඛ වර්ගය
 DocType: Asset Movement,Stock Manager,කොටස් වෙළඳ කළමනාකරු
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},මූලාශ්රය ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},මූලාශ්රය ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,පේලිය {0} හි ගෙවීමේ වාරිකය අනු පිටපතක් විය හැක.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),කෘෂිකර්ම (බීටා)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,ඇසුරුම් කුවිතාන්සියක්
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,ඇසුරුම් කුවිතාන්සියක්
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,කාර්යාලය කුලියට
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Setup කෙටි පණ්වුඩ සැකසුම්
 DocType: Disease,Common Name,පොදු නම
@@ -2233,20 +2254,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,සේවකයෙකුට ලබා විද්යුත් වැටුප කුවිතාන්සියක්
 DocType: Cost Center,Parent Cost Center,මව් පිරිවැය මධ්යස්ථානය
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,හැකි සැපයුම්කරු තෝරා
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,හැකි සැපයුම්කරු තෝරා
 DocType: Sales Invoice,Source,මූලාශ්රය
 DocType: Customer,"Select, to make the customer searchable with these fields",මෙම ක්ෂේත්රයන් සමඟ පාරිභෝගිකයා සොයා ගත හැකි පරිදි තෝරා ගන්න
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,තොග පිටපත් මිලදී ගැනීමෙන් ආනයන සැපයුම් සටහන්
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,පෙන්වන්න වසා
 DocType: Leave Type,Is Leave Without Pay,වැටුප් නැතිව නිවාඩු
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,වත්කම් ප්රවර්ගය ස්ථාවර වත්කම් භාණ්ඩයක් සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,වත්කම් ප්රවර්ගය ස්ථාවර වත්කම් භාණ්ඩයක් සඳහා අනිවාර්ය වේ
 DocType: Fee Validity,Fee Validity,ගාස්තු වලංගු
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,වාර්තා ගෙවීම් වගුව සොයාගැනීමට නොමැත
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},මෙම {0} {2} {3} සඳහා {1} සමග ගැටුම්
 DocType: Student Attendance Tool,Students HTML,සිසුන් සඳහා HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","කරුණාකර මෙම ලේඛනය අවලංගු කිරීම සඳහා සේවකයා <a href=""#Form/Employee/{0}"">{0}</a> \ මකා දමන්න"
 DocType: POS Profile,Apply Discount,වට්ටම් යොමු කරන්න
 DocType: GST HSN Code,GST HSN Code,GST HSN සංග්රහයේ
 DocType: Employee External Work History,Total Experience,මුළු අත්දැකීම්
@@ -2269,7 +2287,7 @@
 DocType: Maintenance Schedule,Schedules,කාලසටහන්
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS නිපැයුමක් භාවිතා කිරීම සඳහා භාවිතා කිරීම අවශ්ය වේ
 DocType: Cashier Closing,Net Amount,ශුද්ධ මුදල
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} පියවර අවසන් කළ නොහැකි නිසා ඉදිරිපත් කර නොමැත
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} පියවර අවසන් කළ නොහැකි නිසා ඉදිරිපත් කර නොමැත
 DocType: Purchase Order Item Supplied,BOM Detail No,ද්රව්ය ලේඛණය විස්තර නොමැත
 DocType: Landed Cost Voucher,Additional Charges,අමතර ගාස්තු
 DocType: Support Search Source,Result Route Field,ප්රතිඵල මාර්ග ක්ෂේත්ර
@@ -2298,11 +2316,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,ආරම්භක ඉන්වොයිසි
 DocType: Contract,Contract Details,කොන්ත්රාත් විස්තර
 DocType: Employee,Leave Details,නිවාඩු විස්තර
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,සේවක කාර්යභාරය සකස් කිරීම සඳහා සේවක වාර්තාගත පරිශීලක අනන්යාංකය ක්ෂේත්රයේ සකස් කරන්න
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,සේවක කාර්යභාරය සකස් කිරීම සඳහා සේවක වාර්තාගත පරිශීලක අනන්යාංකය ක්ෂේත්රයේ සකස් කරන්න
 DocType: UOM,UOM Name,UOM නම
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,ලිපිනය 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,ලිපිනය 1
 DocType: GST HSN Code,HSN Code,HSN සංග්රහයේ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,දායකත්වය මුදල
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,දායකත්වය මුදල
 DocType: Inpatient Record,Patient Encounter,රෝගීන් හමුවීම
 DocType: Purchase Invoice,Shipping Address,බෙදාහැරීමේ ලිපිනය
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,මෙම මෙවලම ඔබ පද්ධතිය කොටස් ප්රමාණය සහ තක්සේරු යාවත්කාලීන කිරීම හෝ අදාල කරුණ නිවැරදි කිරීමට උපකාරී වේ. එය සාමාන්යයෙන් පද්ධතිය වටිනාකම් සහ දේ ඇත්තටම ඔබේ බඩු ගබඩා වල පවතී අතළොස්සට කිරීමට භාවිතා කරයි.
@@ -2319,9 +2337,9 @@
 DocType: Travel Itinerary,Mode of Travel,ගමන් මාර්ගය
 DocType: Sales Invoice Item,Brand Name,වෙළඳ නාමය නම
 DocType: Purchase Receipt,Transporter Details,ප්රවාහනය විස්තර
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,පෙරනිමි ගබඩා සංකීර්ණය තෝරාගත් අයිතමය සඳහා අවශ්ය වේ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,පෙරනිමි ගබඩා සංකීර්ණය තෝරාගත් අයිතමය සඳහා අවශ්ය වේ
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,කොටුව
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,හැකි සැපයුම්කරු
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,හැකි සැපයුම්කරු
 DocType: Budget,Monthly Distribution,මාසික බෙදාහැරීම්
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ලබන්නා ලැයිස්තුව හිස්ය. Receiver ලැයිස්තුව නිර්මාණය කරන්න
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),සෞඛ්ය (බීටා)
@@ -2343,6 +2361,7 @@
 ,Lead Name,ඊයම් නම
 ,POS,POS
 DocType: C-Form,III,III වන
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,සොයයි
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,කොටස් වෙළඳ ශේෂ විවෘත
 DocType: Asset Category Account,Capital Work In Progress Account,ප්රාග්ධන කාර්යයන් සඳහා ප්රගති වාර්තාව
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,වත්කම් අගය සකස් කිරීම
@@ -2351,7 +2370,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0} සඳහා සාර්ථකව වෙන් කොළ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,පැක් කරගන්න අයිතම කිසිදු
 DocType: Shipping Rule Condition,From Value,අගය
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,නිෂ්පාදන ප්රමාණය අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,නිෂ්පාදන ප්රමාණය අනිවාර්ය වේ
 DocType: Loan,Repayment Method,ණය ආපසු ගෙවීමේ ක්රමය
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","පරීක්ෂා නම්, මුල් පිටුව වෙබ් අඩවිය සඳහා පෙරනිමි අයිතමය සමූහ වනු ඇත"
 DocType: Quality Inspection Reading,Reading 4,කියවීම 4
@@ -2376,7 +2395,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,සේවක යොමුකිරීම
 DocType: Student Group,Set 0 for no limit,සීමාවක් සඳහා 0 සකසන්න
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,ඔබ නිවාඩු සඳහා අයදුම් කරන්නේ කරන දින (ව) නිවාඩු දින වේ. ඔබ නිවාඩු සඳහා අයදුම් අවශ්ය නැහැ.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} විවෘත කිරීම {invoice_type} ඉන්වොයිසි නිර්මාණය කිරීම අවශ්ය වේ
 DocType: Customer,Primary Address and Contact Detail,ප්රාථමික ලිපිනය සහ සම්බන්ධතා විස්තරය
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,නැවත භාරදුන් ගෙවීම් විද්යුත්
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,නව කාර්ය
@@ -2386,22 +2404,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,කරුණාකර අවම වසයෙන් එක් වසමක් තෝරන්න.
 DocType: Dependent Task,Dependent Task,රඳා කාර්ය සාධක
 DocType: Shopify Settings,Shopify Tax Account,බදු ගිණුම මිලදී ගැනීම
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},නු පෙරනිමි ඒකකය සඳහා පරිවර්තන සාධකය පේළිය 1 {0} විය යුතුය
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},"වර්ගයේ අවසරය, {0} තවදුරටත් {1} වඩා කෙටි විය හැකි"
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},නු පෙරනිමි ඒකකය සඳහා පරිවර්තන සාධකය පේළිය 1 {0} විය යුතුය
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},"වර්ගයේ අවසරය, {0} තවදුරටත් {1} වඩා කෙටි විය හැකි"
 DocType: Delivery Trip,Optimize Route,මාර්ගගත කරන්න
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,කල්තියා X දින සඳහා මෙහෙයුම් සැලසුම් උත්සාහ කරන්න.
 DocType: HR Settings,Stop Birthday Reminders,උපන්දින මතක් නතර
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},සමාගම {0} හි පෙරනිමි වැටුප් ගෙවිය යුතු ගිණුම් සකස් කරන්න
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,ඇමසන් විසින් බදු සහ ගාස්තු ගාස්තු මූල්ය බිඳවැටීම ලබා ගන්න
 DocType: SMS Center,Receiver List,ලබන්නා ලැයිස්තුව
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,සොයන්න අයිතමය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,සොයන්න අයිතමය
 DocType: Payment Schedule,Payment Amount,ගෙවීමේ මුදල
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,අර්ධ දින දිනය දිනය හා වැඩ අවසන් දිනය අතර වැඩ අතර විය යුතුය
 DocType: Healthcare Settings,Healthcare Service Items,සෞඛ්ය සේවා භාණ්ඩ
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,පරිභෝජනය ප්රමාණය
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,මුදල් ශුද්ධ වෙනස්
 DocType: Assessment Plan,Grading Scale,ශ්රේණිගත පරිමාණ
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,නු {0} ඒකකය වරක් පරිවර්තන සාධකය වගුව වඩා ඇතුලත් කර ඇත
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,නු {0} ඒකකය වරක් පරිවර්තන සාධකය වගුව වඩා ඇතුලත් කර ඇත
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,මේ වන විටත් අවසන්
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,අතේ කොටස්
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2424,25 +2442,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,අනු අංකය {0} ප්රමාණය {1} අල්පයක් විය නොහැකි
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,කරුණාකර Woocommerce සේවාදායකයේ URL එක ඇතුලත් කරන්න
 DocType: Purchase Order Item,Supplier Part Number,සැපයුම්කරු අඩ අංකය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,බවට පරිවර්තනය කිරීමේ අනුපාතිකය 0 හෝ 1 විය නොහැකි
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,බවට පරිවර්තනය කිරීමේ අනුපාතිකය 0 හෝ 1 විය නොහැකි
 DocType: Share Balance,To No,නැත
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,සේවක නිර්මාණ සඳහා ඇති අනිවාර්ය කාර්යය තවමත් සිදු කර නොමැත.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} අවලංගු කර හෝ නතර
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} අවලංගු කර හෝ නතර
 DocType: Accounts Settings,Credit Controller,ක්රෙඩිට් පාලක
 DocType: Loan,Applicant Type,අයදුම්කරු වර්ගය
 DocType: Purchase Invoice,03-Deficiency in services,03-සේවා හිඟය
 DocType: Healthcare Settings,Default Medical Code Standard,සම්මත වෛද්ය කේත ප්රමිතිය
 DocType: Purchase Invoice Item,HSN/SAC,HSN / මණ්ඩල උපදේශක කමිටුව
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,මිලදී ගැනීම රිසිට්පත {0} ඉදිරිපත් කර නැත
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,මිලදී ගැනීම රිසිට්පත {0} ඉදිරිපත් කර නැත
 DocType: Company,Default Payable Account,පෙරනිමි ගෙවිය යුතු ගිණුම්
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","එවැනි නාවික නීතිය, මිල ලැයිස්තුව ආදිය සමඟ අමුත්තන් කරත්තයක් සඳහා සැකසුම්"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% අසූහත
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,ඇවිරිනි යවන ලද
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,ඇවිරිනි යවන ලද
 DocType: Party Account,Party Account,පක්ෂය ගිණුම
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,කරුණාකර සමාගම සහ තනතුර තෝරන්න
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,මානව සම්පත්
-DocType: Lead,Upper Income,ඉහළ ආදායම්
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,ඉහළ ආදායම්
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,ප්රතික්ෂේප
 DocType: Journal Entry Account,Debit in Company Currency,සමාගම ව්යවහාර මුදල් ඩෙබිට්
 DocType: BOM Item,BOM Item,ද්රව්ය ලේඛණය අයිතමය
@@ -2459,7 +2477,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",කාර්ය මණ්ඩල සැලැස්මට අනුව දැනටමත් විවෘත වී ඇති හෝ කුලියට ගැනීම {0} සඳහා රැකියා විවෘත කිරීම් {1}
 DocType: Vital Signs,Constipated,සංවෘත
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},සැපයුම්කරු ඉන්වොයිසිය {0} එරෙහිව දිනැති {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},සැපයුම්කරු ඉන්වොයිසිය {0} එරෙහිව දිනැති {1}
 DocType: Customer,Default Price List,පෙරනිමි මිල ලැයිස්තුව
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,වත්කම් ව්යාපාරය වාර්තා {0} නිර්මාණය
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,අයිතම හමු නොවිනි.
@@ -2475,16 +2493,17 @@
 DocType: Journal Entry,Entry Type,ප්රවේශය වර්ගය
 ,Customer Credit Balance,පාරිභෝගික ණය ශේෂ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,ගෙවිය යුතු ගිණුම් ශුද්ධ වෙනස්
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),පාරිභෝගිකයින් සඳහා ණය සීමාව {0} ({1} / {2} සඳහා {{{
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,කරුණාකර Setup&gt; Settings&gt; Naming Series මගින් {0} සඳහා නම් කිරීමේ මාලාවක් සකසන්න
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),පාරිභෝගිකයින් සඳහා ණය සීමාව {0} ({1} / {2} සඳහා {{{
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&#39;Customerwise වට්ටම්&#39; සඳහා අවශ්ය පාරිභෝගික
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,සඟරා බැංකු ගෙවීම් දින යාවත්කාලීන කරන්න.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,මිල ගණන්
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,මිල ගණන්
 DocType: Quotation,Term Details,කාලීන තොරතුරු
 DocType: Employee Incentive,Employee Incentive,සේවක දිරි දීමනා
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} මෙම ශිෂ්ය කන්ඩායමක් සඳහා සිසුන් වඩා ලියාපදිංචි කල නොහැක.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),මුළු (බදු රහිත)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ඊයම් ගණන්
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,තොග ඇත
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,තොග ඇත
 DocType: Manufacturing Settings,Capacity Planning For (Days),(දින) සඳහා ධාරිතා සැලසුම්
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,ප්රසම්පාදන
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,භාණ්ඩ කිසිවක් ප්රමාණය සහ වටිනාකම යම් වෙනසක් තිබෙනවා.
@@ -2509,7 +2528,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,නිවාඩු හා පැමිණීම
 DocType: Asset,Comprehensive Insurance,පුළුල් රක්ෂණ
 DocType: Maintenance Visit,Partially Completed,අර්ධ වශයෙන් නිම කරන
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},පක්ෂපාතීත්වය: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},පක්ෂපාතීත්වය: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,මඟ පෙන්වන්න
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,මධ්යස්ථ සංවේදීතාව
 DocType: Leave Type,Include holidays within leaves as leaves,කොළ ලෙස කොළ තුළ නිවාඩු දින ඇතුළත්
 DocType: Loyalty Program,Redemption,මිදීමක්
@@ -2543,7 +2563,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,අලෙවි වියදම්
 ,Item Shortage Report,අයිතමය හිඟය වාර්තාව
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,සම්මත නිර්ණායක නිර්මාණය කළ නොහැක. කරුණාකර නිර්ණායක වෙනස් කරන්න
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","සිරුරේ බර සඳහන් වන්නේ, \ n කරුණාකර &quot;සිරුරේ බර UOM&quot; ගැන සඳහන් ද"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","සිරුරේ බර සඳහන් වන්නේ, \ n කරුණාකර &quot;සිරුරේ බර UOM&quot; ගැන සඳහන් ද"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,මෙම කොටස් සටහන් කිරීමට භාවිතා කෙරෙන ද්රව්ය ඉල්ලීම්
 DocType: Hub User,Hub Password,Hub රහස්පදය
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,සෑම කණ්ඩායම සඳහා පදනම් සමූහ වෙනම පාඨමාලාව
@@ -2558,15 +2578,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),පත්වීම් කාලය (විනාඩි)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,සඳහා සෑම කොටස් ව්යාපාරය මුල්ය සටහන් කරන්න
 DocType: Leave Allocation,Total Leaves Allocated,වෙන් මුළු පත්ර
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,වලංගු මුදල් වර්ෂය ආරම්භය හා අවසානය දිනයන් ඇතුලත් කරන්න
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,වලංගු මුදල් වර්ෂය ආරම්භය හා අවසානය දිනයන් ඇතුලත් කරන්න
 DocType: Employee,Date Of Retirement,විශ්රාම ගිය දිනය
 DocType: Upload Attendance,Get Template,සැකිල්ල ලබා ගන්න
+,Sales Person Commission Summary,විකුණුම් පුද්ගල කොමිසමේ සාරාංශය
 DocType: Additional Salary Component,Additional Salary Component,අතිරේක වැටුප් සංරචක
 DocType: Material Request,Transferred,මාරු
 DocType: Vehicle,Doors,දොරවල්
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,සම්පූර්ණ ERPNext Setup!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,සම්පූර්ණ ERPNext Setup!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,රෝගියා ලියාපදිංචි කිරීමේ ගාස්තුව අයකර ගැනීම
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,කොටස් ගනුදෙනුවකින් පසුව ගුණාංග වෙනස් කළ නොහැක. නව අයිතමයට නව අයිතමයක් හා ස්ථාන මාරු තොගයක් සාදන්න
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,කොටස් ගනුදෙනුවකින් පසුව ගුණාංග වෙනස් කළ නොහැක. නව අයිතමයට නව අයිතමයක් හා ස්ථාන මාරු තොගයක් සාදන්න
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,"බදු බිඳ වැටීම,"
 DocType: Employee,Joining Details,බැඳුනු විස්තර
@@ -2594,14 +2615,15 @@
 DocType: Lead,Next Contact By,ඊළඟට අප අමතන්න කිරීම
 DocType: Compensatory Leave Request,Compensatory Leave Request,වන්දි ඉල්ලීම් ඉල්ලීම්
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},විෂය {0} සඳහා අවශ්ය ප්රමාණය පේළියේ {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},පොත් ගබඩාව {0} ප්රමාණය අයිතමය {1} සඳහා පවතින අයුරිනි ඉවත් කල නොහැක
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},පොත් ගබඩාව {0} ප්රමාණය අයිතමය {1} සඳහා පවතින අයුරිනි ඉවත් කල නොහැක
 DocType: Blanket Order,Order Type,සාමය වර්ගය
 ,Item-wise Sales Register,අයිතමය ප්රඥාවන්ත විකුණුම් රෙජිස්ටර්
 DocType: Asset,Gross Purchase Amount,දළ මිලදී ගැනීම මුදල
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ආරම්භක ශේෂයන්
 DocType: Asset,Depreciation Method,ක්ෂය ක්රමය
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,මූලික අනුපාත ඇතුළත් මෙම බදු ද?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,මුළු ඉලක්ක
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,මුළු ඉලක්ක
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,පෙනුම විශ්ලේෂණය
 DocType: Soil Texture,Sand Composition (%),වැලි සංයුතිය (%)
 DocType: Job Applicant,Applicant for a Job,රැකියාවක් සඳහා අයදුම්කරු
 DocType: Production Plan Material Request,Production Plan Material Request,"නිෂ්පාදන සැලැස්ම, භාණ්ඩ ඉල්ලීම"
@@ -2617,23 +2639,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),ඇගයීම් ලකුණු (10 න්)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 ජංගම නොමැත
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,ප්රධාන
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,අයිතමය {0} පහත අයිතමය {1} ලෙස සලකුණු කර නොමැත. {1} අයිතමයේ ප්රධානියා වෙතින් ඔබට ඒවා සක්රීය කළ හැකිය
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,ප්රභේද්යයක්
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",අයිතමයක් {0} සඳහා ප්රමාණය ඍණ සංඛ්යාවක් විය යුතුය
 DocType: Naming Series,Set prefix for numbering series on your transactions,ඔබගේ ගනුදෙනු මාලාවක් සංඛ්යාවක් සඳහා උපසර්ගය සකසන්න
 DocType: Employee Attendance Tool,Employees HTML,සේවක HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,පෙරනිමි ද්රව්ය ලේඛණය ({0}) මෙම අයිතමය ශ්රේණිගත කරන්න හෝ එහි සැකිල්ල සඳහා ක්රියාකාරී විය යුතුය
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,පෙරනිමි ද්රව්ය ලේඛණය ({0}) මෙම අයිතමය ශ්රේණිගත කරන්න හෝ එහි සැකිල්ල සඳහා ක්රියාකාරී විය යුතුය
 DocType: Employee,Leave Encashed?,Encashed ගියාද?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ක්ෂේත්රයේ සිට අවස්ථාව අනිවාර්ය වේ
 DocType: Email Digest,Annual Expenses,වාර්ෂික වියදම්
 DocType: Item,Variants,ප්රභේද
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,මිලදී ගැනීමේ නියෝගයක් කරන්න
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,මිලදී ගැනීමේ නියෝගයක් කරන්න
 DocType: SMS Center,Send To,කිරීම යවන්න
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},නිවාඩු වර්ගය {0} සඳහා ප්රමාණවත් නිවාඩු ශේෂ එහි නොවන
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},නිවාඩු වර්ගය {0} සඳහා ප්රමාණවත් නිවාඩු ශේෂ එහි නොවන
 DocType: Payment Reconciliation Payment,Allocated amount,වෙන් කල මුදල
 DocType: Sales Team,Contribution to Net Total,ශුද්ධ මුළු දායකත්වය
 DocType: Sales Invoice Item,Customer's Item Code,පාරිභෝගික අයිතමය සංග්රහයේ
 DocType: Stock Reconciliation,Stock Reconciliation,කොටස් ප්රතිසන්ධාන
 DocType: Territory,Territory Name,භූමි ප්රදේශය නම
+DocType: Email Digest,Purchase Orders to Receive,ලැබීමට මිලදී ගැනීමේ ඇණවුම්
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,සිදු වෙමින් පවතින වැඩ ගබඩාව පෙර ඉදිරිපත් අවශ්ය වේ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,ඔබට ග්රාහකත්වය යටතේ එකම බිල් කිරීමේ චක්රයක් සහිතව සැලසුම් ඇත
 DocType: Bank Statement Transaction Settings Item,Mapped Data,සිතියම්ගත දත්ත
@@ -2652,9 +2676,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},අනු අංකය අයිතමය {0} සඳහා ඇතුල් අනුපිටපත්
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,මූලාශ්ර ප්රභවයෙන් මඟ පෙන්වීම
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,"එය නාවික, නීතියේ ආධිපත්යය සඳහා වන තත්ත්වය"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,කරුණාකර ඇතුලත් කරන්න
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,කරුණාකර ඇතුලත් කරන්න
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,නඩත්තු ලොග්
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,විෂය හෝ ගබඩා මත පදනම් පෙරහන සකස් කරන්න
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,විෂය හෝ ගබඩා මත පදනම් පෙරහන සකස් කරන්න
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),මෙම පැකේජයේ ශුද්ධ බර. (භාණ්ඩ ශුද්ධ බර මුදලක් සේ ස්වයංක්රීයව ගණනය)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,අන්තර් සමාගම් Journal Entry කරන්න
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,වට්ටම් මුදල 100% ට වඩා වැඩි විය නොහැක.
@@ -2663,15 +2687,15 @@
 DocType: Sales Order,To Deliver and Bill,බේරාගන්න සහ පනත් කෙටුම්පත
 DocType: Student Group,Instructors,උපදේශක
 DocType: GL Entry,Credit Amount in Account Currency,"ගිණුම ව්යවහාර මුදල්, නය මුදල"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,ද්රව්ය ලේඛණය {0} ඉදිරිපත් කළ යුතුය
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,කොටස් කළමණාකරණය
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,ද්රව්ය ලේඛණය {0} ඉදිරිපත් කළ යුතුය
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,කොටස් කළමණාකරණය
 DocType: Authorization Control,Authorization Control,බලය පැවරීමේ පාලන
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ෙරෝ # {0}: ප්රතික්ෂේප ගබඩාව ප්රතික්ෂේප අයිතමය {1} එරෙහිව අනිවාර්ය වේ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,ගෙවීම
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ෙරෝ # {0}: ප්රතික්ෂේප ගබඩාව ප්රතික්ෂේප අයිතමය {1} එරෙහිව අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,ගෙවීම
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","පොත් ගබඩාව {0} ගිණුම් සම්බන්ධ නොවේ, සමාගම {1} තුළ ගබඩා වාර්තා කර හෝ පෙරනිමි බඩු තොග ගිණුමේ ගිණුම් සඳහන් කරන්න."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,ඔබේ ඇණවුම් කළමනාකරණය
 DocType: Work Order Operation,Actual Time and Cost,සැබෑ කාලය හා වියදම
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},උපරිම ද්රව්ය ඉල්ලීම් {0} විකුණුම් සාමය {2} එරෙහිව අයිතමය {1} සඳහා කළ හැකි
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},උපරිම ද්රව්ය ඉල්ලීම් {0} විකුණුම් සාමය {2} එරෙහිව අයිතමය {1} සඳහා කළ හැකි
 DocType: Amazon MWS Settings,DE,ද
 DocType: Crop,Crop Spacing,බෝග පරතරය
 DocType: Course,Course Abbreviation,පාඨමාලා කෙටි යෙදුම්
@@ -2683,6 +2707,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},මුළු කම්කරු පැය වැඩ කරන පැය {0} උපරිම වඩා වැඩි විය යුතු නැහැ
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,මත
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,පාවිච්චි කරන කාලය වන භාණ්ඩ ලැබුනු.
+DocType: Delivery Settings,Dispatch Settings,බෙදාහැරීමේ සැකසුම්
 DocType: Material Request Plan Item,Actual Qty,සැබෑ යවන ලද
 DocType: Sales Invoice Item,References,ආශ්රිත
 DocType: Quality Inspection Reading,Reading 10,කියවීම 10
@@ -2692,11 +2717,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ඔබ අනුපිටපත් භාණ්ඩ ඇතුළු වී තිබේ. නිවැරදි කර නැවත උත්සාහ කරන්න.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,ආශ්රිත
 DocType: Asset Movement,Asset Movement,වත්කම් ව්යාපාරය
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,වැඩ පිළිවෙළ {0} ඉදිරිපත් කළ යුතුය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,නව කරත්ත
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,වැඩ පිළිවෙළ {0} ඉදිරිපත් කළ යුතුය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,නව කරත්ත
 DocType: Taxable Salary Slab,From Amount,ප්රමාණයෙන්
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,අයිතමය {0} ක් serialized අයිතමය නොවේ
 DocType: Leave Type,Encashment,වැටලීම
+DocType: Delivery Settings,Delivery Settings,සැපයුම් සැකසුම්
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,දත්ත ලබාගන්න
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},නිවාඩු වර්ගයේ අවසර දී ඇති උපරිම නිවාඩු {0} යනු {1}
 DocType: SMS Center,Create Receiver List,Receiver ලැයිස්තුව නිර්මාණය
 DocType: Vehicle,Wheels,රෝද
@@ -2712,7 +2739,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,බිල්පත් මුදල් ගෙවීම් පැහැර හරින සමාගමක මුදලින් හෝ පාර්ශවීය ගිණුම් මුදලකට සමාන විය යුතුය
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"මෙම පැකේජය මෙම බෙදාහැරීමේ කොටසක් බව පෙන්නුම් කරයි (පමණක් කෙටුම්පත),"
 DocType: Soil Texture,Loam,ලෝම්
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,පේළිය {0}: කල් ඉකුත්වන දිනයට පෙර දින නියමිත විය නොහැක
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,පේළිය {0}: කල් ඉකුත්වන දිනයට පෙර දින නියමිත විය නොහැක
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,ගෙවීම් සටහන් කරන්න
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},විෂය {0} සඳහා ප්රමාණ {1} වඩා අඩු විය යුතුය
 ,Sales Invoice Trends,විකුණුම් ඉන්වොයිසිය ප්රවණතා
@@ -2720,12 +2747,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',හෝ &#39;පෙර ෙරෝ මුළු&#39; &#39;පෙර ෙරෝ මුදල මත&#39; යන චෝදනාව වර්ගය නම් පමණයි පේළිය යොමු වේ
 DocType: Sales Order Item,Delivery Warehouse,සැපයුම් ගබඩාව
 DocType: Leave Type,Earned Leave Frequency,නිවාඩු වාර ගණන
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,මූල්ය පිරිවැය මධ්යස්ථාන රුක්.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,උප වර්ගය
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,මූල්ය පිරිවැය මධ්යස්ථාන රුක්.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,උප වර්ගය
 DocType: Serial No,Delivery Document No,සැපයුම් ලේඛන නොමැත
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,නිෂ්පාදිත අංක අනුව පදනම් කරගත් සැපයීම තහවුරු කිරීම
 DocType: Vital Signs,Furry,ලොක්කා
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},සමාගම {0} තුළ &#39;වත්කම් බැහැර මත ලාභ / අලාභ ගිණුම්&#39; සකස් කරන්න
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},සමාගම {0} තුළ &#39;වත්කම් බැහැර මත ලාභ / අලාභ ගිණුම්&#39; සකස් කරන්න
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,අයිතම මිලදී ගැනීම ලැබීම් සිට ලබා ගන්න
 DocType: Serial No,Creation Date,නිර්මාණ දිනය
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},වත්කම සඳහා ඉලක්ක පිහිටීම {0}
@@ -2739,11 +2766,12 @@
 DocType: Item,Has Variants,ප්රභේද ඇත
 DocType: Employee Benefit Claim,Claim Benefit For,හිමිකම් ප්රතිලාභය
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,ප්රතිචාර යාවත්කාලීන කරන්න
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},ඔබ මේ වන විටත් {0} {1} සිට භාණ්ඩ තෝරාගෙන ඇති
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},ඔබ මේ වන විටත් {0} {1} සිට භාණ්ඩ තෝරාගෙන ඇති
 DocType: Monthly Distribution,Name of the Monthly Distribution,මාසික බෙදාහැරීම් නම
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,කණ්ඩායම හැඳුනුම්පත අනිවාර්ය වේ
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,කණ්ඩායම හැඳුනුම්පත අනිවාර්ය වේ
 DocType: Sales Person,Parent Sales Person,මව් විකුණුම් පුද්ගලයෙක්
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,ලැබීමට නියමිත අයිතම කල් ඉකුත් වේ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,විකිණුම්කරු සහ ගැනුම්කරු සමාන විය නොහැකිය
 DocType: Project,Collect Progress,ප්රගතිය එකතු කරන්න
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYY-
@@ -2759,7 +2787,7 @@
 DocType: Bank Guarantee,Margin Money,පේළි මුදල්
 DocType: Budget,Budget,අයවැය
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,විවෘත කරන්න
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,ස්ථාවර වත්කම් අයිතමය නොවන කොටස් අයිතමය විය යුතුය.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,ස්ථාවර වත්කම් අයිතමය නොවන කොටස් අයිතමය විය යුතුය.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","එය ආදායම් හෝ වියදම් ගිණුම නෑ ලෙස අයවැය, {0} එරෙහිව පවරා ගත නොහැකි"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} සඳහා උපරිම සීමාව {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,අත්පත් කර
@@ -2777,9 +2805,9 @@
 ,Amount to Deliver,බේරාගන්න මුදල
 DocType: Asset,Insurance Start Date,රක්ෂණ ආරම්භක දිනය
 DocType: Salary Component,Flexible Benefits,පරිපූර්ණ වාසි
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},එකම අයිතමය කිහිප වතාවක් ඇතුළත් කර ඇත. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},එකම අයිතමය කිහිප වතාවක් ඇතුළත් කර ඇත. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,හදුන්වන අරඹන්න දිනය කාලීන සම්බන්ධකම් කිරීමට (අධ්යයන වර්ෂය {}) අධ්යයන වසරේ වසරේ ආරම්භය දිනය වඩා කලින් විය නොහැක. දින වකවානු නිවැරදි කර නැවත උත්සාහ කරන්න.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,දෝෂ ඇතිවිය.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,දෝෂ ඇතිවිය.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,සේවකයා {0} දැනටමත් {2} සහ {3} අතර {1} සඳහා අයදුම් කර ඇත:
 DocType: Guardian,Guardian Interests,ගාඩියන් උනන්දුව දක්වන ක්ෂෙත්ර:
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,ගිණුමේ නම / අංකය යාවත්කාලීන කරන්න
@@ -2818,9 +2846,9 @@
 ,Item-wise Purchase History,අයිතමය ප්රඥාවන්ත මිලදී ගැනීම ඉතිහාසය
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},අනු අංකය බැරිතැන &#39;උත්පාදනය උපෙල්ඛනෙය්&#39; මත ක්ලික් කරන්න අයිතමය {0} වෙනුවෙන් එකතු
 DocType: Account,Frozen,ශීත කළ
-DocType: Delivery Note,Vehicle Type,වාහන වර්ගය
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,වාහන වර්ගය
 DocType: Sales Invoice Payment,Base Amount (Company Currency),මූලික මුදල (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,අමු ද්රව්ය
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,අමු ද්රව්ය
 DocType: Payment Reconciliation Payment,Reference Row,විමර්ශන ෙරෝ
 DocType: Installation Note,Installation Time,ස්ථාපන කාල
 DocType: Sales Invoice,Accounting Details,මුල්ය විස්තර
@@ -2829,12 +2857,13 @@
 DocType: Inpatient Record,O Positive,O ධනාත්මකයි
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,ආයෝජන
 DocType: Issue,Resolution Details,යෝජනාව විස්තර
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,ගනුදෙනු වර්ගය
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,ගනුදෙනු වර්ගය
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,පිළිගැනීම නිර්ණායක
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,ඉහත වගුවේ ද්රව්ය ඉල්ලීම් ඇතුලත් කරන්න
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Journal Entry සඳහා ආපසු ගෙවීම් නොමැත
 DocType: Hub Tracked Item,Image List,පින්තූර ලැයිස්තුව
 DocType: Item Attribute,Attribute Name,ආරෝපණය නම
+DocType: Subscription,Generate Invoice At Beginning Of Period,කාලය ආරම්භයේදී ඉන්වොයිසිය සෑදීම
 DocType: BOM,Show In Website,වෙබ් අඩවිය ගැන පෙන්වන්න
 DocType: Loan Application,Total Payable Amount,මුළු ගෙවිය යුතු මුදල
 DocType: Task,Expected Time (in hours),අපේක්ෂිත කාලය (පැය)
@@ -2872,8 +2901,8 @@
 DocType: Employee,Resignation Letter Date,ඉල්ලා අස්වීමේ ලිපිය දිනය
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,ප්රමාණය මත පදනම් මිල ගණන් රීති තවදුරටත් පෙරනු ලබයි.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,සකසා නැත
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},සේවක {0} සඳහා එක්වීමට දිනය සකස් කරන්න
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},සේවක {0} සඳහා එක්වීමට දිනය සකස් කරන්න
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},සේවක {0} සඳහා එක්වීමට දිනය සකස් කරන්න
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},සේවක {0} සඳහා එක්වීමට දිනය සකස් කරන්න
 DocType: Inpatient Record,Discharge,විසර්ජනය
 DocType: Task,Total Billing Amount (via Time Sheet),(කාල පත්රය හරහා) මුළු බිල්පත් ප්රමාණය
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,නැවත පාරිභෝගික ආදායම්
@@ -2883,13 +2912,13 @@
 DocType: Chapter,Chapter,පරිච්ඡේදය
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pair
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,මෙම ප්රකාරය තෝරාගත් පසු පෙරනිමි ගිණුම POS ඉන්වොයිසියේ ස්වයංක්රියව යාවත්කාලීන කෙරේ.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,නිෂ්පාදන සඳහා ද ෙව් හා යවන ලද තෝරන්න
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,නිෂ්පාදන සඳහා ද ෙව් හා යවන ලද තෝරන්න
 DocType: Asset,Depreciation Schedule,ක්ෂය උපෙල්ඛනෙය්
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,"විකුණුම් සහකරු, ලිපින හා සම්බන්ධ වන්න"
 DocType: Bank Reconciliation Detail,Against Account,ගිණුම එරෙහිව
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,අර්ධ දින දිනය දිනය සිට මේ දක්වා අතර විය යුතුය
 DocType: Maintenance Schedule Detail,Actual Date,සැබෑ දිනය
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,කරුණාකර {0} සමාගමෙහි ප්රමිති පිරිවැය මධ්යස්ථානය සකසන්න.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,කරුණාකර {0} සමාගමෙහි ප්රමිති පිරිවැය මධ්යස්ථානය සකසන්න.
 DocType: Item,Has Batch No,ඇත කණ්ඩායම කිසිදු
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},වාර්ෂික ගෙවීම්: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,වෙබ්ක්රොපොවේ විස්තර කරන්න
@@ -2901,7 +2930,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,මාරු වර්ගය
 DocType: Student,Personal Details,පුද්ගලික තොරතුරු
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},සමාගම {0} තුළ &#39;වත්කම් ක්ෂය පිරිවැය මධ්යස්ථානය පිහිටුවා කරුණාකර
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},සමාගම {0} තුළ &#39;වත්කම් ක්ෂය පිරිවැය මධ්යස්ථානය පිහිටුවා කරුණාකර
 ,Maintenance Schedules,නඩත්තු කාලසටහන
 DocType: Task,Actual End Date (via Time Sheet),(කාල පත්රය හරහා) සැබෑ අවසානය දිනය
 DocType: Soil Texture,Soil Type,පාංශු වර්ගය
@@ -2909,10 +2938,10 @@
 ,Quotation Trends,උද්ධෘත ප්රවණතා
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},අයිතමය {0} සඳහා අයිතමය ස්වාමියා සඳහන් කර නැත අයිතමය සමූහ
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless මැන්ඩේට්
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,ගිණුමක් සඳහා ඩෙබිට් වූ ලැබිය යුතු ගිණුම් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,ගිණුමක් සඳහා ඩෙබිට් වූ ලැබිය යුතු ගිණුම් විය යුතුය
 DocType: Shipping Rule,Shipping Amount,නැව් ප්රමාණය
 DocType: Supplier Scorecard Period,Period Score,කාල පරතරය
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,ගනුදෙනුකරුවන් එකතු
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,ගනුදෙනුකරුවන් එකතු
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,විභාග මුදල
 DocType: Lab Test Template,Special,විශේෂ
 DocType: Loyalty Program,Conversion Factor,පරිවර්තන සාධකය
@@ -2929,7 +2958,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,ලිපින එකතු කරන්න
 DocType: Program Enrollment,Self-Driving Vehicle,ස්වයං-රියදුරු වාහන
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,සැපයුම් සිතුවම් ස්ථාවර
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},පේළියේ {0}: ද්රව්ය පනත් කෙටුම්පත අයිතමය {1} සඳහා සොයාගත නොහැකි
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},පේළියේ {0}: ද්රව්ය පනත් කෙටුම්පත අයිතමය {1} සඳහා සොයාගත නොහැකි
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,මුළු වෙන් කොළ {0} කාලය සඳහා දැනටමත් අනුමැතිය කොළ {1} ට වඩා අඩු විය නොහැක
 DocType: Contract Fulfilment Checklist,Requirement,අවශ්යතාව
 DocType: Journal Entry,Accounts Receivable,ලැබිය යුතු ගිණුම්
@@ -2946,16 +2975,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,මානව සම්පත් සැකසුම්
 DocType: Salary Slip,net pay info,ශුද්ධ වැටුප් තොරතුරු
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,සෙස් මුදල
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,සෙස් මුදල
 DocType: Woocommerce Settings,Enable Sync,Sync සක්රිය කරන්න
 DocType: Tax Withholding Rate,Single Transaction Threshold,තනි ගනුදෙනු කිරීමේ සීමාව
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,මෙම අගය පෙරනිමි විකුණුම් මිල ලැයිස්තුවෙහි යාවත්කාලීන වේ.
 DocType: Email Digest,New Expenses,නව වියදම්
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC මුදල
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC මුදල
 DocType: Shareholder,Shareholder,කොටස්කරු
 DocType: Purchase Invoice,Additional Discount Amount,අතිරේක වට්ටම් මුදල
 DocType: Cash Flow Mapper,Position,පිහිටීම
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,බෙහෙත් වට්ටෝරු වලින් අයිතම ලබා ගන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,බෙහෙත් වට්ටෝරු වලින් අයිතම ලබා ගන්න
 DocType: Patient,Patient Details,රෝගීන් විස්තර
 DocType: Inpatient Record,B Positive,B ධනාත්මකයි
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2967,8 +2996,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,නොවන සමූහ සමූහ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,ක්රීඩා
 DocType: Loan Type,Loan Name,ණය නම
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,මුළු තත
-DocType: Lab Test UOM,Test UOM,පරීක්ෂණය යූඕම්
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,මුළු තත
 DocType: Student Siblings,Student Siblings,ශිෂ්ය සහෝදර සහෝදරියන්
 DocType: Subscription Plan Detail,Subscription Plan Detail,දායක සැලැස්ම විස්තර
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,ඒකකය
@@ -2995,7 +3023,6 @@
 DocType: Workstation,Wages per hour,පැයට වැටුප්
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},කණ්ඩායම කොටස් ඉතිරි {0} ගබඩා {3} හි විෂය {2} සඳහා {1} සෘණ බවට පත් වනු
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,පහත සඳහන් ද්රව්ය ඉල්ලීම් අයිතමය යලි සඳහා මට්ටම මත පදනම්ව ස්වයංක්රීයව ඉහළ නංවා තිබෙනවා
-DocType: Email Digest,Pending Sales Orders,විභාග විකුණුම් නියෝග
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},ගිණුම {0} වලංගු නැත. ගිණුම ව්යවහාර මුදල් විය යුතුය {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},දිනයෙන් {0} සේවකයාගේ දිනයෙන් පසුව {1}
 DocType: Supplier,Is Internal Supplier,අභ්යන්තර සැපයුම්කරු වේ
@@ -3004,13 +3031,14 @@
 DocType: Healthcare Settings,Remind Before,කලින් මතක් කරන්න
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM පරිවර්තනය සාධකය පේළිය {0} අවශ්ය කරන්නේ
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය විකුණුම් සාමය, විකුණුම් ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය විකුණුම් සාමය, විකුණුම් ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 පක්ෂපාතීත්ව ලක්ෂ්ය = කොපමණ පාදක මුදලක්?
 DocType: Salary Component,Deduction,අඩු කිරීම්
 DocType: Item,Retain Sample,නියැදිය රඳවා ගැනීම
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,ෙරෝ {0}: කාලය හා කලට අනිවාර්ය වේ.
 DocType: Stock Reconciliation Item,Amount Difference,මුදල වෙනස
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} වෙනුවෙන් එකතු
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} වෙනුවෙන් එකතු
+DocType: Delivery Stop,Order Information,ඇණවුම් තොරතුරු
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,මෙම අලෙවි පුද්ගලයා සේවක අංකය ඇතුල් කරන්න
 DocType: Territory,Classification of Customers by region,කලාපය අනුව ගනුදෙනුකරුවන් වර්ගීකරණය
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,නිෂ්පාදනය තුල
@@ -3020,8 +3048,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ගණනය බැංකු ප්රකාශය ඉතිරි
 DocType: Normal Test Template,Normal Test Template,සාමාන්ය ටෙම්ප්ලේටරයක්
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ආබාධිත පරිශීලක
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,උද්ධෘත
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,කිසිදු සෘජු අත්දැකීමක් ලබා ගැනීමට RFQ නැත
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,උද්ධෘත
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,කිසිදු සෘජු අත්දැකීමක් ලබා ගැනීමට RFQ නැත
 DocType: Salary Slip,Total Deduction,මුළු අඩු
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,ගිණුම් මුදලේ මුද්රණය කිරීම සඳහා ගිණුමක් තෝරන්න
 ,Production Analytics,නිෂ්පාදනය විශ්ලේෂණ
@@ -3034,14 +3062,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,සැපයුම් සිතුවම් සැකසුම
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,තක්සේරු සැලැස්ම නම
 DocType: Work Order Operation,Work Order Operation,වැඩ පිළිවෙල ක්රියාත්මක කිරීම
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},අවවාදයයි: ඇමුණුමක් {0} මත වලංගු නොවන SSL සහතිකය
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},අවවාදයයි: ඇමුණුමක් {0} මත වලංගු නොවන SSL සහතිකය
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","ආදර්ශ ඔබේ නායකත්වය ලෙස ඔබගේ සියලු සම්බන්ධතා සහ තවත් එකතු කරන්න, ඔබ ව්යාපාරය ලබා ගැනීමට උදව්"
 DocType: Work Order Operation,Actual Operation Time,සැබෑ මෙහෙයුම කාල
 DocType: Authorization Rule,Applicable To (User),(පරිශීලක) අදාළ
 DocType: Purchase Taxes and Charges,Deduct,අඩු
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,රැකියා විස්තරය
 DocType: Student Applicant,Applied,ව්යවහාරික
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,නැවත විවෘත
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,නැවත විවෘත
 DocType: Sales Invoice Item,Qty as per Stock UOM,කොටස් UOM අනුව යවන ලද
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 නම
 DocType: Attendance,Attendance Request,පැමිණීමේ ඉල්ලීම
@@ -3059,7 +3087,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},අනු අංකය {0} {1} දක්වා වගකීමක් යටතේ
 DocType: Plant Analysis Criteria,Minimum Permissible Value,අවම ඉඩ ප්රමාණය
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,පරිශීලකයා {0} දැනටමත් පවතී
-apps/erpnext/erpnext/hooks.py +114,Shipments,භාණ්ඩ නිකුත් කිරීම්
+apps/erpnext/erpnext/hooks.py +115,Shipments,භාණ්ඩ නිකුත් කිරීම්
 DocType: Payment Entry,Total Allocated Amount (Company Currency),මුළු වෙන් කළ මුදල (සමාගම ව්යවහාර මුදල්)
 DocType: Purchase Order Item,To be delivered to customer,පාරිභෝගිකයා වෙත බාර දීමට
 DocType: BOM,Scrap Material Cost,පරණ ද්රව්ය පිරිවැය
@@ -3067,11 +3095,12 @@
 DocType: Grant Application,Email Notification Sent,ඊමේල් දැනුම්දීම යැවූ
 DocType: Purchase Invoice,In Words (Company Currency),වචන (සමාගම ව්යවහාර මුදල්) දී
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,සමාගම් ගිණුම සඳහා මනෝරාජික වේ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","අයිතමය සංග්රහය, ගබඩාව, ප්රමාණය පේළි අවශ්ය වේ"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","අයිතමය සංග්රහය, ගබඩාව, ප්රමාණය පේළි අවශ්ය වේ"
 DocType: Bank Guarantee,Supplier,සැපයුම්කරු
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,සිට ලබා ගන්න
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,මෙය මූල දෙපාර්තමේන්තුවක් වන අතර සංස්කරණය කළ නොහැක.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,ගෙවීම් විස්තර පෙන්වන්න
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,දින තුළ ගතවන කාලය
 DocType: C-Form,Quarter,කාර්තුවේ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,විවිධ වියදම්
 DocType: Global Defaults,Default Company,පෙරනිමි සමාගම
@@ -3079,7 +3108,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,වියදම් හෝ වෙනසක් ගිණුමක් අයිතමය {0} එය බලපෑම් ලෙස සමස්ත කොටස් අගය සඳහා අනිවාර්ය වේ
 DocType: Bank,Bank Name,බැංකුවේ නම
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-ඉහත
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,සියලුම සැපයුම්කරුවන් සඳහා මිලදී ගැනීමේ ඇණවුම් ලබා ගැනීම සඳහා ක්ෂේත්රය හිස්ව තබන්න
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,සියලුම සැපයුම්කරුවන් සඳහා මිලදී ගැනීමේ ඇණවුම් ලබා ගැනීම සඳහා ක්ෂේත්රය හිස්ව තබන්න
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,නේවාසික පැමිණීමේ ගාස්තු අයිතමය
 DocType: Vital Signs,Fluid,තරල
 DocType: Leave Application,Total Leave Days,මුළු නිවාඩු දින
@@ -3088,7 +3117,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,අයිතම විකල්ප සැකසුම්
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,සමාගම තෝරන්න ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,සියළුම දෙපාර්තමේන්තු සඳහා සලකා නම් හිස්ව තබන්න
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} අයිතමය {1} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} අයිතමය {1} සඳහා අනිවාර්ය වේ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","අයිතමය {0}: {1} නිෂ්පාදනය කරන ලද,"
 DocType: Payroll Entry,Fortnightly,දෙසතියකට වරක්
 DocType: Currency Exchange,From Currency,ව්යවහාර මුදල් වලින්
@@ -3138,7 +3167,7 @@
 DocType: Account,Fixed Asset,ඉස්තාවර වත්කම්
 DocType: Amazon MWS Settings,After Date,දිනය පසුව
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialized බඩු තොග
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,අන්තර් සමාගම් ඉන්වොයිසිය සඳහා වලංගු නොවන {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,අන්තර් සමාගම් ඉන්වොයිසිය සඳහා වලංගු නොවන {0}.
 ,Department Analytics,දෙපාර්තමේන්තු විශ්ලේෂණ
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,පෙරනිමි සබඳතාවයේ ඊමේල් හමු නොවිනි
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,රහස් නිර්මාණය කරන්න
@@ -3157,6 +3186,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,විධායක නිලධාරී
 DocType: Purchase Invoice,With Payment of Tax,බදු ගෙවීමෙන්
 DocType: Expense Claim Detail,Expense Claim Detail,වියදම් හිමිකම් විස්තර
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,කරුණාකර අධ්යාපනය&gt; අධ්යාපන සැකසීම් තුළ උපදේශක නාමකරණයක් සැකසීම
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,සැපයුම්කරු සඳහා පිටපත් තුනකින්
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,මූලික මුදල් වල නව ශේෂය
 DocType: Location,Is Container,බහාලුම් වේ
@@ -3164,13 +3194,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,කරුණාකර නිවැරදි ගිණුම තෝරා
 DocType: Salary Structure Assignment,Salary Structure Assignment,වැටුප් ව්යුහය පැවරුම
 DocType: Purchase Invoice Item,Weight UOM,සිරුරේ බර UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,කොටස් හිමියන්ගේ කොටස් ලැයිස්තුව
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,කොටස් හිමියන්ගේ කොටස් ලැයිස්තුව
 DocType: Salary Structure Employee,Salary Structure Employee,වැටුප් ව්යුහය සේවක
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,විචල්ය ලක්ෂණ පෙන්වන්න
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,විචල්ය ලක්ෂණ පෙන්වන්න
 DocType: Student,Blood Group,ලේ වර්ගය
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} සැලැස්මෙහි ගෙවීම් ගෝල්ඩන් ගිණුම මෙම ගෙවීම් ඉල්ලීමේ ගෙවීම් ග්ලැට්වුඩ් ගිණුමෙන් වෙනස් වේ
 DocType: Course,Course Name,පාඨමාලා නම
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,වත්මන් මුදල් වර්ෂය සඳහා කිසිදු බදු රඳවා ගැනීමේ දත්ත නොමැත.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,වත්මන් මුදල් වර්ෂය සඳහා කිසිදු බදු රඳවා ගැනීමේ දත්ත නොමැත.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"නිශ්චිත සේවක නිවාඩු අයදුම්පත් අනුමත කළ හැකි ද කරන භාවිතා කරන්නන්,"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,කාර්යාල උපකරණ
 DocType: Purchase Invoice Item,Qty,යවන ලද
@@ -3178,6 +3208,7 @@
 DocType: Supplier Scorecard,Scoring Setup,ස්කොරින් පිහිටුවීම
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,ඉලෙක්ට්රොනික උපකරණ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),හර ({0})
+DocType: BOM,Allow Same Item Multiple Times,එකම අයිතමය බහු වාර ගණනට ඉඩ දෙන්න
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,කොටස් නැවත පිණිස මට්ටමේ වූ විට ද්රව්ය ඉල්ලීම් මතු
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,පූර්ණ කාලීන
 DocType: Payroll Entry,Employees,සේවක
@@ -3189,11 +3220,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,ගෙවීම් තහවුරු කිරීම
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,මිල ලැයිස්තුව සකස් වී නොමැති නම් මිල ගණන් පෙන්වා ඇත කළ නොහැකි වනු ඇත
 DocType: Stock Entry,Total Incoming Value,මුළු එන අගය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ඩෙබිට් කිරීම අවශ්ය වේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ඩෙබිට් කිරීම අවශ්ය වේ
 DocType: Clinical Procedure,Inpatient Record,රෝගියාගේ වාර්තාව
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ඔබගේ කණ්ඩායම විසින් සිදු කළ කටයුතුවලදී සඳහා කාලය, පිරිවැය සහ බිල්පත් පිළිබඳ වාර්තාවක් තබා ගැනීමට උදව්"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,මිලදී ගැනීම මිල ලැයිස්තුව
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,ගනුදෙනුවේ දිනය
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,මිලදී ගැනීම මිල ලැයිස්තුව
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,ගනුදෙනුවේ දිනය
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,සැපයුම්කරුවන් ලකුණු දර්ශක විචල්යයන්හි තේමාවන්.
 DocType: Job Offer Term,Offer Term,ඉල්ලුමට කාලීන
 DocType: Asset,Quality Manager,තත්ත්ව කළමනාකාර
@@ -3214,18 +3245,18 @@
 DocType: Cashier Closing,To Time,වේලාව
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) {0}
 DocType: Authorization Rule,Approving Role (above authorized value),අනුමත කාර්ය භාරය (බලය ලත් අගය ඉහළ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,ගිණුමක් සඳහා ක්රෙඩිට් ගෙවිය යුතු ගිණුම් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,ගිණුමක් සඳහා ක්රෙඩිට් ගෙවිය යුතු ගිණුම් විය යුතුය
 DocType: Loan,Total Amount Paid,මුළු මුදල ගෙවා ඇත
 DocType: Asset,Insurance End Date,රක්ෂණ අවසන් දිනය
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,ගෙවන ලද ශිෂ්ය අයදුම්කරුට අනිවාර්යයෙන්ම ඇතුළත් වන ශිෂ්ය හැඳුනුම්පත තෝරා ගන්න
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},ද්රව්ය ලේඛණය සහානුයාත: {0} {2} මව් හෝ ළමා විය නොහැකි
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},ද්රව්ය ලේඛණය සහානුයාත: {0} {2} මව් හෝ ළමා විය නොහැකි
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,අයවැය ලේඛනය
 DocType: Work Order Operation,Completed Qty,අවසන් යවන ලද
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0} සඳහා, ඩෙබිට් ගිණුම් වලට පමණක් තවත් ණය ප්රවේශය හා සම්බන්ධ කර ගත හැකි"
 DocType: Manufacturing Settings,Allow Overtime,අතිකාල ඉඩ දෙන්න
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized අයිතමය {0} කොටස් වෙළඳ ප්රතිසන්ධාන භාවිතා යාවත්කාලීන කළ නොහැක, කොටස් සටහන් භාවිතා කරන්න"
 DocType: Training Event Employee,Training Event Employee,පුහුණු EVENT සේවක
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,උපරිම නියැදි - {0} කණ්ඩායම {1} සහ අයිතම {2} සඳහා රඳවා තබා ගත හැකිය.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,උපරිම නියැදි - {0} කණ්ඩායම {1} සහ අයිතම {2} සඳහා රඳවා තබා ගත හැකිය.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,කාල අවකාශ එකතු කරන්න
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} අයිතමය {1} සඳහා අවශ්ය අනු ගණන්. ඔබ {2} විසින් ජනතාවට ලබා දී ඇත.
 DocType: Stock Reconciliation Item,Current Valuation Rate,වත්මන් තක්සේරු අනුපාත
@@ -3255,11 +3286,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} සොයාගත නොහැකි අනු අංකය
 DocType: Fee Schedule Program,Fee Schedule Program,ගාස්තු වැඩ සටහන
 DocType: Fee Schedule Program,Student Batch,ශිෂ්ය කණ්ඩායම
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","කරුණාකර මෙම ලේඛනය අවලංගු කිරීම සඳහා සේවකයා <a href=""#Form/Employee/{0}"">{0}</a> \ මකා දමන්න"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,ශිෂ්ය කරන්න
 DocType: Supplier Scorecard Scoring Standing,Min Grade,අවම ශ්රේණිය
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,සෞඛ්ය සේවා ඒකකය වර්ගය
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},ඔබ මෙම ව්යාපෘතිය පිළිබඳව සහයෝගයෙන් කටයුතු කිරීමට ආරාධනා කර ඇත: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},ඔබ මෙම ව්යාපෘතිය පිළිබඳව සහයෝගයෙන් කටයුතු කිරීමට ආරාධනා කර ඇත: {0}
 DocType: Supplier Group,Parent Supplier Group,දෙමාපියන් සැපයුම්කරුවන් සමූහය
+DocType: Email Digest,Purchase Orders to Bill,බිල්පත් මිලට ගැනීමේ ඇණවුම්
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,සමාගම් සමූහයේ සමුච්චිත අගයන්
 DocType: Leave Block List Date,Block Date,වාරණ දිනය
 DocType: Crop,Crop,බෝග
@@ -3272,6 +3306,7 @@
 DocType: Sales Order,Not Delivered,භාර නොවන
 ,Bank Clearance Summary,බැංකු නිෂ්කාශන සාරාංශය
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","නිර්මාණය හා දෛනික, කළමනාකරණය කිරීම, සතිපතා හා මාසික ඊ-තැපැල් digests."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,මෙම විකුණුම් පුද්ගලයාට එරෙහි ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහන බලන්න
 DocType: Appraisal Goal,Appraisal Goal,ඇගයීෙම් අරමුණ
 DocType: Stock Reconciliation Item,Current Amount,වත්මන් මුදල
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,ගොඩනැගිලි
@@ -3298,7 +3333,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,මෘදුකාංග
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,ඊළඟට අප අමතන්න දිනය අතීතයේ දී කළ නොහැකි
 DocType: Company,For Reference Only.,විමර්ශන පමණක් සඳහා.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,කණ්ඩායම තේරීම් නොමැත
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,කණ්ඩායම තේරීම් නොමැත
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},වලංගු නොවන {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,ආශ්රිත Inv
@@ -3316,16 +3351,16 @@
 DocType: Normal Test Items,Require Result Value,ප්රතිඵල වටිනාකම
 DocType: Item,Show a slideshow at the top of the page,පිටුවේ ඉහළ ඇති වූ අතිබහුතරයකගේ පෙන්වන්න
 DocType: Tax Withholding Rate,Tax Withholding Rate,බදු රඳවා ගැනීමේ අනුපාතිකය
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,ස්ටෝර්ස්
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,ස්ටෝර්ස්
 DocType: Project Type,Projects Manager,ව්යාපෘති කළමනාකරු
 DocType: Serial No,Delivery Time,භාරදීමේ වේලාව
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,වයස්ගතවීම ආශ්රිත දා
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,පත්වීම අවලංගු වේ
 DocType: Item,End of Life,ජීවිතයේ අවසානය
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ගමන්
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ගමන්
 DocType: Student Report Generation Tool,Include All Assessment Group,සියලු ඇගයුම් කණ්ඩායම් ඇතුළත් කරන්න
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,ලබා දී දින සඳහා සේවක {0} සඳහා සොයා ගත නොහැකි විය සකිය ෙහෝ පෙරනිමි වැටුප් ව්යුහය
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,ලබා දී දින සඳහා සේවක {0} සඳහා සොයා ගත නොහැකි විය සකිය ෙහෝ පෙරනිමි වැටුප් ව්යුහය
 DocType: Leave Block List,Allow Users,පරිශීලකයන් ඉඩ දෙන්න
 DocType: Purchase Order,Customer Mobile No,පාරිභෝගික ජංගම නොමැත
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,මුදල් ප්රවාහ සිතියම් කිරීමේ තොරතුරු විස්තර
@@ -3334,15 +3369,16 @@
 DocType: Rename Tool,Rename Tool,මෙවලම නැවත නම් කරන්න
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,යාවත්කාලීන වියදම
 DocType: Item Reorder,Item Reorder,අයිතමය සීරුමාරු කිරීමේ
+DocType: Delivery Note,Mode of Transport,ප්රවාහන ක්රමය
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,වැටුප පුරවා පෙන්වන්න
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,ද්රව්ය මාරු
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,ද්රව්ය මාරු
 DocType: Fees,Send Payment Request,ගෙවීම් ඉල්ලුම යවන්න
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",", මෙහෙයුම් විශේෂයෙන් සඳහන් මෙහෙයුම් පිරිවැය සහ අද්විතීය මෙහෙයුම ඔබේ ක්රියාකාරිත්වය සඳහා කිසිදු දෙන්න."
 DocType: Travel Request,Any other details,වෙනත් තොරතුරු
 DocType: Water Analysis,Origin,මූලාරම්භය
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,මෙම ලේඛනය අයිතමය {4} සඳහා {0} {1} විසින් සීමාව ඉක්මවා ඇත. ඔබ එකම {2} එරෙහිව තවත් {3} ගන්නවාද?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,ඉතිරි පසු නැවත නැවත සකස් කරන්න
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,වෙනස් මුදල ගිණුම තෝරන්න
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,ඉතිරි පසු නැවත නැවත සකස් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,වෙනස් මුදල ගිණුම තෝරන්න
 DocType: Purchase Invoice,Price List Currency,මිල ලැයිස්තුව ව්යවහාර මුදල්
 DocType: Naming Series,User must always select,පරිශීලක සෑම විටම තෝරාගත යුතුය
 DocType: Stock Settings,Allow Negative Stock,ඍණ කොටස් ඉඩ දෙන්න
@@ -3363,9 +3399,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,පාලනයන් යනාදී
 DocType: Asset Maintenance Log,Actions performed,ක්රියාත්මක කළ ක්රියාවන්
 DocType: Cash Flow Mapper,Section Leader,අංශ නායක
+DocType: Delivery Note,Transport Receipt No,ප්රවාහන කුවිතාන්සිය අංක
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),අරමුදල් ප්රභවයන් (වගකීම්)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,මූලාශ්රය සහ ඉලක්කය ස්ථානය එකම විය නොහැක
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},පේළියේ ප්රමාණය {0} ({1}) නිෂ්පාදනය ප්රමාණය {2} ලෙස සමාන විය යුතුයි
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},පේළියේ ප්රමාණය {0} ({1}) නිෂ්පාදනය ප්රමාණය {2} ලෙස සමාන විය යුතුයි
 DocType: Supplier Scorecard Scoring Standing,Employee,සේවක
 DocType: Bank Guarantee,Fixed Deposit Number,ස්ථාවර තැන්පතු අංකය
 DocType: Asset Repair,Failure Date,අසමත් දිනය
@@ -3379,16 +3416,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,ගෙවීම් අඩු කිරීම් හෝ අඞු කිරීමට
 DocType: Soil Analysis,Soil Analysis Criterias,පාංශු විශ්ලේෂණ නිර්ණායක
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,විකුණුම් හෝ මිළදී සඳහා සම්මත කොන්ත්රාත් කොන්දේසි.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,මෙම හමුවීම අවලංගු කිරීමට අවශ්ය බව ඔබට විශ්වාසද?
+DocType: BOM Item,Item operation,අයිතම මෙහෙයුම
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,මෙම හමුවීම අවලංගු කිරීමට අවශ්ය බව ඔබට විශ්වාසද?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,හෝටල් කාමර මිල කිරීමේ පැකේජය
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,විකුණුම් නල
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,විකුණුම් නල
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},වැටුප සංරචක {0} පැහැර ගිණුමක් සකස් කරන්න
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,දා අවශ්ය
 DocType: Rename Tool,File to Rename,නැවත නම් කරන්න කිරීමට ගොනු
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},කරුණාකර ෙරෝ {0} තුළ අයිතමය සඳහා ද ෙව් තෝරා
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,අනුගාමිකයන් යාවත්කාලීන කිරීම්
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ගිණුමක් {0} ගිණුම ප්රකාරය සමාගම {1} සමග නොගැලපේ: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},නිශ්චිතව දක්වා ඇති ද්රව්ය ලේඛණය {0} අයිතමය {1} සඳහා නොපවතියි
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},නිශ්චිතව දක්වා ඇති ද්රව්ය ලේඛණය {0} අයිතමය {1} සඳහා නොපවතියි
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,පාඨමාලාව:
 DocType: Soil Texture,Sandy Loam,සැන්ඩි ලෝම්
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර නඩත්තු උපෙල්ඛනෙය් {0} අවලංගු කළ යුතුය
@@ -3397,7 +3435,7 @@
 DocType: Notification Control,Expense Claim Approved,වියදම් හිමිකම් අනුමත
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),අත්තිකාරම් සහ වෙන් කිරීම (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,රැකියා ඇණවුම් නිර්මාණය කළේ නැත
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,සේවක වැටුප් පුරවා {0} දැනටමත් මෙම කාල සීමාව සඳහා නිර්මාණය
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,සේවක වැටුප් පුරවා {0} දැනටමත් මෙම කාල සීමාව සඳහා නිර්මාණය
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ඖෂධ
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,ඔබ විසින් වලංගු ආනුභූතික වටිනාකමක් සඳහා Leave Encashment ඉදිරිපත් කළ හැකිය
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,මිලදී ගත් අයිතම පිරිවැය
@@ -3405,7 +3443,8 @@
 DocType: Selling Settings,Sales Order Required,විකුණුම් සාමය අවශ්ය
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,විකිණුම්කරුවෙකු වන්න
 DocType: Purchase Invoice,Credit To,ක්රෙඩිට් කිරීම
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,ක්රියාකාරී ඇද්ද / ගනුදෙනුකරුවන්
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,ක්රියාකාරී ඇද්ද / ගනුදෙනුකරුවන්
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,සම්මත සැපයුම් සටහන ආකෘතිය භාවිතා කිරීමට හිස්ව තබන්න
 DocType: Employee Education,Post Graduate,පශ්චාත් උපාධි
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,නඩත්තු උපෙල්ඛනෙය් විස්තර
 DocType: Supplier Scorecard,Warn for new Purchase Orders,නව මිලදී ගැනීමේ ඇණවුම් සඳහා අනතුරු ඇඟවීම
@@ -3419,14 +3458,14 @@
 DocType: Support Search Source,Post Title Key,තැපැල් හිමිකම් යතුර
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,රැකියා කාඩ්පත සඳහා
 DocType: Warranty Claim,Raised By,විසින් මතු
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,නිර්දේශ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,නිර්දේශ
 DocType: Payment Gateway Account,Payment Account,ගෙවීම් ගිණුම
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,ඉදිරියට සමාගම සඳහන් කරන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,ඉදිරියට සමාගම සඳහන් කරන්න
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,ලැබිය යුතු ගිණුම් ශුද්ධ වෙනස්
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Off වන්දි
 DocType: Job Offer,Accepted,පිළිගත්තා
 DocType: POS Closing Voucher,Sales Invoices Summary,විකුණුම් ඉන්වොයිසි සාරාංශය
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,පක්ෂ නාමය සඳහා
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,පක්ෂ නාමය සඳහා
 DocType: Grant Application,Organization,ආයතනය
 DocType: Grant Application,Organization,ආයතනය
 DocType: BOM Update Tool,BOM Update Tool,BOM යාවත්කාලීන මෙවලම
@@ -3436,7 +3475,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ඔබට නිසැකවම මෙම සමාගම සඳහා වන සියළුම ගනුදෙනු මැකීමට අවශ්ය බවට තහවුරු කරගන්න. එය ඔබගේ ස්වාමියා දත්ත පවතිනු ඇත. මෙම ක්රියාව නැති කළ නොහැක.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,ප්රතිඵල සොයන්න
 DocType: Room,Room Number,කාමර අංකය
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},වලංගු නොවන සමුද්දේශ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},වලංගු නොවන සමුද්දේශ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) නිෂ්පාදන න්යාය {3} සැලසුම් quanitity ({2}) ට වඩා වැඩි විය නොහැක
 DocType: Shipping Rule,Shipping Rule Label,නැව් පාලනය ලේබල්
 DocType: Journal Entry Account,Payroll Entry,වැටුප් ගෙවීම්
@@ -3444,8 +3483,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,බදු ආකෘතියක් සාදන්න
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,පරිශීලක සංසදය
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,", අමු ද්රව්ය, හිස් විය නොහැක."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,පේළිය # {0} (ගෙවීම් වගුව): ප්රමාණය ඍණ විය යුතුය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.",", කොටස් යාවත්කාලීන නොවන ඉන්වොයිස් පහත නාවික අයිතමය අඩංගු විය."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,පේළිය # {0} (ගෙවීම් වගුව): ප්රමාණය ඍණ විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.",", කොටස් යාවත්කාලීන නොවන ඉන්වොයිස් පහත නාවික අයිතමය අඩංගු විය."
 DocType: Contract,Fulfilment Status,සම්පූර්ණ තත්ත්වය
 DocType: Lab Test Sample,Lab Test Sample,පරීක්ෂණ පරීක්ෂණ නියැදිය
 DocType: Item Variant Settings,Allow Rename Attribute Value,ඇඩ්රයිව් අගය නැවත නම් කරන්න ඉඩ දෙන්න
@@ -3487,11 +3526,11 @@
 DocType: BOM,Show Operations,මෙහෙයුම් පෙන්වන්න
 ,Minutes to First Response for Opportunity,අවස්ථා සඳහා පළමු ප්රතිචාර සඳහා විනාඩි
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,මුළු නැති කල
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,විරසකයන් අයිතමය හෝ ගබඩා {0} ද්රව්ය ඉල්ලීම් නොගැලපේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,විරසකයන් අයිතමය හෝ ගබඩා {0} ද්රව්ය ඉල්ලීම් නොගැලපේ
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,නු ඒකකය
 DocType: Fiscal Year,Year End Date,වසර අවසාන දිනය
 DocType: Task Depends On,Task Depends On,කාර්ය සාධක මත රඳා පවතී
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,අවස්ථාවක්
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,අවස්ථාවක්
 DocType: Operation,Default Workstation,පෙරනිමි වර්ක්ස්ටේෂන්
 DocType: Notification Control,Expense Claim Approved Message,වියදම් හිමිකම් අනුමත පණිවුඩය
 DocType: Payment Entry,Deductions or Loss,අඩු කිරීම් හෝ අඞු කිරීමට
@@ -3529,21 +3568,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,පරිශීලක අනුමත පාලනය කිරීම සඳහා අදාළ වේ පරිශීලක ලෙස සමාන විය නොහැකි
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),මූලික අනුපාතිකය (කොටස් UOM අනුව)
 DocType: SMS Log,No of Requested SMS,ඉල්ලන කෙටි පණිවුඩ අංක
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,වැටුප් නැතිව නිවාඩු අනුමත නිවාඩු ඉල්ලුම් වාර්තා සමග නොගැලපේ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,වැටුප් නැතිව නිවාඩු අනුමත නිවාඩු ඉල්ලුම් වාර්තා සමග නොගැලපේ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ඊළඟ පියවර
 DocType: Travel Request,Domestic,දේශීය
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,හැකි හොඳම මිලකට නිශ්චිතව දක්වා ඇති අයිතම සැපයීමට කරුණාකර
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,හැකි හොඳම මිලකට නිශ්චිතව දක්වා ඇති අයිතම සැපයීමට කරුණාකර
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,පැවරුම් දිනට පෙර සේවක ස්ථාන මාරු කළ නොහැක
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,ඉන්වොයිසියක් සාදන්න
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,ඉතිරි ගාන
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,ඉතිරි ගාන
 DocType: Selling Settings,Auto close Opportunity after 15 days,දින 15 කට පසු වාහන සමීප අවස්ථා
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} ලකුණු මට්ටමක් නිසා {0} මිලදී ගැනීමේ ඇණවුම්වලට අවසර නැත.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,බාර්කෝඩ් {0} යනු වලංගු {1} කේතයක් නොවේ
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,බාර්කෝඩ් {0} යනු වලංගු {1} කේතයක් නොවේ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,අවසන් වසර
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,කොන්ත්රාත්තුව අවසානය දිනය සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,කොන්ත්රාත්තුව අවසානය දිනය සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය
 DocType: Driver,Driver,රියදුරු
 DocType: Vital Signs,Nutrition Values,පෝෂණ ගුණයන්
 DocType: Lab Test Template,Is billable,බිලිය හැකිද?
@@ -3554,7 +3593,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,මෙම ERPNext සිට ස්වයංක්රීය-ජනනය උදාහරණයක් වෙබ් අඩවිය
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,වයස්ගතවීම රංගේ 1
 DocType: Shopify Settings,Enable Shopify,Shopify සක්රිය කරන්න
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,මුළු අත්තිකාරම් මුදල සම්පූර්ණ හිමිකම් ප්රමාණයට වඩා වැඩි විය නොහැක
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,මුළු අත්තිකාරම් මුදල සම්පූර්ණ හිමිකම් ප්රමාණයට වඩා වැඩි විය නොහැක
 DocType: Purchase Taxes and Charges Template,"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
@@ -3581,12 +3620,12 @@
 DocType: Employee Separation,Employee Separation,සේවක වෙන්වීම
 DocType: BOM Item,Original Item,මුල්ම අයිතමය
 DocType: Purchase Receipt Item,Recd Quantity,Recd ප්රමාණ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,ලේඛන දිනය
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,ලේඛන දිනය
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},නිර්මාණය කරන ලද්දේ ගාස්තු වාර්තා - {0}
 DocType: Asset Category Account,Asset Category Account,වත්කම් ප්රවර්ගය ගිණුම්
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,පේළිය # {0} (ගෙවීම් වගුව): ප්රමාණය ධනාත්මක විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,පේළිය # {0} (ගෙවීම් වගුව): ප්රමාණය ධනාත්මක විය යුතුය
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},විකුණුම් සාමය ප්රමාණය {1} වඩා වැඩි අයිතමය {0} බිහි කිරීමට නොහැක
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Атрибут අගයන් තෝරන්න
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Атрибут අගයන් තෝරන්න
 DocType: Purchase Invoice,Reason For Issuing document,ලියවිල්ල නිකුත් කිරීම සඳහා හේතුව
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,කොටස් Entry {0} ඉදිරිපත් කර නැත
 DocType: Payment Reconciliation,Bank / Cash Account,බැංකුව / මුදල් ගිණුම්
@@ -3595,8 +3634,10 @@
 DocType: Asset,Manual,අත්පොත
 DocType: Salary Component Account,Salary Component Account,වැටුප් සංරචක ගිණුම
 DocType: Global Defaults,Hide Currency Symbol,ව්යවහාර මුදල් සංකේතය සඟවන්න
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ප්රභවයෙන් විකිණුම් අවස්ථා
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,ආධාරක තොරතුරු.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","උදා: බැංකුව, මුදල්, ක්රෙඩිට් කාඩ්"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,කරුණාකර Setup&gt; Numbering Series හරහා පැමිණීමේදී සංඛ්යාලේඛන මාලාවක් සකසන්න
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","උදා: බැංකුව, මුදල්, ක්රෙඩිට් කාඩ්"
 DocType: Job Applicant,Source Name,මූලාශ්රය නම
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","වැඩිහිටියෙකුගේ සාමාන්ය පියයුරු රුධිර පීඩනය ආසන්න වශයෙන් 120 mmHg systolic සහ 80 mmHg diastolic, abbreviated &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","අයිතමයන් වල ආයු කාලය කල් තබන්න, නිෂ්පාදන_date සහ ස්වයං ජීවිතයේ පදනමක් මත කල් ඉකුත්වීම"
@@ -3626,7 +3667,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},ප්රමාණ සඳහා ප්රමාණත්වයට වඩා අඩු විය යුතුය {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ෙරෝ {0}: ඇරඹුම් දිනය අවසානය දිනය පෙර විය යුතුය
 DocType: Salary Component,Max Benefit Amount (Yearly),මැක්ස් ප්රතිලාභය (වාර්ෂිකව)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS අනුපාතය%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS අනුපාතය%
 DocType: Crop,Planting Area,රෝපණ ප්රදේශය
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),එකතුව (යවන ලද)
 DocType: Installation Note Item,Installed Qty,ස්ථාපනය යවන ලද
@@ -3648,8 +3689,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,අනුමැතිය අනුමැතිය දැනුම්දීම
 DocType: Buying Settings,Default Buying Price List,පෙරනිමි මිලට ගැනීම මිල ලැයිස්තුව
 DocType: Payroll Entry,Salary Slip Based on Timesheet,වැටුප් පුරවා Timesheet මත පදනම්ව
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,මිලදී ගැනීමේ අනුපාතිකය
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},පේළිය {0}: වත්කම් අයිතමය සඳහා ස්ථානය ඇතුලත් කරන්න {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,මිලදී ගැනීමේ අනුපාතිකය
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},පේළිය {0}: වත්කම් අයිතමය සඳහා ස්ථානය ඇතුලත් කරන්න {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,සමාගම ගැන
 DocType: Notification Control,Sales Order Message,විකුණුම් සාමය පණිවුඩය
@@ -3716,10 +3757,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,පේළි {0} සඳහා: සැලසුම්ගත qty ඇතුල් කරන්න
 DocType: Account,Income Account,ආදායම් ගිණුම
 DocType: Payment Request,Amount in customer's currency,පාරිභෝගික මුදල් ප්රමාණය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,සැපයුම්
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,සැපයුම්
 DocType: Volunteer,Weekdays,සතියේ දිනවල
 DocType: Stock Reconciliation Item,Current Qty,වත්මන් යවන ලද
 DocType: Restaurant Menu,Restaurant Menu,ආපන ශාලා මෙනුව
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,සැපයුම්කරුවන් එකතු කරන්න
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,උපකාරක අංශය
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,පෙර
@@ -3729,19 +3771,20 @@
 apps/erpnext/erpnext/setup/doctype/company/company.py +163,Set default inventory account for perpetual inventory,භාණ්ඩ තොගය සඳහා සකසන්න පෙරනිමි බඩු තොග ගිණුමක්
 DocType: Item Reorder,Material Request Type,ද්රව්ය ඉල්ලීම් වර්ගය
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Grant Review Email
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,ෙරෝ {0}: UOM පරිවර්තන සාධකය අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,ෙරෝ {0}: UOM පරිවර්තන සාධකය අනිවාර්ය වේ
 DocType: Employee Benefit Claim,Claim Date,හිමිකම් දිනය
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,කාමරයේ ධාරිතාව
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},අයිතමයට {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,කලින් ජනනය කළ ඉන්වොයිසිවල වාර්තා ඔබ අහිමි වනු ඇත. මෙම දායකත්වය නැවත ආරම්භ කිරීමට අවශ්ය බව ඔබට විශ්වාසද?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,ලියාපදිංචි ගාස්තු
 DocType: Loyalty Program Collection,Loyalty Program Collection,ලෝයෙල්ටි වැඩසටහන් එකතුව
 DocType: Stock Entry Detail,Subcontracted Item,උප කොන්ත්රාත් භාණ්ඩයක්
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},ශිෂ්ය {0} කණ්ඩායමට අයත් නොවේ {1}
 DocType: Budget,Cost Center,පිරිවැය මධ්යස්ථානය
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,වවුචරය #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,වවුචරය #
 DocType: Notification Control,Purchase Order Message,මිලදී ගැනීමේ නියෝගයක් පණිවුඩය
 DocType: Tax Rule,Shipping Country,නැව් රට
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,විකුණුම් ගනුදෙනු වලින් පාරිභෝගික බදු අංකය සඟවන්න
@@ -3760,23 +3803,22 @@
 DocType: Subscription,Cancel At End Of Period,කාලය අවසානයේ අවලංගු කරන්න
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,දේපල දැනටමත් එකතු කර ඇත
 DocType: Item Supplier,Item Supplier,අයිතමය සැපයුම්කරු
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,කිසිදු කණ්ඩායම ලබා ගැනීමට අයිතමය සංග්රහයේ ඇතුලත් කරන්න
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},කරුණාකර {0} සඳහා අගය තෝරා quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,කිසිදු කණ්ඩායම ලබා ගැනීමට අයිතමය සංග්රහයේ ඇතුලත් කරන්න
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},කරුණාකර {0} සඳහා අගය තෝරා quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,ස්ථාන මාරු සඳහා තෝරා නොගත් අයිතම
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,සියළු ලිපිනයන්.
 DocType: Company,Stock Settings,කොටස් සැකසුම්
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","පහත සඳහන් ලක්ෂණ වාර්තා දෙකම එකම නම් යනවාත් පමණි. සමූහය, රූට් වර්ගය, සමාගම,"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","පහත සඳහන් ලක්ෂණ වාර්තා දෙකම එකම නම් යනවාත් පමණි. සමූහය, රූට් වර්ගය, සමාගම,"
 DocType: Vehicle,Electric,විද්යුත්
 DocType: Task,% Progress,% ප්රගතිය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,ලාභ / අඞු කිරීමට වත්කම් බැහැර මත
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",පහත දැක්වෙන වගුවේ &quot;අනුමත&quot; තත්වය සහිත ශිෂ්ය අයදුම්කරු පමණක් තෝරා ගනු ලැබේ.
 DocType: Tax Withholding Category,Rates,අනුපාත
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ගිණුම {0} සඳහා ගිණුම් අංක නොමැත. <br> කරුණාකර ඔබගේ ගිණුමේ වගුව නිවැරදිව සකස් කරන්න.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ගිණුම {0} සඳහා ගිණුම් අංක නොමැත. <br> කරුණාකර ඔබගේ ගිණුමේ වගුව නිවැරදිව සකස් කරන්න.
 DocType: Task,Depends on Tasks,කාර්යයන් මත රඳා පවතී
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,කස්ටමර් සමූහයේ රුක් කළමනාකරණය කරන්න.
 DocType: Normal Test Items,Result Value,ප්රතිඵල වටිනාකම
 DocType: Hotel Room,Hotels,හෝටල්
-DocType: Delivery Note,Transporter Date,ප්රවාහන දිනය
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,නව පිරිවැය මධ්යස්ථානය නම
 DocType: Leave Control Panel,Leave Control Panel,පාලක පැනලය තබන්න
 DocType: Project,Task Completion,කාර්ය සාධක සම්පූර්ණ කර
@@ -3823,11 +3865,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,සියලු තක්සේරු කණ්ඩායම්
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,නව ගබඩා නම
 DocType: Shopify Settings,App Type,ඇප් වර්ගය
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),මුළු {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),මුළු {0} ({1})
 DocType: C-Form Invoice Detail,Territory,භූමි ප්රදේශය
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,අවශ්ය සංචාර ගැන කිසිදු සඳහනක් කරන්න
 DocType: Stock Settings,Default Valuation Method,පෙරනිමි තක්සේරු ක්රමය
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ගාස්තු
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,සමුච්චිත මුදල පෙන්වන්න
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,යාවත්කාලීන කරමින් පවතී. ටික කාලයක් ගත විය හැකියි.
 DocType: Production Plan Item,Produced Qty,නිෂ්පාදිත Qty
 DocType: Vehicle Log,Fuel Qty,ඉන්ධන යවන ලද
@@ -3835,7 +3878,7 @@
 DocType: Work Order Operation,Planned Start Time,සැලසුම් අරඹන්න කාල
 DocType: Course,Assessment,තක්සේරු
 DocType: Payment Entry Reference,Allocated,වෙන්
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,සමීප ශේෂ පත්රය හා පොත් ලාභය හෝ අලාභය.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,සමීප ශේෂ පත්රය හා පොත් ලාභය හෝ අලාභය.
 DocType: Student Applicant,Application Status,අයැදුම්පතක තත්ත්වය විමසා
 DocType: Additional Salary,Salary Component Type,වැටුප් සංරචක වර්ගය
 DocType: Sensitivity Test Items,Sensitivity Test Items,සංවේදීතා පරීක්ෂණ අයිතම
@@ -3846,10 +3889,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,සම්පුර්ණ හිඟ මුදල
 DocType: Sales Partner,Targets,ඉලක්ක
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,සමාගම් තොරතුරු ලිපිගොනුවෙහි SIREN අංකය ලියාපදිංචි කරන්න
+DocType: Email Digest,Sales Orders to Bill,බිල්පත් විකුණුම් නියෝග
 DocType: Price List,Price List Master,මිල ලැයිස්තුව මාස්ටර්
 DocType: GST Account,CESS Account,සෙස් ගිණුම
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,සියලු විකුණුම් ගනුදෙනු බහු ** විකුණුම් පුද්ගලයින් එරෙහිව tagged කළ හැකි ** ඔබ ඉලක්ක තබා නිරීක්ෂණය කළ හැකි බව එසේ.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,ද්රව්ය ඉල්ලීම සම්බන්ධ කිරීම
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,ද්රව්ය ඉල්ලීම සම්බන්ධ කිරීම
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,සංසද ක්රියාකාරිත්වය
 ,S.O. No.,SO අංක
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,බැංකු ප්රකාශය ගනුදෙනු සැකසීම් අයිතමය
@@ -3864,7 +3908,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,"මෙය මූල පාරිභෝගික පිරිසක් වන අතර, සංස්කරණය කළ නොහැක."
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,සමුච්චිත මාසික අයවැය ඉක්මවා ගියහොත් ක්රියා කිරීම
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,ස්ථානයට
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,ස්ථානයට
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,විනිමය අනුපාතික ප්රතිප්රමාණනය
 DocType: POS Profile,Ignore Pricing Rule,මිල නියම කිරීම පාලනය නොසලකා
 DocType: Employee Education,Graduate,උපාධිධාරියා
@@ -3901,6 +3945,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,රෙස්ටුරන්ට් සැකසීම් තුළ ප්රකෘති පාරිභෝගිකයා සකසන්න
 ,Salary Register,වැටුප් රෙජිස්ටර්
 DocType: Warehouse,Parent Warehouse,මව් ගබඩාව
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,සටහන
 DocType: Subscription,Net Total,ශුද්ධ මුළු
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},පෙරනිමි ද්රව්ය ලේඛණය අයිතමය {0} සඳහා සොයාගත නොහැකි හා ව්යාපෘති {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,විවිධ ණය වර්ග නිර්වචනය
@@ -3933,24 +3978,26 @@
 DocType: Membership,Membership Status,සාමාජිකත්ව තත්වය
 DocType: Travel Itinerary,Lodging Required,යැවීම අවශ්ය වේ
 ,Requested,ඉල්ලා
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,කිසිදු සටහන්
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,කිසිදු සටහන්
 DocType: Asset,In Maintenance,නඩත්තු කිරීම
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ඔබේ විකුණුම් නියෝගය Amazon MWS වෙතින් ලබා ගැනීම සඳහා මෙම බොත්තම ක්ලික් කරන්න.
 DocType: Vital Signs,Abdomen,උදරය
 DocType: Purchase Invoice,Overdue,කල් පසු වු
 DocType: Account,Stock Received But Not Billed,කොටස් වෙළඳ ලද නමුත් අසූහත නැත
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root ගිණුම පිරිසක් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root ගිණුම පිරිසක් විය යුතුය
 DocType: Drug Prescription,Drug Prescription,ඖෂධ නියම කිරීම
 DocType: Loan,Repaid/Closed,ආපසු ගෙවන / වසා
 DocType: Amazon MWS Settings,CA,සීඒ
 DocType: Item,Total Projected Qty,මුලූ ව්යාපෘතිමය යවන ලද
 DocType: Monthly Distribution,Distribution Name,බෙදා හැරීම නම
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM ඇතුළත් කරන්න
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","{1} {2} සඳහා ගිණුම් සටහන් සඳහා අවශ්ය වන අයිතමය {0} සඳහා සොයාගත නොහැක. අයිතමය {1} හි ශුන්ය තක්සේරු අනුපාත අයිතමයක් ලෙස ගණනය කරන්නේ නම්, කරුණාකර {1} අයිතම වගුවෙහි සඳහන් කරන්න. එසේ නොමැතිනම් අයිතමයට පැමිණෙන කොටස් ගනුදෙනු හෝ අයිතම අයිතමයේ අගය තක්සේරු අනුපාතය සඳහන් කරන්න, පසුව මෙම සටහන ඉදිරිපත් කිරීම / අවලංගු කිරීමට උත්සාහ කරන්න."
 DocType: Course,Course Code,පාඨමාලා කේතය
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},විෂය {0} සඳහා අවශ්ය තත්ත්ව පරීක්ෂක
 DocType: Location,Parent Location,මාපිය ස්ථානය
 DocType: POS Settings,Use POS in Offline Mode,නොබැඳි ආකාරයේ POS භාවිතා කරන්න
 DocType: Supplier Scorecard,Supplier Variables,සැපයුම් විචල්යයන්
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} අනිවාර්ය වේ. සමහර විට Currency Exchange වාර්තාව {1} සිට {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,පාරිභෝගික මුදල් සමාගමේ පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය
 DocType: Purchase Invoice Item,Net Rate (Company Currency),ශුද්ධ අනුපාතිකය (සමාගම ව්යවහාර මුදල්)
 DocType: Salary Detail,Condition and Formula Help,තත්වය සහ ෆෝමියුලා උදවු
@@ -3959,19 +4006,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,විකුණුම් ඉන්වොයිසිය
 DocType: Journal Entry Account,Party Balance,පක්ෂය ශේෂ
 DocType: Cash Flow Mapper,Section Subtotal,උප වගන්තිය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,වට්ටම් මත ඉල්ලුම් කරන්න තෝරා
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,වට්ටම් මත ඉල්ලුම් කරන්න තෝරා
 DocType: Stock Settings,Sample Retention Warehouse,සාම්පල රඳවා ගැනීමේ ගබඩාව
 DocType: Company,Default Receivable Account,පෙරනිමි ලැබිය ගිණුම
 DocType: Purchase Invoice,Deemed Export,සළකා අපනයන
 DocType: Stock Entry,Material Transfer for Manufacture,නිෂ්පාදනය සඳහා ද්රව්ය හුවමාරු
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,වට්ටමක් ප්රතිශතය ඉතා මිල ලැයිස්තුව එරෙහිව හෝ සියලුම මිල ලැයිස්තුව සඳහා එක්කෝ ඉල්ලුම් කළ හැක.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,කොටස් සඳහා මුල්ය සටහන්
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,කොටස් සඳහා මුල්ය සටහන්
 DocType: Lab Test,LabTest Approver,LabTest අනුමැතිය
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,තක්සේරු නිර්ණායක {} සඳහා ඔබ දැනටමත් තක්සේරු කර ඇත.
 DocType: Vehicle Service,Engine Oil,එන්ජින් ඔයිල්
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},රැකියා ඇණවුම් නිර්මාණය: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},රැකියා ඇණවුම් නිර්මාණය: {0}
 DocType: Sales Invoice,Sales Team1,විකුණුම් Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,අයිතමය {0} නොපවතියි
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,අයිතමය {0} නොපවතියි
 DocType: Sales Invoice,Customer Address,පාරිභෝගික ලිපිනය
 DocType: Loan,Loan Details,ණය තොරතුරු
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,පෝස්ට් සමාගමේ සවි කිරීම් පිහිටුවීමට අපොහොසත් විය
@@ -3992,34 +4039,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,පිටුවේ ඉහළ ඇති මෙම අතිබහුතරයකගේ පෙන්වන්න
 DocType: BOM,Item UOM,අයිතමය UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),වට්ටම් මුදල (සමාගම ව්යවහාර මුදල්) පසු බදු මුදල
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},ඉලක්ක ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},ඉලක්ක ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
 DocType: Cheque Print Template,Primary Settings,ප්රාථමික සැකසීම්
 DocType: Attendance Request,Work From Home,නිවසේ සිට වැඩ කරන්න
 DocType: Purchase Invoice,Select Supplier Address,සැපයුම්කරු ලිපිනය තෝරන්න
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,සේවක එකතු කරන්න
 DocType: Purchase Invoice Item,Quality Inspection,තත්ත්ව පරීක්ෂක
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,අමතර කුඩා
 DocType: Company,Standard Template,සම්මත සැකිල්ල
 DocType: Training Event,Theory,න්යාය
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,අවවාදයයි: යවන ලද ඉල්ලන ද්රව්ය අවම සාමය යවන ලද වඩා අඩු වේ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,අවවාදයයි: යවන ලද ඉල්ලන ද්රව්ය අවම සාමය යවන ලද වඩා අඩු වේ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,ගිණුම {0} කැටි වේ
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,සංවිධානය සතු ගිණුම් වෙනම සටහන සමග නීතිමය ආයතනයක් / පාලිත.
 DocType: Payment Request,Mute Email,ගොළු විද්යුත්
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","ආහාර, බීම වර්ග සහ දුම්කොළ"
 DocType: Account,Account Number,ගිණුම් අංකය
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},එකම unbilled {0} එරෙහිව ගෙවීම් කරන්න පුළුවන්
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,කොමිසම අනුපාතය 100 ට වඩා වැඩි විය නොහැක
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},එකම unbilled {0} එරෙහිව ගෙවීම් කරන්න පුළුවන්
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,කොමිසම අනුපාතය 100 ට වඩා වැඩි විය නොහැක
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),ස්වයංකීයව අත්තිකාරම් ලබා දීම (FIFO)
 DocType: Volunteer,Volunteer,ස්වේච්ඡා
 DocType: Buying Settings,Subcontract,උප කොන්ත්රාත්තුව
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,{0} ඇතුලත් කරන්න පළමු
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,පිළිතුරු ලබා නැත
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,පිළිතුරු ලබා නැත
 DocType: Work Order Operation,Actual End Time,සැබෑ අවසානය කාල
 DocType: Item,Manufacturer Part Number,නිෂ්පාදක අඩ අංකය
 DocType: Taxable Salary Slab,Taxable Salary Slab,බදු සහන වැටුප්
 DocType: Work Order Operation,Estimated Time and Cost,ඇස්තමේන්තු කාලය හා වියදම
 DocType: Bin,Bin,බින්
 DocType: Crop,Crop Name,බෝග නම
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,{0} භූමිකාව සහිත පරිශීලකයින්ට Marketplace හි ලියාපදිංචි විය හැකිය
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,{0} භූමිකාව සහිත පරිශීලකයින්ට Marketplace හි ලියාපදිංචි විය හැකිය
 DocType: SMS Log,No of Sent SMS,යැවූ කෙටි පණිවුඩ අංක
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,පත් කිරීම් සහ ගැටුම්
@@ -4048,7 +4096,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,කේතය වෙනස් කරන්න
 DocType: Purchase Invoice Item,Valuation Rate,තක්සේරු අනුපාත
 DocType: Vehicle,Diesel,ඩීසල්
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,මිල ලැයිස්තුව ව්යවහාර මුදල් තෝරා ගෙන නොමැති
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,මිල ලැයිස්තුව ව්යවහාර මුදල් තෝරා ගෙන නොමැති
 DocType: Purchase Invoice,Availed ITC Cess,ITC සෙස් සඳහා උපකාරී විය
 ,Student Monthly Attendance Sheet,ශිෂ්ය මාසික පැමිණීම පත්රය
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,නැව්ගත කිරීමේ නීතිය විකිණීම සඳහා පමණි
@@ -4065,7 +4113,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,විකුණුම් හවුල්කරුවන් කළමනාකරණය කරන්න.
 DocType: Quality Inspection,Inspection Type,පරීක්ෂා වර්ගය
 DocType: Fee Validity,Visited yet,තවම බලන්න
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව පිරිසක් බවට පරිවර්තනය කළ නොහැක.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව පිරිසක් බවට පරිවර්තනය කළ නොහැක.
 DocType: Assessment Result Tool,Result HTML,ප්රතිඵල සඳහා HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,විකුණුම් ගනුදෙනු මත පදනම් ව ාපෘතියක් සහ සමාගමක් යාවත්කාලීන කළ යුතුද යන්න කොපමණ වේද?
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,දින අවසන් වීමට නියමිතය
@@ -4073,7 +4121,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},කරුණාකර {0} තෝරා
 DocType: C-Form,C-Form No,C-අයදුම්පත් නොමැත
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,දුර
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,දුර
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,ඔබ මිලදී ගන්නා හෝ විකිණෙන ඔබේ භාණ්ඩ හෝ සේවාවන් ලැයිස්තුගත කරන්න.
 DocType: Water Analysis,Storage Temperature,ගබඩා උෂ්ණත්වය
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4089,19 +4137,19 @@
 DocType: Shopify Settings,Delivery Note Series,බෙදාහැරීමේ සටහන් මාලාව
 DocType: Purchase Order Item,Returned Qty,හැරී ආපසු පැමිණි යවන ලද
 DocType: Student,Exit,පිටවීම
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,මූල වර්ගය අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,මූල වර්ගය අනිවාර්ය වේ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,පෙරසැකසුම් ස්ථාපනය අසාර්ථක විය
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM පරිවර්තනය පැය ගණන
 DocType: Contract,Signee Details,සිග්නේ විස්තර
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} වර්තමානයේ {1} සැපයුම්කරුවන්ගේ ලකුණු පුවරුව තබා ඇති අතර, මෙම සැපයුම්කරුට RFQs විසින් අවදානය යොමු කළ යුතුය."
 DocType: Certified Consultant,Non Profit Manager,ලාභ නොලැබූ කළමනාකරු
 DocType: BOM,Total Cost(Company Currency),මුළු වියදම (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,අනු අංකය {0} නිර්මාණය
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,අනු අංකය {0} නිර්මාණය
 DocType: Homepage,Company Description for website homepage,වෙබ් අඩවිය මුල්පිටුව සඳහා සමාගම විස්තරය
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ගනුදෙනුකරුවන්ගේ පහසුව සඳහා, මෙම කේත ඉන්වොයිසි හා සැපයුම් සටහන් වැනි මුද්රිත ආකෘති භාවිතා කළ හැක"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier නම
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} සඳහා තොරතුරු ලබාගත නොහැක.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,විවෘත වීමේ ජර්නලය
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,විවෘත වීමේ ජර්නලය
 DocType: Contract,Fulfilment Terms,ඉටු කරන නියමයන්
 DocType: Sales Invoice,Time Sheet List,කාලය පත්රය ලැයිස්තුව
 DocType: Employee,You can enter any date manually,ඔබ අතින් යම් දිනයක් ඇතුල් විය හැකිය
@@ -4137,7 +4185,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,ඔබේ සංවිධානය
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","පහත සඳහන් සේවකයින් සඳහා නිවාඩු දීමනාවෙන් පිටත්ව යාම, ඔවුන් සම්බන්ධයෙන් පවතින වාර්තා වෙන් කර ඇති වාර්තා දැනටමත් පවතී. {0}"
 DocType: Fee Component,Fees Category,ගාස්තු ප්රවර්ගය
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,ලිහිල් දිනය ඇතුලත් කරන්න.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,ලිහිල් දිනය ඇතුලත් කරන්න.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,ඒඑම්ටී
 DocType: Travel Request,"Details of Sponsor (Name, Location)","අනුග්රාහක තොරතුරු (නම, ස්ථානය)"
 DocType: Supplier Scorecard,Notify Employee,දැනුම් දෙන්න සේවකයා
@@ -4150,9 +4198,9 @@
 DocType: Company,Chart Of Accounts Template,ගිණුම් සැකිල්ල සටහන
 DocType: Attendance,Attendance Date,පැමිණීම දිනය
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},මිලදී ගැනීමේ ඉන්වොයිසිය සඳහා යාවත්කාලීන තොගය {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} සඳහා නවීකරණය
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} සඳහා නවීකරණය
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,"උපයන සහ අඩු කිරීම් මත පදනම් වූ වැටුප් බිඳ වැටීම,."
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය බවට පරිවර්තනය කළ නොහැකි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය බවට පරිවර්තනය කළ නොහැකි
 DocType: Purchase Invoice Item,Accepted Warehouse,පිළිගත් ගබඩා
 DocType: Bank Reconciliation Detail,Posting Date,"ගිය තැන, දිනය"
 DocType: Item,Valuation Method,තක්සේරුව
@@ -4189,6 +4237,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,කරුණාකර කණ්ඩායම තෝරා
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,සංචාරක හා වියදම් හිමිකම්
 DocType: Sales Invoice,Redemption Cost Center,මිදීමේ පිරිවැය මධ්යස්ථානය
+DocType: QuickBooks Migrator,Scope,විෂය පථය
 DocType: Assessment Group,Assessment Group Name,තක්සේරු කණ්ඩායම නම
 DocType: Manufacturing Settings,Material Transferred for Manufacture,නිෂ්පාදනය සඳහා ස්ථාන මාරුවී ද්රව්ය
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,විස්තර සඳහා එකතු කරන්න
@@ -4196,6 +4245,7 @@
 DocType: Shopify Settings,Last Sync Datetime,අවසාන සමමුහුර්ත දත්තගොනුව
 DocType: Landed Cost Item,Receipt Document Type,රිසිට්පත ලේඛන වර්ගය
 DocType: Daily Work Summary Settings,Select Companies,සමාගම් තෝරා
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,යෝජනාව / මිළ ගණන්
 DocType: Antibiotic,Healthcare,සෞඛ්ය සත්කාර
 DocType: Target Detail,Target Detail,ඉලක්ක විස්තර
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,තනි ප්රභේදනය
@@ -4205,6 +4255,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,කාලය අවසාන සටහන්
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,දෙපාර්තමේන්තුව තෝරන්න ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,පවත්නා ගනුදෙනු වියදම මධ්යස්ථානය පිරිසක් බවට පරිවර්තනය කළ නොහැකි
+DocType: QuickBooks Migrator,Authorization URL,අවසරය URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},මුදල {0} {1} {2} {3}
 DocType: Account,Depreciation,ක්ෂය
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,කොටස් ගණන හා කොටස් අංකය අස්ථාවර ය
@@ -4227,13 +4278,14 @@
 DocType: Support Search Source,Source DocType,මූලාශ්ර DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,නව ටිකට්පතක් විවෘත කරන්න
 DocType: Training Event,Trainer Email,පුහුණුකරු විද්යුත්
+DocType: Driver,Transporter,ට්රාන්ස්පෝර්ට්
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,ද්රව්ය ඉල්ලීම් {0} නිර්මාණය
 DocType: Restaurant Reservation,No of People,මිනිසුන් ගණන
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,කොන්දේසි හෝ කොන්ත්රාත්තුව සැකිල්ල.
 DocType: Bank Account,Address and Contact,ලිපිනය සහ ඇමතුම්
 DocType: Vital Signs,Hyper,හයිපර්
 DocType: Cheque Print Template,Is Account Payable,ගිණුම් ගෙවිය යුතු වේ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},කොටස් මිලදී ගැනීම රිසිට්පත {0} එරෙහිව යාවත්කාලීන කල නොහැක
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},කොටස් මිලදී ගැනීම රිසිට්පත {0} එරෙහිව යාවත්කාලීන කල නොහැක
 DocType: Support Settings,Auto close Issue after 7 days,7 දින පසු වාහන සමීප නිකුත්
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","නිවාඩු ඉතිරි දැනටමත් අනාගත නිවාඩු වෙන් වාර්තා {1} තුළ රැගෙන යන ඉදිරිපත් කර ඇති පරිදි අවසරය, {0} පෙර වෙන් කළ නොහැකි"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),සටහන: හේතුවෙන් / යොමුව දිනය {0} දවස (s) අවසර පාරිභෝගික ණය දින ඉක්මවා
@@ -4251,7 +4303,7 @@
 ,Qty to Deliver,ගලවාගනියි යවන ලද
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,මෙම දිනයෙන් පසු Amazon විසින් දත්ත යාවත්කාලීන කරනු ලැබේ
 ,Stock Analytics,කොටස් විශ්ලේෂණ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,මෙහෙයුම් හිස්ව තැබිය නොහැක
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,මෙහෙයුම් හිස්ව තැබිය නොහැක
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,පරීක්ෂණාගාරය
 DocType: Maintenance Visit Purpose,Against Document Detail No,මත ලේඛන විස්තර නොමැත
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},රටකට මකාදැමීම රටට අවසර නැත {0}
@@ -4259,13 +4311,12 @@
 DocType: Quality Inspection,Outgoing,ධූරයෙන් ඉවත්ව යන
 DocType: Material Request,Requested For,සඳහා ඉල්ලා
 DocType: Quotation Item,Against Doctype,Doctype එරෙහිව
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} අවලංගු කර හෝ වසා ඇත
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} අවලංගු කර හෝ වසා ඇත
 DocType: Asset,Calculate Depreciation,ක්ෂයවීම් ගණනය කිරීම
 DocType: Delivery Note,Track this Delivery Note against any Project,කිසියම් ව ාපෘතියක් එරෙහිව මෙම බෙදීම සටහන නිරීක්ෂණය
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,ආයෝජනය සිට ශුද්ධ මුදල්
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ගණුදෙනුකරු&gt; පාරිභෝගික කණ්ඩායම්&gt; ප්රදේශය
 DocType: Work Order,Work-in-Progress Warehouse,සිදු වෙමින් පවතින වැඩ ගබඩාව
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,වත්කම් {0} ඉදිරිපත් කළ යුතුය
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,වත්කම් {0} ඉදිරිපත් කළ යුතුය
 DocType: Fee Schedule Program,Total Students,මුළු ශිෂ්ය සංඛ්යාව
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},පැමිණීම වාර්තා {0} ශිෂ්ය {1} එරෙහිව පවතී
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},විමර්ශන # {0} දිනැති {1}
@@ -4285,7 +4336,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,වමේ සේවකයින් සඳහා රඳවා ගැනීමේ බෝනස් සෑදිය නොහැක
 DocType: Lead,Market Segment,වෙළෙඳපොළ
 DocType: Agriculture Analysis Criteria,Agriculture Manager,කෘෂිකර්ම කළමනාකරු
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},ු ර් මුළු සෘණ හිඟ මුදල {0} වඩා වැඩි විය නොහැකි
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},ු ර් මුළු සෘණ හිඟ මුදල {0} වඩා වැඩි විය නොහැකි
 DocType: Supplier Scorecard Period,Variables,විචල්යයන්
 DocType: Employee Internal Work History,Employee Internal Work History,සේවක අභ්යන්තර රැකියා ඉතිහාසය
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),වැසීම (ආචාර්ය)
@@ -4310,22 +4361,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch නිෂ්පාදන
 DocType: Loyalty Point Entry,Loyalty Program,පක්ෂපාතිත්වය වැඩසටහන
 DocType: Student Guardian,Father,පියා
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,ටිකට් පත්
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;යාවත්කාලීන කොටස්&#39; ස්ථාවර වත්කම් විකිණීමට සඳහා දැන්වීම් පරීක්ෂා කළ නොහැකි
 DocType: Bank Reconciliation,Bank Reconciliation,බැංකු සැසඳුම්
 DocType: Attendance,On Leave,නිවාඩු මත
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,යාවත්කාලීන ලබා ගන්න
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ගිණුම් {2} සමාගම {3} අයත් නොවේ
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,එක් එක් ගුණාංගයෙන් අවම වශයෙන් එක් වටිනාකමක් තෝරන්න.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,එක් එක් ගුණාංගයෙන් අවම වශයෙන් එක් වටිනාකමක් තෝරන්න.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,ද්රව්ය ඉල්ලීම් {0} අවලංගු කර හෝ නතර
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,යැවීම රාජ්යය
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,යැවීම රාජ්යය
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,කළමනාකරණ තබන්න
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,කණ්ඩායම්
 DocType: Purchase Invoice,Hold Invoice,ඉන්වොයිසිය තබන්න
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,කරුණාකර සේවකයා තෝරන්න
 DocType: Sales Order,Fully Delivered,සම්පූර්ණයෙන්ම භාර
-DocType: Lead,Lower Income,අඩු ආදායම්
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,අඩු ආදායම්
 DocType: Restaurant Order Entry,Current Order,වත්මන් ඇණවුම
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,අනුක්රමික අංක සහ ප්රමාණය ප්රමාණය සමාන විය යුතුය
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},මූලාශ්රය සහ ඉලක්කය ගබඩා සංකීර්ණය පේළිය {0} සඳහා සමාන විය නොහැකි
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},මූලාශ්රය සහ ඉලක්කය ගබඩා සංකීර්ණය පේළිය {0} සඳහා සමාන විය නොහැකි
 DocType: Account,Asset Received But Not Billed,ලැබී ඇති වත්කම් නොව නමුත් බිල්පත් නොලැබේ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","මෙම කොටස් ප්රතිසන්ධාන ක විවෘත කිරීම සටහන් වන බැවින්, වෙනසක් ගිණුම, එය වත්කම් / වගකීම් වර්ගය ගිණුමක් විය යුතුය"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},උපෙයෝජන ණය මුදල {0} ට වඩා වැඩි විය නොහැක
@@ -4334,7 +4387,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},විෂය {0} සඳහා අවශ්ය මිලදී ගැනීමේ නියෝගයක් අංකය
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;දිනය සිට&#39; &#39;මේ දක්වා&#39; &#39;පසුව විය යුතුය
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,මෙම තනතුර සඳහා සම්බද්ධ කාර්ය මණ්ඩලයක් නොමැත
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,අයිතමයේ {0} කාණ්ඩය {0} අක්රිය කර ඇත.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,අයිතමයේ {0} කාණ්ඩය {0} අක්රිය කර ඇත.
 DocType: Leave Policy Detail,Annual Allocation,වාර්ෂික ප්රතිපාදන
 DocType: Travel Request,Address of Organizer,සංවිධායක ලිපිනය
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,සෞඛ්ය ආරක්ෂණ වෘත්තිකයා තෝරන්න ...
@@ -4343,12 +4396,12 @@
 DocType: Asset,Fully Depreciated,සම්පූර්ණෙයන් ක්ෂය
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,කොටස් යවන ලද ප්රක්ෂේපිත
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},පාරිභෝගික {0} ව්යාපෘති {1} අයිති නැති
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},පාරිභෝගික {0} ව්යාපෘති {1} අයිති නැති
 DocType: Employee Attendance Tool,Marked Attendance HTML,කැපී පෙනෙන පැමිණීම HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","මිල ගණන් යෝජනා, ඔබගේ පාරිභෝගිකයන් වෙත යවා ඇති ලංසු"
 DocType: Sales Invoice,Customer's Purchase Order,පාරිභෝගික මිලදී ගැනීමේ නියෝගයක්
 DocType: Clinical Procedure,Patient,රෝගියා
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,විකුණුම් නියෝගය මග හරවා ගන්න
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,විකුණුම් නියෝගය මග හරවා ගන්න
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,සේවයේ යෙදීම
 DocType: Location,Check if it is a hydroponic unit,එය හයිඩ්රොපොනික් ඒකකයක් දැයි පරීක්ෂා කරන්න
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,අනු අංකය හා කණ්ඩායම
@@ -4358,7 +4411,7 @@
 DocType: Supplier Scorecard Period,Calculations,ගණනය කිරීම්
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,හෝ වටිනාකම යවන ලද
 DocType: Payment Terms Template,Payment Terms,ගෙවීම් කොන්දේසි
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,නිෂ්පාදන නියෝග මතු කල නොහැකි ය:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,නිෂ්පාදන නියෝග මතු කල නොහැකි ය:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,ව්යවස්ථාව
 DocType: Purchase Invoice,Purchase Taxes and Charges,මිලදී බදු හා ගාස්තු
 DocType: Chapter,Meetup Embed HTML,රැස්වීම HTML කරන්න
@@ -4366,7 +4419,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,සැපයුම්කරුවන් වෙත යන්න
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS අවසාන වවුචර් බදු
 ,Qty to Receive,ලබා ගැනීමට යවන ලද
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",වලංගු කාල පරිච්ෙඡ්දයක් තුළ ආරම්භක සහ අවසන් දිනයන් {0} ගණනය කළ නොහැකි ය.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",වලංගු කාල පරිච්ෙඡ්දයක් තුළ ආරම්භක සහ අවසන් දිනයන් {0} ගණනය කළ නොහැකි ය.
 DocType: Leave Block List,Leave Block List Allowed,වාරණ ලැයිස්තුව අනුමත නිවාඩු
 DocType: Grading Scale Interval,Grading Scale Interval,පරිමාණ පරතරය ශ්රේණිගත
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},වාහන ඇතුළුවන්න {0} සඳහා වියදම් හිමිකම්
@@ -4374,10 +4427,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ආන්තිකය සමග වට්ටමක් (%) මිල ලැයිස්තුව අනුපාත මත
 DocType: Healthcare Service Unit Type,Rate / UOM,අනුපාතය / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,සියලු බඞු ගබඞාව
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,අන්තර් සමාගම් ගනුදෙනු සඳහා {0} සොයාගත නොහැකි විය.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,අන්තර් සමාගම් ගනුදෙනු සඳහා {0} සොයාගත නොහැකි විය.
 DocType: Travel Itinerary,Rented Car,කුලී කාර්
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,ඔබේ සමාගම ගැන
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,ගිණුමක් සඳහා ක්රෙඩිට් ශේෂ පත්රය ගිණුමක් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,ගිණුමක් සඳහා ක්රෙඩිට් ශේෂ පත්රය ගිණුමක් විය යුතුය
 DocType: Donor,Donor,ඩොනර්
 DocType: Global Defaults,Disable In Words,වචන දී අක්රීය
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,අයිතමය සංග්රහයේ අනිවාර්ය වේ අයිතමය ස්වයංක්රීයව අංකනය නැති නිසා
@@ -4389,14 +4442,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,බැංකු අයිරා ගිණුමක්
 DocType: Patient,Patient ID,රෝගියාගේ ID
 DocType: Practitioner Schedule,Schedule Name,උපලේඛනයේ නම
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,අදියර අලෙවි සැළැස්ම
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,වැටුප පුරවා ගන්න
 DocType: Currency Exchange,For Buying,මිලදී ගැනීම සඳහා
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,සියලු සැපයුම්කරුවන් එකතු කරන්න
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,සියලු සැපයුම්කරුවන් එකතු කරන්න
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,පේළියේ # {0}: වෙන් කළ මුදල ගෙවීමට ඇති මුදල වඩා වැඩි විය නොහැක.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,ගවේශක ද්රව්ය ලේඛණය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,ආරක්ෂිත ණය
 DocType: Purchase Invoice,Edit Posting Date and Time,"සංස්කරණය කරන්න ගිය තැන, දිනය හා වේලාව"
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},වත්කම් ප්රවර්ගය {0} හෝ සමාගම {1} තුළ ක්ෂය සම්බන්ධ ගිණුම් සකස් කරන්න
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},වත්කම් ප්රවර්ගය {0} හෝ සමාගම {1} තුළ ක්ෂය සම්බන්ධ ගිණුම් සකස් කරන්න
 DocType: Lab Test Groups,Normal Range,සාමාන්ය පරාසය
 DocType: Academic Term,Academic Year,අධ්යන වර්ෂය
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,විකුණා තිබේ
@@ -4425,26 +4479,26 @@
 DocType: Patient Appointment,Patient Appointment,රෝගීන් පත්කිරීම
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"කාර්යභාරය අනුමත පාලනය කිරීම සඳහා අදාළ වේ භූමිකාව, සමාන විය නොහැකි"
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,"මෙම විද්යුත් Digest සිට වනවාද,"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,සැපයුම්කරුවන් ලබා ගන්න
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,සැපයුම්කරුවන් ලබා ගන්න
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} අයිතමයට {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,පාඨමාලා වෙත යන්න
 DocType: Accounts Settings,Show Inclusive Tax In Print,මුද්රිතයේ ඇතුළත් කර ඇති බදු පෙන්වන්න
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","බැංකු ගිණුම, දිනය හා දිනය දක්වා වේ"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,පණිවිඩය යැව්වා
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය ලෙස සැකසීම කළ නොහැකි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය ලෙස සැකසීම කළ නොහැකි
 DocType: C-Form,II,දෙවන
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,මිල ලැයිස්තුව මුදල් පාරිභෝගික පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය
 DocType: Purchase Invoice Item,Net Amount (Company Currency),ශුද්ධ මුදල (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,සම්පූර්ණ අත්තිකාරම් මුදල මුළු අනුමත ප්රමාණයට වඩා වැඩි විය නොහැක
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,සම්පූර්ණ අත්තිකාරම් මුදල මුළු අනුමත ප්රමාණයට වඩා වැඩි විය නොහැක
 DocType: Salary Slip,Hour Rate,පැය අනුපාත
 DocType: Stock Settings,Item Naming By,කිරීම අනුප්රාප්තිකයා නම් කිරීම අයිතමය
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},{0} {1} පසු කර තිබේ තවත් කාලය අවසාන සටහන්
 DocType: Work Order,Material Transferred for Manufacturing,නිෂ්පාදන කම්කරුවන් සඳහා වන ස්ථාන මාරුවී ද්රව්ය
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,ගිණුම {0} පවතින්නේ නැත
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,ලෝයල්ටි වැඩසටහන තෝරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,ලෝයල්ටි වැඩසටහන තෝරන්න
 DocType: Project,Project Type,ව්යාපෘති වර්ගය
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,මෙම කාර්යය සඳහා ළමා කාර්යය පවතියි. මෙම කාර්යය මකා දැමිය නොහැක.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ඉලක්කය යවන ලද හෝ ඉලක්කය ප්රමාණය එක්කෝ අනිවාර්ය වේ.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ඉලක්කය යවන ලද හෝ ඉලක්කය ප්රමාණය එක්කෝ අනිවාර්ය වේ.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,විවිධ ක්රියාකාරකම් පිරිවැය
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",", {0} වෙත සිදුවීම් කිරීම විකුණුම් පුද්ගලයන් පහත අනුයුක්ත සේවක වූ පරිශීලක අනන්යාංකය {1} සිදු නොවන බැවිනි"
 DocType: Timesheet,Billing Details,බිල්ගත විස්තර
@@ -4502,13 +4556,13 @@
 DocType: Inpatient Record,A Negative,සෘණාත්මක
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,පෙන්වන්න ඊට වැඩි දෙයක් නැහැ.
 DocType: Lead,From Customer,පාරිභෝගික සිට
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ඇමතුම්
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,ඇමතුම්
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,නිෂ්පාදනයක්
 DocType: Employee Tax Exemption Declaration,Declarations,ප්රකාශයන්
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,කාණ්ඩ
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,ගාස්තුවක් අය කරන්න
 DocType: Purchase Order Item Supplied,Stock UOM,කොටස් UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,මිලදී ගැනීමේ නියෝගයක් {0} ඉදිරිපත් කර නැත
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,මිලදී ගැනීමේ නියෝගයක් {0} ඉදිරිපත් කර නැත
 DocType: Account,Expenses Included In Asset Valuation,වත්කම් තක්සේරු කිරීමේ වියදම් ඇතුළත් විය
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),වැඩිහිටියෙකු සඳහා සාමාන්ය සමීක්ෂණ පරාසය 16-20 හුස්ම / මිනිත්තුව (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,ගාස්තු අංකය
@@ -4521,6 +4575,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,කරුණාකර රෝගියා පළමුව බේරා ගන්න
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,පැමිණීම සාර්ථකව සලකුණු කර ඇත.
 DocType: Program Enrollment,Public Transport,රාජ්ය ප්රවාහන
+DocType: Delivery Note,GST Vehicle Type,GST වාහන වර්ගය
 DocType: Soil Texture,Silt Composition (%),සල්ට සංයුතිය (%)
 DocType: Journal Entry,Remark,ප්රකාශය
 DocType: Healthcare Settings,Avoid Confirmation,තහවුරු නොකරන්න
@@ -4530,11 +4585,10 @@
 DocType: Education Settings,Current Academic Term,වත්මන් අධ්යයන කාලීන
 DocType: Education Settings,Current Academic Term,වත්මන් අධ්යයන කාලීන
 DocType: Sales Order,Not Billed,අසූහත නෑ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,දෙකම ගබඩාව එම සමාගමට අයිති විය යුතුය
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,දෙකම ගබඩාව එම සමාගමට අයිති විය යුතුය
 DocType: Employee Grade,Default Leave Policy,අනුමාන නිවාඩු ප්රතිපත්තිය
 DocType: Shopify Settings,Shop URL,වෙළඳසැලේ URL ලිපිනය
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,කිසිදු සබඳතා තවමත් වැඩිදුරටත් සඳහන් කළේය.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,කරුණාකර Setup&gt; Numbering Series හරහා පැමිණීමේදී සංඛ්යාලේඛන මාලාවක් සකසන්න
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,වියදම වවුචරයක් මුදල ගොඩ බස්වන ලදී
 ,Item Balance (Simple),අයිතමය ශේෂය (සරල)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,සැපයුම්කරුවන් විසින් මතු බිල්පත්.
@@ -4559,7 +4613,7 @@
 DocType: Shopping Cart Settings,Quotation Series,උද්ධෘත ශ්රේණි
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","අයිතමයක් ම නම ({0}) සමග පවතී, අයිතමය කණ්ඩායමේ නම වෙනස් කිරීම හෝ අයිතමය නැවත නම් කරුණාකර"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,පාංශු විශ්ලේෂණ නිර්ණායක
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,කරුණාකර පාරිභෝගික තෝරා
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,කරුණාකර පාරිභෝගික තෝරා
 DocType: C-Form,I,මම
 DocType: Company,Asset Depreciation Cost Center,වත්කම් ක්ෂය පිරිවැය මධ්යස්ථානය
 DocType: Production Plan Sales Order,Sales Order Date,විකුණුම් සාමය දිනය
@@ -4572,8 +4626,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,දැනට කිසිදු ගබඩාවක් නොමැත
 ,Payment Period Based On Invoice Date,ගෙවීම් කාලය ඉන්වොයිසිය දිනය පදනම්
 DocType: Sample Collection,No. of print,මුද්රිත ගණන
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,උපන් දින සිහිපත් කිරීම
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,හෝටල් කාමර වෙන් කිරීම අයිතමය
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} සඳහා ව්යවහාර මුදල් විනිමය අනුපාත අතුරුදහන්
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},{0} සඳහා ව්යවහාර මුදල් විනිමය අනුපාත අතුරුදහන්
 DocType: Employee Health Insurance,Health Insurance Name,සෞඛ්ය රක්ෂණය නම
 DocType: Assessment Plan,Examiner,පරීක්ෂක
 DocType: Student,Siblings,සහෝදර සහෝදරියන්
@@ -4590,19 +4645,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,නව ගනුදෙනුකරුවන්
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,දළ ලාභය %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,පත්වීම් {0} සහ විකුණුම් ඉන්වොයිසිය {1} අවලංගු වේ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,ඊයම් ප්රභවය මගින් ඇති අවස්ථා
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS පැතිකඩ බලන්න
 DocType: Bank Reconciliation Detail,Clearance Date,නිශ්කාශනෙය් දිනය
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","අයිතමය {0} අයිතමයට එරෙහිව වත්කම් දැනටමත් පවතින අතර, ඔබට වෙනස් කළ නොහැක"
+DocType: Delivery Settings,Dispatch Notification Template,යැවීමේ නිවේදන ආකෘතිය
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","අයිතමය {0} අයිතමයට එරෙහිව වත්කම් දැනටමත් පවතින අතර, ඔබට වෙනස් කළ නොහැක"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,තක්සේරු වාර්තාව
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,සේවකයින් ලබා ගන්න
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,දළ මිලදී ගැනීම මුදල අනිවාර්ය වේ
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,සමාගම් නාමය නොවේ
 DocType: Lead,Address Desc,ෙමරට ලිපිනය DESC
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,පක්ෂය අනිවාර්ය වේ
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},අනෙකුත් පේළි අනුපිටපත් නියමිත දිනයක් සහිත පේළිය හමු වූයේ: {list}
 DocType: Topic,Topic Name,මාතෘකාව නම
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,කරුණාකර HR සැකසීම් වල අවසර පත්ර අනුමත කිරීම සඳහා කරුණාකර පෙරනිමි සැකිල්ල සකස් කරන්න.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,කරුණාකර HR සැකසීම් වල අවසර පත්ර අනුමත කිරීම සඳහා කරුණාකර පෙරනිමි සැකිල්ල සකස් කරන්න.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,මෙම විකිණීම හෝ මිලදී ගැනීමේ ආයෝජිත තෝරාගත් කළ යුතුය
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,සේවකයා ලබා ගැනීමට සේවකයෙකු තෝරන්න.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,කරුණාකර වලංගු දිනය තෝරන්න
@@ -4636,6 +4692,7 @@
 DocType: Stock Entry,Customer or Supplier Details,පාරිභෝගික හෝ සැපයුම්කරු විස්තර
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,වත්මන් වත්කම් වටිනාකම
+DocType: QuickBooks Migrator,Quickbooks Company ID,ක්ෂණික පොත් සමාගම් හැඳුනුම්පත
 DocType: Travel Request,Travel Funding,සංචාරක අරමුදල්
 DocType: Loan Application,Required by Date,දිනය අවශ්ය
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,බෝග වර්ධනය වන සියලු ස්ථාන වලට සබැඳියක්
@@ -4649,9 +4706,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,ලබා ගත හැකි කණ්ඩායම යවන ලද පොත් ගබඩාව සිට දී
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,දළ වැටුප් - මුළු අඩු - ණය ආපසු ගෙවීමේ
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,වත්මන් ද්රව්ය ලේඛණය හා නව ද්රව්ය ලේඛණය සමාන විය නොහැකි
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,වත්මන් ද්රව්ය ලේඛණය හා නව ද්රව්ය ලේඛණය සමාන විය නොහැකි
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,වැටුප් පුරවා හැඳුනුම්පත
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,විශ්රාම ගිය දිනය සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,විශ්රාම ගිය දිනය සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,බහු ප්රභේද
 DocType: Sales Invoice,Against Income Account,ආදායම් ගිණුම එරෙහිව
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% භාර
@@ -4680,7 +4737,7 @@
 DocType: POS Profile,Update Stock,කොටස් යාවත්කාලීන
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,භාණ්ඩ සඳහා විවිධ UOM වැරදි (මුළු) ශුද්ධ බර අගය කිරීමට හේතු වනු ඇත. එක් එක් භාණ්ඩය ශුද්ධ බර එම UOM ඇති බව තහවුරු කර ගන්න.
 DocType: Certification Application,Payment Details,ගෙවීම් තොරතුරු
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,ද්රව්ය ලේඛණය අනුපාතිකය
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,ද්රව්ය ලේඛණය අනුපාතිකය
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",නව වැඩ පිළිවෙළ නවතා දැමිය නොහැක
 DocType: Asset,Journal Entry for Scrap,ලාංකික සඳහා ජර්නල් සටහන්
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,සැපයුම් සටහන භාණ්ඩ අදින්න කරුණාකර
@@ -4703,11 +4760,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,මුළු අනුමැතිය ලත් මුදල
 ,Purchase Analytics,මිලදී ගැනීම විශ්ලේෂණ
 DocType: Sales Invoice Item,Delivery Note Item,සැපයුම් සටහන අයිතමය
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,වත්මන් ඉන්වොයිසිය {0} නැතිව ඇත
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,වත්මන් ඉන්වොයිසිය {0} නැතිව ඇත
 DocType: Asset Maintenance Log,Task,කාර්ය
 DocType: Purchase Taxes and Charges,Reference Row #,විමර්ශන ෙරෝ #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},කාණ්ඩ අංකය අයිතමය {0} සඳහා අනිවාර්ය වේ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,මෙය මූල අලෙවි පුද්ගලයා සහ සංස්කරණය කළ නොහැක.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,මෙය මූල අලෙවි පුද්ගලයා සහ සංස්කරණය කළ නොහැක.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","තෝරා ගත්තේ නම්, මෙම සංරචකය හි නිශ්චිතව දක්වා හෝ ගණනය වටිනාකම ආදායම අඩු හෝ දායක නැහැ. කෙසේ වෙතත්, එය අගය එකතු හෝ අඩු කළ හැකිය ෙවනත් සංරචක විසින් විමසිය හැකි ය."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","තෝරා ගත්තේ නම්, මෙම සංරචකය හි නිශ්චිතව දක්වා හෝ ගණනය වටිනාකම ආදායම අඩු හෝ දායක නැහැ. කෙසේ වෙතත්, එය අගය එකතු හෝ අඩු කළ හැකිය ෙවනත් සංරචක විසින් විමසිය හැකි ය."
 DocType: Asset Settings,Number of Days in Fiscal Year,මූල්ය වර්ෂය තුළ දින ගණන
@@ -4716,7 +4773,7 @@
 DocType: Company,Exchange Gain / Loss Account,විනිමය ලාභ / අලාභ ගිණුම්
 DocType: Amazon MWS Settings,MWS Credentials,MWS අක්තපත්ර
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,සේවකයෙකුට සහ පැමිණීෙම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},අරමුණ {0} එකක් විය යුතුය
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},අරමුණ {0} එකක් විය යුතුය
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,පෝරමය පුරවා එය රැක
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,ප්රජා සංසදය
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,කොටස් සැබෑ යවන ලද
@@ -4732,7 +4789,7 @@
 DocType: Lab Test Template,Standard Selling Rate,සම්මත විකිණීම අනුපාතිකය
 DocType: Account,Rate at which this tax is applied,මෙම බදු අයදුම් වන අවස්ථාවේ අනුපාතය
 DocType: Cash Flow Mapper,Section Name,කොටස නම
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,සීරුමාරු කිරීමේ යවන ලද
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,සීරුමාරු කිරීමේ යවන ලද
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},ක්ෂය කිරීම් පේළි {0}: ප්රයෝජනවත් ආයුෂ පසු බලාපොරොත්තු වූ අගය {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,වත්මන් රැකියා අවස්ථා
 DocType: Company,Stock Adjustment Account,කොටස් ගැලපුම් ගිණුම
@@ -4742,8 +4799,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ධ (ලොගින් වන්න) හැඳුනුම්. සකස් නම්, එය සියලු මානව සම්පත් ආකෘති සඳහා පෙරනිමි බවට පත් වනු ඇත."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,ක්ෂය කිරීම් විස්තර ඇතුළත් කරන්න
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: {1} සිට
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},නිවාඩු අයදුම්පත {0} දැනටමත් ශිෂ්යයාට එරෙහිව පවතී {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,සියලු බිල්පත් ද්රව්යවල නවතම මිල යාවත්කාලීන කිරීම සඳහා පේළිය. විනාඩි කිහිපයක් ගත විය හැකිය.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,සියලු බිල්පත් ද්රව්යවල නවතම මිල යාවත්කාලීන කිරීම සඳහා පේළිය. විනාඩි කිහිපයක් ගත විය හැකිය.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,නව ගිණුම් නම. සටහන: පාරිභෝගිකයින් සහ සැපයුම්කරුවන් සඳහා ගිණුම් නිර්මාණය කරන්න එපා
 DocType: POS Profile,Display Items In Stock,ප්රදර්ශන අයිතම තොගයෙහි ඇත
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,රටේ බුද්ධිමත් පෙරනිමි ලිපිනය ආකෘති පත්ර
@@ -4773,16 +4831,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} සඳහා ස්ලට් වරුන්ට එකතු නොවේ
 DocType: Product Bundle,List items that form the package.,මෙම පැකේජය පිහිටුවීමට බව අයිතම ලැයිස්තුගත කරන්න.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,අවසර නොදේ. කරුණාකර ටෙස්ට් ටෙම්ප්ලේට අක්රිය කරන්න
+DocType: Delivery Note,Distance (in km),දුර (කිලෝ මීටර්)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ප්රතිශතයක් වෙන් කිරීම 100% ක් සමාන විය යුතුයි
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"කරුණාකර පක්ෂය තෝරා ගැනීමට පෙර ගිය තැන, දිනය තෝරා"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"කරුණාකර පක්ෂය තෝරා ගැනීමට පෙර ගිය තැන, දිනය තෝරා"
 DocType: Program Enrollment,School House,ස්කූල් හවුස්
 DocType: Serial No,Out of AMC,විදේශ මුදල් හුවමාරු කරන්නන් අතරින්
+DocType: Opportunity,Opportunity Amount,අවස්ථා ප්රමාණය
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,වෙන් කරවා අගය පහත සංඛ්යාව අගය පහත සමස්ත සංඛ්යාව ට වඩා වැඩි විය නොහැක
 DocType: Purchase Order,Order Confirmation Date,ඇණවුම් කිරීමේ දිනය
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,නඩත්තු සංචාරය කරන්න
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ආරම්භක දිනය සහ අවසන් දිනය කාර්යය කාඩ්පත සමඟ අතිශුද්ධව පවතී <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,සේවක ස්ථාන මාරු විස්තර
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,විකුණුම් මාස්ටර් කළමනාකරු {0} කාර්යභාරයක් ඇති කරන පරිශීලකයා වෙත සම්බන්ධ වන්න
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,විකුණුම් මාස්ටර් කළමනාකරු {0} කාර්යභාරයක් ඇති කරන පරිශීලකයා වෙත සම්බන්ධ වන්න
 DocType: Company,Default Cash Account,පෙරනිමි මුදල් ගිණුම්
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,සමාගම (නැති පාරිභෝගික හෝ සැපයුම්කරු) ස්වාමියා.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,මෙය මේ ශිෂ්ය ඊට සහභාගී මත පදනම් වේ
@@ -4790,9 +4851,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,වැඩිපුර භාණ්ඩ ෙහෝ විවෘත පූර්ණ ආකෘති පත්රය එක් කරන්න
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,සැපයුම් සටහන් {0} මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර අවලංගු කළ යුතුය
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,පරිශීලකයින් වෙත යන්න
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,ගෙවනු ලබන මුදල + ප්රමාණය මුළු එකතුව වඩා වැඩි විය නොහැකි Off ලියන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,ගෙවනු ලබන මුදල + ප්රමාණය මුළු එකතුව වඩා වැඩි විය නොහැකි Off ලියන්න
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} අයිතමය {1} සඳහා වලංගු කණ්ඩායම අංකය නොවේ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},සටහන: මෙහි නිවාඩු වර්ගය {0} සඳහා ප්රමාණවත් නිවාඩු ඉතිරි නොවේ
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},සටහන: මෙහි නිවාඩු වර්ගය {0} සඳහා ප්රමාණවත් නිවාඩු ඉතිරි නොවේ
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,වලංගු නොවන GSTIN හෝ ලියාපදිංචි නොකල සඳහා එන් ඇතුලත් කරන්න
 DocType: Training Event,Seminar,සම්මන්ත්රණය
 DocType: Program Enrollment Fee,Program Enrollment Fee,වැඩසටහන ඇතුළත් ගාස්තු
@@ -4809,7 +4870,7 @@
 DocType: Fee Schedule,Fee Schedule,ගාස්තු උපෙල්ඛනෙය්
 DocType: Company,Create Chart Of Accounts Based On,ගිණුම් පදනම් කරගත් මත සටහන නිර්මාණය
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,කණ්ඩායම් නොවන අයට එය පරිවර්තනය කළ නොහැක. ළමා කර්තව්යයන් පවතී.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,උපන් දිනය අද ට වඩා වැඩි විය නොහැක.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,උපන් දිනය අද ට වඩා වැඩි විය නොහැක.
 ,Stock Ageing,කොටස් වයස්ගතවීම
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","අර්ධ වශයෙන් අනුගහකත්වය, අර්ධ අරමුදල් අවශ්යයි"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},ශිෂ්ය {0} ශිෂ්ය අයදුම්කරු {1} එරෙහිව පවතින
@@ -4856,11 +4917,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,සංහිඳියාව පෙර
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} වෙත
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),එකතු කරන බදු හා ගාස්තු (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"අයිතමය බදු ෙරෝ {0} වර්ගය බදු හෝ ආදායම් හෝ වියදම් හෝ අයකරනු ලබන ගාස්තු, ක ගිණුමක් තිබිය යුතු"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"අයිතමය බදු ෙරෝ {0} වර්ගය බදු හෝ ආදායම් හෝ වියදම් හෝ අයකරනු ලබන ගාස්තු, ක ගිණුමක් තිබිය යුතු"
 DocType: Sales Order,Partly Billed,අර්ධ වශයෙන් අසූහත
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,අයිතමය {0} ස්ථාවර වත්කම් අයිතමය විය යුතුය
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,වෙනස්කම් කරන්න
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,වෙනස්කම් කරන්න
 DocType: Item,Default BOM,පෙරනිමි ද්රව්ය ලේඛණය
 DocType: Project,Total Billed Amount (via Sales Invoices),මුළු බිල්පත් ප්රමාණය (විකුණුම් ඉන්වොයිසි හරහා)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,හර සටහන මුදල
@@ -4889,14 +4950,14 @@
 DocType: Notification Control,Custom Message,රේගු පණිවුඩය
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,ආයෝජන බැංකු කටයුතු
 DocType: Purchase Invoice,input,ආදානය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,මුදල් හෝ බැංකු ගිණුම් ගෙවීම් ප්රවේශය ගැනීම සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,මුදල් හෝ බැංකු ගිණුම් ගෙවීම් ප්රවේශය ගැනීම සඳහා අනිවාර්ය වේ
 DocType: Loyalty Program,Multiple Tier Program,බහු ස්ථර වැඩසටහන
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ශිෂ්ය ලිපිනය
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ශිෂ්ය ලිපිනය
 DocType: Purchase Invoice,Price List Exchange Rate,මිල ලැයිස්තුව විනිමය අනුපාත
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,සියලු සැපයුම් කණ්ඩායම්
 DocType: Employee Boarding Activity,Required for Employee Creation,සේවක නිර්මාණ සඳහා අවශ්ය වේ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},ගිණුම් අංකය {0} දැනටමත් ගිණුමට භාවිතා කර ඇත {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},ගිණුම් අංකය {0} දැනටමත් ගිණුමට භාවිතා කර ඇත {1}
 DocType: GoCardless Mandate,Mandate,මැන්ඩේට්
 DocType: POS Profile,POS Profile Name,POS පැතිකඩ නම
 DocType: Hotel Room Reservation,Booked,වෙන් කර ඇත
@@ -4912,18 +4973,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,ධව ඔබ විමර්ශන දිනය ඇතුළු නම් කිසිම අනිවාර්ය වේ
 DocType: Bank Reconciliation Detail,Payment Document,ගෙවීම් ලේඛන
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,නිර්ණායක සූත්රය තක්සේරු කිරීමේ දෝෂයකි
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,සමඟ සම්බන්ධවීම දිනය උපන් දිනය වඩා වැඩි විය යුතුය
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,සමඟ සම්බන්ධවීම දිනය උපන් දිනය වඩා වැඩි විය යුතුය
 DocType: Subscription,Plans,සැලසුම්
 DocType: Salary Slip,Salary Structure,වැටුප් ව්යුහය
 DocType: Account,Bank,බැංකුව
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,ගුවන්
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,නිකුත් ද්රව්ය
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,නිකුත් ද්රව්ය
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext සමඟ වෙළඳාම් කරන්න
 DocType: Material Request Item,For Warehouse,ගබඩා සඳහා
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,බෙදාහදා ගැනීම සටහන් {0} යාවත්කාලීන කරන ලදි
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,බෙදාහදා ගැනීම සටහන් {0} යාවත්කාලීන කරන ලදි
 DocType: Employee,Offer Date,ඉල්ලුමට දිනය
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,උපුටා දැක්වීම්
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,ඔබ නොබැඳිව වේ. ඔබ ජාලයක් තියෙනවා තෙක් ඔබට රීලෝඩ් කිරීමට නොහැකි වනු ඇත.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,උපුටා දැක්වීම්
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,ඔබ නොබැඳිව වේ. ඔබ ජාලයක් තියෙනවා තෙක් ඔබට රීලෝඩ් කිරීමට නොහැකි වනු ඇත.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,ග්රාන්ට්
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,කිසිදු ශිෂ්ය කණ්ඩායම් නිර්මාණය.
 DocType: Purchase Invoice Item,Serial No,අනුක්රමික අංකය
@@ -4935,24 +4996,26 @@
 DocType: Sales Invoice,Customer PO Details,පාරිභෝගික සේවා විස්තරය
 DocType: Stock Entry,Including items for sub assemblies,උප එකලස්කිරීම් සඳහා ද්රව්ය ඇතුළු
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,තාවකාලික විවෘත කිරීමේ ගිණුම
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,අගය ධනාත්මක විය යුතුය ඇතුලත් කරන්න
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,අගය ධනාත්මක විය යුතුය ඇතුලත් කරන්න
 DocType: Asset,Finance Books,මුදල් පොත්
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,සේවක බදු නිදහස් කිරීමේ ප්රකාශය වර්ගය
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,සියලු ප්රදේශ
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,සේවක / ශ්රේණිගත වාර්තාවෙහි සේවකයා {0} සඳහා නිවාඩු ප්රතිපත්තිය සකස් කරන්න
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,තෝරාගත් පාරිභෝගිකයා සහ අයිතමය සඳහා වලංගු නොවන නිමි භාණ්ඩයක්
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,තෝරාගත් පාරිභෝගිකයා සහ අයිතමය සඳහා වලංගු නොවන නිමි භාණ්ඩයක්
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,බහු කාර්යයන් එකතු කරන්න
 DocType: Purchase Invoice,Items,අයිතම
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,අවසන් දිනය ආරම්භ කළ දිනය දක්වා නොවිය යුතුය.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,ශිෂ්ය දැනටමත් ලියාපදිංචි කර ඇත.
 DocType: Fiscal Year,Year Name,වසරේ නම
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,වැඩ කරන දින වැඩි නිවාඩු දින මෙම මාසය ඇත.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,වැඩ කරන දින වැඩි නිවාඩු දින මෙම මාසය ඇත.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,පහත සඳහන් අයිතම {0} අයිතමයන් {1} ලෙස සලකුණු කර නොමැත. {1} අයිතමයේ ප්රධානියා වෙතින් ඔබට ඒවා සක්රීය කළ හැකිය
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,නිෂ්පාදන පැකේජය අයිතමය
 DocType: Sales Partner,Sales Partner Name,විකුණුම් සහකරු නම
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,මිල කැඳවීම ඉල්ලීම
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,මිල කැඳවීම ඉල්ලීම
 DocType: Payment Reconciliation,Maximum Invoice Amount,උපරිම ඉන්වොයිසි මුදල
 DocType: Normal Test Items,Normal Test Items,සාමාන්ය පරීක්ෂණ අයිතම
+DocType: QuickBooks Migrator,Company Settings,සමාගම් සැකසුම්
 DocType: Additional Salary,Overwrite Salary Structure Amount,වැටුප් ව්යුහය ප්රමාණය නවීකරණය කරන්න
 DocType: Student Language,Student Language,ශිෂ්ය භාෂා
 apps/erpnext/erpnext/config/selling.py +23,Customers,පාරිභෝගිකයන්
@@ -4965,22 +5028,24 @@
 DocType: Issue,Opening Time,විවෘත වේලාව
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,හා අවශ්ය දිනයන් සඳහා
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,සුරැකුම්පත් සහ වෙළඳ භාණ්ඩ විනිමය
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ප්රභේද්යයක් සඳහා නු පෙරනිමි ඒකකය &#39;{0}&#39; සැකිල්ල මෙන් ම විය යුතුයි &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ප්රභේද්යයක් සඳහා නු පෙරනිමි ඒකකය &#39;{0}&#39; සැකිල්ල මෙන් ම විය යුතුයි &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,පදනම් කරගත් දින ගණනය
 DocType: Contract,Unfulfilled,අසම්පූර්ණයි
 DocType: Delivery Note Item,From Warehouse,ගබඩාව සිට
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,ඉහත නිර්ණායකයන් සඳහා සේවකයින් නොමැත
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,නිෂ්පාදනය කිරීමට ද්රව්ය පනත් ෙකටුම්පත අයිතම කිසිදු
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,නිෂ්පාදනය කිරීමට ද්රව්ය පනත් ෙකටුම්පත අයිතම කිසිදු
 DocType: Shopify Settings,Default Customer,පාරිබෝගිකයා
+DocType: Sales Stage,Stage Name,ස්ථානයේ නම
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYY-
 DocType: Assessment Plan,Supervisor Name,සුපරීක්ෂක නම
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,එදිනම හමුවීම සඳහා නිර්මාණය කර ඇත්දැයි තහවුරු නොකරන්න
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,නැව් රාජ්යය
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,නැව් රාජ්යය
 DocType: Program Enrollment Course,Program Enrollment Course,වැඩසටහන ඇතුලත් පාඨමාලා
 DocType: Program Enrollment Course,Program Enrollment Course,වැඩසටහන ඇතුලත් පාඨමාලා
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},පරිශීලක {0} දැනටමත් සෞඛ්ය ආරක්ෂණ වෘත්තිකයාට පැවරී ඇත {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,සාම්පල රඳවා ගැනීමේ කොටස් ප්රවේශය කරන්න
 DocType: Purchase Taxes and Charges,Valuation and Total,වටිනාකම හා මුළු
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,සාකච්ඡා / සමාලෝචනය
 DocType: Leave Encashment,Encashment Amount,වට ප්රමාණය
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,කාඩ්පත්
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,කල්ඉකුත්වී ඇත
@@ -4990,7 +5055,7 @@
 DocType: Staffing Plan Detail,Current Openings,වත්මන් විවෘත කිරීම්
 DocType: Notification Control,Customize the Notification,මෙම නිවේදනය රිසිකරණය
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,මෙහෙයුම් වලින් මුදල් ප්රවාහ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST මුදල
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST මුදල
 DocType: Purchase Invoice,Shipping Rule,නැව් පාලනය
 DocType: Patient Relation,Spouse,කලත්රයා
 DocType: Lab Test Groups,Add Test,ටෙස්ට් එකතු කරන්න
@@ -5004,14 +5069,14 @@
 DocType: Payroll Entry,Payroll Frequency,වැටුප් සංඛ්යාත
 DocType: Lab Test Template,Sensitivity,සංවේදීතාව
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,උපරිම උත්සහයන් ඉක්මවා ඇති බැවින් සමමුහුර්ත තාවකාලිකව අක්රිය කර ඇත
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,අමුදව්ය
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,අමුදව්ය
 DocType: Leave Application,Follow via Email,විද්යුත් හරහා අනුගමනය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,ශාක හා යන්ත්රෝපකරණ
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,බදු මුදල වට්ටම් මුදල පසු
 DocType: Patient,Inpatient Status,රෝගියාගේ තත්වය
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,ඩේලි වැඩ සාරාංශය සැකසුම්
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,තෝරාගත් මිල ලැයිස්තු පරීක්ෂාවට ලක් කර ඇති ක්ෂේත්ර මිලදී ගැනීම සහ විකිණීම කළ යුතුය.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,කරුණාකර Date by Reqd ඇතුලත් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,තෝරාගත් මිල ලැයිස්තු පරීක්ෂාවට ලක් කර ඇති ක්ෂේත්ර මිලදී ගැනීම සහ විකිණීම කළ යුතුය.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,කරුණාකර Date by Reqd ඇතුලත් කරන්න
 DocType: Payment Entry,Internal Transfer,අභ තර ස්ථ
 DocType: Asset Maintenance,Maintenance Tasks,නඩත්තු කාර්යයන්
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ඉලක්කය යවන ලද හෝ ඉලක්කය ප්රමාණය එක්කෝ අනිවාර්ය වේ
@@ -5033,7 +5098,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,පසුගිය සන්නිවේදන
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,පසුගිය සන්නිවේදන
 ,TDS Payable Monthly,TDS මාසිකව ගෙවිය යුතුය
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM ආදේශ කිරීම සඳහා පේළිය. විනාඩි කිහිපයක් ගත විය හැකිය.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM ආදේශ කිරීම සඳහා පේළිය. විනාඩි කිහිපයක් ගත විය හැකිය.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',කාණ්ඩය තක්සේරු &#39;හෝ&#39; තක්සේරු හා පූර්ණ &#39;සඳහා වන විට අඩු කර නොහැකි
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serialized අයිතමය {0} සඳහා අනු අංක අවශ්ය
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,ඉන්වොයිසි සමග සසදන්න ගෙවීම්
@@ -5046,7 +5111,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,ගැලට එක් කරන්න
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,පිරිසක් විසින්
 DocType: Guardian,Interests,උනන්දුව දක්වන ක්ෂෙත්ර:
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,මුදල් සක්රිය කරන්න / අක්රිය කරන්න.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,මුදල් සක්රිය කරන්න / අක්රිය කරන්න.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,සමහර වැටුප් පත්රිකා ඉදිරිපත් කළ නොහැක
 DocType: Exchange Rate Revaluation,Get Entries,ප්රවේශය ලබා ගන්න
 DocType: Production Plan,Get Material Request,"ද්රව්ය, ඉල්ලීම් ලබා ගන්න"
@@ -5068,15 +5133,16 @@
 DocType: Lead,Lead Type,ඊයම් වර්ගය
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,ඔබ කලාප දිනයන් මත කොළ අනුමත කිරීමට අවසර නැත
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,මේ සියලු විෂයන් දැනටමත් ඉන්වොයිස් කර ඇත
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,නව නිකුත් කිරීමේ දිනය සකසන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,නව නිකුත් කිරීමේ දිනය සකසන්න
 DocType: Company,Monthly Sales Target,මාසික විකුණුම් ඉලක්කය
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} අනුමත කළ හැකි
 DocType: Hotel Room,Hotel Room Type,හෝටලයේ කාමර වර්ගය
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,සැපයුම්කරු&gt; සැපයුම් වර්ගය
 DocType: Leave Allocation,Leave Period,නිවාඩු කාලය
 DocType: Item,Default Material Request Type,පෙරනිමි ද්රව්ය ඉල්ලීම් වර්ගය
 DocType: Supplier Scorecard,Evaluation Period,ඇගයීම් කාලය
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,නොදන්නා
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,වැඩ පිළිවෙල නිර්මාණය කර නැත
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,වැඩ පිළිවෙල නිර්මාණය කර නැත
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Component {1}, \ දැනටමත් හිමිකම් ලබා ඇති {0} ගණනක් {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,නැව් පාලනය කොන්දේසි
@@ -5111,15 +5177,15 @@
 DocType: Batch,Source Document Name,මූලාශ්රය ලේඛන නම
 DocType: Production Plan,Get Raw Materials For Production,නිෂ්පාදනය සඳහා අමුද්රව්ය ලබා ගන්න
 DocType: Job Opening,Job Title,රැකියා තනතුර
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} මගින් පෙන්නුම් කරන්නේ {1} සවිස්තරාත්මකව උපුටා නොදක්වන බවය, නමුත් සියලුම අයිතමයන් උපුටා ඇත. RFQ සවිස්තරාත්මකව යාවත්කාලීන කිරීම."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,උපරිම නියැදි - {0} දැනටමත් {1} සහ {{}} කාණ්ඩයේ {1} අයිතමය {2} සඳහා තබා ඇත.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,උපරිම නියැදි - {0} දැනටමත් {1} සහ {{}} කාණ්ඩයේ {1} අයිතමය {2} සඳහා තබා ඇත.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,BOM පිරිවැය ස්වයංක්රීයව යාවත්කාලීන කරන්න
 DocType: Lab Test,Test Name,පරීක්ෂණ නම
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,සායනික ක්රියාපිළිවෙත් අවශ්ය අයිතමය
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,පරිශීලකයන් නිර්මාණය
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,ඇට
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,දායකත්වයන්
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,දායකත්වයන්
 DocType: Supplier Scorecard,Per Month,මසකට
 DocType: Education Settings,Make Academic Term Mandatory,අධ්යයන වාරය අනිවාර්ය කිරීම
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,නිෂ්පාදනය කිරීමට ප්රමාණය 0 ට වඩා වැඩි විය යුතුය.
@@ -5130,7 +5196,7 @@
 DocType: Loyalty Program,Customer Group,කස්ටමර් සමූහයේ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),නව කණ්ඩායම හැඳුනුම්පත (විකල්ප)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),නව කණ්ඩායම හැඳුනුම්පත (විකල්ප)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},වියදම් ගිණුම අයිතමය {0} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},වියදම් ගිණුම අයිතමය {0} සඳහා අනිවාර්ය වේ
 DocType: BOM,Website Description,වෙබ් අඩවිය විස්තරය
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,කොටස් ශුද්ධ වෙනස්
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,මිලදී ගැනීම ඉන්වොයිසිය {0} පළමු අවලංගු කරන්න
@@ -5145,7 +5211,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,සංස්කරණය කරන්න කිසිම දෙයක් නැහැ.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Form View
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Claims
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,මේ මාසය සඳහා සාරාංශය හා ෙ කටයුතු
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,මේ මාසය සඳහා සාරාංශය හා ෙ කටයුතු
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},කරුණාකර සමාගමෙන් නොඑන ලද විනිමය ලාභය / අලාභ ගිණුම {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",ඔබගේ ආයතනයට අමතරව පරිශීලකයන්ට එකතු කරන්න.
 DocType: Customer Group,Customer Group Name,කස්ටමර් සමූහයේ නම
@@ -5155,14 +5221,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,කිසිදු ද්රව්යමය ඉල්ලීමක් නිර්මාණය කර නැත
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ණය මුදල {0} උපරිම ණය මුදල ඉක්මවා නො හැකි
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,බලපත්රය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},C-ආකෘතිය {1} සිට මෙම ඉන්වොයිසිය {0} ඉවත් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},C-ආකෘතිය {1} සිට මෙම ඉන්වොයිසිය {0} ඉවත් කරන්න
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ඔබ ද පෙර මූල්ය වර්ෂය ශේෂ මෙම මුදල් වසරේදී පිටත්ව ඇතුළත් කිරීමට අවශ්ය නම් ඉදිරියට ගෙන කරුණාකර තෝරා
 DocType: GL Entry,Against Voucher Type,වවුචරයක් වර්ගය එරෙහිව
 DocType: Healthcare Practitioner,Phone (R),දුරකථන (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,කාල අවකාශ එකතු
 DocType: Item,Attributes,දන්ත ධාතුන්
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,ආකෘතිය සක්රිය කරන්න
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,ගිණුම අක්රිය ලියන්න ඇතුලත් කරන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,ගිණුම අක්රිය ලියන්න ඇතුලත් කරන්න
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,පසුගිය සාමය දිනය
 DocType: Salary Component,Is Payable,ගෙවිය යුතු වේ
 DocType: Inpatient Record,B Negative,B සෘණාත්මක
@@ -5173,7 +5239,7 @@
 DocType: Hotel Room,Hotel Room,හෝටල් කාමරය
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},ගිණුම {0} සමාගම {1} අයත් නොවේ
 DocType: Leave Type,Rounding,වටරවුම
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,පිට පිට අනු ගණන් {0} සැපයුම් සටහන සමග නොගැලපේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,පිට පිට අනු ගණන් {0} සැපයුම් සටහන සමග නොගැලපේ
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),විසර්ජන ප්රමාණයේ (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","පාරිභෝගික මිල දී ගැනීම්, පාරිභෝගික සමූහය, ප්රදේශය, සැපයුම්කරු, සැපයුම්කාර කණ්ඩායම, ව්යාපාර කටයුතු, විකුණුම් හවුල්කරු ආදිය පදනම්ව මිල නියම කිරීමේ නීති රීති සකස් කර ගනී."
 DocType: Student,Guardian Details,ගාඩියන් විස්තර
@@ -5182,10 +5248,10 @@
 DocType: Vehicle,Chassis No,චැසි අංක
 DocType: Payment Request,Initiated,ආරම්භ
 DocType: Production Plan Item,Planned Start Date,සැලසුම් ඇරඹුම් දිනය
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,කරුණාකර BOM එකක් තෝරන්න
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,කරුණාකර BOM එකක් තෝරන්න
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC ඒකාබද්ධ බදු අනුපමාණය
 DocType: Purchase Order Item,Blanket Order Rate,නිමි ඇඳුම් මිල
-apps/erpnext/erpnext/hooks.py +156,Certification,සහතික කිරීම
+apps/erpnext/erpnext/hooks.py +157,Certification,සහතික කිරීම
 DocType: Bank Guarantee,Clauses and Conditions,වගන්ති සහ කොන්දේසි
 DocType: Serial No,Creation Document Type,නිර්මාණය ලේඛන වර්ගය
 DocType: Project Task,View Timesheet,පත්රිකා බලන්න
@@ -5210,6 +5276,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,මව් අයිතමය {0} යනු කොටස් අයිතමය නොවිය යුතුයි
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,වෙබ් අඩවි ලැයිස්තුගත කිරීම
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,සියලු නිෂ්පාදන හෝ සේවා.
+DocType: Email Digest,Open Quotations,විවෘත කිරීම්
 DocType: Expense Claim,More Details,වැඩිපුර විස්තර
 DocType: Supplier Quotation,Supplier Address,සැපයුම්කරු ලිපිනය
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ගිණුම සඳහා වූ අයවැය {1} {2} {3} එරෙහිව {4} වේ. එය {5} විසින් ඉක්මවා ඇත
@@ -5224,12 +5291,11 @@
 DocType: Training Event,Exam,විභාග
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,වෙළඳපල වැරැද්ද
 DocType: Complaint,Complaint,පැමිණිල්ලක්
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය පොත් ගබඩාව
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය පොත් ගබඩාව
 DocType: Leave Allocation,Unused leaves,භාවිතයට නොගත් කොළ
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,ආපසු ගෙවීමේ පිවිසුම කරන්න
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,සියලුම දෙපාර්තමේන්තු
 DocType: Healthcare Service Unit,Vacant,පුරප්පාඩු
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,සැපයුම්කරු&gt; සැපයුම් වර්ගය
 DocType: Patient,Alcohol Past Use,මත්පැන් අතීත භාවිතය
 DocType: Fertilizer Content,Fertilizer Content,පොහොර අන්තර්ගතය
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5237,7 +5303,7 @@
 DocType: Tax Rule,Billing State,බිල්පත් රාජ්ය
 DocType: Share Transfer,Transfer,මාරු
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,මෙම වැඩ පිළිවෙල අවලංගු කිරීමට පෙර වැඩ පිළිවෙළ {0} අවලංගු කළ යුතුය
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(උප-එකලස්කිරීම් ඇතුළුව) පුපුරා ද්රව්ය ලේඛණය බෝගයන්ගේ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(උප-එකලස්කිරීම් ඇතුළුව) පුපුරා ද්රව්ය ලේඛණය බෝගයන්ගේ
 DocType: Authorization Rule,Applicable To (Employee),(සේවක) කිරීම සඳහා අදාළ
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,නියමිත දිනය අනිවාර්ය වේ
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Attribute {0} 0 වෙන්න බෑ සඳහා වර්ධකය
@@ -5253,7 +5319,7 @@
 DocType: Disease,Treatment Period,ප්රතිකාර කාලය
 DocType: Travel Itinerary,Travel Itinerary,ගමන් මාර්ගය
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,දැනටමත් ඉදිරිපත් කළ ප්රතිඵල
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,රක්ෂිත ද්රව්ය සපයන අයිතමයේ {0} සඳහා වෙන් කර ඇති ගබඩාව අනිවාර්ය වේ
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,රක්ෂිත ද්රව්ය සපයන අයිතමයේ {0} සඳහා වෙන් කර ඇති ගබඩාව අනිවාර්ය වේ
 ,Inactive Customers,අක්රීය ගනුදෙනුකරුවන්
 DocType: Student Admission Program,Maximum Age,උපරිම වයස්
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,කරුණාකර සිහි කැඳවවීමට දින 3 කට පෙර බලා සිටින්න.
@@ -5262,7 +5328,6 @@
 DocType: Stock Entry,Delivery Note No,සැපයුම් සටහන නොමැත
 DocType: Cheque Print Template,Message to show,පෙන්වන්න පණිවුඩය
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,සිල්ලර
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,පත්වීම් ඉන්වොයිසිය කළමනාකරණය කරන්න ස්වයංක්රීයව
 DocType: Student Attendance,Absent,නැති කල
 DocType: Staffing Plan,Staffing Plan Detail,කාර්ය සැලැස්ම විස්තර
 DocType: Employee Promotion,Promotion Date,ප්රවර්ධන දිනය
@@ -5284,7 +5349,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,ඊයම් කරන්න
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,මුද්රිත හා ලිපි ද්රව්ය
 DocType: Stock Settings,Show Barcode Field,Barcode ක්ෂේත්ර පෙන්වන්න
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,සැපයුම්කරු විද්යුත් තැපැල් පණිවුඩ යවන්න
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,සැපයුම්කරු විද්යුත් තැපැල් පණිවුඩ යවන්න
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","වැටුප් දැනටමත් {0} අතර කාල සීමාව සඳහා සකස් සහ {1}, අයදුම්පත් කාලය Leave මෙම දින පරාසයක් අතර විය නොහැක."
 DocType: Fiscal Year,Auto Created,ස්වයංක්රීයව නිර්මාණය කර ඇත
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,සේවක වාර්තාව සෑදීමට මෙය ඉදිරිපත් කරන්න
@@ -5293,7 +5358,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ඉන්වොයිසිය {0} තවදුරටත් නොමැත
 DocType: Guardian Interest,Guardian Interest,ගාඩියන් පොලී
 DocType: Volunteer,Availability,ලබාගත හැකිය
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS ඉන්වොයිසි සඳහා පෙරනිමි අගයන් සැකසීම
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS ඉන්වොයිසි සඳහා පෙරනිමි අගයන් සැකසීම
 apps/erpnext/erpnext/config/hr.py +248,Training,පුහුණුව
 DocType: Project,Time to send,යැවීමට ගතවන කාලය
 DocType: Timesheet,Employee Detail,සේවක විස්තර
@@ -5317,7 +5382,7 @@
 DocType: Training Event Employee,Optional,විකල්පයකි
 DocType: Salary Slip,Earning & Deduction,උපයන සහ අඩු කිරීම්
 DocType: Agriculture Analysis Criteria,Water Analysis,ජල විශ්ලේෂණය
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} නිර්මාණය කර ඇත.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} නිර්මාණය කර ඇත.
 DocType: Amazon MWS Settings,Region,කලාපයේ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,විකල්ප. මෙම සිටුවම විවිධ ගනුදෙනු පෙරහන් කිරීමට භාවිතා කරනු ඇත.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,ඍණ තක්සේරු අනුපාත ඉඩ නැත
@@ -5336,7 +5401,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,කටුගා දමා වත්කම් පිරිවැය
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: පිරිවැය මධ්යස්ථානය අයිතමය {2} සඳහා අනිවාර්ය වේ
 DocType: Vehicle,Policy No,ප්රතිපත්ති නැත
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,නිෂ්පාදන පැකේජය සිට අයිතම ලබා ගන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,නිෂ්පාදන පැකේජය සිට අයිතම ලබා ගන්න
 DocType: Asset,Straight Line,සරල රේඛාව
 DocType: Project User,Project User,ව්යාපෘති පරිශීලක
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,බෙදුණු
@@ -5345,7 +5410,7 @@
 DocType: GL Entry,Is Advance,උසස් වේ
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,සේවක ජීවන චක්රය
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,දිනය සඳහා දිනය හා පැමිණීමේ සිට පැමිණීම අනිවාර්ය වේ
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,ඇතුලත් කරන්න ඔව් හෝ නැත ලෙස &#39;උප කොන්ත්රාත්තු වෙයි&#39;
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,ඇතුලත් කරන්න ඔව් හෝ නැත ලෙස &#39;උප කොන්ත්රාත්තු වෙයි&#39;
 DocType: Item,Default Purchase Unit of Measure,නිසි මිළ ගැනිමේ ඒකකයක්
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,පසුගිය සන්නිවේදන දිනය
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,පසුගිය සන්නිවේදන දිනය
@@ -5355,7 +5420,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,ටෝකන ප්රවේශය හෝ සාප්පු කිරීම URL ලිපිනය අස්ථානගත වී ඇත
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,පරණ පොත් ගබඩාව
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","අංක No {0} හි අවශ්ය ගබඩාව, සමාගම {2} සඳහා {1} අයිතමය සඳහා පෙරනිමි ගබඩාව සකස් කරන්න."
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","අංක No {0} හි අවශ්ය ගබඩාව, සමාගම {2} සඳහා {1} අයිතමය සඳහා පෙරනිමි ගබඩාව සකස් කරන්න."
 DocType: Work Order,Check if material transfer entry is not required,"ද්රව්ය හුවමාරු ප්රවේශය අවශ්ය නොවේ නම්, පරීක්ෂා"
 DocType: Work Order,Check if material transfer entry is not required,"ද්රව්ය හුවමාරු ප්රවේශය අවශ්ය නොවේ නම්, පරීක්ෂා"
 DocType: Program Enrollment Tool,Get Students From,සිට ශිෂ්ය ලබා ගන්න
@@ -5372,6 +5437,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,නව කණ්ඩායම යවන ලද
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,ඇඟලුම් සහ උපකරණ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,බර ලකුණු ගණනය කළ නොහැක. සූත්රය වලංගු වේ.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,නියමිත වේලාවට නොලැබෙන ඇනවුම් භාණ්ඩ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,සාමය පිළිබඳ අංකය
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / බැනරය නිෂ්පාදන ලැයිස්තුව මුදුනේ පෙන්වන බව.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,නාවික මුදල ගණනය කිරීමට කොන්දේසි නියම
@@ -5380,9 +5446,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,මාර්ගය
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,ලෙජර් පිරිවැය මධ්යස්ථානය බවට පත් කළ නොහැක එය ළමා මංසල කර ඇති පරිදි
 DocType: Production Plan,Total Planned Qty,මුලුමනින් සැලසුම්ගත Q
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,විවෘත කළ අගය
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,විවෘත කළ අගය
 DocType: Salary Component,Formula,සූත්රය
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,අනු #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,අනු #
 DocType: Lab Test Template,Lab Test Template,පරීක්ෂණ පරීක්ෂණ ආකෘතිය
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,විකුණුම් ගිණුම
 DocType: Purchase Invoice Item,Total Weight,සම්පූර්ණ බර
@@ -5400,7 +5466,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,ද්රව්ය ඉල්ලීම් කරන්න
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},විවෘත අයිතමය {0}
 DocType: Asset Finance Book,Written Down Value,ලිඛිත වටිනාකම
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,කරුණාකර මානව සම්පත්&gt; HR සැකසුම් තුළ සේවක නාමකරණය කිරීමේ පද්ධතිය සැකසීම කරන්න
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර විකුණුම් ඉන්වොයිසිය {0} අවලංගු කළ යුතුය
 DocType: Clinical Procedure,Age,වයස
 DocType: Sales Invoice Timesheet,Billing Amount,බිල්පත් ප්රමාණය
@@ -5409,11 +5474,11 @@
 DocType: Company,Default Employee Advance Account,පෙර නොවූ සේවක අත්තිකාරම් ගිණුම
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),සොයන්න අයිතමය (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,පවත්නා ගනුදෙනුව ගිණුමක් මකා දැමිය නොහැක
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,පවත්නා ගනුදෙනුව ගිණුමක් මකා දැමිය නොහැක
 DocType: Vehicle,Last Carbon Check,පසුගිය කාබන් පරීක්ෂා කරන්න
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,නීතිමය වියදම්
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,කරුණාකර දණ්ඩනය ප්රමාණය තෝරා
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,විකුණුම් සහ මිලදී ගැනීම් ඉන්වොයිසි විවෘත කරන්න
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,විකුණුම් සහ මිලදී ගැනීම් ඉන්වොයිසි විවෘත කරන්න
 DocType: Purchase Invoice,Posting Time,"ගිය තැන, වේලාව"
 DocType: Timesheet,% Amount Billed,% මුදල අසූහත
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,දුරකථන අංකය වියදම්
@@ -5428,14 +5493,14 @@
 DocType: Maintenance Visit,Breakdown,බිඳ වැටීම
 DocType: Travel Itinerary,Vegetarian,නිර්මාංශ
 DocType: Patient Encounter,Encounter Date,රැස්වීම් දිනය
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,ගිණුම: {0} මුදල් සමග: {1} තෝරා ගත නොහැකි
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,ගිණුම: {0} මුදල් සමග: {1} තෝරා ගත නොහැකි
 DocType: Bank Statement Transaction Settings Item,Bank Data,බැංකු දත්ත
 DocType: Purchase Receipt Item,Sample Quantity,සාම්පල ප්රමාණය
 DocType: Bank Guarantee,Name of Beneficiary,ප්රතිලාභියාගේ නම
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",නවතම තක්සේරු අනුපාතය / මිල ලැයිස්තුවේ අනුපාතය / අමු ද්රව්යයේ අවසන් මිලදී ගැනීමේ අනුපාතය මත පදනම්ව Scheduler හරහා ස්වයංක්රීයව BOM පිරිවැය යාවත්කාලීන කරන්න.
 DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් දිනය"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},ගිණුම {0}: මාපිය ගිණුමක් {1} සමාගම අයිති නැත: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},ගිණුම {0}: මාපිය ගිණුමක් {1} සමාගම අයිති නැත: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,මෙම සමාගම අදාළ සියලු ගනුදෙනු සාර්ථකව මකා!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,දිනය මත ලෙස
 DocType: Additional Salary,HR,මානව සම්පත්
@@ -5443,7 +5508,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Patient SMS Alerts වෙතින්
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,පරිවාස
 DocType: Program Enrollment Tool,New Academic Year,නව අධ්යයන වර්ෂය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,ආපසු / ක්රෙඩිට් සටහන
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,ආපසු / ක්රෙඩිට් සටහන
 DocType: Stock Settings,Auto insert Price List rate if missing,වාහන ළ මිල ලැයිස්තුව අනුපාතය අතුරුදහන් නම්
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,මුළු ු ර්
 DocType: GST Settings,B2C Limit,B2C සීමාව
@@ -5463,7 +5528,7 @@
 DocType: Academic Year,Academic Year Name,අධ්යයන වර්ෂය නම
 DocType: Sales Partner,Contact Desc,අප අමතන්න DESC
 DocType: Email Digest,Send regular summary reports via Email.,විද්යුත් හරහා නිතිපතා සාරාංශයක් වාර්තා යවන්න.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},වියදම් හිමිකම් වර්ගය {0} පැහැර ගිණුමක් සකස් කරන්න
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},වියදම් හිමිකම් වර්ගය {0} පැහැර ගිණුමක් සකස් කරන්න
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,පවතින ලීස්
 DocType: Assessment Result,Student Name,ශිෂ්ය නම
 DocType: Hub Tracked Item,Item Manager,අයිතමය කළමනාකරු
@@ -5488,9 +5553,10 @@
 DocType: Subscription,Trial Period End Date,පරීක්ෂණ කාලය අවසන් වන දිනය
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized නොහැකි නිසා {0} සීමාවන් ඉක්මවා
 DocType: Serial No,Asset Status,වත්කම් තත්ත්වය
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Dimensionional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,ආපනශාලා වගුව
 DocType: Hotel Room,Hotel Manager,හෝටල් කළමනාකරු
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,කරත්තයක් සඳහා බදු පාලනය සකසන්න
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,කරත්තයක් සඳහා බදු පාලනය සකසන්න
 DocType: Purchase Invoice,Taxes and Charges Added,බදු හා බදු ගාස්තු එකතු
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,ක්ෂය කිරීම් පේළි {0}: ඉදිරි ක්ෂය කිරීම් දිනය ලබා ගත හැකි දිනය සඳහා භාවිතා කල නොහැක
 ,Sales Funnel,විකුණුම් පොම්ප
@@ -5506,10 +5572,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,සියලු පාරිභෝගික කණ්ඩායම්
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,මාසික සමුච්චිත
 DocType: Attendance Request,On Duty,රාජකාරිය මත
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තා {1} {2} සඳහා නිර්මාණය කර නැත.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තා {1} {2} සඳහා නිර්මාණය කර නැත.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},කාර්ය මණ්ඩලය සැලැස්ම {0} දැනටමත් පවතී {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,බදු සැකිල්ල අනිවාර්ය වේ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,ගිණුම {0}: මාපිය ගිණුමක් {1} නොපවතියි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,ගිණුම {0}: මාපිය ගිණුමක් {1} නොපවතියි
 DocType: POS Closing Voucher,Period Start Date,කාලය ආරම්භක දිනය
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),මිල ලැයිස්තුව අනුපාතිකය (සමාගම ව්යවහාර මුදල්)
 DocType: Products Settings,Products Settings,නිෂ්පාදන සැකසුම්
@@ -5529,7 +5595,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,මෙම ක්රියාවලිය අනාගත බිල්පත් කරනු ඇත. මෙම දායකත්වය අවලංගු කිරීමට අවශ්ය බව ඔබට විශ්වාසද?
 DocType: Serial No,Distinct unit of an Item,කළ භාණ්ඩයක වෙනස් ඒකකය
 DocType: Supplier Scorecard Criteria,Criteria Name,නිර්ණායක නාම
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,සමාගම සකස් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,සමාගම සකස් කරන්න
 DocType: Procedure Prescription,Procedure Created,ක්රියාවලිය නිර්මාණය කරයි
 DocType: Pricing Rule,Buying,මිලදී ගැනීමේ
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,රෝග හා පොහොර
@@ -5546,43 +5612,44 @@
 DocType: Employee Onboarding,Job Offer,රැකියා අවස්ථාව
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,ආයතනය කෙටි යෙදුම්
 ,Item-wise Price List Rate,අයිතමය ප්රඥාවන්ත මිල ලැයිස්තුව අනුපාතිකය
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,සැපයුම්කරු උද්ධෘත
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,සැපයුම්කරු උද්ධෘත
 DocType: Quotation,In Words will be visible once you save the Quotation.,ඔබ උද්ධෘත බේරා වරක් වචන දෘශ්යමාන වනු ඇත.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ප්රමාණය ({0}) පේළියේ {1} තුළ භාගය විය නොහැකි
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},ප්රමාණය ({0}) පේළියේ {1} තුළ භාගය විය නොහැකි
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ප්රමාණය ({0}) පේළියේ {1} තුළ භාගය විය නොහැකි
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},ප්රමාණය ({0}) පේළියේ {1} තුළ භාගය විය නොහැකි
 DocType: Contract,Unsigned,නොබැඳි
 DocType: Selling Settings,Each Transaction,සෑම ගනුදෙනුවක්ම
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} දැනටමත් අයිතමය {1} භාවිතා
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} දැනටමත් අයිතමය {1} භාවිතා
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,නාවික වියදම් එකතු කිරීම සඳහා වන නීති.
 DocType: Hotel Room,Extra Bed Capacity,අමතර ඇඳන් ධාරිතාව
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,වර්ජන්ෂන්
 DocType: Item,Opening Stock,ආරම්භක තොගය
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,පාරිභෝගික අවශ්ය වේ
 DocType: Lab Test,Result Date,ප්රතිඵල දිනය
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC දිනය
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC දිනය
 DocType: Purchase Order,To Receive,ලබා ගැනීමට
 DocType: Leave Period,Holiday List for Optional Leave,විකල්ප නිවාඩු සඳහා නිවාඩු ලැයිස්තුව
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,වත්කම් අයිතිකරු
 DocType: Purchase Invoice,Reason For Putting On Hold,කල් තබාගැනීම සඳහා හේතුව
 DocType: Employee,Personal Email,පුද්ගලික විද්යුත්
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,සමස්ත විචලතාව
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,සමස්ත විචලතාව
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","මෙම පහසුකම සක්රීය කළ විට, පද්ධතිය ස්වයංක්රීයව බඩු තොග සඳහා ගිණුම් සටහන් ඇතුළත් කිරීම් පල කරන්නෙමු."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,තැරැව් ගාස්තු
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,සේවකයා සඳහා සහභාගි {0} දැනටමත් මේ දවස ලෙස ලකුණු කර ඇත
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,සේවකයා සඳහා සහභාගි {0} දැනටමත් මේ දවස ලෙස ලකුණු කර ඇත
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",&#39;කාලය පිළිබඳ ලඝු-සටහන&#39; හරහා යාවත්කාලීන කිරීම ව්යවස්ථා සංග්රහයේ
 DocType: Customer,From Lead,ඊයම් සිට
 DocType: Amazon MWS Settings,Synch Orders,සින්ච් ඇණවුම්
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,නිෂ්පාදනය සඳහා නිකුත් නියෝග.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,රාජ්ය මූල්ය වර්ෂය තෝරන්න ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS සටහන් කිරීමට අවශ්ය POS නරඹන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS සටහන් කිරීමට අවශ්ය POS නරඹන්න
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","එකතු කළ අගය මත පදනම්ව, විකුණුම් ඉන්වොයිසිය මගින් සිදු කරනු ලබන වියදම් වලින් ලෙන්ගතු ලක්ෂ්යයන් ගණනය කරනු ලැබේ."
 DocType: Program Enrollment Tool,Enroll Students,ශිෂ්ය ලියාපදිංචි
 DocType: Company,HRA Settings,HRA සැකසුම්
 DocType: Employee Transfer,Transfer Date,පැවරුම් දිනය
 DocType: Lab Test,Approved Date,අනුමත දිනය
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,සම්මත විකිණීම
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,හිතුව එක තේ ගබඩාවක් අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,හිතුව එක තේ ගබඩාවක් අනිවාර්ය වේ
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, අයිතම සමූහය, විස්තරය සහ වේලාවන් වැනි අයිතමයන් වින්යාස කරන්න."
 DocType: Certification Application,Certification Status,සහතික කිරීමේ තත්වය
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,වෙළඳපල
@@ -5602,6 +5669,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,ගැලපුම් ඉන්වොයිසි
 DocType: Work Order,Required Items,අවශ්ය අයිතම
 DocType: Stock Ledger Entry,Stock Value Difference,කොටස් අගය වෙනස
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,අයිතමය පේළි {0}: {1} {2} ඉහත &#39;{1}&#39; වගුවේ ඉහත සඳහන් නොවේ
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,මානව සම්පත්
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ගෙවීම් ප්රතිසන්ධාන ගෙවීම්
 DocType: Disease,Treatment Task,ප්රතිකාර කාර්යය
@@ -5619,7 +5687,8 @@
 DocType: Account,Debit,ඩෙබිට්
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,කොළ 0.5 ගුණාකාරවලින් වෙන් කල යුතු
 DocType: Work Order,Operation Cost,මෙහෙයුම වියදම
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,විශිෂ්ට ඒඑම්ටී
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,තීරණ ගන්නන් හඳුනා ගැනීම
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,විශිෂ්ට ඒඑම්ටී
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,මෙම වෙළෙඳ පුද්ගලයෙක් සඳහා ඉලක්ක අයිතමය සමූහ ප්රඥාවන්ත Set.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],[දින] වඩා පැරණි කොටස් කැටි
 DocType: Payment Request,Payment Ordered,ගෙවීම්
@@ -5631,14 +5700,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,පහත සඳහන් භාවිතා කරන්නන් අවහිර දින නිවාඩු ඉල්ලුම් අනුමත කිරීමට ඉඩ දෙන්න.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,ජීවන චක්රය
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM කරන්න
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},අයිතමය {0} සඳහා අනුපාතය අලෙවි එහි {1} වඩා අඩු ය. අලෙවි අනුපාතය කටවත් {2} විය යුතු
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},අයිතමය {0} සඳහා අනුපාතය අලෙවි එහි {1} වඩා අඩු ය. අලෙවි අනුපාතය කටවත් {2} විය යුතු
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},අයිතමය {0} සඳහා අනුපාතය අලෙවි එහි {1} වඩා අඩු ය. අලෙවි අනුපාතය කටවත් {2} විය යුතු
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},අයිතමය {0} සඳහා අනුපාතය අලෙවි එහි {1} වඩා අඩු ය. අලෙවි අනුපාතය කටවත් {2} විය යුතු
 DocType: Subscription,Taxes,බදු
 DocType: Purchase Invoice,capital goods,ප්රාග්ධන භාණ්ඩ
 DocType: Purchase Invoice Item,Weight Per Unit,ඒකකය සඳහා බර
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,ගෙවුම් හා නොවේ භාර
-DocType: Project,Default Cost Center,පෙරනිමි පිරිවැය මධ්යස්ථානය
-DocType: Delivery Note,Transporter Doc No,ට්රාන්ස්නර් ඩොක් අංක
+DocType: QuickBooks Migrator,Default Cost Center,පෙරනිමි පිරිවැය මධ්යස්ථානය
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,කොටස් ගනුදෙනු
 DocType: Budget,Budget Accounts,අයවැය ගිණුම්
 DocType: Employee,Internal Work History,අභ්යන්තර රැකියා ඉතිහාසය
@@ -5671,7 +5739,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},සෞඛ්ය ආරක්ෂණ වෘත්තිකයා {0}
 DocType: Stock Entry Detail,Additional Cost,අමතර පිරිවැය
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","වවුචරයක් වර්ගීකරණය නම්, වවුචරයක් නොමැත මත පදනම් පෙරීමට නොහැකි"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,සැපයුම්කරු උද්ධෘත කරන්න
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,සැපයුම්කරු උද්ධෘත කරන්න
 DocType: Quality Inspection,Incoming,ලැබෙන
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,විකිණුම් සහ මිලදී ගැනීම සඳහා පෙරනිමි බදු ආකෘති නිර්මාණය කර ඇත.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,තක්සේරු ප්රතිඵල ප්රතිඵලය {0} දැනටමත් පවතී.
@@ -5687,7 +5755,7 @@
 DocType: Batch,Batch ID,කණ්ඩායම හැඳුනුම්පත
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},සටහන: {0}
 ,Delivery Note Trends,සැපයුම් සටහන ප්රවණතා
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,මෙම සතියේ සාරාංශය
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,මෙම සතියේ සාරාංශය
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,කොටස් යවන ලද තුළ
 ,Daily Work Summary Replies,දෛනික වැඩ සාරාත්මක පිළිතුරු
 DocType: Delivery Trip,Calculate Estimated Arrival Times,ඇස්තමේන්තුගත පැමිණීමේ වේලාවන් ගණනය කරන්න
@@ -5697,7 +5765,7 @@
 DocType: Bank Account,Party,පක්ෂය
 DocType: Healthcare Settings,Patient Name,රෝගියාගේ නම
 DocType: Variant Field,Variant Field,විකල්ප ක්ෂේත්රය
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ඉලක්ක ස්ථානය
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ඉලක්ක ස්ථානය
 DocType: Sales Order,Delivery Date,බෙදාහැරීමේ දිනය
 DocType: Opportunity,Opportunity Date,අවස්ථාව දිනය
 DocType: Employee,Health Insurance Provider,සෞඛ්ය රක්ෂණය සපයන්නා
@@ -5716,7 +5784,7 @@
 DocType: Employee,History In Company,සමාගම දී ඉතිහාසය
 DocType: Customer,Customer Primary Address,පාරිභෝගික ප්රාථමික ලිපිනය
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,පුවත් ලිපි
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,ෙයොමු අංකය
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,ෙයොමු අංකය
 DocType: Drug Prescription,Description/Strength,විස්තරය / ශක්තිය
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,නව ගෙවීම් / ජර්නල් පිවිසුම සාදන්න
 DocType: Certification Application,Certification Application,සහතික කිරීමේ ඉල්ලුම් පත්රය
@@ -5727,10 +5795,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,එම අයිතමය වාර කිහිපයක් ඇතුළු කර ඇත
 DocType: Department,Leave Block List,වාරණ ලැයිස්තුව තබන්න
 DocType: Purchase Invoice,Tax ID,බදු හැඳුනුම්පත
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ තීරුව හිස්ව තිබිය යුතුයි.
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ තීරුව හිස්ව තිබිය යුතුයි.
 DocType: Accounts Settings,Accounts Settings,ගිණුම් සැකසුම්
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,අනුමත
 DocType: Loyalty Program,Customer Territory,පාරිභෝගික ප්රදේශය
+DocType: Email Digest,Sales Orders to Deliver,බෙදාහැරීමේ නියෝග
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","නව ගිණුමේ අංකය, එය පෙරනිමි නම ලෙස ගිණුමේ ඇතුළත් වේ"
 DocType: Maintenance Team Member,Team Member,කණ්ඩායම් සාමාජික
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,ඉදිරිපත් කිරීමට නොහැකි ප්රතිඵල
@@ -5740,7 +5809,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",මුළු {0} සියළුම ශුන්ය වේ ඔබ &#39;මත පදනම් වූ ගාස්තු බෙදා හරින්න&#39; වෙනස් කළ යුතු ය විය හැකිය
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,දින සිට දිනට වඩා අඩු විය නොහැකිය
 DocType: Opportunity,To Discuss,සාකච්චා කිරීමට
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,මෙම අනුසන්කරුට එරෙහිව ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහන බලන්න
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,"{0} මෙම ගනුදෙනුව සම්පූර්ණ කර ගැනීම සඳහා, {2} අවශ්ය {1} ඒකක."
 DocType: Loan Type,Rate of Interest (%) Yearly,පොලී අනුපාතය (%) වාර්ෂික
 DocType: Support Settings,Forum URL,ෆෝරම ලිපිනය
@@ -5755,7 +5823,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,වැඩිදුර ඉගෙන ගන්න
 DocType: Cheque Print Template,Distance from top edge,ඉහළ දාරය සිට දුර
 DocType: POS Closing Voucher Invoices,Quantity of Items,අයිතම ගණන
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,මිල ලැයිස්තුව {0} අක්රීය කර ඇත නැත්නම් ස්ථානීකව නොපවතියි
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,මිල ලැයිස්තුව {0} අක්රීය කර ඇත නැත්නම් ස්ථානීකව නොපවතියි
 DocType: Purchase Invoice,Return,ආපසු
 DocType: Pricing Rule,Disable,අක්රීය
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,ගෙවීම් ක්රමය ගෙවීම් කිරීමට අවශ්ය වේ
@@ -5763,18 +5831,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","වත්කම්, අනුක්රමික අංක, කණ්ඩායම් වැනි තවත් විකල්ප සඳහා සම්පූර්ණ පිටුවක සංස්කරණය කරන්න."
 DocType: Leave Type,Maximum Continuous Days Applicable,උපරිම අඛණ්ඩ දිනයක් අදාළ වේ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} මෙම කණ්ඩායම {2} ලියාපදිංචි වී නොමැති
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","එය දැනටමත් {1} පරිදි වත්කම්, {0} කටුගා දමා ගත නොහැකි"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","එය දැනටමත් {1} පරිදි වත්කම්, {0} කටුගා දමා ගත නොහැකි"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,අවශ්ය චෙක්පත්
 DocType: Task,Total Expense Claim (via Expense Claim),(වියදම් හිමිකම් හරහා) මුළු වියදම් හිමිකම්
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,මාක් නැති කල
 DocType: Job Applicant Source,Job Applicant Source,රැකියා ඉල්ලුම්කරු මූලාශ්රය
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST මුදල
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST මුදල
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,සමාගම පිහිටුවීමට අපොහොසත් විය
 DocType: Asset Repair,Asset Repair,වත්කම් අළුත්වැඩියා කිරීම
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ෙරෝ {0}: සිටිමට # ව්යවහාර මුදල් {1} තෝරාගත් මුදල් {2} සමාන විය යුතුයි
 DocType: Journal Entry Account,Exchange Rate,විනිමය අනුපාතය
 DocType: Patient,Additional information regarding the patient,රෝගියා පිළිබඳව අමතර තොරතුරු
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,විකුණුම් සාමය {0} ඉදිරිපත් කර නැත
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,විකුණුම් සාමය {0} ඉදිරිපත් කර නැත
 DocType: Homepage,Tag Line,ටැග ලයින්
 DocType: Fee Component,Fee Component,ගාස්තු සංරචක
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,රථ වාහන කළමනාකරණය
@@ -5789,7 +5857,7 @@
 DocType: Healthcare Practitioner,Mobile,ජංගම
 ,Sales Person-wise Transaction Summary,විකුණුම් පුද්ගලයා ප්රඥාවෙන් ගනුදෙනු සාරාංශය
 DocType: Training Event,Contact Number,ඇමතුම් අංකය
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,පොත් ගබඩාව {0} නොපවතියි
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,පොත් ගබඩාව {0} නොපවතියි
 DocType: Cashier Closing,Custody,භාරකාරත්වය
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,සේවක බදු නිදහස් කිරීම් ඔප්පු ඉදිරිපත් කිරීමේ විස්තර
 DocType: Monthly Distribution,Monthly Distribution Percentages,මාසික බෙදාහැරීම් ප්රතිශත
@@ -5804,7 +5872,7 @@
 DocType: Payment Entry,Paid Amount,ු ර්
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,විකුණුම් චක්රය
 DocType: Assessment Plan,Supervisor,සුපරීක්ෂක
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,රඳවා ගැනීමේ කොටස් ප්රවේශය
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,රඳවා ගැනීමේ කොටස් ප්රවේශය
 ,Available Stock for Packing Items,ඇසුරුම් අයිතම සඳහා ලබා ගත හැකි කොටස්
 DocType: Item Variant,Item Variant,අයිතමය ප්රභේද්යයක්
 ,Work Order Stock Report,වැඩ පිළිවෙළේ වාර්තාව
@@ -5813,9 +5881,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,අධීක්ෂක ලෙස
 DocType: Leave Policy Detail,Leave Policy Detail,ප්රතිපත්තිමය විස්තරය
 DocType: BOM Scrap Item,BOM Scrap Item,ද්රව්ය ලේඛණය ලාංකික අයිතමය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,ඉදිරිපත් නියෝග ඉවත් කල නොහැක
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ඩෙබිට් දැනටමත් ගිණුම් ශේෂය, ඔබ &#39;ක්රෙඩිට්&#39; ලෙස &#39;ශේෂ විය යුතුයි&#39; නියම කිරීමට අවසර නැත"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,තත්ත්ව කළමනාකරණ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,ඉදිරිපත් නියෝග ඉවත් කල නොහැක
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ඩෙබිට් දැනටමත් ගිණුම් ශේෂය, ඔබ &#39;ක්රෙඩිට්&#39; ලෙස &#39;ශේෂ විය යුතුයි&#39; නියම කිරීමට අවසර නැත"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,තත්ත්ව කළමනාකරණ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,අයිතමය {0} අක්රීය කොට ඇත
 DocType: Project,Total Billable Amount (via Timesheets),මුළු බිල්පත් ප්රමාණය (පත්රිකා මගින්)
 DocType: Agriculture Task,Previous Business Day,පසුගිය ව්යාපාරික දිනය
@@ -5838,15 +5906,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,පිරිවැය මධ්යස්ථාන
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,නැවත ආරම්භ කිරීම
 DocType: Linked Plant Analysis,Linked Plant Analysis,සම්බන්ධිත ශාක විශ්ලේෂණය
-DocType: Delivery Note,Transporter ID,ට්රාන්ස්පෙර්ෂන් හැඳුනුම්පත
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ට්රාන්ස්පෙර්ෂන් හැඳුනුම්පත
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,අගනා යෝජනාව
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,සැපයුම්කරුගේ මුදල් සමාගමේ පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය
-DocType: Sales Invoice Item,Service End Date,සේවා අවසන් දිනය
+DocType: Purchase Invoice Item,Service End Date,සේවා අවසන් දිනය
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ෙරෝ # {0}: පේළියේ සමග ලෙවල් ගැටුම් {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,"Zero, තක්සේරු අනුපාත ඉඩ"
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,"Zero, තක්සේරු අනුපාත ඉඩ"
 DocType: Bank Guarantee,Receiving,ලැබීම
 DocType: Training Event Employee,Invited,ආරාධනා
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup ගේට්වේ කියයි.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup ගේට්වේ කියයි.
 DocType: Employee,Employment Type,රැකියා වර්ගය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,ස්ථාවර වත්කම්
 DocType: Payment Entry,Set Exchange Gain / Loss,විනිමය ලාභ / අඞු කිරීමට සකසන්න
@@ -5862,7 +5931,7 @@
 DocType: Tax Rule,Sales Tax Template,විකුණුම් බදු සැකිල්ල
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,ප්රතිලාභ හිමිකම් ගෙවීම
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,වියදම මධ්යස්ථාන අංකය යාවත්කාලීන කරන්න
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න
 DocType: Employee,Encashment Date,හැකි ඥාතීන් නොවන දිනය
 DocType: Training Event,Internet,අන්තර්ජාල
 DocType: Special Test Template,Special Test Template,විශේෂ ටෙස්ට් ආකෘතිය
@@ -5870,13 +5939,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},{0} - පෙරනිමි ලද වියදම ක්රියාකාරකම් වර්ගය සඳහා පවතී
 DocType: Work Order,Planned Operating Cost,සැලසුම් මෙහෙයුම් පිරිවැය
 DocType: Academic Term,Term Start Date,කාලීන ඇරඹුම් දිනය
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,සියලුම කොටස් ගනුදෙනු ලැයිස්තුව
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,සියලුම කොටස් ගනුදෙනු ලැයිස්තුව
+DocType: Supplier,Is Transporter,ප්රවාහකයෙකි
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"ගෙවීම් සලකුණු කර ඇත්නම්, වෙළඳසල් ඉන්වොයිසිය ආනයනය කිරීම"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,විපක්ෂ ගණන්
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,විපක්ෂ ගණන්
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Trial Period ආරම්භක දිනය සහ පරීක්ෂණ කාලය අවසන් දිනය නියම කළ යුතුය
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,සාමාන්ය අනුපාතය
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ගෙවීම් කිරීමේ උපලේඛනයේ මුළු මුදල / ග්රෑන්ඩ් / වටලා ඇති මුළු එකතුව සමාන විය යුතුය
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ගෙවීම් කිරීමේ උපලේඛනයේ මුළු මුදල / ග්රෑන්ඩ් / වටලා ඇති මුළු එකතුව සමාන විය යුතුය
 DocType: Subscription Plan Detail,Plan,සැලැස්ම
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,පොදු ලෙජරය අනුව බැංකු ප්රකාශය ඉතිරි
 DocType: Job Applicant,Applicant Name,අයදුම්කරු නම
@@ -5904,7 +5974,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,මූලාශ්රය ගබඩා ලබා ගත හැක යවන ලද
 apps/erpnext/erpnext/config/support.py +22,Warranty,වගකීම්
 DocType: Purchase Invoice,Debit Note Issued,ඩෙබිට් සටහන නිකුත් කර ඇත්තේ
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,පිරිවැය මධස්ථානය පදනම් කරගත් පෙරහන පමණක් අදාළ වන අතර අයවැය මත පදනම්ව පිරිවැය මධ්යස්ථානය ලෙස තෝරා ගැනේ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,පිරිවැය මධස්ථානය පදනම් කරගත් පෙරහන පමණක් අදාළ වන අතර අයවැය මත පදනම්ව පිරිවැය මධ්යස්ථානය ලෙස තෝරා ගැනේ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","අයිතම කේතය, අනුක්රමික අංකය, කාණ්ඩය හෝ තීරු කේතය මගින් සෙවීම"
 DocType: Work Order,Warehouses,බඞු ගබඞාව
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} වත්කම් මාරු කල නොහැක
@@ -5915,9 +5985,9 @@
 DocType: Workstation,per hour,පැයකට
 DocType: Blanket Order,Purchasing,මිලදී ගැනීම
 DocType: Announcement,Announcement,නිවේදනය
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,ගණුදෙනුකරු LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,ගණුදෙනුකරු LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","පදනම් ශිෂ්ය සමූහ කණ්ඩායම සඳහා, ශිෂ්ය කණ්ඩායම වැඩසටහන ඇතුළත් සෑම ශිෂ්ය සඳහා වලංගු වනු ඇත."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,කොටස් ලෙජර් ප්රවේශය මෙම ගබඩා සංකීර්ණය සඳහා පවතින අයුරිනි ගබඩා සංකීර්ණය ඉවත් කල නොහැක.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,කොටස් ලෙජර් ප්රවේශය මෙම ගබඩා සංකීර්ණය සඳහා පවතින අයුරිනි ගබඩා සංකීර්ණය ඉවත් කල නොහැක.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,බෙදා හැරීම
 DocType: Journal Entry Account,Loan,ණය
 DocType: Expense Claim Advance,Expense Claim Advance,වියදම් හිමිකම් අත්තිකාරම්
@@ -5926,7 +5996,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,ව්යාපෘති කළමනාකරු
 ,Quoted Item Comparison,උපුටා අයිතමය සංසන්දනය
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} සහ {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,සරයක
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,සරයක
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,අයිතමය සඳහා අවසර මැක්ස් වට්ටමක්: {0} වේ {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,ලෙස මත ශුද්ධ වත්කම්වල වටිනාකම
 DocType: Crop,Produce,නිපැයුම
@@ -5936,20 +6006,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,නිෂ්පාදනය සඳහා ද්රව්යමය පරිභෝජනය
 DocType: Item Alternative,Alternative Item Code,විකල්ප අයිතම සංග්රහය
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,සකස් ණය සීමා ඉක්මවා යන ගනුදෙනු ඉදිරිපත් කිරීමට අවසර තිබේ එම භූමිකාව.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න
 DocType: Delivery Stop,Delivery Stop,බෙදාහැරීමේ නැවතුම්
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි"
 DocType: Item,Material Issue,ද්රව්ය නිකුත්
 DocType: Employee Education,Qualification,සුදුසුකම්
 DocType: Item Price,Item Price,අයිතමය මිල
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,සබන් සහ ඩිටර්ජන්ට්
 DocType: BOM,Show Items,අයිතම පෙන්වන්න
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,වරින් වර ට වඩා වැඩි විය නොහැක.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,ඊ-මේල් මගින් පාරිභෝගිකයින්ට දැනුම් දීමට ඔබට අවශ්යද?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,ඊ-මේල් මගින් පාරිභෝගිකයින්ට දැනුම් දීමට ඔබට අවශ්යද?
 DocType: Subscription Plan,Billing Interval,බිල්ගත කිරීමේ කාලය
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,චලන පින්තූර සහ වීඩියෝ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,නියෝග
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,සැබෑ ආරම්භක දිනය හා සැබෑ අවසන් දිනය අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ගණුදෙනුකරු&gt; පාරිභෝගික කණ්ඩායම්&gt; ප්රදේශය
 DocType: Salary Detail,Component,සංරචකය
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,පේළිය {0}: {1} 0 ට වඩා වැඩි විය යුතුය
 DocType: Assessment Criteria,Assessment Criteria Group,තක්සේරු නිර්ණායක සමූහ
@@ -5980,11 +6051,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,ඉදිරිපත් කිරීමට පෙර බැංකුව හෝ ණය දෙන ආයතනයෙහි නම ඇතුළත් කරන්න.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} ඉදිරිපත් කළ යුතුය
 DocType: POS Profile,Item Groups,අයිතමය කණ්ඩායම්
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,අද {0} &#39;උපන් දිනය වේ!
 DocType: Sales Order Item,For Production,නිෂ්පාදන සඳහා
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,ගිණුමේ මුදල් ශේෂය
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,කරුණාකර ගිණුම් සටහනේ කරුණාකර තාවකාලික විවෘත කිරීමේ ගිණුමක් එක් කරන්න
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,කරුණාකර ගිණුම් සටහනේ කරුණාකර තාවකාලික විවෘත කිරීමේ ගිණුමක් එක් කරන්න
 DocType: Customer,Customer Primary Contact,පාරිභෝගික ප්රාථමික ඇමතුම්
 DocType: Project Task,View Task,දැක්ම කාර්ය සාධක
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,විපක්ෂ / ඊයම්%
@@ -5998,11 +6068,11 @@
 DocType: Sales Invoice,Get Advances Received,අත්තිකාරම් ලද කරන්න
 DocType: Email Digest,Add/Remove Recipients,එකතු කරන්න / ලබන්නන් ඉවත් කරන්න
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","මෙම මුදල් වර්ෂය පෙරනිමි ලෙස සැකසීම සඳහා, &#39;&#39; පෙරනිමි ලෙස සකසන්න &#39;මත ක්ලික් කරන්න"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS අඩු කළ ප්රමාණය
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS අඩු කළ ප්රමාණය
 DocType: Production Plan,Include Subcontracted Items,උප කොන්ත්රාත් භාණ්ඩ ඇතුළත් කරන්න
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,එක්වන්න
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,හිඟය යවන ලද
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,එක්වන්න
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,හිඟය යවන ලද
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී
 DocType: Loan,Repay from Salary,වැටුප් සිට ආපසු ගෙවීම
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},මුදල සඳහා {0} {1} එරෙහිව ගෙවීම් ඉල්ලා {2}
 DocType: Additional Salary,Salary Slip,වැටුප් ස්ලිප්
@@ -6018,7 +6088,7 @@
 DocType: Patient,Dormant,උදාසීනව
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,නොකෙරුණු සේවක ප්රතිලාභ සඳහා බදු බද්ද
 DocType: Salary Slip,Total Interest Amount,මුළු පොළී ප්රමාණය
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ බඞු ගබඞාව ලෙජර් බවට පරිවර්තනය කළ නොහැකි
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ බඞු ගබඞාව ලෙජර් බවට පරිවර්තනය කළ නොහැකි
 DocType: BOM,Manage cost of operations,මෙහෙයුම් පිරිවැය කළමනාකරණය
 DocType: Accounts Settings,Stale Days,ස්ටේට් ඩේව්
 DocType: Travel Itinerary,Arrival Datetime,පැමිණීම් දත්ත සටහන්
@@ -6030,7 +6100,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,තක්සේරු ප්රතිඵල විස්තර
 DocType: Employee Education,Employee Education,සේවක අධ්යාපන
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,අයිතමය පිරිසක් වගුව සොයා ගෙන අනුපිටපත් අයිතමය පිරිසක්
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,එය අයිතමය විස්තර බැරිතැන අවශ්ය වේ.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,එය අයිතමය විස්තර බැරිතැන අවශ්ය වේ.
 DocType: Fertilizer,Fertilizer Name,පොහොර වර්ගය
 DocType: Salary Slip,Net Pay,ශුද්ධ වැටුප්
 DocType: Cash Flow Mapping Accounts,Account,ගිණුම
@@ -6041,14 +6111,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,ප්රතිලාභ හිමිකම්වලට එරෙහිව වෙනම ගෙවීමක් ඇතුළත් කරන්න
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),උණ (තාප&gt; 38.5 ° C / 101.3 ° F හෝ අඛණ්ඩ තාපය&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,විකුණුම් කණ්ඩායම විස්තර
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,ස්ථිර මකන්නද?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,ස්ථිර මකන්නද?
 DocType: Expense Claim,Total Claimed Amount,මුළු හිමිකම් කියන අය මුදල
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,විකිණීම සඳහා ලබාදිය හැකි අවස්ථා.
 DocType: Shareholder,Folio no.,ෙෆෝෙටෝ අංක
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},වලංගු නොවන {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,ලෙඩ නිවාඩු
 DocType: Email Digest,Email Digest,විද්යුත් Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,නැහැ
 DocType: Delivery Note,Billing Address Name,බිල්පත් ලිපිනය නම
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,වෙළෙඳ දෙපාර්තමේන්තු අටකින්
 ,Item Delivery Date,අයිතම සැපයුම් දිනය
@@ -6064,16 +6133,16 @@
 DocType: Account,Chargeable,"අයකරනු ලබන ගාස්තු,"
 DocType: Company,Change Abbreviation,කෙටි යෙදුම් වෙනස්
 DocType: Contract,Fulfilment Details,ඉටු කිරීම
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1}
 DocType: Employee Onboarding,Activities,කටයුතු
 DocType: Expense Claim Detail,Expense Date,වියදම් දිනය
 DocType: Item,No of Months,මාස ගණන
 DocType: Item,Max Discount (%),මැක්ස් වට්ටම් (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,ණය දින ඍණ සංඛ්යාවක් විය නොහැක
-DocType: Sales Invoice Item,Service Stop Date,සේවාව නතර කරන දිනය
+DocType: Purchase Invoice Item,Service Stop Date,සේවාව නතර කරන දිනය
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,පසුගිය සාමය මුදල
 DocType: Cash Flow Mapper,e.g Adjustments for:,නිද.
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} සාම්පලය රඳවා තබනු ලබන්නේ කාණ්ඩය මතය. කරුණාකර අයිතමයේ නියැදියක් රඳවා ගැනීමට නැත නැත
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} සාම්පලය රඳවා තබනු ලබන්නේ කාණ්ඩය මතය. කරුණාකර අයිතමයේ නියැදියක් රඳවා ගැනීමට නැත නැත
 DocType: Task,Is Milestone,සංධිස්ථානයක් වන
 DocType: Certification Application,Yet to appear,පෙනෙන්නට නැත
 DocType: Delivery Stop,Email Sent To,ඊ-තැපැල් වෙත යවන
@@ -6081,16 +6150,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ශේෂ පත්රය සඳහා ශේෂ පත්රය ලබා දීම
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,පවත්නා ගිණුම සමඟ ඒකාබද්ධ කරන්න
 DocType: Budget,Warn,බිය ගන්වා අනතුරු අඟවනු
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,මෙම වැඩ පිළිවෙල සඳහා සියලුම අයිතම මේ වන විටත් මාරු කර ඇත.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,මෙම වැඩ පිළිවෙල සඳහා සියලුම අයිතම මේ වන විටත් මාරු කර ඇත.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","වෙනත් ඕනෑම ප්රකාශ, වාර්තාවන් යා යුතු බව විශේෂයෙන් සඳහන් කළ යුතු උත්සාහයක්."
 DocType: Asset Maintenance,Manufacturing User,නිෂ්පාදන පරිශීලක
 DocType: Purchase Invoice,Raw Materials Supplied,"සපයා, අමු ද්රව්ය"
 DocType: Subscription Plan,Payment Plan,ගෙවීම් සැලැස්ම
 DocType: Shopping Cart Settings,Enable purchase of items via the website,වෙබ් අඩවිය හරහා භාණ්ඩ මිලදී ගැනීම සක්රිය කරන්න
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},මිල ලැයිස්තුවේ මුදල් {0} විය යුතුය {1} හෝ {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,දායකත්ව කළමනාකරණය
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,දායකත්ව කළමනාකරණය
 DocType: Appraisal,Appraisal Template,ඇගයීෙම් සැකිල්ල
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,පින් කේතය
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,පින් කේතය
 DocType: Soil Texture,Ternary Plot,ටර්නරි ප්ලොට්
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Scheduler හරහා නියමිත දින ෛදනික සමමුහුර්ත කිරීමේ ක්රියාවලිය සක්රීය කිරීමට මෙය පරික්ෂා කරන්න
 DocType: Item Group,Item Classification,අයිතමය වර්ගීකරණය
@@ -6100,6 +6169,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ඉන්වොයිස් රෝගියා ලියාපදිංචිය
 DocType: Crop,Period,කාලය
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,පොදු ලෙජරය
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,මූල්ය වර්ෂය සඳහා
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,ආදර්ශ දැක්ම
 DocType: Program Enrollment Tool,New Program,නව වැඩසටහන
 DocType: Item Attribute Value,Attribute Value,ගති ලක්ෂණය අගය
@@ -6108,11 +6178,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise සීරුමාරු කිරීමේ පෙළ නිර්දේශිත
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,ශ්රේණියේ {1} ශ්රේණියේ සේවක {1} වල පෙරනිමි නිවාඩු ප්රතිපත්තිය නොමැත
 DocType: Salary Detail,Salary Detail,වැටුප් විස්තර
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,කරුණාකර පළමු {0} තෝරා
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,කරුණාකර පළමු {0} තෝරා
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} පරිශීලකයන් එකතු කරන ලදි
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","බහු ස්ථරයේ වැඩසටහනක දී, පාරිභෝගිකයින් විසින් වැය කරනු ලබන පරිදි පාරිභෝගිකයින්ට අදාල ස්ථානයට ස්වයංක්රීයව පවරනු ලැබේ"
 DocType: Appointment Type,Physician,වෛද්යවරයෙක්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,කණ්ඩායම {0} අයිතමය ක {1} කල් ඉකුත් වී ඇත.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,කණ්ඩායම {0} අයිතමය ක {1} කල් ඉකුත් වී ඇත.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,උපදේශන
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,හොඳයි
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","අයිතමය මිල, දින දර්ශනය, සැපයුම්කරු / ගණුදෙනුකරු, ව්යවහාර මුදල්, අයිතමය, UOM, Qty සහ Dates මත පදනම්ව මිල ගණන් දර්ශණය වේ."
@@ -6121,22 +6191,21 @@
 DocType: Certification Application,Name of Applicant,අයදුම් කරන්නාගේ නම
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,නිෂ්පාදන සඳහා කාලය පත්රය.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,උප ශීර්ෂයට
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,කොටස් ගනුදෙනු පසු ප්රභව ගුණාංග වෙනස් කළ නොහැක. මෙය කිරීමට නව අයිතමයක් ඔබට අවශ්ය වනු ඇත.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,කොටස් ගනුදෙනු පසු ප්රභව ගුණාංග වෙනස් කළ නොහැක. මෙය කිරීමට නව අයිතමයක් ඔබට අවශ්ය වනු ඇත.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoAardless SEPA මැන්ඩේට්
 DocType: Healthcare Practitioner,Charges,ගාස්තු
 DocType: Production Plan,Get Items For Work Order,වැඩ පිළිවෙළ සඳහා අයිතම ලබා ගන්න
 DocType: Salary Detail,Default Amount,පෙරනිමි මුදල
 DocType: Lab Test Template,Descriptive,විස්තරාත්මක
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,පද්ධතිය තුළ ගබඩා සංකීර්ණය සොයාගත නොහැකි
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,මෙම මාසික ගේ සාරාංශය
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,මෙම මාසික ගේ සාරාංශය
 DocType: Quality Inspection Reading,Quality Inspection Reading,තත්ත්ව පරීක්ෂක වර කියවීම
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,&#39;&#39; කණ්ඩරාව කොටස් පැරණි Than` දින% d ට වඩා කුඩා විය යුතුය.
 DocType: Tax Rule,Purchase Tax Template,මිලදී ගැනීම බදු සැකිල්ල
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,ඔබේ සමාගම සඳහා ඔබ අපේක්ෂා කරන විකුණුම් ඉලක්කයක් සකසන්න.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,සෞඛ්ය සේවා
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,සෞඛ්ය සේවා
 ,Project wise Stock Tracking,ව්යාපෘති ප්රඥාවන්ත කොටස් ට්රැකින්
 DocType: GST HSN Code,Regional,කලාපීය
-DocType: Delivery Note,Transport Mode,ප්රවාහන රටාව
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,විද්යාගාරය
 DocType: UOM Category,UOM Category,UOM වර්ගය
 DocType: Clinical Procedure Item,Actual Qty (at source/target),සැබෑ යවන ලද (මූල / ඉලක්ක දී)
@@ -6159,17 +6228,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,වෙබ් අඩවියක් නිර්මාණය කිරීම අසාර්ථක විය
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM පරිවර්තනය විස්තර
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,දැනටමත් නිර්මාණය කර ඇති රඳවා තබා ගැනීමේ කොටස් ලේඛනය හෝ සාම්පල ප්රමාණය ලබා දී නොමැත
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,දැනටමත් නිර්මාණය කර ඇති රඳවා තබා ගැනීමේ කොටස් ලේඛනය හෝ සාම්පල ප්රමාණය ලබා දී නොමැත
 DocType: Program,Program Abbreviation,වැඩසටහන කෙටි යෙදුම්
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,නිෂ්පාදන සාමය සඳහා අයිතමය සැකිල්ල එරෙහිව මතු කළ හැකි නොවේ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ගාස්තු එක් එක් අයිතමය එරෙහිව මිලදී ගැනීම රිසිට්පත යාවත්කාලීන වේ
 DocType: Warranty Claim,Resolved By,විසින් විසඳා
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,උපලේඛන
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,වැරදි ලෙස එළි පෙහෙළි චෙක්පත් සහ තැන්පතු
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,ගිණුම {0}: ඔබ මව් ගිණුම ලෙස ම යෙදිය නොහැක
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,ගිණුම {0}: ඔබ මව් ගිණුම ලෙස ම යෙදිය නොහැක
 DocType: Purchase Invoice Item,Price List Rate,මිල ලැයිස්තුව අනුපාතිකය
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,පාරිභෝගික මිල කැඳවීම් නිර්මාණය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,සේවා නැවතුම් දිනය සේවා අවසන් දිනයෙන් පසුව විය නොහැක
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,සේවා නැවතුම් දිනය සේවා අවසන් දිනයෙන් පසුව විය නොහැක
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",මෙම ගබඩා සංකීර්ණය ලබා ගත කොටස් මත පදනම් පෙන්වන්න &quot;කොටස් වෙළඳ&quot; හෝ &quot;දී කොටස් නොවේ.&quot;
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ද්රව්ය පනත් කෙටුම්පත (ලේඛණය)
 DocType: Item,Average time taken by the supplier to deliver,ඉදිරිපත් කිරීමට සැපයුම්කරු විසින් ගන්නා සාමාන්ය කාලය
@@ -6181,11 +6250,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,පැය
 DocType: Project,Expected Start Date,අපේක්ෂිත ඇරඹුම් දිනය
 DocType: Purchase Invoice,04-Correction in Invoice,ඉන්වොයිස් 04-නිවැරදි කිරීම
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,BOM මගින් සියලු අයිතම සඳහා නිර්මාණය කරන ලද වැඩ පිළිවෙල
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,BOM මගින් සියලු අයිතම සඳහා නිර්මාණය කරන ලද වැඩ පිළිවෙල
 DocType: Payment Request,Party Details,පක්ෂය විස්තර
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,ප්රභූ විස්තර වාර්තාව
 DocType: Setup Progress Action,Setup Progress Action,ප්රගති ක්රියාමාර්ග සැකසීම
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,මිලට ගැනීමේ මිල ලැයිස්තුව
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,මිලට ගැනීමේ මිල ලැයිස්තුව
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,චෝදනා අයිතමය අදාළ නොවේ නම් අයිතමය ඉවත් කරන්න
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,දායකත්වය අවලංගු කිරීම
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,සම්පූර්ණ කරන ලද හෝ නඩත්තු තත්ත්වය අවසන් කිරීම හෝ අවසන් කිරීම ඉවත් කරන්න
@@ -6203,7 +6272,7 @@
 DocType: Asset,Disposal Date,බැහැර කිරීමේ දිනය
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","විද්යුත් තැපැල් පණිවුඩ ඔවුන් නිවාඩු නැති නම්, ලබා දී ඇති පැයක දී සමාගමේ සියළු ක්රියාකාරී සේවක වෙත යවනු ලැබේ. ප්රතිචාර සාරාංශය මධ්යම රාත්රියේ යවනු ඇත."
 DocType: Employee Leave Approver,Employee Leave Approver,සේවක නිවාඩු Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},ෙරෝ {0}: ඇන් සීරුමාරු කිරීමේ ප්රවේශය දැනටමත් මෙම ගබඩා සංකීර්ණය {1} සඳහා පවතී
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},ෙරෝ {0}: ඇන් සීරුමාරු කිරීමේ ප්රවේශය දැනටමත් මෙම ගබඩා සංකීර්ණය {1} සඳහා පවතී
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","උද්ධෘත කර ඇති නිසා, අහිමි ලෙස ප්රකාශයට පත් කළ නොහැක."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP ගිණුම
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,පුහුණු ඔබෙන් ලැබෙන ප්රයෝජනාත්මක ප්රතිචාරය
@@ -6215,7 +6284,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,මේ දක්වා දින සිට පෙර විය නොහැකි
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,පාද පාදකය
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ එක් කරන්න සංස්කරණය කරන්න මිල ගණන්
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ එක් කරන්න සංස්කරණය කරන්න මිල ගණන්
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,උසස්වීම් දිනට පෙර සේවක ප්රවර්ධන කළ නොහැක
 DocType: Batch,Parent Batch,මව් කණ්ඩායම
 DocType: Batch,Parent Batch,මව් කණ්ඩායම
@@ -6226,6 +6295,7 @@
 DocType: Clinical Procedure Template,Sample Collection,සාම්පල එකතුව
 ,Requested Items To Be Ordered,ඉල්ලන අයිතම ඇණවුම් කළ යුතු
 DocType: Price List,Price List Name,මිල ලැයිස්තුව නම
+DocType: Delivery Stop,Dispatch Information,අපනයන තොරතුරු
 DocType: Blanket Order,Manufacturing,නිෂ්පාදනය
 ,Ordered Items To Be Delivered,නියෝග අයිතම බාර දීමට
 DocType: Account,Income,ආදායම්
@@ -6244,17 +6314,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {3} {4} {5} මෙම ගනුදෙනුව සම්පූර්ණ කිරීමට සඳහා මත {2} අවශ්ය {1} ඒකක.
 DocType: Fee Schedule,Student Category,ශිෂ්ය ප්රවර්ගය
 DocType: Announcement,Student,ශිෂ්ය
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ක්රියාපටිපාටිය ආරම්භ කිරීමේ ක්රියා පටිපාටිය ගබඩාවේ නොමැත. ඔබට කොටස් හුවමාරුව වාර්තා කිරීමට අවශ්යද?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ක්රියාපටිපාටිය ආරම්භ කිරීමේ ක්රියා පටිපාටිය ගබඩාවේ නොමැත. ඔබට කොටස් හුවමාරුව වාර්තා කිරීමට අවශ්යද?
 DocType: Shipping Rule,Shipping Rule Type,නැව් පාලක වර්ගය
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,කාමරවලට යන්න
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","සමාගම, ගෙවීම් ගිණුම, දිනය හා දිනය දක්වා අවශ්ය වේ"
 DocType: Company,Budget Detail,අයවැය විස්තර
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,යැවීමට පෙර පණිවිඩය ඇතුලත් කරන්න
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,සැපයුම්කරු සඳහා අනුපිටපත්
-DocType: Email Digest,Pending Quotations,විභාග මිල ගණන්
-DocType: Delivery Note,Distance (KM),දුර (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,සැපයුම්කරු&gt; සැපයුම් කණ්ඩායම
 DocType: Asset,Custodian,භාරකරු
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,පේදුරු-of-Sale විකිණීමට නරඹන්න
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,පේදුරු-of-Sale විකිණීමට නරඹන්න
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 සිට 100 අතර අගයක් විය යුතුය
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{0} සිට {1} දක්වා {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,අනාරක්ෂිත ණය
@@ -6286,10 +6355,10 @@
 DocType: Lead,Converted,පරිවර්තනය කරන
 DocType: Item,Has Serial No,අනු අංකය ඇත
 DocType: Employee,Date of Issue,නිකුත් කරන දිනය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීම Reciept අවශ්ය == &#39;ඔව්&#39; නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීම රිසිට්පත නිර්මාණය කිරීමට අවශ්ය නම්"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීම Reciept අවශ්ය == &#39;ඔව්&#39; නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීම රිසිට්පත නිර්මාණය කිරීමට අවශ්ය නම්"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},ෙරෝ # {0}: අයිතමය සඳහා සැපයුම්කරු සකසන්න {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,ෙරෝ {0}: පැය අගය බිංදුවට වඩා වැඩි විය යුතුය.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,වෙබ් අඩවිය රූප {0} අයිතමය අනුයුක්ත {1} සොයාගත නොහැකි
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,වෙබ් අඩවිය රූප {0} අයිතමය අනුයුක්ත {1} සොයාගත නොහැකි
 DocType: Issue,Content Type,අන්තර්ගතයේ වර්ගය
 DocType: Asset,Assets,වත්කම්
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,පරිගණක
@@ -6300,7 +6369,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} නොපවතියි
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,වෙනත් ව්යවහාර මුදල් ගිණුම් ඉඩ බහු ව්යවහාර මුදල් විකල්පය කරුණාකර පරීක්ෂා කරන්න
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,අයිතමය: {0} පද්ධතිය තුළ නොපවතියි
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,ඔබ ශීත කළ අගය නියම කිරීමට අවසර නැත
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,ඔබ ශීත කළ අගය නියම කිරීමට අවසර නැත
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled අයැදුම්පත් ලබා ගන්න
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},සේවකයා {0} මත {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Journal Entry සඳහා තෝරාගත් ආපසු ගෙවීම් නොමැත
@@ -6318,13 +6387,14 @@
 ,Average Commission Rate,සාමාන්ය කොමිසම අනුපාතිකය
 DocType: Share Balance,No of Shares,කොටස් ගණන
 DocType: Taxable Salary Slab,To Amount,මුදල
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;තිබෙනවාද අනු අංකය&#39; නොවන කොටස් අයිතමය සඳහා &#39;ඔව්&#39; විය නොහැකිය
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;තිබෙනවාද අනු අංකය&#39; නොවන කොටස් අයිතමය සඳහා &#39;ඔව්&#39; විය නොහැකිය
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,තත්ත්වය තෝරන්න
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,පැමිණීම අනාගත දිනයන් සඳහා සලකුණු කල නොහැක
 DocType: Support Search Source,Post Description Key,තැපැල් විස්තරය යතුර
 DocType: Pricing Rule,Pricing Rule Help,මිල ගණන් පාලනය උදවු
 DocType: School House,House Name,හවුස් නම
 DocType: Fee Schedule,Total Amount per Student,එක් ශිෂ්යයෙකු සඳහා මුළු මුදල
+DocType: Opportunity,Sales Stage,විකුණුම් අදියර
 DocType: Purchase Taxes and Charges,Account Head,ගිණුම් අංශයේ ප්රධානී
 DocType: Company,HRA Component,HRA සංරචක
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,විදුලි
@@ -6332,15 +6402,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),(- දී අතරින්) මුළු අගය වෙනස
 DocType: Grant Application,Requested Amount,ඉල්ලූ මුදල
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,ෙරෝ {0}: විනිමය අනුපාතය අනිවාර්ය වේ
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},සේවක {0} සඳහා පරිශීලක අනන්යාංකය පිහිටුවා නැත
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},සේවක {0} සඳහා පරිශීලක අනන්යාංකය පිහිටුවා නැත
 DocType: Vehicle,Vehicle Value,වාහන අගය
 DocType: Crop Cycle,Detected Diseases,හඳුනාගත් රෝග
 DocType: Stock Entry,Default Source Warehouse,පෙරනිමි ප්රභවය ගබඩාව
 DocType: Item,Customer Code,පාරිභෝගික සංග්රහයේ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},{0} සඳහා උපන් දිනය මතක්
 DocType: Asset Maintenance Task,Last Completion Date,අවසන් අවසන් දිනය
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,පසුගිය සාමය නිසා දින
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,ගිණුමක් සඳහා ඩෙබිට් වූ ශේෂ පත්රය ගිණුමක් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,ගිණුමක් සඳහා ඩෙබිට් වූ ශේෂ පත්රය ගිණුමක් විය යුතුය
 DocType: Asset,Naming Series,ශ්රේණි අනුප්රාප්තිකයා නම් කිරීම
 DocType: Vital Signs,Coated,ආෙල්පිත
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,පේළිය {0}: අපේක්ෂිත වටිනාකමින් පසු ප්රයෝජනවත් ආයු කාලය පසු දළ වශයෙන් මිලදී ගැනීමේ ප්රමාණයට වඩා අඩු විය යුතුය
@@ -6358,15 +6427,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,සැපයුම් සටහන {0} ඉදිරිපත් නොකළ යුතුය
 DocType: Notification Control,Sales Invoice Message,විකුණුම් ඉන්වොයිසිය පණිවුඩය
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,ගිණුම {0} වසා වර්ගය වගකීම් / කොටස් ගනුදෙනු විය යුතුය
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},සේවක වැටුප් පුරවා {0} දැනටමත් කාල පත්රය {1} සඳහා නිර්මාණය
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},සේවක වැටුප් පුරවා {0} දැනටමත් කාල පත්රය {1} සඳහා නිර්මාණය
 DocType: Vehicle Log,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,නියෝග යවන ලද
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,අයිතමය {0} අක්රීය කර ඇත
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,අයිතමය {0} අක්රීය කර ඇත
 DocType: Stock Settings,Stock Frozen Upto,කොටස් ශීත කළ තුරුත්
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,ද්රව්ය ලේඛණය ඕනෑම කොටස් අයිතමය අඩංගු නොවේ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,ද්රව්ය ලේඛණය ඕනෑම කොටස් අයිතමය අඩංගු නොවේ
 DocType: Chapter,Chapter Head,පරිච්ඡේදය
 DocType: Payment Term,Month(s) after the end of the invoice month,ඉන්වොයිස් මාසය අවසන් වීමෙන් පසු මාස
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,වැටුප් ව්යුහය සඳහා ප්රතිලාභ මුදල් ලබා දීම සඳහා නම්යශීලී ප්රතිලාභ (Components) විය යුතුය
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,වැටුප් ව්යුහය සඳහා ප්රතිලාභ මුදල් ලබා දීම සඳහා නම්යශීලී ප්රතිලාභ (Components) විය යුතුය
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,ව්යාපෘති ක්රියාකාරකම් / කටයුත්තක්.
 DocType: Vital Signs,Very Coated,ඉතා ආලේපිතයි
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),බදු බලපෑම් පමණක් (හිමිකම් නොකෙරිය හැකි නමුත් ආදායම් බදු වලින් කොටසක්)
@@ -6384,7 +6453,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,බිල්පත් පැය
 DocType: Project,Total Sales Amount (via Sales Order),මුළු විකුණුම් මුදල (විකුණුම් නියෝගය හරහා)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} සොයාගත නොහැකි සඳහා පෙරනිමි ද්රව්ය ලේඛණය
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,ෙරෝ # {0}: කරුණාකර සකස් මොහොත ප්රමාණය
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,ෙරෝ # {0}: කරුණාකර සකස් මොහොත ප්රමාණය
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,භාණ්ඩ ඒවා මෙහි එකතු කරන්න තට්ටු කරන්න
 DocType: Fees,Program Enrollment,වැඩසටහන ඇතුළත්
 DocType: Share Transfer,To Folio No,ලිපිගොනු අංක
@@ -6426,9 +6495,9 @@
 DocType: SG Creation Tool Course,Max Strength,මැක්ස් ශක්තිය
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,පෙරසැකසුම් ස්ථාපනය කිරීම
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ගනුදෙනුකරු සඳහා තෝරා ගන්නා ලද සටහන {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ගනුදෙනුකරු සඳහා තෝරා ගන්නා ලද සටහන {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,සේවක {0} උපරිම ප්රතිලාභයක් නොමැත
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Delivery Date මත පදනම් අයිතම තෝරන්න
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Delivery Date මත පදනම් අයිතම තෝරන්න
 DocType: Grant Application,Has any past Grant Record,කිසිදු අතීත ප්රදාන වාර්තාවක් තිබේ
 ,Sales Analytics,විකුණුම් විශ්ලේෂණ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ලබා ගත හැකි {0}
@@ -6437,12 +6506,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,නිෂ්පාදන සැකසුම්
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,විද්යුත් සකස් කිරීම
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 ජංගම නොමැත
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,සමාගම මාස්ටර් පෙරනිමි මුදල් ඇතුලත් කරන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,සමාගම මාස්ටර් පෙරනිමි මුදල් ඇතුලත් කරන්න
 DocType: Stock Entry Detail,Stock Entry Detail,කොටස් Entry විස්තර
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,ඩේලි සිහිගැන්වීම්
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,ඩේලි සිහිගැන්වීම්
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,සියලු ප්රවේශපත් බලන්න
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,සෞඛ්ය සේවා ඒකකය
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,නිෂ්පාදන
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,නිෂ්පාදන
 DocType: Products Settings,Home Page is Products,මුල් පිටුව නිෂ්පාදන වේ
 ,Asset Depreciation Ledger,වත්කම් ක්ෂය ලේජර
 DocType: Salary Structure,Leave Encashment Amount Per Day,දිනකට එචි.අ.
@@ -6452,8 +6521,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,", අමු ද්රව්ය පිරිවැය සපයා"
 DocType: Selling Settings,Settings for Selling Module,විකිණීම මොඩියුලය සඳහා සැකසුම්
 DocType: Hotel Room Reservation,Hotel Room Reservation,හෝටල් කාමර වෙන් කිරීම
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,පාරිභෝගික සේවය
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,පාරිභෝගික සේවය
 DocType: BOM,Thumbnail,සිඟිති-රූපය
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ඊමේල් හැඳුනුම් පත් සමඟ සම්බන්ධතා නොමැත.
 DocType: Item Customer Detail,Item Customer Detail,අයිතමය පාරිභෝගික විස්තර
 DocType: Notification Control,Prompt for Email on Submission of,ඉදිරිපත් කිරීම මත විද්යුත් සඳහා කඩිනම්
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},සේවකයාගේ උපරිම ප්රතිලාභය {0} ඉක්මවයි {1}
@@ -6463,13 +6533,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,අයිතමය {0} කොටස් අයිතමය විය යුතුය
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,ප්රගති ගබඩා දී පෙරනිමි වැඩ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} සඳහා උපලේඛන වැරදියි, ඔබට අතිරික්ත ආවරණ මඟ හැරීමෙන් පසු ඉදිරියට යාමට අවශ්යද?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,ගිණුම්කරණ ගනුදෙනු සඳහා පෙරනිමි සැකසුම්.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,ගිණුම්කරණ ගනුදෙනු සඳහා පෙරනිමි සැකසුම්.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,පෙරනිමි බදු ආකෘතිය
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} ශිෂ්යයන් ලියාපදිංචි වී ඇත
 DocType: Fees,Student Details,ශිෂ්ය විස්තර
 DocType: Purchase Invoice Item,Stock Qty,කොටස් යවන ලද
 DocType: Contract,Requires Fulfilment,ඉටු කිරීම අවශ්ය වේ
+DocType: QuickBooks Migrator,Default Shipping Account,පෙරනිමි නැව්ගත කිරීමේ ගිණුම
 DocType: Loan,Repayment Period in Months,මාස තුළ ආපසු ගෙවීමේ කාලය
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,දෝෂය: වලංගු id නොවේ ද?
 DocType: Naming Series,Update Series Number,යාවත්කාලීන ශ්රේණි අංකය
@@ -6483,11 +6554,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,මැක්ස් මුදල
 DocType: Journal Entry,Total Amount Currency,මුළු මුදල ව්යවහාර මුදල්
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,සොයන්න උප එක්රැස්වීම්
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},ෙරෝ නැත {0} හි අවශ්ය අයිතමය සංග්රහයේ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},ෙරෝ නැත {0} හි අවශ්ය අයිතමය සංග්රහයේ
 DocType: GST Account,SGST Account,SGST ගිණුම
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,අයිතම වෙත යන්න
 DocType: Sales Partner,Partner Type,සහකරු වර්ගය
-DocType: Purchase Taxes and Charges,Actual,සැබෑ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,සැබෑ
 DocType: Restaurant Menu,Restaurant Manager,ආපනශාලා කළමනාකරු
 DocType: Authorization Rule,Customerwise Discount,Customerwise වට්ටම්
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,කාර්යයන් සඳහා Timesheet.
@@ -6508,7 +6579,7 @@
 DocType: Employee,Cheque,චෙක් පත
 DocType: Training Event,Employee Emails,සේවක විද්යුත් තැපැල්
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,මාලාවක් යාවත්කාලීන කිරීම
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,වර්ගය වාර්තාව අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,වර්ගය වාර්තාව අනිවාර්ය වේ
 DocType: Item,Serial Number Series,අනු අංකය ශ්රේණි
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},පොත් ගබඩාව පේළිය කොටස් අයිතමය {0} සඳහා අනිවාර්ය වේ {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,සිල්ලර සහ ෙතොග ෙවළඳ
@@ -6539,7 +6610,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,විකුණුම් නියෝගයේ බිල්පත් ප්රමාණය යාවත්කාලීන කරන්න
 DocType: BOM,Materials,ද්රව්ය
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","සලකුණු කර නැත නම්, ලැයිස්තුව ඉල්ලුම් කළ යුතු වේ එහිදී එක් එක් දෙපාර්තමේන්තුව වෙත එකතු කිරීමට සිදු වනු ඇත."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,"දිනය සහ වෙබ් අඩවියේ කාලය ගිය තැන, ශ්රී ලංකා තැපෑල අනිවාර්ය වේ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,"දිනය සහ වෙබ් අඩවියේ කාලය ගිය තැන, ශ්රී ලංකා තැපෑල අනිවාර්ය වේ"
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ගනුදෙනු මිලට ගැනීම සඳහා බදු ආකෘතියකි.
 ,Item Prices,අයිතමය මිල ගණන්
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ඔබ මිලදී ගැනීමේ නියෝගය බේරා වරක් වචන දෘශ්යමාන වනු ඇත.
@@ -6555,12 +6626,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),වත්කම් ක්ෂයවීම් පිළිබඳ ලිපි මාලාව (ජර්නල් සටහන්)
 DocType: Membership,Member Since,සාමාජිකයෙක්
 DocType: Purchase Invoice,Advance Payments,ගෙවීම් ඉදිරියට
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,කරුණාකර සෞඛ්ය සේවා
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,කරුණාකර සෞඛ්ය සේවා
 DocType: Purchase Taxes and Charges,On Net Total,ශුද්ධ මුළු මත
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Attribute {0} අයිතමය {4} සඳහා {1} {3} යන වැටුප් වර්ධක තුළ {2} දක්වා පරාසය තුළ විය යුතුය වටිනාකමක්
 DocType: Restaurant Reservation,Waitlisted,බලාගෙන ඉන්න
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,බදු නිදහස් කාණ්ඩ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,ව්යවහාර මුදල් ෙවනත් මුදල් භාවිතා සටහන් කිරීමෙන් පසුව එය වෙනස් කළ නොහැක
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,ව්යවහාර මුදල් ෙවනත් මුදල් භාවිතා සටහන් කිරීමෙන් පසුව එය වෙනස් කළ නොහැක
 DocType: Shipping Rule,Fixed,ස්ථාවර
 DocType: Vehicle Service,Clutch Plate,ක්ලච් ප්ලේට්
 DocType: Company,Round Off Account,වටයේ ගිණුම අක්රිය
@@ -6569,7 +6640,7 @@
 DocType: Subscription Plan,Based on price list,මිල ලැයිස්තුව මත පදනම්ව
 DocType: Customer Group,Parent Customer Group,මව් කස්ටමර් සමූහයේ
 DocType: Vehicle Service,Change,වෙනස්
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,දායකත්වය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,දායකත්වය
 DocType: Purchase Invoice,Contact Email,අප අමතන්න විද්යුත්
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ගාස්තු නිර්මාණ ඉදිරිපත් කිරීම
 DocType: Appraisal Goal,Score Earned,ලකුණු උපයා
@@ -6597,23 +6668,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,ලැබිය යුතු / ගෙවිය යුතු ගිණුම්
 DocType: Delivery Note Item,Against Sales Order Item,විකුණුම් සාමය අයිතමය එරෙහිව
 DocType: Company,Company Logo,සමාගම ලාංඡනය
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},විශේෂණය {0} සඳහා අගය ආරෝපණය සඳහන් කරන්න
-DocType: Item Default,Default Warehouse,පෙරනිමි ගබඩාව
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},විශේෂණය {0} සඳහා අගය ආරෝපණය සඳහන් කරන්න
+DocType: QuickBooks Migrator,Default Warehouse,පෙරනිමි ගබඩාව
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},අයවැය සමූහ ගිණුම {0} එරෙහිව පවරා ගත නොහැකි
 DocType: Shopping Cart Settings,Show Price,මිල පෙන්වන්න
 DocType: Healthcare Settings,Patient Registration,රෝගියා ලියාපදිංචිය
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,මව් වියදම් මධ්යස්ථානය ඇතුලත් කරන්න
 DocType: Delivery Note,Print Without Amount,මුදල තොරව මුද්රණය
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,ක්ෂය දිනය
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,ක්ෂය දිනය
 ,Work Orders in Progress,ප්රගතියේ වැඩ කිරීම
 DocType: Issue,Support Team,සහාය කණ්ඩායම
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),කල් ඉකුත් වීමේ (දින දී)
 DocType: Appraisal,Total Score (Out of 5),මුළු ලකුණු (5 න්)
 DocType: Student Attendance Tool,Batch,කණ්ඩායම
 DocType: Support Search Source,Query Route String,Query Route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,අවසන් මිලදී ගැනීම අනුව යාවත්කාලීන කරන්න
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,අවසන් මිලදී ගැනීම අනුව යාවත්කාලීන කරන්න
 DocType: Donor,Donor Type,ඩොනෝර් වර්ගය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,ස්වයං යාවත්කාලීන ලියවිල්ල යාවත්කාලීන කරන ලදි
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,ස්වයං යාවත්කාලීන ලියවිල්ල යාවත්කාලීන කරන ලදි
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,ශේෂ
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,කරුණාකර සමාගම තෝරා ගන්න
 DocType: Job Card,Job Card,රැකියා කාඩ්
@@ -6627,7 +6698,7 @@
 DocType: Assessment Result,Total Score,මුළු ලකුණු
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 ප්රමිතිය
 DocType: Journal Entry,Debit Note,හර සටහන
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,ඔබට මෙම ඇණවුමෙන් උපරිම වශයෙන් {0} ලකුණු ලබා ගත හැකිය.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,ඔබට මෙම ඇණවුමෙන් උපරිම වශයෙන් {0} ලකුණු ලබා ගත හැකිය.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,API පාරිභෝගික රහස් අංකය ඇතුළු කරන්න
 DocType: Stock Entry,As per Stock UOM,කොටස් UOM අනුව
@@ -6641,10 +6712,11 @@
 DocType: Journal Entry,Total Debit,මුළු ඩෙබිට්
 DocType: Travel Request Costing,Sponsored Amount,අනුග්රාහක මුදල
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,පෙරනිමි භාණ්ඩ ගබඩා නිමි
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,කරුණාකර රෝගියා තෝරා ගන්න
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,කරුණාකර රෝගියා තෝරා ගන්න
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,විකුණුම් පුද්ගලයෙක්
 DocType: Hotel Room Package,Amenities,පහසුකම්
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,අයවැය සහ වියදම මධ්යස්ථානය
+DocType: QuickBooks Migrator,Undeposited Funds Account,නොබැඳි අරමුදල් ගිණුම
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,අයවැය සහ වියදම මධ්යස්ථානය
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,ගෙවීමේදී බහුතරයේ පෙරනිමි ආකාරයේ ගෙවීම් කිරීමට අවසර නැත
 DocType: Sales Invoice,Loyalty Points Redemption,පක්ෂපාතීත්වයෙන් නිදහස් වීම
 ,Appointment Analytics,පත්වීම් විශ්ලේෂණය
@@ -6658,6 +6730,7 @@
 DocType: Batch,Manufacturing Date,නිෂ්පාදන දිනය
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,ගාස්තු නිර්මාණ නිර්මාණය අසමත් විය
 DocType: Opening Invoice Creation Tool,Create Missing Party,අතුරුදහන් පක්ෂයක් සාදන්න
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,මුළු අයවැය
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ඔබ වසරකට සිසුන් කණ්ඩායම් කරන්න නම් හිස්ව තබන්න
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ඔබ වසරකට සිසුන් කණ්ඩායම් කරන්න නම් හිස්ව තබන්න
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","පරීක්ෂා, සමස්ත කිසිදු නම්. වැඩ කරන දින වල නිවාඩු දින ඇතුලත් වනු ඇත, සහ මෙම වැටුප එක් දිනය අගය අඩු වනු ඇත"
@@ -6675,20 +6748,19 @@
 DocType: Opportunity Item,Basic Rate,මූලික අනුපාත
 DocType: GL Entry,Credit Amount,ක්රෙඩිට් මුදල
 DocType: Cheque Print Template,Signatory Position,අත්සන් තත්ත්වය
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,ලොස්ට් ලෙස සකසන්න
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,ලොස්ට් ලෙස සකසන්න
 DocType: Timesheet,Total Billable Hours,මුළු බිල්ගත කළ හැකි පැය
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,මෙම දායකත්වය මගින් ජනනය කරන ලද ඉන්වොයිසි ගෙවීමට පාරිභෝගිකයාට ගෙවිය යුතු දින ගණන
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,සේවක ප්රතිලාභ සේවා විස්තරය
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ගෙවීම් ලදුපත සටහන
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,මෙය මේ පාරිභෝගික එරෙහිව ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහනකට බලන්න
-DocType: Delivery Note,ODC,ඩීඩීසී
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ෙරෝ {0}: වෙන් කළ මුදල {1} ගෙවීම් සටහන් ප්රමාණය {2} වඩා අඩු හෝ සමාන විය යුතුයි
 DocType: Program Enrollment Tool,New Academic Term,නව අධ්යයන වාරය
 ,Course wise Assessment Report,පාඨමාලා නැණවත් ඇගයීම් වාර්තාව
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ITC රාජ්යය / UT බදු අනුයුක්ත කර ඇත
 DocType: Tax Rule,Tax Rule,බදු පාලනය
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,විකුණුම් පාපැදි පුරාම එකම අනුපාත පවත්වා
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,වෙළඳපලේ ලියාපදිංචි වන්නට වෙනත් පරිශීලකයෙකු ලෙස පුරනය වන්න
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,වෙළඳපලේ ලියාපදිංචි වන්නට වෙනත් පරිශීලකයෙකු ලෙස පුරනය වන්න
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,වර්ක්ස්ටේෂන් වැඩ කරන වේලාවන් පිටත කාලය ලඝු-සටහන් සඳහා සැලසුම් කරන්න.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,පෝලිමේ පාරිභෝගිකයන්
 DocType: Driver,Issuing Date,දිනය නිකුත් කිරීම
@@ -6697,11 +6769,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,තවදුරටත් වැඩ කිරීම සඳහා මෙම වැඩ පිළිවෙළ ඉදිරිපත් කරන්න.
 ,Items To Be Requested,අයිතම ඉල්ලන කිරීමට
 DocType: Company,Company Info,සමාගම තොරතුරු
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,නව පාරිභෝගික තෝරා ගැනීමට හෝ එකතු
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,නව පාරිභෝගික තෝරා ගැනීමට හෝ එකතු
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,වියදම් මධ්යස්ථානය ක වියදමක් ප්රකාශය වෙන්කර ගැනීමට අවශ්ය වේ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),අරමුදල් ඉල්ලුම් පත්රය (වත්කම්)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,මෙය මේ සේවක පැමිණීම මත පදනම් වේ
-DocType: Assessment Result,Summary,සාරාංශය
 DocType: Payment Request,Payment Request Type,ගෙවීම් ඉල්ලීම් වර්ගය
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,මාක් පැමිණීම
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ඩෙබිට් ගිණුම
@@ -6709,7 +6780,7 @@
 DocType: Additional Salary,Employee Name,සේවක නම
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,ආපනශාලා ඇණවුම් සටහන
 DocType: Purchase Invoice,Rounded Total (Company Currency),වටකුරු එකතුව (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,ගිණුම් වර්ගය තෝරා නිසා සමූහ සමාගම සැරසේ නොහැක.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,ගිණුම් වර්ගය තෝරා නිසා සමූහ සමාගම සැරසේ නොහැක.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} වෙනස් කර ඇත. නැවුම් කරන්න.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,පහත සඳහන් දිනවල නිවාඩු ඉල්ලුම් කිරීමෙන් පරිශීලකයන් එක නතර කරන්න.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","පක්ෂපාතීත්ව ලකුණු සඳහා අසීමිත ඉකුත්වීමක් නම්, කල් ඉකුත්වීමේ කාලය හිස්ව තබන්න, නැතහොත් 0."
@@ -6728,11 +6799,12 @@
 DocType: Asset,Out of Order,ක්රියාවිරහිත වී ඇත
 DocType: Purchase Receipt Item,Accepted Quantity,පිළිගත් ප්රමාණ
 DocType: Projects Settings,Ignore Workstation Time Overlap,වැඩකරන කාලය නොසලකා හැරීම
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},සේවක {0} හෝ සමාගම සඳහා පෙරනිමි නිවාඩු ලැයිස්තු සකස් කරුණාකර {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},සේවක {0} හෝ සමාගම සඳහා පෙරනිමි නිවාඩු ලැයිස්තු සකස් කරුණාකර {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} පවතී නැත
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,තේරීම් කණ්ඩායම අංක
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN සඳහා
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN සඳහා
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ගනුදෙනුකරුවන් වෙත මතු බිල්පත්.
+DocType: Healthcare Settings,Invoice Appointments Automatically,ඉන්වොයිස් පත් කිරීම් ස්වයංක්රීයව
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ව්යාපෘති අංකය
 DocType: Salary Component,Variable Based On Taxable Salary,ආදායම් මත පදනම් විචල්ය මත පදනම් වේ
 DocType: Company,Basic Component,මූලික සංරචක
@@ -6745,10 +6817,10 @@
 DocType: Stock Entry,Source Warehouse Address,ප්රභව ගබඩාව ලිපිනය
 DocType: GL Entry,Voucher Type,වවුචරය වර්ගය
 DocType: Amazon MWS Settings,Max Retry Limit,මැක්ස් යළි සැකසීම
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන
 DocType: Student Applicant,Approved,අනුමත
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,මිල
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} &#39;වමේ&#39; ලෙස සකස් කළ යුතු ය මත මුදා සේවක
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} &#39;වමේ&#39; ලෙස සකස් කළ යුතු ය මත මුදා සේවක
 DocType: Marketplace Settings,Last Sync On,අවසාන සමමුහුර්ත කිරීම
 DocType: Guardian,Guardian,ගාඩියන්
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,මේ සියල්ල ඇතුළුව සහ ඊට ඉහළින් සියලු සන්නිවේදනයන් නව නිකුතුවකට මාරු කරනු ලැබේ
@@ -6771,14 +6843,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ක්ෂේත්රයේ සොයාගත් රෝග ලැයිස්තුව. තෝරාගත් විට එය ස්වයංක්රීයව රෝගය සමඟ කටයුතු කිරීමට කාර්ය ලැයිස්තුවක් එක් කරයි
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,මෙය මූල සෞඛ්ය සේවා ඒකකය සංස්කරණය කළ නොහැක.
 DocType: Asset Repair,Repair Status,අළුත්වැඩියා තත්ත්වය
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,විකුණුම් හවුල්කරුවන් එකතු කරන්න
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,මුල්ය සඟරාව සටහන් ඇතුළත් කිරීම්.
 DocType: Travel Request,Travel Request,සංචාරක ඉල්ලීම
 DocType: Delivery Note Item,Available Qty at From Warehouse,ලබා ගත හැකි යවන ලද පොත් ගබඩාව සිට දී
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,කරුණාකර සේවක වාර්තා පළමු තෝරන්න.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,{0} නිවාඩු නිකේතනයක් ලෙස නොපැමිණීම.
 DocType: POS Profile,Account for Change Amount,වෙනස් මුදල ගිණුම්
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks සම්බන්ධ කිරීම
 DocType: Exchange Rate Revaluation,Total Gain/Loss,සමස්ත ලාභය / අලාභය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,අන්තර් සමාගම් ඉන්වොයිසිය සඳහා වලංගු නොවන සමාගමකි.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,අන්තර් සමාගම් ඉන්වොයිසිය සඳහා වලංගු නොවන සමාගමකි.
 DocType: Purchase Invoice,input service,ආදාන සේවා
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ෙරෝ {0}: පක්ෂය / ගිණුම් {3} {4} තුළ {1} / {2} සමග නොගැලපේ
 DocType: Employee Promotion,Employee Promotion,සේවක ප්රවර්ධන
@@ -6787,12 +6861,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,පාඨමාලා කේතය:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,ගෙවීමේ ගිණුම් ඇතුලත් කරන්න
 DocType: Account,Stock,කොටස්
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය මිලදී ගැනීමේ නියෝගයක්, මිලදී ගැනීම ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය මිලදී ගැනීමේ නියෝගයක්, මිලදී ගැනීම ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
 DocType: Employee,Current Address,වර්තමාන ලිපිනය
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","නිශ්චිත ලෙස නම් අයිතමය තවත් අයිතමය ක ප්රභේද්යයක් කරනවා නම් විස්තර, ප්රතිරූපය, මිල ගණන්, බදු ආදිය සැකිල්ල සිට ස්ථාපනය කරනු ලබන"
 DocType: Serial No,Purchase / Manufacture Details,මිලදී ගැනීම / නිෂ්පාදනය විස්තර
 DocType: Assessment Group,Assessment Group,තක්සේරු කණ්ඩායම
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,කණ්ඩායම බඩු තොග
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,ක්රියා පටිපාටිය
 DocType: Employee,Contract End Date,කොන්ත්රාත්තුව අවසානය දිනය
 DocType: Amazon MWS Settings,Seller ID,විකුණුම් හැඳුනුම්පත
@@ -6812,12 +6887,12 @@
 DocType: Company,Date of Incorporation,සංස්ථාගත කිරීමේ දිනය
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,මුළු බදු
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,අවසන් මිලදී ගැනීමේ මිල
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,ප්රමාණ සඳහා (නිශ්පාදිත යවන ලද) අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,ප්රමාණ සඳහා (නිශ්පාදිත යවන ලද) අනිවාර්ය වේ
 DocType: Stock Entry,Default Target Warehouse,පෙරනිමි ඉලක්ක ගබඩාව
 DocType: Purchase Invoice,Net Total (Company Currency),ශුද්ධ එකතුව (සමාගම ව්යවහාර මුදල්)
 DocType: Delivery Note,Air,ගුවන්
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,වසර අවසාන දිනය වසරේ ආරම්භය දිනය වඩා කලින් විය නොහැක. දින වකවානු නිවැරදි කර නැවත උත්සාහ කරන්න.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} විකල්ප නිවාඩු දිනයන්හි නැත
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} විකල්ප නිවාඩු දිනයන්හි නැත
 DocType: Notification Control,Purchase Receipt Message,මිලදී ගැනීම රිසිට්පත පණිවුඩය
 DocType: Amazon MWS Settings,JP,පී
 DocType: BOM,Scrap Items,පරණ අයිතම
@@ -6840,23 +6915,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,ඉටු කිරීම
 DocType: Purchase Taxes and Charges,On Previous Row Amount,පසුගිය ෙරෝ මුදල මත
 DocType: Item,Has Expiry Date,කල් ඉකුත්වන දිනය
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,වත්කම් මාරු
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,වත්කම් මාරු
 DocType: POS Profile,POS Profile,POS නරඹන්න
 DocType: Training Event,Event Name,අවස්ථාවට නම
 DocType: Healthcare Practitioner,Phone (Office),දුරකථන (කාර්යාල)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","ඉදිරිපත් කළ නොහැකි, සේවකයින්ගේ පැමිණීම සලකුණු කිරීම සඳහා සේවකයින් ඉවත් කර ඇත"
 DocType: Inpatient Record,Admission,ඇතුළත් කර
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},{0} සඳහා ප්රවේශ
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","අයවැය සැකසීම සඳහා යමක සෘතුමය බලපෑම, ඉලක්ක ආදිය"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","අයවැය සැකසීම සඳහා යමක සෘතුමය බලපෑම, ඉලක්ක ආදිය"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,විචල්ය නම
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","අයිතමය {0} සැකිලි වේ, කරුණාකර එහි විවිධ එකක් තෝරන්න"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,කරුණාකර මානව සම්පත්&gt; HR සැකසුම් තුළ සේවක නාමකරණය කිරීමේ පද්ධතිය සැකසීම කරන්න
+DocType: Purchase Invoice Item,Deferred Expense,විෙමෝචිත වියදම්
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},සේවකයාගේ දිනයකට පෙර දිනය {0} සිට දිනට {1}
 DocType: Asset,Asset Category,වත්කම් ප්රවර්ගය
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,ශුද්ධ වැටුප් සෘණ විය නොහැකි
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,ශුද්ධ වැටුප් සෘණ විය නොහැකි
 DocType: Purchase Order,Advance Paid,උසස් ගෙවුම්
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,විකුණුම් නියෝගය සඳහා වැඩිපුර නිෂ්පාදනයක්
 DocType: Item,Item Tax,අයිතමය බදු
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,සැපයුම්කරු ද්රව්යමය
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,සැපයුම්කරු ද්රව්යමය
 DocType: Soil Texture,Loamy Sand,ලමයි වැලි
 DocType: Production Plan,Material Request Planning,ද්රව්ය ඉල්ලීම් සැලසුම්
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,සුරාබදු ඉන්වොයිසිය
@@ -6878,11 +6955,11 @@
 DocType: Scheduling Tool,Scheduling Tool,අවස මෙවලම
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,ණයවර පත
 DocType: BOM,Item to be manufactured or repacked,අයිතමය නිෂ්පාදිත හෝ repacked කිරීමට
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},තත්වය තුළදී සින්ටැක්ස් දෝෂය: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},තත්වය තුළදී සින්ටැක්ස් දෝෂය: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,විශාල / විකල්ප විෂයයන්
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,කරුණාකර සැපයුම් සමූහය සැකසීම් මිලදී ගැනීම සඳහා කරුණාකර කරන්න.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,කරුණාකර සැපයුම් සමූහය සැකසීම් මිලදී ගැනීම සඳහා කරුණාකර කරන්න.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",සම්පූර්ණ නම්යශීලී ප්රතිලාභ සංරචක ප්රමාණය {0} උපරිම ප්රයෝජන නොලැබේ {1}
 DocType: Sales Invoice Item,Drop Ship,පහත නෞකාව
 DocType: Driver,Suspended,අත්හිටුවන ලදි
@@ -6902,7 +6979,7 @@
 DocType: Customer,Commission Rate,කොමිසම අනුපාතිකය
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,ගෙවීම් සටහන් සාර්ථකව නිර්මාණය කරන ලදි
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1} අතර {0} සඳහා සාධක කාඩ්පත් නිර්මාණය කරන ලදි:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,ප්රභේද්යයක් කරන්න
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,ප්රභේද්යයක් කරන්න
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","ගෙවීම් වර්ගය පිළිගන්න එකක් විය යුතුය, වැටුප් හා අභ තර ස්ථ"
 DocType: Travel Itinerary,Preferred Area for Lodging,නවාතැන් පහසුකම් සඳහා කැමති පෙදෙස
 apps/erpnext/erpnext/config/selling.py +184,Analytics,විශ්ලේෂණ
@@ -6913,7 +6990,7 @@
 DocType: Work Order,Actual Operating Cost,සැබෑ මෙහෙයුම් පිරිවැය
 DocType: Payment Entry,Cheque/Reference No,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් / ෙයොමු අංකය"
 DocType: Soil Texture,Clay Loam,ක්ලේ ලොම්
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,මූල සංස්කරණය කල නොහැක.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,මූල සංස්කරණය කල නොහැක.
 DocType: Item,Units of Measure,නු ඒකක
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,මෙට්රෝ නගරයේ දී කුලියට ගැනීම
 DocType: Supplier,Default Tax Withholding Config,පැහැර හරින ලද රඳවාගැනීම් සැකසුම
@@ -6931,21 +7008,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ගෙවීම් අවසන් කිරීමෙන් පසු තෝරාගත් පිටුවට පරිශීලක වි.
 DocType: Company,Existing Company,දැනට පවතින සමාගම
 DocType: Healthcare Settings,Result Emailed,ප්රතිඵල යවන ලදි
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",සියලු අයිතම-කොටස් නොවන භාණ්ඩ නිසා බදු ප්රවර්ගය &quot;මුළු&quot; ලෙස වෙනස් කර ඇත
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",සියලු අයිතම-කොටස් නොවන භාණ්ඩ නිසා බදු ප්රවර්ගය &quot;මුළු&quot; ලෙස වෙනස් කර ඇත
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,දින සිට දිනට වඩා සමාන හෝ අඩු විය නොහැකිය
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,වෙනස් කිරීමට කිසිවක් නැත
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,කරුණාකර CSV ගොනුවක් තෝරා
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,කරුණාකර CSV ගොනුවක් තෝරා
 DocType: Holiday List,Total Holidays,සමස්ථ නිවාඩු දිනයන්
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,යැවීම සඳහා නොලැබෙන ඊමේල් අච්චුව. කරුණාකර සැපයුම් සැකසුම් තුළ එකක් සකසන්න.
 DocType: Student Leave Application,Mark as Present,වර්තමාන ලෙස ලකුණ
 DocType: Supplier Scorecard,Indicator Color,දර්ශක වර්ණය
 DocType: Purchase Order,To Receive and Bill,පිළිගන්න සහ පනත් කෙටුම්පත
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,පේළිය # {0}: දිනය අනුව නැවත ලබා ගත හැක
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,පේළිය # {0}: දිනය අනුව නැවත ලබා ගත හැක
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,විශේෂාංග නිෂ්පාදන
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,අනුක්රමික අංකය තෝරන්න
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,අනුක්රමික අංකය තෝරන්න
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,නිර්මාණකරුවා
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,නියමයන් හා කොන්දේසි සැකිල්ල
 DocType: Serial No,Delivery Details,සැපයුම් විස්තර
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},වර්ගය {1} සඳහා බදු පේළියක {0} පිරිවැය මධ්යස්ථානය අවශ්ය වේ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},වර්ගය {1} සඳහා බදු පේළියක {0} පිරිවැය මධ්යස්ථානය අවශ්ය වේ
 DocType: Program,Program Code,වැඩසටහන සංග්රහයේ
 DocType: Terms and Conditions,Terms and Conditions Help,නියමයන් හා කොන්දේසි උදවු
 ,Item-wise Purchase Register,අයිතමය ප්රඥාවන්ත මිලදී ගැනීම රෙජිස්ටර්
@@ -6958,15 +7036,16 @@
 DocType: Contract,Contract Terms,කොන්ත්රාත් කොන්දේසි
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,මුදල් ලබන $ ආදිය මෙන් කිසිදු සංකේතයක් පෙන්වන්න එපා.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},{0} සංරචකයේ උපරිම ප්රතිලාභ ප්රමාණය {1} ඉක්මවයි.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(අඩක් දිනය)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(අඩක් දිනය)
 DocType: Payment Term,Credit Days,ක්රෙඩිට් දින
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,කරුණාකර පරීක්ෂණය සඳහා රෝගීන් තෝරා ගන්න
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,ශිෂ්ය කණ්ඩායම කරන්න
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,නිෂ්පාදනය සඳහා මාරු කිරීම
 DocType: Leave Type,Is Carry Forward,ඉදිරියට ගෙන ඇත
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,ද්රව්ය ලේඛණය සිට අයිතම ලබා ගන්න
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,ද්රව්ය ලේඛණය සිට අයිතම ලබා ගන්න
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ඉදිරියට ඇති කාලය දින
 DocType: Cash Flow Mapping,Is Income Tax Expense,ආදායම් බදු වියදම
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,ඔබේ ඇණවුම භාර දීම සඳහා පිටත් වේ!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ෙරෝ # {0}: ගිය තැන, ශ්රී ලංකා තැපෑල දිනය මිලදී දිනය ලෙස සමාන විය යුතුය {1} වත්කම් {2}"
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"ශිෂ්ය ආයතනයේ නේවාසිකාගාරය පදිංචි, නම් මෙම පරීක්ෂා කරන්න."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,ඉහත වගුවේ විකුණුම් නියෝග ඇතුලත් කරන්න
@@ -6974,10 +7053,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,එක් ගබඩාවක් තවත් සම්පතක් මාරු
 DocType: Vehicle,Petrol,පෙට්රල්
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),ඉතිරි ප්රතිලාභ (වාර්ෂිකව)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,ද්රව්ය බිල
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,ද්රව්ය බිල
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ෙරෝ {0}: පක්ෂය වර්ගය හා පක්ෂ ලැබිය / ගෙවිය යුතු ගිණුම් {1} සඳහා අවශ්ය
 DocType: Employee,Leave Policy,නිවාඩු ප්රතිපත්තිය
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,යාවත්කාලීන අයිතම
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,යාවත්කාලීන අයිතම
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,ref දිනය
 DocType: Employee,Reason for Leaving,බැහැරවීම හේතුව
 DocType: BOM Operation,Operating Cost(Company Currency),මෙහෙයුම් වියදම (සමාගම ව්යවහාර මුදල්)
@@ -6988,7 +7067,7 @@
 DocType: Department,Expense Approvers,වියදම් අනුමැති
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},ෙරෝ {0}: හර සටහන ඇති {1} සමග සම්බන්ධ විය නොහැකි
 DocType: Journal Entry,Subscription Section,දායකත්ව අංශය
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,ගිණුම {0} නොපවතියි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,ගිණුම {0} නොපවතියි
 DocType: Training Event,Training Program,පුහුණු වැඩසටහන
 DocType: Account,Cash,මුදල්
 DocType: Employee,Short biography for website and other publications.,වෙබ් අඩවිය සහ අනෙකුත් ප්රකාශන සඳහා කෙටි චරිතාපදානය.
diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv
index 4ab5bde..e0dc502 100644
--- a/erpnext/translations/sk.csv
+++ b/erpnext/translations/sk.csv
@@ -9,12 +9,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +19,Consumer Products,Zákaznícke produkty
 DocType: Supplier Scorecard,Notify Supplier,Informujte dodávateľa
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js +52,Please select Party Type first,"Prosím, vyberte typ Party prvý"
-DocType: Item,Customer Items,Zákazník položky
+DocType: Item,Customer Items,Zákaznícke položky
 DocType: Project,Costing and Billing,Kalkulácia a fakturácia
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Advance mena účtu by mala byť rovnaká ako mena spoločnosti {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Účet {0}: Nadřazený účet {1} nemůže být hlavní kniha
+DocType: QuickBooks Migrator,Token Endpoint,Koncový bod tokenu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Účet {0}: Nadřazený účet {1} nemůže být hlavní kniha
 DocType: Item,Publish Item to hub.erpnext.com,Publikování položku do hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nedá sa nájsť aktívne obdobie neprítomnosti
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nedá sa nájsť aktívne obdobie neprítomnosti
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ohodnotenie
 DocType: Item,Default Unit of Measure,Predvolená merná jednotka
 DocType: SMS Center,All Sales Partner Contact,Všechny Partneři Kontakt
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Kliknite na položku Zadat &#39;na pridanie
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Chýba hodnota hesla, kľúč API alebo URL predaja"
 DocType: Employee,Rented,Pronajato
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Všetky účty
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Všetky účty
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Nie je možné previesť zamestnanca so stavom doľava
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zastavil výrobu Objednať nemožno zrušiť, uvoľniť ho najprv zrušiť"
 DocType: Vehicle Service,Mileage,Najazdené
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Naozaj chcete zrušiť túto pohľadávku?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Naozaj chcete zrušiť túto pohľadávku?
 DocType: Drug Prescription,Update Schedule,Aktualizovať plán
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Vybrať Predvolené Dodávateľ
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Zobraziť zamestnanca
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nový kurz
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Měna je vyžadováno pro Ceníku {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Mena je vyžadovaná pre Cenník {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bude vypočítané v transakcii.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Zákaznícky kontakt
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,To je založené na transakciách proti tomuto dodávateľovi. Pozri časovú os nižšie podrobnosti
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Percento nadprodukcie pre pracovnú objednávku
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Právne
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Právne
+DocType: Delivery Note,Transport Receipt Date,Dátum príjmu dopravy
 DocType: Shopify Settings,Sales Order Series,Séria objednávok
 DocType: Vital Signs,Tongue,jazyk
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Výnimka HRA
 DocType: Sales Invoice,Customer Name,Meno zákazníka
 DocType: Vehicle,Natural Gas,Zemný plyn
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankový účet nemôže byť pomenovaný {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankový účet nemôže byť pomenovaný {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA podľa platovej štruktúry
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (nebo skupiny), proti nimž účetní zápisy jsou vyrobeny a stav je veden."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Vynikající pro {0} nemůže být nižší než nula ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Dátum ukončenia servisu nemôže byť pred dátumom začiatku servisu
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Dátum ukončenia servisu nemôže byť pred dátumom začiatku servisu
 DocType: Manufacturing Settings,Default 10 mins,Predvolené 10 min
 DocType: Leave Type,Leave Type Name,Nechte Typ Jméno
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ukázať otvorené
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,ukázať otvorené
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Řada Aktualizováno Úspěšně
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Odhlásiť sa
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} v riadku {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} v riadku {1}
 DocType: Asset Finance Book,Depreciation Start Date,Dátum začiatku odpisovania
 DocType: Pricing Rule,Apply On,Aplikujte na
 DocType: Item Price,Multiple Item prices.,Více ceny položku.
@@ -78,14 +80,14 @@
 DocType: Support Settings,Support Settings,nastavenie podporných
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,"Očakávané Dátum ukončenia nemôže byť nižšia, než sa očakávalo dáta začatia"
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Riadok # {0}: Cena musí byť rovnaké, ako {1}: {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Riadok # {0}: Cena musí byť rovnaké, ako {1}: {2} ({3} / {4})"
 ,Batch Item Expiry Status,Batch Item Zánik Status
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Návrh
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
 DocType: Mode of Payment Account,Mode of Payment Account,Způsob platby účtu
 apps/erpnext/erpnext/config/healthcare.py +8,Consultation,Konzultácia
 DocType: Accounts Settings,Show Payment Schedule in Print,Zobraziť plán platieb v časti Tlač
-apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +21,Sales and Returns,Predaj a vrátenie
+apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +21,Sales and Returns,Predaje a vrátenia
 apps/erpnext/erpnext/stock/doctype/item/item.js +58,Show Variants,Zobraziť Varianty
 DocType: Academic Term,Academic Term,akademický Term
 DocType: Employee Tax Exemption Sub Category,Employee Tax Exemption Sub Category,Oslobodenie od dane pre zamestnancov
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Priame kontaktné údaje
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,otvorené problémy
 DocType: Production Plan Item,Production Plan Item,Výrobní program Item
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Uživatel {0} je již přiřazena k Employee {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Uživatel {0} je již přiřazena k Employee {1}
 DocType: Lab Test Groups,Add new line,Pridať nový riadok
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Péče o zdraví
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Oneskorenie s platbou (dni)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Oneskorené dni
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,service Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} už je uvedené vo faktúre predaja: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} už je uvedené vo faktúre predaja: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktúra
 DocType: Purchase Invoice Item,Item Weight Details,Podrobnosti o položke hmotnosti
 DocType: Asset Maintenance Log,Periodicity,Periodicita
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiškálny rok {0} je vyžadovaná
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dodávateľ&gt; Skupina dodávateľov
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimálna vzdialenosť medzi radmi rastlín pre optimálny rast
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Obrana
 DocType: Salary Component,Abbr,Zkr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Dovolená Seznam
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Účtovník
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Cenník predaja
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Cenník predaja
 DocType: Patient,Tobacco Current Use,Súčasné používanie tabaku
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Predajná sadzba
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Predajná sadzba
 DocType: Cost Center,Stock User,Používateľ skladu
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontaktné informácie
 DocType: Company,Phone No,Telefónne číslo
 DocType: Delivery Trip,Initial Email Notification Sent,Odoslané pôvodné oznámenie o e-maile
 DocType: Bank Statement Settings,Statement Header Mapping,Hlásenie hlavičky výkazu
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Dátum začiatku odberu
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Predvolené pohľadávky, ktoré sa majú použiť, ak nie sú nastavené v pacientoch na účtovanie poplatkov za schôdzku."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Pripojiť CSV súbor s dvomi stĺpci, jeden pre starý názov a jeden pre nový názov"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Z adresy 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položiek&gt; Značka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Z adresy 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} žiadnym aktívnym fiškálny rok.
 DocType: Packed Item,Parent Detail docname,Parent Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odkaz: {0}, Kód položky: {1} a zákazník: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} nie je v materskej spoločnosti
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} nie je v materskej spoločnosti
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Dátum ukončenia skúšobného obdobia nemôže byť pred začiatkom skúšobného obdobia
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Daňová kategória
@@ -190,16 +191,16 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklama
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Rovnaký Spoločnosť je zapísaná viac ako raz
 DocType: Patient,Married,Ženatý
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nepovolené pre {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nepovolené pre {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Získať predmety z
 DocType: Price List,Price Not UOM Dependant,Cena nie je závislá od UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Použiť čiastku zrážkovej dane
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Celková čiastka bola pripísaná
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Celková čiastka bola pripísaná
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nie sú uvedené žiadne položky
 DocType: Asset Repair,Error Description,Popis chyby
-DocType: Payment Reconciliation,Reconcile,Srovnat
+DocType: Payment Reconciliation,Reconcile,Zosúladiť
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +30,Grocery,Potraviny
 DocType: Quality Inspection Reading,Reading 1,Čtení 1
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +40,Pension Funds,Penzijní fondy
@@ -209,47 +210,46 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Použiť formát vlastného toku peňazí
 DocType: SMS Center,All Sales Person,Všichni obchodní zástupci
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mesačný Distribúcia ** umožňuje distribuovať Rozpočet / Target celé mesiace, ak máte sezónnosti vo vašej firme."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,nenájdený položiek
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Plat Štruktúra Chýbajúce
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,nenájdený položiek
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Plat Štruktúra Chýbajúce
 DocType: Lead,Person Name,Osoba Meno
-DocType: Sales Invoice Item,Sales Invoice Item,Prodejní faktuře položka
-DocType: Account,Credit,Úvěr
+DocType: Sales Invoice Item,Sales Invoice Item,Položka odoslanej faktúry
+DocType: Account,Credit,Úver
 DocType: POS Profile,Write Off Cost Center,Odepsat nákladové středisko
 apps/erpnext/erpnext/public/js/setup_wizard.js +117,"e.g. ""Primary School"" or ""University""",napríklad &quot;Základná škola&quot; alebo &quot;univerzita&quot;
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Reporty o zásobách
 DocType: Warehouse,Warehouse Detail,Sklad Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Dátum ukončenia nemôže byť neskôr ako v roku Dátum ukončenia akademického roka, ku ktorému termín je spojená (akademický rok {}). Opravte dáta a skúste to znova."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Je Fixed Asset&quot; nemôže byť bez povšimnutia, pretože existuje Asset záznam proti položke"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Je Fixed Asset&quot; nemôže byť bez povšimnutia, pretože existuje Asset záznam proti položke"
 DocType: Delivery Trip,Departure Time,Čas odchodu
 DocType: Vehicle Service,Brake Oil,Brake Oil
 DocType: Tax Rule,Tax Type,Typ dane
 ,Completed Work Orders,Dokončené pracovné príkazy
 DocType: Support Settings,Forum Posts,Fórum príspevky
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Zdaniteľná čiastka
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Zdaniteľná čiastka
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Nejste oprávněni přidávat nebo aktualizovat údaje před {0}
 DocType: Leave Policy,Leave Policy Details,Nechajte detaily pravidiel
 DocType: BOM,Item Image (if not slideshow),Item Image (ne-li slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hodina Rate / 60) * Skutočná Prevádzková doba
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Riadok # {0}: Typ referenčného dokumentu musí byť jeden z nárokov na výdaj alebo denníka
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,select BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Riadok # {0}: Typ referenčného dokumentu musí byť jeden z nárokov na výdaj alebo denníka
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,select BOM
 DocType: SMS Log,SMS Log,SMS Log
-apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Náklady na dodávaných výrobků
+apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Náklady na dodané položky
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Dovolenka na {0} nie je medzi Dátum od a do dnešného dňa
 DocType: Inpatient Record,Admission Scheduled,Prijatie naplánované
 DocType: Student Log,Student Log,študent Log
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Šablóny poradia dodávateľov.
 DocType: Lead,Interested,Zájemci
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Otvor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Od {0} do {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Od {0} do {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Nepodarilo sa nastaviť dane
-DocType: Item,Copy From Item Group,Kopírovat z bodu Group
-DocType: Delivery Trip,Delivery Notification,Oznámenie o doručení
-DocType: Journal Entry,Opening Entry,Otevření Entry
+DocType: Item,Copy From Item Group,Kopírovať z položkovej skupiny
+DocType: Journal Entry,Opening Entry,Otvárací údaj
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Účet Pay Iba
 DocType: Loan,Repay Over Number of Periods,Splatiť Over počet období
 DocType: Stock Entry,Additional Costs,Dodatočné náklady
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu.
 DocType: Lead,Product Enquiry,Dotaz Product
 DocType: Education Settings,Validate Batch for Students in Student Group,Overenie dávky pre študentov v študentskej skupine
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Žiadny záznam dovolenka nájdené pre zamestnancov {0} na {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosím, najprv zadajte spoločnosť"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Prosím, vyberte najprv firmu"
 DocType: Employee Education,Under Graduate,Za absolventa
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Nastavte predvolenú šablónu pre možnosť Ohlásiť stav upozornenia v nastaveniach ľudských zdrojov.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Nastavte predvolenú šablónu pre možnosť Ohlásiť stav upozornenia v nastaveniach ľudských zdrojov.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On
 DocType: BOM,Total Cost,Celkové náklady
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -266,11 +266,11 @@
 DocType: Fee Schedule,Send Payment Request Email,Poslať e-mail s požiadavkou na platbu
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +277,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela
 DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Nechajte prázdne, ak je Dodávateľ blokovaný neurčito"
-apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +44,Real Estate,Nemovitost
+apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +44,Real Estate,Nehnuteľnosť
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Výpis z účtu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmaceutické
 DocType: Purchase Invoice Item,Is Fixed Asset,Je dlhodobého majetku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","K dispozícii je množstvo {0}, musíte {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","K dispozícii je množstvo {0}, musíte {1}"
 DocType: Expense Claim Detail,Claim Amount,Nárok Částka
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Pracovná objednávka bola {0}
@@ -289,7 +289,7 @@
 DocType: Asset Maintenance Task,Asset Maintenance Task,Úloha údržby majetku
 DocType: SMS Center,All Contact,Vše Kontakt
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +213,Annual Salary,Ročné Plat
-DocType: Daily Work Summary,Daily Work Summary,Denná práca Súhrn
+DocType: Daily Work Summary,Daily Work Summary,Denný súhrn práce
 DocType: Period Closing Voucher,Closing Fiscal Year,Uzavření fiskálního roku
 apps/erpnext/erpnext/accounts/party.py +425,{0} {1} is frozen,{0} {1} je zmrazený
 apps/erpnext/erpnext/setup/doctype/company/company.py +152,Please select Existing Company for creating Chart of Accounts,Vyberte existujúci spoločnosti pre vytváranie účtový rozvrh
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Šablóna inšpekcie kvality
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Chcete aktualizovať dochádzku? <br> Súčasná: {0} \ <br> Prítomných {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamietnuté množstvo sa musí rovnať Prijatému množstvu pre položku {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamietnuté množstvo sa musí rovnať Prijatému množstvu pre položku {0}
 DocType: Item,Supply Raw Materials for Purchase,Dodávky suroviny pre nákup
 DocType: Agriculture Analysis Criteria,Fertilizer,umelé hnojivo
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Nie je možné zabezpečiť doručenie sériovým číslom, pretože je pridaná položka {0} s alebo bez dodávky."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,pre POS faktúru je nutná aspoň jeden spôsob platby.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,pre POS faktúru je nutná aspoň jeden spôsob platby.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Položka faktúry transakcie na bankový účet
 DocType: Products Settings,Show Products as a List,Zobraziť produkty ako zoznam
 DocType: Salary Detail,Tax on flexible benefit,Daň z flexibilného prínosu
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Rozdielové množstvo
 DocType: Production Plan,Material Request Detail,Podrobnosti o vyžiadaní materiálu
 DocType: Selling Settings,Default Quotation Validity Days,Predvolené dni platnosti cenovej ponuky
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty"
 DocType: SMS Center,SMS Center,SMS centrum
 DocType: Payroll Entry,Validate Attendance,Overenie účasti
 DocType: Sales Invoice,Change Amount,zmena Suma
 DocType: Party Tax Withholding Config,Certificate Received,Certifikát bol prijatý
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Nastavte hodnotu faktúry pre B2C. B2CL a B2CS vypočítané na základe tejto hodnoty faktúry.
 DocType: BOM Update Tool,New BOM,New BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Predpísané postupy
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Predpísané postupy
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Zobraziť len POS
 DocType: Supplier Group,Supplier Group Name,Názov skupiny dodávateľov
 DocType: Driver,Driving License Categories,Kategórie vodičských preukazov
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Mzdové obdobia
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Vytvoriť zamestnanca
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Vysílání
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Nastavovací režim POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Nastavovací režim POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Zakazuje vytváranie časových denníkov proti pracovným príkazom. Operácie sa nesmú sledovať proti pracovnému príkazu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Provedení
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Podrobnosti o prováděných operací.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Zľava z cenníkovej ceny (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Šablóna položky
 DocType: Job Offer,Select Terms and Conditions,Vyberte Podmienky
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,limitu
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,limitu
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Položka Nastavenia bankového výpisu
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings
 DocType: Production Plan,Sales Orders,Predajné objednávky
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Žiadosť o cenovú ponuku je možné pristupovať kliknutím na nasledujúci odkaz
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG nástroj pre tvorbu ihriská
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Popis platby
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,nedostatočná Sklad
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,nedostatočná Sklad
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázať Plánovanie kapacít a Time Tracking
 DocType: Email Digest,New Sales Orders,Nové Prodejní objednávky
 DocType: Bank Account,Bank Account,Bankový účet
 DocType: Travel Itinerary,Check-out Date,Dátum odchodu
 DocType: Leave Type,Allow Negative Balance,Povolit záporný zůstatek
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Nemôžete odstrániť typ projektu &quot;Externé&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Vyberte alternatívnu položku
-DocType: Employee,Create User,vytvoriť užívateľa
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Vyberte alternatívnu položku
+DocType: Employee,Create User,Vytvoriť používateľa
 DocType: Selling Settings,Default Territory,Výchozí Territory
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televize
 DocType: Work Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Vyberte zákazníka alebo dodávateľa.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Množstvo vopred nemôže byť väčšia ako {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Množstvo vopred nemôže byť väčšia ako {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Časový interval preskočil, slot {0} až {1} presahuje existujúci slot {2} na {3}"
 DocType: Naming Series,Series List for this Transaction,Řada seznam pro tuto transakci
 DocType: Company,Enable Perpetual Inventory,Povoliť trvalý inventár
@@ -417,14 +417,14 @@
 DocType: Company,Arrear Component,Súčasnosť komponentu
 DocType: Supplier Scorecard,Criteria Setup,Nastavenie kritérií
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +199,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním
-apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Prijaté On
+apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Prijaté dňa
 DocType: Codification Table,Medical Code,Zdravotný zákonník
 apps/erpnext/erpnext/config/integrations.py +37,Connect Amazon with ERPNext,Pripojte Amazon s ERPNext
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +20,Please enter Company,"Prosím, zadajte spoločnosť"
 DocType: Delivery Note Item,Against Sales Invoice Item,Proti položce vydané faktury
 DocType: Agriculture Analysis Criteria,Linked Doctype,Linked Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Čistý peňažný tok z financovania
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Miestne úložisko je plná, nezachránil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Miestne úložisko je plná, nezachránil"
 DocType: Lead,Address & Contact,Adresa a kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Pridať nevyužité listy z predchádzajúcich prídelov
 DocType: Sales Partner,Partner website,webové stránky Partner
@@ -447,11 +447,11 @@
 ,Open Work Orders,Otvorte pracovné príkazy
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Zariadenie pre poplatok za konzultáciu pacienta
 DocType: Payment Term,Credit Months,Kreditné mesiace
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Čistý Pay nemôže byť nižšia ako 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Čistý Pay nemôže byť nižšia ako 0
 DocType: Contract,Fulfilled,splnené
 DocType: Inpatient Record,Discharge Scheduled,Plnenie je naplánované
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování
-DocType: POS Closing Voucher,Cashier,pokladničné
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování
+DocType: POS Closing Voucher,Cashier,Pokladník
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Listy za rok
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Zkontrolujte ""Je Advance"" proti účtu {1}, pokud je to záloha záznam."
 apps/erpnext/erpnext/stock/utils.py +243,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1}
@@ -459,17 +459,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +147,Litre,liter
 DocType: Task,Total Costing Amount (via Time Sheet),Celková kalkulácie Čiastka (cez Time Sheet)
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Nastavte prosím študentov pod študentskými skupinami
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Kompletná práca
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Dokončiť prácu
 DocType: Item Website Specification,Item Website Specification,Položka webových stránek Specifikace
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Nechte Blokováno
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Nechte Blokováno
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,bankový Príspevky
 DocType: Customer,Is Internal Customer,Je interný zákazník
 DocType: Crop,Annual,Roční
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ak je začiarknuté políčko Auto Opt In, zákazníci budú automaticky prepojení s príslušným vernostným programom (pri ukladaní)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Inventúrna položka
-DocType: Stock Entry,Sales Invoice No,Prodejní faktuře č
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Typ dodávky
+DocType: Stock Entry,Sales Invoice No,Číslo odoslanej faktúry
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Typ dodávky
 DocType: Material Request Item,Min Order Qty,Min Objednané množství
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Študent Group Creation Tool ihrisko
 DocType: Lead,Do Not Contact,Nekontaktujte
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publikovat v Hub
 DocType: Student Admission,Student Admission,študent Vstupné
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Položka {0} je zrušená
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Položka {0} je zrušená
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Odpisový riadok {0}: Dátum začiatku odpisovania sa zadáva ako posledný dátum
 DocType: Contract Template,Fulfilment Terms and Conditions,Zmluvné podmienky plnenia
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Požiadavka na materiál
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Požiadavka na materiál
 DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Nákupné podrobnosti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebol nájdený v &quot;suroviny dodanej&quot; tabuľky v objednávke {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebol nájdený v &quot;suroviny dodanej&quot; tabuľky v objednávke {1}
 DocType: Salary Slip,Total Principal Amount,Celková hlavná čiastka
 DocType: Student Guardian,Relation,Vztah
 DocType: Student Guardian,Mother,matka
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Okres dodania
 DocType: Currency Exchange,For Selling,Pre predaj
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Učenie
+DocType: Purchase Invoice Item,Enable Deferred Expense,Povolenie odloženého výdavku
 DocType: Asset,Next Depreciation Date,Vedľa Odpisy Dátum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Náklady na činnosť na jedného zamestnanca
 DocType: Accounts Settings,Settings for Accounts,Nastavenie Účtovníctva
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Dodávateľské faktúry No existuje vo faktúre {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Dodávateľské faktúry No existuje vo faktúre {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Správa obchodník strom.
 DocType: Job Applicant,Cover Letter,Sprievodný list
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Vynikajúci Šeky a vklady s jasnými
@@ -553,14 +554,14 @@
 DocType: Employee,External Work History,Vnější práce History
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Kruhové Referenčné Chyba
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Kartu pre študentov
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Z kódu PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Z kódu PIN
 DocType: Appointment Type,Is Inpatient,Je hospitalizovaný
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Meno Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Ve slovech (export) budou viditelné, jakmile uložíte doručení poznámku."
 DocType: Cheque Print Template,Distance from left edge,Vzdialenosť od ľavého okraja
 apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jednotiek [{1}] (# Form / bodu / {1}) bola nájdená v [{2}] (# Form / sklad / {2})
 DocType: Lead,Industry,Průmysl
-DocType: BOM Item,Rate & Amount,Sadzba a čiastka
+DocType: BOM Item,Rate & Amount,Sadzba a množstvo
 DocType: BOM,Transfer Material Against Job Card,Prevodový materiál proti karte úloh
 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Upozornit e-mailem na tvorbu automatických Materiál Poptávka
 apps/erpnext/erpnext/healthcare/setup.py +191,Resistant,odolný
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Viac mien
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktúry
 DocType: Employee Benefit Claim,Expense Proof,Dôkaz o nákladoch
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Dodací list
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Uloženie {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Dodací list
 DocType: Patient Encounter,Encounter Impression,Zaznamenajte zobrazenie
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Nastavenie Dane
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Náklady predaných aktív
 DocType: Volunteer,Morning,dopoludnia
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu."
 DocType: Program Enrollment Tool,New Student Batch,Nová študentská dávka
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} vložené dvakrát v Daňovej Položke
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Zhrnutie pre tento týždeň a prebiehajúcim činnostiam
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} vložené dvakrát v Daňovej Položke
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Zhrnutie pre tento týždeň a prebiehajúcim činnostiam
 DocType: Student Applicant,Admitted,"pripustil,"
 DocType: Workstation,Rent Cost,Rent Cost
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Suma po odpisoch
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Suma po odpisoch
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Nadchádzajúce Udalosti v kalendári
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variantov atribúty
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Vyberte měsíc a rok
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Tam môže byť len 1 účet na spoločnosti v {0} {1}
 DocType: Support Search Source,Response Result Key Path,Cesta kľúča výsledku odpovede
 DocType: Journal Entry,Inter Company Journal Entry,Inter company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Pre množstvo {0} by nemalo byť väčšie ako množstvo pracovnej objednávky {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Prosím, viz příloha"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Pre množstvo {0} by nemalo byť väčšie ako množstvo pracovnej objednávky {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Prosím, viz příloha"
 DocType: Purchase Order,% Received,% Prijaté
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Vytvorenie skupiny študentov
 DocType: Volunteer,Weekends,víkendy
@@ -649,8 +651,8 @@
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +20,Mandatory field - Get Students From,Povinné pole - Získajte študentov z
 DocType: Program Enrollment,Enrolled courses,Zapísané kurzy
 DocType: Program Enrollment,Enrolled courses,Zapísané kurzy
-DocType: Currency Exchange,Currency Exchange,Směnárna
-DocType: Opening Invoice Creation Tool Item,Item Name,Název položky
+DocType: Currency Exchange,Currency Exchange,Zmenáreň
+DocType: Opening Invoice Creation Tool Item,Item Name,Názov položky
 DocType: Authorization Rule,Approving User  (above authorized value),Schválenie užívateľa (nad oprávnenej hodnoty)
 DocType: Email Digest,Credit Balance,Credit Balance
 DocType: Employee,Widowed,Ovdovělý
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Celkom nevybavené
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série.
 DocType: Dosage Strength,Strength,pevnosť
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Vytvoriť nový zákazník
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Vytvoriť nového zákazníka
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Vypršanie zapnuté
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Je-li více pravidla pro tvorbu cen i nadále přednost, jsou uživatelé vyzváni k nastavení priority pro vyřešení konfliktu."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,vytvorenie objednávok
@@ -671,18 +673,19 @@
 DocType: Workstation,Consumable Cost,Spotrebné náklady
 DocType: Purchase Receipt,Vehicle Date,Dátum Vehicle
 DocType: Student Log,Medical,Lékařský
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Důvod ztráty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Vyberte Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Dôvod straty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Vyberte Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Získateľ Obchodnej iniciatívy nemôže byť to isté ako Obchodná iniciatíva
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Pridelená suma nemôže väčšie ako množstvo neupravené
-DocType: Announcement,Receiver,prijímač
+DocType: Announcement,Receiver,Príjemca
 DocType: Location,Area UOM,Oblasť UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation je uzavřena v následujících dnech podle Prázdninový Seznam: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Príležitosti
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Príležitosti
 DocType: Lab Test Template,Single,Slobodný/á
 DocType: Compensatory Leave Request,Work From Date,Práca od dátumu
 DocType: Salary Slip,Total Loan Repayment,celkové splátky
-DocType: Account,Cost of Goods Sold,Náklady na prodej zboží
+DocType: Project User,View attachments,Zobraziť prílohy
+DocType: Account,Cost of Goods Sold,Náklady na predaj tovaru
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,"Prosím, zadajte nákladové stredisko"
 DocType: Drug Prescription,Dosage,dávkovanie
 DocType: Journal Entry Account,Sales Order,Predajné objednávky
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Množstvo a Sadzba
 DocType: Delivery Note,% Installed,% Inštalovaných
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebne / etc laboratória, kde môžu byť naplánované prednášky."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Spoločné meny oboch spoločností by mali zodpovedať transakciám medzi spoločnosťami.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Spoločné meny oboch spoločností by mali zodpovedať transakciám medzi spoločnosťami.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,"Prosím, zadajte najprv názov spoločnosti"
 DocType: Travel Itinerary,Non-Vegetarian,Non-vegetariánska
 DocType: Purchase Invoice,Supplier Name,Názov dodávateľa
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Dočasne pozastavené
 DocType: Account,Is Group,Is Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditná poznámka {0} bola vytvorená automaticky
-DocType: Email Digest,Pending Purchase Orders,čaká objednávok
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automaticky nastaviť sériových čísel na základe FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,"Skontrolujte, či dodávateľské faktúry Počet Jedinečnosť"
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Údaje o primárnej adrese
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Přizpůsobte si úvodní text, který jede jako součást tohoto e-mailu. Každá transakce je samostatný úvodní text."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Riadok {0}: Vyžaduje sa operácia proti položke surovín {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Nastavte predvolený splatný účet pre spoločnosť {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transakcia nie je povolená proti zastavenej pracovnej zákazke {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transakcia nie je povolená proti zastavenej pracovnej zákazke {0}
 DocType: Setup Progress Action,Min Doc Count,Minimálny počet dokladov
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globální nastavení pro všechny výrobní procesy.
 DocType: Accounts Settings,Accounts Frozen Upto,Účty Frozen aľ
 DocType: SMS Log,Sent On,Poslané na
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atribút {0} vybraný niekoľkokrát v atribútoch tabuľke
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atribút {0} vybraný niekoľkokrát v atribútoch tabuľke
 DocType: HR Settings,Employee record is created using selected field. ,Zamestnanecký záznam sa vytvorí použitím vybraného poľa
 DocType: Sales Order,Not Applicable,Nehodí se
 DocType: Amazon MWS Settings,UK,Spojené kráľovstvo
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Zamestnanec {0} už požiadal o {1} dňa {2}:
 DocType: Inpatient Record,AB Positive,AB Pozitívny
 DocType: Job Opening,Description of a Job Opening,Popis jednoho volných pozic
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Nevybavené aktivity pre dnešok
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Nevybavené aktivity pre dnešok
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Plat komponentov pre mzdy časového rozvrhu.
+DocType: Driver,Applicable for external driver,Platí pre externý ovládač
 DocType: Sales Order Item,Used for Production Plan,Používá se pro výrobní plán
 DocType: Loan,Total Payment,celkové platby
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Pre dokončenú pracovnú zákazku nie je možné zrušiť transakciu.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Pre dokončenú pracovnú zákazku nie je možné zrušiť transakciu.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Doba medzi operáciou (v min)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO už vytvorené pre všetky položky predajnej objednávky
 DocType: Healthcare Service Unit,Occupied,obsadený
 DocType: Clinical Procedure,Consumables,Spotrebný
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} je zrušená, takže akciu nemožno dokončiť"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} je zrušená, takže akciu nemožno dokončiť"
 DocType: Customer,Buyer of Goods and Services.,Kupující zboží a služeb.
 DocType: Journal Entry,Accounts Payable,Účty za úplatu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Suma {0} nastavená v tejto žiadosti o platbu sa líši od vypočítanej sumy všetkých platobných plánov: {1}. Pred odoslaním dokumentu sa uistite, že je to správne."
 DocType: Patient,Allergies,alergie
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Vybrané kusovníky nie sú rovnaké položky
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Vybrané kusovníky nie sú rovnaké položky
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Zmeniť kód položky
 DocType: Supplier Scorecard Standing,Notify Other,Oznámiť iné
 DocType: Vital Signs,Blood Pressure (systolic),Krvný tlak (systolický)
@@ -780,9 +783,9 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Dosť Časti vybudovať
 DocType: POS Profile User,POS Profile User,Používateľ profilu POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Riadok {0}: Vyžaduje sa dátum začiatku odpisovania
-DocType: Sales Invoice Item,Service Start Date,Dátum začiatku služby
+DocType: Purchase Invoice Item,Service Start Date,Dátum začiatku služby
 DocType: Subscription Invoice,Subscription Invoice,Faktúra odberu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Přímý příjmů
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Priame príjmy
 DocType: Patient Appointment,Date TIme,Dátum Čas
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +53,"Can not filter based on Account, if grouped by Account","Nelze filtrovat na základě účtu, pokud seskupeny podle účtu"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +118,Administrative Officer,Správní ředitel
@@ -798,9 +801,9 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +435,Please enter Warehouse for which Material Request will be raised,"Prosím, zadejte sklad, který bude materiál žádosti předložené"
 DocType: Work Order,Additional Operating Cost,Další provozní náklady
 DocType: Lab Test Template,Lab Routine,Lab Rutine
-apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetika
+apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kozmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Vyberte dátum dokončenia pre dokončený protokol údržby majetku
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky"
 DocType: Supplier,Block Supplier,Zablokovať dodávateľa
 DocType: Shipping Rule,Net Weight,Hmotnost
 DocType: Job Opening,Planned number of Positions,Plánovaný počet pozícií
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Šablóna mapovania peňažných tokov
 DocType: Travel Request,Costing Details,Podrobnosti o kalkulácii
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Zobraziť položky návratu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Sériovej žiadna položka nemôže byť zlomkom
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Sériovej žiadna položka nemôže byť zlomkom
 DocType: Journal Entry,Difference (Dr - Cr),Rozdíl (Dr - Cr)
 DocType: Bank Guarantee,Providing,ak
 DocType: Account,Profit and Loss,Zisk a strata
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Ak nie je povolené, nakonfigurujte podľa potreby šablónu Lab Test"
 DocType: Patient,Risk Factors,Rizikové faktory
 DocType: Patient,Occupational Hazards and Environmental Factors,Pracovné nebezpečenstvo a environmentálne faktory
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Zápisy už boli vytvorené pre pracovnú objednávku
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Zápisy už boli vytvorené pre pracovnú objednávku
 DocType: Vital Signs,Respiratory rate,Dýchacia frekvencia
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Správa Subdodávky
 DocType: Vital Signs,Body Temperature,Teplota tela
 DocType: Project,Project will be accessible on the website to these users,Projekt bude k dispozícii na webových stránkach k týmto užívateľom
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Nie je možné zrušiť {0} {1}, pretože sériové číslo {2} nepatrí do skladu {3}"
 DocType: Detected Disease,Disease,choroba
+DocType: Company,Default Deferred Expense Account,Predvolený účet odloženého výdavku
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definujte typ projektu.
 DocType: Supplier Scorecard,Weighting Function,Funkcia váženia
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Poradenstvo Charge
@@ -851,11 +856,11 @@
 DocType: Crop,Produced Items,Vyrobené položky
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Prebieha transakcia so faktúrami
 DocType: Sales Order Item,Gross Profit,Hrubý Zisk
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Odblokovať faktúru
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Odblokovať faktúru
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Prírastok nemôže byť 0
 DocType: Company,Delete Company Transactions,Zmazať transakcie spoločnosti
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referenčné číslo a referenčný dátum je povinný pre bankové transakcie
-DocType: Purchase Receipt,Add / Edit Taxes and Charges,Přidat / Upravit daní a poplatků
+DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pridať / Upraviť dane a poplatky
 DocType: Payment Entry Reference,Supplier Invoice No,Dodávateľská faktúra č
 DocType: Territory,For reference,Pro srovnání
 DocType: Healthcare Settings,Appointment Confirmation,Potvrdenie menovania
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Ignorovat
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} nie je aktívny
 DocType: Woocommerce Settings,Freight and Forwarding Account,Účet pre prepravu a prepravu
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Skontrolujte nastavenie rozmery pre tlač
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Skontrolujte nastavenie rozmery pre tlač
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Vytvorte výplatné pásky
 DocType: Vital Signs,Bloated,nafúknutý
 DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení
 DocType: Item Price,Valid From,Platnost od
 DocType: Sales Invoice,Total Commission,Celkem Komise
 DocType: Tax Withholding Account,Tax Withholding Account,Zrážkový účet
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Všetky hodnotiace karty dodávateľa.
 DocType: Buying Settings,Purchase Receipt Required,Příjmka je vyžadována
 DocType: Delivery Note,Rail,koľajnice
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Cieľový sklad v riadku {0} musí byť rovnaký ako pracovná zákazka
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Ocenenie Rate je povinné, ak zadaná počiatočným stavom zásob"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Cieľový sklad v riadku {0} musí byť rovnaký ako pracovná zákazka
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Ocenenie Rate je povinné, ak zadaná počiatočným stavom zásob"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nalezené v tabulce faktury Žádné záznamy
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Vyberte první společnost a Party Typ
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",Už bolo nastavené predvolené nastavenie profilu {0} pre používateľa {1}
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finanční / Účetní rok.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finanční / Účetní rok.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,neuhradená Hodnoty
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Zákaznícka skupina nastaví vybranú skupinu pri synchronizácii zákazníkov so službou Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,Id Obchodnej iniciatívy
 DocType: C-Form Invoice Detail,Grand Total,Celkem
 DocType: Assessment Plan,Course,kurz
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kód sekcie
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kód sekcie
 DocType: Timesheet,Payslip,výplatná páska
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Dátum pol dňa by mal byť medzi dňom a dňom
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,item košík
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Osobná bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID členstva
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Dodáva: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Dodáva: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Pripojené k QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Splatnost účtu
 DocType: Payment Entry,Type of Payment,typ platby
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Polovičný dátum je povinný
@@ -920,11 +926,11 @@
 DocType: Job Applicant,Resume Attachment,Resume Attachment
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Verní zákazníci
 DocType: Leave Control Panel,Allocate,Přidělit
-apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +108,Create Variant,Vytvorte variant
+apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +108,Create Variant,Vytvoriť variant
 DocType: Sales Invoice,Shipping Bill Date,Dátum zasielania účtov
 DocType: Production Plan,Production Plan,Výrobný plán
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otvorenie nástroja na tvorbu faktúr
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Sales Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Poznámka: Celkový počet alokovaných listy {0} by nemala byť menšia ako ktoré už boli schválené listy {1} pre obdobie
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nastavte počet v transakciách na základe sériového č. Vstupu
 ,Total Stock Summary,Súhrnné zhrnutie zásob
@@ -935,12 +941,12 @@
 DocType: Healthcare Settings,Confirmation Message,Potvrdzujúca správa
 apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Databáze potenciálních zákazníků.
 DocType: Authorization Rule,Customer or Item,Zákazník alebo položka
-apps/erpnext/erpnext/config/selling.py +28,Customer database.,Databáze zákazníků.
+apps/erpnext/erpnext/config/selling.py +28,Customer database.,Databáza zákazníkov
 DocType: Quotation,Quotation To,Ponuka k
-DocType: Lead,Middle Income,Středními příjmy
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Středními příjmy
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Otvor (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Východzí merná jednotka bodu {0} nemôže byť zmenená priamo, pretože ste už nejaké transakcie (y) s iným nerozpustených. Budete musieť vytvoriť novú položku použiť iný predvolený UOM."
-apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Přidělená částka nemůže být záporná
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Východzí merná jednotka bodu {0} nemôže byť zmenená priamo, pretože ste už nejaké transakcie (y) s iným nerozpustených. Budete musieť vytvoriť novú položku použiť iný predvolený UOM."
+apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Alokovaná čiastka nemôže byť záporná
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Nastavte spoločnosť
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Nastavte spoločnosť
 DocType: Share Balance,Share Balance,Zostatok na účtoch
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Vybrať Platobný účet, aby Bank Entry"
 DocType: Hotel Settings,Default Invoice Naming Series,Predvolená séria pomenovaní faktúr
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Vytvoriť Zamestnanecké záznamy pre správu listy, vyhlásenia o výdavkoch a miezd"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Počas procesu aktualizácie sa vyskytla chyba
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Počas procesu aktualizácie sa vyskytla chyba
 DocType: Restaurant Reservation,Restaurant Reservation,Rezervácia reštaurácie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Návrh Psaní
 DocType: Payment Entry Deduction,Payment Entry Deduction,Platba Vstup dedukcie
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Zahaliť
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Informujte zákazníkov prostredníctvom e-mailu
 DocType: Item,Batch Number Series,Číselná séria šarží
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Ďalšia predaja osoba {0} existuje s rovnakým id zamestnanca
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Ďalšia predaja osoba {0} existuje s rovnakým id zamestnanca
 DocType: Employee Advance,Claimed Amount,Požadovaná suma
+DocType: QuickBooks Migrator,Authorization Settings,Nastavenia autorizácie
 DocType: Travel Itinerary,Departure Datetime,Dátum odchodu
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Kalkulácia požiadaviek na cesty
@@ -994,7 +1001,7 @@
 DocType: Student,Sibling Details,súrodenec Podrobnosti
 DocType: Vehicle Service,Vehicle Service,servis vozidiel
 apps/erpnext/erpnext/config/setup.py +95,Automatically triggers the feedback request based on conditions.,Automaticky spúšťa žiadosť o spätné väzby na základe podmienok.
-DocType: Employee,Reason for Resignation,Důvod rezignace
+DocType: Employee,Reason for Resignation,Dôvod rezignácie
 DocType: Sales Invoice,Credit Note Issued,dobropisu vystaveného
 DocType: Project Task,Weight,váha
 DocType: Payment Reconciliation,Invoice/Journal Entry Details,Faktura / Zápis do deníku Podrobnosti
@@ -1003,39 +1010,42 @@
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +22,Asset {0} does not belong to company {1},Aktíva {0} nepatrí do spoločnosti {1}
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +70,Please enter Purchase Receipt first,"Prosím, zadejte první doklad o zakoupení"
 DocType: Buying Settings,Supplier Naming By,Pomenovanie dodávateľa podľa
-DocType: Activity Type,Default Costing Rate,Predvolené kalkulácie Rate
+DocType: Activity Type,Default Costing Rate,Predvolená sadzba kalkulácie nákladov
 DocType: Maintenance Schedule,Maintenance Schedule,Plán údržby
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Pak se pravidla pro tvorbu cen jsou odfiltrovány založeny na zákazníka, skupiny zákazníků, území, dodavatel, dodavatel typ, kampaň, obchodní partner atd"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Pak se pravidla pro tvorbu cen jsou odfiltrovány založeny na zákazníka, skupiny zákazníků, území, dodavatel, dodavatel typ, kampaň, obchodní partner atd"
 DocType: Employee Promotion,Employee Promotion Details,Podrobnosti o podpore zamestnancov
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Čistá Zmena stavu zásob
 DocType: Employee,Passport Number,Číslo pasu
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Súvislosť s Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manažér
 DocType: Payment Entry,Payment From / To,Platba od / do
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Od fiškálneho roka
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nový úverový limit je nižšia ako aktuálna dlžnej čiastky za zákazníka. Úverový limit musí byť aspoň {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Nastavte si účet v službe Warehouse {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Nastavte si účet v službe Warehouse {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Založené na"" a ""Zoskupené podľa"", nemôžu byť rovnaké"
-DocType: Sales Person,Sales Person Targets,Obchodník cíle
+DocType: Sales Person,Sales Person Targets,Obchodnícke ciele
 DocType: Work Order Operation,In minutes,V minútach
 DocType: Issue,Resolution Date,Rozlišení Datum
 DocType: Lab Test Template,Compound,zlúčenina
+DocType: Opportunity,Probability (%),Pravdepodobnosť (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Oznámenie o doručení
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Vyberte položku Vlastníctvo
 DocType: Student Batch Name,Batch Name,Názov šarže
 DocType: Fee Validity,Max number of visit,Maximálny počet návštev
 ,Hotel Room Occupancy,Hotel Occupancy
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Pracovný výkaz vytvorený:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,zapísať
 DocType: GST Settings,GST Settings,Nastavenia GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Mena by mala byť rovnaká ako mena cenníka: {0}
 DocType: Selling Settings,Customer Naming By,Zákazník Pojmenování By
 DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Ukáže na študenta bol prítomný v Student mesačnú návštevnosť Správa
-DocType: Depreciation Schedule,Depreciation Amount,odpisy Suma
-apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +105,Convert to Group,Převést do skupiny
+DocType: Depreciation Schedule,Depreciation Amount,Suma odpisov
+apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +105,Convert to Group,Previesť na skupinu
 DocType: Activity Cost,Activity Type,Druh činnosti
 DocType: Request for Quotation,For individual supplier,Pre jednotlivé dodávateľa
 DocType: BOM Operation,Base Hour Rate(Company Currency),Základňa hodinová sadzba (Company meny)
-apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Delivered Amount,Dodává Částka
+apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Delivered Amount,Dodaná Čiastka
 DocType: Loyalty Point Entry Redemption,Redemption Date,Dátum vykúpenia
 DocType: Quotation Item,Item Balance,Balance položka
 DocType: Sales Invoice,Packing List,Zoznam balenia
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,Celkové úroky splatné
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Přistál nákladů daně a poplatky
 DocType: Work Order Operation,Actual Start Time,Skutečný čas začátku
+DocType: Purchase Invoice Item,Deferred Expense Account,Odložený nákladový účet
 DocType: BOM Operation,Operation Time,Provozní doba
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Skončiť
 DocType: Salary Structure Assignment,Base,Základ
 DocType: Timesheet,Total Billed Hours,Celkom Predpísané Hodiny
 DocType: Travel Itinerary,Travel To,Cestovať do
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nie je
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Odepsat Částka
 DocType: Leave Block List Allow,Allow User,Umožňuje uživateli
 DocType: Journal Entry,Bill No,Bill No
@@ -1089,9 +1099,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Časový rozvrh
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,So spätným suroviny na základe
 DocType: Sales Invoice,Port Code,Port Code
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Rezervný sklad
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Rezervný sklad
 DocType: Lead,Lead is an Organization,Vedenie je organizácia
-DocType: Guardian Interest,Interest,záujem
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Predpredaj
 DocType: Instructor Log,Other Details,Ďalšie podrobnosti
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Dodávateľ
@@ -1101,7 +1110,7 @@
 DocType: Account,Accounts,Účty
 DocType: Vehicle,Odometer Value (Last),Hodnota počítadla kilometrov (Last)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Šablóny kritérií kritérií pre dodávateľa.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Uplatnite vernostné body
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Vstup Platba je už vytvorili
 DocType: Request for Quotation,Get Suppliers,Získajte dodávateľov
@@ -1118,16 +1127,14 @@
 DocType: Crop,Crop Spacing UOM,Rozmiestnenie medzných plôch
 DocType: Loyalty Program,Single Tier Program,Jednoduchý program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Vyberte len, ak máte nastavené dokumenty Mapper Cash Flow"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Z adresy 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Z adresy 1
 DocType: Email Digest,Next email will be sent on:,Další e-mail bude odeslán dne:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Nasledujúca položka {items} {verb} bola označená ako položka {message}. Môžete ich povoliť ako položku {message} z položky Master
 DocType: Supplier Scorecard,Per Week,Za týždeň
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Položka má varianty.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Položka má varianty.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Celkový počet študentov
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Položka {0} nebyl nalezen
 DocType: Bin,Stock Value,Hodnota na zásobách
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Spoločnosť {0} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Spoločnosť {0} neexistuje
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} má platnosť do {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Množství spotřebované na jednotku
@@ -1142,12 +1149,12 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Vstup Kreditní karta
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Spoločnosť a účty
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,v Hodnota
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,v Hodnota
 DocType: Asset Settings,Depreciation Options,Možnosti odpisovania
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,"Musí sa vyžadovať buď umiestnenie, alebo zamestnanec"
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Neplatný čas odoslania
 DocType: Salary Component,Condition and Formula,Podmienka a vzorec
-DocType: Lead,Campaign Name,Název kampaně
+DocType: Lead,Campaign Name,Názov kampane
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +61,There is no leave period in between {0} and {1},Neexistuje žiadne obdobie dovolenky medzi {0} a {1}
 DocType: Fee Validity,Healthcare Practitioner,Zdravotnícky lekár
 DocType: Hotel Room,Capacity,kapacita
@@ -1159,20 +1166,21 @@
 DocType: Leave Allocation,Allocation,Pridelenie
 DocType: Purchase Order,Supply Raw Materials,Dodávok surovín
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Oběžná aktiva
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} nie je skladová položka
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} nie je skladová položka
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Zdieľajte svoje pripomienky k tréningu kliknutím na &quot;Odborná pripomienka&quot; a potom na &quot;Nové&quot;
-DocType: Mode of Payment Account,Default Account,Výchozí účet
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Najskôr vyberte položku Sample Retention Warehouse in Stock Stock Settings
+DocType: Mode of Payment Account,Default Account,Východzí účet
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Najskôr vyberte položku Sample Retention Warehouse in Stock Stock Settings
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Vyberte typ viacvrstvového programu pre viac ako jednu pravidlá kolekcie.
-DocType: Payment Entry,Received Amount (Company Currency),Prijaté Suma (Company mena)
+DocType: Payment Entry,Received Amount (Company Currency),Prijatá suma (v peňažnej mene firmy)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Iniciatíva musí byť nastavená ak je Príležitosť vytváraná z Iniciatívy
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Platba bola zrušená. Skontrolujte svoj účet GoCardless pre viac informácií
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Odoslať s prílohou
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Prosím, vyberte týdenní off den"
 DocType: Inpatient Record,O Negative,O Negatívny
 DocType: Work Order Operation,Planned End Time,Plánované End Time
 ,Sales Person Target Variance Item Group-Wise,Prodej Osoba Cílová Odchylka Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Účet s transakcemi nelze převést na hlavní účetní knihu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Účet s transakcemi nelze převést na hlavní účetní knihu
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Podrobnosti o členstve typu
 DocType: Delivery Note,Customer's Purchase Order No,Zákazníka Objednávka No
 DocType: Clinical Procedure,Consume Stock,Spotreba akcií
@@ -1185,26 +1193,26 @@
 DocType: Soil Texture,Sand,piesok
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energie
 DocType: Opportunity,Opportunity From,Příležitost Z
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Riadok {0}: {1} Sériové čísla vyžadované pre položku {2}. Poskytli ste {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Riadok {0}: {1} Sériové čísla vyžadované pre položku {2}. Poskytli ste {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Vyberte tabuľku
 DocType: BOM,Website Specifications,Webových stránek Specifikace
 DocType: Special Test Items,Particulars,podrobnosti
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Od {0} typu {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Viac Cena pravidlá existuje u rovnakých kritérií, prosím vyriešiť konflikt tým, že priradí prioritu. Cena Pravidlá: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Viac Cena pravidlá existuje u rovnakých kritérií, prosím vyriešiť konflikt tým, že priradí prioritu. Cena Pravidlá: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Účet z precenenia výmenného kurzu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Zvoľte Spoločnosť a dátum odoslania na zadanie záznamov
 DocType: Asset,Maintenance,Údržba
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Získajte od stretnutia s pacientmi
 DocType: Subscriber,Subscriber,predplatiteľ
 DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Aktualizujte stav projektu
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Aktualizujte stav projektu
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Výmena peňazí musí byť uplatniteľná pri kúpe alebo predaji.
 DocType: Item,Maximum sample quantity that can be retained,"Maximálne množstvo vzorky, ktoré možno uchovať"
 DocType: Project Update,How is the Project Progressing Right Now?,Ako teraz práca prebieha?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Riadok {0} # Položka {1} nemožno previesť viac ako {2} do objednávky {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Riadok {0} # Položka {1} nemožno previesť viac ako {2} do objednávky {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Predajné kampane
 DocType: Project Task,Make Timesheet,Vytvor pracovný výkaz
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1252,36 +1260,38 @@
 DocType: Lab Test,Lab Test,Laboratórny test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Nástroj na generovanie správ študentov
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Časový rozvrh časového harmonogramu zdravotnej starostlivosti
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Name
 DocType: Expense Claim Detail,Expense Claim Type,Náklady na pojistná Type
-DocType: Shopping Cart Settings,Default settings for Shopping Cart,Výchozí nastavení Košík
+DocType: Shopping Cart Settings,Default settings for Shopping Cart,Predvolené nastavenia pre Košík
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Pridať Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset vyhodený cez položka denníka {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Nastavte účet vo Warehouse {0} alebo predvolený účet inventára v spoločnosti {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset vyhodený cez položka denníka {0}
 DocType: Loan,Interest Income Account,Účet Úrokové výnosy
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Maximálne prínosy by mali byť väčšie ako nula, aby sa vylúčili prínosy"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Maximálne prínosy by mali byť väčšie ako nula, aby sa vylúčili prínosy"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Recenzia pozvánky odoslaná
 DocType: Shift Assignment,Shift Assignment,Presunutie posunu
 DocType: Employee Transfer Property,Employee Transfer Property,Vlastníctvo prevodu zamestnancov
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Čas by mal byť menej ako čas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Položka {0} (sériové číslo: {1}) sa nedá vyčerpať tak, ako je vynaložené, \ splnenie objednávky odberateľa {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Náklady Office údržby
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Ísť do
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aktualizovať cenu z Shopify do ERPNext Cenník
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavenie e-mailového konta
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Prosím, najprv zadajte položku"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analýza potrieb
 DocType: Asset Repair,Downtime,prestoje
 DocType: Account,Liability,Odpovědnost
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionovaná Čiastka nemôže byť väčšia ako reklamácia Suma v riadku {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionovaná Čiastka nemôže byť väčšia ako reklamácia Suma v riadku {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademický termín:
 DocType: Salary Component,Do not include in total,Nezaradenie celkom
 DocType: Company,Default Cost of Goods Sold Account,Východiskové Náklady na predaný tovar účte
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Množstvo vzorky {0} nemôže byť väčšie ako prijaté množstvo {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Nie je zvolený cenník
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Množstvo vzorky {0} nemôže byť väčšie ako prijaté množstvo {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Nie je zvolený cenník
 DocType: Employee,Family Background,Rodinné poměry
 DocType: Request for Quotation Supplier,Send Email,Odoslať email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Varovanie: Neplatná Príloha {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Varovanie: Neplatná Príloha {0}
 DocType: Item,Max Sample Quantity,Max. Množstvo vzoriek
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nemáte oprávnenie
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolný zoznam plnenia zmluvy
@@ -1313,15 +1323,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: náklady Center {2} nepatrí do spoločnosti {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Nahrajte svoje písmeno hlavy (Udržujte web priateľský ako 900 x 100 pixelov)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Účet {2} nemôže byť skupina
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Položka Row {idx}: {typ_dokumentu} {} DOCNAME neexistuje v predchádzajúcom &#39;{typ_dokumentu}&#39; tabuľka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Harmonogramu {0} je už dokončená alebo zrušená
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Harmonogramu {0} je už dokončená alebo zrušená
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,žiadne úlohy
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Faktúra predaja {0} bola vytvorená ako zaplatená
 DocType: Item Variant Settings,Copy Fields to Variant,Kopírovať polia na variant
 DocType: Asset,Opening Accumulated Depreciation,otvorenie Oprávky
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Skóre musí být menší než nebo rovna 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tool zápis
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form záznamy
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form záznamy
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Akcie už existujú
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Zákazník a Dodávateľ
 DocType: Email Digest,Email Digest Settings,Nastavení e-mailu Digest
@@ -1334,12 +1344,12 @@
 DocType: Production Plan,Select Items,Vyberte položky
 DocType: Share Transfer,To Shareholder,Akcionárovi
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} proti účtu {1} z dňa {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Z štátu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Z štátu
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Nastavenie inštitúcie
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Prideľovanie listov ...
 DocType: Program Enrollment,Vehicle/Bus Number,Číslo vozidla / autobusu
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,rozvrh
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Musíte odpočítať daň z nezdaneného daňového oslobodenia od dane a nárok na \ Zamestnanecké benefity v poslednom platobný rozvrh mzdového obdobia
 DocType: Request for Quotation Supplier,Quote Status,Citácia Stav
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1365,13 +1375,13 @@
 DocType: Sales Invoice,Payment Due Date,Splatné dňa
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Znovu zvoľte, ak je zvolená adresa upravená po uložení"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Variant Položky {0} už existuje s rovnakými vlastnosťami
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Variant Položky {0} už existuje s rovnakými vlastnosťami
 DocType: Item,Hub Publishing Details,Podrobnosti o publikovaní Hubu
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',"""Otváranie"""
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',"""Otváranie"""
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,otvorená robiť
 DocType: Issue,Via Customer Portal,Prostredníctvom zákazníckeho portálu
 DocType: Notification Control,Delivery Note Message,Delivery Note Message
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Suma SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Suma SGST
 DocType: Lab Test Template,Result Format,Formát výsledkov
 DocType: Expense Claim,Expenses,Výdaje
 DocType: Item Variant Attribute,Item Variant Attribute,Vlastnosť Variantu Položky
@@ -1379,14 +1389,12 @@
 DocType: Payroll Entry,Bimonthly,dvojmesačne
 DocType: Vehicle Service,Brake Pad,Brzdová doštička
 DocType: Fertilizer,Fertilizer Contents,Obsah hnojiva
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Výzkum a vývoj
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Výzkum a vývoj
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Částka k Fakturaci
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Dátum začiatku a dátum ukončenia sa prekrýva s pracovnou kartou <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registrace Podrobnosti
 DocType: Timesheet,Total Billed Amount,Celková suma Fakturovaný
-DocType: Item Reorder,Re-Order Qty,Re-Order Množství
+DocType: Item Reorder,Re-Order Qty,Doobjednacie množstvo
 DocType: Leave Block List Date,Leave Block List Date,Nechte Block List Datum
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Prosím, nastavte názov inštruktora systému vo vzdelávaní&gt; Nastavenia vzdelávania"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Surovina nemôže byť rovnaká ako hlavná položka
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Celkom Použiteľné Poplatky v doklade o kúpe tovaru, ktorý tabuľky musí byť rovnaká ako celkom daní a poplatkov"
 DocType: Sales Team,Incentives,Pobídky
@@ -1400,7 +1408,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Mieste predaja
 DocType: Fee Schedule,Fee Creation Status,Stav tvorby poplatkov
 DocType: Vehicle Log,Odometer Reading,stav tachometra
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Zůstatek na účtu již v Credit, není dovoleno stanovit ""Balance musí být"" jako ""debet"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Zůstatek na účtu již v Credit, není dovoleno stanovit ""Balance musí být"" jako ""debet"""
 DocType: Account,Balance must be,Zostatok musí byť
 DocType: Notification Control,Expense Claim Rejected Message,Zpráva o zamítnutí úhrady výdajů
 ,Available Qty,Množství k dispozici
@@ -1412,7 +1420,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Vždy synchronizujte svoje produkty so zariadením Amazon MWS pred synchronizáciou podrobností objednávok
 DocType: Delivery Trip,Delivery Stops,Zastavenie doručenia
 DocType: Salary Slip,Working Days,Pracovní dny
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Nemôžem zmeniť dátum ukončenia servisu pre položku v riadku {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Nemôžem zmeniť dátum ukončenia servisu pre položku v riadku {0}
 DocType: Serial No,Incoming Rate,Příchozí Rate
 DocType: Packing Slip,Gross Weight,Hrubá hmotnost
 DocType: Leave Type,Encashment Threshold Days,Denné prahové hodnoty pre inkasovanie
@@ -1431,31 +1439,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimálne sedenie
 DocType: Item Attribute,Item Attribute Values,Položka Hodnoty atributů
 DocType: Examination Result,Examination Result,vyšetrenie Výsledok
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Příjemka
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Příjemka
 ,Received Items To Be Billed,"Přijaté položek, které mají být účtovány"
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Devizový kurz master.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Devizový kurz master.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referenčná DOCTYPE musí byť jedným z {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtrovanie celkového množstva nuly
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Nemožno nájsť časový úsek v najbližších {0} dní na prevádzku {1}
 DocType: Work Order,Plan material for sub-assemblies,Plán materiál pro podsestavy
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Obchodní partneri a teritória
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} musí být aktivní
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} musí být aktivní
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Pre prenos nie sú k dispozícii žiadne položky
 DocType: Employee Boarding Activity,Activity Name,Názov aktivity
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Zmeniť dátum vydania
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Množstvo hotového produktu <b>{0}</b> a Množstvo <b>{1}</b> sa nemôžu líšiť
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Zmeniť dátum vydania
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Množstvo hotového produktu <b>{0}</b> a Množstvo <b>{1}</b> sa nemôžu líšiť
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Uzávierka (otvorenie + celkom)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položiek&gt; Značka
+DocType: Delivery Settings,Dispatch Notification Attachment,Príloha o oznámení odoslania
 DocType: Payroll Entry,Number Of Employees,Počet zamestnancov
-DocType: Journal Entry,Depreciation Entry,odpisy Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Najprv vyberte typ dokumentu
+DocType: Journal Entry,Depreciation Entry,Zápis odpisu
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Najprv vyberte typ dokumentu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Zrušit Materiál Návštěvy {0} před zrušením tohoto návštěv údržby
 DocType: Pricing Rule,Rate or Discount,Sadzba alebo zľava
 DocType: Vital Signs,One Sided,Jednostranné
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Požadované množství
 DocType: Marketplace Settings,Custom Data,Vlastné údaje
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Sklady s existujúcimi transakcie nemožno previesť na knihy.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Sériové číslo je povinné pre položku {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Sklady s existujúcimi transakcie nemožno previesť na knihy.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Sériové číslo je povinné pre položku {0}
 DocType: Bank Reconciliation,Total Amount,Celková částka
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Od dátumu a do dátumu ležia v inom fiškálnom roku
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacient {0} nemá faktúru odberateľa
@@ -1466,9 +1476,9 @@
 DocType: Soil Texture,Clay Composition (%),Zloženie hliny (%)
 DocType: Item Group,Item Group Defaults,Predvolené položky skupiny položiek
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Uložte pred udelením úlohy.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Hodnota zostatku
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Hodnota zostatku
 DocType: Lab Test,Lab Technician,Laboratórny technik
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Predajný cenník
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Predajný cenník
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ak je začiarknuté, vytvorí sa zákazník, zmapovaný na pacienta. Faktúry pacienta budú vytvorené voči tomuto zákazníkovi. Môžete tiež vybrať existujúceho zákazníka pri vytváraní pacienta."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Zákazník nie je zaregistrovaný v žiadnom vernostnom programe
@@ -1482,13 +1492,13 @@
 DocType: Support Search Source,Search Term Param Name,Hľadaný výraz Param Name
 DocType: Item Barcode,Item Barcode,Položka Barcode
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Varianty Položky {0} aktualizované
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Varianty Položky {0} aktualizované
 DocType: Quality Inspection Reading,Reading 6,Čtení 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Nemožno {0} {1} {2} bez negatívnych vynikajúce faktúra
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Nemožno {0} {1} {2} bez negatívnych vynikajúce faktúra
 DocType: Share Transfer,From Folio No,Z Folio č
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Záloha přijaté faktury
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit záznam nemůže být spojována s {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definovať rozpočet pre finančný rok.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definovať rozpočet pre finančný rok.
 DocType: Shopify Tax Account,ERPNext Account,Následný účet ERP
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} je zablokovaná, aby táto transakcia nemohla pokračovať"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Ak je akumulovaný mesačný rozpočet prekročen na MR
@@ -1504,19 +1514,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Prijatá faktúra
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Povoliť viacnásobnú spotrebu materiálu proti pracovnej objednávke
 DocType: GL Entry,Voucher Detail No,Voucher Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nová predajná faktúra
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nová predajná faktúra
 DocType: Stock Entry,Total Outgoing Value,Celková hodnota Odchozí
 DocType: Healthcare Practitioner,Appointments,schôdzky
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Dátum začatia a dátumom ukončenia by malo byť v rámci rovnakého fiškálny rok
 DocType: Lead,Request for Information,Žádost o informace
 ,LeaderBoard,Nástenka lídrov
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Sadzba s maržou (mena spoločnosti)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline Faktúry
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline Faktúry
 DocType: Payment Request,Paid,Zaplatené
 DocType: Program Fee,Program Fee,program Fee
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Nahradiť konkrétny kusovník vo všetkých ostatných kusovníkoch, kde sa používa. Bude nahradiť starý odkaz BOM, aktualizovať cenu a obnoviť tabuľku &quot;BOM Explosion Item&quot; podľa nového kusovníka. Aktualizuje tiež poslednú cenu vo všetkých kusovníkoch."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Boli vytvorené tieto pracovné príkazy:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Boli vytvorené tieto pracovné príkazy:
 DocType: Salary Slip,Total in words,Celkem slovy
 DocType: Inpatient Record,Discharged,Vybitý
 DocType: Material Request Item,Lead Time Date,Čas a Dátum Obchodnej iniciatívy
@@ -1527,16 +1537,16 @@
 DocType: Support Settings,Get Started Sections,Začnite sekcie
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,Sankcionované
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,"je povinné. Možno, Zmenáreň záznam nie je vytvorená pre"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Celková suma príspevku: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1}
 DocType: Payroll Entry,Salary Slips Submitted,Príspevky na platy boli odoslané
 DocType: Crop Cycle,Crop Cycle,Orezový cyklus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pre &quot;produktom Bundle predmety, sklad, sériové číslo a dávkové No bude považovaná zo&quot; Balenie zoznam &#39;tabuľky. Ak Warehouse a Batch No sú rovnaké pre všetky balenia položky pre akúkoľvek &quot;Výrobok balík&quot; položky, tieto hodnoty môžu byť zapísané do hlavnej tabuľky položky, budú hodnoty skopírované do &quot;Balenie zoznam&quot; tabuľku."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pre &quot;produktom Bundle predmety, sklad, sériové číslo a dávkové No bude považovaná zo&quot; Balenie zoznam &#39;tabuľky. Ak Warehouse a Batch No sú rovnaké pre všetky balenia položky pre akúkoľvek &quot;Výrobok balík&quot; položky, tieto hodnoty môžu byť zapísané do hlavnej tabuľky položky, budú hodnoty skopírované do &quot;Balenie zoznam&quot; tabuľku."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Z miesta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Čistá platba nemôže byť záporná
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Z miesta
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Čistá platba nemôže byť záporná
 DocType: Student Admission,Publish on website,Publikovať na webových stránkach
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Dodávateľ Dátum faktúry nemôže byť väčšia ako Dátum zverejnenia
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Dodávateľ Dátum faktúry nemôže byť väčšia ako Dátum zverejnenia
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Dátum zrušenia
 DocType: Purchase Invoice Item,Purchase Order Item,Položka nákupnej objednávky
@@ -1544,8 +1554,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +139,Indirect Income,Nepřímé příjmy
 DocType: Student Attendance Tool,Student Attendance Tool,Študent Účasť Tool
 DocType: Restaurant Menu,Price List (Auto created),Cenník (vytvorený automaticky)
-DocType: Cheque Print Template,Date Settings,dátum Nastavenie
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Odchylka
+DocType: Cheque Print Template,Date Settings,Nastavenia dátumu
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Odchylka
 DocType: Employee Promotion,Employee Promotion Detail,Podrobnosti o propagácii zamestnancov
 ,Company Name,Názov spoločnosti
 DocType: SMS Center,Total Message(s),Celkem zpráv (y)
@@ -1571,11 +1581,10 @@
 DocType: Workstation,Electricity Cost,Cena elektřiny
 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py +15,Amount should be greater than zero.,Množstvo by malo byť väčšie ako nula.
 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py +23,Lab testing datetime cannot be before collection datetime,Laboratórne testovanie dátumu nemôže byť pred dátumom zberu
-DocType: Subscription Plan,Cost,náklady
+DocType: Subscription Plan,Cost,Náklady
 DocType: HR Settings,Don't send Employee Birthday Reminders,Neposílejte zaměstnance připomenutí narozenin
 DocType: Expense Claim,Total Advance Amount,Celková čiastka preddavku
 DocType: Delivery Stop,Estimated Arrival,Odhadovaný príchod
-DocType: Delivery Stop,Notified by Email,Oznámené e-mailom
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Pozrite si všetky články
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Vejít
 DocType: Item,Inspection Criteria,Inšpekčné kritéria
@@ -1585,22 +1594,21 @@
 DocType: Timesheet Detail,Bill,Účtenka
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Biela
 DocType: SMS Center,All Lead (Open),Všetky Iniciatívy (Otvorené)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riadok {0}: Množstvo nie je k dispozícii pre {4} v sklade {1} pri účtovaní čas zápisu ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riadok {0}: Množstvo nie je k dispozícii pre {4} v sklade {1} pri účtovaní čas zápisu ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,V zozname začiarkavacích políčok môžete vybrať maximálne jednu možnosť.
 DocType: Purchase Invoice,Get Advances Paid,Získejte zaplacené zálohy
 DocType: Item,Automatically Create New Batch,Automaticky vytvoriť novú dávku
 DocType: Supplier,Represents Company,Reprezentuje spoločnosť
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Vytvoriť
 DocType: Student Admission,Admission Start Date,Vstupné Dátum začatia
 DocType: Journal Entry,Total Amount in Words,Celková částka slovy
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nový zamestnanec
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Došlo k chybě. Jedním z důvodů by mohlo být pravděpodobné, že jste uložili formulář. Obraťte se prosím na support@erpnext.com Pokud problém přetrvává."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Môj košík
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Typ objednávky musí být jedním z {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Typ objednávky musí být jedním z {0}
 DocType: Lead,Next Contact Date,Další Kontakt Datum
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otevření POČET
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otváracie množstvo
 DocType: Healthcare Settings,Appointment Reminder,Pripomienka na menovanie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Prosím, zadajte účet pre zmenu Suma"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Prosím, zadajte účet pre zmenu Suma"
 DocType: Program Enrollment Tool Student,Student Batch Name,Študent Batch Name
 DocType: Holiday List,Holiday List Name,Názov zoznamu sviatkov
 DocType: Repayment Schedule,Balance Loan Amount,Bilancia Výška úveru
@@ -1610,13 +1618,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Možnosti zásob
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Do košíka nie sú pridané žiadne položky
 DocType: Journal Entry Account,Expense Claim,Hrazení nákladů
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Naozaj chcete obnoviť tento vyradený aktívum?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Naozaj chcete obnoviť tento vyradený aktívum?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Množství pro {0}
 DocType: Leave Application,Leave Application,Aplikácia na priepustky
 DocType: Patient,Patient Relation,Vzťah pacientov
 DocType: Item,Hub Category to Publish,Kategória Hubu na publikovanie
 DocType: Leave Block List,Leave Block List Dates,Nechte Block List termíny
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Predajná objednávka {0} má rezerváciu pre položku {1}, môžete doručiť rezervované {1} iba proti {0}. Sériové číslo {2} sa nedá dodať"
 DocType: Sales Invoice,Billing Address GSTIN,Fakturačná adresa GSTIN
@@ -1633,17 +1641,19 @@
 DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.-
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Zadajte {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Odstránené položky bez zmeny množstva alebo hodnoty.
-DocType: Delivery Note,Delivery To,Doručení do
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Tvorba variantu bola zaradená do frontu.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Súhrn práce pre {0}
+DocType: Delivery Note,Delivery To,Doručenie do
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Tvorba variantu bola zaradená do frontu.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Súhrn práce pre {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prvý prideľovač odchýlok v zozname bude nastavený ako predvolený neprístupný.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Atribút tabuľka je povinné
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Atribút tabuľka je povinné
 DocType: Production Plan,Get Sales Orders,Získat Prodejní objednávky
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} nemôže byť záporné
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Pripojte sa k Quickbooks
 DocType: Training Event,Self-Study,Samoštúdium
 DocType: POS Closing Voucher,Period End Date,Dátum ukončenia obdobia
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Pôdne zložky nedosahujú hodnotu 100
-apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Sleva
+apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Zľava
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Na vytvorenie {2} faktúr na otvorenie {0}: {1} je potrebný riadok
 DocType: Membership,Membership,členstva
 DocType: Asset,Total Number of Depreciations,Celkový počet Odpisy
 DocType: Sales Invoice Item,Rate With Margin,Sadzba s maržou
@@ -1655,7 +1665,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Zadajte platný riadok ID riadku tabuľky {0} {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Nepodarilo sa nájsť premennú:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Vyberte pole, ktoré chcete upraviť z čísla"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Nemôže byť položka fixného majetku, pretože je vytvorená účtovná kniha."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Nemôže byť položka fixného majetku, pretože je vytvorená účtovná kniha."
 DocType: Subscription Plan,Fixed rate,Fixna sadzba
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Pripustiť
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Prejdite na plochu a začnite používať ERPNext
@@ -1663,7 +1673,7 @@
 DocType: Item,Manufacturer,Výrobca
 DocType: Landed Cost Item,Purchase Receipt Item,Položka příjemky
 DocType: Leave Allocation,Total Leaves Encashed,Celkový počet zapuzdrených listov
-DocType: POS Profile,Sales Invoice Payment,Predajná faktúry Platba
+DocType: POS Profile,Sales Invoice Payment,Platba na odoslanú faktúru
 DocType: Quality Inspection Template,Quality Inspection Template Name,Názov šablóny inšpekcie kvality
 DocType: Project,First Email,Prvý e-mail
 DocType: Company,Exception Budget Approver Role,Role prístupu k výnimke rozpočtu
@@ -1676,7 +1686,7 @@
 DocType: Serial No,Creation Document No,Tvorba dokument č
 DocType: Location,Location Details,Podrobné informácie o polohe
 DocType: Share Transfer,Issue,Problém
-apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py +11,Records,záznamy
+apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py +11,Records,Záznamy
 DocType: Asset,Scrapped,zošrotovaný
 DocType: Item,Item Defaults,Predvolené položky
 DocType: Purchase Invoice,Returns,výnos
@@ -1689,7 +1699,7 @@
 DocType: Tax Rule,Shipping State,Prepravné State
 ,Projected Quantity as Source,Množstvo projekciou as Zdroj
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Položka musí být přidány pomocí ""získat předměty z kupní příjmy"" tlačítkem"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Výlet z dodávky
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Výlet z dodávky
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Typ prenosu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Predajné náklady
@@ -1702,12 +1712,13 @@
 DocType: Item Default,Default Selling Cost Center,Výchozí Center Prodejní cena
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,kotúč
 DocType: Buying Settings,Material Transferred for Subcontract,Materiál prenesený na subdodávateľskú zmluvu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,PSČ
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Predajné objednávky {0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Položky nákupných objednávok Po splatnosti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,PSČ
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Predajné objednávky {0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Vyberte účet úrokového príjmu v úvere {0}
-DocType: Opportunity,Contact Info,Kontaktní informace
+DocType: Opportunity,Contact Info,Kontaktné informácie
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Tvorba prírastkov zásob
-apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +15,Cannot promote Employee with status Left,Nemožno propagovať zamestnanca so stavom vľavo
+apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +15,Cannot promote Employee with status Left,Nemožno povýšiť zamestnanca so statusom odídený
 DocType: Packing Slip,Net Weight UOM,Čistá hmotnosť MJ
 DocType: Item Default,Default Supplier,Výchozí Dodavatel
 DocType: Loan,Repayment Schedule,splátkový kalendár
@@ -1716,12 +1727,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Faktúru nemožno vykonať za nulovú fakturačnú hodinu
 DocType: Company,Date of Commencement,Dátum začiatku
 DocType: Sales Person,Select company name first.,"Prosím, vyberte najprv názov spoločnosti"
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email odeslán (komu) {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email odoslaný na {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ponuky od Dodávateľov.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Nahraďte kusovník a aktualizujte najnovšiu cenu vo všetkých kusovníkoch
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Chcete-li {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Toto je koreňová skupina dodávateľov a nie je možné ju upravovať.
-DocType: Delivery Trip,Driver Name,Názov vodiča
+DocType: Delivery Note,Driver Name,Názov vodiča
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Průměrný věk
 DocType: Education Settings,Attendance Freeze Date,Účasť
 DocType: Education Settings,Attendance Freeze Date,Účasť
@@ -1734,7 +1745,7 @@
 DocType: Company,Parent Company,Materská spoločnosť
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotel Izby typu {0} sú k dispozícii na {1}
 DocType: Healthcare Practitioner,Default Currency,Predvolená mena
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maximálna zľava pre položku {0} je {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maximálna zľava pre položku {0} je {1}%
 DocType: Asset Movement,From Employee,Od Zaměstnance
 DocType: Driver,Cellphone Number,Mobilné číslo
 DocType: Project,Monitor Progress,Monitorovanie pokroku
@@ -1750,19 +1761,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Množstvo musí byť menší ako alebo rovný {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Maximálna čiastka oprávnená pre komponent {0} presahuje {1}
 DocType: Department Approver,Department Approver,Schôdza oddelenia
+DocType: QuickBooks Migrator,Application Settings,Nastavenia aplikácie
 DocType: SMS Center,Total Characters,Celkový počet znaků
 DocType: Employee Advance,Claimed,vyhlasoval
 DocType: Crop,Row Spacing,Rozstup riadkov
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Vyberte kusovník Bom oblasti k bodu {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Vyberte kusovník Bom oblasti k bodu {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Pre vybranú položku nie je žiadna iná položka
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Platba Odsouhlasení faktury
 DocType: Clinical Procedure,Procedure Template,Šablóna postupu
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Příspěvek%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Podľa nákupných nastavení, ak je objednávka požadovaná == &#39;ÁNO&#39;, potom pre vytvorenie nákupnej faktúry musí používateľ najprv vytvoriť nákupnú objednávku pre položku {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Príspevok%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Podľa nákupných nastavení, ak je objednávka požadovaná == &#39;ÁNO&#39;, potom pre vytvorenie nákupnej faktúry musí používateľ najprv vytvoriť nákupnú objednávku pre položku {0}"
 ,HSN-wise-summary of outward supplies,HSN-múdre zhrnutie vonkajších dodávok
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registrace firmy čísla pro váš odkaz. Daňové čísla atd
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Do stavu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Do stavu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributor
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Nákupní košík Shipping Rule
@@ -1771,7 +1783,7 @@
 ,Ordered Items To Be Billed,Objednané zboží fakturovaných
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Z rozsahu, musí byť nižšia ako na Range"
 DocType: Global Defaults,Global Defaults,Globální Výchozí
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projekt spolupráce Pozvánka
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projekt spolupráce Pozvánka
 DocType: Salary Slip,Deductions,Odpočty
 DocType: Setup Progress Action,Action Name,Názov akcie
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Začiatočný rok
@@ -1785,11 +1797,12 @@
 DocType: Lead,Consultant,Konzultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Zúčastňovanie učiteľov rodičov
 DocType: Salary Slip,Earnings,Príjmy
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Dokončené Položka {0} musí byť zadaný pre vstup typu Výroba
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Dokončené Položka {0} musí byť zadaný pre vstup typu Výroba
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Otvorenie účtovníctva Balance
 ,GST Sales Register,Obchodný register spoločnosti GST
-DocType: Sales Invoice Advance,Sales Invoice Advance,Prodejní faktury Advance
+DocType: Sales Invoice Advance,Sales Invoice Advance,Záloha na odoslanej faktúre
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nic požadovat
+DocType: Stock Settings,Default Return Warehouse,Predvolený vrátený sklad
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Vyberte svoje domény
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Nakupujte dodávateľa
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Položky faktúry platby
@@ -1798,15 +1811,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Polia budú kopírované iba v čase vytvorenia.
 DocType: Setup Progress Action,Domains,Domény
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Aktuálny datum začiatku"" nemôže byť väčší ako ""Aktuálny dátum ukončenia"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Manažment
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Manažment
 DocType: Cheque Print Template,Payer Settings,nastavenie platcu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Žiadne prebiehajúce žiadosti o materiál, z ktorých sa zistilo, že odkazujú na dané položky."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Najprv vyberte spoločnosť
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bude připojen na položku zákoníku varianty. Například, pokud vaše zkratka je ""SM"", a položka je kód ""T-SHIRT"", položka kód varianty bude ""T-SHIRT-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Čistá Pay (slovy) budou viditelné, jakmile uložíte výplatní pásce."
 DocType: Delivery Note,Is Return,Je Return
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,pozor
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Pozor
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Začiatočný deň je väčší ako koniec dňa v úlohe &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Return / ťarchopis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Return / ťarchopis
 DocType: Price List Country,Price List Country,Cenník Krajina
 DocType: Item,UOMs,Merné Jednotky
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} platné sériové čísla pre položky {1}
@@ -1814,18 +1828,18 @@
 DocType: Purchase Invoice Item,UOM Conversion Factor,Faktor konverzie MJ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +9,Please enter Item Code to get Batch Number,"Prosím, zadajte kód položky sa dostať číslo šarže"
 DocType: Loyalty Point Entry,Loyalty Point Entry,Zadanie vernostného bodu
-DocType: Stock Settings,Default Item Group,Výchozí bod Group
+DocType: Stock Settings,Default Item Group,Predvolená skupina položiek
 DocType: Job Card,Time In Mins,Čas v minútach
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Poskytnite informácie.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Databáze dodavatelů.
 DocType: Contract Template,Contract Terms and Conditions,Zmluvné podmienky
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Predplatné, ktoré nie je zrušené, nemôžete reštartovať."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Predplatné, ktoré nie je zrušené, nemôžete reštartovať."
 DocType: Account,Balance Sheet,Rozvaha
 DocType: Leave Type,Is Earned Leave,Získaná dovolenka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """
 DocType: Fee Validity,Valid Till,Platný do
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Celkové stretnutie učiteľov rodičov
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba nie je nakonfigurovaný. Prosím skontrolujte, či je účet bol nastavený na režim platieb alebo na POS Profilu."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba nie je nakonfigurovaný. Prosím skontrolujte, či je účet bol nastavený na režim platieb alebo na POS Profilu."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Rovnakú položku nemožno zadávať viackrát.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ďalšie účty môžu byť vyrobené v rámci skupiny, ale údaje je možné proti non-skupín"
 DocType: Lead,Lead,Obchodná iniciatíva
@@ -1834,11 +1848,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Sklad Vstup {0} vytvoril
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Nemáte dostatok vernostných bodov na vykúpenie
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Riadok # {0}: zamietnutie Množstvo nemôže byť zapísaný do kúpnej Návrat
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Nastavte priradený účet v kategórii zrážky dane {0} voči spoločnosti {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Riadok # {0}: zamietnutie Množstvo nemôže byť zapísaný do kúpnej Návrat
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Zmena zákazníckej skupiny pre vybraného zákazníka nie je povolená.
 ,Purchase Order Items To Be Billed,Položky vydané objednávky k fakturaci
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Aktualizácia predpokladaných časov príchodu.
 DocType: Program Enrollment Tool,Enrollment Details,Podrobnosti o registrácii
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Nie je možné nastaviť viaceré predvolené položky pre spoločnosť.
 DocType: Purchase Invoice Item,Net Rate,Čistá miera
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Vyberte zákazníka
 DocType: Leave Policy,Leave Allocations,Ponechajte alokácie
@@ -1863,13 +1879,13 @@
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +20,Order Count,Počet objednávok
 DocType: Global Defaults,Current Fiscal Year,Aktuálny fiškálny rok
 DocType: Purchase Invoice,Group same items,Skupina rovnaké položky
-DocType: Purchase Invoice,Disable Rounded Total,Zakázat Zaoblený Celkem
+DocType: Purchase Invoice,Disable Rounded Total,Vypnúť zaokrúhlovanie sumy spolu
 DocType: Marketplace Settings,Sync in Progress,Priebeh synchronizácie
 DocType: Department,Parent Department,Rodičovské oddelenie
 DocType: Loan Application,Repayment Info,splácanie Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Položky"" nemôžu býť prázdne"
 DocType: Maintenance Team Member,Maintenance Role,Úloha údržby
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplicitný riadok {0} s rovnakým {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplicitný riadok {0} s rovnakým {1}
 DocType: Marketplace Settings,Disable Marketplace,Zakázať trhovisko
 ,Trial Balance,Trial Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Fiškálny rok {0} nebol nájdený
@@ -1880,9 +1896,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Nastavenia odberu
 DocType: Purchase Invoice,Update Auto Repeat Reference,Aktualizovať referenciu automatického opakovania
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Voliteľný prázdninový zoznam nie je nastavený na obdobie dovolenky {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Voliteľný prázdninový zoznam nie je nastavený na obdobie dovolenky {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Výzkum
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Na adresu 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Na adresu 2
 DocType: Maintenance Visit Purpose,Work Done,Odvedenou práci
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Uveďte aspoň jeden atribút v tabuľke atribúty
 DocType: Announcement,All Students,všetci študenti
@@ -1892,16 +1908,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Zosúladené transakcie
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Najstarší
 DocType: Crop Cycle,Linked Location,Prepojená poloha
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Položková  skupina s rovnakým názvom už existuje. Prosím, zmeňte názov položky alebo premenujte skupinu položiek"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Položková  skupina s rovnakým názvom už existuje. Prosím, zmeňte názov položky alebo premenujte skupinu položiek"
 DocType: Crop Cycle,Less than a year,Menej ako rok
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Študent Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Zbytek světa
-apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Položka {0} nemůže mít dávku
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Zbytek světa
+apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Položka {0} nemôže mať dávku
 DocType: Crop,Yield UOM,Výnos UOM
 ,Budget Variance Report,Rozpočet Odchylka Report
 DocType: Salary Slip,Gross Pay,Hrubé mzdy
 DocType: Item,Is Item from Hub,Je položka z Hubu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Získajte položky zo služieb zdravotnej starostlivosti
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Získajte položky zo služieb zdravotnej starostlivosti
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Riadok {0}: typ činnosti je povinná.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividendy platené
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Účtovné Ledger
@@ -1916,6 +1932,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Způsob platby
 DocType: Purchase Invoice,Supplied Items,Dodávané položky
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Nastavte prosím aktívnu ponuku reštaurácie {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Komisia sadzba%
 DocType: Work Order,Qty To Manufacture,Množství K výrobě
 DocType: Email Digest,New Income,new príjmov
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Udržovat stejnou sazbu po celou kupní cyklu
@@ -1930,12 +1947,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Ocenenie Miera potrebná pre položku v riadku {0}
 DocType: Supplier Scorecard,Scorecard Actions,Akcie Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Príklad: Masters v informatike
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Dodávateľ {0} nebol nájdený v {1}
 DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse
 DocType: GL Entry,Against Voucher,Proti poukazu
 DocType: Item Default,Default Buying Cost Center,Výchozí Center Nákup Cost
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Ak chcete získať to najlepšie z ERPNext, odporúčame vám nejaký čas venovať týmto videám."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Pre predvoleného dodávateľa (nepovinné)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,k
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Pre predvoleného dodávateľa (nepovinné)
 DocType: Supplier Quotation Item,Lead Time in days,Vek Obchodnej iniciatívy v dňoch
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Splatné účty Shrnutí
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Není povoleno upravovat zmrazený účet {0}
@@ -1944,7 +1961,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Upozornenie na novú žiadosť o ponuku
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Objednávky pomôžu pri plánovaní a sledovaní na vaše nákupy
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Predpisy pre laboratórne testy
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Celkové emisie / prenosu množstvo {0} v hmotnej Request {1} \ nemôže byť väčšie než množstvo {2} pre položku {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Malý
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ak služba Shopify neobsahuje zákazníka v objednávke, pri synchronizácii objednávok systém zváži objednávku predvoleného zákazníka"
@@ -1956,32 +1973,33 @@
 DocType: Project,% Completed,% Dokončených
 ,Invoiced Amount (Exculsive Tax),Fakturovaná částka (bez daně)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Položka 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Koncový bod autorizácie
 DocType: Travel Request,International,medzinárodný
 DocType: Training Event,Training Event,Training Event
 DocType: Item,Auto re-order,Auto re-order
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Celkem Dosažená
 DocType: Employee,Place of Issue,Místo vydání
-DocType: Contract,Contract,Smlouva
+DocType: Contract,Contract,Zmluva
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratórne testovanie
 DocType: Email Digest,Add Quote,Pridať ponuku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Koeficient prepočtu MJ je potrebný k MJ: {0} v bode: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Koeficient prepočtu MJ je potrebný k MJ: {0} v bode: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Nepřímé náklady
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Množství je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Množství je povinný
 DocType: Agriculture Analysis Criteria,Agriculture,Poľnohospodárstvo
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Vytvorenie objednávky predaja
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Účtovné položky pre aktíva
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokovať faktúru
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Účtovné položky pre aktíva
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokovať faktúru
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,"Množstvo, ktoré sa má vyrobiť"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Náklady na opravu
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Vaše Produkty alebo Služby
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Nepodarilo sa prihlásiť
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Bol vytvorený majetok {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Bol vytvorený majetok {0}
 DocType: Special Test Items,Special Test Items,Špeciálne testovacie položky
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Musíte byť používateľom s funkciami Správca systému a Správca položiek na registráciu na trhu.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Způsob platby
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Podľa vašej pridelenej štruktúry platov nemôžete požiadať o výhody
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Webové stránky Image by mala byť verejná súboru alebo webovej stránky URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Webové stránky Image by mala byť verejná súboru alebo webovej stránky URL
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Jedná se o skupinu kořen položky a nelze upravovat.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Zlúčiť
@@ -1990,7 +2008,8 @@
 DocType: Warehouse,Warehouse Contact Info,Sklad Kontaktní informace
 DocType: Payment Entry,Write Off Difference Amount,Odpísať Difference Suma
 DocType: Volunteer,Volunteer Name,Názov dobrovoľníka
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: e-mail zamestnanec nebol nájdený, a preto je pošta neposlal"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},V iných riadkoch boli nájdené riadky s duplicitnými termínmi: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: e-mail zamestnanec nebol nájdený, a preto je pošta neposlal"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Žiadna platová štruktúra priradená zamestnancovi {0} v daný deň {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Prepravné pravidlo sa nevzťahuje na krajinu {0}
 DocType: Item,Foreign Trade Details,Zahraničný obchod Podrobnosti
@@ -1998,17 +2017,17 @@
 DocType: Email Digest,Annual Income,Ročný príjem
 DocType: Serial No,Serial No Details,Podrodnosti k sériovému číslu
 DocType: Purchase Invoice Item,Item Tax Rate,Sazba daně položky
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Z názvu strany
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Z názvu strany
 DocType: Student Group Student,Group Roll Number,Číslo skupiny rollov
 DocType: Student Group Student,Group Roll Number,Číslo skupiny rollov
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Pro {0}, tak úvěrové účty mohou být propojeny na jinou položku debetní"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Delivery Note {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Delivery Note {0} není předložena
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Položka {0} musí být Subdodavatelské Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitálové Vybavení
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitál Vybavenie
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ceny Pravidlo je nejprve vybrána na základě ""Použít na"" oblasti, které mohou být položky, položky skupiny nebo značky."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Najprv nastavte kód položky
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Celkové přidělené procento prodejní tým by měl být 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,DokTyp
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Celkové přidělené procento prodejní tým by měl být 100
 DocType: Subscription Plan,Billing Interval Count,Počet fakturačných intervalov
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Schôdzky a stretnutia s pacientmi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Hodnota chýba
@@ -2022,6 +2041,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Vytvoriť formát tlače
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Poplatok vytvorený
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Nenašiel žiadnu položku s názvom {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filtrovanie položiek
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kritérium vzorca
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Celkem Odchozí
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tam může být pouze jeden Shipping Rule Podmínka s 0 nebo prázdnou hodnotu pro ""na hodnotu"""
@@ -2030,14 +2050,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Pri položke {0} musí byť množstvo kladné
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Poznámka: Tento Nákladové středisko je Group. Nelze vytvořit účetní zápisy proti skupinám.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Kompenzačné dni žiadosti o dovolenku nie sú v platných sviatkoch
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dieťa sklad existuje pre tento sklad. Nemôžete odstrániť tento sklad.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dieťa sklad existuje pre tento sklad. Nemôžete odstrániť tento sklad.
 DocType: Item,Website Item Groups,Webové stránky skupiny položek
 DocType: Purchase Invoice,Total (Company Currency),Total (Company meny)
 DocType: Daily Work Summary Group,Reminder,pripomienka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Prístupná hodnota
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Prístupná hodnota
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Výrobní číslo {0} přihlášeno více než jednou
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Zápis do deníku
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Z GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Z GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Nevyžiadaná suma
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} položky v prebiehajúcej
 DocType: Workstation,Workstation Name,Meno pracovnej stanice
@@ -2045,7 +2065,7 @@
 DocType: POS Item Group,POS Item Group,POS položky Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternatívna položka nesmie byť rovnaká ako kód položky
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1}
 DocType: Sales Partner,Target Distribution,Target Distribution
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - Dokončenie predbežného hodnotenia
 DocType: Salary Slip,Bank Account No.,Číslo bankového účtu
@@ -2054,7 +2074,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Možno použiť premenné tabuľky výsledkov, rovnako ako: {total_score} (celkové skóre z tohto obdobia), {period_number} (počet období do súčasnosti)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,zbaliť všetko
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,zbaliť všetko
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Vytvorenie objednávky
 DocType: Quality Inspection Reading,Reading 8,Čtení 8
 DocType: Inpatient Record,Discharge Note,Poznámka o vyčerpaní
@@ -2071,7 +2091,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Dátum dodávateľskej faktúry
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Táto hodnota sa používa na výpočet pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Musíte povolit Nákupní košík
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Musíte povolit Nákupní košík
 DocType: Payment Entry,Writeoff,odpísanie
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Pomenovanie predvoľby série
@@ -2086,12 +2106,11 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Překrývající podmínky nalezeno mezi:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Proti věstníku Entry {0} je již nastavena proti jiným poukaz
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Celková hodnota objednávky
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Jídlo
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Jídlo
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Stárnutí Rozsah 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Podrobnosti o uzatvorení dokladu POS
 DocType: Shopify Log,Shopify Log,Obchodný záznam
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nastavte pomenovanie série {0} cez Nastavenie&gt; Nastavenia&gt; Pomenovanie série
-DocType: Inpatient Occupancy,Check In,Check In
+DocType: Inpatient Occupancy,Check In,Prihlásiť sa
 DocType: Maintenance Schedule Item,No of Visits,Počet návštěv
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Plán údržby {0} existuje v porovnaní s {1}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +36,Enrolling student,učiaci študenta
@@ -2130,6 +2149,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maximálne výhody (čiastka)
 DocType: Purchase Invoice,Contact Person,Kontaktná osoba
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Očakávaný Dátum Začiatku"" nemôže byť väčší ako ""Očakávaný Dátum Ukončenia"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Žiadne údaje za toto obdobie
 DocType: Course Scheduling Tool,Course End Date,Koniec Samozrejme Dátum
 DocType: Holiday List,Holidays,Prázdniny
 DocType: Sales Order Item,Planned Quantity,Plánované Množstvo
@@ -2141,11 +2161,11 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Čistá zmena v stálych aktív
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Požad
 DocType: Leave Control Panel,Leave blank if considered for all designations,Nechajte prázdne ak má platiť pre všetky zadelenia
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate"
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime
 DocType: Shopify Settings,For Company,Pre spoločnosť
-apps/erpnext/erpnext/config/support.py +17,Communication log.,Komunikační protokol.
+apps/erpnext/erpnext/config/support.py +17,Communication log.,Záznam komunikácie
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +195,"Request for Quotation is disabled to access from portal, for more check portal settings.",Žiadosť o cenovú ponuku je zakázaný prístup z portálu pre viac Skontrolujte nastavenie portálu.
 DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Hodnota ukazovateľa skóre skóre dodávateľa
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +70,Buying Amount,Nákup Částka
@@ -2154,9 +2174,9 @@
 DocType: Material Request,Terms and Conditions Content,Podmínky Content
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Pri vytváraní kurzov sa vyskytli chyby
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Prvý odhadovač výdavkov v zozname bude nastavený ako predvolený odhadovač nákladov.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,nemôže byť väčšie ako 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,nemôže byť väčšie ako 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Aby ste sa mohli zaregistrovať na trhu, musíte byť iným používateľom než správcom s roly Správcu systémov a Správca položiek."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Položka {0} není skladem
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Položka {0} není skladem
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Neplánovaná
 DocType: Employee,Owned,Vlastník
@@ -2184,16 +2204,16 @@
 DocType: HR Settings,Employee Settings,Nastavení zaměstnanců
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Načítanie platobného systému
 ,Batch-Wise Balance History,Batch-Wise Balance History
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Riadok # {0}: Nie je možné nastaviť sadzbu, ak je suma vyššia ako čiastka fakturácie pre položku {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Riadok # {0}: Nie je možné nastaviť sadzbu, ak je suma vyššia ako čiastka fakturácie pre položku {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Nastavenie tlače aktualizované v príslušnom formáte tlači
 DocType: Package Code,Package Code,Kód zásielky
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Učeň
-DocType: Purchase Invoice,Company GSTIN,Spoločnosť GSTIN
+DocType: Purchase Invoice,Company GSTIN,IČDPH firmy
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Záporné množstvo nie je dovolené
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Tax detail tabulka staženy z položky pána jako řetězec a uložené v této oblasti.
  Používá se daní a poplatků"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Zamestnanec nemôže reportovať sám sebe.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Zamestnanec nemôže reportovať sám sebe.
 DocType: Leave Type,Max Leaves Allowed,Max povolené povolenia
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","V případě, že účet je zamrzlý, položky mohou omezeným uživatelům."
 DocType: Email Digest,Bank Balance,Bankový zostatok
@@ -2219,6 +2239,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Položky bankových transakcií
 DocType: Quality Inspection,Readings,Čtení
 DocType: Stock Entry,Total Additional Costs,Celkom Dodatočné náklady
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Počet interakcií
 DocType: BOM,Scrap Material Cost(Company Currency),Šrot materiálové náklady (Company mena)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Podsestavy
 DocType: Asset,Asset Name,asset Name
@@ -2226,10 +2247,10 @@
 DocType: Shipping Rule Condition,To Value,Chcete-li hodnota
 DocType: Loyalty Program,Loyalty Program Type,Typ vernostného programu
 DocType: Asset Movement,Stock Manager,Manažér zásob
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Source sklad je povinná pro řadu {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Source sklad je povinná pro řadu {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Platobný termín na riadku {0} je pravdepodobne duplicitný.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Poľnohospodárstvo (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,List k balíku
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,List k balíku
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Pronájem kanceláře
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Nastavenie SMS brány
 DocType: Disease,Common Name,Spoločný názov
@@ -2261,43 +2282,40 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email výplatnej páske pre zamestnancov
 DocType: Cost Center,Parent Cost Center,Nadřazené Nákladové středisko
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Zvoľte Možné dodávateľa
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Zvoľte Možné dodávateľa
 DocType: Sales Invoice,Source,Zdroj
 DocType: Customer,"Select, to make the customer searchable with these fields","Vyberte, ak chcete, aby sa zákazník stal pomocou týchto polí"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importovať doručené poznámky z Shopify pri odoslaní
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Zobraziť uzatvorené
 DocType: Leave Type,Is Leave Without Pay,Je odísť bez Pay
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset kategória je povinný pre položku investičného majetku
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset kategória je povinný pre položku investičného majetku
 DocType: Fee Validity,Fee Validity,Platnosť poplatku
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nalezené v tabulce platby Žádné záznamy
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Táto {0} je v rozpore s {1} o {2} {3}
 DocType: Student Attendance Tool,Students HTML,študenti HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Odstráňte zamestnanca <a href=""#Form/Employee/{0}"">{0}</a> \ tento dokument zrušíte"
 DocType: POS Profile,Apply Discount,použiť zľavu
 DocType: GST HSN Code,GST HSN Code,GST kód HSN
 DocType: Employee External Work History,Total Experience,Celková zkušenost
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,otvorené projekty
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +297,Packing Slip(s) cancelled,Balení Slip (y) zrušeno
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +90,Cash Flow from Investing,Peňažný tok z investičných
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +90,Cash Flow from Investing,Peňažný tok z investovania
 DocType: Program Course,Program Course,program kurzu
 DocType: Healthcare Service Unit,Allow Appointments,Povoliť schôdzky
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Freight and Forwarding Charges,Nákladní a Spediční Poplatky
-DocType: Homepage,Company Tagline for website homepage,Firma fb na titulnej stránke webu
+DocType: Homepage,Company Tagline for website homepage,Firemný slogan na titulnej stránke webu
 DocType: Item Group,Item Group Name,Názov položkovej skupiny
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +28,Taken,Zaujatý
-DocType: Student,Date of Leaving,Dátum Odchádzanie
+DocType: Student,Date of Leaving,Dátum odchodu
 DocType: Pricing Rule,For Price List,Pro Ceník
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +27,Executive Search,Executive Search
 DocType: Employee Advance,HR-EAD-.YYYY.-,HR-EAD-.YYYY.-
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +55,Setting defaults,Nastavenie predvolených nastavení
 DocType: Loyalty Program,Auto Opt In (For all customers),Automatická registrácia (pre všetkých zákazníkov)
-apps/erpnext/erpnext/utilities/activation.py +63,Create Leads,Vytvoriť vedie
+apps/erpnext/erpnext/utilities/activation.py +63,Create Leads,Vytvoriť iniciatívu
 DocType: Maintenance Schedule,Schedules,Plány
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profil POS je potrebný na použitie predajného miesta
 DocType: Cashier Closing,Net Amount,Čistá suma
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebola odoslaná, takže akciu nemožno dokončiť"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebola odoslaná, takže akciu nemožno dokončiť"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No
 DocType: Landed Cost Voucher,Additional Charges,dodatočné poplatky
 DocType: Support Search Source,Result Route Field,Výsledok Pole trasy
@@ -2326,11 +2344,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Otvorenie faktúr
 DocType: Contract,Contract Details,Detaily zmluvy
 DocType: Employee,Leave Details,Zanechať detaily
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Prosím nastavte používateľské ID v karte zamestnanca ak chcete umožniť rolu zamestnanca
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Prosím nastavte používateľské ID v karte zamestnanca ak chcete umožniť rolu zamestnanca
 DocType: UOM,UOM Name,Názov Mernej Jednotky
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Na adresu 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Na adresu 1
 DocType: GST HSN Code,HSN Code,Kód HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Výše příspěvku
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Výška príspevku
 DocType: Inpatient Record,Patient Encounter,Stretnutie s pacientmi
 DocType: Purchase Invoice,Shipping Address,Dodacia adresa
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Tento nástroj vám pomůže aktualizovat nebo opravit množství a ocenění zásob v systému. To se obvykle používá k synchronizaci hodnot systému a to, co ve skutečnosti existuje ve vašich skladech."
@@ -2347,11 +2365,11 @@
 DocType: Travel Itinerary,Mode of Travel,Spôsob cestovania
 DocType: Sales Invoice Item,Brand Name,Jméno značky
 DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Predvolené sklad je vyžadované pre vybraná položka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Predvolené sklad je vyžadované pre vybraná položka
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Krabica
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,možné Dodávateľ
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,možné Dodávateľ
 DocType: Budget,Monthly Distribution,Měsíční Distribution
-apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Přijímač Seznam je prázdný. Prosím vytvořte přijímače Seznam
+apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Zoznam príjemcov je prázdny. Prosím vytvorte zoznam príjemcov.
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Zdravotníctvo (beta)
 DocType: Production Plan Sales Order,Production Plan Sales Order,Výrobní program prodejní objednávky
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +419,"No active BOM found for item {0}. Delivery by \
@@ -2371,15 +2389,16 @@
 ,Lead Name,Meno Obchodnej iniciatívy
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,prieskum
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Otvorenie Sklad Balance
-DocType: Asset Category Account,Capital Work In Progress Account,Pokročilý účet kapitálu
+DocType: Asset Category Account,Capital Work In Progress Account,Účet Kapitálu Rozrobenosti
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Úprava hodnoty majetku
 DocType: Additional Salary,Payroll Date,Dátum mzdy
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} môže byť uvedené iba raz
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Listy Přidělené úspěšně za {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Žádné položky k balení
 DocType: Shipping Rule Condition,From Value,Od hodnoty
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Výrobné množstvo je povinné
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Výrobné množstvo je povinné
 DocType: Loan,Repayment Method,splácanie Method
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ak je zaškrtnuté, domovská stránka bude východiskový bod skupina pre webové stránky"
 DocType: Quality Inspection Reading,Reading 4,Čtení 4
@@ -2388,7 +2407,7 @@
 DocType: Employee Tax Exemption Proof Submission,Monthly Eligible Amount,Mesačná oprávnená suma
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +97,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Riadok # {0}: dátum Svetlá {1} nemôže byť pred Cheque Dátum {2}
 DocType: Asset Maintenance Task,Certificate Required,Potrebný certifikát
-DocType: Company,Default Holiday List,Výchozí Holiday Seznam
+DocType: Company,Default Holiday List,Východzí zoznam sviatkov
 DocType: Pricing Rule,Supplier Group,Skupina dodávateľov
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +61,{0} Digest,{0} Digest
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +151,Row {0}: From Time and To Time of {1} is overlapping with {2},Riadok {0}: čas od času aj na čas z {1} sa prekrýva s {2}
@@ -2404,7 +2423,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Odporúčanie zamestnancov
 DocType: Student Group,Set 0 for no limit,Nastavte 0 pre žiadny limit
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"V deň, keď (y), na ktoré žiadate o povolenie sú prázdniny. Nemusíte požiadať o voľno."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} je povinný vytvoriť faktúry Opening {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Primárna adresa a podrobnosti kontaktu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Znovu poslať e-mail Payment
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,novú úlohu
@@ -2412,10 +2430,10 @@
 apps/erpnext/erpnext/utilities/activation.py +74,Make Quotation,Vytvoriť ponuku
 apps/erpnext/erpnext/config/education.py +230,Other Reports,Ostatné správy
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Vyberte aspoň jednu doménu.
-DocType: Dependent Task,Dependent Task,Závislý Task
+DocType: Dependent Task,Dependent Task,Závislá úloha
 DocType: Shopify Settings,Shopify Tax Account,Nakupujte daňový účet
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}"
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Leave typu {0} nemůže být delší než {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Leave typu {0} nemůže být delší než {1}
 DocType: Delivery Trip,Optimize Route,Optimalizujte trasu
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Skúste plánovanie operácií pre X dní vopred.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2423,22 +2441,22 @@
 DocType: HR Settings,Stop Birthday Reminders,Zastaviť pripomenutie narodenín
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Prosím nastaviť predvolený účet mzdy, splatnú v spoločnosti {0}"
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Získajte finančné rozdelenie údajov o daniach a poplatkoch od spoločnosti Amazon
-DocType: SMS Center,Receiver List,Přijímač Seznam
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,hľadanie položky
+DocType: SMS Center,Receiver List,Zoznam príjemcov
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,hľadanie položky
 DocType: Payment Schedule,Payment Amount,Částka platby
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Polovičný dátum by mal byť medzi prácou od dátumu a dátumom ukončenia práce
 DocType: Healthcare Settings,Healthcare Service Items,Položky zdravotníckych služieb
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Spotřebovaném množství
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Čistá zmena v hotovosti
 DocType: Assessment Plan,Grading Scale,stupnica
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,už boli dokončené
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Skladom v ruke
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
 				pro-rata component",Pridajte zvyšné výhody {0} do aplikácie ako \ pro-rata
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +64,Import Successful!,Import byl úspěšný!
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +35,Payment Request already exists {0},Platba Dopyt už existuje {0}
-apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Náklady na vydaných položek
+apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Náklady na vydané položky
 DocType: Healthcare Practitioner,Hospital,Nemocnica
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +534,Quantity must not be more than {0},Množství nesmí být větší než {0}
 DocType: Travel Request Costing,Funded Amount,Finančná čiastka
@@ -2454,25 +2472,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Zadajte URL servera Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Dodavatel Číslo dílu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1
 DocType: Share Balance,To No,Nie
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Všetky povinné úlohy na tvorbu zamestnancov ešte neboli vykonané.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} je zrušená alebo zastavená
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} je zrušená alebo zastavená
 DocType: Accounts Settings,Credit Controller,Credit Controller
 DocType: Loan,Applicant Type,Typ žiadateľa
 DocType: Purchase Invoice,03-Deficiency in services,03-Nedostatok služieb
 DocType: Healthcare Settings,Default Medical Code Standard,Predvolený štandard medicínskeho kódu
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena
 DocType: Company,Default Payable Account,Výchozí Splatnost účtu
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavení pro on-line nákupního košíku, jako jsou pravidla dopravu, ceník atd"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% fakturované
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserved Množství
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserved Množství
 DocType: Party Account,Party Account,Party účtu
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Vyberte spoločnosť a označenie
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Lidské zdroje
-DocType: Lead,Upper Income,Horní příjmů
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Horní příjmů
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Odmietnuť
 DocType: Journal Entry Account,Debit in Company Currency,Debetnej v spoločnosti Mena
 DocType: BOM Item,BOM Item,BOM Item
@@ -2489,8 +2507,8 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Otvorené pracovné miesta na označenie {0} už otvorené alebo dokončené na základe Personálneho plánu {1}
 DocType: Vital Signs,Constipated,zápchu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1}
-DocType: Customer,Default Price List,Výchozí Ceník
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1}
+DocType: Customer,Default Price List,Predvolený cenník
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Záznam Asset Pohyb {0} vytvoril
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Nenašli sa žiadne položky.
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Nemožno odstrániť fiškálny rok {0}. Fiškálny rok {0} je nastavený ako predvolený v globálnom nastavení
@@ -2505,17 +2523,18 @@
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Zákazník Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Čistá Zmena účty záväzkov
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Úverový limit bol pre zákazníka prekročený {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nastavte pomenovanie série {0} cez Nastavenie&gt; Nastavenia&gt; Pomenovanie série
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Úverový limit bol pre zákazníka prekročený {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Zákazník požadoval pro 'Customerwise sleva """
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,"Aktualizujte bankovní platební termín, časopisů."
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Stanovenie ceny
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Stanovenie ceny
 DocType: Quotation,Term Details,Termín Podrobnosti
 DocType: Employee Incentive,Employee Incentive,Zamestnanecké stimuly
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nemôže prihlásiť viac ako {0} študentov na tejto študentské skupiny.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Spolu (bez dane)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Počet iniciatív
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Počet iniciatív
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Skladom k dispozícii
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Skladom k dispozícii
 DocType: Manufacturing Settings,Capacity Planning For (Days),Plánovanie kapacít Pro (dni)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Obstarávanie
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Žiadna z týchto položiek nemá zmenu v množstve alebo hodnote.
@@ -2540,7 +2559,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Priepustky a dochádzky
 DocType: Asset,Comprehensive Insurance,Komplexné poistenie
 DocType: Maintenance Visit,Partially Completed,Částečně Dokončeno
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Vernostný bod: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Vernostný bod: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Pridať návrhy
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Stredná citlivosť
 DocType: Leave Type,Include holidays within leaves as leaves,Zahrnúť dovolenku v listoch sú listy
 DocType: Loyalty Program,Redemption,vykúpenie
@@ -2574,7 +2594,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Marketingové náklady
 ,Item Shortage Report,Položka Nedostatek Report
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Štandardné kritériá sa nedajú vytvoriť. Premenujte kritériá
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnosť je uvedená, \n uveďte prosím aj ""váhu MJ"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnosť je uvedená, \n uveďte prosím aj ""váhu MJ"""
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materiál Žádost používá k výrobě této populace Entry
 DocType: Hub User,Hub Password,Heslo Hubu
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Samostatná skupina kurzov pre každú dávku
@@ -2589,15 +2609,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Dĺžka schôdzky (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Ujistěte se účetní položka pro každý pohyb zásob
 DocType: Leave Allocation,Total Leaves Allocated,Celkem Leaves Přidělené
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Zadajte platné dátumy začiatku a konca finančného roka
-DocType: Employee,Date Of Retirement,Datum odchodu do důchodu
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Zadajte platné dátumy začiatku a konca finančného roka
+DocType: Employee,Date Of Retirement,Dátum odchodu do dôchodku
 DocType: Upload Attendance,Get Template,Získat šablonu
+,Sales Person Commission Summary,Súhrnný prehľad komisie pre predajcov
 DocType: Additional Salary Component,Additional Salary Component,Ďalšie platové komponenty
 DocType: Material Request,Transferred,prevedená
 DocType: Vehicle,Doors,dvere
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Nastavenie ERPNext dokončené!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Nastavenie ERPNext dokončené!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Získať poplatok za registráciu pacienta
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Atribúty nie je možné zmeniť po transakcii s akciami. Vytvorte novú položku a presuňte materiál do novej položky
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Atribúty nie je možné zmeniť po transakcii s akciami. Vytvorte novú položku a presuňte materiál do novej položky
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Daňové rozdelenie
 DocType: Employee,Joining Details,Podrobnosti spojenia
@@ -2625,14 +2646,15 @@
 DocType: Lead,Next Contact By,Další Kontakt By
 DocType: Compensatory Leave Request,Compensatory Leave Request,Žiadosť o kompenzačnú dovolenku
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}"
 DocType: Blanket Order,Order Type,Typ objednávky
 ,Item-wise Sales Register,Item-moudrý Sales Register
 DocType: Asset,Gross Purchase Amount,Gross Suma nákupu
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Otváracie zostatky
 DocType: Asset,Depreciation Method,odpisy Metóda
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to poplatek v ceně základní sazbě?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Celkem Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Celkem Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analýza vnímania
 DocType: Soil Texture,Sand Composition (%),Zloženie piesku (%)
 DocType: Job Applicant,Applicant for a Job,Žadatel o zaměstnání
 DocType: Production Plan Material Request,Production Plan Material Request,Výroba Dopyt Plán Materiál
@@ -2648,23 +2670,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Značka hodnotenia (z 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Žiadne
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Hlavné
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Nasledujúca položka {0} nie je označená ako položka {1}. Môžete ich povoliť ako {1} položku z jeho položky Master
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Varianta
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Pre položku {0} musí byť množstvo záporné
 DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavit prefix pro číslování série na vašich transakcí
 DocType: Employee Attendance Tool,Employees HTML,Zamestnanci HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Predvolené BOM ({0}) musí byť aktívna pre túto položku alebo jeho šablóny
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Predvolené BOM ({0}) musí byť aktívna pre túto položku alebo jeho šablóny
 DocType: Employee,Leave Encashed?,Ponechte zpeněžení?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Ze hřiště je povinné
 DocType: Email Digest,Annual Expenses,ročné náklady
 DocType: Item,Variants,Varianty
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Vytvoriť odoslanú objednávku
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Vytvoriť odoslanú objednávku
 DocType: SMS Center,Send To,Odoslať na
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Není dost bilance dovolenou na vstup typ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Není dost bilance dovolenou na vstup typ {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Přidělené sumy
-DocType: Sales Team,Contribution to Net Total,Příspěvek na celkových čistých
+DocType: Sales Team,Contribution to Net Total,Príspevok na celkom netto
 DocType: Sales Invoice Item,Customer's Item Code,Zákazníka Kód položky
 DocType: Stock Reconciliation,Stock Reconciliation,Inventúra zásob
 DocType: Territory,Territory Name,Území Name
+DocType: Email Digest,Purchase Orders to Receive,Nákupné príkazy na príjem
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,V predplatnom môžete mať len Plány s rovnakým účtovacím cyklom
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapované údaje
@@ -2683,9 +2707,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicitní Pořadové číslo vstoupil k bodu {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Track Leads by Lead Zdroj.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Podmínka pro pravidla dopravy
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Prosím zadajte
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Prosím zadajte
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Denník údržby
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Prosím nastaviť filter na základe výtlačku alebo v sklade
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Prosím nastaviť filter na základe výtlačku alebo v sklade
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balíčku. (Automaticky vypočítá jako součet čisté váhy položek)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Vytvorte položku Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Suma zľavy nemôže byť vyššia ako 100%
@@ -2694,15 +2718,15 @@
 DocType: Sales Order,To Deliver and Bill,Dodať a Bill
 DocType: Student Group,Instructors,inštruktori
 DocType: GL Entry,Credit Amount in Account Currency,Kreditné Čiastka v mene účtu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} musí být předloženy
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Správa podielov
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} musí být předloženy
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Správa podielov
 DocType: Authorization Control,Authorization Control,Autorizace Control
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Riadok # {0}: zamietnutie Warehouse je povinná proti zamietnutej bodu {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Splátka
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Riadok # {0}: zamietnutie Warehouse je povinná proti zamietnutej bodu {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Splátka
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Warehouse {0} nie je prepojený s žiadnym účtom, uveďte účet v zozname skladov alebo nastavte predvolený inventárny účet v spoločnosti {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Spravovať svoje objednávky
 DocType: Work Order Operation,Actual Time and Cost,Skutečný Čas a Náklady
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiál Žádost maximálně {0} lze k bodu {1} na odběratele {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiál Žádost maximálně {0} lze k bodu {1} na odběratele {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Rozdelenie plodín
 DocType: Course,Course Abbreviation,skratka ihrisko
@@ -2714,6 +2738,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Celkom pracovná doba by nemala byť väčšia ako maximálna pracovnej doby {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Kdy
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle položky v okamžiku prodeje.
+DocType: Delivery Settings,Dispatch Settings,Nastavenia odosielania
 DocType: Material Request Plan Item,Actual Qty,Skutečné Množství
 DocType: Sales Invoice Item,References,Referencie
 DocType: Quality Inspection Reading,Reading 10,Čtení 10
@@ -2723,13 +2748,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Zadali jste duplicitní položky. Prosím, opravu a zkuste to znovu."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Spolupracovník
 DocType: Asset Movement,Asset Movement,asset Movement
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Musí sa odoslať pracovná objednávka {0}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,new košík
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Musí sa odoslať pracovná objednávka {0}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,new košík
 DocType: Taxable Salary Slab,From Amount,Z čiastky
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Položka {0} není serializovat položky
 DocType: Leave Type,Encashment,inkaso
+DocType: Delivery Settings,Delivery Settings,Nastavenia doručenia
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Načítať údaje
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Maximálna povolená dovolenka v type dovolenky {0} je {1}
-DocType: SMS Center,Create Receiver List,Vytvořit přijímače seznam
+DocType: SMS Center,Create Receiver List,Vytvoriť zoznam príjemcov
 DocType: Vehicle,Wheels,kolesá
 DocType: Packing Slip,To Package No.,Balit No.
 DocType: Patient Relation,Family,Rodina
@@ -2743,22 +2770,22 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Mena fakturácie sa musí rovnať mene menovej jednotky alebo účtovnej parity
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Označuje, že balíček je součástí této dodávky (Pouze návrhu)"
 DocType: Soil Texture,Loam,hlina
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Riadok {0}: dátum splatnosti nemôže byť pred dátumom odoslania
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Riadok {0}: dátum splatnosti nemôže byť pred dátumom odoslania
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Učinit vstup platby
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Množství k bodu {0} musí být menší než {1}
 ,Sales Invoice Trends,Prodejní faktury Trendy
 DocType: Leave Application,Apply / Approve Leaves,Použít / Schválit listy
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se může vztahovat řádku, pouze pokud typ poplatku je ""On předchozí řady Částka"" nebo ""předchozí řady Total"""
-DocType: Sales Order Item,Delivery Warehouse,Dodávka Warehouse
+DocType: Sales Order Item,Delivery Warehouse,Dodací sklad
 DocType: Leave Type,Earned Leave Frequency,Frekvencia získanej dovolenky
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Strom Nákl.stredisko finančných.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Sub typ
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Strom Nákl.stredisko finančných.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Sub typ
 DocType: Serial No,Delivery Document No,Dodávka dokument č
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zabezpečte doručenie na základe vyrobeného sériového čísla
 DocType: Vital Signs,Furry,srstnatý
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosím nastavte &quot;/ STRATY zisk z aktív odstraňovaním&quot; vo firme {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosím nastavte &quot;/ STRATY zisk z aktív odstraňovaním&quot; vo firme {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Získat položky z Příjmového listu
-DocType: Serial No,Creation Date,Datum vytvoření
+DocType: Serial No,Creation Date,Dátum vytvorenia
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Miesto cieľa je požadované pre majetok {0}
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +42,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
 DocType: Production Plan Material Request,Material Request Date,Materiál Request Date
@@ -2770,11 +2797,12 @@
 DocType: Item,Has Variants,Má varianty
 DocType: Employee Benefit Claim,Claim Benefit For,Nárok na dávku pre
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Aktualizácia odpovede
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Už ste vybrané položky z {0} {1}
-DocType: Monthly Distribution,Name of the Monthly Distribution,Název měsíční výplatou
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Už ste vybrané položky z {0} {1}
+DocType: Monthly Distribution,Name of the Monthly Distribution,Názov mesačného rozdelenia
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Číslo šarže je povinné
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Číslo šarže je povinné
 DocType: Sales Person,Parent Sales Person,Parent obchodník
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,"Žiadne položky, ktoré sa majú dostať, nie sú oneskorené"
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Predávajúci a kupujúci nemôžu byť rovnakí
 DocType: Project,Collect Progress,Zbierajte postup
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2790,7 +2818,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Money
 DocType: Budget,Budget,Rozpočet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Otvorte Otvoriť
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musia byť non-skladová položka.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musia byť non-skladová položka.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Rozpočet nemožno priradiť proti {0}, pretože to nie je výnos alebo náklad účet"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Maximálna výška výnimky pre {0} je {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Dosažená
@@ -2808,9 +2836,9 @@
 ,Amount to Deliver,"Suma, ktorá má dodávať"
 DocType: Asset,Insurance Start Date,Dátum začatia poistenia
 DocType: Salary Component,Flexible Benefits,Flexibilné výhody
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Rovnaká položka bola zadaná viackrát. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Rovnaká položka bola zadaná viackrát. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Dátum začatia nemôže byť skôr ako v roku dátum začiatku akademického roka, ku ktorému termín je spojená (akademický rok {}). Opravte dáta a skúste to znova."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Byly tam chyby.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Byly tam chyby.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Zamestnanec {0} už požiadal {1} medzi {2} a {3}:
 DocType: Guardian,Guardian Interests,Guardian záujmy
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Aktualizovať názov / číslo účtu
@@ -2850,9 +2878,9 @@
 ,Item-wise Purchase History,Item-moudrý Historie nákupů
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Prosím, klikněte na ""Generovat Schedule"", aby přinesla Pořadové číslo přidán k bodu {0}"
 DocType: Account,Frozen,Zmražený
-DocType: Delivery Note,Vehicle Type,Typ vozidla
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Typ vozidla
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Základná suma (Company Currency)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Suroviny
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Suroviny
 DocType: Payment Reconciliation Payment,Reference Row,referenčnej Row
 DocType: Installation Note,Installation Time,Instalace Time
 DocType: Sales Invoice,Accounting Details,Účtovné Podrobnosti
@@ -2861,12 +2889,13 @@
 DocType: Inpatient Record,O Positive,O pozitívne
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investice
 DocType: Issue,Resolution Details,Rozlišení Podrobnosti
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Typ transakcie
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Typ transakcie
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kritéria přijetí
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Prosím, zadajte Žiadosti materiál vo vyššie uvedenej tabuľke"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Pre položku zápisu nie sú k dispozícii žiadne splátky
 DocType: Hub Tracked Item,Image List,Zoznam obrázkov
 DocType: Item Attribute,Attribute Name,Názov atribútu
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generovanie faktúry na začiatku obdobia
 DocType: BOM,Show In Website,Zobraziť na webstránke
 DocType: Loan Application,Total Payable Amount,Celková suma Splatné
 DocType: Task,Expected Time (in hours),Predpokladaná doba (v hodinách)
@@ -2889,7 +2918,7 @@
 DocType: Room,Room Name,Room Meno
 DocType: Prescription Duration,Prescription Duration,Trvanie predpisu
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Nechajte nemožno aplikovať / zrušená pred {0}, pretože rovnováha dovolenky už bolo carry-odovzdávané v budúcej pridelenie dovolenku záznamu {1}"
-DocType: Activity Cost,Costing Rate,Kalkulácie Rate
+DocType: Activity Cost,Costing Rate,Sadzba kalkulácie nákladov
 apps/erpnext/erpnext/config/selling.py +234,Customer Addresses And Contacts,Adresy zákazníkov a kontakty
 ,Campaign Efficiency,Efektívnosť kampane
 ,Campaign Efficiency,Efektívnosť kampane
@@ -2904,8 +2933,8 @@
 DocType: Employee,Resignation Letter Date,Rezignace Letter Datum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Pravidla pro stanovení sazeb jsou dále filtrována na základě množství.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Nenastavené
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Nastavte dátum založenia pre zamestnanca {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Nastavte dátum založenia pre zamestnanca {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Nastavte dátum založenia pre zamestnanca {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Nastavte dátum založenia pre zamestnanca {0}
 DocType: Inpatient Record,Discharge,výtok
 DocType: Task,Total Billing Amount (via Time Sheet),Celková suma Billing (cez Time Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repeat Customer Příjmy
@@ -2915,13 +2944,13 @@
 DocType: Chapter,Chapter,kapitola
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Pár
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Predvolený účet sa automaticky aktualizuje v POS faktúre, keď je vybratý tento režim."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Vyberte BOM a Množstvo na výrobu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Vyberte BOM a Množstvo na výrobu
 DocType: Asset,Depreciation Schedule,plán odpisy
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy predajných partnerov a kontakty
 DocType: Bank Reconciliation Detail,Against Account,Proti účet
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Half Day Date by mala byť v rozmedzí od dátumu a do dnešného dňa
 DocType: Maintenance Schedule Detail,Actual Date,Skutečné datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Nastavte štandardné cenové centrum v spoločnosti {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Nastavte štandardné cenové centrum v spoločnosti {0}.
 DocType: Item,Has Batch No,Má číslo šarže
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Ročný Billing: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Nakupujte podrobnosti Webhook
@@ -2933,7 +2962,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Typ posunu
 DocType: Student,Personal Details,Osobné údaje
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte &quot;odpisy majetku nákladové stredisko&quot; vo firme {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte &quot;odpisy majetku nákladové stredisko&quot; vo firme {0}
 ,Maintenance Schedules,Plány údržby
 DocType: Task,Actual End Date (via Time Sheet),Skutočný dátum ukončenia (cez Time Sheet)
 DocType: Soil Texture,Soil Type,Typ pôdy
@@ -2941,14 +2970,14 @@
 ,Quotation Trends,Vývoje ponúk
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Položková skupina nie je uvedená v hlavnej položke pre  položku {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet"
 DocType: Shipping Rule,Shipping Amount,Prepravovaná čiastka
 DocType: Supplier Scorecard Period,Period Score,Skóre obdobia
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Pridať zákazníkov
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Pridajte zákazníkov
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Čeká Částka
 DocType: Lab Test Template,Special,špeciálna
-DocType: Loyalty Program,Conversion Factor,Konverzní faktor
-DocType: Purchase Order,Delivered,Dodává
+DocType: Loyalty Program,Conversion Factor,Konverzný koeficient
+DocType: Purchase Order,Delivered,Dodané
 ,Vehicle Expenses,Náklady pre autá
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Vytvorte laboratórne testy na odoslanie faktúry predaja
 DocType: Serial No,Invoice Details,Podrobnosti faktúry
@@ -2961,7 +2990,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Pridať hlavičkový papier
 DocType: Program Enrollment,Self-Driving Vehicle,Samohybné vozidlo
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Hodnota karty dodávateľa je stála
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Riadok {0}: Nomenklatúra nebol nájdený pre výtlačku {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Riadok {0}: Nomenklatúra nebol nájdený pre výtlačku {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Celkové pridelené listy {0} nemôže byť nižšia ako už schválených listy {1} pre obdobie
 DocType: Contract Fulfilment Checklist,Requirement,požiadavka
 DocType: Journal Entry,Accounts Receivable,Pohledávky
@@ -2978,16 +3007,16 @@
 DocType: Projects Settings,Timesheets,Pracovné výkazy
 DocType: HR Settings,HR Settings,Nastavení HR
 DocType: Salary Slip,net pay info,Čistá mzda info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Čiastka CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Čiastka CESS
 DocType: Woocommerce Settings,Enable Sync,Povoliť synchronizáciu
 DocType: Tax Withholding Rate,Single Transaction Threshold,Jednoduchá transakčná prahová hodnota
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Táto hodnota sa aktualizuje v Predvolenom zozname cien predaja.
 DocType: Email Digest,New Expenses,nové výdavky
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Čiastka PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Čiastka PDC / LC
 DocType: Shareholder,Shareholder,akcionár
 DocType: Purchase Invoice,Additional Discount Amount,Dodatočná zľava Suma
 DocType: Cash Flow Mapper,Position,pozície
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Získajte položky z predpisov
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Získajte položky z predpisov
 DocType: Patient,Patient Details,Podrobnosti o pacientoch
 DocType: Inpatient Record,B Positive,B Pozitívne
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2999,8 +3028,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Skupina na Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sportovní
 DocType: Loan Type,Loan Name,pôžička Name
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Celkem Aktuální
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Celkem Aktuální
 DocType: Student Siblings,Student Siblings,študentské Súrodenci
 DocType: Subscription Plan Detail,Subscription Plan Detail,Podrobný popis predplatného
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Jednotka
@@ -3028,7 +3056,6 @@
 DocType: Workstation,Wages per hour,Mzda za hodinu
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Sklad bilance v dávce {0} se zhorší {1} k bodu {2} ve skladu {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Nasledujúci materiál žiadosti boli automaticky zvýšená na základe úrovni re-poradie položky
-DocType: Email Digest,Pending Sales Orders,Čaká Predajné objednávky
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatná. Mena účtu musí byť {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Od dátumu {0} nemôže byť po uvoľnení zamestnanca Dátum {1}
 DocType: Supplier,Is Internal Supplier,Je interný dodávateľ
@@ -3037,13 +3064,14 @@
 DocType: Healthcare Settings,Remind Before,Pripomenúť predtým
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konverzní faktor je nutné v řadě {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným zo zákazky odberateľa, predajné faktúry alebo Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným zo zákazky odberateľa, predajné faktúry alebo Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Vernostné body = Koľko základnej meny?
 DocType: Salary Component,Deduction,Dedukce
 DocType: Item,Retain Sample,Zachovať ukážku
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Riadok {0}: From Time a na čas je povinná.
 DocType: Stock Reconciliation Item,Amount Difference,vyššie Rozdiel
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Položka Cena pridaný pre {0} v Cenníku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Položka Cena pridaný pre {0} v Cenníku {1}
+DocType: Delivery Stop,Order Information,informacie o objednavke
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Prosím, zadajte ID zamestnanca z tohto predaja osoby"
 DocType: Territory,Classification of Customers by region,Rozdělení zákazníků podle krajů
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Vo výrobe
@@ -3054,28 +3082,28 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Vypočítaná výpis z bankového účtu zostatok
 DocType: Normal Test Template,Normal Test Template,Normálna šablóna testu
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,zakázané uživatelské
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Ponuka
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Nie je možné nastaviť prijatú RFQ na žiadnu ponuku
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Ponuka
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Nie je možné nastaviť prijatú RFQ na žiadnu ponuku
 DocType: Salary Slip,Total Deduction,Celkem Odpočet
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Vyberte účet, ktorý chcete vytlačiť v mene účtu"
 ,Production Analytics,Analýza výroby
 apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py +6,This is based on transactions against this Patient. See timeline below for details,Toto je založené na transakciách proti tomuto pacientovi. Viac informácií nájdete v nasledujúcej časovej osi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +213,Cost Updated,Náklady Aktualizované
-DocType: Inpatient Record,Date of Birth,Datum narození
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +213,Cost Updated,Náklady aktualizované
+DocType: Inpatient Record,Date of Birth,Dátum narodenia
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +136,Item {0} has already been returned,Bod {0} již byla vrácena
 DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiškálny rok ** predstavuje finančný rok. Všetky účtovné záznamy a ďalšie významné transakcie sú sledované pod ** Fiškálny rok **.
 DocType: Opportunity,Customer / Lead Address,Adresa zákazníka/obchodnej iniciatívy
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavenie tabuľky dodávateľov
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Názov plánu hodnotenia
 DocType: Work Order Operation,Work Order Operation,Obsluha pracovnej objednávky
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Varovanie: Neplatný certifikát SSL na prílohu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Varovanie: Neplatný certifikát SSL na prílohu {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Obchodné iniciatívy vám pomôžu získať zákazku, zaevidovať všetky vaše kontakty"
 DocType: Work Order Operation,Actual Operation Time,Aktuální Provozní doba
 DocType: Authorization Rule,Applicable To (User),Vztahující se na (Uživatel)
-DocType: Purchase Taxes and Charges,Deduct,Odečíst
+DocType: Purchase Taxes and Charges,Deduct,Odpočítať
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Popis Práca
 DocType: Student Applicant,Applied,aplikovaný
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Znovu otevřít
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Znovu otvoriť
 DocType: Sales Invoice Item,Qty as per Stock UOM,Množstvo podľa skladovej MJ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Meno Guardian2
 DocType: Attendance,Attendance Request,Žiadosť o účasť
@@ -3093,7 +3121,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Pořadové číslo {0} je v záruce aľ {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimálna prípustná hodnota
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Používateľ {0} už existuje
-apps/erpnext/erpnext/hooks.py +114,Shipments,Zásielky
+apps/erpnext/erpnext/hooks.py +115,Shipments,Zásielky
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Celková alokovaná suma (Company mena)
 DocType: Purchase Order Item,To be delivered to customer,Ak chcete byť doručený zákazníkovi
 DocType: BOM,Scrap Material Cost,Šrot Material Cost
@@ -3101,19 +3129,20 @@
 DocType: Grant Application,Email Notification Sent,E-mailové upozornenie bolo odoslané
 DocType: Purchase Invoice,In Words (Company Currency),Slovy (měna společnosti)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Spoločnosť je vedúca pre firemný účet
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Kód položky, sklad, množstvo sa vyžaduje v riadku"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Kód položky, sklad, množstvo sa vyžaduje v riadku"
 DocType: Bank Guarantee,Supplier,Dodávateľ
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Získat Z
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Toto je koreňové oddelenie a nemôže byť upravené.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Zobraziť podrobnosti platby
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Trvanie v dňoch
 DocType: C-Form,Quarter,Čtvrtletí
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Různé výdaje
-DocType: Global Defaults,Default Company,Výchozí Company
+DocType: Global Defaults,Default Company,Predvolená spoločnosť
 DocType: Company,Transactions Annual History,Výročná história transakcií
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Náklady nebo Rozdíl účet je povinné k bodu {0} jako budou mít dopad na celkovou hodnotu zásob
 DocType: Bank,Bank Name,Názov banky
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Nad
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Ponechajte pole prázdne, aby ste objednávali objednávky pre všetkých dodávateľov"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Ponechajte pole prázdne, aby ste objednávali objednávky pre všetkých dodávateľov"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Položka poplatku za hospitalizáciu
 DocType: Vital Signs,Fluid,tekutina
 DocType: Leave Application,Total Leave Days,Celkový počet dnů dovolené
@@ -3123,7 +3152,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Nastavenia Variantu položky
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Vyberte spoločnost ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Nechajte prázdne ak má platiť pre všetky oddelenia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} je povinná k položke {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} je povinná k položke {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Položka {0}: {1} množstvo vyrobené,"
 DocType: Payroll Entry,Fortnightly,dvojtýždňové
 DocType: Currency Exchange,From Currency,Od Měny
@@ -3136,9 +3165,9 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +143,Cost of New Purchase,Náklady na nový nákup
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +98,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0}
 DocType: Grant Application,Grant Description,Názov grantu
-DocType: Purchase Invoice Item,Rate (Company Currency),Cena (Měna Společnosti)
+DocType: Purchase Invoice Item,Rate (Company Currency),Sadzba (V mene spoločnosti)
 DocType: Student Guardian,Others,Ostatní
-DocType: Subscription,Discounts,zľavy
+DocType: Subscription,Discounts,Zľavy
 DocType: Payment Entry,Unallocated Amount,nepridelené Suma
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +77,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,"Ak chcete použiť skutočné výdavky na rezerváciu, povoľte platnú objednávku a platné rezervácie"
 apps/erpnext/erpnext/templates/includes/product_page.js +101,Cannot find a matching Item. Please select some other value for {0}.,Nemožno nájsť zodpovedajúce položku. Vyberte nejakú inú hodnotu pre {0}.
@@ -3173,7 +3202,7 @@
 DocType: Account,Fixed Asset,Základní Jmění
 DocType: Amazon MWS Settings,After Date,Po dátume
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serialized Zásoby
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Neplatná {0} pre faktúru spoločnosti Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Neplatná {0} pre faktúru spoločnosti Inter.
 ,Department Analytics,Analýza oddelenia
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-mail sa v predvolenom kontakte nenachádza
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generovať tajomstvo
@@ -3184,7 +3213,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +77,{0} Student Groups created.,{0} Vytvorené študentské skupiny.
 DocType: Sales Invoice,Total Billing Amount,Celková suma fakturácie
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +50,Program in the Fee Structure and Student Group {0} are different.,Program v štruktúre poplatkov a študentskej skupine {0} je odlišný.
-DocType: Bank Statement Transaction Entry,Receivable Account,Pohledávky účtu
+DocType: Bank Statement Transaction Entry,Receivable Account,Účet pohľadávok
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +31,Valid From Date must be lesser than Valid Upto Date.,Platná od dátumu musí byť menšia ako platná do dátumu.
 apps/erpnext/erpnext/controllers/accounts_controller.py +673,Row #{0}: Asset {1} is already {2},Riadok # {0}: Asset {1} je už {2}
 DocType: Quotation Item,Stock Balance,Stav zásob
@@ -3192,6 +3221,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,S platbou dane
 DocType: Expense Claim Detail,Expense Claim Detail,Detail úhrady výdajů
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Prosím, nastavte názov inštruktora systému vo vzdelávaní&gt; Nastavenia vzdelávania"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKÁT PRE DODÁVATEĽA
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nový zostatok v základnej mene
 DocType: Location,Is Container,Je kontajner
@@ -3199,36 +3229,37 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Prosím, vyberte správny účet"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Priradenie štruktúry platov
 DocType: Purchase Invoice Item,Weight UOM,Hmotnostná MJ
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Zoznam dostupných akcionárov s číslami fotiek
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Zoznam dostupných akcionárov s číslami fotiek
 DocType: Salary Structure Employee,Salary Structure Employee,Plat štruktúra zamestnancov
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Zobraziť atribúty variantu
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Zobraziť atribúty variantu
 DocType: Student,Blood Group,Krevní Skupina
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Účet platobnej brány v pláne {0} sa líši od účtu platobnej brány v tejto žiadosti o platbu
 DocType: Course,Course Name,Názov kurzu
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Pre súčasný fiškálny rok neboli zistené žiadne údaje o zadržaní dane.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Pre súčasný fiškálny rok neboli zistené žiadne údaje o zadržaní dane.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Uživatelé, kteří si vyhoví žádosti konkrétního zaměstnance volno"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Kancelářské Vybavení
 DocType: Purchase Invoice Item,Qty,Množství
-DocType: Fiscal Year,Companies,Společnosti
+DocType: Fiscal Year,Companies,Spoločnosti
 DocType: Supplier Scorecard,Scoring Setup,Nastavenie bodovania
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronika
-apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Povoliť rovnakú položku viackrát
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Zvýšit Materiál vyžádání při stock dosáhne úrovně re-order
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Na plný úvazek
 DocType: Payroll Entry,Employees,zamestnanci
-DocType: Employee,Contact Details,Kontaktní údaje
-DocType: C-Form,Received Date,Datum přijetí
+DocType: Employee,Contact Details,Kontaktné údaje
+DocType: C-Form,Received Date,Dátum prijatia
 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ak ste vytvorili štandardné šablónu v predaji daní a poplatkov šablóny, vyberte jednu a kliknite na tlačidlo nižšie."
 DocType: BOM Scrap Item,Basic Amount (Company Currency),Základná suma (Company mena)
 DocType: Student,Guardians,Guardians
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Potvrdenie platby
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny sa nebudú zobrazovať, pokiaľ Cenník nie je nastavený"
 DocType: Stock Entry,Total Incoming Value,Celková hodnota Příchozí
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debetné K je vyžadované
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debetné K je vyžadované
 DocType: Clinical Procedure,Inpatient Record,Liečebný záznam
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomôže udržať prehľad o času, nákladov a účtovania pre aktivít hotový svojho tímu"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Nákupní Ceník
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Dátum transakcie
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Nákupní Ceník
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Dátum transakcie
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Šablóny premenných ukazovateľa skóre dodávateľa.
 DocType: Job Offer Term,Offer Term,Ponuka Term
 DocType: Asset,Quality Manager,Manažér kvality
@@ -3249,19 +3280,19 @@
 DocType: Cashier Closing,To Time,Chcete-li čas
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) pre {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Schválenie role (nad oprávnenej hodnoty)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet
 DocType: Loan,Total Amount Paid,Celková čiastka bola zaplatená
 DocType: Asset,Insurance End Date,Dátum ukončenia poistenia
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Vyberte Študentské prijatie, ktoré je povinné pre platených študentov"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Rozpočtový zoznam
-DocType: Work Order Operation,Completed Qty,Dokončené Množství
+DocType: Work Order Operation,Completed Qty,Dokončené množstvo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Pro {0}, tak debetní účty mohou být spojeny proti jinému připsání"
 DocType: Manufacturing Settings,Allow Overtime,Povoliť Nadčasy
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serializovaná položka {0} sa nedá aktualizovať pomocou zmiernenia skladových položiek
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serializovaná položka {0} sa nedá aktualizovať pomocou zmiernenia skladových položiek
 DocType: Training Event Employee,Training Event Employee,Vzdelávanie zamestnancov Event
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximálne vzorky - {0} môžu byť zadržané pre dávky {1} a položku {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximálne vzorky - {0} môžu byť zadržané pre dávky {1} a položku {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Pridať časové sloty
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Sériové čísla požadované pre položku {1}. Poskytli ste {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuálne ocenenie Rate
@@ -3292,11 +3323,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Pořadové číslo {0} nebyl nalezen
 DocType: Fee Schedule Program,Fee Schedule Program,Program rozpisu poplatkov
 DocType: Fee Schedule Program,Student Batch,študent Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Odstráňte zamestnanca <a href=""#Form/Employee/{0}"">{0}</a> \ tento dokument zrušíte"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Vytvoriť študenta
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Typ jednotky zdravotníckych služieb
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Boli ste pozvaní k spolupráci na projekte: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Boli ste pozvaní k spolupráci na projekte: {0}
 DocType: Supplier Group,Parent Supplier Group,Rodičovská skupina dodávateľov
+DocType: Email Digest,Purchase Orders to Bill,Objednávky k nákupu
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Akumulované hodnoty v skupine spoločnosti
 DocType: Leave Block List Date,Block Date,Block Datum
 DocType: Crop,Crop,Plodina
@@ -3308,14 +3342,15 @@
 DocType: Purchase Invoice,E-commerce GSTIN,Elektronický obchod GSTIN
 DocType: Sales Order,Not Delivered,Nedodané
 ,Bank Clearance Summary,Súhrn bankového zúčtovania
-apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Vytvářet a spravovat denní, týdenní a měsíční e-mailové digest."
+apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Tvorba a správa denných, týždenných a mesačných emailových spravodajcov"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Vychádza z transakcií s touto predajnou osobou. Viac informácií nájdete v nasledujúcej časovej osi
 DocType: Appraisal Goal,Appraisal Goal,Posouzení Goal
 DocType: Stock Reconciliation Item,Current Amount,Aktuálna výška
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,budovy
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py +24,Tax Declaration of {0} for period {1} already submitted.,Daňové vyhlásenie {0} za obdobie {1} už bolo odoslané.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +76,Leaves has been granted sucessfully,Listy boli úspešne udelené
 DocType: Fee Schedule,Fee Structure,štruktúra poplatkov
-DocType: Timesheet Detail,Costing Amount,Kalkulácie Čiastka
+DocType: Timesheet Detail,Costing Amount,Nákladová Čiastka
 DocType: Student Admission Program,Application Fee,Poplatok za prihlášku
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +75,Submit Salary Slip,Odeslat výplatní pásce
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +13,On Hold,Podržanie
@@ -3335,7 +3370,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,programy
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Nasledujúce Kontakt dátum nemôže byť v minulosti
 DocType: Company,For Reference Only.,Pouze orientační.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Vyberte položku šarže
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Vyberte položku šarže
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Neplatný {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Odkaz Inv
@@ -3353,16 +3388,16 @@
 DocType: Normal Test Items,Require Result Value,Vyžadovať výslednú hodnotu
 DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky
 DocType: Tax Withholding Rate,Tax Withholding Rate,Sadzba zrážkovej dane
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,kusovníky
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Obchody
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,kusovníky
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Obchody
 DocType: Project Type,Projects Manager,Správce projektů
-DocType: Serial No,Delivery Time,Dodací lhůta
+DocType: Serial No,Delivery Time,Dodacia doba
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Stárnutí dle
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Menovanie zrušené
 DocType: Item,End of Life,Konec životnosti
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Cestování
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Cestování
 DocType: Student Report Generation Tool,Include All Assessment Group,Zahrnúť celú hodnotiacu skupinu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Žiadny aktívny alebo implicitné Plat Štruktúra nájdených pre zamestnancov {0} pre dané termíny
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Žiadny aktívny alebo implicitné Plat Štruktúra nájdených pre zamestnancov {0} pre dané termíny
 DocType: Leave Block List,Allow Users,Povolit uživatele
 DocType: Purchase Order,Customer Mobile No,Zákazník Mobile Žiadne
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobné informácie o šablóne mapovania peňažných tokov
@@ -3371,22 +3406,23 @@
 DocType: Rename Tool,Rename Tool,Nástroj na premenovanie
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Aktualizace Cost
 DocType: Item Reorder,Item Reorder,Položka Reorder
+DocType: Delivery Note,Mode of Transport,Druh transportu
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Show výplatnej páske
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Přenos materiálu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Přenos materiálu
 DocType: Fees,Send Payment Request,Odoslať žiadosť o platbu
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Zadejte operací, provozní náklady a dávají jedinečnou operaci ne své operace."
 DocType: Travel Request,Any other details,Ďalšie podrobnosti
 DocType: Water Analysis,Origin,pôvod
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tento dokument je nad hranicou {0} {1} pre položku {4}. Robíte si iný {3} proti rovnakej {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Prosím nastavte opakovanie po uložení
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Vybrať zmena výšky účet
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Prosím nastavte opakovanie po uložení
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Vybrať zmena výšky účet
 DocType: Purchase Invoice,Price List Currency,Mena cenníka
 DocType: Naming Series,User must always select,Uživatel musí vždy vybrat
 DocType: Stock Settings,Allow Negative Stock,Povolit Negativní Sklad
 DocType: Installation Note,Installation Note,Poznámka k instalaci
 DocType: Soil Texture,Clay,hlina
 DocType: Topic,Topic,téma
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +99,Cash Flow from Financing,Peňažný tok z finančnej
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +99,Cash Flow from Financing,Peňažný tok z financovania
 DocType: Budget Account,Budget Account,rozpočet účtu
 DocType: Quality Inspection,Verified By,Verified By
 DocType: Travel Request,Name of Organizer,Názov organizátora
@@ -3396,13 +3432,14 @@
 DocType: Clinical Procedure,Is Invoiced,Je faktúrovaná
 DocType: Stock Entry,Purchase Receipt No,Číslo příjmky
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +31,Earnest Money,Earnest Money
-DocType: Sales Invoice, Shipping Bill Number,Prepravné číslo účtu
+DocType: Sales Invoice, Shipping Bill Number,Číslo prepravného listu
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledovateľnosť
 DocType: Asset Maintenance Log,Actions performed,Vykonané akcie
 DocType: Cash Flow Mapper,Section Leader,Vedúci sekcie
+DocType: Delivery Note,Transport Receipt No,Doklad o preprave č
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Zdrojem finančních prostředků (závazků)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Zdroj a cieľové umiestnenie nemôžu byť rovnaké
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Zamestnanec
 DocType: Bank Guarantee,Fixed Deposit Number,Číslo s pevným vkladom
 DocType: Asset Repair,Failure Date,Dátum zlyhania
@@ -3416,16 +3453,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Platobné zrážky alebo strata
 DocType: Soil Analysis,Soil Analysis Criterias,Kritériá analýzy pôdy
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardní smluvní podmínky pro prodej nebo koupi.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Naozaj chcete zrušiť túto schôdzku?
+DocType: BOM Item,Item operation,Funkcia položky
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Naozaj chcete zrušiť túto schôdzku?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Balík ceny izieb v hoteli
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,predajné Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,predajné Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Prosím nastaviť predvolený účet platu Component {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Povinné On
 DocType: Rename Tool,File to Rename,Súbor premenovať
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Prosím, vyberte BOM pre položku v riadku {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Načítať aktualizácie odberov
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Účet {0} sa nezhoduje so spoločnosťou {1} v režime účtov: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Predmet:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky
@@ -3434,15 +3472,16 @@
 DocType: Notification Control,Expense Claim Approved,Uhrazení výdajů schváleno
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Nastaviť preddavky a alokovať (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Žiadne pracovné príkazy neboli vytvorené
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Výplatnej páske zamestnanca {0} už vytvorili pre toto obdobie
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Výplatnej páske zamestnanca {0} už vytvorili pre toto obdobie
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutické
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Na platnú sumu vkladov môžete odoslať len povolenie na zaplatenie
-apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Náklady na zakoupené zboží
+apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Náklady na zakúpené položky
 DocType: Employee Separation,Employee Separation Template,Šablóna oddelenia zamestnancov
 DocType: Selling Settings,Sales Order Required,Je potrebná predajná objednávka
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Staňte sa predajcom
 DocType: Purchase Invoice,Credit To,Kredit:
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktívne Iniciatívy / Zákazníci
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktívne Iniciatívy / Zákazníci
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Nechajte prázdne, ak chcete použiť štandardný formát dodacieho listu"
 DocType: Employee Education,Post Graduate,Postgraduální
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Plán údržby Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Upozornenie na nové nákupné objednávky
@@ -3456,14 +3495,14 @@
 DocType: Support Search Source,Post Title Key,Kľúč správy titulu
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Pre pracovnú kartu
 DocType: Warranty Claim,Raised By,Vznesené
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,predpisy
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,predpisy
 DocType: Payment Gateway Account,Payment Account,Platební účet
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Uveďte prosím společnost pokračovat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Uveďte prosím společnost pokračovat
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Čistá zmena objemu pohľadávok
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Vyrovnávací Off
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Náhradné voľno
 DocType: Job Offer,Accepted,Přijato
 DocType: POS Closing Voucher,Sales Invoices Summary,Prehľad faktúr predaja
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Do názvu strany
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Do názvu strany
 DocType: Grant Application,Organization,organizácie
 DocType: Grant Application,Organization,organizácie
 DocType: BOM Update Tool,BOM Update Tool,Nástroj na aktualizáciu kusovníka
@@ -3473,7 +3512,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Uistite sa, že naozaj chcete vymazať všetky transakcie pre túto spoločnosť. Vaše kmeňové dáta zostanú, ako to je. Túto akciu nie je možné vrátiť späť."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Výsledky vyhľadávania
 DocType: Room,Room Number,Číslo izby
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Neplatná referencie {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Neplatná referencie {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemôže byť väčšie, ako plánované množstvo ({2}), vo Výrobnej Objednávke {3}"
 DocType: Shipping Rule,Shipping Rule Label,Přepravní Pravidlo Label
 DocType: Journal Entry Account,Payroll Entry,Mzdový účet
@@ -3481,8 +3520,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Vytvoriť daňovú šablónu
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,user Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Suroviny nemůže být prázdný.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Riadok # {0} (Platobný stôl): Suma musí byť záporná
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nie je možné aktualizovať zásob, faktúra obsahuje pokles lodnej dopravy tovaru."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Riadok # {0} (Platobný stôl): Suma musí byť záporná
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nie je možné aktualizovať zásob, faktúra obsahuje pokles lodnej dopravy tovaru."
 DocType: Contract,Fulfilment Status,Stav plnenia
 DocType: Lab Test Sample,Lab Test Sample,Laboratórna vzorka
 DocType: Item Variant Settings,Allow Rename Attribute Value,Povoliť premenovanie hodnoty atribútu
@@ -3519,16 +3558,16 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +16,Bonus Payment Date cannot be a past date,Bonus Dátum platby nemôže byť minulý dátum
 DocType: Travel Request,Copy of Invitation/Announcement,Kópia pozvánky / oznámenia
 DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Časový plán služby pre praktizujúcich
-DocType: Delivery Note,Transporter Name,Přepravce Název
+DocType: Delivery Note,Transporter Name,Názov prepravcu
 DocType: Authorization Rule,Authorized Value,Autorizovaný Hodnota
 DocType: BOM,Show Operations,ukázať Operations
 ,Minutes to First Response for Opportunity,Zápisy do prvej reakcie na príležitosť
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Celkem Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Merná jednotka
 DocType: Fiscal Year,Year End Date,Dátum konca roka
 DocType: Task Depends On,Task Depends On,Úloha je závislá na
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Příležitost
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Příležitost
 DocType: Operation,Default Workstation,Výchozí Workstation
 DocType: Notification Control,Expense Claim Approved Message,Správa o schválení úhrady výdavkov
 DocType: Payment Entry,Deductions or Loss,Odpočty alebo strata
@@ -3566,21 +3605,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Schválení Uživatel nemůže být stejná jako uživatel pravidlo se vztahuje na
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Základná sadzba (podľa skladovej MJ)
 DocType: SMS Log,No of Requested SMS,Počet žádaným SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Nechať bez nároku na odmenu nesúhlasí so schválenými záznamov nechať aplikáciu
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Nechať bez nároku na odmenu nesúhlasí so schválenými záznamov nechať aplikáciu
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Ďalšie kroky
 DocType: Travel Request,Domestic,domáci
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Prosím dodávať uvedené položky na najlepšie možné ceny
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Prosím dodávať uvedené položky na najlepšie možné ceny
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Prevod zamestnancov nemožno odoslať pred dátumom prevodu
 DocType: Certification Application,USD,Americký dolár
-apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Proveďte faktury
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Zostávajúci zostatok
+apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Fakturovať
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Zostávajúci zostatok
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto zavrieť Opportunity po 15 dňoch
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Objednávky nie sú povolené {0} kvôli postaveniu skóre {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Čiarový kód {0} nie je platný {1} kód
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Čiarový kód {0} nie je platný {1} kód
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,koniec roka
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Olovo%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Olovo%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Smlouva Datum ukončení musí být větší než Datum spojování
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Smlouva Datum ukončení musí být větší než Datum spojování
 DocType: Driver,Driver,vodič
 DocType: Vital Signs,Nutrition Values,Výživové hodnoty
 DocType: Lab Test Template,Is billable,Je fakturovaná
@@ -3591,7 +3630,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Toto je príklad webovej stránky automaticky generovanej z ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Stárnutí Rozsah 1
 DocType: Shopify Settings,Enable Shopify,Povoliť funkciu Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Celková čiastka zálohy nemôže byť vyššia ako celková nárokovaná čiastka
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Celková čiastka zálohy nemôže byť vyššia ako celková nárokovaná čiastka
 DocType: Purchase Taxes and Charges Template,"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
@@ -3638,12 +3677,12 @@
 DocType: Employee Separation,Employee Separation,Oddelenie zamestnancov
 DocType: BOM Item,Original Item,Pôvodná položka
 DocType: Purchase Receipt Item,Recd Quantity,Recd Množství
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Dátum dokumentu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Dátum dokumentu
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Vytvoril - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategórie Account
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Riadok # {0} (Platobný stôl): Suma musí byť pozitívna
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Riadok # {0} (Platobný stôl): Suma musí byť pozitívna
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Nie je možné vyrobiť viac Položiek {0} ako je množstvo na predajnej objednávke {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Vyberte hodnoty atribútov
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Vyberte hodnoty atribútov
 DocType: Purchase Invoice,Reason For Issuing document,Dôvod pre vydanie dokumentu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Sklad Entry {0} nie je predložená
 DocType: Payment Reconciliation,Bank / Cash Account,Bankový / Peňažný účet
@@ -3652,8 +3691,10 @@
 DocType: Asset,Manual,Manuálny
 DocType: Salary Component Account,Salary Component Account,Účet plat Component
 DocType: Global Defaults,Hide Currency Symbol,Skrýt symbol měny
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Možnosti predaja podľa zdroja
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informácie pre darcu.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","napríkklad banka, hotovosť, kreditné karty"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Prosím, nastavte číselnú sériu pre účasť v programe Setup&gt; Numbering Series"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","napríkklad banka, hotovosť, kreditné karty"
 DocType: Job Applicant,Source Name,Názov zdroja
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normálny pokojový krvný tlak u dospelého pacienta je približne 120 mmHg systolický a diastolický 80 mmHg, skrátený &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Nastavte skladovateľnosť položiek v dňoch, nastavte uplynutie platnosti na základe výrobnej_date a vlastnej životnosti"
@@ -3668,7 +3709,7 @@
 DocType: Travel Request,Travel Type,Typ cesty
 DocType: Item,Manufacture,Výroba
 DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.-
-apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Company,Inštalačná spoločnosť
+apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Company,Nastavenie spoločnosti
 ,Lab Test Report,Lab Test Report
 DocType: Employee Benefit Application,Employee Benefit Application,Žiadosť o zamestnanecké požitky
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Dodávka Vezměte prosím na vědomí první
@@ -3683,7 +3724,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Množstvo musí byť menšie ako množstvo {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,"Row {0}: datum zahájení, musí být před koncem roku Datum"
 DocType: Salary Component,Max Benefit Amount (Yearly),Maximálna výška dávky (ročná)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS%
 DocType: Crop,Planting Area,Oblasť výsadby
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (ks)
 DocType: Installation Note Item,Installed Qty,Instalované množství
@@ -3703,10 +3744,10 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +253,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Riadok # {0}: Journal Entry {1} nemá účet {2} alebo už uzavreté proti inému poukazu
 DocType: Supplier Scorecard Criteria,Criteria Weight,Hmotnosť kritérií
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Zanechajte oznámenie o schválení
-DocType: Buying Settings,Default Buying Price List,Výchozí Nákup Ceník
+DocType: Buying Settings,Default Buying Price List,Predvolený nákupný cenník
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Plat Slip na základe časového rozvrhu
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Sadzba nákupu
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Riadok {0}: Zadajte umiestnenie položky majetku {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Sadzba nákupu
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Riadok {0}: Zadajte umiestnenie položky majetku {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,O spoločnosti
 DocType: Notification Control,Sales Order Message,Poznámka predajnej objednávky
@@ -3718,7 +3759,7 @@
 DocType: Payroll Entry,Select Employees,Vybrať Zamestnanci
 DocType: Shopify Settings,Sales Invoice Series,Séria predajných faktúr
 DocType: Opportunity,Potential Sales Deal,Potenciální prodej
-DocType: Complaint,Complaints,sťažnosti
+DocType: Complaint,Complaints,Sťažnosti
 DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Vyhlásenie o oslobodení od dane z príjmu zamestnancov
 DocType: Payment Entry,Cheque/Reference Date,Šek / Referenčný dátum
 DocType: Purchase Invoice,Total Taxes and Charges,Celkem Daně a poplatky
@@ -3739,7 +3780,7 @@
 DocType: Purchase Order,Ref SQ,Ref SQ
 DocType: Leave Type,Applicable After (Working Days),Platné po (pracovné dni)
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +55,Receipt document must be submitted,Príjem a musí byť predložený
-DocType: Purchase Invoice Item,Received Qty,Přijaté Množství
+DocType: Purchase Invoice Item,Received Qty,Prijaté množstvo
 DocType: Stock Entry Detail,Serial No / Batch,Sériové číslo / Dávka
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +351,Not Paid and Not Delivered,Nezaplatené a nedoručené
 DocType: Product Bundle,Parent Item,Nadřazená položka
@@ -3772,10 +3813,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Pre riadok {0}: Zadajte naplánované množstvo
 DocType: Account,Income Account,Účet příjmů
 DocType: Payment Request,Amount in customer's currency,Čiastka v mene zákazníka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Dodávka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Dodávka
 DocType: Volunteer,Weekdays,Dni v týždni
 DocType: Stock Reconciliation Item,Current Qty,Aktuálne Množstvo
 DocType: Restaurant Menu,Restaurant Menu,Reštaurácia
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Pridať dodávateľov
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-Sinv-.YYYY.-
 DocType: Loyalty Program,Help Section,Sekcia pomocníka
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Predchádzajúce
@@ -3787,19 +3829,20 @@
 												fullfill Sales Order {2}","Nie je možné dodať sériové číslo {0} položky {1}, pretože je rezervované pre \ fullfill zákazku odberateľa {2}"
 DocType: Item Reorder,Material Request Type,Materiál Typ požadavku
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Odošlite e-mail na posúdenie grantu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Miestne úložisko je plné, nezachránil"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Riadok {0}: Konverzný faktor MJ je povinný
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Miestne úložisko je plné, nezachránil"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Riadok {0}: Konverzný faktor MJ je povinný
 DocType: Employee Benefit Claim,Claim Date,Dátum nároku
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kapacita miestnosti
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Už existuje záznam pre položku {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Ztratíte záznamy o predtým vygenerovaných faktúrach. Naozaj chcete tento odber reštartovať?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Registračný poplatok
 DocType: Loyalty Program Collection,Loyalty Program Collection,Zber vernostného programu
 DocType: Stock Entry Detail,Subcontracted Item,Subkontraktovaná položka
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Študent {0} nepatrí do skupiny {1}
 DocType: Budget,Cost Center,Nákladové středisko
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Poznámka k nákupnej objednávke
 DocType: Tax Rule,Shipping Country,Krajina dodania
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Inkognito dane zákazníka z predajných transakcií
@@ -3818,23 +3861,22 @@
 DocType: Subscription,Cancel At End Of Period,Zrušiť na konci obdobia
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Vlastnosti už boli pridané
 DocType: Item Supplier,Item Supplier,Položka Dodavatel
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Nie sú vybraté žiadne položky na prenos
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Všetky adresy
 DocType: Company,Stock Settings,Nastavenie Skladu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spojenie je možné len vtedy, ak tieto vlastnosti sú rovnaké v oboch záznamoch. Je Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spojenie je možné len vtedy, ak tieto vlastnosti sú rovnaké v oboch záznamoch. Je Group, Root Type, Company"
 DocType: Vehicle,Electric,elektrický
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Zisk / strata z aktív likvidácii
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Do nasledujúcej tabuľky bude vybraný iba žiadateľ o štúdium so stavom &quot;Schválený&quot;.
-DocType: Tax Withholding Category,Rates,sadzby
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Číslo účtu pre účet {0} nie je k dispozícii. <br> Prosím, nastavte účtovnú schému správne."
-DocType: Task,Depends on Tasks,Závisí na Úlohy
+DocType: Tax Withholding Category,Rates,Sadzby
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Číslo účtu pre účet {0} nie je k dispozícii. <br> Prosím, nastavte účtovnú schému správne."
+DocType: Task,Depends on Tasks,Závisí na úlohách
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Správa zákazníků skupiny Tree.
 DocType: Normal Test Items,Result Value,Výsledná hodnota
 DocType: Hotel Room,Hotels,hotely
-DocType: Delivery Note,Transporter Date,Dátum prepravcu
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Názov nového nákladového strediska
 DocType: Leave Control Panel,Leave Control Panel,Nechte Ovládací panely
 DocType: Project,Task Completion,úloha Dokončenie
@@ -3871,7 +3913,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +586,Warning: Another {0} # {1} exists against stock entry {2},Upozornenie: Ďalším {0} # {1} existuje proti akciovej vstupu {2}
 apps/erpnext/erpnext/utilities/user_progress_utils.py +66,Local,Místní
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Úvěrů a půjček (aktiva)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Dlužníci
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Dlžníci
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +174,Large,Veľký
 DocType: Bank Statement Settings,Bank Statement Settings,Nastavenia bankového výpisu
 DocType: Shopify Settings,Customer Settings,Nastavenia zákazníka
@@ -3881,11 +3923,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Všetky skupiny Assessment
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nový sklad Name
 DocType: Shopify Settings,App Type,Typ aplikácie
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Celkom {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Celkom {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Území
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Prosím, uveďte počet požadovaných návštěv"
 DocType: Stock Settings,Default Valuation Method,Výchozí metoda ocenění
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,poplatok
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Zobraziť kumulatívnu čiastku
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Prebieha aktualizácia. Môže to chvíľu trvať.
 DocType: Production Plan Item,Produced Qty,Vyrobené množstvo
 DocType: Vehicle Log,Fuel Qty,palivo Množstvo
@@ -3893,7 +3936,7 @@
 DocType: Work Order Operation,Planned Start Time,Plánované Start Time
 DocType: Course,Assessment,posúdenie
 DocType: Payment Entry Reference,Allocated,Přidělené
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu.
 DocType: Student Applicant,Application Status,stav aplikácie
 DocType: Additional Salary,Salary Component Type,Typ platového komponentu
 DocType: Sensitivity Test Items,Sensitivity Test Items,Položky testu citlivosti
@@ -3904,10 +3947,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Celková dlužná částka
 DocType: Sales Partner,Targets,Cíle
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Prihláste prosím číslo SIREN do informačného súboru spoločnosti
+DocType: Email Digest,Sales Orders to Bill,Predajné príkazy k Billovi
 DocType: Price List,Price List Master,Ceník Master
 DocType: GST Account,CESS Account,Účet CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Všechny prodejní transakce mohou být označeny proti více ** prodejcům **, takže si můžete nastavit a sledovat cíle."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Odkaz na žiadosť o materiál
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Odkaz na žiadosť o materiál
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Aktivita fóra
 ,S.O. No.,SO Ne.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Položka nastavenia transakcie bankového výpisu
@@ -3922,7 +3966,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,"To je kořen skupiny zákazníků, a nelze upravovat."
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Ak akumulovaný mesačný rozpočet prekročil PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Na miesto
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Na miesto
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Prehodnotenie výmenného kurzu
 DocType: POS Profile,Ignore Pricing Rule,Ignorovat Ceny pravidlo
 DocType: Employee Education,Graduate,Absolvent
@@ -3971,6 +4015,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Nastavte štandardný zákazník v nastaveniach reštaurácie
 ,Salary Register,plat Register
 DocType: Warehouse,Parent Warehouse,Parent Warehouse
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Graf
 DocType: Subscription,Net Total,Netto Spolu
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Predvolený kusovník sa nenašiel pre položku {0} a projekt {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definovať rôzne typy úverov
@@ -3982,14 +4027,14 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +128,Financial Year,Finančný rok
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,{0} does not belong to Company {1},{0} nepatrí do Spoločnosti {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +66,Could not solve criteria score function for {0}. Make sure the formula is valid.,"Nie je možné vyriešiť funkciu skóre skóre {0}. Skontrolujte, či je vzorec platný."
-apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost as on,Štát ako na
+apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost as on,Náklady ako na
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +34,Repayment amount {} should be greater than monthly interest amount {},Suma splátok {} by mala byť vyššia ako mesačná úroková sadzba {}
 DocType: Healthcare Settings,Out Patient Settings,Nastavenia pre pacienta
 DocType: Account,Round Off,Zaokrúhliť
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +305,Quantity must be positive,Množstvo musí byť pozitívne
 DocType: Material Request Plan Item,Requested Qty,Požadované množství
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +97,The fields From Shareholder and To Shareholder cannot be blank,Polia Od Akcionára a Akcionára nemôžu byť prázdne
-DocType: Cashier Closing,Cashier Closing,Zatvorenie pokladne
+DocType: Cashier Closing,Cashier Closing,Uzávierka pokladníka
 DocType: Tax Rule,Use for Shopping Cart,Použitie pre Košík
 apps/erpnext/erpnext/controllers/item_variant.py +101,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Hodnota {0} atribútu {1} neexistuje v zozname platného bodu Hodnoty atribútov pre položky {2}
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +81,Select Serial Numbers,Vyberte sériové čísla
@@ -4003,45 +4048,47 @@
 DocType: Membership,Membership Status,Stav členstva
 DocType: Travel Itinerary,Lodging Required,Požadované ubytovanie
 ,Requested,Požadované
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Žiadne poznámky
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Žiadne poznámky
 DocType: Asset,In Maintenance,V údržbe
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Kliknutím na toto tlačidlo vyberiete údaje o predajnej objednávke od spoločnosti Amazon MWS.
 DocType: Vital Signs,Abdomen,brucho
 DocType: Purchase Invoice,Overdue,Zpožděný
 DocType: Account,Stock Received But Not Billed,Prijaté na zásoby ale neúčtované
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root účet musí byť skupina
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root účet musí byť skupina
 DocType: Drug Prescription,Drug Prescription,Predpísaný liek
 DocType: Loan,Repaid/Closed,Splatená / Zatvorené
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Celková predpokladaná Množstvo
 DocType: Monthly Distribution,Distribution Name,Názov distribúcie
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Zahrňte UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Miera zhodnotenia sa nezistila pre položku {0}, ktorá je povinná robiť účtovné položky pre {1} {2}. Ak položka transakcia prebieha ako položku s nulovou hodnotou v {1}, uveďte ju v tabuľke {1} položky. V opačnom prípade prosím vytvorte pre túto položku transakciu s akciami alebo zmienku o oceňovaní v položke záznamu a skúste odoslať / zrušiť túto položku"
 DocType: Course,Course Code,kód predmetu
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kontrola kvality potřebný k bodu {0}
 DocType: Location,Parent Location,Umiestnenie rodičov
 DocType: POS Settings,Use POS in Offline Mode,Používajte POS v režime offline
 DocType: Supplier Scorecard,Supplier Variables,Premenné dodávateľa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},"{0} je povinné. Možno, že záznam o výmene meny nie je vytvorený {1} až {2}"
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Sazba, za kterou zákazník měny je převeden na společnosti základní měny"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Čistý Rate (Company meny)
-DocType: Salary Detail,Condition and Formula Help,Stav a Formula nápovedy
+DocType: Salary Detail,Condition and Formula Help,Nápoveda pre podmienky a vzorce
 apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Správa Territory strom.
 DocType: Patient Service Unit,Patient Service Unit,Jednotka služieb pacienta
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Predajná faktúra
 DocType: Journal Entry Account,Party Balance,Balance Party
 DocType: Cash Flow Mapper,Section Subtotal,Oddiel Medzisúčet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Prosím, vyberte Použiť Zľava na"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Prosím, vyberte Použiť Zľava na"
 DocType: Stock Settings,Sample Retention Warehouse,Záznam uchovávania vzoriek
 DocType: Company,Default Receivable Account,Výchozí pohledávek účtu
 DocType: Purchase Invoice,Deemed Export,Považovaný export
 DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výroba
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Sleva v procentech lze použít buď proti Ceníku nebo pro všechny Ceníku.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Účetní položka na skladě
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Účetní položka na skladě
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Vyhodnotili ste kritériá hodnotenia {}.
 DocType: Vehicle Service,Engine Oil,Motorový olej
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Vytvorené pracovné príkazy: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Vytvorené pracovné príkazy: {0}
 DocType: Sales Invoice,Sales Team1,Sales Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Bod {0} neexistuje
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Bod {0} neexistuje
 DocType: Sales Invoice,Customer Address,Adresa zákazníka
 DocType: Loan,Loan Details,pôžička Podrobnosti
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Nepodarilo sa nastaviť doplnky firmy
@@ -4062,34 +4109,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Zobrazit tuto prezentaci v horní části stránky
 DocType: BOM,Item UOM,MJ položky
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Suma dane po zľave Suma (Company meny)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
 DocType: Cheque Print Template,Primary Settings,primárnej Nastavenie
 DocType: Attendance Request,Work From Home,Práca z domu
 DocType: Purchase Invoice,Select Supplier Address,Vybrať Dodávateľ Address
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Pridajte Zamestnanci
 DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Malé
 DocType: Company,Standard Template,štandardná šablóna
 DocType: Training Event,Theory,teória
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Účet {0} je zmrazen
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace."
-DocType: Payment Request,Mute Email,Mute Email
+DocType: Payment Request,Mute Email,Stíšiť email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák"
 DocType: Account,Account Number,Číslo účtu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Možno vykonať len platbu proti nevyfakturované {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Rychlost Komise nemůže být větší než 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Možno vykonať len platbu proti nevyfakturované {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Komisná sadzba nemôže byť väčšia ako 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Automaticky prideľovať preddavky (FIFO)
 DocType: Volunteer,Volunteer,dobrovoľník
 DocType: Buying Settings,Subcontract,Subdodávka
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Prosím, najprv zadajte {0}"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Žiadne odpovede od
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Žiadne odpovede od
 DocType: Work Order Operation,Actual End Time,Aktuální End Time
 DocType: Item,Manufacturer Part Number,Typové označení
 DocType: Taxable Salary Slab,Taxable Salary Slab,Zdaniteľné platové dosky
 DocType: Work Order Operation,Estimated Time and Cost,Odhadovná doba a náklady
 DocType: Bin,Bin,Kôš
 DocType: Crop,Crop Name,Názov plodiny
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,V službe Marketplace sa môžu zaregistrovať iba používatelia s rolou {0}
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,V službe Marketplace sa môžu zaregistrovať iba používatelia s rolou {0}
 DocType: SMS Log,No of Sent SMS,Počet odeslaných SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Schôdzky a stretnutia
@@ -4099,7 +4147,7 @@
 DocType: Healthcare Practitioner,Inpatient Visit Charge,Poplatok za návštevu v nemocnici
 DocType: Account,Expense Account,Účtet nákladů
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +178,Colour,Farebné
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +178,Colour,Farba
 DocType: Assessment Plan Criteria,Assessment Plan Criteria,Plan Assessment Criteria
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card_dashboard.py +8,Transactions,transakcie
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +123,Expiry date is mandatory for selected item,Dátum vypršania platnosti je pre vybranú položku povinný
@@ -4117,8 +4165,8 @@
 DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vyberte měsíční výplatou na nerovnoměrně distribuovat cílů napříč měsíců.
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Zmeniť kód
 DocType: Purchase Invoice Item,Valuation Rate,Ocenění Rate
-DocType: Vehicle,Diesel,motorová nafta
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Mena pre cenník nie je vybratá
+DocType: Vehicle,Diesel,Diesel
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Mena pre cenník nie je vybratá
 DocType: Purchase Invoice,Availed ITC Cess,Využil ITC Cess
 ,Student Monthly Attendance Sheet,Študent mesačná návštevnosť Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Pravidlo platia iba pre predaj
@@ -4135,7 +4183,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Správa prodejních partnerů.
 DocType: Quality Inspection,Inspection Type,Kontrola Type
 DocType: Fee Validity,Visited yet,Navštívené
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Sklady s existujúcimi transakcie nemožno previesť na skupinu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Sklady s existujúcimi transakcie nemožno previesť na skupinu.
 DocType: Assessment Result Tool,Result HTML,výsledok HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Ako často by sa projekt a spoločnosť mali aktualizovať na základe predajných transakcií.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Vyprší
@@ -4143,7 +4191,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Prosím, vyberte {0}"
 DocType: C-Form,C-Form No,C-Form No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,vzdialenosť
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,vzdialenosť
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Uveďte zoznam svojich produktov alebo služieb, ktoré kupujete alebo predávate."
 DocType: Water Analysis,Storage Temperature,Teplota skladovania
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4159,22 +4207,22 @@
 DocType: Shopify Settings,Delivery Note Series,Séria dodacích poznámok
 DocType: Purchase Order Item,Returned Qty,Vrátené Množstvo
 DocType: Student,Exit,Východ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type je povinné
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type je povinné
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Nepodarilo sa nainštalovať predvoľby
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Konverzia v hodinách
 DocType: Contract,Signee Details,Signee Details
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} v súčasnosti má {1} hodnotiacu kartu pre dodávateľa, a RFQ pre tohto dodávateľa by mali byť vydané opatrne."
 DocType: Certified Consultant,Non Profit Manager,Neziskový manažér
 DocType: BOM,Total Cost(Company Currency),Celkové náklady (Company mena)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Pořadové číslo {0} vytvořil
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Pořadové číslo {0} vytvořil
 DocType: Homepage,Company Description for website homepage,Spoločnosť Popis pre webové stránky domovskú stránku
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pro pohodlí zákazníků, tyto kódy mohou být použity v tiskových formátech, jako na fakturách a dodacích listech"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Meno suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nepodarilo sa získať informácie pre {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Otvorenie denníka vstupu
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Otvorenie denníka vstupu
 DocType: Contract,Fulfilment Terms,Podmienky plnenia
 DocType: Sales Invoice,Time Sheet List,Zoznam časových rozvrhov
-DocType: Employee,You can enter any date manually,Můžete zadat datum ručně
+DocType: Employee,You can enter any date manually,Môžete zadať dátum ručne
 DocType: Healthcare Settings,Result Printed,Výsledok vytlačený
 DocType: Asset Category Account,Depreciation Expense Account,Odpisy Náklady účtu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +214,Probationary Period,Skúšobná doba
@@ -4207,7 +4255,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Vaša organizácia
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Preskočiť Ponechať alokáciu pre nasledujúcich zamestnancov, pretože záznamy proti alokácii už existujú proti nim. {0}"
 DocType: Fee Component,Fees Category,kategórie poplatky
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Zadejte zmírnění datum.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Zadejte zmírnění datum.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Podrobnosti sponzora (meno, miesto)"
 DocType: Supplier Scorecard,Notify Employee,Upozorniť zamestnanca
@@ -4217,12 +4265,12 @@
 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Vyberte fiškálny rok
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +118,Expected Delivery Date should be after Sales Order Date,Očakávaný dátum doručenia by mal byť po dátume zákazky predaja
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Změna pořadí Level
-DocType: Company,Chart Of Accounts Template,Účtový rozvrh šablóny
+DocType: Company,Chart Of Accounts Template,Šablóna účtovného rozvrhu
 DocType: Attendance,Attendance Date,Účast Datum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Ak chcete aktualizovať nákupnú faktúru {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Položka Cena aktualizovaný pre {0} v Cenníku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Položka Cena aktualizovaný pre {0} v Cenníku {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plat rozpad na základě Zisk a dedukce.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu
 DocType: Purchase Invoice Item,Accepted Warehouse,Schválené Sklad
 DocType: Bank Reconciliation Detail,Posting Date,Dátum pridania
 DocType: Item,Valuation Method,Ocenění Method
@@ -4250,7 +4298,7 @@
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Pořadové číslo {0} neexistuje
 DocType: Sales Invoice Item,Customer Warehouse (Optional),Zákazník Warehouse (voliteľne)
 DocType: Blanket Order Item,Blanket Order Item,Objednávka tovaru
-DocType: Pricing Rule,Discount Percentage,Sleva v procentech
+DocType: Pricing Rule,Discount Percentage,Zľava v percentách
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +51,Reserved for sub contracting,Vyhradené pre subkontraktovanie
 DocType: Payment Reconciliation Invoice,Invoice Number,Číslo faktúry
 DocType: Shopping Cart Settings,Orders,Objednávky
@@ -4259,6 +4307,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Vyberte dávku
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Cestovné a výdajové nároky
 DocType: Sales Invoice,Redemption Cost Center,Centrum výdavkových nákladov
+DocType: QuickBooks Migrator,Scope,Rozsah
 DocType: Assessment Group,Assessment Group Name,Názov skupiny Assessment
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Prevádza jadrový materiál pre Výroba
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Pridať do podrobností
@@ -4266,6 +4315,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Dátum posledného synchronizácie
 DocType: Landed Cost Item,Receipt Document Type,Príjem Document Type
 DocType: Daily Work Summary Settings,Select Companies,Vyberte firmy
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Návrh / cenová ponuka
 DocType: Antibiotic,Healthcare,Zdravotná starostlivosť
 DocType: Target Detail,Target Detail,Target Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Jediný variant
@@ -4275,16 +4325,17 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Období Uzávěrka Entry
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Vyberte oddelenie ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Nákladové středisko se stávajícími transakcemi nelze převést do skupiny
+DocType: QuickBooks Migrator,Authorization URL,Autorizačná adresa URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Množstvo {0} {1} {2} {3}
-DocType: Account,Depreciation,Znehodnocení
+DocType: Account,Depreciation,Odpisovanie
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Počet akcií a čísla akcií je nekonzistentný
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +50,Supplier(s),Dodavatel (é)
 DocType: Employee Attendance Tool,Employee Attendance Tool,Účasť zamestnancov Tool
 DocType: Guardian Student,Guardian Student,Guardian Student
-DocType: Supplier,Credit Limit,Úvěrový limit
+DocType: Supplier,Credit Limit,Úverový limit
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +77,Avg. Selling Price List Rate,Avg. Sadzba predajného cenníka
 DocType: Loyalty Program Collection,Collection Factor (=1 LP),Faktor zberu (= 1 LP)
-DocType: Additional Salary,Salary Component,plat Component
+DocType: Additional Salary,Salary Component,Komponent platu
 apps/erpnext/erpnext/accounts/utils.py +519,Payment Entries {0} are un-linked,Platobné Príspevky {0} sú un-spojený
 DocType: GL Entry,Voucher No,Voucher No
 ,Lead Owner Efficiency,Efektívnosť vlastníka iniciatívy
@@ -4297,13 +4348,14 @@
 DocType: Support Search Source,Source DocType,Zdroj DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Otvorte novú letenku
 DocType: Training Event,Trainer Email,tréner Email
+DocType: Driver,Transporter,prepravca
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materiál Žádosti {0} vytvořené
 DocType: Restaurant Reservation,No of People,Počet ľudí
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Šablona podmínek nebo smlouvy.
 DocType: Bank Account,Address and Contact,Adresa a Kontakt
 DocType: Vital Signs,Hyper,hyper
 DocType: Cheque Print Template,Is Account Payable,Je účtu splatný
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Sklad nie je možné aktualizovať proti dokladu o kúpe {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Sklad nie je možné aktualizovať proti dokladu o kúpe {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto zavrieť Issue po 7 dňoch
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dovolenka nemôže byť pridelené pred {0}, pretože rovnováha dovolenky už bolo carry-odovzdávané v budúcej pridelenie dovolenku záznamu {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s)
@@ -4321,7 +4373,7 @@
 ,Qty to Deliver,Množství k dodání
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Spoločnosť Amazon bude synchronizovať údaje aktualizované po tomto dátume
 ,Stock Analytics,Analýza zásob
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operácia nemôže byť prázdne
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operácia nemôže byť prázdne
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Laboratórne testy
 DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Detail dokumentu č
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Vymazanie nie je povolené pre krajinu {0}
@@ -4329,16 +4381,15 @@
 DocType: Quality Inspection,Outgoing,Vycházející
 DocType: Material Request,Requested For,Požadovaných pro
 DocType: Quotation Item,Against Doctype,Proti DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} je zrušený alebo zatvorené
-DocType: Asset,Calculate Depreciation,Vypočítajte odpisy
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} je zrušený alebo zatvorené
+DocType: Asset,Calculate Depreciation,Vypočítať odpisy
 DocType: Delivery Note,Track this Delivery Note against any Project,Sledovat tento dodacím listu proti jakémukoli projektu
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Čistý peňažný tok z investičnej
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Zákaznícka skupina&gt; Územie
 DocType: Work Order,Work-in-Progress Warehouse,Work-in-Progress sklad
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} musí byť predložené
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} musí byť predložené
 DocType: Fee Schedule Program,Total Students,Celkový počet študentov
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Účasť Record {0} existuje proti Študent {1}
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Reference # {0} ze dne {1}
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referencia # {0} zo dňa {1}
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +179,Depreciation Eliminated due to disposal of assets,Odpisy vypadol v dôsledku nakladania s majetkom
 DocType: Employee Transfer,New Employee ID,Nové číslo zamestnanca
 DocType: Loan,Member,člen
@@ -4352,10 +4403,10 @@
 DocType: Journal Entry,User Remark,Uživatel Poznámka
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +85,Optimizing routes.,Optimalizácia trasy.
 DocType: Travel Itinerary,Non Diary,Bez deníku
-apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Nemožno vytvoriť retenčný bonus pre ľavých zamestnancov
+apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Nemožno vytvoriť retenčný bonus pre odídených zamestnancov
 DocType: Lead,Market Segment,Segment trhu
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Poľnohospodársky manažér
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplatená suma nemôže byť vyšší ako celkový negatívny dlžnej čiastky {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplatená suma nemôže byť vyšší ako celkový negatívny dlžnej čiastky {0}
 DocType: Supplier Scorecard Period,Variables,Premenné
 DocType: Employee Internal Work History,Employee Internal Work History,Interní historie práce zaměstnance
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Uzavření (Dr)
@@ -4366,7 +4417,7 @@
 apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Účet {0} sa nezhoduje so spoločnosťou {1}
 DocType: Education Settings,Current Academic Year,Súčasný akademický rok
 DocType: Education Settings,Current Academic Year,Súčasný akademický rok
-DocType: Stock Settings,Default Stock UOM,Východzia skladová MJ
+DocType: Stock Settings,Default Stock UOM,Predvolená skladová MJ
 DocType: Asset,Number of Depreciations Booked,Počet Odpisy rezervované
 apps/erpnext/erpnext/public/js/pos/pos.html +71,Qty Total,Celkový počet
 DocType: Landed Cost Item,Receipt Document,príjem dokumentov
@@ -4380,22 +4431,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Produkty
 DocType: Loyalty Point Entry,Loyalty Program,Vernostný program
 DocType: Student Guardian,Father,otec
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Podporné vstupenky
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&quot;Aktualizácia Sklad&quot; nemôžu byť kontrolované na pevnú predaji majetku
 DocType: Bank Reconciliation,Bank Reconciliation,Bankové odsúhlasenie
 DocType: Attendance,On Leave,Na odchode
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Získať aktualizácie
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Účet {2} nepatrí do spoločnosti {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Vyberte aspoň jednu hodnotu z každého atribútu.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Vyberte aspoň jednu hodnotu z každého atribútu.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materiál Request {0} je zrušena nebo zastavena
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Štát odoslania
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Štát odoslania
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Správa priepustiek
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Skupiny
 DocType: Purchase Invoice,Hold Invoice,Podržte faktúru
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Vyberte zamestnanca
 DocType: Sales Order,Fully Delivered,Plně Dodáno
-DocType: Lead,Lower Income,S nižšími příjmy
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,S nižšími příjmy
 DocType: Restaurant Order Entry,Current Order,Aktuálna objednávka
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Počet sériových nosičov a množstva musí byť rovnaký
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0}
 DocType: Account,Asset Received But Not Billed,"Akt prijatý, ale neúčtovaný"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Rozdiel účet musí byť typu aktív / Zodpovednosť účet, pretože to Reklamná Zmierenie je Entry Otvorenie"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Zaplatené čiastky nemôže byť väčšia ako Výška úveru {0}
@@ -4404,7 +4457,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Dátum DO"" musí byť po ""Dátum OD"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Žiadne personálne plány neboli nájdené pre toto označenie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Dávka {0} položky {1} je vypnutá.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Dávka {0} položky {1} je vypnutá.
 DocType: Leave Policy Detail,Annual Allocation,Ročné pridelenie
 DocType: Travel Request,Address of Organizer,Adresa organizátora
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Vyberte zdravotníckeho lekára ...
@@ -4413,22 +4466,22 @@
 DocType: Asset,Fully Depreciated,plne odpísaný
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Naprojektovaná úroveň zásob
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Výrazná Účasť HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Ponuky sú návrhy, ponuky zaslané vašim zákazníkom"
 DocType: Sales Invoice,Customer's Purchase Order,Zákazníka Objednávka
 DocType: Clinical Procedure,Patient,trpezlivý
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Zablokovanie kreditnej kontroly na objednávke
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Zablokovanie kreditnej kontroly na objednávke
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Činnosť zamestnancov na palube
 DocType: Location,Check if it is a hydroponic unit,"Skontrolujte, či ide o hydroponickú jednotku"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Sériové číslo a Dávka
 DocType: Warranty Claim,From Company,Od Společnosti
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Súčet skóre hodnotiacich kritérií musí byť {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +198,Please set Number of Depreciations Booked,Prosím nastavte Počet Odpisy rezervované
-DocType: Supplier Scorecard Period,Calculations,výpočty
+DocType: Supplier Scorecard Period,Calculations,Výpočty
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Hodnota nebo Množství
 DocType: Payment Terms Template,Payment Terms,Platobné podmienky
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions Objednávky nemôže byť zvýšená pre:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions Objednávky nemôže byť zvýšená pre:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minúta
 DocType: Purchase Invoice,Purchase Taxes and Charges,Nákup Daně a poplatky
 DocType: Chapter,Meetup Embed HTML,Meetup Vložiť HTML
@@ -4436,18 +4489,18 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Prejdite na dodávateľov
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Dane z kupónového uzávierky POS
 ,Qty to Receive,Množství pro příjem
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Dátumy začiatku a ukončenia, ktoré nie sú v platnom mzdovom období, nemožno vypočítať {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Dátumy začiatku a ukončenia, ktoré nie sú v platnom mzdovom období, nemožno vypočítať {0}."
 DocType: Leave Block List,Leave Block List Allowed,Nechte Block List povolena
 DocType: Grading Scale Interval,Grading Scale Interval,Stupnica Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Náklady Nárok na Vehicle Log {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zľava (%) na sadzbe cien s maržou
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zľava (%) na sadzbe cien s maržou
-DocType: Healthcare Service Unit Type,Rate / UOM,Sadzba / UOM
+DocType: Healthcare Service Unit Type,Rate / UOM,Sadzba / MJ
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,všetky Sklady
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nie je {0} zistené pre transakcie medzi spoločnosťami.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nie je {0} zistené pre transakcie medzi spoločnosťami.
 DocType: Travel Itinerary,Rented Car,Nájomné auto
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,O vašej spoločnosti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Pripísať na účet musí byť účtu Súvaha
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Pripísať na účet musí byť účtu Súvaha
 DocType: Donor,Donor,darcu
 DocType: Global Defaults,Disable In Words,Zakázať v slovách
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinné, protože položka není automaticky číslovány"
@@ -4459,14 +4512,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Kontokorentní úvěr na účtu
 DocType: Patient,Patient ID,Identifikácia pacienta
 DocType: Practitioner Schedule,Schedule Name,Názov plánu
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Predajné potrubie podľa etapy
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Proveďte výplatní pásce
 DocType: Currency Exchange,For Buying,Pre nákup
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Pridať všetkých dodávateľov
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Pridať všetkých dodávateľov
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Riadok # {0}: Pridelená čiastka nemôže byť vyššia ako dlžná suma.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Prechádzať BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Zajištěné úvěry
 DocType: Purchase Invoice,Edit Posting Date and Time,Úpraviť dátum a čas vzniku
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosím, amortizácia účty s ním súvisiacich v kategórii Asset {0} alebo {1} Company"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosím, amortizácia účty s ním súvisiacich v kategórii Asset {0} alebo {1} Company"
 DocType: Lab Test Groups,Normal Range,Normálny rozsah
 DocType: Academic Term,Academic Year,Akademický rok
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Dostupný predaj
@@ -4479,13 +4533,13 @@
 DocType: Loan,Loan Account,Úverový účet
 DocType: Purchase Invoice,GST Details,Podrobnosti GST
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +6,This is based on transactions against this Healthcare Practitioner.,Toto je založené na transakciách s týmto zdravotníckym lekárom.
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +156,Email sent to supplier {0},E-mailu zaslaného na dodávateľa {0}
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +156,Email sent to supplier {0},E-mail zaslaný na dodávateľa {0}
 DocType: Item,Default Sales Unit of Measure,Predvolená predajná jednotka merania
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +12,Academic Year: ,Akademický rok:
 DocType: Inpatient Record,Admission Schedule Date,Dátum schôdze prijatia
 DocType: Subscription,Past Due Date,Dátum splatnosti
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +19,Not allow to set alternative item for the item {0},Nepovoliť nastavenie alternatívnej položky pre položku {0}
-apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,Datum se opakuje
+apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,Dátum sa opakuje
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +27,Authorized Signatory,Prokurista
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js +65,Create Fees,Vytvorte poplatky
 DocType: Project,Total Purchase Cost (via Purchase Invoice),Celkové obstarávacie náklady (cez nákupné faktúry)
@@ -4495,27 +4549,27 @@
 DocType: Patient Appointment,Patient Appointment,Menovanie pacienta
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Schválení role nemůže být stejná jako role pravidlo se vztahuje na
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odhlásiť sa z tohto Email Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Získajte dodávateľov od
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Získajte dodávateľov od
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} sa nenašiel pre položku {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Prejdite na Kurzy
 DocType: Accounts Settings,Show Inclusive Tax In Print,Zobraziť inkluzívnu daň v tlači
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",Bankový účet od dátumu do dňa je povinný
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Správa bola odoslaná
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Účet s podriadené uzly nie je možné nastaviť ako hlavnej knihy
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Účet s podriadené uzly nie je možné nastaviť ako hlavnej knihy
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Sazba, za kterou Ceník měna je převeden na zákazníka základní měny"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Čistá suma (Company Mena)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Celková výška zálohy nemôže byť vyššia ako celková výška sankcie
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Celková výška zálohy nemôže byť vyššia ako celková výška sankcie
 DocType: Salary Slip,Hour Rate,Hodinová sadzba
 DocType: Stock Settings,Item Naming By,Položka Pojmenování By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Další období Uzávěrka Entry {0} byla podána po {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materiál Prenesená pre výrobu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Účet {0} neexistuje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Vyberte Vernostný program
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Vyberte Vernostný program
 DocType: Project,Project Type,Typ projektu
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Detská úloha existuje pre túto úlohu. Túto úlohu nemôžete odstrániť.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Buď cílové množství nebo cílová částka je povinná.
-apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Náklady na rôznych aktivít
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Buď cílové množství nebo cílová částka je povinná.
+apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Náklady na rôzne aktivity
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavenie udalostí do {0}, pretože zamestnanec pripojená k nižšie predajcom nemá ID užívateľa {1}"
 DocType: Timesheet,Billing Details,fakturačné údaje
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +163,Source and target warehouse must be different,Zdrojové a cieľové sklad sa musí líšiť
@@ -4529,7 +4583,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +387,Work Order cannot be raised against a Item Template,Pracovnú objednávku nemožno vzniesť voči šablóne položky
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +101,Shipping rule only applicable for Buying,Pravidlo platia iba pre nákup
 DocType: Vital Signs,BMI,BMI
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Pokladní hotovost
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Pokladničná hotovosť
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +142,Delivery warehouse required for stock item {0},Dodávka sklad potrebný pre živočíšnu položku {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Celková hmotnost balení. Obvykle se čistá hmotnost + obalového materiálu hmotnosti. (Pro tisk)
 DocType: Assessment Plan,Program,Program
@@ -4549,12 +4603,12 @@
 DocType: Expense Claim,Approval Status,Stav schválení
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +35,From value must be less than to value in row {0},Z hodnota musí být menší než hodnota v řadě {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +158,Wire Transfer,Bankovní převod
-apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +93,Check all,"skontrolujte, či všetky"
+apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +93,Check all,Skontrolovať všetko
 ,Issued Items Against Work Order,Vydané položky proti pracovnému príkazu
 ,BOM Stock Calculated,Výpočet zásob BOM
 DocType: Vehicle Log,Invoice Ref,faktúra Ref
-DocType: Company,Default Income Account,Účet Default příjmů
-apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,Zákazník Group / Customer
+DocType: Company,Default Income Account,Predvolený účet príjmov
+apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,Zákaznícka skupina/Zákazník
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +39,Unclosed Fiscal Years Profit / Loss (Credit),Neuzavretý fiškálnych rokov Zisk / strata (Credit)
 DocType: Sales Invoice,Time Sheets,Časové rozvrhy
 DocType: Healthcare Service Unit Type,Change In Item,Zmeniť položku
@@ -4572,13 +4626,13 @@
 DocType: Inpatient Record,A Negative,Negatívny
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,To je všetko
 DocType: Lead,From Customer,Od Zákazníka
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Volá
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Volania
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,A produkt
 DocType: Employee Tax Exemption Declaration,Declarations,vyhlásenie
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Šarže
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Uskutočniť rozpis poplatkov
 DocType: Purchase Order Item Supplied,Stock UOM,Skladová MJ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Vydaná objednávka {0} nie je odoslaná
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Vydaná objednávka {0} nie je odoslaná
 DocType: Account,Expenses Included In Asset Valuation,Náklady zahrnuté do ocenenia majetku
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normálny referenčný rozsah pre dospelého je 16-20 dych / minúta (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tarif Počet
@@ -4587,10 +4641,11 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +233,Serial No {0} does not belong to Warehouse {1},Pořadové číslo {0} nepatří do skladu {1}
 apps/erpnext/erpnext/controllers/status_updater.py +180,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Poznámka: Systém nebude kontrolovať nad-dodávku a nad-rezerváciu pre Položku {0} , keďže množstvo alebo čiastka je 0"
 DocType: Notification Control,Quotation Message,Správa k ponuke
-DocType: Issue,Opening Date,Datum otevření
+DocType: Issue,Opening Date,Otvárací dátum
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Najprv si pacienta uložte
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Účasť bola úspešne označená.
 DocType: Program Enrollment,Public Transport,Verejná doprava
+DocType: Delivery Note,GST Vehicle Type,Typ vozidla GST
 DocType: Soil Texture,Silt Composition (%),Zloženie sklonu (%)
 DocType: Journal Entry,Remark,Poznámka
 DocType: Healthcare Settings,Avoid Confirmation,Vyhnite sa konfirmácii
@@ -4600,11 +4655,10 @@
 DocType: Education Settings,Current Academic Term,Aktuálny akademický výraz
 DocType: Education Settings,Current Academic Term,Aktuálny akademický výraz
 DocType: Sales Order,Not Billed,Nevyúčtované
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti
 DocType: Employee Grade,Default Leave Policy,Predvolené pravidlá pre dovolenku
 DocType: Shopify Settings,Shop URL,Adresa URL obchodu
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Žádné kontakty přidán dosud.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Prosím, nastavte číselnú sériu pre účasť v programe Setup&gt; Numbering Series"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Přistál Náklady Voucher Částka
 ,Item Balance (Simple),Zostatok položky (jednoduché)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faktúry od dodávateľov
@@ -4612,13 +4666,13 @@
 DocType: Patient Appointment,Get prescribed procedures,Získajte predpísané postupy
 DocType: Sales Invoice,Redemption Account,Účet spätného odkúpenia
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Debit Note Amt,Debetná poznámka Amt
-DocType: Purchase Invoice Item,Discount Amount,Částka slevy
+DocType: Purchase Invoice Item,Discount Amount,Čiastka zľavy
 DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupnej faktúry
 DocType: Item,Warranty Period (in days),Záruční doba (ve dnech)
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +66,Failed to set defaults,Nepodarilo sa nastaviť predvolené hodnoty
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Súvislosť s Guardian1
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +865,Please select BOM against item {0},"Prosím, vyberte položku BOM proti položke {0}"
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js +18,Make Invoices,Vykonajte faktúry
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js +18,Make Invoices,Vytvoriť faktúry
 DocType: Shopping Cart Settings,Show Stock Quantity,Zobraziť množstvo zásob
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +77,Net Cash from Operations,Čistý peňažný tok z prevádzkovej
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Bod 4
@@ -4629,11 +4683,11 @@
 DocType: Shopping Cart Settings,Quotation Series,Číselná rada ponúk
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Položka s rovnakým názvom už existuje ({0}), prosím, zmente názov skupiny položiek alebo premenujte položku"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kritériá analýzy pôdy
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,vyberte zákazníka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,vyberte zákazníka
 DocType: C-Form,I,ja
 DocType: Company,Asset Depreciation Cost Center,Asset Odpisy nákladového strediska
 DocType: Production Plan Sales Order,Sales Order Date,Dátum predajnej objednávky
-DocType: Sales Invoice Item,Delivered Qty,Dodává Množství
+DocType: Sales Invoice Item,Delivered Qty,Dodané množstvo
 DocType: Assessment Plan,Assessment Plan,Plan Assessment
 DocType: Travel Request,Fully Sponsored,Plne sponzorované
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +28,Reverse Journal Entry,Zadanie reverzného denníka
@@ -4642,8 +4696,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Momentálne niesu k dispozícii položky v žiadnom sklade
 ,Payment Period Based On Invoice Date,Platební období na základě data vystavení faktury
 DocType: Sample Collection,No. of print,Počet potlače
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Pripomenutie narodenín
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Položka rezervácie izieb hotela
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Chybí Směnárna Kurzy pro {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Chybí Směnárna Kurzy pro {0}
 DocType: Employee Health Insurance,Health Insurance Name,Názov zdravotného poistenia
 DocType: Assessment Plan,Examiner,skúšajúci
 DocType: Student,Siblings,súrodenci
@@ -4660,19 +4715,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Noví zákazníci
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Hrubý Zisk %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Menovanie {0} a faktúra predaja {1} boli zrušené
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Príležitosti podľa zdroja olova
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Zmeniť profil POS
 DocType: Bank Reconciliation Detail,Clearance Date,Výprodej Datum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Akt už existuje proti položke {0}, ktorú nemôžete zmeniť, nemá sériovú hodnotu"
+DocType: Delivery Settings,Dispatch Notification Template,Šablóna oznámenia odoslania
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Akt už existuje proti položke {0}, ktorú nemôžete zmeniť, nemá sériovú hodnotu"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Hodnotiaca správa
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Získajte zamestnancov
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross Suma nákupu je povinná
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Názov spoločnosti nie je rovnaký
 DocType: Lead,Address Desc,Popis adresy
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party je povinná
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Riadky s duplicitnými dátumami splatnosti boli nájdené v ďalších riadkoch: {list}
 DocType: Topic,Topic Name,Názov témy
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Nastavte predvolenú šablónu pre upozornenie na povolenie na odchýlku v nastaveniach ľudských zdrojov.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Nastavte predvolenú šablónu pre upozornenie na povolenie na odchýlku v nastaveniach ľudských zdrojov.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Vyberte zamestnanca, aby ste zamestnanca vopred."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Vyberte platný dátum
@@ -4696,16 +4752,17 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js +30,Share Ledger,Zdieľať knihu
 apps/erpnext/erpnext/controllers/accounts_controller.py +661,Row #{0}: Asset {1} does not belong to company {2},Riadok # {0}: {1} Asset nepatrí do spoločnosti {2}
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +114,Sales Invoice {0} created,Faktúra predaja {0} bola vytvorená
-DocType: Employee,Confirmation Date,Potvrzení Datum
+DocType: Employee,Confirmation Date,Dátum potvrdenia
 DocType: Inpatient Occupancy,Check Out,Odhlásiť sa
 DocType: C-Form,Total Invoiced Amount,Celková fakturovaná čiastka
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +51,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +51,Min Qty can not be greater than Max Qty,Min množstvo nemôže byť väčšie ako Max množstvo
 DocType: Soil Texture,Silty Clay,Silty Clay
 DocType: Account,Accumulated Depreciation,oprávky
 DocType: Supplier Scorecard Scoring Standing,Standing Name,Stály názov
 DocType: Stock Entry,Customer or Supplier Details,Zákazníka alebo dodávateľa Podrobnosti
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Aktuálna hodnota aktív
+DocType: QuickBooks Migrator,Quickbooks Company ID,Identifikátor spoločnosti Quickbooks
 DocType: Travel Request,Travel Funding,Cestovné financovanie
 DocType: Loan Application,Required by Date,Vyžadované podľa dátumu
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Odkaz na všetky lokality, v ktorých rastie plodina"
@@ -4719,9 +4776,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,K dispozícii dávky Množstvo na Od Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Total dedukcie - splátky
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Aktuální BOM a New BOM nemůže být stejné
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Aktuální BOM a New BOM nemůže být stejné
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Plat Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování"
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Viac variantov
 DocType: Sales Invoice,Against Income Account,Proti účet příjmů
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% dodané
@@ -4750,7 +4807,7 @@
 DocType: POS Profile,Update Stock,Aktualizace skladem
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Různé UOM položky povede k nesprávné (celkem) Čistá hmotnost hodnoty. Ujistěte se, že čistá hmotnost každé položky je ve stejném nerozpuštěných."
 DocType: Certification Application,Payment Details,Platobné údaje
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Zastavenú pracovnú objednávku nemožno zrušiť, najskôr ju zrušte zrušením"
 DocType: Asset,Journal Entry for Scrap,Zápis do denníka do šrotu
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Prosím, vytáhněte položky z dodací list"
@@ -4773,11 +4830,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Celková částka potrestána
 ,Purchase Analytics,Analýza nákupu
 DocType: Sales Invoice Item,Delivery Note Item,Delivery Note Item
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Aktuálna faktúra {0} chýba
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Aktuálna faktúra {0} chýba
 DocType: Asset Maintenance Log,Task,Úkol
 DocType: Purchase Taxes and Charges,Reference Row #,Referenční Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Číslo šarže je povinné pro položku {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,To je kořen prodejní člověk a nelze upravovat.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,To je kořen prodejní člověk a nelze upravovat.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ak je vybratá, hodnota špecifikovaná alebo vypočítaná v tejto zložke neprispieva k výnosom alebo odpočtom. Avšak, jeho hodnota môže byť odkazovaná na iné komponenty, ktoré môžu byť pridané alebo odpočítané."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ak je vybratá, hodnota špecifikovaná alebo vypočítaná v tejto zložke neprispieva k výnosom alebo odpočtom. Avšak, jeho hodnota môže byť odkazovaná na iné komponenty, ktoré môžu byť pridané alebo odpočítané."
 DocType: Asset Settings,Number of Days in Fiscal Year,Počet dní vo fiškálnom roku
@@ -4786,9 +4843,9 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Zisk / straty
 DocType: Amazon MWS Settings,MWS Credentials,Poverenia MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Zamestnancov a dochádzky
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Cíl musí být jedním z {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Cíl musí být jedním z {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Vyplňte formulář a uložte jej
-apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Navštívte komunitné fórum
+apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Komunitné fórum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Aktuálne množstvo na sklade
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Aktuálne množstvo na sklade
 DocType: Homepage,"URL for ""All Products""",URL pre &quot;všetky produkty&quot;
@@ -4796,13 +4853,13 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +41,Send SMS,Poslať SMS
 DocType: Supplier Scorecard Criteria,Max Score,Maximálny výsledok
 DocType: Cheque Print Template,Width of amount in word,Šírka sumy v slove
-DocType: Company,Default Letter Head,Výchozí hlavičkový
+DocType: Company,Default Letter Head,Predvolená tlačová hlavička
 DocType: Purchase Order,Get Items from Open Material Requests,Získať predmety z žiadostí Otvoriť Materiál
 DocType: Hotel Room Amenity,Billable,Zúčtovatelná
 DocType: Lab Test Template,Standard Selling Rate,Štandardné predajné kurz
-DocType: Account,Rate at which this tax is applied,"Rychlost, při které se používá tato daň"
+DocType: Account,Rate at which this tax is applied,"Sadzba, pri ktorej sa použije táto daň"
 DocType: Cash Flow Mapper,Section Name,Názov sekcie
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Změna pořadí Množství
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Změna pořadí Množství
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Riadok odpisov {0}: Očakávaná hodnota po uplynutí životnosti musí byť väčšia alebo rovná {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Aktuálne pracovné príležitosti
 DocType: Company,Stock Adjustment Account,Reklamní Nastavení účtu
@@ -4812,8 +4869,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Pokud je nastaveno, stane se výchozí pro všechny formy HR."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Zadajte podrobnosti o odpisoch
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Z {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Ponechať aplikáciu {0} už existuje proti študentovi {1}
 DocType: Task,depends_on,záleží na
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Naliehavá aktualizácia najnovšej ceny vo všetkých účtovných dokladoch. Môže to trvať niekoľko minút.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Naliehavá aktualizácia najnovšej ceny vo všetkých účtovných dokladoch. Môže to trvať niekoľko minút.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Názov nového účtu. Poznámka: Prosím, vytvárať účty pre zákazníkov a dodávateľmi"
 DocType: POS Profile,Display Items In Stock,Zobraziť položky na sklade
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Země moudrý výchozí adresa Templates
@@ -4843,16 +4901,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Sloty pre {0} nie sú pridané do plánu
 DocType: Product Bundle,List items that form the package.,"Seznam položek, které tvoří balíček."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nepovolené. Vypnite testovaciu šablónu
+DocType: Delivery Note,Distance (in km),Vzdialenosť (v km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Podíl alokace by měla být ve výši 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Prosím, vyberte Dátum zverejnenia pred výberom Party"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Prosím, vyberte Dátum zverejnenia pred výberom Party"
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Out of AMC
+DocType: Opportunity,Opportunity Amount,Príležitostná suma
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Počet Odpisy rezervované nemôže byť väčšia ako celkový počet Odpisy
 DocType: Purchase Order,Order Confirmation Date,Dátum potvrdenia objednávky
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Proveďte návštěv údržby
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Dátum začiatku a dátum ukončenia sa prekrýva s pracovnou kartou <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Podrobnosti o zamestnancovi
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli"
 DocType: Company,Default Cash Account,Výchozí Peněžní účet
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To je založené na účasti tohto študenta
@@ -4860,9 +4921,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Pridať ďalšie položky alebo otvorené plnej forme
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Prejdite na položku Používatelia
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Placená částka + odepsat Částka nesmí být větší než Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Placená částka + odepsat Částka nesmí být větší než Grand Total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nie je platné číslo Šarže pre Položku {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Poznámka: Není k dispozici dostatek zůstatek dovolené dovolená za kalendářní typ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Poznámka: Není k dispozici dostatek zůstatek dovolené dovolená za kalendářní typ {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Neplatné GSTIN alebo Enter NA pre neregistrované
 DocType: Training Event,Seminar,seminár
 DocType: Program Enrollment Fee,Program Enrollment Fee,program zápisné
@@ -4879,7 +4940,7 @@
 DocType: Fee Schedule,Fee Schedule,poplatok Plán
 DocType: Company,Create Chart Of Accounts Based On,Vytvorte účtový rozvrh založený na
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Nemožno ju previesť na inú skupinu. Detské úlohy existujú.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Dátum narodenia nemôže byť väčšia ako dnes.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Dátum narodenia nemôže byť väčšia ako dnes.
 ,Stock Ageing,Starnutie zásob
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Čiastočne sponzorované, vyžadujú čiastočné financovanie"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Existujú Študent {0} proti uchádzač študent {1}
@@ -4897,10 +4958,10 @@
 DocType: Loyalty Program,Collection Rules,Pravidlá zberu
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Položka 3
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js +6,Order Entry,Zadanie objednávky
-DocType: Purchase Order,Customer Contact Email,Zákazník Kontaktný e-mail
+DocType: Purchase Order,Customer Contact Email,Kontaktný e-mail zákazníka
 DocType: Warranty Claim,Item and Warranty Details,Položka a Záruka Podrobnosti
 DocType: Chapter,Chapter Members,Členovia kapitoly
-DocType: Sales Team,Contribution (%),Příspěvek (%)
+DocType: Sales Team,Contribution (%),Príspevok (%)
 apps/erpnext/erpnext/controllers/accounts_controller.py +133,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Poznámka: Položka Platba nebude vytvořili, protože ""v hotovosti nebo bankovním účtu"" nebyl zadán"
 apps/erpnext/erpnext/projects/doctype/project/project.py +79,Project {0} already exists,Projekt {0} už existuje
 DocType: Clinical Procedure,Nursing User,Ošetrujúci používateľ
@@ -4910,7 +4971,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +220,Responsibilities,Zodpovednosť
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +125,Validity period of this quotation has ended.,Platnosť tejto ponuky sa skončila.
 DocType: Expense Claim Account,Expense Claim Account,Náklady na poistné Account
-DocType: Account,Capital Work in Progress,Kapitálová práca prebieha
+DocType: Account,Capital Work in Progress,Kapitál Rozrobenosť
 DocType: Accounts Settings,Allow Stale Exchange Rates,Povoliť stale kurzy výmeny
 DocType: Sales Person,Sales Person Name,Meno predajcu
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce
@@ -4919,19 +4980,19 @@
 DocType: POS Item Group,Item Group,Položková skupina
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +19,Student Group: ,Skupina študentov:
 DocType: Depreciation Schedule,Finance Book Id,ID finančnej knihy
-DocType: Item,Safety Stock,bezpečnostné Sklad
+DocType: Item,Safety Stock,Bezpečnostná zásoba
 DocType: Healthcare Settings,Healthcare Settings,Nastavenia zdravotnej starostlivosti
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +8,Total Allocated Leaves,Celkové pridelené listy
 apps/erpnext/erpnext/projects/doctype/task/task.py +54,Progress % for a task cannot be more than 100.,Pokrok% za úlohu nemôže byť viac ako 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Pred odsúhlasením
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Chcete-li {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Daně a poplatky Přidal (Company měna)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací"
 DocType: Sales Order,Partly Billed,Částečně Účtovaný
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Item {0} musí byť dlhodobý majetok položka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Vykonajte varianty
-DocType: Item,Default BOM,Výchozí BOM
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Vykonajte varianty
+DocType: Item,Default BOM,Východzí BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Celková fakturovaná suma (prostredníctvom faktúr za predaj)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Výška dlžnej sumy
 DocType: Project Update,Not Updated,Neaktualizované
@@ -4959,14 +5020,14 @@
 DocType: Notification Control,Custom Message,Custom Message
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investiční bankovnictví
 DocType: Purchase Invoice,input,vstup
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního
 DocType: Loyalty Program,Multiple Tier Program,Viacvrstvový program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa študenta
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa študenta
 DocType: Purchase Invoice,Price List Exchange Rate,Katalogová cena Exchange Rate
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Všetky skupiny dodávateľov
 DocType: Employee Boarding Activity,Required for Employee Creation,Požadované pre tvorbu zamestnancov
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Číslo účtu {0} už použité v účte {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Číslo účtu {0} už použité v účte {1}
 DocType: GoCardless Mandate,Mandate,mandát
 DocType: POS Profile,POS Profile Name,Názov profilu POS
 DocType: Hotel Room Reservation,Booked,rezervovaný
@@ -4982,18 +5043,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Referenční číslo je povinné, pokud jste zadali k rozhodnému dni"
 DocType: Bank Reconciliation Detail,Payment Document,platba Document
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Chyba pri hodnotení kritéria kritérií
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datum přistoupení musí být větší než Datum narození
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datum přistoupení musí být větší než Datum narození
 DocType: Subscription,Plans,plány
-DocType: Salary Slip,Salary Structure,Plat struktura
+DocType: Salary Slip,Salary Structure,Štruktúra platu
 DocType: Account,Bank,Banka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Letecká linka
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Vydání Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Vydání Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Pripojte službu Shopify s nástrojom ERPNext
 DocType: Material Request Item,For Warehouse,Pro Sklad
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Poznámky o doručení {0} boli aktualizované
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Poznámky o doručení {0} boli aktualizované
 DocType: Employee,Offer Date,Dátum Ponuky
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Ponuky
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Ste v režime offline. Nebudete môcť znovu, kým nebudete mať sieť."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Ponuky
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Ste v režime offline. Nebudete môcť znovu, kým nebudete mať sieť."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Žiadne študentské skupiny vytvorený.
 DocType: Purchase Invoice Item,Serial No,Výrobní číslo
@@ -5005,24 +5066,26 @@
 DocType: Sales Invoice,Customer PO Details,Podrobnosti PO zákazníka
 DocType: Stock Entry,Including items for sub assemblies,Vrátane položiek pre montážnych podskupín
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Dočasný úvodný účet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Zadajte hodnota musí byť kladná
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Zadajte hodnota musí byť kladná
 DocType: Asset,Finance Books,Finančné knihy
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Vyhlásenie o oslobodení od dane zamestnancov
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Všetky územia
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Nastavte prosím politiku dovolenky pre zamestnanca {0} v zázname Employee / Grade
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Neplatná objednávka prázdnej objednávky pre vybraného zákazníka a položku
-apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Pridať viac úloh
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Neplatná objednávka prázdnej objednávky pre vybraného zákazníka a položku
+apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Pridať viacero úloh
 DocType: Purchase Invoice,Items,Položky
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Dátum ukončenia nemôže byť pred dátumom začiatku.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Študent je už zapísané.
 DocType: Fiscal Year,Year Name,Meno roku
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Existují další svátky než pracovních dnů tento měsíc.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Existují další svátky než pracovních dnů tento měsíc.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Nasledujúce položky {0} nie sú označené ako položka {1}. Môžete ich povoliť ako {1} položku z jeho položky Master
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Položka produktového balíčka
 DocType: Sales Partner,Sales Partner Name,Meno predajného partnera
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Žiadosť o citátov
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Žiadosť o citátov
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maximálna suma faktúry
 DocType: Normal Test Items,Normal Test Items,Normálne testované položky
+DocType: QuickBooks Migrator,Company Settings,Nastavenia firmy
 DocType: Additional Salary,Overwrite Salary Structure Amount,Prepísať sumu štruktúry platu
 DocType: Student Language,Student Language,študent Language
 apps/erpnext/erpnext/config/selling.py +23,Customers,Zákazníci
@@ -5035,22 +5098,24 @@
 DocType: Issue,Opening Time,Otevírací doba
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Data OD a DO jsou vyžadována
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Cenné papíry a komoditních burzách
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Východzí merná jednotka varianty &#39;{0}&#39; musí byť rovnaký ako v Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Východzí merná jednotka varianty &#39;{0}&#39; musí byť rovnaký ako v Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Vypočítať na základe
 DocType: Contract,Unfulfilled,nesplnený
 DocType: Delivery Note Item,From Warehouse,Zo skladu
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Žiadni zamestnanci pre uvedené kritériá
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Žiadne položky s Bill of Materials Výroba
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Žiadne položky s Bill of Materials Výroba
 DocType: Shopify Settings,Default Customer,Predvolený zákazník
+DocType: Sales Stage,Stage Name,Pseudonym
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Meno Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Nepotvrdzujú, či sa schôdzka vytvorí v ten istý deň"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Loď do štátu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Loď do štátu
 DocType: Program Enrollment Course,Program Enrollment Course,Program na zápis do programu
 DocType: Program Enrollment Course,Program Enrollment Course,Program na zápis do programu
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Používateľ {0} je už pridelený zdravotnému lekárovi {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Vytvorte záznam o zadržaní vzorky
 DocType: Purchase Taxes and Charges,Valuation and Total,Oceňování a Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Vyjednávanie / Review
 DocType: Leave Encashment,Encashment Amount,Suma inkasa
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Vypršané dávky
@@ -5058,37 +5123,37 @@
 DocType: Tax Rule,Shipping City,Mesto dodania
 DocType: Delivery Note,Ship,loď
 DocType: Staffing Plan Detail,Current Openings,Aktuálne otvorenia
-DocType: Notification Control,Customize the Notification,Přizpůsobit oznámení
+DocType: Notification Control,Customize the Notification,Prispôsobiť notifikáciu
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Cash flow z prevádzkových činností
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Suma
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Suma
 DocType: Purchase Invoice,Shipping Rule,Prepravné pravidlo
 DocType: Patient Relation,Spouse,manželka
 DocType: Lab Test Groups,Add Test,Pridať test
 DocType: Manufacturer,Limited to 12 characters,Obmedzené na 12 znakov
 DocType: Journal Entry,Print Heading,Hlavička tlače
 apps/erpnext/erpnext/config/stock.py +149,Delivery Trip service tours to customers.,Službu Delivery Trip sa zákazníkom vydáva.
-apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,Celkem nemůže být nula
+apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,Suma nemôže byť nulová
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dní od poslednej objednávky"" musí byť väčšie alebo rovnajúce sa nule"
 DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximálna prípustná hodnota
 DocType: Journal Entry Account,Employee Advance,Zamestnanec Advance
 DocType: Payroll Entry,Payroll Frequency,mzdové frekvencia
 DocType: Lab Test Template,Sensitivity,citlivosť
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Synchronizácia bola dočasne zakázaná, pretože boli prekročené maximálne počet opakovaní"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Surovina
-DocType: Leave Application,Follow via Email,Sledovat e-mailem
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Surovina
+DocType: Leave Application,Follow via Email,Sledovať e-mailom
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Rastliny a strojné vybavenie
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Částka daně po slevě Částka
 DocType: Patient,Inpatient Status,Stav lôžka
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Každodennú prácu Súhrnné Nastavenie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Vybraný cenník by mal kontrolovať pole nákupu a predaja.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Zadajte Reqd podľa dátumu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Vybraný cenník by mal kontrolovať pole nákupu a predaja.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Zadajte Reqd podľa dátumu
 DocType: Payment Entry,Internal Transfer,vnútorné Prevod
 DocType: Asset Maintenance,Maintenance Tasks,Úlohy údržby
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Buď cílové množství nebo cílová částka je povinná
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +627,Please select Posting Date first,"Prosím, vyberte najprv Dátum zverejnenia"
 apps/erpnext/erpnext/public/js/account_tree_grid.js +209,Opening Date should be before Closing Date,Dátum začatia by mala byť pred uzávierky
 DocType: Travel Itinerary,Flight,Let
-DocType: Leave Control Panel,Carry Forward,Převádět
+DocType: Leave Control Panel,Carry Forward,Preniesť
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +32,Cost Center with existing transactions can not be converted to ledger,Nákladové středisko se stávajícími transakcemi nelze převést na hlavní účetní knihy
 DocType: Budget,Applicable on booking actual expenses,Platí pri rezervácii skutočných výdavkov
 DocType: Department,Days for which Holidays are blocked for this department.,"Dnů, po které Prázdniny jsou blokovány pro toto oddělení."
@@ -5103,7 +5168,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posledná komunikácia
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posledná komunikácia
 ,TDS Payable Monthly,TDS splatné mesačne
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Namiesto výmeny kusovníka. Môže to trvať niekoľko minút.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Namiesto výmeny kusovníka. Môže to trvať niekoľko minút.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, pokud kategorie je určena pro ""ocenění"" nebo ""oceňování a celkový"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Spárovať úhrady s faktúrami
@@ -5113,10 +5178,10 @@
 DocType: Fees,Student Email,Študentský e-mail
 DocType: Supplier,Prevent POs,Zabráňte organizáciám výrobcov
 DocType: Patient,"Allergies, Medical and Surgical History","Alergie, lekárske a chirurgické dejepisy"
-apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Přidat do košíku
+apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Pridať do košíka
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Seskupit podle
 DocType: Guardian,Interests,záujmy
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Povolit / zakázat měny.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Povolit / zakázat měny.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nepodarilo sa odoslať niektoré platobné pásky
 DocType: Exchange Rate Revaluation,Get Entries,Získajte záznamy
 DocType: Production Plan,Get Material Request,Získať Materiál Request
@@ -5138,15 +5203,16 @@
 DocType: Lead,Lead Type,Typ Iniciatívy
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Nie ste oprávnení schvaľovať lístie na bloku Termíny
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Všechny tyto položky již byly fakturovány
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Nastavte nový dátum vydania
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Nastavte nový dátum vydania
 DocType: Company,Monthly Sales Target,Mesačný cieľ predaja
-apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Může být schválena {0}
+apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Môže byť schválené kým: {0}
 DocType: Hotel Room,Hotel Room Type,Typ izby hotela
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Dodávateľ&gt; Typ dodávateľa
 DocType: Leave Allocation,Leave Period,Opustiť obdobie
 DocType: Item,Default Material Request Type,Predvolený typ materiálovej požiadavky
 DocType: Supplier Scorecard,Evaluation Period,Hodnotiace obdobie
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,nevedno
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Pracovná objednávka nebola vytvorená
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Pracovná objednávka nebola vytvorená
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Suma {0}, ktorá už bola požadovaná pre komponent {1}, \ nastavila čiastku rovnú alebo väčšiu ako {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Přepravní Článek Podmínky
@@ -5154,7 +5220,7 @@
 DocType: Salary Slip Loan,Salary Slip Loan,Úverový splátkový úver
 DocType: BOM Update Tool,The new BOM after replacement,Nový BOM po výměně
 ,Point of Sale,Miesto predaja
-DocType: Payment Entry,Received Amount,prijatej Suma
+DocType: Payment Entry,Received Amount,Prijatá suma
 DocType: Patient,Widow,vdova
 DocType: GST Settings,GSTIN Email Sent On,GSTIN E-mail odoslaný na
 DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop od Guardian
@@ -5180,16 +5246,16 @@
 DocType: Batch,Source Document Name,Názov zdrojového dokumentu
 DocType: Batch,Source Document Name,Názov zdrojového dokumentu
 DocType: Production Plan,Get Raw Materials For Production,Získajte suroviny pre výrobu
-DocType: Job Opening,Job Title,Název pozice
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+DocType: Job Opening,Job Title,Názov pozície
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} znamená, že {1} neposkytne ponuku, ale boli citované všetky položky \. Aktualizácia stavu ponuky RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximálne vzorky - {0} už boli zadržané pre dávku {1} a položku {2} v dávke {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximálne vzorky - {0} už boli zadržané pre dávku {1} a položku {2} v dávke {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Automaticky sa aktualizuje cena kusovníka
 DocType: Lab Test,Test Name,Názov testu
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinický postup Spotrebný bod
-apps/erpnext/erpnext/utilities/activation.py +99,Create Users,vytvoriť užívateľa
+apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Vytvoriť používateľov
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,odbery
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,odbery
 DocType: Supplier Scorecard,Per Month,Za mesiac
 DocType: Education Settings,Make Academic Term Mandatory,Akademický termín je povinný
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,"Množstvo, ktoré má výroba musí byť väčšia ako 0 ° C."
@@ -5197,18 +5263,18 @@
 apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Navštivte zprávu pro volání údržby.
 DocType: Stock Entry,Update Rate and Availability,Obnovovaciu rýchlosť a dostupnosť
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percento, ktoré máte možnosť prijať alebo dodať naviac oproti objednanému množstvu. Napríklad: Keď ste si objednali 100 kusov a váša tolerancia je 10%, tak máte možnosť prijať 110 kusov."
-DocType: Loyalty Program,Customer Group,Zákazník Group
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Riadok # {0}: Operácia {1} nie je dokončená pre {2} množstvo hotových výrobkov v pracovnej objednávke č. {3}. Aktualizujte stav prevádzky pomocou časových denníkov
+DocType: Loyalty Program,Customer Group,Zákaznícka skupina
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Riadok # {0}: Operácia {1} nie je dokončená pre {2} množstvo hotových výrobkov v pracovnej objednávke č. {3}. Aktualizujte stav prevádzky pomocou časových denníkov
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nové číslo dávky (voliteľné)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nové číslo dávky (voliteľné)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Účtet nákladů je povinný pro položku {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Účtet nákladů je povinný pro položku {0}
 DocType: BOM,Website Description,Popis webu
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Čistá zmena vo vlastnom imaní
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Zrušte faktúre {0} prvý
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +25,Not permitted. Please disable the Service Unit Type,Nepovolené. Zakážte typ servisnej jednotky
 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mailová adresa musí byť jedinečná, už existuje pre {0}"
 DocType: Serial No,AMC Expiry Date,AMC Datum vypršení platnosti
-DocType: Asset,Receipt,príjem
+DocType: Asset,Receipt,Potvrdenka
 ,Sales Register,Sales Register
 DocType: Daily Work Summary Group,Send Emails At,Posielať e-maily At
 DocType: Quotation,Quotation Lost Reason,Dôvod neúspešnej ponuky
@@ -5216,7 +5282,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Není nic upravovat.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Zobrazenie formulára
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Povinnosť priraďovania nákladov v nárokoch na výdavky
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Zhrnutie pre tento mesiac a prebiehajúcim činnostiam
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Zhrnutie pre tento mesiac a prebiehajúcim činnostiam
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Prosím nastavte Unrealized Exchange Gain / Loss účet v spoločnosti {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",Pridajte používateľov do svojej organizácie okrem vás.
 DocType: Customer Group,Customer Group Name,Zákazník Group Name
@@ -5226,14 +5292,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Žiadna materiálová žiadosť nebola vytvorená
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Výška úveru nesmie prekročiť maximálnu úveru Suma {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licencie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosím, vyberte převádět pokud chcete také zahrnout uplynulý fiskální rok bilance listy tohoto fiskálního roku"
 DocType: GL Entry,Against Voucher Type,Proti poukazu typu
 DocType: Healthcare Practitioner,Phone (R),Telefón (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Pridané časové úseky
 DocType: Item,Attributes,Atribúty
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Povoliť šablónu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Prosím, zadejte odepsat účet"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Prosím, zadejte odepsat účet"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Posledná Dátum objednávky
 DocType: Salary Component,Is Payable,Je splatné
 DocType: Inpatient Record,B Negative,B Negatívny
@@ -5244,19 +5310,19 @@
 DocType: Hotel Room,Hotel Room,Hotelová izba
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Účet {0} nie je patria spoločnosti {1}
 DocType: Leave Type,Rounding,zaokrúhľovania
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Sériové čísla v riadku {0} sa nezhodujú s dodacím listom
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Sériové čísla v riadku {0} sa nezhodujú s dodacím listom
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Vyčlenená čiastka (premenná)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Následne sa cenové pravidlá odfilcujú na základe zákazníka, skupiny zákazníkov, územia, dodávateľa, skupiny dodávateľov, kampane, obchodného partnera atď."
 DocType: Student,Guardian Details,Guardian Podrobnosti
 DocType: C-Form,C-Form,C-Form
 DocType: Agriculture Task,Start Day,Deň začiatku
-DocType: Vehicle,Chassis No,podvozok Žiadne
+DocType: Vehicle,Chassis No,Číslo podvozku
 DocType: Payment Request,Initiated,Zahájil
 DocType: Production Plan Item,Planned Start Date,Plánované datum zahájení
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Vyberte kusovník
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Vyberte kusovník
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Využil integrovanú daň z ITC
 DocType: Purchase Order Item,Blanket Order Rate,Dekoračná objednávka
-apps/erpnext/erpnext/hooks.py +156,Certification,osvedčenie
+apps/erpnext/erpnext/hooks.py +157,Certification,osvedčenie
 DocType: Bank Guarantee,Clauses and Conditions,Doložky a podmienky
 DocType: Serial No,Creation Document Type,Tvorba Typ dokumentu
 DocType: Project Task,View Timesheet,Zobraziť časový rozvrh
@@ -5270,7 +5336,7 @@
 DocType: Donor,Donor Name,Názov darcu
 DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Entry Reference
 DocType: Appraisal Template,Appraisal Template Title,Posouzení Template Název
-apps/erpnext/erpnext/utilities/user_progress_utils.py +29,Commercial,Obchodní
+apps/erpnext/erpnext/utilities/user_progress_utils.py +29,Commercial,Obchodné
 DocType: Patient,Alcohol Current Use,Alkohol Súčasné použitie
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Dom Prenájom Platba Suma
 DocType: Student Admission Program,Student Admission Program,Prijímací program pre študentov
@@ -5281,6 +5347,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Item {0} nesmie byť skladom
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Výpis webových stránok
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Všechny výrobky nebo služby.
+DocType: Email Digest,Open Quotations,Otvorené citácie
 DocType: Expense Claim,More Details,Další podrobnosti
 DocType: Supplier Quotation,Supplier Address,Dodavatel Address
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Rozpočet na účet {1} proti {2} {3} je {4}. To bude presahovať o {5}
@@ -5294,13 +5361,12 @@
 DocType: Stock Entry Detail,Basic Amount,Základná čiastka
 DocType: Training Event,Exam,skúška
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Chyba trhu
-DocType: Complaint,Complaint,sťažnosť
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0}
+DocType: Complaint,Complaint,Sťažnosť
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0}
 DocType: Leave Allocation,Unused leaves,Nepoužité listy
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Vykonajte splatenie položky
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Všetky oddelenia
 DocType: Healthcare Service Unit,Vacant,prázdny
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Dodávateľ&gt; Typ dodávateľa
 DocType: Patient,Alcohol Past Use,Použitie alkoholu v minulosti
 DocType: Fertilizer Content,Fertilizer Content,Obsah hnojiva
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5308,7 +5374,7 @@
 DocType: Tax Rule,Billing State,Fakturačný štát
 DocType: Share Transfer,Transfer,Převod
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Pred zrušením tejto objednávky musí byť pracovná objednávka {0} zrušená
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin)
 DocType: Authorization Rule,Applicable To (Employee),Vztahující se na (Employee)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Dátum splatnosti je povinný
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Prírastok pre atribút {0} nemôže byť 0
@@ -5324,16 +5390,15 @@
 DocType: Disease,Treatment Period,Liečebné obdobie
 DocType: Travel Itinerary,Travel Itinerary,Cestovný itinerár
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Výsledok už bol odoslaný
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Vyhradený sklad je povinný pre položku {0} v dodávaných surovinách
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Vyhradený sklad je povinný pre položku {0} v dodávaných surovinách
 ,Inactive Customers,Neaktívni zákazníci
 DocType: Student Admission Program,Maximum Age,Maximálny vek
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,"Počkajte, prosím, 3 dni pred odoslaním pripomienky."
 DocType: Landed Cost Voucher,Purchase Receipts,Příjmky
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +29,How Pricing Rule is applied?,Jak Ceny pravidlo platí?
-DocType: Stock Entry,Delivery Note No,Dodacího listu
+DocType: Stock Entry,Delivery Note No,Číslo dodacieho listu
 DocType: Cheque Print Template,Message to show,správa ukázať
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Maloobchod
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Manažovať faktúru schôdzok automaticky
 DocType: Student Attendance,Absent,Nepřítomný
 DocType: Staffing Plan,Staffing Plan Detail,Podrobný plán personálneho plánu
 DocType: Employee Promotion,Promotion Date,Dátum propagácie
@@ -5355,7 +5420,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,urobiť Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Tlač a papiernictva
 DocType: Stock Settings,Show Barcode Field,Show čiarového kódu Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Poslať Dodávateľ e-maily
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Poslať Dodávateľ e-maily
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat už spracované pre obdobie medzi {0} a {1}, ponechajte dobu použiteľnosti nemôže byť medzi tomto časovom období."
 DocType: Fiscal Year,Auto Created,Automatické vytvorenie
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Odošlite toto, aby ste vytvorili záznam zamestnanca"
@@ -5364,7 +5429,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktúra {0} už neexistuje
 DocType: Guardian Interest,Guardian Interest,Guardian Záujem
 DocType: Volunteer,Availability,Dostupnosť
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Nastavte predvolené hodnoty POS faktúr
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Nastavte predvolené hodnoty POS faktúr
 apps/erpnext/erpnext/config/hr.py +248,Training,výcvik
 DocType: Project,Time to send,Čas odoslania
 DocType: Timesheet,Employee Detail,Detail zamestnanca
@@ -5388,7 +5453,7 @@
 DocType: Training Event Employee,Optional,voliteľný
 DocType: Salary Slip,Earning & Deduction,Príjem a odpočty
 DocType: Agriculture Analysis Criteria,Water Analysis,Analýza vody
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} vytvorené varianty.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} vytvorené varianty.
 DocType: Amazon MWS Settings,Region,Kraj
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Volitelné. Toto nastavení bude použito k filtrování v různých transakcí.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negativní ocenění Rate není povoleno
@@ -5398,16 +5463,16 @@
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +99,Provisional Profit / Loss (Credit),Prozatímní Zisk / ztráta (Credit)
 DocType: Sales Invoice,Return Against Sales Invoice,Návrat proti predajnej faktúre
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +32,Item 5,Bod 5
-DocType: Serial No,Creation Time,Čas vytvoření
+DocType: Serial No,Creation Time,Čas vytvorenia
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +62,Total Revenue,Celkový příjem
 DocType: Patient,Other Risk Factors,Ďalšie rizikové faktory
 DocType: Sales Invoice,Product Bundle Help,Product Bundle Help
 ,Monthly Attendance Sheet,Měsíční Účast Sheet
 apps/erpnext/erpnext/hr/report/employee_advance_summary/employee_advance_summary.py +15,No record found,Nebyl nalezen žádný záznam
-apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Náklady na vyradenie aktív
+apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Náklady na vyradené aktíva
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Nákladové stredisko je povinné pre položku {2}
 DocType: Vehicle,Policy No,nie politika
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Získať predmety z Bundle Product
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Získať predmety z Bundle Product
 DocType: Asset,Straight Line,Priamka
 DocType: Project User,Project User,projekt Užívateľ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Rozdeliť
@@ -5416,8 +5481,8 @@
 DocType: GL Entry,Is Advance,Je Zálohová
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Životný cyklus zamestnancov
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Účast Datum od a docházky do dnešního dne je povinná
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne"
-DocType: Item,Default Purchase Unit of Measure,Predvolená nákupná jednotka merania
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne"
+DocType: Item,Default Purchase Unit of Measure,Predvolená nákupná merná jednotka
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Dátum poslednej komunikácie
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Dátum poslednej komunikácie
 DocType: Clinical Procedure Item,Clinical Procedure Item,Položka klinickej procedúry
@@ -5426,7 +5491,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Nepodarilo sa získať prístupový token alebo adresu URL shopify
 DocType: Location,Latitude,zemepisná šírka
 DocType: Work Order,Scrap Warehouse,šrot Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Požadovaný sklad v riadku Nie {0}, nastavte prosím predvolený sklad pre položku {1} pre spoločnosť {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Požadovaný sklad v riadku Nie {0}, nastavte prosím predvolený sklad pre položku {1} pre spoločnosť {2}"
 DocType: Work Order,Check if material transfer entry is not required,"Skontrolujte, či sa nepožaduje zadávanie materiálu"
 DocType: Work Order,Check if material transfer entry is not required,"Skontrolujte, či sa nepožaduje zadávanie materiálu"
 DocType: Program Enrollment Tool,Get Students From,Získať študentov z
@@ -5442,6 +5507,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nová dávková dávka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Oblečení a doplňky
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Funkciu váženého skóre sa nepodarilo vyriešiť. Skontrolujte, či je vzorec platný."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Položky objednávok neboli prijaté včas
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Číslo objednávky
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML / Banner, které se zobrazí na první místo v seznamu výrobků."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Stanovte podmienky na výpočet výšky prepravných nákladov
@@ -5450,13 +5516,13 @@
 DocType: Supplier Scorecard Scoring Variable,Path,cesta
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Nelze převést nákladového střediska na knihy, protože má podřízené uzly"
 DocType: Production Plan,Total Planned Qty,Celkový plánovaný počet
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,otvorenie Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,otvorenie Value
 DocType: Salary Component,Formula,vzorec
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Šablóna testu laboratória
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Predajný účet
 DocType: Purchase Invoice Item,Total Weight,Celková váha
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Commission on Sales,Provize z prodeje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Commission on Sales,Provizia z prodeja
 DocType: Job Offer Term,Value / Description,Hodnota / Popis
 apps/erpnext/erpnext/controllers/accounts_controller.py +690,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riadok # {0}: Asset {1} nemôže byť predložený, je už {2}"
 DocType: Tax Rule,Billing Country,Fakturačná krajina
@@ -5470,7 +5536,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Vytvoriť žiadosť na materiál
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvorená Položka {0}
 DocType: Asset Finance Book,Written Down Value,Písomná hodnota
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v oblasti ľudských zdrojov&gt; Nastavenia personálu"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodejní faktury {0} musí být zrušena před zrušením této prodejní objednávky
 DocType: Clinical Procedure,Age,Věk
 DocType: Sales Invoice Timesheet,Billing Amount,Fakturovaná čiastka
@@ -5479,11 +5544,11 @@
 DocType: Company,Default Employee Advance Account,Predvolený účet predvoleného zamestnanca
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Vyhľadávacia položka (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Účet s transakcemi nemůže být smazán
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Účet s existujúcimi transakciami nemôže byť zmazaný
 DocType: Vehicle,Last Carbon Check,Posledné Carbon Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Výdavky na právne služby
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Vyberte prosím množstvo na riadku
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Vytvorte otvorenie predajných a nákupných faktúr
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Vytvorte otvorenie predajných a nákupných faktúr
 DocType: Purchase Invoice,Posting Time,Čas zadání
 DocType: Timesheet,% Amount Billed,% Fakturovanej čiastky
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefonní Náklady
@@ -5492,20 +5557,20 @@
 apps/erpnext/erpnext/stock/get_item_details.py +150,No Item with Serial No {0},No Položka s Serial č {0}
 DocType: Email Digest,Open Notifications,Otvorené Oznámenie
 DocType: Payment Entry,Difference Amount (Company Currency),Rozdiel Suma (Company mena)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +83,Direct Expenses,Přímé náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +83,Direct Expenses,Priame náklady
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nový zákazník Příjmy
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Travel Expenses,Cestovní výdaje
 DocType: Maintenance Visit,Breakdown,Rozbor
 DocType: Travel Itinerary,Vegetarian,vegetarián
 DocType: Patient Encounter,Encounter Date,Dátum stretnutia
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Účet: {0} s menou: {1} nemožno vybrať
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Účet: {0} s menou: {1} nemožno vybrať
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankové údaje
 DocType: Purchase Receipt Item,Sample Quantity,Množstvo vzoriek
 DocType: Bank Guarantee,Name of Beneficiary,Názov príjemcu
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",Aktualizujte náklady na BOM automaticky prostredníctvom Plánovača na základe najnovšej sadzby ocenenia / cien / posledného nákupu surovín.
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Šek Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Úspešne vypúšťa všetky transakcie súvisiace s týmto spoločnosti!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Rovnako ako u Date
 DocType: Additional Salary,HR,HR
@@ -5513,7 +5578,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,SMS upozorňovanie na pacientov
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Skúšobná lehota
 DocType: Program Enrollment Tool,New Academic Year,Nový akademický rok
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Return / dobropis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Return / dobropis
 DocType: Stock Settings,Auto insert Price List rate if missing,Automaticky vložiť cenníkovú cenu ak neexistuje
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Celkem uhrazené částky
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5531,10 +5596,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Podriadené uzly môžu byť vytvorené len na základe typu uzly &quot;skupina&quot;
 DocType: Attendance Request,Half Day Date,Half Day Date
 DocType: Academic Year,Academic Year Name,Akademický rok Meno
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} nesmie transakcie s {1}. Zmeňte spoločnosť.
-DocType: Sales Partner,Contact Desc,Kontakt Popis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} nesmie transakcie s {1}. Zmeňte spoločnosť.
+DocType: Sales Partner,Contact Desc,Opis kontaktu
 DocType: Email Digest,Send regular summary reports via Email.,Zasílat pravidelné souhrnné zprávy e-mailem.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Prosím nastaviť predvolený účet v Expense reklamačný typu {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Prosím nastaviť predvolený účet v Expense reklamačný typu {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Dostupné listy
 DocType: Assessment Result,Student Name,Meno študenta
 DocType: Hub Tracked Item,Item Manager,Manažér položiek
@@ -5559,15 +5624,16 @@
 DocType: Subscription,Trial Period End Date,Dátum ukončenia skúšobného obdobia
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Není authroized od {0} překročí limity
 DocType: Serial No,Asset Status,Stav majetku
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Rozmerový náklad (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Reštaurácia Tabuľka
 DocType: Hotel Room,Hotel Manager,Hotelový manažér
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Sada Daňové Pravidlo pre nákupného košíka
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Sada Daňové Pravidlo pre nákupného košíka
 DocType: Purchase Invoice,Taxes and Charges Added,Daně a poplatky přidané
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Odpisový riadok {0}: Nasledujúci dátum odpisovania nemôže byť pred dátumom k dispozícii na použitie
 ,Sales Funnel,Predajný lievik
 apps/erpnext/erpnext/setup/doctype/company/company.py +53,Abbreviation is mandatory,Skratka je povinná
 DocType: Project,Task Progress,pokrok úloha
-apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Vozík
+apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Košík
 DocType: Certified Consultant,GitHub ID,Identifikátor GitHub
 DocType: Staffing Plan,Total Estimated Budget,Celkový odhadovaný rozpočet
 ,Qty to Transfer,Množství pro přenos
@@ -5577,10 +5643,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Všechny skupiny zákazníků
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,nahromadené za mesiac
 DocType: Attendance Request,On Duty,V službe
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možno nie je vytvorený záznam Zmeny meny pre {1} až {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možno nie je vytvorený záznam Zmeny meny pre {1} až {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Personálny plán {0} už existuje pre označenie {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Daňová šablóna je povinné.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje
 DocType: POS Closing Voucher,Period Start Date,Dátum začiatku obdobia
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cenníková cena (mena firmy)
 DocType: Products Settings,Products Settings,nastavenie Produkty
@@ -5600,7 +5666,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Táto akcia zastaví budúcu fakturáciu. Naozaj chcete zrušiť tento odber?
 DocType: Serial No,Distinct unit of an Item,Samostatnou jednotku z položky
 DocType: Supplier Scorecard Criteria,Criteria Name,Názov kritéria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Nastavte spoločnosť
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Nastavte spoločnosť
 DocType: Procedure Prescription,Procedure Created,Postup bol vytvorený
 DocType: Pricing Rule,Buying,Nákupy
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Choroby a hnojivá
@@ -5609,7 +5675,7 @@
 DocType: POS Profile,Apply Discount On,Použiť Zľava na
 DocType: Member,Membership Type,Typ členstva
 ,Reqd By Date,Pr p Podľa dátumu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +147,Creditors,Věřitelé
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +147,Creditors,Veritelia
 DocType: Assessment Plan,Assessment Name,Názov Assessment
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +101,Show PDC in Print,Zobraziť PDC v tlači
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +95,Row # {0}: Serial No is mandatory,Riadok # {0}: Výrobné číslo je povinné
@@ -5617,29 +5683,30 @@
 DocType: Employee Onboarding,Job Offer,Ponuka práce
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,inštitút Skratka
 ,Item-wise Price List Rate,Item-moudrý Ceník Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Dodávateľská ponuka
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Dodávateľská ponuka
 DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slovech budou viditelné, jakmile uložíte nabídku."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Množstvo ({0}) nemôže byť zlomkom v riadku {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Množstvo ({0}) nemôže byť zlomkom v riadku {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Množstvo ({0}) nemôže byť zlomkom v riadku {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Množstvo ({0}) nemôže byť zlomkom v riadku {1}
 DocType: Contract,Unsigned,nepodpísaný
 DocType: Selling Settings,Each Transaction,Každá Transakcia
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravidla pro přidávání náklady na dopravu.
 DocType: Hotel Room,Extra Bed Capacity,Kapacita prístelky
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,otvorenie Sklad
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je nutná zákazník
 DocType: Lab Test,Result Date,Dátum výsledku
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Dátum PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Dátum PDC / LC
 DocType: Purchase Order,To Receive,Obdržať
 DocType: Leave Period,Holiday List for Optional Leave,Dovolenkový zoznam pre voliteľnú dovolenku
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Majiteľ majetku
 DocType: Purchase Invoice,Reason For Putting On Hold,Dôvod pre pozastavenie
 DocType: Employee,Personal Email,Osobný e-mail
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Celkový rozptyl
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Celkový rozptyl
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Makléřská
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Účasť na zamestnancov {0} je už označený pre tento deň
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Účasť na zamestnancov {0} je už označený pre tento deň
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","v minútach 
  aktualizované pomocou ""Time Log"""
@@ -5647,14 +5714,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch objednávky
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Objednávky uvolněna pro výrobu.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Vyberte fiškálny rok ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,"POS Profile požadované, aby POS Vstup"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,"POS Profile požadované, aby POS Vstup"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Vernostné body sa vypočítajú z vynaloženej hotovosti (prostredníctvom faktúry predaja) na základe zmieneného faktora zberu.
 DocType: Program Enrollment Tool,Enroll Students,zapísať študenti
 DocType: Company,HRA Settings,Nastavenia HRA
 DocType: Employee Transfer,Transfer Date,Dátum prenosu
 DocType: Lab Test,Approved Date,Schválený dátum
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Štandardný predaj
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Alespoň jeden sklad je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Alespoň jeden sklad je povinný
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurácia polí položiek ako UOM, skupina položiek, popis a počet hodín."
 DocType: Certification Application,Certification Status,Stav certifikácie
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5667,13 +5734,14 @@
 apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nenašli sa žiadne produkty.
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +396,{0} against Sales Invoice {1},{0} proti Predajnej Faktúre {1}
 DocType: Antibiotic,Laboratory User,Laboratórny používateľ
-DocType: Request for Quotation Item,Project Name,Název projektu
+DocType: Request for Quotation Item,Project Name,Názov projektu
 DocType: Customer,Mention if non-standard receivable account,Zmienka v prípade neštandardnej pohľadávky účet
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +63,Please add the remaining benefits {0} to any of the existing component,Pridajte zvyšné výhody {0} k ľubovoľnému existujúcemu komponentu
 DocType: Journal Entry Account,If Income or Expense,Pokud je výnos nebo náklad
 DocType: Bank Statement Transaction Entry,Matching Invoices,Zodpovedajúce faktúry
 DocType: Work Order,Required Items,povinné predmety
 DocType: Stock Ledger Entry,Stock Value Difference,Rozdiel v hodnote zásob
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Položka Riadok {0}: {1} {2} neexistuje v tabuľke nad {1}
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Ľudské Zdroje
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Platba Odsouhlasení Platba
 DocType: Disease,Treatment Task,Liečebná úloha
@@ -5691,7 +5759,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Listy musí být přiděleny v násobcích 0,5"
 DocType: Work Order,Operation Cost,Provozní náklady
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Vynikající Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identifikácia rozhodovacích orgánov
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Vynikající Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nastavit cíle Item Group-moudrý pro tento prodeje osobě.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zásoby Starší než [dny]
 DocType: Payment Request,Payment Ordered,Platba objednaná
@@ -5703,14 +5772,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Nechte následující uživatelé schválit Žádost o dovolenou.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Životný cyklus
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Vytvorte kusovník
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Miera predaja pre položku {0} je nižšia ako {1}. Miera predaja by mala byť najmenej {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Miera predaja pre položku {0} je nižšia ako {1}. Miera predaja by mala byť najmenej {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Miera predaja pre položku {0} je nižšia ako {1}. Miera predaja by mala byť najmenej {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Miera predaja pre položku {0} je nižšia ako {1}. Miera predaja by mala byť najmenej {2}
 DocType: Subscription,Taxes,Daně
-DocType: Purchase Invoice,capital goods,investičný majetok
+DocType: Purchase Invoice,capital goods,Kapitál Tovar
 DocType: Purchase Invoice Item,Weight Per Unit,Hmotnosť na jednotku
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Platená a nie je doručenie
-DocType: Project,Default Cost Center,Výchozí Center Náklady
-DocType: Delivery Note,Transporter Doc No,Číslo prepravcu č
+DocType: QuickBooks Migrator,Default Cost Center,Predvolené nákladové stredisko
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transackia na zásobách
 DocType: Budget,Budget Accounts,rozpočtové účty
 DocType: Employee,Internal Work History,Vnitřní práce History
@@ -5720,7 +5788,7 @@
 DocType: Supplier Scorecard Variable,Supplier Scorecard Variable,Premenná ukazovateľa tabuľky dodávateľov
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +75,Please create purchase receipt or purchase invoice for the item {0},Vytvorte doklad o kúpe alebo nákupnú faktúru pre položku {0}
 DocType: Employee Advance,Due Advance Amount,Splatná výška zálohy
-DocType: Maintenance Visit,Customer Feedback,Zpětná vazba od zákazníků
+DocType: Maintenance Visit,Customer Feedback,Zpätná väzba od zákazníkov
 DocType: Account,Expense,Výdaj
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js +42,Score cannot be greater than Maximum Score,Skóre nemôže byť väčšia ako maximum bodov
 DocType: Support Search Source,Source Type,typ zdroja
@@ -5743,7 +5811,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Zdravotnícky lekár nie je k dispozícii na {0}
 DocType: Stock Entry Detail,Additional Cost,Dodatočné náklady
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Vytvoriť ponuku od dodávateľa
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Vytvoriť ponuku od dodávateľa
 DocType: Quality Inspection,Incoming,Přicházející
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Predvolené daňové šablóny pre predaj a nákup sú vytvorené.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Hodnotenie výsledkov {0} už existuje.
@@ -5754,22 +5822,22 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +68,Posting Date cannot be future date,Vysielanie dátum nemôže byť budúci dátum
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +100,Row # {0}: Serial No {1} does not match with {2} {3},Riadok # {0}: Výrobné číslo {1} nezodpovedá {2} {3}
 DocType: Stock Entry,Target Warehouse Address,Adresa cieľového skladu
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +89,Casual Leave,Casual Leave
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +89,Casual Leave,Bežná priepustka
 DocType: Agriculture Task,End Day,Koniec dňa
 DocType: Batch,Batch ID,Šarže ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Poznámka: {0}
 ,Delivery Note Trends,Dodací list Trendy
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Tento týždeň Zhrnutie
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Tento týždeň Zhrnutie
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Na sklade Množstvo
 ,Daily Work Summary Replies,Denné zhrnutie pracovných odpovedí
-DocType: Delivery Trip,Calculate Estimated Arrival Times,Vypočítajte odhadované časy príchodu
+DocType: Delivery Trip,Calculate Estimated Arrival Times,Vypočítať odhadované časy príchodu
 apps/erpnext/erpnext/accounts/general_ledger.py +113,Account: {0} can only be updated via Stock Transactions,Účet: {0} lze aktualizovat pouze prostřednictvím Skladových Transakcí
 DocType: Student Group Creation Tool,Get Courses,získať kurzy
 DocType: Shopify Settings,Webhooks,Webhooks
 DocType: Bank Account,Party,Strana
 DocType: Healthcare Settings,Patient Name,Názov pacienta
 DocType: Variant Field,Variant Field,Variantné pole
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Miesto zacielenia
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Miesto zacielenia
 DocType: Sales Order,Delivery Date,Dodávka Datum
 DocType: Opportunity,Opportunity Date,Příležitost Datum
 DocType: Employee,Health Insurance Provider,Poskytovateľ zdravotného poistenia
@@ -5788,7 +5856,7 @@
 DocType: Employee,History In Company,Historie ve Společnosti
 DocType: Customer,Customer Primary Address,Primárna adresa zákazníka
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newslettery
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referenčné číslo
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referenčné číslo
 DocType: Drug Prescription,Description/Strength,Opis / Sila
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Vytvorte novú položku Platba / denník
 DocType: Certification Application,Certification Application,Certifikačná aplikácia
@@ -5799,10 +5867,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Rovnaký bod bol zadaný viackrát
 DocType: Department,Leave Block List,Nechte Block List
 DocType: Purchase Invoice,Tax ID,DIČ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Položka {0} není nastavení pro Serial č. Sloupec musí být prázdný
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Položka {0} není nastavení pro Serial č. Sloupec musí být prázdný
 DocType: Accounts Settings,Accounts Settings,Nastavenie účtu
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,schvaľovať
 DocType: Loyalty Program,Customer Territory,Oblasť zákazníka
+DocType: Email Digest,Sales Orders to Deliver,Predajné príkazy na dodanie
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Číslo nového účtu, bude zahrnuté do názvu účtu ako predpona"
 DocType: Maintenance Team Member,Team Member,Člen tímu
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Žiadny výsledok na odoslanie
@@ -5812,7 +5881,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total {0} u všetkých položiek je nulová, môže byť by ste mali zmeniť, Distribuovať poplatkov na základe &#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,K dnešnému dňu nemôže byť menej ako od dátumu
 DocType: Opportunity,To Discuss,K projednání
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Toto je založené na transakciách s týmto účastníkom. Viac informácií nájdete v nasledujúcej časovej osi
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} jednotiek {1} potrebná {2} pre dokončenie tejto transakcie.
 DocType: Loan Type,Rate of Interest (%) Yearly,Úroková sadzba (%) Ročné
 DocType: Support Settings,Forum URL,Adresa URL fóra
@@ -5827,26 +5895,26 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Uč sa viac
 DocType: Cheque Print Template,Distance from top edge,Vzdialenosť od horného okraja
 DocType: POS Closing Voucher Invoices,Quantity of Items,Množstvo položiek
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Cenníková cena {0} je zakázaná alebo neexistuje
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Cenníková cena {0} je zakázaná alebo neexistuje
 DocType: Purchase Invoice,Return,Spiatočná
-DocType: Pricing Rule,Disable,Zakázat
+DocType: Pricing Rule,Disable,Vypnúť
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Spôsob platby je povinný vykonať platbu
 DocType: Project Task,Pending Review,Čeká Review
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Upravte celú stránku pre ďalšie možnosti, ako sú aktíva, sériové nosiče, dávky atď."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maximálne nepretržité dni
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nie je zapísaná v dávke {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Aktíva {0} nemôže byť vyhodený, ako je to už {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Aktíva {0} nemôže byť vyhodený, ako je to už {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Potrebné kontroly
 DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense nároku)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Označiť ako neprítomný
 DocType: Job Applicant Source,Job Applicant Source,Zdroj žiadateľa o zamestnanie
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Suma IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Suma IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Nepodarilo sa nastaviť spoločnosť
 DocType: Asset Repair,Asset Repair,Oprava majetku
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riadok {0}: Mena BOM # {1} by sa mala rovnať vybranej mene {2}
 DocType: Journal Entry Account,Exchange Rate,Výmenný kurz
 DocType: Patient,Additional information regarding the patient,Ďalšie informácie týkajúce sa pacienta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena
 DocType: Homepage,Tag Line,tag linka
 DocType: Fee Component,Fee Component,poplatok Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,fleet management
@@ -5857,18 +5925,18 @@
 DocType: Purchase Order Item,Last Purchase Rate,Posledná nákupná cena
 DocType: Account,Asset,Majetek
 DocType: Project Task,Task ID,Task ID
-apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Sklad nemůže existovat k bodu {0}, protože má varianty"
+apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Zásoba nemôže byť na položke {0}, protože má varianty"
 DocType: Healthcare Practitioner,Mobile,Mobilné
 ,Sales Person-wise Transaction Summary,Prodej Person-moudrý Shrnutí transakce
 DocType: Training Event,Contact Number,Kontaktné číslo
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Sklad {0} neexistuje
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Sklad {0} neexistuje
 DocType: Cashier Closing,Custody,starostlivosť
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Podrobnosti o predložení dokladu o oslobodení od dane zamestnanca
 DocType: Monthly Distribution,Monthly Distribution Percentages,Měsíční Distribuční Procenta
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +115,The selected item cannot have Batch,Vybraná položka nemůže mít dávku
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +115,The selected item cannot have Batch,Vybraná položka nemôže mať dávku
 DocType: Delivery Note,% of materials delivered against this Delivery Note,% materiálov dodaných proti tomuto dodaciemu listu
 DocType: Asset Maintenance Log,Has Certificate,Má certifikát
-DocType: Project,Customer Details,Podrobnosti zákazníků
+DocType: Project,Customer Details,Podrobnosti zákazníkov
 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Skontrolujte, či si aktívum vyžaduje preventívnu údržbu alebo kalibráciu"
 apps/erpnext/erpnext/public/js/setup_wizard.js +87,Company Abbreviation cannot have more than 5 characters,Skratka firmy nemôže mať viac ako 5 znakov
 DocType: Employee,Reports to,Zprávy
@@ -5876,7 +5944,7 @@
 DocType: Payment Entry,Paid Amount,Uhrazené částky
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Preskúmajte predajný cyklus
 DocType: Assessment Plan,Supervisor,Nadriadený
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retenčný záznam
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retenčný záznam
 ,Available Stock for Packing Items,K dispozici skladem pro balení položek
 DocType: Item Variant,Item Variant,Variant Položky
 ,Work Order Stock Report,Správa o stave pracovnej objednávky
@@ -5885,9 +5953,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Ako školiteľ
 DocType: Leave Policy Detail,Leave Policy Detail,Zanechať podrobnosti o pravidlách
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Predložené objednávky nemožno zmazať
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Řízení kvality
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Predložené objednávky nemožno zmazať
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Řízení kvality
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Item {0} bol zakázaný
 DocType: Project,Total Billable Amount (via Timesheets),Celková fakturovaná suma (prostredníctvom dochádzky)
 DocType: Agriculture Task,Previous Business Day,Predchádzajúci pracovný deň
@@ -5907,18 +5975,19 @@
 DocType: Appointment Type,Appointment Type,Typ schôdze
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} pre {1}
 DocType: Healthcare Settings,Valid number of days,Platný počet dní
-apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Nákladové středisko
+apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Nákladové strediská
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Reštartujte odber
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analýza prepojených rastlín
-DocType: Delivery Note,Transporter ID,ID prepravcu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID prepravcu
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Návrh hodnoty
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Sazba, za kterou dodavatel měny je převeden na společnosti základní měny"
-DocType: Sales Invoice Item,Service End Date,Dátum ukončenia služby
+DocType: Purchase Invoice Item,Service End Date,Dátum ukončenia služby
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: časování v rozporu s řadou {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Povoliť sadzbu nulového oceňovania
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Povoliť sadzbu nulového oceňovania
-DocType: Bank Guarantee,Receiving,príjem
+DocType: Bank Guarantee,Receiving,Príjem
 DocType: Training Event Employee,Invited,pozvaný
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Nastavenia brány účty.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Nastavenia brány účty.
 DocType: Employee,Employment Type,Typ zaměstnání
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Dlouhodobý majetek
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange zisk / strata
@@ -5934,7 +6003,7 @@
 DocType: Tax Rule,Sales Tax Template,Daň z predaja Template
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Platba proti nároku na dávku
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Aktualizovať číslo Centra nákladov
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,"Vyberte položky, ktoré chcete uložiť faktúru"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,"Vyberte položky, ktoré chcete uložiť faktúru"
 DocType: Employee,Encashment Date,Inkaso Datum
 DocType: Training Event,Internet,internet
 DocType: Special Test Template,Special Test Template,Špeciálna šablóna testu
@@ -5942,17 +6011,18 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Existuje Náklady Predvolené aktivity pre Typ aktivity - {0}
 DocType: Work Order,Planned Operating Cost,Plánované provozní náklady
 DocType: Academic Term,Term Start Date,Termín Dátum začatia
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Zoznam všetkých transakcií s akciami
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Zoznam všetkých transakcií s akciami
+DocType: Supplier,Is Transporter,Je Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Importovať faktúru z predaja, ak je platba označená"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Musí sa nastaviť dátum spustenia skúšobného obdobia a dátum ukončenia skúšobného obdobia
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Priemerná hodnota
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková čiastka platby v pláne platieb sa musí rovnať veľkému / zaokrúhlenému súčtu
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková čiastka platby v pláne platieb sa musí rovnať veľkému / zaokrúhlenému súčtu
 DocType: Subscription Plan Detail,Plan,plán
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bankový zostatok podľa hlavnej knihy
-DocType: Job Applicant,Applicant Name,Žadatel Název
-DocType: Authorization Rule,Customer / Item Name,Zákazník / Název zboží
+DocType: Job Applicant,Applicant Name,Meno žiadateľa
+DocType: Authorization Rule,Customer / Item Name,Názov zákazníka/položky
 DocType: Product Bundle,"Aggregate group of **Items** into another **Item**. This is useful if you are bundling a certain **Items** into a package and you maintain stock of the packed **Items** and not the aggregate **Item**. 
 
 The package **Item** will have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes"".
@@ -5976,7 +6046,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Dostupné množstvo v zdrojovom sklade
 apps/erpnext/erpnext/config/support.py +22,Warranty,záruka
 DocType: Purchase Invoice,Debit Note Issued,vydanie dlhopisu
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtrovanie založené na nákladovom centre je uplatniteľné iba vtedy, ak je ako nákladové stredisko vybratá možnosť Budget Against"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtrovanie založené na nákladovom centre je uplatniteľné iba vtedy, ak je ako nákladové stredisko vybratá možnosť Budget Against"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Vyhľadajte podľa kódu položky, sériového čísla, šarže alebo čiarového kódu"
 DocType: Work Order,Warehouses,Sklady
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} pohľadávku nemôže byť prevedená
@@ -5987,9 +6057,9 @@
 DocType: Workstation,per hour,za hodinu
 DocType: Blanket Order,Purchasing,nákup
 DocType: Announcement,Announcement,oznámenia
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Zákazník LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Zákazník LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",V prípade dávkovej študentskej skupiny bude študentská dávka schválená pre každého študenta zo zápisu do programu.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse nelze vypustit, neboť existuje zásob, kniha pro tento sklad."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse nelze vypustit, neboť existuje zásob, kniha pro tento sklad."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Distribúcia
 DocType: Journal Entry Account,Loan,pôžička
 DocType: Expense Claim Advance,Expense Claim Advance,Nároky na nárok na výdavky
@@ -5998,30 +6068,31 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Project Manager
 ,Quoted Item Comparison,Citoval Položka Porovnanie
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Prekrývajúci sa bodovanie medzi {0} a {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Odeslání
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Odeslání
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Čistá hodnota aktív aj na
 DocType: Crop,Produce,vyrobiť
 DocType: Hotel Settings,Default Taxes and Charges,Východiskové Dane a poplatky
-DocType: Account,Receivable,Pohledávky
+DocType: Account,Receivable,Pohľadávky
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +319,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Riadok # {0}: Nie je povolené meniť dodávateľa, objednávky už existuje"
 DocType: Stock Entry,Material Consumption for Manufacture,Spotreba materiálu na výrobu
 DocType: Item Alternative,Alternative Item Code,Kód alternatívnej položky
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Role, která se nechá podat transakcí, které přesahují úvěrové limity."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Vyberte položky do výroby
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Vyberte položky do výroby
 DocType: Delivery Stop,Delivery Stop,Zastavenie doručenia
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Kmeňové dáta synchronizácia, môže to trvať nejaký čas"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Kmeňové dáta synchronizácia, môže to trvať nejaký čas"
 DocType: Item,Material Issue,Material Issue
 DocType: Employee Education,Qualification,Kvalifikace
 DocType: Item Price,Item Price,Položka Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Soap & Detergent
 DocType: BOM,Show Items,Zobraziť položky
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Od doby nemôže byť väčšia ako na čas.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Chcete upozorniť všetkých zákazníkov e-mailom?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Chcete upozorniť všetkých zákazníkov e-mailom?
 DocType: Subscription Plan,Billing Interval,Fakturačný interval
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Objednáno
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Skutočný dátum začiatku a skutočný dátum ukončenia je povinný
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Zákaznícka skupina&gt; Územie
 DocType: Salary Detail,Component,komponentov
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Riadok {0}: {1} musí byť väčší ako 0
 DocType: Assessment Criteria,Assessment Criteria Group,Hodnotiace kritériá Group
@@ -6029,7 +6100,7 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +220,Accrual Journal Entry for salaries from {0} to {1},Záznam o účtovaní časového rozlíšenia pre platy od {0} do {1}
 DocType: Sales Invoice Item,Enable Deferred Revenue,Povoliť odložené výnosy
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +193,Opening Accumulated Depreciation must be less than equal to {0},Otvorenie Oprávky musí byť menšia ako rovná {0}
-DocType: Warehouse,Warehouse Name,Název Skladu
+DocType: Warehouse,Warehouse Name,Názov skladu
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +20,Actual start date must be less than actual end date,Skutočný dátum začiatku musí byť nižší ako skutočný dátum ukončenia
 DocType: Naming Series,Select Transaction,Vybrat Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +30,Please enter Approving Role or Approving User,Zadejte Schvalování role nebo Schvalování Uživatel
@@ -6043,7 +6114,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Chcete-li data by měla být v rámci fiskálního roku. Za předpokladu, že To Date = {0}"
 DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Zde si můžete udržet výšku, váhu, alergie, zdravotní problémy atd"
 DocType: Leave Block List,Applies to Company,Platí pre firmu
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +222,Cannot cancel because submitted Stock Entry {0} exists,"Nelze zrušit, protože předložena Reklamní Entry {0} existuje"
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +222,Cannot cancel because submitted Stock Entry {0} exists,"Nie je možné zrušiť, pretože existuje potvrdený zápis zásoby {0}"
 DocType: Loan,Disbursement Date,vyplatenie Date
 DocType: BOM Update Tool,Update latest price in all BOMs,Aktualizujte najnovšiu cenu vo všetkých kusovníkoch
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +24,Medical Record,Zdravotný záznam
@@ -6052,11 +6123,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Pred odoslaním zadajte názov banky alebo inštitúcie poskytujúcej pôžičku.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} musí byť odoslaná
 DocType: POS Profile,Item Groups,Skupiny položiek
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Dnes je {0} 's narozeniny!
 DocType: Sales Order Item,For Production,Pro Výrobu
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Zostatok v mene účtu
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Pridajte účet dočasného otvorenia v účtovej tabuľke
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Pridajte účet dočasného otvorenia v účtovej tabuľke
 DocType: Customer,Customer Primary Contact,Primárny kontakt zákazníka
 DocType: Project Task,View Task,Zobraziť Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Olovo%
@@ -6068,16 +6138,16 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +372,Amount {0} {1} transferred from {2} to {3},Množstvo {0} {1} prevedená z {2} na {3}
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +200,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nemá Plán zdravotníckych pracovníkov. Pridajte ho do programu Master of Health Practitioner
 DocType: Sales Invoice,Get Advances Received,Získat přijaté zálohy
-DocType: Email Digest,Add/Remove Recipients,Přidat / Odebrat příjemce
+DocType: Email Digest,Add/Remove Recipients,Pridať / Odobrať príjemcu
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Chcete-li nastavit tento fiskální rok jako výchozí, klikněte na tlačítko ""Nastavit jako výchozí"""
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Výška odpočítanej TDS
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Výška odpočítanej TDS
 DocType: Production Plan,Include Subcontracted Items,Zahrňte subdodávateľné položky
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,pripojiť
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Nedostatek Množství
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,pripojiť
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Nedostatek Množství
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami
 DocType: Loan,Repay from Salary,Splatiť z platu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Požiadavka na platbu proti {0} {1} na sumu {2}
-DocType: Additional Salary,Salary Slip,Plat Slip
+DocType: Additional Salary,Salary Slip,Výplatná páska
 DocType: Lead,Lost Quotation,stratil Citácia
 apps/erpnext/erpnext/utilities/user_progress.py +221,Student Batches,Študijné dávky
 DocType: Pricing Rule,Margin Rate or Amount,Marža sadzbou alebo pevnou sumou
@@ -6090,11 +6160,11 @@
 DocType: Patient,Dormant,spiace
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odpočítajte daň za nevyžiadané zamestnanecké výhody
 DocType: Salary Slip,Total Interest Amount,Celková výška úroku
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Sklady s podriadené uzlami nemožno previesť do hlavnej účtovnej knihy
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Sklady s podriadené uzlami nemožno previesť do hlavnej účtovnej knihy
 DocType: BOM,Manage cost of operations,Správa nákladů na provoz
 DocType: Accounts Settings,Stale Days,Stale dni
 DocType: Travel Itinerary,Arrival Datetime,Dátum príchodu
-DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Když některý z kontrolovaných operací je ""Odesláno"", email pop-up automaticky otevřeny poslat e-mail na přidružené ""Kontakt"" v této transakci, s transakcí jako přílohu. Uživatel může, ale nemusí odeslat e-mail."
+DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Keď niektorá z označených transakcií je ""Potvrdená"", zobrazí sa okno s emailom pre ""Kontakt"" z transakcie a s prílohou samotnej transakcie. Používateľ sa môže rozhodnúť, či email pošle."
 DocType: Tax Rule,Billing Zipcode,Fakturačný PSČ
 DocType: Attendance,HR-ATT-.YYYY.-,HR-ATT-.YYYY.-
 apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globálne nastavenia
@@ -6102,7 +6172,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Posúdenie Detail Výsledok
 DocType: Employee Education,Employee Education,Vzdelávanie zamestnancov
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Duplicitné skupinu položiek uvedené v tabuľke na položku v skupine
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"Je potrebné, aby priniesla Detaily položky."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"Je potrebné, aby priniesla Detaily položky."
 DocType: Fertilizer,Fertilizer Name,Názov hnojiva
 DocType: Salary Slip,Net Pay,Net Pay
 DocType: Cash Flow Mapping Accounts,Account,Účet
@@ -6113,14 +6183,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Vytvorte samostatné zadanie platby pred nárokom na dávku
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Prítomnosť horúčky (teplota&gt; 38,5 ° C alebo udržiavaná teplota&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Podrobnosti prodejní tým
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Zmazať trvalo?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Zmazať trvalo?
 DocType: Expense Claim,Total Claimed Amount,Celkem žalované částky
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciální příležitosti pro prodej.
 DocType: Shareholder,Folio no.,Folio č.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Neplatný {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Zdravotní dovolená
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,niesu
 DocType: Delivery Note,Billing Address Name,Názov fakturačnej adresy
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Obchodní domy
 ,Item Delivery Date,Dátum dodania položky
@@ -6133,36 +6202,36 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady
 apps/erpnext/erpnext/projects/doctype/project/project.js +98,Save the document first.,Uložte dokument ako prvý.
 apps/erpnext/erpnext/shopping_cart/cart.py +74,Only {0} in stock for item {1},Iba {0} na sklade pre položku {1}
-DocType: Account,Chargeable,Vyměřovací
+DocType: Account,Chargeable,Spoplatniteľné
 DocType: Company,Change Abbreviation,Zmeniť skratku
 DocType: Contract,Fulfilment Details,Podrobnosti o plnení
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Plaťte {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Plaťte {0} {1}
 DocType: Employee Onboarding,Activities,aktivity
 DocType: Expense Claim Detail,Expense Date,Datum výdaje
 DocType: Item,No of Months,Počet mesiacov
 DocType: Item,Max Discount (%),Max zľava (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kreditné dni nemôžu byť záporné číslo
-DocType: Sales Invoice Item,Service Stop Date,Dátum ukončenia servisu
+DocType: Purchase Invoice Item,Service Stop Date,Dátum ukončenia servisu
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Suma poslednej objednávky
 DocType: Cash Flow Mapper,e.g Adjustments for:,napr. Úpravy pre:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zadržanie vzorky je založené na dávke. Skontrolujte dávkovú šaržu, ak chcete zachovať vzorku položky"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zadržanie vzorky je založené na dávke. Skontrolujte dávkovú šaržu, ak chcete zachovať vzorku položky"
 DocType: Task,Is Milestone,Je míľnikom
 DocType: Certification Application,Yet to appear,Napriek tomu sa objaví
-DocType: Delivery Stop,Email Sent To,E-mailom odoslaným
+DocType: Delivery Stop,Email Sent To,E-mail odoslaný na
 DocType: Job Card Item,Job Card Item,Položka Job Card
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Povoliť nákladové stredisko pri zápise účtov bilancie
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Zlúčiť so existujúcim účtom
 DocType: Budget,Warn,Varovat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Všetky položky už boli prevedené na túto pracovnú objednávku.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Všetky položky už boli prevedené na túto pracovnú objednávku.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Akékoľvek iné poznámky, pozoruhodné úsilie, ktoré by mali ísť v záznamoch."
 DocType: Asset Maintenance,Manufacturing User,Používateľ výroby
-DocType: Purchase Invoice,Raw Materials Supplied,Dodává suroviny
+DocType: Purchase Invoice,Raw Materials Supplied,Suroviny dodané
 DocType: Subscription Plan,Payment Plan,Platobný plán
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Povoliť nákup položiek prostredníctvom webových stránok
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Mena cenníka {0} musí byť {1} alebo {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Správa predplatného
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Správa predplatného
 DocType: Appraisal,Appraisal Template,Posouzení Template
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Kódovanie kódu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Kódovanie kódu
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Začiarknite toto, ak chcete povoliť plánovanú dennú synchronizáciu prostredníctvom plánovača"
 DocType: Item Group,Item Classification,Položka Klasifikace
@@ -6172,6 +6241,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Faktúra Registrácia pacienta
 DocType: Crop,Period,Obdobie
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Hlavná Účtovná Kniha
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Do fiškálneho roka
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Zobraziť Obchodné iniciatívy
 DocType: Program Enrollment Tool,New Program,nový program
 DocType: Item Attribute Value,Attribute Value,Hodnota atributu
@@ -6179,36 +6249,35 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test_list.js +16,Create Multiple,Vytvorte viacero
 ,Itemwise Recommended Reorder Level,Itemwise Doporučené Změna pořadí Level
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Zamestnanec {0} v platovej triede {1} nemá žiadne predvolené pravidlá pre dovolenku
-DocType: Salary Detail,Salary Detail,plat Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Prosím, najprv vyberte {0}"
+DocType: Salary Detail,Salary Detail,Detail platu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Prosím, najprv vyberte {0}"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Pridali sme {0} používateľov
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",V prípade viacvrstvového programu budú zákazníci automaticky priradení príslušnému vrstvu podľa ich vynaložených prostriedkov
 DocType: Appointment Type,Physician,lekár
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} z {1} bodu vypršala.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} z {1} bodu vypršala.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,konzultácie
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Ukončené dobro
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Položka Cena sa objavuje viackrát na základe cenníka, dodávateľa / zákazníka, meny, položky, UOM, množstva a dátumov."
-DocType: Sales Invoice,Commission,Provize
+DocType: Sales Invoice,Commission,Provízia
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +203,{0} ({1}) cannot be greater than planned quantity ({2}) in Work Order {3},{0} ({1}) nemôže byť väčšia ako plánované množstvo ({2}) v pracovnom poradí {3}
 DocType: Certification Application,Name of Applicant,Meno žiadateľa
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas list pre výrobu.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,medzisúčet
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Nemožno zmeniť vlastnosti Variantu po transakcii s akciami. Budete musieť urobiť novú položku.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Nemožno zmeniť vlastnosti Variantu po transakcii s akciami. Budete musieť urobiť novú položku.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA mandát
-DocType: Healthcare Practitioner,Charges,poplatky
+DocType: Healthcare Practitioner,Charges,Poplatky
 DocType: Production Plan,Get Items For Work Order,Získajte položky pre pracovnú objednávku
 DocType: Salary Detail,Default Amount,Výchozí částka
 DocType: Lab Test Template,Descriptive,opisný
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Sklad nebyl nalezen v systému
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Tento mesiac je zhrnutie
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Tento mesiac je zhrnutie
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kvalita Kontrola Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Zmraziť zásoby staršie ako` malo by byť menšie než %d dní.
 DocType: Tax Rule,Purchase Tax Template,Spotrebná daň šablóny
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Nastavte cieľ predaja, ktorý chcete dosiahnuť pre vašu spoločnosť."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Zdravotnícke služby
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Zdravotnícke služby
 ,Project wise Stock Tracking,Sledování zboží dle projektu
 DocType: GST HSN Code,Regional,regionálne
-DocType: Delivery Note,Transport Mode,Režim dopravy
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,laboratórium
 DocType: UOM Category,UOM Category,UOM kategória
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Skutečné množství (u zdroje/cíle)
@@ -6231,17 +6300,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Nepodarilo sa vytvoriť webové stránky
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Detail konverzie MJ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Už vytvorený záznam o zadržaní alebo množstvo neposkytnuté
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Už vytvorený záznam o zadržaní alebo množstvo neposkytnuté
 DocType: Program,Program Abbreviation,program Skratka
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Výrobná zákazka nemôže byť vznesená proti šablóny položky
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku
 DocType: Warranty Claim,Resolved By,Vyřešena
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Rozvrh Výdavky
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Šeky a Vklady nesprávne vymazané
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Účet {0}: nelze přiřadit sebe jako nadřazený účet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Účet {0}: nelze přiřadit sebe jako nadřazený účet
 DocType: Purchase Invoice Item,Price List Rate,Cenníková cena
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Vytvoriť zákaznícke ponuky
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Dátum ukončenia servisu nemôže byť po dátume ukončenia služby
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Dátum ukončenia servisu nemôže byť po dátume ukončenia služby
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Zobrazit ""Skladem"" nebo ""Není skladem"" na základě skladem k dispozici v tomto skladu."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Priemerná doba zhotovená dodávateľom dodať
@@ -6253,17 +6322,17 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Hodiny
 DocType: Project,Expected Start Date,Očekávané datum zahájení
 DocType: Purchase Invoice,04-Correction in Invoice,04 - Oprava faktúry
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Pracovná objednávka už vytvorená pre všetky položky s kusovníkom
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Pracovná objednávka už vytvorená pre všetky položky s kusovníkom
 DocType: Payment Request,Party Details,Party Podrobnosti
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant Details Report
 DocType: Setup Progress Action,Setup Progress Action,Akcia pokroku pri inštalácii
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Nákupný cenník
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Nákupný cenník
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Odebrat pokud poplatků není pro tuto položku
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Zrušiť odber
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Vyberte stav údržby ako dokončené alebo odstráňte dátum dokončenia
 DocType: Supplier,Default Payment Terms Template,Šablóna predvolených platobných podmienok
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +40,Transaction currency must be same as Payment Gateway currency,Mena transakcie musí byť rovnaká ako platobná brána menu
-DocType: Payment Entry,Receive,Príjem
+DocType: Payment Entry,Receive,Prijať
 DocType: Employee Benefit Application Detail,Earning Component,Zisková zložka
 apps/erpnext/erpnext/templates/pages/rfq.html +75,Quotations: ,Ponuky:
 DocType: Contract,Partially Fulfilled,Čiastočne splnené
@@ -6275,7 +6344,7 @@
 DocType: Asset,Disposal Date,Likvidácia Dátum
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-maily budú zaslané všetkým aktívnym zamestnancom spoločnosti v danú hodinu, ak nemajú dovolenku. Zhrnutie odpovedí budú zaslané do polnoci."
 DocType: Employee Leave Approver,Employee Leave Approver,Schvalujúci priepustiek zamestnanca
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Nelze prohlásit za ztracený, protože citace byla provedena."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Účet CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,tréning Feedback
@@ -6284,20 +6353,21 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Prosím, vyberte Počáteční datum a koncové datum pro položku {0}"
 DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +55,Course is mandatory in row {0},Samozrejme je povinné v rade {0}
-apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,K dnešnímu dni nemůže být dříve od data
+apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Dátum DO nemôže byť skôr ako dátum OD
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Päta sekcie
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Pridať / Upraviť ceny
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Pridať / Upraviť ceny
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Propagácia zamestnancov nemôže byť predložená pred dátumom propagácie
 DocType: Batch,Parent Batch,Rodičovská dávka
 DocType: Batch,Parent Batch,Rodičovská dávka
 DocType: Cheque Print Template,Cheque Print Template,Šek šablóny tlače
 DocType: Salary Component,Is Flexible Benefit,Je flexibilný prínos
-apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +85,Chart of Cost Centers,Diagram nákladových středisek
+apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +85,Chart of Cost Centers,Diagram nákladových stredísk
 DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Počet dní po uplynutí dátumu faktúry pred zrušením predplatného alebo označením predplatného ako nezaplateného
 DocType: Clinical Procedure Template,Sample Collection,Zbierka vzoriek
 ,Requested Items To Be Ordered,Požadované položky je třeba objednat
 DocType: Price List,Price List Name,Názov cenníka
+DocType: Delivery Stop,Dispatch Information,Informácie o odoslaní
 DocType: Blanket Order,Manufacturing,Výroba
 ,Ordered Items To Be Delivered,"Objednané zboží, které mají být dodány"
 DocType: Account,Income,Příjem
@@ -6316,17 +6386,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jednotiek {1} potrebná {2} o {3} {4} na {5} pre dokončenie tejto transakcie.
 DocType: Fee Schedule,Student Category,študent Kategórie
 DocType: Announcement,Student,študent
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Postup skladovania k dispozícii nie je v sklade. Chcete zaznamenať prevod akcií
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Postup skladovania k dispozícii nie je v sklade. Chcete zaznamenať prevod akcií
 DocType: Shipping Rule,Shipping Rule Type,Typ pravidla odoslania
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Prejdite na Izby
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Spoločnosť, platobný účet, dátum a dátum je povinný"
 DocType: Company,Budget Detail,Detail Rozpočtu
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Prosím, zadejte zprávu před odesláním"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKÁT PRE DODÁVATEĽA
-DocType: Email Digest,Pending Quotations,Čakajúce ponuky
-DocType: Delivery Note,Distance (KM),Vzdialenosť (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dodávateľ&gt; Skupina dodávateľov
 DocType: Asset,Custodian,strážca
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} by mala byť hodnota medzi 0 a 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Platba {0} od {1} do {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Nezajištěných úvěrů
@@ -6336,13 +6405,13 @@
 DocType: Maintenance Schedule Detail,Scheduled Date,Plánované datum
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +232,Total Paid Amt,Celkem uhrazeno Amt
 DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Zprávy větší než 160 znaků bude rozdělena do více zpráv
-DocType: Purchase Receipt Item,Received and Accepted,Přijaté a Přijato
+DocType: Purchase Receipt Item,Received and Accepted,Prijaté a akceptované
 ,GST Itemised Sales Register,GST Podrobný predajný register
 DocType: Staffing Plan,Staffing Plan Details,Podrobnosti personálneho plánu
 DocType: Soil Texture,Silt Loam,Silt Loam
 ,Serial No Service Contract Expiry,Pořadové číslo Servisní smlouva vypršení platnosti
 DocType: Employee Health Insurance,Employee Health Insurance,Zdravotné poistenie zamestnancov
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +331,You cannot credit and debit same account at the same time,Nemůžete dělat kreditní a debetní záznam na stejný účet ve stejnou dobu.
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +331,You cannot credit and debit same account at the same time,Nemôžete robiť kreditný a debetný záznam na rovnaký účet naraz
 DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Dávka dospelých sa pohybuje od 50 do 80 úderov za minútu.
 DocType: Naming Series,Help HTML,Nápoveda HTML
 DocType: Student Group Creation Tool,Student Group Creation Tool,Študent Group Tool Creation
@@ -6355,13 +6424,13 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +395,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nemôže odpočítať, ak kategória je pre &quot;ocenenie&quot; alebo &quot;Vaulation a Total&quot;"
 apps/erpnext/erpnext/public/js/hub/components/reviews.js +2,Anonymous,anonymný
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +379,Received From,Prijaté Od
-DocType: Lead,Converted,Převedené
+DocType: Lead,Converted,Prevedené
 DocType: Item,Has Serial No,Má Sériové číslo
 DocType: Employee,Date of Issue,Datum vydání
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podľa Nákupných nastavení, ak je potrebná nákupná požiadavka == &#39;ÁNO&#39;, potom pre vytvorenie nákupnej faktúry musí používateľ najskôr vytvoriť potvrdenie nákupu pre položku {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podľa Nákupných nastavení, ak je potrebná nákupná požiadavka == &#39;ÁNO&#39;, potom pre vytvorenie nákupnej faktúry musí používateľ najskôr vytvoriť potvrdenie nákupu pre položku {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Riadok # {0}: Nastavte Dodávateľ pre položku {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Riadok {0}: doba hodnota musí byť väčšia ako nula.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} pripája k bodu {1} nemožno nájsť
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} pripája k bodu {1} nemožno nájsť
 DocType: Issue,Content Type,Typ obsahu
 DocType: Asset,Assets,Aktíva
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Počítač
@@ -6372,7 +6441,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} neexistuje
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Prosím, skontrolujte viac mien možnosť povoliť účty s inú menu"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení
 DocType: Payment Reconciliation,Get Unreconciled Entries,Získat smířit záznamů
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Zamestnanec {0} je zapnutý Opustiť dňa {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Neboli vybraté žiadne splátky pre záznam denníka
@@ -6390,13 +6459,14 @@
 ,Average Commission Rate,Průměrná cena Komise
 DocType: Share Balance,No of Shares,Počet akcií
 DocType: Taxable Salary Slab,To Amount,Suma
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemôže byť ""áno"" pre neskladový tovar"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemôže byť ""áno"" pre neskladový tovar"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Vyberte položku Stav
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Účast nemůže být označen pro budoucí data
 DocType: Support Search Source,Post Description Key,Popisný kľúč Popis
 DocType: Pricing Rule,Pricing Rule Help,Ceny Pravidlo Help
 DocType: School House,House Name,Meno dom
 DocType: Fee Schedule,Total Amount per Student,Celková suma na študenta
+DocType: Opportunity,Sales Stage,Predajná fáza
 DocType: Purchase Taxes and Charges,Account Head,Účet Head
 DocType: Company,HRA Component,Komponent HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektrický
@@ -6404,15 +6474,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Celková hodnota Rozdíl (Out - In)
 DocType: Grant Application,Requested Amount,Požadovaná suma
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Riadok {0}: Exchange Rate je povinné
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},User ID není nastavena pro zaměstnance {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},User ID není nastavena pro zaměstnance {0}
 DocType: Vehicle,Vehicle Value,hodnota vozidla
 DocType: Crop Cycle,Detected Diseases,Zistené choroby
 DocType: Stock Entry,Default Source Warehouse,Výchozí zdroj Warehouse
 DocType: Item,Customer Code,Code zákazníků
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Narozeninová připomínka pro {0}
 DocType: Asset Maintenance Task,Last Completion Date,Posledný dátum dokončenia
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Počet dnů od poslední objednávky
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debetné Na účet musí byť účtu Súvaha
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debetné Na účet musí byť účtu Súvaha
 DocType: Asset,Naming Series,Číselné rady
 DocType: Vital Signs,Coated,obalený
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Riadok {0}: Očakávaná hodnota po skončení životnosti musí byť nižšia ako čiastka hrubého nákupu
@@ -6420,25 +6489,25 @@
 DocType: Leave Block List,Leave Block List Name,Nechte Jméno Block List
 DocType: Certified Consultant,Certification Validity,Platnosť certifikátu
 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Dátum poistenie štarte by mala byť menšia ako poistenie koncovým dátumom
-DocType: Shopping Cart Settings,Display Settings,Nastavení zobrazení
+DocType: Shopping Cart Settings,Display Settings,Nastavenia zobrazení
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock Assets,Stock Aktiva
 DocType: Restaurant,Active Menu,Aktívna ponuka
 DocType: Target Detail,Target Qty,Target Množství
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +37,Against Loan: {0},Proti úveru: {0}
-DocType: Shopping Cart Settings,Checkout Settings,pokladňa Nastavenie
+DocType: Shopping Cart Settings,Checkout Settings,Nastavenia checkout
 DocType: Student Attendance,Present,Současnost
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Delivery Note {0} nesmí být předloženy
 DocType: Notification Control,Sales Invoice Message,Prodejní faktury Message
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Záverečný účet {0} musí byť typu zodpovednosti / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Výplatnej páske zamestnanca {0} už vytvorili pre časové list {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Výplatnej páske zamestnanca {0} už vytvorili pre časové list {1}
 DocType: Vehicle Log,Odometer,Počítadlo najazdených kilometrov
 DocType: Production Plan Item,Ordered Qty,Objednáno Množství
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Položka {0} je zakázaná
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Položka {0} je zakázaná
 DocType: Stock Settings,Stock Frozen Upto,Reklamní Frozen aľ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM neobsahuje žiadnu skladovú položku
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM neobsahuje žiadnu skladovú položku
 DocType: Chapter,Chapter Head,Kapitola hlavu
 DocType: Payment Term,Month(s) after the end of the invoice month,Mesiac (mesiace) po skončení mesiaca faktúry
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Štruktúra platu by mala mať flexibilné zložky prínosov na vyplácanie dávky
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Štruktúra platu by mala mať flexibilné zložky prínosov na vyplácanie dávky
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projektová činnost / úkol.
 DocType: Vital Signs,Very Coated,Veľmi potiahnuté
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Iba daňový vplyv (nemožno nárokovať, ale časť zdaniteľného príjmu)"
@@ -6456,7 +6525,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,billing Hodiny
 DocType: Project,Total Sales Amount (via Sales Order),Celková výška predaja (prostredníctvom objednávky predaja)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Predvolené BOM pre {0} nebol nájdený
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Riadok # {0}: Prosím nastavte množstvo objednávacie
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Riadok # {0}: Prosím nastavte množstvo objednávacie
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Poklepte na položky a pridajte ich sem
 DocType: Fees,Program Enrollment,Registrácia do programu
 DocType: Share Transfer,To Folio No,Do priečinka č
@@ -6476,7 +6545,7 @@
 DocType: Serial No,Delivery Document Type,Dodávka Typ dokumentu
 DocType: Sales Order,Partly Delivered,Částečně vyhlášeno
 DocType: Item Variant Settings,Do not update variants on save,Neaktualizujte varianty uloženia
-DocType: Email Digest,Receivables,Pohledávky
+DocType: Email Digest,Receivables,Pohľadávky
 DocType: Lead Source,Lead Source,Zdroj Iniciatívy
 DocType: Customer,Additional information regarding the customer.,Ďalšie informácie týkajúce sa zákazníka.
 DocType: Quality Inspection Reading,Reading 5,Čtení 5
@@ -6499,9 +6568,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Sila
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Inštalácia predvolieb
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Pre zákazníka nie je vybratá žiadna dodacia poznámka {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Pre zákazníka nie je vybratá žiadna dodacia poznámka {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Zamestnanec {0} nemá maximálnu výšku dávok
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Vyberte položku podľa dátumu doručenia
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Vyberte položku podľa dátumu doručenia
 DocType: Grant Application,Has any past Grant Record,Má nejaký predchádzajúci grantový záznam
 ,Sales Analytics,Analýza predaja
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},K dispozícii {0}
@@ -6510,12 +6579,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Nastavenia Výroby
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Nastavenia pre e-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Žiadne
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Zadejte prosím výchozí měnu v podniku Mistr
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Zadejte prosím výchozí měnu v podniku Mistr
 DocType: Stock Entry Detail,Stock Entry Detail,Detail pohybu zásob
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Denná Upomienky
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Denné pripomienky
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Pozrite si všetky otvorené lístky
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Strom jednotky zdravotníckych služieb
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,výrobok
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,výrobok
 DocType: Products Settings,Home Page is Products,Domovskou stránkou je stránka Produkty.
 ,Asset Depreciation Ledger,Asset Odpisy Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Ponechajte sumu zaplatenia za deň
@@ -6525,8 +6594,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Dodává se nákladů na suroviny
 DocType: Selling Settings,Settings for Selling Module,Nastavenie modulu Predaj
 DocType: Hotel Room Reservation,Hotel Room Reservation,Rezervácia izieb v hoteli
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Služby zákazníkům
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Služby zákazníkom
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Neboli nájdené žiadne kontakty s e-mailovými ID.
 DocType: Item Customer Detail,Item Customer Detail,Položka Detail Zákazník
 DocType: Notification Control,Prompt for Email on Submission of,Výzva pro e-mail na předkládání
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maximálna výška dávky zamestnanca {0} presahuje {1}
@@ -6536,7 +6606,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Položka {0} musí být skladem
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Východiskové prácu v sklade Progress
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Plán pre prekrytie {0}, chcete pokračovať po preskočení prekryvných pozícií?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Výchozí nastavení účetních transakcí.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Výchozí nastavení účetních transakcí.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grantové listy
 DocType: Restaurant,Default Tax Template,Štandardná daňová šablóna
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Študenti boli zapísaní
@@ -6544,6 +6614,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Množstvo zásob
 DocType: Purchase Invoice Item,Stock Qty,Množstvo zásob
 DocType: Contract,Requires Fulfilment,Vyžaduje splnenie
+DocType: QuickBooks Migrator,Default Shipping Account,Predvolený dodací účet
 DocType: Loan,Repayment Period in Months,Doba splácania v mesiacoch
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Chyba: Nie je platný id?
 DocType: Naming Series,Update Series Number,Aktualizace Series Number
@@ -6557,11 +6628,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maximálna suma
 DocType: Journal Entry,Total Amount Currency,Celková suma Mena
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Vyhľadávanie Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Kód položky třeba na řádku č {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Kód položky třeba na řádku č {0}
 DocType: GST Account,SGST Account,Účet SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Prejdite na Položky
 DocType: Sales Partner,Partner Type,Partner Type
-DocType: Purchase Taxes and Charges,Actual,Aktuální
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Aktuální
 DocType: Restaurant Menu,Restaurant Manager,Manažér reštaurácie
 DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Časového rozvrhu pre úlohy.
@@ -6573,7 +6644,7 @@
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +9,View Now,Zobrazit nyní
 DocType: BOM,Raw Material Cost,Cena surovin
 DocType: Woocommerce Settings,Woocommerce Server URL,Woocommerce URL servera
-DocType: Item Reorder,Re-Order Level,Re-Order Level
+DocType: Item Reorder,Re-Order Level,Úroveň doobjednania
 DocType: Shopify Tax Account,Shopify Tax/Shipping Title,Nakupujte názov dane / plavby
 apps/erpnext/erpnext/projects/doctype/project/project.js +54,Gantt Chart,Pruhový diagram
 DocType: Crop Cycle,Cycle Type,Typ cyklu
@@ -6582,7 +6653,7 @@
 DocType: Employee,Cheque,Šek
 DocType: Training Event,Employee Emails,E-maily zamestnancov
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Řada Aktualizováno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Report Type je povinné
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Report Type je povinné
 DocType: Item,Serial Number Series,Sériové číslo Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Sklad je povinný pro skladovou položku {0} na řádku {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Maloobchod a velkoobchod
@@ -6613,7 +6684,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Aktualizovať faktúrovanú čiastku v objednávke predaja
 DocType: BOM,Materials,Materiály
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Pokud není zatrženo, seznam bude muset být přidány ke každé oddělení, kde má být použit."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Datum a čas zadání je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Datum a čas zadání je povinný
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Daňové šablona pro nákup transakcí.
 ,Item Prices,Ceny Položek
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Ve slovech budou viditelné, jakmile uložíte objednávce."
@@ -6629,12 +6700,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Séria pre odpisy majetku (záznam v účte)
 DocType: Membership,Member Since,Členom od
 DocType: Purchase Invoice,Advance Payments,Zálohové platby
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Vyberte prosím službu zdravotnej starostlivosti
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Vyberte prosím službu zdravotnej starostlivosti
 DocType: Purchase Taxes and Charges,On Net Total,On Net Celkem
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Hodnota atribútu {0} musí byť v rozmedzí od {1} až {2} v krokoch po {3} pre item {4}
 DocType: Restaurant Reservation,Waitlisted,poradovníka
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategória výnimky
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Mena nemôže byť zmenený po vykonaní položky pomocou inej mene
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Mena nemôže byť zmenený po vykonaní položky pomocou inej mene
 DocType: Shipping Rule,Fixed,fixné
 DocType: Vehicle Service,Clutch Plate,kotúč spojky
 DocType: Company,Round Off Account,Zaokrúhliť účet
@@ -6643,8 +6714,8 @@
 DocType: Subscription Plan,Based on price list,Na základe cenníka
 DocType: Customer Group,Parent Customer Group,Parent Customer Group
 DocType: Vehicle Service,Change,Zmena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,predplatné
-DocType: Purchase Invoice,Contact Email,Kontaktní e-mail
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,predplatné
+DocType: Purchase Invoice,Contact Email,Kontaktný e-mail
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Tvorba poplatkov čaká
 DocType: Appraisal Goal,Score Earned,Skóre Zasloužené
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +222,Notice Period,Výpovedná Lehota
@@ -6668,26 +6739,26 @@
 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +58,Show zero values,Ukázat nulové hodnoty
 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Množství položky získané po výrobě / přebalení z daných množství surovin
 DocType: Lab Test,Test Group,Testovacia skupina
-DocType: Payment Reconciliation,Receivable / Payable Account,Pohledávky / závazky účet
+DocType: Payment Reconciliation,Receivable / Payable Account,Účet pohľadávok/záväzkov
 DocType: Delivery Note Item,Against Sales Order Item,Proti položce přijaté objednávky
 DocType: Company,Company Logo,Logo spoločnosti
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Uveďte atribútu Hodnota atribútu {0}
-DocType: Item Default,Default Warehouse,Výchozí Warehouse
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Uveďte atribútu Hodnota atribútu {0}
+DocType: QuickBooks Migrator,Default Warehouse,Predvolený sklad
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Rozpočet nemôže byť priradená na skupinový účet {0}
 DocType: Shopping Cart Settings,Show Price,Zobraziť cenu
 DocType: Healthcare Settings,Patient Registration,Registrácia pacienta
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Prosím, zadejte nákladové středisko mateřský"
 DocType: Delivery Note,Print Without Amount,Tisknout bez Částka
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,odpisy Dátum
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,odpisy Dátum
 ,Work Orders in Progress,Pracovné príkazy v procese
 DocType: Issue,Support Team,Tým podpory
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Doba použiteľnosti (v dňoch)
 DocType: Appraisal,Total Score (Out of 5),Celkové skóre (Out of 5)
 DocType: Student Attendance Tool,Batch,Šarža
 DocType: Support Search Source,Query Route String,Dotaz reťazca trasy
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Miera aktualizácie podľa posledného nákupu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Miera aktualizácie podľa posledného nákupu
 DocType: Donor,Donor Type,Typ darcu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Dokument bol aktualizovaný automaticky
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Dokument bol aktualizovaný automaticky
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Zostatok
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Vyberte spoločnosť
 DocType: Job Card,Job Card,Pracovná karta
@@ -6701,7 +6772,7 @@
 DocType: Assessment Result,Total Score,Konečné skóre
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601
 DocType: Journal Entry,Debit Note,Debit Note
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,V tomto poradí môžete uplatniť maximálne {0} body.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,V tomto poradí môžete uplatniť maximálne {0} body.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Zadajte zákaznícke tajomstvo služby API
 DocType: Stock Entry,As per Stock UOM,Podľa skladovej MJ
@@ -6713,11 +6784,12 @@
 DocType: Employee Onboarding,Employee Onboarding,Zamestnanec na palube
 DocType: Journal Entry,Total Debit,Celkem Debit
 DocType: Travel Request Costing,Sponsored Amount,Sponzorovaná čiastka
-DocType: Manufacturing Settings,Default Finished Goods Warehouse,Východzí hotových výrobkov Warehouse
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Vyberte pacienta
+DocType: Manufacturing Settings,Default Finished Goods Warehouse,Predvolený sklad hotových výrobkov
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Vyberte pacienta
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Predajca
 DocType: Hotel Room Package,Amenities,Vybavenie
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Rozpočet a nákladového strediska
+DocType: QuickBooks Migrator,Undeposited Funds Account,Účet neukladaných finančných prostriedkov
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Rozpočet a nákladového strediska
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Nie je povolený viacnásobný predvolený spôsob platby
 DocType: Sales Invoice,Loyalty Points Redemption,Vernostné body Vykúpenie
 ,Appointment Analytics,Aplikácia Analytics
@@ -6731,6 +6803,7 @@
 DocType: Batch,Manufacturing Date,Dátum výroby
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Vytvorenie poplatku zlyhalo
 DocType: Opening Invoice Creation Tool,Create Missing Party,Vytvoriť chýbajúcu stranu
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Celkový rozpočet
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Nechajte prázdne, ak robíte študentské skupiny ročne"
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Nechajte prázdne, ak robíte študentské skupiny ročne"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Pokud je zaškrtnuto, Total no. pracovních dnů bude zahrnovat dovolenou, a to sníží hodnotu platu za každý den"
@@ -6748,20 +6821,19 @@
 DocType: Opportunity Item,Basic Rate,Základná sadzba
 DocType: GL Entry,Credit Amount,Výška úveru
 DocType: Cheque Print Template,Signatory Position,signatár Position
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Nastaviť ako Nezískané
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Nastaviť ako Nezískané
 DocType: Timesheet,Total Billable Hours,Celkovo zúčtované hodiny
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Počet dní, ktoré musí účastník zaplatiť faktúry generované týmto odberom"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Podrobnosti o žiadosti o zamestnanecké benefity
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Doklad o zaplatení Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,To je založené na transakciách proti tomuto zákazníkovi. Pozri časovú os nižšie podrobnosti
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Riadok {0}: Pridelená suma {1} musí byť menší ako alebo sa rovná sume zaplatení výstavného {2}
 DocType: Program Enrollment Tool,New Academic Term,Nový akademický termín
 ,Course wise Assessment Report,Priebežná hodnotiaca správa
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Využil daň z ITC štátu / UT
 DocType: Tax Rule,Tax Rule,Daňové Pravidlo
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Udržovat stejná sazba po celou dobu prodejního cyklu
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Prihláste sa ako iný používateľ na registráciu v službe Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Prihláste sa ako iný používateľ na registráciu v službe Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Naplánujte čas protokoly mimo Workstation pracovných hodín.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Zákazníci vo fronte
 DocType: Driver,Issuing Date,Dátum vydania
@@ -6770,19 +6842,18 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Odošlite túto objednávku na ďalšie spracovanie.
 ,Items To Be Requested,Položky se budou vyžadovat
 DocType: Company,Company Info,Informácie o spoločnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Vyberte alebo pridajte nového zákazníka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Vyberte alebo pridajte nového zákazníka
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Nákladové stredisko je nutné rezervovať výdavkov nárok
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikace fondů (aktiv)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To je založené na účasti základu tohto zamestnanca
-DocType: Assessment Result,Summary,zhrnutie
 DocType: Payment Request,Payment Request Type,Typ žiadosti o platbu
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Označenie účasti
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debetné účet
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debetný účet
 DocType: Fiscal Year,Year Start Date,Dátom začiatku roka
 DocType: Additional Salary,Employee Name,Meno zamestnanca
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Položka objednávky reštaurácie
 DocType: Purchase Invoice,Rounded Total (Company Currency),Zaoblený Total (Company Měna)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} bol zmenený. Prosím aktualizujte.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Přestaňte uživatelům provádět Nechat aplikací v následujících dnech.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","V prípade neobmedzeného uplynutia platnosti Vernostných bodov, ponechajte dobu trvania expirácie prázdnu alebo 0."
@@ -6803,11 +6874,12 @@
 DocType: Asset,Out of Order,Mimo prevádzky
 DocType: Purchase Receipt Item,Accepted Quantity,Schválené Množstvo
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorovať prekrytie pracovnej doby
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastaviť predvolené Holiday List pre zamestnancov {0} alebo {1} Company
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastaviť predvolené Holiday List pre zamestnancov {0} alebo {1} Company
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} neexistuje
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Vyberte dávkové čísla
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Na GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Na GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Faktúry zákazníkom
+DocType: Healthcare Settings,Invoice Appointments Automatically,Automatické zadanie faktúr
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID projektu
 DocType: Salary Component,Variable Based On Taxable Salary,Premenná založená na zdaniteľnom platu
 DocType: Company,Basic Component,Základná zložka
@@ -6820,10 +6892,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adresa zdrojového skladu
 DocType: GL Entry,Voucher Type,Voucher Type
 DocType: Amazon MWS Settings,Max Retry Limit,Maximálny limit opakovania
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán
 DocType: Student Applicant,Approved,Schválený
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Cena
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Zamestnanec uvoľnený na {0} musí byť nastavený ako ""Opustil"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Zamestnanec uvoľnený na {0} musí byť nastavený ako ""Opustil"""
 DocType: Marketplace Settings,Last Sync On,Posledná synchronizácia zapnutá
 DocType: Guardian,Guardian,poručník
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Všetky komunikácie vrátane a nad nimi sa presunú do nového čísla
@@ -6836,7 +6908,7 @@
 DocType: Payroll Entry,Salary Slips Created,Vytvorené platobné pásky
 DocType: Inpatient Record,Expected Discharge,Očakávané vybitie
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Del,del
-DocType: Selling Settings,Campaign Naming By,Kampaň Pojmenování By
+DocType: Selling Settings,Campaign Naming By,Pomenovanie kampane podľa
 DocType: Employee,Current Address Is,Aktuálna adresa je
 apps/erpnext/erpnext/utilities/user_progress.py +51,Monthly Sales Target (,Mesačný cieľ predaja (
 apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modifikovaný
@@ -6846,14 +6918,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Zoznam chorôb zistených v teréne. Po výbere bude automaticky pridaný zoznam úloh, ktoré sa budú týkať tejto choroby"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Jedná sa o koreňovú službu zdravotnej starostlivosti a nemožno ju upraviť.
 DocType: Asset Repair,Repair Status,Stav opravy
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Pridať obchodných partnerov
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Zápisy v účetním deníku.
 DocType: Travel Request,Travel Request,Žiadosť o cestu
 DocType: Delivery Note Item,Available Qty at From Warehouse,K dispozícii Množstvo na Od Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Prosím, vyberte zamestnanca záznam prvý."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Účasť sa nepredložila za {0}, pretože ide o dovolenku."
 DocType: POS Profile,Account for Change Amount,Účet pre zmenu Suma
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Pripojenie k aplikácii QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Celkový zisk / strata
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Neplatná spoločnosť pre faktúru medzi spoločnosťami.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Neplatná spoločnosť pre faktúru medzi spoločnosťami.
 DocType: Purchase Invoice,input service,vstupná služba
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riadok {0}: Party / Account nezhoduje s {1} / {2} do {3} {4}
 DocType: Employee Promotion,Employee Promotion,Podpora zamestnancov
@@ -6862,12 +6936,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kód kurzu:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Prosím, zadejte výdajového účtu"
 DocType: Account,Stock,Sklad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným z objednávky, faktúry alebo Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným z objednávky, faktúry alebo Journal Entry"
 DocType: Employee,Current Address,Aktuálna adresa
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Je-li položka je varianta další položku pak popis, obraz, oceňování, daní atd bude stanoven ze šablony, pokud není výslovně uvedeno"
 DocType: Serial No,Purchase / Manufacture Details,Nákup / Výroba Podrobnosti
 DocType: Assessment Group,Assessment Group,skupina Assessment
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Batch Zásoby
+DocType: Supplier,GST Transporter ID,ID prepravcu GST
 DocType: Procedure Prescription,Procedure Name,Názov procedúry
 DocType: Employee,Contract End Date,Smlouva Datum ukončení
 DocType: Amazon MWS Settings,Seller ID,ID predávajúceho
@@ -6887,12 +6962,12 @@
 DocType: Company,Date of Incorporation,Dátum začlenenia
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Tax
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Posledná nákupná cena
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Pre Množstvo (Vyrobené ks) je povinné
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Pre Množstvo (Vyrobené ks) je povinné
 DocType: Stock Entry,Default Target Warehouse,Výchozí Target Warehouse
 DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Company Měna)
 DocType: Delivery Note,Air,ovzdušia
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Rok Dátum ukončenia nesmie byť starší ako dátum rok Štart. Opravte dáta a skúste to znova.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nie je v zozname voliteľných prázdnin
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nie je v zozname voliteľných prázdnin
 DocType: Notification Control,Purchase Receipt Message,Správa o príjemke
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,šrot položky
@@ -6914,28 +6989,30 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,splnenie
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na předchozí řady Částka
 DocType: Item,Has Expiry Date,Má dátum skončenia platnosti
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,prevod majetku
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,prevod majetku
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Názov udalosti
 DocType: Healthcare Practitioner,Phone (Office),Telefón (Office)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nepodarilo sa odoslať, Zamestnanci odišli na označenie účasti"
 DocType: Inpatient Record,Admission,vstupné
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Prijímacie konanie pre {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Názov premennej
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Položka {0} je šablóna, prosím vyberte jednu z jeho variantov"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v oblasti ľudských zdrojov&gt; Nastavenia personálu"
+DocType: Purchase Invoice Item,Deferred Expense,Odložené náklady
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Od dátumu {0} nemôže byť pred dátumom spájania zamestnanca {1}
 DocType: Asset,Asset Category,asset Kategórie
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Netto plat nemôže byť záporný
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Netto plat nemôže byť záporný
 DocType: Purchase Order,Advance Paid,Vyplacené zálohy
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percento nadprodukcie pre objednávku predaja
 DocType: Item,Item Tax,Daň Položky
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiál Dodávateľovi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiál Dodávateľovi
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Plánovanie žiadostí o materiál
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Spotrebný Faktúra
 apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Prah {0}% sa objaví viac ako raz
-DocType: Expense Claim,Employees Email Id,Zaměstnanci Email Id
+DocType: Expense Claim,Employees Email Id,Email ID zamestnanca
 DocType: Employee Attendance Tool,Marked Attendance,Výrazná Návštevnosť
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Current Liabilities,Krátkodobé závazky
 apps/erpnext/erpnext/public/js/projects/timer.js +138,Timer exceeded the given hours.,Časovač prekročil daný čas.
@@ -6952,11 +7029,11 @@
 DocType: Scheduling Tool,Scheduling Tool,plánovanie Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kreditní karta
 DocType: BOM,Item to be manufactured or repacked,Položka být vyráběn nebo znovu zabalena
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Chyba syntaxe v stave: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Chyba syntaxe v stave: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Hlavní / Volitelné předměty
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Nastavte skupinu dodávateľov v nastaveniach nákupu.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Nastavte skupinu dodávateľov v nastaveniach nákupu.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Celková suma zložky flexibilného prínosu {0} by nemala byť nižšia ako maximálne prínosy {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Loď
 DocType: Driver,Suspended,suspendovaný
@@ -6976,7 +7053,7 @@
 DocType: Customer,Commission Rate,Výška provízie
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Úspešne vytvorené položky platieb
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Vytvorili {0} scorecards pre {1} medzi:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Vytvoriť Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Vytvoriť Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",Typ platby musí byť jedným z príjem Pay a interný prevod
 DocType: Travel Itinerary,Preferred Area for Lodging,Preferovaná oblasť ubytovania
 apps/erpnext/erpnext/config/selling.py +184,Analytics,analytika
@@ -6987,14 +7064,14 @@
 DocType: Work Order,Actual Operating Cost,Skutečné provozní náklady
 DocType: Payment Entry,Cheque/Reference No,Šek / Referenčné číslo
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root nelze upravovat.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root nelze upravovat.
 DocType: Item,Units of Measure,merné jednotky
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Prenajaté v Metro City
 DocType: Supplier,Default Tax Withholding Config,Predvolená kont
 DocType: Manufacturing Settings,Allow Production on Holidays,Povolit Výrobu při dovolené
 DocType: Sales Invoice,Customer's Purchase Order Date,Zákazníka Objednávka Datum
 DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +173,Capital Stock,Základný kapitál
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +173,Capital Stock,Kapitál Zásoby
 DocType: Asset,Default Finance Book,Predvolená kniha financií
 DocType: Shopping Cart Settings,Show Public Attachments,Zobraziť verejné prílohy
 apps/erpnext/erpnext/public/js/hub/components/item_publish_dialog.js +3,Edit Publishing Details,Upraviť podrobnosti o publikovaní
@@ -7005,21 +7082,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po dokončení platby presmerovať užívateľa na vybrané stránky.
 DocType: Company,Existing Company,existujúce Company
 DocType: Healthcare Settings,Result Emailed,Výsledok bol odoslaný e-mailom
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Daňová kategória bola zmenená na &quot;Celkom&quot;, pretože všetky položky sú položky, ktoré nie sú na sklade"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Daňová kategória bola zmenená na &quot;Celkom&quot;, pretože všetky položky sú položky, ktoré nie sú na sklade"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,K dnešnému dňu nemôže byť rovnaká alebo menšia ako od dátumu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Nič sa nemenia
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vyberte soubor csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Vyberte soubor csv
 DocType: Holiday List,Total Holidays,Celkové prázdniny
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Chýba šablóna e-mailu na odoslanie. Prosím nastavte jednu z možností Delivery Settings.
 DocType: Student Leave Application,Mark as Present,Označiť ako prítomný
 DocType: Supplier Scorecard,Indicator Color,Farba indikátora
 DocType: Purchase Order,To Receive and Bill,Prijímať a Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Riadok # {0}: Reqd by Date nemôže byť pred dátumom transakcie
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Riadok # {0}: Reqd by Date nemôže byť pred dátumom transakcie
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Predstavované produkty
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Vyberte položku Sériové číslo
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Návrhář
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Vyberte položku Sériové číslo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Návrhár
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Podmínky Template
-DocType: Serial No,Delivery Details,Zasílání
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1}
+DocType: Serial No,Delivery Details,Detaily dodania
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1}
 DocType: Program,Program Code,kód programu
 DocType: Terms and Conditions,Terms and Conditions Help,podmienky nápovedy
 ,Item-wise Purchase Register,Item-moudrý Nákup Register
@@ -7032,15 +7110,16 @@
 DocType: Contract,Contract Terms,Zmluvné podmienky
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Neukazovať žiadny symbol ako $ atď vedľa meny.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maximálna výška dávky komponentu {0} presahuje {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Pól dňa)
-DocType: Payment Term,Credit Days,Úvěrové dny
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Pól dňa)
+DocType: Payment Term,Credit Days,Úverové dni
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Ak chcete získať laboratórne testy, vyberte položku Pacient"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Urobiť Študent Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Povoliť prevod na výrobu
 DocType: Leave Type,Is Carry Forward,Je převádět
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Získat předměty z BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Získat předměty z BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Vek Obchodnej iniciatívy v dňoch
 DocType: Cash Flow Mapping,Is Income Tax Expense,Daň z príjmov
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Vaša objednávka je k dispozícii!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Riadok # {0}: Vysielanie dátum musí byť rovnaké ako dátum nákupu {1} aktíva {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Skontrolujte, či študent býva v hosteli inštitútu."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Prosím, zadajte Predajné objednávky v tabuľke vyššie"
@@ -7048,21 +7127,21 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Previesť aktíva z jedného skladu do druhého
 DocType: Vehicle,Petrol,benzín
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Zvyšné výhody (ročné)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Kusovník
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Kusovník
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Riadok {0}: Typ Party Party a je nutné pre pohľadávky / záväzky na účte {1}
 DocType: Employee,Leave Policy,Opustiť pravidlá
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Aktualizovať položky
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Aktualizovať položky
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Datum
-DocType: Employee,Reason for Leaving,Důvod Leaving
+DocType: Employee,Reason for Leaving,Dôvod priepustky
 DocType: BOM Operation,Operating Cost(Company Currency),Prevádzkové náklady (Company mena)
-DocType: Loan Application,Rate of Interest,úroková sadzba
+DocType: Loan Application,Rate of Interest,Úroková sadzba
 DocType: Expense Claim Detail,Sanctioned Amount,Sankcionovaná čiastka
 DocType: Item,Shelf Life In Days,Životnosť počas dní
 DocType: GL Entry,Is Opening,Se otevírá
 DocType: Department,Expense Approvers,Sprostredkovatelia výdavkov
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: záporný nemůže být spojována s {1}
 DocType: Journal Entry,Subscription Section,Sekcia odberu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Účet {0} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Účet {0} neexistuje
 DocType: Training Event,Training Program,Tréningový program
 DocType: Account,Cash,V hotovosti
 DocType: Employee,Short biography for website and other publications.,Krátký životopis na internetové stránky a dalších publikací.
diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv
index 3551b61..2289c43 100644
--- a/erpnext/translations/sl.csv
+++ b/erpnext/translations/sl.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Artikli stranke
 DocType: Project,Costing and Billing,Obračunavanje stroškov in plačevanja
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Predplačilna valuta mora biti enaka valuti podjetja {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Račun {0}: Matični račun {1} ne more biti Glavna knjiga
+DocType: QuickBooks Migrator,Token Endpoint,Končna točka žetona
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Račun {0}: Matični račun {1} ne more biti Glavna knjiga
 DocType: Item,Publish Item to hub.erpnext.com,Objavite element na hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Aktivnega obdobja puščanja ni mogoče najti
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Aktivnega obdobja puščanja ni mogoče najti
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,vrednotenje
 DocType: Item,Default Unit of Measure,Privzeto mersko enoto
 DocType: SMS Center,All Sales Partner Contact,Vse Sales Partner Kontakt
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Kliknite Enter za dodajanje
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Manjka vrednost za geslo, ključ API ali URL prodajanja"
 DocType: Employee,Rented,Najemu
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Vsi računi
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Vsi računi
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Uslužbenca ni mogoče prenesti s statusom Levo
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ustavljen Proizvodnja naročite ni mogoče preklicati, ga najprej Odčepiti preklicati"
 DocType: Vehicle Service,Mileage,Kilometrina
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,"Ali res želite, da ostanki ta sredstva?"
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,"Ali res želite, da ostanki ta sredstva?"
 DocType: Drug Prescription,Update Schedule,Posodobi urnik
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Izberite Privzeta Dobavitelj
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Prikaži zaposlenega
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Nov tečaj
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta je potrebna za tečajnico {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuta je potrebna za tečajnico {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bo izračunano v transakciji.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-YYYY-
 DocType: Purchase Order,Customer Contact,Stranka Kontakt
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Ta temelji na transakcijah proti temu dobavitelju. Oglejte si časovnico spodaj za podrobnosti
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Odstotek prekomerne proizvodnje za delovni red
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Pravna
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Pravna
+DocType: Delivery Note,Transport Receipt Date,Datum prejema transporta
 DocType: Shopify Settings,Sales Order Series,Serija prodajnih naročil
 DocType: Vital Signs,Tongue,Jezik
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Oprostitev HRA
 DocType: Sales Invoice,Customer Name,Ime stranke
 DocType: Vehicle,Natural Gas,Zemeljski plin
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bančni račun ne more biti imenovan kot {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bančni račun ne more biti imenovan kot {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA po plačni strukturi
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Glave (ali skupine) po katerih so narejene vknjižbe in se ohranjajo bilance.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Izjemna za {0} ne more biti manjša od nič ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Datum zaustavitve storitve ne sme biti pred datumom začetka storitve
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Datum zaustavitve storitve ne sme biti pred datumom začetka storitve
 DocType: Manufacturing Settings,Default 10 mins,Privzeto 10 minut
 DocType: Leave Type,Leave Type Name,Pustite Tip Ime
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Prikaži odprte
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Prikaži odprte
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Zaporedje uspešno posodobljeno
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Naročilo
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} v vrstici {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} v vrstici {1}
 DocType: Asset Finance Book,Depreciation Start Date,Začetni datum amortizacije
 DocType: Pricing Rule,Apply On,Nanesite na
 DocType: Item Price,Multiple Item prices.,Več cene postavko.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Nastavitve podpora
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Pričakuje Končni datum ne more biti manjši od pričakovanega začetka Datum
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazonske nastavitve MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Vrstica # {0}: Stopnja mora biti enaka kot {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Vrstica # {0}: Stopnja mora biti enaka kot {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Serija Točka preteka Status
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank Osnutek
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primarni kontaktni podatki
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,odprta vprašanja
 DocType: Production Plan Item,Production Plan Item,Proizvodni načrt Postavka
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Uporabnik {0} je že dodeljen Employee {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Uporabnik {0} je že dodeljen Employee {1}
 DocType: Lab Test Groups,Add new line,Dodaj novo vrstico
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Zdravstvo
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zamuda pri plačilu (dnevi)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Laboratorijski recept
 ,Delay Days,Dnevi zamude
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Service Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijska številka: {0} že naveden v prodajne fakture: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijska številka: {0} že naveden v prodajne fakture: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Račun
 DocType: Purchase Invoice Item,Item Weight Details,Element Teža Podrobnosti
 DocType: Asset Maintenance Log,Periodicity,Periodičnost
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Poslovno leto {0} je potrebno
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dobavitelj&gt; Skupina dobaviteljev
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Najmanjša razdalja med vrstami rastlin za optimalno rast
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Obramba
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.GGGG.-
 DocType: Daily Work Summary Group,Holiday List,Seznam praznikov
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Računovodja
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Prodajni cenik
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Prodajni cenik
 DocType: Patient,Tobacco Current Use,Trenutna uporaba tobaka
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Prodajna cena
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Prodajna cena
 DocType: Cost Center,Stock User,Stock Uporabnik
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca+Mg)/K
+DocType: Delivery Stop,Contact Information,Kontaktni podatki
 DocType: Company,Phone No,Telefon
 DocType: Delivery Trip,Initial Email Notification Sent,Poslano je poslano obvestilo o e-pošti
 DocType: Bank Statement Settings,Statement Header Mapping,Kartiranje glave izjave
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Začetni datum naročnine
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Neplačani računi za terjatve, ki jih je treba uporabiti, če niso nastavljeni v Patientu za knjiženje Imenovanje."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Pripni datoteko .csv z dvema stolpcema, eno za staro ime in enega za novim imenom"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Od naslova 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Koda postavke&gt; Skupina izdelkov&gt; Blagovna znamka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Od naslova 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ni v nobenem poslovnem letu
 DocType: Packed Item,Parent Detail docname,Parent Detail docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",Referenca: {0} Oznaka: {1} in stranke: {2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} ni v matični družbi
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} ni v matični družbi
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Datum konca poskusnega obdobja ne more biti pred začetkom začetnega poskusnega obdobja
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Kategorija pobiranja davkov
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Oglaševanje
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ista družba je vpisana več kot enkrat
 DocType: Patient,Married,Poročen
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ni dovoljeno za {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ni dovoljeno za {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Pridobi artikle iz
 DocType: Price List,Price Not UOM Dependant,Cena ni odvisna od UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Znesek davčnega odbitka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock ni mogoče posodobiti proti dobavnica {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Skupni znesek kredita
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock ni mogoče posodobiti proti dobavnica {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Skupni znesek kredita
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Izdelek {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,"Ni elementov, navedenih"
 DocType: Asset Repair,Error Description,Opis napake
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Uporabite obliko prilagojenega denarnega toka
 DocType: SMS Center,All Sales Person,Vse Sales oseba
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"**Mesečna razporeditev** vam pomaga razporejati proračun/cilje po mesecih, če imate sezonskost v vaši dejavnosti."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ni najdenih predmetov
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Plača Struktura Missing
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ni najdenih predmetov
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Plača Struktura Missing
 DocType: Lead,Person Name,Ime oseba
 DocType: Sales Invoice Item,Sales Invoice Item,Artikel na računu
 DocType: Account,Credit,Credit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Poročila o zalogi
 DocType: Warehouse,Warehouse Detail,Skladišče Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Izraz Končni datum ne more biti najpozneje do leta End Datum študijskem letu, v katerem je izraz povezan (študijsko leto {}). Popravite datum in poskusite znova."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ali je osnovno sredstvo"" ne more biti neizbrano, saj obstaja evidenca sredstev po postavki"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ali je osnovno sredstvo"" ne more biti neizbrano, saj obstaja evidenca sredstev po postavki"
 DocType: Delivery Trip,Departure Time,Čas odhoda
 DocType: Vehicle Service,Brake Oil,Zavorna olja
 DocType: Tax Rule,Tax Type,Davčna Type
 ,Completed Work Orders,Dokončana delovna naročila
 DocType: Support Settings,Forum Posts,Objave foruma
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Davčna osnova
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Davčna osnova
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Nimate dovoljenja za dodajanje ali posodobitev vnose pred {0}
 DocType: Leave Policy,Leave Policy Details,Pustite podrobnosti pravilnika
 DocType: BOM,Item Image (if not slideshow),Postavka Image (če ne slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Urna postavka / 60) * Dejanski  čas operacije
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Vrstica # {0}: Referenčni dokument mora biti eden od zahtevkov za stroške ali vpisa v dnevnik
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Izberite BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Vrstica # {0}: Referenčni dokument mora biti eden od zahtevkov za stroške ali vpisa v dnevnik
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Izberite BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Nabavna vrednost dobavljenega predmeta
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,"Praznik na {0} ni med Od datuma, do sedaj"
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Predloge dobaviteljevega položaja.
 DocType: Lead,Interested,Zanima
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Otvoritev
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Od {0} do {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Od {0} do {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Nastavitev davkov ni uspela
 DocType: Item,Copy From Item Group,Kopiranje iz postavke skupine
-DocType: Delivery Trip,Delivery Notification,Obvestilo o dostavi
 DocType: Journal Entry,Opening Entry,Otvoritev Začetek
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun Pay samo
 DocType: Loan,Repay Over Number of Periods,Odplačilo Over število obdobij
 DocType: Stock Entry,Additional Costs,Dodatni stroški
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Račun z obstoječim poslom ni mogoče pretvoriti v skupini.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Račun z obstoječim poslom ni mogoče pretvoriti v skupini.
 DocType: Lead,Product Enquiry,Povpraševanje izdelek
 DocType: Education Settings,Validate Batch for Students in Student Group,Potrdite Batch za študente v študentskih skupine
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Št odsotnost zapisa dalo za delavca {0} za {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosimo, da najprej vnesete podjetje"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Prosimo, izberite Company najprej"
 DocType: Employee Education,Under Graduate,Pod Graduate
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"Prosimo, nastavite privzeto predlogo za obvestilo o opustitvi statusa v HR nastavitvah."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"Prosimo, nastavite privzeto predlogo za obvestilo o opustitvi statusa v HR nastavitvah."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Ciljna Na
 DocType: BOM,Total Cost,Skupni stroški
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Izkaz računa
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmacevtski izdelki
 DocType: Purchase Invoice Item,Is Fixed Asset,Je osnovno sredstvo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Preberi je {0}, morate {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Preberi je {0}, morate {1}"
 DocType: Expense Claim Detail,Claim Amount,Trditev Znesek
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.GGGG.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Delovni nalog je bil {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Obrazec za pregled kakovosti
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Ali želite posodobiti prisotnost? <br> Sedanje: {0} \ <br> Odsoten: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Sprejeta + Zavrnjeno Količina mora biti enaka Prejeto količini za postavko {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Sprejeta + Zavrnjeno Količina mora biti enaka Prejeto količini za postavko {0}
 DocType: Item,Supply Raw Materials for Purchase,Dobava surovine za nakup
 DocType: Agriculture Analysis Criteria,Fertilizer,Gnojilo
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Dostava ni mogoče zagotoviti s serijsko številko, ker se \ Item {0} doda z in brez Zagotoviti dostavo z \ Serial No."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,za POS računa je potreben vsaj en način plačila.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,za POS računa je potreben vsaj en način plačila.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Postavka računa za transakcijo banke
 DocType: Products Settings,Show Products as a List,Prikaži izdelke na seznamu
 DocType: Salary Detail,Tax on flexible benefit,Davek na prožne koristi
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Količina
 DocType: Production Plan,Material Request Detail,Materialna zahteva Podrobnosti
 DocType: Selling Settings,Default Quotation Validity Days,Privzeti dnevi veljavnosti ponudbe
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Da vključujejo davek v vrstici {0} v stopnji Element, davki v vrsticah {1} je treba vključiti tudi"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Da vključujejo davek v vrstici {0} v stopnji Element, davki v vrsticah {1} je treba vključiti tudi"
 DocType: SMS Center,SMS Center,SMS center
 DocType: Payroll Entry,Validate Attendance,Potrjevanje prisotnosti
 DocType: Sales Invoice,Change Amount,Znesek spremembe
 DocType: Party Tax Withholding Config,Certificate Received,Prejeto potrdilo
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,"Nastavite vrednost računa za B2C. B2CL in B2CS, izračunano na podlagi te fakture."
 DocType: BOM Update Tool,New BOM,New BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Predpisani postopki
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Predpisani postopki
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Prikaži samo POS
 DocType: Supplier Group,Supplier Group Name,Ime skupine izvajalcev
 DocType: Driver,Driving License Categories,Kategorije vozniških dovoljenj
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Obdobja plačevanja
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Naj Zaposleni
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Broadcasting
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Način nastavitve POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Način nastavitve POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Onemogoči ustvarjanje časovnih dnevnikov z delovnimi nalogi. Operacijam se ne sme slediti delovnemu nalogu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Izvedba
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Podrobnosti o poslovanju izvajajo.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Popust na ceno iz cenika Stopnja (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Predloga postavke
 DocType: Job Offer,Select Terms and Conditions,Izberite Pogoji
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,iz Vrednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,iz Vrednost
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Postavka postavke bančne postavke
 DocType: Woocommerce Settings,Woocommerce Settings,Nastavitve Woocommerce
 DocType: Production Plan,Sales Orders,Naročila Kupcev
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Zahteva za ponudbo lahko dostopate s klikom na spodnjo povezavo
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG ustvarjanja orodje za golf
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plačila
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,nezadostna Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,nezadostna Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogoči Capacity Planning and Time Tracking
 DocType: Email Digest,New Sales Orders,Novi prodajni nalogi
 DocType: Bank Account,Bank Account,Bančni račun
 DocType: Travel Itinerary,Check-out Date,Datum odhoda
 DocType: Leave Type,Allow Negative Balance,Dovoli negativni saldo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Ne morete izbrisati vrste projekta &quot;Zunanji&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Izberite nadomestni element
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Izberite nadomestni element
 DocType: Employee,Create User,Ustvari uporabnika
 DocType: Selling Settings,Default Territory,Privzeto Territory
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televizija
 DocType: Work Order Operation,Updated via 'Time Log',Posodobljeno preko &quot;Čas Logu&quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Izberite kupca ali dobavitelja.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Advance znesek ne sme biti večja od {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Advance znesek ne sme biti večja od {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Časovna reža je preskočena, reža {0} do {1} prekriva obstoječo režo {2} do {3}"
 DocType: Naming Series,Series List for this Transaction,Seznam zaporedij za to transakcijo
 DocType: Company,Enable Perpetual Inventory,Omogoči nepretrganega popisovanja
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Proti Sales računa Postavka
 DocType: Agriculture Analysis Criteria,Linked Doctype,Povezani Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Neto denarni tokovi pri financiranju
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Lokalno shrambo je polna, ni shranil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Lokalno shrambo je polna, ni shranil"
 DocType: Lead,Address & Contact,Naslov in kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neuporabljene liste iz prejšnjih dodelitev
 DocType: Sales Partner,Partner website,spletna stran partnerja
@@ -447,10 +447,10 @@
 ,Open Work Orders,Odpiranje delovnih nalogov
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Charge Item
 DocType: Payment Term,Credit Months,Kreditni meseci
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Neto plača ne sme biti manjši od 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Neto plača ne sme biti manjši od 0
 DocType: Contract,Fulfilled,Izpolnjeno
 DocType: Inpatient Record,Discharge Scheduled,Razrešnica načrtovana
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Lajšanje Datum mora biti večja od Datum pridružitve
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Lajšanje Datum mora biti večja od Datum pridružitve
 DocType: POS Closing Voucher,Cashier,Blagajnik
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Listi na leto
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Vrstica {0}: Prosimo, preverite &quot;Je Advance&quot; proti račun {1}, če je to predujem vnos."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Prosimo, nastavite Študente v študentskih skupinah"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Izpolnite Job
 DocType: Item Website Specification,Item Website Specification,Element Spletna stran Specifikacija
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Pustite blokiranih
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Postavka {0} je konec življenja na {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Pustite blokiranih
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Postavka {0} je konec življenja na {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,bančni vnosi
 DocType: Customer,Is Internal Customer,Je notranja stranka
 DocType: Crop,Annual,Letno
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Če se preveri samodejni izklop, bodo stranke samodejno povezane z zadevnim programom zvestobe (pri prihranku)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Sprava Postavka
 DocType: Stock Entry,Sales Invoice No,Prodaja Račun Ne
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Vrsta dobave
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Vrsta dobave
 DocType: Material Request Item,Min Order Qty,Min naročilo Kol
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Orodje za oblikovanje študent Group tečaj
 DocType: Lead,Do Not Contact,Ne Pišite
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Objavite v Hub
 DocType: Student Admission,Student Admission,študent Sprejem
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Postavka {0} je odpovedan
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Postavka {0} je odpovedan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Amortizacijski vrstici {0}: začetni datum amortizacije se vnese kot pretekli datum
 DocType: Contract Template,Fulfilment Terms and Conditions,Izpolnjevanje pogojev
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Zahteva za material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Zahteva za material
 DocType: Bank Reconciliation,Update Clearance Date,Posodobitev Potrditev Datum
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Nakup Podrobnosti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Postavka {0} ni bilo mogoče najti v &quot;surovin, dobavljenih&quot; mizo v narocilo {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Postavka {0} ni bilo mogoče najti v &quot;surovin, dobavljenih&quot; mizo v narocilo {1}"
 DocType: Salary Slip,Total Principal Amount,Skupni glavni znesek
 DocType: Student Guardian,Relation,Razmerje
 DocType: Student Guardian,Mother,mati
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Dostava County
 DocType: Currency Exchange,For Selling,Za prodajo
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Naučite
+DocType: Purchase Invoice Item,Enable Deferred Expense,Omogoči odloženi strošek
 DocType: Asset,Next Depreciation Date,Naslednja Amortizacija Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Stroški dejavnost na zaposlenega
 DocType: Accounts Settings,Settings for Accounts,Nastavitve za račune
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Dobavitelj računa ni v računu o nakupu obstaja {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Dobavitelj računa ni v računu o nakupu obstaja {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Upravljanje drevesa prodajalca.
 DocType: Job Applicant,Cover Letter,Cover Letter
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Neporavnani čeki in depoziti želite počistiti
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Zunanji Delo Zgodovina
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Krožna Reference Error
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Student Report Card
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Iz kode PIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Iz kode PIN
 DocType: Appointment Type,Is Inpatient,Je bolnišnična
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Ime Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Z besedami (izvoz) bo viden, ko boste shranite dobavnici."
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Multi Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Račun Type
 DocType: Employee Benefit Claim,Expense Proof,Dokazilo o stroških
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Poročilo o dostavi
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Shranjevanje {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Poročilo o dostavi
 DocType: Patient Encounter,Encounter Impression,Ujemanje prikaza
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavitev Davki
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Stroški Prodano sredstvi
 DocType: Volunteer,Morning,Jutro
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Začetek Plačilo je bil spremenjen, ko je potegnil. Prosimo, še enkrat vleči."
 DocType: Program Enrollment Tool,New Student Batch,Nova študentska serija
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} dvakrat vpisano v davčni postavki
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Povzetek za ta teden in ki potekajo dejavnosti
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} dvakrat vpisano v davčni postavki
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Povzetek za ta teden in ki potekajo dejavnosti
 DocType: Student Applicant,Admitted,priznal
 DocType: Workstation,Rent Cost,Najem Stroški
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Znesek Po amortizacijo
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Znesek Po amortizacijo
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Prihajajoči Koledar dogodkov
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Atributi atributov
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Prosimo, izberite mesec in leto"
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},"Ne more biti samo 1 račun na podjetje, v {0} {1}"
 DocType: Support Search Source,Response Result Key Path,Ključna pot Result Result
 DocType: Journal Entry,Inter Company Journal Entry,Inter Entry Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Količina {0} ne sme biti višja od količine delovnega naloga {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Glej prilogo
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Količina {0} ne sme biti višja od količine delovnega naloga {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Glej prilogo
 DocType: Purchase Order,% Received,% Prejeto
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Ustvarjanje skupin študentov
 DocType: Volunteer,Weekends,Vikendi
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Skupaj izjemen
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Spremenite izhodiščno / trenutno zaporedno številko obstoječega zaporedja.
 DocType: Dosage Strength,Strength,Moč
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Ustvari novo stranko
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Ustvari novo stranko
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Izteče se
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Če je več Rules Cenik še naprej prevladovala, so pozvane, da nastavite Priority ročno za reševanje morebitnih sporov."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Ustvari naročilnice
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Potrošni stroški
 DocType: Purchase Receipt,Vehicle Date,Datum vozilo
 DocType: Student Log,Medical,Medical
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Razlog za izgubo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Izberite Drogo
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Razlog za izgubo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Izberite Drogo
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Svinec Lastnik ne more biti isto kot vodilni
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Dodeljen znesek ne more večja od neprilagojene zneska
 DocType: Announcement,Receiver,sprejemnik
 DocType: Location,Area UOM,Področje UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation je zaprt na naslednje datume kot na Holiday Seznam: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Priložnosti
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Priložnosti
 DocType: Lab Test Template,Single,Samski
 DocType: Compensatory Leave Request,Work From Date,Delo od datuma
 DocType: Salary Slip,Total Loan Repayment,Skupaj posojila Povračilo
+DocType: Project User,View attachments,Ogled prilog
 DocType: Account,Cost of Goods Sold,Nabavna vrednost prodanega blaga
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Vnesite stroškovni center
 DocType: Drug Prescription,Dosage,Odmerjanje
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Količina in stopnja
 DocType: Delivery Note,% Installed,% nameščeno
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učilnice / Laboratories itd, kjer se lahko načrtovana predavanja."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Valutne družbe obeh družb se morajo ujemati s transakcijami Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Valutne družbe obeh družb se morajo ujemati s transakcijami Inter Company.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,"Prosimo, da najprej vpišete ime podjetja"
 DocType: Travel Itinerary,Non-Vegetarian,Ne-vegetarijanska
 DocType: Purchase Invoice,Supplier Name,Dobavitelj Name
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Začasno zadržano
 DocType: Account,Is Group,Is Group
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditna kartica {0} je bila ustvarjena samodejno
-DocType: Email Digest,Pending Purchase Orders,Dokler naročilnice
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Samodejno nastavi Serijska št temelji na FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Preverite Dobavitelj Številka računa Edinstvenost
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Osnovni podatki o naslovu
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Prilagodite uvodno besedilo, ki gre kot del te e-pošte. Vsaka transakcija ima ločeno uvodno besedilo."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Vrstica {0}: delovanje je potrebno proti elementu surovin {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},"Prosimo, nastavite privzeto se plača račun za podjetje {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transakcija ni dovoljena prekinjena Delovni nalog {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transakcija ni dovoljena prekinjena Delovni nalog {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne nastavitve za vseh proizvodnih procesov.
 DocType: Accounts Settings,Accounts Frozen Upto,Računi Zamrznjena Stanuje
 DocType: SMS Log,Sent On,Pošlje On
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Lastnost {0} izbrana večkrat v atributih tabeli
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Lastnost {0} izbrana večkrat v atributih tabeli
 DocType: HR Settings,Employee record is created using selected field. ,Evidenco o zaposlenih delavcih je ustvarjena s pomočjo izbrano polje.
 DocType: Sales Order,Not Applicable,Se ne uporablja
 DocType: Amazon MWS Settings,UK,Velika Britanija
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Zaposleni {0} je že zaprosil za {1} na {2}:
 DocType: Inpatient Record,AB Positive,AB pozitivno
 DocType: Job Opening,Description of a Job Opening,Opis službo Otvoritev
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,V čakanju na aktivnosti za danes
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,V čakanju na aktivnosti za danes
 DocType: Salary Structure,Salary Component for timesheet based payroll.,"Plača Komponenta za Timesheet na izplačane plače, ki temelji."
+DocType: Driver,Applicable for external driver,Velja za zunanjega voznika
 DocType: Sales Order Item,Used for Production Plan,Uporablja se za proizvodnjo načrta
 DocType: Loan,Total Payment,Skupaj plačila
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Transakcije za zaključeno delovno nalogo ni mogoče preklicati.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Transakcije za zaključeno delovno nalogo ni mogoče preklicati.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Čas med dejavnostmi (v minutah)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO je že ustvarjen za vse postavke prodajnega naročila
 DocType: Healthcare Service Unit,Occupied,Zasedeno
 DocType: Clinical Procedure,Consumables,Potrošni material
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} je preklican, dejanje ne more biti dokončano"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} je preklican, dejanje ne more biti dokončano"
 DocType: Customer,Buyer of Goods and Services.,Kupec blaga in storitev.
 DocType: Journal Entry,Accounts Payable,Računi se plačuje
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"V tem zahtevku za plačilo je znesek {0} različen od izračunane vsote vseh plačilnih načrtov: {1}. Preden pošljete dokument, se prepričajte, da je to pravilno."
 DocType: Patient,Allergies,Alergije
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Izbrani BOMs niso na isti točki
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Izbrani BOMs niso na isti točki
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Koda postavke spremenite
 DocType: Supplier Scorecard Standing,Notify Other,Obvesti drugo
 DocType: Vital Signs,Blood Pressure (systolic),Krvni tlak (sistolični)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Dovolj deli za izgradnjo
 DocType: POS Profile User,POS Profile User,POS profil uporabnika
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Vrstica {0}: začetni datum amortizacije je obvezen
-DocType: Sales Invoice Item,Service Start Date,Datum začetka storitve
+DocType: Purchase Invoice Item,Service Start Date,Datum začetka storitve
 DocType: Subscription Invoice,Subscription Invoice,Naročniški račun
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Neposredne dohodkovne
 DocType: Patient Appointment,Date TIme,Datum čas
@@ -799,7 +802,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kozmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,"Prosimo, izberite Datum zaključka za zaključen dnevnik vzdrževanja sredstev"
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Za pripojitev, mora naslednje lastnosti biti enaka za oba predmetov"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Za pripojitev, mora naslednje lastnosti biti enaka za oba predmetov"
 DocType: Supplier,Block Supplier,Blokiraj dobavitelja
 DocType: Shipping Rule,Net Weight,Neto teža
 DocType: Job Opening,Planned number of Positions,Predvideno število pozicij
@@ -821,19 +824,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Predloga za preslikavo denarnega toka
 DocType: Travel Request,Costing Details,Podrobnosti o stroških
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Prikaži vnose za vračilo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serijska št postavka ne more biti del
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serijska št postavka ne more biti del
 DocType: Journal Entry,Difference (Dr - Cr),Razlika (Dr - Cr)
 DocType: Bank Guarantee,Providing,Zagotavljanje
 DocType: Account,Profit and Loss,Dobiček in izguba
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Ni dovoljeno, če je potrebno, konfigurirate preskusno različico Lab Labels"
 DocType: Patient,Risk Factors,Dejavniki tveganja
 DocType: Patient,Occupational Hazards and Environmental Factors,Poklicne nevarnosti in dejavniki okolja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,"Zaloge, ki so že bile ustvarjene za delovno nalogo"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,"Zaloge, ki so že bile ustvarjene za delovno nalogo"
 DocType: Vital Signs,Respiratory rate,Stopnja dihanja
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Upravljanje Podizvajalci
 DocType: Vital Signs,Body Temperature,Temperatura telesa
 DocType: Project,Project will be accessible on the website to these users,Projekt bo na voljo na spletni strani teh uporabnikov
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Ni mogoče preklicati {0} {1}, ker serijska številka {2} ne pripada skladišču {3}"
 DocType: Detected Disease,Disease,Bolezen
+DocType: Company,Default Deferred Expense Account,Privzeti odloženi račun za stroške
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Določite vrsto projekta.
 DocType: Supplier Scorecard,Weighting Function,Tehtalna funkcija
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -850,7 +855,7 @@
 DocType: Crop,Produced Items,Proizvedeni elementi
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Ujemanje transakcije z računi
 DocType: Sales Order Item,Gross Profit,Bruto dobiček
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Odblokiraj račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Odblokiraj račun
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Prirastek ne more biti 0
 DocType: Company,Delete Company Transactions,Izbriši transakcije družbe
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referenčna številka in referenčni datum je obvezna za banke transakcijo
@@ -871,11 +876,11 @@
 DocType: Budget,Ignore,Ignoriraj
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} ni aktiven
 DocType: Woocommerce Settings,Freight and Forwarding Account,Tovorni in posredniški račun
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Preverite nastavitve za dimenzije za tiskanje
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Preverite nastavitve za dimenzije za tiskanje
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Ustvarite plači
 DocType: Vital Signs,Bloated,Napihnjen
 DocType: Salary Slip,Salary Slip Timesheet,Plača Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavitelj Skladišče obvezno za podizvajalcev Potrdilo o nakupu
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavitelj Skladišče obvezno za podizvajalcev Potrdilo o nakupu
 DocType: Item Price,Valid From,Velja od
 DocType: Sales Invoice,Total Commission,Skupaj Komisija
 DocType: Tax Withholding Account,Tax Withholding Account,Davčni odtegljaj
@@ -883,12 +888,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Vse ocenjevalne table dobaviteljev.
 DocType: Buying Settings,Purchase Receipt Required,Potrdilo o nakupu Obvezno
 DocType: Delivery Note,Rail,Železnica
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Ciljno skladišče v vrstici {0} mora biti enako kot delovni nalog
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,"Oceni Vrednotenje je obvezna, če je začel Odpiranje Stock"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Ciljno skladišče v vrstici {0} mora biti enako kot delovni nalog
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,"Oceni Vrednotenje je obvezna, če je začel Odpiranje Stock"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Ni najdenih v tabeli računa zapisov
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Izberite podjetja in Zabava Vrsta najprej
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Že nastavljeno privzeto v profilu pos {0} za uporabnika {1}, prijazno onemogočeno privzeto"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Finančni / računovodstvo leto.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Finančni / računovodstvo leto.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,nakopičene Vrednosti
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Oprostite, Serijska št ni mogoče združiti"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Skupina strank bo nastavila na izbrano skupino, medtem ko bo sinhronizirala stranke s spletnim mestom Shopify"
@@ -902,7 +907,7 @@
 ,Lead Id,ID Ponudbe
 DocType: C-Form Invoice Detail,Grand Total,Skupna vsota
 DocType: Assessment Plan,Course,Tečaj
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Koda oddelka
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Koda oddelka
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Poldnevni datum mora biti med datumom in datumom
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Točka košarico
@@ -911,7 +916,8 @@
 DocType: Employee,Personal Bio,Osebni Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID članstva
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Dobava: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Dobava: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Povezava na QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Plačljivo račun
 DocType: Payment Entry,Type of Payment,Vrsta plačila
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Datum poldnevnika je obvezen
@@ -923,7 +929,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Datum pošiljanja
 DocType: Production Plan,Production Plan,Načrt proizvodnje
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Odpiranje orodja za ustvarjanje računov
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Prodaja Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Prodaja Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Opomba: Skupna dodeljena listi {0} ne sme biti manjši od že odobrene listov {1} za obdobje
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nastavite količino transakcij na podlagi serijskega vhoda
 ,Total Stock Summary,Skupaj Stock Povzetek
@@ -936,9 +942,9 @@
 DocType: Authorization Rule,Customer or Item,Stranka ali Artikel
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza podatkov o strankah.
 DocType: Quotation,Quotation To,Ponudba za
-DocType: Lead,Middle Income,Bližnji Prihodki
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Bližnji Prihodki
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Odprtino (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Privzeto mersko enoto za postavko {0} ni mogoče neposredno spremeniti, ker ste že naredili nekaj transakcije (-e) z drugo UOM. Boste morali ustvariti nov element, da uporabi drugačno Privzeti UOM."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Privzeto mersko enoto za postavko {0} ni mogoče neposredno spremeniti, ker ste že naredili nekaj transakcije (-e) z drugo UOM. Boste morali ustvariti nov element, da uporabi drugačno Privzeti UOM."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Dodeljen znesek ne more biti negativna
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Nastavite Company
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Nastavite Company
@@ -956,15 +962,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Izberite Plačilo računa, da bo Bank Entry"
 DocType: Hotel Settings,Default Invoice Naming Series,Privzeto imenovanje računov
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Ustvarjanje zapisov zaposlencev za upravljanje listje, odhodkov terjatev in na izplačane plače"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Pri postopku posodabljanja je prišlo do napake
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Pri postopku posodabljanja je prišlo do napake
 DocType: Restaurant Reservation,Restaurant Reservation,Rezervacija restavracij
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Predlog Pisanje
 DocType: Payment Entry Deduction,Payment Entry Deduction,Plačilo Začetek odštevanja
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Zavijanje
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Obvesti stranke po e-pošti
 DocType: Item,Batch Number Series,Serijska številka serije
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Obstaja še ena Sales Oseba {0} z enako id zaposlenih
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Obstaja še ena Sales Oseba {0} z enako id zaposlenih
 DocType: Employee Advance,Claimed Amount,Zahtevani znesek
+DocType: QuickBooks Migrator,Authorization Settings,Nastavitve avtorizacije
 DocType: Travel Itinerary,Departure Datetime,Odhod Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Potni stroški
@@ -1004,26 +1011,29 @@
 DocType: Buying Settings,Supplier Naming By,Dobavitelj Imenovanje Z
 DocType: Activity Type,Default Costing Rate,Privzeto Costing Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Vzdrževanje Urnik
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Potem Označevanje cen Pravila se filtrirajo temeljijo na stranke, skupine kupcev, ozemlje, dobavitelja, dobavitelj Type, kampanje, prodajnemu partnerju itd"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Potem Označevanje cen Pravila se filtrirajo temeljijo na stranke, skupine kupcev, ozemlje, dobavitelja, dobavitelj Type, kampanje, prodajnemu partnerju itd"
 DocType: Employee Promotion,Employee Promotion Details,Podrobnosti o napredovanju zaposlenih
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Neto sprememba v popisu
 DocType: Employee,Passport Number,Številka potnega lista
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Povezava z skrbnika2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Manager
 DocType: Payment Entry,Payment From / To,Plačilo Od / Do
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Od fiskalnega leta
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nova kreditna meja je nižja od trenutne neporavnani znesek za stranko. Kreditno linijo mora biti atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Nastavite račun v Galeriji {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Nastavite račun v Galeriji {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Na podlagi"" in ""Združi po"" ne more biti enaka"
 DocType: Sales Person,Sales Person Targets,Prodaja Osebni cilji
 DocType: Work Order Operation,In minutes,V minutah
 DocType: Issue,Resolution Date,Resolucija Datum
 DocType: Lab Test Template,Compound,Spojina
+DocType: Opportunity,Probability (%),Verjetnost (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Obvestilo o odpremi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Izberite lastnost
 DocType: Student Batch Name,Batch Name,serija Ime
 DocType: Fee Validity,Max number of visit,Največje število obiska
 ,Hotel Room Occupancy,Hotelske sobe
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet ustvaril:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Prosim, nastavite privzeto gotovinski ali bančni račun v načinu plačevanja {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Prosim, nastavite privzeto gotovinski ali bančni račun v načinu plačevanja {0}"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,včlanite se
 DocType: GST Settings,GST Settings,GST Nastavitve
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuta mora biti enaka ceni valute: {0}
@@ -1064,12 +1074,12 @@
 DocType: Loan,Total Interest Payable,Skupaj Obresti plačljivo
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Iztovorjeni stroškov Davki in prispevki
 DocType: Work Order Operation,Actual Start Time,Actual Start Time
+DocType: Purchase Invoice Item,Deferred Expense Account,Odloženi račun za stroške
 DocType: BOM Operation,Operation Time,Operacija čas
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Finish
 DocType: Salary Structure Assignment,Base,Osnovna
 DocType: Timesheet,Total Billed Hours,Skupaj Obračunane ure
 DocType: Travel Itinerary,Travel To,Potovati v
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ni
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Napišite enkratnem znesku
 DocType: Leave Block List Allow,Allow User,Dovoli Uporabnik
 DocType: Journal Entry,Bill No,Bill Ne
@@ -1088,9 +1098,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,čas Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,"Backflush Surovine, ki temelji na"
 DocType: Sales Invoice,Port Code,Pristaniška koda
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Rezervno skladišče
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Rezervno skladišče
 DocType: Lead,Lead is an Organization,Svinec je organizacija
-DocType: Guardian Interest,Interest,Obresti
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,pre Sales
 DocType: Instructor Log,Other Details,Drugi podatki
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1100,7 +1109,7 @@
 DocType: Account,Accounts,Računi
 DocType: Vehicle,Odometer Value (Last),Vrednost števca (Zadnja)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Predloge meril uspešnosti dobaviteljev.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Trženje
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Trženje
 DocType: Sales Invoice,Redeem Loyalty Points,Izkoristite točke zvestobe
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Začetek Plačilo je že ustvarjena
 DocType: Request for Quotation,Get Suppliers,Pridobite dobavitelje
@@ -1117,16 +1126,14 @@
 DocType: Crop,Crop Spacing UOM,UOM razmika rastlin
 DocType: Loyalty Program,Single Tier Program,Program enotnega razreda
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Izberite samo, če imate nastavljene dokumente o denarnem toku Mapper"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Od naslova 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Od naslova 1
 DocType: Email Digest,Next email will be sent on:,Naslednje sporočilo bo poslano na:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master","Po elementu {items} {glagol}, ki je označen kot element {message}. Lahko jih omogočite kot {message} element iz glavnega elementa"
 DocType: Supplier Scorecard,Per Week,Tedensko
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Element ima variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Element ima variante.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Skupaj študent
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Postavka {0} ni bilo mogoče najti
 DocType: Bin,Stock Value,Stock Value
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Podjetje {0} ne obstaja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Podjetje {0} ne obstaja
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ima veljavnost pristojbine {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Količina porabljene na enoto
@@ -1142,7 +1149,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Začetek Credit Card
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Podjetje in računi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,v vrednosti
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,v vrednosti
 DocType: Asset Settings,Depreciation Options,Možnosti amortizacije
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Mora biti potrebna lokacija ali zaposleni
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Neveljaven čas pošiljanja
@@ -1159,20 +1166,21 @@
 DocType: Leave Allocation,Allocation,Dodelitev
 DocType: Purchase Order,Supply Raw Materials,Oskrba z Surovine
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Kratkoročna sredstva
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ni zaloge artikla
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ni zaloge artikla
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Pošljite povratne informacije o usposabljanju, tako da kliknete »Povratne informacije o usposabljanju« in nato »Novo«,"
 DocType: Mode of Payment Account,Default Account,Privzeti račun
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Najprej izberite skladišče za shranjevanje vzorcev v nastavitvah zalog
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Najprej izberite skladišče za shranjevanje vzorcev v nastavitvah zalog
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,"Prosimo, izberite vrsto programa z več tirnimi sistemi za več pravil za zbiranje."
 DocType: Payment Entry,Received Amount (Company Currency),Prejela znesek (družba Valuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Svinec je treba določiti, če je priložnost narejen iz svinca"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Plačilo preklicano. Preverite svoj GoCardless račun za več podrobnosti
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Pošlji s prilogo
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Prosimo, izberite tedensko off dan"
 DocType: Inpatient Record,O Negative,O Negativno
 DocType: Work Order Operation,Planned End Time,Načrtovano Končni čas
 ,Sales Person Target Variance Item Group-Wise,Prodaja Oseba Target Varianca Postavka Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Račun z obstoječim poslom ni mogoče pretvoriti v knjigo terjatev
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Račun z obstoječim poslom ni mogoče pretvoriti v knjigo terjatev
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Podatki o tipu memebership
 DocType: Delivery Note,Customer's Purchase Order No,Stranke Naročilo Ne
 DocType: Clinical Procedure,Consume Stock,Porabi zalogo
@@ -1185,26 +1193,26 @@
 DocType: Soil Texture,Sand,Pesek
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energy
 DocType: Opportunity,Opportunity From,Priložnost Od
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Vrstica {0}: {1} Serijske številke, potrebne za postavko {2}. Dali ste {3}."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Vrstica {0}: {1} Serijske številke, potrebne za postavko {2}. Dali ste {3}."
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Izberite tabelo
 DocType: BOM,Website Specifications,Spletna Specifikacije
 DocType: Special Test Items,Particulars,Podrobnosti
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Od {0} tipa {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Vrstica {0}: Factor Pretvorba je obvezna
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Vrstica {0}: Factor Pretvorba je obvezna
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Več Cena Pravila obstaja z enakimi merili, se rešujejo spore z dodelitvijo prednost. Cena Pravila: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Več Cena Pravila obstaja z enakimi merili, se rešujejo spore z dodelitvijo prednost. Cena Pravila: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Račun prevrednotenja deviznih tečajev
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne more izključiti ali preklicati BOM saj je povezan z drugimi BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne more izključiti ali preklicati BOM saj je povezan z drugimi BOMs
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"Prosimo, izberite Podjetje in Datum objave, da vnesete vnose"
 DocType: Asset,Maintenance,Vzdrževanje
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Pojdite iz srečanja s pacientom
 DocType: Subscriber,Subscriber,Naročnik
 DocType: Item Attribute Value,Item Attribute Value,Postavka Lastnost Vrednost
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Posodobite svoj status projekta
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Posodobite svoj status projekta
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Menjalnica mora veljati za nakup ali prodajo.
 DocType: Item,Maximum sample quantity that can be retained,"Največja količina vzorca, ki jo je mogoče obdržati"
 DocType: Project Update,How is the Project Progressing Right Now?,Kako se projekt napreduje prav zdaj?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Vrstice {0} # Element {1} ni mogoče prenesti več kot {2} proti naročilnici {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Vrstice {0} # Element {1} ni mogoče prenesti več kot {2} proti naročilnici {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne akcije.
 DocType: Project Task,Make Timesheet,Ustvari evidenco prisotnosti
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1233,36 +1241,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Orodje za generiranje študentskega poročila
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Časovni razpored zdravstvenega varstva
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Name
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Name
 DocType: Expense Claim Detail,Expense Claim Type,Expense Zahtevek Type
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Privzete nastavitve za Košarica
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Dodaj Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Sredstvo izločeni preko Journal Entry {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},V računu Warehouse {0} ali Privzetem inventarju nastavite račun v podjetju {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Sredstvo izločeni preko Journal Entry {0}
 DocType: Loan,Interest Income Account,Prihodki od obresti račun
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Najvišje koristi bi morale biti večje od nič, da bi se izplačale koristi"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Najvišje koristi bi morale biti večje od nič, da bi se izplačale koristi"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Povabljeni vabilo
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,Lastnina za prenos zaposlencev
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Od časa bi moral biti manj kot čas
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotehnologija
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","Elementa {0} (serijska številka: {1}) ni mogoče porabiti, kot je to reserverd \, da izpolnite prodajno naročilo {2}."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Pisarniška Vzdrževanje Stroški
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Pojdi do
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Posodobitev cene od Shopify na ERPNext Cenik
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavitev e-poštnega računa
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Prosimo, da najprej vnesete artikel"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analiza potreb
 DocType: Asset Repair,Downtime,Odmore
 DocType: Account,Liability,Odgovornost
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionirano Znesek ne sme biti večja od škodnega Znesek v vrstici {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionirano Znesek ne sme biti večja od škodnega Znesek v vrstici {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademski izraz:
 DocType: Salary Component,Do not include in total,Ne vključite v celoti
 DocType: Company,Default Cost of Goods Sold Account,Privzeto Nabavna vrednost prodanega blaga račun
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Količina vzorca {0} ne sme biti večja od prejete količine {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Cenik ni izbrana
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Količina vzorca {0} ne sme biti večja od prejete količine {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Cenik ni izbrana
 DocType: Employee,Family Background,Družina Ozadje
 DocType: Request for Quotation Supplier,Send Email,Pošlji e-pošto
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Opozorilo: Invalid Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Opozorilo: Invalid Attachment {0}
 DocType: Item,Max Sample Quantity,Max vzorčna količina
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Ne Dovoljenje
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolni seznam izpolnjevanja pogodb
@@ -1294,15 +1304,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Stroškovno mesto {2} ne pripada družbi {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Naložite glavo glave (ohranite spletno prijazen kot 900 slikovnih pik za 100 pik)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: račun {2} ne more biti skupina
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Točka Row {idx} {DOCTYPE} {DOCNAME} ne obstaja v zgoraj &#39;{DOCTYPE} &quot;tabela
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,"Timesheet {0}, je že končana ali preklicana"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,"Timesheet {0}, je že končana ali preklicana"
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ni opravil
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Prodajni račun {0} je bil ustvarjen kot plačan
 DocType: Item Variant Settings,Copy Fields to Variant,Kopiraj polja v Variant
 DocType: Asset,Opening Accumulated Depreciation,Odpiranje nabrano amortizacijo
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Rezultat mora biti manjša od ali enaka 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Vpis orodje
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Zapisi C-Form
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Zapisi C-Form
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Delnice že obstajajo
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kupec in dobavitelj
 DocType: Email Digest,Email Digest Settings,E-pošta Digest Nastavitve
@@ -1315,12 +1325,12 @@
 DocType: Production Plan,Select Items,Izberite Items
 DocType: Share Transfer,To Shareholder,Za delničarja
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} za Račun {1} z dne {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Iz države
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Iz države
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Namestitvena ustanova
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Dodeljevanje listov ...
 DocType: Program Enrollment,Vehicle/Bus Number,Vozila / Bus številka
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Razpored za golf
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Morate odbiti davek za nepodprto dokazilo o davčni oprostitvi in neupravičene \ prejemke zaposlenih v zadnjem plačilnem obdobju v plačnem obdobju
 DocType: Request for Quotation Supplier,Quote Status,Citiraj stanje
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1346,13 +1356,13 @@
 DocType: Sales Invoice,Payment Due Date,Datum zapadlosti
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Ponovno izberite, če je izbrani naslov urejen po shranjevanju"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Postavka Variant {0} že obstaja z enakimi atributi
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Postavka Variant {0} že obstaja z enakimi atributi
 DocType: Item,Hub Publishing Details,Podrobnosti o objavi vozlišča
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Odpiranje&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Odpiranje&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Odpri storiti
 DocType: Issue,Via Customer Portal,Preko portala za stranke
 DocType: Notification Control,Delivery Note Message,Dostava Opomba Sporočilo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Znesek
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Znesek
 DocType: Lab Test Template,Result Format,Format zapisa
 DocType: Expense Claim,Expenses,Stroški
 DocType: Item Variant Attribute,Item Variant Attribute,Postavka Variant Lastnost
@@ -1360,14 +1370,12 @@
 DocType: Payroll Entry,Bimonthly,vsaka dva meseca
 DocType: Vehicle Service,Brake Pad,Brake Pad
 DocType: Fertilizer,Fertilizer Contents,Vsebina gnojil
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Raziskave in razvoj
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Raziskave in razvoj
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Znesek za Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Začetni datum in končni datum se prekrivata z delovno kartico <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Podrobnosti registracije
 DocType: Timesheet,Total Billed Amount,Skupaj zaračunano Znesek
 DocType: Item Reorder,Re-Order Qty,Ponovno naročila Kol
 DocType: Leave Block List Date,Leave Block List Date,Pustite Block List Datum
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Prosimo, nastavite sistem imenovanja inštruktorja v izobraževanju&gt; Nastavitve izobraževanja"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Surovina ne more biti enaka kot glavna postavka
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Skupaj veljavnih cenah na Potrdilo o nakupu postavke tabele mora biti enaka kot Skupaj davkov in dajatev
 DocType: Sales Team,Incentives,Spodbude
@@ -1381,7 +1389,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Prodajno mesto
 DocType: Fee Schedule,Fee Creation Status,Status ustvarjanja provizije
 DocType: Vehicle Log,Odometer Reading,Stanje kilometrov
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje na računu je že v ""kredit"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""bremenitev"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje na računu je že v ""kredit"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""bremenitev"""
 DocType: Account,Balance must be,Ravnotežju mora biti
 DocType: Notification Control,Expense Claim Rejected Message,Expense zahtevek zavrnjen Sporočilo
 ,Available Qty,Na voljo Količina
@@ -1393,7 +1401,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Vedno sinhronizirajte svoje izdelke iz Amazon MWS pred sinhronizacijo podrobnosti o naročilih
 DocType: Delivery Trip,Delivery Stops,Dobavni izklopi
 DocType: Salary Slip,Working Days,Delovni dnevi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Datum zaustavitve storitve ni mogoče spremeniti za predmet v vrstici {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Datum zaustavitve storitve ni mogoče spremeniti za predmet v vrstici {0}
 DocType: Serial No,Incoming Rate,Dohodni Rate
 DocType: Packing Slip,Gross Weight,Bruto Teža
 DocType: Leave Type,Encashment Threshold Days,Dnevi praga obkroževanja
@@ -1412,31 +1420,33 @@
 DocType: Restaurant Table,Minimum Seating,Najmanjše število sedežev
 DocType: Item Attribute,Item Attribute Values,Postavka Lastnost Vrednote
 DocType: Examination Result,Examination Result,Preizkus Rezultat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Potrdilo o nakupu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Potrdilo o nakupu
 ,Received Items To Be Billed,Prejete Postavke placevali
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Menjalnega tečaja valute gospodar.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Menjalnega tečaja valute gospodar.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referenčna DOCTYPE mora biti eden od {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filter Total Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Ni mogoče najti terminu v naslednjih {0} dni za delovanje {1}
 DocType: Work Order,Plan material for sub-assemblies,Plan material za sklope
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodajni partnerji in ozemelj
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} mora biti aktiven
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} mora biti aktiven
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Ni razpoložljivih elementov za prenos
 DocType: Employee Boarding Activity,Activity Name,Ime dejavnosti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Sprememba datuma izdaje
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Končana količina izdelka <b>{0}</b> in Za količino <b>{1}</b> ne moreta biti drugačna
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Sprememba datuma izdaje
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Končana količina izdelka <b>{0}</b> in Za količino <b>{1}</b> ne moreta biti drugačna
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Zapiranje (odpiranje + skupno)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Koda postavke&gt; Skupina izdelkov&gt; Blagovna znamka
+DocType: Delivery Settings,Dispatch Notification Attachment,Priloga za obvestilo o odpošiljanju
 DocType: Payroll Entry,Number Of Employees,Število zaposlenih
 DocType: Journal Entry,Depreciation Entry,Amortizacija Začetek
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Prosimo, najprej izberite vrsto dokumenta"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Prosimo, najprej izberite vrsto dokumenta"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Preklic Material Obiski {0} pred preklicem to vzdrževanje obisk
 DocType: Pricing Rule,Rate or Discount,Stopnja ali popust
 DocType: Vital Signs,One Sided,Enostransko
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serijska št {0} ne pripada postavki {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Zahtevani Kol
 DocType: Marketplace Settings,Custom Data,Podatki po meri
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Skladišča z obstoječim poslom ni mogoče pretvoriti v knjigi.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serijska številka je obvezna za predmet {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Skladišča z obstoječim poslom ni mogoče pretvoriti v knjigi.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serijska številka je obvezna za predmet {0}
 DocType: Bank Reconciliation,Total Amount,Skupni znesek
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Od Datum in do datuma se nahajajo v drugem fiskalnem letu
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacient {0} nima potrdila stranke za račun
@@ -1447,9 +1457,9 @@
 DocType: Soil Texture,Clay Composition (%),Glina Sestava (%)
 DocType: Item Group,Item Group Defaults,Privzete nastavitve skupine elementov
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,"Prosimo, shranite, preden dodelite nalogo."
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Balance Vrednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Balance Vrednost
 DocType: Lab Test,Lab Technician,Laboratorijski tehnik
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Prodaja Cenik
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Prodaja Cenik
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Če je označeno, bo stranka ustvarjena, mapirana na Patient. Pacientovi računi bodo ustvarjeni proti tej Stranki. Med ustvarjanjem bolnika lahko izberete tudi obstoječo stranko."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Stranka ni vpisana v program zvestobe
@@ -1463,13 +1473,13 @@
 DocType: Support Search Source,Search Term Param Name,Ime izraza Param za iskanje
 DocType: Item Barcode,Item Barcode,Postavka Barcode
 DocType: Woocommerce Settings,Endpoints,Končne točke
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Postavka Variante {0} posodobljen
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Postavka Variante {0} posodobljen
 DocType: Quality Inspection Reading,Reading 6,Branje 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,"Ne more {0} {1} {2}, brez kakršne koli negativne izjemno račun"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,"Ne more {0} {1} {2}, brez kakršne koli negativne izjemno račun"
 DocType: Share Transfer,From Folio No,Iz Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Nakup računa Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Vrstica {0}: Credit vnos ni mogoče povezati z {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Določite proračuna za proračunsko leto.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Določite proračuna za proračunsko leto.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext račun
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} je blokiran, da se ta transakcija ne more nadaljevati"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Ukrep, če je skupni mesečni proračun presegel MR"
@@ -1485,19 +1495,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Nakup Račun
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Dovoli večkratni porabi materiala z delovnim nalogom
 DocType: GL Entry,Voucher Detail No,Bon Detail Ne
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nov račun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nov račun
 DocType: Stock Entry,Total Outgoing Value,Skupaj Odhodni Vrednost
 DocType: Healthcare Practitioner,Appointments,Imenovanja
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Pričetek in rok bi moral biti v istem proračunskem letu
 DocType: Lead,Request for Information,Zahteva za informacije
 ,LeaderBoard,leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Stopnja z maržo (valuta podjetja)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sinhronizacija Offline Računi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sinhronizacija Offline Računi
 DocType: Payment Request,Paid,Plačan
 DocType: Program Fee,Program Fee,Cena programa
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Zamenjajte določeno BOM v vseh drugih BOM, kjer se uporablja. Zamenjal bo staro povezavo BOM, posodobiti stroške in obnovil tabelo &quot;BOM eksplozijsko blago&quot; v skladu z novim BOM. Prav tako posodablja najnovejšo ceno v vseh BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Ustvarjene so bile naslednje delovne naloge:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Ustvarjene so bile naslednje delovne naloge:
 DocType: Salary Slip,Total in words,Skupaj z besedami
 DocType: Inpatient Record,Discharged,Razrešeno
 DocType: Material Request Item,Lead Time Date,Lead Time Datum
@@ -1508,16 +1518,16 @@
 DocType: Support Settings,Get Started Sections,Začnite razdelke
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sankcionirano
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,je obvezna. Mogoče Menjalni zapis ni ustvarjen za
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Vrstica # {0}: Navedite Zaporedna številka za postavko {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Skupni znesek prispevka: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Vrstica # {0}: Navedite Zaporedna številka za postavko {1}
 DocType: Payroll Entry,Salary Slips Submitted,Poslane plačljive plače
 DocType: Crop Cycle,Crop Cycle,Crop Crop
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za &quot;izdelek Bundle &#39;predmetov, skladišče, serijska številka in serijska se ne šteje od&quot; seznam vsebine &quot;mizo. Če so skladišča in serija ni enaka za vso embalažo postavke za kakršno koli &quot;izdelek Bundle &#39;postavko, lahko te vrednosti je treba vnesti v glavnem Element tabele, bodo vrednosti, ki se kopira na&quot; seznam vsebine &quot;mizo."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za &quot;izdelek Bundle &#39;predmetov, skladišče, serijska številka in serijska se ne šteje od&quot; seznam vsebine &quot;mizo. Če so skladišča in serija ni enaka za vso embalažo postavke za kakršno koli &quot;izdelek Bundle &#39;postavko, lahko te vrednosti je treba vnesti v glavnem Element tabele, bodo vrednosti, ki se kopira na&quot; seznam vsebine &quot;mizo."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Od kraja
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Neto plačilo je negativno
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Od kraja
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Neto plačilo je negativno
 DocType: Student Admission,Publish on website,Objavi na spletni strani
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Datum dobavitelj na računu ne sme biti večja od Napotitev Datum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Datum dobavitelj na računu ne sme biti večja od Napotitev Datum
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.LLLL.-
 DocType: Subscription,Cancelation Date,Datum preklica
 DocType: Purchase Invoice Item,Purchase Order Item,Naročilnica item
@@ -1526,7 +1536,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Študent Udeležba orodje
 DocType: Restaurant Menu,Price List (Auto created),Cenik (samodejno ustvarjen)
 DocType: Cheque Print Template,Date Settings,Datum Nastavitve
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Variance
 DocType: Employee Promotion,Employee Promotion Detail,Podrobnosti o napredovanju zaposlenih
 ,Company Name,ime podjetja
 DocType: SMS Center,Total Message(s),Skupaj sporočil (-i)
@@ -1555,7 +1565,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Ne pošiljajte zaposlenih rojstnodnevnih opomnikov
 DocType: Expense Claim,Total Advance Amount,Skupni znesek vnaprej
 DocType: Delivery Stop,Estimated Arrival,Ocenjeni prihod
-DocType: Delivery Stop,Notified by Email,Obvestilo po e-pošti
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Oglejte si vse članke
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Vstopiti
 DocType: Item,Inspection Criteria,Merila Inšpekcijske
@@ -1565,23 +1574,22 @@
 DocType: Timesheet Detail,Bill,Bill
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Bela
 DocType: SMS Center,All Lead (Open),Vse ponudbe (Odprte)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Vrstica {0}: Kol ni na voljo za {4} v skladišču {1} na objavo čas začetka ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Vrstica {0}: Kol ni na voljo za {4} v skladišču {1} na objavo čas začetka ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Iz seznama potrditvenih polj lahko izberete največ eno možnost.
 DocType: Purchase Invoice,Get Advances Paid,Get plačanih predplačil
 DocType: Item,Automatically Create New Batch,Samodejno Ustvari novo serijo
 DocType: Item,Automatically Create New Batch,Samodejno Ustvari novo serijo
 DocType: Supplier,Represents Company,Predstavlja podjetje
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Poskrbite
 DocType: Student Admission,Admission Start Date,Vstop Datum začetka
 DocType: Journal Entry,Total Amount in Words,Skupni znesek z besedo
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Novi zaposleni
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Prišlo je do napake. Eden verjeten razlog je lahko, da niste shranili obrazec. Obrnite support@erpnext.com če je težava odpravljena."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Košarica
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Sklep Tip mora biti eden od {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Sklep Tip mora biti eden od {0}
 DocType: Lead,Next Contact Date,Naslednja Stik Datum
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Odpiranje Količina
 DocType: Healthcare Settings,Appointment Reminder,Opomnik o imenovanju
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Prosim vnesite račun za znesek spremembe
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Prosim vnesite račun za znesek spremembe
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Serija Ime
 DocType: Holiday List,Holiday List Name,Naziv seznama praznikov
 DocType: Repayment Schedule,Balance Loan Amount,Bilanca Znesek posojila
@@ -1591,13 +1599,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Delniških opcij
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Noben predmet ni dodan v košarico
 DocType: Journal Entry Account,Expense Claim,Expense zahtevek
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Ali res želite obnoviti ta izločeni sredstva?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Ali res želite obnoviti ta izločeni sredstva?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Količina za {0}
 DocType: Leave Application,Leave Application,Zapusti Application
 DocType: Patient,Patient Relation,Pacientovo razmerje
 DocType: Item,Hub Category to Publish,Kategorija vozlišča za objavo
 DocType: Leave Block List,Leave Block List Dates,Pustite Block List termini
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Naročilo za prodajo {0} ima rezervacijo za predmet {1}, lahko dostavite samo rezervirano {1} z {0}. Serijska št. {2} ni mogoče dostaviti"
 DocType: Sales Invoice,Billing Address GSTIN,Naslov za izstavitev računa GSTIN
@@ -1615,16 +1623,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Odstranjeni deli brez spremembe količine ali vrednosti.
 DocType: Delivery Note,Delivery To,Dostava
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Ustvarjanje variant je bilo v čakalni vrsti.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Povzetek dela za {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Ustvarjanje variant je bilo v čakalni vrsti.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Povzetek dela za {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prvi dovolnik za dovoljenje na seznamu bo nastavljen kot privzeti odobritveni odjemalec.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Lastnost miza je obvezna
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Lastnost miza je obvezna
 DocType: Production Plan,Get Sales Orders,Pridobite prodajnih nalogov
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ne more biti negativna
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Povežite se s Quickbooks
 DocType: Training Event,Self-Study,Samo-študija
 DocType: POS Closing Voucher,Period End Date,Datum konca obdobja
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Sestavine tal ne ustvarjajo do 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Popust
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Vrstica {0}: {1} je potrebna za ustvarjanje odpiranja {2} računov
 DocType: Membership,Membership,Članstvo
 DocType: Asset,Total Number of Depreciations,Skupno število amortizacije
 DocType: Sales Invoice Item,Rate With Margin,Oceni z mejo
@@ -1636,7 +1646,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Navedite veljavno Row ID za vrstico {0} v tabeli {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Ni mogoče najti spremenljivke:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Izberite polje za urejanje iz numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Ne more biti postavka osnovnega sredstva, kot je ustvarjena knjiga zalog."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Ne more biti postavka osnovnega sredstva, kot je ustvarjena knjiga zalog."
 DocType: Subscription Plan,Fixed rate,Fiksna stopnja
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Priznaj
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Pojdite na namizje in začeti uporabljati ERPNext
@@ -1670,7 +1680,7 @@
 DocType: Tax Rule,Shipping State,Dostava država
 ,Projected Quantity as Source,Predvidena količina kot vir
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Postavka je treba dodati uporabo &quot;dobili predmetov iz nakupu prejemki&quot; gumb
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Dostava potovanje
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Dostava potovanje
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Vrsta prenosa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Prodajna Stroški
@@ -1683,8 +1693,9 @@
 DocType: Item Default,Default Selling Cost Center,Privzet stroškovni center prodaje
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disc
 DocType: Buying Settings,Material Transferred for Subcontract,Preneseni material za podizvajalsko pogodbo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poštna številka
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Naročilo {0} je {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Postavke nakupnih naročil so prepozne
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Poštna številka
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Naročilo {0} je {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Izberite račun obrestnih prihodkov v posojilu {0}
 DocType: Opportunity,Contact Info,Kontaktni podatki
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Izdelava Zaloga Entries
@@ -1697,12 +1708,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Račun ni mogoče naročiti za ničelno uro zaračunavanja
 DocType: Company,Date of Commencement,Datum začetka
 DocType: Sales Person,Select company name first.,Izberite ime podjetja prvič.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-pošta je poslana na {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-pošta je poslana na {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Prejete ponudbe
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Zamenjajte BOM in posodobite najnovejšo ceno v vseh BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Za {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,To je skupna skupina dobaviteljev in je ni mogoče urejati.
-DocType: Delivery Trip,Driver Name,Ime voznika
+DocType: Delivery Note,Driver Name,Ime voznika
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Povprečna starost
 DocType: Education Settings,Attendance Freeze Date,Udeležba Freeze Datum
 DocType: Education Settings,Attendance Freeze Date,Udeležba Freeze Datum
@@ -1714,7 +1725,7 @@
 DocType: Company,Parent Company,Matična družba
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Sobe Hotela tipa {0} niso na voljo na {1}
 DocType: Healthcare Practitioner,Default Currency,Privzeta valuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Najvišji popust za postavko {0} je {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Najvišji popust za postavko {0} je {1}%
 DocType: Asset Movement,From Employee,Od zaposlenega
 DocType: Driver,Cellphone Number,številka mobilnega telefona
 DocType: Project,Monitor Progress,Spremljajte napredek
@@ -1730,19 +1741,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Količina mora biti manjša ali enaka {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Najvišji znesek primernega za sestavino {0} presega {1}
 DocType: Department Approver,Department Approver,Odobreni oddelek
+DocType: QuickBooks Migrator,Application Settings,Nastavitve aplikacije
 DocType: SMS Center,Total Characters,Skupaj Znaki
 DocType: Employee Advance,Claimed,Zahtevana
 DocType: Crop,Row Spacing,Razmik vrstic
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Prosimo, izberite BOM BOM v polju za postavko {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Prosimo, izberite BOM BOM v polju za postavko {0}"
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Za izbrani predmet ni nobene postavke
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Račun Detail
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Plačilo Sprava Račun
 DocType: Clinical Procedure,Procedure Template,Predloga postopka
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Prispevek%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kot je na Nastavitve Nakup če narocilo Obvezno == &quot;DA&quot;, nato pa za ustvarjanje računu o nakupu, uporabniki potrebujejo za ustvarjanje naročilnice najprej za postavko {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Prispevek%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kot je na Nastavitve Nakup če narocilo Obvezno == &quot;DA&quot;, nato pa za ustvarjanje računu o nakupu, uporabniki potrebujejo za ustvarjanje naročilnice najprej za postavko {0}"
 ,HSN-wise-summary of outward supplies,HSN-modri povzetek zunanjih dobav
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registracijska št. podjetja za lastno evidenco. Davčna številka itn.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Trditi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Trditi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributer
 DocType: Asset Finance Book,Asset Finance Book,Knjiga o premoženju
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Pravilo za dostavo za košaro
@@ -1751,7 +1763,7 @@
 ,Ordered Items To Be Billed,Naročeno Postavke placevali
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od mora biti manj Razpon kot gibala
 DocType: Global Defaults,Global Defaults,Globalni Privzeto
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projekt Sodelovanje Vabilo
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projekt Sodelovanje Vabilo
 DocType: Salary Slip,Deductions,Odbitki
 DocType: Setup Progress Action,Action Name,Ime dejanja
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Začetek Leto
@@ -1765,11 +1777,12 @@
 DocType: Lead,Consultant,Svetovalec
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Udeležba učiteljev na srečanju staršev
 DocType: Salary Slip,Earnings,Zaslužek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Končano Postavka {0} je treba vpisati za vpis tipa Proizvodnja
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Končano Postavka {0} je treba vpisati za vpis tipa Proizvodnja
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Začetna bilanca
 ,GST Sales Register,DDV prodaje Registracija
 DocType: Sales Invoice Advance,Sales Invoice Advance,Predplačila
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Nič zahtevati
+DocType: Stock Settings,Default Return Warehouse,Privzeto vračilo skladišča
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Izberite svoje domene
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Dobavitelj
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Točke plačilne fakture
@@ -1778,15 +1791,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Polja bodo kopirana samo v času ustvarjanja.
 DocType: Setup Progress Action,Domains,Domene
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Dejanski datum začetka"" ne more biti novejši od ""dejanskega končnega datuma"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Vodstvo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Vodstvo
 DocType: Cheque Print Template,Payer Settings,Nastavitve plačnik
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Nobenih čakajočih materialnih zahtevkov, za katere je bilo ugotovljeno, da so povezani za določene predmete."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Najprej izberite podjetje
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bo dodan Točka Kodeksa variante. Na primer, če je vaša kratica je &quot;SM&quot;, in oznaka postavka je &quot;T-shirt&quot;, postavka koda varianto bo &quot;T-SHIRT-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto Pay (z besedami), bo viden, ko boste shranite plačilnega lista."
 DocType: Delivery Note,Is Return,Je Return
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Previdno
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Začetni dan je večji od končnega dne pri nalogi &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Nazaj / opominu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Nazaj / opominu
 DocType: Price List Country,Price List Country,Cenik Država
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} veljavna serijska številka za postavko {1}
@@ -1799,13 +1813,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Informacije o donaciji.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Dobavitelj baze podatkov.
 DocType: Contract Template,Contract Terms and Conditions,Pogoji pogodbe
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Naročnino, ki ni preklican, ne morete znova zagnati."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Naročnino, ki ni preklican, ne morete znova zagnati."
 DocType: Account,Balance Sheet,Bilanca stanja
 DocType: Leave Type,Is Earned Leave,Je zasluženo zapustiti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Stalo Center za postavko s točko zakonika &quot;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Stalo Center za postavko s točko zakonika &quot;
 DocType: Fee Validity,Valid Till,Veljavno do
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Skupaj učiteljski sestanek staršev
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plačila ni nastavljen. Prosimo, preverite, ali je bil račun nastavljen na načinu plačila ali na POS profil."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plačila ni nastavljen. Prosimo, preverite, ali je bil račun nastavljen na načinu plačila ali na POS profil."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti element ni mogoče vnesti večkrat.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Nadaljnje računi se lahko izvede v skupinah, vendar vnosi lahko zoper niso skupin"
 DocType: Lead,Lead,Ponudba
@@ -1814,11 +1828,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Začetek {0} ustvaril
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Za unovčevanje niste prejeli točk za zvestobo
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Vrstica # {0}: Zavrnjena Kol ne more biti vpisana v Nabava Nazaj
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},"Prosimo, nastavite povezani račun v Kategorija davčne zavrnitve {0} proti podjetju {1}"
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Vrstica # {0}: Zavrnjena Kol ne more biti vpisana v Nabava Nazaj
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Spreminjanje skupine strank za izbrano stranko ni dovoljeno.
 ,Purchase Order Items To Be Billed,Naročilnica Postavke placevali
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Posodabljanje predvidenih časov prihoda.
 DocType: Program Enrollment Tool,Enrollment Details,Podrobnosti o vpisu
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Ne morete nastaviti več privzetih postavk za podjetje.
 DocType: Purchase Invoice Item,Net Rate,Net Rate
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Izberite kupca
 DocType: Leave Policy,Leave Allocations,Pustite dodelitve
@@ -1849,7 +1865,7 @@
 DocType: Loan Application,Repayment Info,Povračilo Info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Vnos"" ne more biti prazen"
 DocType: Maintenance Team Member,Maintenance Role,Vzdrževalna vloga
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Dvojnik vrstica {0} z enako {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Dvojnik vrstica {0} z enako {1}
 DocType: Marketplace Settings,Disable Marketplace,Onemogoči trg
 ,Trial Balance,Trial Balance
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Poslovno leto {0} ni bilo mogoče najti
@@ -1860,9 +1876,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Nastavitve naročnine
 DocType: Purchase Invoice,Update Auto Repeat Reference,Posodobi samodejno ponavljanje referenc
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Neobvezni seznam počitnic ni določen za obdobje dopusta {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Neobvezni seznam počitnic ni določen za obdobje dopusta {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Raziskave
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Na naslov 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Na naslov 2
 DocType: Maintenance Visit Purpose,Work Done,Delo končano
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Prosimo navedite vsaj en atribut v tabeli Atributi
 DocType: Announcement,All Students,Vse Študenti
@@ -1872,16 +1888,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Usklajene transakcije
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Najzgodnejša
 DocType: Crop Cycle,Linked Location,Povezana lokacija
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Element, skupina obstaja z istim imenom, vas prosimo, spremenite ime elementa ali preimenovati skupino element"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Element, skupina obstaja z istim imenom, vas prosimo, spremenite ime elementa ali preimenovati skupino element"
 DocType: Crop Cycle,Less than a year,Manj kot eno leto
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Študent Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Ostali svet
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Ostali svet
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Postavki {0} ne more imeti Batch
 DocType: Crop,Yield UOM,Donosnost UOM
 ,Budget Variance Report,Proračun Varianca Poročilo
 DocType: Salary Slip,Gross Pay,Bruto Pay
 DocType: Item,Is Item from Hub,Je predmet iz vozlišča
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Pridobite predmete iz zdravstvenih storitev
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Pridobite predmete iz zdravstvenih storitev
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Vrstica {0}: Vrsta dejavnosti je obvezna.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Plačane dividende
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Računovodstvo Ledger
@@ -1896,6 +1912,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Način Plačilo
 DocType: Purchase Invoice,Supplied Items,Priložena Items
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},"Prosimo, nastavite aktivni meni za restavracijo {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Stopnja Komisije%
 DocType: Work Order,Qty To Manufacture,Količina za izdelavo
 DocType: Email Digest,New Income,Novi prihodki
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Ohraniti enako stopnjo celotni nabavni cikel
@@ -1910,12 +1927,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Oceni Vrednotenje potreben za postavko v vrstici {0}
 DocType: Supplier Scorecard,Scorecard Actions,Akcije kazalnikov
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Primer: Masters v računalništvu
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Dobavitelj {0} ni bil najden v {1}
 DocType: Purchase Invoice,Rejected Warehouse,Zavrnjeno Skladišče
 DocType: GL Entry,Against Voucher,Proti Voucher
 DocType: Item Default,Default Buying Cost Center,Privzet stroškovni center za nabavo
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Da bi dobili najboljše iz ERPNext, vam priporočamo, da si vzamete nekaj časa in gledam te posnetke pomoč."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Za privzeto dobavitelja (neobvezno)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,do
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Za privzeto dobavitelja (neobvezno)
 DocType: Supplier Quotation Item,Lead Time in days,Lead time v dnevih
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Računi plačljivo Povzetek
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Ne smejo urejati zamrznjeni račun {0}
@@ -1924,7 +1941,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Opozori na novo zahtevo za citate
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Naročilnice vam pomaga načrtovati in spremljati svoje nakupe
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Testi laboratorijskih testov
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Skupna količina Vprašanje / Transfer {0} v dogovoru Material {1} \ ne sme biti večja od zahtevane količine {2} za postavko {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Majhno
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Če Shopify ne vsebuje kupca po naročilu, bo med sinhroniziranjem naročil sistem preučil privzeto stranko po naročilu"
@@ -1936,6 +1953,7 @@
 DocType: Project,% Completed,% končano
 ,Invoiced Amount (Exculsive Tax),Obračunani znesek (Exculsive Tax)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Postavka 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Končna točka avtorizacije
 DocType: Travel Request,International,Mednarodni
 DocType: Training Event,Training Event,Dogodek usposabljanje
 DocType: Item,Auto re-order,Auto re-order
@@ -1944,24 +1962,24 @@
 DocType: Contract,Contract,Pogodba
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorijsko testiranje Datetime
 DocType: Email Digest,Add Quote,Dodaj Citiraj
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},"UOM coversion dejavnik, potreben za UOM: {0} v postavki: {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},"UOM coversion dejavnik, potreben za UOM: {0} v postavki: {1}"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Posredni stroški
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Vrstica {0}: Kol je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Vrstica {0}: Kol je obvezna
 DocType: Agriculture Analysis Criteria,Agriculture,Kmetijstvo
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Ustvari prodajno naročilo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Računovodski vpis za sredstvo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokiraj račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Računovodski vpis za sredstvo
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokiraj račun
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Količina za izdelavo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Stroški popravila
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Svoje izdelke ali storitve
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Prijava ni uspel
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Sredstvo {0} je ustvarjeno
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Sredstvo {0} je ustvarjeno
 DocType: Special Test Items,Special Test Items,Posebni testni elementi
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Za registracijo v Marketplace morate biti uporabnik z vlogami upravitelja sistemov in upravitelja elementov.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Način plačila
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Glede na dodeljeno strukturo plače ne morete zaprositi za ugodnosti
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Spletna stran Slika bi morala biti javna datoteka ali spletna stran URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Spletna stran Slika bi morala biti javna datoteka ali spletna stran URL
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,"To je skupina, root element in ga ni mogoče urejati."
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Spoji se
@@ -1970,7 +1988,8 @@
 DocType: Warehouse,Warehouse Contact Info,Skladišče Kontakt Info
 DocType: Payment Entry,Write Off Difference Amount,Napišite Off Razlika Znesek
 DocType: Volunteer,Volunteer Name,Ime prostovoljca
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: email zaposlenega ni mogoče najti, zato e-poštno sporočilo ni bilo poslano"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Vrstice s podvojenimi datumi v drugih vrsticah so bile najdene: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: email zaposlenega ni mogoče najti, zato e-poštno sporočilo ni bilo poslano"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Struktura plač ni dodeljena zaposlenemu {0} na določenem datumu {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Pravilo o pošiljanju ni veljavno za državo {0}
 DocType: Item,Foreign Trade Details,Zunanjo trgovino Podrobnosti
@@ -1978,17 +1997,17 @@
 DocType: Email Digest,Annual Income,Letni dohodek
 DocType: Serial No,Serial No Details,Serijska št Podrobnosti
 DocType: Purchase Invoice Item,Item Tax Rate,Postavka Davčna stopnja
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Iz imena stranke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Iz imena stranke
 DocType: Student Group Student,Group Roll Number,Skupina Roll Število
 DocType: Student Group Student,Group Roll Number,Skupina Roll Število
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, lahko le kreditne račune povezati proti drugemu vstop trajnika"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Dobavnica {0} ni predložila
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Dobavnica {0} ni predložila
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Postavka {0} mora biti podizvajalcev item
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapitalski Oprema
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cen Pravilo je najprej treba izbrati glede na &quot;Uporabi On &#39;polju, ki je lahko točka, točka Group ali Brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Najprej nastavite kodo izdelka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Skupna dodeljena odstotek za prodajne ekipe mora biti 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Skupna dodeljena odstotek za prodajne ekipe mora biti 100
 DocType: Subscription Plan,Billing Interval Count,Številka obračunavanja
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Imenovanja in srečanja s pacienti
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Manjka vrednost
@@ -2002,6 +2021,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Ustvari Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Ustvarjena provizija
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Ni našla nobenega elementa z imenom {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Filter elementov
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterijska formula
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Skupaj Odhodni
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Obstaja lahko samo en prevoz pravilo Pogoj z 0 ali prazno vrednost za &quot;ceniti&quot;
@@ -2010,14 +2030,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Za element {0} mora biti količina pozitivna
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Opomba: Ta Stroški Center je skupina. Ne more vknjižbe proti skupinam.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Zahtevki za nadomestni dopust ne veljajo v veljavnih praznikih
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,"Otrok skladišče obstaja za to skladišče. Ne, ne moreš izbrisati to skladišče."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,"Otrok skladišče obstaja za to skladišče. Ne, ne moreš izbrisati to skladišče."
 DocType: Item,Website Item Groups,Spletna stran Element Skupine
 DocType: Purchase Invoice,Total (Company Currency),Skupaj (družba Valuta)
 DocType: Daily Work Summary Group,Reminder,Opomnik
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Dostopna vrednost
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Dostopna vrednost
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serijska številka {0} je začela več kot enkrat
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Vnos v dnevnik
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Iz GSTIN-a
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Iz GSTIN-a
 DocType: Expense Claim Advance,Unclaimed amount,Nezahteven znesek
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} postavke v teku
 DocType: Workstation,Workstation Name,Workstation Name
@@ -2025,7 +2045,7 @@
 DocType: POS Item Group,POS Item Group,POS Element Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternativna postavka ne sme biti enaka kot oznaka izdelka
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} ne pripada postavki {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} ne pripada postavki {1}
 DocType: Sales Partner,Target Distribution,Target Distribution
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Dokončanje začasne ocene
 DocType: Salary Slip,Bank Account No.,Št. bančnega računa
@@ -2034,7 +2054,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Uporabljate lahko spremenljivke Scorecard, kot tudi: {total_score} (skupna ocena iz tega obdobja), {period_number} (število obdobij do današnjega dne)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Strniti vse
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Strniti vse
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Ustvarite naročilnico
 DocType: Quality Inspection Reading,Reading 8,Branje 8
 DocType: Inpatient Record,Discharge Note,Razrešnica
@@ -2051,7 +2071,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Zapusti
 DocType: Purchase Invoice,Supplier Invoice Date,Dobavitelj Datum računa
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ta vrednost se uporablja za izracun pro rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Morate omogočiti Košarica
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Morate omogočiti Košarica
 DocType: Payment Entry,Writeoff,Odpisati
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.LLLL.-
 DocType: Stock Settings,Naming Series Prefix,Namig serijske oznake
@@ -2066,11 +2086,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Prekrivajoča pogoji najdemo med:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Proti listu Začetek {0} je že prilagojena proti neki drugi kupon
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Skupna vrednost naročila
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Hrana
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Hrana
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Staranje Območje 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Podrobnosti POS pridržka
 DocType: Shopify Log,Shopify Log,Nakup dnevnika
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Prosimo, nastavite imena serije za {0} prek Setup&gt; Settings&gt; Series Naming"
 DocType: Inpatient Occupancy,Check In,Prijava
 DocType: Maintenance Schedule Item,No of Visits,Število obiskov
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},obstaja Vzdrževanje Razpored {0} proti {1}
@@ -2110,6 +2129,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimalne ugodnosti (znesek)
 DocType: Purchase Invoice,Contact Person,Kontaktna oseba
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Pričakovani datum začetka' ne more biti večji od 'Pričakovan datum zaključka'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Za ta čas ni podatkov
 DocType: Course Scheduling Tool,Course End Date,Seveda Končni datum
 DocType: Holiday List,Holidays,Prazniki
 DocType: Sales Order Item,Planned Quantity,Načrtovana Količina
@@ -2121,7 +2141,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Neto sprememba v osnovno sredstvo
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Pustite prazno, če velja za vse označb"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Naboj tip &quot;Dejanski&quot; v vrstici {0} ni mogoče vključiti v postavko Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Naboj tip &quot;Dejanski&quot; v vrstici {0} ni mogoče vključiti v postavko Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime
 DocType: Shopify Settings,For Company,Za podjetje
@@ -2134,9 +2154,9 @@
 DocType: Material Request,Terms and Conditions Content,Pogoji in vsebina
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Prišlo je do napak pri urejanju tečaja tečaja
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Prvi odobritev Expenses na seznamu bo nastavljen kot privzeti odobritev Expense.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,ne more biti večja kot 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,ne more biti večja kot 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Če se želite registrirati v Marketplace, morate biti uporabnik, ki ni administrator, z vlogo Upravitelja sistema in Upravitelja elementov."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Postavka {0} ni zaloge Item
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Postavka {0} ni zaloge Item
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.LLLL.-
 DocType: Maintenance Visit,Unscheduled,Nenačrtovana
 DocType: Employee,Owned,Lasti
@@ -2164,7 +2184,7 @@
 DocType: HR Settings,Employee Settings,Nastavitve zaposlenih
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Nalaganje plačilnega sistema
 ,Batch-Wise Balance History,Serija-Wise Balance Zgodovina
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Vrstica # {0}: Ne morem nastaviti stopnje, če je znesek večji od zaračunanega zneska za predmet {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Vrstica # {0}: Ne morem nastaviti stopnje, če je znesek večji od zaračunanega zneska za predmet {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,nastavitve tiskanja posodabljajo v ustrezni obliki za tiskanje
 DocType: Package Code,Package Code,paket koda
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Vajenec
@@ -2172,7 +2192,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negativno Količina ni dovoljeno
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Davčna podrobnosti tabela nerealne iz postavke mojstra kot vrvico in shranjena na tem področju. Uporablja se za davki in dajatve
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Delavec ne more poročati zase.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Delavec ne more poročati zase.
 DocType: Leave Type,Max Leaves Allowed,Dovoljeno je maksimalno dovoljeno odstopanje
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Če računa je zamrznjeno, so vpisi dovoljeni omejenih uporabnikov."
 DocType: Email Digest,Bank Balance,Banka Balance
@@ -2198,6 +2218,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Vnosi transakcij banke
 DocType: Quality Inspection,Readings,Readings
 DocType: Stock Entry,Total Additional Costs,Skupaj Dodatni stroški
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Število interakcij
 DocType: BOM,Scrap Material Cost(Company Currency),Odpadni material Stroški (družba Valuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sklope
 DocType: Asset,Asset Name,Ime sredstvo
@@ -2205,10 +2226,10 @@
 DocType: Shipping Rule Condition,To Value,Do vrednosti
 DocType: Loyalty Program,Loyalty Program Type,Vrsta programa zvestobe
 DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Vir skladišče je obvezna za vrstico {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Vir skladišče je obvezna za vrstico {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Izraz plačila v vrstici {0} je morda dvojnik.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Kmetijstvo (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Pakiranje listek
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Pakiranje listek
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Urad za najem
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Nastavitve Setup SMS gateway
 DocType: Disease,Common Name,Pogosto ime
@@ -2240,20 +2261,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Plača Slip na zaposlenega
 DocType: Cost Center,Parent Cost Center,Parent Center Stroški
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Izberite Možni Dobavitelj
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Izberite Možni Dobavitelj
 DocType: Sales Invoice,Source,Vir
 DocType: Customer,"Select, to make the customer searchable with these fields","Izberite, da bo stranka s temi področji omogočila iskanje"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Uvozne opombe za dostavo iz Shopify na pošiljko
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Prikaži zaprto
 DocType: Leave Type,Is Leave Without Pay,Se Leave brez plačila
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Sredstvo kategorije je obvezna za fiksno postavko sredstev
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Sredstvo kategorije je obvezna za fiksno postavko sredstev
 DocType: Fee Validity,Fee Validity,Veljavnost pristojbine
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Ni najdenih v tabeli plačil zapisov
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ta {0} ni v nasprotju s {1} za {2} {3}
 DocType: Student Attendance Tool,Students HTML,študenti HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Če želite preklicati ta dokument, izbrišite zaposlenega <a href=""#Form/Employee/{0}"">{0}</a> \"
 DocType: POS Profile,Apply Discount,Uporabi popust
 DocType: GST HSN Code,GST HSN Code,DDV HSN koda
 DocType: Employee External Work History,Total Experience,Skupaj Izkušnje
@@ -2276,7 +2294,7 @@
 DocType: Maintenance Schedule,Schedules,Urniki
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profil POS je potreben za uporabo Point-of-Sale
 DocType: Cashier Closing,Net Amount,Neto znesek
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ni bila vložena, dejanje ne more biti dokončano"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ni bila vložena, dejanje ne more biti dokončano"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Ne
 DocType: Landed Cost Voucher,Additional Charges,dodatni stroški
 DocType: Support Search Source,Result Route Field,Polje poti rezultatov
@@ -2299,17 +2317,17 @@
 apps/erpnext/erpnext/config/non_profit.py +28,Memebership Details,Podrobnosti o memorandumu
 DocType: Leave Block List,Block Holidays on important days.,Blokiranje Počitnice na pomembnih dni.
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +194,Please input all required Result Value(s),Vnesite vso zahtevano vrednost (-e)
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +119,Accounts Receivable Summary,Terjatve Povzetek
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +119,Accounts Receivable Summary,Povzetek terjatev
 DocType: POS Closing Voucher,Linked Invoices,Povezani računi
 DocType: Loan,Monthly Repayment Amount,Mesečni Povračilo Znesek
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Odpiranje računov
 DocType: Contract,Contract Details,Podrobnosti pogodbe
 DocType: Employee,Leave Details,Pustite podrobnosti
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Prosim, nastavite ID uporabnika polje v zapisu zaposlenih za določen Vloga zaposlenih"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Prosim, nastavite ID uporabnika polje v zapisu zaposlenih za določen Vloga zaposlenih"
 DocType: UOM,UOM Name,UOM Name
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Naslov 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Naslov 1
 DocType: GST HSN Code,HSN Code,Tarifna številka
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Prispevek Znesek
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Prispevek Znesek
 DocType: Inpatient Record,Patient Encounter,Patient Encounter
 DocType: Purchase Invoice,Shipping Address,naslov za pošiljanje
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,To orodje vam pomaga posodobiti ali popravite količino in vrednotenje zalog v sistemu. To se ponavadi uporablja za sinhronizacijo sistemske vrednosti in kaj dejansko obstaja v vaših skladiščih.
@@ -2326,9 +2344,9 @@
 DocType: Travel Itinerary,Mode of Travel,Način potovanja
 DocType: Sales Invoice Item,Brand Name,Blagovna znamka
 DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Privzeto skladišče je potrebna za izbrano postavko
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Privzeto skladišče je potrebna za izbrano postavko
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Škatla
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Možni Dobavitelj
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Možni Dobavitelj
 DocType: Budget,Monthly Distribution,Mesečni Distribution
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Sprejemnik Seznam je prazen. Prosimo, da ustvarite sprejemnik seznam"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Zdravstvo (beta)
@@ -2350,6 +2368,7 @@
 ,Lead Name,Ime ponudbe
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Raziskovanje
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Odpiranje Stock Balance
 DocType: Asset Category Account,Capital Work In Progress Account,Vloga za kapitalsko delo v teku
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Prilagoditev vrednosti sredstva
@@ -2358,7 +2377,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Listi Dodeljena Uspešno za {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Ni prispevkov za pakiranje
 DocType: Shipping Rule Condition,From Value,Od vrednosti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezna
 DocType: Loan,Repayment Method,Povračilo Metoda
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Če je omogočeno, bo Naslovna stran je skupina privzeta točka za spletno stran"
 DocType: Quality Inspection Reading,Reading 4,Branje 4
@@ -2383,7 +2402,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Napotitev zaposlenih
 DocType: Student Group,Set 0 for no limit,Nastavite 0 za brez omejitev
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Dan (s), na kateri se prijavljate za dopust, so prazniki. Vam ni treba zaprositi za dopust."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Vrstica {idx}: {field} je potrebna za ustvarjanje računov za odpiranje {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Osnovni naslov in kontaktni podatki
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Ponovno pošlji plačila Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nova naloga
@@ -2393,22 +2411,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Izberite vsaj eno domeno.
 DocType: Dependent Task,Dependent Task,Odvisna Task
 DocType: Shopify Settings,Shopify Tax Account,Nakup davčnega računa
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},"Faktor pretvorbe za privzeto mersko enoto, mora biti 1 v vrstici {0}"
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Dopust tipa {0} ne more biti daljši od {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},"Faktor pretvorbe za privzeto mersko enoto, mora biti 1 v vrstici {0}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Dopust tipa {0} ne more biti daljši od {1}
 DocType: Delivery Trip,Optimize Route,Optimizirajte pot
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Poskusite načrtovanju operacij za X dni vnaprej.
 DocType: HR Settings,Stop Birthday Reminders,Stop Birthday opomniki
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Prosimo, nastavite privzetega izplačane plače je treba plačati račun v družbi {0}"
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,"Get finančno razčlenitev davkov in zaračunavanje podatkov, ki jih Amazon"
 DocType: SMS Center,Receiver List,Sprejemnik Seznam
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Iskanje Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Iskanje Item
 DocType: Payment Schedule,Payment Amount,Znesek Plačila
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Datum poldnevnega dneva mora biti med delovnim časom in končnim datumom dela
 DocType: Healthcare Settings,Healthcare Service Items,Točke zdravstvenega varstva
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Porabljeni znesek
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Neto sprememba v gotovini
 DocType: Assessment Plan,Grading Scale,Ocenjevalna lestvica
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Merska enota {0} je v pretvorbeni faktor tabeli vpisana več kot enkrat
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Merska enota {0} je v pretvorbeni faktor tabeli vpisana več kot enkrat
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,že končana
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Zaloga v roki
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2431,25 +2449,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serijska št {0} količina {1} ne more biti del
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Vnesite URL strežnika Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Dobavitelj Številka dela
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Menjalno razmerje ne more biti 0 ali 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Menjalno razmerje ne more biti 0 ali 1
 DocType: Share Balance,To No,Na št
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Vsa obvezna naloga za ustvarjanje zaposlenih še ni bila opravljena.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} je preklican ali ustavljen
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} je preklican ali ustavljen
 DocType: Accounts Settings,Credit Controller,Credit Controller
 DocType: Loan,Applicant Type,Vrsta vlagatelja
 DocType: Purchase Invoice,03-Deficiency in services,03-Pomanjkanje storitev
 DocType: Healthcare Settings,Default Medical Code Standard,Privzeti standard za medicinsko kodo
 DocType: Purchase Invoice Item,HSN/SAC,TARIC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Potrdilo o nakupu {0} ni predložila
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Potrdilo o nakupu {0} ni predložila
 DocType: Company,Default Payable Account,Privzeto plačljivo račun
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavitve za spletni košarici, kot so predpisi v pomorskem prometu, cenik itd"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% zaračunano
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Rezervirano Kol
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Rezervirano Kol
 DocType: Party Account,Party Account,Račun Party
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Izberite podjetje in določitev
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Človeški viri
-DocType: Lead,Upper Income,Zgornja Prihodki
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Zgornja Prihodki
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Zavrni
 DocType: Journal Entry Account,Debit in Company Currency,Debetno v podjetju valuti
 DocType: BOM Item,BOM Item,BOM Postavka
@@ -2466,7 +2484,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Odprti posli za oznako {0} so že odprti \ ali najem zaključeni v skladu s kadrovskim načrtom {1}
 DocType: Vital Signs,Constipated,Zaprta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Zoper dobavitelja Račun {0} dne {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Zoper dobavitelja Račun {0} dne {1}
 DocType: Customer,Default Price List,Privzeto Cenik
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,zapis Gibanje sredstvo {0} ustvaril
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Ni elementov.
@@ -2482,17 +2500,18 @@
 DocType: Journal Entry,Entry Type,Začetek Type
 ,Customer Credit Balance,Stranka Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Neto sprememba obveznosti do dobaviteljev
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditna meja je prešla za stranko {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Prosimo, nastavite imena serije za {0} prek Setup&gt; Settings&gt; Series Naming"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditna meja je prešla za stranko {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Stranka zahteva za &quot;Customerwise popust&quot;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Posodobite rok plačila banka s revijah.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Cenitev
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Cenitev
 DocType: Quotation,Term Details,Izraz Podrobnosti
 DocType: Employee Incentive,Employee Incentive,Spodbujanje zaposlenih
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ne more vpisati več kot {0} študentov za to študentsko skupino.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Skupaj (brez davka)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,svinec Štetje
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,svinec Štetje
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stock Na voljo
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stock Na voljo
 DocType: Manufacturing Settings,Capacity Planning For (Days),Kapaciteta Načrtovanje Za (dnevi)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Javna naročila
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Nobena od postavk imate kakršne koli spremembe v količini ali vrednosti.
@@ -2517,7 +2536,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Pusti in postrežbo
 DocType: Asset,Comprehensive Insurance,Celovito zavarovanje
 DocType: Maintenance Visit,Partially Completed,Delno Dopolnil
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Točka zvestobe: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Točka zvestobe: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Dodaj jezike
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Zmerna občutljivost
 DocType: Leave Type,Include holidays within leaves as leaves,Vključite počitnice v listih kot listja
 DocType: Loyalty Program,Redemption,Odkup
@@ -2551,7 +2571,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Marketing Stroški
 ,Item Shortage Report,Postavka Pomanjkanje Poročilo
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Ne morem ustvariti standardnih meril. Preimenujte merila
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Teža je omenjeno, \ nProsim omenja &quot;Teža UOM&quot; preveč"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Teža je omenjeno, \ nProsim omenja &quot;Teža UOM&quot; preveč"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Material Zahteva se uporablja za izdelavo tega staleža Entry
 DocType: Hub User,Hub Password,Hub geslo
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Ločeno Group s sedežem tečaj za vsako serijo
@@ -2566,15 +2586,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Trajanje imenovanja (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Naredite vknjižba Za vsako borzno gibanje
 DocType: Leave Allocation,Total Leaves Allocated,Skupaj Listi Dodeljena
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Prosimo, vnesite veljaven proračunsko leto, datum začetka in konca"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Prosimo, vnesite veljaven proračunsko leto, datum začetka in konca"
 DocType: Employee,Date Of Retirement,Datum upokojitve
 DocType: Upload Attendance,Get Template,Get predlogo
+,Sales Person Commission Summary,Povzetek Komisije za prodajno osebo
 DocType: Additional Salary Component,Additional Salary Component,Dodatna plačna komponenta
 DocType: Material Request,Transferred,Preneseni
 DocType: Vehicle,Doors,vrata
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Zberi pristojbino za registracijo pacientov
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Ne morem spremeniti atributov po transakciji z delnicami. Na novo postavko naredite nov element in prenesite zalogo
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Ne morem spremeniti atributov po transakciji z delnicami. Na novo postavko naredite nov element in prenesite zalogo
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,davčna Breakup
 DocType: Employee,Joining Details,Povezovanje Podrobnosti
@@ -2602,14 +2623,15 @@
 DocType: Lead,Next Contact By,Naslednja Kontakt Z
 DocType: Compensatory Leave Request,Compensatory Leave Request,Zahtevek za kompenzacijski odhod
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},"Količina, potrebna za postavko {0} v vrstici {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Skladišče {0} ni mogoče izbrisati, kot obstaja količina za postavko {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Skladišče {0} ni mogoče izbrisati, kot obstaja količina za postavko {1}"
 DocType: Blanket Order,Order Type,Sklep Type
 ,Item-wise Sales Register,Element-pametno Sales Registriraj se
 DocType: Asset,Gross Purchase Amount,Bruto znesek nakupa
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Začetne stave
 DocType: Asset,Depreciation Method,Metoda amortiziranja
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to DDV vključen v osnovni stopnji?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Skupaj Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Skupaj Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analiza percepcije
 DocType: Soil Texture,Sand Composition (%),Sestava peska (%)
 DocType: Job Applicant,Applicant for a Job,Kandidat za službo
 DocType: Production Plan Material Request,Production Plan Material Request,Proizvodnja Zahteva načrt Material
@@ -2625,23 +2647,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Ocenjevalna oznaka (od 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Skrbnika2 Mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Main
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Po elementu {0} ni označen kot {1} element. Lahko jih omogočite kot {1} element iz glavnega elementa
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Za element {0} mora biti količina negativna
 DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavite predpona za številčenje serij na vaše transakcije
 DocType: Employee Attendance Tool,Employees HTML,zaposleni HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Privzeto BOM ({0}) mora biti aktiven za to postavko ali njeno predlogo
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Privzeto BOM ({0}) mora biti aktiven za to postavko ali njeno predlogo
 DocType: Employee,Leave Encashed?,Dopusta unovčijo?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Priložnost Iz polja je obvezno
 DocType: Email Digest,Annual Expenses,letni stroški
 DocType: Item,Variants,Variante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Naredite narocilo
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Naredite narocilo
 DocType: SMS Center,Send To,Pošlji
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Ni dovolj bilanca dopust za dopust tipa {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Ni dovolj bilanca dopust za dopust tipa {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Dodeljen znesek
 DocType: Sales Team,Contribution to Net Total,Prispevek k Net Total
 DocType: Sales Invoice Item,Customer's Item Code,Koda artikla stranke
 DocType: Stock Reconciliation,Stock Reconciliation,Uskladitev zalog
 DocType: Territory,Territory Name,Territory Name
+DocType: Email Digest,Purchase Orders to Receive,Naročila za nakup
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Work-in-Progress Warehouse je pred potreben Submit
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,V naročnini lahko imate samo načrte z enakim obračunskim ciklom
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapirani podatki
@@ -2660,9 +2684,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Podvajati Zaporedna številka vpisana v postavko {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Sledite navodilom po viru.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Pogoj za Shipping pravilu
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,vnesite
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,vnesite
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Dnevnik vzdrževanja
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Prosim, nastavite filter, ki temelji na postavki ali skladišče"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Prosim, nastavite filter, ki temelji na postavki ali skladišče"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto teža tega paketa. (samodejno izračuna kot vsota neto težo blaga)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Vstop v dnevnik podjetja Inter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Znesek popusta ne sme biti večji od 100%
@@ -2671,15 +2695,15 @@
 DocType: Sales Order,To Deliver and Bill,Dostaviti in Bill
 DocType: Student Group,Instructors,inštruktorji
 DocType: GL Entry,Credit Amount in Account Currency,Credit Znesek v Valuta računa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} je treba predložiti
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Deljeno upravljanje
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} je treba predložiti
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Deljeno upravljanje
 DocType: Authorization Control,Authorization Control,Pooblastilo za nadzor
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Vrstica # {0}: zavrnitev Skladišče je obvezno proti zavrnil postavki {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Plačilo
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Vrstica # {0}: zavrnitev Skladišče je obvezno proti zavrnil postavki {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Plačilo
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Skladišče {0} ni povezano z nobenim računom, navedite račun v evidenco skladišče ali nastavite privzeto inventarja račun v družbi {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Upravljajte naročila
 DocType: Work Order Operation,Actual Time and Cost,Dejanski čas in stroški
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Material Zahteva za največ {0} se lahko izvede za postavko {1} proti Sales Order {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Material Zahteva za največ {0} se lahko izvede za postavko {1} proti Sales Order {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Razmik rastlin
 DocType: Course,Course Abbreviation,Kratica za tečaj
@@ -2691,6 +2715,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Skupaj delovni čas ne sme biti večja od max delovnih ur {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,na
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle predmeti v času prodaje.
+DocType: Delivery Settings,Dispatch Settings,Nastavitve pošiljanja
 DocType: Material Request Plan Item,Actual Qty,Dejanska Količina
 DocType: Sales Invoice Item,References,Reference
 DocType: Quality Inspection Reading,Reading 10,Branje 10
@@ -2700,11 +2725,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Vnesli ste podvojene elemente. Prosimo, popravite in poskusite znova."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Sodelavec
 DocType: Asset Movement,Asset Movement,Gibanje sredstvo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Delovni nalog {0} mora biti predložen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Nova košarico
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Delovni nalog {0} mora biti predložen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Nova košarico
 DocType: Taxable Salary Slab,From Amount,Od zneska
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Postavka {0} ni serialized postavka
 DocType: Leave Type,Encashment,Pritrditev
+DocType: Delivery Settings,Delivery Settings,Nastavitve dostave
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Pridobi podatke
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Največji dovoljeni dopust v tipu dopusta {0} je {1}
 DocType: SMS Center,Create Receiver List,Ustvarite sprejemnik seznam
 DocType: Vehicle,Wheels,kolesa
@@ -2720,7 +2747,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Valuta za obračun mora biti enaka valuti podjetja ali valuti stranke
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Kaže, da je paket del tega dostave (samo osnutka)"
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Vrstica {0}: Datum roka ne more biti pred datumom objavljanja
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Vrstica {0}: Datum roka ne more biti pred datumom objavljanja
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Naredite Entry plačila
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Količina za postavko {0} sme biti manjša od {1}
 ,Sales Invoice Trends,Prodajni fakturi Trendi
@@ -2728,12 +2755,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Lahko sklicuje vrstico le, če je tip naboj &quot;Na prejšnje vrstice Znesek&quot; ali &quot;prejšnje vrstice Total&quot;"
 DocType: Sales Order Item,Delivery Warehouse,Dostava Skladišče
 DocType: Leave Type,Earned Leave Frequency,Pogostost oddanih dopustov
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Drevo centrov finančnih stroškov.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Pod tip
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Drevo centrov finančnih stroškov.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Pod tip
 DocType: Serial No,Delivery Document No,Dostava dokument št
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zagotovite dostavo na podlagi izdelane serijske številke
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosim nastavite &quot;dobiček / izguba račun pri odtujitvi sredstev&quot; v družbi {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosim nastavite &quot;dobiček / izguba račun pri odtujitvi sredstev&quot; v družbi {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dobili predmetov iz nakupa Prejemki
 DocType: Serial No,Creation Date,Datum nastanka
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Ciljna lokacija je potrebna za sredstvo {0}
@@ -2747,11 +2774,12 @@
 DocType: Item,Has Variants,Ima različice
 DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Posodobi odgovor
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Ste že izbrane postavke iz {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Ste že izbrane postavke iz {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Ime mesečnim izplačilom
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Serija ID je obvezen
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Serija ID je obvezen
 DocType: Sales Person,Parent Sales Person,Nadrejena Sales oseba
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,"Predmeti, ki jih želite prejeti, niso zapadli"
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Prodajalec in kupec ne moreta biti isti
 DocType: Project,Collect Progress,Zberite napredek
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-YYYY-
@@ -2767,7 +2795,7 @@
 DocType: Bank Guarantee,Margin Money,Margin denar
 DocType: Budget,Budget,Proračun
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Nastavi odprto
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Osnovno sredstvo točka mora biti postavka ne-stock.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Osnovno sredstvo točka mora biti postavka ne-stock.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Proračun ne more biti dodeljena pred {0}, ker to ni prihodek ali odhodek račun"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Najvišja izjema za {0} je {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Doseženi
@@ -2785,9 +2813,9 @@
 ,Amount to Deliver,"Znesek, Deliver"
 DocType: Asset,Insurance Start Date,Začetni datum zavarovanja
 DocType: Salary Component,Flexible Benefits,Fleksibilne prednosti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Isti element je bil večkrat vnesen. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Isti element je bil večkrat vnesen. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Datum izraz začetka ne more biti zgodnejši od datuma Leto začetku študijskega leta, v katerem je izraz povezan (študijsko leto {}). Popravite datum in poskusite znova."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Tam so bile napake.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Tam so bile napake.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Zaposleni {0} je že zaprosil za {1} med {2} in {3}:
 DocType: Guardian,Guardian Interests,Guardian Zanima
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Posodobi ime računa / številka
@@ -2826,9 +2854,9 @@
 ,Item-wise Purchase History,Element-pametno Zgodovina nakupov
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Prosimo, kliknite na &quot;ustvarjajo Seznamu&quot; puščati Serijska št dodal za postavko {0}"
 DocType: Account,Frozen,Frozen
-DocType: Delivery Note,Vehicle Type,Vrsta vozila
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Vrsta vozila
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Osnovna Znesek (družba Valuta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Surovine
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Surovine
 DocType: Payment Reconciliation Payment,Reference Row,referenčna Row
 DocType: Installation Note,Installation Time,Namestitev čas
 DocType: Sales Invoice,Accounting Details,Računovodstvo Podrobnosti
@@ -2837,12 +2865,13 @@
 DocType: Inpatient Record,O Positive,O Pozitivno
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Naložbe
 DocType: Issue,Resolution Details,Resolucija Podrobnosti
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Vrsta transakcije
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Vrsta transakcije
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Merila sprejemljivosti
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Vnesite Material Prošnje v zgornji tabeli
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Za vnose v dnevnik ni na voljo vračil
 DocType: Hub Tracked Item,Image List,Seznam slik
 DocType: Item Attribute,Attribute Name,Ime atributa
+DocType: Subscription,Generate Invoice At Beginning Of Period,Ustvarite račun na začetku obdobja
 DocType: BOM,Show In Website,Pokaži V Website
 DocType: Loan Application,Total Payable Amount,Skupaj plačljivo Znesek
 DocType: Task,Expected Time (in hours),Pričakovani čas (v urah)
@@ -2879,8 +2908,8 @@
 DocType: Employee,Resignation Letter Date,Odstop pismo Datum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Cenovne Pravila so dodatno filtriran temelji na količini.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Ni nastavljeno
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},"Prosimo, da določi datum Vstop za zaposlenega {0}"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},"Prosimo, da določi datum Vstop za zaposlenega {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},"Prosimo, da določi datum Vstop za zaposlenega {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},"Prosimo, da določi datum Vstop za zaposlenega {0}"
 DocType: Inpatient Record,Discharge,praznjenje
 DocType: Task,Total Billing Amount (via Time Sheet),Skupni znesek plačevanja (preko Čas lista)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite Customer Prihodki
@@ -2890,13 +2919,13 @@
 DocType: Chapter,Chapter,Poglavje
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Par
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Privzet račun se samodejno posodablja v računu POS, ko je ta način izbran."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Izberite BOM in Količina za proizvodnjo
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Izberite BOM in Količina za proizvodnjo
 DocType: Asset,Depreciation Schedule,Amortizacija Razpored
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Prodaja Partner naslovi in kontakti
 DocType: Bank Reconciliation Detail,Against Account,Proti račun
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Poldnevni datum mora biti med Od datuma in Do datuma
 DocType: Maintenance Schedule Detail,Actual Date,Dejanski datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Center za privzete stroške nastavite v {0} podjetju.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Center za privzete stroške nastavite v {0} podjetju.
 DocType: Item,Has Batch No,Ima številko serije
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Letni obračun: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Nakup podrobnosti nakupa
@@ -2908,7 +2937,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Vrsta premika
 DocType: Student,Personal Details,Osebne podrobnosti
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Prosim nastavite &quot;Asset Center Amortizacija stroškov&quot; v družbi {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Prosim nastavite &quot;Asset Center Amortizacija stroškov&quot; v družbi {0}
 ,Maintenance Schedules,Vzdrževanje Urniki
 DocType: Task,Actual End Date (via Time Sheet),Dejanski končni datum (preko Čas lista)
 DocType: Soil Texture,Soil Type,Vrsta tal
@@ -2916,10 +2945,10 @@
 ,Quotation Trends,Trendi ponudb
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},"Element Group, ki niso navedeni v točki mojster za postavko {0}"
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless mandat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Bremenitev računa mora biti Terjatve račun
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Bremenitev računa mora biti Terjatve račun
 DocType: Shipping Rule,Shipping Amount,Znesek Dostave
 DocType: Supplier Scorecard Period,Period Score,Obdobje obdobja
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Dodaj stranke
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Dodaj stranke
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Dokler Znesek
 DocType: Lab Test Template,Special,Poseben
 DocType: Loyalty Program,Conversion Factor,Faktor pretvorbe
@@ -2936,7 +2965,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Dodaj slovo
 DocType: Program Enrollment,Self-Driving Vehicle,Self-Vožnja vozil
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Stalni ocenjevalni list dobavitelja
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Vrstica {0}: Kosovnica nismo našli v postavki {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Vrstica {0}: Kosovnica nismo našli v postavki {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Skupaj dodeljena listi {0} ne sme biti manjši od že odobrenih listov {1} za obdobje
 DocType: Contract Fulfilment Checklist,Requirement,Zahteva
 DocType: Journal Entry,Accounts Receivable,Terjatve
@@ -2953,16 +2982,16 @@
 DocType: Projects Settings,Timesheets,Evidence prisotnosti
 DocType: HR Settings,HR Settings,Nastavitve človeških virov
 DocType: Salary Slip,net pay info,net info plačilo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS Znesek
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS Znesek
 DocType: Woocommerce Settings,Enable Sync,Omogoči sinhronizacijo
 DocType: Tax Withholding Rate,Single Transaction Threshold,Enotni transakcijski prag
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ta vrednost se posodablja na seznamu Privzeta prodajna cena.
 DocType: Email Digest,New Expenses,Novi stroški
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Znesek
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Znesek
 DocType: Shareholder,Shareholder,Delničar
 DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Količina
 DocType: Cash Flow Mapper,Position,Položaj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Pridobi elemente iz receptov
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Pridobi elemente iz receptov
 DocType: Patient,Patient Details,Podrobnosti bolnika
 DocType: Inpatient Record,B Positive,B Pozitivni
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2974,8 +3003,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Skupina Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Šport
 DocType: Loan Type,Loan Name,posojilo Ime
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Skupaj Actual
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Skupaj Actual
 DocType: Student Siblings,Student Siblings,Študentski Bratje in sestre
 DocType: Subscription Plan Detail,Subscription Plan Detail,Podrobnosti o naročniškem načrtu
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Enota
@@ -3003,7 +3031,6 @@
 DocType: Workstation,Wages per hour,Plače na uro
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ravnotežje Serija {0} bo postal negativen {1} za postavko {2} v skladišču {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Po Material Zahteve so bile samodejno dvigne temelji na ravni re-naročilnico elementa
-DocType: Email Digest,Pending Sales Orders,Dokler prodajnih naročil
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Račun {0} ni veljaven. Valuta računa mora biti {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Od datuma {0} ne more biti po razrešitvi delavca Datum {1}
 DocType: Supplier,Is Internal Supplier,Je notranji dobavitelj
@@ -3012,13 +3039,14 @@
 DocType: Healthcare Settings,Remind Before,Opomni pred
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Pretvorba je potrebno v vrstici {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od prodajnega naloga, prodaje računa ali Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od prodajnega naloga, prodaje računa ali Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Točke za zvestobe = Koliko osnovna valuta?
 DocType: Salary Component,Deduction,Odbitek
 DocType: Item,Retain Sample,Ohrani vzorec
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Vrstica {0}: Od časa in do časa je obvezna.
 DocType: Stock Reconciliation Item,Amount Difference,znesek Razlika
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Postavka Cena dodana za {0} v Ceniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Postavka Cena dodana za {0} v Ceniku {1}
+DocType: Delivery Stop,Order Information,Informacije o naročilu
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vnesite ID Employee te prodaje oseba
 DocType: Territory,Classification of Customers by region,Razvrstitev stranke po regijah
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,V izdelavi
@@ -3029,8 +3057,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Izračunan Izjava bilance banke
 DocType: Normal Test Template,Normal Test Template,Običajna preskusna predloga
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,onemogočena uporabnik
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Ponudba
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Prejeti RFQ ni mogoče nastaviti na nobeno ceno
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Ponudba
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Prejeti RFQ ni mogoče nastaviti na nobeno ceno
 DocType: Salary Slip,Total Deduction,Skupaj Odbitek
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,"Izberite račun, ki ga želite natisniti v valuti računa"
 ,Production Analytics,proizvodne Analytics
@@ -3043,14 +3071,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavitev kazalčevega kazalnika
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Ime načrta ocenjevanja
 DocType: Work Order Operation,Work Order Operation,Delovni nalog
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Opozorilo: Neveljavno potrdilo SSL za pritrditev {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Opozorilo: Neveljavno potrdilo SSL za pritrditev {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Interesenti vam pomaga dobiti posel, dodamo vse svoje stike in več kot vaše vodi"
 DocType: Work Order Operation,Actual Operation Time,Dejanska Operacija čas
 DocType: Authorization Rule,Applicable To (User),Ki se uporabljajo za (Uporabnik)
 DocType: Purchase Taxes and Charges,Deduct,Odbitka
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Opis dela
 DocType: Student Applicant,Applied,Applied
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re-open
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re-open
 DocType: Sales Invoice Item,Qty as per Stock UOM,Kol. kot na UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Ime skrbnika2
 DocType: Attendance,Attendance Request,Zahteva za udeležbo
@@ -3068,7 +3096,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijska št {0} je pod garancijo stanuje {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Najmanjša dovoljena vrednost
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Uporabnik {0} že obstaja
-apps/erpnext/erpnext/hooks.py +114,Shipments,Pošiljke
+apps/erpnext/erpnext/hooks.py +115,Shipments,Pošiljke
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Skupaj Dodeljena Znesek (družba Valuta)
 DocType: Purchase Order Item,To be delivered to customer,Ki jih je treba dostaviti kupcu
 DocType: BOM,Scrap Material Cost,Stroški odpadnega materiala
@@ -3076,11 +3104,12 @@
 DocType: Grant Application,Email Notification Sent,Poslano obvestilo o e-pošti
 DocType: Purchase Invoice,In Words (Company Currency),V besedi (družba Valuta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Podjetje je manipulativno za račun podjetja
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Koda postavke, skladišče, količina sta potrebna v vrstici"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Koda postavke, skladišče, količina sta potrebna v vrstici"
 DocType: Bank Guarantee,Supplier,Dobavitelj
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Get From
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,To je korenski oddelek in ga ni mogoče urejati.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Prikaži podatke o plačilu
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Trajanje v dnevih
 DocType: C-Form,Quarter,Quarter
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Razni stroški
 DocType: Global Defaults,Default Company,Privzeto Podjetje
@@ -3088,7 +3117,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Odhodek ali Razlika račun je obvezna za postavko {0} saj to vpliva na skupna vrednost zalog
 DocType: Bank,Bank Name,Ime Banke
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Nad
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Pustite polje prazno, da boste lahko naročili naročila za vse dobavitelje"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Pustite polje prazno, da boste lahko naročili naročila za vse dobavitelje"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Bolniška obtočna obrestna točka
 DocType: Vital Signs,Fluid,Tekočina
 DocType: Leave Application,Total Leave Days,Skupaj dni dopusta
@@ -3098,7 +3127,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Nastavitve različice postavke
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Izberite Company ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Pustite prazno, če velja za vse oddelke"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} je obvezen za postavko {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} je obvezen za postavko {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Postavka {0}: {1} proizvedena količina,"
 DocType: Payroll Entry,Fortnightly,vsakih štirinajst dni
 DocType: Currency Exchange,From Currency,Iz valute
@@ -3148,7 +3177,7 @@
 DocType: Account,Fixed Asset,Osnovno sredstvo
 DocType: Amazon MWS Settings,After Date,Po datumu
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Zaporednimi Inventory
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Neveljaven {0} za Inter Company račun.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Neveljaven {0} za Inter Company račun.
 ,Department Analytics,Oddelek Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,V privzetem stiku ni mogoče najti e-pošte
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Ustvari skrivnost
@@ -3167,6 +3196,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,direktor
 DocType: Purchase Invoice,With Payment of Tax,S plačilom davka
 DocType: Expense Claim Detail,Expense Claim Detail,Expense Zahtevek Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Prosimo, nastavite sistem imenovanja inštruktorja v izobraževanju&gt; Nastavitve izobraževanja"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Trojnih dobavitelja
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Nova bilanca v osnovni valuti
 DocType: Location,Is Container,Je kontejner
@@ -3174,13 +3204,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Prosimo, izberite ustrezen račun"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Dodelitev strukture plač
 DocType: Purchase Invoice Item,Weight UOM,Teža UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Seznam razpoložljivih delničarjev s številkami folije
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Seznam razpoložljivih delničarjev s številkami folije
 DocType: Salary Structure Employee,Salary Structure Employee,Struktura Plač zaposlenih
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Prikaži lastnosti različic
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Prikaži lastnosti različic
 DocType: Student,Blood Group,Blood Group
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Račun plačilnega prehoda v načrtu {0} se razlikuje od računa prehoda plačila v tej zahtevi za plačilo
 DocType: Course,Course Name,Ime predmeta
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,"Ni podatkov o davčnem primanjkljaju, ugotovljenem za tekoče poslovno leto."
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,"Ni podatkov o davčnem primanjkljaju, ugotovljenem za tekoče poslovno leto."
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Uporabniki, ki lahko potrdijo zahtevke zapustiti določenega zaposlenega"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Pisarniška oprema
 DocType: Purchase Invoice Item,Qty,Kol.
@@ -3188,6 +3218,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Nastavitev točkovanja
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Electronics
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Dovoli isti predmet večkrat
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Dvignite Material Zahtevaj ko stock doseže stopnjo ponovnega naročila
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Polni delovni čas
 DocType: Payroll Entry,Employees,zaposleni
@@ -3199,11 +3230,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Potrdilo plačila
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Cene se ne bodo pokazale, če Cenik ni nastavljen"
 DocType: Stock Entry,Total Incoming Value,Skupaj Dohodni Vrednost
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Bremenitev je potrebno
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Bremenitev je potrebno
 DocType: Clinical Procedure,Inpatient Record,Hišni bolezen
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomaga slediti časa, stroškov in zaračunavanje za aktivnostmi s svojo ekipo, podpisan"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Nakup Cenik
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Datum transakcije
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Nakup Cenik
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Datum transakcije
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Predloge spremenljivk rezultatov dobaviteljev.
 DocType: Job Offer Term,Offer Term,Ponudba Term
 DocType: Asset,Quality Manager,Quality Manager
@@ -3224,11 +3255,11 @@
 DocType: Cashier Closing,To Time,Time
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) za {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Odobritvi vloge (nad pooblaščeni vrednosti)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Credit Za računu mora biti plačljivo račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Credit Za računu mora biti plačljivo račun
 DocType: Loan,Total Amount Paid,Skupni znesek plačan
 DocType: Asset,Insurance End Date,Končni datum zavarovanja
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Prosimo, izberite Študentski Pristop, ki je obvezen za študenta, ki plača študent"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija: {0} ne more biti starš ali otrok {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija: {0} ne more biti starš ali otrok {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Proračunski seznam
 DocType: Work Order Operation,Completed Qty,Končano število
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, lahko le debetne račune povezati proti drugemu knjiženje"
@@ -3236,7 +3267,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Zaporednimi Postavka {0} ni mogoče posodobiti s pomočjo zaloge sprave, uporabite zaloge Entry"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Zaporednimi Postavka {0} ni mogoče posodobiti s pomočjo zaloge sprave, uporabite zaloge Entry"
 DocType: Training Event Employee,Training Event Employee,Dogodek usposabljanje zaposlenih
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Največje vzorce - {0} lahko hranite za paket {1} in element {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Največje vzorce - {0} lahko hranite za paket {1} in element {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Dodaj časovne reže
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijska(e) številka(e) zahtevana(e) za postavko {1}. Navedli ste {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutni tečaj Vrednotenje
@@ -3267,11 +3298,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijska št {0} ni bilo mogoče najti
 DocType: Fee Schedule Program,Fee Schedule Program,Program urnika
 DocType: Fee Schedule Program,Student Batch,študent serije
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Če želite preklicati ta dokument, izbrišite zaposlenega <a href=""#Form/Employee/{0}"">{0}</a> \"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Naredite Študent
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min razred
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Vrsta enote zdravstvenega varstva
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Ti so bili povabljeni k sodelovanju na projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Ti so bili povabljeni k sodelovanju na projektu: {0}
 DocType: Supplier Group,Parent Supplier Group,Matična skupina dobaviteljev
+DocType: Email Digest,Purchase Orders to Bill,Naročila za nakup
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Akumulirane vrednosti v družbi v skupini
 DocType: Leave Block List Date,Block Date,Block Datum
 DocType: Crop,Crop,Pridelek
@@ -3284,6 +3318,7 @@
 DocType: Sales Order,Not Delivered,Ne Delivered
 ,Bank Clearance Summary,Banka Potrditev Povzetek
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Ustvarjanje in upravljanje dnevne, tedenske in mesečne email prebavlja."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,To temelji na transakcijah proti tej prodajni osebi. Podrobnosti si oglejte spodaj
 DocType: Appraisal Goal,Appraisal Goal,Cenitev cilj
 DocType: Stock Reconciliation Item,Current Amount,Trenutni znesek
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,zgradbe
@@ -3310,7 +3345,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Programska oprema
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Naslednja Stik datum ne more biti v preteklosti
 DocType: Company,For Reference Only.,Samo za referenco.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Izberite Serija št
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Izberite Serija št
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Neveljavna {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Reference Inv
@@ -3328,16 +3363,16 @@
 DocType: Normal Test Items,Require Result Value,Zahtevajte vrednost rezultata
 DocType: Item,Show a slideshow at the top of the page,Prikaži diaprojekcijo na vrhu strani
 DocType: Tax Withholding Rate,Tax Withholding Rate,Davčna stopnja zadržanja
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Trgovine
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Trgovine
 DocType: Project Type,Projects Manager,Projekti Manager
 DocType: Serial No,Delivery Time,Čas dostave
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,"Staranje, ki temelji na"
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Imenovanje je preklicano
 DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Potovanja
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Potovanja
 DocType: Student Report Generation Tool,Include All Assessment Group,Vključi vse ocenjevalne skupine
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,"Ni aktivnega ali privzeti plač struktura, ugotovljena za zaposlenega {0} za datumoma"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,"Ni aktivnega ali privzeti plač struktura, ugotovljena za zaposlenega {0} za datumoma"
 DocType: Leave Block List,Allow Users,Dovoli uporabnike
 DocType: Purchase Order,Customer Mobile No,Stranka Mobile No
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobnosti o predlogi za kartiranje denarnega toka
@@ -3346,15 +3381,16 @@
 DocType: Rename Tool,Rename Tool,Preimenovanje orodje
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Posodobitev Stroški
 DocType: Item Reorder,Item Reorder,Postavka Preureditev
+DocType: Delivery Note,Mode of Transport,Način prevoza
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Prikaži Plača listek
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Prenos Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Prenos Material
 DocType: Fees,Send Payment Request,Pošiljanje zahtevka za plačilo
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Določite operacij, obratovalne stroške in daje edinstveno Operacija ni na vaše poslovanje."
 DocType: Travel Request,Any other details,Kakšne druge podrobnosti
 DocType: Water Analysis,Origin,Izvor
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,"Ta dokument je nad mejo, ki jo {0} {1} za postavko {4}. Delaš drugo {3} zoper isto {2}?"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,"Prosim, nastavite ponavljajočih se po shranjevanju"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,znesek računa Izberite sprememba
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,"Prosim, nastavite ponavljajočih se po shranjevanju"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,znesek računa Izberite sprememba
 DocType: Purchase Invoice,Price List Currency,Cenik Valuta
 DocType: Naming Series,User must always select,Uporabnik mora vedno izbrati
 DocType: Stock Settings,Allow Negative Stock,Dovoli Negative Stock
@@ -3375,9 +3411,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledljivost
 DocType: Asset Maintenance Log,Actions performed,Izvedeni ukrepi
 DocType: Cash Flow Mapper,Section Leader,Oddelek Leader
+DocType: Delivery Note,Transport Receipt No,Prevozni list št
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Vir sredstev (obveznosti)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Izvorna in ciljna lokacija ne moreta biti enaka
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina v vrstici {0} ({1}) mora biti enaka kot je bila proizvedena količina {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina v vrstici {0} ({1}) mora biti enaka kot je bila proizvedena količina {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Zaposleni
 DocType: Bank Guarantee,Fixed Deposit Number,Fiksna številka depozita
 DocType: Asset Repair,Failure Date,Datum odpovedi
@@ -3391,16 +3428,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Plačilni Odbitki ali izguba
 DocType: Soil Analysis,Soil Analysis Criterias,Kriteriji za analizo tal
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardni pogodbeni pogoji za prodajo ali nakup.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,"Ali ste prepričani, da želite preklicati ta sestanek?"
+DocType: BOM Item,Item operation,Operacija elementa
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,"Ali ste prepričani, da želite preklicati ta sestanek?"
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Paket hotelskih cen
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,prodaja Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,prodaja Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},"Prosim, nastavite privzetega računa v plač komponento {0}"
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Zahtevani Na
 DocType: Rename Tool,File to Rename,Datoteka za preimenovanje
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Izberite BOM za postavko v vrstici {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Prenesi posodobitve naročnine
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Račun {0} ne ujema z družbo {1} v načinu račun: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Določeno BOM {0} ne obstaja za postavko {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Določeno BOM {0} ne obstaja za postavko {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Tečaj:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vzdrževanje Urnik {0} je treba odpovedati pred preklicem te Sales Order
@@ -3409,7 +3447,7 @@
 DocType: Notification Control,Expense Claim Approved,Expense Zahtevek Odobreno
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Nastavi predujme in dodelitev (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Št delovnih nalogov ustvarjenih
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Plača Slip delavca {0} že ustvarili za to obdobje
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Plača Slip delavca {0} že ustvarili za to obdobje
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Pharmaceutical
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Leave Encashment lahko oddate samo za veljaven znesek obračuna
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Vrednost kupljenih artiklov
@@ -3417,7 +3455,8 @@
 DocType: Selling Settings,Sales Order Required,Zahtevano je naročilo
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Postanite prodajalec
 DocType: Purchase Invoice,Credit To,Kredit
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktivne ponudbe / Stranke
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktivne ponudbe / Stranke
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Pustite prazno, da uporabite standardno obliko zapisa za dostavo"
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vzdrževanje Urnik Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Opozori na nova naročila
@@ -3431,14 +3470,14 @@
 DocType: Support Search Source,Post Title Key,Ključ za objavo naslova
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Za delovno kartico
 DocType: Warranty Claim,Raised By,Raised By
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Predpisi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Predpisi
 DocType: Payment Gateway Account,Payment Account,Plačilo računa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Prosimo, navedite Company nadaljevati"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Prosimo, navedite Company nadaljevati"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Neto sprememba terjatev do kupcev
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompenzacijske Off
 DocType: Job Offer,Accepted,Sprejeto
 DocType: POS Closing Voucher,Sales Invoices Summary,Povzetek prodajnih računov
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Ime stranke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Ime stranke
 DocType: Grant Application,Organization,organizacija
 DocType: Grant Application,Organization,organizacija
 DocType: BOM Update Tool,BOM Update Tool,Orodje za posodobitev BOM
@@ -3448,7 +3487,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Prosimo, preverite, ali ste prepričani, da želite izbrisati vse posle, za te družbe. Vaši matični podatki bodo ostali kot je. Ta ukrep ni mogoče razveljaviti."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Rezultati iskanja
 DocType: Room,Room Number,Številka sobe
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Neveljavna referenčna {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Neveljavna referenčna {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne more biti večji od načrtovanih količin ({2}) v Naročilu proizvodnje {3}
 DocType: Shipping Rule,Shipping Rule Label,Oznaka dostavnega pravila
 DocType: Journal Entry Account,Payroll Entry,Vnos plače
@@ -3456,8 +3495,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Naredi davčno predlogo
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Uporabniški forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Surovine ne more biti prazno.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Vrstica # {0} (Tabela plačil): znesek mora biti negativen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Ni mogel posodobiti vozni park, faktura vsebuje padec element ladijskega prometa."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Vrstica # {0} (Tabela plačil): znesek mora biti negativen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Ni mogel posodobiti vozni park, faktura vsebuje padec element ladijskega prometa."
 DocType: Contract,Fulfilment Status,Status izpolnjevanja
 DocType: Lab Test Sample,Lab Test Sample,Vzorec laboratorijskega testa
 DocType: Item Variant Settings,Allow Rename Attribute Value,Dovoli preimenovanje vrednosti atributa
@@ -3499,11 +3538,11 @@
 DocType: BOM,Show Operations,prikaži Operations
 ,Minutes to First Response for Opportunity,Minut do prvega odziva za priložnost
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Skupaj Odsoten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Postavka ali skladišča za vrstico {0} ne ujema Material dogovoru
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Postavka ali skladišča za vrstico {0} ne ujema Material dogovoru
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Merska enota
 DocType: Fiscal Year,Year End Date,Leto End Date
 DocType: Task Depends On,Task Depends On,Naloga je odvisna od
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Priložnost
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Priložnost
 DocType: Operation,Default Workstation,Privzeto Workstation
 DocType: Notification Control,Expense Claim Approved Message,Expense Zahtevek Odobreno Sporočilo
 DocType: Payment Entry,Deductions or Loss,Odbitki ali izguba
@@ -3541,21 +3580,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,"Odobritvi Uporabnik ne more biti isto kot uporabnika je pravilo, ki veljajo za"
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Osnovni tečaj (kot na borzi UOM)
 DocType: SMS Log,No of Requested SMS,Št zaprošene SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Pusti brez plačila ne ujema z odobrenimi evidence Leave aplikacij
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Pusti brez plačila ne ujema z odobrenimi evidence Leave aplikacij
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Naslednji koraki
 DocType: Travel Request,Domestic,Domači
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,"Prosimo, da določene elemente na najboljših možnih cenah"
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,"Prosimo, da določene elemente na najboljših možnih cenah"
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Prenos zaposlencev ni mogoče predati pred datumom prenosa
 DocType: Certification Application,USD,ameriški dolar
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Izračunajte
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Ostati v ravnotežju
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Ostati v ravnotežju
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto blizu Priložnost po 15 dneh
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Nakupna naročila niso dovoljena za {0} zaradi postavke ocene rezultatov {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Črtna koda {0} ni veljavna {1} koda
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Črtna koda {0} ni veljavna {1} koda
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Leto zaključka
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / svinec%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / svinec%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Naročilo Končni datum mora biti večja od Datum pridružitve
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Naročilo Končni datum mora biti večja od Datum pridružitve
 DocType: Driver,Driver,Voznik
 DocType: Vital Signs,Nutrition Values,Prehranske vrednosti
 DocType: Lab Test Template,Is billable,Je zaračunljiv
@@ -3566,7 +3605,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,To je primer spletne strani samodejno ustvari iz ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Staranje Razpon 1
 DocType: Shopify Settings,Enable Shopify,Omogoči Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Skupni znesek vnaprej ne more biti večji od skupnega zahtevanega zneska
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Skupni znesek vnaprej ne more biti večji od skupnega zahtevanega zneska
 DocType: Purchase Taxes and Charges Template,"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
@@ -3593,12 +3632,12 @@
 DocType: Employee Separation,Employee Separation,Razdelitev zaposlenih
 DocType: BOM Item,Original Item,Izvirna postavka
 DocType: Purchase Receipt Item,Recd Quantity,Recd Količina
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Datum
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Datum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Fee Records Created - {0}
 DocType: Asset Category Account,Asset Category Account,Sredstvo Kategorija račun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Vrstica # {0} (Tabela plačil): znesek mora biti pozitiven
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Vrstica # {0} (Tabela plačil): znesek mora biti pozitiven
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Ne more proizvajati več item {0} od prodaje kol {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Izberite vrednosti atributa
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Izberite vrednosti atributa
 DocType: Purchase Invoice,Reason For Issuing document,Razlog za izdajo dokumenta
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Začetek {0} ni predložila
 DocType: Payment Reconciliation,Bank / Cash Account,Banka / Gotovinski račun
@@ -3607,8 +3646,10 @@
 DocType: Asset,Manual,Ročno
 DocType: Salary Component Account,Salary Component Account,Plača Komponenta račun
 DocType: Global Defaults,Hide Currency Symbol,Skrij valutni simbol
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Prodajne možnosti po viru
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Podatki o donatorju.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","npr Bank, gotovini, Kreditna kartica"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Prosimo, nastavite številske serije za udeležbo preko Setup&gt; Series Numbering"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","npr Bank, gotovini, Kreditna kartica"
 DocType: Job Applicant,Source Name,Source Name
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalni krvni tlak pri odraslih je približno 120 mmHg sistoličnega in 80 mmHg diastoličnega, okrajšanega &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Določite rok trajanja v dnevih, nastavite potek veljavnosti glede na production_date plus življenjsko dobo"
@@ -3638,7 +3679,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Količina mora biti manjša od količine {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Vrstica {0}: Začetni datum mora biti pred končnim datumom
 DocType: Salary Component,Max Benefit Amount (Yearly),Znesek maksimalnega zneska (letno)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Stopnja%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Stopnja%
 DocType: Crop,Planting Area,Območje sajenja
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Skupaj (Kol)
 DocType: Installation Note Item,Installed Qty,Nameščen Kol
@@ -3660,8 +3701,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Pustite obvestilo o odobritvi
 DocType: Buying Settings,Default Buying Price List,Privzet nabavni cenik
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Plača Slip Na Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Nakupna cena
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Vrstica {0}: vnesite lokacijo za postavko sredstva {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Nakupna cena
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Vrstica {0}: vnesite lokacijo za postavko sredstva {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,O podjetju
 DocType: Notification Control,Sales Order Message,Sales Order Sporočilo
@@ -3728,10 +3769,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Za vrstico {0}: vnesite načrtovani qty
 DocType: Account,Income Account,Prihodki račun
 DocType: Payment Request,Amount in customer's currency,Znesek v valuti stranke
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Dostava
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Dostava
 DocType: Volunteer,Weekdays,Delovni dnevi
 DocType: Stock Reconciliation Item,Current Qty,Trenutni Kol
 DocType: Restaurant Menu,Restaurant Menu,Restavracija Meni
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Dodaj dobavitelje
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Oddelek za pomoč
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,prejšnja
@@ -3743,19 +3785,20 @@
 												fullfill Sales Order {2}","Ne more dostaviti zaporednega št. {0} elementa {1}, ker je rezerviran za \ polnjenje prodajnega naročila {2}"
 DocType: Item Reorder,Material Request Type,Material Zahteva Type
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Pošlji e-pošto za pregled e-pošte
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Lokalno shrambo je polna, ni rešil"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Vrstica {0}: UOM Conversion Factor je obvezna
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Lokalno shrambo je polna, ni rešil"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Vrstica {0}: UOM Conversion Factor je obvezna
 DocType: Employee Benefit Claim,Claim Date,Datum zahtevka
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Zmogljivost sob
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Že obstaja zapis za postavko {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,"Izgubili boste zapise o že ustvarjenih računih. Ali ste prepričani, da želite znova zagnati to naročnino?"
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Kotizacija
 DocType: Loyalty Program Collection,Loyalty Program Collection,Zbirka programa zvestobe
 DocType: Stock Entry Detail,Subcontracted Item,Postavka s podizvajalci
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Študent {0} ne pripada skupini {1}
 DocType: Budget,Cost Center,Stroškovno Center
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Naročilnica sporočilo
 DocType: Tax Rule,Shipping Country,Dostava Država
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skrij ID za DDV naročnika od prodajnih transakcij
@@ -3774,23 +3817,22 @@
 DocType: Subscription,Cancel At End Of Period,Prekliči ob koncu obdobja
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Lastnost že dodana
 DocType: Item Supplier,Item Supplier,Postavka Dobavitelj
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Vnesite Koda dobiti serijo no
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Prosimo, izberite vrednost za {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Vnesite Koda dobiti serijo no
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Prosimo, izberite vrednost za {0} quotation_to {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Ni izbranih elementov za prenos
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Vsi naslovi.
 DocType: Company,Stock Settings,Nastavitve Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je mogoče le, če so naslednje lastnosti enaka v obeh evidencah. Je skupina, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je mogoče le, če so naslednje lastnosti enaka v obeh evidencah. Je skupina, Root Type, Company"
 DocType: Vehicle,Electric,električni
 DocType: Task,% Progress,% napredka
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Dobiček / izgube pri prodaji premoženja
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",V spodnji tabeli bo izbran samo kandidat s statusom »Odobreno«.
 DocType: Tax Withholding Category,Rates,Cene
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Številka računa za račun {0} ni na voljo. <br> Pravilno nastavite svoj račun.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Številka računa za račun {0} ni na voljo. <br> Pravilno nastavite svoj račun.
 DocType: Task,Depends on Tasks,Odvisno od Opravila
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Upravljanje drevesa skupine kupcev.
 DocType: Normal Test Items,Result Value,Vrednost rezultata
 DocType: Hotel Room,Hotels,Hoteli
-DocType: Delivery Note,Transporter Date,Datum prenosa
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New Stroški Center Ime
 DocType: Leave Control Panel,Leave Control Panel,Pustite Nadzorna plošča
 DocType: Project,Task Completion,naloga Zaključek
@@ -3837,11 +3879,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Vse skupine za ocenjevanje
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Novo skladišče Ime
 DocType: Shopify Settings,App Type,Vrsta aplikacije
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Skupno {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Skupno {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Ozemlje
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Navedite ni obiskov zahtevanih
 DocType: Stock Settings,Default Valuation Method,Način Privzeto Vrednotenje
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Fee
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Prikaži skupni znesek
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Posodabljanje je v teku. Mogoče bo trajalo nekaj časa.
 DocType: Production Plan Item,Produced Qty,Proizvedeno količino
 DocType: Vehicle Log,Fuel Qty,gorivo Kol
@@ -3849,7 +3892,7 @@
 DocType: Work Order Operation,Planned Start Time,Načrtovano Start Time
 DocType: Course,Assessment,ocena
 DocType: Payment Entry Reference,Allocated,Razporejeni
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Zapri Bilanca stanja in rezervirajte poslovnem izidu.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Zapri Bilanca stanja in rezervirajte poslovnem izidu.
 DocType: Student Applicant,Application Status,Status uporaba
 DocType: Additional Salary,Salary Component Type,Vrsta plačne komponente
 DocType: Sensitivity Test Items,Sensitivity Test Items,Testi preizkusov občutljivosti
@@ -3860,10 +3903,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Skupni preostali znesek
 DocType: Sales Partner,Targets,Cilji
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,"Prosimo, registrirajte številko SIREN v podatkovni datoteki podjetja"
+DocType: Email Digest,Sales Orders to Bill,Prodajna naročila za Bill
 DocType: Price List,Price List Master,Cenik Master
 DocType: GST Account,CESS Account,CESS račun
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Vse prodajne transakcije je lahko označena pred številnimi ** Prodajni Osebe **, tako da lahko nastavite in spremljanje ciljev."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Povezava z zahtevo za material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Povezava z zahtevo za material
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forumska dejavnost
 ,S.O. No.,SO No.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Postavka postavk transakcije za bankovce
@@ -3878,7 +3922,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,To je skupina koren stranke in jih ni mogoče urejati.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Ukrep, če je bil akumuliran mesečni proračun prekoračen na PO"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Na mestu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Na mestu
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Prevrednotenje deviznega tečaja
 DocType: POS Profile,Ignore Pricing Rule,Ignoriraj Pricing pravilo
 DocType: Employee Education,Graduate,Maturirati
@@ -3915,6 +3959,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Privzeto stran nastavite v nastavitvah restavracij
 ,Salary Register,plača Registracija
 DocType: Warehouse,Parent Warehouse,Parent Skladišče
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Graf
 DocType: Subscription,Net Total,Neto Skupaj
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Privzeti BOM nismo našli v postavki {0} in projektno {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Opredeliti različne vrste posojil
@@ -3947,24 +3992,26 @@
 DocType: Membership,Membership Status,Status članstva
 DocType: Travel Itinerary,Lodging Required,Potrebna namestitev
 ,Requested,Zahteval
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Ni Opombe
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Ni Opombe
 DocType: Asset,In Maintenance,V vzdrževanju
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Kliknite ta gumb, da povlečete podatke o prodajnem naročilu iz Amazon MWS."
 DocType: Vital Signs,Abdomen,Trebuh
 DocType: Purchase Invoice,Overdue,Zapadle
 DocType: Account,Stock Received But Not Billed,Prejete Stock Ampak ne zaračuna
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root račun mora biti skupina
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root račun mora biti skupina
 DocType: Drug Prescription,Drug Prescription,Predpis o drogah
 DocType: Loan,Repaid/Closed,Povrne / Zaprto
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Skupne projekcije Kol
 DocType: Monthly Distribution,Distribution Name,Porazdelitev Name
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Vključi UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopnja vrednotenja ni mogoče najti za postavko {0}, ki je potrebna za izvršitev računovodskih vnosov za {1} {2}. Če je predmet predmet transakcije kot element ničelne vrednosti za vrednost v {1}, navedite to v tabeli {1} Item. V nasprotnem primeru ustvarite transakcijo dohodne delnice za postavko ali navedite stopnjo vrednotenja v zapisu postavke in poskusite poslati / preklicati ta vnos"
 DocType: Course,Course Code,Koda predmeta
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inšpekcija kakovosti potrebna za postavko {0}
 DocType: Location,Parent Location,Lokacija matere
 DocType: POS Settings,Use POS in Offline Mode,Uporabite POS v načinu brez povezave
 DocType: Supplier Scorecard,Supplier Variables,Spremenljivke dobavitelja
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} je obvezen. Morda ni zapiska za menjavo valut za {1} do {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Obrestna mera, po kateri kupec je valuti, se pretvori v osnovni valuti družbe"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (družba Valuta)
 DocType: Salary Detail,Condition and Formula Help,Stanje in Formula Pomoč
@@ -3973,19 +4020,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Račun
 DocType: Journal Entry Account,Party Balance,Balance Party
 DocType: Cash Flow Mapper,Section Subtotal,Vmesni del vsote
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Prosimo, izberite Uporabi popust na"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Prosimo, izberite Uporabi popust na"
 DocType: Stock Settings,Sample Retention Warehouse,Skladišče za shranjevanje vzorcev
 DocType: Company,Default Receivable Account,Privzeto Terjatve račun
 DocType: Purchase Invoice,Deemed Export,Izbrisani izvoz
 DocType: Stock Entry,Material Transfer for Manufacture,Prenos materialov za proizvodnjo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Popust Odstotek se lahko uporablja bodisi proti ceniku ali za vse cenik.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Računovodstvo Vstop za zalogi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Računovodstvo Vstop za zalogi
 DocType: Lab Test,LabTest Approver,Odobritev LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ste že ocenili za ocenjevalnih meril {}.
 DocType: Vehicle Service,Engine Oil,Motorno olje
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Ustvarjeni delovni nalogi: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Ustvarjeni delovni nalogi: {0}
 DocType: Sales Invoice,Sales Team1,Prodaja TEAM1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Element {0} ne obstaja
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Element {0} ne obstaja
 DocType: Sales Invoice,Customer Address,Naslov stranke
 DocType: Loan,Loan Details,posojilo Podrobnosti
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Naprave za namestitev objav ni uspelo
@@ -4006,34 +4053,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Pokažite ta diaprojekcije na vrhu strani
 DocType: BOM,Item UOM,Postavka UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Davčna Znesek Po Popust Znesek (družba Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Ciljna skladišče je obvezna za vrstico {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Ciljna skladišče je obvezna za vrstico {0}
 DocType: Cheque Print Template,Primary Settings,primarni Nastavitve
 DocType: Attendance Request,Work From Home,Delo z doma
 DocType: Purchase Invoice,Select Supplier Address,Izberite Dobavitelj naslov
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Dodaj Zaposleni
 DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,standard Template
 DocType: Training Event,Theory,teorija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,"Opozorilo: Material Zahtevana Količina je manj kot minimalna, da Kol"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,"Opozorilo: Material Zahtevana Količina je manj kot minimalna, da Kol"
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Račun {0} je zamrznjen
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna oseba / Hčerinska družba z ločenim računom ki pripada organizaciji.
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Hrana, pijača, tobak"
 DocType: Account,Account Number,Številka računa
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Lahko le plačilo proti neobračunano {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Stopnja Komisija ne more biti večja od 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Lahko le plačilo proti neobračunano {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Stopnja Komisija ne more biti večja od 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Avtomatsko dodeljevanje napredka (FIFO)
 DocType: Volunteer,Volunteer,Prostovoljka
 DocType: Buying Settings,Subcontract,Podizvajalska pogodba
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Vnesite {0} najprej
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Ni odgovorov
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Ni odgovorov
 DocType: Work Order Operation,Actual End Time,Dejanski Končni čas
 DocType: Item,Manufacturer Part Number,Številka dela proizvajalca
 DocType: Taxable Salary Slab,Taxable Salary Slab,Obdavčljive plače
 DocType: Work Order Operation,Estimated Time and Cost,Predvideni čas in stroški
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Ime pridelka
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,V Marketplace se lahko registrirajo samo uporabniki z vlogo {0}
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,V Marketplace se lahko registrirajo samo uporabniki z vlogo {0}
 DocType: SMS Log,No of Sent SMS,Število poslanih SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.GGGG.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Imenovanja in srečanja
@@ -4062,7 +4110,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Spremeni kodo
 DocType: Purchase Invoice Item,Valuation Rate,Oceni Vrednotenje
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Cenik Valuta ni izbran
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Cenik Valuta ni izbran
 DocType: Purchase Invoice,Availed ITC Cess,Uporabil ITC Cess
 ,Student Monthly Attendance Sheet,Študent Mesečni Udeležba Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Pravilo o dostavi velja samo za prodajo
@@ -4079,7 +4127,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Upravljanje prodajne partnerje.
 DocType: Quality Inspection,Inspection Type,Inšpekcijski Type
 DocType: Fee Validity,Visited yet,Obiskal še
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Skladišča z obstoječim poslom ni mogoče pretvoriti v skupino.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Skladišča z obstoječim poslom ni mogoče pretvoriti v skupino.
 DocType: Assessment Result Tool,Result HTML,rezultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kako pogosto je treba posodobiti projekt in podjetje na podlagi prodajnih transakcij.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Poteče
@@ -4087,7 +4135,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Prosimo, izberite {0}"
 DocType: C-Form,C-Form No,C-forma
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Razdalja
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Razdalja
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Navedite svoje izdelke ali storitve, ki jih kupite ali prodajate."
 DocType: Water Analysis,Storage Temperature,Temperatura shranjevanja
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4103,19 +4151,19 @@
 DocType: Shopify Settings,Delivery Note Series,Serija opombe o dostavi
 DocType: Purchase Order Item,Returned Qty,Vrnjeno Kol
 DocType: Student,Exit,Izhod
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Tip je obvezna
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Tip je obvezna
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Namestitev prednastavitev ni uspela
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Pretvorba UOM v urah
 DocType: Contract,Signee Details,Podrobnosti o označevanju
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} ima trenutno {1} oceno dobavitelja in naročila temu dobavitelju je treba izdajati s previdnostjo
 DocType: Certified Consultant,Non Profit Manager,Neprofitni menedžer
 DocType: BOM,Total Cost(Company Currency),Skupni stroški (družba Valuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serijska št {0} ustvaril
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serijska št {0} ustvaril
 DocType: Homepage,Company Description for website homepage,Podjetje Opis za domačo stran spletnega mesta
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za udobje kupcev lahko te kode se uporabljajo v tiskanih oblikah, kot so na računih in dobavnicah"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Ime suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Podatkov za {0} ni bilo mogoče pridobiti.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Otvoritveni dnevnik
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Otvoritveni dnevnik
 DocType: Contract,Fulfilment Terms,Izpolnjevanje pogojev
 DocType: Sales Invoice,Time Sheet List,Časovnica
 DocType: Employee,You can enter any date manually,Lahko jih vnesete nobenega datuma
@@ -4151,7 +4199,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Vaša organizacija
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Preskočite dodelitev dodelitve za naslednje zaposlene, saj zanje obstajajo zapise o zapustitvi dodelitve. {0}"
 DocType: Fee Component,Fees Category,pristojbine Kategorija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Vnesite lajšanje datum.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Vnesite lajšanje datum.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Podrobnosti o sponzorju (ime, lokacija)"
 DocType: Supplier Scorecard,Notify Employee,Obvesti delavca
@@ -4164,9 +4212,9 @@
 DocType: Company,Chart Of Accounts Template,Graf Of predlogo računov
 DocType: Attendance,Attendance Date,Udeležba Datum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Posodobitev zaloge mora biti omogočena za račun za nakup {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Kos Cena posodabljati za {0} v ceniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Kos Cena posodabljati za {0} v ceniku {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plača razpadu temelji na zaslužek in odbitka.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Račun z zapirali vozlišč ni mogoče pretvoriti v knjigo terjatev
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Račun z zapirali vozlišč ni mogoče pretvoriti v knjigo terjatev
 DocType: Purchase Invoice Item,Accepted Warehouse,Accepted Skladišče
 DocType: Bank Reconciliation Detail,Posting Date,Napotitev Datum
 DocType: Item,Valuation Method,Metoda vrednotenja
@@ -4203,6 +4251,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Izberite serijo
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Zahtevki za potne stroške in stroške
 DocType: Sales Invoice,Redemption Cost Center,Center za odkupne stroške
+DocType: QuickBooks Migrator,Scope,Področje uporabe
 DocType: Assessment Group,Assessment Group Name,Ime skupine ocena
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Preneseno za Izdelava
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Dodaj v podrobnosti
@@ -4210,6 +4259,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Last Sync Datetime
 DocType: Landed Cost Item,Receipt Document Type,Prejem Vrsta dokumenta
 DocType: Daily Work Summary Settings,Select Companies,izberite podjetja
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Cenik ponudbe / cen
 DocType: Antibiotic,Healthcare,Zdravstvo
 DocType: Target Detail,Target Detail,Ciljna Detail
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Enotna varianta
@@ -4219,6 +4269,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Obdobje Closing Začetek
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Izberite oddelek ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Stroškovno Center z obstoječimi transakcij ni mogoče pretvoriti v skupini
+DocType: QuickBooks Migrator,Authorization URL,URL avtorizacije
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Znesek {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortizacija
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Število delnic in številke delnic so neskladne
@@ -4241,13 +4292,14 @@
 DocType: Support Search Source,Source DocType,Vir DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Odprite novo karto
 DocType: Training Event,Trainer Email,Trainer Email
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Material Zahteve {0} ustvarjene
 DocType: Restaurant Reservation,No of People,Število ljudi
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Predloga izrazov ali pogodbe.
 DocType: Bank Account,Address and Contact,Naslov in Stik
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Je računa plačljivo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock ni mogoče posodobiti proti Nakup prejemu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock ni mogoče posodobiti proti Nakup prejemu {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto blizu Izdaja po 7 dneh
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dopusta ni mogoče dodeliti pred {0}, saj je bilanca dopust že-carry posredujejo v evidenco dodeljevanja dopust prihodnji {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opomba: Zaradi / Referenčni datum presega dovoljene kreditnih stranka dni s {0} dan (s)
@@ -4265,7 +4317,7 @@
 ,Qty to Deliver,Količina na Deliver
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon bo sinhroniziral podatke, posodobljene po tem datumu"
 ,Stock Analytics,Analiza zaloge
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operacije se ne sme ostati prazno
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operacije se ne sme ostati prazno
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Laboratorijski testi
 DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Podrobnosti dokumenta št
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Brisanje ni dovoljeno za državo {0}
@@ -4273,13 +4325,12 @@
 DocType: Quality Inspection,Outgoing,Odhodni
 DocType: Material Request,Requested For,Zaprosila za
 DocType: Quotation Item,Against Doctype,Proti DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} je preklican ali končan
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} je preklican ali končan
 DocType: Asset,Calculate Depreciation,Izračunajte amortizacijo
 DocType: Delivery Note,Track this Delivery Note against any Project,Sledi tej dobavnica proti kateri koli projekt
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Čisti denarni tok iz naložbenja
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Stranka&gt; Skupina strank&gt; Teritorija
 DocType: Work Order,Work-in-Progress Warehouse,Work-in-Progress Warehouse
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Sredstvo {0} je treba predložiti
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Sredstvo {0} je treba predložiti
 DocType: Fee Schedule Program,Total Students,Skupaj študenti
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Šivih {0} obstaja proti Študent {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referenčna # {0} dne {1}
@@ -4298,7 +4349,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Ne morete ustvariti zadrževalnega bonusa za leve zaposlene
 DocType: Lead,Market Segment,Tržni segment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Kmetijski vodja
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Plačani znesek ne sme biti večja od celotnega negativnega neplačanega zneska {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Plačani znesek ne sme biti večja od celotnega negativnega neplačanega zneska {0}
 DocType: Supplier Scorecard Period,Variables,Spremenljivke
 DocType: Employee Internal Work History,Employee Internal Work History,Zaposleni Notranji Delo Zgodovina
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Zapiranje (Dr)
@@ -4322,22 +4373,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Izdelki
 DocType: Loyalty Point Entry,Loyalty Program,Program zvestobe
 DocType: Student Guardian,Father,oče
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Podporne vstopnice
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"&quot;Update Stock&quot;, ni mogoče preveriti za prodajo osnovnih sredstev"
 DocType: Bank Reconciliation,Bank Reconciliation,Banka Sprava
 DocType: Attendance,On Leave,Na dopustu
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dobite posodobitve
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: račun {2} ne pripada družbi {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Izberite vsaj eno vrednost iz vsakega od atributov.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Izberite vsaj eno vrednost iz vsakega od atributov.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Material Zahteva {0} je odpovedan ali ustavi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Država odpreme
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Država odpreme
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Pustite upravljanje
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Skupine
 DocType: Purchase Invoice,Hold Invoice,Držite račun
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Izberite zaposleni
 DocType: Sales Order,Fully Delivered,Popolnoma Delivered
-DocType: Lead,Lower Income,Nižji od dobička
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Nižji od dobička
 DocType: Restaurant Order Entry,Current Order,Trenutni naročilo
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Število serijskih številk in količine mora biti enako
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Vir in cilj skladišče ne more biti enaka za vrstico {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Vir in cilj skladišče ne more biti enaka za vrstico {0}
 DocType: Account,Asset Received But Not Billed,"Prejeta sredstva, vendar ne zaračunana"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika računa mora biti tip Asset / Liability račun, saj je ta Stock Sprava je Entry Otvoritev"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Plačanega zneska ne sme biti večja od zneska kredita {0}
@@ -4346,7 +4399,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Naročilnica zahtevanega števila za postavko {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Od datuma' mora biti za 'Do datuma '
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Za ta naziv ni bilo mogoče najti nobenega kadrovskega načrta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Paket {0} postavke {1} je onemogočen.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Paket {0} postavke {1} je onemogočen.
 DocType: Leave Policy Detail,Annual Allocation,Letno dodeljevanje
 DocType: Travel Request,Address of Organizer,Naslov organizatorja
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Izberite zdravstvenega zdravnika ...
@@ -4355,12 +4408,12 @@
 DocType: Asset,Fully Depreciated,celoti amortizirana
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stock Predvidena Količina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},"Stranka {0} ne pripada, da projekt {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},"Stranka {0} ne pripada, da projekt {1}"
 DocType: Employee Attendance Tool,Marked Attendance HTML,Markirana Udeležba HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citati so predlogi, ponudbe, ki ste jih poslali svojim strankam"
 DocType: Sales Invoice,Customer's Purchase Order,Stranke Naročilo
 DocType: Clinical Procedure,Patient,Bolnik
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bypass preverjanje kredita na prodajnem naročilu
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bypass preverjanje kredita na prodajnem naročilu
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktivnost vkrcanja zaposlenih
 DocType: Location,Check if it is a hydroponic unit,"Preverite, ali gre za hidroponično enoto"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serijska številka in serije
@@ -4370,7 +4423,7 @@
 DocType: Supplier Scorecard Period,Calculations,Izračuni
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Vrednost ali Kol
 DocType: Payment Terms Template,Payment Terms,Plačilni pogoji
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Produkcije Naročila ni mogoče povečati za:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Produkcije Naročila ni mogoče povečati za:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minute
 DocType: Purchase Invoice,Purchase Taxes and Charges,Nakup davki in dajatve
 DocType: Chapter,Meetup Embed HTML,Meetup Vstavi HTML
@@ -4378,7 +4431,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Pojdi na dobavitelje
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Davčne takse
 ,Qty to Receive,Količina za prejemanje
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Začetni in končni datumi, ki niso v veljavnem plačilnem obdobju, ne morejo izračunati {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Začetni in končni datumi, ki niso v veljavnem plačilnem obdobju, ne morejo izračunati {0}."
 DocType: Leave Block List,Leave Block List Allowed,Pustite Block Seznam Dovoljeno
 DocType: Grading Scale Interval,Grading Scale Interval,Ocenjevalna lestvica Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Expense Zahtevek za vozila Prijavi {0}
@@ -4386,10 +4439,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cena iz cenika Oceni z mejo
 DocType: Healthcare Service Unit Type,Rate / UOM,Oceni / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Vse Skladišča
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Št. {0} je bil najden za transakcije podjetja Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Št. {0} je bil najden za transakcije podjetja Inter.
 DocType: Travel Itinerary,Rented Car,Najem avtomobila
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,O vaši družbi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Credit Za računu mora biti bilanca računa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Credit Za računu mora biti bilanca računa
 DocType: Donor,Donor,Darovalec
 DocType: Global Defaults,Disable In Words,"Onemogoči ""z besedami"""
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Oznaka je obvezna, ker se postavka samodejno ni oštevilčen"
@@ -4401,14 +4454,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bančnem računu računa
 DocType: Patient,Patient ID,ID bolnika
 DocType: Practitioner Schedule,Schedule Name,Ime seznama
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Prodajni cevovod po odru
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Naredite plačilnega lista
 DocType: Currency Exchange,For Buying,Za nakup
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Dodaj vse dobavitelje
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Dodaj vse dobavitelje
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Vrstica # {0}: Razporejeni vrednosti ne sme biti večja od neplačanega zneska.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Prebrskaj BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Secured Posojila
 DocType: Purchase Invoice,Edit Posting Date and Time,Uredi datum in uro vnosa
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosim, nastavite račune, povezane Amortizacija v sredstvih kategoriji {0} ali družbe {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosim, nastavite račune, povezane Amortizacija v sredstvih kategoriji {0} ali družbe {1}"
 DocType: Lab Test Groups,Normal Range,Normalni obseg
 DocType: Academic Term,Academic Year,Študijsko leto
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Razpoložljiva prodaja
@@ -4437,26 +4491,26 @@
 DocType: Patient Appointment,Patient Appointment,Imenovanje pacienta
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Odobritvi vloge ne more biti enaka kot vloga je pravilo, ki veljajo za"
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjaviti iz te Email Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Pridobite dobavitelje po
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Pridobite dobavitelje po
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} ni najden za postavko {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Pojdi na predmete
 DocType: Accounts Settings,Show Inclusive Tax In Print,Prikaži inkluzivni davek v tisku
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bančni račun, od datuma do datuma je obvezen"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Sporočilo je bilo poslano
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Račun z zapirali vozlišč ni mogoče nastaviti kot knjigo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Račun z zapirali vozlišč ni mogoče nastaviti kot knjigo
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Obrestna mera, po kateri Cenik valuti se pretvorijo v osn stranke"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto znesek (družba Valuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Skupni znesek predplačila ne more biti večji od skupnega sankcioniranega zneska
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Skupni znesek predplačila ne more biti večji od skupnega sankcioniranega zneska
 DocType: Salary Slip,Hour Rate,Urna postavka
 DocType: Stock Settings,Item Naming By,Postavka Poimenovanje S
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Drug zaključnem obdobju Začetek {0} je bil dosežen po {1}
 DocType: Work Order,Material Transferred for Manufacturing,Material Preneseno za Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Račun {0} ne obstaja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Izberite program zvestobe
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Izberite program zvestobe
 DocType: Project,Project Type,Projekt Type
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Otroška naloga obstaja za to nalogo. Te naloge ne morete izbrisati.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Bodisi ciljna kol ali ciljna vrednost je obvezna.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Bodisi ciljna kol ali ciljna vrednost je obvezna.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Stroške različnih dejavnosti
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavitev dogodkov na {0}, saj je zaposlenih pritrjen na spodnji prodaje oseb nima uporabniško {1}"
 DocType: Timesheet,Billing Details,Podrobnosti o obračunavanju
@@ -4513,13 +4567,13 @@
 DocType: Inpatient Record,A Negative,Negativno
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nič več pokazati.
 DocType: Lead,From Customer,Od kupca
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Poziva
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Poziva
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Izdelek
 DocType: Employee Tax Exemption Declaration,Declarations,Izjave
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Paketi
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Naročite časovni razpored
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Naročilnica {0} ni predložila
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Naročilnica {0} ni predložila
 DocType: Account,Expenses Included In Asset Valuation,Vključeni stroški v vrednotenje premoženja
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normalno referenčno območje za odraslo osebo je 16-20 vdihov / minut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tarifna številka
@@ -4532,6 +4586,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Najprej shranite bolnika
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Udeležba je bila uspešno označena.
 DocType: Program Enrollment,Public Transport,Javni prevoz
+DocType: Delivery Note,GST Vehicle Type,Vrsta vozila
 DocType: Soil Texture,Silt Composition (%),Siltova sestava (%)
 DocType: Journal Entry,Remark,Pripomba
 DocType: Healthcare Settings,Avoid Confirmation,Izogibajte se potrditvi
@@ -4541,11 +4596,10 @@
 DocType: Education Settings,Current Academic Term,Trenutni Academic Term
 DocType: Education Settings,Current Academic Term,Trenutni Academic Term
 DocType: Sales Order,Not Billed,Ne zaračunavajo
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Oba Skladišče mora pripadati isti družbi
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Oba Skladišče mora pripadati isti družbi
 DocType: Employee Grade,Default Leave Policy,Privzeti pravilnik o zapustitvi
 DocType: Shopify Settings,Shop URL,URL trgovine
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ni stikov še dodal.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Prosimo, nastavite številske serije za udeležbo preko Setup&gt; Series Numbering"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Pristali Stroški bon Znesek
 ,Item Balance (Simple),Postavka Balance (Enostavno)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Računi, ki jih dobavitelji postavljeno."
@@ -4570,7 +4624,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Zaporedje ponudb
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Element obstaja z istim imenom ({0}), prosimo, spremenite ime postavka skupine ali preimenovanje postavke"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriteriji za analizo tal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Izberite stranko
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Izberite stranko
 DocType: C-Form,I,jaz
 DocType: Company,Asset Depreciation Cost Center,Asset Center Amortizacija Stroški
 DocType: Production Plan Sales Order,Sales Order Date,Datum Naročila Kupca
@@ -4583,8 +4637,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Trenutno ni na zalogi
 ,Payment Period Based On Invoice Date,Plačilo obdobju na podlagi računa Datum
 DocType: Sample Collection,No. of print,Št. Tiskanja
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Opomnik za rojstni dan
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervacija za hotelsko sobo
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manjka Menjalni tečaji za {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Manjka Menjalni tečaji za {0}
 DocType: Employee Health Insurance,Health Insurance Name,Ime zdravstvenega zavarovanja
 DocType: Assessment Plan,Examiner,Examiner
 DocType: Student,Siblings,Bratje in sestre
@@ -4601,19 +4656,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nove stranke
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruto dobiček %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Imenovanje {0} in račun za prodajo {1} sta bila preklicana
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,"Možnosti, ki jih ponujajo svinec"
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Spremenite profil POS
 DocType: Bank Reconciliation Detail,Clearance Date,Potrditev Datum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Sredstvo že obstaja proti elementu {0}, ne morete ga spremeniti, ker ima serijsko vrednost brez vrednosti"
+DocType: Delivery Settings,Dispatch Notification Template,Predloga za odpošiljanje
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Sredstvo že obstaja proti elementu {0}, ne morete ga spremeniti, ker ima serijsko vrednost brez vrednosti"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Ocenjevalno poročilo
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Pridobite zaposlene
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruto znesek nakupa je obvezna
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Ime podjetja ni isto
 DocType: Lead,Address Desc,Naslov opis izdelka
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party je obvezen
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Vrstice s podvojenimi datumi v drugih vrsticah so bile najdene: {list}
 DocType: Topic,Topic Name,Ime temo
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Prosimo, nastavite privzeto predlogo za obvestilo o zavrnitvi odobritve v HR nastavitvah."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Prosimo, nastavite privzeto predlogo za obvestilo o zavrnitvi odobritve v HR nastavitvah."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Mora biti izbran Atleast eden prodaji ali nakupu
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Izberite zaposlenega, da zaposleni vnaprej napreduje."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Izberite veljaven datum
@@ -4647,6 +4703,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Stranka ali dobavitelj Podrobnosti
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Trenutna vrednost sredstev
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID podjetja Quickbooks
 DocType: Travel Request,Travel Funding,Financiranje potovanj
 DocType: Loan Application,Required by Date,Zahtevana Datum
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Povezava do vseh lokacij, v katerih se pridelek prideluje"
@@ -4660,9 +4717,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Dostopno Serija Količina na IZ SKLADIŠČA
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Bruto plača - Skupaj Odbitek - Posojilo Povračilo
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Trenutni BOM in New BOM ne more biti enaka
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Trenutni BOM in New BOM ne more biti enaka
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Plača Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Datum upokojitve mora biti večji od datuma pridružitve
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Datum upokojitve mora biti večji od datuma pridružitve
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Večkratne različice
 DocType: Sales Invoice,Against Income Account,Proti dohodkov
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Dostavljeno
@@ -4691,7 +4748,7 @@
 DocType: POS Profile,Update Stock,Posodobi zalogo
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Drugačna UOM za artikle bo privedlo do napačne (skupno) Neto teža vrednosti. Prepričajte se, da je neto teža vsake postavke v istem UOM."
 DocType: Certification Application,Payment Details,Podatki o plačilu
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Prenehanja delovnega naročila ni mogoče preklicati, jo najprej izključite"
 DocType: Asset,Journal Entry for Scrap,Journal Entry za pretep
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Prosimo povlecite predmete iz dobavnice
@@ -4714,11 +4771,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Skupaj sankcionirano Znesek
 ,Purchase Analytics,Odkupne Analytics
 DocType: Sales Invoice Item,Delivery Note Item,Dostava Opomba Postavka
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Trenuten račun {0} manjka
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Trenuten račun {0} manjka
 DocType: Asset Maintenance Log,Task,Naloga
 DocType: Purchase Taxes and Charges,Reference Row #,Referenčna Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Serijska številka je obvezna za postavko {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,To je koren prodaje oseba in jih ni mogoče urejati.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,To je koren prodaje oseba in jih ni mogoče urejati.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Če je izbrana, je vrednost navedena ali izračunana pri tem delu ne bo prispevalo k zaslužka ali odbitkov. Kljub temu, da je vrednost se lahko sklicujejo na druge sestavne dele, ki se lahko dodajo ali odbitih."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Če je izbrana, je vrednost navedena ali izračunana pri tem delu ne bo prispevalo k zaslužka ali odbitkov. Kljub temu, da je vrednost se lahko sklicujejo na druge sestavne dele, ki se lahko dodajo ali odbitih."
 DocType: Asset Settings,Number of Days in Fiscal Year,Število dni v poslovnem letu
@@ -4727,7 +4784,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain / izida
 DocType: Amazon MWS Settings,MWS Credentials,MVS poverilnice
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Zaposlenih in postrežbo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Cilj mora biti eden od {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Cilj mora biti eden od {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Izpolnite obrazec in ga shranite
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum Skupnost
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Dejanska kol v zalogi
@@ -4743,7 +4800,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standardni Prodajni tečaj
 DocType: Account,Rate at which this tax is applied,"Hitrost, s katero se ta davek"
 DocType: Cash Flow Mapper,Section Name,Ime oddelka
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Preureditev Kol
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Preureditev Kol
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Vrednost amortizacije {0}: pričakovana vrednost po življenjski dobi mora biti večja ali enaka {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Razpisana delovna
 DocType: Company,Stock Adjustment Account,Račun prilagoditev zaloge
@@ -4753,8 +4810,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistem uporabniku (login) ID. Če je nastavljeno, bo postala privzeta za vse oblike HR."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Vnesite podatke o amortizaciji
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Od {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Odstopni program {0} že obstaja proti študentu {1}
 DocType: Task,depends_on,odvisno od
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Vrstni red za posodobitev najnovejše cene v vseh gradivih. Traja lahko nekaj minut.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Vrstni red za posodobitev najnovejše cene v vseh gradivih. Traja lahko nekaj minut.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Ime novega računa. Opomba: Prosimo, da ne ustvarjajo računov za kupce in dobavitelje"
 DocType: POS Profile,Display Items In Stock,Prikaži elemente na zalogi
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Država pametno privzeti naslov Predloge
@@ -4784,16 +4842,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Reže za {0} niso dodane v razpored
 DocType: Product Bundle,List items that form the package.,"Seznam predmetov, ki tvorijo paket."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,"Ni dovoljeno. Prosimo, onemogočite preskusno predlogo"
+DocType: Delivery Note,Distance (in km),Oddaljenost (v km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Odstotek dodelitve mora biti enaka 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Izberite datum objave pred izbiro stranko
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Izberite datum objave pred izbiro stranko
 DocType: Program Enrollment,School House,šola House
 DocType: Serial No,Out of AMC,Od AMC
+DocType: Opportunity,Opportunity Amount,Znesek priložnosti
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Število amortizacije naročene ne sme biti večja od skupnega št amortizacije
 DocType: Purchase Order,Order Confirmation Date,Datum potrditve naročila
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Naredite Maintenance obisk
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Začetni datum in končni datum se prekrivata z delovno kartico <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Podrobnosti o prenosu zaposlenih
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Prosimo, obrnite se na uporabnika, ki imajo Sales Master Manager {0} vlogo"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Prosimo, obrnite se na uporabnika, ki imajo Sales Master Manager {0} vlogo"
 DocType: Company,Default Cash Account,Privzeti gotovinski račun
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Company (ne stranka ali dobavitelj) gospodar.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ta temelji na prisotnosti tega Študent
@@ -4801,9 +4862,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Dodajte več predmetov ali odprto popolno obliko
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dobavnic {0} je treba preklicati pred preklicem te Sales Order
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Pojdi na uporabnike
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Plačan znesek + odpis Znesek ne sme biti večja od Grand Skupaj
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Plačan znesek + odpis Znesek ne sme biti večja od Grand Skupaj
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ni veljavna številka serije za postavko {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Opomba: Ni dovolj bilanca dopust za dopust tipa {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Opomba: Ni dovolj bilanca dopust za dopust tipa {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Neveljavna GSTIN ali Enter NA za Neregistrirani
 DocType: Training Event,Seminar,seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Vpis Fee
@@ -4820,7 +4881,7 @@
 DocType: Fee Schedule,Fee Schedule,Razpored Fee
 DocType: Company,Create Chart Of Accounts Based On,"Ustvariti kontni okvir, ki temelji na"
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Ne morete ga pretvoriti v ne-skupino. Otroške naloge obstajajo.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,"Datum rojstva ne more biti večji, od današnjega."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,"Datum rojstva ne more biti večji, od današnjega."
 ,Stock Ageing,Staranje zaloge
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delno sponzorirana, zahteva delno financiranje"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Študent {0} obstaja proti študentskega prijavitelja {1}
@@ -4867,11 +4928,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Pred uskladitvijo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Davki in dajatve na dodano vrednost (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postavka Davčna Row {0} morajo upoštevati vrste davka ali prihodek ali odhodek ali Obdavčljivi
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postavka Davčna Row {0} morajo upoštevati vrste davka ali prihodek ali odhodek ali Obdavčljivi
 DocType: Sales Order,Partly Billed,Delno zaračunavajo
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Točka {0} mora biti osnovno sredstvo postavka
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Make Variants
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Make Variants
 DocType: Item,Default BOM,Privzeto BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Skupni fakturirani znesek (prek prodajnih računov)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Opomin Znesek
@@ -4900,14 +4961,14 @@
 DocType: Notification Control,Custom Message,Sporočilo po meri
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investicijsko bančništvo
 DocType: Purchase Invoice,input,vnos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Gotovina ali bančnega računa je obvezen za izdelavo vnos plačila
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Gotovina ali bančnega računa je obvezen za izdelavo vnos plačila
 DocType: Loyalty Program,Multiple Tier Program,Večstranski program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,študent Naslov
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,študent Naslov
 DocType: Purchase Invoice,Price List Exchange Rate,Cenik Exchange Rate
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Vse skupine dobaviteljev
 DocType: Employee Boarding Activity,Required for Employee Creation,Potreben za ustvarjanje zaposlenih
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Številka računa {0} je že uporabljena v računu {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Številka računa {0} je že uporabljena v računu {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,Ime profila profila POS
 DocType: Hotel Room Reservation,Booked,Rezervirano
@@ -4923,18 +4984,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Referenčna številka je obvezna, če ste vnesli Referenčni datum"
 DocType: Bank Reconciliation Detail,Payment Document,plačilo dokumentov
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Napaka pri ocenjevanju formule za merila
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datum pridružitva mora biti večji od datuma rojstva
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datum pridružitva mora biti večji od datuma rojstva
 DocType: Subscription,Plans,Načrti
 DocType: Salary Slip,Salary Structure,Struktura Plače
 DocType: Account,Bank,Banka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Airline
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Vprašanje Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Vprašanje Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Poveži Shopify z ERPNext
 DocType: Material Request Item,For Warehouse,Za Skladišče
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Opombe o dostavi {0} posodobljeni
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Opombe o dostavi {0} posodobljeni
 DocType: Employee,Offer Date,Ponudba Datum
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Ponudbe
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,"Ste v načinu brez povezave. Ne boste mogli naložiti, dokler imate omrežje."
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Ponudbe
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,"Ste v načinu brez povezave. Ne boste mogli naložiti, dokler imate omrežje."
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,ustvaril nobene skupine študentov.
 DocType: Purchase Invoice Item,Serial No,Zaporedna številka
@@ -4946,24 +5007,26 @@
 DocType: Sales Invoice,Customer PO Details,Podrobnosti kupca PO
 DocType: Stock Entry,Including items for sub assemblies,"Vključno s postavkami, za sklope"
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Začasni odpiranje računa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Vnesite vrednost mora biti pozitivna
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Vnesite vrednost mora biti pozitivna
 DocType: Asset,Finance Books,Finance Knjige
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Kategorija izjave o oprostitvi davka na zaposlene
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Vse Territories
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,"Prosimo, nastavite politiko dopusta zaposlenega {0} v zapisu zaposlenih / razreda"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Neveljavna naročila za blago za izbrano stranko in postavko
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Neveljavna naročila za blago za izbrano stranko in postavko
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Dodaj več nalog
 DocType: Purchase Invoice,Items,Predmeti
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Končni datum ne sme biti pred datumom začetka.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Študent je že vpisan.
 DocType: Fiscal Year,Year Name,Leto Name
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Obstaja več prazniki od delovnih dneh tega meseca.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Obstaja več prazniki od delovnih dneh tega meseca.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Naslednji elementi {0} niso označeni kot {1} element. Lahko jih omogočite kot {1} element iz glavnega elementa
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Izdelek Bundle Postavka
 DocType: Sales Partner,Sales Partner Name,Prodaja Partner Name
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Zahteva za Citati
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Zahteva za Citati
 DocType: Payment Reconciliation,Maximum Invoice Amount,Največja Znesek računa
 DocType: Normal Test Items,Normal Test Items,Normalni preskusni elementi
+DocType: QuickBooks Migrator,Company Settings,Nastavitve podjetja
 DocType: Additional Salary,Overwrite Salary Structure Amount,Znesek nadomestila plače prepišite
 DocType: Student Language,Student Language,študent jezik
 apps/erpnext/erpnext/config/selling.py +23,Customers,Stranke
@@ -4976,22 +5039,24 @@
 DocType: Issue,Opening Time,Otvoritev čas
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Od in Do datumov zahtevanih
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Vrednostnih papirjev in blagovne borze
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Privzeto mersko enoto za Variant &#39;{0}&#39; mora biti enaka kot v predlogo &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Privzeto mersko enoto za Variant &#39;{0}&#39; mora biti enaka kot v predlogo &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Izračun temelji na
 DocType: Contract,Unfulfilled,Neizpolnjeno
 DocType: Delivery Note Item,From Warehouse,Iz skladišča
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Za omenjena merila ni zaposlenih
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Ni Postavke z Bill materialov za Izdelava
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Ni Postavke z Bill materialov za Izdelava
 DocType: Shopify Settings,Default Customer,Privzeta stranka
+DocType: Sales Stage,Stage Name,Ime stadiona
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Ime nadzornik
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Ne potrdite, če je sestanek ustvarjen za isti dan"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Pošiljanje v državo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Pošiljanje v državo
 DocType: Program Enrollment Course,Program Enrollment Course,Program Vpis tečaj
 DocType: Program Enrollment Course,Program Enrollment Course,Program Vpis tečaj
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Uporabnik {0} je že dodeljen zdravstvenemu zdravniku {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Vnos vzorca zadržanja zalog
 DocType: Purchase Taxes and Charges,Valuation and Total,Vrednotenje in Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Pogajanja / pregled
 DocType: Leave Encashment,Encashment Amount,Znesek nakladanja
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Oglednice
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Potekli paketi
@@ -5001,7 +5066,7 @@
 DocType: Staffing Plan Detail,Current Openings,Aktualne odprtine
 DocType: Notification Control,Customize the Notification,Prilagodite Obvestilo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Denarni tok iz poslovanja
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Znesek
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Znesek
 DocType: Purchase Invoice,Shipping Rule,Pravilo za dostavo
 DocType: Patient Relation,Spouse,Zakonec
 DocType: Lab Test Groups,Add Test,Dodaj test
@@ -5015,14 +5080,14 @@
 DocType: Payroll Entry,Payroll Frequency,izplačane Frequency
 DocType: Lab Test Template,Sensitivity,Občutljivost
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Sinhronizacija je bila začasno onemogočena, ker so bile prekoračene največje število ponovnih poskusov"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Surovina
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Surovina
 DocType: Leave Application,Follow via Email,Sledite preko e-maila
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Rastline in stroje
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Davčna Znesek Po Popust Znesek
 DocType: Patient,Inpatient Status,Bolnišnično stanje
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dnevni Nastavitve Delo Povzetek
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Izbrani cenik bi moral imeti preverjena polja nakupa in prodaje.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Vnesite Reqd po datumu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Izbrani cenik bi moral imeti preverjena polja nakupa in prodaje.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Vnesite Reqd po datumu
 DocType: Payment Entry,Internal Transfer,Interni prenos
 DocType: Asset Maintenance,Maintenance Tasks,Vzdrževalna opravila
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Bodisi ciljna kol ali ciljna vrednost je obvezna
@@ -5044,7 +5109,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje sporočilo
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje sporočilo
 ,TDS Payable Monthly,TDS se plača mesečno
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Vrstni red za zamenjavo BOM. Traja lahko nekaj minut.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Vrstni red za zamenjavo BOM. Traja lahko nekaj minut.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne more odbiti, če je kategorija za &quot;vrednotenje&quot; ali &quot;Vrednotenje in Total&quot;"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serijska št Zahtevano za zaporednimi postavki {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match plačila z računov
@@ -5057,7 +5122,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Dodaj v voziček
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Skupina S
 DocType: Guardian,Interests,Zanima
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Omogoči / onemogoči valute.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Omogoči / onemogoči valute.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Ne morem poslati nekaterih plačnih lističev
 DocType: Exchange Rate Revaluation,Get Entries,Get Entries
 DocType: Production Plan,Get Material Request,Get Zahteva material
@@ -5079,15 +5144,16 @@
 DocType: Lead,Lead Type,Tip ponudbe
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Niste pooblaščeni za odobritev liste na Block termini
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Vsi ti artikli so že bili obračunani
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Nastavite nov datum izdaje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Nastavite nov datum izdaje
 DocType: Company,Monthly Sales Target,Mesečni prodajni cilj
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Mogoče odobriti {0}
 DocType: Hotel Room,Hotel Room Type,Tip sobe hotela
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Dobavitelj&gt; Dobavitelj tip
 DocType: Leave Allocation,Leave Period,Pustite obdobje
 DocType: Item,Default Material Request Type,Privzeto Material Vrsta Zahteva
 DocType: Supplier Scorecard,Evaluation Period,Ocenjevalno obdobje
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Neznan
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Delovni nalog ni bil ustvarjen
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Delovni nalog ni bil ustvarjen
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Količina {0}, ki je bila že zahtevana za komponento {1}, \ nastavite znesek, enak ali večji od {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Pogoji dostavnega pravila
@@ -5122,15 +5188,15 @@
 DocType: Batch,Source Document Name,Vir Ime dokumenta
 DocType: Production Plan,Get Raw Materials For Production,Pridobite surovine za proizvodnjo
 DocType: Job Opening,Job Title,Job Naslov
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} označuje, da {1} ne bo podal ponudbe, ampak cene vseh postavk so navedene. Posodabljanje statusa ponudb RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Največji vzorci - {0} so bili že shranjeni za serijo {1} in element {2} v seriji {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Največji vzorci - {0} so bili že shranjeni za serijo {1} in element {2} v seriji {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Posodobi BOM stroškov samodejno
 DocType: Lab Test,Test Name,Ime preskusa
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinični postopek Potrošni element
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Ustvari uporabnike
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Naročnine
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Naročnine
 DocType: Supplier Scorecard,Per Month,Na mesec
 DocType: Education Settings,Make Academic Term Mandatory,Naredite akademski izraz obvezen
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Količina na Izdelava mora biti večja od 0.
@@ -5139,9 +5205,9 @@
 DocType: Stock Entry,Update Rate and Availability,Posodobitev Oceni in razpoložljivost
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Odstotek ste dovoljeno prejemati ali dostaviti bolj proti količine naročenega. Na primer: Če ste naročili 100 enot. in vaš dodatek za 10%, potem ste lahko prejeli 110 enot."
 DocType: Loyalty Program,Customer Group,Skupina za stranke
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Vrstica # {0}: Operacija {1} ni končana za {2} število končnih izdelkov v delovnem naročilu # {3}. Posodobite stanje delovanja prek časovnih dnevnikov
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Vrstica # {0}: Operacija {1} ni končana za {2} število končnih izdelkov v delovnem naročilu # {3}. Posodobite stanje delovanja prek časovnih dnevnikov
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nova Serija ID (po želji)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Expense račun je obvezna za postavko {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Expense račun je obvezna za postavko {0}
 DocType: BOM,Website Description,Spletna stran Opis
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Neto sprememba v kapitalu
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Prosim za prekinitev računu o nakupu {0} najprej
@@ -5156,7 +5222,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Nič ni za urejanje.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Pogled obrazca
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Odobritev stroškov je obvezna v zahtevi za odhodke
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Povzetek za ta mesec in v teku dejavnosti
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Povzetek za ta mesec in v teku dejavnosti
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},V podjetju nastavite neizkoriščen račun za dobiček / izgubo za Exchange {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Dodajte uporabnike v svojo organizacijo, razen sebe."
 DocType: Customer Group,Customer Group Name,Skupina Ime stranke
@@ -5166,14 +5232,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Ni ustvarjeno nobeno materialno zahtevo
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredita vrednosti ne sme preseči najvišji možen kredit znesku {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licenca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Prosimo, odstranite tej fakturi {0} od C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Prosimo, odstranite tej fakturi {0} od C-Form {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosimo, izberite Carry Forward, če želite vključiti tudi v preteklem poslovnem letu je bilanca prepušča tem fiskalnem letu"
 DocType: GL Entry,Against Voucher Type,Proti bon Type
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Dodane so časovne reže
 DocType: Item,Attributes,Atributi
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Omogoči predlogo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Vnesite račun za odpis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Vnesite račun za odpis
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Zadnja Datum naročila
 DocType: Salary Component,Is Payable,Je plačljivo
 DocType: Inpatient Record,B Negative,B Negativno
@@ -5184,7 +5250,7 @@
 DocType: Hotel Room,Hotel Room,Hotelska soba
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Račun {0} ne pripada podjetju {1}
 DocType: Leave Type,Rounding,Zaokroževanje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Številke v vrstici {0} se ne ujema z dobavnice
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Številke v vrstici {0} se ne ujema z dobavnice
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Razdeljeni znesek (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Nato se pravila o ceni filtrirajo na podlagi stranke, skupine strank, ozemlja, dobavitelja, skupine dobaviteljev, oglaševalske akcije, prodajnega partnerja itd."
 DocType: Student,Guardian Details,Guardian Podrobnosti
@@ -5193,10 +5259,10 @@
 DocType: Vehicle,Chassis No,podvozje ni
 DocType: Payment Request,Initiated,Začela
 DocType: Production Plan Item,Planned Start Date,Načrtovani datum začetka
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Izberite BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Izberite BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Uporabil integrirani davek ITC
 DocType: Purchase Order Item,Blanket Order Rate,Stopnja poravnave
-apps/erpnext/erpnext/hooks.py +156,Certification,Certificiranje
+apps/erpnext/erpnext/hooks.py +157,Certification,Certificiranje
 DocType: Bank Guarantee,Clauses and Conditions,Klavzule in pogoji
 DocType: Serial No,Creation Document Type,Creation Document Type
 DocType: Project Task,View Timesheet,Ogled Timesheet
@@ -5221,6 +5287,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Item {0} ne sme biti Stock Postavka
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Seznam spletnih mest
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Vse izdelke ali storitve.
+DocType: Email Digest,Open Quotations,Odpri kvote
 DocType: Expense Claim,More Details,Več podrobnosti
 DocType: Supplier Quotation,Supplier Address,Dobavitelj Naslov
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} proračun za račun {1} na {2} {3} je {4}. Bo prekoračen za {5}
@@ -5235,12 +5302,11 @@
 DocType: Training Event,Exam,Izpit
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Napaka na trgu
 DocType: Complaint,Complaint,Pritožba
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Skladišče je potrebna za borzo postavki {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Skladišče je potrebna za borzo postavki {0}
 DocType: Leave Allocation,Unused leaves,Neizkoriščene listi
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Vnos vračila
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Vsi oddelki
 DocType: Healthcare Service Unit,Vacant,Prazen
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Dobavitelj&gt; Dobavitelj tip
 DocType: Patient,Alcohol Past Use,Pretekla uporaba alkohola
 DocType: Fertilizer Content,Fertilizer Content,Vsebina gnojil
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5248,7 +5314,7 @@
 DocType: Tax Rule,Billing State,Država za zaračunavanje
 DocType: Share Transfer,Transfer,Prenos
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Delovni nalog {0} morate preklicati pred preklicem tega prodajnega naloga
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch eksplodiral BOM (vključno podsklopov)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch eksplodiral BOM (vključno podsklopov)
 DocType: Authorization Rule,Applicable To (Employee),Ki se uporabljajo za (zaposlenih)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Datum zapadlosti je obvezno
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Prirastek za Attribute {0} ne more biti 0
@@ -5264,7 +5330,7 @@
 DocType: Disease,Treatment Period,Obdobje zdravljenja
 DocType: Travel Itinerary,Travel Itinerary,Načrt potovanja
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Rezultat že oddan
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervirano skladišče je obvezno za postavko {0} v dobavljenih surovinah
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Rezervirano skladišče je obvezno za postavko {0} v dobavljenih surovinah
 ,Inactive Customers,neaktivne stranke
 DocType: Student Admission Program,Maximum Age,Najvišja starost
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Počakajte 3 dni pred ponovnim pošiljanjem opomnika.
@@ -5273,7 +5339,6 @@
 DocType: Stock Entry,Delivery Note No,Dostava Opomba Ne
 DocType: Cheque Print Template,Message to show,Sporočilo za prikaz
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Maloprodaja
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Samodejno upravlja račun za imenovanja
 DocType: Student Attendance,Absent,Odsoten
 DocType: Staffing Plan,Staffing Plan Detail,Podrobnosti o kadrovskem načrtu
 DocType: Employee Promotion,Promotion Date,Datum promocije
@@ -5295,7 +5360,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Naredite Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Tiskanje in Pisalne
 DocType: Stock Settings,Show Barcode Field,Prikaži Barcode Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Pošlji Dobavitelj e-pošte
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Pošlji Dobavitelj e-pošte
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plača je že pripravljena za obdobje med {0} in {1}, Pusti obdobje uporabe ne more biti med tem časovnem obdobju."
 DocType: Fiscal Year,Auto Created,Samodejno ustvarjeno
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Pošljite to, da ustvarite zapis zaposlenega"
@@ -5304,7 +5369,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Račun {0} ne obstaja več
 DocType: Guardian Interest,Guardian Interest,Guardian Obresti
 DocType: Volunteer,Availability,Razpoložljivost
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Nastavitev privzetih vrednosti za račune POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Nastavitev privzetih vrednosti za račune POS
 apps/erpnext/erpnext/config/hr.py +248,Training,usposabljanje
 DocType: Project,Time to send,Čas za pošiljanje
 DocType: Timesheet,Employee Detail,Podrobnosti zaposleni
@@ -5328,7 +5393,7 @@
 DocType: Training Event Employee,Optional,Neobvezno
 DocType: Salary Slip,Earning & Deduction,Zaslužek &amp; Odbitek
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} ustvarjene različice.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} ustvarjene različice.
 DocType: Amazon MWS Settings,Region,Regija
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Neobvezno. Ta nastavitev bo uporabljena za filtriranje v različnih poslih.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negativno Oceni Vrednotenje ni dovoljeno
@@ -5347,7 +5412,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Stroški izločeni sredstvi
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Stroškovno mesto je zahtevano za postavko {2}
 DocType: Vehicle,Policy No,Pravilnik št
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Dobili predmetov iz Bundle izdelkov
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Dobili predmetov iz Bundle izdelkov
 DocType: Asset,Straight Line,Ravna črta
 DocType: Project User,Project User,projekt Uporabnik
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Split
@@ -5356,7 +5421,7 @@
 DocType: GL Entry,Is Advance,Je Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Lifecycle zaposlenih
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Udeležba Od datuma in udeležba na Datum je obvezna
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Prosimo, vpišite &quot;Je v podizvajanje&quot;, kot DA ali NE"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Prosimo, vpišite &quot;Je v podizvajanje&quot;, kot DA ali NE"
 DocType: Item,Default Purchase Unit of Measure,Privzeta nabavna enota ukrepa
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Zadnje Sporočilo Datum
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Zadnje Sporočilo Datum
@@ -5366,7 +5431,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Manjka dostopni žeton ali Shopify URL
 DocType: Location,Latitude,Zemljepisna širina
 DocType: Work Order,Scrap Warehouse,ostanki Skladišče
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Skladišče, potrebno na vrstico št. {0}, nastavite privzeto skladišče za predmet {1} za podjetje {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Skladišče, potrebno na vrstico št. {0}, nastavite privzeto skladišče za predmet {1} za podjetje {2}"
 DocType: Work Order,Check if material transfer entry is not required,"Preverite, ali je vpis prenosa materiala ni potrebno"
 DocType: Work Order,Check if material transfer entry is not required,"Preverite, ali je vpis prenosa materiala ni potrebno"
 DocType: Program Enrollment Tool,Get Students From,Dobili študenti iz
@@ -5383,6 +5448,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Nova Serija Kol
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Oblačila in dodatki
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Funkcije uteženih rezultatov ni bilo mogoče rešiti. Prepričajte se, da formula velja."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Točke naročilnice niso bile prejete pravočasno
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Število reda
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML pasica, ki se bo prikazala na vrhu seznama izdelkov."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Navedite pogoje za izračun zneska ladijskega
@@ -5391,9 +5457,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Pot
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Ni mogoče pretvoriti v stroškovni center za knjigo, saj ima otrok vozlišč"
 DocType: Production Plan,Total Planned Qty,Skupno načrtovano število
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Otvoritev Vrednost
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Otvoritev Vrednost
 DocType: Salary Component,Formula,Formula
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Prodajni račun
 DocType: Purchase Invoice Item,Total Weight,Totalna teža
@@ -5411,7 +5477,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Naredite Zahteva material
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Odprti Točka {0}
 DocType: Asset Finance Book,Written Down Value,Zapisana vrednost
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosimo, nastavite sistem imenovanja zaposlenih v kadri&gt; HR Settings"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Račun {0} je potrebno preklicati pred preklicom tega prodajnega naročila
 DocType: Clinical Procedure,Age,Starost
 DocType: Sales Invoice Timesheet,Billing Amount,Zaračunavanje Znesek
@@ -5420,11 +5485,11 @@
 DocType: Company,Default Employee Advance Account,Privzeti račun zaposlenega
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Element iskanja (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.GGGG.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Račun z obstoječim poslom ni mogoče izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Račun z obstoječim poslom ni mogoče izbrisati
 DocType: Vehicle,Last Carbon Check,Zadnja Carbon Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Pravni stroški
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Izberite količino na vrsti
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Izdelava računov za prodajo in nakup
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Izdelava računov za prodajo in nakup
 DocType: Purchase Invoice,Posting Time,Ura vnosa
 DocType: Timesheet,% Amount Billed,% Zaračunani znesek
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefonske Stroški
@@ -5439,14 +5504,14 @@
 DocType: Maintenance Visit,Breakdown,Zlomiti se
 DocType: Travel Itinerary,Vegetarian,Vegetarijansko
 DocType: Patient Encounter,Encounter Date,Datum srečanja
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Račun: {0} z valuti: ne more biti izbran {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Račun: {0} z valuti: ne more biti izbran {1}
 DocType: Bank Statement Transaction Settings Item,Bank Data,Podatki banke
 DocType: Purchase Receipt Item,Sample Quantity,Količina vzorca
 DocType: Bank Guarantee,Name of Beneficiary,Ime upravičenca
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",Na podlagi najnovejšega razmerja cene / cene cenika / zadnje stopnje nakupa surovin samodejno posodobite stroške BOM prek načrtovalca.
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Ček Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: Matični račun {1} ne pripada podjetju: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: Matični račun {1} ne pripada podjetju: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Uspešno izbrisana vse transakcije v zvezi s to družbo!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Kot na datum
 DocType: Additional Salary,HR,Človeški viri
@@ -5454,7 +5519,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Out Patient SMS Opozorila
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Poskusno delo
 DocType: Program Enrollment Tool,New Academic Year,Novo študijsko leto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Nazaj / dobropis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Nazaj / dobropis
 DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert stopnja Cenik če manjka
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Skupaj Plačan znesek
 DocType: GST Settings,B2C Limit,Omejitev B2C
@@ -5472,10 +5537,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Otroški vozlišča lahko ustvari samo na podlagi tipa vozlišča &quot;skupina&quot;
 DocType: Attendance Request,Half Day Date,Poldnevni datum
 DocType: Academic Year,Academic Year Name,Ime študijsko leto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,"{0} ni dovoljeno posredovati z {1}. Prosimo, spremenite družbo."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,"{0} ni dovoljeno posredovati z {1}. Prosimo, spremenite družbo."
 DocType: Sales Partner,Contact Desc,Kontakt opis izdelka
 DocType: Email Digest,Send regular summary reports via Email.,Pošlji redna zbirna poročila preko e-maila.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Prosim, nastavite privzetega računa v Tip Expense Terjatve {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Prosim, nastavite privzetega računa v Tip Expense Terjatve {0}"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Na voljo listi
 DocType: Assessment Result,Student Name,Student Ime
 DocType: Hub Tracked Item,Item Manager,Element Manager
@@ -5500,9 +5565,10 @@
 DocType: Subscription,Trial Period End Date,Končni datum poskusnega obdobja
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"Ne authroized saj je {0}, presega meje"
 DocType: Serial No,Asset Status,Stanje sredstev
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Nad dimenzijskim tovorom (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restavracija Tabela
 DocType: Hotel Room,Hotel Manager,Hotel Manager
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Nastavite Davčna pravilo za nakupovalno košarico
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Nastavite Davčna pravilo za nakupovalno košarico
 DocType: Purchase Invoice,Taxes and Charges Added,Davki in dajatve Dodano
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,"Amortizacijski vrstici {0}: Naslednji Amortizacijski datum ne sme biti pred datumom, ki je na voljo za uporabo"
 ,Sales Funnel,Prodaja toka
@@ -5518,10 +5584,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Vse skupine strank
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Bilančni Mesečni
 DocType: Attendance Request,On Duty,Na dolžnosti
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obvezen. Mogoče zapis Menjalnega tečaja ni ustvarjen za {1} v {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obvezen. Mogoče zapis Menjalnega tečaja ni ustvarjen za {1} v {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Kadrovski načrt {0} že obstaja za oznako {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Davčna Predloga je obvezna.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Račun {0}: Matični račun {1} ne obstaja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Račun {0}: Matični račun {1} ne obstaja
 DocType: POS Closing Voucher,Period Start Date,Datum začetka obdobja
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cenik Rate (družba Valuta)
 DocType: Products Settings,Products Settings,Nastavitve izdelki
@@ -5541,7 +5607,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,"To dejanje bo ustavilo prihodnje obračunavanje. Ali ste prepričani, da želite preklicati to naročnino?"
 DocType: Serial No,Distinct unit of an Item,Ločena enota Postavka
 DocType: Supplier Scorecard Criteria,Criteria Name,Ime merila
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Nastavite Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Nastavite Company
 DocType: Procedure Prescription,Procedure Created,Ustvarjen postopek
 DocType: Pricing Rule,Buying,Nabava
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Bolezni in gnojila
@@ -5558,43 +5624,44 @@
 DocType: Employee Onboarding,Job Offer,Zaposlitvena ponudba
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Kratica inštituta
 ,Item-wise Price List Rate,Element-pametno Cenik Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Dobavitelj za predračun
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Dobavitelj za predračun
 DocType: Quotation,In Words will be visible once you save the Quotation.,"V besedi bo viden, ko boste prihranili citata."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne more biti komponenta v vrstici {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne more biti komponenta v vrstici {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne more biti komponenta v vrstici {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne more biti komponenta v vrstici {1}
 DocType: Contract,Unsigned,Brez podpore
 DocType: Selling Settings,Each Transaction,Vsaka transakcija
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} že uporabljajo v postavki {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} že uporabljajo v postavki {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodajanje stroškov dostave.
 DocType: Hotel Room,Extra Bed Capacity,Zmogljivost dodatnega ležišča
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Začetna zaloga
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je potrebno kupca
 DocType: Lab Test,Result Date,Datum oddaje
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Datum
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Datum
 DocType: Purchase Order,To Receive,Prejeti
 DocType: Leave Period,Holiday List for Optional Leave,Seznam počitnic za izbirni dopust
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Lastnik sredstev
 DocType: Purchase Invoice,Reason For Putting On Hold,Razlog za zaustavitev
 DocType: Employee,Personal Email,Osebna Email
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Skupne variance
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Skupne variance
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Če je omogočeno, bo sistem objavili računovodske vnose za popis samodejno."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Posredništvo
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Udeležba na zaposlenega {0} je že označen za ta dan
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Udeležba na zaposlenega {0} je že označen za ta dan
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",v minutah Posodobljeno preko &quot;Čas Logu&quot;
 DocType: Customer,From Lead,Iz ponudbe
 DocType: Amazon MWS Settings,Synch Orders,Naročila sinhronizacije
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Naročila sprosti za proizvodnjo.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Izberite poslovno leto ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,"POS Profil zahteva, da POS Entry"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,"POS Profil zahteva, da POS Entry"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Točke zvestobe bodo izračunane na podlagi porabljenega zneska (prek prodajnega računa) na podlagi navedenega faktorja zbiranja.
 DocType: Program Enrollment Tool,Enroll Students,včlanite Študenti
 DocType: Company,HRA Settings,Nastavitve HRA
 DocType: Employee Transfer,Transfer Date,Datum prenosa
 DocType: Lab Test,Approved Date,Odobren datum
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna Prodaja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast eno skladišče je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast eno skladišče je obvezna
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurirajte polja polj, na primer UOM, skupino elementov, opis in število ur."
 DocType: Certification Application,Certification Status,Certifikacijski status
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Tržnica
@@ -5614,6 +5681,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Ujemanje računov
 DocType: Work Order,Required Items,Zahtevani Točke
 DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Razlika
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Element Red {0}: {1} {2} v tabeli &quot;{1}&quot; ne obstaja
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Človeški vir
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Plačilo Sprava Plačilo
 DocType: Disease,Treatment Task,Naloga zdravljenja
@@ -5631,7 +5699,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Listi morajo biti dodeljen v večkratnikih 0.5
 DocType: Work Order,Operation Cost,Delovanje Stroški
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Izjemna Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Prepoznavanje odločevalcev
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Izjemna Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Določiti cilje Postavka Group-pametno za te prodaje oseba.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zaloge Older Than [dni]
 DocType: Payment Request,Payment Ordered,Plačilo je naročeno
@@ -5643,14 +5712,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,"Pustimo, da se naslednji uporabniki za odobritev dopusta Aplikacije za blok dni."
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Življenski krog
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Naredite BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopnjo za zapisu Prodajni {0} nižja kot njegovi {1}. Prodajni manj morajo vsebovati vsaj {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopnjo za zapisu Prodajni {0} nižja kot njegovi {1}. Prodajni manj morajo vsebovati vsaj {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopnjo za zapisu Prodajni {0} nižja kot njegovi {1}. Prodajni manj morajo vsebovati vsaj {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopnjo za zapisu Prodajni {0} nižja kot njegovi {1}. Prodajni manj morajo vsebovati vsaj {2}
 DocType: Subscription,Taxes,Davki
 DocType: Purchase Invoice,capital goods,investicijsko blago
 DocType: Purchase Invoice Item,Weight Per Unit,Teža na enoto
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Plačana in ni podal
-DocType: Project,Default Cost Center,Privzet Stroškovni Center
-DocType: Delivery Note,Transporter Doc No,Doc. Doc
+DocType: QuickBooks Migrator,Default Cost Center,Privzet Stroškovni Center
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Zaloga Transakcije
 DocType: Budget,Budget Accounts,Proračun računi
 DocType: Employee,Internal Work History,Notranji Delo Zgodovina
@@ -5683,7 +5751,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Zdravstveni delavec ni na voljo na {0}
 DocType: Stock Entry Detail,Additional Cost,Dodatne Stroški
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Filter ne more temeljiti na kupona št, če je združena s Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Naredite Dobavitelj predračun
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Naredite Dobavitelj predračun
 DocType: Quality Inspection,Incoming,Dohodni
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Ustvari so privzete davčne predloge za prodajo in nakup.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Ocenjevanje Rezultat zapisa {0} že obstaja.
@@ -5699,7 +5767,7 @@
 DocType: Batch,Batch ID,Serija ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Opomba: {0}
 ,Delivery Note Trends,Dobavnica Trendi
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Povzetek Ta teden je
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Povzetek Ta teden je
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Na zalogi Količina
 ,Daily Work Summary Replies,Povzetki dnevnega dela Povzetki
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunajte predvideni čas prihoda
@@ -5709,7 +5777,7 @@
 DocType: Bank Account,Party,Zabava
 DocType: Healthcare Settings,Patient Name,Ime bolnika
 DocType: Variant Field,Variant Field,Različno polje
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Ciljna lokacija
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Ciljna lokacija
 DocType: Sales Order,Delivery Date,Datum dostave
 DocType: Opportunity,Opportunity Date,Priložnost Datum
 DocType: Employee,Health Insurance Provider,Ponudnik zdravstvenega zavarovanja
@@ -5728,7 +5796,7 @@
 DocType: Employee,History In Company,Zgodovina v družbi
 DocType: Customer,Customer Primary Address,Primarni naslov stranke
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Glasila
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referenčna št.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referenčna št.
 DocType: Drug Prescription,Description/Strength,Opis / moč
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Ustvari novo plačilo / vnos v dnevnik
 DocType: Certification Application,Certification Application,Certifikacijska aplikacija
@@ -5739,10 +5807,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Enako postavka je bila vpisana večkrat
 DocType: Department,Leave Block List,Pustite Block List
 DocType: Purchase Invoice,Tax ID,Davčna številka
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Postavka {0} ni setup za Serijska št. Kolona mora biti prazno
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Postavka {0} ni setup za Serijska št. Kolona mora biti prazno
 DocType: Accounts Settings,Accounts Settings,Računi Nastavitve
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,odobri
 DocType: Loyalty Program,Customer Territory,Teritorija kupca
+DocType: Email Digest,Sales Orders to Deliver,"Prodajne naloge, ki jih želite oddati"
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",Številka novega računa bo vključena v ime računa kot predpono
 DocType: Maintenance Team Member,Team Member,Član ekipe
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Ni zadetka
@@ -5752,7 +5821,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Skupno {0} za vse postavke je nič, morda bi morali spremeniti &quot;Razdeli stroškov na osnovi&quot;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Do danes ne sme biti manj kot od datuma
 DocType: Opportunity,To Discuss,Razpravljati
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,To temelji na transakcijah zoper tega naročnika. Podrobnosti si oglejte spodaj
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} enot {1} potrebnih v {2} za dokončanje te transakcije.
 DocType: Loan Type,Rate of Interest (%) Yearly,Obrestna mera (%) Letna
 DocType: Support Settings,Forum URL,Forum URL
@@ -5767,7 +5835,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Nauči se več
 DocType: Cheque Print Template,Distance from top edge,Oddaljenost od zgornjega roba
 DocType: POS Closing Voucher Invoices,Quantity of Items,Količina izdelkov
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Cenik {0} je onemogočena ali pa ne obstaja
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Cenik {0} je onemogočena ali pa ne obstaja
 DocType: Purchase Invoice,Return,Return
 DocType: Pricing Rule,Disable,Onemogoči
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,"Način plačila je potrebno, da bi plačilo"
@@ -5775,18 +5843,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Uredite na celotni strani za več možnosti, kot so sredstva, serijski nosi, serije itd."
 DocType: Leave Type,Maximum Continuous Days Applicable,Najvišji neprekinjeni dnevi veljajo
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ni vpisan v serijo {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Sredstvo {0} ne more biti izločeni, saj je že {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Sredstvo {0} ne more biti izločeni, saj je že {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Potrebna je preverjanja
 DocType: Task,Total Expense Claim (via Expense Claim),Total Expense zahtevek (preko Expense zahtevka)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsoten
 DocType: Job Applicant Source,Job Applicant Source,Vir prijavitelja zaposlitve
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Znesek IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Znesek IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Podjetje za nastavitev ni uspelo
 DocType: Asset Repair,Asset Repair,Popravilo sredstev
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Vrstica {0}: Valuta BOM # {1} mora biti enaka izbrani valuti {2}
 DocType: Journal Entry Account,Exchange Rate,Menjalni tečaj
 DocType: Patient,Additional information regarding the patient,Dodatne informacije o bolniku
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Naročilo {0} ni predloženo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Naročilo {0} ni predloženo
 DocType: Homepage,Tag Line,tag Line
 DocType: Fee Component,Fee Component,Fee Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Fleet management
@@ -5801,7 +5869,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobile
 ,Sales Person-wise Transaction Summary,Prodaja Oseba pametno Transakcijski Povzetek
 DocType: Training Event,Contact Number,Kontaktna številka
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Skladišče {0} ne obstaja
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Skladišče {0} ne obstaja
 DocType: Cashier Closing,Custody,Skrbništvo
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Dodatek o predložitvi dokazila o oprostitvi davka na zaposlene
 DocType: Monthly Distribution,Monthly Distribution Percentages,Mesečni Distribucijski Odstotki
@@ -5816,7 +5884,7 @@
 DocType: Payment Entry,Paid Amount,Znesek Plačila
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Raziščite prodajne cikle
 DocType: Assessment Plan,Supervisor,nadzornik
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Vstop v zaloge
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Vstop v zaloge
 ,Available Stock for Packing Items,Zaloga za embalirane izdelke
 DocType: Item Variant,Item Variant,Postavka Variant
 ,Work Order Stock Report,Poročilo o delovni nalogi
@@ -5825,9 +5893,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Kot nadzornik
 DocType: Leave Policy Detail,Leave Policy Detail,Pustite podrobnosti o politiki
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Odpadno Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Predložene naročila ni mogoče izbrisati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje na računu je že ""bremenitev"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""kredit"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Upravljanje kakovosti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Predložene naročila ni mogoče izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje na računu je že ""bremenitev"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""kredit"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Upravljanje kakovosti
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Točka {0} je bila onemogočena
 DocType: Project,Total Billable Amount (via Timesheets),Skupni znesek zneska (prek časopisov)
 DocType: Agriculture Task,Previous Business Day,Prejšnji delovni dan
@@ -5850,15 +5918,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Stroškovna mesta
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Ponovni zagon naročnine
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analiza povezanih naprav
-DocType: Delivery Note,Transporter ID,ID transporterja
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID transporterja
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Vrednostni predlog
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Obrestna mera, po kateri dobavitelj je valuti, se pretvori v osnovni valuti družbe"
-DocType: Sales Invoice Item,Service End Date,Datum konca storitve
+DocType: Purchase Invoice Item,Service End Date,Datum konca storitve
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Vrstica # {0}: čase v nasprotju z vrsto {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dovoli ničelni stopnji vrednotenja
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dovoli ničelni stopnji vrednotenja
 DocType: Bank Guarantee,Receiving,Prejemanje
 DocType: Training Event Employee,Invited,povabljen
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Gateway račune.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Gateway račune.
 DocType: Employee,Employment Type,Vrsta zaposlovanje
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Osnovna sredstva
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange dobiček / izguba
@@ -5874,7 +5943,7 @@
 DocType: Tax Rule,Sales Tax Template,Sales Tax Predloga
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Neupravičeno plačilo
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Posodobi številko centra stroškov
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,"Izberite predmete, da shranite račun"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,"Izberite predmete, da shranite račun"
 DocType: Employee,Encashment Date,Vnovčevanje Datum
 DocType: Training Event,Internet,internet
 DocType: Special Test Template,Special Test Template,Posebna preskusna predloga
@@ -5882,13 +5951,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Obstaja Stroški Privzeta aktivnost za vrsto dejavnosti - {0}
 DocType: Work Order,Planned Operating Cost,Načrtovana operacijski stroškov
 DocType: Academic Term,Term Start Date,Izraz Datum začetka
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Seznam vseh deležev transakcij
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Seznam vseh deležev transakcij
+DocType: Supplier,Is Transporter,Je transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Uvozite račun za prodajo iz Shopify, če je plačilo označeno"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Štetje
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Štetje
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Določiti je treba začetni datum preizkusnega obdobja in datum konca poskusnega obdobja
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Povprečna hitrost
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Skupni znesek plačila v urniku plačil mora biti enak znesku zaokroženo / zaokroženo
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Skupni znesek plačila v urniku plačil mora biti enak znesku zaokroženo / zaokroženo
 DocType: Subscription Plan Detail,Plan,Načrt
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Banka Izjava ravnotežje kot na glavno knjigo
 DocType: Job Applicant,Applicant Name,Predlagatelj Ime
@@ -5916,7 +5986,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Na voljo Količina na Vir Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,garancija
 DocType: Purchase Invoice,Debit Note Issued,Opomin Izdano
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtriranje na podlagi stroškovnega centra se uporablja le, če je Budget Against izbran kot Center stroškov"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtriranje na podlagi stroškovnega centra se uporablja le, če je Budget Against izbran kot Center stroškov"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Iskanje po oznaki predmeta, serijski številki, številki serije ali črtno kodo"
 DocType: Work Order,Warehouses,Skladišča
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} sredstev ni mogoče prenesti
@@ -5927,9 +5997,9 @@
 DocType: Workstation,per hour,na uro
 DocType: Blanket Order,Purchasing,Purchasing
 DocType: Announcement,Announcement,Obvestilo
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Stranka LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Stranka LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Za Študentske skupine temelji Serija bo študent Serija biti potrjena za vse učence od programa vpis.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Skladišče ni mogoče črtati, saj obstaja vnos stock knjiga za to skladišče."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Skladišče ni mogoče črtati, saj obstaja vnos stock knjiga za to skladišče."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Porazdelitev
 DocType: Journal Entry Account,Loan,Posojilo
 DocType: Expense Claim Advance,Expense Claim Advance,Advance Claim Advance
@@ -5938,7 +6008,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Project Manager
 ,Quoted Item Comparison,Citirano Točka Primerjava
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Prekrivanje v dosegu med {0} in {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dispatch
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dispatch
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max popust dovoljena za postavko: {0} je {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,"Čista vrednost sredstev, kot je na"
 DocType: Crop,Produce,Produkt
@@ -5948,20 +6018,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Poraba materiala za izdelavo
 DocType: Item Alternative,Alternative Item Code,Alternativni koda izdelka
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Vloga, ki jo je dovoljeno vložiti transakcije, ki presegajo omejitve posojil zastavili."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Izberite artikel v Izdelava
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Izberite artikel v Izdelava
 DocType: Delivery Stop,Delivery Stop,Dostava Stop
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master podatkov sinhronizacijo, lahko traja nekaj časa"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master podatkov sinhronizacijo, lahko traja nekaj časa"
 DocType: Item,Material Issue,Material Issue
 DocType: Employee Education,Qualification,Kvalifikacije
 DocType: Item Price,Item Price,Item Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Soap &amp; Detergent
 DocType: BOM,Show Items,prikaži Točke
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Od časa ne sme biti večja od do časa.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Ali želite obvestiti vse stranke po elektronski pošti?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Ali želite obvestiti vse stranke po elektronski pošti?
 DocType: Subscription Plan,Billing Interval,Interval zaračunavanja
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Naročeno
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Dejanski začetni datum in končni datum sta obvezna
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Stranka&gt; Skupina strank&gt; Teritorija
 DocType: Salary Detail,Component,Komponenta
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Vrstica {0}: {1} mora biti večja od 0
 DocType: Assessment Criteria,Assessment Criteria Group,Skupina Merila ocenjevanja
@@ -5992,11 +6063,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Pred predložitvijo navedite ime banke ali posojilne institucije.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} je treba vložiti
 DocType: POS Profile,Item Groups,postavka Skupine
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Danes je {0} &#39;s rojstni dan!
 DocType: Sales Order Item,For Production,Za proizvodnjo
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Stanje v valuti računa
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,"Prosimo, dodajte račun za začasno odpiranje v kontnem okvirju"
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,"Prosimo, dodajte račun za začasno odpiranje v kontnem okvirju"
 DocType: Customer,Customer Primary Contact,Primarni kontakt s strankami
 DocType: Project Task,View Task,Ogled Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / svinec%
@@ -6010,11 +6080,11 @@
 DocType: Sales Invoice,Get Advances Received,Get prejeti predujmi
 DocType: Email Digest,Add/Remove Recipients,Dodaj / Odstrani prejemnike
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Če želite nastaviti to poslovno leto kot privzeto, kliknite na &quot;Set as Default&quot;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Znesek TDS odbitega
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Znesek TDS odbitega
 DocType: Production Plan,Include Subcontracted Items,Vključite predmete s podizvajalci
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,pridruži se
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Pomanjkanje Kol
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,pridruži se
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Pomanjkanje Kol
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi
 DocType: Loan,Repay from Salary,Poplačilo iz Plača
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Zahteva plačilo pred {0} {1} za znesek {2}
 DocType: Additional Salary,Salary Slip,Plača listek
@@ -6030,7 +6100,7 @@
 DocType: Patient,Dormant,mirujočih
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Davek od odbitka za neupravičene zaslužke zaposlenih
 DocType: Salary Slip,Total Interest Amount,Skupni znesek obresti
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Skladišča z otrok vozlišča ni mogoče pretvoriti v knjigo terjatev
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Skladišča z otrok vozlišča ni mogoče pretvoriti v knjigo terjatev
 DocType: BOM,Manage cost of operations,Upravljati stroške poslovanja
 DocType: Accounts Settings,Stale Days,Stale dni
 DocType: Travel Itinerary,Arrival Datetime,Prihod Datetime
@@ -6042,7 +6112,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Ocena Rezultat Podrobnosti
 DocType: Employee Education,Employee Education,Izobraževanje delavec
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Dvojnik postavka skupina je našla v tabeli točka skupine
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,"To je potrebno, da prinese Element Podrobnosti."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,"To je potrebno, da prinese Element Podrobnosti."
 DocType: Fertilizer,Fertilizer Name,Ime gnojila
 DocType: Salary Slip,Net Pay,Neto plača
 DocType: Cash Flow Mapping Accounts,Account,Račun
@@ -6053,14 +6123,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Ustvarite ločen plačilni vpis pred škodnim zahtevkom
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Prisotnost vročine (temp&gt; 38,5 ° C / 101,3 ° F ali trajne temp&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Sales Team Podrobnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Izbriši trajno?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Izbriši trajno?
 DocType: Expense Claim,Total Claimed Amount,Skupaj zahtevani znesek
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencialne možnosti za prodajo.
 DocType: Shareholder,Folio no.,Folio št.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Neveljavna {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Bolniški dopust
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,niso
 DocType: Delivery Note,Billing Address Name,Zaračunavanje Naslov Name
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Veleblagovnice
 ,Item Delivery Date,Datum dobave artikla
@@ -6076,16 +6145,16 @@
 DocType: Account,Chargeable,Obračuna
 DocType: Company,Change Abbreviation,Spremeni kratico
 DocType: Contract,Fulfilment Details,Podrobnosti o izpolnjevanju
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Plačajte {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Plačajte {0} {1}
 DocType: Employee Onboarding,Activities,Dejavnosti
 DocType: Expense Claim Detail,Expense Date,Expense Datum
 DocType: Item,No of Months,Število mesecev
 DocType: Item,Max Discount (%),Max Popust (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kreditni dnevi ne smejo biti negativni
-DocType: Sales Invoice Item,Service Stop Date,Datum zaustavitve storitve
+DocType: Purchase Invoice Item,Service Stop Date,Datum zaustavitve storitve
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Zadnja naročite Znesek
 DocType: Cash Flow Mapper,e.g Adjustments for:,npr. prilagoditve za:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Ohrani Vzorec temelji na seriji, preverite ali Ima številko serije, da ohranite vzorec serije"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Ohrani Vzorec temelji na seriji, preverite ali Ima številko serije, da ohranite vzorec serije"
 DocType: Task,Is Milestone,je Milestone
 DocType: Certification Application,Yet to appear,Še vedno pa se pojavi
 DocType: Delivery Stop,Email Sent To,E-pošta poslana
@@ -6093,16 +6162,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Dovoli stroškovnem centru pri vnosu bilance stanja
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Spoji z obstoječim računom
 DocType: Budget,Warn,Opozori
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Vsi elementi so bili že preneseni za ta delovni nalog.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Vsi elementi so bili že preneseni za ta delovni nalog.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Kakršne koli druge pripombe, omembe vredna napora, da bi moral iti v evidencah."
 DocType: Asset Maintenance,Manufacturing User,Proizvodnja Uporabnik
 DocType: Purchase Invoice,Raw Materials Supplied,"Surovin, dobavljenih"
 DocType: Subscription Plan,Payment Plan,Plačilni načrt
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Omogočite nakup predmetov preko spletne strani
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valuta cenika {0} mora biti {1} ali {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Upravljanje naročnin
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Upravljanje naročnin
 DocType: Appraisal,Appraisal Template,Cenitev Predloga
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Za kodo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Za kodo
 DocType: Soil Texture,Ternary Plot,Ternary plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Preverite to, da omogočite načrtovano dnevno sinhronizacijo prek načrtovalca"
 DocType: Item Group,Item Classification,Postavka Razvrstitev
@@ -6112,6 +6181,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Registracija računa pacientov
 DocType: Crop,Period,Obdobje
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Glavna knjiga
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,V proračunsko leto
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Poglej ponudbe
 DocType: Program Enrollment Tool,New Program,Nov program
 DocType: Item Attribute Value,Attribute Value,Vrednosti atributa
@@ -6120,11 +6190,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Priporočena Preureditev Raven
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Zaposleni {0} razreda {1} nimajo pravilnika o privzetem dopustu
 DocType: Salary Detail,Salary Detail,plača Podrobnosti
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Prosimo, izberite {0} najprej"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Prosimo, izberite {0} najprej"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Dodal {0} uporabnike
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",V primeru večstopenjskega programa bodo stranke samodejno dodeljene zadevni stopnji glede na porabljene
 DocType: Appointment Type,Physician,Zdravnik
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Serija {0} od Postavka {1} je potekla.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Serija {0} od Postavka {1} je potekla.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Posvetovanja
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Končano dobro
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Postavka Cena se prikaže večkrat na podlagi cenika, dobavitelja / naročnika, valute, postavke, UOM, količine in datumov."
@@ -6133,22 +6203,21 @@
 DocType: Certification Application,Name of Applicant,Ime prosilca
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas List za proizvodnjo.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Vmesni seštevek
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Lastnosti variant ni mogoče spremeniti po transakciji z delnicami. Za to morate narediti novo postavko.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Lastnosti variant ni mogoče spremeniti po transakciji z delnicami. Za to morate narediti novo postavko.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless Mandat SEPA
 DocType: Healthcare Practitioner,Charges,Dajatve
 DocType: Production Plan,Get Items For Work Order,Pridobite predmete za delovni red
 DocType: Salary Detail,Default Amount,Privzeti znesek
 DocType: Lab Test Template,Descriptive,Opisno
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Skladišče ni mogoče najti v sistemu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Povzetek tega meseca je
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Povzetek tega meseca je
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kakovost Inšpekcijski Reading
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Zamrzni zaloge starejše od` mora biti manjša od %d dni.
 DocType: Tax Rule,Purchase Tax Template,Nakup Davčna Template
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Določite prodajni cilj, ki ga želite doseči za vaše podjetje."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Zdravstvene storitve
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Zdravstvene storitve
 ,Project wise Stock Tracking,Projekt pametno Stock Tracking
 DocType: GST HSN Code,Regional,regionalno
-DocType: Delivery Note,Transport Mode,Način prevoza
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorij
 DocType: UOM Category,UOM Category,Kategorija UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Dejanska Količina (pri viru / cilju)
@@ -6171,17 +6240,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Spletne strani ni bilo mogoče ustvariti
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,"Zaprta zaloga, ki je že bila ustvarjena, ali količina vzorca ni zagotovljena"
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,"Zaprta zaloga, ki je že bila ustvarjena, ali količina vzorca ni zagotovljena"
 DocType: Program,Program Abbreviation,Kratica programa
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Proizvodnja naročilo ne more biti postavljeno pred Predloga Postavka
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Dajatve so posodobljeni v Potrdilo o nakupu ob vsaki postavki
 DocType: Warranty Claim,Resolved By,Rešujejo s
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Razrešnica razporeda
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čeki in depoziti nepravilno izbil
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Račun {0}: ne moreš dodeliti samega sebe kot matični račun
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Račun {0}: ne moreš dodeliti samega sebe kot matični račun
 DocType: Purchase Invoice Item,Price List Rate,Cenik Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Ustvari ponudbe kupcev
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Datum zaustavitve storitve ne more biti po končnem datumu storitve
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Datum zaustavitve storitve ne more biti po končnem datumu storitve
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Pokaži &quot;Na zalogi&quot; ali &quot;Ni na zalogi&quot;, ki temelji na zalogi na voljo v tem skladišču."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Kosovnica (BOM)
 DocType: Item,Average time taken by the supplier to deliver,"Povprečen čas, ki ga dobavitelj dostaviti"
@@ -6193,11 +6262,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ur
 DocType: Project,Expected Start Date,Pričakovani datum začetka
 DocType: Purchase Invoice,04-Correction in Invoice,04-Popravek na računu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Delovni nalog je že ustvarjen za vse elemente z BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Delovni nalog je že ustvarjen za vse elemente z BOM
 DocType: Payment Request,Party Details,Podrobnosti o zabavi
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Poročilo o variantah
 DocType: Setup Progress Action,Setup Progress Action,Akcijski program Setup Progress
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Nakupni cenik
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Nakupni cenik
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Odstranite element, če stroški ne nanaša na to postavko"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Prekliči naročnino
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Izberite stanje vzdrževanja kot dokončano ali odstranite datum zaključka
@@ -6215,7 +6284,7 @@
 DocType: Asset,Disposal Date,odstranjevanje Datum
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-pošta bo poslana vsem aktivnih zaposlenih v družbi na določeni uri, če nimajo počitnic. Povzetek odgovorov bo poslano ob polnoči."
 DocType: Employee Leave Approver,Employee Leave Approver,Zaposleni Leave odobritelj
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Vrstica {0}: Vpis Preureditev že obstaja za to skladišče {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Vrstica {0}: Vpis Preureditev že obstaja za to skladišče {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Ne more razglasiti kot izgubljena, ker je bil predračun postavil."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Račun CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Predlogi za usposabljanje
@@ -6227,7 +6296,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danes ne more biti pred od datuma
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Noga odseka
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Dodaj / Uredi Cene
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Dodaj / Uredi Cene
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Promocija zaposlenih ni mogoče vložiti pred datumom uveljavitve
 DocType: Batch,Parent Batch,nadrejena Serija
 DocType: Batch,Parent Batch,nadrejena Serija
@@ -6238,6 +6307,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Zbiranje vzorcev
 ,Requested Items To Be Ordered,Zahtevane Postavke naloži
 DocType: Price List,Price List Name,Cenik Ime
+DocType: Delivery Stop,Dispatch Information,Informacije o odpremi
 DocType: Blanket Order,Manufacturing,Predelovalne dejavnosti
 ,Ordered Items To Be Delivered,Naročeno Točke je treba dostaviti
 DocType: Account,Income,Prihodki
@@ -6256,17 +6326,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} enot {1} potrebnih v {2} na {3} {4} za {5} za dokončanje te transakcije.
 DocType: Fee Schedule,Student Category,študent kategorije
 DocType: Announcement,Student,študent
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Količina zalog za začetek postopka ni na voljo v skladišču. Želite posneti prenos stanj
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Količina zalog za začetek postopka ni na voljo v skladišču. Želite posneti prenos stanj
 DocType: Shipping Rule,Shipping Rule Type,Vrsta pravilnika o dostavi
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Pojdi v sobe
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Družba, plačilni račun, datum in datum je obvezen"
 DocType: Company,Budget Detail,Proračun Detail
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vnesite sporočilo pred pošiljanjem
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DVOJNIK dobavitelja
-DocType: Email Digest,Pending Quotations,Dokler Citati
-DocType: Delivery Note,Distance (KM),Oddaljenost (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Dobavitelj&gt; Skupina dobaviteljev
 DocType: Asset,Custodian,Skrbnik
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale profila
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale profila
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} mora biti vrednost med 0 in 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Plačilo {0} od {1} do {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Nezavarovana posojila
@@ -6298,10 +6367,10 @@
 DocType: Lead,Converted,Pretvorjena
 DocType: Item,Has Serial No,Ima serijsko številko
 DocType: Employee,Date of Issue,Datum izdaje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kot je na Nastavitve Nakup če Nakup Reciept Zahtevano == &quot;DA&quot;, nato pa za ustvarjanje računu o nakupu, uporabnik potreba ustvariti Nakup listek najprej za postavko {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kot je na Nastavitve Nakup če Nakup Reciept Zahtevano == &quot;DA&quot;, nato pa za ustvarjanje računu o nakupu, uporabnik potreba ustvariti Nakup listek najprej za postavko {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Vrstica # {0}: Nastavite Dobavitelj za postavko {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Vrstica {0}: Ure vrednost mora biti večja od nič.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Spletna stran slike {0} pritrjena na postavki {1} ni mogoče najti
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Spletna stran slike {0} pritrjena na postavki {1} ni mogoče najti
 DocType: Issue,Content Type,Vrsta vsebine
 DocType: Asset,Assets,Sredstva
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Računalnik
@@ -6312,7 +6381,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} ne obstaja
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Prosimo, preverite Multi Valuta možnost, da se omogoči račune pri drugi valuti"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Postavka: {0} ne obstaja v sistemu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Nimate dovoljenja za nastavitev Zamrznjena vrednost
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Nimate dovoljenja za nastavitev Zamrznjena vrednost
 DocType: Payment Reconciliation,Get Unreconciled Entries,Pridobite neusklajene vnose
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Zaposleni {0} je na Pusti {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Nobena odplačila niso izbrana za vnos v dnevnik
@@ -6330,13 +6399,14 @@
 ,Average Commission Rate,Povprečen Komisija Rate
 DocType: Share Balance,No of Shares,Število delnic
 DocType: Taxable Salary Slab,To Amount,Za znesek
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Ima serijsko številko"" ne more biti 'Da' za postavko brez zalog"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Ima serijsko številko"" ne more biti 'Da' za postavko brez zalog"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Izberite Stanje
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Udeležba ni mogoče označiti za prihodnje datume
 DocType: Support Search Source,Post Description Key,Ključ za opis sporočila
 DocType: Pricing Rule,Pricing Rule Help,Cen Pravilo Pomoč
 DocType: School House,House Name,Naslov
 DocType: Fee Schedule,Total Amount per Student,Skupni znesek na študenta
+DocType: Opportunity,Sales Stage,Prodajna faza
 DocType: Purchase Taxes and Charges,Account Head,Račun Head
 DocType: Company,HRA Component,HRA komponenta
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Električno
@@ -6344,15 +6414,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Skupna vrednost Razlika (Out - IN)
 DocType: Grant Application,Requested Amount,Zahtevani znesek
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Vrstica {0}: Menjalni tečaj je obvezen
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID uporabnika ni nastavljena za Employee {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID uporabnika ni nastavljena za Employee {0}
 DocType: Vehicle,Vehicle Value,Vrednost vozila
 DocType: Crop Cycle,Detected Diseases,Detektirane bolezni
 DocType: Stock Entry,Default Source Warehouse,Privzeto Vir Skladišče
 DocType: Item,Customer Code,Koda za stranke
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},"Opomnik za rojstni dan, za {0}"
 DocType: Asset Maintenance Task,Last Completion Date,Zadnji datum zaključka
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dni od zadnjega naročila
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Bremenitev računa mora biti bilanca računa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Bremenitev računa mora biti bilanca računa
 DocType: Asset,Naming Series,Poimenovanje zaporedja
 DocType: Vital Signs,Coated,Prevlečen
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Vrstica {0}: Pričakovana vrednost po uporabnem življenjskem obdobju mora biti manjša od bruto zneska nakupa
@@ -6370,15 +6439,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Dobavnica {0} ni treba predložiti
 DocType: Notification Control,Sales Invoice Message,Prodaja Račun Sporočilo
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Zapiranje račun {0} mora biti tipa odgovornosti / kapital
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Plača Slip delavca {0} že ustvarili za časa stanja {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Plača Slip delavca {0} že ustvarili za časa stanja {1}
 DocType: Vehicle Log,Odometer,števec kilometrov
 DocType: Production Plan Item,Ordered Qty,Naročeno Kol
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Postavka {0} je onemogočena
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Postavka {0} je onemogočena
 DocType: Stock Settings,Stock Frozen Upto,Stock Zamrznjena Stanuje
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM ne vsebuje nobenega elementa zaloge
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM ne vsebuje nobenega elementa zaloge
 DocType: Chapter,Chapter Head,Poglavje glave
 DocType: Payment Term,Month(s) after the end of the invoice month,Mesec (i) po koncu meseca računa
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Struktura plače mora imeti prožne komponente (komponente), da bi odplačala znesek nadomestila"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Struktura plače mora imeti prožne komponente (komponente), da bi odplačala znesek nadomestila"
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projektna dejavnost / naloga.
 DocType: Vital Signs,Very Coated,Zelo prevlečen
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Samo davčni vpliv (ne moremo trditi, ampak del obdavčljivega dohodka)"
@@ -6396,7 +6465,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,zaračunavanje storitev ure
 DocType: Project,Total Sales Amount (via Sales Order),Skupni znesek prodaje (preko prodajnega naloga)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Privzeti BOM za {0} ni bilo mogoče najti
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Vrstica # {0}: Prosim nastavite naročniško količino
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Vrstica # {0}: Prosim nastavite naročniško količino
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Dotaknite predmete, da jih dodate tukaj"
 DocType: Fees,Program Enrollment,Program Vpis
 DocType: Share Transfer,To Folio No,V Folio št
@@ -6438,9 +6507,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max moč
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Namestitev prednastavitev
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Za kupca ni izbranega obvestila o dostavi {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Za kupca ni izbranega obvestila o dostavi {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Zaposleni {0} nima največjega zneska nadomestila
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Izberite elemente glede na datum dostave
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Izberite elemente glede na datum dostave
 DocType: Grant Application,Has any past Grant Record,Ima dodeljen zapis
 ,Sales Analytics,Prodajna analitika
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Na voljo {0}
@@ -6449,12 +6518,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Proizvodne Nastavitve
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Postavitev Email
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Vnesite privzeto valuto v podjetju Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Vnesite privzeto valuto v podjetju Master
 DocType: Stock Entry Detail,Stock Entry Detail,Stock Začetek Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Dnevni opomniki
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Dnevni opomniki
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Oglejte si vse odprte vozovnice
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Drevo enote zdravstvenega varstva
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Izdelek
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Izdelek
 DocType: Products Settings,Home Page is Products,Domača stran je izdelki
 ,Asset Depreciation Ledger,Sredstvo Amortizacija Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Pustite znesek obrokov na dan
@@ -6464,8 +6533,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,"Surovin, dobavljenih Stroški"
 DocType: Selling Settings,Settings for Selling Module,Nastavitve za modul Prodaja
 DocType: Hotel Room Reservation,Hotel Room Reservation,Rezervacija hotelske sobe
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Storitev za stranke
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Storitev za stranke
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Ni najdenih stikov z e-poštnimi ID-ji.
 DocType: Item Customer Detail,Item Customer Detail,Postavka Detail Stranka
 DocType: Notification Control,Prompt for Email on Submission of,Vprašal za e-poštni ob predložitvi
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Najvišji znesek zaslužka zaposlenega {0} presega {1}
@@ -6475,7 +6545,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Postavka {0} mora biti stock postavka
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Privzeto Delo v skladišču napredku
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Seznami za {0} se prekrivajo, ali želite nadaljevati, ko preskočite prekrivne reže?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Privzete nastavitve za računovodske posle.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Privzete nastavitve za računovodske posle.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grantovi listi
 DocType: Restaurant,Default Tax Template,Privzeta davčna predloga
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Študenti so bili vpisani
@@ -6483,6 +6553,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Stock Kol
 DocType: Purchase Invoice Item,Stock Qty,Stock Kol
 DocType: Contract,Requires Fulfilment,Zahteva izpolnjevanje
+DocType: QuickBooks Migrator,Default Shipping Account,Privzeti ladijski račun
 DocType: Loan,Repayment Period in Months,Vračilo Čas v mesecih
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Napaka: Ni veljaven id?
 DocType: Naming Series,Update Series Number,Posodobi številko zaporedja
@@ -6496,11 +6567,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Max znesek
 DocType: Journal Entry,Total Amount Currency,Skupni znesek Valuta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Iskanje sklope
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Oznaka zahteva pri Row št {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Oznaka zahteva pri Row št {0}
 DocType: GST Account,SGST Account,Račun SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Pojdi na elemente
 DocType: Sales Partner,Partner Type,Partner Type
-DocType: Purchase Taxes and Charges,Actual,Actual
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Actual
 DocType: Restaurant Menu,Restaurant Manager,Upravitelj restavracij
 DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet za naloge.
@@ -6521,7 +6592,7 @@
 DocType: Employee,Cheque,Ček
 DocType: Training Event,Employee Emails,Emails za zaposlene
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Zaporedje posodobljeno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Vrsta poročila je obvezna
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Vrsta poročila je obvezna
 DocType: Item,Serial Number Series,Serijska številka zaporedja
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Skladišče je obvezna za borzo postavki {0} v vrstici {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Trgovina na drobno in na debelo
@@ -6552,7 +6623,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Posodobi obračunani znesek v prodajnem nalogu
 DocType: BOM,Materials,Materiali
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Če ni izbrana, bo seznam je treba dodati, da vsak oddelek, kjer je treba uporabiti."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,"Napotitev datum in čas objavljate, je obvezna"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,"Napotitev datum in čas objavljate, je obvezna"
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Davčna predloga za nabavne transakcije
 ,Item Prices,Postavka Cene
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"V besedi bo viden, ko boste prihranili naročilnico."
@@ -6568,12 +6639,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serija za vpis vrednosti amortizacije (dnevnik)
 DocType: Membership,Member Since,Član od
 DocType: Purchase Invoice,Advance Payments,Predplačila
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Izberite storitev zdravstvenega varstva
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Izberite storitev zdravstvenega varstva
 DocType: Purchase Taxes and Charges,On Net Total,On Net Total
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vrednost atributa {0} mora biti v razponu od {1} do {2} v korakih po {3} za postavko {4}
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorija izvzetja
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,"Valuta ni mogoče spremeniti, potem ko vnose uporabljate kakšno drugo valuto"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,"Valuta ni mogoče spremeniti, potem ko vnose uporabljate kakšno drugo valuto"
 DocType: Shipping Rule,Fixed,Popravljeno
 DocType: Vehicle Service,Clutch Plate,sklopka Plate
 DocType: Company,Round Off Account,Zaokrožijo račun
@@ -6582,7 +6653,7 @@
 DocType: Subscription Plan,Based on price list,Na podlagi cenika
 DocType: Customer Group,Parent Customer Group,Parent Customer Group
 DocType: Vehicle Service,Change,Spremeni
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Naročnina
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Naročnina
 DocType: Purchase Invoice,Contact Email,Kontakt E-pošta
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Čakanje v kreiranju
 DocType: Appraisal Goal,Score Earned,Rezultat Zaslužili
@@ -6609,23 +6680,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Terjatve / plačljivo račun
 DocType: Delivery Note Item,Against Sales Order Item,Proti Sales Order Postavka
 DocType: Company,Company Logo,Logo podjetja
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Prosimo, navedite Lastnost vrednost za atribut {0}"
-DocType: Item Default,Default Warehouse,Privzeto Skladišče
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Prosimo, navedite Lastnost vrednost za atribut {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Privzeto Skladišče
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Proračun ne more biti dodeljena pred Group račun {0}
 DocType: Shopping Cart Settings,Show Price,Prikaži ceno
 DocType: Healthcare Settings,Patient Registration,Registracija pacientov
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Vnesite stroškovno mesto matično
 DocType: Delivery Note,Print Without Amount,Natisni Brez Znesek
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Amortizacija Datum
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Amortizacija Datum
 ,Work Orders in Progress,Delovni nalogi v teku
 DocType: Issue,Support Team,Support Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Iztek (v dnevih)
 DocType: Appraisal,Total Score (Out of 5),Skupna ocena (od 5)
 DocType: Student Attendance Tool,Batch,Serija
 DocType: Support Search Source,Query Route String,String String poizvedbe
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Hitrost posodobitve po zadnjem nakupu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Hitrost posodobitve po zadnjem nakupu
 DocType: Donor,Donor Type,Vrsta donatorja
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Posodobljen samodejno ponavljanje dokumenta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Posodobljen samodejno ponavljanje dokumenta
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Bilanca
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Izberite podjetje
 DocType: Job Card,Job Card,Job Card
@@ -6639,7 +6710,7 @@
 DocType: Assessment Result,Total Score,Skupni rezultat
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standard
 DocType: Journal Entry,Debit Note,Opomin
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,V tem vrstnem redu lahko uveljavljate največ {0} točk.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,V tem vrstnem redu lahko uveljavljate največ {0} točk.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-YYYY-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Vnesite Potrošniško skrivnost API-ja
 DocType: Stock Entry,As per Stock UOM,Kot je na borzi UOM
@@ -6653,10 +6724,11 @@
 DocType: Journal Entry,Total Debit,Skupaj Debetna
 DocType: Travel Request Costing,Sponsored Amount,Sponzorirani znesek
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Privzete Končano Blago Skladišče
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Izberite Patient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Izberite Patient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Prodaja oseba
 DocType: Hotel Room Package,Amenities,Amenities
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Proračun in Center Stroški
+DocType: QuickBooks Migrator,Undeposited Funds Account,Račun nedefiniranih skladov
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Proračun in Center Stroški
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Večkratni način plačila ni dovoljen
 DocType: Sales Invoice,Loyalty Points Redemption,Odkupi točk zvestobe
 ,Appointment Analytics,Imenovanje Analytics
@@ -6670,6 +6742,7 @@
 DocType: Batch,Manufacturing Date,Datum izdelave
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Ustvarjanje provizij ni uspelo
 DocType: Opening Invoice Creation Tool,Create Missing Party,Ustvari manjkajočo stranko
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Skupni proračun
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Pustite prazno, če bi študenti skupin na leto"
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Pustite prazno, če bi študenti skupin na leto"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Če je označeno, Total no. delovnih dni bo vključeval praznike, in to se bo zmanjšala vrednost plač dan na"
@@ -6686,20 +6759,19 @@
 DocType: Opportunity Item,Basic Rate,Osnovni tečaj
 DocType: GL Entry,Credit Amount,Credit Znesek
 DocType: Cheque Print Template,Signatory Position,podpisnik Položaj
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Nastavi kot Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Nastavi kot Lost
 DocType: Timesheet,Total Billable Hours,Skupaj plačljivih ur
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Število dni, v katerem mora naročnik plačati račune, ki jih ustvari ta naročnina"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Podrobnosti o uporabi programa za zaposlene
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Prejem plačilnih Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ta temelji na transakcijah zoper to stranko. Oglejte si časovnico spodaj za podrobnosti
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},"Vrstica {0}: Dodeljena količina {1}, mora biti manjša ali enaka plačila za vnos zneska {2}"
 DocType: Program Enrollment Tool,New Academic Term,Novi akademski izraz
 ,Course wise Assessment Report,Seveda pametno poročilo o oceni
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Izkoristil davčno olajšavo države / UT
 DocType: Tax Rule,Tax Rule,Davčna Pravilo
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Ohraniti ista stopnja V celotnem ciklu prodaje
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Prijavite se kot drugi uporabnik, da se registrirate na Marketplace"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Prijavite se kot drugi uporabnik, da se registrirate na Marketplace"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Načrtujte čas dnevnike zunaj Workstation delovnih ur.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Stranke v vrsti
 DocType: Driver,Issuing Date,Datum izdaje
@@ -6708,11 +6780,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Pošljite ta delovni nalog za nadaljnjo obdelavo.
 ,Items To Be Requested,"Predmeti, ki bodo zahtevana"
 DocType: Company,Company Info,Informacije o podjetju
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Izberite ali dodati novo stranko
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Izberite ali dodati novo stranko
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Stroškovno mesto je potrebno rezervirati odhodek zahtevek
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Uporaba sredstev (sredstva)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ta temelji na prisotnosti tega zaposlenega
-DocType: Assessment Result,Summary,Povzetek
 DocType: Payment Request,Payment Request Type,Vrsta zahtevka za plačilo
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Označi udeležbo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Debetni račun
@@ -6720,7 +6791,7 @@
 DocType: Additional Salary,Employee Name,ime zaposlenega
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Vnos naročila restavracije
 DocType: Purchase Invoice,Rounded Total (Company Currency),Zaokrožena Skupaj (Company Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Ne more prikrite skupini, saj je izbrana vrsta računa."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Ne more prikrite skupini, saj je izbrana vrsta računa."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} je bila spremenjena. Osvežite.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop uporabnike iz česar dopusta aplikacij na naslednjih dneh.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Če je za točke zvestobe neomejen rok trajanja, sledite praznim časom trajanja ali 0."
@@ -6741,11 +6812,12 @@
 DocType: Asset,Out of Order,Ne deluje
 DocType: Purchase Receipt Item,Accepted Quantity,Accepted Količina
 DocType: Projects Settings,Ignore Workstation Time Overlap,Prezri čas prekrivanja delovne postaje
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Nastavite privzeto Hiša List za zaposlenega {0} ali podjetja {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Nastavite privzeto Hiša List za zaposlenega {0} ali podjetja {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} ne obstaja
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Izberite številke Serija
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Za GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Za GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Računi zbrana strankam.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Samodejni izstavki računov
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID Projekta
 DocType: Salary Component,Variable Based On Taxable Salary,Spremenljivka na podlagi obdavčljive plače
 DocType: Company,Basic Component,Osnovna komponenta
@@ -6758,10 +6830,10 @@
 DocType: Stock Entry,Source Warehouse Address,Naslov skladišča vira
 DocType: GL Entry,Voucher Type,Bon Type
 DocType: Amazon MWS Settings,Max Retry Limit,Najvišja poskusna omejitev
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena
 DocType: Student Applicant,Approved,Odobreno
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Cena
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Zaposleni razrešen na {0} mora biti nastavljen kot &quot;levo&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Zaposleni razrešen na {0} mora biti nastavljen kot &quot;levo&quot;
 DocType: Marketplace Settings,Last Sync On,Zadnja sinhronizacija je vključena
 DocType: Guardian,Guardian,Guardian
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Vsa sporočila, vključno z in nad tem, se premaknejo v novo številko"
@@ -6784,14 +6856,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Seznam bolezni, odkritih na terenu. Ko je izbran, bo samodejno dodal seznam nalog, ki se ukvarjajo z boleznijo"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,To je korenska storitev zdravstvene oskrbe in je ni mogoče urejati.
 DocType: Asset Repair,Repair Status,Stanje popravila
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Dodaj prodajne partnerje
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Vpisi računovodstvo lista.
 DocType: Travel Request,Travel Request,Zahteva za potovanje
 DocType: Delivery Note Item,Available Qty at From Warehouse,Na voljo Količina na IZ SKLADIŠČA
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Prosimo, izberite Employee Snemaj prvi."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Udeležba ni bila oddana za {0}, ker je praznik."
 DocType: POS Profile,Account for Change Amount,Račun za znesek spremembe
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Povezava na QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Skupni dobiček / izguba
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Neveljavna družba za račun družbe.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Neveljavna družba za račun družbe.
 DocType: Purchase Invoice,input service,vnosna storitev
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Vrstica {0}: Party / račun se ne ujema z {1} / {2} v {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promocija zaposlenih
@@ -6800,12 +6874,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Šifra predmeta:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Vnesite Expense račun
 DocType: Account,Stock,Zaloga
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od narocilo, Nakup računa ali Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od narocilo, Nakup računa ali Journal Entry"
 DocType: Employee,Current Address,Trenutni naslov
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Če postavka je varianta drug element, potem opis, slike, cene, davki, itd bo določil iz predloge, razen če je izrecno določeno"
 DocType: Serial No,Purchase / Manufacture Details,Nakup / Izdelava Podrobnosti
 DocType: Assessment Group,Assessment Group,Skupina ocena
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Serija Inventory
+DocType: Supplier,GST Transporter ID,Identifikator prehoda GST
 DocType: Procedure Prescription,Procedure Name,Ime postopka
 DocType: Employee,Contract End Date,Naročilo End Date
 DocType: Amazon MWS Settings,Seller ID,ID prodajalca
@@ -6825,12 +6900,12 @@
 DocType: Company,Date of Incorporation,Datum ustanovitve
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Skupna davčna
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Zadnja nakupna cena
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Za Količina (Izdelano Kol) obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Za Količina (Izdelano Kol) obvezna
 DocType: Stock Entry,Default Target Warehouse,Privzeto Target Skladišče
 DocType: Purchase Invoice,Net Total (Company Currency),Net Total (družba Valuta)
 DocType: Delivery Note,Air,Zrak
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Leto Končni datum ne more biti zgodnejši od datuma Leto Start. Popravite datum in poskusite znova.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ni na seznamu neobveznih praznikov
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ni na seznamu neobveznih praznikov
 DocType: Notification Control,Purchase Receipt Message,Potrdilo o nakupu Sporočilo
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,ostanki Točke
@@ -6853,23 +6928,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Izpolnjevanje
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prejšnje vrstice Znesek
 DocType: Item,Has Expiry Date,Ima rok veljavnosti
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,prenos sredstev
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,prenos sredstev
 DocType: POS Profile,POS Profile,POS profila
 DocType: Training Event,Event Name,Ime dogodka
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Office)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Ni mogoče poslati, zaposleni so pustili, da označijo udeležbo"
 DocType: Inpatient Record,Admission,sprejem
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Vstopnine za {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezonskost za nastavitev proračunov, cilji itd"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezonskost za nastavitev proračunov, cilji itd"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Ime spremenljivke
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Postavka {0} je predlogo, izberite eno od njenih različic"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosimo, nastavite sistem imenovanja zaposlenih v kadri&gt; HR Settings"
+DocType: Purchase Invoice Item,Deferred Expense,Odloženi stroški
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Od datuma {0} ne more biti preden se zaposleni pridružijo datumu {1}
 DocType: Asset,Asset Category,sredstvo Kategorija
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Neto plača ne more biti negativna
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Neto plača ne more biti negativna
 DocType: Purchase Order,Advance Paid,Advance Paid
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Odstotek prekomerne proizvodnje za prodajno naročilo
 DocType: Item,Item Tax,Postavka Tax
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Material za dobavitelja
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Material za dobavitelja
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Načrtovanje materialnih zahtev
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Trošarina Račun
@@ -6891,11 +6968,11 @@
 DocType: Scheduling Tool,Scheduling Tool,razporejanje orodje
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Credit Card
 DocType: BOM,Item to be manufactured or repacked,"Postavka, ki se proizvaja ali prepakirana"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Sintaktična napaka v stanju: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Sintaktična napaka v stanju: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.LLLL.-
 DocType: Employee Education,Major/Optional Subjects,Major / Izbirni predmeti
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,V nastavitvah nakupa nastavite skupino dobaviteljev.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,V nastavitvah nakupa nastavite skupino dobaviteljev.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Skupna vsota komponent prilagodljive koristi {0} ne sme biti manjša od maksimalnih ugodnosti {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Suspendirano
@@ -6915,7 +6992,7 @@
 DocType: Customer,Commission Rate,Komisija Rate
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Uspešno so ustvarili vnose v plačilo
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Ustvarjene {0} kazalnike za {1} med:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Naredite Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Naredite Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Plačilo Tip mora biti eden od Prejemanje, plačati in notranji prenos"
 DocType: Travel Itinerary,Preferred Area for Lodging,Prednostno območje za vložitev
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6926,7 +7003,7 @@
 DocType: Work Order,Actual Operating Cost,Dejanski operacijski stroškov
 DocType: Payment Entry,Cheque/Reference No,Ček / referenčna številka
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root ni mogoče urejati.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root ni mogoče urejati.
 DocType: Item,Units of Measure,Merske enote
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Izposojeno v mestu Metro
 DocType: Supplier,Default Tax Withholding Config,Podnapisani davčni odtegljaj
@@ -6944,21 +7021,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po zaključku plačila preusmeri uporabnika na izbrano stran.
 DocType: Company,Existing Company,obstoječa podjetja
 DocType: Healthcare Settings,Result Emailed,Rezultati so poslani
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Davčna kategorija se je spremenila v &quot;Skupaj&quot;, ker so vsi artikli, ki niso zalogi"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Davčna kategorija se je spremenila v &quot;Skupaj&quot;, ker so vsi artikli, ki niso zalogi"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Do datuma ne more biti enako ali manj kot od datuma
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Ničesar se ne spremeni
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Izberite csv datoteko
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Izberite csv datoteko
 DocType: Holiday List,Total Holidays,Skupaj prazniki
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Manjka e-poštna predloga za odpošiljanje. Nastavite ga v nastavitvah za dostavo.
 DocType: Student Leave Application,Mark as Present,Označi kot Present
 DocType: Supplier Scorecard,Indicator Color,Barva indikatorja
 DocType: Purchase Order,To Receive and Bill,Za prejemanje in Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Vrstica # {0}: Reqd po datumu ne more biti pred datumom transakcije
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Vrstica # {0}: Reqd po datumu ne more biti pred datumom transakcije
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Izbrani izdelki
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Izberite serijsko št
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Izberite serijsko št
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Oblikovalec
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Pogoji Template
 DocType: Serial No,Delivery Details,Dostava Podrobnosti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},"Stroškov Center, je potrebno v vrstici {0} v Davki miza za tip {1}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},"Stroškov Center, je potrebno v vrstici {0} v Davki miza za tip {1}"
 DocType: Program,Program Code,Program Code
 DocType: Terms and Conditions,Terms and Conditions Help,Pogoji Pomoč
 ,Item-wise Purchase Register,Element-pametno Nakup Registriraj se
@@ -6971,15 +7049,16 @@
 DocType: Contract,Contract Terms,Pogoji pogodbe
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Ne kažejo vsak simbol, kot $ itd zraven valute."
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Najvišja višina ugodnosti sestavnega dela {0} presega {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Poldnevni)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Poldnevni)
 DocType: Payment Term,Credit Days,Kreditne dnevi
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Prosimo, izberite Patient, da dobite laboratorijske teste"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Naj Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Dovolite prenos za izdelavo
 DocType: Leave Type,Is Carry Forward,Se Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Pridobi artikle iz BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Pridobi artikle iz BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dobavni rok dni
 DocType: Cash Flow Mapping,Is Income Tax Expense,Ali je prihodek od davka na dohodek
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Vaše naročilo je brezplačno!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Napotitev Datum mora biti enak datumu nakupa {1} od sredstva {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Označite to, če je študent s stalnim prebivališčem v Hostel inštituta."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Vnesite Prodajne nalogov v zgornji tabeli
@@ -6987,10 +7066,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Prenese sredstva iz enega skladišča v drugo
 DocType: Vehicle,Petrol,Petrol
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Preostale koristi (letno)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Kosovnica
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Kosovnica
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Vrstica {0}: Vrsta stranka in stranka je potrebna za terjatve / obveznosti račun {1}
 DocType: Employee,Leave Policy,Leave Policy
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Posodobi elemente
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Posodobi elemente
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Datum
 DocType: Employee,Reason for Leaving,Razlog za odhod
 DocType: BOM Operation,Operating Cost(Company Currency),Obratovalni stroški (družba Valuta)
@@ -7001,7 +7080,7 @@
 DocType: Department,Expense Approvers,Odobritve za stroške
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Vrstica {0}: debetna vnos ne more biti povezano z {1}
 DocType: Journal Entry,Subscription Section,Naročniška sekcija
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Račun {0} ne obstaja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Račun {0} ne obstaja
 DocType: Training Event,Training Program,Program usposabljanja
 DocType: Account,Cash,Gotovina
 DocType: Employee,Short biography for website and other publications.,Kratka biografija za spletne strani in drugih publikacij.
diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv
index 2c2d84f..1c1d74b 100644
--- a/erpnext/translations/sq.csv
+++ b/erpnext/translations/sq.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Items të konsumatorëve
 DocType: Project,Costing and Billing,Kushton dhe Faturimi
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Monedha e llogarisë së paradhënies duhet të jetë e njëjtë si monedha e kompanisë {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Llogaria {0}: llogari Parent {1} nuk mund të jetë libri
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Llogaria {0}: llogari Parent {1} nuk mund të jetë libri
 DocType: Item,Publish Item to hub.erpnext.com,Publikojë pika për hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Nuk mund të gjesh periudhë aktive të pushimit
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Nuk mund të gjesh periudhë aktive të pushimit
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,vlerësim
 DocType: Item,Default Unit of Measure,Gabim Njësia e Masës
 DocType: SMS Center,All Sales Partner Contact,Të gjitha Sales Partner Kontakt
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Kliko Enter To Add
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Vlera e humbur për Password, API Key ose Shopify URL"
 DocType: Employee,Rented,Me qira
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Të gjitha llogaritë
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Të gjitha llogaritë
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Nuk mund të transferojë punonjës me statusin e majtë
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ndaloi Rendit prodhimit nuk mund të anulohet, tapën atë më parë për të anulluar"
 DocType: Vehicle Service,Mileage,Largësi
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,A jeni të vërtetë doni për të hequr këtë pasuri?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,A jeni të vërtetë doni për të hequr këtë pasuri?
 DocType: Drug Prescription,Update Schedule,Orari i azhurnimit
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Zgjidh Default Furnizuesi
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Trego punonjësin
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Norma e re e këmbimit
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta është e nevojshme për Lista Çmimi {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuta është e nevojshme për Lista Çmimi {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Do të llogaritet në transaksion.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Customer Contact
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Kjo është e bazuar në transaksionet kundër këtij Furnizuesi. Shih afat kohor më poshtë për detaje
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Përqindja e mbivendosjes për rendin e punës
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Legal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Legal
+DocType: Delivery Note,Transport Receipt Date,Data e pranimit të transportit
 DocType: Shopify Settings,Sales Order Series,Seria e Renditjes së Shitjeve
 DocType: Vital Signs,Tongue,gjuhë
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA përjashtim
 DocType: Sales Invoice,Customer Name,Emri i Klientit
 DocType: Vehicle,Natural Gas,Gazit natyror
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Llogari bankare nuk mund të quhet si {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Llogari bankare nuk mund të quhet si {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA sipas strukturës së pagave
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kokat (ose grupe) kundër të cilit Hyrjet e kontabilitetit janë bërë dhe bilancet janë të mirëmbajtura.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Shquar për {0} nuk mund të jetë më pak se zero ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Data e ndalimit të shërbimit nuk mund të jetë para datës së fillimit të shërbimit
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Data e ndalimit të shërbimit nuk mund të jetë para datës së fillimit të shërbimit
 DocType: Manufacturing Settings,Default 10 mins,Default 10 minuta
 DocType: Leave Type,Leave Type Name,Lini Lloji Emri
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Trego të hapur
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Trego të hapur
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Seria Përditësuar sukses
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,arkë
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} në rresht {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} në rresht {1}
 DocType: Asset Finance Book,Depreciation Start Date,Data e fillimit të zhvlerësimit
 DocType: Pricing Rule,Apply On,Apliko On
 DocType: Item Price,Multiple Item prices.,Çmimet shumta artikull.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Cilësimet mbështetje
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Pritet Data e Përfundimit nuk mund të jetë më pak se sa pritej Data e fillimit
 DocType: Amazon MWS Settings,Amazon MWS Settings,Cilësimet e Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Norma duhet të jetë i njëjtë si {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Norma duhet të jetë i njëjtë si {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch Item Status skadimit
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Draft Bank
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Detajet e Fillimit të Kontaktit
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Çështjet e hapura
 DocType: Production Plan Item,Production Plan Item,Prodhimit Plani i artikullit
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Përdoruesi {0} është caktuar tashmë për punonjësit {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Përdoruesi {0} është caktuar tashmë për punonjësit {1}
 DocType: Lab Test Groups,Add new line,Shto një rresht të ri
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Kujdes shëndetësor
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Vonesa në pagesa (ditë)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Kërkimi i laboratorit
 ,Delay Days,Vonesa Ditët
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,shpenzimeve të shërbimit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Numri Serial: {0} është referuar tashmë në shitje Faturë: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Numri Serial: {0} është referuar tashmë në shitje Faturë: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faturë
 DocType: Purchase Invoice Item,Item Weight Details,Pesha Detajet e artikullit
 DocType: Asset Maintenance Log,Periodicity,Periodicitet
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Viti Fiskal {0} është e nevojshme
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Furnizuesi&gt; Grupi Furnizues
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Distanca minimale midis rreshtave të bimëve për rritje optimale
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Mbrojtje
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,FDH-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Festa Lista
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Llogaritar
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Lista e Çmimeve të Shitjes
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Lista e Çmimeve të Shitjes
 DocType: Patient,Tobacco Current Use,Përdorimi aktual i duhanit
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Shitja e normës
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Shitja e normës
 DocType: Cost Center,Stock User,Stock User
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Informacioni i kontaktit
 DocType: Company,Phone No,Telefoni Asnjë
 DocType: Delivery Trip,Initial Email Notification Sent,Dërgimi fillestar i email-it është dërguar
 DocType: Bank Statement Settings,Statement Header Mapping,Mapping Header Deklarata
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Data e nisjes së abonimit
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Llogaritë e llogarive të arkëtueshme që do të përdoren nëse nuk vendosen në Patient për të rezervuar tarifat e emërimit.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Bashkangjit CSV fotografi me dy kolona, njëra për emrin e vjetër dhe një për emrin e ri"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Nga Adresa 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kodi i artikullit&gt; Grupi i artikullit&gt; Markë
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Nga Adresa 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ne asnje vitit aktiv Fiskal.
 DocType: Packed Item,Parent Detail docname,Docname prind Detail
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",Referenca: {0} Artikull Code: {1} dhe klientit: {2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} nuk është i pranishëm në kompaninë mëmë
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} nuk është i pranishëm në kompaninë mëmë
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Data e përfundimit të periudhës së gjykimit nuk mund të jetë përpara datës së fillimit të periudhës së gjykimit
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Kategori e Mbajtjes së Tatimit
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklamat
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Njëjta kompani është futur më shumë se një herë
 DocType: Patient,Married,I martuar
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nuk lejohet për {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nuk lejohet për {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Të marrë sendet nga
 DocType: Price List,Price Not UOM Dependant,Çmimi nuk është UOM i varur
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Apliko Shuma e Mbajtjes së Tatimit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock nuk mund të rifreskohet kundër dorëzimit Shënim {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Shuma totale e kredituar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock nuk mund të rifreskohet kundër dorëzimit Shënim {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Shuma totale e kredituar
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Nuk ka artikuj të listuara
 DocType: Asset Repair,Error Description,Përshkrimi i gabimit
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Përdorni Custom Flow Format Custom
 DocType: SMS Center,All Sales Person,Të gjitha Person Sales
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Shpërndarja mujore ** ju ndihmon të shpërndani Buxhetore / Target gjithë muaj nëse keni sezonalitetit në biznesin tuaj.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Nuk sende gjetur
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Struktura Paga Missing
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Nuk sende gjetur
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Struktura Paga Missing
 DocType: Lead,Person Name,Emri personi
 DocType: Sales Invoice Item,Sales Invoice Item,Item Shitjet Faturë
 DocType: Account,Credit,Kredi
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Stock Raportet
 DocType: Warehouse,Warehouse Detail,Magazina Detail
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term End Date nuk mund të jetë më vonë se Data Year fund të vitit akademik në të cilin termi është i lidhur (Viti Akademik {}). Ju lutem, Korrigjo datat dhe provoni përsëri."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;A është e aseteve fikse&quot; nuk mund të jetë e pakontrolluar, pasi ekziston rekord Pasurive ndaj artikullit"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;A është e aseteve fikse&quot; nuk mund të jetë e pakontrolluar, pasi ekziston rekord Pasurive ndaj artikullit"
 DocType: Delivery Trip,Departure Time,Koha e Nisjes
 DocType: Vehicle Service,Brake Oil,Brake Oil
 DocType: Tax Rule,Tax Type,Lloji Tatimore
 ,Completed Work Orders,Urdhrat e Kompletuara të Punës
 DocType: Support Settings,Forum Posts,Postimet në Forum
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Shuma e tatueshme
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Shuma e tatueshme
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Ju nuk jeni i autorizuar për të shtuar ose shënimet e para përditësim {0}
 DocType: Leave Policy,Leave Policy Details,Lini Detajet e Politikave
 DocType: BOM,Item Image (if not slideshow),Item Image (nëse nuk Slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Ore Rate / 60) * aktuale Operacioni Koha
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rreshti # {0}: Referenca Lloji i Dokumentit duhet të jetë një nga Kërkesat e Shpenzimeve ose Hyrja në Regjistrim
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Zgjidh BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rreshti # {0}: Referenca Lloji i Dokumentit duhet të jetë një nga Kërkesat e Shpenzimeve ose Hyrja në Regjistrim
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Zgjidh BOM
 DocType: SMS Log,SMS Log,SMS Identifikohu
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostoja e Artikujve dorëzohet
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Festa në {0} nuk është në mes Nga Data dhe To Date
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Modelet e renditjes së furnizuesit.
 DocType: Lead,Interested,I interesuar
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Hapje
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Nga {0} në {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Nga {0} në {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Dështoi në vendosjen e taksave
 DocType: Item,Copy From Item Group,Kopje nga grupi Item
-DocType: Delivery Trip,Delivery Notification,Njoftimi i Dorëzimit
 DocType: Journal Entry,Opening Entry,Hyrja Hapja
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Llogaria Pay Vetëm
 DocType: Loan,Repay Over Number of Periods,Paguaj Over numri i periudhave
 DocType: Stock Entry,Additional Costs,Kostot shtesë
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Llogaria me transaksion ekzistuese nuk mund të konvertohet në grup.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Llogaria me transaksion ekzistuese nuk mund të konvertohet në grup.
 DocType: Lead,Product Enquiry,Produkt Enquiry
 DocType: Education Settings,Validate Batch for Students in Student Group,Vlereso Batch për Studentët në Grupin e Studentëve
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nuk ka rekord leje gjetur për punonjës {0} për {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ju lutemi shkruani kompani parë
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Ju lutemi zgjidhni kompania e parë
 DocType: Employee Education,Under Graduate,Nën diplomuar
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Vendosni modelin e parazgjedhur për Njoftimin e Statusit të Lëvizjes në Cilësimet e HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Vendosni modelin e parazgjedhur për Njoftimin e Statusit të Lëvizjes në Cilësimet e HR.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target Në
 DocType: BOM,Total Cost,Kostoja Totale
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Deklarata e llogarisë
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Farmaceutike
 DocType: Purchase Invoice Item,Is Fixed Asset,Është i aseteve fikse
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Qty në dispozicion është {0}, ju duhet {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Qty në dispozicion është {0}, ju duhet {1}"
 DocType: Expense Claim Detail,Claim Amount,Shuma Claim
 DocType: Patient,HLC-PAT-.YYYY.-,FDH-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Rendi i punës ka qenë {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Modeli i Inspektimit të Cilësisë
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",A doni për të rinovuar pjesëmarrjen? <br> Prezent: {0} \ <br> Mungon: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pranuar + Refuzuar Qty duhet të jetë e barabartë me sasinë e pranuara për Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pranuar + Refuzuar Qty duhet të jetë e barabartë me sasinë e pranuara për Item {0}
 DocType: Item,Supply Raw Materials for Purchase,Furnizimit të lëndëve të para për Blerje
 DocType: Agriculture Analysis Criteria,Fertilizer,pleh
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Nuk mund të garantojë shpërndarjen nga Serial No si \ Item {0} shtohet me dhe pa sigurimin e dorëzimit nga \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Të paktën një mënyra e pagesës është e nevojshme për POS faturë.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Të paktën një mënyra e pagesës është e nevojshme për POS faturë.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Çështja e faturës së transaksionit të bankës
 DocType: Products Settings,Show Products as a List,Shfaq Produkte si një Lista
 DocType: Salary Detail,Tax on flexible benefit,Tatimi mbi përfitimet fleksibël
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Detaji i Kërkesës Materiale
 DocType: Selling Settings,Default Quotation Validity Days,Ditët e vlefshmërisë së çmimeve të çmimeve
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Të përfshijnë tatimin në rresht {0} në shkallën Item, taksat në rreshtat {1} duhet të përfshihen edhe"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Të përfshijnë tatimin në rresht {0} në shkallën Item, taksat në rreshtat {1} duhet të përfshihen edhe"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Vërtetoni pjesëmarrjen
 DocType: Sales Invoice,Change Amount,Ndryshimi Shuma
 DocType: Party Tax Withholding Config,Certificate Received,Certifikata e marrë
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Vendosni vlerën e faturave për B2C. B2CL dhe B2CS llogariten bazuar në vlerën e faturës.
 DocType: BOM Update Tool,New BOM,Bom i ri
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Procedurat e përshkruara
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Procedurat e përshkruara
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Trego vetëm POS
 DocType: Supplier Group,Supplier Group Name,Emri i grupit të furnitorit
 DocType: Driver,Driving License Categories,Kategoritë e Licencës së Drejtimit
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Periudhat e pagave
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,bëni punonjës
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Transmetimi
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Modaliteti i konfigurimit të POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Modaliteti i konfigurimit të POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Çaktivizon krijimin e regjistrave të kohës ndaj urdhrave të punës. Operacionet nuk do të gjurmohen kundër Rendit Punë
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Ekzekutim
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detajet e operacioneve të kryera.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Zbritje në listën e çmimeve Norma (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Modeli i artikullit
 DocType: Job Offer,Select Terms and Conditions,Zgjidhni Termat dhe Kushtet
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Vlera out
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Vlera out
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Parametrat e Deklarimit të Bankës
 DocType: Woocommerce Settings,Woocommerce Settings,Cilësimet e Woocommerce
 DocType: Production Plan,Sales Orders,Sales Urdhërat
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Kërkesa për kuotim mund të arrihen duke klikuar në linkun e mëposhtëm
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Kursi Krijimi Tool
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Përshkrimi i Pagesës
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Stock pamjaftueshme
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Stock pamjaftueshme
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planifikimi Disable kapaciteteve dhe Ndjekja Koha
 DocType: Email Digest,New Sales Orders,Shitjet e reja Urdhërat
 DocType: Bank Account,Bank Account,Llogarisë Bankare
 DocType: Travel Itinerary,Check-out Date,Data e Check-out
 DocType: Leave Type,Allow Negative Balance,Lejo bilancit negativ
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Ju nuk mund të fshini llojin e projektit &#39;Jashtë&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Zgjidh artikullin alternativ
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Zgjidh artikullin alternativ
 DocType: Employee,Create User,Krijo përdoruesin
 DocType: Selling Settings,Default Territory,Gabim Territorit
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televizion
 DocType: Work Order Operation,Updated via 'Time Log',Përditësuar nëpërmjet &#39;Koha Identifikohu &quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Zgjidhni konsumatorin ose furnizuesin.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},shuma paraprakisht nuk mund të jetë më i madh se {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},shuma paraprakisht nuk mund të jetë më i madh se {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Hapësira kohore e lëkundur, foleja {0} deri {1} mbivendoset në hapësirën ekzistuese {2} në {3}"
 DocType: Naming Series,Series List for this Transaction,Lista Seria për këtë transaksion
 DocType: Company,Enable Perpetual Inventory,Aktivizo Inventari Përhershëm
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Kundër Item Shitjet Faturë
 DocType: Agriculture Analysis Criteria,Linked Doctype,Doktrup i lidhur
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Paraja neto nga Financimi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage është e plotë, nuk ka shpëtuar"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage është e plotë, nuk ka shpëtuar"
 DocType: Lead,Address & Contact,Adresa &amp; Kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Shtoni gjethe të papërdorura nga alokimet e mëparshme
 DocType: Sales Partner,Partner website,website partner
@@ -447,10 +447,10 @@
 ,Open Work Orders,Urdhërat e Hapur të Punës
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Nga Pika e Konsumatorit Njësia e Ngarkimit
 DocType: Payment Term,Credit Months,Muajt e Kredisë
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Pay Net nuk mund të jetë më pak se 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Pay Net nuk mund të jetë më pak se 0
 DocType: Contract,Fulfilled,përmbushur
 DocType: Inpatient Record,Discharge Scheduled,Shkarkimi Planifikuar
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Lehtësimin Data duhet të jetë më i madh se data e bashkimit
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Lehtësimin Data duhet të jetë më i madh se data e bashkimit
 DocType: POS Closing Voucher,Cashier,arkëtar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Lë në vit
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Ju lutem kontrolloni &#39;A Advance&#39; kundër llogaria {1} në qoftë se kjo është një hyrje paraprakisht.
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Ju lutemi të organizoni Studentët nën Grupet Studentore
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Punë e plotë
 DocType: Item Website Specification,Item Website Specification,Item Faqja Specifikimi
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Lini Blocked
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Item {0} ka arritur në fund të saj të jetës në {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Lini Blocked
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Item {0} ka arritur në fund të saj të jetës në {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Banka Entries
 DocType: Customer,Is Internal Customer,Është Konsumatori i Brendshëm
 DocType: Crop,Annual,Vjetor
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Nëse Auto Check Out është kontrolluar, atëherë klientët do të lidhen automatikisht me Programin përkatës të Besnikërisë (në kursim)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Pajtimi Item
 DocType: Stock Entry,Sales Invoice No,Shitjet Faturë Asnjë
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Lloji i Furnizimit
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Lloji i Furnizimit
 DocType: Material Request Item,Min Order Qty,Rendit min Qty
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursi Group Student Krijimi Tool
 DocType: Lead,Do Not Contact,Mos Kontaktoni
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publikojë në Hub
 DocType: Student Admission,Student Admission,Pranimi Student
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Item {0} është anuluar
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Item {0} është anuluar
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Rënia e zhvlerësimit {0}: Data e Fillimit të Zhvlerësimit futet si data e fundit
 DocType: Contract Template,Fulfilment Terms and Conditions,Kushtet dhe Përmbushja e Kushteve
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Kërkesë materiale
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Kërkesë materiale
 DocType: Bank Reconciliation,Update Clearance Date,Update Pastrimi Data
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Detajet Blerje
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} nuk u gjet në &#39;e para materiale të furnizuara &quot;tryezë në Rendit Blerje {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} nuk u gjet në &#39;e para materiale të furnizuara &quot;tryezë në Rendit Blerje {1}
 DocType: Salary Slip,Total Principal Amount,Shuma Totale Totale
 DocType: Student Guardian,Relation,Lidhje
 DocType: Student Guardian,Mother,nënë
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Shipping County
 DocType: Currency Exchange,For Selling,Për shitje
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Mëso
+DocType: Purchase Invoice Item,Enable Deferred Expense,Aktivizo shpenzimin e shtyrë
 DocType: Asset,Next Depreciation Date,Zhvlerësimi Data Next
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktiviteti Kosto për punonjës
 DocType: Accounts Settings,Settings for Accounts,Cilësimet për Llogaritë
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Furnizuesi Fatura Nuk ekziston në Blerje Faturë {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Furnizuesi Fatura Nuk ekziston në Blerje Faturë {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Manage shitjes person Tree.
 DocType: Job Applicant,Cover Letter,Cover Letter
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Çeqet e papaguara dhe Depozitat për të pastruar
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Historia e jashtme
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Qarkorja Referenca Gabim
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Kartela e Raportimit të Studentëve
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Nga Kodi Pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Nga Kodi Pin
 DocType: Appointment Type,Is Inpatient,Është pacient
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Emri Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Me fjalë (eksport) do të jetë i dukshëm një herë ju ruani notën shpërndarëse.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Multi Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Lloji Faturë
 DocType: Employee Benefit Claim,Expense Proof,Prova e shpenzimeve
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Ofrimit Shënim
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Ruajtja {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Ofrimit Shënim
 DocType: Patient Encounter,Encounter Impression,Impresioni i takimit
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ngritja Tatimet
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Kostoja e asetit të shitur
 DocType: Volunteer,Morning,mëngjes
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Pagesa Hyrja është ndryshuar, pasi që ju nxorrën atë. Ju lutemi të tërheqë atë përsëri."
 DocType: Program Enrollment Tool,New Student Batch,Grupi i ri i Studentëve
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} hyrë dy herë në Tatimin Item
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Përmbledhje për këtë javë dhe aktivitete në pritje
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} hyrë dy herë në Tatimin Item
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Përmbledhje për këtë javë dhe aktivitete në pritje
 DocType: Student Applicant,Admitted,pranuar
 DocType: Workstation,Rent Cost,Qira Kosto
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Shuma Pas Zhvlerësimi
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Shuma Pas Zhvlerësimi
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Ardhshme Ngjarje Kalendari
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Atributet variant
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Ju lutem, përzgjidhni muaji dhe viti"
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Nuk mund të jetë vetëm 1 Llogaria për Kompaninë në {0} {1}
 DocType: Support Search Source,Response Result Key Path,Pergjigja e rezultatit Rruga kyçe
 DocType: Journal Entry,Inter Company Journal Entry,Regjistrimi i Inter Journal kompanisë
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Për sasinë {0} nuk duhet të jetë më e madhe se sasia e rendit të punës {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Ju lutem shikoni shtojcën
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Për sasinë {0} nuk duhet të jetë më e madhe se sasia e rendit të punës {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Ju lutem shikoni shtojcën
 DocType: Purchase Order,% Received,% Marra
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Krijo Grupet Student
 DocType: Volunteer,Weekends,fundjavë
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Gjithsej Outstanding
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ndryshimi filluar / numrin e tanishëm sekuencë e një serie ekzistuese.
 DocType: Dosage Strength,Strength,Forcë
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Krijo një klient i ri
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Krijo një klient i ri
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Po kalon
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Nëse Rregullat shumta Çmimeve të vazhdojë të mbizotërojë, përdoruesit janë të kërkohet për të vendosur përparësi dorë për të zgjidhur konfliktin."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Krijo urdhëron Blerje
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Kosto harxhuese
 DocType: Purchase Receipt,Vehicle Date,Data e Automjeteve
 DocType: Student Log,Medical,Mjekësor
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Arsyeja për humbjen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Ju lutem zgjidhni Drogën
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Arsyeja për humbjen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Ju lutem zgjidhni Drogën
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Owner Lead nuk mund të jetë i njëjtë si Lead
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Shuma e ndarë nuk mund të më e madhe se shuma e parregulluara
 DocType: Announcement,Receiver,marrës
 DocType: Location,Area UOM,Zona UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation është i mbyllur në datat e mëposhtme sipas Holiday Lista: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Mundësitë
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Mundësitë
 DocType: Lab Test Template,Single,I vetëm
 DocType: Compensatory Leave Request,Work From Date,Puna nga data
 DocType: Salary Slip,Total Loan Repayment,Ripagimi Total Loan
+DocType: Project User,View attachments,Shiko bashkëngjitjet
 DocType: Account,Cost of Goods Sold,Kostoja e mallrave të shitura
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Ju lutemi shkruani Qendra Kosto
 DocType: Drug Prescription,Dosage,dozim
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Sasia dhe Rate
 DocType: Delivery Note,% Installed,% Installed
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klasat / laboratore etj, ku mësimi mund të jenë të planifikuara."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Monedhat e kompanisë të të dy kompanive duhet të përputhen me Transaksionet e Ndërmarrjeve Ndër.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Monedhat e kompanisë të të dy kompanive duhet të përputhen me Transaksionet e Ndërmarrjeve Ndër.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Ju lutem shkruani emrin e kompanisë e parë
 DocType: Travel Itinerary,Non-Vegetarian,Non-Vegetarian
 DocType: Purchase Invoice,Supplier Name,Furnizuesi Emri
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Përkohësisht në pritje
 DocType: Account,Is Group,Është grup
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Shënimi i kredisë {0} është krijuar automatikisht
-DocType: Email Digest,Pending Purchase Orders,Në pritje urdhëron Blerje
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatikisht Set Serial Nos bazuar në FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontrolloni Furnizuesi faturës Numri Unike
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Detajet e Fillores
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Rregulloje tekstin hyrës që shkon si një pjesë e asaj email. Secili transaksion ka një tekst të veçantë hyrëse.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Rreshti {0}: Funksionimi kërkohet kundrejt artikullit të lëndës së parë {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Ju lutemi të vendosur llogari parazgjedhur pagueshëm për kompaninë {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transaksioni nuk lejohet kundër urdhrit të ndaluar të punës {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transaksioni nuk lejohet kundër urdhrit të ndaluar të punës {0}
 DocType: Setup Progress Action,Min Doc Count,Min Dokumenti i Numrit
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Konfigurimet Global për të gjitha proceset e prodhimit.
 DocType: Accounts Settings,Accounts Frozen Upto,Llogaritë ngrira Upto
 DocType: SMS Log,Sent On,Dërguar në
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Atribut {0} zgjedhur disa herë në atributet Tabelën
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Atribut {0} zgjedhur disa herë në atributet Tabelën
 DocType: HR Settings,Employee record is created using selected field. ,Rekord punonjës është krijuar duke përdorur fushën e zgjedhur.
 DocType: Sales Order,Not Applicable,Nuk aplikohet
 DocType: Amazon MWS Settings,UK,Britani e Madhe
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Punonjësi {0} ka aplikuar për {1} më {2}:
 DocType: Inpatient Record,AB Positive,AB Pozitiv
 DocType: Job Opening,Description of a Job Opening,Përshkrimi i një Hapja Job
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Aktivitetet në pritje për sot
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Aktivitetet në pritje për sot
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Komponenti Paga për pasqyrë e mungesave pagave bazë.
+DocType: Driver,Applicable for external driver,I aplikueshëm për shoferin e jashtëm
 DocType: Sales Order Item,Used for Production Plan,Përdoret për Planin e prodhimit
 DocType: Loan,Total Payment,Pagesa Total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Nuk mund të anulohet transaksioni për Urdhrin e Përfunduar të Punës.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Nuk mund të anulohet transaksioni për Urdhrin e Përfunduar të Punës.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Koha Midis Operacioneve (në minuta)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO tashmë është krijuar për të gjitha artikujt e porosive të shitjes
 DocType: Healthcare Service Unit,Occupied,i zënë
 DocType: Clinical Procedure,Consumables,konsumit
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} është anuluar në mënyrë veprimi nuk mund të përfundojë
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} është anuluar në mënyrë veprimi nuk mund të përfundojë
 DocType: Customer,Buyer of Goods and Services.,Blerësi i mallrave dhe shërbimeve.
 DocType: Journal Entry,Accounts Payable,Llogaritë e pagueshme
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Shuma e {0} e vendosur në këtë kërkesë pagese është e ndryshme nga shuma e llogaritur e të gjitha planeve të pagesave: {1}. Sigurohuni që kjo të jetë e saktë para paraqitjes së dokumentit.
 DocType: Patient,Allergies,Alergjia
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Të BOM përzgjedhur nuk janë për të njëjtin artikull
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Të BOM përzgjedhur nuk janë për të njëjtin artikull
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Ndrysho kodin e artikullit
 DocType: Supplier Scorecard Standing,Notify Other,Njoftoni Tjeter
 DocType: Vital Signs,Blood Pressure (systolic),Presioni i gjakut (systolic)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Pjesë mjaftueshme për të ndërtuar
 DocType: POS Profile User,POS Profile User,Profili i POS-ut
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Rreshti {0}: Data e Fillimit të Zhvlerësimit kërkohet
-DocType: Sales Invoice Item,Service Start Date,Data e Fillimit të Shërbimit
+DocType: Purchase Invoice Item,Service Start Date,Data e Fillimit të Shërbimit
 DocType: Subscription Invoice,Subscription Invoice,Fatura e abonimit
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Të ardhurat direkte
 DocType: Patient Appointment,Date TIme,Data Përmbledhje
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Rutina e laboratorit
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kozmetikë
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Ju lutemi zgjidhni Datën e Përfundimit për Mirëmbajtjen e Mbaruar të Mirëmbajtjes së Aseteve
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Të bashkojë, pronat e mëposhtme duhet të jenë të njëjta për të dy artikujve"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Të bashkojë, pronat e mëposhtme duhet të jenë të njëjta për të dy artikujve"
 DocType: Supplier,Block Supplier,Furnizuesi i bllokut
 DocType: Shipping Rule,Net Weight,Net Weight
 DocType: Job Opening,Planned number of Positions,Numri i Planifikuar i Pozicioneve
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Modeli i përcaktimit të rrjedhës së parasë së gatshme
 DocType: Travel Request,Costing Details,Detajet e kostos
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Trego hyrjet e kthimit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial asnjë artikull nuk mund të jetë një pjesë
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial asnjë artikull nuk mund të jetë një pjesë
 DocType: Journal Entry,Difference (Dr - Cr),Diferenca (Dr - Cr)
 DocType: Bank Guarantee,Providing,Sigurimi
 DocType: Account,Profit and Loss,Fitimi dhe Humbja
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Nuk lejohet, konfiguroni Lab Test Template sipas kërkesës"
 DocType: Patient,Risk Factors,Faktoret e rrezikut
 DocType: Patient,Occupational Hazards and Environmental Factors,Rreziqet në punë dhe faktorët mjedisorë
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Regjistrimet e aksioneve tashmë të krijuara për Rendit të Punës
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Regjistrimet e aksioneve tashmë të krijuara për Rendit të Punës
 DocType: Vital Signs,Respiratory rate,Shkalla e frymëmarrjes
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Menaxhimi Nënkontraktimi
 DocType: Vital Signs,Body Temperature,Temperatura e trupit
 DocType: Project,Project will be accessible on the website to these users,Projekti do të jetë në dispozicion në faqen e internetit të këtyre përdoruesve
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Nuk mund të anuloj {0} {1} sepse Serial No {2} nuk i përket depo {3}
 DocType: Detected Disease,Disease,sëmundje
+DocType: Company,Default Deferred Expense Account,Default Llogaria e shpenzimeve të shtyra
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Përcaktoni llojin e Projektit.
 DocType: Supplier Scorecard,Weighting Function,Funksioni i peshimit
 DocType: Healthcare Practitioner,OP Consulting Charge,Ngarkimi OP Consulting
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,Artikujt e prodhuar
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Ndeshja e transaksionit me faturat
 DocType: Sales Order Item,Gross Profit,Fitim bruto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Zhbllokoje faturën
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Zhbllokoje faturën
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Rritja nuk mund të jetë 0
 DocType: Company,Delete Company Transactions,Fshij Transaksionet Company
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,I Referencës dhe Referenca Date është e detyrueshme për transaksion Bank
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Injoroj
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} nuk është aktiv
 DocType: Woocommerce Settings,Freight and Forwarding Account,Llogaria e mallrave dhe përcjelljes
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Dimensionet kontrolloni Setup për printim
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Dimensionet kontrolloni Setup për printim
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Krijo rrymat e pagave
 DocType: Vital Signs,Bloated,i fryrë
 DocType: Salary Slip,Salary Slip Timesheet,Paga Slip pasqyrë e mungesave
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizuesi Magazina i detyrueshëm për të nën-kontraktuar Blerje marrjes
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizuesi Magazina i detyrueshëm për të nën-kontraktuar Blerje marrjes
 DocType: Item Price,Valid From,Valid Nga
 DocType: Sales Invoice,Total Commission,Komisioni i përgjithshëm
 DocType: Tax Withholding Account,Tax Withholding Account,Llogaria e Mbajtjes së Tatimit
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Të gjitha tabelat e rezultateve të furnizuesit.
 DocType: Buying Settings,Purchase Receipt Required,Pranimi Blerje kërkuar
 DocType: Delivery Note,Rail,Rail
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Magazina e synuar në rresht {0} duhet të jetë e njëjtë me rendin e punës
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Vlerësimi Vlerësoni është i detyrueshëm në qoftë Hapja Stock hyrë
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Magazina e synuar në rresht {0} duhet të jetë e njëjtë me rendin e punës
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Vlerësimi Vlerësoni është i detyrueshëm në qoftë Hapja Stock hyrë
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Nuk u gjetën në tabelën Faturë të dhënat
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Ju lutem, përzgjidhni kompanisë dhe Partisë Lloji i parë"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Tashmë vendosni parazgjedhjen në pozicionin {0} për përdoruesin {1}, me mirësi default me aftësi të kufizuara"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Financiare / vit kontabilitetit.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Financiare / vit kontabilitetit.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Vlerat e akumuluara
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Na vjen keq, Serial Nos nuk mund të bashkohen"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Grupi i Konsumatorëve do të caktojë grupin e përzgjedhur, duke synuar konsumatorët nga Shopify"
@@ -903,7 +908,7 @@
 ,Lead Id,Lead Id
 DocType: C-Form Invoice Detail,Grand Total,Grand Total
 DocType: Assessment Plan,Course,kurs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kodi i Seksionit
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kodi i Seksionit
 DocType: Timesheet,Payslip,payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Dita gjysmë ditore duhet të jetë ndërmjet datës dhe datës
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Item Shporta
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Personal Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID e anëtarësimit
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Dorëzuar: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Dorëzuar: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Lidhur me QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Llogaria e pagueshme
 DocType: Payment Entry,Type of Payment,Lloji i Pagesës
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Dita e Gjysmës Data është e detyrueshme
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Data e Dërgesës së Transportit
 DocType: Production Plan,Production Plan,Plani i prodhimit
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Hapja e Faturave të Faturës
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Shitjet Kthehu
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Shitjet Kthehu
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Shënim: gjethet total alokuara {0} nuk duhet të jetë më pak se gjethet e miratuara tashmë {1} për periudhën
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Set Qty në Transaksionet bazuar në Serial No Input
 ,Total Stock Summary,Total Stock Përmbledhje
@@ -935,9 +941,9 @@
 DocType: Authorization Rule,Customer or Item,Customer ose Item
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza e të dhënave të konsumatorëve.
 DocType: Quotation,Quotation To,Citat Për
-DocType: Lead,Middle Income,Të ardhurat e Mesme
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Të ardhurat e Mesme
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Hapja (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default njësinë e matjes për artikullit {0} nuk mund të ndryshohet drejtpërdrejt sepse ju keni bërë tashmë një transaksioni (et) me një tjetër UOM. Ju do të duhet për të krijuar një artikull të ri për të përdorur një Default ndryshme UOM.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default njësinë e matjes për artikullit {0} nuk mund të ndryshohet drejtpërdrejt sepse ju keni bërë tashmë një transaksioni (et) me një tjetër UOM. Ju do të duhet për të krijuar një artikull të ri për të përdorur një Default ndryshme UOM.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Shuma e ndarë nuk mund të jetë negative
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Ju lutemi të vendosur Kompaninë
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Ju lutemi të vendosur Kompaninë
@@ -955,15 +961,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Zgjidhni Pagesa Llogaria për të bërë Banka Hyrja
 DocType: Hotel Settings,Default Invoice Naming Series,Seria e emërtimit të faturës së parazgjedhur
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Krijo dhënat e punonjësve për të menaxhuar gjethe, pretendimet e shpenzimeve dhe pagave"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Gjatë procesit të azhurnimit ndodhi një gabim
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Gjatë procesit të azhurnimit ndodhi një gabim
 DocType: Restaurant Reservation,Restaurant Reservation,Rezervim Restoranti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Propozimi Shkrimi
 DocType: Payment Entry Deduction,Payment Entry Deduction,Pagesa Zbritja Hyrja
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Mbarimi
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Njoftoni Konsumatorët përmes Email-it
 DocType: Item,Batch Number Series,Seritë e Serisë së Serisë
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Një person tjetër Sales {0} ekziston me të njëjtin id punonjës
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Një person tjetër Sales {0} ekziston me të njëjtin id punonjës
 DocType: Employee Advance,Claimed Amount,Shuma e kërkuar
+DocType: QuickBooks Migrator,Authorization Settings,Cilësimet e autorizimit
 DocType: Travel Itinerary,Departure Datetime,Nisja Datetime
 DocType: Customer,CUST-.YYYY.-,Kons-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Kostot e Kërkesës së Udhëtimit
@@ -1002,26 +1009,29 @@
 DocType: Buying Settings,Supplier Naming By,Furnizuesi Emërtimi By
 DocType: Activity Type,Default Costing Rate,Default kushton Vlerësoni
 DocType: Maintenance Schedule,Maintenance Schedule,Mirëmbajtja Orari
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Pastaj Çmimeve Rregullat janë filtruar në bazë të konsumatorëve, Grupi Customer, Territorit, Furnizuesin, Furnizuesi Lloji, fushatën, Sales Partner etj"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Pastaj Çmimeve Rregullat janë filtruar në bazë të konsumatorëve, Grupi Customer, Territorit, Furnizuesin, Furnizuesi Lloji, fushatën, Sales Partner etj"
 DocType: Employee Promotion,Employee Promotion Details,Detajet e Promovimit të Punonjësve
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Ndryshimi neto në Inventarin
 DocType: Employee,Passport Number,Pasaporta Numri
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Raporti me Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Menaxher
 DocType: Payment Entry,Payment From / To,Pagesa nga /
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Nga viti fiskal
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Kufiri i ri i kredisë është më pak se shuma aktuale të papaguar për konsumatorin. kufiri i kreditit duhet të jetë atleast {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Vendosni llogarinë në Depo {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Vendosni llogarinë në Depo {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&quot;Bazuar Në &#39;dhe&#39; Grupit nga &#39;nuk mund të jetë e njëjtë
 DocType: Sales Person,Sales Person Targets,Synimet Sales Person
 DocType: Work Order Operation,In minutes,Në minuta
 DocType: Issue,Resolution Date,Rezoluta Data
 DocType: Lab Test Template,Compound,kompleks
+DocType: Opportunity,Probability (%),Probabiliteti (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Njoftimi i Dispeçimit
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Zgjidh pronën
 DocType: Student Batch Name,Batch Name,Batch Emri
 DocType: Fee Validity,Max number of visit,Numri maksimal i vizitës
 ,Hotel Room Occupancy,Perdorimi i dhomes se hotelit
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Pasqyrë e mungesave krijuar:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Ju lutemi të vendosur Cash parazgjedhur apo llogari bankare në mënyra e pagesës {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Ju lutemi të vendosur Cash parazgjedhur apo llogari bankare në mënyra e pagesës {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,regjistroj
 DocType: GST Settings,GST Settings,GST Settings
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Monedha duhet të jetë e njëjtë si Valuta e Çmimeve: {0}
@@ -1062,12 +1072,12 @@
 DocType: Loan,Total Interest Payable,Interesi i përgjithshëm për t&#39;u paguar
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Taksat zbarkoi Kosto dhe Tarifat
 DocType: Work Order Operation,Actual Start Time,Aktuale Koha e fillimit
+DocType: Purchase Invoice Item,Deferred Expense Account,Llogaria e shpenzimeve të shtyra
 DocType: BOM Operation,Operation Time,Operacioni Koha
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,fund
 DocType: Salary Structure Assignment,Base,bazë
 DocType: Timesheet,Total Billed Hours,Orët totale faturuara
 DocType: Travel Itinerary,Travel To,Udhëtoni në
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,nuk eshte
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Shkruani Off Shuma
 DocType: Leave Block List Allow,Allow User,Lejojë përdoruesin
 DocType: Journal Entry,Bill No,Bill Asnjë
@@ -1086,9 +1096,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Koha Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush të lëndëve të para në bazë të
 DocType: Sales Invoice,Port Code,Kodi Port
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Magazina Rezervë
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Magazina Rezervë
 DocType: Lead,Lead is an Organization,Udhëheqësi është një organizatë
-DocType: Guardian Interest,Interest,interes
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Sales para
 DocType: Instructor Log,Other Details,Detaje të tjera
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1098,7 +1107,7 @@
 DocType: Account,Accounts,Llogaritë
 DocType: Vehicle,Odometer Value (Last),Vlera rrugëmatës (i fundit)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Modelet e kritereve të rezultateve të ofruesve.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Zbritni pikat e besnikërisë
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Pagesa Hyrja është krijuar tashmë
 DocType: Request for Quotation,Get Suppliers,Merrni Furnizuesit
@@ -1115,16 +1124,14 @@
 DocType: Crop,Crop Spacing UOM,Spastrimi i drithrave UOM
 DocType: Loyalty Program,Single Tier Program,Programi Single Tier
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Përzgjidhni vetëm nëse keni skedarë të dokumentit Cash Flow Mapper
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Nga Adresa 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Nga Adresa 1
 DocType: Email Digest,Next email will be sent on:,Email ardhshëm do të dërgohet në:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Pas artikullit {artikuj} {folje} të shënuar si {mesazh} artikull. Ju mund t&#39;i aktivizoni ato si {mesazh} nga elementi i masterit të tij
 DocType: Supplier Scorecard,Per Week,Në javë
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Item ka variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Item ka variante.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Student Gjithsej
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} nuk u gjet
 DocType: Bin,Stock Value,Stock Vlera
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Kompania {0} nuk ekziston
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Kompania {0} nuk ekziston
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ka vlefshmërinë e tarifës deri në {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Type
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Qty konsumuar për njësi
@@ -1139,7 +1146,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Credit Card Hyrja
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Company dhe Llogaritë
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,në Vlera
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,në Vlera
 DocType: Asset Settings,Depreciation Options,Opsionet e zhvlerësimit
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Duhet të kërkohet vendndodhja ose punonjësi
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Koha e pavlefshme e regjistrimit
@@ -1156,20 +1163,21 @@
 DocType: Leave Allocation,Allocation,shpërndarje
 DocType: Purchase Order,Supply Raw Materials,Furnizimit të lëndëve të para
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Pasuritë e tanishme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} nuk është një gjendje Item
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} nuk është një gjendje Item
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Ju lutemi ndani komentet tuaja në trajnim duke klikuar në &#39;Trajnimi i Feedback&#39; dhe pastaj &#39;New&#39;
 DocType: Mode of Payment Account,Default Account,Gabim Llogaria
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Ju lutemi zgjidhni Sample Retention Warehouse në Stock Settings për herë të parë
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Ju lutemi zgjidhni Sample Retention Warehouse në Stock Settings për herë të parë
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Ju lutemi zgjidhni llojin e Programit Multiple Tier për më shumë se një rregulla mbledhjeje.
 DocType: Payment Entry,Received Amount (Company Currency),Shuma e marrë (Company Valuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Lead duhet të vendosen, nëse Opportunity është bërë nga Lead"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Pagesa u anulua. Kontrollo llogarinë tënde GoCardless për më shumë detaje
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Dërgo me Shtojcën
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Ju lutem, përzgjidhni ditë javore jashtë"
 DocType: Inpatient Record,O Negative,O Negative
 DocType: Work Order Operation,Planned End Time,Planifikuar Fundi Koha
 ,Sales Person Target Variance Item Group-Wise,Sales Person i synuar Varianca Item Grupi i urti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Llogaria me transaksion ekzistues nuk mund të konvertohet në Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Llogaria me transaksion ekzistues nuk mund të konvertohet në Ledger
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Detajet e tipit të anëtarësisë
 DocType: Delivery Note,Customer's Purchase Order No,Konsumatorit Blerje Rendit Jo
 DocType: Clinical Procedure,Consume Stock,Konsumoni stokun
@@ -1182,26 +1190,26 @@
 DocType: Soil Texture,Sand,rërë
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energji
 DocType: Opportunity,Opportunity From,Opportunity Nga
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rreshti {0}: {1} Numrat serialë të kërkuar për artikullin {2}. Ju keni dhënë {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rreshti {0}: {1} Numrat serialë të kërkuar për artikullin {2}. Ju keni dhënë {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Zgjidh një tabelë
 DocType: BOM,Website Specifications,Specifikimet Website
 DocType: Special Test Items,Particulars,Të dhënat
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Nga {0} nga lloji {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Konvertimi Faktori është e detyrueshme
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Konvertimi Faktori është e detyrueshme
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rregullat e çmimeve të shumta ekziston me kritere të njëjta, ju lutemi të zgjidhur konfliktin duke caktuar prioritet. Rregullat Çmimi: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rregullat e çmimeve të shumta ekziston me kritere të njëjta, ju lutemi të zgjidhur konfliktin duke caktuar prioritet. Rregullat Çmimi: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Llogaria e rivlerësimit të kursit të këmbimit
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nuk mund të çaktivizuar ose të anulojë bom si ajo është e lidhur me BOM-in e tjera
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nuk mund të çaktivizuar ose të anulojë bom si ajo është e lidhur me BOM-in e tjera
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Ju lutemi zgjidhni Kompania dhe Data e Postimit për marrjen e shënimeve
 DocType: Asset,Maintenance,Mirëmbajtje
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Merrni nga Patient Encounter
 DocType: Subscriber,Subscriber,pajtimtar
 DocType: Item Attribute Value,Item Attribute Value,Item atribut Vlera
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Ju lutemi ndryshoni statusin e projektit
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Ju lutemi ndryshoni statusin e projektit
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Këmbimi Valutor duhet të jetë i aplikueshëm për blerjen ose për shitjen.
 DocType: Item,Maximum sample quantity that can be retained,Sasia maksimale e mostrës që mund të ruhet
 DocType: Project Update,How is the Project Progressing Right Now?,Si po përparon projekti tani?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} # Njësia {1} nuk mund të transferohet më shumë se {2} kundër Urdhëresës së Blerjes {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} # Njësia {1} nuk mund të transferohet më shumë se {2} kundër Urdhëresës së Blerjes {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Shitjet fushata.
 DocType: Project Task,Make Timesheet,bëni pasqyrë e mungesave
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1230,36 +1238,38 @@
 DocType: Lab Test,Lab Test,Test Lab
 DocType: Student Report Generation Tool,Student Report Generation Tool,Gjenerimi i Raportit të Studentëve
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Orari i Kujdesit Shëndetësor Orari Koha
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Emri
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Emri
 DocType: Expense Claim Detail,Expense Claim Type,Shpenzimet e kërkesës Lloji
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Default settings për Shportë
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Shto Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset braktiset via Journal Hyrja {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Ju lutemi vendosni llogarinë në magazinë {0} ose Llogarinë e inventarit të parazgjedhur në kompani {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset braktiset via Journal Hyrja {0}
 DocType: Loan,Interest Income Account,Llogaria ardhurat nga interesi
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Përfitimet maksimale duhet të jenë më të mëdha se zero për të shpërndarë përfitime
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Përfitimet maksimale duhet të jenë më të mëdha se zero për të shpërndarë përfitime
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Thirrja e Shqyrtimit të dërguar
 DocType: Shift Assignment,Shift Assignment,Shift Caktimi
 DocType: Employee Transfer Property,Employee Transfer Property,Pronësia e transferimit të punonjësve
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Nga koha duhet të jetë më pak se koha
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Bioteknologji
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Artikulli {0} (Nr. Serik: {1}) nuk mund të konsumohet siç është rezervuar për të plotësuar Urdhrin e Shitjes {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Shpenzimet Zyra Mirëmbajtja
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Shko te
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Update Çmimi nga Shopify të ERPNext Listën e Çmimeve
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ngritja llogari PE
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Ju lutemi shkruani pika e parë
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Analiza e nevojave
 DocType: Asset Repair,Downtime,kohë joproduktive
 DocType: Account,Liability,Detyrim
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Shuma e sanksionuar nuk mund të jetë më e madhe se shuma e kërkesës në Row {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Shuma e sanksionuar nuk mund të jetë më e madhe se shuma e kërkesës në Row {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Termi akademik:
 DocType: Salary Component,Do not include in total,Mos përfshini në total
 DocType: Company,Default Cost of Goods Sold Account,Gabim Kostoja e mallrave të shitura Llogaria
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Sasia e mostrës {0} nuk mund të jetë më e madhe sesa {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Lista e Çmimeve nuk zgjidhet
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Sasia e mostrës {0} nuk mund të jetë më e madhe sesa {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Lista e Çmimeve nuk zgjidhet
 DocType: Employee,Family Background,Historiku i familjes
 DocType: Request for Quotation Supplier,Send Email,Dërgo Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Warning: Attachment Invalid {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Warning: Attachment Invalid {0}
 DocType: Item,Max Sample Quantity,Sasi Maksimale e mostrës
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Nuk ka leje
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolli i Kontrollit të Kontratës
@@ -1290,15 +1300,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Qendra Kosto {2} nuk i përkasin kompanisë {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Ngarko kokën tënde me shkronja (Mbani atë në internet si 900px me 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Llogaria {2} nuk mund të jetë një grup
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {} {DOCTYPE docname} nuk ekziston në më sipër &#39;{DOCTYPE}&#39; tabelë
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Pasqyrë e mungesave {0} është përfunduar tashmë ose anuluar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Pasqyrë e mungesave {0} është përfunduar tashmë ose anuluar
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nuk ka detyrat
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Shitja Fatura {0} krijohet si e paguar
 DocType: Item Variant Settings,Copy Fields to Variant,Kopjoni Fushat në Variant
 DocType: Asset,Opening Accumulated Depreciation,Hapja amortizimi i akumuluar
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Rezultati duhet të jetë më pak se ose e barabartë me 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Regjistrimi Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Të dhënat C-Forma
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Të dhënat C-Forma
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Aksionet tashmë ekzistojnë
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Customer dhe Furnizues
 DocType: Email Digest,Email Digest Settings,Email Settings Digest
@@ -1311,12 +1321,12 @@
 DocType: Production Plan,Select Items,Zgjidhni Items
 DocType: Share Transfer,To Shareholder,Për Aksionarin
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},"{0} kundër Bill {1} {2}, datë"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Nga shteti
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Nga shteti
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Institucioni i instalimit
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Alokimi i gjetheve ...
 DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Numri Bus
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Orari i kursit
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Ju duhet të zbritni tatimin për vërtetimin e përjashtimit të taksave të pashpërndara dhe të paditurit \ Përfitimet e punonjësve në pagën e fundit të pagesës së pagave
 DocType: Request for Quotation Supplier,Quote Status,Statusi i citatit
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1342,13 +1352,13 @@
 DocType: Sales Invoice,Payment Due Date,Afati i pageses
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Reselect, nëse adresa e zgjedhur është redaktuar pas ruajtjes"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Item Varianti {0} tashmë ekziston me atributet e njëjta
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Item Varianti {0} tashmë ekziston me atributet e njëjta
 DocType: Item,Hub Publishing Details,Detajet e botimit të Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Hapja&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Hapja&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Hapur për të bërë
 DocType: Issue,Via Customer Portal,Nëpërmjet portalit të klientëve
 DocType: Notification Control,Delivery Note Message,Ofrimit Shënim Mesazh
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Shuma e SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Shuma e SGST
 DocType: Lab Test Template,Result Format,Formati i rezultatit
 DocType: Expense Claim,Expenses,Shpenzim
 DocType: Item Variant Attribute,Item Variant Attribute,Item Varianti Atributi
@@ -1356,14 +1366,12 @@
 DocType: Payroll Entry,Bimonthly,dy herë në muaj
 DocType: Vehicle Service,Brake Pad,Brake Pad
 DocType: Fertilizer,Fertilizer Contents,Përmbajtja e plehut
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Hulumtim dhe Zhvillim
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Hulumtim dhe Zhvillim
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Shuma për Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Data e fillimit dhe e mbarimit mbivendosen me kartën e punës <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Detajet e regjistrimit
 DocType: Timesheet,Total Billed Amount,Shuma totale e faturuar
 DocType: Item Reorder,Re-Order Qty,Re-Rendit Qty
 DocType: Leave Block List Date,Leave Block List Date,Dërgo Block Lista Data
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Ju lutemi vendosni Sistemin e Emërimit të Instruktorit në Arsim&gt; Cilësimet e Arsimit
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM {{0}: Materiali i papërpunuar nuk mund të jetë i njëjtë me artikullin kryesor
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Akuzat totale të zbatueshme në Blerje tryezë Receipt artikujt duhet të jetë i njëjtë si Total taksat dhe tarifat
 DocType: Sales Team,Incentives,Nxitjet
@@ -1377,7 +1385,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Point-of-Sale
 DocType: Fee Schedule,Fee Creation Status,Statusi i Krijimit të Tarifave
 DocType: Vehicle Log,Odometer Reading,Leximi rrugëmatës
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Bilanci i llogarisë tashmë në kredi, ju nuk jeni i lejuar për të vendosur &quot;Bilanci Must Be &#39;si&#39; Debitimit &#39;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Bilanci i llogarisë tashmë në kredi, ju nuk jeni i lejuar për të vendosur &quot;Bilanci Must Be &#39;si&#39; Debitimit &#39;"
 DocType: Account,Balance must be,Bilanci duhet të jetë
 DocType: Notification Control,Expense Claim Rejected Message,Shpenzim Kërkesa Refuzuar mesazh
 ,Available Qty,Qty në dispozicion
@@ -1389,7 +1397,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Gjithmonë sinkronizoni produktet tuaja nga Amazon MWS para se të sinkronizoni detajet e Urdhrave
 DocType: Delivery Trip,Delivery Stops,Dorëzimi ndalon
 DocType: Salary Slip,Working Days,Ditët e punës
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Nuk mund të ndryshojë Data e ndalimit të shërbimit për artikullin në rresht {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Nuk mund të ndryshojë Data e ndalimit të shërbimit për artikullin në rresht {0}
 DocType: Serial No,Incoming Rate,Hyrëse Rate
 DocType: Packing Slip,Gross Weight,Peshë Bruto
 DocType: Leave Type,Encashment Threshold Days,Ditët e Pragut të Encashment
@@ -1408,31 +1416,33 @@
 DocType: Restaurant Table,Minimum Seating,Vendndodhja minimale
 DocType: Item Attribute,Item Attribute Values,Vlerat Item ia atribuojnë
 DocType: Examination Result,Examination Result,Ekzaminimi Result
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Pranimi Blerje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Pranimi Blerje
 ,Received Items To Be Billed,Items marra Për të faturohet
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Kursi i këmbimit të monedhës mjeshtër.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Kursi i këmbimit të monedhës mjeshtër.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referenca DOCTYPE duhet të jetë një nga {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtër Totali Zero Qty
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Në pamundësi për të gjetur vend i caktuar kohë në {0} ditëve të ardhshme për funksionimin {1}
 DocType: Work Order,Plan material for sub-assemblies,Materiali plan për nën-kuvendet
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Sales Partners dhe Territori
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} duhet të jetë aktiv
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} duhet të jetë aktiv
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Asnjë artikull në dispozicion për transferim
 DocType: Employee Boarding Activity,Activity Name,Emri i aktivitetit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Ndrysho datën e lëshimit
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Sasia e përfunduar e produktit <b>{0}</b> dhe Për sasinë <b>{1}</b> nuk mund të jenë të ndryshme
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Ndrysho datën e lëshimit
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Sasia e përfunduar e produktit <b>{0}</b> dhe Për sasinë <b>{1}</b> nuk mund të jenë të ndryshme
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Mbyllja (Hapja + Gjithsej)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Kodi i artikullit&gt; Grupi i artikullit&gt; Markë
+DocType: Delivery Settings,Dispatch Notification Attachment,Shtojca e Njoftimit Dispeçer
 DocType: Payroll Entry,Number Of Employees,Numri i punonjesve
 DocType: Journal Entry,Depreciation Entry,Zhvlerësimi Hyrja
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Ju lutem zgjidhni llojin e dokumentit të parë
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Ju lutem zgjidhni llojin e dokumentit të parë
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuloje Vizitat Materiale {0} para anulimit të kësaj vizite Mirëmbajtja
 DocType: Pricing Rule,Rate or Discount,Rate ose zbritje
 DocType: Vital Signs,One Sided,Njëra anë
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial Asnjë {0} nuk i përkasin Item {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Kerkohet Qty
 DocType: Marketplace Settings,Custom Data,Të Dhënat Custom
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Depot me transaksion ekzistues nuk mund të konvertohet në librin.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serial no nuk është i detyrueshëm për artikullin {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Depot me transaksion ekzistues nuk mund të konvertohet në librin.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serial no nuk është i detyrueshëm për artikullin {0}
 DocType: Bank Reconciliation,Total Amount,Shuma totale
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Nga data dhe data gjenden në një vit fiskal të ndryshëm
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Pacienti {0} nuk ka refrence të konsumatorit në faturë
@@ -1443,9 +1453,9 @@
 DocType: Soil Texture,Clay Composition (%),Përbërja e argjilës (%)
 DocType: Item Group,Item Group Defaults,Parametrat e grupit të artikullit
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Ju lutemi ruani para se të caktoni detyrën.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Vlera e bilancit
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Vlera e bilancit
 DocType: Lab Test,Lab Technician,Teknik i laboratorit
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Lista Sales Çmimi
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Lista Sales Çmimi
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Nëse kontrollohet, një klient do të krijohet, i mapuar tek Pacienti. Faturat e pacientit do të krijohen kundër këtij klienti. Ju gjithashtu mund të zgjidhni Klientin ekzistues gjatë krijimit të pacientit."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Klienti nuk është i regjistruar në ndonjë Program Besnik
@@ -1459,13 +1469,13 @@
 DocType: Support Search Source,Search Term Param Name,Kërko Term Param Name
 DocType: Item Barcode,Item Barcode,Item Barkodi
 DocType: Woocommerce Settings,Endpoints,endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Item Variantet {0} përditësuar
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Item Variantet {0} përditësuar
 DocType: Quality Inspection Reading,Reading 6,Leximi 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,"Nuk mund {0} {1} {2}, pa asnjë faturë negative shquar"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,"Nuk mund {0} {1} {2}, pa asnjë faturë negative shquar"
 DocType: Share Transfer,From Folio No,Nga Folio Nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Blerje Faturë Advance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: Hyrja e kredisë nuk mund të jetë i lidhur me një {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Të përcaktojë buxhetin për një vit financiar.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Të përcaktojë buxhetin për një vit financiar.
 DocType: Shopify Tax Account,ERPNext Account,Llogari ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} është bllokuar kështu që ky transaksion nuk mund të vazhdojë
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Veprimi në qoftë se Buxheti mujor i akumuluar është tejkaluar në MR
@@ -1481,19 +1491,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Blerje Faturë
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Lejo konsumimin e shumëfishtë të materialit kundrejt një porosi pune
 DocType: GL Entry,Voucher Detail No,Voucher Detail Asnjë
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Sales New Fatura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Sales New Fatura
 DocType: Stock Entry,Total Outgoing Value,Vlera Totale largohet
 DocType: Healthcare Practitioner,Appointments,emërimet
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Hapja Data dhe Data e mbylljes duhet të jetë brenda të njëjtit vit fiskal
 DocType: Lead,Request for Information,Kërkesë për Informacion
 ,LeaderBoard,Fituesit
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Shkalla me margjinë (Valuta e kompanisë)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sync Offline Faturat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sync Offline Faturat
 DocType: Payment Request,Paid,I paguar
 DocType: Program Fee,Program Fee,Tarifa program
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Replace a BOM të veçantë në të gjitha BOMs të tjera, ku ajo është përdorur. Ai do të zëvendësojë lidhjen e vjetër të BOM, do të përditësojë koston dhe do të rigjenerojë tabelën &quot;BOM Shpërthimi&quot; sipas BOM-it të ri. Gjithashtu përditëson çmimin e fundit në të gjitha BOM-et."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Janë krijuar urdhërat e mëposhtëm të punës:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Janë krijuar urdhërat e mëposhtëm të punës:
 DocType: Salary Slip,Total in words,Gjithsej në fjalë
 DocType: Inpatient Record,Discharged,shkarkohet
 DocType: Material Request Item,Lead Time Date,Lead Data Koha
@@ -1504,16 +1514,16 @@
 DocType: Support Settings,Get Started Sections,Filloni seksionin e fillimit
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,sanksionuar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Ju lutem specifikoni Serial Jo për Item {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Shuma totale e kontributit: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Ju lutem specifikoni Serial Jo për Item {1}
 DocType: Payroll Entry,Salary Slips Submitted,Paga Slips Dërguar
 DocType: Crop Cycle,Crop Cycle,Cikli i kulturave
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Për sendet e &#39;Produkt Bundle&#39;, depo, pa serial dhe Serisë Nuk do të konsiderohet nga &#39;Paketimi listë&#39; tryezë. Nëse Magazina dhe Serisë Nuk janë të njëjta për të gjitha sendet e paketimit për çdo send &#39;produkt Bundle&#39;, këto vlera mund të futen në tabelën kryesore Item, vlerat do të kopjohet në &#39;Paketimi listë&#39; tryezë."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Për sendet e &#39;Produkt Bundle&#39;, depo, pa serial dhe Serisë Nuk do të konsiderohet nga &#39;Paketimi listë&#39; tryezë. Nëse Magazina dhe Serisë Nuk janë të njëjta për të gjitha sendet e paketimit për çdo send &#39;produkt Bundle&#39;, këto vlera mund të futen në tabelën kryesore Item, vlerat do të kopjohet në &#39;Paketimi listë&#39; tryezë."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Nga Vendi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay nuk mund të jetë negativ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Nga Vendi
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay nuk mund të jetë negativ
 DocType: Student Admission,Publish on website,Publikojë në faqen e internetit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Furnizuesi Data e faturës nuk mund të jetë më i madh se mbi postimet Data
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Furnizuesi Data e faturës nuk mund të jetë më i madh se mbi postimet Data
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Data e anulimit
 DocType: Purchase Invoice Item,Purchase Order Item,Rendit Blerje Item
@@ -1522,7 +1532,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Pjesëmarrja Student Tool
 DocType: Restaurant Menu,Price List (Auto created),Lista e çmimeve (krijuar automatikisht)
 DocType: Cheque Print Template,Date Settings,Data Settings
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Grindje
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Grindje
 DocType: Employee Promotion,Employee Promotion Detail,Detajet e Promovimit të Punonjësve
 ,Company Name,Emri i kompanisë
 DocType: SMS Center,Total Message(s),Përgjithshme mesazh (s)
@@ -1552,7 +1562,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Mos dërgoni punonjës Ditëlindja Përkujtesat
 DocType: Expense Claim,Total Advance Amount,Shuma totale e parapagimit
 DocType: Delivery Stop,Estimated Arrival,Arritja e parashikuar
-DocType: Delivery Stop,Notified by Email,Njoftuar me Email
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Shiko të gjitha artikujt
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Ecni Në
 DocType: Item,Inspection Criteria,Kriteret e Inspektimit
@@ -1562,23 +1571,22 @@
 DocType: Timesheet Detail,Bill,Fature
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,E bardhë
 DocType: SMS Center,All Lead (Open),Të gjitha Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty nuk është në dispozicion për {4} në depo {1} të postimi kohën e hyrjes ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty nuk është në dispozicion për {4} në depo {1} të postimi kohën e hyrjes ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Ju mund të zgjidhni vetëm një maksimum prej një opsioni nga lista e kutive të zgjedhjes.
 DocType: Purchase Invoice,Get Advances Paid,Get Paid Përparimet
 DocType: Item,Automatically Create New Batch,Automatikisht Krijo grumbull të ri
 DocType: Item,Automatically Create New Batch,Automatikisht Krijo grumbull të ri
 DocType: Supplier,Represents Company,Përfaqëson kompaninë
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Bëj
 DocType: Student Admission,Admission Start Date,Pranimi Data e fillimit
 DocType: Journal Entry,Total Amount in Words,Shuma totale në fjalë
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Punonjës i ri
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Pati një gabim. Një arsye e mundshme mund të jetë që ju nuk e keni ruajtur formën. Ju lutemi te kontaktoni support@erpnext.com nëse problemi vazhdon.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Shporta ime
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Rendit Lloji duhet të jetë një nga {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Rendit Lloji duhet të jetë një nga {0}
 DocType: Lead,Next Contact Date,Tjetër Kontakt Data
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Hapja Qty
 DocType: Healthcare Settings,Appointment Reminder,Kujtesë për Emër
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Ju lutem, jepni llogari për Ndryshim Shuma"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Ju lutem, jepni llogari për Ndryshim Shuma"
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Emri
 DocType: Holiday List,Holiday List Name,Festa Lista Emri
 DocType: Repayment Schedule,Balance Loan Amount,Bilanci Shuma e Kredisë
@@ -1588,13 +1596,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Stock Options
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nuk ka artikuj në karrocë
 DocType: Journal Entry Account,Expense Claim,Shpenzim Claim
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,A jeni të vërtetë doni për të rivendosur këtë pasuri braktiset?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,A jeni të vërtetë doni për të rivendosur këtë pasuri braktiset?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Qty për {0}
 DocType: Leave Application,Leave Application,Lini Aplikimi
 DocType: Patient,Patient Relation,Lidhja e pacientit
 DocType: Item,Hub Category to Publish,Kategoria Hub për Publikim
 DocType: Leave Block List,Leave Block List Dates,Dërgo Block Lista Datat
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Urdhri i shitjes {0} ka rezervë për artikullin {1}, ju mund të dorëzoni vetëm rezervuar {1} kundër {0}. Serial No {2} nuk mund të dorëzohet"
 DocType: Sales Invoice,Billing Address GSTIN,Adresa e Faturimit GSTIN
@@ -1612,16 +1620,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ju lutem specifikoni një {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Artikuj hequr me asnjë ndryshim në sasi ose në vlerë.
 DocType: Delivery Note,Delivery To,Ofrimit të
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Krijimi i variantit ka qenë në radhë.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Përmbledhje e punës për {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Krijimi i variantit ka qenë në radhë.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Përmbledhje e punës për {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Miratuesi i parë i Lëshimit në listë do të caktohet si Lëshuesi i Parazgjedhur.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Tabela atribut është i detyrueshëm
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Tabela atribut është i detyrueshëm
 DocType: Production Plan,Get Sales Orders,Get Sales urdhëron
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} nuk mund të jetë negative
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Lidhu me Quickbooks
 DocType: Training Event,Self-Study,Self-Study
 DocType: POS Closing Voucher,Period End Date,Data e përfundimit të periudhës
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Përbërjet e tokës nuk shtojnë deri në 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Zbritje
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Rreshti {0}: {1} kërkohet për të krijuar faturat e hapjes {2}
 DocType: Membership,Membership,Anëtarësia
 DocType: Asset,Total Number of Depreciations,Numri i përgjithshëm i nënçmime
 DocType: Sales Invoice Item,Rate With Margin,Shkalla me diferencë
@@ -1633,7 +1643,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Ju lutem specifikoni një ID te vlefshme Row për rresht {0} në tryezë {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Nuk mund të gjeni ndryshore:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Ju lutemi zgjidhni një fushë për të redaktuar nga numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Nuk mund të jetë një element i aseteve fikse si Ledger Stock është krijuar.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Nuk mund të jetë një element i aseteve fikse si Ledger Stock është krijuar.
 DocType: Subscription Plan,Fixed rate,Perqindje fikse
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,pranoj
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Shko në Desktop dhe të fillojë përdorimin ERPNext
@@ -1667,7 +1677,7 @@
 DocType: Tax Rule,Shipping State,Shteti Shipping
 ,Projected Quantity as Source,Sasia e parashikuar si Burimi
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Item duhet të shtohen duke përdorur &#39;të marrë sendet nga blerjen Pranimet&#39; button
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Udhëtimi i udhëtimit
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Udhëtimi i udhëtimit
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Lloji i transferimit
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Shitjet Shpenzimet
@@ -1680,8 +1690,9 @@
 DocType: Item Default,Default Selling Cost Center,Gabim Qendra Shitja Kosto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,disk
 DocType: Buying Settings,Material Transferred for Subcontract,Transferimi i materialit për nënkontratë
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Kodi Postal
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Sales Order {0} është {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Artikujt e porosive të blerjes janë vonuar
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Kodi Postal
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Sales Order {0} është {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Zgjidh llogarinë e të ardhurave nga interesi në kredi {0}
 DocType: Opportunity,Contact Info,Informacionet Kontakt
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Marrja e aksioneve Entries
@@ -1694,12 +1705,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Faturë nuk mund të bëhet për zero orë faturimi
 DocType: Company,Date of Commencement,Data e fillimit
 DocType: Sales Person,Select company name first.,Përzgjidh kompani emri i parë.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email dërguar për {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email dërguar për {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Kuotimet e marra nga furnizuesit.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Replace BOM dhe update çmimin e fundit në të gjitha BOMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Për {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ky është një grup furnizues rrënjor dhe nuk mund të redaktohet.
-DocType: Delivery Trip,Driver Name,Emri i shoferit
+DocType: Delivery Note,Driver Name,Emri i shoferit
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Mesatare Moshë
 DocType: Education Settings,Attendance Freeze Date,Pjesëmarrja Freeze Data
 DocType: Education Settings,Attendance Freeze Date,Pjesëmarrja Freeze Data
@@ -1712,7 +1723,7 @@
 DocType: Company,Parent Company,Kompania e Prindërve
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotel Dhoma të tipit {0} nuk janë në dispozicion në {1}
 DocType: Healthcare Practitioner,Default Currency,Gabim Valuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Zbritja maksimale për Item {0} është {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Zbritja maksimale për Item {0} është {1}%
 DocType: Asset Movement,From Employee,Nga punonjësi
 DocType: Driver,Cellphone Number,Numri i celularit
 DocType: Project,Monitor Progress,Monitorimi i progresit
@@ -1728,19 +1739,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Sasia duhet të jetë më e vogël se ose e barabartë me {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Shuma maksimale e pranueshme për komponentin {0} tejkalon {1}
 DocType: Department Approver,Department Approver,Deputeti i Departamentit
+DocType: QuickBooks Migrator,Application Settings,Cilësimet e aplikacionit
 DocType: SMS Center,Total Characters,Totali Figurë
 DocType: Employee Advance,Claimed,pretenduar
 DocType: Crop,Row Spacing,Hapësira e Rreshtit
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Ju lutem, përzgjidhni bom në fushën BOM për Item {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Ju lutem, përzgjidhni bom në fushën BOM për Item {0}"
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Nuk ka asnjë variant të artikullit për artikullin e zgjedhur
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Forma Faturë
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pagesa Pajtimi Faturë
 DocType: Clinical Procedure,Procedure Template,Modeli i Procedurës
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Kontributi%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sipas Settings Blerja në qoftë Rendit Blerje Kërkohet == &#39;PO&#39;, pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Rendit Blerje parë për pikën {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Kontributi%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sipas Settings Blerja në qoftë Rendit Blerje Kërkohet == &#39;PO&#39;, pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Rendit Blerje parë për pikën {0}"
 ,HSN-wise-summary of outward supplies,HSN-përmbledhje e menjëhershme e furnizimeve të jashtme
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Numrat e regjistrimit kompani për referencë tuaj. Numrat e taksave etj
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Të shpallësh
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Të shpallësh
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Shpërndarës
 DocType: Asset Finance Book,Asset Finance Book,Libri i Financës së Aseteve
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Shporta Transporti Rregulla
@@ -1749,7 +1761,7 @@
 ,Ordered Items To Be Billed,Items urdhëruar të faturuar
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Nga një distancë duhet të jetë më pak se në rang
 DocType: Global Defaults,Global Defaults,Defaults Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Bashkëpunimi Project Ftesë
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Bashkëpunimi Project Ftesë
 DocType: Salary Slip,Deductions,Zbritjet
 DocType: Setup Progress Action,Action Name,Emri i Veprimit
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,fillimi Year
@@ -1763,11 +1775,12 @@
 DocType: Lead,Consultant,Konsulent
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Pjesëmarrja e Mësimdhënësve të Prindërve
 DocType: Salary Slip,Earnings,Fitim
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Mbaroi Item {0} duhet të jetë hyrë në për hyrje të tipit Prodhimi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Mbaroi Item {0} duhet të jetë hyrë në për hyrje të tipit Prodhimi
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Hapja Bilanci Kontabilitet
 ,GST Sales Register,GST Sales Regjistrohu
 DocType: Sales Invoice Advance,Sales Invoice Advance,Shitjet Faturë Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Asgjë për të kërkuar
+DocType: Stock Settings,Default Return Warehouse,Magazina e Kthimit Default
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Zgjidh Domains tuaj
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Dyqan furnizuesin
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Artikujt e faturës së pagesës
@@ -1776,15 +1789,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Fushat do të kopjohen vetëm në kohën e krijimit.
 DocType: Setup Progress Action,Domains,Fushat
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Data e Fillimit' nuk mund të jetë më i madh se 'Data e Mbarimit'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Drejtuesit
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Drejtuesit
 DocType: Cheque Print Template,Payer Settings,Cilësimet paguesit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Nuk ka kërkesa materiale në pritje që lidhen për artikujt e dhënë.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Zgjidhni kompaninë e parë
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Kjo do t&#39;i bashkëngjitet Kodit Pika e variant. Për shembull, në qoftë se shkurtim juaj është &quot;SM&quot;, dhe kodin pika është &quot;T-shirt&quot;, kodi pika e variantit do të jetë &quot;T-shirt-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto Pay (me fjalë) do të jetë i dukshëm një herë ju ruani gabim pagave.
 DocType: Delivery Note,Is Return,Është Kthimi
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Kujdes
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Dita e fillimit është më e madhe se dita e mbarimit në detyrë &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Kthimi / Debiti Note
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Kthimi / Debiti Note
 DocType: Price List Country,Price List Country,Lista e Çmimeve Vendi
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} nos vlefshme serik për Item {1}
@@ -1797,13 +1811,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Dhënia e informacionit.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Bazës së të dhënave Furnizuesi.
 DocType: Contract Template,Contract Terms and Conditions,Kushtet dhe Kushtet e Kontratës
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Nuk mund të rifilloni një Abonimi që nuk anulohet.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Nuk mund të rifilloni një Abonimi që nuk anulohet.
 DocType: Account,Balance Sheet,Bilanci i gjendjes
 DocType: Leave Type,Is Earned Leave,Është fituar leje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Qendra Kosto Per Item me Kodin Item &quot;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Qendra Kosto Per Item me Kodin Item &quot;
 DocType: Fee Validity,Valid Till,E vlefshme deri
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Takimi Mësues i Prindërve Gjithsej
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode pagesa nuk është i konfiguruar. Ju lutem kontrolloni, nëse llogaria është vendosur në Mode të pagesave ose në POS Profilin."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode pagesa nuk është i konfiguruar. Ju lutem kontrolloni, nëse llogaria është vendosur në Mode të pagesave ose në POS Profilin."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Same artikull nuk mund të futen shumë herë.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Llogaritë e mëtejshme mund të bëhen në bazë të grupeve, por hyra mund të bëhet kundër jo-grupeve"
 DocType: Lead,Lead,Lead
@@ -1812,11 +1826,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Hyrja {0} krijuar
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Ju nuk keni shumë pikat e Besnikërisë për të shpenguar
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Refuzuar Qty nuk mund të futen në Blerje Kthim
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Vendosni llogarinë shoqëruese në Kategorinë e Mbajtjes së Tatimit {0} kundër Kompanisë {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Refuzuar Qty nuk mund të futen në Blerje Kthim
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Ndryshimi i Grupit të Klientit për Klientin e përzgjedhur nuk është i lejuar.
 ,Purchase Order Items To Be Billed,Items Rendit Blerje Për të faturohet
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Përditësimi i afatit të mbërritjes.
 DocType: Program Enrollment Tool,Enrollment Details,Detajet e Regjistrimit
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Nuk mund të caktojë shuma të caktuara të objekteve për një kompani.
 DocType: Purchase Invoice Item,Net Rate,Net Rate
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Ju lutemi zgjidhni një klient
 DocType: Leave Policy,Leave Allocations,Lërini alokimet
@@ -1847,7 +1863,7 @@
 DocType: Loan Application,Repayment Info,Info Ripagimi
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&quot;Hyrjet&quot; nuk mund të jetë bosh
 DocType: Maintenance Team Member,Maintenance Role,Roli i Mirëmbajtjes
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplicate rresht {0} me të njëjtën {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplicate rresht {0} me të njëjtën {1}
 DocType: Marketplace Settings,Disable Marketplace,Çaktivizo tregun
 ,Trial Balance,Bilanci gjyqi
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Viti Fiskal {0} nuk u gjet
@@ -1858,9 +1874,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Parametrat e pajtimit
 DocType: Purchase Invoice,Update Auto Repeat Reference,Përditëso referencën e përsëritjes automatike
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Listë pushimi opsionale nuk është caktuar për periudhën e pushimit {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Listë pushimi opsionale nuk është caktuar për periudhën e pushimit {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Hulumtim
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Për të adresuar 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Për të adresuar 2
 DocType: Maintenance Visit Purpose,Work Done,Punën e bërë
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Ju lutem specifikoni të paktën një atribut në tabelë Atributet
 DocType: Announcement,All Students,Të gjitha Studentët
@@ -1870,16 +1886,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transaksionet e pajtuara
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Hershme
 DocType: Crop Cycle,Linked Location,Vendndodhja e lidhur
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Një Grup Item ekziston me të njëjtin emër, ju lutemi të ndryshojë emrin pika ose riemërtoj grupin pika"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Një Grup Item ekziston me të njëjtin emër, ju lutemi të ndryshojë emrin pika ose riemërtoj grupin pika"
 DocType: Crop Cycle,Less than a year,Më pak se një vit
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Pjesa tjetër e botës
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Pjesa tjetër e botës
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} nuk mund të ketë Serisë
 DocType: Crop,Yield UOM,Yield UOM
 ,Budget Variance Report,Buxheti Varianca Raport
 DocType: Salary Slip,Gross Pay,Pay Bruto
 DocType: Item,Is Item from Hub,Është pika nga Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Merrni Items nga Healthcare Services
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Merrni Items nga Healthcare Services
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Row {0}: Aktiviteti lloji është i detyrueshëm.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Dividentët e paguar
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Ledger Kontabilitet
@@ -1894,6 +1910,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Mode Pagesa
 DocType: Purchase Invoice,Supplied Items,Artikujve të furnizuara
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Vendosni një menu aktive për restorantin {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Shkalla e Komisionit%
 DocType: Work Order,Qty To Manufacture,Qty Për Prodhimi
 DocType: Email Digest,New Income,Të ardhurat e re
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Ruajtja njëjtin ritëm gjatë gjithë ciklit të blerjes
@@ -1908,12 +1925,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Vlerësoni Vlerësimi nevojshme për Item në rresht {0}
 DocType: Supplier Scorecard,Scorecard Actions,Veprimet Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Shembull: Master në Shkenca Kompjuterike
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Furnizuesi {0} nuk gjendet në {1}
 DocType: Purchase Invoice,Rejected Warehouse,Magazina refuzuar
 DocType: GL Entry,Against Voucher,Kundër Bonon
 DocType: Item Default,Default Buying Cost Center,Gabim Qendra Blerja Kosto
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Për të marrë më të mirë nga ERPNext, ne ju rekomandojmë që të marrë disa kohë dhe të shikojnë këto video ndihmë."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Për Furnizuesin e Parazgjedhur (fakultativ)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,në
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Për Furnizuesin e Parazgjedhur (fakultativ)
 DocType: Supplier Quotation Item,Lead Time in days,Lead Koha në ditë
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Llogaritë e pagueshme Përmbledhje
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Nuk është i autorizuar për të redaktuar Llogari ngrirë {0}
@@ -1922,7 +1939,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Paralajmëroni për Kërkesë të re për Kuotime
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,urdhrat e blerjes t&#39;ju ndihmuar të planit dhe të ndjekin deri në blerjet tuaja
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Recetat e testit të laboratorit
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",totale sasia Çështja / Transfer {0} në materiale Kërkesë {1} \ nuk mund të jetë më e madhe se sasia e kërkuar {2} për pikën {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,I vogël
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Nëse Shopify nuk përmban një klient në Rendit, atëherë gjatë sinkronizimit të Porosive, sistemi do të marrë parasysh konsumatorin e parazgjedhur për porosinë"
@@ -1934,6 +1951,7 @@
 DocType: Project,% Completed,% Kompletuar
 ,Invoiced Amount (Exculsive Tax),Shuma e faturuar (Tax Exculsive)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Item 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Përfundimi i autorizimit
 DocType: Travel Request,International,ndërkombëtar
 DocType: Training Event,Training Event,Event Training
 DocType: Item,Auto re-order,Auto ri-qëllim
@@ -1942,24 +1960,24 @@
 DocType: Contract,Contract,Kontratë
 DocType: Plant Analysis,Laboratory Testing Datetime,Datat e testimit laboratorik
 DocType: Email Digest,Add Quote,Shto Citim
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Faktori UOM Coversion nevojshme për UOM: {0} në Item: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Faktori UOM Coversion nevojshme për UOM: {0} në Item: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Shpenzimet indirekte
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Qty është e detyrueshme
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Qty është e detyrueshme
 DocType: Agriculture Analysis Criteria,Agriculture,Bujqësi
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Krijo Rendit Shitje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Hyrja në Kontabilitet për Pasurinë
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blloko faturën
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Hyrja në Kontabilitet për Pasurinë
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blloko faturën
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Sasia për të bërë
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync Master Data
 DocType: Asset Repair,Repair Cost,Kostoja e riparimit
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Produktet ose shërbimet tuaja
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Dështoi të identifikohej
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Aseti {0} krijoi
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Aseti {0} krijoi
 DocType: Special Test Items,Special Test Items,Artikujt e veçantë të testimit
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Duhet të jeni përdorues me role të Menaxhmentit të Sistemit dhe Menaxhimit të Arteve për t&#39;u regjistruar në Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Mënyra e pagesës
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Sipas Strukturës së Paga tuaj të caktuar ju nuk mund të aplikoni për përfitime
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Faqja Image duhet të jetë një file publik ose URL website
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Faqja Image duhet të jetë një file publik ose URL website
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Ky është një grup artikull rrënjë dhe nuk mund të redaktohen.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Shkrihet
@@ -1968,7 +1986,8 @@
 DocType: Warehouse,Warehouse Contact Info,Magazina Kontaktimit
 DocType: Payment Entry,Write Off Difference Amount,Shkruaj Off Diferenca Shuma
 DocType: Volunteer,Volunteer Name,Emri Vullnetar
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: email Punonjësi nuk gjendet, kështu nuk email dërguar"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Rreshtat me datat e dyfishta të gjetjeve në rreshta të tjerë u gjetën: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: email Punonjësi nuk gjendet, kështu nuk email dërguar"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Asnjë Strukturë Paga e caktuar për Punonjësin {0} në datën e dhënë {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Rregullimi i transportit nuk zbatohet për vendin {0}
 DocType: Item,Foreign Trade Details,Jashtëm Details Tregtisë
@@ -1976,17 +1995,17 @@
 DocType: Email Digest,Annual Income,Të ardhurat vjetore
 DocType: Serial No,Serial No Details,Serial No Detajet
 DocType: Purchase Invoice Item,Item Tax Rate,Item Tax Rate
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Nga emri i partisë
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Nga emri i partisë
 DocType: Student Group Student,Group Roll Number,Grupi Roll Number
 DocType: Student Group Student,Group Roll Number,Grupi Roll Number
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Për {0}, vetëm llogaritë e kreditit mund të jetë i lidhur kundër një tjetër hyrje debiti"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Ofrimit Shënim {0} nuk është dorëzuar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Ofrimit Shënim {0} nuk është dorëzuar
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Item {0} duhet të jetë një nënkontraktohet Item
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Pajisje kapitale
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rregulla e Çmimeve është zgjedhur për herë të parë në bazë të &quot;Apliko në &#39;fushë, të cilat mund të jenë të artikullit, Grupi i artikullit ose markë."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Ju lutemi të vendosni fillimisht Kodin e Artikullit
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Type
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Gjithsej përqindje ndarë për shitjet e ekipit duhet të jetë 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Type
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Gjithsej përqindje ndarë për shitjet e ekipit duhet të jetë 100
 DocType: Subscription Plan,Billing Interval Count,Numërimi i intervalit të faturimit
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Emërimet dhe takimet e pacientëve
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Vlera mungon
@@ -2000,6 +2019,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Krijo Print Format
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Tarifa e krijuar
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},A nuk gjeni ndonjë artikull të quajtur {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Artikuj Filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,Formula e kritereve
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Largohet Total
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Nuk mund të jetë vetëm një Transporti Rregulla Kushti me 0 ose vlerë bosh për &quot;vlerës&quot;
@@ -2008,14 +2028,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Për një artikull {0}, sasia duhet të jetë numër pozitiv"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Shënim: Ky Qendra Kosto është një grup. Nuk mund të bëjë shënimet e kontabilitetit kundër grupeve.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Ditët e kompensimit të pushimit nuk janë në pushime të vlefshme
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,depo Child ekziston për këtë depo. Ju nuk mund të fshini këtë depo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,depo Child ekziston për këtë depo. Ju nuk mund të fshini këtë depo.
 DocType: Item,Website Item Groups,Faqja kryesore Item Grupet
 DocType: Purchase Invoice,Total (Company Currency),Total (Kompania Valuta)
 DocType: Daily Work Summary Group,Reminder,Reminder
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Vlera e aksesueshme
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Vlera e aksesueshme
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Numri serik {0} hyrë më shumë se një herë
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Journal Hyrja
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Nga GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Nga GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Shuma e pakthyeshme
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} artikuj në progres
 DocType: Workstation,Workstation Name,Workstation Emri
@@ -2023,7 +2043,7 @@
 DocType: POS Item Group,POS Item Group,POS Item Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Elementi alternativ nuk duhet të jetë i njëjtë me kodin e artikullit
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} nuk i përket Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} nuk i përket Item {1}
 DocType: Sales Partner,Target Distribution,Shpërndarja Target
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Finalizimi i vlerësimit të përkohshëm
 DocType: Salary Slip,Bank Account No.,Llogarisë Bankare Nr
@@ -2032,7 +2052,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Mund të përdoren variablat e vlerësimit, si dhe: {total_score} (rezultati total nga ajo periudhë), {period_number} (numri i periudhave të ditës së sotme)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Collapse All
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Collapse All
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Krijo porosinë e blerjes
 DocType: Quality Inspection Reading,Reading 8,Leximi 8
 DocType: Inpatient Record,Discharge Note,Shënim shkarkimi
@@ -2049,7 +2069,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilegj Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Furnizuesi Data e faturës
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Kjo vlerë përdoret për llogaritjen pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Ju duhet të mundësojnë Shporta
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Ju duhet të mundësojnë Shporta
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Emërtimi i Prefixit të Serive
@@ -2064,11 +2084,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Kushtet e mbivendosjes gjenden në mes:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Kundër Fletoren Hyrja {0} është përshtatur tashmë kundër një kupon tjetër
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Vlera Totale Rendit
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Ushqim
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Ushqim
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Gama plakjen 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detajet e mbylljes së blerjes POS
 DocType: Shopify Log,Shopify Log,Dyqan log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vendosni Serinë Naming për {0} nëpërmjet Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Kontrollo
 DocType: Maintenance Schedule Item,No of Visits,Nr i vizitave
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Mirëmbajtja Shtojca {0} ekziston kundër {1}
@@ -2108,6 +2127,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Përfitimet maksimale (Shuma)
 DocType: Purchase Invoice,Contact Person,Personi kontaktues
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&quot;Pritet Data e Fillimit &#39;nuk mund të jetë më i madh se&quot; Data e Përfundimit e pritshme&#39;
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Nuk ka të dhëna për këtë periudhë
 DocType: Course Scheduling Tool,Course End Date,Sigurisht End Date
 DocType: Holiday List,Holidays,Pushime
 DocType: Sales Order Item,Planned Quantity,Sasia e planifikuar
@@ -2119,7 +2139,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Ndryshimi neto në aseteve fikse
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Lini bosh nëse konsiderohet për të gjitha përcaktimeve
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Ngarkesa e tipit &#39;aktuale&#39; në rresht {0} nuk mund të përfshihen në Item Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Ngarkesa e tipit &#39;aktuale&#39; në rresht {0} nuk mund të përfshihen në Item Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Nga datetime
 DocType: Shopify Settings,For Company,Për Kompaninë
@@ -2132,9 +2152,9 @@
 DocType: Material Request,Terms and Conditions Content,Termat dhe Kushtet Përmbajtja
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Kishte gabime në krijimin e orarit të lëndëve
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Miratuesi i parë i shpenzimeve në listë do të vendoset si menaxher i parave të shpenzimeve.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,nuk mund të jetë më i madh se 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,nuk mund të jetë më i madh se 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Duhet të jesh një përdorues i ndryshëm nga Administratori me rolin e Menaxhuesit të Sistemit dhe të Menaxhmentit të Arteve për t&#39;u regjistruar në Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Item {0} nuk është një gjendje Item
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Item {0} nuk është një gjendje Item
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Paplanifikuar
 DocType: Employee,Owned,Pronësi
@@ -2162,7 +2182,7 @@
 DocType: HR Settings,Employee Settings,Cilësimet e punonjësve
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Duke ngarkuar sistemin e pagesave
 ,Batch-Wise Balance History,Batch-urti Historia Bilanci
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Rresht # {0}: Nuk mund të caktohet Rate nëse shuma është më e madhe se shuma e faturuar për Item {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Rresht # {0}: Nuk mund të caktohet Rate nëse shuma është më e madhe se shuma e faturuar për Item {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,cilësimet e printimit përditësuar në format përkatëse të shtypura
 DocType: Package Code,Package Code,Kodi paketë
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Nxënës
@@ -2170,7 +2190,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Sasi negativ nuk është e lejuar
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Detaje taksave tryezë sforcuar nga mjeshtri pika si një varg dhe të depozituara në këtë fushë. Përdoret për taksat dhe tatimet
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Punonjësi nuk mund të raportojnë për veten e tij.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Punonjësi nuk mund të raportojnë për veten e tij.
 DocType: Leave Type,Max Leaves Allowed,Leja Max Lejohet
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Në qoftë se llogaria është e ngrirë, shënimet janë të lejuar për përdoruesit të kufizuara."
 DocType: Email Digest,Bank Balance,Bilanci bankë
@@ -2196,6 +2216,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Entitetet e Transaksionit të Bankës
 DocType: Quality Inspection,Readings,Lexime
 DocType: Stock Entry,Total Additional Costs,Gjithsej kosto shtesë
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Jo e ndërveprimeve
 DocType: BOM,Scrap Material Cost(Company Currency),Kosto skrap Material (Company Valuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Kuvendet Nën
 DocType: Asset,Asset Name,Emri i Aseteve
@@ -2203,10 +2224,10 @@
 DocType: Shipping Rule Condition,To Value,Të vlerës
 DocType: Loyalty Program,Loyalty Program Type,Lloji i programit të besnikërisë
 DocType: Asset Movement,Stock Manager,Stock Menaxher
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Depo Burimi është i detyrueshëm për rresht {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Depo Burimi është i detyrueshëm për rresht {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Termi i pagesës në rresht {0} është ndoshta një kopje.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Bujqësia (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Shqip Paketimi
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Shqip Paketimi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Zyra Qira
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Setup SMS settings portë
 DocType: Disease,Common Name,Emer i perbashket
@@ -2238,20 +2259,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Email Paga Slip për të punësuarit
 DocType: Cost Center,Parent Cost Center,Qendra prind Kosto
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Zgjidhni mundshëm Furnizuesi
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Zgjidhni mundshëm Furnizuesi
 DocType: Sales Invoice,Source,Burim
 DocType: Customer,"Select, to make the customer searchable with these fields","Përzgjidhni, për ta bërë konsumatorin të kërkueshëm me këto fusha"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Shënimet e dorëzimit të importit nga Shopify on Dërgesa
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Shfaq të mbyllura
 DocType: Leave Type,Is Leave Without Pay,Lini është pa pagesë
-DocType: Lab Test,HLC-LT-.YYYY.-,FDH-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Kategoria është i detyrueshëm për artikull Aseteve Fikse
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Kategoria është i detyrueshëm për artikull Aseteve Fikse
 DocType: Fee Validity,Fee Validity,Vlefshmëria e tarifës
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Nuk u gjetën në tabelën e Pagesave të dhënat
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Kjo {0} konfliktet me {1} për {2} {3}
 DocType: Student Attendance Tool,Students HTML,studentët HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ju lutemi fshini punonjësin <a href=""#Form/Employee/{0}"">{0}</a> \ për ta anuluar këtë dokument"
 DocType: POS Profile,Apply Discount,aplikoni Discount
 DocType: GST HSN Code,GST HSN Code,GST Code HSN
 DocType: Employee External Work History,Total Experience,Përvoja Total
@@ -2274,7 +2292,7 @@
 DocType: Maintenance Schedule,Schedules,Oraret
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profil POS duhet të përdorë Point-of-Sale
 DocType: Cashier Closing,Net Amount,Shuma neto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nuk ka qenë i paraqitur në mënyrë veprimi nuk mund të përfundojë
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nuk ka qenë i paraqitur në mënyrë veprimi nuk mund të përfundojë
 DocType: Purchase Order Item Supplied,BOM Detail No,Bom Detail Asnjë
 DocType: Landed Cost Voucher,Additional Charges,akuza të tjera
 DocType: Support Search Source,Result Route Field,Fusha e Rrugës së Rezultatit
@@ -2303,11 +2321,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Hapja e faturave
 DocType: Contract,Contract Details,Detajet e Kontratës
 DocType: Employee,Leave Details,Lini Detajet
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Ju lutemi të vendosur User fushë ID në një rekord të Punonjësve të vendosur Roli punonjës
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Ju lutemi të vendosur User fushë ID në një rekord të Punonjësve të vendosur Roli punonjës
 DocType: UOM,UOM Name,Emri UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Për të adresuar 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Për të adresuar 1
 DocType: GST HSN Code,HSN Code,Kodi HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Shuma Kontribut
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Shuma Kontribut
 DocType: Inpatient Record,Patient Encounter,Takimi i pacientit
 DocType: Purchase Invoice,Shipping Address,Transporti Adresa
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ky mjet ju ndihmon për të rinovuar ose të rregulluar sasinë dhe vlerësimin e aksioneve në sistemin. Ajo është përdorur zakonisht për të sinkronizuar vlerat e sistemit dhe çfarë në të vërtetë ekziston në depo tuaj.
@@ -2324,9 +2342,9 @@
 DocType: Travel Itinerary,Mode of Travel,Mënyra e Udhëtimit
 DocType: Sales Invoice Item,Brand Name,Brand Name
 DocType: Purchase Receipt,Transporter Details,Detajet Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,depo Default është e nevojshme për pika të zgjedhura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,depo Default është e nevojshme për pika të zgjedhura
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Kuti
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,mundur Furnizuesi
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,mundur Furnizuesi
 DocType: Budget,Monthly Distribution,Shpërndarja mujore
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Marresit Lista është e zbrazët. Ju lutem krijoni Marresit Lista
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Shëndetësia (beta)
@@ -2348,6 +2366,7 @@
 ,Lead Name,Emri Lead
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,kërkimet
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Hapja Stock Bilanci
 DocType: Asset Category Account,Capital Work In Progress Account,Llogaria e punës së kapitalit në progres
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Rregullimi i vlerës së aseteve
@@ -2356,7 +2375,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lë alokuar sukses për {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Asnjë informacion që të dal
 DocType: Shipping Rule Condition,From Value,Nga Vlera
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Prodhim Sasia është e detyrueshme
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Prodhim Sasia është e detyrueshme
 DocType: Loan,Repayment Method,Metoda Ripagimi
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nëse zgjidhet, faqja Faqja do të jetë paracaktuar Item Grupi për faqen e internetit"
 DocType: Quality Inspection Reading,Reading 4,Leximi 4
@@ -2381,7 +2400,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Referimi i Punonjësve
 DocType: Student Group,Set 0 for no limit,Set 0 për pa limit
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dita (s) në të cilin ju po aplikoni për leje janë festa. Ju nuk duhet të aplikoni për leje.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Rreshti {idx}: {field} kërkohet për të krijuar Faturat e Hapjes {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Adresa Fillestare dhe Detajet e Kontaktit
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Ridergo Pagesa Email
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Detyra e re
@@ -2391,22 +2409,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Ju lutem zgjidhni të paktën një domain.
 DocType: Dependent Task,Dependent Task,Detyra e varur
 DocType: Shopify Settings,Shopify Tax Account,Llogari Tatimore Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Faktori i konvertimit për Njësinë e parazgjedhur të Masës duhet të jetë 1 në rreshtin e {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Pushimi i tipit {0} nuk mund të jetë më i gjatë se {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Faktori i konvertimit për Njësinë e parazgjedhur të Masës duhet të jetë 1 në rreshtin e {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Pushimi i tipit {0} nuk mund të jetë më i gjatë se {1}
 DocType: Delivery Trip,Optimize Route,Optimizo rrugën
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Provoni planifikimin e operacioneve për ditë X paraprakisht.
 DocType: HR Settings,Stop Birthday Reminders,Stop Ditëlindja Harroni
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Ju lutemi të vendosur Default Payroll Llogaria e pagueshme në Kompaninë {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Merrni shpërbërjen financiare të të dhënave nga taksat dhe tarifat nga Amazon
 DocType: SMS Center,Receiver List,Marresit Lista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Kërko Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Kërko Item
 DocType: Payment Schedule,Payment Amount,Shuma e pagesës
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Dita e Ditës së Pjesshme duhet të jetë në mes të Punës nga Data dhe Data e Përfundimit të Punës
 DocType: Healthcare Settings,Healthcare Service Items,Artikujt e shërbimit të kujdesit shëndetësor
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Shuma konsumuar
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Ndryshimi neto në para të gatshme
 DocType: Assessment Plan,Grading Scale,Scale Nota
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Njësia e masës {0} ka hyrë më shumë se një herë në Konvertimi Faktori Tabelën
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Njësia e masës {0} ka hyrë më shumë se një herë në Konvertimi Faktori Tabelën
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,përfunduar tashmë
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock In Hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2429,25 +2447,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} sasi {1} nuk mund të jetë një pjesë
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Ju lutemi shkruani URL Woocommerce Server
 DocType: Purchase Order Item,Supplier Part Number,Furnizuesi Pjesa Numër
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Shkalla e konvertimit nuk mund të jetë 0 ose 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Shkalla e konvertimit nuk mund të jetë 0 ose 1
 DocType: Share Balance,To No,Për Nr
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Të gjitha detyrat e detyrueshme për krijimin e punonjësve ende nuk janë bërë.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} është anuluar ose ndaluar
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} është anuluar ose ndaluar
 DocType: Accounts Settings,Credit Controller,Kontrolluesi krediti
 DocType: Loan,Applicant Type,Lloji i aplikantit
 DocType: Purchase Invoice,03-Deficiency in services,03-Mangësi në shërbime
 DocType: Healthcare Settings,Default Medical Code Standard,Standardi i Kodit të Mjekësisë Default
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Blerje Pranimi {0} nuk është dorëzuar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Blerje Pranimi {0} nuk është dorëzuar
 DocType: Company,Default Payable Account,Gabim Llogaria pagueshme
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Cilësimet për internet shopping cart tilla si rregullat e transportit detar, lista e çmimeve etj"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% faturuar
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Qty rezervuara
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Qty rezervuara
 DocType: Party Account,Party Account,Llogaria Partia
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Ju lutemi zgjidhni Kompania dhe Caktimi
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Burimeve Njerëzore
-DocType: Lead,Upper Income,Të ardhurat e sipërme
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Të ardhurat e sipërme
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,hedh poshtë
 DocType: Journal Entry Account,Debit in Company Currency,Debit në kompanisë Valuta
 DocType: BOM Item,BOM Item,Bom Item
@@ -2464,7 +2482,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Hapjet e punës për caktimin {0} tashmë të hapur ose punësimin e përfunduar sipas planit të personelit {1}
 DocType: Vital Signs,Constipated,kaps
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Kundër Furnizuesin Fatura {0} datë {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Kundër Furnizuesin Fatura {0} datë {1}
 DocType: Customer,Default Price List,E albumit Lista e Çmimeve
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Rekord Lëvizja Asset {0} krijuar
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Asnjë artikull nuk u gjet.
@@ -2480,17 +2498,18 @@
 DocType: Journal Entry,Entry Type,Hyrja Lloji
 ,Customer Credit Balance,Bilanci Customer Credit
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Ndryshimi neto në llogaritë e pagueshme
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Limiti i kredisë është kaluar për konsumatorin {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vendosni Serinë Naming për {0} nëpërmjet Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Limiti i kredisë është kaluar për konsumatorin {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Customer kërkohet për &#39;Customerwise Discount &quot;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Update pagesës datat bankare me revista.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,çmimi
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,çmimi
 DocType: Quotation,Term Details,Detajet Term
 DocType: Employee Incentive,Employee Incentive,Stimulimi i Punonjësve
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nuk mund të regjistrohen më shumë se {0} nxënësve për këtë grup të studentëve.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Totali (pa Tatimore)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Numërimi Lead
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Numërimi Lead
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Në dispozicion
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Në dispozicion
 DocType: Manufacturing Settings,Capacity Planning For (Days),Planifikimi i kapaciteteve për (ditë)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Prokurimit
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Asnjë nga pikat ketë ndonjë ndryshim në sasi ose vlerë.
@@ -2515,7 +2534,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Lini dhe Pjesëmarrja
 DocType: Asset,Comprehensive Insurance,Sigurimi Gjithëpërfshirës
 DocType: Maintenance Visit,Partially Completed,Kompletuar Pjesërisht
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Pika Besnikërie: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Pika Besnikërie: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Shto kryeson
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Ndjeshmëri e moderuar
 DocType: Leave Type,Include holidays within leaves as leaves,Përfshijnë pushimet brenda lë si gjethe
 DocType: Loyalty Program,Redemption,shpengim
@@ -2549,7 +2569,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Shpenzimet e marketingut
 ,Item Shortage Report,Item Mungesa Raport
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Nuk mund të krijohen kritere standarde. Ju lutemi riemërtoni kriteret
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Pesha është përmendur, \ nJu lutemi të përmendim &quot;Weight UOM&quot; shumë"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Pesha është përmendur, \ nJu lutemi të përmendim &quot;Weight UOM&quot; shumë"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Kërkesa material përdoret për të bërë këtë Stock Hyrja
 DocType: Hub User,Hub Password,Fjalëkalimi Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Sigurisht veçantë bazuar Grupi për çdo Batch
@@ -2564,15 +2584,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Kohëzgjatja e takimit (minuta)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Bëni hyrje të kontabilitetit për çdo veprim Stock
 DocType: Leave Allocation,Total Leaves Allocated,Totali Lë alokuar
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Ju lutem shkruani Viti Financiar i vlefshëm Start dhe Datat Fundi
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Ju lutem shkruani Viti Financiar i vlefshëm Start dhe Datat Fundi
 DocType: Employee,Date Of Retirement,Data e daljes në pension
 DocType: Upload Attendance,Get Template,Get Template
+,Sales Person Commission Summary,Përmbledhje e Komisionit të Shitjes
 DocType: Additional Salary Component,Additional Salary Component,Komponenti Shtesë i Pagave
 DocType: Material Request,Transferred,transferuar
 DocType: Vehicle,Doors,Dyer
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Mblidhni Tarifën për Regjistrimin e Pacientëve
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nuk mund të ndryshojë Atributet pas transaksionit të aksioneve. Bëni një artikull të ri dhe transferoni stokun në artikullin e ri
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Nuk mund të ndryshojë Atributet pas transaksionit të aksioneve. Bëni një artikull të ri dhe transferoni stokun në artikullin e ri
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,Breakup Tax
 DocType: Employee,Joining Details,Bashkimi Detajet
@@ -2600,14 +2621,15 @@
 DocType: Lead,Next Contact By,Kontakt Next By
 DocType: Compensatory Leave Request,Compensatory Leave Request,Kërkesë për kompensim
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Sasia e nevojshme për Item {0} në rresht {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazina {0} nuk mund të fshihet si ekziston sasia e artikullit {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazina {0} nuk mund të fshihet si ekziston sasia e artikullit {1}
 DocType: Blanket Order,Order Type,Rendit Type
 ,Item-wise Sales Register,Pika-mençur Sales Regjistrohu
 DocType: Asset,Gross Purchase Amount,Shuma Blerje Gross
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Hapjet e hapjes
 DocType: Asset,Depreciation Method,Metoda e amortizimit
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,A është kjo Tatimore të përfshira në normën bazë?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Target Total
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Target Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Analiza e Perceptimit
 DocType: Soil Texture,Sand Composition (%),Përbërja e rërës (%)
 DocType: Job Applicant,Applicant for a Job,Aplikuesi për një punë
 DocType: Production Plan Material Request,Production Plan Material Request,Prodhimi Plan Material Request
@@ -2623,23 +2645,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Vlerësimi Mark (Nga 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Kryesor
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Pas artikull {0} nuk është shënuar si {1} pika. Ju mund t&#39;i aktivizoni ato si {1} pika nga mjeshtri i artikullit
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Për një artikull {0}, sasia duhet të jetë numër negativ"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Prefiksi vendosur për numëron seri mbi transaksionet tuaja
 DocType: Employee Attendance Tool,Employees HTML,punonjësit HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Gabim BOM ({0}) duhet të jetë aktiv për këtë artikull ose template saj
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Gabim BOM ({0}) duhet të jetë aktiv për këtë artikull ose template saj
 DocType: Employee,Leave Encashed?,Dërgo arkëtuar?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Nga fushë është e detyrueshme
 DocType: Email Digest,Annual Expenses,Shpenzimet vjetore
 DocType: Item,Variants,Variantet
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Bëni Rendit Blerje
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Bëni Rendit Blerje
 DocType: SMS Center,Send To,Send To
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Nuk ka bilanc mjaft leje për pushim Lloji {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Nuk ka bilanc mjaft leje për pushim Lloji {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Shuma e ndarë
 DocType: Sales Team,Contribution to Net Total,Kontributi në Net Total
 DocType: Sales Invoice Item,Customer's Item Code,Item Kodi konsumatorit
 DocType: Stock Reconciliation,Stock Reconciliation,Stock Pajtimit
 DocType: Territory,Territory Name,Territori Emri
+DocType: Email Digest,Purchase Orders to Receive,Urdhërat e blerjes për të marrë
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Puna në progres Magazina është e nevojshme para se të Submit
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Ju mund të keni vetëm Planet me të njëjtin cikel faturimi në një Abonimi
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Të dhënat e skeduara
@@ -2657,9 +2681,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicate Serial Asnjë hyrë për Item {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Rruga kryeson nga burimi kryesor.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Një kusht për Sundimin Shipping
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Ju lutemi shkruani
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Ju lutemi shkruani
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Mirëmbajtja e regjistrit
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Ju lutemi të vendosur filtër në bazë të artikullit ose Magazina
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Ju lutemi të vendosur filtër në bazë të artikullit ose Magazina
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Pesha neto i kësaj pakete. (Llogaritet automatikisht si shumë të peshës neto të artikujve)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Bëni hyrjen në gazetën e kompanisë Inter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Shuma e zbritjes nuk mund të jetë më e madhe se 100%
@@ -2668,15 +2692,15 @@
 DocType: Sales Order,To Deliver and Bill,Për të ofruar dhe Bill
 DocType: Student Group,Instructors,instruktorët
 DocType: GL Entry,Credit Amount in Account Currency,Shuma e kredisë në llogari në monedhë të
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} duhet të dorëzohet
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Menaxhimi i aksioneve
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} duhet të dorëzohet
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Menaxhimi i aksioneve
 DocType: Authorization Control,Authorization Control,Kontrolli Autorizimi
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Rejected Magazina është e detyrueshme kundër Item refuzuar {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Pagesa
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Rejected Magazina është e detyrueshme kundër Item refuzuar {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Pagesa
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Magazina {0} nuk është e lidhur me ndonjë llogari, ju lutemi të përmendim llogari në procesverbal depo apo vendosur llogari inventarit parazgjedhur në kompaninë {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Menaxho urdhërat tuaj
 DocType: Work Order Operation,Actual Time and Cost,Koha aktuale dhe kostos
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Kërkesa material i maksimumi {0} mund të jetë bërë për Item {1} kundër Sales Rendit {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Kërkesa material i maksimumi {0} mund të jetë bërë për Item {1} kundër Sales Rendit {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Hapësira e prerjes
 DocType: Course,Course Abbreviation,Shkurtesa Course
@@ -2688,6 +2712,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Orët totale të punës nuk duhet të jetë më e madhe se sa orë pune max {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Në
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Artikuj Bundle në kohën e shitjes.
+DocType: Delivery Settings,Dispatch Settings,Parametrat e Dispeçimit
 DocType: Material Request Plan Item,Actual Qty,Aktuale Qty
 DocType: Sales Invoice Item,References,Referencat
 DocType: Quality Inspection Reading,Reading 10,Leximi 10
@@ -2697,11 +2722,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ju keni hyrë artikuj kopjuar. Ju lutemi të ndrequr dhe provoni përsëri.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Koleg
 DocType: Asset Movement,Asset Movement,Lëvizja e aseteve
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Urdhri i punës {0} duhet të dorëzohet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Shporta e re
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Urdhri i punës {0} duhet të dorëzohet
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Shporta e re
 DocType: Taxable Salary Slab,From Amount,Nga Shuma
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} nuk është një Item serialized
 DocType: Leave Type,Encashment,Arkëtim
+DocType: Delivery Settings,Delivery Settings,Cilësimet e dërgimit
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Fetch Data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Leja maksimale e lejueshme në llojin e pushimit {0} është {1}
 DocType: SMS Center,Create Receiver List,Krijo Marresit Lista
 DocType: Vehicle,Wheels,rrota
@@ -2717,7 +2744,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Monedha e faturimit duhet të jetë e barabartë me monedhën e parave të kompanisë ose monedhën e llogarisë së partisë
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Tregon se paketa është pjesë e këtij ofrimit (Vetëm draft)
 DocType: Soil Texture,Loam,tokë pjellore
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Rreshti {0}: Data e duhur nuk mund të jetë para datës së postimit
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Rreshti {0}: Data e duhur nuk mund të jetë para datës së postimit
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Kryej pagesa Hyrja
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Sasia e artikullit {0} duhet të jetë më pak se {1}
 ,Sales Invoice Trends,Shitjet Trendet faturave
@@ -2725,12 +2752,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Mund t&#39;i referohet rresht vetëm nëse tipi është ngarkuar &quot;Për Previous Shuma Row &#39;ose&#39; Previous Row Total&quot;
 DocType: Sales Order Item,Delivery Warehouse,Ofrimit Magazina
 DocType: Leave Type,Earned Leave Frequency,Frekuenca e fitimit të fituar
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Pema e Qendrave te Kostos financiare.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Nën Lloji
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Pema e Qendrave te Kostos financiare.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Nën Lloji
 DocType: Serial No,Delivery Document No,Ofrimit Dokumenti Asnjë
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Sigurimi i Dorëzimit Bazuar në Produktin Nr
 DocType: Vital Signs,Furry,i mbuluar me qime
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ju lutemi të vendosur &#39;Gain llogari / humbje neto nga shitja aseteve&#39; në kompaninë {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ju lutemi të vendosur &#39;Gain llogari / humbje neto nga shitja aseteve&#39; në kompaninë {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Të marrë sendet nga Pranimeve Blerje
 DocType: Serial No,Creation Date,Krijimi Data
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Vendndodhja e synuar kërkohet për asetin {0}
@@ -2744,11 +2771,12 @@
 DocType: Item,Has Variants,Ka Variantet
 DocType: Employee Benefit Claim,Claim Benefit For,Përfitoni nga kërkesa për
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Përditësoni përgjigjen
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Ju keni zgjedhur tashmë artikuj nga {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Ju keni zgjedhur tashmë artikuj nga {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Emri i Shpërndarjes Mujore
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Grumbull ID është i detyrueshëm
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Grumbull ID është i detyrueshëm
 DocType: Sales Person,Parent Sales Person,Shitjet prind Person
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Asnjë send që duhet pranuar nuk ka ardhur
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Shitësi dhe blerësi nuk mund të jenë të njëjta
 DocType: Project,Collect Progress,Mblidhni progresin
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2764,7 +2792,7 @@
 DocType: Bank Guarantee,Margin Money,Paratë e margjinës
 DocType: Budget,Budget,Buxhet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Cakto hapur
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fixed Item Aseteve duhet të jetë një element jo-aksioneve.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fixed Item Aseteve duhet të jetë një element jo-aksioneve.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Buxheti nuk mund të caktohet {0} kundër, pasi kjo nuk është një llogari të ardhura ose shpenzime"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Shuma maksimale e lirimit për {0} është {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Arritur
@@ -2782,9 +2810,9 @@
 ,Amount to Deliver,Shuma për të Ofruar
 DocType: Asset,Insurance Start Date,Data e fillimit të sigurimit
 DocType: Salary Component,Flexible Benefits,Përfitimet fleksibël
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Artikulli i njëjtë është futur disa herë. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Artikulli i njëjtë është futur disa herë. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Data e fillimit nuk mund të jetë më herët se Year Data e fillimit të vitit akademik në të cilin termi është i lidhur (Viti Akademik {}). Ju lutem, Korrigjo datat dhe provoni përsëri."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Ka pasur gabime.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Ka pasur gabime.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Punonjësi {0} ka aplikuar për {1} mes {2} dhe {3}:
 DocType: Guardian,Guardian Interests,Guardian Interesat
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Përditëso emrin / numrin e llogarisë
@@ -2823,9 +2851,9 @@
 ,Item-wise Purchase History,Historia Blerje pika-mençur
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Ju lutem klikoni në &quot;Generate&quot; Listën për të shkoj të marr Serial Asnjë shtuar për Item {0}
 DocType: Account,Frozen,I ngrirë
-DocType: Delivery Note,Vehicle Type,Lloji i automjetit
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Lloji i automjetit
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Shuma (Company Valuta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,"Lende e pare, lende e paperpunuar"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,"Lende e pare, lende e paperpunuar"
 DocType: Payment Reconciliation Payment,Reference Row,Reference Row
 DocType: Installation Note,Installation Time,Instalimi Koha
 DocType: Sales Invoice,Accounting Details,Detajet Kontabilitet
@@ -2834,12 +2862,13 @@
 DocType: Inpatient Record,O Positive,O Pozitive
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investimet
 DocType: Issue,Resolution Details,Rezoluta Detajet
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Lloji i transaksionit
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Lloji i transaksionit
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteret e pranimit
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Ju lutemi shkruani Kërkesat materiale në tabelën e mësipërme
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Nuk ka ripagesa në dispozicion për Regjistrimin e Gazetës
 DocType: Hub Tracked Item,Image List,Lista e imazhit
 DocType: Item Attribute,Attribute Name,Atribut Emri
+DocType: Subscription,Generate Invoice At Beginning Of Period,Gjenero faturën në fillim të periudhës
 DocType: BOM,Show In Website,Shfaq Në Website
 DocType: Loan Application,Total Payable Amount,Shuma totale e pagueshme
 DocType: Task,Expected Time (in hours),Koha pritet (në orë)
@@ -2877,8 +2906,8 @@
 DocType: Employee,Resignation Letter Date,Dorëheqja Letër Data
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Rregullat e Çmimeve të filtruar më tej në bazë të sasisë.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Nuk është caktuar
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Ju lutemi të vendosur datën e bashkuar për të punësuar {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Ju lutemi të vendosur datën e bashkuar për të punësuar {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Ju lutemi të vendosur datën e bashkuar për të punësuar {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Ju lutemi të vendosur datën e bashkuar për të punësuar {0}
 DocType: Inpatient Record,Discharge,shkarkim
 DocType: Task,Total Billing Amount (via Time Sheet),Total Shuma Faturimi (via Koha Sheet)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Përsëriteni ardhurat Klientit
@@ -2888,13 +2917,13 @@
 DocType: Chapter,Chapter,kapitull
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Palë
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Llogaria e parazgjedhur do të përditësohet automatikisht në POS Fatura kur kjo mënyrë të përzgjidhet.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Zgjidhni bom dhe Qty për Prodhimin
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Zgjidhni bom dhe Qty për Prodhimin
 DocType: Asset,Depreciation Schedule,Zhvlerësimi Orari
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresat Sales partner dhe Kontakte
 DocType: Bank Reconciliation Detail,Against Account,Kundër Llogaria
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Half Data Day duhet të jetë midis Nga Data dhe deri më sot
 DocType: Maintenance Schedule Detail,Actual Date,Aktuale Data
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Vendosni Qendrën e Kostos së Parazgjedhur në {0} kompani.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Vendosni Qendrën e Kostos së Parazgjedhur në {0} kompani.
 DocType: Item,Has Batch No,Ka Serisë Asnjë
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Faturimi vjetore: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Tregto Detajet Webhook
@@ -2906,7 +2935,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Lloji Shift
 DocType: Student,Personal Details,Detajet personale
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Ju lutemi të vendosur &#39;të mjeteve Qendra Amortizimi Kosto&#39; në Kompaninë {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Ju lutemi të vendosur &#39;të mjeteve Qendra Amortizimi Kosto&#39; në Kompaninë {0}
 ,Maintenance Schedules,Mirëmbajtja Oraret
 DocType: Task,Actual End Date (via Time Sheet),Aktuale End Date (via Koha Sheet)
 DocType: Soil Texture,Soil Type,Lloji i dheut
@@ -2914,10 +2943,10 @@
 ,Quotation Trends,Kuotimit Trendet
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Grupi pika nuk përmendet në pikën për të zotëruar pikën {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandati i GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debiti te llogaria duhet të jetë një llogari të arkëtueshme
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debiti te llogaria duhet të jetë një llogari të arkëtueshme
 DocType: Shipping Rule,Shipping Amount,Shuma e anijeve
 DocType: Supplier Scorecard Period,Period Score,Vota e periudhës
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Shto Konsumatorët
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Shto Konsumatorët
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Në pritje Shuma
 DocType: Lab Test Template,Special,i veçantë
 DocType: Loyalty Program,Conversion Factor,Konvertimi Faktori
@@ -2934,7 +2963,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Shto me shkronja
 DocType: Program Enrollment,Self-Driving Vehicle,Self-Driving automjeteve
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Përputhësi i rezultatit të furnitorit
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill e materialeve nuk u gjet për pika {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill e materialeve nuk u gjet për pika {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Gjithsej gjethet e ndara {0} nuk mund të jetë më pak se gjethet tashmë të miratuara {1} për periudhën
 DocType: Contract Fulfilment Checklist,Requirement,kërkesë
 DocType: Journal Entry,Accounts Receivable,Llogaritë e arkëtueshme
@@ -2951,16 +2980,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR Cilësimet
 DocType: Salary Slip,net pay info,info net pay
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Shuma e CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Shuma e CESS
 DocType: Woocommerce Settings,Enable Sync,Aktivizo sinkronizimin
 DocType: Tax Withholding Rate,Single Transaction Threshold,Pragu Single Transaction Pragu
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Kjo vlerë përditësohet në Listën e Çmimeve të Shitjes së Parazgjedhur.
 DocType: Email Digest,New Expenses,Shpenzimet e reja
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Vlera PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Vlera PDC / LC
 DocType: Shareholder,Shareholder,aksionari
 DocType: Purchase Invoice,Additional Discount Amount,Shtesë Shuma Discount
 DocType: Cash Flow Mapper,Position,pozitë
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Merrni artikujt nga Recetat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Merrni artikujt nga Recetat
 DocType: Patient,Patient Details,Detajet e pacientit
 DocType: Inpatient Record,B Positive,B Pozitiv
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2972,8 +3001,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grup për jo-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sportiv
 DocType: Loan Type,Loan Name,kredi Emri
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Gjithsej aktuale
-DocType: Lab Test UOM,Test UOM,Test UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Gjithsej aktuale
 DocType: Student Siblings,Student Siblings,Vëllai dhe motra e studentëve
 DocType: Subscription Plan Detail,Subscription Plan Detail,Detaji i Planit të Abonimit
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Njësi
@@ -3000,7 +3028,6 @@
 DocType: Workstation,Wages per hour,Rrogat në orë
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Bilanci aksioneve në Serisë {0} do të bëhet negative {1} për Item {2} në {3} Magazina
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Pas kërkesave materiale janë ngritur automatikisht bazuar në nivelin e ri të rendit zërit
-DocType: Email Digest,Pending Sales Orders,Në pritje Sales urdhëron
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Llogari {0} është i pavlefshëm. Llogaria Valuta duhet të jetë {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Nga Data {0} nuk mund të jetë pas heqjes së punonjësit Data {1}
 DocType: Supplier,Is Internal Supplier,Është furnizuesi i brendshëm
@@ -3009,13 +3036,14 @@
 DocType: Healthcare Settings,Remind Before,Kujtoj Para
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktori UOM Konvertimi është e nevojshme në rresht {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një nga Sales Rendit, Sales Fatura ose Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një nga Sales Rendit, Sales Fatura ose Journal Entry"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Pikë Loyalty = Sa monedhë bazë?
 DocType: Salary Component,Deduction,Zbritje
 DocType: Item,Retain Sample,Mbajeni mostër
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Row {0}: Nga koha dhe në kohë është i detyrueshëm.
 DocType: Stock Reconciliation Item,Amount Difference,shuma Diferenca
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Item Çmimi shtuar për {0} në çmim Lista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Item Çmimi shtuar për {0} në çmim Lista {1}
+DocType: Delivery Stop,Order Information,Informacione Rendit
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ju lutemi shkruani punonjës Id i këtij personi të shitjes
 DocType: Territory,Classification of Customers by region,Klasifikimi i Konsumatorëve sipas rajonit
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Në prodhim
@@ -3026,8 +3054,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Llogaritur Banka bilanci Deklarata
 DocType: Normal Test Template,Normal Test Template,Modeli i Testimit Normal
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,përdorues me aftësi të kufizuara
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Citat
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Nuk mund të caktohet një RFQ e pranuar në asnjë kuotë
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Citat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Nuk mund të caktohet një RFQ e pranuar në asnjë kuotë
 DocType: Salary Slip,Total Deduction,Zbritje Total
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Zgjidh një llogari për të shtypur në monedhën e llogarisë
 ,Production Analytics,Analytics prodhimit
@@ -3040,14 +3068,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Vendosja e Scorecard Furnizues
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Emri i Planit të Vlerësimit
 DocType: Work Order Operation,Work Order Operation,Operacioni i Rendit të Punës
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Warning: certifikatë SSL Invalid në shtojcën {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Warning: certifikatë SSL Invalid në shtojcën {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Çon ju ndihmojë të merrni të biznesit, shtoni të gjitha kontaktet tuaja dhe më shumë si çon tuaj"
 DocType: Work Order Operation,Actual Operation Time,Aktuale Operacioni Koha
 DocType: Authorization Rule,Applicable To (User),Për të zbatueshme (User)
 DocType: Purchase Taxes and Charges,Deduct,Zbres
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Përshkrimi i punës
 DocType: Student Applicant,Applied,i aplikuar
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Ri-hapur
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Ri-hapur
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qty sipas Stock UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Emri Guardian2
 DocType: Attendance,Attendance Request,Kërkesa për pjesëmarrje
@@ -3065,7 +3093,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Asnjë {0} është nën garanci upto {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Vlera minimale e lejueshme
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Përdoruesi {0} tashmë ekziston
-apps/erpnext/erpnext/hooks.py +114,Shipments,Dërgesat
+apps/erpnext/erpnext/hooks.py +115,Shipments,Dërgesat
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Gjithsej shuma e akorduar (Company Valuta)
 DocType: Purchase Order Item,To be delivered to customer,Që do të dërgohen për të klientit
 DocType: BOM,Scrap Material Cost,Scrap Material Kosto
@@ -3073,11 +3101,12 @@
 DocType: Grant Application,Email Notification Sent,Njoftimi me email u dërgua
 DocType: Purchase Invoice,In Words (Company Currency),Me fjalë (Kompania Valuta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Kompania është manaduese për llogarinë e kompanisë
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Kodi i artikullit, depoja, sasia kërkohet në radhë"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Kodi i artikullit, depoja, sasia kërkohet në radhë"
 DocType: Bank Guarantee,Supplier,Furnizuesi
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Get Nga
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ky është një departament rrënjë dhe nuk mund të redaktohet.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Shfaq Detajet e Pagesës
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Kohëzgjatja në ditë
 DocType: C-Form,Quarter,Çerek
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Shpenzimet Ndryshme
 DocType: Global Defaults,Default Company,Gabim i kompanisë
@@ -3085,7 +3114,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Shpenzim apo llogari Diferenca është e detyrueshme për Item {0} si ndikon vlerën e përgjithshme e aksioneve
 DocType: Bank,Bank Name,Emri i Bankës
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Siper
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Lëreni fushën e zbrazët për të bërë urdhra për blerje për të gjithë furnizuesit
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Lëreni fushën e zbrazët për të bërë urdhra për blerje për të gjithë furnizuesit
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Njësia e akuzës për vizitë në spital
 DocType: Vital Signs,Fluid,Lëng
 DocType: Leave Application,Total Leave Days,Ditët Totali i pushimeve
@@ -3095,7 +3124,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Cilësimet e variantit të artikullit
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Zgjidh kompanisë ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Lini bosh nëse konsiderohet për të gjitha departamentet
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} është e detyrueshme për Item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} është e detyrueshme për Item {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Produkti {0}: {1} qty prodhuar,"
 DocType: Payroll Entry,Fortnightly,dyjavor
 DocType: Currency Exchange,From Currency,Nga Valuta
@@ -3145,7 +3174,7 @@
 DocType: Account,Fixed Asset,Aseteve fikse
 DocType: Amazon MWS Settings,After Date,Pas datës
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Inventar serialized
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Invalid {0} për Inter Company Fature.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Invalid {0} për Inter Company Fature.
 ,Department Analytics,Departamenti i Analizës
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Emailja nuk gjendet në kontaktin e parazgjedhur
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Gjeni sekret
@@ -3164,6 +3193,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Me pagesën e tatimit
 DocType: Expense Claim Detail,Expense Claim Detail,Shpenzim Kërkesa Detail
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Ju lutemi vendosni Sistemin e Emërimit të Instruktorit në Arsim&gt; Cilësimet e Arsimit
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Tri kopje për furnizuesit
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Bilanci i ri në monedhën bazë
 DocType: Location,Is Container,Është kontejner
@@ -3171,13 +3201,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Ju lutem, përzgjidhni llogarinë e saktë"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Caktimi i Strukturës së Pagave
 DocType: Purchase Invoice Item,Weight UOM,Pesha UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Lista e Aksionarëve në dispozicion me numra foli
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Lista e Aksionarëve në dispozicion me numra foli
 DocType: Salary Structure Employee,Salary Structure Employee,Struktura Paga e punonjësve
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Trego atributet e variantit
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Trego atributet e variantit
 DocType: Student,Blood Group,Grup gjaku
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Llogaria e portës së pagesës në planin {0} ndryshon nga llogaria e portës së pagesës në këtë kërkesë pagese
 DocType: Course,Course Name,Emri i kursit
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Nuk ka të dhëna të mbajtjes në burim të tatimit për vitin aktual fiskal.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Nuk ka të dhëna të mbajtjes në burim të tatimit për vitin aktual fiskal.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Përdoruesit të cilët mund të miratojë aplikacione të lënë një punonjës të veçantë për
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Zyra Pajisje
 DocType: Purchase Invoice Item,Qty,Qty
@@ -3185,6 +3215,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Vendosja e programit
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronikë
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debiti ({0})
+DocType: BOM,Allow Same Item Multiple Times,Lejo të njëjtën artikull shumë herë
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Ngritja materiale Kërkesë kur bursës arrin nivel të ri-rendit
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Me kohë të plotë
 DocType: Payroll Entry,Employees,punonjësit
@@ -3196,11 +3227,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Konfirmim pagese
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Çmimet nuk do të shfaqet në qoftë Lista Çmimi nuk është vendosur
 DocType: Stock Entry,Total Incoming Value,Vlera Totale hyrëse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debi Për të është e nevojshme
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debi Për të është e nevojshme
 DocType: Clinical Procedure,Inpatient Record,Regjistri ambulator
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ndihmojë për të mbajtur gjurmët e kohës, kostos dhe faturimit për Aktivitetet e kryera nga ekipi juaj"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Blerje Lista e Çmimeve
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Data e transaksionit
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Blerje Lista e Çmimeve
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Data e transaksionit
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Modelet e variablave të rezultateve të rezultateve të furnizuesit.
 DocType: Job Offer Term,Offer Term,Term Oferta
 DocType: Asset,Quality Manager,Menaxheri Cilësia
@@ -3221,11 +3252,11 @@
 DocType: Cashier Closing,To Time,Për Koha
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) për {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Miratimi Rolit (mbi vlerën e autorizuar)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredia për llogari duhet të jetë një llogari e pagueshme
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredia për llogari duhet të jetë një llogari e pagueshme
 DocType: Loan,Total Amount Paid,Shuma totale e paguar
 DocType: Asset,Insurance End Date,Data e përfundimit të sigurimit
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Ju lutemi zgjidhni Pranimin e Studentit i cili është i detyrueshëm për aplikantin e paguar të studentëve
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} nuk mund të jetë prindi ose fëmija i {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} nuk mund të jetë prindi ose fëmija i {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Lista e buxhetit
 DocType: Work Order Operation,Completed Qty,Kompletuar Qty
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Për {0}, vetëm llogaritë e debitit mund të jetë i lidhur kundër një tjetër hyrjes krediti"
@@ -3233,7 +3264,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} nuk mund të përditësohet duke përdorur Stock pajtimit, ju lutem, përdorni Stock Hyrja"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} nuk mund të përditësohet duke përdorur Stock pajtimit, ju lutem, përdorni Stock Hyrja"
 DocType: Training Event Employee,Training Event Employee,Trajnimi Event punonjës
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Mostrat maksimale - {0} mund të ruhen për Serinë {1} dhe Pikën {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Mostrat maksimale - {0} mund të ruhen për Serinë {1} dhe Pikën {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Shtoni Vendndodhjet e Kohës
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numrat Serial nevojshme për Item {1}. Ju keni dhënë {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Shkalla aktuale Vlerësimi
@@ -3264,11 +3295,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial Asnjë {0} nuk u gjet
 DocType: Fee Schedule Program,Fee Schedule Program,Programi i Programit të Tarifave
 DocType: Fee Schedule Program,Student Batch,Batch Student
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Ju lutemi fshini punonjësin <a href=""#Form/Employee/{0}"">{0}</a> \ për ta anuluar këtë dokument"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,bëni Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Njësia e Shërbimit të Shëndetit
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Ju keni qenë të ftuar për të bashkëpunuar në këtë projekt: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Ju keni qenë të ftuar për të bashkëpunuar në këtë projekt: {0}
 DocType: Supplier Group,Parent Supplier Group,Grupi i Furnizuesit të Prindërve
+DocType: Email Digest,Purchase Orders to Bill,Blerje urdhëron të Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Vlerat e Akumuluara në Kompaninë e Grupit
 DocType: Leave Block List Date,Block Date,Data bllok
 DocType: Crop,Crop,prodhim
@@ -3281,6 +3315,7 @@
 DocType: Sales Order,Not Delivered,Jo Dorëzuar
 ,Bank Clearance Summary,Pastrimi Përmbledhje Banka
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Krijuar dhe menaxhuar digests ditore, javore dhe mujore email."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Kjo bazohet në transaksione kundër këtij Shitësi. Shiko detajet më poshtë për detaje
 DocType: Appraisal Goal,Appraisal Goal,Vlerësimi Qëllimi
 DocType: Stock Reconciliation Item,Current Amount,Shuma e tanishme
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Ndërtesat
@@ -3307,7 +3342,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Programe
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Next Kontakt Data nuk mund të jetë në të kaluarën
 DocType: Company,For Reference Only.,Vetëm për referencë.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Zgjidh Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Zgjidh Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Invalid {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referenca Inv
@@ -3325,16 +3360,16 @@
 DocType: Normal Test Items,Require Result Value,Kërkoni vlerën e rezultatit
 DocType: Item,Show a slideshow at the top of the page,Tregojnë një Slideshow në krye të faqes
 DocType: Tax Withholding Rate,Tax Withholding Rate,Norma e Mbajtjes së Tatimit
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Dyqane
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOM
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Dyqane
 DocType: Project Type,Projects Manager,Projektet Menaxher
 DocType: Serial No,Delivery Time,Koha e dorëzimit
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Plakjen Bazuar Në
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Emërimi u anulua
 DocType: Item,End of Life,Fundi i jetës
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Udhëtim
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Udhëtim
 DocType: Student Report Generation Tool,Include All Assessment Group,Përfshini të gjithë Grupin e Vlerësimit
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Asnjë Struktura aktiv apo Paga parazgjedhur gjetur për punonjës {0} për të dhënë data
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Asnjë Struktura aktiv apo Paga parazgjedhur gjetur për punonjës {0} për të dhënë data
 DocType: Leave Block List,Allow Users,Lejojnë përdoruesit
 DocType: Purchase Order,Customer Mobile No,Customer Mobile Asnjë
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detajet e modelit të përcaktimit të fluksit monetar
@@ -3343,15 +3378,16 @@
 DocType: Rename Tool,Rename Tool,Rename Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Update Kosto
 DocType: Item Reorder,Item Reorder,Item reorder
+DocType: Delivery Note,Mode of Transport,Mënyra e transportit
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Trego Paga Shqip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Material Transferimi
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Material Transferimi
 DocType: Fees,Send Payment Request,Dërgo Kërkesën për Pagesë
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specifikoni operacionet, koston operative dhe të japë një operacion i veçantë nuk ka për operacionet tuaja."
 DocType: Travel Request,Any other details,Çdo detaj tjetër
 DocType: Water Analysis,Origin,origjinë
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ky dokument është mbi kufirin nga {0} {1} për pika {4}. A jeni duke bërë një tjetër {3} kundër të njëjtit {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Ju lutemi të vendosur përsëritur pas kursimit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Llogaria Shuma Zgjidh ndryshim
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Ju lutemi të vendosur përsëritur pas kursimit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Llogaria Shuma Zgjidh ndryshim
 DocType: Purchase Invoice,Price List Currency,Lista e Çmimeve Valuta
 DocType: Naming Series,User must always select,Përdoruesi duhet të zgjidhni gjithmonë
 DocType: Stock Settings,Allow Negative Stock,Lejo Negativ Stock
@@ -3372,9 +3408,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Gjurmimi
 DocType: Asset Maintenance Log,Actions performed,Veprimet e kryera
 DocType: Cash Flow Mapper,Section Leader,Drejtuesi i Seksionit
+DocType: Delivery Note,Transport Receipt No,Pranimi i transportit nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Burimi i Fondeve (obligimeve) të papaguara
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Burimi dhe Vendndodhja e synuar nuk mund të jenë të njëjta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Sasia në rresht {0} ({1}) duhet të jetë e njëjtë me sasinë e prodhuar {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Sasia në rresht {0} ({1}) duhet të jetë e njëjtë me sasinë e prodhuar {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Punonjës
 DocType: Bank Guarantee,Fixed Deposit Number,Numri i depozitave fikse
 DocType: Asset Repair,Failure Date,Data e dështimit
@@ -3388,16 +3425,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Zbritjet e pagesës ose Loss
 DocType: Soil Analysis,Soil Analysis Criterias,Kriteret e Analizës së Tokës
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Kushtet e kontratës standarde për shitje ose blerje.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Je i sigurt që dëshiron ta anulosh këtë takim?
+DocType: BOM Item,Item operation,Veprimi i artikullit
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Je i sigurt që dëshiron ta anulosh këtë takim?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Paketa e Çmimeve të Dhomës së Hotelit
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales tubacionit
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Sales tubacionit
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Ju lutemi të vendosur llogarinë e paracaktuar në Paga Komponentin {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Kerkohet Në
 DocType: Rename Tool,File to Rename,Paraqesë për Rename
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Ju lutem, përzgjidhni bom për Item në rresht {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Fetch Updates Updating
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Llogaria {0} nuk përputhet me Kompaninë {1} në Mode e Llogarisë: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Specifikuar BOM {0} nuk ekziston për Item {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Specifikuar BOM {0} nuk ekziston për Item {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kursi:
 DocType: Soil Texture,Sandy Loam,Loam Sandy
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Mirëmbajtja Orari {0} duhet të anulohet para se anulimi këtë Radhit Sales
@@ -3406,7 +3444,7 @@
 DocType: Notification Control,Expense Claim Approved,Shpenzim Kërkesa Miratuar
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Cakto avancimet dhe alokimin (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Nuk u krijua urdhër pune
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Slip Paga e punonjësit të {0} krijuar tashmë për këtë periudhë
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Slip Paga e punonjësit të {0} krijuar tashmë për këtë periudhë
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutike
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Ju mund të dorëzoni vetëm Lëshim Encashment për një vlerë të vlefshme arkëtimi
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostoja e artikujve të blerë
@@ -3414,7 +3452,8 @@
 DocType: Selling Settings,Sales Order Required,Sales Rendit kërkuar
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Bëhuni shitës
 DocType: Purchase Invoice,Credit To,Kredia për
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Kryeson Active / Konsumatorët
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Kryeson Active / Konsumatorët
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Lëreni bosh për të përdorur formatin standard të Shënimit të Dorëzimit
 DocType: Employee Education,Post Graduate,Post diplomuar
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Mirëmbajtja Orari Detail
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Paralajmëroni për Urdhërat e reja të Blerjes
@@ -3428,14 +3467,14 @@
 DocType: Support Search Source,Post Title Key,Titulli i Titullit Postar
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Për Kartën e Punës
 DocType: Warranty Claim,Raised By,Ngritur nga
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,recetat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,recetat
 DocType: Payment Gateway Account,Payment Account,Llogaria e pagesës
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Ju lutemi specifikoni kompanisë për të vazhduar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Ju lutemi specifikoni kompanisë për të vazhduar
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Ndryshimi neto në llogarive të arkëtueshme
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompensues Off
 DocType: Job Offer,Accepted,Pranuar
 DocType: POS Closing Voucher,Sales Invoices Summary,Përmbledhje e Faturat e Shitjeve
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Për emrin e partisë
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Për emrin e partisë
 DocType: Grant Application,Organization,organizatë
 DocType: Grant Application,Organization,organizatë
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
@@ -3445,7 +3484,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Ju lutem sigurohuni që ju me të vërtetë dëshironi të fshini të gjitha transaksionet për këtë kompani. Të dhënat tuaja mjeshtër do të mbetet ashtu siç është. Ky veprim nuk mund të zhbëhet.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Rezultatet e kërkimit
 DocType: Room,Room Number,Numri Room
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Referenca e pavlefshme {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Referenca e pavlefshme {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nuk mund të jetë më i madh se quanitity planifikuar ({2}) në Prodhimi i rendit {3}
 DocType: Shipping Rule,Shipping Rule Label,Rregulla Transporti Label
 DocType: Journal Entry Account,Payroll Entry,Hyrja në listën e pagave
@@ -3453,8 +3492,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Bëni modelin e taksave
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forumi User
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Lëndëve të para nuk mund të jetë bosh.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Rreshti # {0} (Tabela e Pagesës): Shuma duhet të jetë negative
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Nuk mund të rinovuar aksioneve, fatura përmban anijeve rënie artikull."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Rreshti # {0} (Tabela e Pagesës): Shuma duhet të jetë negative
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Nuk mund të rinovuar aksioneve, fatura përmban anijeve rënie artikull."
 DocType: Contract,Fulfilment Status,Statusi i Përmbushjes
 DocType: Lab Test Sample,Lab Test Sample,Shembulli i testit të laboratorit
 DocType: Item Variant Settings,Allow Rename Attribute Value,Lejo rinumërimin e vlerës së atributeve
@@ -3496,11 +3535,11 @@
 DocType: BOM,Show Operations,Shfaq Operacionet
 ,Minutes to First Response for Opportunity,Minuta për Përgjigje e parë për Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Gjithsej Mungon
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Item ose Magazina për rresht {0} nuk përputhet Materiale Kërkesë
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Item ose Magazina për rresht {0} nuk përputhet Materiale Kërkesë
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Njësia e Masës
 DocType: Fiscal Year,Year End Date,Viti End Date
 DocType: Task Depends On,Task Depends On,Detyra varet
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Mundësi
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Mundësi
 DocType: Operation,Default Workstation,Gabim Workstation
 DocType: Notification Control,Expense Claim Approved Message,Shpenzim Kërkesa Miratuar mesazh
 DocType: Payment Entry,Deductions or Loss,Zbritjet apo Humbje
@@ -3538,21 +3577,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Miratimi përdoruesin nuk mund të jetë i njëjtë si përdorues rregulli është i zbatueshëm për
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Norma bazë (sipas Stock UOM)
 DocType: SMS Log,No of Requested SMS,Nr i SMS kërkuar
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Dërgo Pa Paguhet nuk përputhet me të dhënat Leave Aplikimi miratuara
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Dërgo Pa Paguhet nuk përputhet me të dhënat Leave Aplikimi miratuara
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Hapat e ardhshëm
 DocType: Travel Request,Domestic,i brendshëm
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Ju lutemi të furnizimit me artikuj të specifikuara në normat më të mirë të mundshme
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Ju lutemi të furnizimit me artikuj të specifikuara në normat më të mirë të mundshme
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Transferimi i punonjësve nuk mund të dorëzohet para datës së transferimit
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Bëni Faturë
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Bilanci i mbetur
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Bilanci i mbetur
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Opportunity afër pas 15 ditësh
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Urdhërat e blerjes nuk janë të lejuara për {0} për shkak të një pozicioni të rezultateve të {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Barkodi {0} nuk është një kod valid {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Barkodi {0} nuk është një kod valid {1}
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Fundi Viti
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot /% Lead
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot /% Lead
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Kontrata Data e përfundimit duhet të jetë më i madh se data e bashkimit
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Kontrata Data e përfundimit duhet të jetë më i madh se data e bashkimit
 DocType: Driver,Driver,shofer
 DocType: Vital Signs,Nutrition Values,Vlerat e të ushqyerit
 DocType: Lab Test Template,Is billable,Është e pagueshme
@@ -3563,7 +3602,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Kjo është një website shembull auto-generated nga ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Gama plakjen 1
 DocType: Shopify Settings,Enable Shopify,Aktivizo Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Shuma totale e paradhënies nuk mund të jetë më e madhe se shuma totale e kërkuar
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Shuma totale e paradhënies nuk mund të jetë më e madhe se shuma totale e kërkuar
 DocType: Purchase Taxes and Charges Template,"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
@@ -3590,12 +3629,12 @@
 DocType: Employee Separation,Employee Separation,Ndarja e Punonjësve
 DocType: BOM Item,Original Item,Origjinal
 DocType: Purchase Receipt Item,Recd Quantity,Recd Sasia
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Data e Dokumentit
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Data e Dokumentit
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Records tarifë Krijuar - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategoria Llogaria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Rreshti # {0} (Tabela e Pagesës): Shuma duhet të jetë pozitive
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Rreshti # {0} (Tabela e Pagesës): Shuma duhet të jetë pozitive
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Nuk mund të prodhojë më shumë Item {0} se sasia Sales Rendit {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Zgjidhni vlerat e atributeve
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Zgjidhni vlerat e atributeve
 DocType: Purchase Invoice,Reason For Issuing document,Arsyeja për lëshimin e dokumentit
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Hyrja {0} nuk është dorëzuar
 DocType: Payment Reconciliation,Bank / Cash Account,Llogarisë Bankare / Cash
@@ -3604,8 +3643,10 @@
 DocType: Asset,Manual,udhëzues
 DocType: Salary Component Account,Salary Component Account,Llogaria Paga Komponenti
 DocType: Global Defaults,Hide Currency Symbol,Fshih Valuta size
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Shitjet Mundësitë nga Burimi
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Informacioni i donatorëve.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","psh Banka, Cash, Credit Card"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ju lutem vendosni numrat e numrave për Pjesëmarrjen përmes Setup&gt; Seritë e Numërimit
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","psh Banka, Cash, Credit Card"
 DocType: Job Applicant,Source Name,burimi Emri
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tensioni normal i pushimit të gjakut në një të rritur është afërsisht 120 mmHg systolic, dhe 80 mmHg diastolic, shkurtuar &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Vendosni artikujt e afatit të ruajtjes në ditë, për të vendosur skadimin e bazuar në data e prodhimit dhe vetë jetës"
@@ -3635,7 +3676,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Për Sasia duhet të jetë më pak se sasia {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Filloni Data duhet të jetë përpara End Date
 DocType: Salary Component,Max Benefit Amount (Yearly),Shuma e përfitimit maksimal (vjetor)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Rate TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Rate TDS%
 DocType: Crop,Planting Area,Sipërfaqja e mbjelljes
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Gjithsej (Qty)
 DocType: Installation Note Item,Installed Qty,Instaluar Qty
@@ -3657,8 +3698,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Lini Njoftimin e Miratimit
 DocType: Buying Settings,Default Buying Price List,E albumit Lista Blerja Çmimi
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip Paga Bazuar në pasqyrë e mungesave
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Shkalla e Blerjes
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Rresht {0}: Vendosni vendndodhjen për sendin e aktivit {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Shkalla e Blerjes
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Rresht {0}: Vendosni vendndodhjen për sendin e aktivit {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-KPK-.YYYY.-
 DocType: Company,About the Company,Rreth kompanisë
 DocType: Notification Control,Sales Order Message,Sales Rendit Mesazh
@@ -3725,10 +3766,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Për rresht {0}: Shkruani Qty planifikuar
 DocType: Account,Income Account,Llogaria ardhurat
 DocType: Payment Request,Amount in customer's currency,Shuma në monedhë të klientit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Ofrimit të
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Ofrimit të
 DocType: Volunteer,Weekdays,gjatë ditëve të javës
 DocType: Stock Reconciliation Item,Current Qty,Qty tanishme
 DocType: Restaurant Menu,Restaurant Menu,Menuja e Restorantit
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Shto Furnizuesit
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Seksioni i Ndihmës
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,prev
@@ -3738,19 +3780,20 @@
 apps/erpnext/erpnext/setup/doctype/company/company.py +163,Set default inventory account for perpetual inventory,Bëje llogari inventarit parazgjedhur për inventarit të përhershëm
 DocType: Item Reorder,Material Request Type,Material Type Kërkesë
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Dërgo Grant Rishikimi Email
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage është e plotë, nuk ka shpëtuar"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Konvertimi Faktori është i detyrueshëm
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage është e plotë, nuk ka shpëtuar"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Konvertimi Faktori është i detyrueshëm
 DocType: Employee Benefit Claim,Claim Date,Data e Kërkesës
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Kapaciteti i dhomës
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Tashmë ekziston regjistri për artikullin {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Ju do të humbni regjistrat e faturave të krijuara më parë. Jeni i sigurt se doni të rifilloni këtë pajtim?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Taksa e regjistrimit
 DocType: Loyalty Program Collection,Loyalty Program Collection,Mbledhja e programit të besnikërisë
 DocType: Stock Entry Detail,Subcontracted Item,Artikuj nënkontraktuar
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} nuk i përket grupit {1}
 DocType: Budget,Cost Center,Qendra Kosto
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Kupon #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Kupon #
 DocType: Notification Control,Purchase Order Message,Rendit Blerje mesazh
 DocType: Tax Rule,Shipping Country,Shipping Vendi
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Fshih Id Tatimore e konsumatorit nga transaksionet e shitjeve
@@ -3769,23 +3812,22 @@
 DocType: Subscription,Cancel At End Of Period,Anulo në fund të periudhës
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Prona tashmë është shtuar
 DocType: Item Supplier,Item Supplier,Item Furnizuesi
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Ju lutemi shkruani Kodin artikull për të marrë grumbull asnjë
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Ju lutem, përzgjidhni një vlerë për {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Ju lutemi shkruani Kodin artikull për të marrë grumbull asnjë
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Ju lutem, përzgjidhni një vlerë për {0} quotation_to {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Asnjë artikull i përzgjedhur për transferim
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Të gjitha adresat.
 DocType: Company,Stock Settings,Stock Cilësimet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Shkrirja është e mundur vetëm nëse prona e mëposhtme janë të njëjta në të dy regjistrat. Është Grupi, Root Type, Kompania"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Shkrirja është e mundur vetëm nëse prona e mëposhtme janë të njëjta në të dy regjistrat. Është Grupi, Root Type, Kompania"
 DocType: Vehicle,Electric,elektrik
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Gain / Humbja në hedhjen e Aseteve
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Në tabelën e mëposhtme do të përzgjidhen vetëm Aplikuesi i Studentit me statusin &quot;Miratuar&quot;.
 DocType: Tax Withholding Category,Rates,Çmimet
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Numri i llogarisë për llogarinë {0} nuk është në dispozicion. <br> Ju lutemi konfiguroni saktë skedën e llogarive tuaja.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Numri i llogarisë për llogarinë {0} nuk është në dispozicion. <br> Ju lutemi konfiguroni saktë skedën e llogarive tuaja.
 DocType: Task,Depends on Tasks,Varet Detyrat
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Manage grup të konsumatorëve Tree.
 DocType: Normal Test Items,Result Value,Rezultati Vlera
 DocType: Hotel Room,Hotels,Hotels
-DocType: Delivery Note,Transporter Date,Data e Transporterit
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Qendra Kosto New Emri
 DocType: Leave Control Panel,Leave Control Panel,Lini Control Panel
 DocType: Project,Task Completion,Task Përfundimi
@@ -3832,11 +3874,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Të gjitha grupet e vlerësimit
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,New Magazina Emri
 DocType: Shopify Settings,App Type,Lloji i aplikacionit
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Total {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Total {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Territor
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Ju lutemi përmendni i vizitave të kërkuara
 DocType: Stock Settings,Default Valuation Method,Gabim Vlerësimi Metoda
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,tarifë
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Trego Shuma Kumulative
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Përditësohet në progres. Mund të duhet një kohë.
 DocType: Production Plan Item,Produced Qty,Prodhuar Qty
 DocType: Vehicle Log,Fuel Qty,Fuel Qty
@@ -3844,7 +3887,7 @@
 DocType: Work Order Operation,Planned Start Time,Planifikuar Koha e fillimit
 DocType: Course,Assessment,vlerësim
 DocType: Payment Entry Reference,Allocated,Ndarë
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Mbylle Bilanci dhe Fitimi libër ose humbja.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Mbylle Bilanci dhe Fitimi libër ose humbja.
 DocType: Student Applicant,Application Status,aplikimi Status
 DocType: Additional Salary,Salary Component Type,Lloji i komponentit të pagës
 DocType: Sensitivity Test Items,Sensitivity Test Items,Artikujt e testimit të ndjeshmërisë
@@ -3855,10 +3898,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Shuma totale Outstanding
 DocType: Sales Partner,Targets,Synimet
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Regjistro numrin e SIREN në dosjen e informacionit të kompanisë
+DocType: Email Digest,Sales Orders to Bill,Urdhëron shitjet në Bill
 DocType: Price List,Price List Master,Lista e Çmimeve Master
 DocType: GST Account,CESS Account,Llogaria CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Gjitha Shitjet Transaksionet mund të tagged kundër shumta ** Personat Sales ** në mënyrë që ju mund të vendosni dhe monitoruar objektivat.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Lidhje me kërkesën materiale
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Lidhje me kërkesën materiale
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Aktiviteti i forumit
 ,S.O. No.,SO Nr
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Parametrat e transaksionit të bankës
@@ -3873,7 +3917,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Ky është një grup të konsumatorëve rrënjë dhe nuk mund të redaktohen.
 DocType: Student,AB-,barkut
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Veprimi në qoftë se Buxheti Mujor i Akumuluar është tejkaluar në PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Në vend të
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Në vend të
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Rivlerësimi i kursit të këmbimit
 DocType: POS Profile,Ignore Pricing Rule,Ignore Rregulla e Çmimeve
 DocType: Employee Education,Graduate,I diplomuar
@@ -3910,6 +3954,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Vendosni klientin e parazgjedhur në Cilësimet e Restorantit
 ,Salary Register,Paga Regjistrohu
 DocType: Warehouse,Parent Warehouse,Magazina Parent
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,tabelë
 DocType: Subscription,Net Total,Net Total
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Default BOM nuk u gjet për Item {0} dhe Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Përcaktojnë lloje të ndryshme të kredive
@@ -3942,24 +3987,26 @@
 DocType: Membership,Membership Status,Statusi i Anëtarësimit
 DocType: Travel Itinerary,Lodging Required,Kërkohet strehim
 ,Requested,Kërkuar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Asnjë Vërejtje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Asnjë Vërejtje
 DocType: Asset,In Maintenance,Në Mirëmbajtje
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klikoni këtë buton për të tërhequr të dhënat tuaja të Renditjes Shitje nga Amazon MWS.
 DocType: Vital Signs,Abdomen,abdomen
 DocType: Purchase Invoice,Overdue,I vonuar
 DocType: Account,Stock Received But Not Billed,Stock Marrë Por Jo faturuar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root Llogaria duhet të jetë një grup i
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root Llogaria duhet të jetë një grup i
 DocType: Drug Prescription,Drug Prescription,Prescription e drogës
 DocType: Loan,Repaid/Closed,Paguhet / Mbyllur
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Total projektuar Qty
 DocType: Monthly Distribution,Distribution Name,Emri shpërndarja
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Përfshi UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Shkalla e vlerësimit nuk është gjetur për Item {0}, e cila kërkohet të bëjë shënime të kontabilitetit për {1} {2}. Nëse artikulli është duke u kryer si një zë zero vlerësimi në {1}, ju lutemi përmendni atë në tabelën {1} Item. Përndryshe, ju lutemi krijoni një transaksion të aksioneve në hyrje për artikullin ose përmendni normën e vlerësimit në regjistrin e artikullit dhe pastaj provoni paraqitjen / anulimin e këtij hyrjes"
 DocType: Course,Course Code,Kodi Kursi
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Inspektimi Cilësia e nevojshme për Item {0}
 DocType: Location,Parent Location,Vendndodhja e prindërve
 DocType: POS Settings,Use POS in Offline Mode,Përdorni POS në modalitetin Offline
 DocType: Supplier Scorecard,Supplier Variables,Variablat e Furnizuesit
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} është i detyrueshëm. Ndoshta rekordi Exchange Currency nuk është krijuar për {1} në {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Shkalla në të cilën konsumatori e valutës është e konvertuar në monedhën bazë kompanisë
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (Kompania Valuta)
 DocType: Salary Detail,Condition and Formula Help,Gjendja dhe Formula Ndihmë
@@ -3968,19 +4015,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Shitjet Faturë
 DocType: Journal Entry Account,Party Balance,Bilanci i Partisë
 DocType: Cash Flow Mapper,Section Subtotal,Seksioni Nëntotali
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Ju lutem, përzgjidhni Aplikoni zbritje në"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Ju lutem, përzgjidhni Aplikoni zbritje në"
 DocType: Stock Settings,Sample Retention Warehouse,Depoja e mbajtjes së mostrës
 DocType: Company,Default Receivable Account,Gabim Llogaria Arkëtueshme
 DocType: Purchase Invoice,Deemed Export,Shqyrtuar Eksport
 DocType: Stock Entry,Material Transfer for Manufacture,Transferimi materiale për Prodhimin
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Përqindja zbritje mund të aplikohet ose ndaj një listë të çmimeve apo për të gjithë listën e çmimeve.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Hyrja kontabilitetit për magazinë
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Hyrja kontabilitetit për magazinë
 DocType: Lab Test,LabTest Approver,Aprovuesi i LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ju kanë vlerësuar tashmë me kriteret e vlerësimit {}.
 DocType: Vehicle Service,Engine Oil,Vaj makine
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Rendi i punës i krijuar: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Rendi i punës i krijuar: {0}
 DocType: Sales Invoice,Sales Team1,Shitjet Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Item {0} nuk ekziston
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Item {0} nuk ekziston
 DocType: Sales Invoice,Customer Address,Customer Adresa
 DocType: Loan,Loan Details,kredi Details
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Dështoi në konfigurimin e ndeshjeve të kompanisë postare
@@ -4001,34 +4048,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Trego këtë slideshow në krye të faqes
 DocType: BOM,Item UOM,Item UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Shuma e taksave Pas Shuma ulje (Kompania Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Depo objektiv është i detyrueshëm për rresht {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Depo objektiv është i detyrueshëm për rresht {0}
 DocType: Cheque Print Template,Primary Settings,Parametrat kryesore
 DocType: Attendance Request,Work From Home,Punë nga shtëpia
 DocType: Purchase Invoice,Select Supplier Address,Zgjidh Furnizuesi Adresa
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Shto Punonjës
 DocType: Purchase Invoice Item,Quality Inspection,Cilësia Inspektimi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Vogla
 DocType: Company,Standard Template,Template standard
 DocType: Training Event,Theory,teori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Warning: Materiali kërkuar Qty është më pak se minimale Rendit Qty
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Warning: Materiali kërkuar Qty është më pak se minimale Rendit Qty
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Llogaria {0} është ngrirë
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Personit juridik / subsidiare me një tabelë të veçantë e llogarive i përkasin Organizatës.
 DocType: Payment Request,Mute Email,Mute Email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Ushqim, Pije &amp; Duhani"
 DocType: Account,Account Number,Numri i llogarisë
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Vetëm mund të bëni pagesën kundër pafaturuar {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Shkalla e Komisionit nuk mund të jetë më e madhe se 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Vetëm mund të bëni pagesën kundër pafaturuar {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Shkalla e Komisionit nuk mund të jetë më e madhe se 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Alokimi i përparësive automatikisht (FIFO)
 DocType: Volunteer,Volunteer,vullnetar
 DocType: Buying Settings,Subcontract,Nënkontratë
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Ju lutem shkruani {0} parë
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Nuk ka përgjigje nga
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Nuk ka përgjigje nga
 DocType: Work Order Operation,Actual End Time,Aktuale Fundi Koha
 DocType: Item,Manufacturer Part Number,Prodhuesi Pjesa Numër
 DocType: Taxable Salary Slab,Taxable Salary Slab,Pako e pagueshme e pagave
 DocType: Work Order Operation,Estimated Time and Cost,Koha e vlerësuar dhe Kosto
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Emri i farërave
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Vetëm përdoruesit me {0} rol mund të regjistrohen në Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Vetëm përdoruesit me {0} rol mund të regjistrohen në Marketplace
 DocType: SMS Log,No of Sent SMS,Nr i SMS dërguar
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Emërimet dhe Takimet
@@ -4057,7 +4105,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Ndrysho kodin
 DocType: Purchase Invoice Item,Valuation Rate,Vlerësimi Rate
 DocType: Vehicle,Diesel,naftë
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Lista e Çmimeve Valuta nuk zgjidhet
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Lista e Çmimeve Valuta nuk zgjidhet
 DocType: Purchase Invoice,Availed ITC Cess,Availed ITC Cess
 ,Student Monthly Attendance Sheet,Student Pjesëmarrja mujore Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Rregullat e transportit të aplikueshme vetëm për shitjen
@@ -4074,7 +4122,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Manage Shitje Partnerët.
 DocType: Quality Inspection,Inspection Type,Inspektimi Type
 DocType: Fee Validity,Visited yet,Vizita ende
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Depot me transaksion ekzistues nuk mund të konvertohet në grup.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Depot me transaksion ekzistues nuk mund të konvertohet në grup.
 DocType: Assessment Result Tool,Result HTML,Rezultati HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Sa shpesh duhet të përditësohet projekti dhe kompania në bazë të Transaksioneve të Shitjes.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Skadon ne
@@ -4082,7 +4130,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Ju lutem, përzgjidhni {0}"
 DocType: C-Form,C-Form No,C-Forma Nuk ka
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,distancë
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,distancë
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Listoni produktet ose shërbimet që bleni ose sillni.
 DocType: Water Analysis,Storage Temperature,Temperatura e magazinimit
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-Ord-.YYYY.-
@@ -4098,19 +4146,19 @@
 DocType: Shopify Settings,Delivery Note Series,Seria e Shënimit të Dorëzimit
 DocType: Purchase Order Item,Returned Qty,U kthye Qty
 DocType: Student,Exit,Dalje
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Lloji është i detyrueshëm
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Lloji është i detyrueshëm
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Dështoi në instalimin e paravendave
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Konvertimi i UOM në orë
 DocType: Contract,Signee Details,Detajet e shënimit
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} aktualisht ka një {1} Scorecard të Furnizuesit, dhe RFQ-të për këtë furnizues duhet të lëshohen me kujdes."
 DocType: Certified Consultant,Non Profit Manager,Menaxheri i Jofitimit
 DocType: BOM,Total Cost(Company Currency),Kosto totale (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial Asnjë {0} krijuar
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial Asnjë {0} krijuar
 DocType: Homepage,Company Description for website homepage,Përshkrimi i kompanisë për faqen e internetit
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Për komoditetin e klientëve, këto kode mund të përdoren në formate të shtypura si faturat dhe ofrimit të shënimeve"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Emri suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Nuk mundi të gjente informacion për {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Hapja e Ditarit të Hyrjes
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Hapja e Ditarit të Hyrjes
 DocType: Contract,Fulfilment Terms,Kushtet e Përmbushjes
 DocType: Sales Invoice,Time Sheet List,Ora Lista Sheet
 DocType: Employee,You can enter any date manually,Ju mund të hyjë në çdo datë me dorë
@@ -4146,7 +4194,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Organizata juaj
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Zhvendosja e Alokimit të Lejeve për punonjësit e mëposhtëm, pasi të dhënat e Alokimit të Lëshimeve tashmë ekzistojnë kundër tyre. {0}"
 DocType: Fee Component,Fees Category,tarifat Category
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Ju lutemi të hyrë në lehtësimin datën.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Ju lutemi të hyrë në lehtësimin datën.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Sasia
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detajet e Sponsorit (Emri, Lokacioni)"
 DocType: Supplier Scorecard,Notify Employee,Njoftoni punonjësin
@@ -4159,9 +4207,9 @@
 DocType: Company,Chart Of Accounts Template,Chart e Llogarive Stampa
 DocType: Attendance,Attendance Date,Pjesëmarrja Data
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Akti i azhurnimit duhet të jetë i mundur për faturën e blerjes {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Item Çmimi përditësuar për {0} në çmimore {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Item Çmimi përditësuar për {0} në çmimore {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Shpërbërjes paga në bazë të fituar dhe zbritje.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Llogaria me nyje fëmijëve nuk mund të konvertohet në Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Llogaria me nyje fëmijëve nuk mund të konvertohet në Ledger
 DocType: Purchase Invoice Item,Accepted Warehouse,Magazina pranuar
 DocType: Bank Reconciliation Detail,Posting Date,Posting Data
 DocType: Item,Valuation Method,Vlerësimi Metoda
@@ -4198,6 +4246,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,"Ju lutem, përzgjidhni një grumbull"
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Kërkesa për udhëtime dhe shpenzime
 DocType: Sales Invoice,Redemption Cost Center,Qendra e Kostos së Shlyerjes
+DocType: QuickBooks Migrator,Scope,fushë
 DocType: Assessment Group,Assessment Group Name,Emri Grupi i Vlerësimit
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferuar për Prodhime
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Shtoni në detaje
@@ -4205,6 +4254,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Data e fundit e sinkronizimit
 DocType: Landed Cost Item,Receipt Document Type,Pranimi Lloji Document
 DocType: Daily Work Summary Settings,Select Companies,Zgjidh Kompanitë
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Propozimi / Cmimi i çmimit
 DocType: Antibiotic,Healthcare,Kujdesit shëndetësor
 DocType: Target Detail,Target Detail,Detail Target
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Varianti i vetëm
@@ -4214,6 +4264,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Periudha Mbyllja Hyrja
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Zgjidh Departamentin ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Qendra Kosto me transaksionet ekzistuese nuk mund të konvertohet në grup
+DocType: QuickBooks Migrator,Authorization URL,URL-ja e autorizimit
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Shuma {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortizim
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Numri i aksioneve dhe numri i aksioneve nuk janë në përputhje
@@ -4236,13 +4287,14 @@
 DocType: Support Search Source,Source DocType,Burimi i DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Hapni një biletë të re
 DocType: Training Event,Trainer Email,trajner Email
+DocType: Driver,Transporter,transportues
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Kërkesat Materiale {0} krijuar
 DocType: Restaurant Reservation,No of People,Jo e njerëzve
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Template i termave apo kontrate.
 DocType: Bank Account,Address and Contact,Adresa dhe Kontakt
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Është Llogaria e pagueshme
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stock nuk mund të rifreskohet kundër marrjes Blerje {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stock nuk mund të rifreskohet kundër marrjes Blerje {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto Issue ngushtë pas 7 ditësh
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lënë nuk mund të ndahen përpara {0}, si bilanci leja ka qenë tashmë copë dërgohet në regjistrin e ardhshëm alokimit Pushimi {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Shënim: Për shkak / Data Referenca kalon lejuar ditët e kreditit të konsumatorëve nga {0} ditë (s)
@@ -4260,7 +4312,7 @@
 ,Qty to Deliver,Qty të Dorëzojë
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon do të sinkronizojë të dhënat e përditësuara pas kësaj date
 ,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operacionet nuk mund të lihet bosh
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operacionet nuk mund të lihet bosh
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Testet e laboratorit
 DocType: Maintenance Visit Purpose,Against Document Detail No,Kundër Document Detail Jo
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Largimi nuk lejohet për shtetin {0}
@@ -4268,13 +4320,12 @@
 DocType: Quality Inspection,Outgoing,Largohet
 DocType: Material Request,Requested For,Kërkuar Për
 DocType: Quotation Item,Against Doctype,Kundër DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} është anuluar apo të mbyllura
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} është anuluar apo të mbyllura
 DocType: Asset,Calculate Depreciation,Llogaritni Zhvlerësimin
 DocType: Delivery Note,Track this Delivery Note against any Project,Përcjell këtë notën shpërndarëse kundër çdo Projektit
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Paraja neto nga Investimi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klienti&gt; Grupi i Konsumatorëve&gt; Territori
 DocType: Work Order,Work-in-Progress Warehouse,Puna në progres Magazina
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} duhet të dorëzohet
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} duhet të dorëzohet
 DocType: Fee Schedule Program,Total Students,Studentët Gjithsej
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Pjesëmarrja Record {0} ekziston kundër Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referenca # {0} datë {1}
@@ -4294,7 +4345,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Nuk mund të krijohen bonuse të mbajtjes për të punësuarit e majtë
 DocType: Lead,Market Segment,Segmenti i Tregut
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Menaxheri i Bujqësisë
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Shuma e paguar nuk mund të jetë më e madhe se shuma totale negative papaguar {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Shuma e paguar nuk mund të jetë më e madhe se shuma totale negative papaguar {0}
 DocType: Supplier Scorecard Period,Variables,Variablat
 DocType: Employee Internal Work History,Employee Internal Work History,Punonjës historia e Brendshme
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Mbyllja (Dr)
@@ -4318,22 +4369,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Produkte
 DocType: Loyalty Point Entry,Loyalty Program,Programi i besnikërisë
 DocType: Student Guardian,Father,Atë
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Biletat Mbështetëse
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Update Stock&#39; nuk mund të kontrollohet për shitjen e aseteve fikse
 DocType: Bank Reconciliation,Bank Reconciliation,Banka Pajtimit
 DocType: Attendance,On Leave,Në ikje
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get Updates
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Llogaria {2} nuk i përkasin kompanisë {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Zgjidhni të paktën një vlerë nga secili prej atributeve.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Zgjidhni të paktën një vlerë nga secili prej atributeve.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materiali Kërkesë {0} është anuluar ose ndërprerë
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Vendi i Dispeçerise
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Vendi i Dispeçerise
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Lini Menaxhimi
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupet
 DocType: Purchase Invoice,Hold Invoice,Mbaj fatura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Ju lutemi zgjidhni Punonjësin
 DocType: Sales Order,Fully Delivered,Dorëzuar plotësisht
-DocType: Lead,Lower Income,Të ardhurat më të ulëta
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Të ardhurat më të ulëta
 DocType: Restaurant Order Entry,Current Order,Rendi aktual
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Numri i numrave dhe sasia serike duhet të jetë e njëjtë
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Burimi dhe depo objektiv nuk mund të jetë i njëjtë për të rresht {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Burimi dhe depo objektiv nuk mund të jetë i njëjtë për të rresht {0}
 DocType: Account,Asset Received But Not Billed,Pasuri e marrë por jo e faturuar
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Llogaria ndryshim duhet të jetë një llogari lloj Aseteve / Detyrimeve, pasi kjo Stock Pajtimi është një Hyrja Hapja"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Shuma e disbursuar nuk mund të jetë më e madhe se: Kredia {0}
@@ -4342,7 +4395,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Blerje numrin urdhër që nevojitet për artikullit {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;Nga Data &quot;duhet të jetë pas&quot; deri më sot &quot;
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Asnjë plan për stafin nuk është gjetur për këtë Përcaktim
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Grupi {0} i Item {1} është i çaktivizuar.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Grupi {0} i Item {1} është i çaktivizuar.
 DocType: Leave Policy Detail,Annual Allocation,Alokimi Vjetor
 DocType: Travel Request,Address of Organizer,Adresa e organizatorit
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Zgjidh mjekun e kujdesit shëndetësor ...
@@ -4351,12 +4404,12 @@
 DocType: Asset,Fully Depreciated,amortizuar plotësisht
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Stock Projektuar Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Customer {0} nuk i përket projektit {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Customer {0} nuk i përket projektit {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Pjesëmarrja e shënuar HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citate janë propozimet, ofertat keni dërguar për klientët tuaj"
 DocType: Sales Invoice,Customer's Purchase Order,Rendit Blerje konsumatorit
 DocType: Clinical Procedure,Patient,pacient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Kontrolli i kredisë së anashkaluar në Urdhrin e shitjes
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Kontrolli i kredisë së anashkaluar në Urdhrin e shitjes
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktiviteti i Onboarding Punonjës
 DocType: Location,Check if it is a hydroponic unit,Kontrolloni nëse është njësi hidroponike
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Pa serial dhe Batch
@@ -4366,7 +4419,7 @@
 DocType: Supplier Scorecard Period,Calculations,llogaritjet
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Vlera ose Qty
 DocType: Payment Terms Template,Payment Terms,Kushtet e pagesës
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Urdhërat Productions nuk mund të ngrihen për:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Urdhërat Productions nuk mund të ngrihen për:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minutë
 DocType: Purchase Invoice,Purchase Taxes and Charges,Blerje taksat dhe tatimet
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4374,7 +4427,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Shko tek Furnizuesit
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taksa për mbylljen e kuponit të POS
 ,Qty to Receive,Qty të marrin
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datat e fillimit dhe përfundimit nuk janë në një periudhë të vlefshme të pagave, nuk mund të llogarisin {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datat e fillimit dhe përfundimit nuk janë në një periudhë të vlefshme të pagave, nuk mund të llogarisin {0}."
 DocType: Leave Block List,Leave Block List Allowed,Dërgo Block Lista Lejohet
 DocType: Grading Scale Interval,Grading Scale Interval,Nota Scale Interval
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kërkesa Expense për Automjeteve Identifikohu {0}
@@ -4382,10 +4435,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) në listën e çmimeve të votuarat vetëm me Margjina
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Të gjitha Depot
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Jo {0} u gjet për Transaksionet e Ndërmarrjeve Ndër.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Jo {0} u gjet për Transaksionet e Ndërmarrjeve Ndër.
 DocType: Travel Itinerary,Rented Car,Makinë me qera
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Për kompaninë tuaj
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Kredi në llogarinë duhet të jetë një llogari Bilanci i Gjendjes
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Kredi në llogarinë duhet të jetë një llogari Bilanci i Gjendjes
 DocType: Donor,Donor,dhurues
 DocType: Global Defaults,Disable In Words,Disable Në fjalë
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Kodi i artikullit është i detyrueshëm për shkak Item nuk është numëruar në mënyrë automatike
@@ -4397,14 +4450,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Llogaria Overdraft Banka
 DocType: Patient,Patient ID,ID e pacientit
 DocType: Practitioner Schedule,Schedule Name,Orari Emri
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Shitjet e tubacionit nga Faza
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Bëni Kuponi pagave
 DocType: Currency Exchange,For Buying,Për blerjen
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Shto të Gjithë Furnizuesit
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Shto të Gjithë Furnizuesit
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Shuma e ndarë nuk mund të jetë më e madhe se shuma e papaguar.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Shfleto bom
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Kredi të siguruara
 DocType: Purchase Invoice,Edit Posting Date and Time,Edit Posting Data dhe Koha
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ju lutemi të vendosur Llogaritë zhvlerësimit lidhur në Kategorinë Aseteve {0} ose kompanisë {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ju lutemi të vendosur Llogaritë zhvlerësimit lidhur në Kategorinë Aseteve {0} ose kompanisë {1}
 DocType: Lab Test Groups,Normal Range,Gama normale
 DocType: Academic Term,Academic Year,Vit akademik
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Shitja në dispozicion
@@ -4433,26 +4487,26 @@
 DocType: Patient Appointment,Patient Appointment,Emërimi i pacientit
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Miratimi Rolit nuk mund të jetë i njëjtë si rolin rregulli është i zbatueshëm për
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Çabonoheni nga ky Dërgoje Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Merrni Furnizuesit Nga
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Merrni Furnizuesit Nga
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} nuk u gjet për Item {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Shkoni në Kurse
 DocType: Accounts Settings,Show Inclusive Tax In Print,Trego taksën përfshirëse në shtyp
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Llogaria bankare, nga data dhe deri në datën janë të detyrueshme"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Mesazh dërguar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Llogari me nyje të fëmijëve nuk mund të vendosen si librit
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Llogari me nyje të fëmijëve nuk mund të vendosen si librit
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Shkalla në të cilën listë Çmimi monedhës është konvertuar në bazë monedhën klientit
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Shuma neto (Kompania Valuta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Shuma totale e paradhënies nuk mund të jetë më e madhe se shuma totale e sanksionuar
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Shuma totale e paradhënies nuk mund të jetë më e madhe se shuma totale e sanksionuar
 DocType: Salary Slip,Hour Rate,Ore Rate
 DocType: Stock Settings,Item Naming By,Item Emërtimi By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Një tjetër Periudha Mbyllja Hyrja {0} është bërë pas {1}
 DocType: Work Order,Material Transferred for Manufacturing,Materiali Transferuar për Prodhim
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Llogaria {0} nuk ekziston
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Zgjidh programin e besnikërisë
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Zgjidh programin e besnikërisë
 DocType: Project,Project Type,Lloji i projektit
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Detyra e fëmijës ekziston për këtë detyrë. Nuk mund ta fshish këtë detyrë.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Ose Qty objektiv ose objektiv shuma është e detyrueshme.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Ose Qty objektiv ose objektiv shuma është e detyrueshme.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Kosto e aktiviteteve të ndryshme
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Vendosja Ngjarje për {0}, pasi që punonjësit e bashkangjitur më poshtë Personave Sales nuk ka një ID User {1}"
 DocType: Timesheet,Billing Details,detajet e faturimit
@@ -4510,13 +4564,13 @@
 DocType: Inpatient Record,A Negative,Një Negativ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Asgjë më shumë për të treguar.
 DocType: Lead,From Customer,Nga Klientit
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Telefonatat
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Telefonatat
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Një produkt
 DocType: Employee Tax Exemption Declaration,Declarations,Deklaratat
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,tufa
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Bëni Orarin e Tarifave
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Blerje Rendit {0} nuk është dorëzuar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Blerje Rendit {0} nuk është dorëzuar
 DocType: Account,Expenses Included In Asset Valuation,Shpenzimet e përfshira në vlerësimin e aseteve
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Sasia normale e referencës për një të rritur është 16-20 fryma / minutë (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Numri Tarifa
@@ -4529,6 +4583,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Ju lutemi ruani pacientin së pari
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Pjesëmarrja është shënuar sukses.
 DocType: Program Enrollment,Public Transport,Transporti publik
+DocType: Delivery Note,GST Vehicle Type,Lloji i automjetit GST
 DocType: Soil Texture,Silt Composition (%),Përbërja (%)
 DocType: Journal Entry,Remark,Vërejtje
 DocType: Healthcare Settings,Avoid Confirmation,Shmangni konfirmimin
@@ -4538,11 +4593,10 @@
 DocType: Education Settings,Current Academic Term,Term aktual akademik
 DocType: Education Settings,Current Academic Term,Term aktual akademik
 DocType: Sales Order,Not Billed,Jo faturuar
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Të dyja Magazina duhet t&#39;i përkasë njëjtës kompani
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Të dyja Magazina duhet t&#39;i përkasë njëjtës kompani
 DocType: Employee Grade,Default Leave Policy,Politika e lënies së parazgjedhur
 DocType: Shopify Settings,Shop URL,URL e dyqanit
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nuk ka kontakte të shtuar ende.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ju lutem vendosni numrat e numrave për Pjesëmarrjen përmes Setup&gt; Seritë e Numërimit
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kosto zbarkoi Voucher Shuma
 ,Item Balance (Simple),Bilanci i artikullit (I thjeshtë)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faturat e ngritura nga furnizuesit.
@@ -4567,7 +4621,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Citat Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Një artikull ekziston me të njëjtin emër ({0}), ju lutemi të ndryshojë emrin e grupit pika ose riemërtoj pika"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriteret e Analizës së Tokës
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Ju lutemi zgjidhni klientit
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Ju lutemi zgjidhni klientit
 DocType: C-Form,I,unë
 DocType: Company,Asset Depreciation Cost Center,Asset Center Zhvlerësimi Kostoja
 DocType: Production Plan Sales Order,Sales Order Date,Sales Order Data
@@ -4580,8 +4634,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Aktualisht nuk ka të aksioneve në dispozicion në ndonjë depo
 ,Payment Period Based On Invoice Date,Periudha e pagesës bazuar në datën Faturë
 DocType: Sample Collection,No. of print,Numri i printimit
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Ditëlindje kujtesë
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervimi i dhomës së hotelit
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Missing Currency Exchange Rates për {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Missing Currency Exchange Rates për {0}
 DocType: Employee Health Insurance,Health Insurance Name,Emri i Sigurimit Shëndetësor
 DocType: Assessment Plan,Examiner,pedagog
 DocType: Student,Siblings,Vëllezërit e motrat
@@ -4598,19 +4653,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Klientët e Rinj
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruto% Fitimi
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Emërimi {0} dhe Shitja e Faturave {1} u anuluan
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Mundësitë nga burimi i plumbit
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Ndrysho Profilin e POS
 DocType: Bank Reconciliation Detail,Clearance Date,Pastrimi Data
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aseti tashmë ekziston kundër sendit {0}, ju nuk mund të ndryshoni ka vlerë serial asnjë"
+DocType: Delivery Settings,Dispatch Notification Template,Modeli i Njoftimit Dispeçer
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Aseti tashmë ekziston kundër sendit {0}, ju nuk mund të ndryshoni ka vlerë serial asnjë"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Raporti i Vlerësimit
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Merrni Punonjësit
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Gross Shuma Blerje është i detyrueshëm
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Emri i kompanisë nuk është i njëjtë
 DocType: Lead,Address Desc,Adresuar Përshkrimi
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Partia është e detyrueshme
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Rreshtat me datat e dyfishta të gjetjeve në rreshta të tjerë u gjetën: {list}
 DocType: Topic,Topic Name,Topic Emri
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Vendosni modelin e parazgjedhur për Njoftimin e Miratimit të Lëshimit në Cilësimet e HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Vendosni modelin e parazgjedhur për Njoftimin e Miratimit të Lëshimit në Cilësimet e HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Atleast një nga shitjen apo blerjen duhet të zgjidhen
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Përzgjidhni një punonjës që të merrni punonjësin përpara.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Zgjidh një datë të vlefshme
@@ -4644,6 +4700,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Customer ose Furnizuesi Detajet
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Vlera aktuale e aseteve
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID Company Quickbooks
 DocType: Travel Request,Travel Funding,Financimi i udhëtimeve
 DocType: Loan Application,Required by Date,Kërkohet nga Data
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Një lidhje me të gjitha vendndodhjet në të cilat Pri rritet
@@ -4657,9 +4714,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Në dispozicion Qty Batch në nga depo
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Zbritja Total - shlyerjen e kredisë
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM aktuale dhe të reja bom nuk mund të jetë e njëjtë
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM aktuale dhe të reja bom nuk mund të jetë e njëjtë
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Paga Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Data e daljes në pension duhet të jetë më i madh se data e bashkimit
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Data e daljes në pension duhet të jetë më i madh se data e bashkimit
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Variante të shumëfishta
 DocType: Sales Invoice,Against Income Account,Kundër llogarisë së të ardhurave
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Dorëzuar
@@ -4688,7 +4745,7 @@
 DocType: POS Profile,Update Stock,Update Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ndryshme për sendet do të çojë në të gabuar (Total) vlerën neto Pesha. Sigurohuni që pesha neto e çdo send është në të njëjtën UOM.
 DocType: Certification Application,Payment Details,Detajet e pagesës
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Bom Rate
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Bom Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Ndalohet Rendi i Punës nuk mund të anulohet, të anullohet së pari të anulohet"
 DocType: Asset,Journal Entry for Scrap,Journal Hyrja për skrap
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Ju lutemi të tërheqë sendet nga i dorëzimit Shënim
@@ -4711,11 +4768,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Shuma totale e sanksionuar
 ,Purchase Analytics,Analytics Blerje
 DocType: Sales Invoice Item,Delivery Note Item,Ofrimit Shënim Item
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Fatura aktuale {0} mungon
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Fatura aktuale {0} mungon
 DocType: Asset Maintenance Log,Task,Detyrë
 DocType: Purchase Taxes and Charges,Reference Row #,Referenca Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Numri i Batch është i detyrueshëm për Item {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Ky është një person i shitjes rrënjë dhe nuk mund të redaktohen.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Ky është një person i shitjes rrënjë dhe nuk mund të redaktohen.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nëse zgjedhur, vlera të specifikuara ose të llogaritur në këtë komponent nuk do të kontribuojë në të ardhurat ose zbritjeve. Megjithatë, kjo është vlera mund të referohet nga komponentët e tjerë që mund të shtohen ose zbriten."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nëse zgjedhur, vlera të specifikuara ose të llogaritur në këtë komponent nuk do të kontribuojë në të ardhurat ose zbritjeve. Megjithatë, kjo është vlera mund të referohet nga komponentët e tjerë që mund të shtohen ose zbriten."
 DocType: Asset Settings,Number of Days in Fiscal Year,Numri i ditëve në vit fiskal
@@ -4724,7 +4781,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain / Humbja e llogarisë
 DocType: Amazon MWS Settings,MWS Credentials,Kredencialet e MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Punonjës dhe Pjesëmarrja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Qëllimi duhet të jetë një nga {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Qëllimi duhet të jetë një nga {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Plotësoni formularin dhe për të shpëtuar atë
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forumi Komuniteti
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Qty aktuale në magazinë
@@ -4740,7 +4797,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard Shitja Vlerësoni
 DocType: Account,Rate at which this tax is applied,Shkalla në të cilën kjo taksë aplikohet
 DocType: Cash Flow Mapper,Section Name,Emri i seksionit
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Reorder Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Reorder Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Rënia e amortizimit {0}: Vlera e pritshme pas jetës së dobishme duhet të jetë më e madhe ose e barabartë me {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Hapje e tanishme e punës
 DocType: Company,Stock Adjustment Account,Llogaria aksioneve Rregullimit
@@ -4750,8 +4807,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Përdoruesi i Sistemit (login) ID. Nëse vendosur, ajo do të bëhet e parazgjedhur për të gjitha format e burimeve njerëzore."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Futni detajet e zhvlerësimit
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Nga {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Lini aplikimin {0} tashmë ekziston kundër nxënësit {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Në pritje për përditësimin e çmimit të fundit në të gjitha dokumentet e materialeve. Mund të duhen disa minuta.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Në pritje për përditësimin e çmimit të fundit në të gjitha dokumentet e materialeve. Mund të duhen disa minuta.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Emri i llogarisë së re. Shënim: Ju lutem mos krijoni llogari për klientët dhe furnizuesit
 DocType: POS Profile,Display Items In Stock,Shfaq artikujt në magazinë
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Shteti parazgjedhur i mençur Adresa Templates
@@ -4781,16 +4839,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Vendet për {0} nuk janë shtuar në orar
 DocType: Product Bundle,List items that form the package.,Artikuj lista që formojnë paketë.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Nuk lejohet. Ju lutemi disable Template Test
+DocType: Delivery Note,Distance (in km),Distanca (në km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Alokimi përqindje duhet të jetë e barabartë me 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Ju lutem, përzgjidhni datën e postimit para se të zgjedhur Partinë"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Ju lutem, përzgjidhni datën e postimit para se të zgjedhur Partinë"
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Nga AMC
+DocType: Opportunity,Opportunity Amount,Shuma e Mundësive
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numri i nënçmime rezervuar nuk mund të jetë më e madhe se Total Numri i nënçmime
 DocType: Purchase Order,Order Confirmation Date,Data e konfirmimit të rendit
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Bëni Mirëmbajtja vizitë
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Data e fillimit dhe e mbarimit mbivendosen me kartën e punës <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Detajet e transferimit të punonjësve
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Ju lutem kontaktoni për përdoruesit të cilët kanë Sales Master Menaxher {0} rol
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Ju lutem kontaktoni për përdoruesit të cilët kanë Sales Master Menaxher {0} rol
 DocType: Company,Default Cash Account,Gabim Llogaria Cash
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Kompani (jo Customer ose Furnizuesi) mjeshtër.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Kjo është e bazuar në pjesëmarrjen e këtij Student
@@ -4798,9 +4859,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Shto artikuj më shumë apo formë të hapur të plotë
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Shënime ofrimit {0} duhet të anulohet para se anulimi këtë Radhit Sales
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Shko te Përdoruesit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Shuma e paguar + anullojë Shuma nuk mund të jetë më i madh se Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Shuma e paguar + anullojë Shuma nuk mund të jetë më i madh se Grand Total
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nuk është një numër i vlefshëm Batch për Item {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Shënim: Nuk ka bilanc mjaft leje për pushim Lloji {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Shënim: Nuk ka bilanc mjaft leje për pushim Lloji {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN pavlefshme ose Shkruani NA për paregjistruar
 DocType: Training Event,Seminar,seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Tarifa Regjistrimi
@@ -4817,7 +4878,7 @@
 DocType: Fee Schedule,Fee Schedule,Orari Tarifa
 DocType: Company,Create Chart Of Accounts Based On,Krijoni planin kontabël në bazë të
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Nuk mund të konvertohet në jo-grup. Detyrat e fëmijëve ekzistojnë.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Data e lindjes nuk mund të jetë më e madhe se sa sot.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Data e lindjes nuk mund të jetë më e madhe se sa sot.
 ,Stock Ageing,Stock plakjen
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Sponsorizuar pjesërisht, kërkojë financim të pjesshëm"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} ekzistojnë kundër aplikantit studentore {1}
@@ -4864,11 +4925,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Para se të pajtimit
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Për {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Taksat dhe Tarifat Shtuar (Kompania Valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Tatimore pika {0} duhet të keni një llogari te tipit Tatimit ose e ardhur ose shpenzim ose ngarkimit
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Tatimore pika {0} duhet të keni një llogari te tipit Tatimit ose e ardhur ose shpenzim ose ngarkimit
 DocType: Sales Order,Partly Billed,Faturuar Pjesërisht
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Item {0} duhet të jetë një artikull Fixed Asset
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Bëni variantet
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Bëni variantet
 DocType: Item,Default BOM,Gabim bom
 DocType: Project,Total Billed Amount (via Sales Invoices),Shuma Totale e Faturuar (përmes Faturat e Shitjes)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debit Shënim Shuma
@@ -4897,13 +4958,13 @@
 DocType: Notification Control,Custom Message,Custom Mesazh
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investimeve Bankare
 DocType: Purchase Invoice,input,të dhëna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Cash ose Banka Llogaria është e detyrueshme për të bërë hyrjen e pagesës
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Cash ose Banka Llogaria është e detyrueshme për të bërë hyrjen e pagesës
 DocType: Loyalty Program,Multiple Tier Program,Programi Multiple Tier
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa Student
 DocType: Purchase Invoice,Price List Exchange Rate,Lista e Çmimeve Exchange Rate
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Të gjitha grupet e furnizuesve
 DocType: Employee Boarding Activity,Required for Employee Creation,Kërkohet për Krijimin e Punonjësve
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Numri i llogarisë {0} që përdoret tashmë në llogarinë {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Numri i llogarisë {0} që përdoret tashmë në llogarinë {1}
 DocType: GoCardless Mandate,Mandate,mandat
 DocType: POS Profile,POS Profile Name,Emri i Profilit POS
 DocType: Hotel Room Reservation,Booked,i rezervuar
@@ -4919,18 +4980,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Referenca Nuk është e detyrueshme, nëse keni hyrë Reference Data"
 DocType: Bank Reconciliation Detail,Payment Document,Dokumenti pagesa
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Gabim gjatë vlerësimit të formulës së kritereve
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Data e bashkuar duhet të jetë më i madh se Data e lindjes
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Data e bashkuar duhet të jetë më i madh se Data e lindjes
 DocType: Subscription,Plans,planet
 DocType: Salary Slip,Salary Structure,Struktura e pagave
 DocType: Account,Bank,Banka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Linjë ajrore
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Materiali çështje
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Materiali çështje
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Lidhu Shopify me ERPNext
 DocType: Material Request Item,For Warehouse,Për Magazina
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Shënimet e Dorëzimit {0} janë përditësuar
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Shënimet e Dorëzimit {0} janë përditësuar
 DocType: Employee,Offer Date,Oferta Data
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citate
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Ju jeni në offline mode. Ju nuk do të jetë në gjendje për të rifreskoni deri sa të ketë rrjet.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Citate
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Ju jeni në offline mode. Ju nuk do të jetë në gjendje për të rifreskoni deri sa të ketë rrjet.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Nuk Grupet Student krijuar.
 DocType: Purchase Invoice Item,Serial No,Serial Asnjë
@@ -4942,24 +5003,26 @@
 DocType: Sales Invoice,Customer PO Details,Detajet e Klientit
 DocType: Stock Entry,Including items for sub assemblies,Duke përfshirë edhe artikuj për nën kuvendet
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Llogaria e hapjes së përkohshme
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Shkruani Vlera duhet të jetë pozitiv
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Shkruani Vlera duhet të jetë pozitiv
 DocType: Asset,Finance Books,Librat e Financave
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Kategoria e Deklarimit të Përjashtimit të Taksave të Punonjësve
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Të gjitha Territoret
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Ju lutemi vendosni leje për punonjësin {0} në të dhënat e punonjësit / klasës
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Urdhëri i pavlefshëm i baterisë për klientin dhe artikullin e zgjedhur
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Urdhëri i pavlefshëm i baterisë për klientin dhe artikullin e zgjedhur
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Shto detyra të shumëfishta
 DocType: Purchase Invoice,Items,Artikuj
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Data e mbarimit nuk mund të jetë para datës së fillimit.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Studenti është regjistruar tashmë.
 DocType: Fiscal Year,Year Name,Viti Emri
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Ka më shumë pushimet sesa ditëve pune këtë muaj.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Ka më shumë pushimet sesa ditëve pune këtë muaj.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Artikujt vijues {0} nuk janë të shënuar si {1} artikull. Ju mund t&#39;i aktivizoni ato si {1} pika nga mjeshtri i artikullit
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Produkt Bundle Item
 DocType: Sales Partner,Sales Partner Name,Emri Sales Partner
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Kërkesën për kuotimin
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Kërkesën për kuotimin
 DocType: Payment Reconciliation,Maximum Invoice Amount,Shuma maksimale Faturë
 DocType: Normal Test Items,Normal Test Items,Artikujt e Testimit Normal
+DocType: QuickBooks Migrator,Company Settings,Cilësimet e kompanisë
 DocType: Additional Salary,Overwrite Salary Structure Amount,Mbishkruaj shumën e strukturës së pagës
 DocType: Student Language,Student Language,Student Gjuha
 apps/erpnext/erpnext/config/selling.py +23,Customers,Klientët
@@ -4971,21 +5034,23 @@
 DocType: Issue,Opening Time,Koha e hapjes
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Nga dhe në datat e kërkuara
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Letrave me Vlerë dhe Shkëmbimeve të Mallrave
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default njësinë e matjes për Varianti &#39;{0}&#39; duhet të jetë i njëjtë si në Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default njësinë e matjes për Varianti &#39;{0}&#39; duhet të jetë i njëjtë si në Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Llogaritur bazuar në
 DocType: Contract,Unfulfilled,i paplotësuar
 DocType: Delivery Note Item,From Warehouse,Nga Magazina
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Asnjë punonjës për kriteret e përmendura
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Nuk Items me faturën e materialeve të Prodhimi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Nuk Items me faturën e materialeve të Prodhimi
 DocType: Shopify Settings,Default Customer,Customer Default
+DocType: Sales Stage,Stage Name,Emri i fazës
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Emri Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Mos konfirmoni nëse emërimi është krijuar për të njëjtën ditë
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Anije në shtet
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Anije në shtet
 DocType: Program Enrollment Course,Program Enrollment Course,Program Regjistrimi Kursi
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Përdoruesi {0} është caktuar tashmë tek Praktikuesi i Kujdesit Shëndetësor {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Bëni regjistrimin e stoqeve të mostrës
 DocType: Purchase Taxes and Charges,Valuation and Total,Vlerësimi dhe Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Negocimi / Rishikimi
 DocType: Leave Encashment,Encashment Amount,Shuma e Encashment
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Grumbullimet e skaduara
@@ -4995,7 +5060,7 @@
 DocType: Staffing Plan Detail,Current Openings,Hapjet aktuale
 DocType: Notification Control,Customize the Notification,Customize Njoftimin
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Cash Flow nga operacionet
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Shuma e CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Shuma e CGST
 DocType: Purchase Invoice,Shipping Rule,Rregulla anijeve
 DocType: Patient Relation,Spouse,bashkëshort
 DocType: Lab Test Groups,Add Test,Shto Test
@@ -5009,14 +5074,14 @@
 DocType: Payroll Entry,Payroll Frequency,Payroll Frekuenca
 DocType: Lab Test Template,Sensitivity,ndjeshmëri
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Sinkronizimi është çaktivizuar përkohësisht sepse përsëritje maksimale janë tejkaluar
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Raw Material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Raw Material
 DocType: Leave Application,Follow via Email,Ndiqni nëpërmjet Email
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Bimët dhe makineri
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Shuma e taksave Pas Shuma ulje
 DocType: Patient,Inpatient Status,Statusi i spitalit
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daily Settings Përmbledhje Work
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Lista e Çmimeve të Zgjedhura duhet të ketë fushat e blerjes dhe shitjes së kontrolluar.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Ju lutemi shkruani Reqd by Date
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Lista e Çmimeve të Zgjedhura duhet të ketë fushat e blerjes dhe shitjes së kontrolluar.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Ju lutemi shkruani Reqd by Date
 DocType: Payment Entry,Internal Transfer,Transfer të brendshme
 DocType: Asset Maintenance,Maintenance Tasks,Detyrat e Mirmbajtjes
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ose Qty objektiv ose shuma e synuar është e detyrueshme
@@ -5037,7 +5102,7 @@
 DocType: Mode of Payment,General,I përgjithshëm
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikimi i fundit
 ,TDS Payable Monthly,TDS paguhet çdo muaj
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Në pritje për zëvendësimin e BOM. Mund të duhen disa minuta.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Në pritje për zëvendësimin e BOM. Mund të duhen disa minuta.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nuk mund të zbres kur kategori është për &#39;vlerësimit&#39; ose &#39;Vlerësimit dhe Total &quot;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos kërkuar për Item serialized {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Pagesat ndeshje me faturat
@@ -5050,7 +5115,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Futeni në kosh
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Grupi Nga
 DocType: Guardian,Interests,interesat
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Enable / disable monedhave.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Enable / disable monedhave.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Nuk mund të dërgonte disa rreshta pagash
 DocType: Exchange Rate Revaluation,Get Entries,Merr hyrjet
 DocType: Production Plan,Get Material Request,Get materiale Kërkesë
@@ -5072,15 +5137,16 @@
 DocType: Lead,Lead Type,Lead Type
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Ju nuk jeni i autorizuar të miratojë lë në datat Block
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Të gjitha këto objekte janë tashmë faturohen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Vendos datën e ri të lëshimit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Vendos datën e ri të lëshimit
 DocType: Company,Monthly Sales Target,Synimi i shitjeve mujore
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Mund të miratohet nga {0}
 DocType: Hotel Room,Hotel Room Type,Lloji i dhomës së hotelit
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Furnizuesi&gt; Lloji i Furnizuesit
 DocType: Leave Allocation,Leave Period,Lini periudhën
 DocType: Item,Default Material Request Type,Default Kërkesa Tipe Materiali
 DocType: Supplier Scorecard,Evaluation Period,Periudha e vlerësimit
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,I panjohur
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Rendi i punës nuk është krijuar
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Rendi i punës nuk është krijuar
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Një shumë prej {0} që tashmë kërkohet për komponentin {1}, \ vendosni shumën e barabartë ose më të madhe se {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Shipping Rregulla Kushte
@@ -5113,15 +5179,15 @@
 DocType: Batch,Source Document Name,Dokumenti Burimi Emri
 DocType: Production Plan,Get Raw Materials For Production,Merrni lëndë të para për prodhim
 DocType: Job Opening,Job Title,Titulli Job
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} tregon se {1} nuk do të japë një kuotim, por të gjitha artikujt \ janë cituar. Përditësimi i statusit të kuotës RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Mostrat maksimale - {0} tashmë janë ruajtur për Serinë {1} dhe Pikën {2} në Serinë {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Mostrat maksimale - {0} tashmë janë ruajtur për Serinë {1} dhe Pikën {2} në Serinë {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Përditëso Kostoja e BOM-it automatikisht
 DocType: Lab Test,Test Name,Emri i testit
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Njësia e konsumueshme e procedurës klinike
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Krijo Përdoruesit
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Abonimet
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Abonimet
 DocType: Supplier Scorecard,Per Month,Në muaj
 DocType: Education Settings,Make Academic Term Mandatory,Bëni Termin Akademik të Detyrueshëm
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Sasi të Prodhimi duhet të jetë më e madhe se 0.
@@ -5130,9 +5196,9 @@
 DocType: Stock Entry,Update Rate and Availability,Update Vlerësoni dhe Disponueshmëria
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Përqindja ju keni të drejtë për të marrë ose të japë më shumë kundër sasi të urdhëruar. Për shembull: Nëse ju keni urdhëruar 100 njësi. dhe Allowance juaj është 10%, atëherë ju keni të drejtë për të marrë 110 njësi."
 DocType: Loyalty Program,Customer Group,Grupi Klientit
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rreshti # {0}: Operacioni {1} nuk është i kompletuar për {2} qty të mallrave të gatshme në Urdhrin e Punës # {3}. Ju lutemi përditësoni statusin e funksionimit përmes Regjistrimit të Kohës
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rreshti # {0}: Operacioni {1} nuk është i kompletuar për {2} qty të mallrave të gatshme në Urdhrin e Punës # {3}. Ju lutemi përditësoni statusin e funksionimit përmes Regjistrimit të Kohës
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),New ID Batch (Fakultativ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Llogari shpenzim është i detyrueshëm për pikën {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Llogari shpenzim është i detyrueshëm për pikën {0}
 DocType: BOM,Website Description,Website Përshkrim
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Ndryshimi neto në ekuitetit
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Ju lutemi anuloni Blerje Faturën {0} parë
@@ -5147,7 +5213,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Nuk ka asgjë për të redaktuar.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Shiko formularin
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Provuesi i shpenzimeve është i detyrueshëm në kërkesë për shpenzime
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Përmbledhje për këtë muaj dhe aktivitetet në pritje
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Përmbledhje për këtë muaj dhe aktivitetet në pritje
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ju lutemi përcaktoni Llogarinë e Realizuar të Fitimit / Shpërdorimit në Shoqëri {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Shtojini përdoruesit në organizatën tuaj, përveç vetes."
 DocType: Customer Group,Customer Group Name,Emri Grupi Klientit
@@ -5157,14 +5223,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Asnjë kërkesë materiale nuk është krijuar
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Sasia huaja nuk mund të kalojë sasi maksimale huazimin e {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Liçensë
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Ju lutem hiqni këtë Faturë {0} nga C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Ju lutem hiqni këtë Faturë {0} nga C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Ju lutem, përzgjidhni Mbaj përpara në qoftë se ju të dëshironi që të përfshijë bilancit vitit të kaluar fiskal lë të këtij viti fiskal"
 DocType: GL Entry,Against Voucher Type,Kundër Voucher Type
 DocType: Healthcare Practitioner,Phone (R),Telefoni (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Hapat e kohës shtohen
 DocType: Item,Attributes,Atributet
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Aktivizo modelin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Ju lutem, jepini të anullojë Llogari"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Ju lutem, jepini të anullojë Llogari"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Rendit fundit Date
 DocType: Salary Component,Is Payable,Është i pagueshëm
 DocType: Inpatient Record,B Negative,B Negative
@@ -5175,7 +5241,7 @@
 DocType: Hotel Room,Hotel Room,Dhome hoteli
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Llogaria {0} nuk i takon kompanisë {1}
 DocType: Leave Type,Rounding,Llogaritja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Numrat serial në rresht {0} nuk përputhet me shpërndarjen Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Numrat serial në rresht {0} nuk përputhet me shpërndarjen Note
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Shuma e dhënë (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Pastaj Rregullat e Çmimeve filtrohen në bazë të Konsumatorit, Grupit të Konsumatorëve, Territorit, Furnizuesit, Grupit të Furnizuesit, Fushatës, Partnerit të Shitjes etj."
 DocType: Student,Guardian Details,Guardian Details
@@ -5184,10 +5250,10 @@
 DocType: Vehicle,Chassis No,Shasia No
 DocType: Payment Request,Initiated,Iniciuar
 DocType: Production Plan Item,Planned Start Date,Planifikuar Data e Fillimit
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Ju lutem zgjidhni një BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Ju lutem zgjidhni një BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Availed ITC Integrated Tax
 DocType: Purchase Order Item,Blanket Order Rate,Shkalla e Renditjes së Blankeve
-apps/erpnext/erpnext/hooks.py +156,Certification,vërtetim
+apps/erpnext/erpnext/hooks.py +157,Certification,vërtetim
 DocType: Bank Guarantee,Clauses and Conditions,Klauzola dhe Kushtet
 DocType: Serial No,Creation Document Type,Krijimi Dokumenti Type
 DocType: Project Task,View Timesheet,Shiko pamjen time
@@ -5212,6 +5278,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Prind Item {0} nuk duhet të jetë një Stock Item
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Listing Website
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Të gjitha prodhimet ose shërbimet.
+DocType: Email Digest,Open Quotations,Citimet e Hapura
 DocType: Expense Claim,More Details,Më shumë detaje
 DocType: Supplier Quotation,Supplier Address,Furnizuesi Adresa
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Buxheti për Llogarinë {1} kundër {2} {3} është {4}. Ajo do të kalojë nga {5}
@@ -5226,12 +5293,11 @@
 DocType: Training Event,Exam,Provimi
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Gabim në treg
 DocType: Complaint,Complaint,ankim
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Magazina e nevojshme për aksioneve Item {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Magazina e nevojshme për aksioneve Item {0}
 DocType: Leave Allocation,Unused leaves,Gjethet e papërdorura
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Bëni hyrjen e ripagimit
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Të gjitha Departamentet
 DocType: Healthcare Service Unit,Vacant,vakant
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Furnizuesi&gt; Lloji i Furnizuesit
 DocType: Patient,Alcohol Past Use,Përdorimi i mëparshëm i alkoolit
 DocType: Fertilizer Content,Fertilizer Content,Përmbajtja e plehut
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5239,7 +5305,7 @@
 DocType: Tax Rule,Billing State,Shteti Faturimi
 DocType: Share Transfer,Transfer,Transferim
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Urdhri i Punës {0} duhet të anulohet para se të anulohet ky Urdhër Shitje
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch bom shpërtheu (përfshirë nën-kuvendet)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch bom shpërtheu (përfshirë nën-kuvendet)
 DocType: Authorization Rule,Applicable To (Employee),Për të zbatueshme (punonjës)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Për shkak Data është e detyrueshme
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Rritja për Atributit {0} nuk mund të jetë 0
@@ -5255,7 +5321,7 @@
 DocType: Disease,Treatment Period,Periudha e Trajtimit
 DocType: Travel Itinerary,Travel Itinerary,Itinerari i Udhëtimit
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Rezultati është paraqitur
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Magazina e rezervuar është e detyrueshme për artikullin {0} në lëndët e para të furnizuara
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Magazina e rezervuar është e detyrueshme për artikullin {0} në lëndët e para të furnizuara
 ,Inactive Customers,Konsumatorët jo aktive
 DocType: Student Admission Program,Maximum Age,Mosha maksimale
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Ju lutemi prisni 3 ditë para se të dërgoni përkujtuesin.
@@ -5264,7 +5330,6 @@
 DocType: Stock Entry,Delivery Note No,Ofrimit Shënim Asnjë
 DocType: Cheque Print Template,Message to show,Mesazhi për të treguar
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Me pakicë
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Menaxho automatikisht faturën e takimeve
 DocType: Student Attendance,Absent,Që mungon
 DocType: Staffing Plan,Staffing Plan Detail,Detajimi i planit të stafit
 DocType: Employee Promotion,Promotion Date,Data e Promovimit
@@ -5286,7 +5351,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,bëni Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Print dhe Stationery
 DocType: Stock Settings,Show Barcode Field,Trego Barcode Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Dërgo email furnizuesi
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Dërgo email furnizuesi
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Paga përpunuar tashmë për periudhën ndërmjet {0} dhe {1}, Lini periudha e aplikimit nuk mund të jetë në mes të këtyre datave."
 DocType: Fiscal Year,Auto Created,Krijuar automatikisht
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Dërgo këtë për të krijuar rekordin e Punonjësit
@@ -5295,7 +5360,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faturë {0} nuk ekziston më
 DocType: Guardian Interest,Guardian Interest,Guardian Interesi
 DocType: Volunteer,Availability,disponueshmëri
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Vendosni vlerat e parazgjedhur për faturat POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Vendosni vlerat e parazgjedhur për faturat POS
 apps/erpnext/erpnext/config/hr.py +248,Training,stërvitje
 DocType: Project,Time to send,Koha për të dërguar
 DocType: Timesheet,Employee Detail,Detail punonjës
@@ -5318,7 +5383,7 @@
 DocType: Training Event Employee,Optional,fakultativ
 DocType: Salary Slip,Earning & Deduction,Fituar dhe Zbritje
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza e ujit
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variantet e krijuara.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variantet e krijuara.
 DocType: Amazon MWS Settings,Region,Rajon
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Fakultative. Ky rregullim do të përdoret për të filtruar në transaksionet e ndryshme.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negativ Rate Vlerësimi nuk është e lejuar
@@ -5337,7 +5402,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kostoja e asetit braktiset
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Qendra Kosto është e detyrueshme për Item {2}
 DocType: Vehicle,Policy No,Politika No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Të marrë sendet nga Bundle produktit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Të marrë sendet nga Bundle produktit
 DocType: Asset,Straight Line,Vijë e drejtë
 DocType: Project User,Project User,User Project
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,ndarje
@@ -5345,7 +5410,7 @@
 DocType: GL Entry,Is Advance,Është Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Cikli jetësor i të punësuarve
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Pjesëmarrja Nga Data dhe Pjesëmarrja deri më sot është e detyrueshme
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Ju lutemi shkruani &#39;është nënkontraktuar&#39; si Po apo Jo
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Ju lutemi shkruani &#39;është nënkontraktuar&#39; si Po apo Jo
 DocType: Item,Default Purchase Unit of Measure,Njësia e Blerjes së Parazgjedhur të Masës
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data e fundit Komunikimi
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data e fundit Komunikimi
@@ -5355,7 +5420,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Qasja e shenjës ose Shopify URL mungon
 DocType: Location,Latitude,gjerësi
 DocType: Work Order,Scrap Warehouse,Scrap Magazina
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Magazina e kërkuar në Rreshtin Nr {0}, ju lutemi vendosni magazinën e parazgjedhur për artikullin {1} për kompaninë {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Magazina e kërkuar në Rreshtin Nr {0}, ju lutemi vendosni magazinën e parazgjedhur për artikullin {1} për kompaninë {2}"
 DocType: Work Order,Check if material transfer entry is not required,Kontrolloni nëse hyrja transferimi material nuk është e nevojshme
 DocType: Program Enrollment Tool,Get Students From,Get Studentët nga
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Publikojnë artikuj në faqen
@@ -5370,6 +5435,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,New Batch Qty
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Veshmbathje &amp; Aksesorë
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Nuk mund të zgjidhej funksioni i rezultateve të peshuara. Sigurohuni që formula është e vlefshme.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Artikujt e Rendit Blerje nuk janë marrë në kohë
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Numri i Rendit
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner që do të tregojnë në krye të listës së produktit.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Specifikoni kushtet për të llogaritur shumën e anijeve
@@ -5378,9 +5444,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Rrugë
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Nuk mund të konvertohet Qendra Kosto të librit si ajo ka nyje fëmijë
 DocType: Production Plan,Total Planned Qty,Totali i planifikuar
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Vlera e hapjes
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Vlera e hapjes
 DocType: Salary Component,Formula,formulë
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Modeli i testimit të laboratorit
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Llogaria e Shitjes
 DocType: Purchase Invoice Item,Total Weight,Pesha Totale
@@ -5398,7 +5464,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Bëni materiale Kërkesë
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Hapur Artikull {0}
 DocType: Asset Finance Book,Written Down Value,Vlera e shkruar poshtë
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ju lutem vendosni Sistemin e Emërimit të Punonjësve në Burimet Njerëzore&gt; Cilësimet e HR
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Shitjet Faturë {0} duhet të anulohet para anulimit këtë Radhit Sales
 DocType: Clinical Procedure,Age,Moshë
 DocType: Sales Invoice Timesheet,Billing Amount,Shuma Faturimi
@@ -5407,11 +5472,11 @@
 DocType: Company,Default Employee Advance Account,Llogaria paraprake e punonjësve
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Kërko artikull (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Llogaria me transaksion ekzistues nuk mund të fshihet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Llogaria me transaksion ekzistues nuk mund të fshihet
 DocType: Vehicle,Last Carbon Check,Last Kontrolloni Carbon
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Shpenzimet ligjore
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Ju lutemi zgjidhni sasinë në rresht
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Bëni hapjen e shitjeve dhe blerjeve të faturave
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Bëni hapjen e shitjeve dhe blerjeve të faturave
 DocType: Purchase Invoice,Posting Time,Posting Koha
 DocType: Timesheet,% Amount Billed,% Shuma faturuar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Shpenzimet telefonike
@@ -5426,14 +5491,14 @@
 DocType: Maintenance Visit,Breakdown,Avari
 DocType: Travel Itinerary,Vegetarian,Vegjetarian
 DocType: Patient Encounter,Encounter Date,Data e takimit
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Llogaria: {0} me monedhën: {1} nuk mund të zgjidhen
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Llogaria: {0} me monedhën: {1} nuk mund të zgjidhen
 DocType: Bank Statement Transaction Settings Item,Bank Data,Të dhënat bankare
 DocType: Purchase Receipt Item,Sample Quantity,Sasia e mostrës
 DocType: Bank Guarantee,Name of Beneficiary,Emri i Përfituesit
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Përditësimi i çmimit BOM automatikisht nëpërmjet Planifikuesit, bazuar në normën e fundit të vlerësimit / normën e çmimeve / normën e fundit të blerjes së lëndëve të para."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Çek Data
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Llogaria {0}: llogari Parent {1} nuk i përkasin kompanisë: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Llogaria {0}: llogari Parent {1} nuk i përkasin kompanisë: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Sukses të fshihen të gjitha transaksionet që lidhen me këtë kompani!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Si në Data
 DocType: Additional Salary,HR,HR
@@ -5441,7 +5506,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Nga paralajmërimet e pacientit me SMS
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Provë
 DocType: Program Enrollment Tool,New Academic Year,New Year akademik
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Kthimi / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Kthimi / Credit Note
 DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert Shkalla Lista e Çmimeve nëse mungon
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Gjithsej shuma e paguar
 DocType: GST Settings,B2C Limit,Kufizimi B2C
@@ -5459,10 +5524,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nyjet e fëmijëve mund të krijohen vetëm me nyje të tipit &#39;Grupit&#39;
 DocType: Attendance Request,Half Day Date,Half Day Date
 DocType: Academic Year,Academic Year Name,Emri akademik Year
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} nuk lejohet të blej me {1}. Ju lutemi ndryshoni Kompaninë.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} nuk lejohet të blej me {1}. Ju lutemi ndryshoni Kompaninë.
 DocType: Sales Partner,Contact Desc,Kontakt Përshkrimi
 DocType: Email Digest,Send regular summary reports via Email.,Dërgo raporte të rregullta përmbledhje nëpërmjet Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Ju lutemi të vendosur llogarinë e paracaktuar në Expense kërkesën Lloji {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Ju lutemi të vendosur llogarinë e paracaktuar në Expense kërkesën Lloji {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Lejet e disponueshme
 DocType: Assessment Result,Student Name,Emri i studentit
 DocType: Hub Tracked Item,Item Manager,Item Menaxher
@@ -5487,9 +5552,10 @@
 DocType: Subscription,Trial Period End Date,Data e përfundimit të periudhës së gjykimit
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Jo Authroized që nga {0} tejkalon kufijtë
 DocType: Serial No,Asset Status,Statusi i Aseteve
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Mbi ngarkesën dimensionale (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Tavolina e restorantit
 DocType: Hotel Room,Hotel Manager,Menaxheri i Hotelit
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set Rregulla Taksa për shopping cart
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Set Rregulla Taksa për shopping cart
 DocType: Purchase Invoice,Taxes and Charges Added,Taksat dhe Tarifat Shtuar
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Rënia e zhvlerësimit {0}: Data e zhvlerësimit tjetër nuk mund të jetë para datës së disponueshme për përdorim
 ,Sales Funnel,Gyp Sales
@@ -5505,10 +5571,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Të gjitha grupet e konsumatorëve
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,akumuluar mujore
 DocType: Attendance Request,On Duty,Ne detyre
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për {1} të {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për {1} të {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Plani i stafit {0} ekziston tashmë për përcaktimin {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Template tatimi është i detyrueshëm.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Llogaria {0}: llogari Parent {1} nuk ekziston
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Llogaria {0}: llogari Parent {1} nuk ekziston
 DocType: POS Closing Voucher,Period Start Date,Periudha e fillimit të periudhës
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Lista e Çmimeve Rate (Kompania Valuta)
 DocType: Products Settings,Products Settings,Produkte Settings
@@ -5528,7 +5594,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Ky veprim do të ndalojë faturimin e ardhshëm. Je i sigurt që dëshiron ta anulosh këtë abonim?
 DocType: Serial No,Distinct unit of an Item,Njësi të dallueshme nga një artikull
 DocType: Supplier Scorecard Criteria,Criteria Name,Emri i kritereve
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Ju lutemi të vendosur Company
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Ju lutemi të vendosur Company
 DocType: Procedure Prescription,Procedure Created,Procedura e krijuar
 DocType: Pricing Rule,Buying,Blerje
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Sëmundjet dhe plehrat
@@ -5545,42 +5611,43 @@
 DocType: Employee Onboarding,Job Offer,Ofertë pune
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Shkurtesa Institute
 ,Item-wise Price List Rate,Pika-mençur Lista e Çmimeve Rate
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Furnizuesi Citat
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Furnizuesi Citat
 DocType: Quotation,In Words will be visible once you save the Quotation.,Me fjalë do të jetë i dukshëm një herë ju ruani Kuotim.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Sasi ({0}) nuk mund të jetë një pjesë në rradhë {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Sasi ({0}) nuk mund të jetë një pjesë në rradhë {1}
 DocType: Contract,Unsigned,i panënshkruar
 DocType: Selling Settings,Each Transaction,Çdo transaksion
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barkodi {0} përdorur tashmë në pikën {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barkodi {0} përdorur tashmë në pikën {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Rregullat për të shtuar shpenzimet e transportit detar.
 DocType: Hotel Room,Extra Bed Capacity,Kapaciteti shtesë shtrati
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,hapja Stock
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Konsumatorit është e nevojshme
 DocType: Lab Test,Result Date,Data e Rezultatit
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Data PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Data PDC / LC
 DocType: Purchase Order,To Receive,Për të marrë
 DocType: Leave Period,Holiday List for Optional Leave,Lista e pushimeve për pushim fakultativ
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Pronar i aseteve
 DocType: Purchase Invoice,Reason For Putting On Hold,Arsyeja për të vendosur
 DocType: Employee,Personal Email,Personale Email
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Ndryshimi Total
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Ndryshimi Total
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nëse aktivizuar, sistemi do të shpallë shënimet e kontabilitetit për inventarizimin automatikisht."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokerimi
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Pjesëmarrja për {0} punonjësi është shënuar tashmë për këtë ditë
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Pjesëmarrja për {0} punonjësi është shënuar tashmë për këtë ditë
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",në minuta Përditësuar nëpërmjet &#39;Koha Identifikohu &quot;
 DocType: Customer,From Lead,Nga Lead
 DocType: Amazon MWS Settings,Synch Orders,Urdhrat e sinkronizimit
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Urdhërat lëshuar për prodhim.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Zgjidh Vitin Fiskal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profilin nevojshme për të bërë POS Hyrja
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profilin nevojshme për të bërë POS Hyrja
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Pikat e Besnikërisë do të llogariten nga shpenzimet e kryera (nëpërmjet Faturës së Shitjes), bazuar në faktorin e grumbullimit të përmendur."
 DocType: Program Enrollment Tool,Enroll Students,regjistrohen Studentët
 DocType: Company,HRA Settings,Cilësimet e HRA
 DocType: Employee Transfer,Transfer Date,Data e transferimit
 DocType: Lab Test,Approved Date,Data e Aprovuar
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Shitja Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast një depo është e detyrueshme
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast një depo është e detyrueshme
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfiguro fushat e artikullit si UOM, Grupi i artikullit, Përshkrimi dhe Nr i orëve."
 DocType: Certification Application,Certification Status,Statusi i Certifikimit
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marketplace
@@ -5600,6 +5667,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Faturat e Përshtatshme
 DocType: Work Order,Required Items,Items kërkuara
 DocType: Stock Ledger Entry,Stock Value Difference,Vlera e aksioneve Diferenca
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Rreshti i artikullit {0}: {1} {2} nuk ekziston në tabelën e mësipërme &#39;{1}&#39;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Burimeve Njerëzore
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pajtimi Pagesa Pagesa
 DocType: Disease,Treatment Task,Detyra e Trajtimit
@@ -5617,7 +5685,8 @@
 DocType: Account,Debit,Debi
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Lë duhet të ndahen në shumëfisha e 0.5
 DocType: Work Order,Operation Cost,Operacioni Kosto
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Amt Outstanding
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identifikimi i vendimmarrësve
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Amt Outstanding
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Caqet e përcaktuara Item Grupi-mençur për këtë person të shitjes.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Stoqet Freeze vjetër se [Ditët]
 DocType: Payment Request,Payment Ordered,Pagesa është urdhëruar
@@ -5629,13 +5698,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Lejo përdoruesit e mëposhtme të miratojë Dërgo Aplikacione për ditë bllok.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Cikli i jetes
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Bëni BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Shitjen e normës për elementit {0} është më e ulët se saj {1}. Shitja e normës duhet të jetë atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Shitjen e normës për elementit {0} është më e ulët se saj {1}. Shitja e normës duhet të jetë atleast {2}
 DocType: Subscription,Taxes,Tatimet
 DocType: Purchase Invoice,capital goods,mallra kapitale
 DocType: Purchase Invoice Item,Weight Per Unit,Pesha për njësi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Paguar dhe nuk dorëzohet
-DocType: Project,Default Cost Center,Qendra Kosto e albumit
-DocType: Delivery Note,Transporter Doc No,Transporter Dok. Nr
+DocType: QuickBooks Migrator,Default Cost Center,Qendra Kosto e albumit
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transaksionet e aksioneve
 DocType: Budget,Budget Accounts,Llogaritë e buxhetit
 DocType: Employee,Internal Work History,Historia e brendshme
@@ -5668,7 +5736,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Mjeku i Shëndetit nuk është i disponueshëm në {0}
 DocType: Stock Entry Detail,Additional Cost,Kosto shtesë
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Nuk mund të filtruar në bazë të Voucher Jo, qoftë të grupuara nga Bonon"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Bëjnë Furnizuesi Kuotim
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Bëjnë Furnizuesi Kuotim
 DocType: Quality Inspection,Incoming,Hyrje
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Modelet e taksave të parazgjedhur për shitje dhe blerje krijohen.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Regjistrimi i rezultatit të rezultatit {0} tashmë ekziston.
@@ -5684,7 +5752,7 @@
 DocType: Batch,Batch ID,ID Batch
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Shënim: {0}
 ,Delivery Note Trends,Trendet ofrimit Shënim
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Përmbledhja e kësaj jave
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Përmbledhja e kësaj jave
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Në modelet Qty
 ,Daily Work Summary Replies,Përgjigjet Përmbledhëse të Punës Ditore
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Llogarit kohët e arritura të mbërritjes
@@ -5694,7 +5762,7 @@
 DocType: Bank Account,Party,Parti
 DocType: Healthcare Settings,Patient Name,Emri i pacientit
 DocType: Variant Field,Variant Field,Fusha e variantit
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Vendndodhja e synuar
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Vendndodhja e synuar
 DocType: Sales Order,Delivery Date,Ofrimit Data
 DocType: Opportunity,Opportunity Date,Mundësi Data
 DocType: Employee,Health Insurance Provider,Ofruesi i Sigurimeve Shëndetësore
@@ -5713,7 +5781,7 @@
 DocType: Employee,History In Company,Historia Në kompanisë
 DocType: Customer,Customer Primary Address,Adresa Primare e Klientit
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Buletinet
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Nr. I referencës
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Nr. I referencës
 DocType: Drug Prescription,Description/Strength,Përshkrimi / Forca
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Krijo një Pagesë të Re / Regjistrim në Gazetën
 DocType: Certification Application,Certification Application,Aplikim për certifikim
@@ -5724,10 +5792,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Same artikull është futur disa herë
 DocType: Department,Leave Block List,Lini Blloko Lista
 DocType: Purchase Invoice,Tax ID,ID e taksave
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} nuk është setup për Serial Nr. Kolona duhet të jetë bosh
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} nuk është setup për Serial Nr. Kolona duhet të jetë bosh
 DocType: Accounts Settings,Accounts Settings,Llogaritë Settings
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,miratoj
 DocType: Loyalty Program,Customer Territory,Territori i Klientit
+DocType: Email Digest,Sales Orders to Deliver,Urdhëron shitjet për të dorëzuar
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Numri i llogarisë së re, do të përfshihet në emrin e llogarisë si një prefiks"
 DocType: Maintenance Team Member,Team Member,Anëtar i ekipit
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Asnjë rezultat për të paraqitur
@@ -5737,7 +5806,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total {0} për të gjitha sendet është zero, mund të jetë që ju duhet të ndryshojë &quot;Shpërndani akuzat Bazuar On &#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Deri më sot nuk mund të jetë më pak se nga data
 DocType: Opportunity,To Discuss,Për të diskutuar
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Kjo bazohet në transaksione kundër këtij Pajtimtari. Shiko detajet më poshtë për detaje
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} njësitë e {1} nevojshme në {2} për të përfunduar këtë transaksion.
 DocType: Loan Type,Rate of Interest (%) Yearly,Norma e interesit (%) vjetore
 DocType: Support Settings,Forum URL,URL e forumit
@@ -5752,7 +5820,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Mëso më shumë
 DocType: Cheque Print Template,Distance from top edge,Largësia nga buzë të lartë
 DocType: POS Closing Voucher Invoices,Quantity of Items,Sasia e artikujve
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Lista e Çmimeve {0} është me aftësi të kufizuara ose nuk ekziston
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Lista e Çmimeve {0} është me aftësi të kufizuara ose nuk ekziston
 DocType: Purchase Invoice,Return,Kthimi
 DocType: Pricing Rule,Disable,Disable
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Mënyra e pagesës është e nevojshme për të bërë një pagesë
@@ -5760,18 +5828,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Modifiko në faqen e plotë për më shumë opsione si asetet, numrat serial, batch etj."
 DocType: Leave Type,Maximum Continuous Days Applicable,Ditët Maksimale të Vazhdueshme të zbatueshme
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nuk është i regjistruar në grumbull {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nuk mund të braktiset, pasi ajo është tashmë {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nuk mund të braktiset, pasi ajo është tashmë {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Verifikimet e kërkuara
 DocType: Task,Total Expense Claim (via Expense Claim),Gjithsej Kërkesa shpenzimeve (nëpërmjet shpenzimeve Kërkesës)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Mungon
 DocType: Job Applicant Source,Job Applicant Source,Burimi i aplikantit për punë
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Shuma IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Shuma IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Dështoi në konfigurimin e kompanisë
 DocType: Asset Repair,Asset Repair,Riparimi i aseteve
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Valuta e BOM # {1} duhet të jetë e barabartë me monedhën e zgjedhur {2}
 DocType: Journal Entry Account,Exchange Rate,Exchange Rate
 DocType: Patient,Additional information regarding the patient,Informacione shtesë lidhur me pacientin
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Sales Order {0} nuk është dorëzuar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Sales Order {0} nuk është dorëzuar
 DocType: Homepage,Tag Line,tag Line
 DocType: Fee Component,Fee Component,Komponenti Fee
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Menaxhimi Fleet
@@ -5786,7 +5854,7 @@
 DocType: Healthcare Practitioner,Mobile,i lëvizshëm
 ,Sales Person-wise Transaction Summary,Sales Person-i mençur Përmbledhje Transaction
 DocType: Training Event,Contact Number,Numri i kontaktit
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Magazina {0} nuk ekziston
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Magazina {0} nuk ekziston
 DocType: Cashier Closing,Custody,kujdestari
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Detajimi i paraqitjes së provës për përjashtimin nga taksat e punonjësve
 DocType: Monthly Distribution,Monthly Distribution Percentages,Përqindjet mujore Shpërndarjes
@@ -5801,7 +5869,7 @@
 DocType: Payment Entry,Paid Amount,Paid Shuma
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Eksploro Cikullin e Shitjes
 DocType: Assessment Plan,Supervisor,mbikëqyrës
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Regjistrimi i aksioneve mbajtëse
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Regjistrimi i aksioneve mbajtëse
 ,Available Stock for Packing Items,Stock dispozicion për Items Paketimi
 DocType: Item Variant,Item Variant,Item Variant
 ,Work Order Stock Report,Raporti i Renditjes së Rendit të Punës
@@ -5810,9 +5878,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Si Supervizor
 DocType: Leave Policy Detail,Leave Policy Detail,Lini detajet e politikave
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,urdhërat e dorëzuara nuk mund të fshihet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Bilanci i llogarisë tashmë në Debitimit, ju nuk jeni i lejuar për të vendosur &quot;Bilanci Must Be &#39;si&#39; Credit&quot;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Menaxhimit të Cilësisë
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,urdhërat e dorëzuara nuk mund të fshihet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Bilanci i llogarisë tashmë në Debitimit, ju nuk jeni i lejuar për të vendosur &quot;Bilanci Must Be &#39;si&#39; Credit&quot;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Menaxhimit të Cilësisë
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,{0} artikull ka qenë me aftësi të kufizuara
 DocType: Project,Total Billable Amount (via Timesheets),Shuma totale e faturimit (përmes Timesheets)
 DocType: Agriculture Task,Previous Business Day,Dita e mëparshme e punës
@@ -5835,14 +5903,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Qendrat e kostos
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Rinis abonim
 DocType: Linked Plant Analysis,Linked Plant Analysis,Analizë e bimëve të lidhur
-DocType: Delivery Note,Transporter ID,Identifikuesi i Transporterit
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Identifikuesi i Transporterit
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Vlereso parafjalen
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Shkalla në të cilën furnizuesit e valutës është e konvertuar në monedhën bazë kompanisë
-DocType: Sales Invoice Item,Service End Date,Data e Përfundimit të Shërbimit
+DocType: Purchase Invoice Item,Service End Date,Data e Përfundimit të Shërbimit
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: konfliktet timings me radhë {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Lejo Zero Vlerësimit Vlerësoni
 DocType: Bank Guarantee,Receiving,marrja e
 DocType: Training Event Employee,Invited,Të ftuar
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup Llogaritë Gateway.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup Llogaritë Gateway.
 DocType: Employee,Employment Type,Lloji Punësimi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Mjetet themelore
 DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange Gain / Humbje
@@ -5858,7 +5927,7 @@
 DocType: Tax Rule,Sales Tax Template,Template Sales Tax
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Paguani kundër kërkesës për përfitime
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Përditëso numrin e qendrës së kostos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Zgjidhni artikuj për të shpëtuar faturën
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Zgjidhni artikuj për të shpëtuar faturën
 DocType: Employee,Encashment Date,Arkëtim Data
 DocType: Training Event,Internet,internet
 DocType: Special Test Template,Special Test Template,Modeli i Testimit Special
@@ -5866,12 +5935,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Kosto e albumit Aktiviteti ekziston për Aktivizimi Tipi - {0}
 DocType: Work Order,Planned Operating Cost,Planifikuar Kosto Operative
 DocType: Academic Term,Term Start Date,Term Data e fillimit
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lista e të gjitha transaksioneve të aksioneve
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lista e të gjitha transaksioneve të aksioneve
+DocType: Supplier,Is Transporter,Është transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Fatura e shitjeve të importit nga Shopify nëse Pagesa është shënuar
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Duhet të përcaktohet si data e fillimit të periudhës së gjykimit dhe data e përfundimit të periudhës së gjykimit
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Norma mesatare
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Shuma totale e pagesës në orarin e pagesës duhet të jetë e barabartë me grandin / totalin e rrumbullakët
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Shuma totale e pagesës në orarin e pagesës duhet të jetë e barabartë me grandin / totalin e rrumbullakët
 DocType: Subscription Plan Detail,Plan,plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Balanca Deklarata Banka sipas Librit Kryesor
 DocType: Job Applicant,Applicant Name,Emri i aplikantit
@@ -5899,7 +5969,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Qty në dispozicion në burim Magazina
 apps/erpnext/erpnext/config/support.py +22,Warranty,garanci
 DocType: Purchase Invoice,Debit Note Issued,Debit Note Hedhur në qarkullim
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtri i bazuar në Qendrën e Kostos është i zbatueshëm vetëm nëse Buxheti kundër është përzgjedhur si Qendra e Kostos
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtri i bazuar në Qendrën e Kostos është i zbatueshëm vetëm nëse Buxheti kundër është përzgjedhur si Qendra e Kostos
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Kërko sipas kodit të artikullit, numrit serial, pa grumbull ose kodit bark"
 DocType: Work Order,Warehouses,Depot
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} aktiv nuk mund të transferohet
@@ -5910,9 +5980,9 @@
 DocType: Workstation,per hour,në orë
 DocType: Blanket Order,Purchasing,blerje
 DocType: Announcement,Announcement,njoftim
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,LPO e konsumatorit
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,LPO e konsumatorit
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Për Grupin Batch bazuar Studentëve, grupi i Studentëve do të miratohet për çdo student nga Regjistrimi Programit."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depo nuk mund të fshihet si ekziston hyrja aksioneve librit për këtë depo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depo nuk mund të fshihet si ekziston hyrja aksioneve librit për këtë depo.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Shpërndarje
 DocType: Journal Entry Account,Loan,hua
 DocType: Expense Claim Advance,Expense Claim Advance,Kërkesa e Shpenzimit të Shpenzimeve
@@ -5921,7 +5991,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Menaxher i Projektit
 ,Quoted Item Comparison,Cituar Item Krahasimi
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Mbivendosja në pikët midis {0} dhe {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dërgim
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dërgim
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max zbritje lejohet për artikull: {0} është {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Vlera neto e aseteve si në
 DocType: Crop,Produce,prodhoj
@@ -5931,20 +6001,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Konsumi material për prodhim
 DocType: Item Alternative,Alternative Item Code,Kodi Alternativ i Artikullit
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Roli që i lejohet të paraqesë transaksionet që tejkalojnë limitet e kreditit përcaktuara.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Zgjidhni Items të Prodhimi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Zgjidhni Items të Prodhimi
 DocType: Delivery Stop,Delivery Stop,Dorëzimi i ndalimit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Master dhënat syncing, ajo mund të marrë disa kohë"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Master dhënat syncing, ajo mund të marrë disa kohë"
 DocType: Item,Material Issue,Materiali Issue
 DocType: Employee Education,Qualification,Kualifikim
 DocType: Item Price,Item Price,Item Çmimi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sapun dhe detergjent
 DocType: BOM,Show Items,Shfaq Items
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Nga koha nuk mund të jetë më i madh se në kohë.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,A doni të njoftoni të gjithë klientët me email?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,A doni të njoftoni të gjithë klientët me email?
 DocType: Subscription Plan,Billing Interval,Intervali i faturimit
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Urdhërohet
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Data aktuale e fillimit dhe data e fundit e përfundimit është e detyrueshme
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Klienti&gt; Grupi i Konsumatorëve&gt; Territori
 DocType: Salary Detail,Component,komponent
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Rreshti {0}: {1} duhet të jetë më i madh se 0
 DocType: Assessment Criteria,Assessment Criteria Group,Kriteret e vlerësimit Group
@@ -5975,11 +6046,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Futni emrin e bankës ose të institucionit kreditues përpara se të dorëzoni.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} duhet të dorëzohet
 DocType: POS Profile,Item Groups,Grupet artikull
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Sot është {0} &#39;s ditëlindjen!
 DocType: Sales Order Item,For Production,Për Prodhimit
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Bilanci në monedhën e llogarisë
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Ju lutemi të shtoni një llogari të Hapjes së Përkohshme në Kartën e Llogarive
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Ju lutemi të shtoni një llogari të Hapjes së Përkohshme në Kartën e Llogarive
 DocType: Customer,Customer Primary Contact,Kontakti Primar i Klientit
 DocType: Project Task,View Task,Shiko Task
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -5992,11 +6062,11 @@
 DocType: Sales Invoice,Get Advances Received,Get Përparimet marra
 DocType: Email Digest,Add/Remove Recipients,Add / Remove Recipients
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Për të vendosur këtë vit fiskal si default, klikoni mbi &#39;Bëje si Default&#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Shuma e TDS dedikuar
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Shuma e TDS dedikuar
 DocType: Production Plan,Include Subcontracted Items,Përfshini artikujt e nënkontraktuar
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,bashkohem
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Mungesa Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,bashkohem
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Mungesa Qty
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta
 DocType: Loan,Repay from Salary,Paguajë nga paga
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Kerkuar pagesën kundër {0} {1} për sasi {2}
 DocType: Additional Salary,Salary Slip,Shqip paga
@@ -6012,7 +6082,7 @@
 DocType: Patient,Dormant,në gjumë
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Tatimi i zbritjes për përfitimet e papaguara të punonjësve
 DocType: Salary Slip,Total Interest Amount,Shuma totale e interesit
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Depot me nyjet e fëmijëve nuk mund të konvertohet në Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Depot me nyjet e fëmijëve nuk mund të konvertohet në Ledger
 DocType: BOM,Manage cost of operations,Menaxhuar koston e operacioneve
 DocType: Accounts Settings,Stale Days,Ditët Stale
 DocType: Travel Itinerary,Arrival Datetime,Datat e arritjes
@@ -6024,7 +6094,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Vlerësimi Rezultati Detail
 DocType: Employee Education,Employee Education,Arsimimi punonjës
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Grupi Duplicate artikull gjenden në tabelën e grupit artikull
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Është e nevojshme për të shkoj të marr dhëna të artikullit.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Është e nevojshme për të shkoj të marr dhëna të artikullit.
 DocType: Fertilizer,Fertilizer Name,Emri i plehut
 DocType: Salary Slip,Net Pay,Pay Net
 DocType: Cash Flow Mapping Accounts,Account,Llogari
@@ -6035,14 +6105,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Krijo një hyrje të veçantë të pagesës kundër kërkesës për përfitim
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Prania e etheve (temp&gt; 38.5 ° C / 101.3 ° F ose temperatura e qëndrueshme&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Detajet shitjet e ekipit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Fshini përgjithmonë?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Fshini përgjithmonë?
 DocType: Expense Claim,Total Claimed Amount,Shuma totale Pohoi
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Mundësi potenciale për të shitur.
 DocType: Shareholder,Folio no.,Folio nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Invalid {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Pushimi mjekësor
 DocType: Email Digest,Email Digest,Email Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,nuk jane
 DocType: Delivery Note,Billing Address Name,Faturimi Adresa Emri
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Dyqane
 ,Item Delivery Date,Data e dorëzimit të artikullit
@@ -6058,16 +6127,16 @@
 DocType: Account,Chargeable,I dënueshëm
 DocType: Company,Change Abbreviation,Ndryshimi Shkurtesa
 DocType: Contract,Fulfilment Details,Detajet e Përmbushjes
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Paguaj {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Paguaj {0} {1}
 DocType: Employee Onboarding,Activities,aktivitetet
 DocType: Expense Claim Detail,Expense Date,Shpenzim Data
 DocType: Item,No of Months,Jo e muajve
 DocType: Item,Max Discount (%),Max Discount (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Ditët e kredisë nuk mund të jenë një numër negativ
-DocType: Sales Invoice Item,Service Stop Date,Data e ndalimit të shërbimit
+DocType: Purchase Invoice Item,Service Stop Date,Data e ndalimit të shërbimit
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Shuma Rendit Fundit
 DocType: Cash Flow Mapper,e.g Adjustments for:,p.sh. Rregullimet për:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retain Sample është i bazuar në grumbull, ju lutemi kontrolloni Keni Jo Serinë për të mbajtur mostrën e sendit"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retain Sample është i bazuar në grumbull, ju lutemi kontrolloni Keni Jo Serinë për të mbajtur mostrën e sendit"
 DocType: Task,Is Milestone,A Milestone
 DocType: Certification Application,Yet to appear,"Megjithatë, të shfaqet"
 DocType: Delivery Stop,Email Sent To,Email Sent To
@@ -6075,16 +6144,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Lejo qendrën e kostos në hyrjen e llogarisë së bilancit
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Bashkohu me llogarinë ekzistuese
 DocType: Budget,Warn,Paralajmëroj
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Të gjitha sendet tashmë janë transferuar për këtë Rendit të Punës.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Të gjitha sendet tashmë janë transferuar për këtë Rendit të Punës.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Çdo vërejtje të tjera, përpjekje të përmendet se duhet të shkoni në të dhënat."
 DocType: Asset Maintenance,Manufacturing User,Prodhim i përdoruesit
 DocType: Purchase Invoice,Raw Materials Supplied,Lëndëve të para furnizuar
 DocType: Subscription Plan,Payment Plan,Plani i Pagesës
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Aktivizo blerjen e artikujve nëpërmjet faqes së internetit
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valuta e listës së çmimeve {0} duhet të jetë {1} ose {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Menaxhimi i abonimit
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Menaxhimi i abonimit
 DocType: Appraisal,Appraisal Template,Vlerësimi Template
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Për të pin kodin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Për të pin kodin
 DocType: Soil Texture,Ternary Plot,Komplot tresh
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Kontrolloni këtë për të mundësuar një rutinë të planifikuar të sinkronizimit të përditshëm nëpërmjet programuesit
 DocType: Item Group,Item Classification,Klasifikimi i artikullit
@@ -6094,6 +6163,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Regjistrimi i Faturës së Pacientëve
 DocType: Crop,Period,Periudhë
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Përgjithshëm Ledger
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Për vitin fiskal
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Shiko kryeson
 DocType: Program Enrollment Tool,New Program,Program i ri
 DocType: Item Attribute Value,Attribute Value,Atribut Vlera
@@ -6102,11 +6172,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise Recommended reorder Niveli
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Punonjësi {0} i klasës {1} nuk ka politikë pushimi default
 DocType: Salary Detail,Salary Detail,Paga Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Ju lutem, përzgjidhni {0} parë"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Ju lutem, përzgjidhni {0} parë"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Shtoi {0} përdorues
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Në rastin e programit multi-shtresor, Konsumatorët do të caktohen automatikisht në nivelin përkatës sipas shpenzimeve të tyre"
 DocType: Appointment Type,Physician,mjek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} i artikullit {1} ka skaduar.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} i artikullit {1} ka skaduar.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,konsultimet
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Përfunduar mirë
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Çmimi i artikullit paraqitet shumë herë në bazë të listës së çmimeve, Furnizuesit / Konsumatorit, Valutës, Produktit, UUM, Qty dhe Datat."
@@ -6115,22 +6185,21 @@
 DocType: Certification Application,Name of Applicant,Emri i aplikuesit
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Sheet Koha për prodhimin.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Nëntotali
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Nuk mund të ndryshojë pronat e variantit pas transaksionit të aksioneve. Ju do të keni për të bërë një artikull të ri për ta bërë këtë.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Nuk mund të ndryshojë pronat e variantit pas transaksionit të aksioneve. Ju do të keni për të bërë një artikull të ri për ta bërë këtë.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandati i SEPA për GoCardless
 DocType: Healthcare Practitioner,Charges,akuzat
 DocType: Production Plan,Get Items For Work Order,Merrni artikujt për porosinë e punës
 DocType: Salary Detail,Default Amount,Gabim Shuma
 DocType: Lab Test Template,Descriptive,përshkrues
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Magazina nuk gjendet ne sistem
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Përmbledhje këtij muaji
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Përmbledhje këtij muaji
 DocType: Quality Inspection Reading,Quality Inspection Reading,Inspektimi Leximi Cilësia
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Ngrij Stoqet me te vjetra se` duhet të jetë më e vogël se% d ditë.
 DocType: Tax Rule,Purchase Tax Template,Blerje Template Tatimore
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Vendosni një qëllim të shitjes që dëshironi të arrini për kompaninë tuaj.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Sherbime Shendetesore
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Sherbime Shendetesore
 ,Project wise Stock Tracking,Projekti Ndjekja mençur Stock
 DocType: GST HSN Code,Regional,rajonal
-DocType: Delivery Note,Transport Mode,Modaliteti i Transportit
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,laborator
 DocType: UOM Category,UOM Category,Kategoria UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Sasia aktuale (në burim / objektiv)
@@ -6153,17 +6222,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Dështoi në krijimin e faqes së internetit
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Konvertimi Detail
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Regjistrimi i aksioneve të mbajtjes tashmë të krijuar ose Sasia e mostrës nuk është dhënë
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Regjistrimi i aksioneve të mbajtjes tashmë të krijuar ose Sasia e mostrës nuk është dhënë
 DocType: Program,Program Abbreviation,Shkurtesa program
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Rendit prodhimi nuk mund të ngrihet kundër një Template Item
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Akuzat janë përditësuar në pranimin Blerje kundër çdo send
 DocType: Warranty Claim,Resolved By,Zgjidhen nga
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Orari Shkarkimi
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Çeqet dhe Depozitat pastruar gabimisht
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Llogaria {0}: Ju nuk mund të caktojë veten si llogari prind
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Llogaria {0}: Ju nuk mund të caktojë veten si llogari prind
 DocType: Purchase Invoice Item,Price List Rate,Lista e Çmimeve Rate
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Krijo kuotat konsumatorëve
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Data e ndalimit të shërbimit nuk mund të jetë pas datës së përfundimit të shërbimit
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Data e ndalimit të shërbimit nuk mund të jetë pas datës së përfundimit të shërbimit
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Trego &quot;Në magazinë&quot; ose &quot;Jo në magazinë&quot; në bazë të aksioneve në dispozicion në këtë depo.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill e materialeve (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Koha mesatare e marra nga furnizuesi për të ofruar
@@ -6175,11 +6244,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Orë
 DocType: Project,Expected Start Date,Pritet Data e Fillimit
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korrigjimi në Faturë
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Rendi i punës i krijuar për të gjitha artikujt me BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Rendi i punës i krijuar për të gjitha artikujt me BOM
 DocType: Payment Request,Party Details,Detajet e Partisë
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Raportet e variantit
 DocType: Setup Progress Action,Setup Progress Action,Aksioni i progresit të instalimit
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Lista e Çmimeve të Blerjes
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Lista e Çmimeve të Blerjes
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Hiq pika në qoftë se akuza nuk është i zbatueshëm për këtë artikull
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Anulo abonimin
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Ju lutem zgjidhni Statusin e Mirëmbajtjes si Komplet ose hiqni Datën e Përfundimit
@@ -6197,7 +6266,7 @@
 DocType: Asset,Disposal Date,Shkatërrimi Date
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email do të dërgohet të gjithë të punësuarve aktive e shoqërisë në orë të caktuar, në qoftë se ata nuk kanë pushim. Përmbledhje e përgjigjeve do të dërgohet në mesnatë."
 DocType: Employee Leave Approver,Employee Leave Approver,Punonjës Pushimi aprovuesi
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Një hyrje Reorder tashmë ekziston për këtë depo {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Një hyrje Reorder tashmë ekziston për këtë depo {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Nuk mund të deklarojë si të humbur, sepse Kuotim i është bërë."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Llogaria CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Feedback Training
@@ -6209,7 +6278,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Deri më sot nuk mund të jetë e para nga data e
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,Seksioni i faqes
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Add / Edit Çmimet
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Add / Edit Çmimet
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Promovimi i punonjësve nuk mund të paraqitet përpara datës së promovimit
 DocType: Batch,Parent Batch,Batch Parent
 DocType: Cheque Print Template,Cheque Print Template,Çek Print Template
@@ -6219,6 +6288,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Sample Collection
 ,Requested Items To Be Ordered,Items kërkuar të Urdhërohet
 DocType: Price List,Price List Name,Lista e Çmimeve Emri
+DocType: Delivery Stop,Dispatch Information,Dërgimi i Informacionit
 DocType: Blanket Order,Manufacturing,Prodhim
 ,Ordered Items To Be Delivered,Items urdhëroi që do të dërgohen
 DocType: Account,Income,Të ardhura
@@ -6237,17 +6307,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} njësitë e {1} nevojshme në {2} në {3} {4} për {5} për të përfunduar këtë transaksion.
 DocType: Fee Schedule,Student Category,Student Category
 DocType: Announcement,Student,student
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Sasia e aksioneve për të filluar procedurën nuk është e disponueshme në depo. Dëshiron të regjistrosh një Transfer Shpërndarjesh
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Sasia e aksioneve për të filluar procedurën nuk është e disponueshme në depo. Dëshiron të regjistrosh një Transfer Shpërndarjesh
 DocType: Shipping Rule,Shipping Rule Type,Lloji Rregullave të Transportit
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Shkoni në Dhoma
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Kompania, llogaria e pagesës, nga data dhe data është e detyrueshme"
 DocType: Company,Budget Detail,Detail Buxheti
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ju lutem shkruani mesazhin para se të dërgonte
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Duplicate Furnizuesi
-DocType: Email Digest,Pending Quotations,Në pritje Citate
-DocType: Delivery Note,Distance (KM),Largësia (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Furnizuesi&gt; Grupi Furnizues
 DocType: Asset,Custodian,kujdestar
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale Profilin
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale Profilin
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} duhet të jetë një vlerë midis 0 dhe 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Pagesa e {0} nga {1} deri {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Kredi pasiguruar
@@ -6279,10 +6348,10 @@
 DocType: Lead,Converted,Konvertuar
 DocType: Item,Has Serial No,Nuk ka Serial
 DocType: Employee,Date of Issue,Data e lëshimit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sipas Settings Blerja nëse blerja Reciept Required == &#39;PO&#39;, pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Marrjes blerjen e parë për pikën {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sipas Settings Blerja nëse blerja Reciept Required == &#39;PO&#39;, pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Marrjes blerjen e parë për pikën {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Furnizuesi Set për pika {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: Hours Vlera duhet të jetë më e madhe se zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Faqja Image {0} bashkangjitur në pikën {1} nuk mund të gjendet
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Faqja Image {0} bashkangjitur në pikën {1} nuk mund të gjendet
 DocType: Issue,Content Type,Përmbajtja Type
 DocType: Asset,Assets,asetet
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Kompjuter
@@ -6293,7 +6362,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} nuk ekziston
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Ju lutem kontrolloni opsionin Multi Valuta për të lejuar llogaritë me valutë tjetër
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} nuk ekziston në sistemin
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Ju nuk jeni i autorizuar për të vendosur vlerën e ngrira
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Ju nuk jeni i autorizuar për të vendosur vlerën e ngrira
 DocType: Payment Reconciliation,Get Unreconciled Entries,Get Unreconciled Entries
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Punonjësi {0} është në Lini në {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Asnjë shlyerje e zgjedhur për Regjistrimin e Gazetës
@@ -6311,13 +6380,14 @@
 ,Average Commission Rate,Mesatare Rate Komisioni
 DocType: Share Balance,No of Shares,Jo të aksioneve
 DocType: Taxable Salary Slab,To Amount,Për shumën
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;Nuk ka Serial&#39; nuk mund të jetë &#39;Po&#39; për jo-aksioneve artikull
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;Nuk ka Serial&#39; nuk mund të jetë &#39;Po&#39; për jo-aksioneve artikull
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Zgjidh statusin
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Pjesëmarrja nuk mund të shënohet për datat e ardhshme
 DocType: Support Search Source,Post Description Key,Shkruani Çelësin e Përshkrimi
 DocType: Pricing Rule,Pricing Rule Help,Rregulla e Çmimeve Ndihmë
 DocType: School House,House Name,Emri House
 DocType: Fee Schedule,Total Amount per Student,Shuma totale për student
+DocType: Opportunity,Sales Stage,Faza e shitjeve
 DocType: Purchase Taxes and Charges,Account Head,Shef llogari
 DocType: Company,HRA Component,Komponenti HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektrik
@@ -6325,15 +6395,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Gjithsej Diferenca Vlera (Out - In)
 DocType: Grant Application,Requested Amount,Shuma e Kërkuar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Exchange Rate është i detyrueshëm
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Përdoruesi ID nuk është caktuar për punonjësit {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Përdoruesi ID nuk është caktuar për punonjësit {0}
 DocType: Vehicle,Vehicle Value,Vlera automjeteve
 DocType: Crop Cycle,Detected Diseases,Sëmundjet e zbuluara
 DocType: Stock Entry,Default Source Warehouse,Gabim Burimi Magazina
 DocType: Item,Customer Code,Kodi Klientit
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Vërejtje ditëlindjen për {0}
 DocType: Asset Maintenance Task,Last Completion Date,Data e përfundimit të fundit
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Ditët Që Rendit Fundit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debi Për shkak duhet të jetë një llogari Bilanci i Gjendjes
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debi Për shkak duhet të jetë një llogari Bilanci i Gjendjes
 DocType: Asset,Naming Series,Emërtimi Series
 DocType: Vital Signs,Coated,i mbuluar
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rresht {0}: Vlera e pritshme pas Jetës së dobishme duhet të jetë më e vogël se Shuma e Blerjes Bruto
@@ -6351,15 +6420,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Ofrimit Shënim {0} nuk duhet të dorëzohet
 DocType: Notification Control,Sales Invoice Message,Mesazh Shitjet Faturë
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Llogarisë {0} Mbyllja duhet të jetë e tipit me Përgjegjësi / ekuitetit
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Paga Slip nga punonjësi {0} krijuar tashmë për fletë kohë {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Paga Slip nga punonjësi {0} krijuar tashmë për fletë kohë {1}
 DocType: Vehicle Log,Odometer,rrugëmatës
 DocType: Production Plan Item,Ordered Qty,Urdhërohet Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Item {0} është me aftësi të kufizuara
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Item {0} është me aftësi të kufizuara
 DocType: Stock Settings,Stock Frozen Upto,Stock ngrira Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM nuk përmban ndonjë artikull aksioneve
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM nuk përmban ndonjë artikull aksioneve
 DocType: Chapter,Chapter Head,Kreu i Kapitullit
 DocType: Payment Term,Month(s) after the end of the invoice month,Muaj (a) pas përfundimit të muajit të faturës
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura e pagave duhet të ketë komponentë fleksibël të përfitimit për të shpërndarë shumën e përfitimit
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura e pagave duhet të ketë komponentë fleksibël të përfitimit për të shpërndarë shumën e përfitimit
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Aktiviteti i projekt / detyra.
 DocType: Vital Signs,Very Coated,Shumë e veshur
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Vetëm Ndikimi Tatimor (nuk mund të pretendojë, por pjesë e të ardhurave të tatueshme)"
@@ -6377,7 +6446,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,faturimit Hours
 DocType: Project,Total Sales Amount (via Sales Order),Shuma totale e shitjeve (me anë të shitjes)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM Default për {0} nuk u gjet
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Ju lutemi të vendosur sasinë Reorder
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Ju lutemi të vendosur sasinë Reorder
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Prekni për të shtuar artikuj tyre këtu
 DocType: Fees,Program Enrollment,program Regjistrimi
 DocType: Share Transfer,To Folio No,Për Folio Nr
@@ -6419,9 +6488,9 @@
 DocType: SG Creation Tool Course,Max Strength,Max Forca
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Instalimi i paravendosjeve
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Nuk ka Shënim për Dorëzim të zgjedhur për Klientin {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Nuk ka Shënim për Dorëzim të zgjedhur për Klientin {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Punonjësi {0} nuk ka shumën maksimale të përfitimit
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Zgjedhni artikujt bazuar në Datën e Dorëzimit
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Zgjedhni artikujt bazuar në Datën e Dorëzimit
 DocType: Grant Application,Has any past Grant Record,Ka ndonjë të kaluar Grant Record
 ,Sales Analytics,Sales Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Në dispozicion {0}
@@ -6430,12 +6499,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Prodhim Cilësimet
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Ngritja me e-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Ju lutem shkruani monedhën parazgjedhje në kompaninë Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Ju lutem shkruani monedhën parazgjedhje në kompaninë Master
 DocType: Stock Entry Detail,Stock Entry Detail,Stock Hyrja Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Harroni të Përditshëm
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Harroni të Përditshëm
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Shihni të gjitha biletat e hapura
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Njësia e Shërbimit Shëndetësor Tree
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produkt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produkt
 DocType: Products Settings,Home Page is Products,Faqja Kryesore është Produkte
 ,Asset Depreciation Ledger,Zhvlerësimi i aseteve Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Lëreni shumën e inkasimit në ditë
@@ -6445,8 +6514,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Kosto të lëndëve të para furnizuar
 DocType: Selling Settings,Settings for Selling Module,Cilësimet për shitjen Module
 DocType: Hotel Room Reservation,Hotel Room Reservation,Rezervimi i dhomës së hotelit
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Shërbimi ndaj klientit
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Shërbimi ndaj klientit
 DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Nuk u gjet asnjë kontakt me ID-të e emailit.
 DocType: Item Customer Detail,Item Customer Detail,Item Detail Klientit
 DocType: Notification Control,Prompt for Email on Submission of,Prompt për Dërgoje në dorëzimin e
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Shuma maksimale e përfitimit të punonjësit {0} tejkalon {1}
@@ -6456,13 +6526,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Item {0} duhet të jetë një gjendje Item
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Default Puna Në Magazina Progresit
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Oraret për {0} mbivendosen, a doni të vazhdoni pas skiping slots overplaed?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Default settings për transaksionet e kontabilitetit.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Default settings për transaksionet e kontabilitetit.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant lë
 DocType: Restaurant,Default Tax Template,Modeli Tatimor i Parazgjedhur
 DocType: Fees,Student Details,Detajet e Studentit
 DocType: Purchase Invoice Item,Stock Qty,Stock Qty
 DocType: Purchase Invoice Item,Stock Qty,Stock Qty
 DocType: Contract,Requires Fulfilment,Kërkon Përmbushjen
+DocType: QuickBooks Migrator,Default Shipping Account,Llogaria postare e transportit
 DocType: Loan,Repayment Period in Months,Afati i pagesës në muaj
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Gabim: Nuk është një ID të vlefshme?
 DocType: Naming Series,Update Series Number,Update Seria Numri
@@ -6476,11 +6547,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Shuma maksimale
 DocType: Journal Entry,Total Amount Currency,Total Shuma Valuta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Kuvendet Kërko Nën
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Kodi i artikullit kërkohet në radhë nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Kodi i artikullit kërkohet në radhë nr {0}
 DocType: GST Account,SGST Account,Llogari SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Shko te artikujt
 DocType: Sales Partner,Partner Type,Lloji Partner
-DocType: Purchase Taxes and Charges,Actual,Aktual
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Aktual
 DocType: Restaurant Menu,Restaurant Manager,Menaxheri i Restorantit
 DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Pasqyrë e mungesave për detyra.
@@ -6501,7 +6572,7 @@
 DocType: Employee,Cheque,Çek
 DocType: Training Event,Employee Emails,E-mail punonjësish
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Seria Përditësuar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Raporti Lloji është i detyrueshëm
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Raporti Lloji është i detyrueshëm
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Depoja është e detyrueshme për aksioneve Item {0} në rresht {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Shitje me pakicë dhe shumicë
@@ -6532,7 +6603,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Përditësoni shumën e faturuar në Urdhërin e shitjes
 DocType: BOM,Materials,Materiale
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Nëse nuk kontrollohet, lista do të duhet të shtohet për çdo Departamentit ku ajo duhet të zbatohet."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Postimi datën dhe postimi kohë është i detyrueshëm
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Postimi datën dhe postimi kohë është i detyrueshëm
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Template taksave për blerjen e transaksioneve.
 ,Item Prices,Çmimet pika
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Me fjalë do të jetë i dukshëm një herë ju ruani qëllim blerjen.
@@ -6548,12 +6619,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Seria për Shënimin e Zhvlerësimit të Aseteve (Hyrja e Gazetës)
 DocType: Membership,Member Since,Anëtar që prej
 DocType: Purchase Invoice,Advance Payments,Pagesat e paradhënies
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Ju lutemi zgjidhni Shërbimin Shëndetësor
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Ju lutemi zgjidhni Shërbimin Shëndetësor
 DocType: Purchase Taxes and Charges,On Net Total,On Net Total
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vlera për atribut {0} duhet të jetë brenda intervalit {1} të {2} në increments e {3} për Item {4}
 DocType: Restaurant Reservation,Waitlisted,e konfirmuar
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategoria e përjashtimit
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,"Valuta nuk mund të ndryshohet, pasi duke e bërë shënimet duke përdorur disa valutë tjetër"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,"Valuta nuk mund të ndryshohet, pasi duke e bërë shënimet duke përdorur disa valutë tjetër"
 DocType: Shipping Rule,Fixed,fiks
 DocType: Vehicle Service,Clutch Plate,Plate Clutch
 DocType: Company,Round Off Account,Rrumbullakët Off Llogari
@@ -6562,7 +6633,7 @@
 DocType: Subscription Plan,Based on price list,Bazuar në listën e çmimeve
 DocType: Customer Group,Parent Customer Group,Grupi prind Klientit
 DocType: Vehicle Service,Change,Ndryshim
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,abonim
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,abonim
 DocType: Purchase Invoice,Contact Email,Kontakti Email
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Krijimi i tarifës në pritje
 DocType: Appraisal Goal,Score Earned,Vota fituara
@@ -6589,23 +6660,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Arkëtueshme / pagueshme Llogaria
 DocType: Delivery Note Item,Against Sales Order Item,Kundër Sales Rendit Item
 DocType: Company,Company Logo,Logo e kompanisë
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Ju lutem specifikoni atribut Vlera për atribut {0}
-DocType: Item Default,Default Warehouse,Gabim Magazina
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Ju lutem specifikoni atribut Vlera për atribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Gabim Magazina
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Buxheti nuk mund të caktohet kundër Llogaria Grupit {0}
 DocType: Shopping Cart Settings,Show Price,Trego çmimin
 DocType: Healthcare Settings,Patient Registration,Regjistrimi i pacientit
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Ju lutemi shkruani qendra kosto prind
 DocType: Delivery Note,Print Without Amount,Print Pa Shuma
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Zhvlerësimi Date
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Zhvlerësimi Date
 ,Work Orders in Progress,Rendi i punës në vazhdim
 DocType: Issue,Support Team,Mbështetje Ekipi
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Skadimit (në ditë)
 DocType: Appraisal,Total Score (Out of 5),Rezultati i përgjithshëm (nga 5)
 DocType: Student Attendance Tool,Batch,Grumbull
 DocType: Support Search Source,Query Route String,Kërkoj String Strip
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Norma e azhurnimit sipas blerjes së fundit
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Norma e azhurnimit sipas blerjes së fundit
 DocType: Donor,Donor Type,Lloji i donatorit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Dokumenti i përsëritjes automatike përditësohej
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Dokumenti i përsëritjes automatike përditësohej
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Ekuilibër
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Ju lutemi zgjidhni Kompaninë
 DocType: Job Card,Job Card,Karta e Punës
@@ -6619,7 +6690,7 @@
 DocType: Assessment Result,Total Score,Total Score
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standard
 DocType: Journal Entry,Debit Note,Debiti Shënim
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Mund të ribashko max {0} pikë në këtë mënyrë.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Mund të ribashko max {0} pikë në këtë mënyrë.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Ju lutemi shkruani API Consumer Secret
 DocType: Stock Entry,As per Stock UOM,Sipas Stock UOM
@@ -6633,10 +6704,11 @@
 DocType: Journal Entry,Total Debit,Debiti i përgjithshëm
 DocType: Travel Request Costing,Sponsored Amount,Shuma e Sponsorizuar
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Default përfunduara Mallra Magazina
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Ju lutemi zgjidhni Patient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Ju lutemi zgjidhni Patient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Sales Person
 DocType: Hotel Room Package,Amenities,pajisje
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Buxheti dhe Qendra Kosto
+DocType: QuickBooks Migrator,Undeposited Funds Account,Llogaria e fondeve të papaguara
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Buxheti dhe Qendra Kosto
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Mënyra e parazgjedhur e pagesës nuk lejohet
 DocType: Sales Invoice,Loyalty Points Redemption,Pikëpamja e Besnikërisë
 ,Appointment Analytics,Analiza e emërimeve
@@ -6650,6 +6722,7 @@
 DocType: Batch,Manufacturing Date,Date e prodhimit
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Krijimi i taksës dështoi
 DocType: Opening Invoice Creation Tool,Create Missing Party,Krijoni Partinë e Zhdukur
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Buxheti Total
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lini bosh në qoftë se ju bëni studentëve grupet në vit
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Nëse kontrolluar, Gjithsej nr. i ditëve të punës do të përfshijë pushimet, dhe kjo do të zvogëlojë vlerën e pagave Per Day"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Aplikacionet që përdorin çelësin aktual nuk do të jenë në gjendje të hyjnë, jeni i sigurt?"
@@ -6666,20 +6739,19 @@
 DocType: Opportunity Item,Basic Rate,Norma bazë
 DocType: GL Entry,Credit Amount,Shuma e kreditit
 DocType: Cheque Print Template,Signatory Position,Pozita nënshkruese
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Bëje si Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Bëje si Lost
 DocType: Timesheet,Total Billable Hours,Gjithsej orëve billable
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Numri i ditëve që Përdoruesi duhet të paguajë faturat e krijuara nga ky abonim
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detajet e Zbatimit të Punonjësve
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Pagesa Pranimi Shënim
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Kjo është e bazuar në transaksionet kundër këtij Klientit. Shih afat kohor më poshtë për detaje
-DocType: Delivery Note,ODC,ZPD
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Shuma e alokuar {1} duhet të jetë më pak se ose e barabartë me shumën e pagesës Hyrja {2}
 DocType: Program Enrollment Tool,New Academic Term,Term i ri akademik
 ,Course wise Assessment Report,Raporti i Vlerësimit kurs i mençur
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Availed ITC State / UT Tax
 DocType: Tax Rule,Tax Rule,Rregulla Tatimore
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Ruajtja njëjtin ritëm Gjatë gjithë Sales Cikli
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Ju lutemi identifikohuni si një përdorues tjetër për t&#39;u regjistruar në Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Ju lutemi identifikohuni si një përdorues tjetër për t&#39;u regjistruar në Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planifikoni kohë shkrimet jashtë orarit Workstation punës.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Konsumatorët në radhë
 DocType: Driver,Issuing Date,Data e lëshimit
@@ -6688,11 +6760,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Dorëzoni këtë Urdhër të Punës për përpunim të mëtejshëm.
 ,Items To Be Requested,Items të kërkohet
 DocType: Company,Company Info,Company Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Zgjidhni ose shtoni klient të ri
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Zgjidhni ose shtoni klient të ri
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Qendra Kosto është e nevojshme për të librit një kërkesë shpenzimeve
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikimi i mjeteve (aktiveve)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Kjo është e bazuar në pjesëmarrjen e këtij punonjësi
-DocType: Assessment Result,Summary,përmbledhje
 DocType: Payment Request,Payment Request Type,Lloji i Kërkesës së Pagesës
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Pjesëmarrja e Markut
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Llogaria Debiti
@@ -6700,7 +6771,7 @@
 DocType: Additional Salary,Employee Name,Emri punonjës
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Produkti i Renditjes
 DocType: Purchase Invoice,Rounded Total (Company Currency),Harmonishëm Total (Kompania Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Nuk mund të fshehta të grupit për shkak Tipi Llogarisë është zgjedhur.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Nuk mund të fshehta të grupit për shkak Tipi Llogarisë është zgjedhur.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} është modifikuar. Ju lutem refresh.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop përdoruesit nga bërja Dërgo Aplikacione në ditët në vijim.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Nëse skadimi i pakufizuar për Pikat e Besnikërisë, mbajeni Kohëzgjatjen e Skadimit bosh ose 0."
@@ -6721,11 +6792,12 @@
 DocType: Asset,Out of Order,Jashtë përdorimit
 DocType: Purchase Receipt Item,Accepted Quantity,Sasi të pranuar
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignore Time Workstation Mbivendosje
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Ju lutemi të vendosur një default Holiday Lista për punonjësit {0} ose Company {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Ju lutemi të vendosur një default Holiday Lista për punonjësit {0} ose Company {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} nuk ekziston
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Zgjidh Batch Numbers
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Për GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Për GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Faturat e ngritura për të Konsumatorëve.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Emërimet e faturës automatikisht
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekti Id
 DocType: Salary Component,Variable Based On Taxable Salary,Ndryshore bazuar në pagën e tatueshme
 DocType: Company,Basic Component,Komponenti bazë
@@ -6738,10 +6810,10 @@
 DocType: Stock Entry,Source Warehouse Address,Adresa e Burimeve të Burimeve
 DocType: GL Entry,Voucher Type,Voucher Type
 DocType: Amazon MWS Settings,Max Retry Limit,Kërce Max Retry
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Lista e Çmimeve nuk u gjet ose me aftësi të kufizuara
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Lista e Çmimeve nuk u gjet ose me aftësi të kufizuara
 DocType: Student Applicant,Approved,I miratuar
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Çmim
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Punonjës lirohet për {0} duhet të jetë vendosur si &#39;majtë&#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Punonjës lirohet për {0} duhet të jetë vendosur si &#39;majtë&#39;
 DocType: Marketplace Settings,Last Sync On,Sinjali i fundit në
 DocType: Guardian,Guardian,kujdestar
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Të gjitha komunikimet që përfshijnë dhe mbi këtë do të futen në Çështjen e re
@@ -6764,14 +6836,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lista e sëmundjeve të zbuluara në terren. Kur zgjidhet, do të shtojë automatikisht një listë të detyrave për t&#39;u marrë me sëmundjen"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Kjo është njësi e shërbimit të kujdesit shëndetësor dhe nuk mund të redaktohet.
 DocType: Asset Repair,Repair Status,Gjendja e Riparimit
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Shtoni Partnerët e Shitjes
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Rregjistrimet në ditar të kontabilitetit.
 DocType: Travel Request,Travel Request,Kërkesa për udhëtim
 DocType: Delivery Note Item,Available Qty at From Warehouse,Qty në dispozicion në nga depo
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Ju lutem, përzgjidhni Record punonjës parë."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Pjesëmarrja nuk është paraqitur për {0} pasi është një festë.
 DocType: POS Profile,Account for Change Amount,Llogaria për Ndryshim Shuma
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Lidhja me QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Totali i Fitimit / Humbjes
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Kompania e pavlefshme për faturën e kompanisë Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Kompania e pavlefshme për faturën e kompanisë Inter.
 DocType: Purchase Invoice,input service,shërbimi i hyrjes
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partia / Llogaria nuk përputhet me {1} / {2} në {3} {4}
 DocType: Employee Promotion,Employee Promotion,Promovimi i Punonjësve
@@ -6780,12 +6854,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kodi i kursit:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Ju lutemi shkruani Llogari kurriz
 DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një e Rendit Blerje, Blerje Faturë ose Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një e Rendit Blerje, Blerje Faturë ose Journal Entry"
 DocType: Employee,Current Address,Adresa e tanishme
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Nëse pika është një variant i një tjetër çështje pastaj përshkrimin, imazhi, çmimi, taksat, etj do të vendoset nga template përveç nëse specifikohet shprehimisht"
 DocType: Serial No,Purchase / Manufacture Details,Blerje / Detajet Prodhimi
 DocType: Assessment Group,Assessment Group,Grupi i Vlerësimit
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Inventar Batch
+DocType: Supplier,GST Transporter ID,Identifikuesi GST Transporter
 DocType: Procedure Prescription,Procedure Name,Emri i Procedurës
 DocType: Employee,Contract End Date,Kontrata Data e përfundimit
 DocType: Amazon MWS Settings,Seller ID,ID e shitësit
@@ -6805,12 +6880,12 @@
 DocType: Company,Date of Incorporation,Data e Inkorporimit
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Tatimi Total
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Çmimi i fundit i blerjes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Për sasinë (Prodhuar Qty) është i detyrueshëm
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Për sasinë (Prodhuar Qty) është i detyrueshëm
 DocType: Stock Entry,Default Target Warehouse,Gabim Magazina Target
 DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Kompania Valuta)
 DocType: Delivery Note,Air,ajror
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Viti End Date nuk mund të jetë më herët se data e fillimit Year. Ju lutem, Korrigjo datat dhe provoni përsëri."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} nuk është në listën e pushimeve opsionale
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} nuk është në listën e pushimeve opsionale
 DocType: Notification Control,Purchase Receipt Message,Blerje Pranimi Mesazh
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Items skrap
@@ -6833,23 +6908,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,përmbushje
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Në Shuma Previous Row
 DocType: Item,Has Expiry Date,Ka Data e Skadimit
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Asset Transfer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Asset Transfer
 DocType: POS Profile,POS Profile,POS Profilin
 DocType: Training Event,Event Name,Event Emri
 DocType: Healthcare Practitioner,Phone (Office),Telefoni (Zyra)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Nuk mund të dorëzohet, Punëtorët janë lënë për të shënuar pjesëmarrjen"
 DocType: Inpatient Record,Admission,pranim
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Regjistrimet për {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Sezonalitetit për vendosjen buxhetet, objektivat etj"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Sezonalitetit për vendosjen buxhetet, objektivat etj"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Emri i ndryshueshëm
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Item {0} është një template, ju lutem zgjidhni një nga variantet e saj"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ju lutem vendosni Sistemin e Emërimit të Punonjësve në Burimet Njerëzore&gt; Cilësimet e HR
+DocType: Purchase Invoice Item,Deferred Expense,Shpenzimet e shtyra
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Nga Data {0} nuk mund të jetë përpara se data e bashkimit të punonjësit të jetë {1}
 DocType: Asset,Asset Category,Asset Category
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Paguajnë neto nuk mund të jetë negative
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Paguajnë neto nuk mund të jetë negative
 DocType: Purchase Order,Advance Paid,Advance Paid
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Përqindja e mbivendosjes për porosinë e shitjeve
 DocType: Item,Item Tax,Tatimi i artikullit
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Materiale për Furnizuesin
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Materiale për Furnizuesin
 DocType: Soil Texture,Loamy Sand,Rërë e pangopur
 DocType: Production Plan,Material Request Planning,Planifikimi i Kërkesave Materiale
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Akciza Faturë
@@ -6871,11 +6948,11 @@
 DocType: Scheduling Tool,Scheduling Tool,caktimin Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Credit Card
 DocType: BOM,Item to be manufactured or repacked,Pika për të prodhuar apo ripaketohen
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Gabim i sintaksës në gjendje: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Gabim i sintaksës në gjendje: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,/ Subjektet e mëdha fakultative
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Konfiguro Grupin e Furnizuesit në Parametrat e Blerjes.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Konfiguro Grupin e Furnizuesit në Parametrat e Blerjes.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Shuma totale e komponentëve të përfitimit fleksibël {0} nuk duhet të jetë më pak se përfitimet maksimale {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,pezulluar
@@ -6895,7 +6972,7 @@
 DocType: Customer,Commission Rate,Rate Komisioni
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Krijoi me sukses shënimet e pagesave
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Krijuar {0} tabelat e rezultateve për {1} midis:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Bëni Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Bëni Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Pagesa Lloji duhet të jetë një nga Merre, të paguajë dhe Transfer të Brendshme"
 DocType: Travel Itinerary,Preferred Area for Lodging,Zona e parapëlqyer për strehim
 apps/erpnext/erpnext/config/selling.py +184,Analytics,analitikë
@@ -6906,7 +6983,7 @@
 DocType: Work Order,Actual Operating Cost,Aktuale Kosto Operative
 DocType: Payment Entry,Cheque/Reference No,Çek / Reference No
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Rrënjë nuk mund të redaktohen.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Rrënjë nuk mund të redaktohen.
 DocType: Item,Units of Measure,Njësitë e masës
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Marr me qira në Metro City
 DocType: Supplier,Default Tax Withholding Config,Konfig
@@ -6924,21 +7001,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Pas përfundimit të pagesës përcjellëse përdorues në faqen e zgjedhur.
 DocType: Company,Existing Company,Company ekzistuese
 DocType: Healthcare Settings,Result Emailed,Rezultati u dërgua me email
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tax Category ka ndryshuar për të &quot;Total&quot;, sepse të gjitha sendet janë artikuj jo-aksioneve"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tax Category ka ndryshuar për të &quot;Total&quot;, sepse të gjitha sendet janë artikuj jo-aksioneve"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Deri më sot nuk mund të jetë e barabartë ose më pak se nga data
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Asgjë për të ndryshuar
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Ju lutem, përzgjidhni një skedar CSV"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,"Ju lutem, përzgjidhni një skedar CSV"
 DocType: Holiday List,Total Holidays,Pushimet Totale
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Modeli i emailit që mungon për dërgimin. Vendosni një në Parametrat e Dorëzimit.
 DocType: Student Leave Application,Mark as Present,Mark si pranishëm
 DocType: Supplier Scorecard,Indicator Color,Treguesi Ngjyra
 DocType: Purchase Order,To Receive and Bill,Për të marrë dhe Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Rreshti # {0}: Reqd by Date nuk mund të jetë para datës së transaksionit
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Rreshti # {0}: Reqd by Date nuk mund të jetë para datës së transaksionit
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produkte Featured
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Zgjidh Serial No
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Zgjidh Serial No
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Projektues
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Termat dhe Kushtet Template
 DocType: Serial No,Delivery Details,Detajet e ofrimit të
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Qendra Kosto është e nevojshme në rresht {0} në Tatimet tryezë për llojin {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Qendra Kosto është e nevojshme në rresht {0} në Tatimet tryezë për llojin {1}
 DocType: Program,Program Code,Kodi program
 DocType: Terms and Conditions,Terms and Conditions Help,Termat dhe Kushtet Ndihmë
 ,Item-wise Purchase Register,Pika-mençur Blerje Regjistrohu
@@ -6951,15 +7029,16 @@
 DocType: Contract,Contract Terms,Kushtet e kontratës
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,A nuk tregojnë ndonjë simbol si $ etj ardhshëm të valutave.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Shuma maksimale e përfitimit të komponentit {0} tejkalon {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Gjysme Dite)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Gjysme Dite)
 DocType: Payment Term,Credit Days,Ditët e kreditit
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Ju lutemi, përzgjidhni Pacientin për të marrë Testet Lab"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Bëni Serisë Student
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Lejo transferimin për prodhim
 DocType: Leave Type,Is Carry Forward,Është Mbaj Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Të marrë sendet nga bom
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Të marrë sendet nga bom
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead ditësh
 DocType: Cash Flow Mapping,Is Income Tax Expense,Është shpenzimi i tatimit mbi të ardhurat
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Porosia jote është jashtë për dorëzim!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Data duhet të jetë i njëjtë si data e blerjes {1} e aseteve {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kontrolloni këtë nëse studenti banon në Hostel e Institutit.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Ju lutem shkruani urdhëron Sales në tabelën e mësipërme
@@ -6967,10 +7046,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Transferimi një aktiv nga një magazinë në tjetrën
 DocType: Vehicle,Petrol,benzinë
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Përfitimet e mbetura (vjetore)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill e materialeve
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill e materialeve
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partia Lloji dhe Partia është e nevojshme për arkëtueshme / pagueshme llogari {1}
 DocType: Employee,Leave Policy,Lini Politikën
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Përditësoni artikujt
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Përditësoni artikujt
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Data
 DocType: Employee,Reason for Leaving,Arsyeja e largimit
 DocType: BOM Operation,Operating Cost(Company Currency),Kosto Operative (Company Valuta)
@@ -6981,7 +7060,7 @@
 DocType: Department,Expense Approvers,Prokurorët e shpenzimeve
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: debiti hyrja nuk mund të jetë i lidhur me një {1}
 DocType: Journal Entry,Subscription Section,Seksioni i abonimit
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Llogaria {0} nuk ekziston
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Llogaria {0} nuk ekziston
 DocType: Training Event,Training Program,Programi i Trajnimit
 DocType: Account,Cash,Para
 DocType: Employee,Short biography for website and other publications.,Biografia e shkurtër për faqen e internetit dhe botime të tjera.
diff --git a/erpnext/translations/sr-SP.csv b/erpnext/translations/sr-SP.csv
index 41dcfe5..6b71397 100644
--- a/erpnext/translations/sr-SP.csv
+++ b/erpnext/translations/sr-SP.csv
@@ -1,10 +1,10 @@
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Početno stanje'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Početno stanje'
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Prosjek dnevne isporuke
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Kreirajte uplatu
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +61,Import Failed!,Uvoz nije uspio!
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti obrisano dok postoji zaliha za artikal {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti obrisano dok postoji zaliha za artikal {1}
 DocType: Item,Is Purchase Item,Artikal je za poručivanje
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Skladište {0} ne postoji
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Skladište {0} ne postoji
 apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Potvrđene porudžbine od strane kupaca
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Klinika (beta)
 DocType: Salary Slip,Salary Structure,Структура плата
@@ -13,7 +13,7 @@
 DocType: Salary Slip,Net Pay,Neto plaćanje
 DocType: Payment Entry,Internal Transfer,Interni prenos
 DocType: Purchase Invoice Item,Item Tax Rate,Poreska stopa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Kreirajte novog kupca
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Kreirajte novog kupca
 DocType: Item Variant Attribute,Attribute,Atribut
 DocType: POS Profile,POS Profile,POS profil
 DocType: Pricing Rule,Min Qty,Min količina
@@ -29,7 +29,7 @@
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Moja korpa
 DocType: Payment Entry,Payment From / To,Plaćanje od / za
 DocType: Purchase Invoice,Grand Total (Company Currency),Za plaćanje (Valuta preduzeća)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Nedovoljna količina
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Nedovoljna količina
 DocType: Purchase Invoice,Shipping Rule,Pravila nabavke
 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruto dobit / gubitak
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Pritisnite na artikal da bi ga dodali ovdje
@@ -55,23 +55,23 @@
 DocType: Item,Customer Code,Šifra kupca
 DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dozvolite više prodajnih naloga koji su vezani sa porudžbenicom kupca
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Ukupno isporučeno
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Korisnik {0} je već označen kao Zaposleni {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Korisnik {0} je već označen kao Zaposleni {1}
 ,Sales Register,Pregled Prodaje
 DocType: Sales Order,%  Delivered,% Isporučeno
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Procjena {0} kreirana za Zaposlenog {1} za dati period
 DocType: Journal Entry Account,Party Balance,Stanje kupca
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +73,{0} already allocated for Employee {1} for period {2} to {3},{0} već dodijeljeno zaposlenom {1} za period {2} {3}
 apps/erpnext/erpnext/config/selling.py +23,Customers,Kupci
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Molimo podesite polje Korisnički ID u evidenciji Zaposlenih radi podešavanja zaduženja Zaposlenih
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Molimo podesite polje Korisnički ID u evidenciji Zaposlenih radi podešavanja zaduženja Zaposlenih
 DocType: Project,Task Completion,Završenost zadataka
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Obilježi kao izgubljenu
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Obilježi kao izgubljenu
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kupovina
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} nije aktivan
 DocType: Bin,Reserved Quantity,Rezervisana količina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Povraćaj / knjižno odobrenje
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Povraćaj / knjižno odobrenje
 DocType: SMS Center,All Employee (Active),Svi zaposleni (aktivni)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Dodaj stavke iz  БОМ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Odaberite kupca
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Dodaj stavke iz  БОМ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Odaberite kupca
 apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nova adresa
 ,Stock Summary,Pregled zalihe
 DocType: Appraisal,For Employee Name,Za ime Zaposlenog
@@ -84,7 +84,7 @@
 apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status je {2}
 DocType: BOM,Item Image (if not slideshow),Slika artikla (ako nije prezentacija)
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +372,Amount {0} {1} transferred from {2} to {3},Iznos {0} {1} prebačen iz {2} u {3}
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zadrži Uzorak je zasnovano na serijama, molimo označite Ima Broj Serije da bi zadržali uzorak stavke."
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zadrži Uzorak je zasnovano na serijama, molimo označite Ima Broj Serije da bi zadržali uzorak stavke."
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Pregledi
 DocType: Territory,Classification of Customers by region,Klasifikacija kupaca po regiji
 DocType: Quotation,Quotation To,Ponuda za
@@ -105,7 +105,7 @@
 DocType: Activity Cost,Projects,Projekti
 DocType: Purchase Invoice,Supplier Name,Naziv dobavljača
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Ukupno (P.S + promet u periodu)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Datum fakture dobavljača ne može biti veći od datuma otvaranja fakture
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Datum fakture dobavljača ne može biti veći od datuma otvaranja fakture
 DocType: Production Plan,Sales Orders,Prodajni nalozi
 DocType: Item,Manufacturer Part Number,Proizvođačka šifra
 DocType: Sales Invoice Item,Discount and Margin,Popust i marža
@@ -119,7 +119,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +243,Serial No {0} does not belong to any Warehouse,Serijski broj {0} ne pripada ni jednom skladištu
 ,Sales Analytics,Prodajna analitika
 DocType: Patient Appointment,Patient Age,Starost pacijenta
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Zaposleni ne može izvještavati sebi
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Zaposleni ne može izvještavati sebi
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Можете поднети Исплату одсуства само са валидном количином за исплату.
 DocType: Sales Invoice,Customer Address,Adresa kupca
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1557,Total Amount {0},Ukupan iznos {0}
@@ -130,13 +130,13 @@
 DocType: Sales Invoice Item,Delivery Note Item,Pozicija otpremnice
 DocType: Sales Invoice,Customer's Purchase Order,Porudžbenica kupca
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Dodaj stavke iz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Od {0} do {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Od {0} do {1}
 DocType: C-Form,Total Invoiced Amount,Ukupno fakturisano
 DocType: Purchase Invoice,Supplier Invoice Date,Datum fakture dobavljača
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +192,Journal Entry {0} does not have account {1} or already matched against other voucher,Knjiženje {0} nema nalog {1} ili je već povezan sa drugim izvodom
 DocType: Lab Test,Lab Test,Lab test
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,- Iznad
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili stopiran
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili stopiran
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade dodate (valuta preduzeća)
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Molimo Vas da unesete ID zaposlenog prodavca
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email će biti poslat svim Aktivnim Zaposlenima preduzeća u određeno vrijeme, ako nisu na odmoru. Presjek odziva biće poslat u ponoć."
@@ -161,10 +161,10 @@
 DocType: Sales Invoice Item,Customer Warehouse (Optional),Skladište kupca (opciono)
 DocType: Delivery Note Item,From Warehouse,Iz skladišta
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Prikaži zatvorene
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Већ сте изабрали ставке из {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Већ сте изабрали ставке из {0} {1}
 DocType: Payment Entry,Receive,Prijem
 DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Skladište je potrebno unijeti za artikal {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Skladište je potrebno unijeti za artikal {0}
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +220,Payment Entry already exists,Uplata već postoji
 DocType: Project,Customer Details,Korisnički detalji
 DocType: Item,"Example: ABCD.#####
@@ -183,12 +183,11 @@
 DocType: Supplier,Supplier Details,Detalji o dobavljaču
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum zajednice
 ,Batch Item Expiry Status,Pregled artikala sa rokom trajanja
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Plaćanje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Plaćanje
 ,Sales Partners Commission,Provizija za prodajne partnere
 DocType: C-Form Invoice Detail,Territory,Teritorija
 DocType: Notification Control,Sales Order Message,Poruka prodajnog naloga
 DocType: Employee Attendance Tool,Employees HTML,HTML Zaposlenih
-DocType: Email Digest,Pending Sales Orders,Prodajni nalozi na čekanju
 ,Employee Leave Balance,Pregled odsustva Zaposlenih
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minut
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Pošalji platnu listu Zaposlenom na željenu adresu označenu u tab-u ZAPOSLENI
@@ -207,28 +206,27 @@
 DocType: Sales Invoice Item,Rate With Margin,Cijena sa popustom
 DocType: Student Attendance,Student Attendance,Prisustvo učenika
 apps/erpnext/erpnext/utilities/activation.py +108,Add Timesheets,Dodaj potrošeno vrijeme
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Skupi sve
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Skupi sve
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Korisnički portal
 DocType: Purchase Order Item Supplied,Stock UOM,JM zalihe
 DocType: Fee Validity,Valid Till,Važi do
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Izaberite ili dodajte novog kupca
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Izaberite ili dodajte novog kupca
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Zaposleni i prisustvo
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Odsustvo i prisustvo
 ,Trial Balance for Party,Struktura dugovanja
 DocType: Program Enrollment Tool,New Program,Novi program
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Oporezivi iznos
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Oporezivi iznos
 DocType: Production Plan Item,Product Bundle Item,Sastavljeni proizvodi
 DocType: Payroll Entry,Select Employees,Odaberite Zaposlene
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Kreiraj evidenciju o Zaposlenom kako bi upravljali odsustvom, potraživanjima za troškove i platnim spiskovima"
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ovo se zasniva na pohađanju ovog zaposlenog
 DocType: Lead,Address & Contact,Adresa i kontakt
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Napravi
 DocType: Bin,Reserved Qty for Production,Rezervisana kol. za proizvodnju
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ovo praćenje je zasnovano na kretanje zaliha. Pogledajte {0} za više detalja
 DocType: Training Event Employee,Training Event Employee,Obuke Zaposlenih
 apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Svi kontakti
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Prodajni agent
-DocType: Item Default,Default Warehouse,Podrazumijevano skladište
+DocType: QuickBooks Migrator,Default Warehouse,Podrazumijevano skladište
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Тренутно не постоје залихе у складишту
 DocType: Company,Default Letter Head,Podrazumijevano zaglavlje
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +84,Sales Order {0} is not valid,Prodajni nalog {0} nije validan
@@ -256,10 +254,10 @@
 DocType: Sales Invoice Timesheet,Timesheet Detail,Detalji potrošenog vremena
 DocType: Delivery Note,Is Return,Da li je povratak
 DocType: Stock Entry,Material Receipt,Prijem robe
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Broj fakture dobavljača već postoji u fakturi nabavke {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Broj fakture dobavljača već postoji u fakturi nabavke {0}
 DocType: BOM Explosion Item,Source Warehouse,Izvorno skladište
 apps/erpnext/erpnext/config/learn.py +253,Managing Projects,Upravljanje projektima
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Kalkulacija
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Kalkulacija
 DocType: Supplier,Name and Type,Ime i tip
 DocType: Customs Tariff Number,Customs Tariff Number,Carinska tarifa
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +65,"You can claim only an amount of {0}, the rest amount {1} should be in the application \
@@ -275,7 +273,7 @@
 DocType: BOM,Show In Website,Prikaži na web sajtu
 DocType: Payment Entry,Paid Amount,Uplaćeno
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Ukupno plaćeno
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Prijem robe {0} nije potvrđen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Prijem robe {0} nije potvrđen
 apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Proizvodi i cijene
 DocType: Payment Entry,Account Paid From,Račun plaćen preko
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Kreirajte bilješke kupca
@@ -283,7 +281,7 @@
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je obavezan podatak
 DocType: Item,Manufacturer,Proizvođač
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +69,Selling Amount,Prodajni iznos
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Molimo podesite datum zasnivanja radnog odnosa {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Molimo podesite datum zasnivanja radnog odnosa {0}
 DocType: Item,Allow over delivery or receipt upto this percent,Dozvolite isporukuili prijem robe ukoliko ne premaši ovaj procenat
 DocType: Shopping Cart Settings,Orders,Porudžbine
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Promjene na zalihama
@@ -291,11 +289,12 @@
 ,Daily Timesheet Summary,Pregled dnevnog potrošenog vremena
 DocType: Project Task,View Timesheet,Pogledaj potrošeno vrijeme
 DocType: Purchase Invoice,Rounded Total (Company Currency),Zaokruženi ukupan iznos (valuta preduzeća)
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Isplatna lista Zaposlenog {0} kreirana je već za ovaj period
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Isplatna lista Zaposlenog {0} kreirana je već za ovaj period
 DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ako ovaj artikal ima varijante, onda ne može biti biran u prodajnom nalogu."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Можете унети највише {0} поена у овој наруџбини.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Можете унети највише {0} поена у овој наруџбини.
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Nije nađena evidancija o odsustvu Zaposlenog {0} za {1}
 DocType: Pricing Rule,Discount on Price List Rate (%),Popust na cijene iz cjenovnika (%)
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupe
 DocType: Item,Item Attribute,Atribut artikla
 DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Skladište je obavezan podatak
@@ -306,15 +305,15 @@
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +25,Cart is Empty,Korpa je prazna
 DocType: Patient,Patient Details,Detalji o pacijentu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Unos zaliha {0} nije potvrđen
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Ostatak svijeta
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Ostatak svijeta
 DocType: Work Order,Additional Operating Cost,Dodatni operativni troškovi
 DocType: Purchase Invoice,Rejected Warehouse,Odbijeno skladište
 DocType: Asset Repair,Manufacturing Manager,Menadžer proizvodnje
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +39,You are not present all day(s) between compensatory leave request days,Нисте присутни свих дана између захтева за компензацијски одмор.
 DocType: Purchase Invoice Item,Is Fixed Asset,Artikal je osnovno sredstvo
 ,POS,POS
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Potrošeno vrijeme {0} je već potvrđeno ili otkazano
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Pola dana)
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Potrošeno vrijeme {0} je već potvrđeno ili otkazano
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Pola dana)
 DocType: Shipping Rule,Net Weight,Neto težina
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Zapis o prisustvu {0} постоји kod studenata {1}
 DocType: Payment Entry Reference,Outstanding,Preostalo
@@ -322,7 +321,7 @@
 DocType: Purchase Invoice,Select Shipping Address,Odaberite adresu isporuke
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Iznos za fakturisanje
 apps/erpnext/erpnext/utilities/activation.py +82,Make Sales Orders to help you plan your work and deliver on-time,Kreiranje prodajnog naloga će vam pomoći da isplanirate svoje vrijeme i dostavite robu na vrijeme
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sinhronizuj offline fakture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sinhronizuj offline fakture
 DocType: Blanket Order,Manufacturing,Proizvodnja
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Isporučeno
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js +7,Attendance,Prisustvo
@@ -390,7 +389,7 @@
 DocType: Purchase Order Item,Warehouse and Reference,Skladište i veza
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +93,{0} {1}: Account {2} is inactive,{0} {1}: Nalog {2} je neaktivan
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Nema napomene
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Nema napomene
 DocType: Notification Control,Purchase Receipt Message,Poruka u Prijemu robe
 DocType: Purchase Invoice,Taxes and Charges Deducted,Umanjeni porezi i naknade
 DocType: Sales Invoice,Include Payment (POS),Uključi POS plaćanje
@@ -408,9 +407,9 @@
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Ukupan povezani iznos (Valuta)
 DocType: Account,Income,Prihod
 apps/erpnext/erpnext/public/js/utils/item_selector.js +20,Add Items,Dodaj stavke
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Cjenovnik nije pronađen ili je zaključan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cjenovnik nije pronađen ili je zaključan
 DocType: Vital Signs,Weight (In Kilogram),Težina (u kg)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Nova faktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Nova faktura
 DocType: Employee Transfer,New Company,Novo preduzeće
 DocType: Issue,Support Team,Tim za podršku
 DocType: Item,Valuation Method,Način vrednovanja
@@ -435,10 +434,11 @@
 DocType: Purchase Order Item,Billed Amt,Fakturisani iznos
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +261,Supplier Quotation {0} created,Ponuda dobavljaču {0} је kreirana
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Nije dozvoljeno mijenjati Promjene na zalihama starije od {0}
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Dodaj Zaposlenog
 apps/erpnext/erpnext/config/hr.py +394,Setting up Employees,Podešavanja Zaposlenih
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Skladište nije pronađeno u sistemu
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Prisustvo zaposlenog {0} је već označeno za ovaj dan
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Zaposleni smijenjen na {0} mora biti označen kao ""Napustio"""
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Prisustvo zaposlenog {0} је već označeno za ovaj dan
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Zaposleni smijenjen na {0} mora biti označen kao ""Napustio"""
 ,Lab Test Report,Izvještaj labaratorijskog testa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +331,You cannot credit and debit same account at the same time,Не можете кредитирати и дебитовати исти налог у исто време.
 DocType: Sales Invoice,Customer Name,Naziv kupca
@@ -454,7 +454,7 @@
 DocType: Project Task,Pending Review,Čeka provjeru
 DocType: Item Default,Default Selling Cost Center,Podrazumijevani centar troškova
 apps/erpnext/erpnext/public/js/pos/pos.html +109,No Customers yet!,Još uvijek nema kupaca!
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Povraćaj prodaje
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Povraćaj prodaje
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Nema dodatih artikala na računu
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ovo je zasnovano na transkcijama ovog klijenta. Pogledajte vremensku liniju ispod za dodatne informacije
 DocType: Project Task,Make Timesheet,Kreiraj potrošeno vrijeme
@@ -462,7 +462,7 @@
 DocType: Healthcare Settings,Healthcare Settings,Podešavanje klinike
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Analitička kartica
 DocType: Stock Entry,Total Outgoing Value,Ukupna vrijednost isporuke
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Prodajni nalog {0} је {1}
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Prodajni nalog {0} је {1}
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Podesi automatski serijski broj da koristi FIFO
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novi kupci
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Prije prodaje
@@ -478,12 +478,12 @@
 apps/erpnext/erpnext/templates/pages/home.html +32,View All Products,Pogledajte sve proizvode
 DocType: Patient Medical Record,Patient Medical Record,Medicinski karton pacijenta
 DocType: Student Attendance Tool,Batch,Serija
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Prijem robe
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Prijem robe
 DocType: Item,Warranty Period (in days),Garantni rok (u danima)
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Korisnička baza podataka
 DocType: Attendance,Attendance Date,Datum prisustva
 DocType: Supplier Scorecard,Notify Employee,Obavijestiti Zaposlenog
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Korisnički ID nije podešen za Zaposlenog {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Korisnički ID nije podešen za Zaposlenog {0}
 ,Stock Projected Qty,Projektovana količina na zalihama
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +408,Make Payment,Kreiraj plaćanje
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Ne možete obrisati fiskalnu godinu {0}. Fiskalna  {0} godina je označena kao trenutna u globalnim podešavanjima.
@@ -502,7 +502,7 @@
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Немате довољно Бодова Лојалности.
 DocType: Purchase Invoice,Tax Breakup,Porez po pozicijama
 DocType: Asset Maintenance Log,Task,Zadatak
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Dodaj / Izmijeni cijene
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Dodaj / Izmijeni cijene
 ,Item Prices,Cijene artikala
 DocType: Additional Salary,Salary Component,Компонента плате
 DocType: Sales Invoice,Customer's Purchase Order Date,Datum porudžbenice kupca
@@ -515,12 +515,12 @@
 DocType: Job Card,WIP Warehouse,Wip skladište
 ,Itemwise Recommended Reorder Level,Pregled preporučenih nivoa dopune
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} veza sa računom {1} na datum {2}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Немате дозволу да постављате замрзнуту вредност
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Немате дозволу да постављате замрзнуту вредност
 ,Requested Items To Be Ordered,Tražene stavke za isporuku
 DocType: Employee Attendance Tool,Unmarked Attendance,Neobilježeno prisustvo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Prodajni nalog {0} nije potvrđen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Prodajni nalog {0} nije potvrđen
 DocType: Item,Default Material Request Type,Podrazumijevani zahtjev za tip materijala
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Prodajna linija
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Prodajna linija
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Već završen
 DocType: Production Plan Item,Ordered Qty,Poručena kol
 DocType: Item,Sales Details,Detalji prodaje
@@ -531,7 +531,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +164,Quotation {0} is cancelled,Ponuda {0} je otkazana
 DocType: Pricing Rule,Item Code,Šifra artikla
 DocType: Purchase Order,Customer Mobile No,Broj telefona kupca
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Kol. za dopunu
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Kol. za dopunu
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +118,Move Item,Premještanje artikala
 DocType: Buying Settings,Buying Settings,Podešavanja nabavke
 DocType: Asset Movement,From Employee,Od Zaposlenog
@@ -541,7 +541,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +271,Closing (Cr),Saldo (Po)
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +615,Product Bundle,Sastavnica
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +21,Sales and Returns,Prodaja i povraćaji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sinhronizuj podatke iz centrale
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sinhronizuj podatke iz centrale
 DocType: Sales Person,Sales Person Name,Ime prodajnog agenta
 DocType: Landed Cost Voucher,Purchase Receipts,Prijemi robe
 apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Prilagođavanje formi
@@ -550,7 +550,6 @@
 DocType: Purchase Invoice,Overdue,Istekao
 DocType: Purchase Invoice,Posting Time,Vrijeme izrade računa
 DocType: Stock Entry,Purchase Receipt No,Broj prijema robe
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,do
 DocType: Project,Expected End Date,Očekivani datum završetka
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Očekivani datum završetka ne može biti manji od očekivanog dana početka
 DocType: Customer,Customer Primary Contact,Primarni kontakt kupca
@@ -559,7 +558,7 @@
 DocType: Item,Item Tax,Porez
 DocType: Pricing Rule,Selling,Prodaja
 DocType: Purchase Order,Customer Contact,Kontakt kupca
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Artikal {0} ne postoji
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Artikal {0} ne postoji
 apps/erpnext/erpnext/utilities/user_progress.py +247,Add Users,Dodaj korisnike
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +81,Select Serial Numbers,Izaberite serijske brojeve
 DocType: Bank Reconciliation Detail,Payment Entry,Uplate
@@ -572,7 +571,7 @@
 apps/erpnext/erpnext/config/projects.py +36,Gantt chart of all tasks.,Gantov grafikon svih zadataka
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cijena (Valuta preduzeća)
 DocType: Delivery Stop,Address Name,Naziv adrese
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Postoji još jedan Prodavac {0} sa istim ID zaposlenog
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Postoji još jedan Prodavac {0} sa istim ID zaposlenog
 DocType: Item Group,Item Group Name,Naziv vrste artikala
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +175,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Isto ime grupe kupca već postoji. Promijenite ime kupca ili izmijenite grupu kupca
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +586,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: Još jedan  {0} # {1} postoji u vezanom Unosu zaliha {2}
@@ -593,14 +592,14 @@
 DocType: Purchase Invoice Item,Net Rate,Neto cijena sa rabatom
 DocType: Project User,Project User,Projektni user
 DocType: Item,Customer Items,Proizvodi kupca
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Stavka {0} je otkazana
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Stanje vrijed.
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Stavka {0} je otkazana
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Stanje vrijed.
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +98,Sales Order required for Item {0},Prodajni nalog je obavezan za artikal {0}
 DocType: Clinical Procedure,Patient,Pacijent
 DocType: Stock Entry,Default Target Warehouse,Prijemno skladište
 DocType: GL Entry,Voucher No,Br. dokumenta
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Prisustvo je uspješno obilježeno.
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serijski broj {0} kreiran
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serijski broj {0} kreiran
 DocType: Account,Asset,Osnovna sredstva
 DocType: Payment Entry,Received Amount,Iznos uplate
 apps/erpnext/erpnext/hr/doctype/department/department.js +14,You cannot edit root node.,Не можете уређивати коренски чвор.
@@ -611,11 +610,11 @@
 DocType: Warehouse,Warehouse Name,Naziv skladišta
 DocType: Authorization Rule,Customer / Item Name,Kupac / Naziv proizvoda
 DocType: Timesheet,Total Billed Amount,Ukupno fakturisano
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Prijem vrije.
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Prijem vrije.
 DocType: Expense Claim,Employees Email Id,ID email Zaposlenih
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tip stabla
 DocType: Stock Entry,Update Rate and Availability,Izmijenite cijenu i dostupnost
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Ponuda dobavljača
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Ponuda dobavljača
 DocType: Material Request Item,Quantity and Warehouse,Količina i skladište
 DocType: Purchase Invoice,Taxes and Charges Added,Porezi i naknade dodate
 DocType: Work Order,Warehouses,Skladišta
@@ -651,12 +650,12 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Unos zaliha {0} je kreiran
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Pretraga artikala (Ctrl + i)
 apps/erpnext/erpnext/templates/generators/item.html +101,View in Cart,Pogledajte u korpi
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Cijena artikla je izmijenjena {0} u cjenovniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Cijena artikla je izmijenjena {0} u cjenovniku {1}
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Popust
 DocType: Packing Slip,Net Weight UOM,Neto težina  JM
 DocType: Bank Account,Party Type,Tip partije
 DocType: Selling Settings,Sales Order Required,Prodajni nalog je obavezan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Pretraži artikal
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Pretraži artikal
 ,Delivered Items To Be Billed,Nefakturisana isporučena roba
 DocType: Account,Debit,Duguje
 DocType: Patient Appointment,Date TIme,Datum i vrijeme
@@ -677,7 +676,7 @@
 DocType: Account,Is Group,Je grupa
 DocType: Purchase Invoice,Contact Person,Kontakt osoba
 DocType: Item,Item Code for Suppliers,Dobavljačeva šifra
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Povraćaj / knjižno zaduženje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Povraćaj / knjižno zaduženje
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahtjev za ponudu dobavljača
 ,LeaderBoard,Tabla
 DocType: Lab Test Groups,Lab Test Groups,Labaratorijske grupe
@@ -685,7 +684,7 @@
 DocType: Serial No,Invoice Details,Detalji fakture
 apps/erpnext/erpnext/config/accounts.py +157,Banking and Payments,Bakarstvo i plaćanja
 DocType: Additional Salary,Employee Name,Ime Zaposlenog
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Активни Леадс / Kupci
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Активни Леадс / Kupci
 DocType: POS Profile,Accounting,Računovodstvo
 DocType: Payment Entry,Party Name,Ime partije
 DocType: Item,Manufacture,Proizvodnja
@@ -707,7 +706,7 @@
 DocType: Sales Invoice,Debit To,Zaduženje za
 apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globalna podešavanja
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Keriraj Zaposlenog
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Minimum jedno skladište je obavezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Minimum jedno skladište je obavezno
 DocType: Price List,Price List Name,Naziv cjenovnika
 DocType: Item,Purchase Details,Detalji kupovine
 DocType: Asset,Journal Entry for Scrap,Knjiženje rastura i loma
@@ -719,26 +718,26 @@
 DocType: Announcement,Student,Student
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Naziv dobavljača
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Prijem količine
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Prodajna cijena
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Prodajna cijena
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +64,Import Successful!,Uvoz uspješan!
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Zaliha se ne može promijeniti jer je vezana sa otpremnicom {0}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Радите без интернета. Нећете моћи да учитате страницу док се не повежете.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Zaliha se ne može promijeniti jer je vezana sa otpremnicom {0}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Радите без интернета. Нећете моћи да учитате страницу док се не повежете.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Prikaži kao formu
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Manjak kol.
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Manjak kol.
 DocType: Drug Prescription,Hour,Sat
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +55,Item Group Tree,Stablo vrste artikala
 DocType: POS Profile,Update Stock,Ažuriraj zalihu
 DocType: Crop,Target Warehouse,Ciljno skladište
 ,Delivery Note Trends,Trendovi Otpremnica
 DocType: Stock Entry,Default Source Warehouse,Izdajno skladište
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Email zaposlenog nije pronađena, stoga email nije poslat"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Email zaposlenog nije pronađena, stoga email nije poslat"
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Sva skladišta
 DocType: Asset Value Adjustment,Difference Amount,Razlika u iznosu
 DocType: Journal Entry,User Remark,Korisnička napomena
 DocType: Notification Control,Quotation Message,Ponuda - poruka
 DocType: Purchase Order,% Received,% Primljeno
 DocType: Journal Entry,Stock Entry,Unos zaliha
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Prodajni cjenovnik
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Prodajni cjenovnik
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +67,Avg. Selling Rate,Prosječna prodajna cijena
 DocType: Item,End of Life,Kraj proizvodnje
 DocType: Payment Entry,Payment Type,Vrsta plaćanja
@@ -750,7 +749,7 @@
 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Otpisati
 DocType: Notification Control,Delivery Note Message,Poruka na otpremnici
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Cannot delete Serial No {0}, as it is used in stock transactions","Ne može se obrisati serijski broj {0}, dok god se nalazi u dijelu Promjene na zalihama"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Novi Zaposleni
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kupci na čekanju
 DocType: Purchase Invoice,Price List Currency,Valuta Cjenovnika
@@ -763,7 +762,7 @@
 DocType: Account,Expense,Rashod
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletter-i
 DocType: Purchase Invoice,Select Supplier Address,Izaberite adresu dobavljača
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Cjenovnik {0} je zaključan ili ne postoji
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Cjenovnik {0} je zaključan ili ne postoji
 DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu
 DocType: Restaurant Order Entry,Add Item,Dodaj stavku
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Sve grupe kupca
@@ -777,8 +776,8 @@
 DocType: Projects Settings,Timesheets,Potrošnja vremena
 DocType: Upload Attendance,Attendance From Date,Datum početka prisustva
 apps/erpnext/erpnext/public/js/pos/pos.html +115,Stock Items,Artikli na zalihama
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Nova korpa
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Početna vrijednost
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Nova korpa
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Početna vrijednost
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Podešavanje stanja na {0}, pošto Zaposleni koji se priključio Prodavcima nema koririsnički ID {1}"
 DocType: Upload Attendance,Import Attendance,Uvoz prisustva
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analitika
@@ -787,7 +786,7 @@
 DocType: Purchase Receipt Item,Rate and Amount,Cijena i vrijednost sa popustom
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +215,'Total','Ukupno bez PDV-a'
 DocType: Purchase Invoice,Total Taxes and Charges,Porez
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Nisu pronađene aktivne ili podrazumjevane strukture plate za Zaposlenog {0} za dati period
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Nisu pronađene aktivne ili podrazumjevane strukture plate za Zaposlenog {0} za dati period
 DocType: Purchase Order Item,Supplier Part Number,Dobavljačeva šifra
 DocType: Project Task,Project Task,Projektni zadatak
 DocType: Item Group,Parent Item Group,Nadređena Vrsta artikala
@@ -809,7 +808,7 @@
 DocType: Bank Reconciliation,Total Amount,Ukupan iznos
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Please select Price List,Izaberite cjenovnik
 DocType: Quality Inspection,Item Serial No,Seriski broj artikla
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Usluga kupca
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Usluga kupca
 DocType: Project Task,Working,U toku
 DocType: Cost Center,Stock User,Korisnik zaliha
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Glavna knjiga
@@ -822,7 +821,7 @@
 apps/erpnext/erpnext/config/selling.py +234,Customer Addresses And Contacts,Kontakt i adresa kupca
 DocType: Healthcare Settings,Employee name and designation in print,Ime i pozicija Zaposlenog
 DocType: Material Request Item,For Warehouse,Za skladište
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Nabavni cjenovnik
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Nabavni cjenovnik
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Pregled obaveze prema dobavljačima
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnice {0} moraju biti otkazane prije otkazivanja prodajnog naloga
 DocType: Loan,Total Payment,Ukupno plaćeno
@@ -831,17 +830,16 @@
 DocType: Purchase Invoice Item,Valuation Rate,Prosječna nab. cijena
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID Projekta
 DocType: Purchase Invoice,Invoice Copy,Kopija Fakture
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Позвани сте да сарађујете на пројекту: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Позвани сте да сарађујете на пројекту: {0}
 DocType: Journal Entry Account,Purchase Order,Porudžbenica
 DocType: Sales Invoice Item,Rate With Margin,Cijena sa popustom
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,је обавезно. Можда курсна листа није направљена за
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Pretraga po šifri, serijskom br. ili bar kodu"
 DocType: GL Entry,Voucher Type,Vrsta dokumenta
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} has already been received,Serijski broj {0} je već primljen
 apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Uvoz i izvoz podataka
 apps/erpnext/erpnext/controllers/accounts_controller.py +601,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupan avns({0}) na porudžbini {1} ne može biti veći od Ukupnog iznosa ({2})
 DocType: Material Request,% Ordered,%  Poručenog
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Cjenovnik nije odabran
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Cjenovnik nije odabran
 DocType: POS Profile,Apply Discount On,Primijeni popust na
 DocType: Item,Total Projected Qty,Ukupna projektovana količina
 DocType: Shipping Rule Condition,Shipping Rule Condition,Uslovi  pravila nabavke
@@ -854,7 +852,7 @@
 DocType: Sales Order Item,Delivery Warehouse,Skladište dostave
 DocType: Purchase Invoice,Total (Company Currency),Ukupno bez PDV-a (Valuta)
 DocType: Sales Invoice,Change Amount,Kusur
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Prilika
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Prilika
 DocType: Sales Order,Fully Delivered,Kompletno isporučeno
 DocType: Leave Control Panel,Leave blank if considered for all employee types,Ostavite prazno ako se podrazumijeva za sve tipove Zaposlenih
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Popust
@@ -864,7 +862,7 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Ovo je zasnovano na transkcijama ovog dobavljača. Pogledajte vremensku liniju ispod za dodatne informacije
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Iznad 90 dana
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Већ сте оценили за критеријум оцењивања {}.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Serijski broj na poziciji {0} se ne poklapa sa otpremnicom
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Serijski broj na poziciji {0} se ne poklapa sa otpremnicom
 apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Novi kontakt
 DocType: Purchase Invoice,Returns,Povraćaj
 DocType: Delivery Note,Delivery To,Isporuka za
@@ -885,12 +883,12 @@
 DocType: Appointment Type,Physician,Ljekar
 DocType: Opening Invoice Creation Tool Item,Quantity,Količina
 DocType: Buying Settings,Purchase Receipt Required,Prijem robe je obavezan
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta je obavezna za Cjenovnik {0}
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Izdavanje vrije.
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuta je obavezna za Cjenovnik {0}
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Izdavanje vrije.
 DocType: Loyalty Program,Customer Group,Grupa kupaca
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Немате дозволу да додајете или ажурирате ставке пре {0}
 DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladište se jedino može promijeniti u dijelu Unos zaliha / Otpremnica / Prijem robe
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Zahtjev za ponude
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Zahtjev za ponude
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Naučite
 DocType: Timesheet,Employee Detail,Detalji o Zaposlenom
 DocType: POS Profile,Ignore Pricing Rule,Zanemari pravilnik o cijenama
@@ -904,7 +902,7 @@
 apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Korisnici i dozvole
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +68,"You can only plan for upto {0} vacancies and budget {1} \
 				for {2} as per staffing plan {3} for parent company {4}.",Можете планирати до {0} слободна места и буџетирати {1} \ за {2} по плану особља {3} за матичну компанију {4}.
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Dodaj kupce
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Dodaj kupce
 DocType: Employee External Work History,Employee External Work History,Istorijat o radu van preduzeća za Zaposlenog
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Otpremite robu prvo
 DocType: Lead,From Customer,Od kupca
@@ -912,8 +910,8 @@
 DocType: Sales Invoice Item,Sales Order Item,Pozicija prodajnog naloga
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Godišnji promet: {0}
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Datum početka prisustva i prisustvo do danas su obavezni
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Rezervisana kol.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ništa nije pronađeno
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Rezervisana kol.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ništa nije pronađeno
 DocType: Item,Copy From Item Group,Kopiraj iz vrste artikala
 DocType: Journal Entry,Total Amount in Words,Ukupan iznos riječima
 DocType: Purchase Taxes and Charges,On Net Total,Na ukupno bez PDV-a
@@ -924,13 +922,13 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Pregled zalihe
 DocType: Purchase Invoice Item,Quality Inspection,Provjera kvaliteta
 apps/erpnext/erpnext/config/accounts.py +122,Accounting Statements,Računovodstveni iskazi
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Cijena je dodata na artiklu {0} iz cjenovnika {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Cijena je dodata na artiklu {0} iz cjenovnika {1}
 DocType: Project Type,Projects Manager,Projektni menadžer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Ponuda {0} ne propada {1}
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Svi proizvodi ili usluge.
 DocType: Purchase Invoice,Rounded Total,Zaokruženi ukupan iznos
 DocType: Request for Quotation Supplier,Download PDF,Preuzmi PDF
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Ponuda
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Ponuda
 DocType: Lead,Mobile No.,Mobilni br.
 DocType: Item,Has Variants,Ima varijante
 DocType: Price List Country,Price List Country,Zemlja cjenovnika
@@ -941,7 +939,7 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Унели сте дупликате. Молимо проверите и покушајте поново.
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Saldo (Du)
 DocType: Sales Invoice,Product Bundle Help,Sastavnica Pomoć
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Ukupno bez PDV-a {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Ukupno bez PDV-a {0} ({1})
 DocType: Sales Partner,Address & Contacts,Adresa i kontakti
 apps/erpnext/erpnext/controllers/accounts_controller.py +362, or ,ili
 apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zahtjev za ponudu
@@ -953,7 +951,7 @@
 DocType: Bin,Requested Quantity,Tražena količina
 DocType: Company,Chart Of Accounts Template,Templejt za kontni plan
 DocType: Employee Attendance Tool,Marked Attendance,Označeno prisustvo
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Molimo podesite podrazumjevanu listu praznika za Zaposlenog {0} ili Preduzeće {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Molimo podesite podrazumjevanu listu praznika za Zaposlenog {0} ili Preduzeće {1}
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Iznos na čekanju
 DocType: Payment Entry Reference,Supplier Invoice No,Broj fakture dobavljača
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalna podešavanja za cjelokupan proces proizvodnje.
@@ -962,7 +960,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Vezni dokument
 DocType: Account,Accounts,Računi
 ,Requested,Tražena
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
 DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za stavku sa ponude
 DocType: Homepage,Products,Proizvodi
 DocType: Patient Appointment,Check availability,Provjeri dostupnost
@@ -977,15 +975,14 @@
 apps/erpnext/erpnext/config/education.py +230,Other Reports,Ostali izvještaji
 DocType: Blanket Order,Purchasing,Kupovina
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',"Не можете обрисати ""Спољни"" тип пројекта."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Otpremnice
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Otpremnice
 DocType: Sales Order,In Words will be visible once you save the Sales Order.,U riječima će biti vidljivo tek kada sačuvate prodajni nalog.
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Прикажи одсечак плате
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Troškovi aktivnosti po zaposlenom
 DocType: Journal Entry Account,Sales Order,Prodajni nalog
 DocType: Stock Entry,Customer or Supplier Details,Detalji kupca ili dobavljača
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Prodaja
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Isplatna lista Zaposlenog {0} kreirana je već za raspored {1}
-DocType: Email Digest,Pending Quotations,Predračuni na čekanju
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Isplatna lista Zaposlenog {0} kreirana je već za raspored {1}
 DocType: Purchase Invoice,Additional Discount Percentage,Dodatni procenat popusta
 DocType: Additional Salary,HR User,Korisnik za ljudske resure
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Izvještaji zaliha robe
diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv
index 27811d0..522a821 100644
--- a/erpnext/translations/sr.csv
+++ b/erpnext/translations/sr.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Предмети Цустомер
 DocType: Project,Costing and Billing,Коштају и обрачуна
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Адванце валута валуте треба да буде иста као валута компаније {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Рачун {0}: {1 Родитељ рачун} не може бити књига
+DocType: QuickBooks Migrator,Token Endpoint,Крајња тачка жетона
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Рачун {0}: {1 Родитељ рачун} не може бити књига
 DocType: Item,Publish Item to hub.erpnext.com,Објављивање ставку да хуб.ерпнект.цом
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Не могу пронаћи активни период отпуста
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Не могу пронаћи активни период отпуста
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,процена
 DocType: Item,Default Unit of Measure,Уобичајено Јединица мере
 DocType: SMS Center,All Sales Partner Contact,Све продаје партнер Контакт
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Кликните Ентер за додавање
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Недостајућа вриједност за лозинку, АПИ кључ или Схопифи УРЛ"
 DocType: Employee,Rented,Изнајмљени
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Сви рачуни
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Сви рачуни
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Не можете пренети запослене са статусом Лево
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Стоппед Производња поредак не може бити поништен, то Унстоп прво да откажете"
 DocType: Vehicle Service,Mileage,километража
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Да ли заиста желите да укине ову имовину?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Да ли заиста желите да укине ову имовину?
 DocType: Drug Prescription,Update Schedule,Упдате Сцхедуле
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Изаберите Примарни добављач
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Схов Емплоиее
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Нова девизна стопа
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Валута је потребан за ценовнику {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Валута је потребан за ценовнику {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Биће обрачунато у овој трансакцији.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,МАТ-ДТ-ИИИИ.-
 DocType: Purchase Order,Customer Contact,Кориснички Контакт
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Ово је засновано на трансакције против тог добављача. Погледајте рок доле за детаље
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Процент прекомерне производње за радни налог
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,МАТ-ЛЦВ-ИИИИ.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,правни
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,правни
+DocType: Delivery Note,Transport Receipt Date,Датум пријема превоза
 DocType: Shopify Settings,Sales Order Series,Наруџбе серије продаје
 DocType: Vital Signs,Tongue,Језик
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,ХРА изузеће
 DocType: Sales Invoice,Customer Name,Име клијента
 DocType: Vehicle,Natural Gas,Природни гас
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Жиро рачун не може бити именован као {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Жиро рачун не може бити именован као {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,ХРА по плати структури
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Хеадс (или групе) против које рачуноводствене уноси се праве и биланси се одржавају.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Выдающийся для {0} не может быть меньше нуля ( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Датум заустављања услуге не може бити пре почетка услуге
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Датум заустављања услуге не може бити пре почетка услуге
 DocType: Manufacturing Settings,Default 10 mins,Уобичајено 10 минс
 DocType: Leave Type,Leave Type Name,Оставите Име Вид
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,схов отворен
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,схов отворен
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Серия Обновлено Успешно
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Провери
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} у реду {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} у реду {1}
 DocType: Asset Finance Book,Depreciation Start Date,Датум почетка амортизације
 DocType: Pricing Rule,Apply On,Нанесите на
 DocType: Item Price,Multiple Item prices.,Више цене аукцији .
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Подршка подешавања
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Очекивани Датум завршетка не може бити мањи од очекиваног почетка Датум
 DocType: Amazon MWS Settings,Amazon MWS Settings,Амазон МВС подешавања
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: курс мора да буде исти као {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: курс мора да буде исти као {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Батцх артикла истека статус
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Банка Нацрт
 DocType: Journal Entry,ACC-JV-.YYYY.-,АЦЦ-ЈВ-ИИИИ.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Примарне контактне информације
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Отворених питања
 DocType: Production Plan Item,Production Plan Item,Производња план шифра
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен Employee {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен Employee {1}
 DocType: Lab Test Groups,Add new line,Додајте нову линију
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,здравство
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Кашњење у плаћању (Дани)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Лаб рецепт
 ,Delay Days,Дани одлагања
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,сервис Трошкови
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Серијски број: {0} је већ наведено у продаји фактуре: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Серијски број: {0} је већ наведено у продаји фактуре: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Фактура
 DocType: Purchase Invoice Item,Item Weight Details,Детаљна тежина артикла
 DocType: Asset Maintenance Log,Periodicity,Периодичност
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} је потребно
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Добављач&gt; Група добављача
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минимално растојање између редова биљака за оптималан раст
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,одбрана
 DocType: Salary Component,Abbr,Аббр
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,ХЛЦ-ЕНЦ-ИИИИ.-
 DocType: Daily Work Summary Group,Holiday List,Холидаи Листа
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,рачуновођа
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Продајна цена
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Продајна цена
 DocType: Patient,Tobacco Current Use,Употреба дувана
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Продајна стопа
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Продајна стопа
 DocType: Cost Center,Stock User,Сток Корисник
 DocType: Soil Analysis,(Ca+Mg)/K,(Ца + Мг) / К
+DocType: Delivery Stop,Contact Information,Контакт информације
 DocType: Company,Phone No,Тел
 DocType: Delivery Trip,Initial Email Notification Sent,Послато је обавештење о почетној е-пошти
 DocType: Bank Statement Settings,Statement Header Mapping,Мапирање заглавља извода
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Датум почетка претплате
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Подразумевани рачуни потраживања који ће се користити ако нису постављени у Пацијенту да резервишу трошкове наплате.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Причврстите .цсв датотеку са две колоне, једна за старим именом и један за ново име"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Од наслова 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Шифра производа&gt; Група производа&gt; Бренд
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Од наслова 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ни у ком активном фискалној години.
 DocType: Packed Item,Parent Detail docname,Родитељ Детаљ доцнаме
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Референца: {0}, Код товара: {1} Цустомер: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} није присутан у матичној компанији
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} није присутан у матичној компанији
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Датум завршетка пробног периода не може бити пре почетка пробног периода
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,кг
 DocType: Tax Withholding Category,Tax Withholding Category,Категорија опозивања пореза
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,оглашавање
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Иста компанија је ушла у више наврата
 DocType: Patient,Married,Ожењен
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Није дозвољено за {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Није дозвољено за {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Гет ставке из
 DocType: Price List,Price Not UOM Dependant,Цена није УОМ зависна
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Примијенити износ порезних средстава
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Укупан износ кредита
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Укупан износ кредита
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Производ {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Но итемс листед
 DocType: Asset Repair,Error Description,Опис грешке
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Користите Цустом Флов Флов Формат
 DocType: SMS Center,All Sales Person,Све продаје Особа
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Месечни Дистрибуција ** помаже да дистрибуирате буџет / Таргет преко месеци ако имате сезонски у свом послу.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Није пронађено ставки
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Плата Структура Недостаје
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Није пронађено ставки
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Плата Структура Недостаје
 DocType: Lead,Person Name,Особа Име
 DocType: Sales Invoice Item,Sales Invoice Item,Продаја Рачун шифра
 DocType: Account,Credit,Кредит
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,stock Извештаји
 DocType: Warehouse,Warehouse Detail,Магацин Детаљ
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Рок Датум завршетка не може бити касније од годину завршити Датум школске године у којој је термин везан (академска година {}). Молимо исправите датуме и покушајте поново.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Да ли је основних средстава&quot; не може бити неконтролисано, као средствима запис постоји у односу на ставке"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Да ли је основних средстава&quot; не може бити неконтролисано, као средствима запис постоји у односу на ставке"
 DocType: Delivery Trip,Departure Time,Време поласка
 DocType: Vehicle Service,Brake Oil,кочница уље
 DocType: Tax Rule,Tax Type,Пореска Тип
 ,Completed Work Orders,Завршени радни налоги
 DocType: Support Settings,Forum Posts,Форум Постс
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,опорезиви износ
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,опорезиви износ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},"Вы не авторизованы , чтобы добавить или обновить записи до {0}"
 DocType: Leave Policy,Leave Policy Details,Оставите детаље о политици
 DocType: BOM,Item Image (if not slideshow),Артикал слика (ако не слидесхов)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Час курс / 60) * Пуна Операција време
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Референтни тип документа мора бити један од потраживања трошкова или уноса дневника
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Избор БОМ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Референтни тип документа мора бити један од потраживања трошкова или уноса дневника
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Избор БОМ
 DocType: SMS Log,SMS Log,СМС Пријава
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Трошкови уручене пошиљке
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Празник на {0} није између Од датума и до сада
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Предлошци табеле добављача.
 DocType: Lead,Interested,Заинтересован
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Отварање
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Од {0} {1} да
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Од {0} {1} да
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Програм:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Неуспешно подешавање пореза
 DocType: Item,Copy From Item Group,Копирање из ставке групе
-DocType: Delivery Trip,Delivery Notification,Обавештење о испоруци
 DocType: Journal Entry,Opening Entry,Отварање Ентри
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Рачун плаћате само
 DocType: Loan,Repay Over Number of Periods,Отплатити Овер број периода
 DocType: Stock Entry,Additional Costs,Додатни трошкови
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Счет с существующей сделки не могут быть преобразованы в группы .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Счет с существующей сделки не могут быть преобразованы в группы .
 DocType: Lead,Product Enquiry,Производ Енкуири
 DocType: Education Settings,Validate Batch for Students in Student Group,Потврди Батцх за студенте у Студентском Групе
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Но одсуство запис фоунд фор запосленом {0} за {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Молимо унесите прва компанија
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Одредите прво Компанија
 DocType: Employee Education,Under Graduate,Под Дипломац
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Молимо подесите подразумевани образац за обавештење о статусу Леаве Статус у ХР поставкама.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Молимо подесите подразумевани образац за обавештење о статусу Леаве Статус у ХР поставкама.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Циљна На
 DocType: BOM,Total Cost,Укупни трошкови
 DocType: Soil Analysis,Ca/K,Ца / К
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Изјава рачуна
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Фармација
 DocType: Purchase Invoice Item,Is Fixed Asset,Је основних средстава
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Доступно ком је {0}, потребно је {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Доступно ком је {0}, потребно је {1}"
 DocType: Expense Claim Detail,Claim Amount,Захтев Износ
 DocType: Patient,HLC-PAT-.YYYY.-,ХЛЦ-ПАТ-ИИИИ.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Радни налог је био {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Шаблон за проверу квалитета
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Да ли желите да ажурирате присуство? <br> Пресент: {0} \ <br> Одсутни: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Принято + Отклоненные Кол-во должно быть равно полученного количества по пункту {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Принято + Отклоненные Кол-во должно быть равно полученного количества по пункту {0}
 DocType: Item,Supply Raw Materials for Purchase,Набавка сировина за куповину
 DocType: Agriculture Analysis Criteria,Fertilizer,Фертилизер
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Не може се осигурати испорука помоћу Серијског бр. Као \ Итем {0} додат је са и без Осигурање испоруке од \ Серијски број
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Најмање један начин плаћања је потребно за ПОС рачуна.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Најмање један начин плаћања је потребно за ПОС рачуна.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Ставка фактуре за трансакцију из банке
 DocType: Products Settings,Show Products as a List,Схов Производи као Лист
 DocType: Salary Detail,Tax on flexible benefit,Порез на флексибилну корист
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Дифф Количина
 DocType: Production Plan,Material Request Detail,Захтев за материјал за материјал
 DocType: Selling Settings,Default Quotation Validity Days,Подразумевани дани валуте квотирања
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}"
 DocType: SMS Center,SMS Center,СМС центар
 DocType: Payroll Entry,Validate Attendance,Потврдите присуство
 DocType: Sales Invoice,Change Amount,Промена Износ
 DocType: Party Tax Withholding Config,Certificate Received,Примљено сертификат
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Поставите вредност фактуре за Б2Ц. Б2ЦЛ и Б2ЦС израчунати на основу ове факторске вредности.
 DocType: BOM Update Tool,New BOM,Нови БОМ
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Прописане процедуре
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Прописане процедуре
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Прикажи само ПОС
 DocType: Supplier Group,Supplier Group Name,Име групе добављача
 DocType: Driver,Driving License Categories,Возачке дозволе категорије
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Периоди плаћања
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Маке Емплоиее
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,радиодифузија
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Начин подешавања ПОС (Онлине / Оффлине)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Начин подешавања ПОС (Онлине / Оффлине)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Онемогућава креирање евиденција времена против радних налога. Операције неће бити праћене радним налогом
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,извршење
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Детаљи о пословању спроведена.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Попуст на цену Лист стопа (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Шаблон предмета
 DocType: Job Offer,Select Terms and Conditions,Изаберите Услови
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,od Вредност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,od Вредност
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Поставка Поставке банке
 DocType: Woocommerce Settings,Woocommerce Settings,Вооцоммерце Сеттингс
 DocType: Production Plan,Sales Orders,Салес Ордерс
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Захтев за котацију се може приступити кликом на следећи линк
 DocType: SG Creation Tool Course,SG Creation Tool Course,СГ Стварање Алат курс
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис плаћања
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,nedovoljno Сток
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,nedovoljno Сток
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Искључи Планирање капацитета и Тиме Трацкинг
 DocType: Email Digest,New Sales Orders,Нове продајних налога
 DocType: Bank Account,Bank Account,Банковни рачун
 DocType: Travel Itinerary,Check-out Date,Датум одласка
 DocType: Leave Type,Allow Negative Balance,Дозволи негативан салдо
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Не можете обрисати тип пројекта &#39;Спољни&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Изаберите Алтернате Итем
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Изаберите Алтернате Итем
 DocType: Employee,Create User,створити корисника
 DocType: Selling Settings,Default Territory,Уобичајено Територија
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,телевизија
 DocType: Work Order Operation,Updated via 'Time Log',Упдатед преко 'Време Приступи'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Изаберите купца или добављача.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Унапред износ не може бити већи од {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Унапред износ не може бити већи од {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временски слот скипиран, слот {0} до {1} се преклапа са постојећим слотом {2} до {3}"
 DocType: Naming Series,Series List for this Transaction,Серија Листа за ову трансакције
 DocType: Company,Enable Perpetual Inventory,Омогући Перпетуал Инвентори
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Против продаје Фактура тачком
 DocType: Agriculture Analysis Criteria,Linked Doctype,Линкед Доцтипе
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Нето готовина из финансирања
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Локалну меморију је пуна, није сачувао"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Локалну меморију је пуна, није сачувао"
 DocType: Lead,Address & Contact,Адреса и контакт
 DocType: Leave Allocation,Add unused leaves from previous allocations,Додај неискоришћене листове из претходних алокација
 DocType: Sales Partner,Partner website,сајт партнер
@@ -447,10 +447,10 @@
 ,Open Work Orders,Отворите радне налоге
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Оут Патиент Цонсултинг Итем Цхарге
 DocType: Payment Term,Credit Months,Кредитни месеци
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Нето плата не може бити мања од 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Нето плата не може бити мања од 0
 DocType: Contract,Fulfilled,Испуњено
 DocType: Inpatient Record,Discharge Scheduled,Испуштање заказано
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения
 DocType: POS Closing Voucher,Cashier,Благајна
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Леавес по години
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ров {0}: Проверите 'Да ли је напредно ""против налог {1} ако је ово унапред унос."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Молим поставите студенте под студентске групе
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Комплетан посао
 DocType: Item Website Specification,Item Website Specification,Ставка Сајт Спецификација
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Оставите Блокирани
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Оставите Блокирани
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Банк unosi
 DocType: Customer,Is Internal Customer,Је интерни корисник
 DocType: Crop,Annual,годовой
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ако се провери аутоматско укључивање, клијенти ће аутоматски бити повезани са дотичним програмом лојалности (при уштеди)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Стоцк Помирење артикла
 DocType: Stock Entry,Sales Invoice No,Продаја Рачун Нема
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Тип испоруке
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Тип испоруке
 DocType: Material Request Item,Min Order Qty,Минимална количина за поручивање
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Студент Група Стварање Алат курс
 DocType: Lead,Do Not Contact,Немојте Контакт
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Објављивање у Хуб
 DocType: Student Admission,Student Admission,студент Улаз
 ,Terretory,Терретори
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Пункт {0} отменяется
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Пункт {0} отменяется
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Редослед амортизације {0}: Почетни датум амортизације уписан је као прошли датум
 DocType: Contract Template,Fulfilment Terms and Conditions,Услови испуњавања услова
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Материјал Захтев
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Материјал Захтев
 DocType: Bank Reconciliation,Update Clearance Date,Упдате Дате клиренс
 ,GSTR-2,ГСТР-2
 DocType: Item,Purchase Details,Куповина Детаљи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Ставка {0} није пронађен у &quot;сировине Испоручује се &#39;сто у нарудзбенице {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Ставка {0} није пронађен у &quot;сировине Испоручује се &#39;сто у нарудзбенице {1}
 DocType: Salary Slip,Total Principal Amount,Укупни основни износ
 DocType: Student Guardian,Relation,Однос
 DocType: Student Guardian,Mother,мајка
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Достава жупанија
 DocType: Currency Exchange,For Selling,За продају
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Научити
+DocType: Purchase Invoice Item,Enable Deferred Expense,Омогућите одложени трошак
 DocType: Asset,Next Depreciation Date,Следећа Амортизација Датум
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Активност Трошкови по запосленом
 DocType: Accounts Settings,Settings for Accounts,Подешавања за рачуне
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Добављач Фактура Не постоји у фактури {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Добављач Фактура Не постоји у фактури {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управление менеджера по продажам дерево .
 DocType: Job Applicant,Cover Letter,Пропратно писмо
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Изузетне чекова и депозити до знања
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Спољни власници
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Циркуларне референце Грешка
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Студентски извештај картица
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Од ПИН-а
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Од ПИН-а
 DocType: Appointment Type,Is Inpatient,Је стационарно
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Гуардиан1 Име
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,У Вордс (извоз) ће бити видљив када сачувате напомену Деливери.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Тема Валута
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Фактура Тип
 DocType: Employee Benefit Claim,Expense Proof,Доказ о трошковима
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Обавештење о пријему пошиљке
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Сачувај {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Обавештење о пријему пошиљке
 DocType: Patient Encounter,Encounter Impression,Енцоунтер Импрессион
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Подешавање Порези
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Набавна вредност продате Ассет
 DocType: Volunteer,Morning,Јутро
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Плаћање Ступање је модификована након што га извукао. Молимо вас да га опет повуците.
 DocType: Program Enrollment Tool,New Student Batch,Нова студентска серија
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} вводится дважды в пункт налоге
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Преглед за ову недељу и чекају активности
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} вводится дважды в пункт налоге
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Преглед за ову недељу и чекају активности
 DocType: Student Applicant,Admitted,Признао
 DocType: Workstation,Rent Cost,Издавање Трошкови
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Износ Након Амортизација
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Износ Након Амортизација
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Предстојеће догађаје из календара
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Вариант атрибути
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Изаберите месец и годину
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Може постојати само 1 налог за предузеће у {0} {1}
 DocType: Support Search Source,Response Result Key Path,Кључне стазе Респонсе Ресулт
 DocType: Journal Entry,Inter Company Journal Entry,Интер Цомпани Јоурнал Ентри
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},За количину {0} не би требало бити већа од количине радног налога {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Молимо погледајте прилог
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},За количину {0} не би требало бити већа од количине радног налога {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Молимо погледајте прилог
 DocType: Purchase Order,% Received,% Примљено
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Створити студентских група
 DocType: Volunteer,Weekends,Викенди
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Тотал Оутстандинг
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промена стартовања / струја број редни постојеће серије.
 DocType: Dosage Strength,Strength,Снага
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Креирајте нови клијента
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Креирајте нови клијента
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Истиче се
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако више Цене Правила наставити да превлада, корисници су упитани да подесите приоритет ручно да реши конфликт."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Створити куповини Ордерс
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Потрошни трошкова
 DocType: Purchase Receipt,Vehicle Date,Датум возила
 DocType: Student Log,Medical,медицинский
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Разлог за губљење
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Изаберите Лијек
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Разлог за губљење
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Изаберите Лијек
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Олово Власник не може бити исти као и олова
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Издвојила износ не може већи од износа неприлагонене
 DocType: Announcement,Receiver,пријемник
 DocType: Location,Area UOM,Област УОМ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Радна станица је затворена на следеће датуме по Холидаи Лист: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Могућности
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Могућности
 DocType: Lab Test Template,Single,Самац
 DocType: Compensatory Leave Request,Work From Date,Рад са датума
 DocType: Salary Slip,Total Loan Repayment,Укупно Отплата кредита
+DocType: Project User,View attachments,Погледајте прилоге
 DocType: Account,Cost of Goods Sold,Себестоимость реализованных товаров
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Унесите трошка
 DocType: Drug Prescription,Dosage,Дозирање
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Количина и Оцените
 DocType: Delivery Note,% Installed,Инсталирано %
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Учионице / Лабораторије итд, где може да се планира предавања."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Компанијске валуте обе компаније треба да се подударају за трансакције Интер предузећа.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Компанијске валуте обе компаније треба да се подударају за трансакције Интер предузећа.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Молимо унесите прво име компаније
 DocType: Travel Itinerary,Non-Vegetarian,Не вегетаријанац
 DocType: Purchase Invoice,Supplier Name,Снабдевач Име
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Привремено на чекању
 DocType: Account,Is Group,Је група
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Кредитна белешка {0} је креирана аутоматски
-DocType: Email Digest,Pending Purchase Orders,Куповина на чекању Ордерс
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Аутоматски подешава серијски бр на основу ФИФО
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Одлазак добављача Фактура број јединственост
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Примарни детаљи детаља
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Прилагодите уводни текст који иде као део тог поште. Свака трансакција има посебан уводном тексту.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Ред {0}: Операција је неопходна према елементу сировог материјала {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Молимо поставите подразумевани се плаћају рачун за предузећа {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Трансакција није дозвољена заустављена Радни налог {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Трансакција није дозвољена заустављена Радни налог {0}
 DocType: Setup Progress Action,Min Doc Count,Мин Доц Цоунт
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобална подешавања за свим производним процесима.
 DocType: Accounts Settings,Accounts Frozen Upto,Рачуни Фрозен Упто
 DocType: SMS Log,Sent On,Послата
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} изабран више пута у атрибутима табели
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} изабран више пута у атрибутима табели
 DocType: HR Settings,Employee record is created using selected field. ,Запослени Запис се креира коришћењем изабрано поље.
 DocType: Sales Order,Not Applicable,Није применљиво
 DocType: Amazon MWS Settings,UK,УК
@@ -753,21 +755,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Запосленик {0} већ је пријавио за {1} на {2}:
 DocType: Inpatient Record,AB Positive,АБ Позитиван
 DocType: Job Opening,Description of a Job Opening,Опис посао Отварање
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Пендинг активности за данас
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Пендинг активности за данас
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Плата Компонента за плате на основу ТимеСхеет.
+DocType: Driver,Applicable for external driver,Примењује се за спољни управљачки програм
 DocType: Sales Order Item,Used for Production Plan,Користи се за производни план
 DocType: Loan,Total Payment,Укупан износ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Не могу отказати трансакцију за Завршени радни налог.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Не могу отказати трансакцију за Завршени радни налог.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Време између операција (у минута)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,ПО је већ креиран за све ставке поруџбине
 DocType: Healthcare Service Unit,Occupied,Заузети
 DocType: Clinical Procedure,Consumables,Потрошни материјал
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} је отказана тако да акција не може бити завршен
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} је отказана тако да акција не може бити завршен
 DocType: Customer,Buyer of Goods and Services.,Купац робе и услуга.
 DocType: Journal Entry,Accounts Payable,Обавезе према добављачима
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Износ од {0} који је постављен у овом захтеву за плаћање разликује се од обрачунатог износа свих планова плаћања: {1}. Пре него што пошаљете документ, проверите да ли је то тачно."
 DocType: Patient,Allergies,Алергије
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Одабрани БОМ нису за исту робу
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Одабрани БОМ нису за исту робу
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Промените ставку
 DocType: Supplier Scorecard Standing,Notify Other,Обавести другу
 DocType: Vital Signs,Blood Pressure (systolic),Крвни притисак (систолни)
@@ -779,7 +782,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Довољно Делови за изградњу
 DocType: POS Profile User,POS Profile User,ПОС Профил корисника
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Ред {0}: датум почетка амортизације је потребан
-DocType: Sales Invoice Item,Service Start Date,Датум почетка услуге
+DocType: Purchase Invoice Item,Service Start Date,Датум почетка услуге
 DocType: Subscription Invoice,Subscription Invoice,Рачун за претплату
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Прямая прибыль
 DocType: Patient Appointment,Date TIme,Датум време
@@ -799,7 +802,7 @@
 DocType: Lab Test Template,Lab Routine,Лаб Роутине
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,козметика
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Молимо изаберите Датум завршетка за попуњени дневник одржавања средстава
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Да бисте објединили , следеће особине морају бити исти за обе ставке"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Да бисте објединили , следеће особине морају бити исти за обе ставке"
 DocType: Supplier,Block Supplier,Блок испоручилац
 DocType: Shipping Rule,Net Weight,Нето тежина
 DocType: Job Opening,Planned number of Positions,Планирани број позиција
@@ -821,19 +824,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Шаблон за мапирање готовог тока
 DocType: Travel Request,Costing Details,Детаљи о трошковима
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Прикажи повратне уносе
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Серијски број Ставка не може да буде део
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Серијски број Ставка не може да буде део
 DocType: Journal Entry,Difference (Dr - Cr),Разлика ( др - Кр )
 DocType: Bank Guarantee,Providing,Пружање
 DocType: Account,Profit and Loss,Прибыль и убытки
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Није допуштено, конфигурирати Лаб Тест Темплате по потреби"
 DocType: Patient,Risk Factors,Фактори ризика
 DocType: Patient,Occupational Hazards and Environmental Factors,Физичке опасности и фактори околине
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Залоге већ створене за радни налог
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Залоге већ створене за радни налог
 DocType: Vital Signs,Respiratory rate,Стопа респираторних органа
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Управљање Подуговарање
 DocType: Vital Signs,Body Temperature,Телесна температура
 DocType: Project,Project will be accessible on the website to these users,Пројекат ће бити доступни на сајту ових корисника
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Не могу да откажем {0} {1} јер Серијски број {2} не припада складишту {3}
 DocType: Detected Disease,Disease,Болест
+DocType: Company,Default Deferred Expense Account,Подразумевани одложени рачун трошкова
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Дефинишите тип пројекта.
 DocType: Supplier Scorecard,Weighting Function,Функција пондерирања
 DocType: Healthcare Practitioner,OP Consulting Charge,ОП Консалтинг Цхарге
@@ -850,7 +855,7 @@
 DocType: Crop,Produced Items,Произведене ставке
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Матцх Трансацтион то Инвоицес
 DocType: Sales Order Item,Gross Profit,Укупан профит
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Одблокирај фактуру
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Одблокирај фактуру
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Повећање не може бити 0
 DocType: Company,Delete Company Transactions,Делете Цомпани трансакције
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Референца број и референце Датум је обавезна за банке трансакције
@@ -871,11 +876,11 @@
 DocType: Budget,Ignore,Игнорисати
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} није активан
 DocType: Woocommerce Settings,Freight and Forwarding Account,Теретни и шпедитерски рачун
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,цхецк сетуп димензије за штампање
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,цхецк сетуп димензије за штампање
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Направите листе плата
 DocType: Vital Signs,Bloated,Ватрено
 DocType: Salary Slip,Salary Slip Timesheet,Плата Слип Тимесхеет
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК
 DocType: Item Price,Valid From,Важи од
 DocType: Sales Invoice,Total Commission,Укупно Комисија
 DocType: Tax Withholding Account,Tax Withholding Account,Порески налог за одузимање пореза
@@ -883,12 +888,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Све испоставне картице.
 DocType: Buying Settings,Purchase Receipt Required,Куповина Потврда Обавезно
 DocType: Delivery Note,Rail,Раил
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Циљно складиште у реду {0} мора бити исто као радни налог
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Процена курс је обавезна ако Отварање Сток ушла
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Циљно складиште у реду {0} мора бити исто као радни налог
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Процена курс је обавезна ако Отварање Сток ушла
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Нема резултата у фактури табели записи
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Молимо Вас да изаберете Цомпани и Партије Типе прво
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Већ је постављено подразумевано у профилу пос {0} за корисника {1}, љубазно онемогућено подразумевано"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Финансовый / отчетного года .
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Финансовый / отчетного года .
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,акумулиране вредности
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Извини , Серијски Нос не може да се споје"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Група клијената ће поставити одабрану групу док синхронизује купце из Схопифи-а
@@ -902,7 +907,7 @@
 ,Lead Id,Олово Ид
 DocType: C-Form Invoice Detail,Grand Total,Свеукупно
 DocType: Assessment Plan,Course,курс
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Одељак код
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Одељак код
 DocType: Timesheet,Payslip,Паислип
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Датум пола дана треба да буде између датума и датума
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,итем Корпа
@@ -911,7 +916,8 @@
 DocType: Employee,Personal Bio,Персонал Био
 DocType: C-Form,IV,ИИИ
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ИД чланства
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Достављено: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Достављено: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Повезан са КуицкБоокс-ом
 DocType: Bank Statement Transaction Entry,Payable Account,Плаћа се рачуна
 DocType: Payment Entry,Type of Payment,Врста плаћања
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Датум полувремена је обавезан
@@ -923,7 +929,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Датум испоруке
 DocType: Production Plan,Production Plan,План производње
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Отварање алата за креирање фактуре
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Продаја Ретурн
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Продаја Ретурн
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Напомена: Укупно издвојена лишће {0} не сме бити мањи од већ одобрених лишћа {1} за период
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Поставите количину у трансакцијама на основу Серијски број улаза
 ,Total Stock Summary,Укупно Сток Преглед
@@ -936,9 +942,9 @@
 DocType: Authorization Rule,Customer or Item,Кориснички или артикла
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Кориснички базе података.
 DocType: Quotation,Quotation To,Цитат
-DocType: Lead,Middle Income,Средњи приход
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Средњи приход
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Открытие (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Уобичајено јединица мере за тачке {0} не може директно мењати, јер сте већ направили неке трансакције (с) са другим УЦГ. Мораћете да креирате нову ставку да користи другачији Дефаулт УЦГ."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Уобичајено јединица мере за тачке {0} не може директно мењати, јер сте већ направили неке трансакције (с) са другим УЦГ. Мораћете да креирате нову ставку да користи другачији Дефаулт УЦГ."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Додељена сума не може бити негативан
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Подесите Цомпани
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Подесите Цомпани
@@ -956,15 +962,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Избор Плаћање рачуна да банке Ентри
 DocType: Hotel Settings,Default Invoice Naming Series,Подразумевана фактура именовања серије
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Створити запослених евиденције за управљање лишће, трошковима тврдње и плате"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Дошло је до грешке током процеса ажурирања
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Дошло је до грешке током процеса ажурирања
 DocType: Restaurant Reservation,Restaurant Reservation,Резервација ресторана
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Писање предлога
 DocType: Payment Entry Deduction,Payment Entry Deduction,Плаћање Ступање дедукције
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Окончање
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Обавештавајте купце путем е-поште
 DocType: Item,Batch Number Series,Серија бројева серија
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Још једна особа Продаја {0} постоји са истим запослених ид
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Још једна особа Продаја {0} постоји са истим запослених ид
 DocType: Employee Advance,Claimed Amount,Захтевани износ
+DocType: QuickBooks Migrator,Authorization Settings,Подешавања ауторизације
 DocType: Travel Itinerary,Departure Datetime,Одлазак Датетиме
 DocType: Customer,CUST-.YYYY.-,ЦУСТ-.ИИИИ.-
 DocType: Travel Request Costing,Travel Request Costing,Травел Рекуест Цостинг
@@ -1003,26 +1010,29 @@
 DocType: Buying Settings,Supplier Naming By,Добављач назив под
 DocType: Activity Type,Default Costing Rate,Уобичајено Кошта курс
 DocType: Maintenance Schedule,Maintenance Schedule,Одржавање Распоред
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Онда Ценовник Правила се филтрирају на основу клијента, корисника услуга Група, Територија, добављача, добављач Тип, кампање, продаја партнер итд"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Онда Ценовник Правила се филтрирају на основу клијента, корисника услуга Група, Територија, добављача, добављач Тип, кампање, продаја партнер итд"
 DocType: Employee Promotion,Employee Promotion Details,Детаљи о напредовању запослених
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Нето промена у инвентару
 DocType: Employee,Passport Number,Пасош Број
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Однос са Гуардиан2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,менаџер
 DocType: Payment Entry,Payment From / To,Плаћање Фром /
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Од фискалне године
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нови кредитни лимит је мање од тренутног преосталог износа за купца. Кредитни лимит мора да садржи најмање {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Молимо поставите налог у складишту {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Молимо поставите налог у складишту {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""На основу"" и ""Групиши по"" не могу бити идентични"
 DocType: Sales Person,Sales Person Targets,Продаја Персон Мете
 DocType: Work Order Operation,In minutes,У минута
 DocType: Issue,Resolution Date,Резолуција Датум
 DocType: Lab Test Template,Compound,Једињење
+DocType: Opportunity,Probability (%),Вероватноћа (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Обавештење о отпреми
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Изаберите својство
 DocType: Student Batch Name,Batch Name,батцх Име
 DocType: Fee Validity,Max number of visit,Максималан број посета
 ,Hotel Room Occupancy,Хотелске собе
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Тимесхеет цреатед:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,уписати
 DocType: GST Settings,GST Settings,ПДВ подешавања
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Валута мора бити иста као ценовник Валута: {0}
@@ -1063,12 +1073,12 @@
 DocType: Loan,Total Interest Payable,Укупно камати
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Истовара порези и таксе
 DocType: Work Order Operation,Actual Start Time,Стварна Почетак Време
+DocType: Purchase Invoice Item,Deferred Expense Account,Одложени рачун трошкова
 DocType: BOM Operation,Operation Time,Операција време
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,завршити
 DocType: Salary Structure Assignment,Base,база
 DocType: Timesheet,Total Billed Hours,Укупно Обрачунате сат
 DocType: Travel Itinerary,Travel To,Путују у
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,није
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Отпис Износ
 DocType: Leave Block List Allow,Allow User,Дозволите кориснику
 DocType: Journal Entry,Bill No,Бил Нема
@@ -1087,9 +1097,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Распоред
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Бацкфлусх сировине на основу
 DocType: Sales Invoice,Port Code,Порт Цоде
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Резервни склад
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Резервни склад
 DocType: Lead,Lead is an Organization,Олово је организација
-DocType: Guardian Interest,Interest,интерес
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Пре продаје
 DocType: Instructor Log,Other Details,Остали детаљи
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,суплиер
@@ -1099,7 +1108,7 @@
 DocType: Account,Accounts,Рачуни
 DocType: Vehicle,Odometer Value (Last),Одометер вредност (Задња)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Шаблони за критеријуме резултата добављача.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,маркетинг
 DocType: Sales Invoice,Redeem Loyalty Points,Искористите лојалностне тачке
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Плаћање Ступање је већ направљена
 DocType: Request for Quotation,Get Suppliers,Узмите добављача
@@ -1116,16 +1125,14 @@
 DocType: Crop,Crop Spacing UOM,Цроп Спацинг УОМ
 DocType: Loyalty Program,Single Tier Program,Један ниво програма
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Само изаберите ако имате поставке Мап Фловер Доцументс
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Од наслова 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Од наслова 1
 DocType: Email Digest,Next email will be sent on:,Следећа порука ће бити послата на:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Следи ставку {итемс} {верб} означена као {мессаге} ставка. \ Можете их омогућити као {мессаге} ставку из главног поглавља
 DocType: Supplier Scorecard,Per Week,Недељно
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Тачка има варијанте.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Тачка има варијанте.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Тотал Студент
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Пункт {0} не найден
 DocType: Bin,Stock Value,Вредност акције
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Фирма {0} не постоји
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Фирма {0} не постоји
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} има важећу тарифу до {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Дрво Тип
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Кол Потрошено по јединици
@@ -1141,7 +1148,7 @@
 ,Fichier des Ecritures Comptables [FEC],Фицхиер дес Ецритурес Цомптаблес [ФЕЦ]
 DocType: Journal Entry,Credit Card Entry,Кредитна картица Ступање
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Компанија и рачуни
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,у вредности
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,у вредности
 DocType: Asset Settings,Depreciation Options,Опције амортизације
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Морају бити потребне локације или запослени
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Неисправно време слања порука
@@ -1158,20 +1165,21 @@
 DocType: Leave Allocation,Allocation,Алокација
 DocType: Purchase Order,Supply Raw Materials,Суппли Сировине
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,оборотные активы
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} не является акционерным Пункт
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} не является акционерным Пункт
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Молимо вас да поделите своје повратне информације на тренинг кликом на &#39;Феедбацк Феедбацк&#39;, а затим &#39;Нев&#39;"
 DocType: Mode of Payment Account,Default Account,Уобичајено Рачун
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Прво изаберите складиште за задржавање узорка у поставкама залиха
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Прво изаберите складиште за задржавање узорка у поставкама залиха
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Молимо изаберите тип вишеструког нивоа програма за више правила колекције.
 DocType: Payment Entry,Received Amount (Company Currency),Примљени износ (Фирма валута)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Ведущий должен быть установлен , если Возможность сделан из свинца"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Плаћање је отказано. Проверите свој ГоЦардлесс рачун за више детаља
 DocType: Contract,N/A,Н / А
+DocType: Delivery Settings,Send with Attachment,Пошаљите са прилогом
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Пожалуйста, выберите в неделю выходной"
 DocType: Inpatient Record,O Negative,О Негативе
 DocType: Work Order Operation,Planned End Time,Планирано време завршетка
 ,Sales Person Target Variance Item Group-Wise,Лицо продаж Целевая Разница Пункт Группа Мудрого
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Счет с существующей сделки не могут быть преобразованы в книге
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Счет с существующей сделки не могут быть преобразованы в книге
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Детаљи типа Мемеберсхип
 DocType: Delivery Note,Customer's Purchase Order No,Наруџбенице купца Нема
 DocType: Clinical Procedure,Consume Stock,Цонсуме Стоцк
@@ -1184,26 +1192,26 @@
 DocType: Soil Texture,Sand,Песак
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,енергија
 DocType: Opportunity,Opportunity From,Прилика Од
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ред {0}: {1} Серијски бројеви потребни за ставку {2}. Дали сте {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ред {0}: {1} Серијски бројеви потребни за ставку {2}. Дали сте {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Изаберите табелу
 DocType: BOM,Website Specifications,Сајт Спецификације
 DocType: Special Test Items,Particulars,Спецулатионс
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Од {0} типа {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор конверзије је обавезно
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор конверзије је обавезно
 DocType: Student,A+,А +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правила постоји са истим критеријумима, молимо вас да решавају конфликте са приоритетом. Цена Правила: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правила постоји са истим критеријумима, молимо вас да решавају конфликте са приоритетом. Цена Правила: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Рачун ревалоризације курса
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не можете деактивирати или отказати БОМ јер је повезан са другим саставница
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не можете деактивирати или отказати БОМ јер је повезан са другим саставница
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Молимо да одаберете Компанију и Датум објављивања да бисте добили уносе
 DocType: Asset,Maintenance,Одржавање
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Узмите из сусрета пацијента
 DocType: Subscriber,Subscriber,Претплатник
 DocType: Item Attribute Value,Item Attribute Value,Итем Вредност атрибута
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Молимо Вас да ажурирате свој статус пројекта
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Молимо Вас да ажурирате свој статус пројекта
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Мењање мјењача мора бити примјењиво за куповину или продају.
 DocType: Item,Maximum sample quantity that can be retained,Максимална количина узорка која се може задржати
 DocType: Project Update,How is the Project Progressing Right Now?,Како се пројекат напредује одмах?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ров {0} # Ставка {1} не може се пренијети више од {2} у односу на наруџбеницу {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ров {0} # Ставка {1} не може се пренијети више од {2} у односу на наруџбеницу {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампании по продажам .
 DocType: Project Task,Make Timesheet,Маке тимесхеет
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1251,36 +1259,38 @@
 DocType: Lab Test,Lab Test,Лаб Тест
 DocType: Student Report Generation Tool,Student Report Generation Tool,Алат за генерисање студената
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Временска распоред здравствене заштите
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Док Име
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Док Име
 DocType: Expense Claim Detail,Expense Claim Type,Расходи потраживање Тип
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Дефаулт сеттингс фор Корпа
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Додај Тимеслотс
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Средство укинуо преко књижење {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Молимо поставите налог у складишту {0} или подразумевани рачун инвентара у компанији {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Средство укинуо преко књижење {0}
 DocType: Loan,Interest Income Account,Приход од камата рачуна
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Максималне користи би требало да буду веће од нуле да би се избациле користи
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Максималне користи би требало да буду веће од нуле да би се избациле користи
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Послати позив за преглед
 DocType: Shift Assignment,Shift Assignment,Схифт Ассигнмент
 DocType: Employee Transfer Property,Employee Transfer Property,Имовина трансфера радника
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Од времена би требало бити мање од времена
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,биотехнологија
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Ставка {0} (серијски број: {1}) не може се потрошити као што је пресерверд \ да бисте испунили налог продаје {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Офис эксплуатационные расходы
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Иди на
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ажурирајте цену од Схопифи до ЕРПНект Ценовник
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Подешавање Емаил налога
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Молимо унесите прва тачка
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Анализа потреба
 DocType: Asset Repair,Downtime,Време заустављања
 DocType: Account,Liability,одговорност
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционисани износ не може бити већи од износ потраживања у низу {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционисани износ не може бити већи од износ потраживања у низу {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Академски термин:
 DocType: Salary Component,Do not include in total,Не укључујте у потпуности
 DocType: Company,Default Cost of Goods Sold Account,Уобичајено Набавна вредност продате робе рачуна
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Количина узорка {0} не може бити већа од примљене количине {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Прайс-лист не выбран
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Количина узорка {0} не може бити већа од примљене количине {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Прайс-лист не выбран
 DocType: Employee,Family Background,Породица Позадина
 DocType: Request for Quotation Supplier,Send Email,Сенд Емаил
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Упозорење: Неважећи Прилог {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Упозорење: Неважећи Прилог {0}
 DocType: Item,Max Sample Quantity,Максимална количина узорка
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Без дозвола
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контролна листа Испуњавања уговора
@@ -1312,15 +1322,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Цена центар {2} не припада компанији {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Отпремите писмо главом (Држите га на вебу као 900пк по 100пк)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: налог {2} не може бити група
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Итем Ред {идк}: {ДОЦТИПЕ} {ДОЦНАМЕ} не постоји у горе &#39;{ДОЦТИПЕ}&#39; сто
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Тимесхеет {0} је већ завршен или отказан
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Тимесхеет {0} је већ завршен или отказан
+DocType: QuickBooks Migrator,QuickBooks Migrator,КуицкБоокс Мигратор
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Но задаци
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Продајна фактура {0} креирана је као плаћена
 DocType: Item Variant Settings,Copy Fields to Variant,Копирај поља на варијанту
 DocType: Asset,Opening Accumulated Depreciation,Отварање акумулирана амортизација
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Коначан мора бити мања или једнака 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Програм Упис Алат
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Ц - Форма евиденција
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Ц - Форма евиденција
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Акције већ постоје
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Купаца и добављача
 DocType: Email Digest,Email Digest Settings,Е-маил подешавања Дигест
@@ -1333,12 +1343,12 @@
 DocType: Production Plan,Select Items,Изаберите ставке
 DocType: Share Transfer,To Shareholder,За дионичара
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} против Предлога закона {1} {2} од
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Од државе
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Од државе
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Сетуп Институтион
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Расподјела листова ...
 DocType: Program Enrollment,Vehicle/Bus Number,Вехицле / Аутобус број
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Распоред курс
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Морате одбити порез за неоснован доказ о ослобађању од пореза и непрописане користи запосленима у посљедњем периоду платног списка
 DocType: Request for Quotation Supplier,Quote Status,Куоте Статус
 DocType: GoCardless Settings,Webhooks Secret,Вебхоокс Сецрет
@@ -1364,13 +1374,13 @@
 DocType: Sales Invoice,Payment Due Date,Плаћање Дуе Дате
 DocType: Drug Prescription,Interval UOM,Интервал УОМ
 DocType: Customer,"Reselect, if the chosen address is edited after save","Поново изабери, ако је одабрана адреса уређена након чувања"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Тачка Варијанта {0} већ постоји са истим атрибутима
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Тачка Варијанта {0} већ постоји са истим атрибутима
 DocType: Item,Hub Publishing Details,Детаљи издавања станице
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Отварање&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Отварање&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Опен То До
 DocType: Issue,Via Customer Portal,Преко Корисничког Портала
 DocType: Notification Control,Delivery Note Message,Испорука Напомена порука
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,СГСТ Износ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,СГСТ Износ
 DocType: Lab Test Template,Result Format,Формат резултата
 DocType: Expense Claim,Expenses,расходы
 DocType: Item Variant Attribute,Item Variant Attribute,Тачка Варијанта Атрибут
@@ -1378,14 +1388,12 @@
 DocType: Payroll Entry,Bimonthly,часопис који излази свака два месеца
 DocType: Vehicle Service,Brake Pad,brake Пад
 DocType: Fertilizer,Fertilizer Contents,Садржај ђубрива
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Истраживање и развој
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Истраживање и развој
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Износ на Предлог закона
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Датум почетка и завршетка се преклапа са картом посла <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Регистрација Детаљи
 DocType: Timesheet,Total Billed Amount,Укупно Приходована Износ
 DocType: Item Reorder,Re-Order Qty,Поново поручивање
 DocType: Leave Block List Date,Leave Block List Date,Оставите Датум листу блокираних
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Молимо вас да подесите систем именовања инструктора у образовању&gt; Образовне поставке
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,БОМ # {0}: Сировина не може бити иста као главна ставка
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Укупно Важећи Оптужбе у куповини потврда за ставке табели мора бити исти као и укупних пореза и накнада
 DocType: Sales Team,Incentives,Подстицаји
@@ -1399,7 +1407,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Место продаје
 DocType: Fee Schedule,Fee Creation Status,Статус стварања накнаде
 DocType: Vehicle Log,Odometer Reading,Километража
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Стања на рачуну већ у Кредит, није вам дозвољено да поставите 'биланс треба да се' као 'Дебит """
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Стања на рачуну већ у Кредит, није вам дозвољено да поставите 'биланс треба да се' као 'Дебит """
 DocType: Account,Balance must be,Баланс должен быть
 DocType: Notification Control,Expense Claim Rejected Message,Расходи потраживање Одбијен поруку
 ,Available Qty,Доступно ком
@@ -1411,7 +1419,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Увек синхронизујте своје производе са Амазон МВС пре синхронизације детаља о наруџбини
 DocType: Delivery Trip,Delivery Stops,Деливери Стопс
 DocType: Salary Slip,Working Days,Радних дана
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Није могуће променити датум заустављања услуге за ставку у реду {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Није могуће променити датум заустављања услуге за ставку у реду {0}
 DocType: Serial No,Incoming Rate,Долазни Оцени
 DocType: Packing Slip,Gross Weight,Бруто тежина
 DocType: Leave Type,Encashment Threshold Days,Дани прага осигуравања
@@ -1430,31 +1438,33 @@
 DocType: Restaurant Table,Minimum Seating,Минимално седиште
 DocType: Item Attribute,Item Attribute Values,Итем Особина Вредности
 DocType: Examination Result,Examination Result,преглед резултата
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Куповина Пријем
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Куповина Пријем
 ,Received Items To Be Billed,Примљени артикала буду наплаћени
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Мастер Валютный курс .
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Мастер Валютный курс .
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Референце Тип документа мора бити један од {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Филтер Тотал Зеро Кти
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Није могуће пронаћи време за наредних {0} дана за рад {1}
 DocType: Work Order,Plan material for sub-assemblies,План материјал за подсклопови
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Продајних партнера и Регија
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,БОМ {0} мора бити активна
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,БОМ {0} мора бити активна
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Нема ставки за пренос
 DocType: Employee Boarding Activity,Activity Name,Назив активности
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Промени датум издања
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Завршена количина производа <b>{0}</b> и За количину <b>{1}</b> не могу бити различита
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Промени датум издања
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Завршена количина производа <b>{0}</b> и За количину <b>{1}</b> не могу бити различита
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Затварање (отварање + укупно)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Шифра производа&gt; Група производа&gt; Бренд
+DocType: Delivery Settings,Dispatch Notification Attachment,Прилог за обавјештење о отпреми
 DocType: Payroll Entry,Number Of Employees,Број запослених
 DocType: Journal Entry,Depreciation Entry,Амортизација Ступање
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Прво изаберите врсту документа
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Прво изаберите врсту документа
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит
 DocType: Pricing Rule,Rate or Discount,Стопа или попуст
 DocType: Vital Signs,One Sided,Једнострани
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Обавезно Кол
 DocType: Marketplace Settings,Custom Data,Кориснички подаци
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Складишта са постојећим трансакције не могу се претворити у књизи.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Серијски број је обавезан за ставку {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Складишта са постојећим трансакције не могу се претворити у књизи.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Серијски број је обавезан за ставку {0}
 DocType: Bank Reconciliation,Total Amount,Укупан износ
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Од датума и до датума лежи у различитим фискалним годинама
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Пацијент {0} нема рефренцију купца за фактуру
@@ -1465,9 +1475,9 @@
 DocType: Soil Texture,Clay Composition (%),Глина састав (%)
 DocType: Item Group,Item Group Defaults,Подразумеване групе ставки
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Молимо вас да сачувате пре него што додате задатак.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Биланс Вредност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Биланс Вредност
 DocType: Lab Test,Lab Technician,Лаборант
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Продаја Ценовник
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Продаја Ценовник
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ако се провери, биће креиран корисник, мапиран на Патиент. Пацијентове фактуре ће бити створене против овог Корисника. Такође можете изабрати постојећег купца током стварања Пацијента."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Корисник није уписан у било који програм лојалности
@@ -1481,13 +1491,13 @@
 DocType: Support Search Source,Search Term Param Name,Термин за претрагу имена парама
 DocType: Item Barcode,Item Barcode,Ставка Баркод
 DocType: Woocommerce Settings,Endpoints,Ендпоинтс
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Ставка Варијанте {0} ажурирани
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Ставка Варијанте {0} ажурирани
 DocType: Quality Inspection Reading,Reading 6,Читање 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Цан нот {0} {1} {2} без негативних изузетан фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Цан нот {0} {1} {2} без негативних изузетан фактура
 DocType: Share Transfer,From Folio No,Од Фолио Но
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Фактури Адванце
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Ров {0}: Кредит Унос се не може повезати са {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Дефинисати буџет за финансијске године.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Дефинисати буџет за финансијске године.
 DocType: Shopify Tax Account,ERPNext Account,ЕРПНект налог
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} је блокиран, тако да ова трансакција не може да се настави"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Акција уколико је акумулирани месечни буџет прешао на МР
@@ -1503,19 +1513,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Фактури
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Допустите већу потрошњу материјала у односу на радни налог
 DocType: GL Entry,Voucher Detail No,Ваучер Детаљ Бр.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Нови продаје Фактура
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Нови продаје Фактура
 DocType: Stock Entry,Total Outgoing Value,Укупна вредност Одлазећи
 DocType: Healthcare Practitioner,Appointments,Именовања
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Датум отварања и затварања Дате треба да буде у истој фискалној години
 DocType: Lead,Request for Information,Захтев за информације
 ,LeaderBoard,банер
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Рате Витх Маргин (Валута компаније)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Синц Оффлине Рачуни
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Синц Оффлине Рачуни
 DocType: Payment Request,Paid,Плаћен
 DocType: Program Fee,Program Fee,naknada програм
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Замените одређену техничку техничку помоћ у свим осталим БОМ-у где се користи. Он ће заменити стари БОМ линк, ажурирати трошкове и регенерирати табелу &quot;БОМ експлозија&quot; табелу према новој БОМ-у. Такође ажурира најновију цену у свим БОМ."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Створени су следећи Радни налоги:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Створени су следећи Радни налоги:
 DocType: Salary Slip,Total in words,Укупно у речима
 DocType: Inpatient Record,Discharged,Отпуштено
 DocType: Material Request Item,Lead Time Date,Олово Датум Време
@@ -1526,16 +1536,16 @@
 DocType: Support Settings,Get Started Sections,Започните секције
 DocType: Lead,CRM-LEAD-.YYYY.-,ЦРМ-ЛЕАД-.ИИИИ.-
 DocType: Loan,Sanctioned,санкционисан
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,је обавезно. Можда Мењачница запис није створен за
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Наведите Сериал но за пункт {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Укупан износ доприноса: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Наведите Сериал но за пункт {1}
 DocType: Payroll Entry,Salary Slips Submitted,Посланице за плате
 DocType: Crop Cycle,Crop Cycle,Цроп Цицле
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За &#39;производ&#39; Бундле предмета, Магацин, редни број и серијски бр ће се сматрати из &quot;листе паковања &#39;табели. Ако Складиште и серијски бр су исти за све ставке паковање за било коју &#39;производ&#39; Бундле ставке, те вредности се могу уносити у главном табели тачка, вредности ће бити копирана у &#39;Паковање лист&#39; сто."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За &#39;производ&#39; Бундле предмета, Магацин, редни број и серијски бр ће се сматрати из &quot;листе паковања &#39;табели. Ако Складиште и серијски бр су исти за све ставке паковање за било коју &#39;производ&#39; Бундле ставке, те вредности се могу уносити у главном табели тачка, вредности ће бити копирана у &#39;Паковање лист&#39; сто."
 DocType: Amazon MWS Settings,BR,БР
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Фром Плаце
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Нето плате не могу бити негативне
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Фром Плаце
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Нето плате не могу бити негативне
 DocType: Student Admission,Publish on website,Објави на сајту
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Добављач Фактура Датум не може бити већи од датума када је послата
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Добављач Фактура Датум не може бити већи од датума када је послата
 DocType: Installation Note,MAT-INS-.YYYY.-,МАТ-ИНС-.ИИИИ.-
 DocType: Subscription,Cancelation Date,Датум отказивања
 DocType: Purchase Invoice Item,Purchase Order Item,Куповина ставке поруџбине
@@ -1544,7 +1554,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Студент Присуство Алат
 DocType: Restaurant Menu,Price List (Auto created),Ценовник (Аутоматски креиран)
 DocType: Cheque Print Template,Date Settings,Датум Поставке
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Варијација
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Варијација
 DocType: Employee Promotion,Employee Promotion Detail,Детаљи о напредовању запослених
 ,Company Name,Име компаније
 DocType: SMS Center,Total Message(s),Всего сообщений (ы)
@@ -1574,7 +1584,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Немојте слати запослених подсетник за рођендан
 DocType: Expense Claim,Total Advance Amount,Укупан авансни износ
 DocType: Delivery Stop,Estimated Arrival,Процењено време доласка
-DocType: Delivery Stop,Notified by Email,Пријављен путем е-поште
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Погледајте све чланке
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Шетња у
 DocType: Item,Inspection Criteria,Инспекцијски Критеријуми
@@ -1584,23 +1593,22 @@
 DocType: Timesheet Detail,Bill,рачун
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Бео
 DocType: SMS Center,All Lead (Open),Све Олово (Опен)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина није доступан за {4} у складишту {1} на објављивање време ступања ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина није доступан за {4} у складишту {1} на објављивање време ступања ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Из листе поља за потврду можете изабрати највише једне опције.
 DocType: Purchase Invoice,Get Advances Paid,Гет аванси
 DocType: Item,Automatically Create New Batch,Аутоматски Направи нови Батцх
 DocType: Item,Automatically Create New Batch,Аутоматски Направи нови Батцх
 DocType: Supplier,Represents Company,Представља компанију
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Правити
 DocType: Student Admission,Admission Start Date,Улаз Датум почетка
 DocType: Journal Entry,Total Amount in Words,Укупан износ у речи
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Нови запослени
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Дошло је до грешке . Један могући разлог би могао бити да нисте сачували форму . Молимо контактирајте суппорт@ерпнект.цом акопроблем и даље постоји .
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моја Корпа
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Наручи Тип мора бити један од {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Наручи Тип мора бити један од {0}
 DocType: Lead,Next Contact Date,Следеће Контакт Датум
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Отварање Кол
 DocType: Healthcare Settings,Appointment Reminder,Опомена за именовање
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Молимо Вас да унесете налог за промене Износ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Молимо Вас да унесете налог за промене Износ
 DocType: Program Enrollment Tool Student,Student Batch Name,Студент Серија Име
 DocType: Holiday List,Holiday List Name,Холидаи Листа Име
 DocType: Repayment Schedule,Balance Loan Amount,Биланс Износ кредита
@@ -1610,13 +1618,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Сток Опције
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Нема ставки у колицима
 DocType: Journal Entry Account,Expense Claim,Расходи потраживање
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Да ли заиста желите да вратите овај укинута средства?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Да ли заиста желите да вратите овај укинута средства?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Количина за {0}
 DocType: Leave Application,Leave Application,Оставите апликацију
 DocType: Patient,Patient Relation,Релација пацијента
 DocType: Item,Hub Category to Publish,Категорија Хуб објавити
 DocType: Leave Block List,Leave Block List Dates,Оставите Датуми листу блокираних
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Поруџбина продаје {0} има резервацију за ставку {1}, можете доставити само резервисано {1} на {0}. Серијски број {2} не може бити испоручен"
 DocType: Sales Invoice,Billing Address GSTIN,Адреса за обрачун ГСТИН
@@ -1634,16 +1642,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Наведите {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Уклоњене ствари без промене у количини или вриједности.
 DocType: Delivery Note,Delivery To,Достава Да
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Креирање варијанте је стављено у ред.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Преглед радова за {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Креирање варијанте је стављено у ред.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Преглед радова за {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Први лист за отпустање на листи биће постављен као подразумевани Одобрење за дозволу.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Атрибут сто је обавезно
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Атрибут сто је обавезно
 DocType: Production Plan,Get Sales Orders,Гет продајних налога
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} не може бити негативан
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Повежите се са књигама
 DocType: Training Event,Self-Study,Само-студирање
 DocType: POS Closing Voucher,Period End Date,Датум окончања периода
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Саставе земљишта не дају до 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Попуст
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Ред {0}: {1} је потребан за креирање Опенинг {2} фактура
 DocType: Membership,Membership,Чланство
 DocType: Asset,Total Number of Depreciations,Укупан број Амортизација
 DocType: Sales Invoice Item,Rate With Margin,Стопа Са маргина
@@ -1655,7 +1665,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Наведите важећу Ров ИД за редом {0} у табели {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Није могуће пронаћи варијаблу:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Молимо изаберите поље за уређивање из нумпад-а
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Не може бити основна ставка средства као што је креирана књига залиха.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Не може бити основна ставка средства као што је креирана књига залиха.
 DocType: Subscription Plan,Fixed rate,Фиксна каматна стопа
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Признајем
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Иди на Десктоп и почнете да користите ЕРПНект
@@ -1689,7 +1699,7 @@
 DocType: Tax Rule,Shipping State,Достава Држава
 ,Projected Quantity as Source,Пројектована Количина као извор
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Ставка мора се додати користећи 'Гет ставки из пурцхасе примитака' дугме
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Достава путовања
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Достава путовања
 DocType: Student,A-,А-
 DocType: Share Transfer,Transfer Type,Тип преноса
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Коммерческие расходы
@@ -1702,8 +1712,9 @@
 DocType: Item Default,Default Selling Cost Center,По умолчанию Продажа Стоимость центр
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,диск
 DocType: Buying Settings,Material Transferred for Subcontract,Пренесени материјал за подуговарање
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Поштански број
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Салес Ордер {0} је {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Налози за куповину наруџбине
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Поштански број
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Салес Ордер {0} је {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Изаберите каматни приход у кредиту {0}
 DocType: Opportunity,Contact Info,Контакт Инфо
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Макинг Стоцк записи
@@ -1716,12 +1727,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Фактура не може бити направљена за време нултог фактурисања
 DocType: Company,Date of Commencement,Датум почетка
 DocType: Sales Person,Select company name first.,Изаберите прво име компаније.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-mail отправлено на адрес {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-mail отправлено на адрес {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Цитати од добављача.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Замените БОМ и ажурирајте најновију цену у свим БОМ
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Да {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Ово је коренска група добављача и не може се уређивати.
-DocType: Delivery Trip,Driver Name,Име возача
+DocType: Delivery Note,Driver Name,Име возача
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Просек година
 DocType: Education Settings,Attendance Freeze Date,Присуство Замрзавање Датум
 DocType: Education Settings,Attendance Freeze Date,Присуство Замрзавање Датум
@@ -1734,7 +1745,7 @@
 DocType: Company,Parent Company,Матична компанија
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Собе Хотела типа {0} нису доступне на {1}
 DocType: Healthcare Practitioner,Default Currency,Уобичајено валута
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Максимални попуст за ставку {0} је {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Максимални попуст за ставку {0} је {1}%
 DocType: Asset Movement,From Employee,Од запосленог
 DocType: Driver,Cellphone Number,број мобилног
 DocType: Project,Monitor Progress,Напредак монитора
@@ -1750,19 +1761,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Количина мора бити мањи од или једнак {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Максимални износ који одговара компоненти {0} прелази {1}
 DocType: Department Approver,Department Approver,Одељење Одељења
+DocType: QuickBooks Migrator,Application Settings,Подешавања апликације
 DocType: SMS Center,Total Characters,Укупно Карактери
 DocType: Employee Advance,Claimed,Тврди
 DocType: Crop,Row Spacing,Размак редова
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Молимо Вас да изаберете БОМ БОМ у пољу за ставку {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Молимо Вас да изаберете БОМ БОМ у пољу за ставку {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,За изабрану ставку нема ниједне варијанте ставке
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Ц-Форм Рачун Детаљ
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Плаћање Помирење Фактура
 DocType: Clinical Procedure,Procedure Template,Шаблон процедуре
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Допринос%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Према куповина Сеттингс ако Потребна је поруџбеница == &#39;ДА&#39;, а затим за стварање фактури, корисник треба да креира налога за куповину прво за ставку {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Допринос%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Према куповина Сеттингс ако Потребна је поруџбеница == &#39;ДА&#39;, а затим за стварање фактури, корисник треба да креира налога за куповину прво за ставку {0}"
 ,HSN-wise-summary of outward supplies,ХСН-мудар-резиме оутерних залиха
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,. Компанија регистарски бројеви за референцу Порески бројеви итд
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Тврдити
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Тврдити
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Дистрибутер
 DocType: Asset Finance Book,Asset Finance Book,Ассет Финанце Боок
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа Достава Правило
@@ -1771,7 +1783,7 @@
 ,Ordered Items To Be Billed,Ж артикала буду наплаћени
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Од Опсег мора да буде мањи од у распону
 DocType: Global Defaults,Global Defaults,Глобални Дефаултс
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Пројекат Сарадња Позив
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Пројекат Сарадња Позив
 DocType: Salary Slip,Deductions,Одбици
 DocType: Setup Progress Action,Action Name,Назив акције
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,старт Година
@@ -1785,11 +1797,12 @@
 DocType: Lead,Consultant,Консултант
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Присуство састанака учитеља родитеља
 DocType: Salary Slip,Earnings,Зарада
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Завршио артикла {0} мора бити унета за тип Производња улазак
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Завршио артикла {0} мора бити унета за тип Производња улазак
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Отварање рачуноводства Стање
 ,GST Sales Register,ПДВ продаје Регистрација
 DocType: Sales Invoice Advance,Sales Invoice Advance,Продаја Рачун Адванце
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Ништа се захтевати
+DocType: Stock Settings,Default Return Warehouse,Подразумевано враћање складишта
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Изаберите своје домене
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Схопифи Супплиер
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ставке фактуре за плаћање
@@ -1798,15 +1811,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Поља ће бити копирана само у тренутку креирања.
 DocType: Setup Progress Action,Domains,Домени
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Стварни датум почетка"" не може бити већи од ""Стварни датум завршетка"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,управљање
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,управљање
 DocType: Cheque Print Template,Payer Settings,обвезник Подешавања
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Нема тражених материјала који су пронађени за повезивање за дате ставке.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Изабери компанију прво
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ово ће бити прикључена на Кодекса тачка на варијанте. На пример, ако је ваш скраћеница је ""СМ"", а код ставка је ""МАЈИЦА"", ставка код варијанте ће бити ""МАЈИЦА-СМ"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Нето плата (у речи) ће бити видљив када сачувате Слип плату.
 DocType: Delivery Note,Is Return,Да ли је Повратак
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Опрез
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Дан почетка је већи од краја дана у задатку &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Повратак / задужењу
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Повратак / задужењу
 DocType: Price List Country,Price List Country,Ценовник Земља
 DocType: Item,UOMs,УОМс
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} действительные серийные NOS для Пункт {1}
@@ -1819,13 +1833,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Грант информације.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Снабдевач базе података.
 DocType: Contract Template,Contract Terms and Conditions,Услови и услови уговора
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Не можете поново покренути претплату која није отказана.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Не можете поново покренути претплату која није отказана.
 DocType: Account,Balance Sheet,баланс
 DocType: Leave Type,Is Earned Leave,Да ли је зарађена?
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Цост Центер За ставку са Код товара '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Цост Центер За ставку са Код товара '
 DocType: Fee Validity,Valid Till,Важи до
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Укупно састанак учитеља родитеља
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим плаћања није подешен. Молимо вас да проверите, да ли налог је постављен на начину плаћања или на ПОС профил."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим плаћања није подешен. Молимо вас да проверите, да ли налог је постављен на начину плаћања или на ПОС профил."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Исто ставка не може се уписати више пута.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Даље рачуни могу бити у групама, али уноса можете извршити над несрпским групама"
 DocType: Lead,Lead,Довести
@@ -1834,11 +1848,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,МВС Аутх Токен
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Стоцк Ступање {0} је направљена
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Не искористите Лоиалти Поинтс за откуп
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Одбијен количина не може се уписати у откупу Повратак
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Молимо вас да подесите придружени рачун у Категорија за одбијање пореза {0} против Компаније {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Одбијен количина не може се уписати у откупу Повратак
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Промена клијентске групе за изабраног клијента није дозвољена.
 ,Purchase Order Items To Be Billed,Налог за куповину артикала буду наплаћени
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Ажурирање процењених времена доласка.
 DocType: Program Enrollment Tool,Enrollment Details,Детаљи уписа
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Не може се подесити више поставки поставки за предузеће.
 DocType: Purchase Invoice Item,Net Rate,Нето курс
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Изаберите купца
 DocType: Leave Policy,Leave Allocations,Леаве Аллоцатион
@@ -1869,7 +1885,7 @@
 DocType: Loan Application,Repayment Info,otplata информације
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Уноси"" не могу бити празни"
 DocType: Maintenance Team Member,Maintenance Role,Улога одржавања
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Дубликат строка {0} с же {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Дубликат строка {0} с же {1}
 DocType: Marketplace Settings,Disable Marketplace,Онемогући тржиште
 ,Trial Balance,Пробни биланс
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Фискална година {0} није пронађен
@@ -1880,9 +1896,9 @@
 DocType: Student,O-,О-
 DocType: Subscription Settings,Subscription Settings,Подешавања претплате
 DocType: Purchase Invoice,Update Auto Repeat Reference,Ажурирајте Ауто Репеат Референце
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Изборна листа за празнике није постављена за период одмора {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Изборна листа за празнике није постављена за период одмора {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,истраживање
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,На адресу 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,На адресу 2
 DocType: Maintenance Visit Purpose,Work Done,Рад Доне
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Наведите бар један атрибут у табели Атрибутима
 DocType: Announcement,All Students,Сви студенти
@@ -1892,16 +1908,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Усклађене трансакције
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Најраније
 DocType: Crop Cycle,Linked Location,Линкед Лоцатион
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем , пожалуйста, измените имя элемента или переименовать группу товаров"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем , пожалуйста, измените имя элемента или переименовать группу товаров"
 DocType: Crop Cycle,Less than a year,Мање од годину дана
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Студент Мобилни број
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Остальной мир
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Остальной мир
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Ставка {0} не може имати Батцх
 DocType: Crop,Yield UOM,Принос УОМ
 ,Budget Variance Report,Буџет Разлика извештај
 DocType: Salary Slip,Gross Pay,Бруто Паи
 DocType: Item,Is Item from Hub,Је ставка из чворишта
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Добијте ставке из здравствених услуга
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Добијте ставке из здравствених услуга
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Ред {0}: Тип активност је обавезна.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Исплаћене дивиденде
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Књиговодство Леџер
@@ -1916,6 +1932,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Режим плаћања
 DocType: Purchase Invoice,Supplied Items,Додатна артикала
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Молимо активирајте мени за ресторан {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Стопа Комисије%
 DocType: Work Order,Qty To Manufacture,Кол Да Производња
 DocType: Email Digest,New Income,Нова приход
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Одржавајте исту стопу током куповине циклуса
@@ -1930,12 +1947,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Процена курс потребно за предмета на ред {0}
 DocType: Supplier Scorecard,Scorecard Actions,Акције Сцорецард
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Пример: Мастерс ин Цомпутер Сциенце
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Добављач {0} није пронађен у {1}
 DocType: Purchase Invoice,Rejected Warehouse,Одбијен Магацин
 DocType: GL Entry,Against Voucher,Против ваучер
 DocType: Item Default,Default Buying Cost Center,По умолчанию Покупка МВЗ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Да бисте добили најбоље од ЕРПНект, препоручујемо да узмете мало времена и гледати ове видео снимке помоћ."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),За подразумевани добављач
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,у
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),За подразумевани добављач
 DocType: Supplier Quotation Item,Lead Time in days,Олово Време у данима
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Обавезе према добављачима Преглед
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0}
@@ -1944,7 +1961,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Упозорити на нови захтев за цитате
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Наруџбенице помоћи да планирате и праћење куповина
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Тестирање лабораторијских тестова
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Укупна количина Издање / трансфер {0} у Индустријска Захтев {1} \ не може бити већа од тражене количине {2} за тачка {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Мали
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ако Схопифи не садржи купца у поруџбини, тада ће се синхронизовати Ордерс, систем ће узети у обзир подразумевани купац за поруџбину"
@@ -1956,6 +1973,7 @@
 DocType: Project,% Completed,Завршено %
 ,Invoiced Amount (Exculsive Tax),Износ фактуре ( Екцулсиве Пореска )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Тачка 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Ауторизација Ендпоинт
 DocType: Travel Request,International,Интернатионал
 DocType: Training Event,Training Event,тренинг догађај
 DocType: Item,Auto re-order,Ауто поново реда
@@ -1964,24 +1982,24 @@
 DocType: Contract,Contract,уговор
 DocType: Plant Analysis,Laboratory Testing Datetime,Лабораторијско тестирање Датетиме
 DocType: Email Digest,Add Quote,Додај Куоте
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},УОМ цоверсион фактор потребан за УЦГ: {0} тачке: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},УОМ цоверсион фактор потребан за УЦГ: {0} тачке: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,косвенные расходы
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Ред {0}: Кол је обавезно
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Ред {0}: Кол је обавезно
 DocType: Agriculture Analysis Criteria,Agriculture,пољопривреда
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Креирајте поруџбину
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Рачуноводствени унос за имовину
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Блок фактура
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Рачуноводствени унос за имовину
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Блок фактура
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Количина коју треба направити
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Синц мастер података
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Синц мастер података
 DocType: Asset Repair,Repair Cost,Трошкови поправки
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Ваши производи или услуге
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Није успела да се пријавите
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Имовина {0} креирана
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Имовина {0} креирана
 DocType: Special Test Items,Special Test Items,Специјалне тестне тачке
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Морате бити корисник са улогама Систем Манагер и Итем Манагер за пријављивање на Маркетплаце.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Начин плаћања
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Према вашој додељеној структури зарада не можете се пријавити за накнаде
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Сајт Слика треба да буде јавни фајл или УРЛ веб-сајта
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Сајт Слика треба да буде јавни фајл или УРЛ веб-сајта
 DocType: Purchase Invoice Item,BOM,БОМ
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,То јекорен ставка група и не може се мењати .
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Споји се
@@ -1990,7 +2008,8 @@
 DocType: Warehouse,Warehouse Contact Info,Магацин Контакт Инфо
 DocType: Payment Entry,Write Off Difference Amount,Отпис Дифференце Износ
 DocType: Volunteer,Volunteer Name,Име волонтера
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: е запослених није пронађен, стога емаил није послата"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Редови са дуплицираним датумима у другим редовима су пронађени: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: е запослених није пронађен, стога емаил није послата"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Структура плате није додељена запосленом {0} на датом датуму {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Правило о испоруци не важи за земљу {0}
 DocType: Item,Foreign Trade Details,Спољнотрговинска Детаљи
@@ -1998,16 +2017,16 @@
 DocType: Email Digest,Annual Income,Годишњи приход
 DocType: Serial No,Serial No Details,Серијска Нема детаља
 DocType: Purchase Invoice Item,Item Tax Rate,Ставка Пореска стопа
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Од имена партије
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Од имена партије
 DocType: Student Group Student,Group Roll Number,"Група Ролл, број"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитне рачуни могу бити повезани против неке друге ставке дебитне"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Капитальные оборудование
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Правилник о ценама је први изабран на основу 'Примени на ""терену, који могу бити артикла, шифра групе или Марка."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Молимо прво поставите код за ставку
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Док Тип
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Док Тип
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100
 DocType: Subscription Plan,Billing Interval Count,Броју интервала обрачуна
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Именовања и сусрети са пацијентима
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Недостаје вредност
@@ -2021,6 +2040,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Створити Принт Формат
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Фее Цреатед
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Нису пронашли било који предмет под називом {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Филтри предмета
 DocType: Supplier Scorecard Criteria,Criteria Formula,Критеријум Формула
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Укупно Одлазећи
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Там может быть только один Правило Начальные с 0 или пустое значение для "" To Размер """
@@ -2029,14 +2049,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","За ставку {0}, количина мора бити позитивни број"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примечание: Эта МВЗ является Группа . Невозможно сделать бухгалтерские проводки против групп .
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Данови захтјева за компензацијски одмор нису у важећем празнику
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дете складиште постоји за тог складишта. Ви не можете да избришете ову складиште.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дете складиште постоји за тог складишта. Ви не можете да избришете ову складиште.
 DocType: Item,Website Item Groups,Сајт Итем Групе
 DocType: Purchase Invoice,Total (Company Currency),Укупно (Фирма валута)
 DocType: Daily Work Summary Group,Reminder,Подсетник
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Доступна вредност
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Доступна вредност
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Јоурнал Ентри
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Из ГСТИН-а
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Из ГСТИН-а
 DocType: Expense Claim Advance,Unclaimed amount,Непокривени износ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} ставки у току
 DocType: Workstation,Workstation Name,Воркстатион Име
@@ -2044,7 +2064,7 @@
 DocType: POS Item Group,POS Item Group,ПОС Тачка Група
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Емаил Дигест:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Алтернативна ставка не сме бити иста као код ставке
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},БОМ {0} не припада тачком {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},БОМ {0} не припада тачком {1}
 DocType: Sales Partner,Target Distribution,Циљна Дистрибуција
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Завршетак привремене процене
 DocType: Salary Slip,Bank Account No.,Банковни рачун бр
@@ -2053,7 +2073,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Може се користити варијабле Сцорецард, као и: {тотал_сцоре} (укупна оцјена из тог периода), {период_нумбер} (број периода до данашњег дана)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Скупи све
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Скупи све
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Креирајте наруџбину
 DocType: Quality Inspection Reading,Reading 8,Читање 8
 DocType: Inpatient Record,Discharge Note,Напомена о испуштању
@@ -2070,7 +2090,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Привилегированный Оставить
 DocType: Purchase Invoice,Supplier Invoice Date,Датум фактуре добављача
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ова вриједност се користи за прорачун про-рата темпорис
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Потребно је да омогућите Корпа
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Потребно је да омогућите Корпа
 DocType: Payment Entry,Writeoff,Отписати
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,МАТ-МВС-ИИИИ.-
 DocType: Stock Settings,Naming Series Prefix,Префикс имена серије
@@ -2085,11 +2105,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Перекрытие условия найдено между :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Против часопису Ступање {0} је већ прилагођен против неког другог ваучера
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Укупна вредност поруџбине
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,еда
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,еда
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Старење Опсег 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ПОС Цлосинг Воуцхер Детаљи
 DocType: Shopify Log,Shopify Log,Схопифи Лог
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Поставите називе серије за {0} преко Сетуп&gt; Сеттингс&gt; Сериес Наминг
 DocType: Inpatient Occupancy,Check In,Пријавити
 DocType: Maintenance Schedule Item,No of Visits,Број посета
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Распоред одржавања {0} постоји од {1}
@@ -2129,6 +2148,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Максималне предности (износ)
 DocType: Purchase Invoice,Contact Person,Контакт особа
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Очекивани датум почетка"" не може бити већи од ""Очекивани датум завршетка"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Нема података за овај период
 DocType: Course Scheduling Tool,Course End Date,Наравно Датум завршетка
 DocType: Holiday List,Holidays,Празници
 DocType: Sales Order Item,Planned Quantity,Планирана количина
@@ -2140,7 +2160,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Нето промена у основном средству
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Рекд Кти
 DocType: Leave Control Panel,Leave blank if considered for all designations,Оставите празно ако се сматра за све ознакама
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные ' в строке {0} не могут быть включены в пункт Оценить
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные ' в строке {0} не могут быть включены в пункт Оценить
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Мак: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Од датетиме
 DocType: Shopify Settings,For Company,За компаније
@@ -2153,9 +2173,9 @@
 DocType: Material Request,Terms and Conditions Content,Услови коришћења садржаја
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Дошло је до грешака приликом креирања курса
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Први Екпенс Аппровер на листи биће постављен као подразумевани Екпенс Аппровер.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,не може бити већи од 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,не може бити већи од 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Потребно је да будете други корисник осим Администратора са улогама Систем Манагер и Манагер за регистрацију на Маркетплаце.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт
 DocType: Packing Slip,MAT-PAC-.YYYY.-,МАТ-ПАЦ-ИИИИ.-
 DocType: Maintenance Visit,Unscheduled,Неплански
 DocType: Employee,Owned,Овнед
@@ -2183,7 +2203,7 @@
 DocType: HR Settings,Employee Settings,Подешавања запослених
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Учитавање платног система
 ,Batch-Wise Balance History,Групно-Висе Стање Историја
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Ред # {0}: Не може се подесити Рате ако је износ већи од фактурисане количине за ставку {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Ред # {0}: Не може се подесити Рате ако је износ већи од фактурисане количине за ставку {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,поставке за штампање ажуриран у одговарајућем формату за штампање
 DocType: Package Code,Package Code,пакет код
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,шегрт
@@ -2192,7 +2212,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Пореска детаљ сто учитани из тачка мајстора у виду стринг и складиште у овој области.
  Користи се за таксама и накнадама"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Запослени не може пријавити за себе.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Запослени не може пријавити за себе.
 DocType: Leave Type,Max Leaves Allowed,Максимално дозвољено одступање
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Аконалог је замрзнут , уноси могу да ограничене корисницима ."
 DocType: Email Digest,Bank Balance,Стање на рачуну
@@ -2218,6 +2238,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Банковне трансакције
 DocType: Quality Inspection,Readings,Читања
 DocType: Stock Entry,Total Additional Costs,Укупно Додатни трошкови
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Број интеракција
 DocType: BOM,Scrap Material Cost(Company Currency),Отпадног материјала Трошкови (Фирма валута)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub сборки
 DocType: Asset,Asset Name,Назив дела
@@ -2225,10 +2246,10 @@
 DocType: Shipping Rule Condition,To Value,Да вредност
 DocType: Loyalty Program,Loyalty Program Type,Врста програма лојалности
 DocType: Asset Movement,Stock Manager,Сток директор
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Рок плаћања на реду {0} је вероватно дупликат.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Пољопривреда (бета)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Паковање Слип
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Паковање Слип
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,аренда площади для офиса
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Подешавање Подешавања СМС Гатеваи
 DocType: Disease,Common Name,Уобичајено име
@@ -2260,20 +2281,17 @@
 DocType: Payment Order,PMO-,ПМО-
 DocType: HR Settings,Email Salary Slip to Employee,Емаил плата Слип да запосленом
 DocType: Cost Center,Parent Cost Center,Родитељ Трошкови центар
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Изабери Могући Супплиер
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Изабери Могући Супплиер
 DocType: Sales Invoice,Source,Извор
 DocType: Customer,"Select, to make the customer searchable with these fields",Изаберите да бисте учинили купцу да се претражи помоћу ових поља
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Напомене о увозној испоруци од Схопифи на пошиљци
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,схов затворено
 DocType: Leave Type,Is Leave Without Pay,Да ли је Оставите без плате
-DocType: Lab Test,HLC-LT-.YYYY.-,ХЛЦ-ЛТ-.ИИИИ.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Средство Категорија је обавезна за фиксне тачке средстава
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Средство Категорија је обавезна за фиксне тачке средстава
 DocType: Fee Validity,Fee Validity,Валидност накнаде
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Нема резултата у табели плаћања записи
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Ова {0} је у супротности са {1} за {2} {3}
 DocType: Student Attendance Tool,Students HTML,Студенти ХТМЛ-
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Избришите Емплоиее <a href=""#Form/Employee/{0}"">{0}</a> \ да бисте отказали овај документ"
 DocType: POS Profile,Apply Discount,Примени попуст
 DocType: GST HSN Code,GST HSN Code,ПДВ ХСН код
 DocType: Employee External Work History,Total Experience,Укупно Искуство
@@ -2296,7 +2314,7 @@
 DocType: Maintenance Schedule,Schedules,Распореди
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,ПОС профил је потребан да користи Поинт-оф-Сале
 DocType: Cashier Closing,Net Amount,Нето износ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} није поднет тако да акција не може бити завршен
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} није поднет тако да акција не може бити завршен
 DocType: Purchase Order Item Supplied,BOM Detail No,БОМ Детаљ Нема
 DocType: Landed Cost Voucher,Additional Charges,Додатни трошкови
 DocType: Support Search Source,Result Route Field,Поље поља резултата
@@ -2325,11 +2343,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Отварање фактура
 DocType: Contract,Contract Details,Детаљи уговора
 DocType: Employee,Leave Details,Оставите детаље
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Молимо поставите Усер ИД поље у запису запослених за постављање Емплоиее Роле
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Молимо поставите Усер ИД поље у запису запослених за постављање Емплоиее Роле
 DocType: UOM,UOM Name,УОМ Име
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Да адреси 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Да адреси 1
 DocType: GST HSN Code,HSN Code,ХСН код
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Допринос Износ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Допринос Износ
 DocType: Inpatient Record,Patient Encounter,Патиент Енцоунтер
 DocType: Purchase Invoice,Shipping Address,Адреса испоруке
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Овај алат помаже вам да ажурирају и поправити количину и вредновање складишту у систему. Обично се користи за синхронизацију вредности система и шта заправо постоји у вашим складиштима.
@@ -2346,9 +2364,9 @@
 DocType: Travel Itinerary,Mode of Travel,Режим путовања
 DocType: Sales Invoice Item,Brand Name,Бранд Наме
 DocType: Purchase Receipt,Transporter Details,Транспортер Детаљи
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Уобичајено складиште је потребан за одабране ставке
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Уобичајено складиште је потребан за одабране ставке
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,коробка
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,могуће добављача
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,могуће добављача
 DocType: Budget,Monthly Distribution,Месечни Дистрибуција
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Приемник Список пуст . Пожалуйста, создайте приемник Список"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Здравствена заштита (бета)
@@ -2370,6 +2388,7 @@
 ,Lead Name,Олово Име
 ,POS,ПОС
 DocType: C-Form,III,ИИ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Истраживање
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Отварање Сток Стање
 DocType: Asset Category Account,Capital Work In Progress Account,Капитални рад је у току
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Подешавање вредности активе
@@ -2378,7 +2397,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Листья Выделенные Успешно для {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Нет объектов для вьючных
 DocType: Shipping Rule Condition,From Value,Од вредности
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Производња Количина је обавезно
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Производња Количина је обавезно
 DocType: Loan,Repayment Method,Начин отплате
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако је означено, Почетна страница ће бити подразумевани тачка група за сајт"
 DocType: Quality Inspection Reading,Reading 4,Читање 4
@@ -2403,7 +2422,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Упућивање запослених
 DocType: Student Group,Set 0 for no limit,Сет 0 без ограничења
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Дан (и) на коју се пријављујете за дозволу су празници. Не морате пријавити за одмор.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Ров {идк}: {поље} је неопходно за креирање Опенинг {инвоице_типе} фактура
 DocType: Customer,Primary Address and Contact Detail,Примарна адреса и контакт детаљи
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Поново плаћања Емаил
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Нови задатак
@@ -2413,8 +2431,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Изаберите бар један домен.
 DocType: Dependent Task,Dependent Task,Зависна Задатак
 DocType: Shopify Settings,Shopify Tax Account,Купујте порески рачун
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}"
 DocType: Delivery Trip,Optimize Route,Оптимизирајте руту
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Покушајте планирање операција за Кс дана унапред.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2423,14 +2441,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Молимо поставите Дефаулт Паиролл Паиабле рачун у компанији {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Узми финансијски распад података о порезима и наплаћује Амазон
 DocType: SMS Center,Receiver List,Пријемник Листа
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Тражи артикла
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Тражи артикла
 DocType: Payment Schedule,Payment Amount,Плаћање Износ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Датум полувремена треба да буде између рада од датума и датума рада
 DocType: Healthcare Settings,Healthcare Service Items,Ставке здравствене заштите
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Цонсумед Износ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Нето промена на пари
 DocType: Assessment Plan,Grading Scale,скала оцењивања
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,већ завршено
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Стоцк Ин Ханд
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2453,25 +2471,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Унесите УРЛ адресу Вооцоммерце Сервера
 DocType: Purchase Order Item,Supplier Part Number,Снабдевач Број дела
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1
 DocType: Share Balance,To No,Да не
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Сва обавезна задатка за стварање запослених још није завршена.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} отказан или заустављен
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} отказан или заустављен
 DocType: Accounts Settings,Credit Controller,Кредитни контролер
 DocType: Loan,Applicant Type,Тип подносиоца захтева
 DocType: Purchase Invoice,03-Deficiency in services,03-Недостатак услуга
 DocType: Healthcare Settings,Default Medical Code Standard,Стандардни медицински кодни стандард
 DocType: Purchase Invoice Item,HSN/SAC,ХСН / САЧ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Покупка Получение {0} не представлено
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Покупка Получение {0} не представлено
 DocType: Company,Default Payable Account,Уобичајено оплате рачуна
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Подешавања за онлине куповину као што су испоруке правила, ценовник итд"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,МАТ-ПРЕ-ИИИИ.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Приходована
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Резервисано Кол
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Резервисано Кол
 DocType: Party Account,Party Account,Странка налог
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Изаберите компанију и ознаку
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Человеческие ресурсы
-DocType: Lead,Upper Income,Горња прихода
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Горња прихода
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Одбити
 DocType: Journal Entry Account,Debit in Company Currency,Дебитна у Компанија валути
 DocType: BOM Item,BOM Item,БОМ шифра
@@ -2488,7 +2506,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Отварање радних мјеста за означавање {0} већ отворено или запошљавање завршено у складу са планом особља {1}
 DocType: Vital Signs,Constipated,Запремљен
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Против добављача Фактура {0} {1} од
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Против добављача Фактура {0} {1} од
 DocType: Customer,Default Price List,Уобичајено Ценовник
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Кретање средство запис {0} је направљена
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Нема пронађених предмета.
@@ -2504,17 +2522,18 @@
 DocType: Journal Entry,Entry Type,Ступање Тип
 ,Customer Credit Balance,Кориснички кредитни биланс
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Нето промена у потрашивањима
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитни лимит је прешао за клијента {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Поставите називе серије за {0} преко Сетуп&gt; Сеттингс&gt; Сериес Наминг
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитни лимит је прешао за клијента {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Клиент требуется для "" Customerwise Скидка """
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Ажурирање банка плаћање датира са часописима.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Цене
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Цене
 DocType: Quotation,Term Details,Орочена Детаљи
 DocType: Employee Incentive,Employee Incentive,Инцентиве за запослене
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не могу уписати више од {0} студенте за ову студентској групи.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Укупно (без пореза)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,olovo Точка
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,olovo Точка
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Стоцк Аваилабле
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Стоцк Аваилабле
 DocType: Manufacturing Settings,Capacity Planning For (Days),Капацитет планирање за (дана)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,набавка
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Ниједан од ставки имају било какву промену у количини или вриједности.
@@ -2539,7 +2558,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Остави и Присуство
 DocType: Asset,Comprehensive Insurance,Свеобухватно осигурање
 DocType: Maintenance Visit,Partially Completed,Дјелимично Завршено
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Тачка лојалности: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Тачка лојалности: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Адд Леадс
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Умерена осетљивост
 DocType: Leave Type,Include holidays within leaves as leaves,"Укључи празнике у листовима, као лишће"
 DocType: Loyalty Program,Redemption,Спасење
@@ -2573,7 +2593,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Маркетинговые расходы
 ,Item Shortage Report,Ставка о несташици извештај
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Не могу да креирам стандардне критеријуме. Преименујте критеријуме
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се спомиње, \n Молимо вас да се позовете на ""Тежина УОМ"" превише"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се спомиње, \n Молимо вас да се позовете на ""Тежина УОМ"" превише"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материјал Захтев се користи да би овај унос Стоцк
 DocType: Hub User,Hub Password,Хуб Пассворд
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Одвојени базирана Група наравно за сваку серију
@@ -2587,15 +2607,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Трајање именовања (мин)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Направите Рачуноводство унос за сваки Стоцк Покрета
 DocType: Leave Allocation,Total Leaves Allocated,Укупно Лишће Издвојена
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Молимо Вас да унесете важи финансијске године датум почетка
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Молимо Вас да унесете важи финансијске године датум почетка
 DocType: Employee,Date Of Retirement,Датум одласка у пензију
 DocType: Upload Attendance,Get Template,Гет шаблона
+,Sales Person Commission Summary,Повјереник Комисије за продају
 DocType: Additional Salary Component,Additional Salary Component,Додатна плата компонента
 DocType: Material Request,Transferred,пренети
 DocType: Vehicle,Doors,vrata
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ЕРПНект Подешавање Комплетна!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ЕРПНект Подешавање Комплетна!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Прикупити накнаду за регистрацију пацијента
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Не могу мењати атрибуте након трансакције са акцијама. Направите нову ставку и ставите трансфер на нову ставку
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Не могу мењати атрибуте након трансакције са акцијама. Направите нову ставку и ставите трансфер на нову ставку
 DocType: Course Assessment Criteria,Weightage,Веигхтаге
 DocType: Purchase Invoice,Tax Breakup,porez на распад
 DocType: Employee,Joining Details,Састављање Детаљи
@@ -2623,14 +2644,15 @@
 DocType: Lead,Next Contact By,Следеће Контакт По
 DocType: Compensatory Leave Request,Compensatory Leave Request,Захтев за компензацијско одузимање
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацин {0} не може бити обрисан јер постоји количина за Ставку {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацин {0} не може бити обрисан јер постоји количина за Ставку {1}
 DocType: Blanket Order,Order Type,Врста поруџбине
 ,Item-wise Sales Register,Предмет продаје-мудре Регистрација
 DocType: Asset,Gross Purchase Amount,Бруто Куповина Количина
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Почетни баланси
 DocType: Asset,Depreciation Method,Амортизација Метод
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Да ли је то такса у Основном Рате?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Укупно Циљна
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Укупно Циљна
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Анализа перцепције
 DocType: Soil Texture,Sand Composition (%),Композиција песка (%)
 DocType: Job Applicant,Applicant for a Job,Подносилац захтева за посао
 DocType: Production Plan Material Request,Production Plan Material Request,Производња план Материјал Упит
@@ -2646,23 +2668,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Ознака оцене (од 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Гуардиан2 Мобилни број
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,основной
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Следећа ставка {0} није означена као {1} ставка. Можете их омогућити као {1} ставку из главног поглавља
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Варијанта
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","За ставку {0}, количина мора бити негативна"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Сет префикс за нумерисање серију на својим трансакцијама
 DocType: Employee Attendance Tool,Employees HTML,zaposleni ХТМЛ
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Уобичајено БОМ ({0}) мора бити активан за ову ставку или његовог шаблон
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Уобичајено БОМ ({0}) мора бити активан за ову ставку или његовог шаблон
 DocType: Employee,Leave Encashed?,Оставите Енцасхед?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Прилика Од пољу је обавезна
 DocType: Email Digest,Annual Expenses,Годишњи трошкови
 DocType: Item,Variants,Варијанте
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Маке наруџбенице
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Маке наруџбенице
 DocType: SMS Center,Send To,Пошаљи
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Додијељени износ
 DocType: Sales Team,Contribution to Net Total,Допринос нето укупни
 DocType: Sales Invoice Item,Customer's Item Code,Шифра купца
 DocType: Stock Reconciliation,Stock Reconciliation,Берза помирење
 DocType: Territory,Territory Name,Територија Име
+DocType: Email Digest,Purchase Orders to Receive,Наруџбе за куповину
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Работа -в- Прогресс Склад требуется перед Отправить
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Планове можете имати само са истим циклусом фактурисања на Претплати
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Маппед Дата
@@ -2681,9 +2705,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Трацк Леадс би Леад Соурце.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Услов за владавину Схиппинг
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Унесите
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Унесите
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Дневник одржавања
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Молимо поставите филтер на основу тачке или Варехоусе
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Молимо поставите филтер на основу тачке или Варехоусе
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето тежина овог пакета. (Израчунава аутоматски као збир нето тежине предмета)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Направите Интер Јоурнал Јоурнал Ентри
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Износ попуста не може бити већи од 100%
@@ -2692,15 +2716,15 @@
 DocType: Sales Order,To Deliver and Bill,Да достави и Билл
 DocType: Student Group,Instructors,instruktori
 DocType: GL Entry,Credit Amount in Account Currency,Износ кредита на рачуну валути
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,БОМ {0} мора да се поднесе
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Управљање акцијама
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,БОМ {0} мора да се поднесе
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Управљање акцијама
 DocType: Authorization Control,Authorization Control,Овлашћење за контролу
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Одбијен Складиште је обавезна против одбијен тачком {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Плаћање
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Одбијен Складиште је обавезна против одбијен тачком {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Плаћање
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Магацин {0} није повезан на било који рачун, молимо вас да поменете рачун у складиште записник или сет налог подразумевани инвентара у компанији {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Организујте своје налоге
 DocType: Work Order Operation,Actual Time and Cost,Тренутно време и трошак
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материал Запрос максимума {0} могут быть сделаны для Пункт {1} против Заказ на продажу {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материал Запрос максимума {0} могут быть сделаны для Пункт {1} против Заказ на продажу {2}
 DocType: Amazon MWS Settings,DE,ДЕ
 DocType: Crop,Crop Spacing,Растојање усева
 DocType: Course,Course Abbreviation,Наравно држава
@@ -2712,6 +2736,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Укупно радно време не би требало да буде већи од мак радних сати {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,На
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Бундле ставке у време продаје.
+DocType: Delivery Settings,Dispatch Settings,Диспечерске поставке
 DocType: Material Request Plan Item,Actual Qty,Стварна Кол
 DocType: Sales Invoice Item,References,Референце
 DocType: Quality Inspection Reading,Reading 10,Читање 10
@@ -2721,11 +2746,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Унели дупликате . Молимо исправи и покушајте поново .
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,помоћник
 DocType: Asset Movement,Asset Movement,средство покрет
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Радни налог {0} мора бити поднет
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Нова корпа
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Радни налог {0} мора бити поднет
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Нова корпа
 DocType: Taxable Salary Slab,From Amount,Од износа
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} не сериализованным Пункт
 DocType: Leave Type,Encashment,Енцасхмент
+DocType: Delivery Settings,Delivery Settings,Подешавања испоруке
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Извадите податке
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Максимални дозвољени одмор у типу одласка {0} је {1}
 DocType: SMS Center,Create Receiver List,Направите листу пријемника
 DocType: Vehicle,Wheels,Точкови
@@ -2741,7 +2768,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Валута за обрачун мора бити једнака валути валуте компаније или валуте партијског рачуна
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Указује на то да пакет је део ове испоруке (само нацрт)
 DocType: Soil Texture,Loam,Лоам
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Ред {0}: Дуе Дате не може бити пре датума објављивања
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Ред {0}: Дуе Дате не може бити пре датума објављивања
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Уплатите Ентри
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Количество по пункту {0} должно быть меньше {1}
 ,Sales Invoice Trends,Продаје Фактура трендови
@@ -2749,12 +2776,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете обратиться строку , только если тип заряда «О Предыдущая сумма Row » или « Предыдущая Row Всего"""
 DocType: Sales Order Item,Delivery Warehouse,Испорука Складиште
 DocType: Leave Type,Earned Leave Frequency,Зарађена фреквенција одласка
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Дрво центара финансијске трошкове.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Суб Типе
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Дрво центара финансијске трошкове.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Суб Типе
 DocType: Serial No,Delivery Document No,Достава докумената Нема
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обезбедите испоруку на основу произведеног серијског броја
 DocType: Vital Signs,Furry,Фурри
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Молимо поставите &#39;добитак / губитак налог на средства располагања &quot;у компанији {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Молимо поставите &#39;добитак / губитак налог на средства располагања &quot;у компанији {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Гет ставки од куповине Примања
 DocType: Serial No,Creation Date,Датум регистрације
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Циљна локација је потребна за средство {0}
@@ -2768,11 +2795,12 @@
 DocType: Item,Has Variants,Хас Варијанте
 DocType: Employee Benefit Claim,Claim Benefit For,Захтевај повластицу за
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Упдате Респонсе
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Који сте изабрали ставке из {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Који сте изабрали ставке из {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Назив мјесечни
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Батцх ИД је обавезна
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Батцх ИД је обавезна
 DocType: Sales Person,Parent Sales Person,Продаја Родитељ Особа
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Ниједна ставка која треба примити није доспела
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Продавац и купац не могу бити исти
 DocType: Project,Collect Progress,Прикупи напредак
 DocType: Delivery Note,MAT-DN-.YYYY.-,МАТ-ДН-ИИИИ.-
@@ -2788,7 +2816,7 @@
 DocType: Bank Guarantee,Margin Money,Маргин Монеи
 DocType: Budget,Budget,Буџет
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Сет Опен
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Основних средстава тачка мора бити нон-лагеру предмета.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Основних средстава тачка мора бити нон-лагеру предмета.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Буџет не може се одредити према {0}, јер то није прихода или расхода рачун"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Максимална изузећа за {0} је {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнута
@@ -2806,9 +2834,9 @@
 ,Amount to Deliver,Износ на Избави
 DocType: Asset,Insurance Start Date,Датум почетка осигурања
 DocType: Salary Component,Flexible Benefits,Флексибилне предности
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Иста ставка је унета више пута. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Иста ставка је унета више пута. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Рок Датум почетка не може бити раније него годину дана датум почетка академске године на коју се израз је везан (академска година {}). Молимо исправите датуме и покушајте поново.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Било је грешака .
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Било је грешака .
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Запосленик {0} већ је пријавио за {1} између {2} и {3}:
 DocType: Guardian,Guardian Interests,Гуардиан Интереси
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Ажурирајте име / број рачуна
@@ -2847,9 +2875,9 @@
 ,Item-wise Purchase History,Тачка-мудар Историја куповине
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Пожалуйста, нажмите на кнопку "" Generate Расписание "" , чтобы принести Серийный номер добавлен для Пункт {0}"
 DocType: Account,Frozen,Фрозен
-DocType: Delivery Note,Vehicle Type,Тип возила
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Тип возила
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Основица (Фирма валута)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Сировине
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Сировине
 DocType: Payment Reconciliation Payment,Reference Row,референце Ред
 DocType: Installation Note,Installation Time,Инсталација време
 DocType: Sales Invoice,Accounting Details,Књиговодство Детаљи
@@ -2858,12 +2886,13 @@
 DocType: Inpatient Record,O Positive,О Позитивно
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,инвестиции
 DocType: Issue,Resolution Details,Резолуција Детаљи
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,врста трансакције
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,врста трансакције
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критеријуми за пријем
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Унесите Материјални захтеве у горњој табели
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Нема враћања за унос дневника
 DocType: Hub Tracked Item,Image List,Листа слика
 DocType: Item Attribute,Attribute Name,Назив атрибута
+DocType: Subscription,Generate Invoice At Beginning Of Period,Генеришите фактуру на почетку периода
 DocType: BOM,Show In Website,Схов у сајт
 DocType: Loan Application,Total Payable Amount,Укупно плаћају износ
 DocType: Task,Expected Time (in hours),Очекивано време (у сатима)
@@ -2901,8 +2930,8 @@
 DocType: Employee,Resignation Letter Date,Оставка Писмо Датум
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Цене Правила се даље филтрира на основу количине.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Нот Сет
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Подесите датум приступања за запосленог {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Подесите датум приступања за запосленог {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Подесите датум приступања за запосленог {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Подесите датум приступања за запосленог {0}
 DocType: Inpatient Record,Discharge,Пражњење
 DocType: Task,Total Billing Amount (via Time Sheet),Укупно Износ обрачуна (преко Тиме Схеет)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Поновите Кориснички Приход
@@ -2912,13 +2941,13 @@
 DocType: Chapter,Chapter,Поглавље
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,пара
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Подразумевани налог ће се аутоматски ажурирати у ПОС рачуну када је изабран овај режим.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Изабери БОМ и Кти за производњу
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Изабери БОМ и Кти за производњу
 DocType: Asset,Depreciation Schedule,Амортизација Распоред
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Продаја Партнер адресе и контакт
 DocType: Bank Reconciliation Detail,Against Account,Против налога
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Пола Дан Датум треба да буде између Од датума и до данас
 DocType: Maintenance Schedule Detail,Actual Date,Стварни датум
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Подесите Центар за подразумеване трошкове у {0} компанији.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Подесите Центар за подразумеване трошкове у {0} компанији.
 DocType: Item,Has Batch No,Има Батцх Нема
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Годишња плаћања: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Схопифи Вебхоок Детаил
@@ -2930,7 +2959,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,АЦЦ-ПРК-.ИИИИ.-
 DocType: Shift Assignment,Shift Type,Тип померања
 DocType: Student,Personal Details,Лични детаљи
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Молимо поставите &#39;Ассет Амортизација Набавна центар &quot;у компанији {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Молимо поставите &#39;Ассет Амортизација Набавна центар &quot;у компанији {0}
 ,Maintenance Schedules,Планове одржавања
 DocType: Task,Actual End Date (via Time Sheet),Стварна Датум завршетка (преко Тиме Схеет)
 DocType: Soil Texture,Soil Type,Врста земљишта
@@ -2938,10 +2967,10 @@
 ,Quotation Trends,Котировочные тенденции
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Ставка група не помиње у тачки мајстор за ставку {0}
 DocType: GoCardless Mandate,GoCardless Mandate,ГоЦардлесс Мандате
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Дебитна Да рачуну мора бити потраживања рачун
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Дебитна Да рачуну мора бити потраживања рачун
 DocType: Shipping Rule,Shipping Amount,Достава Износ
 DocType: Supplier Scorecard Period,Period Score,Оцена периода
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Додај Купци
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Додај Купци
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Чека Износ
 DocType: Lab Test Template,Special,Посебно
 DocType: Loyalty Program,Conversion Factor,Конверзија Фактор
@@ -2958,7 +2987,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Додај слово
 DocType: Program Enrollment,Self-Driving Vehicle,Селф-Дривинг возила
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Добављач Сцорецард Стандинг
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Билл оф Материалс није пронађена за тачком {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Билл оф Материалс није пронађена за тачком {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Укупно издвојена лишће {0} не може бити мањи од већ одобрених лишћа {1} за период
 DocType: Contract Fulfilment Checklist,Requirement,Услов
 DocType: Journal Entry,Accounts Receivable,Потраживања
@@ -2975,16 +3004,16 @@
 DocType: Projects Settings,Timesheets,тимесхеетс
 DocType: HR Settings,HR Settings,ХР Подешавања
 DocType: Salary Slip,net pay info,Нето плата Информације о
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,ЦЕСС Износ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,ЦЕСС Износ
 DocType: Woocommerce Settings,Enable Sync,Омогући синхронизацију
 DocType: Tax Withholding Rate,Single Transaction Threshold,Појединачни трансакциони праг
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ова вриједност се ажурира у листи подразумеваних продајних цијена.
 DocType: Email Digest,New Expenses,Нове Трошкови
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,ПДЦ / ЛЦ Износ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,ПДЦ / ЛЦ Износ
 DocType: Shareholder,Shareholder,Акционар
 DocType: Purchase Invoice,Additional Discount Amount,Додатне Износ попуста
 DocType: Cash Flow Mapper,Position,Позиција
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Добијте ставке из рецепта
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Добијте ставке из рецепта
 DocType: Patient,Patient Details,Детаљи пацијента
 DocType: Inpatient Record,B Positive,Б Позитивно
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2996,8 +3025,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Група не-Гроуп
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,спортски
 DocType: Loan Type,Loan Name,kredit Име
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Укупно Стварна
-DocType: Lab Test UOM,Test UOM,Тест УОМ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Укупно Стварна
 DocType: Student Siblings,Student Siblings,Студент Браћа и сестре
 DocType: Subscription Plan Detail,Subscription Plan Detail,Детаљи претплате
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,блок
@@ -3025,7 +3053,6 @@
 DocType: Workstation,Wages per hour,Сатнице
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Сток стање у батцх {0} ће постати негативна {1} за {2} тачком у складишту {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следећи материјал захтеви су аутоматски подигнута на основу нивоа поновног реда ставке
-DocType: Email Digest,Pending Sales Orders,У току продајних налога
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Рачун {0} је неважећа. Рачун валута мора да буде {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Од Датум {0} не може бити након отпуштања запосленог Датум {1}
 DocType: Supplier,Is Internal Supplier,Је унутрашњи добављач
@@ -3034,13 +3061,14 @@
 DocType: Healthcare Settings,Remind Before,Подсети Пре
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0}
 DocType: Production Plan Item,material_request_item,материал_рекуест_итем
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од продаје реда, продаје Фактура или Јоурнал Ентри"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од продаје реда, продаје Фактура или Јоурнал Ентри"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Лоиалти Поинтс = Колико основних валута?
 DocType: Salary Component,Deduction,Одузимање
 DocType: Item,Retain Sample,Задржи узорак
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од времена и времена је обавезно.
 DocType: Stock Reconciliation Item,Amount Difference,iznos Разлика
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Ставка Цена додат за {0} у ценовнику {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Ставка Цена додат за {0} у ценовнику {1}
+DocType: Delivery Stop,Order Information,Информације за наруџбу
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Молимо Вас да унесете Ид радник ове продаје особе
 DocType: Territory,Classification of Customers by region,Класификација купаца по региону
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,У производњи
@@ -3051,8 +3079,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Обрачуната банка Биланс
 DocType: Normal Test Template,Normal Test Template,Нормални тестни шаблон
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,искључени корисник
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Понуда
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Не можете поставити примљени РФК на Но Куоте
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Понуда
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Не можете поставити примљени РФК на Но Куоте
 DocType: Salary Slip,Total Deduction,Укупно Одбитак
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Изаберите налог за штампање у валути рачуна
 ,Production Analytics,Продуцтион analitika
@@ -3065,14 +3093,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставка Сцорецард Сетуп
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Назив плана процене
 DocType: Work Order Operation,Work Order Operation,Операција рада
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Упозорење: Неважећи сертификат ССЛ на везаности {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Упозорење: Неважећи сертификат ССЛ на везаности {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Леадс вам помоћи да посао, додати све своје контакте и још као своје трагове"
 DocType: Work Order Operation,Actual Operation Time,Стварна Операција време
 DocType: Authorization Rule,Applicable To (User),Важећи Да (Корисник)
 DocType: Purchase Taxes and Charges,Deduct,Одбити
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Опис посла
 DocType: Student Applicant,Applied,примењен
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Снова откройте
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Снова откройте
 DocType: Sales Invoice Item,Qty as per Stock UOM,Кол по залихама ЗОЦГ
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Гуардиан2 Име
 DocType: Attendance,Attendance Request,Захтев за присуством
@@ -3090,7 +3118,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална дозвољена вредност
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Корисник {0} већ постоји
-apps/erpnext/erpnext/hooks.py +114,Shipments,Пошиљке
+apps/erpnext/erpnext/hooks.py +115,Shipments,Пошиљке
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Укупно додељени износ (Фирма валута)
 DocType: Purchase Order Item,To be delivered to customer,Који ће бити достављен купца
 DocType: BOM,Scrap Material Cost,Отпадног материјала Трошкови
@@ -3098,11 +3126,12 @@
 DocType: Grant Application,Email Notification Sent,Послато обавештење о е-пошти
 DocType: Purchase Invoice,In Words (Company Currency),Речима (Друштво валута)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Предузеће је очигледно за рачун компаније
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Код ставке, складиште, количина су потребна у реду"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Код ставке, складиште, количина су потребна у реду"
 DocType: Bank Guarantee,Supplier,Добављач
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Гет Од
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Ово је коријенско одјељење и не може се уређивати.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Прикажи податке о плаћању
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Трајање у данима
 DocType: C-Form,Quarter,Четврт
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Прочие расходы
 DocType: Global Defaults,Default Company,Уобичајено Компанија
@@ -3110,7 +3139,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходи или Разлика рачун је обавезно за пункт {0} , јер утиче укупна вредност залиха"
 DocType: Bank,Bank Name,Име банке
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Изнад
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Оставите поље празно да бисте наручили налоге за све добављаче
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Оставите поље празно да бисте наручили налоге за све добављаче
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Обавезна посета обавезној посети
 DocType: Vital Signs,Fluid,Флуид
 DocType: Leave Application,Total Leave Days,Укупно ЛЕАВЕ Дана
@@ -3120,7 +3149,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Поставке варијанте ставке
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Изаберите фирму ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Оставите празно ако се сматра за сва одељења
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} является обязательным для п. {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} является обязательным для п. {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Ставка {0}: {1} количина произведена,"
 DocType: Payroll Entry,Fortnightly,четрнаестодневни
 DocType: Currency Exchange,From Currency,Од валутног
@@ -3170,7 +3199,7 @@
 DocType: Account,Fixed Asset,Исправлена активами
 DocType: Amazon MWS Settings,After Date,Након датума
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Серијализоване Инвентар
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Неважеће {0} за Интер Цомпани рачун.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Неважеће {0} за Интер Цомпани рачун.
 ,Department Analytics,Одељење аналитике
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Е-пошта није пронађена у подразумеваном контакту
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Генерирај тајну
@@ -3189,6 +3218,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Директор
 DocType: Purchase Invoice,With Payment of Tax,Уз плаћање пореза
 DocType: Expense Claim Detail,Expense Claim Detail,Расходи потраживање Детаљ
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Молимо вас да подесите систем именовања инструктора у образовању&gt; Образовне поставке
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Три примерка за добављача
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Нови баланс у основној валути
 DocType: Location,Is Container,Је контејнер
@@ -3196,13 +3226,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Молимо изаберите исправан рачун
 DocType: Salary Structure Assignment,Salary Structure Assignment,Распоред плата
 DocType: Purchase Invoice Item,Weight UOM,Тежина УОМ
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Списак доступних акционара са бројевима фолије
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Списак доступних акционара са бројевима фолије
 DocType: Salary Structure Employee,Salary Structure Employee,Плата Структура запослених
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Прикажи варијантне атрибуте
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Прикажи варијантне атрибуте
 DocType: Student,Blood Group,Крв Група
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Рачун плаћачког плаћања у плану {0} се разликује од налога за плаћање у овом налогу за плаћање
 DocType: Course,Course Name,Назив курса
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Није пронађен никакав порезни задатак за текућу фискалну годину.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Није пронађен никакав порезни задатак за текућу фискалну годину.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Корисници који могу одобри одсуство апликације у конкретној запосленог
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,оборудование офиса
 DocType: Purchase Invoice Item,Qty,Кол
@@ -3210,6 +3240,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Подешавање бодова
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,електроника
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Дебит ({0})
+DocType: BOM,Allow Same Item Multiple Times,Дозволите исту ставку више пута
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Подигните захтев залиха материјала када достигне ниво поновно наручивање
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Пуно радно време
 DocType: Payroll Entry,Employees,zaposleni
@@ -3221,11 +3252,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Потврда о уплати
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Цене неће бити приказан ако Ценовник није подешен
 DocType: Stock Entry,Total Incoming Value,Укупна вредност Долазни
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Дебитна Да је потребно
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Дебитна Да је потребно
 DocType: Clinical Procedure,Inpatient Record,Записник о стационарном стању
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Тимесхеетс лакше пратили времена, трошкова и рачуна за АКТИВНОСТИ урадио ваш тим"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Куповина Ценовник
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Датум трансакције
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Куповина Ценовник
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Датум трансакције
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Шаблони варијабли индекса добављача.
 DocType: Job Offer Term,Offer Term,Понуда Рок
 DocType: Asset,Quality Manager,Руководилац квалитета
@@ -3246,11 +3277,11 @@
 DocType: Cashier Closing,To Time,За време
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) за {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Одобравање улога (изнад овлашћеног вредности)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Кредит на рачун мора бити Плаћа рачун
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Кредит на рачун мора бити Плаћа рачун
 DocType: Loan,Total Amount Paid,Укупан износ плаћен
 DocType: Asset,Insurance End Date,Крајњи датум осигурања
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Молимо изаберите Студентски пријем који је обавезан за ученику који је платио
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия : {0} не может быть родитель или ребенок {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия : {0} не может быть родитель или ребенок {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Буџетска листа
 DocType: Work Order Operation,Completed Qty,Завршен Кол
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само дебитне рачуни могу бити повезани против другог кредитног уласка"
@@ -3258,7 +3289,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Сериализед артикла {0} не може да се ажурира преко Стоцк помирење, користите Стоцк унос"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Сериализед артикла {0} не може да се ажурира преко Стоцк помирење, користите Стоцк унос"
 DocType: Training Event Employee,Training Event Employee,Тренинг догађај запослених
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максимални узорци - {0} могу бити задржани за Батцх {1} и Итем {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максимални узорци - {0} могу бити задржани за Батцх {1} и Итем {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Адд Тиме Слотс
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} серијски бројеви који су потребни за тачком {1}. Ви сте под условом {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Тренутни Процена курс
@@ -3289,11 +3320,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серијски број {0} није пронађен
 DocType: Fee Schedule Program,Fee Schedule Program,Програм распоређивања накнада
 DocType: Fee Schedule Program,Student Batch,студент партије
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Избришите Емплоиее <a href=""#Form/Employee/{0}"">{0}</a> \ да бисте отказали овај документ"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Маке Студент
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Мин разреда
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Врста јединице за здравствену заштиту
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Позвани сте да сарађују на пројекту: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Позвани сте да сарађују на пројекту: {0}
 DocType: Supplier Group,Parent Supplier Group,Родитељска група за снабдевање
+DocType: Email Digest,Purchase Orders to Bill,Наруџбе за куповину
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Акумулиране вредности у групној компанији
 DocType: Leave Block List Date,Block Date,Блоцк Дате
 DocType: Crop,Crop,Усев
@@ -3306,6 +3340,7 @@
 DocType: Sales Order,Not Delivered,Није Испоручено
 ,Bank Clearance Summary,Банка Чишћење Резиме
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Создание и управление ежедневные , еженедельные и ежемесячные дайджесты новостей."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Ово се заснива на трансакцијама против овог Продавца. Погледајте детаље испод
 DocType: Appraisal Goal,Appraisal Goal,Процена Гол
 DocType: Stock Reconciliation Item,Current Amount,Тренутни Износ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,zgrade
@@ -3332,7 +3367,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Програми
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Следећа контакт Датум не могу бити у прошлости
 DocType: Company,For Reference Only.,За справки.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Избор серијски бр
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Избор серијски бр
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Неважећи {0}: {1}
 ,GSTR-1,ГСТР-1
 DocType: Fee Validity,Reference Inv,Референце Инв
@@ -3350,16 +3385,16 @@
 DocType: Normal Test Items,Require Result Value,Захтевај вредност резултата
 DocType: Item,Show a slideshow at the top of the page,Приказивање слајдова на врху странице
 DocType: Tax Withholding Rate,Tax Withholding Rate,Стопа задржавања пореза
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,БОМ
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Магазины
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,БОМ
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Магазины
 DocType: Project Type,Projects Manager,Пројекти менаџер
 DocType: Serial No,Delivery Time,Време испоруке
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Старење Басед Он
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Именовање је отказано
 DocType: Item,End of Life,Крај живота
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,путешествие
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,путешествие
 DocType: Student Report Generation Tool,Include All Assessment Group,Укључи сву групу процене
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Нема активног или стандардна плата структура наћи за запосленог {0} за одређени датум
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Нема активног или стандардна плата структура наћи за запосленог {0} за одређени датум
 DocType: Leave Block List,Allow Users,Дозволи корисницима
 DocType: Purchase Order,Customer Mobile No,Кориснички Мобилни број
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детаљи шаблона за мапирање готовог тока
@@ -3368,15 +3403,16 @@
 DocType: Rename Tool,Rename Tool,Преименовање Тоол
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Ажурирање Трошкови
 DocType: Item Reorder,Item Reorder,Предмет Реордер
+DocType: Delivery Note,Mode of Transport,Начин транспорта
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Схов плата Слип
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Пренос материјала
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Пренос материјала
 DocType: Fees,Send Payment Request,Пошаљите захтев за плаћање
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Наведите операције , оперативне трошкове и дају јединствену операцију без своје пословање ."
 DocType: Travel Request,Any other details,Било који други детаљ
 DocType: Water Analysis,Origin,Порекло
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Овај документ је преко границе од {0} {1} за ставку {4}. Правиш други {3} против исте {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Молимо поставите понављају након снимања
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Избор промена износ рачуна
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Молимо поставите понављају након снимања
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Избор промена износ рачуна
 DocType: Purchase Invoice,Price List Currency,Ценовник валута
 DocType: Naming Series,User must always select,Корисник мора увек изабрати
 DocType: Stock Settings,Allow Negative Stock,Дозволи Негативно Стоцк
@@ -3397,9 +3433,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,следљивост
 DocType: Asset Maintenance Log,Actions performed,Изведене акције
 DocType: Cash Flow Mapper,Section Leader,Руководилац одјела
+DocType: Delivery Note,Transport Receipt No,Транспортни пријем бр
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Источник финансирования ( обязательства)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Извор и циљна локација не могу бити исти
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ( {1} ) должна быть такой же, как изготавливается количество {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ( {1} ) должна быть такой же, как изготавливается количество {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Запосленик
 DocType: Bank Guarantee,Fixed Deposit Number,Фиксни депозитни број
 DocType: Asset Repair,Failure Date,Датум отказа
@@ -3413,16 +3450,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Плаћања Одбици или губитак
 DocType: Soil Analysis,Soil Analysis Criterias,Критеријуми за анализу земљишта
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Да ли сте сигурни да желите да откажете овај термин?
+DocType: BOM Item,Item operation,Операција ставке
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Да ли сте сигурни да желите да откажете овај термин?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Пакет за хотелску собу
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Продаја Цевовод
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Продаја Цевовод
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Молимо поставите подразумевани рачун у плате компоненте {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обавезно На
 DocType: Rename Tool,File to Rename,Филе Ренаме да
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Молимо одаберите БОМ за предмета на Ров {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Изврши ажурирање претплате
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Рачун {0} не поклапа са Компаније {1} у режиму рачуна: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Указано БОМ {0} не постоји за ставку {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Указано БОМ {0} не постоји за ставку {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Курс:
 DocType: Soil Texture,Sandy Loam,Санди Лоам
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента
@@ -3431,7 +3469,7 @@
 DocType: Notification Control,Expense Claim Approved,Расходи потраживање одобрено
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Поставите унапред и доделите (ФИФО)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Стварање радних налога
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Плата Слип запосленог {0} већ створен за овај период
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Плата Слип запосленог {0} већ створен за овај период
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,фармацевтический
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Можете поднијети Леаве Енцасхмент само важећи износ за унос
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Трошкови Купљено
@@ -3439,7 +3477,8 @@
 DocType: Selling Settings,Sales Order Required,Продаја Наручите Обавезно
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Постаните Продавац
 DocType: Purchase Invoice,Credit To,Кредит би
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Активни Леадс / Купци
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Активни Леадс / Купци
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Оставите празно да бисте користили стандардни формат напомене за испоруку
 DocType: Employee Education,Post Graduate,Пост дипломски
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Одржавање Распоред Детаљ
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Упозорити на нова наруџбина
@@ -3453,14 +3492,14 @@
 DocType: Support Search Source,Post Title Key,Пост Титле Кеи
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,За посао картицу
 DocType: Warranty Claim,Raised By,Подигао
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Пресцриптионс
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Пресцриптионс
 DocType: Payment Gateway Account,Payment Account,Плаћање рачуна
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Наведите компанија наставити
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Наведите компанија наставити
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Нето Промена Потраживања
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Компенсационные Выкл
 DocType: Job Offer,Accepted,Примљен
 DocType: POS Closing Voucher,Sales Invoices Summary,Сажетак продајних фактура
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,У име странке
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,У име странке
 DocType: Grant Application,Organization,организација
 DocType: BOM Update Tool,BOM Update Tool,Алат за ажурирање БОМ-а
 DocType: SG Creation Tool Course,Student Group Name,Студент Име групе
@@ -3469,7 +3508,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Молимо проверите да ли сте заиста желите да избришете све трансакције за ову компанију. Ваши основни подаци ће остати како јесте. Ова акција се не може поништити.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Резултати претраге
 DocType: Room,Room Number,Број собе
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Неважећи референца {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Неважећи референца {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може бити већи од планираног куанитити ({2}) у производњи Низ {3}
 DocType: Shipping Rule,Shipping Rule Label,Достава Правило Лабел
 DocType: Journal Entry Account,Payroll Entry,Унос плаћања
@@ -3477,8 +3516,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Направите порезну шему
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Корисник форум
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Сировине не може бити празан.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Ред # {0} (Табела за плаћање): Износ мора бити негативан
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Није могуће ажурирати залихе, фактура садржи испоруку ставку дроп."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Ред # {0} (Табела за плаћање): Износ мора бити негативан
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Није могуће ажурирати залихе, фактура садржи испоруку ставку дроп."
 DocType: Contract,Fulfilment Status,Статус испуне
 DocType: Lab Test Sample,Lab Test Sample,Узорак за лабораторијско испитивање
 DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволи преименовати вриједност атрибута
@@ -3520,11 +3559,11 @@
 DocType: BOM,Show Operations,Схов операције
 ,Minutes to First Response for Opportunity,Минутес то први одговор за Оппортунити
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Укупно Абсент
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Јединица мере
 DocType: Fiscal Year,Year End Date,Датум завршетка године
 DocType: Task Depends On,Task Depends On,Задатак Дубоко У
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Прилика
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Прилика
 DocType: Operation,Default Workstation,Уобичајено Воркстатион
 DocType: Notification Control,Expense Claim Approved Message,Расходи потраживање Одобрено поруку
 DocType: Payment Entry,Deductions or Loss,Дедуцтионс или губитак
@@ -3562,21 +3601,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,"Утверждении покупатель не может быть такой же, как пользователь правило применимо к"
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Основни курс (по Стоцк УЦГ)
 DocType: SMS Log,No of Requested SMS,Нема тражених СМС
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Оставите без плате се не слаже са одобреним подацима одсуство примене
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Оставите без плате се не слаже са одобреним подацима одсуство примене
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Следећи кораци
 DocType: Travel Request,Domestic,Домаћи
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Молимо вас да доставите одређене ставке на најбољи могући стопама
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Молимо вас да доставите одређене ставке на најбољи могући стопама
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Трансфер радника не може се поднети пре датума преноса
 DocType: Certification Application,USD,Амерички долар
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Маке фактуру
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Преостали износ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Преостали износ
 DocType: Selling Settings,Auto close Opportunity after 15 days,Ауто затварање Могућност након 15 дана
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Наруџбе за куповину нису дозвољене за {0} због стања картице која се налази на {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Бар код {0} није важећи {1} код
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Бар код {0} није важећи {1} код
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,До краја године
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Куот / Олово%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Куот / Олово%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,"Конец контракта Дата должна быть больше, чем дата вступления"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,"Конец контракта Дата должна быть больше, чем дата вступления"
 DocType: Driver,Driver,Возач
 DocType: Vital Signs,Nutrition Values,Вредности исхране
 DocType: Lab Test Template,Is billable,Да ли се може уплатити
@@ -3587,7 +3626,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Это пример сайт автоматически сгенерированный из ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Старење Опсег 1
 DocType: Shopify Settings,Enable Shopify,Омогући Схопифи
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Укупан износ аванса не може бити већи од укупне тражене количине
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Укупан износ аванса не може бити већи од укупне тражене количине
 DocType: Purchase Taxes and Charges Template,"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
@@ -3634,12 +3673,12 @@
 DocType: Employee Separation,Employee Separation,Раздвајање запослених
 DocType: BOM Item,Original Item,Оригинал Итем
 DocType: Purchase Receipt Item,Recd Quantity,Рецд Количина
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Доц Дате
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Доц Дате
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Накнада Записи Цреатед - {0}
 DocType: Asset Category Account,Asset Category Account,Средство Категорија налог
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Табела за плаћање): Износ мора бити позитиван
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Табела за плаћање): Износ мора бити позитиван
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0} , чем количество продаж Заказать {1}"
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Изаберите вриједности атрибута
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Изаберите вриједности атрибута
 DocType: Purchase Invoice,Reason For Issuing document,Разлог за издавање документа
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Сток Ступање {0} не поднесе
 DocType: Payment Reconciliation,Bank / Cash Account,Банка / готовински рачун
@@ -3648,8 +3687,10 @@
 DocType: Asset,Manual,Упутство
 DocType: Salary Component Account,Salary Component Account,Плата Компонента налог
 DocType: Global Defaults,Hide Currency Symbol,Сакриј симбол валуте
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Могућности продаје по извору
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Информације о донаторима.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","нпр банка, Готовина, кредитна картица"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Молимо да подесите серију бројева за присуство преко Сетуп&gt; Сериес Нумберинг
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","нпр банка, Готовина, кредитна картица"
 DocType: Job Applicant,Source Name,извор Име
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормални крвни притисак при одраслима је око 120 ммХг систолног, а дијастолни 80 ммХг, скраћени &quot;120/80 ммХг&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Поставите рок трајања у данима, да бисте поставили рок трајања на основу продуцтион_дате плус животни век"
@@ -3679,7 +3720,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},За количину мора бити мања од количине {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ред {0} : Датум почетка мора да буде пре крајњег датума
 DocType: Salary Component,Max Benefit Amount (Yearly),Максимални износ накнаде (Годишњи)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,ТДС Рате%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,ТДС Рате%
 DocType: Crop,Planting Area,Сала за садњу
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Укупно (ком)
 DocType: Installation Note Item,Installed Qty,Инсталирани Кол
@@ -3701,8 +3742,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Оставите одобрење за одобрење
 DocType: Buying Settings,Default Buying Price List,Уобичајено Куповина Ценовник
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Плата Слип основу ТимеСхеет
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Стопа куповине
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Ред {0}: Унесите локацију за ставку активе {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Стопа куповине
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Ред {0}: Унесите локацију за ставку активе {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,ПУР-РФК-.ИИИИ.-
 DocType: Company,About the Company,О компанији
 DocType: Notification Control,Sales Order Message,Продаја Наручите порука
@@ -3769,10 +3810,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,За ред {0}: Унесите планирани број
 DocType: Account,Income Account,Приходи рачуна
 DocType: Payment Request,Amount in customer's currency,Износ у валути купца
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Испорука
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Испорука
 DocType: Volunteer,Weekdays,Радним данима
 DocType: Stock Reconciliation Item,Current Qty,Тренутни ком
 DocType: Restaurant Menu,Restaurant Menu,Ресторан мени
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Додајте добављаче
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,АЦЦ-СИНВ-.ИИИИ.-
 DocType: Loyalty Program,Help Section,Хелп Сецтион
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,прев
@@ -3784,19 +3826,20 @@
 												fullfill Sales Order {2}",Није могуће доставити серијски број {0} артикла {1} пошто је резервисан за \ попунити налог за продају {2}
 DocType: Item Reorder,Material Request Type,Материјал Врста Захтева
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Пошаљите е-маил за грантове
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Локалну меморију је пуна, није сачувао"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: УОМ фактор конверзије је обавезна
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Локалну меморију је пуна, није сачувао"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: УОМ фактор конверзије је обавезна
 DocType: Employee Benefit Claim,Claim Date,Датум подношења захтева
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Капацитет собе
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Већ постоји запис за ставку {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Реф
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Изгубићете податке о претходно генерисаним рачунима. Да ли сте сигурни да желите поново покренути ову претплату?
+DocType: Lab Test,LP-,ЛП-
 DocType: Healthcare Settings,Registration Fee,Котизација
 DocType: Loyalty Program Collection,Loyalty Program Collection,Збирка програма лојалности
 DocType: Stock Entry Detail,Subcontracted Item,Ставка подуговарача
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Студент {0} не припада групи {1}
 DocType: Budget,Cost Center,Трошкови центар
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Ваучер #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Ваучер #
 DocType: Notification Control,Purchase Order Message,Куповина поруку Ордер
 DocType: Tax Rule,Shipping Country,Достава Земља
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Хиде Так ИД клијента је од продајне трансакције
@@ -3815,23 +3858,22 @@
 DocType: Subscription,Cancel At End Of Period,Откажи на крају периода
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Имовина је већ додата
 DocType: Item Supplier,Item Supplier,Ставка Снабдевач
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Унесите Шифра добити пакет не
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Унесите Шифра добити пакет не
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Није изабрана ставка за пренос
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Све адресе.
 DocType: Company,Stock Settings,Стоцк Подешавања
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Спајање је могуће само ако следеће особине су исти у оба записа. Да ли је група, корен тип, Компанија"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Спајање је могуће само ако следеће особине су исти у оба записа. Да ли је група, корен тип, Компанија"
 DocType: Vehicle,Electric,електрични
 DocType: Task,% Progress,% Напредак
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Добитак / губитак по имовине одлагању
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Само студентски кандидат са статусом &quot;Одобрено&quot; биће изабран у доњој табели.
 DocType: Tax Withholding Category,Rates,Цене
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Број рачуна за налог {0} није доступан. <br> Молимо правилно подесите свој рачун.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Број рачуна за налог {0} није доступан. <br> Молимо правилно подесите свој рачун.
 DocType: Task,Depends on Tasks,Зависи од Задаци
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управление групповой клиентов дерево .
 DocType: Normal Test Items,Result Value,Вредност резултата
 DocType: Hotel Room,Hotels,Хотели
-DocType: Delivery Note,Transporter Date,Датум транспортера
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Нови Трошкови Центар Име
 DocType: Leave Control Panel,Leave Control Panel,Оставите Цонтрол Панел
 DocType: Project,Task Completion,zadatak Завршетак
@@ -3878,11 +3920,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Све процене Групе
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Нови Магацин Име
 DocType: Shopify Settings,App Type,Тип апликације
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Укупно {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Укупно {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Територија
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Пожалуйста, укажите кол-во посещений , необходимых"
 DocType: Stock Settings,Default Valuation Method,Уобичајено Процена Метод
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,провизија
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Прикажи кумулативни износ
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,У току је ажурирање. Можда ће потрајати неко вријеме.
 DocType: Production Plan Item,Produced Qty,Продуцед Кти
 DocType: Vehicle Log,Fuel Qty,Гориво ком
@@ -3890,7 +3933,7 @@
 DocType: Work Order Operation,Planned Start Time,Планирано Почетак Време
 DocType: Course,Assessment,процена
 DocType: Payment Entry Reference,Allocated,Додељена
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак .
 DocType: Student Applicant,Application Status,Статус апликације
 DocType: Additional Salary,Salary Component Type,Тип плата компонената
 DocType: Sensitivity Test Items,Sensitivity Test Items,Точке теста осјетљивости
@@ -3901,10 +3944,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Преостали дио кредита
 DocType: Sales Partner,Targets,Мете
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Молимо регистрирајте број СИРЕН-а у информациону датотеку компаније
+DocType: Email Digest,Sales Orders to Bill,Продајни ред продаје Биллу
 DocType: Price List,Price List Master,Ценовник Мастер
 DocType: GST Account,CESS Account,ЦЕСС налог
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Све продаје Трансакције се могу означена против више лица ** ** Продаја тако да можете подесити и пратити циљеве.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Линк на захтев за материјал
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Линк на захтев за материјал
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Активност форума
 ,S.O. No.,С.О. Не.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Ставка поставки трансакције за извод банака
@@ -3919,7 +3963,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,То јекорен група купац и не може се мењати .
 DocType: Student,AB-,АБ-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Акција ако је акумулирани месечни буџет прешао на ПО
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,На место
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,На место
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Ревалоризација девизног курса
 DocType: POS Profile,Ignore Pricing Rule,Игноре Правилник о ценама
 DocType: Employee Education,Graduate,Пређите
@@ -3968,6 +4012,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Подесите подразумевани купац у подешавањима ресторана
 ,Salary Register,плата Регистрација
 DocType: Warehouse,Parent Warehouse,родитељ Магацин
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Табела
 DocType: Subscription,Net Total,Нето Укупно
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Стандардно БОМ није пронађен за тачком {0} и пројекат {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Дефинисати различите врсте кредита
@@ -4000,24 +4045,26 @@
 DocType: Membership,Membership Status,Статус чланства
 DocType: Travel Itinerary,Lodging Required,Потребно смештање
 ,Requested,Тражени
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Но Примедбе
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Но Примедбе
 DocType: Asset,In Maintenance,У одржавању
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Кликните ово дугме да бисте извлачили податке о продајном налогу из Амазон МВС.
 DocType: Vital Signs,Abdomen,Стомак
 DocType: Purchase Invoice,Overdue,Презадужен
 DocType: Account,Stock Received But Not Billed,Залиха примљена Али не наплати
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Корен Рачун мора бити група
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Корен Рачун мора бити група
 DocType: Drug Prescription,Drug Prescription,Пресцриптион другс
 DocType: Loan,Repaid/Closed,Отплаћује / Цлосед
 DocType: Amazon MWS Settings,CA,ЦА
 DocType: Item,Total Projected Qty,Укупна пројектована количина
 DocType: Monthly Distribution,Distribution Name,Дистрибуција Име
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Укључите УОМ
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Стопа процене није пронађена за ставку {0}, која је обавезна да изврши рачуноводствене уносе за {1} {2}. Ако је ставка трансакција као ставка нулте стопе процене у {1}, молимо вас да наведете то у табели {1} Итем. У супротном, молимо вас да креирате долазни промет са акцијама за ставку или наведете стопу процене у запису Ставке, а затим покушајте да пошаљете / поништите овај унос"
 DocType: Course,Course Code,Наравно код
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},"Контроль качества , необходимые для Пункт {0}"
 DocType: Location,Parent Location,Локација родитеља
 DocType: POS Settings,Use POS in Offline Mode,Користите ПОС у Оффлине начину
 DocType: Supplier Scorecard,Supplier Variables,Добављачке променљиве
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} је обавезно. Можда евиденција валутне размене није креирана за {1} до {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Стопа по којој купца валута претвара у основну валуту компаније
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Нето курс (Фирма валута)
 DocType: Salary Detail,Condition and Formula Help,Стање и формула Помоћ
@@ -4026,19 +4073,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Продаја Рачун
 DocType: Journal Entry Account,Party Balance,Парти Стање
 DocType: Cash Flow Mapper,Section Subtotal,Секција субота
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Молимо одаберите Аппли попуста на
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Молимо одаберите Аппли попуста на
 DocType: Stock Settings,Sample Retention Warehouse,Складиште за задржавање узорка
 DocType: Company,Default Receivable Account,Уобичајено потраживања рачуна
 DocType: Purchase Invoice,Deemed Export,Изгледа извоз
 DocType: Stock Entry,Material Transfer for Manufacture,Пренос материјала за Производња
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Попуст Проценат може да се примени било против ценовнику или за све Ценовником.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Рачуноводство Ентри за Деонице
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Рачуноводство Ентри за Деонице
 DocType: Lab Test,LabTest Approver,ЛабТест Аппровер
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Већ сте оцијенили за критеријуми за оцењивање {}.
 DocType: Vehicle Service,Engine Oil,Моторно уље
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Креирани радни налоги: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Креирани радни налоги: {0}
 DocType: Sales Invoice,Sales Team1,Продаја Теам1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Пункт {0} не существует
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Пункт {0} не существует
 DocType: Sales Invoice,Customer Address,Кориснички Адреса
 DocType: Loan,Loan Details,kredit Детаљи
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Није успело поставити пост компаније
@@ -4059,34 +4106,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Покажи ову пројекцију слајдова на врху странице
 DocType: BOM,Item UOM,Ставка УОМ
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Износ пореза Након Износ попуста (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
 DocType: Cheque Print Template,Primary Settings,primarni Подешавања
 DocType: Attendance Request,Work From Home,Рад од куће
 DocType: Purchase Invoice,Select Supplier Address,Избор добављача Адреса
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Додај Запослени
 DocType: Purchase Invoice Item,Quality Inspection,Провера квалитета
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Ектра Смалл
 DocType: Company,Standard Template,стандард Шаблон
 DocType: Training Event,Theory,теорија
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Упозорење : Материјал Тражени Кол је мање од Минимална количина за поручивање
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Упозорење : Материјал Тражени Кол је мање од Минимална количина за поручивање
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Счет {0} заморожен
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правно лице / Подружница са посебном контном припада организацији.
 DocType: Payment Request,Mute Email,Муте-маил
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Храна , пиће и дуван"
 DocType: Account,Account Number,Број рачуна
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Може само извршити уплату против ненаплаћене {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Може само извршити уплату против ненаплаћене {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100"
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Додељивање аутоматских унапредјења (ФИФО)
 DocType: Volunteer,Volunteer,Волонтер
 DocType: Buying Settings,Subcontract,Подуговор
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Молимо Вас да унесете {0} прво
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Нема одговора од
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Нема одговора од
 DocType: Work Order Operation,Actual End Time,Стварна Крајње време
 DocType: Item,Manufacturer Part Number,Произвођач Број дела
 DocType: Taxable Salary Slab,Taxable Salary Slab,Опорезива плата за опорезивање
 DocType: Work Order Operation,Estimated Time and Cost,Процењена Вријеме и трошкови
 DocType: Bin,Bin,Бункер
 DocType: Crop,Crop Name,Цроп Наме
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Само корисници са улогом {0} могу се регистровати на тржишту
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Само корисници са улогом {0} могу се регистровати на тржишту
 DocType: SMS Log,No of Sent SMS,Број послатих СМС
 DocType: Leave Application,HR-LAP-.YYYY.-,ХР-ЛАП-ИИИИ.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Именовања и сусрети
@@ -4115,7 +4163,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Промени код
 DocType: Purchase Invoice Item,Valuation Rate,Процена Стопа
 DocType: Vehicle,Diesel,дизел
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Прайс-лист Обмен не выбран
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Прайс-лист Обмен не выбран
 DocType: Purchase Invoice,Availed ITC Cess,Искористио ИТЦ Цесс
 ,Student Monthly Attendance Sheet,Студент Месечно Присуство лист
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Правило о испоруци примењује се само за продају
@@ -4132,7 +4180,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управљање продајних партнера.
 DocType: Quality Inspection,Inspection Type,Инспекција Тип
 DocType: Fee Validity,Visited yet,Посјећено још
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Складишта са постојећим трансакцији не може бити конвертована у групу.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Складишта са постојећим трансакцији не може бити конвертована у групу.
 DocType: Assessment Result Tool,Result HTML,rezultat ХТМЛ-
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колико често треба ажурирати пројекат и компанију на основу продајних трансакција.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Истиче
@@ -4140,7 +4188,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Пожалуйста, выберите {0}"
 DocType: C-Form,C-Form No,Ц-Образац бр
 DocType: BOM,Exploded_items,Екплодед_итемс
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Удаљеност
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Удаљеност
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Наведите своје производе или услуге које купујете или продајете.
 DocType: Water Analysis,Storage Temperature,Температура складиштења
 DocType: Sales Order,SAL-ORD-.YYYY.-,САЛ-ОРД-ИИИИ.-
@@ -4156,19 +4204,19 @@
 DocType: Shopify Settings,Delivery Note Series,Серија нота доставе
 DocType: Purchase Order Item,Returned Qty,Вратио ком
 DocType: Student,Exit,Излаз
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Корен Тип је обавезно
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Корен Тип је обавезно
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Није успело инсталирати унапред подешене поставке
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,УОМ конверзија у сатима
 DocType: Contract,Signee Details,Сигнее Детаљи
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} тренутно има {1} Сцорецард става и РФКс овог добављача треба издати опрезно.
 DocType: Certified Consultant,Non Profit Manager,Менаџер непрофитне организације
 DocType: BOM,Total Cost(Company Currency),Укупни трошкови (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Серийный номер {0} создан
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Серийный номер {0} создан
 DocType: Homepage,Company Description for website homepage,Опис Компаније за веб страницу
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За практичност потрошача, ови кодови могу да се користе у штампаним форматима као што су фактуре и отпремнице"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,суплиер Име
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Не могу се преузети подаци за {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Отварање часописа
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Отварање часописа
 DocType: Contract,Fulfilment Terms,Услови испуњавања
 DocType: Sales Invoice,Time Sheet List,Време Списак лист
 DocType: Employee,You can enter any date manually,Можете да ручно унесете било који датум
@@ -4204,7 +4252,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Ваш Организација
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Прескочите расподелу распоређивања за следеће запослене, пошто већ постоје евиденције о издвајању за њих. {0}"
 DocType: Fee Component,Fees Category,naknade Категорија
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Пожалуйста, введите даты снятия ."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Пожалуйста, введите даты снятия ."
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Амт
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Детаљи спонзора (име, локација)"
 DocType: Supplier Scorecard,Notify Employee,Нотифи Емплоиее
@@ -4217,9 +4265,9 @@
 DocType: Company,Chart Of Accounts Template,Контни план Темплате
 DocType: Attendance,Attendance Date,Гледалаца Датум
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Ажурирање залиха мора бити омогућено за рачун за куповину {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Ставка Цена ажуриран за {0} у ценовником {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Ставка Цена ажуриран за {0} у ценовником {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Плата распада на основу зараде и дедукције.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Счет с дочерних узлов не могут быть преобразованы в книге
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Счет с дочерних узлов не могут быть преобразованы в книге
 DocType: Purchase Invoice Item,Accepted Warehouse,Прихваћено Магацин
 DocType: Bank Reconciliation Detail,Posting Date,Постављање Дате
 DocType: Item,Valuation Method,Процена Метод
@@ -4256,6 +4304,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Изаберите серију
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Захтев за путовања и трошкове
 DocType: Sales Invoice,Redemption Cost Center,Центар за исплату трошкова
+DocType: QuickBooks Migrator,Scope,Обим
 DocType: Assessment Group,Assessment Group Name,Процена Име групе
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Материјал Пребачен за производњу
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Додај у Детаљи
@@ -4263,6 +4312,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Ласт Синц Датетиме
 DocType: Landed Cost Item,Receipt Document Type,Пријем типа документа
 DocType: Daily Work Summary Settings,Select Companies,изаберите Компаније
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Предлог / цена Куоте
 DocType: Antibiotic,Healthcare,Здравствена заштита
 DocType: Target Detail,Target Detail,Циљна Детаљ
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Јединствена варијанта
@@ -4272,6 +4322,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Затварање период Ступање
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Изаберите Одељење ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,МВЗ с существующими сделок не могут быть преобразованы в группе
+DocType: QuickBooks Migrator,Authorization URL,УРЛ ауторизације
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Износ {0} {1} {2} {3}
 DocType: Account,Depreciation,амортизация
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Број акција и бројеви учешћа су недоследни
@@ -4294,13 +4345,14 @@
 DocType: Support Search Source,Source DocType,Соурце ДоцТипе
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Отворите нову карту
 DocType: Training Event,Trainer Email,тренер-маил
+DocType: Driver,Transporter,Транспортер
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Запросы Материал {0} создан
 DocType: Restaurant Reservation,No of People,Број људи
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Предложак термина или уговору.
 DocType: Bank Account,Address and Contact,Адреса и контакт
 DocType: Vital Signs,Hyper,Хипер
 DocType: Cheque Print Template,Is Account Payable,Је налог оплате
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Стоцк не може да се ажурира против Пурцхасе пријему {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Стоцк не може да се ажурира против Пурцхасе пријему {0}
 DocType: Support Settings,Auto close Issue after 7 days,Ауто затварање издање након 7 дана
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Оставите не може се доделити пре {0}, као одсуство стање је већ Царри-прослеђен у будућем расподеле одсуство записника {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Напомена: Због / Референтни Датум прелази дозвољене кредитним купац дана од {0} дана (и)
@@ -4318,7 +4370,7 @@
 ,Qty to Deliver,Количина на Избави
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Амазон ће синхронизовати податке ажуриране након овог датума
 ,Stock Analytics,Стоцк Аналитика
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Операције не може остати празно
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Операције не може остати празно
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Лаб Тест (и)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Против докумената детаља Нема
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Брисање није дозвољено за земљу {0}
@@ -4326,13 +4378,12 @@
 DocType: Quality Inspection,Outgoing,Друштвен
 DocType: Material Request,Requested For,Тражени За
 DocType: Quotation Item,Against Doctype,Против ДОЦТИПЕ
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} отказан или затворен
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} отказан или затворен
 DocType: Asset,Calculate Depreciation,Израчунајте амортизацију
 DocType: Delivery Note,Track this Delivery Note against any Project,Прати ову напомену Испорука против било ког пројекта
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Нето готовина из Инвестирање
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Корисник&gt; Корисничка група&gt; Територија
 DocType: Work Order,Work-in-Progress Warehouse,Рад у прогресу Магацин
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Средство {0} мора да се поднесе
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Средство {0} мора да се поднесе
 DocType: Fee Schedule Program,Total Students,Укупно Студенти
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Присуство Рекорд {0} постоји против Студента {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Ссылка # {0} от {1}
@@ -4352,7 +4403,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Не могу да креирам Бонус задржавања за леве запослене
 DocType: Lead,Market Segment,Сегмент тржишта
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Пољопривредни менаџер
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Плаћени износ не може бити већи од укупног негативног преостали износ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Плаћени износ не може бити већи од укупног негативног преостали износ {0}
 DocType: Supplier Scorecard Period,Variables,Варијабле
 DocType: Employee Internal Work History,Employee Internal Work History,Запослени Интерна Рад Историја
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Затварање (др)
@@ -4377,22 +4428,24 @@
 DocType: Amazon MWS Settings,Synch Products,Синцх Продуцтс
 DocType: Loyalty Point Entry,Loyalty Program,Програм лојалности
 DocType: Student Guardian,Father,отац
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Подршка улазнице
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Ажурирање Сток &quot;не може да се провери за фиксну продаје имовине
 DocType: Bank Reconciliation,Bank Reconciliation,Банка помирење
 DocType: Attendance,On Leave,На одсуству
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Гет Упдатес
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: налог {2} не припада компанији {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Изаберите најмање једну вредност из сваког атрибута.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Изаберите најмање једну вредност из сваког атрибута.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Материал Запрос {0} отменяется или остановлен
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Држава отпреме
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Држава отпреме
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Оставите Манагемент
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Групе
 DocType: Purchase Invoice,Hold Invoice,Држите фактуру
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Изаберите Емплоиее
 DocType: Sales Order,Fully Delivered,Потпуно Испоручено
-DocType: Lead,Lower Income,Доња прихода
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Доња прихода
 DocType: Restaurant Order Entry,Current Order,Тренутни ред
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Број серијских бројева и количина мора бити исти
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0}
 DocType: Account,Asset Received But Not Billed,Имовина је примљена али није фактурисана
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разлика Рачун мора бити тип активом / одговорношћу рачуна, јер Сток Помирење је отварање Ступање"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Исплаћено износ не може бити већи од кредита Износ {0}
@@ -4401,7 +4454,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Од датума"" мора бити након ""До датума"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Није пронађено планирање кадрова за ову ознаку
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Батцх {0} у ставку {1} је онемогућен.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Батцх {0} у ставку {1} је онемогућен.
 DocType: Leave Policy Detail,Annual Allocation,Годишња додјела
 DocType: Travel Request,Address of Organizer,Адреса организатора
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Изаберите здравствену праксу ...
@@ -4410,12 +4463,12 @@
 DocType: Asset,Fully Depreciated,потпуно отписаних
 DocType: Item Barcode,UPC-A,УПЦ-А
 ,Stock Projected Qty,Пројектовани Стоцк Кти
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Приметан Присуство ХТМЛ
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Цитати су предлози, понуде које сте послали да својим клијентима"
 DocType: Sales Invoice,Customer's Purchase Order,Куповина нарудзбини
 DocType: Clinical Procedure,Patient,Пацијент
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Бипасс кредитна провјера на Продајни налог
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Бипасс кредитна провјера на Продајни налог
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Активност на бази радника
 DocType: Location,Check if it is a hydroponic unit,Проверите да ли је то хидропонска јединица
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Серијски број и партије
@@ -4425,7 +4478,7 @@
 DocType: Supplier Scorecard Period,Calculations,Израчунавање
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Вредност или Кол
 DocType: Payment Terms Template,Payment Terms,Услови плаћања
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Продуцтионс Налози не може да се подигне за:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Продуцтионс Налози не може да се подигне за:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,минут
 DocType: Purchase Invoice,Purchase Taxes and Charges,Куповина Порези и накнаде
 DocType: Chapter,Meetup Embed HTML,Упознајте Ембед ХТМЛ
@@ -4433,7 +4486,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Иди на добављаче
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ПОС Цлосинг Воуцхер Такес
 ,Qty to Receive,Количина за примање
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Датуми почетка и краја који нису у важећем периоду плаћања, не могу се израчунати {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Датуми почетка и краја који нису у важећем периоду плаћања, не могу се израчунати {0}."
 DocType: Leave Block List,Leave Block List Allowed,Оставите Блоцк Лист Дозвољени
 DocType: Grading Scale Interval,Grading Scale Interval,Скала оцењивања интервал
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Трошак Захтев за возила Приступи {0}
@@ -4441,10 +4494,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Попуст (%) на цена Лист курс са маргине
 DocType: Healthcare Service Unit Type,Rate / UOM,Рате / УОМ
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,sve складишта
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Не {0} пронађено за трансакције компаније Интер.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Не {0} пронађено за трансакције компаније Интер.
 DocType: Travel Itinerary,Rented Car,Рентед Цар
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,О вашој Компанији
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Кредит на рачун мора да буде биланса стања
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Кредит на рачун мора да буде биланса стања
 DocType: Donor,Donor,Донор
 DocType: Global Defaults,Disable In Words,Онемогућити У Вордс
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются"
@@ -4456,14 +4509,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Банк Овердрафт счета
 DocType: Patient,Patient ID,ИД пацијента
 DocType: Practitioner Schedule,Schedule Name,Распоред Име
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Продајни гасовод по Стази
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Маке плата Слип
 DocType: Currency Exchange,For Buying,За куповину
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Додај све добављаче
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Додај све добављаче
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ред # {0}: Додељени износ не може бити већи од преостали износ.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Бровсе БОМ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Обеспеченные кредиты
 DocType: Purchase Invoice,Edit Posting Date and Time,Едит Књижење Датум и време
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Молимо поставите рачуна везаним амортизације средстава категорије {0} или компаније {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Молимо поставите рачуна везаним амортизације средстава категорије {0} или компаније {1}
 DocType: Lab Test Groups,Normal Range,Нормалан опсег
 DocType: Academic Term,Academic Year,Академска година
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Доступна продаја
@@ -4492,26 +4546,26 @@
 DocType: Patient Appointment,Patient Appointment,Именовање пацијента
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к"
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Унсубсцрибе из овог Емаил Дигест
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Добијте добављаче
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Добијте добављаче
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} није пронађен за ставку {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Иди на курсеве
 DocType: Accounts Settings,Show Inclusive Tax In Print,Прикажи инклузивни порез у штампи
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Банкарски рачун, од датума и до датума је обавезан"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Порука је послата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Рачун са дететом чворова не може да се подеси као књиге
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Рачун са дететом чворова не може да се подеси као књиге
 DocType: C-Form,II,ИИИ
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Стопа по којој се Ценовник валута претвара у основну валуту купца
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Нето износ (Фирма валута)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Укупан износ аванса не може бити већи од укупног санкционисаног износа
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Укупан износ аванса не може бити већи од укупног санкционисаног износа
 DocType: Salary Slip,Hour Rate,Стопа час
 DocType: Stock Settings,Item Naming By,Шифра назив под
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Другой Период Окончание Вступление {0} был сделан после {1}
 DocType: Work Order,Material Transferred for Manufacturing,Материјал пребачени на Мануфацтуринг
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Рачун {0} не постоји
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Одаберите програм лојалности
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Одаберите програм лојалности
 DocType: Project,Project Type,Тип пројекта
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Цхилд Таск постоји за овај задатак. Не можете да избришете овај задатак.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Либо целевой Количество или целевое количество является обязательным.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Либо целевой Количество или целевое количество является обязательным.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Трошкови различитих активности
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Постављање Догађаји на {0}, јер запослени у прилогу у наставку продаје лица нема Усер ИД {1}"
 DocType: Timesheet,Billing Details,Детаљи наплате
@@ -4569,13 +4623,13 @@
 DocType: Inpatient Record,A Negative,Негативан
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ништа више да покаже.
 DocType: Lead,From Customer,Од купца
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Звонки
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Звонки
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Производ
 DocType: Employee Tax Exemption Declaration,Declarations,Декларације
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Пакети
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Направите распоред накнада
 DocType: Purchase Order Item Supplied,Stock UOM,Берза УОМ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Заказ на {0} не представлено
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Заказ на {0} не представлено
 DocType: Account,Expenses Included In Asset Valuation,Расходи укључени у вредновање имовине
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Нормални референтни опсег одрасле особе износи 16-20 респираторних доза (РЦП 2012)
 DocType: Customs Tariff Number,Tariff Number,Тарифни број
@@ -4588,6 +4642,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Молим вас прво спасите пацијента
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Присуство је успешно обележен.
 DocType: Program Enrollment,Public Transport,Јавни превоз
+DocType: Delivery Note,GST Vehicle Type,Тип возила ГСТ
 DocType: Soil Texture,Silt Composition (%),Силт композиција (%)
 DocType: Journal Entry,Remark,Примедба
 DocType: Healthcare Settings,Avoid Confirmation,Избегавајте потврду
@@ -4596,11 +4651,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Лишће и одмор
 DocType: Education Settings,Current Academic Term,Тренутни академски Рок
 DocType: Sales Order,Not Billed,Није Изграђена
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Оба Магацин мора припадати истој компанији
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Оба Магацин мора припадати истој компанији
 DocType: Employee Grade,Default Leave Policy,Подразумевана Политика о напуштању
 DocType: Shopify Settings,Shop URL,Схоп УРЛ
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Нема контаката додао.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Молимо да подесите серију бројева за присуство преко Сетуп&gt; Сериес Нумберинг
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Слетео Трошкови Ваучер Износ
 ,Item Balance (Simple),Баланс предмета (Једноставно)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Рачуни подигао Добављачи.
@@ -4625,7 +4679,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Цитат Серија
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0} ) , пожалуйста, измените название группы или переименовать пункт"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Критеријуми за анализу земљишта
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Молимо одаберите клијента
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Молимо одаберите клијента
 DocType: C-Form,I,ја
 DocType: Company,Asset Depreciation Cost Center,Средство Амортизација Трошкови центар
 DocType: Production Plan Sales Order,Sales Order Date,Продаја Датум поруџбине
@@ -4638,8 +4692,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Тренутно нема доступних трговина на залихама
 ,Payment Period Based On Invoice Date,Период отплате Басед Он Фактура Дате
 DocType: Sample Collection,No. of print,Број отиска
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Рођендански подсетник
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Резервација за хотелску собу
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Миссинг валутниј курс за {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Миссинг валутниј курс за {0}
 DocType: Employee Health Insurance,Health Insurance Name,Назив здравственог осигурања
 DocType: Assessment Plan,Examiner,испитивач
 DocType: Student,Siblings,браћа и сестре
@@ -4656,19 +4711,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Нове Купци
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Бруто добит%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Именовање {0} и фактура за продају {1} отказана
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Могућности извора извора
 DocType: Appraisal Goal,Weightage (%),Веигхтаге (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Промените ПОС профил
 DocType: Bank Reconciliation Detail,Clearance Date,Чишћење Датум
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Имовина већ постоји против ставке {0}, не можете променити серијску вриједност"
+DocType: Delivery Settings,Dispatch Notification Template,Шаблон за обавјештење о отпреми
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Имовина већ постоји против ставке {0}, не можете променити серијску вриједност"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Извештај процене
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Добијте запослене
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Бруто Куповина Износ је обавезан
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Име компаније није исто
 DocType: Lead,Address Desc,Адреса Десц
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Парти је обавезно
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Редови са дуплицираним датумима у другим редовима су пронађени: {лист}
 DocType: Topic,Topic Name,Назив теме
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Молимо подесите подразумевани образац за обавјештење о одобрењу одобрења у ХР поставкама.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Молимо подесите подразумевани образац за обавјештење о одобрењу одобрења у ХР поставкама.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Барем један од продајете или купујете морају бити изабрани
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Изаберите запосленог да запослени напредује.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Изаберите важећи датум
@@ -4702,6 +4758,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Купца или добављача Детаљи
 DocType: Payment Entry,ACC-PAY-.YYYY.-,АЦЦ-ПАИ-.ИИИИ.-
 DocType: Asset Value Adjustment,Current Asset Value,Тренутна вредност имовине
+DocType: QuickBooks Migrator,Quickbooks Company ID,Компанија ИД брзе књиге
 DocType: Travel Request,Travel Funding,Финансирање путовања
 DocType: Loan Application,Required by Date,Рекуиред би Дате
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Веза са свим локацијама у којима расту усеви
@@ -4715,9 +4772,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Доступно Серија ком на Од Варехоусе
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Бруто плате - Укупно Одузимање - Отплата кредита
 DocType: Bank Account,IBAN,ИБАН
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,"Текущий спецификации и Нью- BOM не может быть таким же,"
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,"Текущий спецификации и Нью- BOM не может быть таким же,"
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Плата Слип ИД
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Вишеструке варијанте
 DocType: Sales Invoice,Against Income Account,Против приход
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Испоручено
@@ -4746,7 +4803,7 @@
 DocType: POS Profile,Update Stock,Упдате Стоцк
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Различные Единица измерения для элементов приведет к некорректному (Всего) значение массы нетто . Убедитесь, что вес нетто каждого элемента находится в том же UOM ."
 DocType: Certification Application,Payment Details,Podaci o plaćanju
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,БОМ курс
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,БОМ курс
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Прекинуто радно поруџбање не може се отказати, Унстоп први да откаже"
 DocType: Asset,Journal Entry for Scrap,Јоурнал Ентри за отпад
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Пожалуйста вытяните элементов из накладной
@@ -4769,11 +4826,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Укупан износ санкционисан
 ,Purchase Analytics,Куповина Аналитика
 DocType: Sales Invoice Item,Delivery Note Item,Испорука Напомена Ставка
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Недостаје тренутна фактура {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Недостаје тренутна фактура {0}
 DocType: Asset Maintenance Log,Task,Задатак
 DocType: Purchase Taxes and Charges,Reference Row #,Ссылка Row #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Број партије је обавезна за ставку {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,То јекорен продаје човек и не може се мењати .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,То јекорен продаје човек и не може се мењати .
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ако је изабран, вредност наведена или израчунати ове компоненте неће допринети зараде или одбитака. Међутим, то је вредност може да се наведени од стране других компоненти које се могу додати или одбити."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ако је изабран, вредност наведена или израчунати ове компоненте неће допринети зараде или одбитака. Међутим, то је вредност може да се наведени од стране других компоненти које се могу додати или одбити."
 DocType: Asset Settings,Number of Days in Fiscal Year,Број дана у фискалној години
@@ -4782,7 +4839,7 @@
 DocType: Company,Exchange Gain / Loss Account,Курсне / успеха
 DocType: Amazon MWS Settings,MWS Credentials,МВС акредитиви
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Запослени и Присуство
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Цель должна быть одна из {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Цель должна быть одна из {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Попуните формулар и да га сачувате
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Форум
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Стварна количина на лагеру
@@ -4798,7 +4855,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Стандард Продаја курс
 DocType: Account,Rate at which this tax is applied,Стопа по којој се примењује овај порез
 DocType: Cash Flow Mapper,Section Name,Назив одељка
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Реордер ком
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Реордер ком
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Редослед амортизације {0}: Очекивана вредност након корисног века мора бити већа или једнака {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Цуррент Јоб Опенингс
 DocType: Company,Stock Adjustment Account,Стоцк Подешавање налога
@@ -4808,8 +4865,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Систем Корисник (пријављивање) ИД. Ако се постави, она ће постати стандардна за све ХР облицима."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Унесите податке о амортизацији
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Од {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Изоставити апликацију {0} већ постоји против ученика {1}
 DocType: Task,depends_on,депендс_он
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очекује се ажурирање најновије цене у свим материјалима. Може потрајати неколико минута.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очекује се ажурирање најновије цене у свим материјалима. Може потрајати неколико минута.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Име новог налога. Напомена: Молимо вас да не стварају налоге за купцима и добављачима
 DocType: POS Profile,Display Items In Stock,Дисплаи Итемс Ин Стоцк
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Земља мудар подразумевана адреса шаблон
@@ -4839,16 +4897,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Слотови за {0} нису додати у распоред
 DocType: Product Bundle,List items that form the package.,Листа ствари које чине пакет.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Није дозвољено. Молим вас искључите Тест Темплате
+DocType: Delivery Note,Distance (in km),Удаљеност (у км)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Молимо одаберите датум постања пре избора Парти
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Молимо одаберите датум постања пре избора Парти
 DocType: Program Enrollment,School House,Школа Кућа
 DocType: Serial No,Out of AMC,Од АМЦ
+DocType: Opportunity,Opportunity Amount,Могућност Износ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Број Амортизација жути картон, не може бити већи од Укупан број Амортизација"
 DocType: Purchase Order,Order Confirmation Date,Датум потврђивања поруџбине
 DocType: Driver,HR-DRI-.YYYY.-,ХР-ДРИ-.ИИИИ.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Маке одржавање Посетите
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Датум почетка и завршетка се преклапа са картом посла <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Детаљи трансфера запослених
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Молимо контактирајте кориснику који је продаја Мастер менаџер {0} улогу
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Молимо контактирајте кориснику који је продаја Мастер менаџер {0} улогу
 DocType: Company,Default Cash Account,Уобичајено готовински рачун
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Компания ( не клиента или поставщика ) хозяин.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ово је засновано на похађања овог Студент
@@ -4856,9 +4917,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Додали још ставки или Опен пуној форми
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Иди на Кориснике
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не является допустимым номер партии по пункту {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Неважећи ГСТИН или Ентер НА за регистровани
 DocType: Training Event,Seminar,семинар
 DocType: Program Enrollment Fee,Program Enrollment Fee,Програм Упис накнада
@@ -4875,7 +4936,7 @@
 DocType: Fee Schedule,Fee Schedule,цјеновник
 DocType: Company,Create Chart Of Accounts Based On,Створити контни план на основу
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Не могу да претворим у не-групу. Постоје задаци за децу.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Датум рођења не може бити већи него данас.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Датум рођења не може бити већи него данас.
 ,Stock Ageing,Берза Старење
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Делимично спонзорисани, захтевају делимично финансирање"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Студент {0} постоје против подносиоца пријаве студента {1}
@@ -4922,11 +4983,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Пре помирења
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Да {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Порези и накнаде додавања (Друштво валута)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная
 DocType: Sales Order,Partly Billed,Делимично Изграђена
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Итем {0} мора бити основних средстава итем
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,ХСН
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Правите варијанте
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,ХСН
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Правите варијанте
 DocType: Item,Default BOM,Уобичајено БОМ
 DocType: Project,Total Billed Amount (via Sales Invoices),Укупан фактурисани износ (преко фактура продаје)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Задужењу Износ
@@ -4955,14 +5016,14 @@
 DocType: Notification Control,Custom Message,Прилагођена порука
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Инвестиционо банкарство
 DocType: Purchase Invoice,input,улазни
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
 DocType: Loyalty Program,Multiple Tier Program,Мултипле Тиер Програм
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса
 DocType: Purchase Invoice,Price List Exchange Rate,Цена курсној листи
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Све групе добављача
 DocType: Employee Boarding Activity,Required for Employee Creation,Потребно за стварање запослених
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Број рачуна {0} већ се користи на налогу {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Број рачуна {0} већ се користи на налогу {1}
 DocType: GoCardless Mandate,Mandate,Мандат
 DocType: POS Profile,POS Profile Name,ПОС Профил Име
 DocType: Hotel Room Reservation,Booked,Резервисан
@@ -4978,18 +5039,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Ссылка № является обязательным, если вы ввели Исходной дате"
 DocType: Bank Reconciliation Detail,Payment Document,dokument плаћање
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Грешка у процјени формула за критеријуме
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Дата Присоединение должно быть больше Дата рождения
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Дата Присоединение должно быть больше Дата рождения
 DocType: Subscription,Plans,Планови
 DocType: Salary Slip,Salary Structure,Плата Структура
 DocType: Account,Bank,Банка
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,ваздушна линија
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Питање Материјал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Питање Материјал
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Повежите Схопифи са ЕРПНект
 DocType: Material Request Item,For Warehouse,За Варехоусе
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Белешке о достави {0} ажуриране
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Белешке о достави {0} ажуриране
 DocType: Employee,Offer Date,Понуда Датум
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Цитати
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Ви сте у оффлине моду. Нећете моћи да поново све док имате мрежу.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Цитати
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Ви сте у оффлине моду. Нећете моћи да поново све док имате мрежу.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Нема Студент Групе створио.
 DocType: Purchase Invoice Item,Serial No,Серијски број
@@ -5001,24 +5062,26 @@
 DocType: Sales Invoice,Customer PO Details,Цустомер ПО Детаљи
 DocType: Stock Entry,Including items for sub assemblies,Укључујући ставке за под скупштине
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Привремени рачун за отварање
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Унесите вредност мора бити позитивна
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Унесите вредност мора бити позитивна
 DocType: Asset,Finance Books,Финансијске књиге
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Категорија изјаве о изузећу пореза на раднике
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Все территории
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Молимо да одредите политику одласка за запосленог {0} у Записнику запослених / разреда
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Неважећи поруџбина за одабрани корисник и ставку
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Неважећи поруџбина за одабрани корисник и ставку
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Додајте више задатака
 DocType: Purchase Invoice,Items,Артикли
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Крајњи датум не може бити пре почетка датума.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Студент је већ уписано.
 DocType: Fiscal Year,Year Name,Име године
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,"Есть больше праздников , чем рабочих дней в этом месяце."
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,ПДЦ / ЛЦ Реф
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,"Есть больше праздников , чем рабочих дней в этом месяце."
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Следеће ставке {0} нису означене као {1} ставка. Можете их омогућити као {1} ставку из главног поглавља
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,ПДЦ / ЛЦ Реф
 DocType: Production Plan Item,Product Bundle Item,Производ Бундле артикла
 DocType: Sales Partner,Sales Partner Name,Продаја Име партнера
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Захтев за Куотатионс
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Захтев за Куотатионс
 DocType: Payment Reconciliation,Maximum Invoice Amount,Максимални износ фактуре
 DocType: Normal Test Items,Normal Test Items,Нормални тестови
+DocType: QuickBooks Migrator,Company Settings,Компанија Подешавања
 DocType: Additional Salary,Overwrite Salary Structure Amount,Прекорачити износ плата у структури
 DocType: Student Language,Student Language,студент Језик
 apps/erpnext/erpnext/config/selling.py +23,Customers,Купци
@@ -5031,22 +5094,24 @@
 DocType: Issue,Opening Time,Радно време
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,"От и До даты , необходимых"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Хартије од вредности и робним берзама
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Уобичајено Јединица мере за варијанту &#39;{0}&#39; мора бити исти као у темплате &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Уобичајено Јединица мере за варијанту &#39;{0}&#39; мора бити исти као у темплате &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Израчунајте Басед Он
 DocType: Contract,Unfulfilled,Неиспуњено
 DocType: Delivery Note Item,From Warehouse,Од Варехоусе
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Нема запослених по наведеним критеријумима
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Но Предмети са саставница у Производња
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Но Предмети са саставница у Производња
 DocType: Shopify Settings,Default Customer,Дефаулт Цустомер
+DocType: Sales Stage,Stage Name,Уметничко име
 DocType: Warranty Claim,SER-WRN-.YYYY.-,СЕР-ВРН-.ИИИИ.-
 DocType: Assessment Plan,Supervisor Name,Супервизор Име
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Не потврдите да ли је заказан термин за исти дан
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Брод у државу
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Брод у државу
 DocType: Program Enrollment Course,Program Enrollment Course,Програм Упис предмета
 DocType: Program Enrollment Course,Program Enrollment Course,Програм Упис предмета
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Корисник {0} је већ додељен Здравственом лекару {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Направите узорак задржавања узорка узорка
 DocType: Purchase Taxes and Charges,Valuation and Total,Вредновање и Тотал
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Преговарање / преглед
 DocType: Leave Encashment,Encashment Amount,Амоунт оф енцасхмент
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Сцорецардс
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Истекао пакети
@@ -5056,7 +5121,7 @@
 DocType: Staffing Plan Detail,Current Openings,Цуррент Опенингс
 DocType: Notification Control,Customize the Notification,Прилагођавање обавештења
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Новчани ток из пословања
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,ЦГСТ Износ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,ЦГСТ Износ
 DocType: Purchase Invoice,Shipping Rule,Достава Правило
 DocType: Patient Relation,Spouse,Супруга
 DocType: Lab Test Groups,Add Test,Додајте тест
@@ -5070,14 +5135,14 @@
 DocType: Payroll Entry,Payroll Frequency,паиролл Фреквенција
 DocType: Lab Test Template,Sensitivity,Осетљивост
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Синхронизација је привремено онемогућена јер су прекорачени максимални покушаји
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,сырье
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,сырье
 DocType: Leave Application,Follow via Email,Пратите преко е-поште
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Постројења и машине
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сумма налога После скидка сумма
 DocType: Patient,Inpatient Status,Статус болесника
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Свакодневном раду Преглед подешавања
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Изабрана ценовна листа треба да има проверено поље куповине и продаје.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Молимо унесите Рекд по датуму
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Изабрана ценовна листа треба да има проверено поље куповине и продаје.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Молимо унесите Рекд по датуму
 DocType: Payment Entry,Internal Transfer,Интерни пренос
 DocType: Asset Maintenance,Maintenance Tasks,Задаци одржавања
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Либо целевой Количество или целевое количество является обязательным
@@ -5099,7 +5164,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последњи Комуникација
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последњи Комуникација
 ,TDS Payable Monthly,ТДС се плаћа месечно
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Очекује се замена БОМ-а. Може потрајати неколико минута.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Очекује се замена БОМ-а. Може потрајати неколико минута.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть , когда категория для "" Оценка "" или "" Оценка и Всего"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Утакмица плаћања са фактурама
@@ -5112,7 +5177,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Добавить в корзину
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Група По
 DocType: Guardian,Interests,Интереси
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Включение / отключение валюты.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Включение / отключение валюты.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Не могу да поднесем неке плоче
 DocType: Exchange Rate Revaluation,Get Entries,Гет Ентриес
 DocType: Production Plan,Get Material Request,Гет Материал захтев
@@ -5134,15 +5199,16 @@
 DocType: Lead,Lead Type,Олово Тип
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Нисте ауторизовани да одобри лишће на блок Датуми
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Все эти предметы уже выставлен счет
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Подесите нови датум издања
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Подесите нови датум издања
 DocType: Company,Monthly Sales Target,Месечна продајна мета
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Может быть одобрено {0}
 DocType: Hotel Room,Hotel Room Type,Тип собе хотела
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Супплиер&gt; Тип добављача
 DocType: Leave Allocation,Leave Period,Оставите Период
 DocType: Item,Default Material Request Type,Уобичајено Материјал Врста Захтева
 DocType: Supplier Scorecard,Evaluation Period,Период евалуације
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Непознат
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Радни налог није креиран
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Радни налог није креиран
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Количина {0} која је већ захтевана за компоненту {1}, \ поставите количину једнака или већа од {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Правило услови испоруке
@@ -5177,15 +5243,15 @@
 DocType: Batch,Source Document Name,Извор Име документа
 DocType: Production Plan,Get Raw Materials For Production,Узмите сировине за производњу
 DocType: Job Opening,Job Title,Звање
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} означава да {1} неће дати цитат, али су сви ставци \ цитирани. Ажурирање статуса РФК куоте."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимални узорци - {0} већ су задржани за Батцх {1} и Итем {2} у Батцх {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимални узорци - {0} већ су задржани за Батцх {1} и Итем {2} у Батцх {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Ажурирајте БОМ трошак аутоматски
 DocType: Lab Test,Test Name,Име теста
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Клинички поступак Потрошна ставка
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,створити корисника
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,грам
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Претплате
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Претплате
 DocType: Supplier Scorecard,Per Month,Месечно
 DocType: Education Settings,Make Academic Term Mandatory,Направите академски термин обавезан
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Количина да Производња мора бити већи од 0.
@@ -5194,10 +5260,10 @@
 DocType: Stock Entry,Update Rate and Availability,Ажурирање курс и доступност
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Проценат вам је дозвољено да примају или испоручи више од количине наредио. На пример: Ако сте наредили 100 јединица. и ваш додатак је 10% онда вам је дозвољено да примају 110 јединица.
 DocType: Loyalty Program,Customer Group,Кориснички Група
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Ред # {0}: Операција {1} није завршена за {2} количина готове робе у Ворк Ордер # {3}. Молим ажурирајте статус радње преко Тиме Логс-а
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Ред # {0}: Операција {1} није завршена за {2} количина готове робе у Ворк Ордер # {3}. Молим ажурирајте статус радње преко Тиме Логс-а
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Нови Батцх ид (опционо)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Нови Батцх ид (опционо)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0}
 DocType: BOM,Website Description,Вебсајт Опис
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Нето промена у капиталу
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Откажите фактури {0} први
@@ -5212,7 +5278,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Не постоји ништа да измените .
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Форм Виев
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Трошкови одобрења обавезни у потраживању трошкова
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Преглед за овај месец и чекају активности
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Преглед за овај месец и чекају активности
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Молимо да унесете Нереализовани Екцханге Гаин / Лосс Аццоунт у компанији {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Додајте кориснике у своју организацију, осим себе."
 DocType: Customer Group,Customer Group Name,Кориснички Назив групе
@@ -5222,14 +5288,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Није направљен материјални захтев
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ кредита не може бити већи од максимални износ кредита {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,лиценца
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Молимо вас да уклоните ову фактуру {0} од Ц-Форм {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Молимо вас да уклоните ову фактуру {0} од Ц-Форм {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Молимо изаберите пренети ако такође желите да укључите претходну фискалну годину је биланс оставља на ову фискалну годину
 DocType: GL Entry,Against Voucher Type,Против Вауцер Типе
 DocType: Healthcare Practitioner,Phone (R),Телефон (Р)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Додато је временска утрка
 DocType: Item,Attributes,Атрибути
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Омогући шаблон
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Пожалуйста, введите списать счет"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Пожалуйста, введите списать счет"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последњи Низ Датум
 DocType: Salary Component,Is Payable,Да ли се плаћа
 DocType: Inpatient Record,B Negative,Б Негативе
@@ -5240,7 +5306,7 @@
 DocType: Hotel Room,Hotel Room,Хотелска соба
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Рачун {0} не припада компанији {1}
 DocType: Leave Type,Rounding,Заокруживање
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Серијски бројеви у низу {0} не поклапа са Деливери Ноте
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Серијски бројеви у низу {0} не поклапа са Деливери Ноте
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Диспенсед Амоунт (Про-ратед)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Тада Правила цене се филтрирају на основу клијента, клијената, територије, добављача, групе добављача, кампање, продајног партнера итд."
 DocType: Student,Guardian Details,гуардиан Детаљи
@@ -5249,10 +5315,10 @@
 DocType: Vehicle,Chassis No,шасија Нема
 DocType: Payment Request,Initiated,Покренут
 DocType: Production Plan Item,Planned Start Date,Планирани датум почетка
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Изаберите БОМ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Изаберите БОМ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Коришћен ИТЦ интегрисани порез
 DocType: Purchase Order Item,Blanket Order Rate,Стопа поруџбине робе
-apps/erpnext/erpnext/hooks.py +156,Certification,Сертификација
+apps/erpnext/erpnext/hooks.py +157,Certification,Сертификација
 DocType: Bank Guarantee,Clauses and Conditions,Клаузуле и услови
 DocType: Serial No,Creation Document Type,Документ регистрације Тип
 DocType: Project Task,View Timesheet,Виев Тимесхеет
@@ -5277,6 +5343,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Родитељ артикла {0} не сме бити лагеру предмета
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Оглас на сајту
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Сви производи или услуге.
+DocType: Email Digest,Open Quotations,Опен Куотатионс
 DocType: Expense Claim,More Details,Више детаља
 DocType: Supplier Quotation,Supplier Address,Снабдевач Адреса
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} буџета за налог {1} против {2} {3} је {4}. То ће премашити по {5}
@@ -5291,12 +5358,11 @@
 DocType: Training Event,Exam,испит
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Грешка на тржишту
 DocType: Complaint,Complaint,Жалба
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Склад требуется для складе Пункт {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Склад требуется для складе Пункт {0}
 DocType: Leave Allocation,Unused leaves,Неискоришћени листови
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Изврши отплату
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Сви одјели
 DocType: Healthcare Service Unit,Vacant,Празан
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Супплиер&gt; Тип добављача
 DocType: Patient,Alcohol Past Use,Употреба алкохола у прошлости
 DocType: Fertilizer Content,Fertilizer Content,Садржај ђубрива
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Кр
@@ -5304,7 +5370,7 @@
 DocType: Tax Rule,Billing State,Тецх Стате
 DocType: Share Transfer,Transfer,Пренос
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Радни налог {0} мора бити отказан прије отказивања овог продајног налога
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Фетцх експлодирала бом ( укључујући подсклопова )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Фетцх експлодирала бом ( укључујући подсклопова )
 DocType: Authorization Rule,Applicable To (Employee),Важећи Да (запослених)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Дуе Дате обавезна
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Повећање за Аттрибуте {0} не може бити 0
@@ -5320,7 +5386,7 @@
 DocType: Disease,Treatment Period,Период лечења
 DocType: Travel Itinerary,Travel Itinerary,Путни пут
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Резултат већ поднет
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Резервисано складиште је обавезно за ставку {0} у испорученим сировинама
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Резервисано складиште је обавезно за ставку {0} у испорученим сировинама
 ,Inactive Customers,неактивни Купци
 DocType: Student Admission Program,Maximum Age,Максимално доба
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Молим вас сачекајте 3 дана пре поновног подношења подсетника.
@@ -5329,7 +5395,6 @@
 DocType: Stock Entry,Delivery Note No,Испорука Напомена Не
 DocType: Cheque Print Template,Message to show,Порука схов
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Малопродаја
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Аутоматско управљање налогом за именовање
 DocType: Student Attendance,Absent,Одсутан
 DocType: Staffing Plan,Staffing Plan Detail,Детаљи особља плана
 DocType: Employee Promotion,Promotion Date,Датум промоције
@@ -5351,7 +5416,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Маке Леад
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Принт и Папирна
 DocType: Stock Settings,Show Barcode Field,Схов Баркод Поље
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Пошаљи Супплиер Емаилс
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Пошаљи Супплиер Емаилс
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Плата већ обрађени за период од {0} и {1}, Оставите период апликација не може бити између овај период."
 DocType: Fiscal Year,Auto Created,Ауто Цреатед
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Пошаљите ово да бисте креирали запис Запосленог
@@ -5360,7 +5425,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Рачун {0} више не постоји
 DocType: Guardian Interest,Guardian Interest,гуардиан камата
 DocType: Volunteer,Availability,Доступност
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Подеси подразумеване вредности за ПОС Рачуне
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Подеси подразумеване вредности за ПОС Рачуне
 apps/erpnext/erpnext/config/hr.py +248,Training,тренинг
 DocType: Project,Time to send,Време за слање
 DocType: Timesheet,Employee Detail,zaposleni Детаљи
@@ -5384,7 +5449,7 @@
 DocType: Training Event Employee,Optional,Опционо
 DocType: Salary Slip,Earning & Deduction,Зарада и дедукције
 DocType: Agriculture Analysis Criteria,Water Analysis,Анализа воде
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} креиране варијанте.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} креиране варијанте.
 DocType: Amazon MWS Settings,Region,Регија
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Опционо . Ова поставка ће се користити за филтрирање у различитим трансакцијама .
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Негативно Вредновање курс није дозвољен
@@ -5403,7 +5468,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Трошкови укинуо Ассет
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Трошкови Центар је обавезан за пункт {2}
 DocType: Vehicle,Policy No,politika Нема
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Гет ставки из производа Бундле
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Гет ставки из производа Бундле
 DocType: Asset,Straight Line,Права линија
 DocType: Project User,Project User,projekat Корисник
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Разделити
@@ -5412,7 +5477,7 @@
 DocType: GL Entry,Is Advance,Да ли Адванце
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Животни век запослених
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Гледалаца Од Датум и радног То Дате је обавезна
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите ' Является субподряду "", как Да или Нет"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите ' Является субподряду "", как Да или Нет"
 DocType: Item,Default Purchase Unit of Measure,Подразумевана јединица куповине мјере
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Последњи Комуникација Датум
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Последњи Комуникација Датум
@@ -5422,7 +5487,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Није доступан токен или Схопифи УРЛ
 DocType: Location,Latitude,Географска ширина
 DocType: Work Order,Scrap Warehouse,отпад Магацин
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Складиште је потребно на редоследу {0}, молимо поставите подразумевано складиште за ставку {1} за компанију {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Складиште је потребно на редоследу {0}, молимо поставите подразумевано складиште за ставку {1} за компанију {2}"
 DocType: Work Order,Check if material transfer entry is not required,Проверите да ли није потребна унос пренос материјала
 DocType: Work Order,Check if material transfer entry is not required,Проверите да ли није потребна унос пренос материјала
 DocType: Program Enrollment Tool,Get Students From,Гет студенти из
@@ -5439,6 +5504,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Нова Серија ком
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Одећа и прибор
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Не могу да решим тежински резултат. Проверите да ли је формула валидна.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Ставке за наруџбеницу не добијају на време
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Број Реда
 DocType: Item Group,HTML / Banner that will show on the top of product list.,ХТМЛ / банер који ће се појавити на врху листе производа.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Наведите услове да може да израчуна испоруку износ
@@ -5447,9 +5513,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Пут
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге , как это имеет дочерние узлы"
 DocType: Production Plan,Total Planned Qty,Укупна планирана количина
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Отварање Вредност
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Отварање Вредност
 DocType: Salary Component,Formula,формула
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Сериал #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Сериал #
 DocType: Lab Test Template,Lab Test Template,Лаб тест шаблон
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Рачун продаје
 DocType: Purchase Invoice Item,Total Weight,Укупна маса
@@ -5467,7 +5533,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Маке Материал захтев
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Отворено артикла {0}
 DocType: Asset Finance Book,Written Down Value,Писање вредности
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Молимо да подесите систем именовања запослених у људским ресурсима&gt; ХР Сеттингс
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменено до отмены этого заказ клиента
 DocType: Clinical Procedure,Age,Старост
 DocType: Sales Invoice Timesheet,Billing Amount,Обрачун Износ
@@ -5476,11 +5541,11 @@
 DocType: Company,Default Employee Advance Account,Подразумевани предузетнички рачун запосленог
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Претрага ставке (Цтрл + и)
 DocType: C-Form,ACC-CF-.YYYY.-,АЦЦ-ЦФ-.ИИИИ.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Счет с существующей сделки не могут быть удалены
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Счет с существующей сделки не могут быть удалены
 DocType: Vehicle,Last Carbon Check,Последња Угљен Одлазак
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,судебные издержки
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Молимо одаберите количину на реду
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Отворите рачуне за продају и куповину
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Отворите рачуне за продају и куповину
 DocType: Purchase Invoice,Posting Time,Постављање Време
 DocType: Timesheet,% Amount Billed,% Фактурисаних износа
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Телефон Расходы
@@ -5495,14 +5560,14 @@
 DocType: Maintenance Visit,Breakdown,Слом
 DocType: Travel Itinerary,Vegetarian,Вегетаријанац
 DocType: Patient Encounter,Encounter Date,Датум сусрета
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Рачун: {0} са валутом: {1} не може бити изабран
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Рачун: {0} са валутом: {1} не може бити изабран
 DocType: Bank Statement Transaction Settings Item,Bank Data,Подаци банке
 DocType: Purchase Receipt Item,Sample Quantity,Количина узорка
 DocType: Bank Guarantee,Name of Beneficiary,Име корисника
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Аутоматско ажурирање трошкова БОМ-а путем Планера, на основу најновије процене стопе цена / цене цена / последње цене сировина."
 DocType: Supplier,SUP-.YYYY.-,СУП-.ИИИИ.-
 DocType: Bank Reconciliation Detail,Cheque Date,Чек Датум
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Рачун {0}: {1 Родитељ рачун} не припада компанији: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Рачун {0}: {1 Родитељ рачун} не припада компанији: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Успешно избрисали све трансакције везане за ову компанију!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Као и на датум
 DocType: Additional Salary,HR,ХР
@@ -5510,7 +5575,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Оут Патиент СМС Алертс
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,пробни рад
 DocType: Program Enrollment Tool,New Academic Year,Нова школска година
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Повратак / одобрењу кредита
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Повратак / одобрењу кредита
 DocType: Stock Settings,Auto insert Price List rate if missing,Аутоматско уметак Ценовник стопа ако недостаје
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Укупно Плаћени износ
 DocType: GST Settings,B2C Limit,Б2Ц Лимит
@@ -5528,10 +5593,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дете чворови се може створити само под типа чворова &#39;групе&#39;
 DocType: Attendance Request,Half Day Date,Полудневни Датум
 DocType: Academic Year,Academic Year Name,Академска Година Име
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} није дозвољено да трансакције са {1}. Замените Компанију.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} није дозвољено да трансакције са {1}. Замените Компанију.
 DocType: Sales Partner,Contact Desc,Контакт Десц
 DocType: Email Digest,Send regular summary reports via Email.,Пошаљи редовне збирне извештаје путем е-маил.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Молимо поставите подразумевани рачун у Расходи Цлаим тип {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Молимо поставите подразумевани рачун у Расходи Цлаим тип {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Расположиве листе
 DocType: Assessment Result,Student Name,Име студента
 DocType: Hub Tracked Item,Item Manager,Тачка директор
@@ -5556,9 +5621,10 @@
 DocType: Subscription,Trial Period End Date,Датум завршетка пробног периода
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы
 DocType: Serial No,Asset Status,Статус имовине
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Овер Дименсионал Царго (ОДЦ)
 DocType: Restaurant Order Entry,Restaurant Table,Ресторан Табле
 DocType: Hotel Room,Hotel Manager,Менаџер хотела
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Сет Пореска Правило за куповину
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Сет Пореска Правило за куповину
 DocType: Purchase Invoice,Taxes and Charges Added,Порези и накнаде додавања
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Амортизацијски ред {0}: Следећи датум амортизације не може бити пре Датум расположивог за употребу
 ,Sales Funnel,Продаја Левак
@@ -5574,10 +5640,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Все Группы клиентов
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,картон Месечно
 DocType: Attendance Request,On Duty,На дужности
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} је обавезно. Можда Мењачница запис није створен за {1} на {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} је обавезно. Можда Мењачница запис није створен за {1} на {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},План запошљавања {0} већ постоји за ознаку {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Пореска Шаблон је обавезно.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Рачун {0}: {1 Родитељ рачун} не постоји
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Рачун {0}: {1 Родитељ рачун} не постоји
 DocType: POS Closing Voucher,Period Start Date,Датум почетка периода
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценовник Цена (Друштво валута)
 DocType: Products Settings,Products Settings,производи подешавања
@@ -5597,7 +5663,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Ова акција ће зауставити будуће обрачунавање. Да ли сте сигурни да желите отказати ову претплату?
 DocType: Serial No,Distinct unit of an Item,Разликује јединица стране јединице
 DocType: Supplier Scorecard Criteria,Criteria Name,Име критеријума
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Молимо поставите Цомпани
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Молимо поставите Цомпани
 DocType: Procedure Prescription,Procedure Created,Креиран поступак
 DocType: Pricing Rule,Buying,Куповина
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Болести и ђубрива
@@ -5614,29 +5680,30 @@
 DocType: Employee Onboarding,Job Offer,Понуда за посао
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Институт држава
 ,Item-wise Price List Rate,Ставка - мудар Ценовник курс
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Снабдевач Понуда
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Снабдевач Понуда
 DocType: Quotation,In Words will be visible once you save the Quotation.,У речи ће бити видљив када сачувате цитат.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може бити део у низу {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може бити део у низу {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може бити део у низу {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може бити део у низу {1}
 DocType: Contract,Unsigned,Унсигнед
 DocType: Selling Settings,Each Transaction,Свака трансакција
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Штрих {0} уже используется в пункте {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Штрих {0} уже используется в пункте {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для добавления стоимости доставки .
 DocType: Hotel Room,Extra Bed Capacity,Капацитет додатног лежаја
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Вараианце
 DocType: Item,Opening Stock,otvaranje Сток
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Требуется клиентов
 DocType: Lab Test,Result Date,Датум резултата
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,ПДЦ / ЛЦ Датум
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,ПДЦ / ЛЦ Датум
 DocType: Purchase Order,To Receive,Примити
 DocType: Leave Period,Holiday List for Optional Leave,Лист за одмор за опциони одлазак
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,усер@екампле.цом
 DocType: Asset,Asset Owner,Власник имовине
 DocType: Purchase Invoice,Reason For Putting On Hold,Разлог за стављање на чекање
 DocType: Employee,Personal Email,Лични Е-маил
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Укупна разлика
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Укупна разлика
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако је укључен, систем ће писати уносе рачуноводствене инвентар аутоматски."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,посредништво
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Присуство за запосленог {0} је већ означена за овај дан
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Присуство за запосленог {0} је већ означена за овај дан
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","у Минутес 
  ажурирано преко 'Време Приступи'"
@@ -5644,14 +5711,14 @@
 DocType: Amazon MWS Settings,Synch Orders,Синцх Ордерс
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Поруџбине пуштен за производњу.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Изаберите Фискална година ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,ПОС Профил потребно да ПОС Ентри
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,ПОС Профил потребно да ПОС Ентри
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Точке лојалности ће се рачунати од потрошене (преко фактуре за продају), на основу наведеног фактора сакупљања."
 DocType: Program Enrollment Tool,Enroll Students,упис студената
 DocType: Company,HRA Settings,ХРА подешавања
 DocType: Employee Transfer,Transfer Date,Датум преноса
 DocType: Lab Test,Approved Date,Одобрени датум
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандардна Продаја
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Атлеаст једно складиште је обавезно
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Атлеаст једно складиште је обавезно
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Конфигурирајте поља поља као што су УОМ, група ставки, опис и број сати."
 DocType: Certification Application,Certification Status,Статус сертификације
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Маркетплаце
@@ -5671,6 +5738,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Упоређивање фактура
 DocType: Work Order,Required Items,тражених ставки
 DocType: Stock Ledger Entry,Stock Value Difference,Вредност акције Разлика
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Ставка Ред {0}: {1} {2} не постоји изнад табеле &quot;{1}&quot;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Људски Ресурси
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Плаћање Плаћање Помирење
 DocType: Disease,Treatment Task,Третман задатака
@@ -5688,7 +5756,8 @@
 DocType: Account,Debit,Задужење
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Листья должны быть выделены несколько 0,5"
 DocType: Work Order,Operation Cost,Операција кошта
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Изузетан Амт
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Идентификација доносилаца одлука
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Изузетан Амт
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Поставите циљеве ставку Групе мудро ову особу продаје.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],"Морозильники Акции старше, чем [ дней ]"
 DocType: Payment Request,Payment Ordered,Наређено плаћање
@@ -5700,14 +5769,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Дозволи следеће корисницима да одобри Апликације оставити за блок дана.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Животни циклус
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Направите БОМ
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продајном курсу за ставку {0} је нижи од својих {1}. Продаје стопа буде атлеаст {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продајном курсу за ставку {0} је нижи од својих {1}. Продаје стопа буде атлеаст {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продајном курсу за ставку {0} је нижи од својих {1}. Продаје стопа буде атлеаст {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продајном курсу за ставку {0} је нижи од својих {1}. Продаје стопа буде атлеаст {2}
 DocType: Subscription,Taxes,Порези
 DocType: Purchase Invoice,capital goods,капиталних производа
 DocType: Purchase Invoice Item,Weight Per Unit,Тежина по јединици
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Паид и није испоручена
-DocType: Project,Default Cost Center,Уобичајено Трошкови Центар
-DocType: Delivery Note,Transporter Doc No,Доц
+DocType: QuickBooks Migrator,Default Cost Center,Уобичајено Трошкови Центар
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,stock Трансакције
 DocType: Budget,Budget Accounts,рачуна буџета
 DocType: Employee,Internal Work History,Интерни Рад Историја
@@ -5740,7 +5808,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Здравствени радник није доступан на {0}
 DocType: Stock Entry Detail,Additional Cost,Додатни трошак
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Не можете да филтрирате на основу ваучер Не , ако груписани по ваучер"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Направи понуду добављача
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Направи понуду добављача
 DocType: Quality Inspection,Incoming,Долазни
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Основани порезни предлошци за продају и куповину су створени.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Оцењивање Резултат записа {0} већ постоји.
@@ -5756,7 +5824,7 @@
 DocType: Batch,Batch ID,Батцх ИД
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Примечание: {0}
 ,Delivery Note Trends,Достава Напомена трендови
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Овонедељном Преглед
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Овонедељном Преглед
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,На залихама Количина
 ,Daily Work Summary Replies,Дневни послови
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Израчунајте процењене временске прилике
@@ -5766,7 +5834,7 @@
 DocType: Bank Account,Party,Странка
 DocType: Healthcare Settings,Patient Name,Име пацијента
 DocType: Variant Field,Variant Field,Варијантско поље
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Циљна локација
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Циљна локација
 DocType: Sales Order,Delivery Date,Датум испоруке
 DocType: Opportunity,Opportunity Date,Прилика Датум
 DocType: Employee,Health Insurance Provider,Здравствено осигурање
@@ -5785,7 +5853,7 @@
 DocType: Employee,History In Company,Историја У друштву
 DocType: Customer,Customer Primary Address,Примарна адреса клијента
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Билтен
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Референтни број.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Референтни број.
 DocType: Drug Prescription,Description/Strength,Опис / снага
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Креирајте нову уплату / дневник
 DocType: Certification Application,Certification Application,Апликација за сертификацију
@@ -5796,10 +5864,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Исто ставка је ушла више пута
 DocType: Department,Leave Block List,Оставите Блоцк Лист
 DocType: Purchase Invoice,Tax ID,ПИБ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым
 DocType: Accounts Settings,Accounts Settings,Рачуни Подешавања
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,одобрити
 DocType: Loyalty Program,Customer Territory,Територија купаца
+DocType: Email Digest,Sales Orders to Deliver,Продајни налоги за испоруку
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",Број новог налога ће бити укључен у име налога као префикс
 DocType: Maintenance Team Member,Team Member,Члан тима
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Нема резултата који треба да пошаљу
@@ -5809,7 +5878,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Укупно {0} за све ставке је нула, може бити требало би да промените &#39;Распоредите пријава по&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,До данас не може бити мање од датума
 DocType: Opportunity,To Discuss,Да Дисцусс
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Ово се заснива на трансакцијама против овог претплатника. Погледајте детаље испод
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} јединице {1} потребна {2} довршите ову трансакцију.
 DocType: Loan Type,Rate of Interest (%) Yearly,Каматна стопа (%) Годишња
 DocType: Support Settings,Forum URL,Форум УРЛ
@@ -5824,7 +5892,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Сазнајте више
 DocType: Cheque Print Template,Distance from top edge,Удаљеност од горње ивице
 DocType: POS Closing Voucher Invoices,Quantity of Items,Количина предмета
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Ценовник {0} је онемогућена или не постоји
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Ценовник {0} је онемогућена или не постоји
 DocType: Purchase Invoice,Return,Повратак
 DocType: Pricing Rule,Disable,запрещать
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Начин плаћања је обавезан да изврши уплату
@@ -5832,18 +5900,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Измените на целој страници за више опција као што су имовина, серијски нос, серије итд."
 DocType: Leave Type,Maximum Continuous Days Applicable,Максимални трајни дани важећи
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} није уписано у Батцх {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Средство {0} не може бити укинута, јер је већ {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Средство {0} не може бити укинута, јер је већ {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Потребно је проверити
 DocType: Task,Total Expense Claim (via Expense Claim),Укупни расходи Цлаим (преко Екпенсе потраживања)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,марк Одсутан
 DocType: Job Applicant Source,Job Applicant Source,Извор апликанта за посао
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,ИГСТ Износ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,ИГСТ Износ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Није успело да подеси компанију
 DocType: Asset Repair,Asset Repair,Поправка имовине
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута у БОМ # {1} треба да буде једнака изабране валуте {2}
 DocType: Journal Entry Account,Exchange Rate,Курс
 DocType: Patient,Additional information regarding the patient,Додатне информације о пацијенту
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Заказ на продажу {0} не представлено
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Заказ на продажу {0} не представлено
 DocType: Homepage,Tag Line,таг линија
 DocType: Fee Component,Fee Component,naknada Компонента
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Управљање возним парком
@@ -5858,7 +5926,7 @@
 DocType: Healthcare Practitioner,Mobile,Мобиле
 ,Sales Person-wise Transaction Summary,Продавац у питању трансакција Преглед
 DocType: Training Event,Contact Number,Контакт број
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Магацин {0} не постоји
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Магацин {0} не постоји
 DocType: Cashier Closing,Custody,Старатељство
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Детаљи о подношењу доказа о изузећу пореза на раднике
 DocType: Monthly Distribution,Monthly Distribution Percentages,Месечни Дистрибуција Проценти
@@ -5873,7 +5941,7 @@
 DocType: Payment Entry,Paid Amount,Плаћени Износ
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Истражите кола за продају
 DocType: Assessment Plan,Supervisor,надзорник
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Задржавање залиха залиха
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Задржавање залиха залиха
 ,Available Stock for Packing Items,На располагању лагер за паковање ставке
 DocType: Item Variant,Item Variant,Итем Варијанта
 ,Work Order Stock Report,Извештај о радном налогу
@@ -5882,9 +5950,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Као супервизор
 DocType: Leave Policy Detail,Leave Policy Detail,Оставите детаље о политици
 DocType: BOM Scrap Item,BOM Scrap Item,БОМ отпад артикла
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Достављени налози се не могу избрисати
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Стање рачуна већ у задуживање, није вам дозвољено да поставите 'Стање Муст Бе' као 'Кредит'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Управљање квалитетом
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Достављени налози се не могу избрисати
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Стање рачуна већ у задуживање, није вам дозвољено да поставите 'Стање Муст Бе' као 'Кредит'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Управљање квалитетом
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Итем {0} је онемогућен
 DocType: Project,Total Billable Amount (via Timesheets),Укупан износ износа (преко Тимесхеета)
 DocType: Agriculture Task,Previous Business Day,Претходни радни дан
@@ -5907,14 +5975,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Цост центри
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Рестарт претплата
 DocType: Linked Plant Analysis,Linked Plant Analysis,Линкед Плант Аналисис
-DocType: Delivery Note,Transporter ID,ИД транспортера
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ИД транспортера
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Валуе Пропоситион
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Стопа по којој је добављач валута претвара у основну валуту компаније
-DocType: Sales Invoice Item,Service End Date,Крајњи датум услуге
+DocType: Purchase Invoice Item,Service End Date,Крајњи датум услуге
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ров # {0}: ТИМИНГС сукоби са редом {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволите Зеро Вредновање Рате
 DocType: Bank Guarantee,Receiving,Пријем
 DocType: Training Event Employee,Invited,позван
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Сетуп Гатеваи рачуни.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Сетуп Гатеваи рачуни.
 DocType: Employee,Employment Type,Тип запослења
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,капитальные активы
 DocType: Payment Entry,Set Exchange Gain / Loss,Сет курсне / Губитак
@@ -5930,7 +5999,7 @@
 DocType: Tax Rule,Sales Tax Template,Порез на промет Шаблон
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Плаћање против повластице
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Ажурирајте број центра трошкова
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Изабрали ставке да спасе фактуру
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Изабрали ставке да спасе фактуру
 DocType: Employee,Encashment Date,Датум Енцасхмент
 DocType: Training Event,Internet,Интернет
 DocType: Special Test Template,Special Test Template,Специјални тест шаблон
@@ -5938,12 +6007,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Уобичајено активност Трошкови постоји за тип активности - {0}
 DocType: Work Order,Planned Operating Cost,Планирани Оперативни трошкови
 DocType: Academic Term,Term Start Date,Термин Датум почетка
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Списак свих дионица трансакција
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Списак свих дионица трансакција
+DocType: Supplier,Is Transporter,Је транспортер
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Увезите фактуру продаје из Схопифи-а ако је обележје означено
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,опп Точка
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Морају се подесити датум почетка пробног периода и датум завршетка пробног периода
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Просечна стопа
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Укупан износ плаћања у распореду плаћања мора бити једнак Гранд / заокруженом укупно
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Укупан износ плаћања у распореду плаћања мора бити једнак Гранд / заокруженом укупно
 DocType: Subscription Plan Detail,Plan,План
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Банка Биланс по Главној књизи
 DocType: Job Applicant,Applicant Name,Подносилац захтева Име
@@ -5971,7 +6041,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Доступно Количина на извору Варехоусе
 apps/erpnext/erpnext/config/support.py +22,Warranty,гаранција
 DocType: Purchase Invoice,Debit Note Issued,Задужењу Издато
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Филтер заснован на Центру за трошкове примјењује се само ако је Будгет Агаинст изабран као Цост Центер
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Филтер заснован на Центру за трошкове примјењује се само ако је Будгет Агаинст изабран као Цост Центер
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Претрага по коду ставке, серијском броју, броју серије или баркоду"
 DocType: Work Order,Warehouses,Складишта
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} имовина не може се пренети
@@ -5982,9 +6052,9 @@
 DocType: Workstation,per hour,на сат
 DocType: Blanket Order,Purchasing,Куповина
 DocType: Announcement,Announcement,објава
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Кориснички ЛПО
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Кориснички ЛПО
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За студентске групе Серија засноване, Студентски Серија ће бити потврђена за сваки студент из програма упис."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада .
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада .
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Дистрибуција
 DocType: Journal Entry Account,Loan,Зајам
 DocType: Expense Claim Advance,Expense Claim Advance,Адванце Цлаим Адванце
@@ -5993,7 +6063,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Пројецт Манагер
 ,Quoted Item Comparison,Цитирано артикла Поређење
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Преклапање у бодовима између {0} и {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,депеша
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,депеша
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Максимална дозвољена попуст за ставку: {0} је {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Нето вредност имовине као на
 DocType: Crop,Produce,Продукт
@@ -6003,20 +6073,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Потрошња материјала за производњу
 DocType: Item Alternative,Alternative Item Code,Алтернативни код артикла
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Улога која је дозвољено да поднесе трансакције које превазилазе кредитне лимите.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Изабери ставке у Производња
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Изабери ставке у Производња
 DocType: Delivery Stop,Delivery Stop,Достава Стоп
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје"
 DocType: Item,Material Issue,Материјал Издање
 DocType: Employee Education,Qualification,Квалификација
 DocType: Item Price,Item Price,Артикал Цена
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Сапун и детерџент
 DocType: BOM,Show Items,Схов Предмети
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Фром Тиме не може бити већи од на време.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Желите ли да обавестите све купце путем е-поште?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Желите ли да обавестите све купце путем е-поште?
 DocType: Subscription Plan,Billing Interval,Интервал зарачунавања
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Мотион Пицтуре & Видео
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Ж
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Стварни датум почетка и стварни датум завршетка су обавезни
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Корисник&gt; Корисничка група&gt; Територија
 DocType: Salary Detail,Component,Саставни део
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Ред {0}: {1} мора бити већи од 0
 DocType: Assessment Criteria,Assessment Criteria Group,Критеријуми за процену Група
@@ -6047,11 +6118,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Пре подношења наведите назив банке или кредитне институције.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} морају бити поднети
 DocType: POS Profile,Item Groups,итем Групе
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Данас је {0} 'с рођендан!
 DocType: Sales Order Item,For Production,За производњу
 DocType: Payment Request,payment_url,паимент_урл
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Баланс у валути рачуна
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Молимо вас да додате рачун за привремени отварање на контном плану
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Молимо вас да додате рачун за привремени отварање на контном плану
 DocType: Customer,Customer Primary Contact,Примарни контакт клијента
 DocType: Project Task,View Task,Погледај Задатак
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Опп / Олово%
@@ -6065,11 +6135,11 @@
 DocType: Sales Invoice,Get Advances Received,Гет аванси
 DocType: Email Digest,Add/Remove Recipients,Адд / Ремове прималаца
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Да бисте подесили ову фискалну годину , као подразумевајуће , кликните на "" Сет ас Дефаулт '"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Износ ТДС одбијен
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Износ ТДС одбијен
 DocType: Production Plan,Include Subcontracted Items,Укључите предмете са подуговарачима
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Придружити
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Мањак Количина
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Придружити
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Мањак Количина
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима
 DocType: Loan,Repay from Salary,Отплатити од плате
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Тражећи исплату од {0} {1} за износ {2}
 DocType: Additional Salary,Salary Slip,Плата Слип
@@ -6085,7 +6155,7 @@
 DocType: Patient,Dormant,скривен
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Порез на одбитку за необјављене користи запосленима
 DocType: Salary Slip,Total Interest Amount,Укупан износ камате
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Складишта са дететом чворова не могу се претворити у ЛЕДГЕР
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Складишта са дететом чворова не могу се претворити у ЛЕДГЕР
 DocType: BOM,Manage cost of operations,Управљање трошкове пословања
 DocType: Accounts Settings,Stale Days,Стале Даис
 DocType: Travel Itinerary,Arrival Datetime,Долазак Датетиме
@@ -6097,7 +6167,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Процена резултата Детаљ
 DocType: Employee Education,Employee Education,Запослени Образовање
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Дупликат ставка група наћи у табели тачка групе
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Потребно је да се донесе Сведениа.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Потребно је да се донесе Сведениа.
 DocType: Fertilizer,Fertilizer Name,Име ђубрива
 DocType: Salary Slip,Net Pay,Нето плата
 DocType: Cash Flow Mapping Accounts,Account,рачун
@@ -6108,14 +6178,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Направите одвојени улаз за плаћање против потраживања
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Присуство грознице (температура&gt; 38,5 ° Ц / 101,3 ° Ф или трајна темп&gt; 38 ° Ц / 100,4 ° Ф)"
 DocType: Customer,Sales Team Details,Продајни тим Детаљи
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Обриши трајно?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Обриши трајно?
 DocType: Expense Claim,Total Claimed Amount,Укупан износ полаже
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенцијалне могућности за продају.
 DocType: Shareholder,Folio no.,Фолио бр.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Неважећи {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Отпуск по болезни
 DocType: Email Digest,Email Digest,Е-маил Дигест
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,нису
 DocType: Delivery Note,Billing Address Name,Адреса за наплату Име
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Робне куце
 ,Item Delivery Date,Датум испоруке артикла
@@ -6131,16 +6200,16 @@
 DocType: Account,Chargeable,Наплатив
 DocType: Company,Change Abbreviation,Промена скраћеница
 DocType: Contract,Fulfilment Details,Испуњавање Детаљи
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Плаћајте {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Плаћајте {0} {1}
 DocType: Employee Onboarding,Activities,Активности
 DocType: Expense Claim Detail,Expense Date,Расходи Датум
 DocType: Item,No of Months,Број месеци
 DocType: Item,Max Discount (%),Максимална Попуст (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Кредитни дани не могу бити негативни број
-DocType: Sales Invoice Item,Service Stop Date,Датум заустављања услуге
+DocType: Purchase Invoice Item,Service Stop Date,Датум заустављања услуге
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Последњи Наручи Количина
 DocType: Cash Flow Mapper,e.g Adjustments for:,нпр. прилагођавања за:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Задржи узорак заснован је на серији, молимо вас да проверите да ли је серија не да задржите узорак ставке"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Задржи узорак заснован је на серији, молимо вас да проверите да ли је серија не да задржите узорак ставке"
 DocType: Task,Is Milestone,Да ли је МОТО
 DocType: Certification Application,Yet to appear,Још увек се појављује
 DocType: Delivery Stop,Email Sent To,Емаил Сент То
@@ -6148,16 +6217,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Дозволи Центру за трошкове приликом уноса рачуна биланса стања
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Споји се са постојећим налогом
 DocType: Budget,Warn,Упозорити
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Сви предмети су већ пренети за овај радни налог.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Сви предмети су већ пренети за овај радни налог.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Било који други примедбе, напоменути напор који треба да иде у евиденцији."
 DocType: Asset Maintenance,Manufacturing User,Производња Корисник
 DocType: Purchase Invoice,Raw Materials Supplied,Сировине комплету
 DocType: Subscription Plan,Payment Plan,План плаћања у ратама
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Омогућите куповину ставки путем веб странице
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Валута ценовника {0} мора бити {1} или {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Управљање претплатом
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Управљање претплатом
 DocType: Appraisal,Appraisal Template,Процена Шаблон
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,За Пин код
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,За Пин код
 DocType: Soil Texture,Ternary Plot,Тернари плот
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Проверите ово да бисте омогућили планирану дневну синхронизацију рутине преко распореда
 DocType: Item Group,Item Classification,Итем Класификација
@@ -6167,6 +6236,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Регистрација фактуре пацијента
 DocType: Crop,Period,период
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Главна књига
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,До фискалне године
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Погледај Леадс
 DocType: Program Enrollment Tool,New Program,Нови програм
 DocType: Item Attribute Value,Attribute Value,Вредност атрибута
@@ -6175,11 +6245,11 @@
 ,Itemwise Recommended Reorder Level,Препоручени ниво Итемвисе Реордер
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Запослени {0} разреда {1} немају никакву политику за одлазни одмор
 DocType: Salary Detail,Salary Detail,плата Детаљ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Изаберите {0} први
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Изаберите {0} први
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Додато је {0} корисника
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","У случају мулти-тиер програма, Корисници ће аутоматски бити додијељени за одређени ниво према њиховом потрошеном"
 DocType: Appointment Type,Physician,Лекар
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Батцх {0} од тачке {1} је истекао.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Батцх {0} од тачке {1} је истекао.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Консултације
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Готова роба
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Ставка Цена се појављује више пута на бази ценовника, добављача / купца, валуте, ставке, УОМ, кола и датума."
@@ -6188,22 +6258,21 @@
 DocType: Certification Application,Name of Applicant,Име кандидата
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Време лист за производњу.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,сума ставке
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Не могу променити својства варијанте након трансакције са акцијама. За то ћете морати направити нову ставку.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Не могу променити својства варијанте након трансакције са акцијама. За то ћете морати направити нову ставку.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,ГоЦардлесс СЕПА Мандат
 DocType: Healthcare Practitioner,Charges,Накнаде
 DocType: Production Plan,Get Items For Work Order,Добијте ставке за радни налог
 DocType: Salary Detail,Default Amount,Уобичајено Износ
 DocType: Lab Test Template,Descriptive,Дескриптивно
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Складиште није пронађен у систему
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Овај месец је Преглед
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Овај месец је Преглед
 DocType: Quality Inspection Reading,Quality Inspection Reading,Провера квалитета Рединг
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,"""Замрзни акције старије од"" треба да буде мање од %d дана."
 DocType: Tax Rule,Purchase Tax Template,Порез на промет Темплате
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Поставите циљ продаје који желите остварити за своју компанију.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Здравствене услуге
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Здравствене услуге
 ,Project wise Stock Tracking,Пројекат мудар Праћење залиха
 DocType: GST HSN Code,Regional,Регионални
-DocType: Delivery Note,Transport Mode,Транспортни режим
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Лабораторија
 DocType: UOM Category,UOM Category,УОМ Категорија
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Стварни Кол (на извору / циљне)
@@ -6226,17 +6295,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Неуспело је направити веб страницу
 DocType: Soil Analysis,Mg/K,Мг / К
 DocType: UOM Conversion Detail,UOM Conversion Detail,УОМ Конверзија Детаљ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Већ створени унос задржавања залиха или количина узорка нису обезбеђени
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Већ створени унос задржавања залиха или количина узорка нису обезбеђени
 DocType: Program,Program Abbreviation,програм држава
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Производња поредак не може бити подигнута против тачка Темплате
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Оптужбе се ажурирају у рачуном против сваке ставке
 DocType: Warranty Claim,Resolved By,Решен
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Распоређивање распореда
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Чекови и депозити погрешно ситуацију
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Рачун {0}: Не може да се доделити као родитељ налог
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Рачун {0}: Не може да се доделити као родитељ налог
 DocType: Purchase Invoice Item,Price List Rate,Ценовник Оцени
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Створити цитате купаца
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Сервисни датум заустављања не може бити након датума завршетка услуге
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Сервисни датум заустављања не може бити након датума завршетка услуге
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Схов &quot;У складишту&quot; или &quot;Није у складишту&quot; заснован на лагеру на располагању у овом складишту.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Саставнице (БОМ)
 DocType: Item,Average time taken by the supplier to deliver,Просечно време које је добављач за испоруку
@@ -6248,11 +6317,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Радно време
 DocType: Project,Expected Start Date,Очекивани датум почетка
 DocType: Purchase Invoice,04-Correction in Invoice,04-Исправка у фактури
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Радни налог већ је креиран за све предмете са БОМ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Радни налог већ је креиран за све предмете са БОМ
 DocType: Payment Request,Party Details,Парти Детаљи
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Извештај о варијантама
 DocType: Setup Progress Action,Setup Progress Action,Сетуп Прогресс Ацтион
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Куповни ценовник
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Куповни ценовник
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Уклоните ставку ако оптужбе се не примењује на ту ставку
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Отказати претплату
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Изаберите стање одржавања као завршено или уклоните датум завршетка
@@ -6270,7 +6339,7 @@
 DocType: Asset,Disposal Date,odlaganje Датум
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Емаилс ће бити послат свим активних радника компаније у датом сат времена, ако немају одмора. Сажетак одговора ће бити послат у поноћ."
 DocType: Employee Leave Approver,Employee Leave Approver,Запослени одсуство одобраватељ
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Ров {0}: Унос Прераспоређивање већ постоји у овој магацин {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Ров {0}: Унос Прераспоређивање већ постоји у овој магацин {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Не могу прогласити као изгубљен , јер Понуда је учињен ."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,ЦВИП налог
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,обука Контакт
@@ -6282,7 +6351,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,До данас не може бити раније од датума
 DocType: Supplier Quotation Item,Prevdoc DocType,Превдоц ДОЦТИПЕ
 DocType: Cash Flow Mapper,Section Footer,Секција Фоотер
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Додај / измени Прицес
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Додај / измени Прицес
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Промоција запослених не може се поднети пре датума промоције
 DocType: Batch,Parent Batch,родитељ Серија
 DocType: Batch,Parent Batch,родитељ Серија
@@ -6293,6 +6362,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Сампле Цоллецтион
 ,Requested Items To Be Ordered,Тражени ставке за Ж
 DocType: Price List,Price List Name,Ценовник Име
+DocType: Delivery Stop,Dispatch Information,Диспечерске информације
 DocType: Blanket Order,Manufacturing,Производња
 ,Ordered Items To Be Delivered,Ж Ставке да буде испоручена
 DocType: Account,Income,доход
@@ -6311,17 +6381,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} јединице {1} потребна {2} на {3} {4} за {5} довршите ову трансакцију.
 DocType: Fee Schedule,Student Category,студент Категорија
 DocType: Announcement,Student,студент
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедура започињања количине залиха није доступна у складишту. Да ли желите да снимите трансфер новца?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедура започињања количине залиха није доступна у складишту. Да ли желите да снимите трансфер новца?
 DocType: Shipping Rule,Shipping Rule Type,Тип правила испоруке
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Идите у Собе
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Компанија, рачун за плаћање, од датума и до датума је обавезан"
 DocType: Company,Budget Detail,Буџет Детаљ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ДУПЛИЦАТЕ за добављача
-DocType: Email Digest,Pending Quotations,у току Куотатионс
-DocType: Delivery Note,Distance (KM),Удаљеност (КМ)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Добављач&gt; Група добављача
 DocType: Asset,Custodian,Скрбник
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Поинт-оф-Сале Профиле
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Поинт-оф-Сале Профиле
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} треба да буде вредност између 0 и 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Исплата {0} од {1} до {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,необеспеченных кредитов
@@ -6353,10 +6422,10 @@
 DocType: Lead,Converted,Претворено
 DocType: Item,Has Serial No,Има Серијски број
 DocType: Employee,Date of Issue,Датум издавања
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Према куповина Сеттингс ако објекат Рециепт Обавезно == &#39;ДА&#39;, а затим за стварање фактури, корисник треба да креира Куповина потврду за прву ставку за {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Према куповина Сеттингс ако објекат Рециепт Обавезно == &#39;ДА&#39;, а затим за стварање фактури, корисник треба да креира Куповина потврду за прву ставку за {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Ред # {0}: Сет добављача за ставку {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Ред {0}: Сати вредност мора бити већа од нуле.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Сајт Слика {0} везани са тачком {1} не могу наћи
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Сајт Слика {0} везани са тачком {1} не могу наћи
 DocType: Issue,Content Type,Тип садржаја
 DocType: Asset,Assets,Средства
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,рачунар
@@ -6367,7 +6436,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} не постоји
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Молимо вас да проверите Мулти валута опцију да дозволи рачуне са другој валути
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Итем: {0} не постоји у систему
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Нисте овлашћени да подесите вредност Фрозен
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Нисте овлашћени да подесите вредност Фрозен
 DocType: Payment Reconciliation,Get Unreconciled Entries,Гет неусаглашених уносе
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Запослени {0} је на Ушћу на {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,За унос дневника нису изабрана никаква отплата
@@ -6385,13 +6454,14 @@
 ,Average Commission Rate,Просечан курс Комисија
 DocType: Share Balance,No of Shares,Број акција
 DocType: Taxable Salary Slab,To Amount,За износ
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Има серијски број"" не може бити ""Да"" за артикл који није на залихама"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Има серијски број"" не може бити ""Да"" за артикл који није на залихама"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Изаберите Статус
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Гледалаца не може бити означен за будуће датуме
 DocType: Support Search Source,Post Description Key,Пост Опис Кључ
 DocType: Pricing Rule,Pricing Rule Help,Правилник о ценама Помоћ
 DocType: School House,House Name,хоусе Име
 DocType: Fee Schedule,Total Amount per Student,Укупан износ по ученику
+DocType: Opportunity,Sales Stage,Продајна сцена
 DocType: Purchase Taxes and Charges,Account Head,Рачун шеф
 DocType: Company,HRA Component,ХРА компонента
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,электрический
@@ -6399,15 +6469,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Укупна вредност Разлика (Оут - Ин)
 DocType: Grant Application,Requested Amount,Тражени износ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Ред {0}: курс је обавезна
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID пользователя не установлен Требуются {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID пользователя не установлен Требуются {0}
 DocType: Vehicle,Vehicle Value,Вредност возила
 DocType: Crop Cycle,Detected Diseases,Откривене болести
 DocType: Stock Entry,Default Source Warehouse,Уобичајено Извор Магацин
 DocType: Item,Customer Code,Кориснички Код
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Подсетник за рођендан за {0}
 DocType: Asset Maintenance Task,Last Completion Date,Последњи датум завршетка
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дана Од Последња Наручи
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Дебитна на рачун мора да буде биланса стања
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Дебитна на рачун мора да буде биланса стања
 DocType: Asset,Naming Series,Именовање Сериес
 DocType: Vital Signs,Coated,Премазан
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ред {0}: Очекивана вредност након корисног животног века мора бити мања од износа бруто куповине
@@ -6425,15 +6494,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Доставка Примечание {0} не должны быть представлены
 DocType: Notification Control,Sales Invoice Message,Продаја Рачун Порука
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Затварање рачуна {0} мора бити типа одговорности / Екуити
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Плата Слип запосленог {0} већ креиран за време стања {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Плата Слип запосленог {0} већ креиран за време стања {1}
 DocType: Vehicle Log,Odometer,мерач за пређени пут
 DocType: Production Plan Item,Ordered Qty,Ж Кол
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Ставка {0} је онемогућен
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Ставка {0} је онемогућен
 DocType: Stock Settings,Stock Frozen Upto,Берза Фрозен Упто
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,БОМ не садржи никакву стоцк итем
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,БОМ не садржи никакву стоцк итем
 DocType: Chapter,Chapter Head,Глава главе
 DocType: Payment Term,Month(s) after the end of the invoice month,Месец (и) након краја мјесеца фактуре
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структура плата треба да има флексибилне компоненте помоћи за издавање накнаде
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структура плата треба да има флексибилне компоненте помоћи за издавање накнаде
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Пројекат активност / задатак.
 DocType: Vital Signs,Very Coated,Веома превучени
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Само утицај на порез (не могу тврдити, али део пореског прихода)"
@@ -6451,7 +6520,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,обрачун сат
 DocType: Project,Total Sales Amount (via Sales Order),Укупан износ продаје (преко продајног налога)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Уобичајено БОМ за {0} није пронађен
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Ред # {0}: Молим вас сет количину преусмеравање
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Ред # {0}: Молим вас сет количину преусмеравање
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Додирните ставке да их додати
 DocType: Fees,Program Enrollment,програм Упис
 DocType: Share Transfer,To Folio No,За Фолио Но
@@ -6494,9 +6563,9 @@
 DocType: SG Creation Tool Course,Max Strength,мак Снага
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Инсталирање подешавања
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,ЕДУ-ФСХ-ИИИИ.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Није одабрана белешка за испоруку за купца {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Није одабрана белешка за испоруку за купца {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Службеник {0} нема максимални износ накнаде
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Изаберите ставке на основу датума испоруке
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Изаберите ставке на основу датума испоруке
 DocType: Grant Application,Has any past Grant Record,Има било какав прошли Грант Рецорд
 ,Sales Analytics,Продаја Аналитика
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Доступно {0}
@@ -6505,12 +6574,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Производња Подешавања
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Подешавање Е-маил
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Гуардиан1 Мобилни број
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master"
 DocType: Stock Entry Detail,Stock Entry Detail,Берза Унос Детаљ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Дневни Подсетник
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Дневни Подсетник
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Погледајте све отворене карте
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Јединица за здравствену заштиту
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Производ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Производ
 DocType: Products Settings,Home Page is Products,Почетна страница је Производи
 ,Asset Depreciation Ledger,Средство Амортизација књига
 DocType: Salary Structure,Leave Encashment Amount Per Day,Оставите износ уноса на дан
@@ -6520,8 +6589,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Сировине комплету Цост
 DocType: Selling Settings,Settings for Selling Module,Подешавања за Селлинг Модуле
 DocType: Hotel Room Reservation,Hotel Room Reservation,Резервација хотела
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Кориснички сервис
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Кориснички сервис
 DocType: BOM,Thumbnail,Умањени
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Нема контаката са пронађеним ИД-има е-поште.
 DocType: Item Customer Detail,Item Customer Detail,Ставка Кориснички Детаљ
 DocType: Notification Control,Prompt for Email on Submission of,Упитај Емаил за подношење
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Максимални износ накнаде запосленог {0} прелази {1}
@@ -6531,13 +6601,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Пункт {0} должен быть запас товара
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Уобичајено Ворк Ин Прогресс Варехоусе
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Распореди за {0} се преклапају, да ли желите да наставите након прескакања преклапаних слотова?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций .
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций .
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Грант Леавес
 DocType: Restaurant,Default Tax Template,Подразумевани образац пореза
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Студенти су уписани
 DocType: Fees,Student Details,Студент Детаилс
 DocType: Purchase Invoice Item,Stock Qty,стоцк ком
 DocType: Contract,Requires Fulfilment,Захтева испуњење
+DocType: QuickBooks Migrator,Default Shipping Account,Уобичајени налог за испоруку
 DocType: Loan,Repayment Period in Months,Период отплате у месецима
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Грешка: Не важи? Ид?
 DocType: Naming Series,Update Series Number,Упдате Број
@@ -6551,11 +6622,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Максимални износ
 DocType: Journal Entry,Total Amount Currency,Укупан износ Валута
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Тражи Суб скупштине
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Код товара требуется на Row Нет {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Код товара требуется на Row Нет {0}
 DocType: GST Account,SGST Account,СГСТ налог
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Иди на ставке
 DocType: Sales Partner,Partner Type,Партнер Тип
-DocType: Purchase Taxes and Charges,Actual,Стваран
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Стваран
 DocType: Restaurant Menu,Restaurant Manager,Ресторан менаџер
 DocType: Authorization Rule,Customerwise Discount,Цустомервисе Попуст
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Тимесхеет за послове.
@@ -6576,7 +6647,7 @@
 DocType: Employee,Cheque,Чек
 DocType: Training Event,Employee Emails,Емаилс оф емплоиеес
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Серия Обновлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Тип отчета является обязательным
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Тип отчета является обязательным
 DocType: Item,Serial Number Series,Серијски број серија
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Склад является обязательным для складе Пункт {0} в строке {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Малопродаја и велепродаја
@@ -6607,7 +6678,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Ажурирајте фактурисани износ у продајном налогу
 DocType: BOM,Materials,Материјали
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако се не проверава, листа ће морати да се дода сваком одељењу где има да се примењује."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Дата публикации и постављање време је обавезна
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Дата публикации и постављање време је обавезна
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Налоговый шаблон для покупки сделок.
 ,Item Prices,Итем Цене
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,У речи ће бити видљив када сачувате поруџбеницу.
@@ -6623,12 +6694,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серија за унос евиденције имовине (дневник уноса)
 DocType: Membership,Member Since,Члан од
 DocType: Purchase Invoice,Advance Payments,Адванце Плаћања
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Молимо одаберите Здравствену службу
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Молимо одаберите Здравствену службу
 DocType: Purchase Taxes and Charges,On Net Total,Он Нет Укупно
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Вредност за атрибут {0} мора бити у распону од {1} {2} у корацима од {3} за тачком {4}
 DocType: Restaurant Reservation,Waitlisted,Ваитлистед
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорија изузећа
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Валута не може да се промени након што уносе користите неки други валуте
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Валута не може да се промени након што уносе користите неки други валуте
 DocType: Shipping Rule,Fixed,Фиксна
 DocType: Vehicle Service,Clutch Plate,цлутцх плате
 DocType: Company,Round Off Account,Заокружити рачун
@@ -6637,7 +6708,7 @@
 DocType: Subscription Plan,Based on price list,На основу ценовника
 DocType: Customer Group,Parent Customer Group,Родитељ групу потрошача
 DocType: Vehicle Service,Change,Промена
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Претплата
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Претплата
 DocType: Purchase Invoice,Contact Email,Контакт Емаил
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Пендинг Цреатион Фее
 DocType: Appraisal Goal,Score Earned,Оцена Еарнед
@@ -6664,23 +6735,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Примања / обавезе налог
 DocType: Delivery Note Item,Against Sales Order Item,Против продаје Ордер тачком
 DocType: Company,Company Logo,Лого компаније
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Наведите Вредност атрибута за атрибут {0}
-DocType: Item Default,Default Warehouse,Уобичајено Магацин
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Наведите Вредност атрибута за атрибут {0}
+DocType: QuickBooks Migrator,Default Warehouse,Уобичајено Магацин
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Буџет не може бити додељен против групе рачуна {0}
 DocType: Shopping Cart Settings,Show Price,Прикажи цену
 DocType: Healthcare Settings,Patient Registration,Регистрација пацијената
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Пожалуйста, введите МВЗ родительский"
 DocType: Delivery Note,Print Without Amount,Принт Без Износ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Амортизација Датум
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Амортизација Датум
 ,Work Orders in Progress,Радни налоги у току
 DocType: Issue,Support Team,Тим за подршку
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Истека (у данима)
 DocType: Appraisal,Total Score (Out of 5),Укупна оцена (Оут оф 5)
 DocType: Student Attendance Tool,Batch,Серија
 DocType: Support Search Source,Query Route String,Стринг Стринг Куери
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Стопа ажурирања по последњој куповини
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Стопа ажурирања по последњој куповини
 DocType: Donor,Donor Type,Тип донатора
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Аутоматско понављање документа је ажурирано
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Аутоматско понављање документа је ажурирано
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Баланс
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Изаберите компанију
 DocType: Job Card,Job Card,Јоб Цард
@@ -6694,7 +6765,7 @@
 DocType: Assessment Result,Total Score,Крајњи резултат
 DocType: Crop Cycle,ISO 8601 standard,ИСО 8601 стандард
 DocType: Journal Entry,Debit Note,Задужењу
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Можете унети само мак {0} поена у овом реду.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Можете унети само мак {0} поена у овом реду.
 DocType: Expense Claim,HR-EXP-.YYYY.-,ХР-ЕКСП-ИИИИ.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Молимо унесите АПИ Потрошачку тајну
 DocType: Stock Entry,As per Stock UOM,По берза ЗОЦГ
@@ -6708,10 +6779,11 @@
 DocType: Journal Entry,Total Debit,Укупно задуживање
 DocType: Travel Request Costing,Sponsored Amount,Спонзорирани износ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Уобичајено готове робе Складиште
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Изаберите Пацијент
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Изаберите Пацијент
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Продаја Особа
 DocType: Hotel Room Package,Amenities,Погодности
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Буџет и трошкова центар
+DocType: QuickBooks Migrator,Undeposited Funds Account,Рачун Ундепоситед Фундс
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Буџет и трошкова центар
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Вишеструки начин плаћања није дозвољен
 DocType: Sales Invoice,Loyalty Points Redemption,Повраћај лојалности
 ,Appointment Analytics,Именовање аналитике
@@ -6725,6 +6797,7 @@
 DocType: Batch,Manufacturing Date,Датум производње
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Креирање Фее-а није успело
 DocType: Opening Invoice Creation Tool,Create Missing Party,Креирај нестану партију
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Укупни буџет
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставите празно ако се студентима групе годишње
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставите празно ако се студентима групе годишње
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Уколико је означено, Укупно нема. радних дана ће се укључити празника, а то ће смањити вредност зараде по дану"
@@ -6741,20 +6814,19 @@
 DocType: Opportunity Item,Basic Rate,Основна стопа
 DocType: GL Entry,Credit Amount,Износ кредита
 DocType: Cheque Print Template,Signatory Position,potpisnik Позиција
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Постави као Лост
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Постави као Лост
 DocType: Timesheet,Total Billable Hours,Укупно наплативе сат
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Број дана које претплатник мора платити фактуре које генерише ова претплата
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Детаил Апплицатион Бенефит Емплоиее
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Плаћање Пријем Напомена
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ово је засновано на трансакције против овог клијента. Погледајте рок доле за детаље
-DocType: Delivery Note,ODC,ОДЦ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Ред {0}: Додељени износ {1} мора бити мање или једнако на износ уплате ступања {2}
 DocType: Program Enrollment Tool,New Academic Term,Нови академски термин
 ,Course wise Assessment Report,Наравно мудар Извештај о процени
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Искористио ИТЦ државу / УТ порез
 DocType: Tax Rule,Tax Rule,Пореска Правило
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Одржавајте исту стопу Широм продајног циклуса
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Молимо пријавите се као други корисник да се региструјете на Маркетплаце
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Молимо пријавите се као други корисник да се региструјете на Маркетплаце
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,План време дневнике ван Воркстатион радног времена.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Купци у редовима
 DocType: Driver,Issuing Date,Датум издавања
@@ -6763,11 +6835,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Пошаљите овај налог за даљу обраду.
 ,Items To Be Requested,Артикли бити затражено
 DocType: Company,Company Info,Подаци фирме
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Изабрати или додати новог купца
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Изабрати или додати новог купца
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Трошка је обавезан да резервишете трошковима захтев
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Применение средств ( активов )
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ово је засновано на похађања овог запосленог
-DocType: Assessment Result,Summary,Резиме
 DocType: Payment Request,Payment Request Type,Тип захтева за плаћање
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Марк Аттенданце
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Текући рачуни
@@ -6775,7 +6846,7 @@
 DocType: Additional Salary,Employee Name,Запослени Име
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Ресторан за унос ставке
 DocType: Purchase Invoice,Rounded Total (Company Currency),Заобљени Укупно (Друштво валута)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Не могу да цоверт групи јер је изабран Тип рачуна.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Не могу да цоверт групи јер је изабран Тип рачуна.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} был изменен. Обновите .
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп кориснике од доношења Леаве апликација на наредним данима.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ако је неограничен рок истицања за Лоиалти Бодове, задржите Трајање истека празног или 0."
@@ -6796,11 +6867,12 @@
 DocType: Asset,Out of Order,Неисправно
 DocType: Purchase Receipt Item,Accepted Quantity,Прихваћено Количина
 DocType: Projects Settings,Ignore Workstation Time Overlap,Пребаците преклапање радне станице
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Молимо подесите подразумевани Хамптон Лист за запосленог {0} или Фирма {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Молимо подесите подразумевани Хамптон Лист за запосленог {0} или Фирма {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} не постоји
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Изаберите Батцх Бројеви
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,За ГСТИН
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,За ГСТИН
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Рачуни подигао купцима.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Аутоматско постављање фактуре
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Ид пројецт
 DocType: Salary Component,Variable Based On Taxable Salary,Варијабла заснована на опорезивој плаћи
 DocType: Company,Basic Component,Основна компонента
@@ -6813,10 +6885,10 @@
 DocType: Stock Entry,Source Warehouse Address,Адреса складишта извора
 DocType: GL Entry,Voucher Type,Тип ваучера
 DocType: Amazon MWS Settings,Max Retry Limit,Макс ретри лимит
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Ценовник није пронађен или онемогућен
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ценовник није пронађен или онемогућен
 DocType: Student Applicant,Approved,Одобрено
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,цена
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как "" левые"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как "" левые"""
 DocType: Marketplace Settings,Last Sync On,Ласт Синц Он
 DocType: Guardian,Guardian,старатељ
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Све комуникације, укључујући и изнад њих, биће премјештене у ново издање"
@@ -6839,14 +6911,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Списак откривених болести на терену. Када је изабран, аутоматски ће додати листу задатака који ће се бавити болести"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Ово је коренска служба здравствене заштите и не може се уређивати.
 DocType: Asset Repair,Repair Status,Статус поправке
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Додајте продајне партнере
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Рачуноводствене ставке дневника.
 DocType: Travel Request,Travel Request,Захтев за путовање
 DocType: Delivery Note Item,Available Qty at From Warehouse,Доступно на ком Од Варехоусе
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Молимо изаберите Емплоиее Рецорд први.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Присуство није послато за {0} јер је то празник.
 DocType: POS Profile,Account for Change Amount,Рачун за промене Износ
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Повезивање на КуицкБоокс
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Тотал Гаин / Губитак
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Неважећа компанија за рачун компаније.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Неважећа компанија за рачун компаније.
 DocType: Purchase Invoice,input service,улазна услуга
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ред {0}: Партија / налог не подудара са {1} / {2} {3} у {4}
 DocType: Employee Promotion,Employee Promotion,Промоција запослених
@@ -6855,12 +6929,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Шифра курса:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Унесите налог Екпенсе
 DocType: Account,Stock,Залиха
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од нарудзбенице, фактури или Јоурнал Ентри"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од нарудзбенице, фактури или Јоурнал Ентри"
 DocType: Employee,Current Address,Тренутна адреса
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако ставка је варијанта неким другим онда опис, слике, цене, порези итд ће бити постављен из шаблона, осим ако изричито наведено"
 DocType: Serial No,Purchase / Manufacture Details,Куповина / Производња Детаљи
 DocType: Assessment Group,Assessment Group,Студијске групе
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Серија Инвентар
+DocType: Supplier,GST Transporter ID,ИД транспортера ГСТ
 DocType: Procedure Prescription,Procedure Name,Име поступка
 DocType: Employee,Contract End Date,Уговор Датум завршетка
 DocType: Amazon MWS Settings,Seller ID,ИД продавца
@@ -6880,12 +6955,12 @@
 DocType: Company,Date of Incorporation,Датум оснивања
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Укупно Пореска
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Последња цена куповине
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,За Количина (Мануфацтуред Кти) је обавезан
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,За Количина (Мануфацтуред Кти) је обавезан
 DocType: Stock Entry,Default Target Warehouse,Уобичајено Циљна Магацин
 DocType: Purchase Invoice,Net Total (Company Currency),Нето Укупно (Друштво валута)
 DocType: Delivery Note,Air,Аир
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Тхе Иеар Датум завршетка не може бити раније него претходне године датума почетка. Молимо исправите датуме и покушајте поново.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} није на листи опционих путовања
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} није на листи опционих путовања
 DocType: Notification Control,Purchase Receipt Message,Куповина примање порука
 DocType: Amazon MWS Settings,JP,ЈП
 DocType: BOM,Scrap Items,отпадни Предмети
@@ -6908,23 +6983,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Испуњавање
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На претходни ред Износ
 DocType: Item,Has Expiry Date,Има датум истека
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,трансфер имовине
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,трансфер имовине
 DocType: POS Profile,POS Profile,ПОС Профил
 DocType: Training Event,Event Name,Име догађаја
 DocType: Healthcare Practitioner,Phone (Office),Телефон (Оффице)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Не могу да пошаљем, Запослени су оставили да означе присуство"
 DocType: Inpatient Record,Admission,улаз
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Пријемни за {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџети, мете итд"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџети, мете итд"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Име променљиве
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Ставка {0} је шаблон, изаберите једну од својих варијанти"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Молимо да подесите систем именовања запослених у људским ресурсима&gt; ХР Сеттингс
+DocType: Purchase Invoice Item,Deferred Expense,Одложени трошкови
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Од датума {0} не може бити пре придруживања запосленог Датум {1}
 DocType: Asset,Asset Category,средство Категорија
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Чистая зарплата не может быть отрицательным
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Чистая зарплата не может быть отрицательным
 DocType: Purchase Order,Advance Paid,Адванце Паид
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Проценат прекомерне производње за поруџбину продаје
 DocType: Item,Item Tax,Ставка Пореска
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Материјал за добављача
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Материјал за добављача
 DocType: Soil Texture,Loamy Sand,Лоами Санд
 DocType: Production Plan,Material Request Planning,Планирање захтјева за материјал
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Акцизе фактура
@@ -6946,11 +7023,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Заказивање Алат
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,кредитна картица
 DocType: BOM,Item to be manufactured or repacked,Ставка да буду произведени или препакује
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Синтаксна грешка у стању: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Синтаксна грешка у стању: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,ЕДУ-ФСТ-.ИИИИ.-
 DocType: Employee Education,Major/Optional Subjects,Мајор / Опциони предмети
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Молимо поставите групу добављача у Подешавања куповине.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Молимо поставите групу добављача у Подешавања куповине.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Укупна количина флексибилне компоненте користи {0} не би требало да буде мање од максималних користи {1}
 DocType: Sales Invoice Item,Drop Ship,Дроп Схип
 DocType: Driver,Suspended,Суспендирано
@@ -6970,7 +7047,7 @@
 DocType: Customer,Commission Rate,Комисија Оцени
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Успешно су креирани уноси за уплате
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Направљене {0} карте карте за {1} између:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Маке Вариант
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Маке Вариант
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Тип уплата мора бити један од Примите, Паи и интерни трансфер"
 DocType: Travel Itinerary,Preferred Area for Lodging,Преферирана област за смештај
 apps/erpnext/erpnext/config/selling.py +184,Analytics,аналитика
@@ -6981,7 +7058,7 @@
 DocType: Work Order,Actual Operating Cost,Стварни Оперативни трошкови
 DocType: Payment Entry,Cheque/Reference No,Чек / Референца број
 DocType: Soil Texture,Clay Loam,Цлаи Лоам
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Корневая не могут быть изменены .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Корневая не могут быть изменены .
 DocType: Item,Units of Measure,Мерних јединица
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Изнајмљује се у граду Метро
 DocType: Supplier,Default Tax Withholding Config,Подразумевана пореска обавеза задржавања пореза
@@ -6999,21 +7076,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Након завршетка уплате преусмерава корисника на одабране стране.
 DocType: Company,Existing Company,postojeća Фирма
 DocType: Healthcare Settings,Result Emailed,Резултат послат
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Порез Категорија је промењено у &quot;Тотал&quot;, јер су сви предмети су не залихама"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Порез Категорија је промењено у &quot;Тотал&quot;, јер су сви предмети су не залихама"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,До данас не може бити једнака или мање од датума
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Ништа се не мења
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Изаберите ЦСВ датотеку
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Изаберите ЦСВ датотеку
 DocType: Holiday List,Total Holidays,Тотал Холидаис
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Недостајући предложак е-поште за отпрему. Молимо вас да подесите једну у поставкама испоруке.
 DocType: Student Leave Application,Mark as Present,Марк на поклон
 DocType: Supplier Scorecard,Indicator Color,Боја индикатора
 DocType: Purchase Order,To Receive and Bill,За примање и Бил
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Ред # {0}: Рекд по датуму не може бити пре датума трансакције
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Ред # {0}: Рекд по датуму не може бити пре датума трансакције
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Најновији производи
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Изаберите серијски број
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Изаберите серијски број
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,дизајнер
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Услови коришћења шаблона
 DocType: Serial No,Delivery Details,Достава Детаљи
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1}
 DocType: Program,Program Code,programski код
 DocType: Terms and Conditions,Terms and Conditions Help,Правила и услови помоћ
 ,Item-wise Purchase Register,Тачка-мудар Куповина Регистрација
@@ -7026,15 +7104,16 @@
 DocType: Contract,Contract Terms,Услови уговора
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Не показују као симбол $ итд поред валутама.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Максимална корист од компоненте {0} прелази {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Пола дана)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Пола дана)
 DocType: Payment Term,Credit Days,Кредитни Дана
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Молимо изаберите Пацијент да бисте добили лабораторијске тестове
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Маке Студент Батцх
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Дозволите пренос за производњу
 DocType: Leave Type,Is Carry Forward,Је напред Царри
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Се ставке из БОМ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Се ставке из БОМ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Олово Дани Тиме
 DocType: Cash Flow Mapping,Is Income Tax Expense,Да ли је порез на доходак
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Ваша наруџба је испоручена!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Постављање Дате мора бити исти као и датуму куповине {1} из средстава {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Проверите ово ако је ученик борави у Института Хостел.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Молимо унесите продајних налога у горњој табели
@@ -7042,10 +7121,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Пребаци средство из једног складишта у друго
 DocType: Vehicle,Petrol,бензин
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Преостале користи (годишње)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Саставница
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Саставница
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ред {0}: Партија Тип и Странка је потребно за примања / обавезе рачуна {1}
 DocType: Employee,Leave Policy,Леаве Полици
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Ажурирај ставке
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Ажурирај ставке
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Реф Датум
 DocType: Employee,Reason for Leaving,Разлог за напуштање
 DocType: BOM Operation,Operating Cost(Company Currency),Оперативни трошкови (Фирма валута)
@@ -7056,7 +7135,7 @@
 DocType: Department,Expense Approvers,Издаци за трошкове
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Ров {0}: Дебит Унос се не може повезати са {1}
 DocType: Journal Entry,Subscription Section,Субсцриптион Сецтион
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Счет {0} не существует
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Счет {0} не существует
 DocType: Training Event,Training Program,Програм обуке
 DocType: Account,Cash,Готовина
 DocType: Employee,Short biography for website and other publications.,Кратка биографија за сајт и других публикација.
diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv
index f5dd038..2d42c6e 100644
--- a/erpnext/translations/sv.csv
+++ b/erpnext/translations/sv.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Kundartiklar
 DocType: Project,Costing and Billing,Kostnadsberäkning och fakturering
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Förskottsvaluta ska vara samma som företagsvaluta {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Kontot {0}: Förälder kontot {1} kan inte vara en liggare
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Kontot {0}: Förälder kontot {1} kan inte vara en liggare
 DocType: Item,Publish Item to hub.erpnext.com,Publish Post som hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Kan inte hitta aktiv lämningsperiod
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Kan inte hitta aktiv lämningsperiod
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Utvärdering
 DocType: Item,Default Unit of Measure,Standard mätenhet
 DocType: SMS Center,All Sales Partner Contact,Alla försäljningspartners kontakter
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Klicka på Enter för att lägga till
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Saknar värde för lösenord, API-nyckel eller Shopify-URL"
 DocType: Employee,Rented,Hyrda
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Alla konton
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Alla konton
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Kan inte överföra Medarbetare med status Vänster
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppad produktionsorder kan inte återkallas, unstop det första att avbryta"
 DocType: Vehicle Service,Mileage,Miltal
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Vill du verkligen att skrota denna tillgång?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Vill du verkligen att skrota denna tillgång?
 DocType: Drug Prescription,Update Schedule,Uppdateringsschema
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Välj Standard Leverantör
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Visa anställd
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Ny växelkurs
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta krävs för prislista {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Valuta krävs för prislista {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Kommer att beräknas i transaktionen.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Kundkontakt
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Detta grundar sig på transaktioner mot denna leverantör. Se tidslinje nedan för mer information
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Överproduktionsprocent för arbetsorder
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Rättslig
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Rättslig
+DocType: Delivery Note,Transport Receipt Date,Transportmottagningsdatum
 DocType: Shopify Settings,Sales Order Series,Försäljningsorderserie
 DocType: Vital Signs,Tongue,Tunga
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA Undantag
 DocType: Sales Invoice,Customer Name,Kundnamn
 DocType: Vehicle,Natural Gas,Naturgas
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bankkontot kan inte namnges som {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bankkontot kan inte namnges som {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA enligt lönestruktur
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Huvudtyper (eller grupper) mot vilka bokföringsposter görs och balanser upprätthålls.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Utstående för {0} kan inte vara mindre än noll ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Servicestoppdatum kan inte vara före startdatum för service
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Servicestoppdatum kan inte vara före startdatum för service
 DocType: Manufacturing Settings,Default 10 mins,Standard 10 minuter
 DocType: Leave Type,Leave Type Name,Ledighetstyp namn
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Visa öppna
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Visa öppna
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Serie uppdaterats
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Checka ut
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} i rad {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} i rad {1}
 DocType: Asset Finance Book,Depreciation Start Date,Avskrivning Startdatum
 DocType: Pricing Rule,Apply On,Applicera på
 DocType: Item Price,Multiple Item prices.,Flera produktpriser.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,support Inställningar
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Förväntad Slutdatum kan inte vara mindre än förväntat startdatum
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-inställningar
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rad # {0}: Pris måste vara samma som {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rad # {0}: Pris måste vara samma som {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch Punkt Utgångs Status
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bankväxel
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Primär kontaktuppgifter
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,öppna frågor
 DocType: Production Plan Item,Production Plan Item,Produktionsplan för artikel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Användare {0} är redan tilldelad anställd {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Användare {0} är redan tilldelad anställd {1}
 DocType: Lab Test Groups,Add new line,Lägg till en ny rad
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Sjukvård
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Försenad betalning (dagar)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Fördröjningsdagar
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjänsten Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} är redan refererad i försäljningsfaktura: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} är redan refererad i försäljningsfaktura: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura
 DocType: Purchase Invoice Item,Item Weight Details,Produkt Vikt detaljer
 DocType: Asset Maintenance Log,Periodicity,Periodicitet
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Räkenskapsårets {0} krävs
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Leverantör&gt; Leverantörsgrupp
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minsta avstånd mellan rader av växter för optimal tillväxt
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Försvar
 DocType: Salary Component,Abbr,Förkortning
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Holiday Lista
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Revisor
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Försäljningsprislista
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Försäljningsprislista
 DocType: Patient,Tobacco Current Use,Tobaks nuvarande användning
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Försäljningsfrekvens
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Försäljningsfrekvens
 DocType: Cost Center,Stock User,Lager Användar
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Kontakt information
 DocType: Company,Phone No,Telefonnr
 DocType: Delivery Trip,Initial Email Notification Sent,Initial Email Notification Sent
 DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Prenumerations startdatum
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Standardfordringar som ska användas om den inte är inställd på patienten för att boka avtalsavgifter.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Bifoga CSV-fil med två kolumner, en för det gamla namnet och en för det nya namnet"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Från Adress 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Artikelnummer&gt; Varugrupp&gt; Varumärke
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Från Adress 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} inte i någon aktiv räkenskapsår.
 DocType: Packed Item,Parent Detail docname,Överordnat Detalj doknamn
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referens: {0}, Artikelnummer: {1} och Kund: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} finns inte i moderbolaget
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} finns inte i moderbolaget
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Pröva period Slutdatum kan inte vara före startdatum för prövningsperiod
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Skatteavdragskategori
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklam
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Samma Företaget anges mer än en gång
 DocType: Patient,Married,Gift
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ej tillåtet för {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ej tillåtet för {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Få objekt från
 DocType: Price List,Price Not UOM Dependant,Pris inte UOM beroende
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Applicera Skatteavdrag Belopp
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stock kan inte uppdateras mot följesedel {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Summa belopp Credited
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stock kan inte uppdateras mot följesedel {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Summa belopp Credited
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkten {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Inga föremål listade
 DocType: Asset Repair,Error Description,Felbeskrivning
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Använd anpassat kassaflödesformat
 DocType: SMS Center,All Sales Person,Alla försäljningspersonal
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Månatlig Distribution ** hjälper du distribuerar budgeten / Mål över månader om du har säsongs i din verksamhet.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Inte artiklar hittade
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Lönestruktur saknas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Inte artiklar hittade
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Lönestruktur saknas
 DocType: Lead,Person Name,Namn
 DocType: Sales Invoice Item,Sales Invoice Item,Fakturan Punkt
 DocType: Account,Credit,Kredit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,lagerrapporter
 DocType: Warehouse,Warehouse Detail,Lagerdetalj
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termen Slutdatum kan inte vara senare än slutet av året Datum för läsåret som termen är kopplad (läsåret {}). Rätta datum och försök igen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Är Fast Asset&quot; kan inte vara okontrollerat, som Asset rekord existerar mot objektet"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Är Fast Asset&quot; kan inte vara okontrollerat, som Asset rekord existerar mot objektet"
 DocType: Delivery Trip,Departure Time,Avgångstid
 DocType: Vehicle Service,Brake Oil,bromsolja
 DocType: Tax Rule,Tax Type,Skatte Typ
 ,Completed Work Orders,Avslutade arbetsorder
 DocType: Support Settings,Forum Posts,Foruminlägg
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Skattepliktiga belopp
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Skattepliktiga belopp
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Du har inte behörighet att lägga till eller uppdatera poster före {0}
 DocType: Leave Policy,Leave Policy Details,Lämna policy detaljer
 DocType: BOM,Item Image (if not slideshow),Produktbild (om inte bildspel)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timmar / 60) * Faktisk produktionstid
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referensdokumenttyp måste vara ett av kostnadskrav eller journalinmatning
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Välj BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referensdokumenttyp måste vara ett av kostnadskrav eller journalinmatning
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Välj BOM
 DocType: SMS Log,SMS Log,SMS-logg
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnad levererat gods
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Semester på {0} är inte mellan Från datum och Till datum
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Mallar av leverantörsställningar.
 DocType: Lead,Interested,Intresserad
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Öppning
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Från {0} till {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Från {0} till {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Program:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Misslyckades med att konfigurera skatter
 DocType: Item,Copy From Item Group,Kopiera från artikelgrupp
-DocType: Delivery Trip,Delivery Notification,Leveransnotifiering
 DocType: Journal Entry,Opening Entry,Öppnings post
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Endast konto Pay
 DocType: Loan,Repay Over Number of Periods,Repay Över Antal perioder
 DocType: Stock Entry,Additional Costs,Merkostnader
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Konto med befintlig transaktioner kan inte omvandlas till grupp.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Konto med befintlig transaktioner kan inte omvandlas till grupp.
 DocType: Lead,Product Enquiry,Produkt Förfrågan
 DocType: Education Settings,Validate Batch for Students in Student Group,Validera sats för studenter i studentgruppen
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Ingen ledighet rekord hittades för arbetstagare {0} för {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ange företaget först
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Välj Företaget först
 DocType: Employee Education,Under Graduate,Enligt Graduate
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Vänligen ange standardmall för meddelandet om status för vänsterstatus i HR-inställningar.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Vänligen ange standardmall för meddelandet om status för vänsterstatus i HR-inställningar.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Mål på
 DocType: BOM,Total Cost,Total Kostnad
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoutdrag
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Läkemedel
 DocType: Purchase Invoice Item,Is Fixed Asset,Är anläggningstillgång
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Tillgång Antal är {0}, behöver du {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Tillgång Antal är {0}, behöver du {1}"
 DocType: Expense Claim Detail,Claim Amount,Fordringsbelopp
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Arbetsorder har varit {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Kvalitetskontrollmall
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Vill du uppdatera närvaro? <br> Föreliggande: {0} \ <br> Frånvarande: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Godkända + Avvisad Antal måste vara lika med mottagna kvantiteten för punkt {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Godkända + Avvisad Antal måste vara lika med mottagna kvantiteten för punkt {0}
 DocType: Item,Supply Raw Materials for Purchase,Leverera råvaror för köp
 DocType: Agriculture Analysis Criteria,Fertilizer,Fertilizer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Kan inte garantera leverans med serienummer som \ Item {0} läggs till med och utan Se till att leverans med \ Serienummer
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Minst ett läge av betalning krävs för POS faktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Minst ett läge av betalning krävs för POS faktura.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankräkning Transaktionsfaktura
 DocType: Products Settings,Show Products as a List,Visa produkter som en lista
 DocType: Salary Detail,Tax on flexible benefit,Skatt på flexibel fördel
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Antal
 DocType: Production Plan,Material Request Detail,Materialförfrågan Detalj
 DocType: Selling Settings,Default Quotation Validity Days,Standard Offertid Giltighetsdagar
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om du vill inkludera skatt i rad {0} i punkt hastighet, skatter i rader {1} måste också inkluderas"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om du vill inkludera skatt i rad {0} i punkt hastighet, skatter i rader {1} måste också inkluderas"
 DocType: SMS Center,SMS Center,SMS Center
 DocType: Payroll Entry,Validate Attendance,Validera närvaro
 DocType: Sales Invoice,Change Amount,Ändra Mängd
 DocType: Party Tax Withholding Config,Certificate Received,Certifikat mottaget
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Ange fakturavärde för B2C. B2CL och B2CS beräknad baserat på detta fakturavärde.
 DocType: BOM Update Tool,New BOM,Ny BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Föreskrivna förfaranden
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Föreskrivna förfaranden
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Visa bara POS
 DocType: Supplier Group,Supplier Group Name,Leverantörsgruppsnamn
 DocType: Driver,Driving License Categories,Körkortskategorier
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Löneperiod
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,göra Employee
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Sändning
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Inställningsläge för POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Inställningsläge för POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Inaktiverar skapandet av tidsloggen mot arbetsorder. Verksamheten får inte spåras mot arbetsorder
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Exekvering
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detaljer om de åtgärder som genomförs.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Rabatt på Prislista Andel (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Artikelmall
 DocType: Job Offer,Select Terms and Conditions,Välj Villkor
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,ut Värde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,ut Värde
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Inställningsinställningar för bankräkning
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-inställningar
 DocType: Production Plan,Sales Orders,Kundorder
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Offertbegäran kan nås genom att klicka på följande länk
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalningsbeskrivning
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,otillräcklig Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,otillräcklig Stock
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Inaktivera kapacitetsplanering och tidsuppföljning
 DocType: Email Digest,New Sales Orders,Ny kundorder
 DocType: Bank Account,Bank Account,Bankkonto
 DocType: Travel Itinerary,Check-out Date,Utcheckningsdatum
 DocType: Leave Type,Allow Negative Balance,Tillåt negativt saldo
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Du kan inte ta bort Project Type &#39;External&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Välj alternativt alternativ
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Välj alternativt alternativ
 DocType: Employee,Create User,Skapa användare
 DocType: Selling Settings,Default Territory,Standard Område
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Tv
 DocType: Work Order Operation,Updated via 'Time Log',Uppdaterad via &quot;Time Log&quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Välj kund eller leverantör.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Advance beloppet kan inte vara större än {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Advance beloppet kan inte vara större än {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidsluckan hoppa över, slitsen {0} till {1} överlappar existerande slits {2} till {3}"
 DocType: Naming Series,Series List for this Transaction,Serie Lista för denna transaktion
 DocType: Company,Enable Perpetual Inventory,Aktivera evigt lager
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Mot fakturaprodukt
 DocType: Agriculture Analysis Criteria,Linked Doctype,Länkad doktyp
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Nettokassaflöde från finansiering
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Localstorage är full, inte spara"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Localstorage är full, inte spara"
 DocType: Lead,Address & Contact,Adress och kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Lägg oanvända blad från tidigare tilldelningar
 DocType: Sales Partner,Partner website,partner webbplats
@@ -447,10 +447,10 @@
 ,Open Work Orders,Öppna arbetsorder
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Patient Consulting Charge Item
 DocType: Payment Term,Credit Months,Kreditmånader
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Nettolön kan inte vara mindre än 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Nettolön kan inte vara mindre än 0
 DocType: Contract,Fulfilled,uppfyllt
 DocType: Inpatient Record,Discharge Scheduled,Utsläpp Schemalagd
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Avgångs Datum måste vara större än Datum för anställningsdatum
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Avgångs Datum måste vara större än Datum för anställningsdatum
 DocType: POS Closing Voucher,Cashier,Kassör
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Avgångar per år
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rad {0}: Kontrollera ""Är i förskott"" mot konto {1} om det är ett förskotts post."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Vänligen uppsättning studenter under studentgrupper
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Komplett jobb
 DocType: Item Website Specification,Item Website Specification,Produkt hemsidespecifikation
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Lämna Blockerad
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Punkt {0} har nått slutet av sin livslängd på {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Lämna Blockerad
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Punkt {0} har nått slutet av sin livslängd på {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,bankAnteckningar
 DocType: Customer,Is Internal Customer,Är internkund
 DocType: Crop,Annual,Årlig
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Om Auto Opt In är markerad, kommer kunderna automatiskt att kopplas till det berörda Lojalitetsprogrammet (vid spara)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lager Avstämning Punkt
 DocType: Stock Entry,Sales Invoice No,Försäljning Faktura nr
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tillförsel Typ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tillförsel Typ
 DocType: Material Request Item,Min Order Qty,Min Order kvantitet
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
 DocType: Lead,Do Not Contact,Kontakta ej
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Publicera i Hub
 DocType: Student Admission,Student Admission,Student Antagning
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Punkt {0} avbryts
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Punkt {0} avbryts
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Avskrivningsraden {0}: Avskrivning Startdatum anges som förflutet datum
 DocType: Contract Template,Fulfilment Terms and Conditions,Uppfyllande Villkor
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materialförfrågan
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materialförfrågan
 DocType: Bank Reconciliation,Update Clearance Date,Uppdatera Clearance Datum
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Inköpsdetaljer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Produkt  {0} hittades inte i ""råvaror som levereras""  i beställning {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Produkt  {0} hittades inte i ""råvaror som levereras""  i beställning {1}"
 DocType: Salary Slip,Total Principal Amount,Summa huvudbelopp
 DocType: Student Guardian,Relation,Förhållande
 DocType: Student Guardian,Mother,Mor
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Frakt County
 DocType: Currency Exchange,For Selling,För försäljning
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Lär dig
+DocType: Purchase Invoice Item,Enable Deferred Expense,Aktivera uppskjuten kostnad
 DocType: Asset,Next Depreciation Date,Nästa Av- Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitet Kostnad per anställd
 DocType: Accounts Settings,Settings for Accounts,Inställningar för konton
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Leverantör faktura nr existerar i inköpsfaktura {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Leverantör faktura nr existerar i inköpsfaktura {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Hantera Säljare.
 DocType: Job Applicant,Cover Letter,Personligt brev
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Utestående checkar och insättningar för att rensa
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Extern Arbetserfarenhet
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Cirkelreferens fel
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Studentrapportkort
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Från Pin-kod
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Från Pin-kod
 DocType: Appointment Type,Is Inpatient,Är inpatient
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Namn
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,I ord (Export) kommer att vara synlig när du sparar följesedel.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Flera valutor
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura Typ
 DocType: Employee Benefit Claim,Expense Proof,Expense Proof
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Följesedel
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Sparar {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Följesedel
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ställa in skatter
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Kostnader för sålda Asset
 DocType: Volunteer,Morning,Morgon
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Betalningsposten har ändrats efter att du hämtade den. Vänligen hämta igen.
 DocType: Program Enrollment Tool,New Student Batch,Ny studentbatch
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} inlagd två gånger under punkten Skatt
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Sammanfattning för denna vecka och pågående aktiviteter
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} inlagd två gånger under punkten Skatt
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Sammanfattning för denna vecka och pågående aktiviteter
 DocType: Student Applicant,Admitted,medgav
 DocType: Workstation,Rent Cost,Hyr Kostnad
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Belopp efter avskrivningar
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Belopp efter avskrivningar
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Kommande kalenderhändelser
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant attribut
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Välj månad och år
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Det kan bara finnas ett konto per Company i {0} {1}
 DocType: Support Search Source,Response Result Key Path,Svar sökväg
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},För kvantitet {0} borde inte vara rivare än arbetsorderkvantitet {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Se bifogad fil
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},För kvantitet {0} borde inte vara rivare än arbetsorderkvantitet {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Se bifogad fil
 DocType: Purchase Order,% Received,% Emot
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Skapa studentgrupper
 DocType: Volunteer,Weekends,helger
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Totalt Utestående
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ändra start / aktuella sekvensnumret av en befintlig serie.
 DocType: Dosage Strength,Strength,Styrka
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Skapa en ny kund
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Skapa en ny kund
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Förfaller på
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Om flera prissättningsregler fortsätta att gälla, kan användarna uppmanas att ställa Prioritet manuellt för att lösa konflikten."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Skapa inköpsorder
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Förbrukningsartiklar Kostnad
 DocType: Purchase Receipt,Vehicle Date,Fordons Datum
 DocType: Student Log,Medical,Medicinsk
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Anledning till att förlora
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Var god välj Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Anledning till att förlora
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Var god välj Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Bly Ägaren kan inte vara densamma som den ledande
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Tilldelade mängden kan inte större än ojusterad belopp
 DocType: Announcement,Receiver,Mottagare
 DocType: Location,Area UOM,Område UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Arbetsstation är stängd på följande datum enligt kalender: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Möjligheter
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Möjligheter
 DocType: Lab Test Template,Single,Singel
 DocType: Compensatory Leave Request,Work From Date,Arbeta från datum
 DocType: Salary Slip,Total Loan Repayment,Totala låne Återbetalning
+DocType: Project User,View attachments,Visa bilagor
 DocType: Account,Cost of Goods Sold,Kostnad för sålda varor
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Ange kostnadsställe
 DocType: Drug Prescription,Dosage,Dosering
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Kvantitet och betyg
 DocType: Delivery Note,% Installed,% Installerad
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Klassrum / Laboratorier etc där föreläsningar kan schemaläggas.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Bolagets valutor för båda företagen ska matcha för Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Bolagets valutor för båda företagen ska matcha för Inter Company Transactions.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Ange företagetsnamn först
 DocType: Travel Itinerary,Non-Vegetarian,Ickevegetarisk
 DocType: Purchase Invoice,Supplier Name,Leverantörsnamn
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Temporärt på håll
 DocType: Account,Is Group,Är grupperad
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kreditnot {0} har skapats automatiskt
-DocType: Email Digest,Pending Purchase Orders,I avvaktan på beställningar
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Automatiskt Serial Nos baserat på FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontrollera Leverantörens unika Fakturanummer
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Primär adressuppgifter
@@ -719,12 +721,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Anpassa inledande text som går som en del av e-postmeddelandet. Varje transaktion har en separat introduktionstext.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Rad {0}: Drift krävs mot råvaruposten {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Vänligen ange det betalda kontot för företaget {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Transaktion tillåts inte mot stoppad Arbetsorder {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Transaktion tillåts inte mot stoppad Arbetsorder {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globala inställningar för alla tillverkningsprocesser.
 DocType: Accounts Settings,Accounts Frozen Upto,Konton frysta upp till
 DocType: SMS Log,Sent On,Skickas på
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valda flera gånger i attribut Tabell
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valda flera gånger i attribut Tabell
 DocType: HR Settings,Employee record is created using selected field. ,Personal register skapas med hjälp av valda fältet.
 DocType: Sales Order,Not Applicable,Inte Tillämpbar
 DocType: Amazon MWS Settings,UK,Storbritannien
@@ -753,21 +755,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Anställd {0} har redan ansökt om {1} på {2}:
 DocType: Inpatient Record,AB Positive,AB Positiv
 DocType: Job Opening,Description of a Job Opening,Beskrivning av ett jobb
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,I avvaktan på aktiviteter för dag
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,I avvaktan på aktiviteter för dag
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Lönedel för tidrapport baserad lönelistan.
+DocType: Driver,Applicable for external driver,Gäller för extern drivrutin
 DocType: Sales Order Item,Used for Production Plan,Används för produktionsplan
 DocType: Loan,Total Payment,Total betalning
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Kan inte avbryta transaktionen för slutförd arbetsorder.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Kan inte avbryta transaktionen för slutförd arbetsorder.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minuter)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO redan skapad för alla beställningsobjekt
 DocType: Healthcare Service Unit,Occupied,Ockuperade
 DocType: Clinical Procedure,Consumables,Förbruknings
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} avbryts så åtgärden kan inte slutföras
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} avbryts så åtgärden kan inte slutföras
 DocType: Customer,Buyer of Goods and Services.,Köpare av varor och tjänster.
 DocType: Journal Entry,Accounts Payable,Leverantörsreskontra
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Mängden {0} som anges i denna betalningsförfrågan skiljer sig från det beräknade beloppet för alla betalningsplaner: {1}. Se till att detta är korrekt innan du skickar in dokumentet.
 DocType: Patient,Allergies,allergier
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,De valda stycklistor är inte samma objekt
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,De valda stycklistor är inte samma objekt
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Byt produktkod
 DocType: Supplier Scorecard Standing,Notify Other,Meddela Annan
 DocType: Vital Signs,Blood Pressure (systolic),Blodtryck (systolisk)
@@ -779,7 +782,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Tillräckligt med delar för att bygga
 DocType: POS Profile User,POS Profile User,POS Profil Användare
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Rad {0}: Avskrivnings Startdatum krävs
-DocType: Sales Invoice Item,Service Start Date,Service Startdatum
+DocType: Purchase Invoice Item,Service Start Date,Service Startdatum
 DocType: Subscription Invoice,Subscription Invoice,Prenumerationsfaktura
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Direkt inkomst
 DocType: Patient Appointment,Date TIme,Datum Tid
@@ -799,7 +802,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Var god välj Slutdatum för slutförd underhållsförteckning
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","För att sammanfoga, måste följande egenskaper vara samma för båda objekten"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","För att sammanfoga, måste följande egenskaper vara samma för båda objekten"
 DocType: Supplier,Block Supplier,Blockleverantör
 DocType: Shipping Rule,Net Weight,Nettovikt
 DocType: Job Opening,Planned number of Positions,Planerat antal positioner
@@ -821,19 +824,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Cash Flow Mapping Template
 DocType: Travel Request,Costing Details,Kostnadsdetaljer
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Visa Returer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serienummer objekt kan inte vara en bråkdel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serienummer objekt kan inte vara en bråkdel
 DocType: Journal Entry,Difference (Dr - Cr),Skillnad (Dr - Cr)
 DocType: Bank Guarantee,Providing,tillhandahålla
 DocType: Account,Profit and Loss,Resultaträkning
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Ej tillåtet, konfigurera Lab Test Template efter behov"
 DocType: Patient,Risk Factors,Riskfaktorer
 DocType: Patient,Occupational Hazards and Environmental Factors,Arbetsrisker och miljöfaktorer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Lagerinmatningar som redan har skapats för arbetsorder
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Lagerinmatningar som redan har skapats för arbetsorder
 DocType: Vital Signs,Respiratory rate,Andningsfrekvens
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Hantera Underleverantörer
 DocType: Vital Signs,Body Temperature,Kroppstemperatur
 DocType: Project,Project will be accessible on the website to these users,Projektet kommer att vara tillgänglig på webbplatsen till dessa användare
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Kan inte avbryta {0} {1} eftersom serienummer {2} inte hör till lagret {3}
 DocType: Detected Disease,Disease,Sjukdom
+DocType: Company,Default Deferred Expense Account,Standard uppskjuten kostnadskonto
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Definiera projekttyp.
 DocType: Supplier Scorecard,Weighting Function,Viktningsfunktion
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge
@@ -850,7 +855,7 @@
 DocType: Crop,Produced Items,Producerade produkter
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Matchtransaktion till fakturor
 DocType: Sales Order Item,Gross Profit,Bruttoförtjänst
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Avblockera faktura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Avblockera faktura
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Inkrement kan inte vara 0
 DocType: Company,Delete Company Transactions,Radera Företagstransactions
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referensnummer och referens Datum är obligatorisk för Bank transaktion
@@ -871,11 +876,11 @@
 DocType: Budget,Ignore,Ignorera
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} är inte aktiv
 DocType: Woocommerce Settings,Freight and Forwarding Account,Frakt och vidarebefordran konto
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,kryss Setup dimensioner för utskrift
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,kryss Setup dimensioner för utskrift
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Skapa lönesedlar
 DocType: Vital Signs,Bloated,Uppsvälld
 DocType: Salary Slip,Salary Slip Timesheet,Lön Slip Tidrapport
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverantör Warehouse obligatorisk för underleverantörer inköpskvitto
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverantör Warehouse obligatorisk för underleverantörer inköpskvitto
 DocType: Item Price,Valid From,Giltig Från
 DocType: Sales Invoice,Total Commission,Totalt kommissionen
 DocType: Tax Withholding Account,Tax Withholding Account,Skatteavdragskonto
@@ -883,12 +888,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Alla leverantörs scorecards.
 DocType: Buying Settings,Purchase Receipt Required,Inköpskvitto Krävs
 DocType: Delivery Note,Rail,Järnväg
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Mållager i rad {0} måste vara samma som Arbetsorder
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Värderings Rate är obligatoriskt om ingående lager in
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Mållager i rad {0} måste vara samma som Arbetsorder
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Värderings Rate är obligatoriskt om ingående lager in
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Inga träffar i Faktura tabellen
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Välj Företag och parti typ först
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Ange redan standard i posprofil {0} för användare {1}, vänligt inaktiverad standard"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Budget / räkenskapsåret.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Budget / räkenskapsåret.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ackumulerade värden
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Tyvärr, kan serienumren inte slås samman"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kundgruppen kommer att ställa in till vald grupp medan du synkroniserar kunder från Shopify
@@ -902,7 +907,7 @@
 ,Lead Id,Prospekt Id
 DocType: C-Form Invoice Detail,Grand Total,Totalsumma
 DocType: Assessment Plan,Course,Kurs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Sektionskod
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Sektionskod
 DocType: Timesheet,Payslip,lönespecifikation
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Halvdagens datum bör vara mellan datum och datum
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Punkt varukorgen
@@ -911,7 +916,8 @@
 DocType: Employee,Personal Bio,Personligt Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Medlemskaps-ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Levereras: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Levereras: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Ansluten till QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Betalningskonto
 DocType: Payment Entry,Type of Payment,Typ av betalning
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Halvdagsdatum är obligatorisk
@@ -923,7 +929,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Fraktpostdatum
 DocType: Production Plan,Production Plan,Produktionsplan
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Öppnande av fakturaverktyg
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Sales Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Obs: Totala antalet allokerade blad {0} inte bör vara mindre än vad som redan har godkänts blad {1} för perioden
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ange antal i transaktioner baserat på serienummeringång
 ,Total Stock Summary,Total lageröversikt
@@ -936,9 +942,9 @@
 DocType: Authorization Rule,Customer or Item,Kund eller föremål
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kunddatabas.
 DocType: Quotation,Quotation To,Offert Till
-DocType: Lead,Middle Income,Medelinkomst
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Medelinkomst
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Öppning (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard mätenhet för punkt {0} kan inte ändras direkt eftersom du redan har gjort vissa transaktioner (s) med en annan UOM. Du måste skapa en ny punkt för att använda en annan standard UOM.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard mätenhet för punkt {0} kan inte ändras direkt eftersom du redan har gjort vissa transaktioner (s) med en annan UOM. Du måste skapa en ny punkt för att använda en annan standard UOM.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Avsatt belopp kan inte vara negativ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Vänligen ställ in företaget
 DocType: Share Balance,Share Balance,Aktiebalans
@@ -955,15 +961,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Välj Betalkonto att Bank Entry
 DocType: Hotel Settings,Default Invoice Naming Series,Standard Faktura Naming Series
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Skapa anställda register för att hantera löv, räkningar och löner"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Ett fel uppstod under uppdateringsprocessen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Ett fel uppstod under uppdateringsprocessen
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurangbokning
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Förslagsskrivning
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betalning Entry Avdrag
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Avslutar
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Meddela kunder via e-post
 DocType: Item,Batch Number Series,Batch Number Series
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,En annan säljare {0} finns med samma anställningsid
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,En annan säljare {0} finns med samma anställningsid
 DocType: Employee Advance,Claimed Amount,Skyldigt belopp
+DocType: QuickBooks Migrator,Authorization Settings,Auktoriseringsinställningar
 DocType: Travel Itinerary,Departure Datetime,Avgång Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Travel Request Costing
@@ -1003,26 +1010,29 @@
 DocType: Buying Settings,Supplier Naming By,Leverantör Naming Genom
 DocType: Activity Type,Default Costing Rate,Standardkalkyl betyg
 DocType: Maintenance Schedule,Maintenance Schedule,Underhållsschema
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Sedan prissättningsregler filtreras bort baserat på kundens, Customer Group, Territory, leverantör, leverantör typ, kampanj, Sales Partner etc."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Sedan prissättningsregler filtreras bort baserat på kundens, Customer Group, Territory, leverantör, leverantör typ, kampanj, Sales Partner etc."
 DocType: Employee Promotion,Employee Promotion Details,Uppgifter om anställningsfrämjande
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Nettoförändring i Inventory
 DocType: Employee,Passport Number,Passnummer
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relation med Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Chef
 DocType: Payment Entry,Payment From / To,Betalning från / till
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Från Fiscal Year
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nya kreditgränsen är mindre än nuvarande utestående beloppet för kunden. Kreditgräns måste vara minst {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Vänligen ange konto i lager {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Vänligen ange konto i lager {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Baserad på"" och ""Gruppera efter"" kan inte vara samma"
 DocType: Sales Person,Sales Person Targets,Försäljnings Person Mål
 DocType: Work Order Operation,In minutes,På några minuter
 DocType: Issue,Resolution Date,Åtgärds Datum
 DocType: Lab Test Template,Compound,Förening
+DocType: Opportunity,Probability (%),Sannolikhet (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Dispatch Notification
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Välj Egenskaper
 DocType: Student Batch Name,Batch Name,batch Namn
 DocType: Fee Validity,Max number of visit,Max antal besök
 ,Hotel Room Occupancy,Hotellrumsboende
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Tidrapport skapat:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Ställ in standard Kontant eller bankkonto i betalningssätt {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Ställ in standard Kontant eller bankkonto i betalningssätt {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Skriva in
 DocType: GST Settings,GST Settings,GST-inställningar
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valuta bör vara samma som Prislista Valuta: {0}
@@ -1063,12 +1073,12 @@
 DocType: Loan,Total Interest Payable,Total ränta
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Cost skatter och avgifter
 DocType: Work Order Operation,Actual Start Time,Faktisk starttid
+DocType: Purchase Invoice Item,Deferred Expense Account,Uppskjuten utgiftskonto
 DocType: BOM Operation,Operation Time,Drifttid
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Yta
 DocType: Salary Structure Assignment,Base,Bas
 DocType: Timesheet,Total Billed Hours,Totalt Fakturerade Timmar
 DocType: Travel Itinerary,Travel To,Resa till
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,är inte
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Avskrivningsbelopp
 DocType: Leave Block List Allow,Allow User,Tillåt användaren
 DocType: Journal Entry,Bill No,Fakturanr
@@ -1087,9 +1097,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Tidrapportering
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Återrapportering Råvaror Based On
 DocType: Sales Invoice,Port Code,Hamnkod
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Reservlager
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Reservlager
 DocType: Lead,Lead is an Organization,Bly är en organisation
-DocType: Guardian Interest,Interest,Intressera
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,pre Sales
 DocType: Instructor Log,Other Details,Övriga detaljer
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1099,7 +1108,7 @@
 DocType: Account,Accounts,Konton
 DocType: Vehicle,Odometer Value (Last),Vägmätare Value (Senaste)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Mallar med leverantörsspecifika kriterier.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marknadsföring
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marknadsföring
 DocType: Sales Invoice,Redeem Loyalty Points,Lösa in lojalitetspoäng
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Betalning Entry redan har skapats
 DocType: Request for Quotation,Get Suppliers,Få leverantörer
@@ -1116,16 +1125,14 @@
 DocType: Crop,Crop Spacing UOM,Beskära Spacing UOM
 DocType: Loyalty Program,Single Tier Program,Single Tier Program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Välj bara om du har inställningar för Cash Flow Mapper-dokument
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Från adress 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Från adress 1
 DocType: Email Digest,Next email will be sent on:,Nästa e-post kommer att skickas på:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Följande post {items} {verb} markeras som {message} item. \ Du kan aktivera dem som {message} -objekt från dess artikelmapp
 DocType: Supplier Scorecard,Per Week,Per vecka
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Produkten har varianter.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Produkten har varianter.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Totalt Student
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Produkt  {0} hittades inte
 DocType: Bin,Stock Value,Stock Värde
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,existerar inte företag {0}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,existerar inte företag {0}
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} har avgiftsgiltighet till {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Tree Typ
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Antal konsumeras per Enhet
@@ -1141,7 +1148,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kreditkorts logg
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Företag och konton
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Värde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Värde
 DocType: Asset Settings,Depreciation Options,Avskrivningsalternativ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Varken plats eller anställd måste vara obligatorisk
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Ogiltig inläggstid
@@ -1158,20 +1165,21 @@
 DocType: Leave Allocation,Allocation,Tilldelning
 DocType: Purchase Order,Supply Raw Materials,Supply Råvaror
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Nuvarande Tillgångar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} är inte en lagervara
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} är inte en lagervara
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vänligen dela din feedback till träningen genom att klicka på &quot;Träningsreaktion&quot; och sedan &quot;Ny&quot;
 DocType: Mode of Payment Account,Default Account,Standard konto
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Var god välj Sample Retention Warehouse i Lagerinställningar först
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Var god välj Sample Retention Warehouse i Lagerinställningar först
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Var god välj flerprograms-programtypen för mer än en insamlingsregler.
 DocType: Payment Entry,Received Amount (Company Currency),Erhållet belopp (Company valuta)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Prospekt måste ställas in om Möjligheten är skapad av Prospekt
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Betalning Avbruten. Kontrollera ditt GoCardless-konto för mer information
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Skicka med bilagan
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Välj helgdagar
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planerat Sluttid
 ,Sales Person Target Variance Item Group-Wise,Försäljningen Person Mål Varians Post Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Konto med befintlig transaktioner kan inte omvandlas till liggaren
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Konto med befintlig transaktioner kan inte omvandlas till liggaren
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership Type Detaljer
 DocType: Delivery Note,Customer's Purchase Order No,Kundens inköpsorder Nr
 DocType: Clinical Procedure,Consume Stock,Konsumera lager
@@ -1184,26 +1192,26 @@
 DocType: Soil Texture,Sand,Sand
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energi
 DocType: Opportunity,Opportunity From,Möjlighet Från
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rad {0}: {1} Serienummer krävs för punkt {2}. Du har angett {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rad {0}: {1} Serienummer krävs för punkt {2}. Du har angett {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Välj en tabell
 DocType: BOM,Website Specifications,Webbplats Specifikationer
 DocType: Special Test Items,Particulars,uppgifter
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Från {0} av typen {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Rad {0}: Omvandlingsfaktor är obligatoriskt
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Rad {0}: Omvandlingsfaktor är obligatoriskt
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flera Pris Regler finns med samma kriterier, vänligen lösa konflikter genom att tilldela prioritet. Pris Regler: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flera Pris Regler finns med samma kriterier, vänligen lösa konflikter genom att tilldela prioritet. Pris Regler: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Valutakursomräkningskonto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Det går inte att inaktivera eller avbryta BOM eftersom det är kopplat till andra stycklistor
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Det går inte att inaktivera eller avbryta BOM eftersom det är kopplat till andra stycklistor
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Var god välj Företag och Bokningsdatum för att få poster
 DocType: Asset,Maintenance,Underhåll
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Få från patientmötet
 DocType: Subscriber,Subscriber,Abonnent
 DocType: Item Attribute Value,Item Attribute Value,Produkt Attribut Värde
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Uppdatera din projektstatus
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Uppdatera din projektstatus
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valutaväxling måste vara tillämplig för köp eller försäljning.
 DocType: Item,Maximum sample quantity that can be retained,Maximal provkvantitet som kan behållas
 DocType: Project Update,How is the Project Progressing Right Now?,Hur går projektet framåt just nu?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rad {0} # Artikel {1} kan inte överföras mer än {2} mot inköpsorder {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rad {0} # Artikel {1} kan inte överföras mer än {2} mot inköpsorder {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Säljkampanjer.
 DocType: Project Task,Make Timesheet,göra Tidrapport
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1232,36 +1240,38 @@
 DocType: Lab Test,Lab Test,Labb test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Generationsverktyg för studentrapporter
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Sjukvård Schedule Time Slot
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Namn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Namn
 DocType: Expense Claim Detail,Expense Claim Type,Räknings Typ
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardinställningarna för Varukorgen
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Lägg till Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Asset skrotas via Journal Entry {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vänligen ange konto i lager {0} eller standardinventariskonto i företag {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Asset skrotas via Journal Entry {0}
 DocType: Loan,Interest Income Account,Ränteintäkter Account
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Max fördelar bör vara större än noll för att fördela fördelarna
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Max fördelar bör vara större än noll för att fördela fördelarna
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Granska inbjudan skickad
 DocType: Shift Assignment,Shift Assignment,Shift-uppgift
 DocType: Employee Transfer Property,Employee Transfer Property,Anställningsöverföringsfastighet
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Från tiden borde vara mindre än till tiden
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotechnology
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Objekt {0} (Serienummer: {1}) kan inte förbrukas som är reserverat \ för att fylla i försäljningsordern {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Kontor underhållskostnader
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Gå till
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Uppdatera priset från Shopify till ERPNext Price List
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ställa in e-postkonto
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Ange Artikel först
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Behöver analys
 DocType: Asset Repair,Downtime,Driftstopp
 DocType: Account,Liability,Ansvar
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktionerade Belopp kan inte vara större än fordringsbelopp i raden {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktionerade Belopp kan inte vara större än fordringsbelopp i raden {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Academic Term:
 DocType: Salary Component,Do not include in total,Inkludera inte totalt
 DocType: Company,Default Cost of Goods Sold Account,Standardkostnad Konto Sålda Varor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Provkvantitet {0} kan inte vara mer än mottagen kvantitet {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Prislista inte valt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Provkvantitet {0} kan inte vara mer än mottagen kvantitet {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Prislista inte valt
 DocType: Employee,Family Background,Familjebakgrund
 DocType: Request for Quotation Supplier,Send Email,Skicka Epost
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Varning: Ogiltig Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Varning: Ogiltig Attachment {0}
 DocType: Item,Max Sample Quantity,Max provkvantitet
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Inget Tillstånd
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Checklista för kontraktsuppfyllelse
@@ -1292,15 +1302,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnadsställe {2} inte tillhör bolaget {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Ladda upp ditt brevhuvud (Håll det webbvänligt som 900px med 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: konto {2} inte kan vara en grupp
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Punkt Row {idx}: {doctype} {doknamn} existerar inte i ovanstående &quot;{doctype} tabellen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Tidrapport {0} är redan slutförts eller avbrutits
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Tidrapport {0} är redan slutförts eller avbrutits
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Inga uppgifter
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Försäljningsfaktura {0} skapad som betald
 DocType: Item Variant Settings,Copy Fields to Variant,Kopiera fält till variant
 DocType: Asset,Opening Accumulated Depreciation,Ingående ackumulerade avskrivningar
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Betyg måste vara mindre än eller lika med 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Programmet Inskrivning Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form arkiv
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form arkiv
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Aktierna existerar redan
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Kunder och leverantör
 DocType: Email Digest,Email Digest Settings,E-postutskick Inställningar
@@ -1313,12 +1323,12 @@
 DocType: Production Plan,Select Items,Välj objekt
 DocType: Share Transfer,To Shareholder,Till aktieägare
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} mot räkning {1} daterad {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Från staten
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Från staten
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Inställningsinstitution
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Tilldela löv ...
 DocType: Program Enrollment,Vehicle/Bus Number,Fordons- / bussnummer
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kursschema
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Du måste dras av skatt för oinskränkt skattebefrielse bevis och oavkrävat \ anställningsförmåner i den senaste löneavgiften för löneperiod
 DocType: Request for Quotation Supplier,Quote Status,Citatstatus
 DocType: GoCardless Settings,Webhooks Secret,Webbooks Secret
@@ -1344,13 +1354,13 @@
 DocType: Sales Invoice,Payment Due Date,Förfallodag
 DocType: Drug Prescription,Interval UOM,Intervall UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",Återmarkera om den valda adressen redigeras efter spara
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Punkt Variant {0} finns redan med samma attribut
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Punkt Variant {0} finns redan med samma attribut
 DocType: Item,Hub Publishing Details,Hub Publishing Detaljer
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Öppna&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Öppna&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Öppna för att göra
 DocType: Issue,Via Customer Portal,Via kundportalen
 DocType: Notification Control,Delivery Note Message,Följesedel Meddelande
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST-belopp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST-belopp
 DocType: Lab Test Template,Result Format,Resultatformat
 DocType: Expense Claim,Expenses,Kostnader
 DocType: Item Variant Attribute,Item Variant Attribute,Punkt Variant Attribut
@@ -1358,14 +1368,12 @@
 DocType: Payroll Entry,Bimonthly,Varannan månad
 DocType: Vehicle Service,Brake Pad,Brake Pad
 DocType: Fertilizer,Fertilizer Contents,Innehåll för gödselmedel
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Forskning &amp; Utveckling
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Forskning &amp; Utveckling
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Belopp till fakturera
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Startdatum och slutdatum överlappar med jobbkortet <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Registreringsdetaljer
 DocType: Timesheet,Total Billed Amount,Totala fakturerade beloppet
 DocType: Item Reorder,Re-Order Qty,Återuppta Antal
 DocType: Leave Block List Date,Leave Block List Date,Lämna Blockeringslista Datum
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vänligen installera Instruktör Naming System i Utbildning&gt; Utbildningsinställningar
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Råmaterial kan inte vara samma som huvudartikel
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totalt tillämpliga avgifter i inköpskvittot Items tabellen måste vara densamma som den totala skatter och avgifter
 DocType: Sales Team,Incentives,Sporen
@@ -1379,7 +1387,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Butiksförsäljnig
 DocType: Fee Schedule,Fee Creation Status,Fee Creation Status
 DocType: Vehicle Log,Odometer Reading,mätarställning
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Kontosaldo redan i Kredit,du är inte tillåten att ställa in ""Balans måste vara"" som ""Debet '"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Kontosaldo redan i Kredit,du är inte tillåten att ställa in ""Balans måste vara"" som ""Debet '"
 DocType: Account,Balance must be,Balans måste vara
 DocType: Notification Control,Expense Claim Rejected Message,Räkning avvisas meddelande
 ,Available Qty,Tillgång Antal
@@ -1391,7 +1399,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Synkronisera alltid dina produkter från Amazon MWS innan du synkroniserar orderuppgifterna
 DocType: Delivery Trip,Delivery Stops,Leveransstopp
 DocType: Salary Slip,Working Days,Arbetsdagar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Kan inte ändra servicestoppdatum för objekt i rad {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Kan inte ändra servicestoppdatum för objekt i rad {0}
 DocType: Serial No,Incoming Rate,Inkommande betyg
 DocType: Packing Slip,Gross Weight,Bruttovikt
 DocType: Leave Type,Encashment Threshold Days,Encashment Threshold Days
@@ -1410,31 +1418,33 @@
 DocType: Restaurant Table,Minimum Seating,Minsta sätet
 DocType: Item Attribute,Item Attribute Values,Produkt Attribut Värden
 DocType: Examination Result,Examination Result,Examination Resultat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Inköpskvitto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Inköpskvitto
 ,Received Items To Be Billed,Mottagna objekt som ska faktureras
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Valutakurs mästare.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Valutakurs mästare.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referens Doctype måste vara en av {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtrera totalt antal noll
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Det går inte att hitta tidslucka i de närmaste {0} dagar för Operation {1}
 DocType: Work Order,Plan material for sub-assemblies,Planera material för underenheter
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Säljpartners och Territory
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} måste vara aktiv
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} måste vara aktiv
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Inga objekt tillgängliga för överföring
 DocType: Employee Boarding Activity,Activity Name,Aktivitetsnamn
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Ändra Utgivningsdatum
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Slutproduktkvantitet <b>{0}</b> och För kvantitet <b>{1}</b> kan inte vara annorlunda
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Ändra Utgivningsdatum
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Slutproduktkvantitet <b>{0}</b> och För kvantitet <b>{1}</b> kan inte vara annorlunda
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Stängning (Öppning + Totalt)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Artikelnummer&gt; Varugrupp&gt; Varumärke
+DocType: Delivery Settings,Dispatch Notification Attachment,Dispatch Notification Attachment
 DocType: Payroll Entry,Number Of Employees,Antal anställda
 DocType: Journal Entry,Depreciation Entry,avskrivningar Entry
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Välj dokumenttyp först
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Välj dokumenttyp först
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Avbryt Material {0} innan du avbryter detta Underhållsbesök
 DocType: Pricing Rule,Rate or Discount,Betygsätt eller rabatt
 DocType: Vital Signs,One Sided,Ensidig
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Löpnummer {0} inte tillhör punkt {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Obligatorisk Antal
 DocType: Marketplace Settings,Custom Data,Anpassade data
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Lager med befintlig transaktion kan inte konverteras till redovisningen.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Serienummer är obligatoriskt för objektet {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Lager med befintlig transaktion kan inte konverteras till redovisningen.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Serienummer är obligatoriskt för objektet {0}
 DocType: Bank Reconciliation,Total Amount,Totala Summan
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Från datum till datum ligger olika fiscalår
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Patienten {0} har ingen kundreferens att fakturera
@@ -1445,9 +1455,9 @@
 DocType: Soil Texture,Clay Composition (%),Lerkomposition (%)
 DocType: Item Group,Item Group Defaults,Produktgruppsinställningar
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Var god spara innan du ansluter uppgiften.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Balans Värde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Balans Värde
 DocType: Lab Test,Lab Technician,Labbtekniker
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Försäljning Prislista
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Försäljning Prislista
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Om den är markerad kommer en kund att skapas, mappad till patienten. Patientfakturor kommer att skapas mot den här kunden. Du kan också välja befintlig kund medan du skapar patienten."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Kunden är inte inskriven i något lojalitetsprogram
@@ -1461,13 +1471,13 @@
 DocType: Support Search Source,Search Term Param Name,Sök term Param Namn
 DocType: Item Barcode,Item Barcode,Produkt Streckkod
 DocType: Woocommerce Settings,Endpoints,endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Produkt Varianter {0} uppdaterad
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Produkt Varianter {0} uppdaterad
 DocType: Quality Inspection Reading,Reading 6,Avläsning 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Kan inte {0} {1} {2} utan någon negativ enastående faktura
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Kan inte {0} {1} {2} utan någon negativ enastående faktura
 DocType: Share Transfer,From Folio No,Från Folio nr
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Inköpsfakturan Advancerat
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Rad {0}: kreditering kan inte kopplas till en {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Definiera budget för budgetåret.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Definiera budget för budgetåret.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext-konto
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} är blockerad så denna transaktion kan inte fortsätta
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Åtgärd om ackumulerad månadsbudget överskrider MR
@@ -1483,19 +1493,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Inköpsfaktura
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Tillåt flera materialförbrukning mot en arbetsorder
 DocType: GL Entry,Voucher Detail No,Rabatt Detalj nr
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Ny försäljningsfaktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Ny försäljningsfaktura
 DocType: Stock Entry,Total Outgoing Value,Totalt Utgående Värde
 DocType: Healthcare Practitioner,Appointments,utnämningar
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Öppningsdatum och Slutdatum bör ligga inom samma räkenskapsår
 DocType: Lead,Request for Information,Begäran om upplysningar
 ,LeaderBoard,leaderboard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Betygsätt med marginal (Företagsvaluta)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Synkroniserings Offline fakturor
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Synkroniserings Offline fakturor
 DocType: Payment Request,Paid,Betalats
 DocType: Program Fee,Program Fee,Kurskostnad
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Byt ut en särskild BOM i alla andra BOM där den används. Det kommer att ersätta den gamla BOM-länken, uppdatera kostnaden och regenerera &quot;BOM Explosion Item&quot; -tabellen enligt ny BOM. Det uppdaterar också senaste priset i alla BOM."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Följande Arbetsorder har skapats:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Följande Arbetsorder har skapats:
 DocType: Salary Slip,Total in words,Totalt i ord
 DocType: Inpatient Record,Discharged,urladdat
 DocType: Material Request Item,Lead Time Date,Ledtid datum
@@ -1506,16 +1516,16 @@
 DocType: Support Settings,Get Started Sections,Kom igång sektioner
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-bly-.YYYY.-
 DocType: Loan,Sanctioned,sanktionerade
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,är obligatoriskt. Kanske Valutaväxling posten inte skapas för
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Rad # {0}: Ange Löpnummer för punkt {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Totala bidragsbeloppet: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Rad # {0}: Ange Löpnummer för punkt {1}
 DocType: Payroll Entry,Salary Slips Submitted,Löneskikt skickas in
 DocType: Crop Cycle,Crop Cycle,Beskärningscykel
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","För ""Produktgrupper"" poster, Lager, Serienummer och Batch kommer  att övervägas från ""Packlistan"". Om Lager och Batch inte är samma för alla förpacknings objekt för alla ""Produktgrupper"" , kan dessa värden skrivas in i huvud produkten, kommer värden kopieras till ""Packlistan""."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","För ""Produktgrupper"" poster, Lager, Serienummer och Batch kommer  att övervägas från ""Packlistan"". Om Lager och Batch inte är samma för alla förpacknings objekt för alla ""Produktgrupper"" , kan dessa värden skrivas in i huvud produkten, kommer värden kopieras till ""Packlistan""."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Från plats
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Nettobetalning kan inte vara negativ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Från plats
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Nettobetalning kan inte vara negativ
 DocType: Student Admission,Publish on website,Publicera på webbplats
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Leverantörsfakturor Datum kan inte vara större än Publiceringsdatum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Leverantörsfakturor Datum kan inte vara större än Publiceringsdatum
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Avbokningsdatum
 DocType: Purchase Invoice Item,Purchase Order Item,Inköpsorder Artikeln
@@ -1524,7 +1534,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Närvaro Tool
 DocType: Restaurant Menu,Price List (Auto created),Prislista (automatiskt skapad)
 DocType: Cheque Print Template,Date Settings,Datum Inställningar
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varians
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varians
 DocType: Employee Promotion,Employee Promotion Detail,Arbetstagarreklamdetalj
 ,Company Name,Företagsnamn
 DocType: SMS Center,Total Message(s),Totalt Meddelande (er)
@@ -1554,7 +1564,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Skicka inte anställdas födelsedagspåminnelser
 DocType: Expense Claim,Total Advance Amount,Total förskottsbelopp
 DocType: Delivery Stop,Estimated Arrival,Beräknad ankomsttid
-DocType: Delivery Stop,Notified by Email,Meddelas via e-post
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Se alla artiklar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Gå In
 DocType: Item,Inspection Criteria,Inspektionskriterier
@@ -1564,23 +1573,22 @@
 DocType: Timesheet Detail,Bill,Räkningen
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Vit
 DocType: SMS Center,All Lead (Open),Alla Ledare (Öppna)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antal inte tillgängligt för {4} i lager {1} vid utstationering tidpunkt för angivelsen ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antal inte tillgängligt för {4} i lager {1} vid utstationering tidpunkt för angivelsen ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Du kan bara välja högst ett alternativ från listan med kryssrutor.
 DocType: Purchase Invoice,Get Advances Paid,Få utbetalda förskott
 DocType: Item,Automatically Create New Batch,Skapa automatiskt nytt parti
 DocType: Item,Automatically Create New Batch,Skapa automatiskt nytt parti
 DocType: Supplier,Represents Company,Representerar företaget
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Göra
 DocType: Student Admission,Admission Start Date,Antagning startdatum
 DocType: Journal Entry,Total Amount in Words,Total mängd i ord
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Ny anställd
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Det var ett problem. En trolig orsak kan vara att du inte har sparat formuläret. Vänligen kontakta support@erpnext.com om problemet kvarstår.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Min kundvagn
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Beställd Typ måste vara en av {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Beställd Typ måste vara en av {0}
 DocType: Lead,Next Contact Date,Nästa Kontakt Datum
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Öppning Antal
 DocType: Healthcare Settings,Appointment Reminder,Avtal påminnelse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Ange konto för förändring Belopp
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Ange konto för förändring Belopp
 DocType: Program Enrollment Tool Student,Student Batch Name,Elev batchnamn
 DocType: Holiday List,Holiday List Name,Semester Listnamn
 DocType: Repayment Schedule,Balance Loan Amount,Balans Lånebelopp
@@ -1590,13 +1598,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Optioner
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Inga föremål tillagda i varukorgen
 DocType: Journal Entry Account,Expense Claim,Utgiftsräkning
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Vill du verkligen vill återställa detta skrotas tillgång?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Vill du verkligen vill återställa detta skrotas tillgång?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Antal för {0}
 DocType: Leave Application,Leave Application,Ledighetsansöknan
 DocType: Patient,Patient Relation,Patientrelation
 DocType: Item,Hub Category to Publish,Hub kategori att publicera
 DocType: Leave Block List,Leave Block List Dates,Lämna Block Lista Datum
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Försäljningsorder {0} har reservation för punkt {1}, du kan bara leverera reserverade {1} mot {0}. Serienummer {2} kan inte levereras"
 DocType: Sales Invoice,Billing Address GSTIN,Faktureringsadress GSTIN
@@ -1614,16 +1622,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Specificera en {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Borttagna objekt med någon förändring i kvantitet eller värde.
 DocType: Delivery Note,Delivery To,Leverans till
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Varianter har skapats i kö.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Arbetsöversikt för {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Varianter har skapats i kö.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Arbetsöversikt för {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Den första lämnar godkännaren i listan kommer att ställas in som standardladdare.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Attributtabell är obligatoriskt
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Attributtabell är obligatoriskt
 DocType: Production Plan,Get Sales Orders,Hämta kundorder
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} kan inte vara negativ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Anslut till Quickbooks
 DocType: Training Event,Self-Study,Självstudie
 DocType: POS Closing Voucher,Period End Date,Period Slutdatum
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Jordkompositioner lägger inte upp till 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Rabatt
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Rad {0}: {1} krävs för att skapa öppningsfakturor {2}
 DocType: Membership,Membership,Medlemskap
 DocType: Asset,Total Number of Depreciations,Totalt Antal Avskrivningar
 DocType: Sales Invoice Item,Rate With Margin,Betygsätt med marginal
@@ -1635,7 +1645,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Vänligen ange en giltig rad ID för rad {0} i tabellen {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Det gick inte att hitta variabel:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Var god välj ett fält för att redigera från numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Kan inte vara en anläggningstillgång när lagerbokföringen är skapad.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Kan inte vara en anläggningstillgång när lagerbokföringen är skapad.
 DocType: Subscription Plan,Fixed rate,Fast ränta
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Erkänna
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Gå till skrivbordet och börja använda ERPNext
@@ -1669,7 +1679,7 @@
 DocType: Tax Rule,Shipping State,Frakt State
 ,Projected Quantity as Source,Projicerade Kvantitet som källa
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Produkt måste tillsättas med hjälp av ""få produkter  från kvitton"" -knappen"
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Leveransresa
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Leveransresa
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Överföringstyp
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Försäljnings Kostnader
@@ -1682,8 +1692,9 @@
 DocType: Item Default,Default Selling Cost Center,Standard Kostnadsställe Försäljning
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Skiva
 DocType: Buying Settings,Material Transferred for Subcontract,Material överfört för underleverantör
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postnummer
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Kundorder {0} är {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Inköpsorder Föremål Försenade
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Postnummer
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Kundorder {0} är {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Välj ränteintäkter konto i lån {0}
 DocType: Opportunity,Contact Info,Kontaktinformation
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Göra Stock Inlägg
@@ -1696,12 +1707,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Faktura kan inte göras för noll faktureringstid
 DocType: Company,Date of Commencement,Datum för inledande
 DocType: Sales Person,Select company name first.,Välj företagsnamn först.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-post skickas till {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-post skickas till {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Offerter mottaget från leverantörer.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Byt BOM och uppdatera senaste pris i alla BOM
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Till {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Detta är en rotleverantörsgrupp och kan inte redigeras.
-DocType: Delivery Trip,Driver Name,Förarens namn
+DocType: Delivery Note,Driver Name,Förarens namn
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Medelålder
 DocType: Education Settings,Attendance Freeze Date,Dagsfrysningsdatum
 DocType: Education Settings,Attendance Freeze Date,Dagsfrysningsdatum
@@ -1714,7 +1725,7 @@
 DocType: Company,Parent Company,Moderbolag
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Hotellrum av typen {0} är inte tillgängliga på {1}
 DocType: Healthcare Practitioner,Default Currency,Standard Valuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Maximal rabatt för artikel {0} är {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Maximal rabatt för artikel {0} är {1}%
 DocType: Asset Movement,From Employee,Från anställd
 DocType: Driver,Cellphone Number,telefon nummer
 DocType: Project,Monitor Progress,Monitor Progress
@@ -1730,19 +1741,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Kvantitet måste vara mindre än eller lika med {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Högsta belopp som är berättigat till komponenten {0} överstiger {1}
 DocType: Department Approver,Department Approver,Avdelningsgodkännare
+DocType: QuickBooks Migrator,Application Settings,Applikationsinställningar
 DocType: SMS Center,Total Characters,Totalt Tecken
 DocType: Employee Advance,Claimed,hävdade
 DocType: Crop,Row Spacing,Row Spacing
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Välj BOM i BOM fältet för produkt{0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Välj BOM i BOM fältet för produkt{0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Det finns ingen varianter för det valda objektet
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form faktura Detalj
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalning Avstämning Faktura
 DocType: Clinical Procedure,Procedure Template,Procedurmall
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Bidrag%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",Enligt Köpinställningarna om beställning krävs == &#39;JA&#39; och sedan för att skapa Köpfaktura måste användaren skapa Köporder först för objektet {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Bidrag%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",Enligt Köpinställningarna om beställning krävs == &#39;JA&#39; och sedan för att skapa Köpfaktura måste användaren skapa Köporder först för objektet {0}
 ,HSN-wise-summary of outward supplies,HSN-vis-sammanfattning av utåtriktade varor
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Organisationsnummer som referens. Skattenummer etc.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Till staten
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Till staten
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distributör
 DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Varukorgen frakt Regel
@@ -1751,7 +1763,7 @@
 ,Ordered Items To Be Billed,Beställda varor att faktureras
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Från Range måste vara mindre än ligga
 DocType: Global Defaults,Global Defaults,Globala standardinställningar
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Projektsamarbete Inbjudan
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Projektsamarbete Inbjudan
 DocType: Salary Slip,Deductions,Avdrag
 DocType: Setup Progress Action,Action Name,Åtgärdsnamn
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Start Year
@@ -1765,11 +1777,12 @@
 DocType: Lead,Consultant,Konsult
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Föräldrars lärarmöte närvaro
 DocType: Salary Slip,Earnings,Vinster
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Färdiga artiklar {0} måste anges för Tillverkningstypen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Färdiga artiklar {0} måste anges för Tillverkningstypen
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Ingående redovisning Balans
 ,GST Sales Register,GST Försäljningsregister
 DocType: Sales Invoice Advance,Sales Invoice Advance,Försäljning Faktura Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Ingenting att begära
+DocType: Stock Settings,Default Return Warehouse,Standard Returlager
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Välj domäner
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Leverantör
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalningsfakturaobjekt
@@ -1778,15 +1791,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Fält kopieras endast över tiden vid skapandet.
 DocType: Setup Progress Action,Domains,Domäner
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&quot;Faktiskt startdatum&quot; inte kan vara större än &quot;Faktiskt slutdatum&quot;
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Ledning
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Ledning
 DocType: Cheque Print Template,Payer Settings,Payer Inställningar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Inga pågående materialförfrågningar hittades för att länka för de angivna objekten.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Välj företag först
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Detta kommer att läggas till den punkt koden varianten. Till exempel, om din förkortning är &quot;SM&quot;, och försändelsekoden är &quot;T-TRÖJA&quot;, posten kod varianten kommer att vara &quot;T-Shirt-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettolön (i ord) kommer att vara synliga när du sparar lönebeskedet.
 DocType: Delivery Note,Is Return,Är Returnerad
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Varning
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Startdagen är större än slutdagen i uppgiften &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Retur / debetnota
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Retur / debetnota
 DocType: Price List Country,Price List Country,Prislista Land
 DocType: Item,UOMs,UOM
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} giltigt serienummer för punkt {1}
@@ -1799,13 +1813,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Bevilja information.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverantörsdatabas.
 DocType: Contract Template,Contract Terms and Conditions,Avtalsvillkor
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Du kan inte starta om en prenumeration som inte avbryts.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Du kan inte starta om en prenumeration som inte avbryts.
 DocType: Account,Balance Sheet,Balansräkning
 DocType: Leave Type,Is Earned Leave,Är tjänat löne
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',"Kostnadcenter för artikel med artikelkod """
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',"Kostnadcenter för artikel med artikelkod """
 DocType: Fee Validity,Valid Till,Giltig till
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Totalt föräldrars lärarmöte
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalning läget är inte konfigurerad. Kontrollera, om kontot har satts på läge av betalningar eller på POS profil."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalning läget är inte konfigurerad. Kontrollera, om kontot har satts på läge av betalningar eller på POS profil."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samma post kan inte anges flera gånger.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ytterligare konton kan göras inom ramen för grupper, men poster kan göras mot icke-grupper"
 DocType: Lead,Lead,Prospekt
@@ -1814,11 +1828,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} skapades
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Du har inte tillräckligt med lojalitetspoäng för att lösa in
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rad # {0}:  avvisat antal kan inte anmälas för retur
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Vänligen ange tillhörande konto i Skatteavdragskategori {0} mot Företag {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rad # {0}:  avvisat antal kan inte anmälas för retur
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Ändring av kundgrupp för vald kund är inte tillåtet.
 ,Purchase Order Items To Be Billed,Inköpsorder Artiklar att faktureras
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Uppdaterar beräknade ankomsttider.
 DocType: Program Enrollment Tool,Enrollment Details,Inskrivningsdetaljer
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Kan inte ställa in flera standardinställningar för ett företag.
 DocType: Purchase Invoice Item,Net Rate,Netto kostnad
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Var god välj en kund
 DocType: Leave Policy,Leave Allocations,Lämna tilldelningar
@@ -1849,7 +1865,7 @@
 DocType: Loan Application,Repayment Info,återbetalning info
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;poster&#39; kan inte vara tomt
 DocType: Maintenance Team Member,Maintenance Role,Underhålls roll
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Duplicate raden {0} med samma {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Duplicate raden {0} med samma {1}
 DocType: Marketplace Settings,Disable Marketplace,Inaktivera Marketplace
 ,Trial Balance,Trial Balans
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Räkenskapsårets {0} hittades inte
@@ -1860,9 +1876,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Prenumerationsinställningar
 DocType: Purchase Invoice,Update Auto Repeat Reference,Uppdatera automatisk repeteringsreferens
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Valfri semesterlista inte inställd för ledighet {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Valfri semesterlista inte inställd för ledighet {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Forskning
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Till Adress 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Till Adress 2
 DocType: Maintenance Visit Purpose,Work Done,Arbete Gjort
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Ange minst ett attribut i tabellen attribut
 DocType: Announcement,All Students,Alla studenter
@@ -1872,16 +1888,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Avstämda transaktioner
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Tidigast
 DocType: Crop Cycle,Linked Location,Länkad plats
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Ett varugrupp finns med samma namn, ändra objektets namn eller byta namn på varugrupp"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Ett varugrupp finns med samma namn, ändra objektets namn eller byta namn på varugrupp"
 DocType: Crop Cycle,Less than a year,Mindre än ett år
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Resten av världen
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Resten av världen
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} kan inte ha Batch
 DocType: Crop,Yield UOM,Utbyte UOM
 ,Budget Variance Report,Budget Variationsrapport
 DocType: Salary Slip,Gross Pay,Bruttolön
 DocType: Item,Is Item from Hub,Är objekt från nav
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Få artiklar från sjukvårdstjänster
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Få artiklar från sjukvårdstjänster
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstyp är obligatorisk.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Lämnad utdelning
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Redovisning Ledger
@@ -1896,6 +1912,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Betalningsläget
 DocType: Purchase Invoice,Supplied Items,Medföljande tillbehör
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Ange en aktiv meny för restaurang {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Kommissionens skattesats%
 DocType: Work Order,Qty To Manufacture,Antal att tillverka
 DocType: Email Digest,New Income,ny inkomst
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Behåll samma takt hela inköpscykeln
@@ -1910,12 +1927,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Värderings takt som krävs för punkt i rad {0}
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Exempel: Masters i datavetenskap
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Leverantör {0} finns inte i {1}
 DocType: Purchase Invoice,Rejected Warehouse,Avvisat Lager
 DocType: GL Entry,Against Voucher,Mot Kupong
 DocType: Item Default,Default Buying Cost Center,Standard Inköpsställe
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","För att få ut det bästa av ERPNext, rekommenderar vi att du tar dig tid och titta på dessa hjälp videor."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),För standardleverantör (tillval)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,till
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),För standardleverantör (tillval)
 DocType: Supplier Quotation Item,Lead Time in days,Ledtid i dagar
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Leverantörsreskontra Sammanfattning
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Ej tillåtet att redigera fryst konto {0}
@@ -1924,7 +1941,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Varna för ny Offertförfrågan
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Inköpsorder hjälpa dig att planera och följa upp dina inköp
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Prescriptions
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Den totala emissions / Transfer mängd {0} i Material Begäran {1} \ inte kan vara större än efterfrågat antal {2} till punkt {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Liten
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Om Shopify inte innehåller en kund i Order, då du synkroniserar Orders, kommer systemet att överväga standardkund för beställning"
@@ -1936,6 +1953,7 @@
 DocType: Project,% Completed,% Slutfört
 ,Invoiced Amount (Exculsive Tax),Fakturerat belopp (Exklusive skatt)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Produkt  2
+DocType: QuickBooks Migrator,Authorization Endpoint,Godkännande slutpunkt
 DocType: Travel Request,International,Internationell
 DocType: Training Event,Training Event,utbildning Händelse
 DocType: Item,Auto re-order,Auto återbeställning
@@ -1944,24 +1962,24 @@
 DocType: Contract,Contract,Kontrakt
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratory Testing Datetime
 DocType: Email Digest,Add Quote,Lägg Citat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM coverfaktor krävs för UOM: {0} i punkt: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM coverfaktor krävs för UOM: {0} i punkt: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Indirekta kostnader
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Rad {0}: Antal är obligatoriskt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Rad {0}: Antal är obligatoriskt
 DocType: Agriculture Analysis Criteria,Agriculture,Jordbruk
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Skapa försäljningsorder
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Redovisning för tillgång
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blockfaktura
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Redovisning för tillgång
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blockfaktura
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Mängd att göra
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sync basdata
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sync basdata
 DocType: Asset Repair,Repair Cost,Reparationskostnad
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Dina produkter eller tjänster
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Kunde inte logga in
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Tillgång {0} skapad
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Tillgång {0} skapad
 DocType: Special Test Items,Special Test Items,Särskilda testpunkter
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Du måste vara en användare med systemhanteraren och objekthanterarens roller för att registrera dig på Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Betalningssätt
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Enligt din tilldelade lönestruktur kan du inte ansöka om förmåner
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Website Bild bör vara en offentlig fil eller webbadress
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Website Bild bör vara en offentlig fil eller webbadress
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Detta är en rot varugrupp och kan inte ändras.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Sammanfoga
@@ -1970,7 +1988,8 @@
 DocType: Warehouse,Warehouse Contact Info,Lagrets kontaktinfo
 DocType: Payment Entry,Write Off Difference Amount,Skriv differensen Belopp
 DocType: Volunteer,Volunteer Name,Frivilligt namn
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Anställd e-post hittades inte, därför e-post skickas inte"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Rader med dubbla förfallodatum i andra rader hittades: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Anställd e-post hittades inte, därför e-post skickas inte"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Ingen lönestruktur tilldelad för anställd {0} på angivet datum {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Fraktregeln gäller inte för land {0}
 DocType: Item,Foreign Trade Details,Foreign Trade Detaljer
@@ -1978,16 +1997,16 @@
 DocType: Email Digest,Annual Income,Årlig inkomst
 DocType: Serial No,Serial No Details,Serial Inga detaljer
 DocType: Purchase Invoice Item,Item Tax Rate,Produkt Skattesats
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Från partnamn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Från partnamn
 DocType: Student Group Student,Group Roll Number,Grupprullnummer
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",För {0} kan endast kreditkonton länkas mot en annan debitering
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Följesedel {0} är inte lämnad
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Följesedel {0} är inte lämnad
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Produkt  {0} måste vara ett underleverantörs produkt
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapital Utrustning
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prissättning regel baseras först på ""Lägg till på' fälten, som kan vara artikel, artikelgrupp eller Märke."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Vänligen ange produktkoden först
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc Typ
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Totala fördelade procentsats för säljteam bör vara 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc Typ
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Totala fördelade procentsats för säljteam bör vara 100
 DocType: Subscription Plan,Billing Interval Count,Faktureringsintervallräkning
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Möten och patientmöten
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Värdet saknas
@@ -2001,6 +2020,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Skapa utskriftsformat
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Avgift skapad
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Kunde inte hitta någon post kallad {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Objekt filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Totalt Utgående
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Det kan bara finnas en frakt Regel skick med 0 eller blank värde för &quot;till värde&quot;
@@ -2009,14 +2029,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",För ett objekt {0} måste kvantiteten vara ett positivt tal
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Obs! Detta här kostnadsställe är en grupp. Det går inte att göra bokföringsposter mot grupper.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Begäran om kompensationsledighet gäller inte i giltiga helgdagar
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnlager existerar för det här lagret. Du kan inte ta bort det här lagret.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnlager existerar för det här lagret. Du kan inte ta bort det här lagret.
 DocType: Item,Website Item Groups,Webbplats artikelgrupper
 DocType: Purchase Invoice,Total (Company Currency),Totalt (Company valuta)
 DocType: Daily Work Summary Group,Reminder,Påminnelse
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Tillgängligt värde
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Tillgängligt värde
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Serienummer {0} in mer än en gång
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Journalanteckning
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Från GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Från GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Oavkrävat belopp
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} objekt pågår
 DocType: Workstation,Workstation Name,Arbetsstation Namn
@@ -2024,7 +2044,7 @@
 DocType: POS Item Group,POS Item Group,POS Artikelgrupp
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-postutskick:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Alternativet får inte vara samma som artikelnumret
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} tillhör inte föremål {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} tillhör inte föremål {1}
 DocType: Sales Partner,Target Distribution,Target Fördelning
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Slutförande av preliminär bedömning
 DocType: Salary Slip,Bank Account No.,Bankkonto nr
@@ -2033,7 +2053,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard-variabler kan användas, såväl som: {total_score} (den totala poängen från den perioden), {period_number} (antalet perioder till nutid)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Kollapsa alla
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Kollapsa alla
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Skapa inköpsorder
 DocType: Quality Inspection Reading,Reading 8,Avläsning 8
 DocType: Inpatient Record,Discharge Note,Ansvarsfrihet
@@ -2050,7 +2070,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Enskild ledighet
 DocType: Purchase Invoice,Supplier Invoice Date,Leverantörsfakturadatum
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Detta värde används för pro rata temporis beräkning
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Du måste aktivera Varukorgen
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Du måste aktivera Varukorgen
 DocType: Payment Entry,Writeoff,nedskrivning
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Namn Serie Prefix
@@ -2065,11 +2085,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Överlappande förhållanden som råder mellan:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Mot Journal anteckning{0} är redan anpassat mot någon annan kupong
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Totalt ordervärde
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Mat
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Mat
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Åldringsräckvidd 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-slutkupongdetaljer
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ange Naming Series för {0} via Setup&gt; Settings&gt; Naming Series
 DocType: Inpatient Occupancy,Check In,Checka in
 DocType: Maintenance Schedule Item,No of Visits,Antal besök
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Underhållschema {0} existerar mot {1}
@@ -2109,6 +2128,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Max förmåner (belopp)
 DocType: Purchase Invoice,Contact Person,Kontaktperson
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Förväntat startdatum"" kan inte vara större än ""Förväntat slutdatum"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Ingen data för denna period
 DocType: Course Scheduling Tool,Course End Date,Kurs Slutdatum
 DocType: Holiday List,Holidays,Helgdagar
 DocType: Sales Order Item,Planned Quantity,Planerad Kvantitet
@@ -2120,7 +2140,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Netto Förändring av anläggningstillgång
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Antal
 DocType: Leave Control Panel,Leave blank if considered for all designations,Lämna tomt om det anses vara för alla beteckningar
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Avgift av typ ""faktiska"" i raden {0} kan inte ingå i artikelomsättningen"
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Avgift av typ ""faktiska"" i raden {0} kan inte ingå i artikelomsättningen"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Från Daterad tid
 DocType: Shopify Settings,For Company,För Företag
@@ -2133,9 +2153,9 @@
 DocType: Material Request,Terms and Conditions Content,Villkor Innehåll
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Det fanns fel som skapade kursschema
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Den första expense-godkännaren i listan kommer att ställas som standard Expense Approver.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,kan inte vara större än 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,kan inte vara större än 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Du måste vara en annan användare än Administratör med systemhanteraren och objekthanterarens roller för att registrera dig på Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Produkt  {0} är inte en lagervara
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Produkt  {0} är inte en lagervara
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Ledig
 DocType: Employee,Owned,Ägs
@@ -2163,7 +2183,7 @@
 DocType: HR Settings,Employee Settings,Personal Inställningar
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Hämtar betalningssystemet
 ,Batch-Wise Balance History,Batchvis Balans Historik
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Kan inte ställa in ränta om beloppet är större än fakturerat belopp för punkt {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Kan inte ställa in ränta om beloppet är större än fakturerat belopp för punkt {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Utskriftsinställningar uppdateras i respektive utskriftsformat
 DocType: Package Code,Package Code,Package Code
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Lärling
@@ -2171,7 +2191,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Negativ Antal är inte tillåtet
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Skatte detalj tabell hämtas från punkt mästare som en sträng och lagras i detta område. Används för skatter och avgifter
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Anställd kan inte anmäla sig själv.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Anställd kan inte anmäla sig själv.
 DocType: Leave Type,Max Leaves Allowed,Max löv tillåtet
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Om kontot är fruset, är poster endast tillgängligt för begränsade användare."
 DocType: Email Digest,Bank Balance,BANKTILLGODOHAVANDE
@@ -2197,6 +2217,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Banköverföringsuppgifter
 DocType: Quality Inspection,Readings,Avläsningar
 DocType: Stock Entry,Total Additional Costs,Totalt Merkostnader
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Inget av interaktioner
 DocType: BOM,Scrap Material Cost(Company Currency),Skrot materialkostnader (Company valuta)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Sub Assemblies
 DocType: Asset,Asset Name,tillgångs Namn
@@ -2204,10 +2225,10 @@
 DocType: Shipping Rule Condition,To Value,Att Värdera
 DocType: Loyalty Program,Loyalty Program Type,Lojalitetsprogramtyp
 DocType: Asset Movement,Stock Manager,Lagrets direktör
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Källa lager är obligatoriskt för rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Källa lager är obligatoriskt för rad {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Betalningstiden i rad {0} är eventuellt en dubblett.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Jordbruk (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Följesedel
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Följesedel
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Kontorshyra
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Setup SMS-gateway-inställningar
 DocType: Disease,Common Name,Vanligt namn
@@ -2239,20 +2260,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-lönebesked till anställd
 DocType: Cost Center,Parent Cost Center,Överordnat kostnadsställe
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Välj Möjliga Leverantör
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Välj Möjliga Leverantör
 DocType: Sales Invoice,Source,Källa
 DocType: Customer,"Select, to make the customer searchable with these fields","Välj, för att göra kunden sökbar med dessa fält"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importera leveransanmärkningar från Shopify vid leverans
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show stängd
 DocType: Leave Type,Is Leave Without Pay,Är ledighet utan lön
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset Kategori är obligatorisk för fast tillgångsposten
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset Kategori är obligatorisk för fast tillgångsposten
 DocType: Fee Validity,Fee Validity,Avgift Giltighet
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Inga träffar i betalningstabellen
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Detta {0} konflikter med {1} för {2} {3}
 DocType: Student Attendance Tool,Students HTML,studenter HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ta bort medarbetaren <a href=""#Form/Employee/{0}"">{0}</a> \ för att avbryta det här dokumentet"
 DocType: POS Profile,Apply Discount,Applicera rabatt
 DocType: GST HSN Code,GST HSN Code,GST HSN-kod
 DocType: Employee External Work History,Total Experience,Total Experience
@@ -2275,7 +2293,7 @@
 DocType: Maintenance Schedule,Schedules,Scheman
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS-profil krävs för att använda Point of Sale
 DocType: Cashier Closing,Net Amount,Nettobelopp
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} har inte skickats in så åtgärden kan inte slutföras
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} har inte skickats in så åtgärden kan inte slutföras
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detalj nr
 DocType: Landed Cost Voucher,Additional Charges,Tillkommande avgifter
 DocType: Support Search Source,Result Route Field,Resultat Ruttfält
@@ -2304,11 +2322,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Öppna fakturor
 DocType: Contract,Contract Details,Kontraktsdetaljer
 DocType: Employee,Leave Details,Lämna detaljer
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Ställ in användar-ID fältet i en anställd post för att ställa in anställdes Roll
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Ställ in användar-ID fältet i en anställd post för att ställa in anställdes Roll
 DocType: UOM,UOM Name,UOM Namn
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Till Adress 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Till Adress 1
 DocType: GST HSN Code,HSN Code,HSN-kod
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Bidragsbelopp
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Bidragsbelopp
 DocType: Inpatient Record,Patient Encounter,Patient Encounter
 DocType: Purchase Invoice,Shipping Address,Leverans Adress
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Detta verktyg hjälper dig att uppdatera eller rätta mängden och värdering av lager i systemet. Det är oftast används för att synkronisera systemvärden och vad som faktiskt finns i dina lager.
@@ -2325,9 +2343,9 @@
 DocType: Travel Itinerary,Mode of Travel,Mode av resor
 DocType: Sales Invoice Item,Brand Name,Varumärke
 DocType: Purchase Receipt,Transporter Details,Transporter Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Standardlager krävs för vald post
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Standardlager krävs för vald post
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Låda
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,möjlig Leverantör
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,möjlig Leverantör
 DocType: Budget,Monthly Distribution,Månads Fördelning
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Mottagare Lista är tom. Skapa Mottagare Lista
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Sjukvård (beta)
@@ -2349,6 +2367,7 @@
 ,Lead Name,Prospekt Namn
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,prospektering
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Ingående lagersaldo
 DocType: Asset Category Account,Capital Work In Progress Account,Capital Work Progress Account
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Värdetillgång för tillgångar
@@ -2357,7 +2376,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lämnar Avsatt framgångsrikt för {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Inga produkter att packa
 DocType: Shipping Rule Condition,From Value,Från Värde
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Tillverknings Kvantitet är obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Tillverknings Kvantitet är obligatorisk
 DocType: Loan,Repayment Method,återbetalning Metod
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Om markerad startsidan vara standardArtikelGrupp för webbplatsen
 DocType: Quality Inspection Reading,Reading 4,Avläsning 4
@@ -2382,7 +2401,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Anställningsreferens
 DocType: Student Group,Set 0 for no limit,Set 0 för ingen begränsning
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dagen (s) som du ansöker om ledighet är helgdagar. Du behöver inte ansöka om tjänstledighet.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Rad {idx}: {field} krävs för att skapa Fakturor för öppning {faktura_type}
 DocType: Customer,Primary Address and Contact Detail,Primär adress och kontaktdetaljer
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Skicka om Betalning E
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Ny uppgift
@@ -2392,8 +2410,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Var god välj minst en domän.
 DocType: Dependent Task,Dependent Task,Beroende Uppgift
 DocType: Shopify Settings,Shopify Tax Account,Shopify Skattekonto
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Omvandlingsfaktor för standardmåttenhet måste vara en i raden {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Ledighet av typen {0} inte kan vara längre än {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Omvandlingsfaktor för standardmåttenhet måste vara en i raden {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Ledighet av typen {0} inte kan vara längre än {1}
 DocType: Delivery Trip,Optimize Route,Optimera Rutt
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Försök att planera verksamheten för X dagar i förväg.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2402,14 +2420,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Ställ Default Lön betalas konto i bolaget {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Få ekonomisk uppdelning av skatter och avgifter data av Amazon
 DocType: SMS Center,Receiver List,Mottagare Lista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Sök Produkt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Sök Produkt
 DocType: Payment Schedule,Payment Amount,Betalningsbelopp
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Halvdag Datum ska vara mellan Arbete från datum och arbets slutdatum
 DocType: Healthcare Settings,Healthcare Service Items,Hälso- och sjukvårdstjänster
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Förbrukad mängd
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Nettoförändring i Cash
 DocType: Assessment Plan,Grading Scale,Betygsskala
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mätenhet {0} har angetts mer än en gång i Omvandlingsfaktor Tabell
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mätenhet {0} har angetts mer än en gång i Omvandlingsfaktor Tabell
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,redan avslutat
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Lager i handen
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2432,25 +2450,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} kvantitet {1} inte kan vara en fraktion
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Vänligen ange webbadress för WoCommerce Server
 DocType: Purchase Order Item,Supplier Part Number,Leverantör Artikelnummer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Konverteringskurs kan inte vara 0 eller 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Konverteringskurs kan inte vara 0 eller 1
 DocType: Share Balance,To No,Till nr
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,All obligatorisk uppgift för skapande av arbetstagare har ännu inte gjorts.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} är avbruten eller stoppad
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} är avbruten eller stoppad
 DocType: Accounts Settings,Credit Controller,Kreditcontroller
 DocType: Loan,Applicant Type,Sökande Typ
 DocType: Purchase Invoice,03-Deficiency in services,03-brist på tjänster
 DocType: Healthcare Settings,Default Medical Code Standard,Standard Medical Code Standard
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Inköpskvitto {0} är inte lämnat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Inköpskvitto {0} är inte lämnat
 DocType: Company,Default Payable Account,Standard betalkonto
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Inställningar för webbutik som fraktregler, prislista mm"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Fakturerad
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Reserverad Antal
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Reserverad Antal
 DocType: Party Account,Party Account,Parti-konto
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Var god välj Företag och Beteckning
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Personal Resurser
-DocType: Lead,Upper Income,Övre inkomst
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Övre inkomst
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Avvisa
 DocType: Journal Entry Account,Debit in Company Currency,Debet i bolaget Valuta
 DocType: BOM Item,BOM Item,BOM Punkt
@@ -2467,7 +2485,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Arbetsöppningar för beteckning {0} redan öppen \ eller anställning slutförd enligt personalplan {1}
 DocType: Vital Signs,Constipated,toppad
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Mot leverantörsfakturor {0} den {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Mot leverantörsfakturor {0} den {1}
 DocType: Customer,Default Price List,Standard Prislista
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Asset Rörelse rekord {0} skapades
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Inga föremål hittades.
@@ -2483,17 +2501,18 @@
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Kund tillgodohavande
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Netto Förändring av leverantörsskulder
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditgränsen har överskridits för kund {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ange Naming Series för {0} via Setup&gt; Settings&gt; Naming Series
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditgränsen har överskridits för kund {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Kunder krävs för ""Kundrabatt"""
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Uppdatera bankbetalningsdagar med tidskrifter.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Prissättning
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Prissättning
 DocType: Quotation,Term Details,Term Detaljer
 DocType: Employee Incentive,Employee Incentive,Anställdas incitament
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Det går inte att registrera mer än {0} studenter för denna elevgrupp.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Totalt (utan skatt)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lödräkning
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lödräkning
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Lager tillgänglig
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Lager tillgänglig
 DocType: Manufacturing Settings,Capacity Planning For (Days),Kapacitetsplanering för (Dagar)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Anskaffning
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Inget av objekten har någon förändring i kvantitet eller värde.
@@ -2518,7 +2537,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Lämna och närvaro
 DocType: Asset,Comprehensive Insurance,Allriskförsäkring
 DocType: Maintenance Visit,Partially Completed,Delvis Färdig
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Lojalitetspoäng: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Lojalitetspoäng: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Lägg till Leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Måttlig känslighet
 DocType: Leave Type,Include holidays within leaves as leaves,Inkludera semester inom ledighet som ledighet
 DocType: Loyalty Program,Redemption,inlösen
@@ -2552,7 +2572,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Marknadsföringskostnader
 ,Item Shortage Report,Produkt Brist Rapportera
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Kan inte skapa standardkriterier. Vänligen byt namn på kriterierna
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vikt nämns \ Vänligen ange ""Vikt UOM"" också"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vikt nämns \ Vänligen ange ""Vikt UOM"" också"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Material Begäran används för att göra detta Lagerinlägg
 DocType: Hub User,Hub Password,Navlösenord
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursbaserad grupp för varje grupp
@@ -2567,15 +2587,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Utnämningstid (min)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Skapa kontering för varje lagerförändring
 DocType: Leave Allocation,Total Leaves Allocated,Totala Löv Avsatt
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Ange ett giltigt räkenskapsåret start- och slutdatum
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Ange ett giltigt räkenskapsåret start- och slutdatum
 DocType: Employee,Date Of Retirement,Datum för pensionering
 DocType: Upload Attendance,Get Template,Hämta mall
+,Sales Person Commission Summary,Försäljningskommitté Sammanfattning
 DocType: Additional Salary Component,Additional Salary Component,Ytterligare lönekomponent
 DocType: Material Request,Transferred,Överförd
 DocType: Vehicle,Doors,dörrar
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Complete!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Samla avgift för patientregistrering
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan inte ändra attribut efter aktiehandel. Skapa ett nytt objekt och överför lagret till det nya objektet
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Kan inte ändra attribut efter aktiehandel. Skapa ett nytt objekt och överför lagret till det nya objektet
 DocType: Course Assessment Criteria,Weightage,Vikt
 DocType: Purchase Invoice,Tax Breakup,Skatteavbrott
 DocType: Employee,Joining Details,Ansluta Detaljer
@@ -2603,14 +2624,15 @@
 DocType: Lead,Next Contact By,Nästa Kontakt Vid
 DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensationsförfrågan
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Kvantitet som krävs för artikel {0} i rad {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Lager {0} kan inte tas bort då kvantitet existerar för artiklar {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Lager {0} kan inte tas bort då kvantitet existerar för artiklar {1}
 DocType: Blanket Order,Order Type,Beställ Type
 ,Item-wise Sales Register,Produktvis säljregister
 DocType: Asset,Gross Purchase Amount,Bruttoköpesumma
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Öppningsbalanser
 DocType: Asset,Depreciation Method,avskrivnings Metod
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Är denna skatt inkluderar i Basic kursen?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Totalt Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Totalt Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Perception Analysis
 DocType: Soil Texture,Sand Composition (%),Sandkomposition (%)
 DocType: Job Applicant,Applicant for a Job,Sökande för ett jobb
 DocType: Production Plan Material Request,Production Plan Material Request,Produktionsplanen Material Begäran
@@ -2626,23 +2648,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Bedömningsmärke (av 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Huvud
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Följande objekt {0} är inte markerat som {1} objekt. Du kan aktivera dem som {1} -objekt från dess objektmastern
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",För ett objekt {0} måste kvantitet vara negativt tal
 DocType: Naming Series,Set prefix for numbering series on your transactions,Ställ prefix för nummerserie på dina transaktioner
 DocType: Employee Attendance Tool,Employees HTML,Anställda HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) måste vara aktiv för denna artikel eller dess mall
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) måste vara aktiv för denna artikel eller dess mall
 DocType: Employee,Leave Encashed?,Lämna inlösen?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Möjlighet Från fältet är obligatoriskt
 DocType: Email Digest,Annual Expenses,årliga kostnader
 DocType: Item,Variants,Varianter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Skapa beställning
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Skapa beställning
 DocType: SMS Center,Send To,Skicka Till
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Det finns inte tillräckligt ledighet balans för Lämna typ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Det finns inte tillräckligt ledighet balans för Lämna typ {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Avsatt mängd
 DocType: Sales Team,Contribution to Net Total,Bidrag till Net Total
 DocType: Sales Invoice Item,Customer's Item Code,Kundens Artikelkod
 DocType: Stock Reconciliation,Stock Reconciliation,Lager Avstämning
 DocType: Territory,Territory Name,Territorium Namn
+DocType: Email Digest,Purchase Orders to Receive,Inköpsorder att ta emot
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Pågående Arbete - Lager krävs innan du kan Skicka
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Du kan bara ha planer med samma faktureringsperiod i en prenumeration
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappad data
@@ -2661,9 +2685,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicera Löpnummer upp till punkt {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Spåra ledningar av blykälla.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,En förutsättning för en frakt Regel
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Stig på
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Stig på
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Underhållsloggen
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Ställ filter baserat på punkt eller Warehouse
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Ställ filter baserat på punkt eller Warehouse
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovikten av detta paket. (Beräknas automatiskt som summan av nettovikt av objekt)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Gör Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Rabattbeloppet får inte vara större än 100%
@@ -2672,15 +2696,15 @@
 DocType: Sales Order,To Deliver and Bill,Att leverera och Bill
 DocType: Student Group,Instructors,instruktörer
 DocType: GL Entry,Credit Amount in Account Currency,Credit Belopp i konto Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} måste lämnas in
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Aktiehantering
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} måste lämnas in
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Aktiehantering
 DocType: Authorization Control,Authorization Control,Behörighetskontroll
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rad # {0}: Avslag Warehouse är obligatoriskt mot förkastade Punkt {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Betalning
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rad # {0}: Avslag Warehouse är obligatoriskt mot förkastade Punkt {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Betalning
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",Lager {0} är inte länkat till något konto. Vänligen ange kontot i lageret eller sätt in det vanliga kontot i företaget {1}.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Hantera order
 DocType: Work Order Operation,Actual Time and Cost,Faktisk tid och kostnad
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Material Begäran om maximalt {0} kan göras till punkt {1} mot kundorder {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Material Begäran om maximalt {0} kan göras till punkt {1} mot kundorder {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Beskära Spacing
 DocType: Course,Course Abbreviation,Naturligtvis Förkortning
@@ -2692,6 +2716,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Totalt arbetstid bör inte vara större än max arbetstid {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,På
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundlade poster vid tidpunkten för försäljning.
+DocType: Delivery Settings,Dispatch Settings,Dispatch Settings
 DocType: Material Request Plan Item,Actual Qty,Faktiska Antal
 DocType: Sales Invoice Item,References,Referenser
 DocType: Quality Inspection Reading,Reading 10,Avläsning 10
@@ -2701,11 +2726,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Du har angett dubbletter. Vänligen rätta och försök igen.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Associate
 DocType: Asset Movement,Asset Movement,Asset Rörelse
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Arbetsorder {0} måste lämnas in
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,ny vagn
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Arbetsorder {0} måste lämnas in
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,ny vagn
 DocType: Taxable Salary Slab,From Amount,Från belopp
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Produktt {0} är inte en serialiserad Produkt
 DocType: Leave Type,Encashment,inlösen
+DocType: Delivery Settings,Delivery Settings,Leveransinställningar
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Hämta data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Max tillåten semester i ledighetstyp {0} är {1}
 DocType: SMS Center,Create Receiver List,Skapa Mottagare Lista
 DocType: Vehicle,Wheels,hjul
@@ -2721,7 +2748,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Faktureringsvaluta måste vara lika med antingen standardbolagets valuta eller parti konto konto valuta
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Anger att paketet är en del av denna leverans (endast utkast)
 DocType: Soil Texture,Loam,Lerjord
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Rad {0}: Förfallodatum kan inte vara innan bokningsdatum
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Rad {0}: Förfallodatum kan inte vara innan bokningsdatum
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Skapa inbetalninginlägg
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Kvantitet för artikel {0} måste vara mindre än {1}
 ,Sales Invoice Trends,Fakturan Trender
@@ -2729,12 +2756,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kan hänvisa till rad endast om avgiften är ""På föregående v Belopp"" eller ""Föregående rad Total"""
 DocType: Sales Order Item,Delivery Warehouse,Leverans Lager
 DocType: Leave Type,Earned Leave Frequency,Intjänad avgångsfrekvens
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Träd av finansiella kostnadsställen.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Subtyp
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Träd av finansiella kostnadsställen.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Subtyp
 DocType: Serial No,Delivery Document No,Leverans Dokument nr
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Se till att leverans är baserad på tillverkat serienummer
 DocType: Vital Signs,Furry,furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ställ &quot;Vinst / Förlust konto på Asset Avfallshantering &#39;i sällskap {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ställ &quot;Vinst / Förlust konto på Asset Avfallshantering &#39;i sällskap {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Hämta objekt från kvitton
 DocType: Serial No,Creation Date,Skapelsedagen
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Målplats krävs för tillgången {0}
@@ -2748,11 +2775,12 @@
 DocType: Item,Has Variants,Har Varianter
 DocType: Employee Benefit Claim,Claim Benefit For,Erfordra förmån för
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Uppdatera svar
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Du har redan valt objekt från {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Du har redan valt objekt från {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Namn på månadens distribution
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch-ID är obligatoriskt
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch-ID är obligatoriskt
 DocType: Sales Person,Parent Sales Person,Överordnad Försäljningsperson
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Inga objekt som ska tas emot är försenade
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Säljaren och köparen kan inte vara samma
 DocType: Project,Collect Progress,Samla framsteg
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2768,7 +2796,7 @@
 DocType: Bank Guarantee,Margin Money,Marginalpengar
 DocType: Budget,Budget,Budget
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Ange öppet
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Fast Asset Objektet måste vara en icke-lagervara.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Fast Asset Objektet måste vara en icke-lagervara.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan inte tilldelas mot {0}, eftersom det inte är en intäkt eller kostnad konto"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Max undantagsbelopp för {0} är {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Uppnått
@@ -2786,9 +2814,9 @@
 ,Amount to Deliver,Belopp att leverera
 DocType: Asset,Insurance Start Date,Försäkring Startdatum
 DocType: Salary Component,Flexible Benefits,Flexibla fördelar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Samma sak har skrivits in flera gånger. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Samma sak har skrivits in flera gånger. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termen Startdatum kan inte vara tidigare än året Startdatum för läsåret som termen är kopplad (läsåret {}). Rätta datum och försök igen.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Det fanns fel.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Det fanns fel.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Anställd {0} har redan ansökt om {1} mellan {2} och {3}:
 DocType: Guardian,Guardian Interests,Guardian Intressen
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Uppdatera kontonamn / nummer
@@ -2827,9 +2855,9 @@
 ,Item-wise Purchase History,Produktvis Köphistorik
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Klicka på ""Skapa schema"" för att hämta Löpnummer inlagt för artikel {0}"
 DocType: Account,Frozen,Fryst
-DocType: Delivery Note,Vehicle Type,fordonstyp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,fordonstyp
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Basbelopp (Company valuta)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Råmaterial
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Råmaterial
 DocType: Payment Reconciliation Payment,Reference Row,referens Row
 DocType: Installation Note,Installation Time,Installationstid
 DocType: Sales Invoice,Accounting Details,Redovisning Detaljer
@@ -2838,12 +2866,13 @@
 DocType: Inpatient Record,O Positive,O Positiv
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investeringarna
 DocType: Issue,Resolution Details,Åtgärds Detaljer
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Överföringstyp
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Överföringstyp
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptanskriterier
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Ange Material Begäran i ovanstående tabell
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Inga återbetalningar är tillgängliga för Journal Entry
 DocType: Hub Tracked Item,Image List,Bildlista
 DocType: Item Attribute,Attribute Name,Attribut Namn
+DocType: Subscription,Generate Invoice At Beginning Of Period,Generera faktura vid början av perioden
 DocType: BOM,Show In Website,Visa i Webbsida
 DocType: Loan Application,Total Payable Amount,Total Betalbelopp
 DocType: Task,Expected Time (in hours),Förväntad tid (i timmar)
@@ -2880,8 +2909,8 @@
 DocType: Employee,Resignation Letter Date,Avskedsbrev Datum
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Prissättning Regler ytterligare filtreras baserat på kvantitet.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Inte Inställd
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Ange datum för anslutning till anställd {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Ange datum för anslutning till anställd {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Ange datum för anslutning till anställd {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Ange datum för anslutning till anställd {0}
 DocType: Inpatient Record,Discharge,Ansvarsfrihet
 DocType: Task,Total Billing Amount (via Time Sheet),Totalt Billing Belopp (via Tidrapportering)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Upprepa kund Intäkter
@@ -2891,13 +2920,13 @@
 DocType: Chapter,Chapter,Kapitel
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Par
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Standardkonto uppdateras automatiskt i POS-faktura när det här läget är valt.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Välj BOM och Antal för produktion
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Välj BOM och Antal för produktion
 DocType: Asset,Depreciation Schedule,avskrivningsplanen
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Försäljningspartneradresser och kontakter
 DocType: Bank Reconciliation Detail,Against Account,Mot Konto
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Halv Dag Datum bör vara mellan Från datum och hittills
 DocType: Maintenance Schedule Detail,Actual Date,Faktiskt Datum
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Ange standardkostnadscentret i {0} företaget.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Ange standardkostnadscentret i {0} företaget.
 DocType: Item,Has Batch No,Har Sats nr
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Årlig Billing: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detalj
@@ -2909,7 +2938,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Skift typ
 DocType: Student,Personal Details,Personliga Detaljer
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Ställ &quot;Asset Avskrivningar kostnadsställe&quot; i bolaget {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Ställ &quot;Asset Avskrivningar kostnadsställe&quot; i bolaget {0}
 ,Maintenance Schedules,Underhålls scheman
 DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdatum (via Tidrapportering)
 DocType: Soil Texture,Soil Type,Marktyp
@@ -2917,10 +2946,10 @@
 ,Quotation Trends,Offert Trender
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Produktgruppen nämns inte i huvudprodukten för objektet {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debitering av konto måste vara ett mottagarkonto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debitering av konto måste vara ett mottagarkonto
 DocType: Shipping Rule,Shipping Amount,Fraktbelopp
 DocType: Supplier Scorecard Period,Period Score,Periodpoäng
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Lägg till kunder
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Lägg till kunder
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Väntande antal
 DocType: Lab Test Template,Special,Särskild
 DocType: Loyalty Program,Conversion Factor,Omvandlingsfaktor
@@ -2937,7 +2966,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Lägg till brevpapper
 DocType: Program Enrollment,Self-Driving Vehicle,Självkörande fordon
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverantörs Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials hittades inte för objektet {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials hittades inte för objektet {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totalt tilldelade blad {0} kan inte vara mindre än redan godkända blad {1} för perioden
 DocType: Contract Fulfilment Checklist,Requirement,Krav
 DocType: Journal Entry,Accounts Receivable,Kundreskontra
@@ -2954,16 +2983,16 @@
 DocType: Projects Settings,Timesheets,tidrapporter
 DocType: HR Settings,HR Settings,HR Inställningar
 DocType: Salary Slip,net pay info,nettolön info
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS-belopp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS-belopp
 DocType: Woocommerce Settings,Enable Sync,Aktivera synkronisering
 DocType: Tax Withholding Rate,Single Transaction Threshold,Enda transaktionströskel
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Detta värde uppdateras i standardförsäljningsprislistan.
 DocType: Email Digest,New Expenses,nya kostnader
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC-belopp
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC-belopp
 DocType: Shareholder,Shareholder,Aktieägare
 DocType: Purchase Invoice,Additional Discount Amount,Ytterligare rabatt Belopp
 DocType: Cash Flow Mapper,Position,Placera
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Hämta artiklar från recept
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Hämta artiklar från recept
 DocType: Patient,Patient Details,Patientdetaljer
 DocType: Inpatient Record,B Positive,B Positiv
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2975,8 +3004,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Grupp till icke-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sport
 DocType: Loan Type,Loan Name,Loan Namn
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Totalt Faktisk
-DocType: Lab Test UOM,Test UOM,Testa UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Totalt Faktisk
 DocType: Student Siblings,Student Siblings,elev Syskon
 DocType: Subscription Plan Detail,Subscription Plan Detail,Prenumerationsplandetaljer
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Enhet
@@ -3004,7 +3032,6 @@
 DocType: Workstation,Wages per hour,Löner per timme
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagersaldo i Batch {0} kommer att bli negativ {1} till punkt {2} på Warehouse {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Efter Material Framställningar har höjts automatiskt baserat på punkt re-order nivå
-DocType: Email Digest,Pending Sales Orders,I väntan på kundorder
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Konto {0} är ogiltig. Konto Valuta måste vara {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Från datum {0} kan inte vara efter arbetstagarens avlastningsdatum {1}
 DocType: Supplier,Is Internal Supplier,Är Intern Leverantör
@@ -3013,13 +3040,14 @@
 DocType: Healthcare Settings,Remind Before,Påminn före
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM omräkningsfaktor i rad {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av kundorder, försäljningsfakturan eller journalanteckning"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av kundorder, försäljningsfakturan eller journalanteckning"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojalitetspoäng = Hur mycket basvaluta?
 DocType: Salary Component,Deduction,Avdrag
 DocType: Item,Retain Sample,Behåll provet
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Rad {0}: Från tid och till tid är obligatorisk.
 DocType: Stock Reconciliation Item,Amount Difference,mängd Skillnad
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Artikel Pris till för {0} i prislista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Artikel Pris till för {0} i prislista {1}
+DocType: Delivery Stop,Order Information,Beställningsinformation
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ange anställnings Id för denna säljare
 DocType: Territory,Classification of Customers by region,Klassificering av kunder per region
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,I produktion
@@ -3030,8 +3058,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Beräknat Kontoutdrag balans
 DocType: Normal Test Template,Normal Test Template,Normal testmall
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,inaktiverad användare
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Offert
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Kan inte ställa in en mottagen RFQ till No Quote
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Offert
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Kan inte ställa in en mottagen RFQ till No Quote
 DocType: Salary Slip,Total Deduction,Totalt Avdrag
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Välj ett konto för att skriva ut i kontovaluta
 ,Production Analytics,produktions~~POS=TRUNC Analytics
@@ -3044,14 +3072,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverans Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Bedömningsplan Namn
 DocType: Work Order Operation,Work Order Operation,Arbetsorderoperation
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Varning: Ogiltig SSL-certifikat på fäst {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Varning: Ogiltig SSL-certifikat på fäst {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Leads hjälpa dig att få verksamheten, lägga till alla dina kontakter och mer som dina leder"
 DocType: Work Order Operation,Actual Operation Time,Faktisk driftstid
 DocType: Authorization Rule,Applicable To (User),Är tillämpligt för (Användare)
 DocType: Purchase Taxes and Charges,Deduct,Dra av
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Arbetsbeskrivning
 DocType: Student Applicant,Applied,Applicerad
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Återuppta
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Återuppta
 DocType: Sales Invoice Item,Qty as per Stock UOM,Antal per lager UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Namn
 DocType: Attendance,Attendance Request,Närvaroförfrågan
@@ -3069,7 +3097,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Löpnummer {0} är under garanti upp till {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minsta tillåtet värde
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Användaren {0} finns redan
-apps/erpnext/erpnext/hooks.py +114,Shipments,Transporter
+apps/erpnext/erpnext/hooks.py +115,Shipments,Transporter
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Sammanlagda anslaget (Company valuta)
 DocType: Purchase Order Item,To be delivered to customer,Som skall levereras till kund
 DocType: BOM,Scrap Material Cost,Skrot Material Kostnad
@@ -3077,11 +3105,12 @@
 DocType: Grant Application,Email Notification Sent,E-postmeddelande skickat
 DocType: Purchase Invoice,In Words (Company Currency),I ord (Företagsvaluta)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Företaget är manadatoriskt för företagskonto
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Artikelnummer, lager, kvantitet krävs på rad"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Artikelnummer, lager, kvantitet krävs på rad"
 DocType: Bank Guarantee,Supplier,Leverantör
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Hämta Från
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Detta är en rotavdelning och kan inte redigeras.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Visa betalningsdetaljer
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Varaktighet i dagar
 DocType: C-Form,Quarter,Kvartal
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Diverse Utgifter
 DocType: Global Defaults,Default Company,Standard Company
@@ -3089,7 +3118,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Utgift eller differens konto är obligatoriskt för punkt {0} som den påverkar totala lagervärdet
 DocType: Bank,Bank Name,Bank Namn
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Ovan
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Lämna fältet tomt för att göra inköpsorder för alla leverantörer
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Lämna fältet tomt för att göra inköpsorder för alla leverantörer
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item
 DocType: Vital Signs,Fluid,Vätska
 DocType: Leave Application,Total Leave Days,Totalt semesterdagar
@@ -3099,7 +3128,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Alternativ för varianter av varianter
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Välj Företaget ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Lämna tomt om det anses vara för alla avdelningar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} är obligatoriskt för punkt {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} är obligatoriskt för punkt {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Artikel {0}: {1} Antal producerade,"
 DocType: Payroll Entry,Fortnightly,Var fjortonde dag
 DocType: Currency Exchange,From Currency,Från Valuta
@@ -3149,7 +3178,7 @@
 DocType: Account,Fixed Asset,Fast tillgångar
 DocType: Amazon MWS Settings,After Date,Efter datum
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serial numrerade Inventory
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Ogiltig {0} för Inter Company Faktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Ogiltig {0} för Inter Company Faktura.
 ,Department Analytics,Department Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-post hittades inte i standardkontakt
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Generera hemlighet
@@ -3168,6 +3197,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,vd
 DocType: Purchase Invoice,With Payment of Tax,Med betalning av skatt
 DocType: Expense Claim Detail,Expense Claim Detail,Räkningen Detalj
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vänligen installera Instruktör Naming System i Utbildning&gt; Utbildningsinställningar
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAT FÖR LEVERANTÖR
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Ny balans i basvaluta
 DocType: Location,Is Container,Är Container
@@ -3175,13 +3205,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Välj rätt konto
 DocType: Salary Structure Assignment,Salary Structure Assignment,Lönestrukturuppdrag
 DocType: Purchase Invoice Item,Weight UOM,Vikt UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Förteckning över tillgängliga aktieägare med folienummer
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Förteckning över tillgängliga aktieägare med folienummer
 DocType: Salary Structure Employee,Salary Structure Employee,Lönestruktur anställd
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Visa variantegenskaper
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Visa variantegenskaper
 DocType: Student,Blood Group,Blodgrupp
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Betalningsgateway-kontot i plan {0} skiljer sig från betalnings gateway-kontot i denna betalningsförfrågan
 DocType: Course,Course Name,KURSNAMN
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Inga skatteinnehållsuppgifter hittades för det aktuella räkenskapsåret.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Inga skatteinnehållsuppgifter hittades för det aktuella räkenskapsåret.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Användare som kan godkänna en specifik arbetstagarens ledighet applikationer
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Kontorsutrustning
 DocType: Purchase Invoice Item,Qty,Antal
@@ -3189,6 +3219,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Scoring Setup
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronik
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Tillåt samma artikel flera gånger
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Höj material Begäran när lager når ombeställningsnivåer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Heltid
 DocType: Payroll Entry,Employees,Anställda
@@ -3200,11 +3231,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Betalningsbekräftelse
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Priserna kommer inte att visas om prislista inte är inställd
 DocType: Stock Entry,Total Incoming Value,Totalt Inkommande Värde
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debitering krävs
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debitering krävs
 DocType: Clinical Procedure,Inpatient Record,Inpatient Record
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Tidrapporter hjälpa till att hålla reda på tid, kostnad och fakturering för aktiviteter som utförts av ditt team"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Inköps Prislista
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Datum för transaktion
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Inköps Prislista
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Datum för transaktion
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Mallar med leverantörsspecifika variabler.
 DocType: Job Offer Term,Offer Term,Erbjudandet Villkor
 DocType: Asset,Quality Manager,Kvalitetsansvarig
@@ -3225,11 +3256,11 @@
 DocType: Cashier Closing,To Time,Till Time
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) för {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Godkännande Roll (ovan auktoriserad värde)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredit till konto måste vara en skuld konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredit till konto måste vara en skuld konto
 DocType: Loan,Total Amount Paid,Summa Betald Betalning
 DocType: Asset,Insurance End Date,Försäkrings slutdatum
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Vänligen välj Studenttillträde, vilket är obligatoriskt för den studerande som betalas"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan inte vara över eller barn under {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan inte vara över eller barn under {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Budgetlista
 DocType: Work Order Operation,Completed Qty,Avslutat Antal
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",För {0} kan bara debitkonton länkas mot en annan kreditering
@@ -3237,7 +3268,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialiserat objekt {0} kan inte uppdateras med Stock Avstämning, använd varningsinmatning"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialiserat objekt {0} kan inte uppdateras med Stock Avstämning, använd varningsinmatning"
 DocType: Training Event Employee,Training Event Employee,Utbildning Händelse anställd
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximala prov - {0} kan behållas för sats {1} och punkt {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Maximala prov - {0} kan behållas för sats {1} och punkt {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Lägg till tidsluckor
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienummer krävs för punkt {1}. Du har gett {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Nuvarande värderingensomsättning
@@ -3268,11 +3299,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Löpnummer {0} hittades inte
 DocType: Fee Schedule Program,Fee Schedule Program,Avgiftsschema Program
 DocType: Fee Schedule Program,Student Batch,elev Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Ta bort medarbetaren <a href=""#Form/Employee/{0}"">{0}</a> \ för att avbryta det här dokumentet"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,gör Student
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min betyg
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Hälso- och sjukvårdstjänstenhet
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Du har blivit inbjuden att samarbeta i projektet: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Du har blivit inbjuden att samarbeta i projektet: {0}
 DocType: Supplier Group,Parent Supplier Group,Moderbolaget
+DocType: Email Digest,Purchase Orders to Bill,Beställningar till Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Ackumulerade värden i koncernföretaget
 DocType: Leave Block List Date,Block Date,Block Datum
 DocType: Crop,Crop,Beskära
@@ -3285,6 +3319,7 @@
 DocType: Sales Order,Not Delivered,Inte Levererad
 ,Bank Clearance Summary,Banken Clearance Sammanfattning
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Skapa och hantera dagliga, vecko- och månads epostflöden."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Detta baseras på transaktioner mot denna säljare. Se tidslinjen nedan för detaljer
 DocType: Appraisal Goal,Appraisal Goal,Bedömning Mål
 DocType: Stock Reconciliation Item,Current Amount,nuvarande belopp
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Byggnader
@@ -3311,7 +3346,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Mjukvara
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Next Kontakt Datum kan inte vara i det förflutna
 DocType: Company,For Reference Only.,För referens.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Välj batchnummer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Välj batchnummer
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Ogiltigt {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referens Inv
@@ -3329,16 +3364,16 @@
 DocType: Normal Test Items,Require Result Value,Kräver resultatvärde
 DocType: Item,Show a slideshow at the top of the page,Visa ett bildspel på toppen av sidan
 DocType: Tax Withholding Rate,Tax Withholding Rate,Skattesats
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,stycklistor
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Butiker
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,stycklistor
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Butiker
 DocType: Project Type,Projects Manager,Projekt Chef
 DocType: Serial No,Delivery Time,Leveranstid
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Åldring Baserad på
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Avtalet avbröts
 DocType: Item,End of Life,Uttjänta
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Resa
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Resa
 DocType: Student Report Generation Tool,Include All Assessment Group,Inkludera alla bedömningsgrupper
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktiv eller standard lönestruktur hittades för arbetstagare {0} för de givna datum
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktiv eller standard lönestruktur hittades för arbetstagare {0} för de givna datum
 DocType: Leave Block List,Allow Users,Tillåt användare
 DocType: Purchase Order,Customer Mobile No,Kund Mobil nr
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kassaflödesmallar Detaljer
@@ -3347,15 +3382,16 @@
 DocType: Rename Tool,Rename Tool,Ändrings Verktyget
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Uppdatera Kostnad
 DocType: Item Reorder,Item Reorder,Produkt Ändra ordning
+DocType: Delivery Note,Mode of Transport,Transportsätt
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Visa lönebesked
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfermaterial
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfermaterial
 DocType: Fees,Send Payment Request,Skicka betalningsförfrågan
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Ange verksamhet, driftskostnad och ger en unik drift nej till din verksamhet."
 DocType: Travel Request,Any other details,Eventuella detaljer
 DocType: Water Analysis,Origin,Ursprung
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Detta dokument är över gränsen med {0} {1} för posten {4}. Är du göra en annan {3} mot samma {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Ställ återkommande efter att ha sparat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Välj förändringsbelopp konto
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Ställ återkommande efter att ha sparat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Välj förändringsbelopp konto
 DocType: Purchase Invoice,Price List Currency,Prislista Valuta
 DocType: Naming Series,User must always select,Användaren måste alltid välja
 DocType: Stock Settings,Allow Negative Stock,Tillåt Negativ lager
@@ -3376,9 +3412,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,spårbarhet
 DocType: Asset Maintenance Log,Actions performed,Åtgärder utförda
 DocType: Cash Flow Mapper,Section Leader,Sektionsledare
+DocType: Delivery Note,Transport Receipt No,Transport kvitto nr
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Källa fonderna (skulder)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Källa och målplats kan inte vara samma
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kvantitet i rad {0} ({1}) måste vara samma som tillverkad mängd {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kvantitet i rad {0} ({1}) måste vara samma som tillverkad mängd {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Anställd
 DocType: Bank Guarantee,Fixed Deposit Number,Fast Deponeringsnummer
 DocType: Asset Repair,Failure Date,Fel datum
@@ -3392,16 +3429,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Betalnings Avdrag eller förlust
 DocType: Soil Analysis,Soil Analysis Criterias,Kriterier för markanalys
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standard avtalsvillkor för försäljning eller köp.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Är du säker på att du vill avbryta detta möte?
+DocType: BOM Item,Item operation,Artikeloperation
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Är du säker på att du vill avbryta detta möte?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Hotellrumsprispaket
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales Pipeline
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Sales Pipeline
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Ställ in standardkonto i lönedel {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Obligatorisk På
 DocType: Rename Tool,File to Rename,Fil att byta namn på
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Välj BOM till punkt i rad {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Hämta prenumerationsuppdateringar
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} matchar inte företaget {1} i Konto: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Fastställt BOM {0} finns inte till punkt {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Fastställt BOM {0} finns inte till punkt {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kurs:
 DocType: Soil Texture,Sandy Loam,Sandig blandjord
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Underhållsschema {0} måste avbrytas innanman kan dra avbryta kundorder
@@ -3410,7 +3448,7 @@
 DocType: Notification Control,Expense Claim Approved,Räkningen Godkänd
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Ställ in förskott och fördela (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Inga arbetsorder skapade
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Lönebesked av personal {0} redan skapats för denna period
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Lönebesked av personal {0} redan skapats för denna period
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Farmaceutiska
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Du kan bara skicka lämna kollaps för ett giltigt inkasseringsbelopp
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnad för köpta varor
@@ -3418,7 +3456,8 @@
 DocType: Selling Settings,Sales Order Required,Kundorder krävs
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Bli en säljare
 DocType: Purchase Invoice,Credit To,Kredit till
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktiva Leads / Kunder
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktiva Leads / Kunder
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Lämna tomt för att använda standardleveransnotatformatet
 DocType: Employee Education,Post Graduate,Betygsinlägg
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Underhållsschema Detalj
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Varning för nya inköpsorder
@@ -3432,14 +3471,14 @@
 DocType: Support Search Source,Post Title Key,Posttitelnyckel
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,För jobbkort
 DocType: Warranty Claim,Raised By,Höjt av
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,recept
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,recept
 DocType: Payment Gateway Account,Payment Account,Betalningskonto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Ange vilket bolag för att fortsätta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Ange vilket bolag för att fortsätta
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Nettoförändring av kundfordringar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Kompensations Av
 DocType: Job Offer,Accepted,Godkända
 DocType: POS Closing Voucher,Sales Invoices Summary,Sammanfattning av försäljningsfakturor
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Till partnamn
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Till partnamn
 DocType: Grant Application,Organization,Organisation
 DocType: Grant Application,Organization,Organisation
 DocType: BOM Update Tool,BOM Update Tool,BOM Update Tool
@@ -3449,7 +3488,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Se till att du verkligen vill ta bort alla transaktioner för företag. Dina basdata kommer att förbli som det är. Denna åtgärd kan inte ångras.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,sökresultat
 DocType: Room,Room Number,Rumsnummer
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Ogiltig referens {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Ogiltig referens {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan inte vara större än planerad kvantitet ({2}) i produktionsorder {3}
 DocType: Shipping Rule,Shipping Rule Label,Frakt Regel Etikett
 DocType: Journal Entry Account,Payroll Entry,Löneinmatning
@@ -3457,8 +3496,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Gör Skattemall
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Användarforum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Råvaror kan inte vara tomt.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Rad # {0} (Betalnings tabell): Beloppet måste vara negativt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Det gick inte att uppdatera lager, faktura innehåller släppa sjöfarten objekt."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Rad # {0} (Betalnings tabell): Beloppet måste vara negativt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Det gick inte att uppdatera lager, faktura innehåller släppa sjöfarten objekt."
 DocType: Contract,Fulfilment Status,Uppfyllningsstatus
 DocType: Lab Test Sample,Lab Test Sample,Lab Test Prov
 DocType: Item Variant Settings,Allow Rename Attribute Value,Tillåt Byt namn på attributvärde
@@ -3500,11 +3539,11 @@
 DocType: BOM,Show Operations,Visa Operations
 ,Minutes to First Response for Opportunity,Minuter till First Response för Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Totalt Frånvarande
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Produkt eller Lager för rad {0} matchar inte Materialförfrågan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Produkt eller Lager för rad {0} matchar inte Materialförfrågan
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Måttenhet
 DocType: Fiscal Year,Year End Date,År Slutdatum
 DocType: Task Depends On,Task Depends On,Uppgift Beror på
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Möjlighet
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Möjlighet
 DocType: Operation,Default Workstation,Standard arbetsstation
 DocType: Notification Control,Expense Claim Approved Message,Räkningen Godkänd Meddelande
 DocType: Payment Entry,Deductions or Loss,Avdrag eller förlust
@@ -3542,21 +3581,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Godkända användare kan inte vara samma användare som regeln är tillämpad på
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (enligt Stock UOM)
 DocType: SMS Log,No of Requested SMS,Antal Begärd SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Lämna utan lön inte stämmer överens med godkända Lämna ansökan registrerar
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Lämna utan lön inte stämmer överens med godkända Lämna ansökan registrerar
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Nästa steg
 DocType: Travel Request,Domestic,Inhemsk
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Ange de specificerade poster till bästa möjliga pris
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Ange de specificerade poster till bästa möjliga pris
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Anställningsöverföring kan inte lämnas in före överlämningsdatum
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Skapa Faktura
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Återstående balans
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Återstående balans
 DocType: Selling Settings,Auto close Opportunity after 15 days,Stäng automatiskt Affärsmöjlighet efter 15 dagar
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Inköpsorder är inte tillåtna för {0} på grund av ett scorecard med {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Streckkoden {0} är inte en giltig {1} kod
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Streckkoden {0} är inte en giltig {1} kod
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,slut År
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Bly%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Bly%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Kontraktets Slutdatum måste vara större än Datum för inträde
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Kontraktets Slutdatum måste vara större än Datum för inträde
 DocType: Driver,Driver,Förare
 DocType: Vital Signs,Nutrition Values,Näringsvärden
 DocType: Lab Test Template,Is billable,Är fakturerbar
@@ -3567,7 +3606,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Detta är ett exempel webbplats automatiskt genererade från ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Åldringsräckvidd 1
 DocType: Shopify Settings,Enable Shopify,Aktivera Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Det totala förskottsbeloppet får inte vara större än det totala beloppet
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Det totala förskottsbeloppet får inte vara större än det totala beloppet
 DocType: Purchase Taxes and Charges Template,"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
@@ -3594,12 +3633,12 @@
 DocType: Employee Separation,Employee Separation,Anställd separering
 DocType: BOM Item,Original Item,Ursprunglig artikel
 DocType: Purchase Receipt Item,Recd Quantity,Recd Kvantitet
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Datum
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Datum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Arvodes Records Skapad - {0}
 DocType: Asset Category Account,Asset Category Account,Tillgångsslag konto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Rad # {0} (Betalnings tabell): Beloppet måste vara positivt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Rad # {0} (Betalnings tabell): Beloppet måste vara positivt
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Det går inte att producera mer artiklar {0} än kundorderns mängd {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Välj Attributvärden
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Välj Attributvärden
 DocType: Purchase Invoice,Reason For Issuing document,Orsak för att utfärda dokument
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Entry {0} är inte lämnat
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / Konto
@@ -3608,8 +3647,10 @@
 DocType: Asset,Manual,Manuell
 DocType: Salary Component Account,Salary Component Account,Lönedel konto
 DocType: Global Defaults,Hide Currency Symbol,Dölj Valutasymbol
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Försäljningsmöjligheter enligt källa
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Donorinformation.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","t.ex. bank, kontanter, kreditkort"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vänligen uppsätt nummerserien för deltagande via Inställningar&gt; Numreringsserie
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","t.ex. bank, kontanter, kreditkort"
 DocType: Job Applicant,Source Name,käll~~POS=TRUNC
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal vilande blodtryck hos en vuxen är cirka 120 mmHg systolisk och 80 mmHg diastolisk, förkortad &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Ställ objektens hållbarhetstid på dagar, för att ställa utgången baserat på manufacturing_date plus självlivet"
@@ -3639,7 +3680,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},För kvantitet måste vara mindre än kvantitet {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rad {0}: Startdatum måste vara före slutdatum
 DocType: Salary Component,Max Benefit Amount (Yearly),Max förmånsbelopp (Årlig)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS-ränta%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS-ränta%
 DocType: Crop,Planting Area,Planteringsområde
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Totalt (Antal)
 DocType: Installation Note Item,Installed Qty,Installerat antal
@@ -3661,8 +3702,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Lämna godkännandemeddelande
 DocType: Buying Settings,Default Buying Price List,Standard Inköpslista
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Lön Slip Baserat på Tidrapport
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Köpkurs
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Rad {0}: Ange plats för tillgångsobjektet {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Köpkurs
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Rad {0}: Ange plats för tillgångsobjektet {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Om företaget
 DocType: Notification Control,Sales Order Message,Kundorder Meddelande
@@ -3729,10 +3770,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,För rad {0}: Ange planerad mängd
 DocType: Account,Income Account,Inkomst konto
 DocType: Payment Request,Amount in customer's currency,Belopp i kundens valuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Leverans
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Leverans
 DocType: Volunteer,Weekdays,vardagar
 DocType: Stock Reconciliation Item,Current Qty,Aktuellt Antal
 DocType: Restaurant Menu,Restaurant Menu,Restaurangmeny
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Lägg till leverantörer
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Hjälpavsnitt
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Föregående
@@ -3744,19 +3786,20 @@
 												fullfill Sales Order {2}",Kan inte leverera serienumret {0} av punkt {1} eftersom det är reserverat för \ fullfill Försäljningsorder {2}
 DocType: Item Reorder,Material Request Type,Typ av Materialbegäran
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Skicka Grant Review Email
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Localstorage är full, inte spara"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: UOM Omvandlingsfaktor är obligatorisk
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Localstorage är full, inte spara"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: UOM Omvandlingsfaktor är obligatorisk
 DocType: Employee Benefit Claim,Claim Date,Ansökningsdatum
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Rumskapacitet
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Det finns redan en post för objektet {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Du kommer att förlora register över tidigare genererade fakturor. Är du säker på att du vill starta om den här prenumerationen?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Anmälningsavgift
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojalitetsprogram Samling
 DocType: Stock Entry Detail,Subcontracted Item,Underleverantörsartikel
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Student {0} tillhör inte gruppen {1}
 DocType: Budget,Cost Center,Kostnadscenter
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Rabatt #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Rabatt #
 DocType: Notification Control,Purchase Order Message,Inköpsorder Meddelande
 DocType: Tax Rule,Shipping Country,Frakt Land
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Hide Kundens Tax Id från Försäljningstransaktioner
@@ -3775,23 +3818,22 @@
 DocType: Subscription,Cancel At End Of Period,Avbryt vid slutet av perioden
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Egenskapen är redan tillagd
 DocType: Item Supplier,Item Supplier,Produkt Leverantör
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Ange Artikelkod att få batchnr
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Välj ett värde för {0} offert_till {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Ange Artikelkod att få batchnr
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Välj ett värde för {0} offert_till {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Inga objekt valda för överföring
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alla adresser.
 DocType: Company,Stock Settings,Stock Inställningar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammanslagning är endast möjligt om följande egenskaper är desamma i båda posterna. Är gruppen, Root typ, Företag"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammanslagning är endast möjligt om följande egenskaper är desamma i båda posterna. Är gruppen, Root typ, Företag"
 DocType: Vehicle,Electric,Elektrisk
 DocType: Task,% Progress,% framsteg
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Vinst / förlust på Asset Avfallshantering
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Endast studentansökaren med statusen &quot;Godkänd&quot; kommer att väljas i tabellen nedan.
 DocType: Tax Withholding Category,Rates,Priser
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Kontonummer för konto {0} är inte tillgängligt. <br> Ställ in din kontoplan korrekt.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Kontonummer för konto {0} är inte tillgängligt. <br> Ställ in din kontoplan korrekt.
 DocType: Task,Depends on Tasks,Beror på Uppgifter
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Hantera Kundgruppsträd.
 DocType: Normal Test Items,Result Value,Resultatvärde
 DocType: Hotel Room,Hotels,hotell
-DocType: Delivery Note,Transporter Date,Transporter Datum
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nytt kostnadsställe Namn
 DocType: Leave Control Panel,Leave Control Panel,Lämna Kontrollpanelen
 DocType: Project,Task Completion,uppgift Slutförande
@@ -3838,11 +3880,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Alla bedömningsgrupper
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Ny Lager Namn
 DocType: Shopify Settings,App Type,App typ
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Totalt {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Totalt {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Territorium
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Ange antal besökare (krävs)
 DocType: Stock Settings,Default Valuation Method,Standardvärderingsmetod
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Avgift
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Visa kumulativ mängd
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Uppdatering pågår. Det kan ta ett tag.
 DocType: Production Plan Item,Produced Qty,Producerad mängd
 DocType: Vehicle Log,Fuel Qty,bränsle Antal
@@ -3850,7 +3893,7 @@
 DocType: Work Order Operation,Planned Start Time,Planerad starttid
 DocType: Course,Assessment,Värdering
 DocType: Payment Entry Reference,Allocated,Tilldelad
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Stäng balansräkning och bokföringsmässig vinst eller förlust.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Stäng balansräkning och bokföringsmässig vinst eller förlust.
 DocType: Student Applicant,Application Status,ansökan Status
 DocType: Additional Salary,Salary Component Type,Lönkomponenttyp
 DocType: Sensitivity Test Items,Sensitivity Test Items,Känslighetstestpunkter
@@ -3861,10 +3904,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Totala utestående beloppet
 DocType: Sales Partner,Targets,Mål
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Vänligen registrera SIREN-numret i företagsinformationsfilen
+DocType: Email Digest,Sales Orders to Bill,Försäljningsorder till Bill
 DocType: Price List,Price List Master,Huvudprislista
 DocType: GST Account,CESS Account,CESS-konto
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Alla försäljningstransaktioner kan märkas mot flera ** säljare ** så att du kan ställa in och övervaka mål.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Länk till materialförfrågan
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Länk till materialförfrågan
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forumaktivitet
 ,S.O. No.,SÅ Nej
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Bankräkning Transaktionsinställningsobjekt
@@ -3879,7 +3923,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Detta är en rot kundgrupp och kan inte ändras.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Åtgärd om ackumulerad månadsbudget överskrider PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Att placera
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Att placera
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valutakursomvärdering
 DocType: POS Profile,Ignore Pricing Rule,Ignorera Prisregler
 DocType: Employee Education,Graduate,Examinera
@@ -3916,6 +3960,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Ange standardkund i Restauranginställningar
 ,Salary Register,lön Register
 DocType: Warehouse,Parent Warehouse,moderLager
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Diagram
 DocType: Subscription,Net Total,Netto Totalt
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Standard BOM hittades inte för punkt {0} och projekt {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Definiera olika lån typer
@@ -3948,24 +3993,26 @@
 DocType: Membership,Membership Status,Medlemsstatus
 DocType: Travel Itinerary,Lodging Required,Logi krävs
 ,Requested,Begärd
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Anmärkningar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Anmärkningar
 DocType: Asset,In Maintenance,Under underhåll
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klicka på den här knappen för att dra dina försäljningsorderdata från Amazon MWS.
 DocType: Vital Signs,Abdomen,Buk
 DocType: Purchase Invoice,Overdue,Försenad
 DocType: Account,Stock Received But Not Billed,Stock mottagits men inte faktureras
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Root Hänsyn måste vara en grupp
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Root Hänsyn måste vara en grupp
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Loan,Repaid/Closed,Återbetalas / Stängd
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Totala projicerade Antal
 DocType: Monthly Distribution,Distribution Name,Distributions Namn
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Inkludera UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Värderingsfrekvensen hittades inte för objektet {0}, vilket krävs för att göra bokföringsuppgifter för {1} {2}. Om objektet handlar som en nollvärdesfaktor i {1}, ange det i {1} Item-tabellen. Annars kan du skapa en inkommande aktieaffär för objektet eller ange värderingsfrekvensen i objektposten och försök sedan skicka in / av den här posten"
 DocType: Course,Course Code,Kurskod
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Kvalitetskontroll krävs för punkt {0}
 DocType: Location,Parent Location,Parent Location
 DocType: POS Settings,Use POS in Offline Mode,Använd POS i offline-läge
 DocType: Supplier Scorecard,Supplier Variables,Leverantörsvariabler
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} är obligatorisk. Kanske Valutaväxlingsrekord är inte skapad för {1} till {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,I takt med vilket vilken kundens valuta omvandlas till företagets basvaluta
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Netto kostnad (Företagsvaluta)
 DocType: Salary Detail,Condition and Formula Help,Tillstånd och Formel Hjälp
@@ -3974,19 +4021,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Försäljning Faktura
 DocType: Journal Entry Account,Party Balance,Parti Balans
 DocType: Cash Flow Mapper,Section Subtotal,Sektion Subtotal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Välj Verkställ rabatt på
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Välj Verkställ rabatt på
 DocType: Stock Settings,Sample Retention Warehouse,Provhållningslager
 DocType: Company,Default Receivable Account,Standard Mottagarkonto
 DocType: Purchase Invoice,Deemed Export,Fördjupad export
 DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer för Tillverkning
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rabatt Procent kan appliceras antingen mot en prislista eller för alla prislistor.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Kontering för lager
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Kontering för lager
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Du har redan bedömt för bedömningskriterierna {}.
 DocType: Vehicle Service,Engine Oil,Motorolja
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Arbetsorder skapade: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Arbetsorder skapade: {0}
 DocType: Sales Invoice,Sales Team1,Försäljnings Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Punkt {0} inte existerar
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Punkt {0} inte existerar
 DocType: Sales Invoice,Customer Address,Kundadress
 DocType: Loan,Loan Details,Loan Detaljer
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Misslyckades med att ställa in postbolags fixturer
@@ -4007,34 +4054,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Visa denna bildspel längst upp på sidan
 DocType: BOM,Item UOM,Produkt UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Skattebelopp efter rabatt Belopp (Company valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Target lager är obligatoriskt för rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Target lager är obligatoriskt för rad {0}
 DocType: Cheque Print Template,Primary Settings,primära inställningar
 DocType: Attendance Request,Work From Home,Arbeta hemifrån
 DocType: Purchase Invoice,Select Supplier Address,Välj Leverantör Adress
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Lägg till anställda
 DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontroll
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Liten
 DocType: Company,Standard Template,standardmall
 DocType: Training Event,Theory,Teori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Varning: Material Begärt Antal är mindre än Minimum Antal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Varning: Material Begärt Antal är mindre än Minimum Antal
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Kontot {0} är fruset
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk person / Dotterbolag med en separat kontoplan som tillhör organisationen.
 DocType: Payment Request,Mute Email,Mute E
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Mat, dryck och tobak"
 DocType: Account,Account Number,Kontonummer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Kan bara göra betalning mot ofakturerade {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Provisionshastighet kan inte vara större än 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Kan bara göra betalning mot ofakturerade {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Provisionshastighet kan inte vara större än 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Tilldela förskott automatiskt (FIFO)
 DocType: Volunteer,Volunteer,Volontär
 DocType: Buying Settings,Subcontract,Subkontrakt
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Ange {0} först
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Inga svar från
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Inga svar från
 DocType: Work Order Operation,Actual End Time,Faktiskt Sluttid
 DocType: Item,Manufacturer Part Number,Tillverkarens varunummer
 DocType: Taxable Salary Slab,Taxable Salary Slab,Skattlig löneskiva
 DocType: Work Order Operation,Estimated Time and Cost,Beräknad tid och kostnad
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Skörda namn
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Endast användare med {0} -roll kan registrera sig på Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Endast användare med {0} -roll kan registrera sig på Marketplace
 DocType: SMS Log,No of Sent SMS,Antal skickade SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Möten och möten
@@ -4063,7 +4111,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Ändra kod
 DocType: Purchase Invoice Item,Valuation Rate,Värderings betyg
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Prislista Valuta inte valt
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Prislista Valuta inte valt
 DocType: Purchase Invoice,Availed ITC Cess,Utnyttjade ITC Cess
 ,Student Monthly Attendance Sheet,Student Monthly Närvaro Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Fraktregeln gäller endast för Försäljning
@@ -4080,7 +4128,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Hantera Försäljning Partners.
 DocType: Quality Inspection,Inspection Type,Inspektionstyp
 DocType: Fee Validity,Visited yet,Besökt ännu
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Lager med befintlig transaktion kan inte konverteras till gruppen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Lager med befintlig transaktion kan inte konverteras till gruppen.
 DocType: Assessment Result Tool,Result HTML,resultat HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hur ofta ska projektet och företaget uppdateras baserat på försäljningstransaktioner.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Går ut den
@@ -4088,7 +4136,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Välj {0}
 DocType: C-Form,C-Form No,C-form Nr
 DocType: BOM,Exploded_items,Vidgade_artiklar
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Distans
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Distans
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Lista dina produkter eller tjänster som du köper eller säljer.
 DocType: Water Analysis,Storage Temperature,Förvaringstemperatur
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4104,19 +4152,19 @@
 DocType: Shopify Settings,Delivery Note Series,Serie för leveransnotering
 DocType: Purchase Order Item,Returned Qty,Återvände Antal
 DocType: Student,Exit,Utgång
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Root Type är obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Root Type är obligatorisk
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Misslyckades med att installera förinställningar
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Konvertering i timmar
 DocType: Contract,Signee Details,Signee Detaljer
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} har för närvarande ett {1} leverantörscorekort och RFQs till denna leverantör bör utfärdas med försiktighet.
 DocType: Certified Consultant,Non Profit Manager,Non Profit Manager
 DocType: BOM,Total Cost(Company Currency),Totalkostnad (Company valuta)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Löpnummer {0} skapades
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Löpnummer {0} skapades
 DocType: Homepage,Company Description for website homepage,Beskrivning av företaget för webbplats hemsida
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","För att underlätta för kunderna, kan dessa koder användas i utskriftsformat som fakturor och följesedlar"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Namn
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Det gick inte att hämta information för {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Öppningsdatum Journal
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Öppningsdatum Journal
 DocType: Contract,Fulfilment Terms,Uppfyllningsvillkor
 DocType: Sales Invoice,Time Sheet List,Tidrapportering Lista
 DocType: Employee,You can enter any date manually,Du kan ange något datum manuellt
@@ -4152,7 +4200,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Din organisation
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Hoppa överlåtetilldelning för följande anställda, eftersom överföringsposter redan existerar mot dem. {0}"
 DocType: Fee Component,Fees Category,avgifter Kategori
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Ange avlösningsdatum.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Ange avlösningsdatum.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Ant
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Detaljer om Sponsor (Namn, Plats)"
 DocType: Supplier Scorecard,Notify Employee,Meddela medarbetare
@@ -4165,9 +4213,9 @@
 DocType: Company,Chart Of Accounts Template,Konto Mall
 DocType: Attendance,Attendance Date,Närvaro Datum
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Uppdateringslagret måste vara aktiverat för inköpsfakturan {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Artikel Pris uppdaterad för {0} i prislista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Artikel Pris uppdaterad för {0} i prislista {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lön upplösning baserat på inkomster och avdrag.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Konto med underordnade noder kan inte omvandlas till liggaren
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Konto med underordnade noder kan inte omvandlas till liggaren
 DocType: Purchase Invoice Item,Accepted Warehouse,Godkänt Lager
 DocType: Bank Reconciliation Detail,Posting Date,Bokningsdatum
 DocType: Item,Valuation Method,Värderingsmetod
@@ -4204,6 +4252,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Var god välj ett parti
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Rese- och kostnadskrav
 DocType: Sales Invoice,Redemption Cost Center,Inlösenkostnadscenter
+DocType: QuickBooks Migrator,Scope,Omfattning
 DocType: Assessment Group,Assessment Group Name,Bedömning Gruppnamn
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Överfört för tillverkning
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Lägg till i detaljer
@@ -4211,6 +4260,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Senast synkroniserad datetime
 DocType: Landed Cost Item,Receipt Document Type,Kvitto Document Type
 DocType: Daily Work Summary Settings,Select Companies,Välj företag
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Förslag / pris offert
 DocType: Antibiotic,Healthcare,Sjukvård
 DocType: Target Detail,Target Detail,Måldetaljer
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Enstaka variant
@@ -4220,6 +4270,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Period Utgående Post
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Välj avdelning ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Kostnadsställe med befintliga transaktioner kan inte omvandlas till grupp
+DocType: QuickBooks Migrator,Authorization URL,Auktoriseringsadress
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Mängden {0} {1} {2} {3}
 DocType: Account,Depreciation,Avskrivningar
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Antal aktier och aktienumren är inkonsekventa
@@ -4242,13 +4293,14 @@
 DocType: Support Search Source,Source DocType,Källa DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Öppna en ny biljett
 DocType: Training Event,Trainer Email,Trainer E
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Material Begäran {0} skapades
 DocType: Restaurant Reservation,No of People,Antal människor
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Mall av termer eller kontrakt.
 DocType: Bank Account,Address and Contact,Adress och Kontakt
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Är leverantörsskuld
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Lager kan inte uppdateras mot inköpskvitto {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Lager kan inte uppdateras mot inköpskvitto {0}
 DocType: Support Settings,Auto close Issue after 7 days,Stäng automatiskt Problem efter 7 dagar
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lämna inte kan fördelas före {0}, som ledighet balans redan har carry-vidarebefordras i framtiden ledighet tilldelningspost {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),OBS: På grund / Referens Datum överstiger tillåtna kundkreditdagar från {0} dag (ar)
@@ -4266,7 +4318,7 @@
 ,Qty to Deliver,Antal att leverera
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon kommer att synkronisera data uppdaterat efter det här datumet
 ,Stock Analytics,Arkiv Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Verksamheten kan inte lämnas tomt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Verksamheten kan inte lämnas tomt
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab Test (s)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Mot Dokument Detalj nr
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Radering är inte tillåtet för land {0}
@@ -4274,13 +4326,12 @@
 DocType: Quality Inspection,Outgoing,Utgående
 DocType: Material Request,Requested For,Begärd För
 DocType: Quotation Item,Against Doctype,Mot Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} är avbruten eller stängd
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} är avbruten eller stängd
 DocType: Asset,Calculate Depreciation,Beräkna avskrivningar
 DocType: Delivery Note,Track this Delivery Note against any Project,Prenumerera på det här följesedel mot någon Project
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Nettokassaflöde från Investera
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kund&gt; Kundgrupp&gt; Territorium
 DocType: Work Order,Work-in-Progress Warehouse,Pågående Arbete - Lager
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} måste lämnas in
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} måste lämnas in
 DocType: Fee Schedule Program,Total Students,Totalt antal studenter
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Publikrekord {0} finns mot Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referens # {0} den {1}
@@ -4300,7 +4351,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Kan inte skapa kvarhållningsbonus för kvarvarande anställda
 DocType: Lead,Market Segment,Marknadssegment
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Jordbrukschef
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Utbetalda beloppet kan inte vara större än den totala negativa utestående beloppet {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Utbetalda beloppet kan inte vara större än den totala negativa utestående beloppet {0}
 DocType: Supplier Scorecard Period,Variables,variabler
 DocType: Employee Internal Work History,Employee Internal Work History,Anställd interna arbetshistoria
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Closing (Dr)
@@ -4325,22 +4376,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Products
 DocType: Loyalty Point Entry,Loyalty Program,Lojalitetsprogram
 DocType: Student Guardian,Father,Far
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Support biljetter
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&quot;Update Stock&quot; kan inte kontrolleras för anläggningstillgång försäljning
 DocType: Bank Reconciliation,Bank Reconciliation,Bankavstämning
 DocType: Attendance,On Leave,tjänstledig
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Hämta uppdateringar
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} inte tillhör bolaget {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Välj minst ett värde från var och en av attributen.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Välj minst ett värde från var och en av attributen.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Material Begäran {0} avbryts eller stoppas
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Dispatch State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Dispatch State
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Lämna ledning
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Grupper
 DocType: Purchase Invoice,Hold Invoice,Håll faktura
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Var god välj Medarbetare
 DocType: Sales Order,Fully Delivered,Fullt Levererad
-DocType: Lead,Lower Income,Lägre intäkter
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Lägre intäkter
 DocType: Restaurant Order Entry,Current Order,Nuvarande ordning
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Antal serienummer och kvantitet måste vara desamma
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Källa och mål lager kan inte vara samma för rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Källa och mål lager kan inte vara samma för rad {0}
 DocType: Account,Asset Received But Not Billed,Tillgång mottagen men ej fakturerad
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differenskonto måste vara en tillgång / skuld kontotyp, eftersom denna lageravstämning är en öppnings post"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Betalats Beloppet får inte vara större än Loan Mängd {0}
@@ -4349,7 +4402,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Inköpsordernr som krävs för punkt {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&quot;Från datum&quot; måste vara efter &quot;Till datum&quot;
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Inga personalplaner hittades för denna beteckning
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Batch {0} av Objekt {1} är inaktiverat.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Batch {0} av Objekt {1} är inaktiverat.
 DocType: Leave Policy Detail,Annual Allocation,Årlig fördelning
 DocType: Travel Request,Address of Organizer,Arrangörens adress
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Välj vårdgivare ...
@@ -4358,12 +4411,12 @@
 DocType: Asset,Fully Depreciated,helt avskriven
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Lager Projicerad Antal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Kund {0} tillhör inte projektet {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Kund {0} tillhör inte projektet {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Markerad Närvaro HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Citat är förslag, bud som du har skickat till dina kunder"
 DocType: Sales Invoice,Customer's Purchase Order,Kundens beställning
 DocType: Clinical Procedure,Patient,Patient
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Bypass kreditkontroll vid Försäljningsorder
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Bypass kreditkontroll vid Försäljningsorder
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Anställd ombordstigningsaktivitet
 DocType: Location,Check if it is a hydroponic unit,Kontrollera om det är en hydroponisk enhet
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Löpnummer och Batch
@@ -4373,7 +4426,7 @@
 DocType: Supplier Scorecard Period,Calculations,beräkningar
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Värde eller Antal
 DocType: Payment Terms Template,Payment Terms,Betalningsvillkor
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Produktioner Beställningar kan inte höjas för:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Produktioner Beställningar kan inte höjas för:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minut
 DocType: Purchase Invoice,Purchase Taxes and Charges,Inköp skatter och avgifter
 DocType: Chapter,Meetup Embed HTML,Meetup Bädda in HTML
@@ -4381,7 +4434,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Gå till Leverantörer
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatter
 ,Qty to Receive,Antal att ta emot
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- och slutdatum inte i en giltig löneperiod, kan inte beräkna {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- och slutdatum inte i en giltig löneperiod, kan inte beräkna {0}."
 DocType: Leave Block List,Leave Block List Allowed,Lämna Block List tillåtna
 DocType: Grading Scale Interval,Grading Scale Interval,Bedömningsskala Intervall
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Räkningen för fordons Log {0}
@@ -4389,10 +4442,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) på prislista med marginal
 DocType: Healthcare Service Unit Type,Rate / UOM,Betygsätt / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,alla Lager
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Nej {0} hittades för Inter Company Transactions.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Nej {0} hittades för Inter Company Transactions.
 DocType: Travel Itinerary,Rented Car,Hyrbil
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Om ditt företag
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Tack till kontot måste vara ett balanskonto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Tack till kontot måste vara ett balanskonto
 DocType: Donor,Donor,Givare
 DocType: Global Defaults,Disable In Words,Inaktivera uttrycker in
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Produktkod är obligatoriskt eftersom Varan inte är automatiskt numrerad
@@ -4404,14 +4457,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Checkräknings konto
 DocType: Patient,Patient ID,Patient ID
 DocType: Practitioner Schedule,Schedule Name,Schema namn
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Försäljning Pipeline av Stage
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Skapa lönebeskedet
 DocType: Currency Exchange,For Buying,För köp
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Lägg till alla leverantörer
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Lägg till alla leverantörer
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rad # {0}: Tilldelad mängd kan inte vara större än utestående belopp.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Bläddra BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Säkrade lån
 DocType: Purchase Invoice,Edit Posting Date and Time,Redigera Publiceringsdatum och tid
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ställ Avskrivningar relaterade konton i tillgångsslag {0} eller Company {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ställ Avskrivningar relaterade konton i tillgångsslag {0} eller Company {1}
 DocType: Lab Test Groups,Normal Range,Normal Range
 DocType: Academic Term,Academic Year,Akademiskt år
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Tillgänglig försäljning
@@ -4440,26 +4494,26 @@
 DocType: Patient Appointment,Patient Appointment,Patientavnämning
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkännande Roll kan inte vara samma som roll regel är tillämplig på
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Avbeställa Facebook Twitter Digest
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Få leverantörer av
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Få leverantörer av
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} hittades inte för artikel {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Gå till kurser
 DocType: Accounts Settings,Show Inclusive Tax In Print,Visa inklusiv skatt i tryck
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bankkonto, från datum till datum är obligatoriskt"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Meddelande Skickat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Konto med underordnade noder kan inte ställas in som huvudbok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Konto med underordnade noder kan inte ställas in som huvudbok
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,I takt med vilket Prislistans valuta omvandlas till kundens basvaluta
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobelopp (Företagsvaluta)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Det totala förskottsbeloppet får inte vara större än det totala sanktionerade beloppet
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Det totala förskottsbeloppet får inte vara större än det totala sanktionerade beloppet
 DocType: Salary Slip,Hour Rate,Tim värde
 DocType: Stock Settings,Item Naming By,Produktnamn Genom
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},En annan period Utgående anteckning {0} har gjorts efter {1}
 DocType: Work Order,Material Transferred for Manufacturing,Material Överfört för tillverkning
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Konto {0} existerar inte
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Välj Lojalitetsprogram
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Välj Lojalitetsprogram
 DocType: Project,Project Type,Projekt Typ
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Barnuppgift finns för denna uppgift. Du kan inte ta bort denna uppgift.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Antingen mål antal eller målbeloppet är obligatorisk.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Antingen mål antal eller målbeloppet är obligatorisk.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Kostnader för olika aktiviteter
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Inställning Händelser till {0}, eftersom personal bifogas nedan försäljare inte har en användar-ID {1}"
 DocType: Timesheet,Billing Details,Faktureringsuppgifter
@@ -4517,13 +4571,13 @@
 DocType: Inpatient Record,A Negative,En negativ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Inget mer att visa.
 DocType: Lead,From Customer,Från Kunden
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Samtal
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Samtal
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,En produkt
 DocType: Employee Tax Exemption Declaration,Declarations,deklarationer
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,partier
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Gör avgiftsschema
 DocType: Purchase Order Item Supplied,Stock UOM,Lager UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Inköpsorder {0} inte lämnad
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Inköpsorder {0} inte lämnad
 DocType: Account,Expenses Included In Asset Valuation,Kostnader som ingår i tillgångsvärdet
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Normalt referensområde för en vuxen är 16-20 andetag / minut (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,tariff Number
@@ -4536,6 +4590,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Spara patienten först
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Närvaro har markerats med framgång.
 DocType: Program Enrollment,Public Transport,Kollektivtrafik
+DocType: Delivery Note,GST Vehicle Type,GST fordonstyp
 DocType: Soil Texture,Silt Composition (%),Siltkomposition (%)
 DocType: Journal Entry,Remark,Anmärkning
 DocType: Healthcare Settings,Avoid Confirmation,Undvik bekräftelse
@@ -4545,11 +4600,10 @@
 DocType: Education Settings,Current Academic Term,Nuvarande akademisk term
 DocType: Education Settings,Current Academic Term,Nuvarande akademisk term
 DocType: Sales Order,Not Billed,Inte Billed
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Både Lagren måste tillhöra samma företag
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Både Lagren måste tillhöra samma företag
 DocType: Employee Grade,Default Leave Policy,Standardavgångspolicy
 DocType: Shopify Settings,Shop URL,Shop URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Inga kontakter inlagda ännu.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vänligen uppsätt nummerserien för deltagande via Inställningar&gt; Numreringsserie
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landad Kostnad rabattmängd
 ,Item Balance (Simple),Artikelbalans (Enkel)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Räkningar som framförts av leverantörer.
@@ -4574,7 +4628,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Offert Serie
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Ett objekt finns med samma namn ({0}), ändra objektets varugrupp eller byt namn på objektet"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Kriterier för markanalys
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Välj kund
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Välj kund
 DocType: C-Form,I,jag
 DocType: Company,Asset Depreciation Cost Center,Avskrivning kostnadsställe
 DocType: Production Plan Sales Order,Sales Order Date,Kundorder Datum
@@ -4587,8 +4641,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,För närvarande finns ingen lager i lager
 ,Payment Period Based On Invoice Date,Betalningstiden Baserad på Fakturadatum
 DocType: Sample Collection,No. of print,Antal utskrivningar
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Födelsedag Påminnelse
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotell Rum Bokningsartikel
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Saknas valutakurser för {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Saknas valutakurser för {0}
 DocType: Employee Health Insurance,Health Insurance Name,Sjukförsäkringsnamn
 DocType: Assessment Plan,Examiner,Examinator
 DocType: Student,Siblings,Syskon
@@ -4605,19 +4660,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nya kunder
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Bruttovinst%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Avtal {0} och Försäljningsfaktura {1} avbröts
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Möjligheter med blykälla
 DocType: Appraisal Goal,Weightage (%),Vikt (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Ändra POS-profil
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance Datum
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Tillgången finns redan mot objektet {0}, du kan inte ändra det har seriell nr-värde"
+DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Tillgången finns redan mot objektet {0}, du kan inte ändra det har seriell nr-värde"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Utvärderingsrapport
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Få anställda
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Bruttoköpesumma är obligatorisk
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Företagets namn är inte samma
 DocType: Lead,Address Desc,Adress fallande
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Party är obligatoriskt
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Rader med dubbla förfallodatum i andra rader hittades: {list}
 DocType: Topic,Topic Name,ämnet Namn
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Ange standardmall för meddelandet om godkännandet av godkännande i HR-inställningar.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Ange standardmall för meddelandet om godkännandet av godkännande i HR-inställningar.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Minst en av de sålda eller köpta måste väljas
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Välj en anställd för att få arbetstagaren att gå vidare.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Var god välj ett giltigt datum
@@ -4651,6 +4707,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Kund eller leverantör Detaljer
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Nuvarande tillgångsvärde
+DocType: QuickBooks Migrator,Quickbooks Company ID,QuickBooks företags-ID
 DocType: Travel Request,Travel Funding,Resefinansiering
 DocType: Loan Application,Required by Date,Krävs Datum
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,En länk till alla de platser där grödan växer
@@ -4664,9 +4721,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Finns Batch Antal på From Warehouse
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Summa Avdrag - Loan Återbetalning
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Aktuell BOM och Nya BOM kan inte vara samma
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Aktuell BOM och Nya BOM kan inte vara samma
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Lön Slip ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Datum för pensionering måste vara större än Datum för att delta
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Datum för pensionering måste vara större än Datum för att delta
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Flera varianter
 DocType: Sales Invoice,Against Income Account,Mot Inkomst konto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Levererad
@@ -4695,7 +4752,7 @@
 DocType: POS Profile,Update Stock,Uppdatera lager
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Olika UOM för produkter kommer att leda till felaktiga (Total) Nettovikts värden. Se till att Nettovikt för varje post är i samma UOM.
 DocType: Certification Application,Payment Details,Betalningsinformation
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM betyg
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM betyg
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Stoppad Arbetsorder kan inte avbrytas, Avbryt den först för att avbryta"
 DocType: Asset,Journal Entry for Scrap,Journal Entry för skrot
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Vänligen hämta artikel från följesedel
@@ -4718,11 +4775,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Totalt sanktione Mängd
 ,Purchase Analytics,Inköps analyser
 DocType: Sales Invoice Item,Delivery Note Item,Följesedel Anteckningspunkt
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Nuvarande faktura {0} saknas
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Nuvarande faktura {0} saknas
 DocType: Asset Maintenance Log,Task,Uppgift
 DocType: Purchase Taxes and Charges,Reference Row #,Referens Rad #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Batchnummer är obligatoriskt för punkt {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Detta är en rot säljare och kan inte ändras.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Detta är en rot säljare och kan inte ändras.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Om det är valt, kommer det angivna eller beräknade värdet i denna komponent inte att bidra till vinst eller avdrag. Men det är värdet kan hänvisas till av andra komponenter som kan läggas till eller dras av."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Om det är valt, kommer det angivna eller beräknade värdet i denna komponent inte att bidra till vinst eller avdrag. Det är dock värdet kan hänvisas till av andra komponenter som kan läggas till eller dras av."
 DocType: Asset Settings,Number of Days in Fiscal Year,Antal dagar i skattår
@@ -4731,7 +4788,7 @@
 DocType: Company,Exchange Gain / Loss Account,Exchange vinst / förlust konto
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Anställd och närvaro
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Syfte måste vara en av {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Syfte måste vara en av {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Fyll i formuläret och spara det
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Community Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Faktisk antal i lager
@@ -4747,7 +4804,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standard säljkurs
 DocType: Account,Rate at which this tax is applied,I takt med vilken denna skatt tillämpas
 DocType: Cash Flow Mapper,Section Name,Avsnittsnamn
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Ombeställningskvantitet
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Ombeställningskvantitet
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Avskrivningsraden {0}: Förväntat värde efter nyttjandeperioden måste vara större än eller lika med {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Nuvarande jobb Öppningar
 DocType: Company,Stock Adjustment Account,Lager Justering Konto
@@ -4757,8 +4814,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Systemanvändare (inloggning) ID. Om inställt, kommer det att bli standard för alla HR former."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Ange avskrivningsuppgifter
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Från {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Lämna ansökan {0} finns redan mot studenten {1}
 DocType: Task,depends_on,beror på
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Köpt för uppdatering av senaste priset i allt material. Det kan ta några minuter.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Köpt för uppdatering av senaste priset i allt material. Det kan ta några minuter.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Namn på ett nytt konto. Obs: Vänligen inte skapa konton för kunder och leverantörer
 DocType: POS Profile,Display Items In Stock,Visa artiklar i lager
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Landsvis standard adressmallar
@@ -4788,16 +4846,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Slots för {0} läggs inte till i schemat
 DocType: Product Bundle,List items that form the package.,Lista objekt som bildar paketet.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Inte tillåten. Avaktivera testmallen
+DocType: Delivery Note,Distance (in km),Avstånd (i km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Procentuell Fördelning bör vara lika med 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Välj bokningsdatum innan du väljer Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Välj bokningsdatum innan du väljer Party
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Slut på AMC
+DocType: Opportunity,Opportunity Amount,Opportunity Amount
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antal Avskrivningar bokat kan inte vara större än Totalt antal Avskrivningar
 DocType: Purchase Order,Order Confirmation Date,Orderbekräftelsedatum
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Skapa Servicebesök
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Startdatum och slutdatum överlappar med jobbkortet <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Anställningsöverföringsdetaljer
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Vänligen kontakta för användaren som har roll försäljningschef {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Vänligen kontakta för användaren som har roll försäljningschef {0}
 DocType: Company,Default Cash Account,Standard Konto
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Företag (inte kund eller leverantör) ledare.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Detta grundar sig på närvaron av denna Student
@@ -4805,9 +4866,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Lägga till fler objekt eller öppna fullständiga formen
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Följesedelsnoteringar {0} måste avbrytas innan du kan avbryta denna kundorder
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Gå till Användare
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Betald belopp + Avskrivningsbelopp kan inte vara större än Totalsumma
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Betald belopp + Avskrivningsbelopp kan inte vara större än Totalsumma
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} är inte en giltig batchnummer för punkt {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Obs: Det finns inte tillräckligt med ledighetdagar för ledighet typ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Obs: Det finns inte tillräckligt med ledighetdagar för ledighet typ {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Ogiltig GSTIN eller Ange NA för oregistrerad
 DocType: Training Event,Seminar,Seminarium
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program inskrivningsavgift
@@ -4824,7 +4885,7 @@
 DocType: Fee Schedule,Fee Schedule,avgift Schema
 DocType: Company,Create Chart Of Accounts Based On,Skapa konto Baserad på
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Kan inte konvertera det till icke-grupp. Barnuppgifter finns.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Födelsedatum kan inte vara längre fram än i dag.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Födelsedatum kan inte vara längre fram än i dag.
 ,Stock Ageing,Lager Åldrande
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delvis sponsrad, kräver delfinansiering"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} finns mot elev sökande {1}
@@ -4871,11 +4932,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Innan avstämning
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Till {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter och avgifter Added (Company valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Produkt Skatte Rad {0} måste ha typen Skatt eller intäkt eller kostnad eller Avgiftsbelagd
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Produkt Skatte Rad {0} måste ha typen Skatt eller intäkt eller kostnad eller Avgiftsbelagd
 DocType: Sales Order,Partly Billed,Delvis Faktuerard
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Punkt {0} måste vara en fast tillgångspost
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Gör variationer
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Gör variationer
 DocType: Item,Default BOM,Standard BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Totalt fakturerat belopp (via försäljningsfakturor)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debiteringsnotering Belopp
@@ -4904,14 +4965,14 @@
 DocType: Notification Control,Custom Message,Anpassat Meddelande
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investment Banking
 DocType: Purchase Invoice,input,inmatning
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto är obligatoriskt för utbetalningensposten
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto är obligatoriskt för utbetalningensposten
 DocType: Loyalty Program,Multiple Tier Program,Multiple Tier Program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadress
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadress
 DocType: Purchase Invoice,Price List Exchange Rate,Prislista Växelkurs
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Alla Leverantörsgrupper
 DocType: Employee Boarding Activity,Required for Employee Creation,Krävs för anställningsskapande
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Kontonummer {0} som redan används i konto {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Kontonummer {0} som redan används i konto {1}
 DocType: GoCardless Mandate,Mandate,Mandat
 DocType: POS Profile,POS Profile Name,POS-profilnamn
 DocType: Hotel Room Reservation,Booked,bokade
@@ -4927,18 +4988,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Referensnummer är obligatoriskt om du har angett referens Datum
 DocType: Bank Reconciliation Detail,Payment Document,betalning Dokument
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Fel vid utvärdering av kriterierna
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Datum för att delta måste vara större än Födelsedatum
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Datum för att delta måste vara större än Födelsedatum
 DocType: Subscription,Plans,Plans
 DocType: Salary Slip,Salary Structure,Lönestruktur
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Flygbolag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Problem Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Problem Material
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Anslut Shopify med ERPNext
 DocType: Material Request Item,For Warehouse,För Lager
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Leveransnoteringar {0} uppdaterad
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Leveransnoteringar {0} uppdaterad
 DocType: Employee,Offer Date,Erbjudandet Datum
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Du befinner dig i offline-läge. Du kommer inte att kunna ladda tills du har nätverket.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Citat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Du befinner dig i offline-läge. Du kommer inte att kunna ladda tills du har nätverket.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Bevilja
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Inga studentgrupper skapas.
 DocType: Purchase Invoice Item,Serial No,Serienummer
@@ -4950,24 +5011,26 @@
 DocType: Sales Invoice,Customer PO Details,Kundens PO-uppgifter
 DocType: Stock Entry,Including items for sub assemblies,Inklusive poster för underheter
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tillfälligt öppnings konto
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Ange värde måste vara positiv
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Ange värde måste vara positiv
 DocType: Asset,Finance Books,Finansböcker
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Anställningsskattebefrielsedeklarationskategori
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Alla territorierna
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Vänligen ange lämnarpolicy för anställd {0} i Anställd / betygsrekord
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Ogiltig blankettorder för den valda kunden och föremålet
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Ogiltig blankettorder för den valda kunden och föremålet
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Lägg till flera uppgifter
 DocType: Purchase Invoice,Items,Produkter
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Slutdatum kan inte vara före startdatum.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Student är redan inskriven.
 DocType: Fiscal Year,Year Name,År namn
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Det finns mer semester än arbetsdagar denna månad.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Det finns mer semester än arbetsdagar denna månad.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Följande poster {0} är inte markerade som {1} objekt. Du kan aktivera dem som {1} -objekt från dess objektmastern
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Produktpaket Punkt
 DocType: Sales Partner,Sales Partner Name,Försäljnings Partner Namn
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Begäran om Citat
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Begäran om Citat
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maximal Fakturabelopp
 DocType: Normal Test Items,Normal Test Items,Normala testpunkter
+DocType: QuickBooks Migrator,Company Settings,Företagsinställningar
 DocType: Additional Salary,Overwrite Salary Structure Amount,Skriv över lönestrukturbeloppet
 DocType: Student Language,Student Language,Student Språk
 apps/erpnext/erpnext/config/selling.py +23,Customers,kunder
@@ -4980,21 +5043,23 @@
 DocType: Issue,Opening Time,Öppnings Tid
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Från och Till datum krävs
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Värdepapper och råvarubörserna
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard mätenhet för Variant &quot;{0}&quot; måste vara samma som i Mall &quot;{1}&quot;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard mätenhet för Variant &quot;{0}&quot; måste vara samma som i Mall &quot;{1}&quot;
 DocType: Shipping Rule,Calculate Based On,Beräkna baserad på
 DocType: Contract,Unfulfilled,Ouppfylld
 DocType: Delivery Note Item,From Warehouse,Från Warehouse
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Inga anställda för nämnda kriterier
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Inga objekt med Bill of Materials att tillverka
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Inga objekt med Bill of Materials att tillverka
 DocType: Shopify Settings,Default Customer,Standardkund
+DocType: Sales Stage,Stage Name,Artistnamn
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Supervisor Namn
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Bekräfta inte om mötet är skapat för samma dag
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Ship to State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Ship to State
 DocType: Program Enrollment Course,Program Enrollment Course,Program Inskrivningskurs
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Användaren {0} är redan tilldelad Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Gör prov för lagring av provrörelse
 DocType: Purchase Taxes and Charges,Valuation and Total,Värdering och Total
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Förhandling / Review
 DocType: Leave Encashment,Encashment Amount,Encashment Amount
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,styrkort
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Förfallna partier
@@ -5004,7 +5069,7 @@
 DocType: Staffing Plan Detail,Current Openings,Nuvarande öppningar
 DocType: Notification Control,Customize the Notification,Anpassa Anmälan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Kassaflöde från rörelsen
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST-belopp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST-belopp
 DocType: Purchase Invoice,Shipping Rule,Frakt Regel
 DocType: Patient Relation,Spouse,Make
 DocType: Lab Test Groups,Add Test,Lägg till test
@@ -5018,14 +5083,14 @@
 DocType: Payroll Entry,Payroll Frequency,löne Frekvens
 DocType: Lab Test Template,Sensitivity,Känslighet
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Synkroniseringen har avaktiverats tillfälligt eftersom högsta försök har överskridits
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Råmaterial
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Råmaterial
 DocType: Leave Application,Follow via Email,Följ via e-post
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Växter och maskinerier
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skattebelopp efter rabatt Belopp
 DocType: Patient,Inpatient Status,Inpatient Status
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Det dagliga arbetet Sammanfattning Inställningar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Den valda prislistan ska ha kontroll och köpfält.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Vänligen ange Reqd by Date
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Den valda prislistan ska ha kontroll och köpfält.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Vänligen ange Reqd by Date
 DocType: Payment Entry,Internal Transfer,Intern transaktion
 DocType: Asset Maintenance,Maintenance Tasks,Underhållsuppgifter
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Antingen mål antal eller målbeloppet är obligatorisk
@@ -5047,7 +5112,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Senaste kommunikationen
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Senaste kommunikationen
 ,TDS Payable Monthly,TDS betalas månadsvis
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Köpt för att ersätta BOM. Det kan ta några minuter.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Köpt för att ersätta BOM. Det kan ta några minuter.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Det går inte att dra bort när kategorin är angedd ""Värdering"" eller ""Värdering och Total"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos krävs för Serialiserad Punkt {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Match Betalningar med fakturor
@@ -5060,7 +5125,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Lägg till i kundvagn
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Gruppera efter
 DocType: Guardian,Interests,Intressen
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Aktivera / inaktivera valutor.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Aktivera / inaktivera valutor.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Kunde inte skicka in några löneskalor
 DocType: Exchange Rate Revaluation,Get Entries,Få inlägg
 DocType: Production Plan,Get Material Request,Få Material Request
@@ -5082,15 +5147,16 @@
 DocType: Lead,Lead Type,Prospekt Typ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Du har inte behörighet att godkänna löv på Block Datum
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Alla dessa punkter har redan fakturerats
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Ange ny frisläppningsdatum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Ange ny frisläppningsdatum
 DocType: Company,Monthly Sales Target,Månadsförsäljningsmål
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan godkännas av {0}
 DocType: Hotel Room,Hotel Room Type,Hotell Rumstyp
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Leverantör&gt; Leverantörstyp
 DocType: Leave Allocation,Leave Period,Lämningsperiod
 DocType: Item,Default Material Request Type,Standard Material Typ av förfrågan
 DocType: Supplier Scorecard,Evaluation Period,Utvärderingsperiod
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Okänd
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Arbetsorder inte skapad
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Arbetsorder inte skapad
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","En mängd {0} som redan hävdats för komponenten {1}, \ anger summan lika med eller större än {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Frakt härskar Villkor
@@ -5125,15 +5191,15 @@
 DocType: Batch,Source Document Name,Källdokumentnamn
 DocType: Production Plan,Get Raw Materials For Production,Få råmaterial för produktion
 DocType: Job Opening,Job Title,Jobbtitel
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} indikerar att {1} inte kommer att ge en offert, men alla artiklar \ har citerats. Uppdaterar RFQ-citatstatusen."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximala prov - {0} har redan behållits för Batch {1} och Item {2} i Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximala prov - {0} har redan behållits för Batch {1} och Item {2} i Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Uppdatera BOM kostnad automatiskt
 DocType: Lab Test,Test Name,Testnamn
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinisk procedur förbrukningsartikel
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Skapa användare
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Prenumerationer
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Prenumerationer
 DocType: Supplier Scorecard,Per Month,Per månad
 DocType: Education Settings,Make Academic Term Mandatory,Gör akademisk termin Obligatorisk
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Kvantitet som Tillverkning måste vara större än 0.
@@ -5142,10 +5208,10 @@
 DocType: Stock Entry,Update Rate and Availability,Uppdateringsfrekvens och tillgänglighet
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Andel som är tillåtet att ta emot eller leverera mer mot beställt antal. Till exempel: Om du har beställt 100 enheter. och din ersättning är 10% då du får ta emot 110 enheter.
 DocType: Loyalty Program,Customer Group,Kundgrupp
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rad # {0}: Drift {1} är inte färdig för {2} Antal färdiga varor i Arbetsorder # {3}. Uppdatera driftstatus via Time Logs
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Rad # {0}: Drift {1} är inte färdig för {2} Antal färdiga varor i Arbetsorder # {3}. Uppdatera driftstatus via Time Logs
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nytt parti-id (valfritt)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Nytt parti-id (valfritt)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Utgiftskonto är obligatorisk för produkten {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Utgiftskonto är obligatorisk för produkten {0}
 DocType: BOM,Website Description,Webbplats Beskrivning
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Nettoförändringen i eget kapital
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Vänligen avbryta inköpsfaktura {0} först
@@ -5160,7 +5226,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Det finns inget att redigera.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Form View
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Approver Obligatorisk i Kostnadskrav
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Sammanfattning för denna månad och pågående aktiviteter
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Sammanfattning för denna månad och pågående aktiviteter
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vänligen sätt in orealiserat Exchange Gain / Loss-konto i företaget {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Lägg till användare till din organisation, annat än dig själv."
 DocType: Customer Group,Customer Group Name,Kundgruppnamn
@@ -5170,14 +5236,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Ingen materiell förfrågan skapad
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeloppet kan inte överstiga Maximal låne Mängd {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licens
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Ta bort denna faktura {0} från C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Ta bort denna faktura {0} från C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Välj Överföring om du även vill inkludera föregående räkenskapsårs balans till detta räkenskapsår
 DocType: GL Entry,Against Voucher Type,Mot Kupongtyp
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Tidsspår läggs till
 DocType: Item,Attributes,Attributer
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Aktivera mall
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Ange avskrivningskonto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Ange avskrivningskonto
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Sista beställningsdatum
 DocType: Salary Component,Is Payable,Betalas
 DocType: Inpatient Record,B Negative,B Negativ
@@ -5188,7 +5254,7 @@
 DocType: Hotel Room,Hotel Room,Hotellrum
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Kontot {0} till inte företaget {1}
 DocType: Leave Type,Rounding,Avrundning
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Serienumren i rad {0} matchar inte med leveransnotering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Serienumren i rad {0} matchar inte med leveransnotering
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Dispensed Amount (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Därefter filtreras prisreglerna utifrån kund, kundgrupp, territorium, leverantör, leverantörsgrupp, kampanj, försäljningspartner etc."
 DocType: Student,Guardian Details,Guardian Detaljer
@@ -5197,10 +5263,10 @@
 DocType: Vehicle,Chassis No,chassi nr
 DocType: Payment Request,Initiated,Initierad
 DocType: Production Plan Item,Planned Start Date,Planerat startdatum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Var god välj en BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Var god välj en BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Availed ITC Integrated Tax
 DocType: Purchase Order Item,Blanket Order Rate,Blankett Order Rate
-apps/erpnext/erpnext/hooks.py +156,Certification,certifiering
+apps/erpnext/erpnext/hooks.py +157,Certification,certifiering
 DocType: Bank Guarantee,Clauses and Conditions,Klausuler och villkor
 DocType: Serial No,Creation Document Type,Skapande Dokumenttyp
 DocType: Project Task,View Timesheet,Visa tidtabell
@@ -5225,6 +5291,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Moderbolaget Punkt {0} får inte vara en lagervara
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Webbplatslista
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alla produkter eller tjänster.
+DocType: Email Digest,Open Quotations,Öppna citat
 DocType: Expense Claim,More Details,Fler detaljer
 DocType: Supplier Quotation,Supplier Address,Leverantör Adress
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget för kontot {1} mot {2} {3} är {4}. Det kommer att överskrida av {5}
@@ -5239,12 +5306,11 @@
 DocType: Training Event,Exam,Examen
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marknadsfel
 DocType: Complaint,Complaint,Klagomål
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Lager krävs för Lagervara {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Lager krävs för Lagervara {0}
 DocType: Leave Allocation,Unused leaves,Oanvända blad
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Gör återbetalningsinmatning
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Alla avdelningar
 DocType: Healthcare Service Unit,Vacant,Ledig
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Leverantör&gt; Leverantörstyp
 DocType: Patient,Alcohol Past Use,Alkohol tidigare användning
 DocType: Fertilizer Content,Fertilizer Content,Gödselinnehåll
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5252,7 +5318,7 @@
 DocType: Tax Rule,Billing State,Faktureringsstaten
 DocType: Share Transfer,Transfer,Överföring
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Arbetsorder {0} måste avbrytas innan du avbryter denna försäljningsorder
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Fetch expanderande BOM (inklusive underenheter)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Fetch expanderande BOM (inklusive underenheter)
 DocType: Authorization Rule,Applicable To (Employee),Är tillämpligt för (anställd)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Förfallodatum är obligatorisk
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Påslag för Attribut {0} inte kan vara 0
@@ -5268,7 +5334,7 @@
 DocType: Disease,Treatment Period,Behandlingsperiod
 DocType: Travel Itinerary,Travel Itinerary,Reseplan
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Resultatet redan inskickat
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reserverat lager är obligatoriskt för artikel {0} i levererade råvaror
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Reserverat lager är obligatoriskt för artikel {0} i levererade råvaror
 ,Inactive Customers,inaktiva kunder
 DocType: Student Admission Program,Maximum Age,Maximal ålder
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Vänligen vänta 3 dagar innan du skickar påminnelsen igen.
@@ -5277,7 +5343,6 @@
 DocType: Stock Entry,Delivery Note No,Följesedel nr
 DocType: Cheque Print Template,Message to show,Meddelande för att visa
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Detaljhandeln
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Hantera avtalsfaktura automatiskt
 DocType: Student Attendance,Absent,Frånvarande
 DocType: Staffing Plan,Staffing Plan Detail,Bemanningsplandetaljer
 DocType: Employee Promotion,Promotion Date,Kampanjdatum
@@ -5299,7 +5364,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,gör Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Print och brevpapper
 DocType: Stock Settings,Show Barcode Field,Show Barcode Field
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Skicka e-post Leverantörs
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Skicka e-post Leverantörs
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Lön redan behandlas för perioden mellan {0} och {1} Lämna ansökningstiden kan inte vara mellan detta datumintervall.
 DocType: Fiscal Year,Auto Created,Automatisk skapad
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Skicka in det här för att skapa anställningsrekordet
@@ -5308,7 +5373,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktura {0} existerar inte längre
 DocType: Guardian Interest,Guardian Interest,Guardian intresse
 DocType: Volunteer,Availability,Tillgänglighet
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Ange standardvärden för POS-fakturor
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Ange standardvärden för POS-fakturor
 apps/erpnext/erpnext/config/hr.py +248,Training,Utbildning
 DocType: Project,Time to send,Tid att skicka
 DocType: Timesheet,Employee Detail,anställd Detalj
@@ -5332,7 +5397,7 @@
 DocType: Training Event Employee,Optional,Frivillig
 DocType: Salary Slip,Earning & Deduction,Vinst &amp; Avdrag
 DocType: Agriculture Analysis Criteria,Water Analysis,Vattenanalys
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} varianter skapade.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} varianter skapade.
 DocType: Amazon MWS Settings,Region,Region
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Tillval. Denna inställning kommer att användas för att filtrera i olika transaktioner.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negativt Värderingsvärde är inte tillåtet
@@ -5351,7 +5416,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Kostnad för skrotas Asset
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnadsställe är obligatorisk för punkt {2}
 DocType: Vehicle,Policy No,policy Nej
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Få artiklar från produkt Bundle
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Få artiklar från produkt Bundle
 DocType: Asset,Straight Line,Rak linje
 DocType: Project User,Project User,projektAnvändar
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Dela
@@ -5360,7 +5425,7 @@
 DocType: GL Entry,Is Advance,Är Advancerad
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Anställd livscykel
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Närvaro Från Datum och närvaro hittills är obligatorisk
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Ange ""Är underleverantör"" som Ja eller Nej"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Ange ""Är underleverantör"" som Ja eller Nej"
 DocType: Item,Default Purchase Unit of Measure,Standard inköpsenhet av åtgärd
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Senaste kommunikationsdatum
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Senaste kommunikationsdatum
@@ -5370,7 +5435,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Access token eller Shopify URL saknas
 DocType: Location,Latitude,Latitud
 DocType: Work Order,Scrap Warehouse,skrot Warehouse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Lager som krävs vid rad nr {0}, ange standardlager för objektet {1} för företaget {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Lager som krävs vid rad nr {0}, ange standardlager för objektet {1} för företaget {2}"
 DocType: Work Order,Check if material transfer entry is not required,Kontrollera om materialöverföring inte krävs
 DocType: Work Order,Check if material transfer entry is not required,Kontrollera om materialöverföring inte krävs
 DocType: Program Enrollment Tool,Get Students From,Få studenter från
@@ -5387,6 +5452,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Ny sats antal
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Kläder &amp; tillbehör
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Kunde inte lösa viktad poängfunktion. Se till att formeln är giltig.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Beställningsvaror Objekt som inte mottogs i tid
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Antal Beställningar
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner som visar på toppen av produktlista.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Ange villkor för att beräkna fraktbeloppet
@@ -5395,9 +5461,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Väg
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Det går inte att konvertera kostnadsställe till huvudbok då den har underordnade noder
 DocType: Production Plan,Total Planned Qty,Totalt planerat antal
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,öppnings Värde
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,öppnings Värde
 DocType: Salary Component,Formula,Formel
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Seriell #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Seriell #
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Försäljningskonto
 DocType: Purchase Invoice Item,Total Weight,Totalvikt
@@ -5415,7 +5481,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Gör Material Request
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Öppen föremål {0}
 DocType: Asset Finance Book,Written Down Value,Skriftligt nedvärde
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vänligen uppsättning Anställningsnamnssystem i mänsklig resurs&gt; HR-inställningar
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Fakturan {0} måste ställas in innan avbryta denna kundorder
 DocType: Clinical Procedure,Age,Ålder
 DocType: Sales Invoice Timesheet,Billing Amount,Fakturerings Mängd
@@ -5424,11 +5489,11 @@
 DocType: Company,Default Employee Advance Account,Standardansvarig förskottskonto
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Sökningsartikel (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Konto med befintlig transaktioner kan inte tas bort
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Konto med befintlig transaktioner kan inte tas bort
 DocType: Vehicle,Last Carbon Check,Sista Carbon Check
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Rättsskydds
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Var god välj antal på rad
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Gör öppningsförsäljnings- och inköpsfakturor
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Gör öppningsförsäljnings- och inköpsfakturor
 DocType: Purchase Invoice,Posting Time,Boknings Tid
 DocType: Timesheet,% Amount Billed,% Belopp fakturerat
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefon Kostnader
@@ -5443,14 +5508,14 @@
 DocType: Maintenance Visit,Breakdown,Nedbrytning
 DocType: Travel Itinerary,Vegetarian,Vegetarian
 DocType: Patient Encounter,Encounter Date,Mötesdatum
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan inte väljas {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan inte väljas {1}
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bankuppgifter
 DocType: Purchase Receipt Item,Sample Quantity,Provkvantitet
 DocType: Bank Guarantee,Name of Beneficiary,Stödmottagarens namn
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Uppdatera BOM-kostnad automatiskt via Scheduler, baserat på senaste värderingsfrekvens / prislista / senaste inköpshastighet för råvaror."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Check Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Förälder konto {1} tillhör inte företaget: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Förälder konto {1} tillhör inte företaget: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Framgångsrikt bort alla transaktioner i samband med detta företag!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Som på Date
 DocType: Additional Salary,HR,HR
@@ -5458,7 +5523,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Ut Patient SMS Alerts
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Skyddstillsyn
 DocType: Program Enrollment Tool,New Academic Year,Nytt läsår
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Retur / kreditnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Retur / kreditnota
 DocType: Stock Settings,Auto insert Price List rate if missing,Diskinmatning Prislista ränta om saknas
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Sammanlagda belopp som betalats
 DocType: GST Settings,B2C Limit,B2C Limit
@@ -5476,10 +5541,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Underordnade noder kan endast skapas under &quot;grupp&quot; typ noder
 DocType: Attendance Request,Half Day Date,Halvdag Datum
 DocType: Academic Year,Academic Year Name,Läsåret Namn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} får inte göra transaktioner med {1}. Vänligen ändra bolaget.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} får inte göra transaktioner med {1}. Vänligen ändra bolaget.
 DocType: Sales Partner,Contact Desc,Kontakt Desc
 DocType: Email Digest,Send regular summary reports via Email.,Skicka regelbundna sammanfattande rapporter via e-post.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Ställ in standardkonto i räkningen typ {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Ställ in standardkonto i räkningen typ {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Tillgängliga löv
 DocType: Assessment Result,Student Name,Elevs namn
 DocType: Hub Tracked Item,Item Manager,Produktansvarig
@@ -5504,9 +5569,10 @@
 DocType: Subscription,Trial Period End Date,Pröva period Slutdatum
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Inte auktoriserad eftersom {0} överskrider gränser
 DocType: Serial No,Asset Status,Asset Status
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Över dimensionell last (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurangbord
 DocType: Hotel Room,Hotel Manager,Hotell chef
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Ställ skatt Regel för varukorgen
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Ställ skatt Regel för varukorgen
 DocType: Purchase Invoice,Taxes and Charges Added,Skatter och avgifter Added
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Avskrivningsraden {0}: Nästa avskrivningsdatum kan inte vara före tillgängliga datum
 ,Sales Funnel,Försäljning tratt
@@ -5522,10 +5588,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Alla kundgrupper
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,ackumulerade månads
 DocType: Attendance Request,On Duty,I tjänst
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} är obligatorisk. Kanske Valutaväxlingsposten  inte är skapad för {1} till {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} är obligatorisk. Kanske Valutaväxlingsposten  inte är skapad för {1} till {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Personalplan {0} finns redan för beteckning {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Skatte Mall är obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Konto {0}: Förälder konto {1} existerar inte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Konto {0}: Förälder konto {1} existerar inte
 DocType: POS Closing Voucher,Period Start Date,Periodens startdatum
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prislista värde (Företagsvaluta)
 DocType: Products Settings,Products Settings,produkter Inställningar
@@ -5545,7 +5611,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Den här åtgärden stoppar framtida fakturering. Är du säker på att du vill avbryta denna prenumeration?
 DocType: Serial No,Distinct unit of an Item,Distinkt enhet för en försändelse
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriterier Namn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Vänligen ange företaget
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Vänligen ange företaget
 DocType: Procedure Prescription,Procedure Created,Förfarande skapat
 DocType: Pricing Rule,Buying,Köpa
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Sjukdomar och gödselmedel
@@ -5562,43 +5628,44 @@
 DocType: Employee Onboarding,Job Offer,Jobb erbjudande
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institute Förkortning
 ,Item-wise Price List Rate,Produktvis Prislistavärde
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Leverantör Offert
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Leverantör Offert
 DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord kommer att synas när du sparar offerten.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Kvantitet ({0}) kan inte vara en fraktion i rad {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Kvantitet ({0}) kan inte vara en fraktion i rad {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Kvantitet ({0}) kan inte vara en fraktion i rad {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Kvantitet ({0}) kan inte vara en fraktion i rad {1}
 DocType: Contract,Unsigned,Osignerad
 DocType: Selling Settings,Each Transaction,Varje transaktion
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Streckkod {0} används redan i punkt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Streckkod {0} används redan i punkt {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler för att lägga fraktkostnader.
 DocType: Hotel Room,Extra Bed Capacity,Extra säng kapacitet
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,ingående lager
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunden är obligatoriskt
 DocType: Lab Test,Result Date,Resultatdatum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC-datum
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC-datum
 DocType: Purchase Order,To Receive,Att Motta
 DocType: Leave Period,Holiday List for Optional Leave,Semesterlista för valfritt semester
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Tillgångsägare
 DocType: Purchase Invoice,Reason For Putting On Hold,Anledning för att sätta på sig
 DocType: Employee,Personal Email,Personligt E-post
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Totalt Varians
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Totalt Varians
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Om det är aktiverat, kommer systemet att skicka bokföringsposter för inventering automatiskt."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokerage
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Närvaro för arbetstagare {0} är redan märkt för denna dag
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Närvaro för arbetstagare {0} är redan märkt för denna dag
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","i protokollet Uppdaterad via ""Tidslog"""
 DocType: Customer,From Lead,Från Prospekt
 DocType: Amazon MWS Settings,Synch Orders,Synkroniseringsorder
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Order släppts för produktion.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Välj räkenskapsår ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS profil som krävs för att göra POS inlägg
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS profil som krävs för att göra POS inlägg
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Lojalitetspoäng kommer att beräknas utifrån den förbrukade gjorda (via försäljningsfakturaen), baserat på nämnda samlingsfaktor."
 DocType: Program Enrollment Tool,Enroll Students,registrera studenter
 DocType: Company,HRA Settings,HRA-inställningar
 DocType: Employee Transfer,Transfer Date,Överföringsdatum
 DocType: Lab Test,Approved Date,Godkänd datum
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardförsäljnings
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Minst ett lager är obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Minst ett lager är obligatorisk
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Konfigurera objektfält som UOM, Produktgrupp, Beskrivning och Antal timmar."
 DocType: Certification Application,Certification Status,Certifieringsstatus
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Marknad
@@ -5618,6 +5685,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Matchande fakturor
 DocType: Work Order,Required Items,nödvändiga objekt
 DocType: Stock Ledger Entry,Stock Value Difference,Stock Värde Skillnad
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Artikelraden {0}: {1} {2} existerar inte i ovanstående &quot;{1}&quot; -tabell
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Personal administration
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betalning Avstämning Betalning
 DocType: Disease,Treatment Task,Behandlingsuppgift
@@ -5635,7 +5703,8 @@
 DocType: Account,Debit,Debit-
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Ledigheter ska fördelas i multiplar av 0,5"
 DocType: Work Order,Operation Cost,Driftkostnad
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Utestående Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Identifiera beslutsfattare
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Utestående Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Uppsatta mål Punkt Gruppvis för säljare.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Lager Äldre än [dagar]
 DocType: Payment Request,Payment Ordered,Betalningsbeställd
@@ -5647,14 +5716,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Tillåt följande användarna att godkänna ledighetsansökningar för grupp dagar.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Livscykel
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Gör BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Försäljningsfrekvensen för objektet {0} är lägre än dess {1}. Försäljningsfrekvensen bör vara minst {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Försäljningsfrekvensen för objektet {0} är lägre än dess {1}. Försäljningsfrekvensen bör vara minst {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Försäljningsfrekvensen för objektet {0} är lägre än dess {1}. Försäljningsfrekvensen bör vara minst {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Försäljningsfrekvensen för objektet {0} är lägre än dess {1}. Försäljningsfrekvensen bör vara minst {2}
 DocType: Subscription,Taxes,Skatter
 DocType: Purchase Invoice,capital goods,kapitalvaror
 DocType: Purchase Invoice Item,Weight Per Unit,Vikt per enhet
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Betald och inte levererats
-DocType: Project,Default Cost Center,Standardkostnadsställe
-DocType: Delivery Note,Transporter Doc No,Transporter Dok nr
+DocType: QuickBooks Migrator,Default Cost Center,Standardkostnadsställe
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,aktietransaktioner
 DocType: Budget,Budget Accounts,budget-konton
 DocType: Employee,Internal Work History,Intern Arbetserfarenhet
@@ -5687,7 +5755,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Hälso-och sjukvårdspersonal är inte tillgänglig på {0}
 DocType: Stock Entry Detail,Additional Cost,Extra kostnad
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",Kan inte filtrera baserat på kupong nr om grupperad efter kupong
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Skapa Leverantörsoffert
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Skapa Leverantörsoffert
 DocType: Quality Inspection,Incoming,Inkommande
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Standardskattmallar för försäljning och inköp skapas.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Bedömningsresultatrekord {0} existerar redan.
@@ -5703,7 +5771,7 @@
 DocType: Batch,Batch ID,Batch-ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Obs: {0}
 ,Delivery Note Trends,Följesedel Trender
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Veckans Sammanfattning
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Veckans Sammanfattning
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,I lager Antal
 ,Daily Work Summary Replies,Dagliga Arbets Sammanfattning Svar
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Beräkna uppskattade ankomsttider
@@ -5713,7 +5781,7 @@
 DocType: Bank Account,Party,Parti
 DocType: Healthcare Settings,Patient Name,Patientnamn
 DocType: Variant Field,Variant Field,Variant Field
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Målplats
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Målplats
 DocType: Sales Order,Delivery Date,Leveransdatum
 DocType: Opportunity,Opportunity Date,Möjlighet Datum
 DocType: Employee,Health Insurance Provider,Sjukförsäkringsleverantör
@@ -5732,7 +5800,7 @@
 DocType: Employee,History In Company,Historia Företaget
 DocType: Customer,Customer Primary Address,Kundens primära adress
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhetsbrev
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referensnummer.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referensnummer.
 DocType: Drug Prescription,Description/Strength,Beskrivning / Styrka
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Skapa ny betalning / journalinmatning
 DocType: Certification Application,Certification Application,Certifieringsansökan
@@ -5743,10 +5811,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Samma objekt har angetts flera gånger
 DocType: Department,Leave Block List,Lämna Block List
 DocType: Purchase Invoice,Tax ID,Skatte ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Produkt  {0} är inte inställt för Serial Nos. Kolumn måste vara tom
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Produkt  {0} är inte inställt för Serial Nos. Kolumn måste vara tom
 DocType: Accounts Settings,Accounts Settings,Kontoinställningar
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Godkänna
 DocType: Loyalty Program,Customer Territory,Kundområde
+DocType: Email Digest,Sales Orders to Deliver,Försäljningsorder att leverera
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Antal nya konton, det kommer att ingå i kontonamnet som ett prefix"
 DocType: Maintenance Team Member,Team Member,Lagmedlem
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Inget resultat att skicka in
@@ -5756,7 +5825,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",Totalt {0} för alla objekt är noll kan vara du bör ändra &#39;Fördela avgifter bygger på&#39;
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Hittills kan inte vara mindre än från datum
 DocType: Opportunity,To Discuss,Att Diskutera
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Detta baseras på transaktioner mot denna abonnent. Se tidslinjen nedan för detaljer
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} enheter av {1} behövs i {2} för att slutföra denna transaktion.
 DocType: Loan Type,Rate of Interest (%) Yearly,Hastighet av intresse (%) Årlig
 DocType: Support Settings,Forum URL,Forumadress
@@ -5771,7 +5839,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Läs mer
 DocType: Cheque Print Template,Distance from top edge,Avståndet från den övre kanten
 DocType: POS Closing Voucher Invoices,Quantity of Items,Antal objekt
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Prislista {0} är inaktiverad eller inte existerar
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Prislista {0} är inaktiverad eller inte existerar
 DocType: Purchase Invoice,Return,Återgå
 DocType: Pricing Rule,Disable,Inaktivera
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Verk betalning krävs för att göra en betalning
@@ -5779,18 +5847,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Redigera i hel sida för fler alternativ som tillgångar, serienummer, partier etc."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maximala kontinuerliga dagar gäller
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} är inte inskriven i batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Tillgångs {0} kan inte skrotas, eftersom det redan är {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Tillgångs {0} kan inte skrotas, eftersom det redan är {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Kontroller krävs
 DocType: Task,Total Expense Claim (via Expense Claim),Totalkostnadskrav (via utgiftsräkning)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Frånvarande
 DocType: Job Applicant Source,Job Applicant Source,Jobbsökande Källa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST-belopp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST-belopp
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Misslyckades med att konfigurera företaget
 DocType: Asset Repair,Asset Repair,Asset Repair
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: Valuta för BOM # {1} bör vara lika med den valda valutan {2}
 DocType: Journal Entry Account,Exchange Rate,Växelkurs
 DocType: Patient,Additional information regarding the patient,Ytterligare information om patienten
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Kundorder {0} är inte lämnat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Kundorder {0} är inte lämnat
 DocType: Homepage,Tag Line,Tag Linje
 DocType: Fee Component,Fee Component,avgift Komponent
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Fleet Management
@@ -5805,7 +5873,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobil
 ,Sales Person-wise Transaction Summary,Försäljningen person visa transaktion Sammanfattning
 DocType: Training Event,Contact Number,Kontaktnummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Lager {0} existerar inte
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Lager {0} existerar inte
 DocType: Cashier Closing,Custody,Vårdnad
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Beslutsunderlag för anställningsskattbefrielse
 DocType: Monthly Distribution,Monthly Distribution Percentages,Månadsdistributions Procentsatser
@@ -5820,7 +5888,7 @@
 DocType: Payment Entry,Paid Amount,Betalt belopp
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Utforska försäljningscykel
 DocType: Assessment Plan,Supervisor,Handledare
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Retention Stock Entry
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Retention Stock Entry
 ,Available Stock for Packing Items,Tillgängligt lager för förpackningsprodukter
 DocType: Item Variant,Item Variant,Produkt Variant
 ,Work Order Stock Report,Arbetsordningsbeståndsrapport
@@ -5829,9 +5897,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Som tillsynsman
 DocType: Leave Policy Detail,Leave Policy Detail,Lämna policy detaljer
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Punkt
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Inlämnade order kan inte tas bort
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Kontosaldo redan i Debit, du är inte tillåten att ställa ""Balans måste vara"" som ""Kredit"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Kvalitetshantering
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Inlämnade order kan inte tas bort
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Kontosaldo redan i Debit, du är inte tillåten att ställa ""Balans måste vara"" som ""Kredit"""
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Kvalitetshantering
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Punkt {0} har inaktiverats
 DocType: Project,Total Billable Amount (via Timesheets),Totala fakturabeloppet (via tidstabeller)
 DocType: Agriculture Task,Previous Business Day,Tidigare företagsdag
@@ -5854,15 +5922,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Kostnadsställen
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Starta om prenumerationen
 DocType: Linked Plant Analysis,Linked Plant Analysis,Länkad analys av växter
-DocType: Delivery Note,Transporter ID,Transporter ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Transporter ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Värde proposition
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,I takt med vilket leverantörens valuta omvandlas till företagets basvaluta
-DocType: Sales Invoice Item,Service End Date,Service Slutdatum
+DocType: Purchase Invoice Item,Service End Date,Service Slutdatum
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Rad # {0}: Konflikt med tider rad {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillåt nollvärderingsfrekvens
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillåt nollvärderingsfrekvens
 DocType: Bank Guarantee,Receiving,Tar emot
 DocType: Training Event Employee,Invited,inbjuden
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Setup Gateway konton.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Setup Gateway konton.
 DocType: Employee,Employment Type,Anställnings Typ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Fasta tillgångar
 DocType: Payment Entry,Set Exchange Gain / Loss,Ställ Exchange vinst / förlust
@@ -5878,7 +5947,7 @@
 DocType: Tax Rule,Sales Tax Template,Moms Mall
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Betala mot förmånskrav
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Uppdatera kostnadscentrums nummer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Välj objekt för att spara fakturan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Välj objekt för att spara fakturan
 DocType: Employee,Encashment Date,Inlösnings Datum
 DocType: Training Event,Internet,internet
 DocType: Special Test Template,Special Test Template,Särskild testmall
@@ -5886,12 +5955,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Standard Aktivitetskostnad existerar för Aktivitetstyp - {0}
 DocType: Work Order,Planned Operating Cost,Planerade driftkostnader
 DocType: Academic Term,Term Start Date,Term Startdatum
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Lista över alla aktie transaktioner
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Lista över alla aktie transaktioner
+DocType: Supplier,Is Transporter,Är Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importera försäljningsfaktura från Shopify om betalning är markerad
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Oppräknare
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Både provperiodens startdatum och provperiodens slutdatum måste ställas in
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Genomsnitt
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totala betalningsbeloppet i betalningsplanen måste vara lika med Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totala betalningsbeloppet i betalningsplanen måste vara lika med Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Planen
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Kontoutdrag balans per huvudbok
 DocType: Job Applicant,Applicant Name,Sökandes Namn
@@ -5919,7 +5989,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Tillgänglig kvantitet vid källlagret
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti
 DocType: Purchase Invoice,Debit Note Issued,Debetnota utfärdad
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtret baserat på kostnadscenter är endast tillämpligt om Budget Against är valt som kostnadscenter
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtret baserat på kostnadscenter är endast tillämpligt om Budget Against är valt som kostnadscenter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Sök efter artikelnummer, serienummer, batchnummer eller streckkod"
 DocType: Work Order,Warehouses,Lager
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} tillgång kan inte överföras
@@ -5930,9 +6000,9 @@
 DocType: Workstation,per hour,per timme
 DocType: Blanket Order,Purchasing,Köp av
 DocType: Announcement,Announcement,Meddelande
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Kund LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Kund LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",För gruppbaserad studentgrupp kommer studentenbatchen att valideras för varje student från programansökan.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Lager kan inte tas bort som lagrets huvudbok  existerar för det här lagret.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Lager kan inte tas bort som lagrets huvudbok  existerar för det här lagret.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Fördelning
 DocType: Journal Entry Account,Loan,Lån
 DocType: Expense Claim Advance,Expense Claim Advance,Expense Claim Advance
@@ -5941,7 +6011,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Projektledare
 ,Quoted Item Comparison,Citerade föremål Jämförelse
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Överlappa i poäng mellan {0} och {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Skicka
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Skicka
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Max rabatt tillåtet för objektet: {0} är {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Substansvärdet på
 DocType: Crop,Produce,Producera
@@ -5951,20 +6021,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Materialförbrukning för tillverkning
 DocType: Item Alternative,Alternative Item Code,Alternativ produktkod
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Roll som får godkänna transaktioner som överstiger kreditgränser.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Välj produkter i Tillverkning
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Välj produkter i Tillverkning
 DocType: Delivery Stop,Delivery Stop,Leveransstopp
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Basdata synkronisering, kan det ta lite tid"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Basdata synkronisering, kan det ta lite tid"
 DocType: Item,Material Issue,Materialproblem
 DocType: Employee Education,Qualification,Kvalifikation
 DocType: Item Price,Item Price,Produkt Pris
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Soap &amp; tvättmedel
 DocType: BOM,Show Items,Visa artiklar
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Från Tiden kan inte vara större än då.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Vill du anmäla alla kunder via e-post?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Vill du anmäla alla kunder via e-post?
 DocType: Subscription Plan,Billing Interval,Faktureringsintervall
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Beställde
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Faktiskt startdatum och aktuellt slutdatum är obligatoriskt
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Kund&gt; Kundgrupp&gt; Territorium
 DocType: Salary Detail,Component,Komponent
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Rad {0}: {1} måste vara större än 0
 DocType: Assessment Criteria,Assessment Criteria Group,Bedömningskriteriegrupp
@@ -5995,11 +6066,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Ange bankens eller utlåningsinstitutets namn innan du skickar in.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} måste lämnas in
 DocType: POS Profile,Item Groups,artikelgrupper
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Idag är {0} s födelsedag!
 DocType: Sales Order Item,For Production,För produktion
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Balans i kontovaluta
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Lägg till ett tillfälligt öppnings konto i kontoplan
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Lägg till ett tillfälligt öppnings konto i kontoplan
 DocType: Customer,Customer Primary Contact,Kund Primärkontakt
 DocType: Project Task,View Task,Se uppgifter
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6012,11 +6082,11 @@
 DocType: Sales Invoice,Get Advances Received,Få erhållna förskott
 DocType: Email Digest,Add/Remove Recipients,Lägg till / ta bort mottagare
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","För att ställa denna verksamhetsåret som standard, klicka på &quot;Ange som standard&quot;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Beloppet av TDS dras av
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Beloppet av TDS dras av
 DocType: Production Plan,Include Subcontracted Items,Inkludera underleverantörer
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Ansluta sig
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Brist Antal
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Ansluta sig
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Brist Antal
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut
 DocType: Loan,Repay from Salary,Repay från Lön
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Begärande betalning mot {0} {1} för mängden {2}
 DocType: Additional Salary,Salary Slip,Lön Slip
@@ -6032,7 +6102,7 @@
 DocType: Patient,Dormant,Vilande
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Avdragsskatt för oanställda anställningsförmåner
 DocType: Salary Slip,Total Interest Amount,Summa räntebelopp
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Lager med underordnade noder kan inte omvandlas till liggaren
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Lager med underordnade noder kan inte omvandlas till liggaren
 DocType: BOM,Manage cost of operations,Hantera kostnaderna för verksamheten
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Ankomst Datetime
@@ -6044,7 +6114,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Detaljer Bedömningsresultat
 DocType: Employee Education,Employee Education,Anställd Utbildning
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Dubblett grupp finns i posten grupptabellen
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Det behövs för att hämta produktdetaljer.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Det behövs för att hämta produktdetaljer.
 DocType: Fertilizer,Fertilizer Name,Namn på gödselmedel
 DocType: Salary Slip,Net Pay,Nettolön
 DocType: Cash Flow Mapping Accounts,Account,Konto
@@ -6055,14 +6125,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Skapa separat betalningsanmälan mot förmånskrav
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Förekomst av feber (temp&gt; 38,5 ° C eller upprepad temperatur&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Försäljnings Team Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Ta bort permanent?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Ta bort permanent?
 DocType: Expense Claim,Total Claimed Amount,Totalt yrkade beloppet
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentiella möjligheter för att sälja.
 DocType: Shareholder,Folio no.,Folio nr.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Ogiltigt {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Sjukskriven
 DocType: Email Digest,Email Digest,E-postutskick
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,är inte
 DocType: Delivery Note,Billing Address Name,Faktureringsadress Namn
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Varuhus
 ,Item Delivery Date,Leveransdatum för artikel
@@ -6078,16 +6147,16 @@
 DocType: Account,Chargeable,Avgift
 DocType: Company,Change Abbreviation,Ändra Förkortning
 DocType: Contract,Fulfilment Details,Uppfyllningsdetaljer
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Betala {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Betala {0} {1}
 DocType: Employee Onboarding,Activities,verksamhet
 DocType: Expense Claim Detail,Expense Date,Utgiftsdatum
 DocType: Item,No of Months,Antal månader
 DocType: Item,Max Discount (%),Max rabatt (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kreditdagar kan inte vara ett negativt tal
-DocType: Sales Invoice Item,Service Stop Date,Servicestoppdatum
+DocType: Purchase Invoice Item,Service Stop Date,Servicestoppdatum
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Sista beställningsmängd
 DocType: Cash Flow Mapper,e.g Adjustments for:,t.ex. justeringar för:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Behåll provet är baserat på sats, kolla in Har batch nr för att behålla provet av objektet"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Behåll provet är baserat på sats, kolla in Har batch nr för att behålla provet av objektet"
 DocType: Task,Is Milestone,Är Milestone
 DocType: Certification Application,Yet to appear,Ändå att visas
 DocType: Delivery Stop,Email Sent To,Email skickat till
@@ -6095,16 +6164,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Tillåt kostnadscentrum vid inmatning av balansräkningskonto
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Sammanfoga med befintligt konto
 DocType: Budget,Warn,Varna
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Alla objekt har redan överförts för denna arbetsorder.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Alla objekt har redan överförts för denna arbetsorder.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Alla andra anmärkningar, anmärkningsvärt ansträngning som ska gå i registren."
 DocType: Asset Maintenance,Manufacturing User,Tillverkningsanvändare
 DocType: Purchase Invoice,Raw Materials Supplied,Råvaror Levereras
 DocType: Subscription Plan,Payment Plan,Betalningsplan
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Aktivera inköp av varor via webbplatsen
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Valutan i prislistan {0} måste vara {1} eller {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Prenumerationshantering
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Prenumerationshantering
 DocType: Appraisal,Appraisal Template,Bedömning mall
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Att stifta kod
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Att stifta kod
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Markera det här för att aktivera en schemalagd daglig synkroniseringsrutin via schemaläggaren
 DocType: Item Group,Item Classification,Produkt Klassificering
@@ -6114,6 +6183,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Faktura Patient Registration
 DocType: Crop,Period,Period
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Allmän huvudbok
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Till räkenskapsår
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Se prospekts
 DocType: Program Enrollment Tool,New Program,nytt program
 DocType: Item Attribute Value,Attribute Value,Attribut Värde
@@ -6122,11 +6192,11 @@
 ,Itemwise Recommended Reorder Level,Produktvis Rekommenderad Ombeställningsnivå
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Anställd {0} i betyg {1} har ingen standardlovspolicy
 DocType: Salary Detail,Salary Detail,lön Detalj
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Välj {0} först
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Välj {0} först
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Tillagt {0} användare
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",När det gäller program med flera nivåer kommer kunderna automatiskt att tilldelas den aktuella tiern enligt deras tillbringade
 DocType: Appointment Type,Physician,Läkare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Batch {0} av Punkt {1} har löpt ut.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Batch {0} av Punkt {1} har löpt ut.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,samråd
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Slutade bra
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Artikelpriset visas flera gånger baserat på prislista, leverantör / kund, valuta, artikel, UOM, antal och datum."
@@ -6135,22 +6205,21 @@
 DocType: Certification Application,Name of Applicant,Sökandes namn
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tidrapportering för tillverkning.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Delsumma
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kan inte ändra Variantegenskaper efter aktiehandel. Du måste skapa ett nytt objekt för att göra detta.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Kan inte ändra Variantegenskaper efter aktiehandel. Du måste skapa ett nytt objekt för att göra detta.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA-mandat
 DocType: Healthcare Practitioner,Charges,Kostnader
 DocType: Production Plan,Get Items For Work Order,Få artiklar för arbetsorder
 DocType: Salary Detail,Default Amount,Standard Mängd
 DocType: Lab Test Template,Descriptive,Beskrivande
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Lagret hittades inte i systemet
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Månadens Sammanfattning
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Månadens Sammanfattning
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kvalitetskontroll Läsning
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Frys lager äldre än` bör vara mindre än% d dagar.
 DocType: Tax Rule,Purchase Tax Template,Köp Tax Mall
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Ange ett försäljningsmål som du vill uppnå för ditt företag.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Hälsovårdstjänster
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Hälsovårdstjänster
 ,Project wise Stock Tracking,Projektvis lager Spårning
 DocType: GST HSN Code,Regional,Regional
-DocType: Delivery Note,Transport Mode,Transportläge
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratorium
 DocType: UOM Category,UOM Category,UOM Kategori
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Faktiska Antal (vid källa/mål)
@@ -6173,17 +6242,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Misslyckades med att skapa webbplats
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Omvandlings Detalj
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry redan skapad eller Provkvantitet ej angiven
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry redan skapad eller Provkvantitet ej angiven
 DocType: Program,Program Abbreviation,program Förkortning
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Produktionsorder kan inte skickas till en objektmall
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Avgifter uppdateras i inköpskvitto för varje post
 DocType: Warranty Claim,Resolved By,Åtgärdad av
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Schemaläggningsavgift
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Checkar och Insättningar rensas felaktigt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Konto {0}: Du kan inte tilldela sig själv som förälder konto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Konto {0}: Du kan inte tilldela sig själv som förälder konto
 DocType: Purchase Invoice Item,Price List Rate,Prislista värde
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Skapa kund citat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Servicestoppdatum kan inte vara efter service Slutdatum
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Servicestoppdatum kan inte vara efter service Slutdatum
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Visa &quot;i lager&quot; eller &quot;Inte i lager&quot; som bygger på lager tillgängliga i detta lager.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Genomsnittlig tid det tar för leverantören att leverera
@@ -6195,11 +6264,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Timmar
 DocType: Project,Expected Start Date,Förväntat startdatum
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korrigering i Faktura
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Arbetsorder som redan är skapad för alla artiklar med BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Arbetsorder som redan är skapad för alla artiklar med BOM
 DocType: Payment Request,Party Details,Fest Detaljer
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant Detaljer Report
 DocType: Setup Progress Action,Setup Progress Action,Inställning Progress Action
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Köpa prislista
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Köpa prislista
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Ta bort alternativ om avgifter inte är tillämpade för denna post
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Avbryt prenumeration
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Vänligen välj Underhållsstatus som Slutförd eller ta bort Slutdatum
@@ -6217,7 +6286,7 @@
 DocType: Asset,Disposal Date,bortskaffande Datum
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-post kommer att skickas till alla aktiva anställda i bolaget vid en given timme, om de inte har semester. Sammanfattning av svaren kommer att sändas vid midnatt."
 DocType: Employee Leave Approver,Employee Leave Approver,Anställd Lämna godkännare
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Beställnings post finns redan för detta lager {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Beställnings post finns redan för detta lager {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Det går inte att ange som förlorad, eftersom Offert har gjorts."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP-konto
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,utbildning Feedback
@@ -6229,7 +6298,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Hittills inte kan vara före startdatum
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Avsnitt Footer
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Lägg till / redigera priser
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Lägg till / redigera priser
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Arbetstagarreklam kan inte skickas före kampanjdatum
 DocType: Batch,Parent Batch,Föräldragrupp
 DocType: Cheque Print Template,Cheque Print Template,Check utskriftsmall
@@ -6239,6 +6308,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Provsamling
 ,Requested Items To Be Ordered,Efterfrågade artiklar Beställningsvara
 DocType: Price List,Price List Name,Pris Listnamn
+DocType: Delivery Stop,Dispatch Information,Dispatch Information
 DocType: Blanket Order,Manufacturing,Tillverkning
 ,Ordered Items To Be Delivered,Beställda varor som skall levereras
 DocType: Account,Income,Inkomst
@@ -6257,17 +6327,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} enheter av {1} behövs i {2} på {3} {4} för {5} för att slutföra denna transaktion.
 DocType: Fee Schedule,Student Category,elev Kategori
 DocType: Announcement,Student,Elev
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lager kvantitet till startproceduren är inte tillgänglig i lageret. Vill du spela in en Stock Transfer
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lager kvantitet till startproceduren är inte tillgänglig i lageret. Vill du spela in en Stock Transfer
 DocType: Shipping Rule,Shipping Rule Type,Leveransregel Typ
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Gå till rum
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Företag, Betalkonto, Från datum till datum är obligatoriskt"
 DocType: Company,Budget Detail,Budgetdetalj
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ange meddelandet innan du skickar
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICERA FÖR LEVERANTÖR
-DocType: Email Digest,Pending Quotations,avvaktan Citat
-DocType: Delivery Note,Distance (KM),Avstånd (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Leverantör&gt; Leverantörsgrupp
 DocType: Asset,Custodian,Väktare
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Butikförsäljnings profil
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Butikförsäljnings profil
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} bör vara ett värde mellan 0 och 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Betalning av {0} från {1} till {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Lån utan säkerhet
@@ -6299,10 +6368,10 @@
 DocType: Lead,Converted,Konverterad
 DocType: Item,Has Serial No,Har Löpnummer
 DocType: Employee,Date of Issue,Utgivningsdatum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",Enligt Köpinställningar om inköp krävs == &#39;JA&#39; och sedan för att skapa Köpfaktura måste användaren skapa Köp kvittot först för punkt {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",Enligt Köpinställningar om inköp krävs == &#39;JA&#39; och sedan för att skapa Köpfaktura måste användaren skapa Köp kvittot först för punkt {0}
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Rad # {0}: Ställ Leverantör för punkt {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,V {0}: Timmar Värdet måste vara större än noll.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Website Bild {0} fäst till punkt {1} kan inte hittas
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Website Bild {0} fäst till punkt {1} kan inte hittas
 DocType: Issue,Content Type,Typ av innehåll
 DocType: Asset,Assets,Tillgångar
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Dator
@@ -6313,7 +6382,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} existerar inte
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Kontrollera flera valutor möjlighet att tillåta konton med annan valuta
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Produkt: {0} existerar inte i systemet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Du har inte behörighet att ställa in Frysta värden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Du har inte behörighet att ställa in Frysta värden
 DocType: Payment Reconciliation,Get Unreconciled Entries,Hämta ej verifierade Anteckningar
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Anställd {0} är kvar på {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Inga återbetalningar valdes för Journal Entry
@@ -6331,13 +6400,14 @@
 ,Average Commission Rate,Genomsnittligt commisionbetyg
 DocType: Share Balance,No of Shares,Antal aktier
 DocType: Taxable Salary Slab,To Amount,Till belopp
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&quot;Har Löpnummer&quot; kan inte vara &quot;ja&quot; för icke Beställningsvara
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&quot;Har Löpnummer&quot; kan inte vara &quot;ja&quot; för icke Beställningsvara
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Välj Status
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Närvaro kan inte markeras för framtida datum
 DocType: Support Search Source,Post Description Key,Post Beskrivning Key
 DocType: Pricing Rule,Pricing Rule Help,Prissättning Regel Hjälp
 DocType: School House,House Name,Hus-namn
 DocType: Fee Schedule,Total Amount per Student,Summa belopp per student
+DocType: Opportunity,Sales Stage,Försäljningsstadiet
 DocType: Purchase Taxes and Charges,Account Head,Kontohuvud
 DocType: Company,HRA Component,HRA komponent
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektrisk
@@ -6345,15 +6415,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Total Value Skillnad (Out - In)
 DocType: Grant Application,Requested Amount,Begärt belopp
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Rad {0}: Växelkurser är obligatorisk
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Användar-ID inte satt för anställd {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Användar-ID inte satt för anställd {0}
 DocType: Vehicle,Vehicle Value,fordons Värde
 DocType: Crop Cycle,Detected Diseases,Upptäckta sjukdomar
 DocType: Stock Entry,Default Source Warehouse,Standardkälla Lager
 DocType: Item,Customer Code,Kund kod
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Påminnelse födelsedag för {0}
 DocType: Asset Maintenance Task,Last Completion Date,Sista slutdatum
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagar sedan senast Order
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debitering av kontot måste vara ett balanskonto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debitering av kontot måste vara ett balanskonto
 DocType: Asset,Naming Series,Namge Serien
 DocType: Vital Signs,Coated,Överdragen
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rad {0}: Förväntat värde efter nyttjandeperioden måste vara mindre än bruttoinköpsbeloppet
@@ -6371,15 +6440,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Följesedel {0} får inte lämnas
 DocType: Notification Control,Sales Invoice Message,Fakturan Meddelande
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Utgående konto {0} måste vara av typen Ansvar / Equity
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Lönebesked av personal {0} redan skapats för tidrapporten {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Lönebesked av personal {0} redan skapats för tidrapporten {1}
 DocType: Vehicle Log,Odometer,Vägmätare
 DocType: Production Plan Item,Ordered Qty,Beställde Antal
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Punkt {0} är inaktiverad
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Punkt {0} är inaktiverad
 DocType: Stock Settings,Stock Frozen Upto,Lager Fryst Upp
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM inte innehåller någon lagervara
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM inte innehåller någon lagervara
 DocType: Chapter,Chapter Head,Kapitelhuvud
 DocType: Payment Term,Month(s) after the end of the invoice month,Månad (er) efter fakturamånadens slut
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lönestruktur ska ha flexibla förmånskomponenter för att fördela förmånsbeloppet
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lönestruktur ska ha flexibla förmånskomponenter för att fördela förmånsbeloppet
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Projektverksamhet / uppgift.
 DocType: Vital Signs,Very Coated,Mycket belagd
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Endast skattepåverkan (kan inte kräva men en del av skattepliktig inkomst)
@@ -6397,7 +6466,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,fakturerings Timmar
 DocType: Project,Total Sales Amount (via Sales Order),Totala försäljningsbelopp (via försäljningsorder)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,Standard BOM för {0} hittades inte
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Rad # {0}: Ställ in beställningsmängd
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Rad # {0}: Ställ in beställningsmängd
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tryck på objekt för att lägga till dem här
 DocType: Fees,Program Enrollment,programmet Inskrivning
 DocType: Share Transfer,To Folio No,Till Folio nr
@@ -6439,9 +6508,9 @@
 DocType: SG Creation Tool Course,Max Strength,max Styrka
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Installera förinställningar
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Ingen leveransnotering vald för kund {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Ingen leveransnotering vald för kund {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Anställd {0} har inget maximalt förmånsbelopp
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Välj objekt baserat på leveransdatum
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Välj objekt baserat på leveransdatum
 DocType: Grant Application,Has any past Grant Record,Har någon tidigare Grant Record
 ,Sales Analytics,Försäljnings Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Tillgängliga {0}
@@ -6450,12 +6519,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Tillverknings Inställningar
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Ställa in e-post
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Ange standardvaluta i Bolaget
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Ange standardvaluta i Bolaget
 DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detalj
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Dagliga påminnelser
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Dagliga påminnelser
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Se alla öppna biljetter
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Hälso- och sjukvårdstjänstenhet
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Produkt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Produkt
 DocType: Products Settings,Home Page is Products,Hemsida är produkter
 ,Asset Depreciation Ledger,Avskrivning Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Lämna inkräkningsbelopp per dag
@@ -6465,8 +6534,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Råvaror Levererans Kostnad
 DocType: Selling Settings,Settings for Selling Module,Inställningar för att sälja Modul
 DocType: Hotel Room Reservation,Hotel Room Reservation,Hotellrum Bokning
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Kundtjänst
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Kundtjänst
 DocType: BOM,Thumbnail,Miniatyr
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Inga kontakter med e-postadresser hittades.
 DocType: Item Customer Detail,Item Customer Detail,Produktdetaljer kund
 DocType: Notification Control,Prompt for Email on Submission of,Fråga för e-post på Inlämning av
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Maximal förmånsbelopp för anställd {0} överstiger {1}
@@ -6476,7 +6546,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Produkt {0} måste vara en lagervara
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard Work In Progress Warehouse
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Scheman för {0} överlappar, vill du fortsätta efter att ha skurit överlappade slitsar?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Standardinställningarna för bokföringstransaktioner.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Standardinställningarna för bokföringstransaktioner.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,Standardskattemall
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Studenter har anmält sig
@@ -6484,6 +6554,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Lager Antal
 DocType: Purchase Invoice Item,Stock Qty,Lager Antal
 DocType: Contract,Requires Fulfilment,Kräver Uppfyllande
+DocType: QuickBooks Migrator,Default Shipping Account,Standard Fraktkonto
 DocType: Loan,Repayment Period in Months,Återbetalning i månader
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fel: Inte ett giltigt id?
 DocType: Naming Series,Update Series Number,Uppdatera Serie Nummer
@@ -6497,11 +6568,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maxbelopp
 DocType: Journal Entry,Total Amount Currency,Totalt Belopp Valuta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Sök Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Produkt kod krävs vid Radnr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Produkt kod krävs vid Radnr {0}
 DocType: GST Account,SGST Account,SGST-konto
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Gå till objekt
 DocType: Sales Partner,Partner Type,Partner Typ
-DocType: Purchase Taxes and Charges,Actual,Faktisk
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Faktisk
 DocType: Restaurant Menu,Restaurant Manager,Restaurangchef
 DocType: Authorization Rule,Customerwise Discount,Kundrabatt
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Tidrapport för uppgifter.
@@ -6522,7 +6593,7 @@
 DocType: Employee,Cheque,Check
 DocType: Training Event,Employee Emails,Medarbetare e-post
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Serie Uppdaterad
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Rapporttyp är obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Rapporttyp är obligatorisk
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Lager är obligatoriskt för Lagervara {0} i rad {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Detaljhandel och grossisthandel
@@ -6553,7 +6624,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Uppdatera fakturerat belopp i försäljningsorder
 DocType: BOM,Materials,Material
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Om inte markerad, måste listan läggas till varje avdelning där den måste tillämpas."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Bokningsdatum och bokningstid är obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Bokningsdatum och bokningstid är obligatorisk
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Skatte mall för att köpa transaktioner.
 ,Item Prices,Produktpriser
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,I Ord kommer att synas när du sparar beställningen.
@@ -6569,12 +6640,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie för tillgångsavskrivning (Journal Entry)
 DocType: Membership,Member Since,Medlem sedan
 DocType: Purchase Invoice,Advance Payments,Förskottsbetalningar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Välj hälsovårdstjänst
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Välj hälsovårdstjänst
 DocType: Purchase Taxes and Charges,On Net Total,På Net Totalt
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Värde för Attribut {0} måste vara inom intervallet {1} till {2} i steg om {3} till punkt {4}
 DocType: Restaurant Reservation,Waitlisted,väntelistan
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Undantagskategori
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valuta kan inte ändras efter att ha gjort poster med någon annan valuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valuta kan inte ändras efter att ha gjort poster med någon annan valuta
 DocType: Shipping Rule,Fixed,Fast
 DocType: Vehicle Service,Clutch Plate,kopplingslamell
 DocType: Company,Round Off Account,Avrunda konto
@@ -6583,7 +6654,7 @@
 DocType: Subscription Plan,Based on price list,Baserat på prislista
 DocType: Customer Group,Parent Customer Group,Överordnad kundgrupp
 DocType: Vehicle Service,Change,Byta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Prenumeration
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Prenumeration
 DocType: Purchase Invoice,Contact Email,Kontakt E-Post
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Avgift skapande väntar
 DocType: Appraisal Goal,Score Earned,Betyg förtjänat
@@ -6611,23 +6682,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Fordran / Betal konto
 DocType: Delivery Note Item,Against Sales Order Item,Mot Försäljningvara
 DocType: Company,Company Logo,Företagslogotyp
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Ange Attribut Värde för attribut {0}
-DocType: Item Default,Default Warehouse,Standard Lager
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Ange Attribut Värde för attribut {0}
+DocType: QuickBooks Migrator,Default Warehouse,Standard Lager
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Budget kan inte tilldelas mot gruppkonto {0}
 DocType: Shopping Cart Settings,Show Price,Visa pris
 DocType: Healthcare Settings,Patient Registration,Patientregistrering
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Ange huvud kostnadsställe
 DocType: Delivery Note,Print Without Amount,Skriv ut utan Belopp
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,avskrivnings Datum
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,avskrivnings Datum
 ,Work Orders in Progress,Arbetsorder pågår
 DocType: Issue,Support Team,Support Team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Ut (i dagar)
 DocType: Appraisal,Total Score (Out of 5),Totalt Betyg (Out of 5)
 DocType: Student Attendance Tool,Batch,Batch
 DocType: Support Search Source,Query Route String,Query Route String
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Uppdateringsfrekvens enligt senaste köp
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Uppdateringsfrekvens enligt senaste köp
 DocType: Donor,Donor Type,Givartyp
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Automatisk upprepa dokument uppdaterad
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Automatisk upprepa dokument uppdaterad
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Balans
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Var god välj Företaget
 DocType: Job Card,Job Card,Jobbkort
@@ -6641,7 +6712,7 @@
 DocType: Assessment Result,Total Score,Totalpoäng
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601-standarden
 DocType: Journal Entry,Debit Note,Debetnota
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Du kan bara lösa in maximala {0} poäng i denna ordning.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Du kan bara lösa in maximala {0} poäng i denna ordning.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Vänligen ange API konsumenthemlighet
 DocType: Stock Entry,As per Stock UOM,Per Stock UOM
@@ -6655,10 +6726,11 @@
 DocType: Journal Entry,Total Debit,Totalt bankkort
 DocType: Travel Request Costing,Sponsored Amount,Sponsrat belopp
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standard färdigvarulagret
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Var god välj Patient
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Var god välj Patient
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Försäljnings person
 DocType: Hotel Room Package,Amenities,Bekvämligheter
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Budget och kostnadsställe
+DocType: QuickBooks Migrator,Undeposited Funds Account,Oavsett fondkonto
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Budget och kostnadsställe
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Multipla standard betalningssätt är inte tillåtet
 DocType: Sales Invoice,Loyalty Points Redemption,Lojalitetspoäng Inlösen
 ,Appointment Analytics,Utnämningsanalys
@@ -6672,6 +6744,7 @@
 DocType: Batch,Manufacturing Date,Tillverkningsdatum
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Avgiftsköp misslyckades
 DocType: Opening Invoice Creation Tool,Create Missing Party,Skapa saknade parti
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Total budget
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lämna tomma om du gör elever grupper per år
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lämna tomma om du gör elever grupper per år
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Om markerad, Totalt antal. arbetsdagar kommer att omfatta helgdagar, och detta kommer att minska värdet av lönen per dag"
@@ -6689,20 +6762,19 @@
 DocType: Opportunity Item,Basic Rate,Baskurs
 DocType: GL Entry,Credit Amount,Kreditbelopp
 DocType: Cheque Print Template,Signatory Position,tecknaren Position
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Ange som förlorade
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Ange som förlorade
 DocType: Timesheet,Total Billable Hours,Totalt debiterbara timmar
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Antal dagar som abonnenten måste betala fakturor som genereras av denna prenumeration
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Ansökningsdetaljer för anställda
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Kvitto Notera
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Detta grundar sig på transaktioner mot denna kund. Se tidslinje nedan för mer information
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rad {0}: Tilldelad mängd {1} måste vara mindre än eller lika med betalning Entry belopp {2}
 DocType: Program Enrollment Tool,New Academic Term,Ny akademisk term
 ,Course wise Assessment Report,Kursfattig bedömningsrapport
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Availed ITC State / UT Skatt
 DocType: Tax Rule,Tax Rule,Skatte Rule
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Behåll samma takt hela säljcykeln
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Vänligen logga in som en annan användare för att registrera dig på Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Vänligen logga in som en annan användare för att registrera dig på Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planera tidsloggar utanför planerad arbetstid.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kunder i kö
 DocType: Driver,Issuing Date,Utgivningsdatum
@@ -6711,11 +6783,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Skicka in denna arbetsorder för vidare bearbetning.
 ,Items To Be Requested,Produkter att begäras
 DocType: Company,Company Info,Företagsinfo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Välj eller lägga till en ny kund
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Välj eller lägga till en ny kund
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Kostnadsställe krävs för att boka en räkningen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Tillämpning av medel (tillgångar)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Detta är baserat på närvaron av detta till anställda
-DocType: Assessment Result,Summary,Sammanfattning
 DocType: Payment Request,Payment Request Type,Betalningsförfrågan Typ
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Bankkortkonto
@@ -6723,7 +6794,7 @@
 DocType: Additional Salary,Employee Name,Anställd Namn
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restaurang Order Entry Item
 DocType: Purchase Invoice,Rounded Total (Company Currency),Avrundat Totalt (Företagsvaluta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Det går inte att konvertera till koncernen eftersom Kontotyp valts.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Det går inte att konvertera till koncernen eftersom Kontotyp valts.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} har ändrats. Vänligen uppdatera.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stoppa användare från att göra Lämna program på följande dagarna.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Om obegränsat upphörande för lojalitetspoängen, håll utlåtningstiden tom eller 0."
@@ -6744,11 +6815,12 @@
 DocType: Asset,Out of Order,Trasig
 DocType: Purchase Receipt Item,Accepted Quantity,Godkänd Kvantitet
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorera överlappning av arbetsstationen
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Vänligen ange ett standardkalender för anställd {0} eller Company {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Vänligen ange ett standardkalender för anställd {0} eller Company {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} existerar inte
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Välj batchnummer
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Till GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Till GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Fakturor till kunder.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Fakturaavnämningar automatiskt
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt Id
 DocType: Salary Component,Variable Based On Taxable Salary,Variabel baserad på beskattningsbar lön
 DocType: Company,Basic Component,Grundkomponent
@@ -6761,10 +6833,10 @@
 DocType: Stock Entry,Source Warehouse Address,Källa lageradress
 DocType: GL Entry,Voucher Type,Rabatt Typ
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Prislista hittades inte eller avaktiverad
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Prislista hittades inte eller avaktiverad
 DocType: Student Applicant,Approved,Godkänd
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Pris
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"Anställd sparkades på {0} måste ställas in som ""lämnat"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"Anställd sparkades på {0} måste ställas in som ""lämnat"""
 DocType: Marketplace Settings,Last Sync On,Senast synkroniserad
 DocType: Guardian,Guardian,väktare
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,All kommunikation inklusive och ovanför ska flyttas till den nya Issue
@@ -6787,14 +6859,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Lista över sjukdomar som upptäckts på fältet. När den väljs kommer den automatiskt att lägga till en lista över uppgifter för att hantera sjukdomen
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Detta är en root healthcare service enhet och kan inte redigeras.
 DocType: Asset Repair,Repair Status,Reparationsstatus
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Lägg till försäljningspartners
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Redovisning journalanteckningar.
 DocType: Travel Request,Travel Request,Travel Request
 DocType: Delivery Note Item,Available Qty at From Warehouse,Tillgång Antal på From Warehouse
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Välj Anställningsregister först.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Närvaro inte inlämnad för {0} eftersom det är en semester.
 DocType: POS Profile,Account for Change Amount,Konto för förändring Belopp
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Anslutning till QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Totala vinst / förlust
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Ogiltigt företag för interfirma faktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Ogiltigt företag för interfirma faktura.
 DocType: Purchase Invoice,input service,inmatningstjänst
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rad {0}: Party / konto stämmer inte med {1} / {2} i {3} {4}
 DocType: Employee Promotion,Employee Promotion,Medarbetarreklam
@@ -6803,12 +6877,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kurskod:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Ange utgiftskonto
 DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av inköpsorder, inköpsfaktura eller journalanteckning"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av inköpsorder, inköpsfaktura eller journalanteckning"
 DocType: Employee,Current Address,Nuvarande Adress
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Om artikeln är en variant av ett annat objekt kommer beskrivning, bild, prissättning, skatter etc att ställas från mallen om inte annat uttryckligen anges"
 DocType: Serial No,Purchase / Manufacture Details,Inköp / Tillverknings Detaljer
 DocType: Assessment Group,Assessment Group,bedömning gruppen
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Sats Inventory
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Procedurens namn
 DocType: Employee,Contract End Date,Kontrakts Slutdatum
 DocType: Amazon MWS Settings,Seller ID,Säljar-ID
@@ -6828,12 +6903,12 @@
 DocType: Company,Date of Incorporation,Datum för upptagande
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Totalt Skatt
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Senaste inköpspriset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,För Kvantitet (Tillverkad Antal) är obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,För Kvantitet (Tillverkad Antal) är obligatorisk
 DocType: Stock Entry,Default Target Warehouse,Standard Valt Lager
 DocType: Purchase Invoice,Net Total (Company Currency),Netto Totalt (Företagsvaluta)
 DocType: Delivery Note,Air,Luft
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Året Slutdatum kan inte vara tidigare än året Startdatum. Rätta datum och försök igen.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} finns inte i valfri semesterlista
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} finns inte i valfri semesterlista
 DocType: Notification Control,Purchase Receipt Message,Inköpskvitto Meddelande
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,skrot Items
@@ -6856,23 +6931,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Uppfyllelse
 DocType: Purchase Taxes and Charges,On Previous Row Amount,På föregående v Belopp
 DocType: Item,Has Expiry Date,Har förfallodatum
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,överföring av tillgångar
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,överföring av tillgångar
 DocType: POS Profile,POS Profile,POS-Profil
 DocType: Training Event,Event Name,Händelsenamn
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Office)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Kan inte lämna in, Anställda kvar för att markera närvaro"
 DocType: Inpatient Record,Admission,Tillträde
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Antagning för {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Säsongs för att fastställa budgeten, mål etc."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Säsongs för att fastställa budgeten, mål etc."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt namn
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Punkt {0} är en mall, välj en av dess varianter"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vänligen uppsättning Anställningsnamnssystem i mänsklig resurs&gt; HR-inställningar
+DocType: Purchase Invoice Item,Deferred Expense,Uppskjuten kostnad
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Från datum {0} kan inte vara före anställdes datum {1}
 DocType: Asset,Asset Category,tillgångsslag
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Nettolön kan inte vara negativ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Nettolön kan inte vara negativ
 DocType: Purchase Order,Advance Paid,Förskottsbetalning
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Överproduktionsprocent för försäljningsorder
 DocType: Item,Item Tax,Produkt Skatt
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Material till leverantören
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Material till leverantören
 DocType: Soil Texture,Loamy Sand,Lerig sand
 DocType: Production Plan,Material Request Planning,Material Beställningsplanering
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Punkt Faktura
@@ -6894,11 +6971,11 @@
 DocType: Scheduling Tool,Scheduling Tool,schemaläggning Tool
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kreditkort
 DocType: BOM,Item to be manufactured or repacked,Produkt som skall tillverkas eller packas
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Syntaxfel i skick: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Syntaxfel i skick: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Stora / valfria ämnen
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Ange leverantörsgrupp i köpinställningar.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Ange leverantörsgrupp i köpinställningar.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Totalbeloppet för flexibelt stödkomponent {0} bör inte understiga \ än maximalt antal förmåner {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,Upphängd
@@ -6918,7 +6995,7 @@
 DocType: Customer,Commission Rate,Provisionbetyg
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Framgångsrikt skapade betalningsuppgifter
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Skapade {0} scorecards för {1} mellan:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Gör Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Gör Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",Betalning Type måste vara en av mottagning Betala och intern överföring
 DocType: Travel Itinerary,Preferred Area for Lodging,Önskat område för logi
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6929,7 +7006,7 @@
 DocType: Work Order,Actual Operating Cost,Faktisk driftkostnad
 DocType: Payment Entry,Cheque/Reference No,Check / referensnummer
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Root kan inte redigeras.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Root kan inte redigeras.
 DocType: Item,Units of Measure,Måttenheter
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Hyrd i Metro City
 DocType: Supplier,Default Tax Withholding Config,Standardskatteavdrag Konfig
@@ -6947,21 +7024,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Efter betalning avslutad omdirigera användare till valda sidan.
 DocType: Company,Existing Company,befintliga Company
 DocType: Healthcare Settings,Result Emailed,Resultat Emailed
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattekategori har ändrats till &quot;Totalt&quot; eftersom alla artiklar är poster som inte är lagret
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattekategori har ändrats till &quot;Totalt&quot; eftersom alla artiklar är poster som inte är lagret
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Hittills kan det inte vara lika eller mindre än från datumet
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Inget att ändra
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Välj en csv-fil
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Välj en csv-fil
 DocType: Holiday List,Total Holidays,Totalt helgdagar
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Missande e-postmall för leverans. Ange en i Leveransinställningar.
 DocType: Student Leave Application,Mark as Present,Mark som Present
 DocType: Supplier Scorecard,Indicator Color,Indikatorfärg
 DocType: Purchase Order,To Receive and Bill,Ta emot och Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Rad # {0}: Reqd by Date kan inte vara före Transaktionsdatum
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Rad # {0}: Reqd by Date kan inte vara före Transaktionsdatum
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Utvalda Produkter
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Välj serienummer
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Välj serienummer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Designer
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Villkor Mall
 DocType: Serial No,Delivery Details,Leveransdetaljer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Kostnadsställe krävs rad {0} i skatte tabellen för typ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Kostnadsställe krävs rad {0} i skatte tabellen för typ {1}
 DocType: Program,Program Code,programkoden
 DocType: Terms and Conditions,Terms and Conditions Help,Villkor Hjälp
 ,Item-wise Purchase Register,Produktvis Inköpsregister
@@ -6974,15 +7052,16 @@
 DocType: Contract,Contract Terms,Kontraktsvillkor
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Visa inte någon symbol som $ etc bredvid valutor.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Maximal förmånsbelopp för komponent {0} överstiger {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Halv Dag)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Halv Dag)
 DocType: Payment Term,Credit Days,Kreditdagar
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Var god välj Patient för att få Lab Test
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Göra Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Tillåt överföring för tillverkning
 DocType: Leave Type,Is Carry Forward,Är Överförd
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Hämta artiklar från BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Hämta artiklar från BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ledtid dagar
 DocType: Cash Flow Mapping,Is Income Tax Expense,Är inkomstskattkostnad
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Din beställning är ute för leverans!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rad # {0}: Publiceringsdatum måste vara densamma som inköpsdatum {1} av tillgångar {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kolla här om studenten är bosatt vid institutets vandrarhem.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Ange kundorder i tabellen ovan
@@ -6990,10 +7069,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Överföra en tillgång från ett lager till ett annat
 DocType: Vehicle,Petrol,Bensin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Återstående förmåner (årlig)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Bill of Materials
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Bill of Materials
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Rad {0}: Parti Typ och Parti krävs för obetalda / konto {1}
 DocType: Employee,Leave Policy,Lämna policy
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Uppdatera objekt
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Uppdatera objekt
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Datum
 DocType: Employee,Reason for Leaving,Anledning för att lämna
 DocType: BOM Operation,Operating Cost(Company Currency),Driftskostnad (Company valuta)
@@ -7004,7 +7083,7 @@
 DocType: Department,Expense Approvers,Expense Approvers
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Rad {0}: debitering kan inte kopplas till en {1}
 DocType: Journal Entry,Subscription Section,Prenumerationsavsnitt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Kontot {0} existerar inte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Kontot {0} existerar inte
 DocType: Training Event,Training Program,Träningsprogram
 DocType: Account,Cash,Kontanter
 DocType: Employee,Short biography for website and other publications.,Kort biografi för webbplatsen och andra publikationer.
diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv
index b799b7f..0c5771b 100644
--- a/erpnext/translations/sw.csv
+++ b/erpnext/translations/sw.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Vitu vya Wateja
 DocType: Project,Costing and Billing,Gharama na Ulipaji
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Fedha ya awali ya akaunti lazima iwe sawa na sarafu ya kampuni {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Akaunti {0}: Akaunti ya Mzazi {1} haiwezi kuwa kiongozi
+DocType: QuickBooks Migrator,Token Endpoint,Mwisho wa Tokeni
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Akaunti {0}: Akaunti ya Mzazi {1} haiwezi kuwa kiongozi
 DocType: Item,Publish Item to hub.erpnext.com,Chapisha Jumuiya ya hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Haiwezi kupata Kipindi cha Kuondoka
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Haiwezi kupata Kipindi cha Kuondoka
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Tathmini
 DocType: Item,Default Unit of Measure,Kitengo cha Kupima chaguo-msingi
 DocType: SMS Center,All Sales Partner Contact,Mawasiliano Yote ya Mshirika wa Mauzo
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Bonyeza Ingia Kuongeza
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Thamani ya Hifadhi ya Nenosiri, Muhimu wa API au Duka la Duka"
 DocType: Employee,Rented,Ilipangwa
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Akaunti zote
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Akaunti zote
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Haiwezi kuhamisha Mfanyakazi na hali ya kushoto
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Amri ya Utayarisho haiwezi kufutwa, Fungua kwanza kufuta"
 DocType: Vehicle Service,Mileage,Mileage
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Je! Kweli unataka kugawa kipengee hiki?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Je! Kweli unataka kugawa kipengee hiki?
 DocType: Drug Prescription,Update Schedule,Sasisha Ratiba
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Chagua Mtoa Default
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Onyesha Mfanyakazi
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Kiwango cha New Exchange
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Fedha inahitajika kwa Orodha ya Bei {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Fedha inahitajika kwa Orodha ya Bei {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Itahesabiwa katika shughuli.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT -YYYY.-
 DocType: Purchase Order,Customer Contact,Mawasiliano ya Wateja
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Hii inategemea mashirikiano dhidi ya Wasambazaji huu. Tazama kalenda ya chini kwa maelezo zaidi
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Asilimia ya upungufu kwa Kazi ya Kazi
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV -YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Kisheria
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Kisheria
+DocType: Delivery Note,Transport Receipt Date,Tarehe ya Rekodi ya Usafiri
 DocType: Shopify Settings,Sales Order Series,Mipango ya Utaratibu wa Mauzo
 DocType: Vital Signs,Tongue,Lugha
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Ufafanuzi wa HRA
 DocType: Sales Invoice,Customer Name,Jina la Wateja
 DocType: Vehicle,Natural Gas,Gesi ya asili
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Akaunti ya benki haiwezi kuitwa jina la {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Akaunti ya benki haiwezi kuitwa jina la {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA kwa Muundo wa Mshahara
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Viongozi (au makundi) ambayo Maingilio ya Uhasibu hufanywa na mizani huhifadhiwa.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Bora kwa {0} haiwezi kuwa chini ya sifuri ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Tarehe ya Kuacha Huduma haiwezi kuwa kabla ya Tarehe ya Huduma ya Huduma
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Tarehe ya Kuacha Huduma haiwezi kuwa kabla ya Tarehe ya Huduma ya Huduma
 DocType: Manufacturing Settings,Default 10 mins,Default 10 mins
 DocType: Leave Type,Leave Type Name,Acha Jina Aina
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Onyesha wazi
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Onyesha wazi
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Mfululizo umehifadhiwa kwa ufanisi
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Angalia
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} mfululizo {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} mfululizo {1}
 DocType: Asset Finance Book,Depreciation Start Date,Tarehe ya kuanza ya kushuka kwa thamani
 DocType: Pricing Rule,Apply On,Tumia Ombi
 DocType: Item Price,Multiple Item prices.,Vipengee vya Bidhaa nyingi.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Mipangilio ya Kusaidia
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Tarehe ya Mwisho Inayotarajiwa haiwezi kuwa chini ya Tarehe ya Mwanzo Iliyotarajiwa
 DocType: Amazon MWS Settings,Amazon MWS Settings,Mipangilio ya MWS ya Amazon
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Kiwango lazima kiwe sawa na {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Kiwango lazima kiwe sawa na {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Kipengee cha Muhtasari wa Kipengee Hali
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Rasimu ya Benki
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV -YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Maelezo ya Mawasiliano ya Msingi
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Masuala ya Fungua
 DocType: Production Plan Item,Production Plan Item,Kipengee cha Mpango wa Uzalishaji
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Mtumiaji {0} tayari amepewa Wafanyakazi {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Mtumiaji {0} tayari amepewa Wafanyakazi {1}
 DocType: Lab Test Groups,Add new line,Ongeza mstari mpya
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Huduma ya afya
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kuchelewa kwa malipo (Siku)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Dawa ya Dawa
 ,Delay Days,Siku za kuchelewa
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Gharama za Huduma
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Nambari ya Serial: {0} tayari imeelezea katika Invoice ya Mauzo: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Nambari ya Serial: {0} tayari imeelezea katika Invoice ya Mauzo: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Invoice
 DocType: Purchase Invoice Item,Item Weight Details,Kipengee Maelezo ya Uzito
 DocType: Asset Maintenance Log,Periodicity,Periodicity
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Mwaka wa Fedha {0} inahitajika
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Wasambazaji&gt; Kikundi cha Wasambazaji
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Umbali wa chini kati ya safu ya mimea kwa ukuaji bora
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Ulinzi
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC -YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Orodha ya likizo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Mhasibu
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Orodha ya Bei ya Kuuza
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Orodha ya Bei ya Kuuza
 DocType: Patient,Tobacco Current Use,Tabibu Matumizi ya Sasa
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Kiwango cha Mauzo
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Kiwango cha Mauzo
 DocType: Cost Center,Stock User,Mtumiaji wa hisa
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Maelezo ya Mawasiliano
 DocType: Company,Phone No,No Simu
 DocType: Delivery Trip,Initial Email Notification Sent,Arifa ya awali ya barua pepe iliyotumwa
 DocType: Bank Statement Settings,Statement Header Mapping,Maelezo ya Ramani ya kichwa
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Tarehe ya Kuanza ya Usajili
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Akaunti zilizopatikana zinazotumiwa kutumiwa ikiwa haziwekwa katika Mgonjwa ili uweze kulipa gharama za Uteuzi.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Weka faili ya .csv na nguzo mbili, moja kwa jina la zamani na moja kwa jina jipya"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Kutoka kwenye Anwani ya 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Msimbo wa Item&gt; Kikundi cha Bidhaa&gt; Brand
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Kutoka kwenye Anwani ya 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} sio mwaka wowote wa Fedha.
 DocType: Packed Item,Parent Detail docname,Jina la jina la Mzazi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Rejea: {0}, Msimbo wa Item: {1} na Wateja: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} haipo katika kampuni ya mzazi
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} haipo katika kampuni ya mzazi
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Tarehe ya mwisho ya kipindi cha majaribio Haiwezi kuwa kabla ya Tarehe ya Kuanza ya Kipindi
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kilo
 DocType: Tax Withholding Category,Tax Withholding Category,Jamii ya Kuzuia Ushuru
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Matangazo
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Kampuni sawa imeingia zaidi ya mara moja
 DocType: Patient,Married,Ndoa
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Hairuhusiwi kwa {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Hairuhusiwi kwa {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Pata vitu kutoka
 DocType: Price List,Price Not UOM Dependant,Bei Si UOM Inategemea
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Tumia Kizuizi cha Ushuru wa Kuomba
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Hifadhi haiwezi kurekebishwa dhidi ya Kumbuka Utoaji {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Jumla ya Kizuizi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Hifadhi haiwezi kurekebishwa dhidi ya Kumbuka Utoaji {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Jumla ya Kizuizi
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Bidhaa {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Hakuna vitu vilivyoorodheshwa
 DocType: Asset Repair,Error Description,Maelezo ya Hitilafu
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Tumia Format ya Msajili wa Fedha ya Desturi
 DocType: SMS Center,All Sales Person,Mtu wa Mauzo wote
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Usambazaji wa kila mwezi ** husaidia kusambaza Bajeti / Target miezi miwili ikiwa una msimu katika biashara yako.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Si vitu vilivyopatikana
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Mfumo wa Mshahara Ukosefu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Si vitu vilivyopatikana
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Mfumo wa Mshahara Ukosefu
 DocType: Lead,Person Name,Jina la Mtu
 DocType: Sales Invoice Item,Sales Invoice Item,Bidhaa Invoice Bidhaa
 DocType: Account,Credit,Mikopo
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Ripoti za hisa
 DocType: Warehouse,Warehouse Detail,Maelezo ya Ghala
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Tarehe ya Mwisho wa Mwisho haiwezi kuwa baadaye kuliko Tarehe ya Mwisho wa Mwaka wa Mwaka wa Chuo ambazo neno hilo limeunganishwa (Mwaka wa Chuo {}). Tafadhali tengeneza tarehe na jaribu tena.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Je, Mali isiyohamishika&quot; hawezi kufunguliwa, kama rekodi ya Malipo ipo dhidi ya kipengee"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Je, Mali isiyohamishika&quot; hawezi kufunguliwa, kama rekodi ya Malipo ipo dhidi ya kipengee"
 DocType: Delivery Trip,Departure Time,Wakati wa Kuondoka
 DocType: Vehicle Service,Brake Oil,Mafuta ya Brake
 DocType: Tax Rule,Tax Type,Aina ya Kodi
 ,Completed Work Orders,Maagizo ya Kazi Iliyokamilishwa
 DocType: Support Settings,Forum Posts,Ujumbe wa Vikao
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Kiwango cha Ushuru
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Kiwango cha Ushuru
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Huna mamlaka ya kuongeza au kusasisha safu kabla ya {0}
 DocType: Leave Policy,Leave Policy Details,Acha maelezo ya Sera
 DocType: BOM,Item Image (if not slideshow),Image Image (kama si slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Kiwango cha Saa / 60) * Muda halisi wa Uendeshaji
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Aina ya Kumbukumbu ya Kumbukumbu lazima iwe moja ya Madai ya Madai au Ingia ya Jarida
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Chagua BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Aina ya Kumbukumbu ya Kumbukumbu lazima iwe moja ya Madai ya Madai au Ingia ya Jarida
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Chagua BOM
 DocType: SMS Log,SMS Log,Ingia ya SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Gharama ya Vitu Vilivyotolewa
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Likizo ya {0} si kati ya Tarehe na Tarehe
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Matukio ya kusimama kwa wasambazaji.
 DocType: Lead,Interested,Inastahili
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Ufunguzi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Kutoka {0} hadi {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Kutoka {0} hadi {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programu:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Imeshindwa kuanzisha kodi
 DocType: Item,Copy From Item Group,Nakala Kutoka Kundi la Bidhaa
-DocType: Delivery Trip,Delivery Notification,Arifa ya utoaji
 DocType: Journal Entry,Opening Entry,Kuingia Uingiaji
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Malipo ya Akaunti tu
 DocType: Loan,Repay Over Number of Periods,Rejesha Zaidi ya Kipindi cha Kipindi
 DocType: Stock Entry,Additional Costs,Gharama za ziada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Akaunti na shughuli zilizopo haziwezi kubadilishwa kuwa kikundi.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Akaunti na shughuli zilizopo haziwezi kubadilishwa kuwa kikundi.
 DocType: Lead,Product Enquiry,Utafutaji wa Bidhaa
 DocType: Education Settings,Validate Batch for Students in Student Group,Thibitisha Batch kwa Wanafunzi katika Kikundi cha Wanafunzi
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Hakuna rekodi ya kuondoka iliyopatikana kwa mfanyakazi {0} kwa {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Tafadhali ingiza kampuni kwanza
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Tafadhali chagua Kampuni kwanza
 DocType: Employee Education,Under Graduate,Chini ya Uhitimu
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Tafadhali weka template default kwa Taarifa ya Hali ya Kuacha katika Mipangilio ya HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Tafadhali weka template default kwa Taarifa ya Hali ya Kuacha katika Mipangilio ya HR.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On
 DocType: BOM,Total Cost,Gharama ya jumla
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Taarifa ya Akaunti
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Madawa
 DocType: Purchase Invoice Item,Is Fixed Asset,"Je, ni Mali isiyohamishika"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Inapatikana qty ni {0}, unahitaji {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Inapatikana qty ni {0}, unahitaji {1}"
 DocType: Expense Claim Detail,Claim Amount,Tumia Kiasi
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Kazi ya Kazi imekuwa {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Kigezo cha Uhakiki wa Ubora
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Unataka update wahudhuriaji? <br> Sasa: {0} \ <br> Haipo: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Ilikubaliwa + Uchina uliopokea lazima uwe sawa na wingi uliopokea kwa Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Ilikubaliwa + Uchina uliopokea lazima uwe sawa na wingi uliopokea kwa Item {0}
 DocType: Item,Supply Raw Materials for Purchase,Vifaa vya Raw kwa Ununuzi
 DocType: Agriculture Analysis Criteria,Fertilizer,Mbolea
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Haiwezi kuhakikisha utoaji wa Serial Hakuna kama \ Item {0} imeongezwa na bila ya Kuhakikisha Utoaji kwa \ Nambari ya Serial
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Angalau mode moja ya malipo inahitajika kwa ankara za POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Angalau mode moja ya malipo inahitajika kwa ankara za POS.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Taarifa ya Benki ya Invoice Item
 DocType: Products Settings,Show Products as a List,Onyesha Bidhaa kama Orodha
 DocType: Salary Detail,Tax on flexible benefit,Kodi kwa faida rahisi
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Tofauti
 DocType: Production Plan,Material Request Detail,Maelezo ya Maelezo ya Nyenzo
 DocType: Selling Settings,Default Quotation Validity Days,Siku za Uthibitishaji wa Nukuu za Default
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Ili ni pamoja na kodi katika mstari {0} katika kiwango cha kipengee, kodi katika safu {1} lazima pia ziingizwe"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Ili ni pamoja na kodi katika mstari {0} katika kiwango cha kipengee, kodi katika safu {1} lazima pia ziingizwe"
 DocType: SMS Center,SMS Center,Kituo cha SMS
 DocType: Payroll Entry,Validate Attendance,Thibitisha Mahudhurio
 DocType: Sales Invoice,Change Amount,Badilisha kiasi
 DocType: Party Tax Withholding Config,Certificate Received,Hati ya Kupokea
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Weka thamani ya ankara kwa B2C. B2CL na B2CS zimehesabiwa kulingana na thamani hii ya ankara.
 DocType: BOM Update Tool,New BOM,BOM mpya
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Taratibu zilizowekwa
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Taratibu zilizowekwa
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Onyesha POS tu
 DocType: Supplier Group,Supplier Group Name,Jina la kundi la wasambazaji
 DocType: Driver,Driving License Categories,Makundi ya leseni ya kuendesha gari
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Kipindi cha Mishahara
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Fanya Waajiriwa
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Matangazo
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Mipangilio ya POS (Online / Offline)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Mipangilio ya POS (Online / Offline)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Inalemaza uumbaji wa kumbukumbu za wakati dhidi ya Maagizo ya Kazi. Uendeshaji hautafuatiwa dhidi ya Kazi ya Kazi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Utekelezaji
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Maelezo ya shughuli zilizofanywa.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Punguzo kwa Orodha ya Bei Kiwango (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Kigezo cha Kigezo
 DocType: Job Offer,Select Terms and Conditions,Chagua Masharti na Masharti
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Thamani ya nje
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Thamani ya nje
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Mipangilio ya Taarifa ya Benki
 DocType: Woocommerce Settings,Woocommerce Settings,Mipangilio ya Woocommerce
 DocType: Production Plan,Sales Orders,Maagizo ya Mauzo
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Ombi la nukuu inaweza kupatikana kwa kubonyeza kiungo kinachofuata
 DocType: SG Creation Tool Course,SG Creation Tool Course,Njia ya Uumbaji wa SG
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Maelezo ya Malipo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Hifadhi haitoshi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Hifadhi haitoshi
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zima Mipangilio ya Uwezo na Ufuatiliaji wa Muda
 DocType: Email Digest,New Sales Orders,Amri mpya ya Mauzo
 DocType: Bank Account,Bank Account,Akaunti ya benki
 DocType: Travel Itinerary,Check-out Date,Tarehe ya Kuangalia
 DocType: Leave Type,Allow Negative Balance,Ruhusu Kiwango cha Mizani
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Huwezi kufuta Aina ya Mradi &#39;Nje&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Chagua kipengee cha Mbadala
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Chagua kipengee cha Mbadala
 DocType: Employee,Create User,Unda Mtumiaji
 DocType: Selling Settings,Default Territory,Eneo la Default
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televisheni
 DocType: Work Order Operation,Updated via 'Time Log',Imesasishwa kupitia &#39;Ingia ya Muda&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Chagua mteja au muuzaji.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Kiasi cha juu hawezi kuwa kikubwa kuliko {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Kiasi cha juu hawezi kuwa kikubwa kuliko {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Muda wa muda umekwisha, slot {0} kwa {1} huingilia slot ya kutosha {2} kwa {3}"
 DocType: Naming Series,Series List for this Transaction,Orodha ya Mfululizo kwa Shughuli hii
 DocType: Company,Enable Perpetual Inventory,Wezesha Mali ya daima
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Dhidi ya Bidhaa ya Invoice Item
 DocType: Agriculture Analysis Criteria,Linked Doctype,Doctype inayohusiana
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Fedha Nasi kutoka kwa Fedha
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Mitaa ya Mitaa imejaa, haikuhifadhi"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Mitaa ya Mitaa imejaa, haikuhifadhi"
 DocType: Lead,Address & Contact,Anwani na Mawasiliano
 DocType: Leave Allocation,Add unused leaves from previous allocations,Ongeza majani yasiyotumika kutoka kwa mgao uliopita
 DocType: Sales Partner,Partner website,Mtandao wa wavuti
@@ -446,10 +446,10 @@
 ,Open Work Orders,Omba Kazi za Kazi
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Nje Mchapishaji wa Ushauri wa Patient
 DocType: Payment Term,Credit Months,Miezi ya Mikopo
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Net Pay haiwezi kuwa chini ya 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Net Pay haiwezi kuwa chini ya 0
 DocType: Contract,Fulfilled,Imetimizwa
 DocType: Inpatient Record,Discharge Scheduled,Kuondolewa Imepangwa
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Tarehe ya Kuondoa lazima iwe kubwa kuliko Tarehe ya kujiunga
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Tarehe ya Kuondoa lazima iwe kubwa kuliko Tarehe ya kujiunga
 DocType: POS Closing Voucher,Cashier,Msaidizi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Majani kwa mwaka
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Tafadhali angalia &#39;Je, Advance&#39; dhidi ya Akaunti {1} ikiwa hii ni kuingia mapema."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Tafadhali kuanzisha Wanafunzi chini ya Vikundi vya Wanafunzi
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Kazi kamili
 DocType: Item Website Specification,Item Website Specification,Ufafanuzi wa Tovuti
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Acha Kuzuiwa
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Kipengee {0} kilifikia mwisho wa maisha kwa {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Acha Kuzuiwa
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Kipengee {0} kilifikia mwisho wa maisha kwa {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Entries ya Benki
 DocType: Customer,Is Internal Customer,Ni Wateja wa Ndani
 DocType: Crop,Annual,Kila mwaka
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ikiwa Auto Opt In inakaguliwa, basi wateja watahusishwa moja kwa moja na Mpango wa Uaminifu unaohusika (juu ya kuokoa)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Toleo la Upatanisho wa hisa
 DocType: Stock Entry,Sales Invoice No,Nambari ya ankara ya mauzo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Aina ya Ugavi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Aina ya Ugavi
 DocType: Material Request Item,Min Order Qty,Uchina wa Uchina
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kozi ya Uumbaji wa Wanafunzi wa Wanafunzi
 DocType: Lead,Do Not Contact,Usiwasiliane
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Chapisha katika Hub
 DocType: Student Admission,Student Admission,Uingizaji wa Wanafunzi
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Kipengee {0} kimefutwa
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Kipengee {0} kimefutwa
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Upungufu Row {0}: Tarehe ya Kuondoa Dhamana imeingia kama tarehe iliyopita
 DocType: Contract Template,Fulfilment Terms and Conditions,Masharti na Masharti ya kukamilika
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Ombi la Nyenzo
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Ombi la Nyenzo
 DocType: Bank Reconciliation,Update Clearance Date,Sasisha tarehe ya kufuta
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Maelezo ya Ununuzi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Kipengee {0} haipatikani kwenye meza ya &#39;Vifaa vya Raw zinazotolewa&#39; katika Manunuzi ya Ununuzi {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Kipengee {0} haipatikani kwenye meza ya &#39;Vifaa vya Raw zinazotolewa&#39; katika Manunuzi ya Ununuzi {1}
 DocType: Salary Slip,Total Principal Amount,Jumla ya Kiasi Kikubwa
 DocType: Student Guardian,Relation,Uhusiano
 DocType: Student Guardian,Mother,Mama
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Kata ya Meli
 DocType: Currency Exchange,For Selling,Kwa Kuuza
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Jifunze
+DocType: Purchase Invoice Item,Enable Deferred Expense,Wezesha gharama zilizofanywa
 DocType: Asset,Next Depreciation Date,Tarehe ya Uzito ya pili
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Shughuli ya Gharama kwa Wafanyakazi
 DocType: Accounts Settings,Settings for Accounts,Mipangilio ya Akaunti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Invozi ya Wauzaji Hakuna ipo katika ankara ya ununuzi {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Invozi ya Wauzaji Hakuna ipo katika ankara ya ununuzi {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Dhibiti Mti wa Watu wa Mauzo.
 DocType: Job Applicant,Cover Letter,Barua ya maombi
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheki Bora na Deposits ili kufuta
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Historia ya Kazi ya Kazi
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Hitilafu ya Kumbukumbu ya Circular
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Kadi ya Ripoti ya Wanafunzi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Kutoka kwa Kanuni ya Pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Kutoka kwa Kanuni ya Pin
 DocType: Appointment Type,Is Inpatient,"Je, ni mgonjwa"
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Jina la Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Katika Maneno (Kuhamisha) itaonekana wakati unapohifadhi Kumbuka Utoaji.
@@ -567,18 +568,19 @@
 DocType: Journal Entry,Multi Currency,Fedha nyingi
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Aina ya ankara
 DocType: Employee Benefit Claim,Expense Proof,Ushahidi wa gharama
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Kumbuka Utoaji
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Inahifadhi {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Kumbuka Utoaji
 DocType: Patient Encounter,Encounter Impression,Kukutana na Mchapishaji
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Kuweka Kodi
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Gharama ya Malipo ya Kuuza
 DocType: Volunteer,Morning,Asubuhi
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Ulipaji wa Malipo umebadilishwa baada ya kuvuta. Tafadhali futa tena.
 DocType: Program Enrollment Tool,New Student Batch,Kikundi kipya cha Wanafunzi
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} imeingia mara mbili katika Kodi ya Item
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Muhtasari wa wiki hii na shughuli zinazosubiri
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} imeingia mara mbili katika Kodi ya Item
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Muhtasari wa wiki hii na shughuli zinazosubiri
 DocType: Student Applicant,Admitted,Imekubaliwa
 DocType: Workstation,Rent Cost,Gharama ya Kodi
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Kiasi Baada ya kushuka kwa thamani
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Kiasi Baada ya kushuka kwa thamani
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Matukio ya kalenda ijayo
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Tabia za aina tofauti
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Tafadhali chagua mwezi na mwaka
@@ -615,8 +617,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Kunaweza tu Akaunti 1 kwa Kampuni katika {0} {1}
 DocType: Support Search Source,Response Result Key Path,Matokeo ya majibu Njia muhimu
 DocType: Journal Entry,Inter Company Journal Entry,Uingizaji wa Taarifa ya Kampuni ya Inter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Kwa wingi {0} haipaswi kuwa grater kuliko wingi wa kazi ya kazi {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Tafadhali tazama kiambatisho
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Kwa wingi {0} haipaswi kuwa grater kuliko wingi wa kazi ya kazi {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Tafadhali tazama kiambatisho
 DocType: Purchase Order,% Received,Imepokea
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Unda Vikundi vya Wanafunzi
 DocType: Volunteer,Weekends,Mwishoni mwa wiki
@@ -656,7 +658,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Jumla ya Kipaumbele
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Badilisha idadi ya mwanzo / ya sasa ya mlolongo wa mfululizo uliopo.
 DocType: Dosage Strength,Strength,Nguvu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Unda Wateja wapya
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Unda Wateja wapya
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Kuzimia
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ikiwa Sheria nyingi za bei zinaendelea kushinda, watumiaji wanaombwa kuweka Kipaumbele kwa mikono ili kutatua migogoro."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Unda Amri ya Ununuzi
@@ -667,17 +669,18 @@
 DocType: Workstation,Consumable Cost,Gharama zinazoweza kutumika
 DocType: Purchase Receipt,Vehicle Date,Tarehe ya Gari
 DocType: Student Log,Medical,Matibabu
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Sababu ya kupoteza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Tafadhali chagua Dawa
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Sababu ya kupoteza
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Tafadhali chagua Dawa
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Mmiliki wa kiongozi hawezi kuwa sawa na Kiongozi
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Kiwango kilichowekwa hawezi kuwa kikubwa zaidi kuliko kiasi ambacho haijasimamiwa
 DocType: Announcement,Receiver,Mpokeaji
 DocType: Location,Area UOM,Simu ya UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Kazi imefungwa kwenye tarehe zifuatazo kama kwa orodha ya likizo: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Fursa
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Fursa
 DocType: Lab Test Template,Single,Mmoja
 DocType: Compensatory Leave Request,Work From Date,Kazi Kutoka Tarehe
 DocType: Salary Slip,Total Loan Repayment,Ulipaji wa Mkopo wa Jumla
+DocType: Project User,View attachments,Angalia viambatisho
 DocType: Account,Cost of Goods Sold,Gharama ya bidhaa zilizouzwa
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Tafadhali ingiza Kituo cha Gharama
 DocType: Drug Prescription,Dosage,Kipimo
@@ -688,7 +691,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Wingi na Kiwango
 DocType: Delivery Note,% Installed,Imewekwa
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Madarasa / Maabara, nk ambapo mihadhara inaweza kufanyika."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Fedha za Kampuni ya makampuni hayo yote yanapaswa kufanana na Shughuli za Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Fedha za Kampuni ya makampuni hayo yote yanapaswa kufanana na Shughuli za Inter Company.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Tafadhali ingiza jina la kampuni kwanza
 DocType: Travel Itinerary,Non-Vegetarian,Wasio Mboga
 DocType: Purchase Invoice,Supplier Name,Jina la wauzaji
@@ -698,7 +701,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Kwa muda Ukizingatia
 DocType: Account,Is Group,Ni Kikundi
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Maelezo ya Mikopo {0} yameundwa moja kwa moja
-DocType: Email Digest,Pending Purchase Orders,Maagizo ya Ununuzi yaliyotarajiwa
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Weka kwa moja kwa moja Serial Nos kulingana na FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Angalia Nambari ya Nambari ya Invoice ya Wauzaji
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Maelezo ya Anwani ya Msingi
@@ -715,12 +717,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Customize maandishi ya utangulizi ambayo huenda kama sehemu ya barua pepe hiyo. Kila shughuli ina maandishi tofauti ya utangulizi.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Row {0}: Uendeshaji unahitajika dhidi ya bidhaa za malighafi {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Tafadhali weka akaunti ya malipo yenye malipo ya kampuni {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Shughuli haziruhusiwi dhidi ya kusimamishwa Kazi ya Kazi {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Shughuli haziruhusiwi dhidi ya kusimamishwa Kazi ya Kazi {0}
 DocType: Setup Progress Action,Min Doc Count,Hesabu ya Kidogo
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Mipangilio ya Global kwa mchakato wa utengenezaji wote.
 DocType: Accounts Settings,Accounts Frozen Upto,Akaunti Yamehifadhiwa Upto
 DocType: SMS Log,Sent On,Imepelekwa
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Ishara {0} imechaguliwa mara nyingi kwenye Jedwali la Attributes
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Ishara {0} imechaguliwa mara nyingi kwenye Jedwali la Attributes
 DocType: HR Settings,Employee record is created using selected field. ,Rekodi ya wafanyakazi ni kuundwa kwa kutumia shamba iliyochaguliwa.
 DocType: Sales Order,Not Applicable,Siofaa
 DocType: Amazon MWS Settings,UK,Uingereza
@@ -748,21 +750,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Mfanyakazi {0} tayari ameomba kwa {1} juu ya {2}:
 DocType: Inpatient Record,AB Positive,AB Chanya
 DocType: Job Opening,Description of a Job Opening,Maelezo ya Kufungua kazi
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Shughuli zinasubiri leo
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Shughuli zinasubiri leo
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Kipengele cha Mshahara kwa malipo ya nyakati ya maraheet.
+DocType: Driver,Applicable for external driver,Inahitajika kwa dereva wa nje
 DocType: Sales Order Item,Used for Production Plan,Kutumika kwa Mpango wa Uzalishaji
 DocType: Loan,Total Payment,Malipo ya Jumla
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Haiwezi kufuta manunuzi ya Amri ya Kazi Iliyokamilishwa.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Haiwezi kufuta manunuzi ya Amri ya Kazi Iliyokamilishwa.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Muda Kati ya Uendeshaji (kwa muda mfupi)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO tayari imeundwa kwa vitu vyote vya utaratibu wa mauzo
 DocType: Healthcare Service Unit,Occupied,Imewekwa
 DocType: Clinical Procedure,Consumables,Matumizi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} imefutwa ili hatua haiwezi kukamilika
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} imefutwa ili hatua haiwezi kukamilika
 DocType: Customer,Buyer of Goods and Services.,Mnunuzi wa Bidhaa na Huduma.
 DocType: Journal Entry,Accounts Payable,Akaunti za kulipwa
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Kiasi cha {0} kilichowekwa katika ombi hili la malipo ni tofauti na kiasi cha mahesabu ya mipango yote ya malipo: {1}. Hakikisha hii ni sahihi kabla ya kuwasilisha hati.
 DocType: Patient,Allergies,Dawa
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,BOM zilizochaguliwa sio kwa bidhaa moja
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,BOM zilizochaguliwa sio kwa bidhaa moja
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Badilisha Msimbo wa Kipengee
 DocType: Supplier Scorecard Standing,Notify Other,Arifa nyingine
 DocType: Vital Signs,Blood Pressure (systolic),Shinikizo la damu (systolic)
@@ -774,7 +777,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Vipande vyenye Kujenga
 DocType: POS Profile User,POS Profile User,Mtumiaji wa Programu ya POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Row {0}: Tarehe ya Kuondoa Tamaa inahitajika
-DocType: Sales Invoice Item,Service Start Date,Tarehe ya Kuanza Huduma
+DocType: Purchase Invoice Item,Service Start Date,Tarehe ya Kuanza Huduma
 DocType: Subscription Invoice,Subscription Invoice,Invoice ya Usajili
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Mapato ya moja kwa moja
 DocType: Patient Appointment,Date TIme,Tarehe TIme
@@ -793,7 +796,7 @@
 DocType: Lab Test Template,Lab Routine,Daima Lab
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Vipodozi
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Tafadhali chagua tarehe ya kukamilika kwa Ingia ya Matengenezo ya Malifafishwa
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Ili kuunganisha, mali zifuatazo lazima ziwe sawa kwa vitu vyote viwili"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Ili kuunganisha, mali zifuatazo lazima ziwe sawa kwa vitu vyote viwili"
 DocType: Supplier,Block Supplier,Weka wauzaji
 DocType: Shipping Rule,Net Weight,Weight Net
 DocType: Job Opening,Planned number of Positions,Idadi ya Vyeo
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Kigezo cha Ramani ya Mapato ya Fedha
 DocType: Travel Request,Costing Details,Maelezo ya gharama
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Onyesha Maingizo ya Kurudi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial hakuna bidhaa haiwezi kuwa sehemu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial hakuna bidhaa haiwezi kuwa sehemu
 DocType: Journal Entry,Difference (Dr - Cr),Tofauti (Dr - Cr)
 DocType: Bank Guarantee,Providing,Kutoa
 DocType: Account,Profit and Loss,Faida na Kupoteza
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Hairuhusiwi, sanidi Kigezo cha Mtihani wa Lab kama inavyohitajika"
 DocType: Patient,Risk Factors,Mambo ya Hatari
 DocType: Patient,Occupational Hazards and Environmental Factors,Hatari za Kazi na Mambo ya Mazingira
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Entries Entries tayari kuundwa kwa Kazi Order
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Entries Entries tayari kuundwa kwa Kazi Order
 DocType: Vital Signs,Respiratory rate,Kiwango cha kupumua
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Kusimamia Kudhibiti Msaada
 DocType: Vital Signs,Body Temperature,Joto la Mwili
 DocType: Project,Project will be accessible on the website to these users,Mradi utapatikana kwenye tovuti kwa watumiaji hawa
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Haiwezi kufuta {0} {1} kwa sababu Serial No {2} sio ya ghala {3}
 DocType: Detected Disease,Disease,Magonjwa
+DocType: Company,Default Deferred Expense Account,Akaunti ya Msamaha iliyochaguliwa
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Eleza aina ya Mradi.
 DocType: Supplier Scorecard,Weighting Function,Weighting Kazi
 DocType: Healthcare Practitioner,OP Consulting Charge,Ushauri wa ushauri wa OP
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,Vitu vinavyotengenezwa
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Mchanganyiko wa mechi kwa ankara
 DocType: Sales Order Item,Gross Profit,Faida Pato
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Fungua ankara
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Fungua ankara
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Uingizaji hauwezi kuwa 0
 DocType: Company,Delete Company Transactions,Futa Shughuli za Kampuni
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Kitabu cha Marejeo na Kumbukumbu ni lazima kwa shughuli za Benki
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,Puuza
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} haifanyi kazi
 DocType: Woocommerce Settings,Freight and Forwarding Account,Akaunti ya Usafirishaji na Usambazaji
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Weka vipimo vipimo vya kuchapisha
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Weka vipimo vipimo vya kuchapisha
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Unda Slips za Mshahara
 DocType: Vital Signs,Bloated,Imezuiwa
 DocType: Salary Slip,Salary Slip Timesheet,Timesheet ya Mshahara Mshahara
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Ghala la Wafanyabiashara lazima kwa Receipt ya Ununuzi wa chini ya mkataba
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Ghala la Wafanyabiashara lazima kwa Receipt ya Ununuzi wa chini ya mkataba
 DocType: Item Price,Valid From,Halali Kutoka
 DocType: Sales Invoice,Total Commission,Jumla ya Tume
 DocType: Tax Withholding Account,Tax Withholding Account,Akaunti ya Kuzuia Ushuru
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Mapendekezo yote ya Wasambazaji.
 DocType: Buying Settings,Purchase Receipt Required,Receipt ya Ununuzi inahitajika
 DocType: Delivery Note,Rail,Reli
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Ghala muhimu katika mstari {0} lazima iwe sawa na Kazi ya Kazi
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Kiwango cha Vigeo ni lazima ikiwa Stock Inapoingia
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Ghala muhimu katika mstari {0} lazima iwe sawa na Kazi ya Kazi
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Kiwango cha Vigeo ni lazima ikiwa Stock Inapoingia
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Hakuna kumbukumbu zilizopatikana kwenye meza ya ankara
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Tafadhali chagua Aina ya Kampuni na Chapa kwanza
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Tayari kuweka default katika profile posho {0} kwa mtumiaji {1}, kwa uzima imefungwa kuwa default"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Mwaka wa fedha / uhasibu.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Mwaka wa fedha / uhasibu.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Maadili yaliyokusanywa
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Samahani, Serial Nos haiwezi kuunganishwa"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kundi la Wateja litaweka kwenye kikundi cha kuchaguliwa wakati wa kusawazisha wateja kutoka Shopify
@@ -895,7 +900,7 @@
 ,Lead Id,Weka Id
 DocType: C-Form Invoice Detail,Grand Total,Jumla ya Jumla
 DocType: Assessment Plan,Course,Kozi
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Kanuni ya Sehemu
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Kanuni ya Sehemu
 DocType: Timesheet,Payslip,Ilipigwa
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Siku ya nusu ya siku inapaswa kuwa katikati ya tarehe na hadi sasa
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Ramani ya Bidhaa
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,Bio ya kibinafsi
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Kitambulisho cha Uanachama
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Imetolewa: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Imetolewa: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Imeunganishwa na QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Akaunti ya kulipa
 DocType: Payment Entry,Type of Payment,Aina ya Malipo
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Siku ya Nusu ya Siku ni lazima
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Tarehe ya Bendera ya Utoaji
 DocType: Production Plan,Production Plan,Mpango wa Uzalishaji
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Kufungua Chombo cha Uumbaji wa Invoice
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Kurudi kwa Mauzo
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Kurudi kwa Mauzo
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Kumbuka: Majani yote yaliyotengwa {0} hayapaswi kuwa chini ya majani yaliyoidhinishwa tayari {1} kwa muda
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Weka Uchina katika Shughuli kulingana na Serial No Input
 ,Total Stock Summary,Jumla ya muhtasari wa hisa
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,Wateja au Bidhaa
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Wateja database.
 DocType: Quotation,Quotation To,Nukuu Kwa
-DocType: Lead,Middle Income,Mapato ya Kati
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Mapato ya Kati
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Kufungua (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Kipengee cha Kupima kwa Kipengee cha Bidhaa {0} hawezi kubadilishwa moja kwa moja kwa sababu tayari umefanya shughuli au UOM mwingine. Utahitaji kujenga kipengee kipya cha kutumia UOM tofauti ya UOM.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Kipengee cha Kupima kwa Kipengee cha Bidhaa {0} hawezi kubadilishwa moja kwa moja kwa sababu tayari umefanya shughuli au UOM mwingine. Utahitaji kujenga kipengee kipya cha kutumia UOM tofauti ya UOM.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Kiwango kilichowekwa hawezi kuwa hasi
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Tafadhali weka Kampuni
 DocType: Share Balance,Share Balance,Shiriki Mizani
@@ -948,15 +954,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Chagua Akaunti ya Malipo kwa Kufungua Benki
 DocType: Hotel Settings,Default Invoice Naming Series,Mfululizo wa Majina ya Kutoa Invoice
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Unda kumbukumbu za Wafanyakazi kusimamia majani, madai ya gharama na malipo"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Hitilafu ilitokea wakati wa mchakato wa sasisho
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Hitilafu ilitokea wakati wa mchakato wa sasisho
 DocType: Restaurant Reservation,Restaurant Reservation,Uhifadhi wa Mkahawa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Kuandika Proposal
 DocType: Payment Entry Deduction,Payment Entry Deduction,Utoaji wa Kuingia kwa Malipo
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Kufunga juu
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Wajulishe Wateja kupitia Barua pepe
 DocType: Item,Batch Number Series,Orodha ya Batch Number
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Mtu mwingine wa Mauzo {0} yupo na id idumu ya mfanyakazi
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Mtu mwingine wa Mauzo {0} yupo na id idumu ya mfanyakazi
 DocType: Employee Advance,Claimed Amount,Kiasi kilichodaiwa
+DocType: QuickBooks Migrator,Authorization Settings,Mipangilio ya Mamlaka
 DocType: Travel Itinerary,Departure Datetime,Saa ya Tarehe ya Kuondoka
 DocType: Customer,CUST-.YYYY.-,CUST -YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Gharama ya Ombi la Kusafiri
@@ -995,26 +1002,29 @@
 DocType: Buying Settings,Supplier Naming By,Wafanyabiashara Wanitaja Na
 DocType: Activity Type,Default Costing Rate,Kiwango cha Chaguo cha Kimaadili
 DocType: Maintenance Schedule,Maintenance Schedule,Ratiba ya Matengenezo
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Kisha Kanuni za Bei zinachaguliwa kwa kuzingatia Wateja, Kikundi cha Wateja, Wilaya, Wasambazaji, Aina ya Wafanyabiashara, Kampeni, Mshiriki wa Mauzo nk."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Kisha Kanuni za Bei zinachaguliwa kwa kuzingatia Wateja, Kikundi cha Wateja, Wilaya, Wasambazaji, Aina ya Wafanyabiashara, Kampeni, Mshiriki wa Mauzo nk."
 DocType: Employee Promotion,Employee Promotion Details,Maelezo ya Kukuza Waajiri
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Mabadiliko ya Net katika Mali
 DocType: Employee,Passport Number,Nambari ya Pasipoti
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Uhusiano na Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Meneja
 DocType: Payment Entry,Payment From / To,Malipo Kutoka / Kwa
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Kutoka Mwaka wa Fedha
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Mpaka mpya wa mkopo ni chini ya kiasi cha sasa cha sasa kwa wateja. Kizuizi cha mkopo kinapaswa kuwa kikubwa {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Tafadhali weka akaunti katika Warehouse {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Tafadhali weka akaunti katika Warehouse {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;Kutoka&#39; na &#39;Kundi Kwa&#39; haiwezi kuwa sawa
 DocType: Sales Person,Sales Person Targets,Malengo ya Mtu wa Mauzo
 DocType: Work Order Operation,In minutes,Kwa dakika
 DocType: Issue,Resolution Date,Tarehe ya Azimio
 DocType: Lab Test Template,Compound,Kipengee
+DocType: Opportunity,Probability (%),Uwezekano (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Arifa ya Usajili
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Chagua Mali
 DocType: Student Batch Name,Batch Name,Jina la Kundi
 DocType: Fee Validity,Max number of visit,Idadi kubwa ya ziara
 ,Hotel Room Occupancy,Kazi ya chumba cha Hoteli
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet iliunda:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Tafadhali weka Akaunti ya Fedha au Benki ya Mkopo katika Mfumo wa Malipo {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Tafadhali weka Akaunti ya Fedha au Benki ya Mkopo katika Mfumo wa Malipo {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Ingia
 DocType: GST Settings,GST Settings,Mipangilio ya GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Fedha inapaswa kuwa sawa na Orodha ya Bei Fedha: {0}
@@ -1055,12 +1065,12 @@
 DocType: Loan,Total Interest Payable,Jumla ya Maslahi ya Kulipa
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Malipo ya Gharama na Malipo
 DocType: Work Order Operation,Actual Start Time,Muda wa Kuanza
+DocType: Purchase Invoice Item,Deferred Expense Account,Akaunti ya Gharama iliyochaguliwa
 DocType: BOM Operation,Operation Time,Muda wa Uendeshaji
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Kumaliza
 DocType: Salary Structure Assignment,Base,Msingi
 DocType: Timesheet,Total Billed Hours,Masaa Yote yaliyolipwa
 DocType: Travel Itinerary,Travel To,Safari Kwa
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,sio
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Andika Kiasi
 DocType: Leave Block List Allow,Allow User,Ruhusu Mtumiaji
 DocType: Journal Entry,Bill No,Bill No
@@ -1077,9 +1087,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Karatasi ya Muda
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Vipande vya Raw vya Backflush Kulingana na
 DocType: Sales Invoice,Port Code,Kanuni ya Bandari
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Ghala la Hifadhi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Ghala la Hifadhi
 DocType: Lead,Lead is an Organization,Kiongozi ni Shirika
-DocType: Guardian Interest,Interest,Hamu
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Mauzo ya awali
 DocType: Instructor Log,Other Details,Maelezo mengine
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Kuinua
@@ -1089,7 +1098,7 @@
 DocType: Account,Accounts,Akaunti
 DocType: Vehicle,Odometer Value (Last),Thamani ya Odometer (Mwisho)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Matukio ya vigezo vya scorecard ya wasambazaji.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Masoko
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Masoko
 DocType: Sales Invoice,Redeem Loyalty Points,Punguza Pole ya Uaminifu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Kuingia kwa Malipo tayari kuundwa
 DocType: Request for Quotation,Get Suppliers,Pata Wauzaji
@@ -1106,16 +1115,14 @@
 DocType: Crop,Crop Spacing UOM,Ugawaji wa mazao ya UOM
 DocType: Loyalty Program,Single Tier Program,Programu ya Mpango wa Pekee
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Chagua tu ikiwa umeweka hati za Mapato ya Mapato ya Fedha
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Kutoka kwenye Anwani 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Kutoka kwenye Anwani 1
 DocType: Email Digest,Next email will be sent on:,Imefuata barua pepe itatumwa kwenye:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Kufuatia kipengee {vitu} {kitenzi} kitambulisho kama {ujumbe} kitu. \ Unaweza kuwawezesha kama {ujumbe} kipengee kutoka kwenye kichwa chake
 DocType: Supplier Scorecard,Per Week,Kila wiki
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Item ina tofauti.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Item ina tofauti.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Jumla ya Mwanafunzi
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Kipengee {0} haipatikani
 DocType: Bin,Stock Value,Thamani ya Hifadhi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Kampuni {0} haipo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Kampuni {0} haipo
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} ina uhalali wa ada mpaka {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Aina ya Mti
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Uchina hutumiwa kwa kitengo
@@ -1130,7 +1137,7 @@
 ,Fichier des Ecritures Comptables [FEC],Faili la Maandiko ya Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kuingia Kadi ya Mikopo
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Kampuni na Akaunti
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Kwa Thamani
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Kwa Thamani
 DocType: Asset Settings,Depreciation Options,Chaguzi za uchafuzi
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Eneo lolote au mfanyakazi lazima ahitajike
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Muda usio sahihi wa Kuchapa
@@ -1147,20 +1154,21 @@
 DocType: Leave Allocation,Allocation,Ugawaji
 DocType: Purchase Order,Supply Raw Materials,Vifaa vya Malighafi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Malipo ya sasa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} si kitu cha hisa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} si kitu cha hisa
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Tafadhali shiriki maoni yako kwenye mafunzo kwa kubonyeza &#39;Mafunzo ya Maoni&#39; na kisha &#39;Mpya&#39;
 DocType: Mode of Payment Account,Default Account,Akaunti ya Akaunti
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Tafadhali chagua Ghala la Wafanyakazi Kuhifadhiwa katika Mipangilio ya Hifadhi kwanza
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Tafadhali chagua Ghala la Wafanyakazi Kuhifadhiwa katika Mipangilio ya Hifadhi kwanza
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Tafadhali chagua aina ya Programu ya Mipango ya Multiple kwa sheria zaidi ya moja ya ukusanyaji.
 DocType: Payment Entry,Received Amount (Company Currency),Kiasi kilichopokelewa (Fedha la Kampuni)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Kiongozi lazima kiweke kama Mfanyabiashara unafanywa kutoka kwa Kiongozi
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Malipo Imepigwa. Tafadhali angalia Akaunti yako ya GoCardless kwa maelezo zaidi
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Tuma na Kiambatisho
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Tafadhali chagua kila wiki siku
 DocType: Inpatient Record,O Negative,O Hasi
 DocType: Work Order Operation,Planned End Time,Muda wa Mwisho
 ,Sales Person Target Variance Item Group-Wise,Mtazamo wa Mtazamo wa Mtu wa Mtaalam Kikundi Kikundi-Hekima
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Akaunti na shughuli zilizopo haziwezi kubadilishwa kuwa kiongozi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Akaunti na shughuli zilizopo haziwezi kubadilishwa kuwa kiongozi
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Maelezo ya Aina ya Uhifadhi
 DocType: Delivery Note,Customer's Purchase Order No,Nambari ya Ununuzi wa Wateja No
 DocType: Clinical Procedure,Consume Stock,Tumia Stock
@@ -1173,26 +1181,26 @@
 DocType: Soil Texture,Sand,Mchanga
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Nishati
 DocType: Opportunity,Opportunity From,Fursa Kutoka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Nambari za nambari zinahitajika kwa Bidhaa {2}. Umetoa {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Nambari za nambari zinahitajika kwa Bidhaa {2}. Umetoa {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Tafadhali chagua meza
 DocType: BOM,Website Specifications,Ufafanuzi wa tovuti
 DocType: Special Test Items,Particulars,Maelezo
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Kutoka {0} ya aina {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Kiini cha Kubadilisha ni lazima
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Kiini cha Kubadilisha ni lazima
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Sheria nyingi za Bei zipo na vigezo sawa, tafadhali tatua mgogoro kwa kuwapa kipaumbele. Kanuni za Bei: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Sheria nyingi za Bei zipo na vigezo sawa, tafadhali tatua mgogoro kwa kuwapa kipaumbele. Kanuni za Bei: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Akaunti ya Kukarabati Akaunti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Haiwezi kuzima au kufuta BOM kama inavyounganishwa na BOM nyingine
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Haiwezi kuzima au kufuta BOM kama inavyounganishwa na BOM nyingine
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Tafadhali chagua tarehe ya Kampuni na Kuajili ili uweze kuingia
 DocType: Asset,Maintenance,Matengenezo
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Pata kutoka kwa Mkutano wa Wagonjwa
 DocType: Subscriber,Subscriber,Msajili
 DocType: Item Attribute Value,Item Attribute Value,Thamani ya Thamani ya Bidhaa
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Tafadhali sasisha Hali yako ya Mradi
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Tafadhali sasisha Hali yako ya Mradi
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Kubadilisha Fedha lazima iwezekanavyo kwa Ununuzi au kwa Ununuzi.
 DocType: Item,Maximum sample quantity that can be retained,Upeo wa kiwango cha sampuli ambacho kinaweza kuhifadhiwa
 DocType: Project Update,How is the Project Progressing Right Now?,Je! Mradi unaendeleaje sasa?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} haiwezi kuhamishiwa zaidi ya {2} dhidi ya Ununuzi wa Order {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} haiwezi kuhamishiwa zaidi ya {2} dhidi ya Ununuzi wa Order {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kampeni za mauzo.
 DocType: Project Task,Make Timesheet,Fanya Timesheet
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1221,36 +1229,38 @@
 DocType: Lab Test,Lab Test,Mtihani wa Lab
 DocType: Student Report Generation Tool,Student Report Generation Tool,Chombo cha Uzazi wa Ripoti ya Mwanafunzi
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Muda wa Ratiba ya Afya
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Jina la Hati
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Jina la Hati
 DocType: Expense Claim Detail,Expense Claim Type,Aina ya kudai ya gharama
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Mipangilio ya mipangilio ya Kifaa cha Ununuzi
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Ongeza Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Mali yamepigwa kupitia Entri ya Journal {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Tafadhali weka Akaunti katika Warehouse {0} au Akaunti ya Inventory Akaunti katika Kampuni {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Mali yamepigwa kupitia Entri ya Journal {0}
 DocType: Loan,Interest Income Account,Akaunti ya Mapato ya riba
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Faida nyingi zinapaswa kuwa kubwa zaidi kuliko sifuri kutangaza faida
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Faida nyingi zinapaswa kuwa kubwa zaidi kuliko sifuri kutangaza faida
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Kagua Mwaliko uliotumwa
 DocType: Shift Assignment,Shift Assignment,Kazi ya Shift
 DocType: Employee Transfer Property,Employee Transfer Property,Mali ya Uhamisho wa Wafanyakazi
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Kutoka Wakati Unapaswa Kuwa Chini Zaidi ya Muda
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Bioteknolojia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Kipengee {0} (Serial No: {1}) haiwezi kutumiwa kama vile reserverd \ to Order Sales kamilifu {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Malipo ya Matengenezo ya Ofisi
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Enda kwa
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Punguza bei kutoka kwa Shopify hadi ERPNext Orodha ya Bei
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Kuweka Akaunti ya Barua pepe
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Tafadhali ingiza kipengee kwanza
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Uchambuzi wa Mahitaji
 DocType: Asset Repair,Downtime,Downtime
 DocType: Account,Liability,Dhima
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Kizuizi cha Hesabu haiwezi kuwa kikubwa kuliko Kiasi cha Madai katika Row {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Kizuizi cha Hesabu haiwezi kuwa kikubwa kuliko Kiasi cha Madai katika Row {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Muda wa Elimu:
 DocType: Salary Component,Do not include in total,Usijumuishe kwa jumla
 DocType: Company,Default Cost of Goods Sold Account,Akaunti ya Kuuza Gharama ya Bidhaa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Mfano wa wingi {0} hauwezi kuwa zaidi ya kupokea kiasi {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Orodha ya Bei haichaguliwa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Mfano wa wingi {0} hauwezi kuwa zaidi ya kupokea kiasi {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Orodha ya Bei haichaguliwa
 DocType: Employee,Family Background,Familia ya Background
 DocType: Request for Quotation Supplier,Send Email,Kutuma barua pepe
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Onyo: Sakilili batili {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Onyo: Sakilili batili {0}
 DocType: Item,Max Sample Quantity,Max Mfano Wingi
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Hakuna Ruhusa
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Orodha ya Uthibitishaji wa Mkataba
@@ -1281,15 +1291,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kituo cha Gharama {2} si cha Kampuni {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Pakia kichwa chako cha barua (Weka mtandao kuwa wavuti kama 900px kwa 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akaunti {2} haiwezi kuwa Kikundi
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Jambo Row {idx}: {doctype} {docname} haipo katika meza ya &#39;{doctype}&#39; hapo juu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} tayari imekamilika au kufutwa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} tayari imekamilika au kufutwa
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Hakuna kazi
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Invozi ya Mauzo {0} imeundwa kama kulipwa
 DocType: Item Variant Settings,Copy Fields to Variant,Weka Mashamba kwa Tofauti
 DocType: Asset,Opening Accumulated Depreciation,Kufungua kushuka kwa thamani
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Score lazima iwe chini au sawa na 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Chombo cha Usajili wa Programu
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,Rekodi za Fomu za C
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,Rekodi za Fomu za C
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Sehemu tayari zipo
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Wateja na Wasambazaji
 DocType: Email Digest,Email Digest Settings,Mipangilio ya Digest ya barua pepe
@@ -1302,12 +1312,12 @@
 DocType: Production Plan,Select Items,Chagua Vitu
 DocType: Share Transfer,To Shareholder,Kwa Mshirika
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} dhidi ya Sheria {1} iliyowekwa {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Kutoka Nchi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Kutoka Nchi
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Taasisi ya Kuweka
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Kugawa majani ...
 DocType: Program Enrollment,Vehicle/Bus Number,Nambari ya Gari / Bus
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Ratiba ya Kozi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Unahitaji Kutoa Ushuru kwa Ushahidi wa Ushuru wa Unsubmitted Ushuru na Usiojulikana \ Faida ya Wafanyakazi katika Kipindi cha Mwisho cha Mshahara wa Mishahara ya Mshahara
 DocType: Request for Quotation Supplier,Quote Status,Hali ya Quote
 DocType: GoCardless Settings,Webhooks Secret,Mtandao wa siri
@@ -1333,13 +1343,13 @@
 DocType: Sales Invoice,Payment Due Date,Tarehe ya Kutayarisha Malipo
 DocType: Drug Prescription,Interval UOM,Muda wa UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Pitia tena, ikiwa anwani iliyochaguliwa imebadilishwa baada ya kuokoa"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Tofauti ya kipengee {0} tayari ipo na sifa sawa
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Tofauti ya kipengee {0} tayari ipo na sifa sawa
 DocType: Item,Hub Publishing Details,Maelezo ya Uchapishaji wa Hub
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Kufungua&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Kufungua&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Fungua Kufanya
 DocType: Issue,Via Customer Portal,Kupitia Portal ya Wateja
 DocType: Notification Control,Delivery Note Message,Ujumbe wa Kumbuka Utoaji
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Kiwango cha SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Kiwango cha SGST
 DocType: Lab Test Template,Result Format,Fomu ya matokeo
 DocType: Expense Claim,Expenses,Gharama
 DocType: Item Variant Attribute,Item Variant Attribute,Kipengee cha Tofauti cha Tofauti
@@ -1347,14 +1357,12 @@
 DocType: Payroll Entry,Bimonthly,Bimonthly
 DocType: Vehicle Service,Brake Pad,Padha ya Breki
 DocType: Fertilizer,Fertilizer Contents,Mbolea Yaliyomo
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Utafiti na Maendeleo
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Utafiti na Maendeleo
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Kiasi cha Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Tarehe ya mwanzo na tarehe ya kumalizika inaingiliana na kadi ya kazi <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Maelezo ya Usajili
 DocType: Timesheet,Total Billed Amount,Kiasi kilicholipwa
 DocType: Item Reorder,Re-Order Qty,Ulipaji Uchina
 DocType: Leave Block List Date,Leave Block List Date,Acha Tarehe ya Kuzuia Tarehe
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Tafadhali kuanzisha Msaidizi wa Kuita Mfumo katika Elimu&gt; Mipangilio ya Elimu
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Vifaa vyenye rangi haviwezi kuwa sawa na Bidhaa kuu
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Malipo Yote ya Kuhitajika katika Jedwali la Vipokezi vya Ununuzi lazima lifanane na Jumla ya Kodi na Malipo
 DocType: Sales Team,Incentives,Vidokezo
@@ -1368,7 +1376,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Uhakika wa Kuuza
 DocType: Fee Schedule,Fee Creation Status,Hali ya Uumbaji wa Mali
 DocType: Vehicle Log,Odometer Reading,Kusoma Odometer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Usawa wa Akaunti tayari kwenye Mikopo, huruhusiwi kuweka &#39;Mizani lazima iwe&#39; kama &#39;Debit&#39;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Usawa wa Akaunti tayari kwenye Mikopo, huruhusiwi kuweka &#39;Mizani lazima iwe&#39; kama &#39;Debit&#39;"
 DocType: Account,Balance must be,Mizani lazima iwe
 DocType: Notification Control,Expense Claim Rejected Message,Imesajili Ujumbe Uliokataliwa
 ,Available Qty,Uchina unaopatikana
@@ -1380,7 +1388,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Daima kuunganisha bidhaa zako kutoka Amazon MWS kabla ya kuunganisha maelezo ya Amri
 DocType: Delivery Trip,Delivery Stops,Utoaji wa Utoaji
 DocType: Salary Slip,Working Days,Siku za Kazi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Haiwezi kubadilisha Tarehe ya Kusitisha Huduma kwa kipengee {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Haiwezi kubadilisha Tarehe ya Kusitisha Huduma kwa kipengee {0}
 DocType: Serial No,Incoming Rate,Kiwango kinachoingia
 DocType: Packing Slip,Gross Weight,Uzito wa Pato
 DocType: Leave Type,Encashment Threshold Days,Siku ya Kuzuia Uingizaji
@@ -1399,31 +1407,33 @@
 DocType: Restaurant Table,Minimum Seating,Kukaa chini
 DocType: Item Attribute,Item Attribute Values,Kipengee cha sifa za Maadili
 DocType: Examination Result,Examination Result,Matokeo ya Uchunguzi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Receipt ya Ununuzi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Receipt ya Ununuzi
 ,Received Items To Be Billed,Vipokee Vipokee vya Kulipwa
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Kiwango cha ubadilishaji wa fedha.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Kiwango cha ubadilishaji wa fedha.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Doctype ya Kumbukumbu lazima iwe moja ya {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Futa Jumla ya Zero Uchina
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Haiwezi kupata Muda wa Slot katika siku zifuatazo {0} kwa Uendeshaji {1}
 DocType: Work Order,Plan material for sub-assemblies,Panga nyenzo kwa makusanyiko ndogo
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Washirika wa Mauzo na Wilaya
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} lazima iwe hai
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} lazima iwe hai
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Hakuna Vipengele vinavyopatikana kwa uhamisho
 DocType: Employee Boarding Activity,Activity Name,Jina la Shughuli
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Tarehe ya Toleo la Mabadiliko
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Umefikia kiasi cha bidhaa <b>{0}</b> na Kwa Wingi <b>{1}</b> haiwezi kuwa tofauti
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Tarehe ya Toleo la Mabadiliko
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Umefikia kiasi cha bidhaa <b>{0}</b> na Kwa Wingi <b>{1}</b> haiwezi kuwa tofauti
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Kufungwa (Kufungua + Jumla)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Msimbo wa Item&gt; Kikundi cha Bidhaa&gt; Brand
+DocType: Delivery Settings,Dispatch Notification Attachment,Kusambaza Taarifa ya Sawa
 DocType: Payroll Entry,Number Of Employees,Idadi ya Waajiriwa
 DocType: Journal Entry,Depreciation Entry,Kuingia kwa kushuka kwa thamani
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Tafadhali chagua aina ya hati kwanza
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Tafadhali chagua aina ya hati kwanza
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Futa Ziara Nyenzo {0} kabla ya kufuta Kutembelea Utunzaji huu
 DocType: Pricing Rule,Rate or Discount,Kiwango au Punguzo
 DocType: Vital Signs,One Sided,Mmoja mmoja
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Serial Hakuna {0} si ya Bidhaa {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Uliohitajika Uchina
 DocType: Marketplace Settings,Custom Data,Takwimu za Desturi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Maghala na shughuli zilizopo haziwezi kubadilishwa kwenye kiwanja.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Hapana ya serial ni lazima kwa kipengee {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Maghala na shughuli zilizopo haziwezi kubadilishwa kwenye kiwanja.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Hapana ya serial ni lazima kwa kipengee {0}
 DocType: Bank Reconciliation,Total Amount,Jumla
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Tarehe Tarehe na Tarehe ziko katika Mwaka tofauti wa Fedha
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Mgonjwa {0} hawana rejea ya wateja kwa ankara
@@ -1434,9 +1444,9 @@
 DocType: Soil Texture,Clay Composition (%),Muundo wa Clay (%)
 DocType: Item Group,Item Group Defaults,Kundi la Bidhaa Hifadhi
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Tafadhali salama kabla ya kugawa kazi.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Thamani ya usawa
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Thamani ya usawa
 DocType: Lab Test,Lab Technician,Mtaalamu wa Lab
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Orodha ya Bei ya Mauzo
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Orodha ya Bei ya Mauzo
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Ikiwa imechungwa, mteja atatengenezwa, amechukuliwa kwa Mgonjwa. Invoice za Mgonjwa zitaundwa dhidi ya Wateja hawa. Unaweza pia kuchagua Wateja aliyepo wakati wa kujenga Mgonjwa."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Wateja hajiandikishwa katika Mpango wowote wa Uaminifu
@@ -1450,13 +1460,13 @@
 DocType: Support Search Source,Search Term Param Name,Jina la Utafutaji wa Jina la Param
 DocType: Item Barcode,Item Barcode,Msimbo wa Barcode
 DocType: Woocommerce Settings,Endpoints,Mwisho
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Vipengee vya Toleo {0} vinavyosasishwa
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Vipengee vya Toleo {0} vinavyosasishwa
 DocType: Quality Inspection Reading,Reading 6,Kusoma 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Haiwezi {0} {1} {2} bila ankara yoyote mbaya
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Haiwezi {0} {1} {2} bila ankara yoyote mbaya
 DocType: Share Transfer,From Folio No,Kutoka No ya Folio
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ununuzi wa ankara ya awali
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: Uingiaji wa mikopo hauwezi kuunganishwa na {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Eleza bajeti kwa mwaka wa kifedha.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Eleza bajeti kwa mwaka wa kifedha.
 DocType: Shopify Tax Account,ERPNext Account,Akaunti ya Akaunti ya ERP
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} imefungwa hivyo shughuli hii haiwezi kuendelea
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Hatua kama Bajeti ya Mwezi Yote Iliyopatikana imeongezeka kwa MR
@@ -1472,19 +1482,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Invozi ya Ununuzi
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Ruhusu Matumizi Nyenzo nyingi dhidi ya Kazi ya Kazi
 DocType: GL Entry,Voucher Detail No,Maelezo ya Voucher No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Invozi mpya ya Mauzo
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Invozi mpya ya Mauzo
 DocType: Stock Entry,Total Outgoing Value,Thamani Yote ya Kuondoka
 DocType: Healthcare Practitioner,Appointments,Uteuzi
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Tarehe ya Ufunguzi na Tarehe ya Kufungwa lazima iwe ndani ya mwaka mmoja wa Fedha
 DocType: Lead,Request for Information,Ombi la Taarifa
 ,LeaderBoard,Kiongozi wa Viongozi
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Kiwango na Margin (Kampuni ya Fedha)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Sawazisha ankara zisizo kwenye mtandao
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Sawazisha ankara zisizo kwenye mtandao
 DocType: Payment Request,Paid,Ilipwa
 DocType: Program Fee,Program Fee,Malipo ya Programu
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Badilisha BOM fulani katika BOM nyingine zote ambako zinatumiwa. Itasimamia kiungo cha zamani cha BOM, uhakikishe gharama na urekebishe upya &quot;meza ya Bomu ya Mlipuko&quot; kama kwa BOM mpya. Pia inasasisha bei ya hivi karibuni katika BOM zote."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Amri za Kazi zifuatazo zimeundwa:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Amri za Kazi zifuatazo zimeundwa:
 DocType: Salary Slip,Total in words,Jumla ya maneno
 DocType: Inpatient Record,Discharged,Imetolewa
 DocType: Material Request Item,Lead Time Date,Tarehe ya Muda wa Kuongoza
@@ -1495,16 +1505,16 @@
 DocType: Support Settings,Get Started Sections,Fungua Sehemu
 DocType: Lead,CRM-LEAD-.YYYY.-,MKAZI-MWEZI - YYYY.-
 DocType: Loan,Sanctioned,Imeteuliwa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,ni lazima. Labda Rekodi ya ubadilishaji Fedha haikuundwa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Tafadhali taja Serial Hakuna kwa Bidhaa {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Kiasi cha Ugawaji Jumla: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Tafadhali taja Serial Hakuna kwa Bidhaa {1}
 DocType: Payroll Entry,Salary Slips Submitted,Slips za Mshahara Iliombwa
 DocType: Crop Cycle,Crop Cycle,Mzunguko wa Mazao
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Kwa vitu vya &#39;Bidhaa Bundle&#39;, Ghala, Serial No na Batch Hakuna itazingatiwa kutoka kwenye orodha ya &#39;Orodha ya Ufungashaji&#39;. Ikiwa Hakuna Ghala na Batch No ni sawa kwa vitu vyote vya kuingiza kwa bidhaa yoyote ya &#39;Bidhaa Bundle&#39;, maadili haya yanaweza kuingizwa kwenye meza kuu ya Bidhaa, maadili yatakopwa kwenye &#39;Orodha ya Ufungashaji&#39;."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Kwa vitu vya &#39;Bidhaa Bundle&#39;, Ghala, Serial No na Batch Hakuna itazingatiwa kutoka kwenye orodha ya &#39;Orodha ya Ufungashaji&#39;. Ikiwa Hakuna Ghala na Batch No ni sawa kwa vitu vyote vya kuingiza kwa bidhaa yoyote ya &#39;Bidhaa Bundle&#39;, maadili haya yanaweza kuingizwa kwenye meza kuu ya Bidhaa, maadili yatakopwa kwenye &#39;Orodha ya Ufungashaji&#39;."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Kutoka mahali
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay haiwezi kuwa mbaya
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Kutoka mahali
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay haiwezi kuwa mbaya
 DocType: Student Admission,Publish on website,Chapisha kwenye tovuti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Tarehe ya Invozi ya Wasambazaji haiwezi kuwa kubwa kuliko Tarehe ya Kuweka
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Tarehe ya Invozi ya Wasambazaji haiwezi kuwa kubwa kuliko Tarehe ya Kuweka
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.-
 DocType: Subscription,Cancelation Date,Tarehe ya kufuta
 DocType: Purchase Invoice Item,Purchase Order Item,Nambari ya Utaratibu wa Ununuzi
@@ -1513,7 +1523,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Chombo cha Kuhudhuria Wanafunzi
 DocType: Restaurant Menu,Price List (Auto created),Orodha ya Bei (Iliundwa kwa Auto)
 DocType: Cheque Print Template,Date Settings,Mpangilio wa Tarehe
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Tofauti
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Tofauti
 DocType: Employee Promotion,Employee Promotion Detail,Wafanyakazi wa Kukuza Maelezo
 ,Company Name,jina la kampuni
 DocType: SMS Center,Total Message(s),Ujumbe Jumla (s)
@@ -1542,7 +1552,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Usitumie Makumbusho ya Siku ya Kuzaliwa
 DocType: Expense Claim,Total Advance Amount,Jumla ya Mapendekezo ya Kiasi
 DocType: Delivery Stop,Estimated Arrival,Ufikiaji uliotarajiwa
-DocType: Delivery Stop,Notified by Email,Taarifa kwa barua pepe
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Angalia Makala Yote
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Ingia ndani
 DocType: Item,Inspection Criteria,Vigezo vya ukaguzi
@@ -1552,22 +1561,21 @@
 DocType: Timesheet Detail,Bill,Bill
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Nyeupe
 DocType: SMS Center,All Lead (Open),Viongozi wote (Ufunguzi)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Uliopatikana kwa {4} katika ghala {1} wakati wa kutuma muda wa kuingia ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Uliopatikana kwa {4} katika ghala {1} wakati wa kutuma muda wa kuingia ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Unaweza kuchagua chaguo moja tu kutoka kwenye orodha ya masanduku ya kuangalia.
 DocType: Purchase Invoice,Get Advances Paid,Pata Mafanikio ya kulipwa
 DocType: Item,Automatically Create New Batch,Unda Batch Mpya kwa moja kwa moja
 DocType: Supplier,Represents Company,Inawakilisha Kampuni
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Fanya
 DocType: Student Admission,Admission Start Date,Tarehe ya Kuanza Kuingia
 DocType: Journal Entry,Total Amount in Words,Jumla ya Kiasi kwa Maneno
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Mfanyakazi Mpya
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Kulikuwa na hitilafu. Sababu moja ya uwezekano inaweza kuwa kwamba haujahifadhi fomu. Tafadhali wasiliana na support@erpnext.com ikiwa tatizo linaendelea.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Yangu Cart
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Aina ya Utaratibu lazima iwe moja ya {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Aina ya Utaratibu lazima iwe moja ya {0}
 DocType: Lead,Next Contact Date,Tarehe ya Kuwasiliana ijayo
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Ufunguzi wa Uchina
 DocType: Healthcare Settings,Appointment Reminder,Kumbukumbu ya Uteuzi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Tafadhali ingiza Akaunti ya Kiasi cha Mabadiliko
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Tafadhali ingiza Akaunti ya Kiasi cha Mabadiliko
 DocType: Program Enrollment Tool Student,Student Batch Name,Jina la Kundi la Mwanafunzi
 DocType: Holiday List,Holiday List Name,Jina la Orodha ya likizo
 DocType: Repayment Schedule,Balance Loan Amount,Kiwango cha Mikopo
@@ -1577,13 +1585,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Chaguzi za hisa
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Hakuna Vitu vilivyoongezwa kwenye gari
 DocType: Journal Entry Account,Expense Claim,Madai ya Madai
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,"Je, kweli unataka kurejesha mali hii iliyokatwa?"
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,"Je, kweli unataka kurejesha mali hii iliyokatwa?"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Uchina kwa {0}
 DocType: Leave Application,Leave Application,Acha Maombi
 DocType: Patient,Patient Relation,Uhusiano wa Mgonjwa
 DocType: Item,Hub Category to Publish,Jamii ya Hifadhi ya Kuchapisha
 DocType: Leave Block List,Leave Block List Dates,Acha Tarehe ya Kuzuia Orodha
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Amri ya Mauzo {0} ina uhifadhi wa kipengee {1}, unaweza kutoa tu iliyohifadhiwa {1} dhidi ya {0}. Serial Hapana {2} haiwezi kutolewa"
 DocType: Sales Invoice,Billing Address GSTIN,Anwani ya kulipia GSTIN
@@ -1601,16 +1609,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Tafadhali taja {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Vipengee vilivyoondolewa bila mabadiliko katika wingi au thamani.
 DocType: Delivery Note,Delivery To,Utoaji Kwa
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Uumbaji wa viumbe umefungwa.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Muhtasari wa Kazi kwa {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Uumbaji wa viumbe umefungwa.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Muhtasari wa Kazi kwa {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Msaidizi wa kwanza wa Kuondoka kwenye orodha utawekwa kama Msaidizi wa Kuacha wa Kuacha.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Toleo la meza ni lazima
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Toleo la meza ni lazima
 DocType: Production Plan,Get Sales Orders,Pata Maagizo ya Mauzo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} haiwezi kuwa hasi
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Unganisha kwenye Quickbooks
 DocType: Training Event,Self-Study,Kujitegemea
 DocType: POS Closing Voucher,Period End Date,Tarehe ya Mwisho wa Kipindi
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Nyimbo za udongo haziongei hadi 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Punguzo
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Row {0}: {1} inahitajika ili kuunda {2} ankara za Ufunguzi
 DocType: Membership,Membership,Uanachama
 DocType: Asset,Total Number of Depreciations,Jumla ya Idadi ya Dhamana
 DocType: Sales Invoice Item,Rate With Margin,Kiwango cha Kwa Margin
@@ -1621,7 +1631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Tafadhali taja Kitambulisho cha Row halali kwa mstari {0} katika jedwali {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Haiwezi kupata variable:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Tafadhali chagua shamba kuhariri kutoka numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Haiwezi kuwa kitu cha kudumu cha mali kama Stock Ledger imeundwa.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Haiwezi kuwa kitu cha kudumu cha mali kama Stock Ledger imeundwa.
 DocType: Subscription Plan,Fixed rate,Kiwango cha usawa
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Kukubali
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Nenda kwenye Desktop na uanze kutumia ERPNext
@@ -1655,7 +1665,7 @@
 DocType: Tax Rule,Shipping State,Jimbo la Mtoaji
 ,Projected Quantity as Source,Wengi uliopangwa kama Chanzo
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Kipengee lazima kiongezwe kwa kutumia &#39;Pata Vitu kutoka kwenye Kitufe cha Ununuzi&#39;
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Safari ya Utoaji
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Safari ya Utoaji
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Aina ya Uhamisho
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Gharama za Mauzo
@@ -1668,8 +1678,9 @@
 DocType: Item Default,Default Selling Cost Center,Kituo cha Gharama ya Kuuza Ghali
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Duru
 DocType: Buying Settings,Material Transferred for Subcontract,Nyenzo zimehamishwa kwa Mkataba wa Chini
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Namba ya Posta
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Amri ya Mauzo {0} ni {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Malipo ya Amri ya Ununuzi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Namba ya Posta
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Amri ya Mauzo {0} ni {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Chagua akaunti ya mapato ya riba kwa mkopo {0}
 DocType: Opportunity,Contact Info,Maelezo ya Mawasiliano
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Kufanya Entries Stock
@@ -1682,12 +1693,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Invozi haiwezi kufanywa kwa saa ya kulipa zero
 DocType: Company,Date of Commencement,Tarehe ya Kuanza
 DocType: Sales Person,Select company name first.,Chagua jina la kampuni kwanza.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Barua pepe imetumwa kwa {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Barua pepe imetumwa kwa {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Nukuu zilizopokea kutoka kwa Wauzaji.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Badilisha BOM na usasishe bei ya hivi karibuni katika BOM zote
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Kwa {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Huu ni kikundi cha wasambazaji wa mizizi na hauwezi kuhaririwa.
-DocType: Delivery Trip,Driver Name,Jina la dereva
+DocType: Delivery Note,Driver Name,Jina la dereva
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Umri wa Umri
 DocType: Education Settings,Attendance Freeze Date,Tarehe ya Kuhudhuria Tarehe
 DocType: Payment Request,Inward,Ndani
@@ -1698,7 +1709,7 @@
 DocType: Company,Parent Company,Kampuni mama
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Vyumba vya aina ya aina {0} hazipatikani kwa {1}
 DocType: Healthcare Practitioner,Default Currency,Fedha ya Default
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Upeo wa juu kwa Bidhaa {0} ni {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Upeo wa juu kwa Bidhaa {0} ni {1}%
 DocType: Asset Movement,From Employee,Kutoka kwa Mfanyakazi
 DocType: Driver,Cellphone Number,Nambari ya simu ya mkononi
 DocType: Project,Monitor Progress,Kufuatilia Maendeleo
@@ -1714,19 +1725,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Wingi lazima iwe chini au sawa na {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Kiwango cha juu kinafaa kwa sehemu {0} zaidi ya {1}
 DocType: Department Approver,Department Approver,Idhini ya Idara
+DocType: QuickBooks Migrator,Application Settings,Maombi ya Maombi
 DocType: SMS Center,Total Characters,Washirika wa jumla
 DocType: Employee Advance,Claimed,Alidai
 DocType: Crop,Row Spacing,Upeo wa Row
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Tafadhali chagua BOM katika uwanja wa BOM kwa Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Tafadhali chagua BOM katika uwanja wa BOM kwa Item {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Hakuna kitu chochote cha kipengee cha kipengee kilichochaguliwa
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,Maelezo ya Nambari ya Invoice ya Fomu
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Malipo ya Upatanisho wa Malipo
 DocType: Clinical Procedure,Procedure Template,Kigezo cha Utaratibu
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Mchango%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kwa mujibu wa Mipangilio ya Ununuzi ikiwa Utaratibu wa Ununuzi Unahitajika == &#39;Ndiyo&#39;, kisha kwa Kuunda Invoice ya Ununuzi, mtumiaji anahitaji kuunda Utaratibu wa Ununuzi kwanza kwa kipengee {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Mchango%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kwa mujibu wa Mipangilio ya Ununuzi ikiwa Utaratibu wa Ununuzi Unahitajika == &#39;Ndiyo&#39;, kisha kwa Kuunda Invoice ya Ununuzi, mtumiaji anahitaji kuunda Utaratibu wa Ununuzi kwanza kwa kipengee {0}"
 ,HSN-wise-summary of outward supplies,Sura ya HSN-hekima ya vifaa vya nje
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Nambari za usajili wa Kampuni kwa kumbukumbu yako. Nambari za kodi nk
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Kwa Hali
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Kwa Hali
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Wasambazaji
 DocType: Asset Finance Book,Asset Finance Book,Kitabu cha Fedha za Mali
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Ununuzi wa Ununuzi wa Kusafirishwa
@@ -1735,7 +1747,7 @@
 ,Ordered Items To Be Billed,Vipengele vya Amri vinavyopigwa
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Kutoka kwa Range lazima iwe chini ya Kupanga
 DocType: Global Defaults,Global Defaults,Ufafanuzi wa Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Mwaliko wa Ushirikiano wa Mradi
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Mwaliko wa Ushirikiano wa Mradi
 DocType: Salary Slip,Deductions,Kupunguza
 DocType: Setup Progress Action,Action Name,Jina la Hatua
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Mwaka wa Mwanzo
@@ -1749,11 +1761,12 @@
 DocType: Lead,Consultant,Mshauri
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Mwalimu wa Mwalimu Mkutano wa Mahudhurio
 DocType: Salary Slip,Earnings,Mapato
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Kitengo cha mwisho {0} lazima kiingizwe kwa kuingia kwa aina ya Utengenezaji
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Kitengo cha mwisho {0} lazima kiingizwe kwa kuingia kwa aina ya Utengenezaji
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Kufungua Mizani ya Uhasibu
 ,GST Sales Register,Jumuiya ya Daftari ya Mauzo
 DocType: Sales Invoice Advance,Sales Invoice Advance,Advance ya Mauzo ya Mauzo
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Hakuna chochote cha kuomba
+DocType: Stock Settings,Default Return Warehouse,Default Kurudi Ghala
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Chagua Domains yako
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Mtoa Wasambazaji
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Vitu vya ankara za malipo
@@ -1762,15 +1775,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Mashamba yatakopwa zaidi wakati wa uumbaji.
 DocType: Setup Progress Action,Domains,Domains
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Tarehe sahihi ya Kuanza' haiwezi kuwa kubwa zaidi kuliko 'Tarehe ya mwisho ya mwisho'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Usimamizi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Usimamizi
 DocType: Cheque Print Template,Payer Settings,Mipangilio ya Payer
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Hakuna Maombi ya Nyenzo yaliyotumiwa yaliyopatikana ili kuunganishwa kwa vitu vyenye.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Chagua kampuni kwanza
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Hii itaongezwa kwenye Kanuni ya Nambari ya Mchapishaji. Kwa mfano, ikiwa kichwa chako ni &quot;SM&quot;, na msimbo wa kipengee ni &quot;T-SHIRT&quot;, msimbo wa kipengee wa kipengee utakuwa &quot;T-SHIRT-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Pay (kwa maneno) itaonekana baada ya kuokoa Slip ya Mshahara.
 DocType: Delivery Note,Is Return,Inarudi
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Tahadhari
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Siku ya kuanza ni kubwa kuliko siku ya mwisho katika kazi &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Kurudi / Kumbuka Debit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Kurudi / Kumbuka Debit
 DocType: Price List Country,Price List Country,Orodha ya Bei ya Nchi
 DocType: Item,UOMs,UOM
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} salama ya serial kwa Bidhaa {1}
@@ -1783,13 +1797,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Ruhusu habari.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Duka la wauzaji.
 DocType: Contract Template,Contract Terms and Conditions,Masharti na Masharti ya Mkataba
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Huwezi kuanzisha upya Usajili ambao haujahairiwa.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Huwezi kuanzisha upya Usajili ambao haujahairiwa.
 DocType: Account,Balance Sheet,Karatasi ya Mizani
 DocType: Leave Type,Is Earned Leave,Inapatikana Kuondoka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Kituo cha Gharama kwa Bidhaa na Msimbo wa Bidhaa &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Kituo cha Gharama kwa Bidhaa na Msimbo wa Bidhaa &#39;
 DocType: Fee Validity,Valid Till,Halali Mpaka
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Jumla ya Mkutano wa Mwalimu wa Wazazi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Njia ya Malipo haijasanidiwa. Tafadhali angalia, kama akaunti imewekwa kwenye Mfumo wa Malipo au kwenye POS Profile."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Njia ya Malipo haijasanidiwa. Tafadhali angalia, kama akaunti imewekwa kwenye Mfumo wa Malipo au kwenye POS Profile."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Kitu kimoja hawezi kuingizwa mara nyingi.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Akaunti zaidi zinaweza kufanywa chini ya Vikundi, lakini viingilio vinaweza kufanywa dhidi ya wasio Vikundi"
 DocType: Lead,Lead,Cheza
@@ -1798,11 +1812,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,Kitambulisho cha MWS Auth
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Entry Entry {0} imeundwa
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Huna ushawishi wa Pole ya Uaminifu ili ukomboe
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Nambari iliyokataliwa haiwezi kuingizwa katika Kurudi kwa Ununuzi
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Tafadhali weka akaunti inayohusishwa katika Jamii ya Kuzuia Ushuru {0} dhidi ya Kampuni {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Nambari iliyokataliwa haiwezi kuingizwa katika Kurudi kwa Ununuzi
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Kubadilisha Kundi la Wateja kwa Wateja waliochaguliwa hairuhusiwi.
 ,Purchase Order Items To Be Billed,Vitu vya Utaratibu wa Ununuzi Ili Kulipwa
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Inasasisha nyakati za kuwasili za makadirio.
 DocType: Program Enrollment Tool,Enrollment Details,Maelezo ya Uandikishaji
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Haiwezi kuweka Vifungo vingi vya Bidhaa kwa kampuni.
 DocType: Purchase Invoice Item,Net Rate,Kiwango cha Nambari
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Tafadhali chagua mteja
 DocType: Leave Policy,Leave Allocations,Acha Ugawaji
@@ -1831,7 +1847,7 @@
 DocType: Loan Application,Repayment Info,Maelezo ya kulipa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;Entries&#39; haiwezi kuwa tupu
 DocType: Maintenance Team Member,Maintenance Role,Dhamana ya Matengenezo
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Mstari wa Duplicate {0} na sawa {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Mstari wa Duplicate {0} na sawa {1}
 DocType: Marketplace Settings,Disable Marketplace,Lemaza mahali pa Marketplace
 ,Trial Balance,Mizani ya majaribio
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Mwaka wa Fedha {0} haukupatikana
@@ -1842,9 +1858,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Mipangilio ya usajili
 DocType: Purchase Invoice,Update Auto Repeat Reference,Sasisha Nambari ya Repeat ya Rejea
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Orodha ya Likizo ya Hiari haipatikani wakati wa kuondoka {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Orodha ya Likizo ya Hiari haipatikani wakati wa kuondoka {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Utafiti
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Kwa Anwani 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Kwa Anwani 2
 DocType: Maintenance Visit Purpose,Work Done,Kazi Imefanyika
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Tafadhali taja angalau sifa moja katika meza ya Tabia
 DocType: Announcement,All Students,Wanafunzi wote
@@ -1854,16 +1870,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Shughuli zilizounganishwa
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Mapema kabisa
 DocType: Crop Cycle,Linked Location,Eneo lililohusishwa
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Kundi la Bidhaa limekuwa na jina moja, tafadhali ubadilisha jina la kipengee au uunda jina la kundi la bidhaa"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Kundi la Bidhaa limekuwa na jina moja, tafadhali ubadilisha jina la kipengee au uunda jina la kundi la bidhaa"
 DocType: Crop Cycle,Less than a year,Chini ya mwaka
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Namba ya Mkono ya Mwanafunzi
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Mwisho wa Dunia
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Mwisho wa Dunia
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} haiwezi kuwa na Kundi
 DocType: Crop,Yield UOM,Uzao UOM
 ,Budget Variance Report,Ripoti ya Tofauti ya Bajeti
 DocType: Salary Slip,Gross Pay,Pato la Pato
 DocType: Item,Is Item from Hub,Ni kitu kutoka Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Pata vitu kutoka Huduma za Huduma za Afya
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Pata vitu kutoka Huduma za Huduma za Afya
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Row {0}: Aina ya Shughuli ni lazima.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Mgawanyiko ulipwa
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Ledger ya Uhasibu
@@ -1878,6 +1894,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Njia ya Malipo
 DocType: Purchase Invoice,Supplied Items,Vitu vinavyopatikana
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Tafadhali weka orodha ya kazi ya Mgahawa {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Kiwango cha Tume%
 DocType: Work Order,Qty To Manufacture,Uchina Ili Kufanya
 DocType: Email Digest,New Income,Mapato mapya
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Weka kiwango sawa katika mzunguko wa ununuzi
@@ -1892,12 +1909,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Kiwango cha Vigezo kinachohitajika kwa Bidhaa katika mstari {0}
 DocType: Supplier Scorecard,Scorecard Actions,Vitendo vya kadi ya alama
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Mfano: Masters katika Sayansi ya Kompyuta
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Muuzaji {0} haipatikani katika {1}
 DocType: Purchase Invoice,Rejected Warehouse,Ghala iliyokataliwa
 DocType: GL Entry,Against Voucher,Dhidi ya Voucher
 DocType: Item Default,Default Buying Cost Center,Kituo cha Gharama cha Ununuzi cha Default
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Ili kupata bora kutoka kwa ERPNext, tunapendekeza kwamba utachukua muda na kutazama video hizi za usaidizi."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Kwa Default Supplier (hiari)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,kwa
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Kwa Default Supplier (hiari)
 DocType: Supplier Quotation Item,Lead Time in days,Tembea Muda katika siku
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Muhtasari wa Kulipa Akaunti
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Haiidhinishwa kuhariri Akaunti iliyohifadhiwa {0}
@@ -1906,7 +1923,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Tahadhari kwa ombi mpya ya Nukuu
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Amri za ununuzi husaidia kupanga na kufuatilia ununuzi wako
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Maagizo ya Majaribio ya Lab
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Jalada la jumla / Vipimo vya uhamisho {0} katika Maombi ya Vifaa {1} \ hawezi kuwa kubwa zaidi kuliko kiasi kilichoombwa {2} kwa Bidhaa {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Ndogo
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Ikiwa Shopify haina mteja katika Utaratibu, basi wakati wa kusawazisha Maagizo, mfumo utazingatia mteja default kwa amri"
@@ -1918,6 +1935,7 @@
 DocType: Project,% Completed,Imekamilika
 ,Invoiced Amount (Exculsive Tax),Kiasi kilichotolewa (kodi ya nje)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Kipengee 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Mwisho wa Hati miliki
 DocType: Travel Request,International,Kimataifa
 DocType: Training Event,Training Event,Tukio la Mafunzo
 DocType: Item,Auto re-order,Rejesha upya
@@ -1926,24 +1944,24 @@
 DocType: Contract,Contract,Mkataba
 DocType: Plant Analysis,Laboratory Testing Datetime,Wakati wa Tathmini ya Maabara
 DocType: Email Digest,Add Quote,Ongeza Nukuu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Kipengele cha ufunuo wa UOM kinahitajika kwa UOM: {0} katika Item: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Kipengele cha ufunuo wa UOM kinahitajika kwa UOM: {0} katika Item: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Gharama zisizo sahihi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Uchina ni lazima
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Uchina ni lazima
 DocType: Agriculture Analysis Criteria,Agriculture,Kilimo
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Unda Utaratibu wa Mauzo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Kuingia kwa Uhasibu kwa Mali
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Zima ankara
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Kuingia kwa Uhasibu kwa Mali
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Zima ankara
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Wingi wa Kufanya
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Sawa Data ya Mwalimu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Sawa Data ya Mwalimu
 DocType: Asset Repair,Repair Cost,Tengeneza Gharama
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Bidhaa au Huduma zako
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Imeshindwa kuingia
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Malipo {0} yameundwa
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Malipo {0} yameundwa
 DocType: Special Test Items,Special Test Items,Vipimo vya Mtihani maalum
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Unahitaji kuwa mtumiaji na Meneja wa Mfumo na Majukumu ya Meneja wa Item kujiandikisha kwenye Soko.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Hali ya Malipo
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Kwa mujibu wa Mfumo wa Mshahara uliopangwa huwezi kuomba faida
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Image ya tovuti lazima iwe faili ya umma au URL ya tovuti
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Image ya tovuti lazima iwe faili ya umma au URL ya tovuti
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Hii ni kikundi cha bidhaa cha mizizi na haiwezi kuhaririwa.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Unganisha
@@ -1952,7 +1970,8 @@
 DocType: Warehouse,Warehouse Contact Info,Info ya Kuwasiliana na Ghala
 DocType: Payment Entry,Write Off Difference Amount,Andika Tofauti Tofauti
 DocType: Volunteer,Volunteer Name,Jina la kujitolea
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: barua pepe ya mfanyakazi haipatikani, hivyo barua pepe haitumwa"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Inapanda kwa duplicate tarehe kutokana na safu zingine zilipatikana: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: barua pepe ya mfanyakazi haipatikani, hivyo barua pepe haitumwa"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Hakuna Mfumo wa Mshahara uliopangwa kwa Mfanyakazi {0} kwenye tarehe iliyotolewa {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Sheria ya usafirishaji haifai kwa nchi {0}
 DocType: Item,Foreign Trade Details,Maelezo ya Biashara ya Nje
@@ -1960,16 +1979,16 @@
 DocType: Email Digest,Annual Income,Mapato ya kila mwaka
 DocType: Serial No,Serial No Details,Serial Hakuna Maelezo
 DocType: Purchase Invoice Item,Item Tax Rate,Kiwango cha Kodi ya Kodi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Kutoka Jina la Chama
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Kutoka Jina la Chama
 DocType: Student Group Student,Group Roll Number,Nambari ya Roll ya Kikundi
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Kwa {0}, akaunti za mikopo tu zinaweza kuunganishwa dhidi ya kuingia mwingine kwa debit"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Kumbuka Utoaji {0} haujawasilishwa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Kumbuka Utoaji {0} haujawasilishwa
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Kipengee {0} kinafaa kuwa kitu cha Chini
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Vifaa vya Capital
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rule ya bei ni ya kwanza kuchaguliwa kulingana na shamba la &#39;Weka On&#39;, ambayo inaweza kuwa Item, Kikundi cha Bidhaa au Brand."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Tafadhali weka Kanuni ya Kwanza
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Aina ya Doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Asilimia ya jumla iliyotengwa kwa timu ya mauzo inapaswa kuwa 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Aina ya Doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Asilimia ya jumla iliyotengwa kwa timu ya mauzo inapaswa kuwa 100
 DocType: Subscription Plan,Billing Interval Count,Muda wa Kipaji cha Hesabu
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Uteuzi na Mkutano wa Wagonjwa
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Thamani haipo
@@ -1983,6 +2002,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Unda Format Print
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Ada Iliyoundwa
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Haikupata kitu kilichoitwa {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Futa ya vipengee
 DocType: Supplier Scorecard Criteria,Criteria Formula,Mfumo wa Kanuni
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Jumla ya Kuondoka
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Kunaweza tu kuwa na Kanuni moja ya Rupia ya Usafirishaji na 0 au thamani tupu ya &quot;Ili Thamani&quot;
@@ -1991,14 +2011,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Kwa kipengee {0}, wingi lazima uwe namba nzuri"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Kumbuka: Kituo hiki cha Gharama ni Kikundi. Haiwezi kufanya maagizo ya uhasibu dhidi ya vikundi.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Siku ya ombi ya kuondoka kwa siku ya malipo sio likizo za halali
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ghala la watoto lipo kwa ghala hili. Huwezi kufuta ghala hii.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ghala la watoto lipo kwa ghala hili. Huwezi kufuta ghala hii.
 DocType: Item,Website Item Groups,Vikundi vya Bidhaa vya tovuti
 DocType: Purchase Invoice,Total (Company Currency),Jumla (Kampuni ya Fedha)
 DocType: Daily Work Summary Group,Reminder,Kumbusho
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Thamani ya kupatikana
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Thamani ya kupatikana
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Nambari ya serial {0} imeingia zaidi ya mara moja
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Kuingia kwa Jarida
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Kutoka GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Kutoka GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Kiasi kisichojulikana
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} vitu vinaendelea
 DocType: Workstation,Workstation Name,Jina la kazi
@@ -2006,7 +2026,7 @@
 DocType: POS Item Group,POS Item Group,Kundi la Bidhaa la POS
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Ujumbe wa barua pepe:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Kitu mbadala haipaswi kuwa sawa na msimbo wa bidhaa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} sio Kipengee {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} sio Kipengee {1}
 DocType: Sales Partner,Target Distribution,Usambazaji wa Target
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Kukamilisha tathmini ya muda
 DocType: Salary Slip,Bank Account No.,Akaunti ya Akaunti ya Benki
@@ -2015,7 +2035,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Vigezo vya kadi ya alama inaweza kutumika, pamoja na: {total_score} (alama ya jumla kutoka kipindi hicho), {period_number} (idadi ya vipindi vinavyowasilisha siku)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Omba Wote
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Omba Wote
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Unda Utaratibu wa Ununuzi
 DocType: Quality Inspection Reading,Reading 8,Kusoma 8
 DocType: Inpatient Record,Discharge Note,Kumbuka Kuondoa
@@ -2031,7 +2051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Uondoaji wa Hifadhi
 DocType: Purchase Invoice,Supplier Invoice Date,Tarehe ya Invoice ya Wasambazaji
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Thamani hii hutumiwa kwa hesabu ya pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Unahitaji kuwezesha Kifaa cha Ununuzi
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Unahitaji kuwezesha Kifaa cha Ununuzi
 DocType: Payment Entry,Writeoff,Andika
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS -YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Jina la Msaada wa Kipindi
@@ -2046,11 +2066,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Hali ya uingiliano hupatikana kati ya:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Dhidi ya Kuingia kwa Vitambulisho {0} tayari imebadilishwa dhidi ya hati ya nyingine
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Thamani ya Udhibiti wa Jumla
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Chakula
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Chakula
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Kipindi cha kuzeeka 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Maelezo ya Voucher ya Kufungwa
 DocType: Shopify Log,Shopify Log,Weka Ingia
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Tafadhali weka Mfululizo wa Naming kwa {0} kupitia Setup&gt; Mipangilio&gt; Mfululizo wa Naming
 DocType: Inpatient Occupancy,Check In,Angalia
 DocType: Maintenance Schedule Item,No of Visits,Hakuna ya Ziara
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Ratiba ya Matengenezo {0} ipo dhidi ya {1}
@@ -2090,6 +2109,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Faida nyingi (Kiasi)
 DocType: Purchase Invoice,Contact Person,Kuwasiliana na mtu
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;Tarehe ya Mwanzo Inatarajiwa&#39; haiwezi kuwa kubwa zaidi kuliko &#39;Tarehe ya Mwisho Inatarajiwa&#39;
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Hakuna data kwa kipindi hiki
 DocType: Course Scheduling Tool,Course End Date,Tarehe ya Mwisho wa Kozi
 DocType: Holiday List,Holidays,Likizo
 DocType: Sales Order Item,Planned Quantity,Wingi wa Mpango
@@ -2101,7 +2121,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Mabadiliko ya Net katika Mali isiyohamishika
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Kiasi
 DocType: Leave Control Panel,Leave blank if considered for all designations,Acha tupu ikiwa inachukuliwa kwa sifa zote
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Malipo ya aina ya &#39;Kweli&#39; katika mstari {0} haiwezi kuingizwa katika Kiwango cha Bidhaa
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Malipo ya aina ya &#39;Kweli&#39; katika mstari {0} haiwezi kuingizwa katika Kiwango cha Bidhaa
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Kutoka wakati wa Tarehe
 DocType: Shopify Settings,For Company,Kwa Kampuni
@@ -2114,9 +2134,9 @@
 DocType: Material Request,Terms and Conditions Content,Masharti na Masharti Maudhui
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Kulikuwa na hitilafu za kuunda ratiba ya kozi
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Mpangilio wa kwanza wa gharama katika orodha utawekwa kama Msaidizi wa gharama ya chini.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,haiwezi kuwa zaidi ya 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,haiwezi kuwa zaidi ya 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Unahitaji kuwa mtumiaji mwingine isipokuwa Msimamizi na Meneja wa Mfumo na Majukumu ya Meneja wa Item kujiandikisha kwenye Soko.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Kipengee {0} si kitu cha hisa
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Kipengee {0} si kitu cha hisa
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC -YYYY.-
 DocType: Maintenance Visit,Unscheduled,Haijahamishwa
 DocType: Employee,Owned,Imepewa
@@ -2144,7 +2164,7 @@
 DocType: HR Settings,Employee Settings,Mipangilio ya Waajiriwa
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Inapakia Mfumo wa Malipo
 ,Batch-Wise Balance History,Historia ya Mizani-Hekima
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Haiwezi kuweka Kiwango kama kiasi ni kikubwa kuliko kiasi cha malipo kwa Item {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Row # {0}: Haiwezi kuweka Kiwango kama kiasi ni kikubwa kuliko kiasi cha malipo kwa Item {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Mipangilio ya magazeti imewekwa katika fomu ya kuchapisha husika
 DocType: Package Code,Package Code,Kanuni ya pakiti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Mwanafunzi
@@ -2152,7 +2172,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Wengi hauna kuruhusiwa
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Maelezo ya kodi ya kodi imetengwa kutoka kwa bwana wa bidhaa kama kamba na kuhifadhiwa kwenye uwanja huu. Iliyotumika kwa Kodi na Malipo
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Mfanyakazi hawezi kujijulisha mwenyewe.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Mfanyakazi hawezi kujijulisha mwenyewe.
 DocType: Leave Type,Max Leaves Allowed,Majani Max Yanaruhusiwa
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ikiwa akaunti imehifadhiwa, maingilio yanaruhusiwa watumiaji waliozuiwa."
 DocType: Email Digest,Bank Balance,Mizani ya Benki
@@ -2178,6 +2198,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Shughuli za Uingizaji wa Benki
 DocType: Quality Inspection,Readings,Kusoma
 DocType: Stock Entry,Total Additional Costs,Jumla ya gharama za ziada
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Hakuna Uingiliano
 DocType: BOM,Scrap Material Cost(Company Currency),Gharama za Nyenzo za Nyenzo (Fedha la Kampuni)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Assemblies ndogo
 DocType: Asset,Asset Name,Jina la Mali
@@ -2185,10 +2206,10 @@
 DocType: Shipping Rule Condition,To Value,Ili Thamani
 DocType: Loyalty Program,Loyalty Program Type,Aina ya Programu ya Uaminifu
 DocType: Asset Movement,Stock Manager,Meneja wa Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Ghala la chanzo ni lazima kwa mstari {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Ghala la chanzo ni lazima kwa mstari {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Muda wa Malipo katika mstari {0} inawezekana kuwa duplicate.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Kilimo (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Ufungashaji wa Ufungashaji
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Ufungashaji wa Ufungashaji
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Kodi ya Ofisi
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Sanidi mipangilio ya uingizaji wa SMS
 DocType: Disease,Common Name,Jina la kawaida
@@ -2220,20 +2241,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Mshahara wa Salari ya barua pepe kwa Mfanyakazi
 DocType: Cost Center,Parent Cost Center,Kituo cha Gharama ya Mzazi
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Chagua Wasambazaji Inawezekana
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Chagua Wasambazaji Inawezekana
 DocType: Sales Invoice,Source,Chanzo
 DocType: Customer,"Select, to make the customer searchable with these fields","Chagua, ili uweze kutafutwa na mteja na mashamba haya"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Weka Vidokezo vya Utoaji kutoka Shopify kwenye Uhamisho
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Onyesha imefungwa
 DocType: Leave Type,Is Leave Without Pay,Anatoka bila Kulipa
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Jamii ya Mali ni ya lazima kwa kipengee cha Mali isiyohamishika
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Jamii ya Mali ni ya lazima kwa kipengee cha Mali isiyohamishika
 DocType: Fee Validity,Fee Validity,Uhalali wa ada
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Hakuna kumbukumbu zilizopatikana kwenye meza ya Malipo
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Hii {0} inakabiliana na {1} kwa {2} {3}
 DocType: Student Attendance Tool,Students HTML,Wanafunzi HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Tafadhali futa Waajiri <a href=""#Form/Employee/{0}"">{0}</a> \ ili kufuta hati hii"
 DocType: POS Profile,Apply Discount,Omba Discount
 DocType: GST HSN Code,GST HSN Code,Kanuni ya GST HSN
 DocType: Employee External Work History,Total Experience,Uzoefu wa jumla
@@ -2256,7 +2274,7 @@
 DocType: Maintenance Schedule,Schedules,Mipango
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Profaili ya POS inahitajika kutumia Point-of-Sale
 DocType: Cashier Closing,Net Amount,Kiasi cha Nambari
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} haijawasilishwa hivyo hatua haiwezi kukamilika
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} haijawasilishwa hivyo hatua haiwezi kukamilika
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Maelezo ya No
 DocType: Landed Cost Voucher,Additional Charges,Malipo ya ziada
 DocType: Support Search Source,Result Route Field,Shamba la Njia ya Matokeo
@@ -2285,11 +2303,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Invoices za Ufunguzi
 DocType: Contract,Contract Details,Maelezo ya Mkataba
 DocType: Employee,Leave Details,Acha Maelezo
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Tafadhali weka shamba la Kitambulisho cha Mtumiaji katika rekodi ya Wafanyakazi ili kuweka Kazi ya Wafanyakazi
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Tafadhali weka shamba la Kitambulisho cha Mtumiaji katika rekodi ya Wafanyakazi ili kuweka Kazi ya Wafanyakazi
 DocType: UOM,UOM Name,Jina la UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Ili kufikia 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Ili kufikia 1
 DocType: GST HSN Code,HSN Code,Msimbo wa HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Mchango wa Mchango
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Mchango wa Mchango
 DocType: Inpatient Record,Patient Encounter,Mkutano wa Mgonjwa
 DocType: Purchase Invoice,Shipping Address,Anwani ya kusafirishia
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Chombo hiki husaidia kuboresha au kurekebisha wingi na hesabu ya hisa katika mfumo. Kwa kawaida hutumiwa kusawazisha maadili ya mfumo na kile ambacho hakipo ipo katika maghala yako.
@@ -2306,9 +2324,9 @@
 DocType: Travel Itinerary,Mode of Travel,Njia ya Kusafiri
 DocType: Sales Invoice Item,Brand Name,Jina la Brand
 DocType: Purchase Receipt,Transporter Details,Maelezo ya Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Ghala la msingi linahitajika kwa kipengee kilichochaguliwa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Ghala la msingi linahitajika kwa kipengee kilichochaguliwa
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Sanduku
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Wafanyabiashara wawezekana
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Wafanyabiashara wawezekana
 DocType: Budget,Monthly Distribution,Usambazaji wa kila mwezi
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Orodha ya Receiver haina tupu. Tafadhali tengeneza Orodha ya Kupokea
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Huduma ya afya (beta)
@@ -2329,6 +2347,7 @@
 ,Lead Name,Jina la Kiongozi
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Matarajio
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Kufungua Mizani ya Stock
 DocType: Asset Category Account,Capital Work In Progress Account,Kazi ya Kitaifa Katika Akaunti ya Maendeleo
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Marekebisho ya Thamani ya Mali
@@ -2337,7 +2356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Majani yaliyopangwa kwa Mafanikio kwa {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Hakuna Vipande vya kuingiza
 DocType: Shipping Rule Condition,From Value,Kutoka kwa Thamani
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Uzalishaji wa Wingi ni lazima
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Uzalishaji wa Wingi ni lazima
 DocType: Loan,Repayment Method,Njia ya kulipa
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ikiwa hunakiliwa, Ukurasa wa Mwanzo utakuwa Kikundi cha Kichwa cha Kichwa cha tovuti"
 DocType: Quality Inspection Reading,Reading 4,Kusoma 4
@@ -2362,7 +2381,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Kuhamishwa kwa Waajiriwa
 DocType: Student Group,Set 0 for no limit,Weka 0 bila kikomo
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Siku (s) ambayo unaomba kwa ajili ya kuondoka ni likizo. Hauhitaji kuomba kuondoka.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} inahitajika ili kuunda ankara za kufungua {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Anwani ya Msingi na Maelezo ya Mawasiliano
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Tuma barua pepe ya malipo
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Kazi mpya
@@ -2372,8 +2390,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Tafadhali chagua angalau kikoa kimoja.
 DocType: Dependent Task,Dependent Task,Kazi ya Kudumu
 DocType: Shopify Settings,Shopify Tax Account,Weka Akaunti ya Ushuru
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Sababu ya ubadilishaji kwa chaguo-msingi Kipimo cha Kupima lazima iwe 1 kwenye mstari {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Kuondoka kwa aina {0} haiwezi kuwa zaidi kuliko {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Sababu ya ubadilishaji kwa chaguo-msingi Kipimo cha Kupima lazima iwe 1 kwenye mstari {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Kuondoka kwa aina {0} haiwezi kuwa zaidi kuliko {1}
 DocType: Delivery Trip,Optimize Route,Ongeza Njia
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Jaribu kupanga shughuli kwa siku X kabla.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2382,14 +2400,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Tafadhali weka Akaunti ya Kulipa ya Payroll ya Kipawa katika Kampuni {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Pata uvunjaji wa kifedha wa Takwimu na mashtaka kwa Amazon
 DocType: SMS Center,Receiver List,Orodha ya Kupokea
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Tafuta kitu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Tafuta kitu
 DocType: Payment Schedule,Payment Amount,Kiwango cha Malipo
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Siku ya Nusu ya Siku lazima iwe kati ya Kazi Kutoka Tarehe na Tarehe ya Mwisho Kazi
 DocType: Healthcare Settings,Healthcare Service Items,Vitu vya Huduma za Afya
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Kiwango kilichotumiwa
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Mabadiliko ya Net katika Fedha
 DocType: Assessment Plan,Grading Scale,Kuweka Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Kipimo cha Upimaji {0} kiliingizwa zaidi ya mara moja kwenye Jedwali la Kubadilisha Ubadilishaji
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Kipimo cha Upimaji {0} kiliingizwa zaidi ya mara moja kwenye Jedwali la Kubadilisha Ubadilishaji
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Tayari imekamilika
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Stock In Hand
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2412,25 +2430,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Serial Hapana {0} wingi {1} haiwezi kuwa sehemu
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Tafadhali ingiza URL ya Woocommerce Server
 DocType: Purchase Order Item,Supplier Part Number,Nambari ya Sehemu ya Wasambazaji
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Kiwango cha uongofu hawezi kuwa 0 au 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Kiwango cha uongofu hawezi kuwa 0 au 1
 DocType: Share Balance,To No,Hapana
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Kazi yote ya lazima ya uumbaji wa wafanyakazi haijafanyika bado.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} imefutwa au imesimamishwa
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} imefutwa au imesimamishwa
 DocType: Accounts Settings,Credit Controller,Mdhibiti wa Mikopo
 DocType: Loan,Applicant Type,Aina ya Msaidizi
 DocType: Purchase Invoice,03-Deficiency in services,Upungufu wa 03 katika huduma
 DocType: Healthcare Settings,Default Medical Code Standard,Kiwango cha Kiwango cha Matibabu cha Kudumu
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Receipt ya Ununuzi {0} haijawasilishwa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Receipt ya Ununuzi {0} haijawasilishwa
 DocType: Company,Default Payable Account,Akaunti ya malipo yenye malipo
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Mipangilio ya gari la ununuzi mtandaoni kama sheria za meli, orodha ya bei nk."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Imelipwa
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Nambari iliyohifadhiwa
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Nambari iliyohifadhiwa
 DocType: Party Account,Party Account,Akaunti ya Chama
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Tafadhali chagua Kampuni na Uteuzi
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Rasilimali
-DocType: Lead,Upper Income,Mapato ya Juu
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Mapato ya Juu
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Kataa
 DocType: Journal Entry Account,Debit in Company Currency,Debit katika Fedha ya Kampuni
 DocType: BOM Item,BOM Item,Kipengee cha BOM
@@ -2447,7 +2465,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Ufunguzi wa Kazi kwa ajili ya uteuzi {0} tayari kufungua \ au kukodisha kukamilika kama kwa Mpangilio wa Utumishi {1}
 DocType: Vital Signs,Constipated,Imetumiwa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Dhidi ya Invoice ya Wasambazaji {0} dated {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Dhidi ya Invoice ya Wasambazaji {0} dated {1}
 DocType: Customer,Default Price List,Orodha ya Bei ya Hitilafu
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Rekodi ya Movement ya Malipo {0} imeundwa
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Hakuna vitu vilivyopatikana.
@@ -2463,16 +2481,17 @@
 DocType: Journal Entry,Entry Type,Aina ya Kuingia
 ,Customer Credit Balance,Mizani ya Mikopo ya Wateja
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Mabadiliko ya Nambari ya Akaunti yanapatikana
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Kizuizi cha mkopo kimevuka kwa wateja {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Tafadhali weka Mfululizo wa Naming kwa {0} kupitia Setup&gt; Mipangilio&gt; Mfululizo wa Naming
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Kizuizi cha mkopo kimevuka kwa wateja {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Wateja wanahitajika kwa &#39;Msaada wa Wateja&#39;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Sasisha tarehe za malipo ya benki na majarida.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Bei
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Bei
 DocType: Quotation,Term Details,Maelezo ya muda
 DocType: Employee Incentive,Employee Incentive,Ushawishi wa Waajiriwa
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Haiwezi kujiandikisha zaidi ya {0} wanafunzi kwa kikundi hiki cha wanafunzi.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Jumla (bila ya Kodi)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Hesabu ya Kiongozi
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stock Inapatikana
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stock Inapatikana
 DocType: Manufacturing Settings,Capacity Planning For (Days),Mipango ya Uwezo Kwa (Siku)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Ununuzi
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Hakuna vitu vilivyo na mabadiliko yoyote kwa wingi au thamani.
@@ -2496,7 +2515,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Acha na Uhudhuriaji
 DocType: Asset,Comprehensive Insurance,Bima kamili
 DocType: Maintenance Visit,Partially Completed,Ilikamilishwa kikamilifu
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Uaminifu Point: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Uaminifu Point: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Ongeza Msaidizi
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Sensitivity ya wastani
 DocType: Leave Type,Include holidays within leaves as leaves,Jumuisha likizo ndani ya majani kama majani
 DocType: Loyalty Program,Redemption,Ukombozi
@@ -2528,7 +2548,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Malipo ya Masoko
 ,Item Shortage Report,Ripoti ya uhaba wa habari
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Haiwezi kuunda vigezo vigezo. Tafadhali renama vigezo
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Uzito umetajwa, \ nSafadhali kutaja &quot;Uzito UOM&quot; pia"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Uzito umetajwa, \ nSafadhali kutaja &quot;Uzito UOM&quot; pia"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Ombi la Nyenzo lilitumiwa kufanya Usajili huu wa hisa
 DocType: Hub User,Hub Password,Hub Password
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Toka Kundi la kozi la Kundi kwa kila Batch
@@ -2542,15 +2562,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Muda wa Uteuzi (mchana)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Fanya Uingizaji wa Uhasibu Kwa Kila Uhamisho wa Stock
 DocType: Leave Allocation,Total Leaves Allocated,Majani ya Jumla Yamewekwa
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Tafadhali ingiza Msaada wa Mwaka wa Fedha na Mwisho wa Tarehe
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Tafadhali ingiza Msaada wa Mwaka wa Fedha na Mwisho wa Tarehe
 DocType: Employee,Date Of Retirement,Tarehe ya Kustaafu
 DocType: Upload Attendance,Get Template,Pata Kigezo
+,Sales Person Commission Summary,Muhtasari wa Tume ya Watu wa Mauzo
 DocType: Additional Salary Component,Additional Salary Component,Mshahara wa ziada wa Mshahara
 DocType: Material Request,Transferred,Imehamishwa
 DocType: Vehicle,Doors,Milango
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Setup Kamili!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Setup Kamili!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Kukusanya ada kwa Usajili wa Mgonjwa
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Haiwezi kubadilisha sifa baada ya shughuli za hisa. Panga Ncha mpya na uhamishe hisa kwenye Ncha mpya
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Haiwezi kubadilisha sifa baada ya shughuli za hisa. Panga Ncha mpya na uhamishe hisa kwenye Ncha mpya
 DocType: Course Assessment Criteria,Weightage,Uzito
 DocType: Purchase Invoice,Tax Breakup,Kuvunja kodi
 DocType: Employee,Joining Details,Kujiunga Maelezo
@@ -2578,14 +2599,15 @@
 DocType: Lead,Next Contact By,Kuwasiliana Nafuatayo
 DocType: Compensatory Leave Request,Compensatory Leave Request,Ombi la Kuondoa Rufaa
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Kiasi kinachohitajika kwa Item {0} mfululizo {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Ghala {0} haiwezi kufutwa kama kiasi kilichopo kwa Bidhaa {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Ghala {0} haiwezi kufutwa kama kiasi kilichopo kwa Bidhaa {1}
 DocType: Blanket Order,Order Type,Aina ya Utaratibu
 ,Item-wise Sales Register,Daftari ya Mauzo ya hekima
 DocType: Asset,Gross Purchase Amount,Jumla ya Ununuzi wa Pato
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Mizani ya Ufunguzi
 DocType: Asset,Depreciation Method,Njia ya kushuka kwa thamani
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,"Je, kodi hii imejumuishwa katika Msingi Msingi?"
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Jumla ya Target
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Jumla ya Target
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Uchambuzi wa Upimaji
 DocType: Soil Texture,Sand Composition (%),Mchanga Muundo (%)
 DocType: Job Applicant,Applicant for a Job,Mwombaji wa Kazi
 DocType: Production Plan Material Request,Production Plan Material Request,Mpango wa Ushauri wa Nyenzo ya Uzalishaji
@@ -2600,23 +2622,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Marko ya Tathmini (nje ya 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Simu ya Mkono Hakuna
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Kuu
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Kufuatia item {0} haijawekwa alama kama {1} kipengee. Unaweza kuwawezesha kama kipengee {1} kutoka kwa kichwa chake cha Bidhaa
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Tofauti
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Kwa kipengee {0}, wingi lazima iwe nambari hasi"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Weka kiambishi kwa mfululizo wa nambari kwenye shughuli zako
 DocType: Employee Attendance Tool,Employees HTML,Waajiri HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,BOM ya chaguo-msingi ({0}) lazima iwe kazi kwa kipengee hiki au template yake
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,BOM ya chaguo-msingi ({0}) lazima iwe kazi kwa kipengee hiki au template yake
 DocType: Employee,Leave Encashed?,Je! Uacha Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Fursa kutoka shamba ni lazima
 DocType: Email Digest,Annual Expenses,Gharama za kila mwaka
 DocType: Item,Variants,Tofauti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Fanya Order ya Ununuzi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Fanya Order ya Ununuzi
 DocType: SMS Center,Send To,Tuma kwa
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Hakuna usawa wa kutosha wa kuondoka kwa Aina ya Kuondoka {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Hakuna usawa wa kutosha wa kuondoka kwa Aina ya Kuondoka {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Ilipunguzwa kiasi
 DocType: Sales Team,Contribution to Net Total,Mchango kwa Jumla ya Net
 DocType: Sales Invoice Item,Customer's Item Code,Msimbo wa Bidhaa ya Wateja
 DocType: Stock Reconciliation,Stock Reconciliation,Upatanisho wa hisa
 DocType: Territory,Territory Name,Jina la Wilaya
+DocType: Email Digest,Purchase Orders to Receive,Amri ya Ununuzi Ili Kupokea
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Ghala ya Maendeleo ya Kazi inahitajika kabla ya Wasilisha
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Unaweza tu kuwa na Mipango yenye mzunguko wa bili sawa katika Usajili
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Takwimu zilizopangwa
@@ -2632,9 +2656,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplicate Serial Hakuna aliingia kwa Item {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Orodha inayoongozwa na Chanzo cha Kiongozi.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Hali ya Utawala wa Usafirishaji
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Tafadhali ingiza
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Tafadhali ingiza
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Ingia ya Matengenezo
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Tafadhali weka kichujio kulingana na Bidhaa au Ghala
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Tafadhali weka kichujio kulingana na Bidhaa au Ghala
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Uzito wavu wa mfuko huu. (mahesabu ya moja kwa moja kama jumla ya uzito wa vitu)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Fanya Ingia ya Kuingia kwa Kampuni ya Inter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Kiasi cha punguzo hawezi kuwa zaidi ya 100%
@@ -2643,15 +2667,15 @@
 DocType: Sales Order,To Deliver and Bill,Kutoa na Bill
 DocType: Student Group,Instructors,Wafundishaji
 DocType: GL Entry,Credit Amount in Account Currency,Mikopo Kiasi katika Fedha ya Akaunti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} lazima iwasilishwa
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Shiriki Usimamizi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} lazima iwasilishwa
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Shiriki Usimamizi
 DocType: Authorization Control,Authorization Control,Kudhibiti Udhibiti
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ghala iliyokataliwa ni lazima dhidi ya Kitu kilichokataliwa {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Malipo
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ghala iliyokataliwa ni lazima dhidi ya Kitu kilichokataliwa {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Malipo
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Ghala {0} haihusishwa na akaunti yoyote, tafadhali taja akaunti katika rekodi ya ghala au kuweka akaunti ya hesabu ya msingi kwa kampuni {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Dhibiti amri zako
 DocType: Work Order Operation,Actual Time and Cost,Muda na Gharama halisi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Nyenzo ya upeo {0} inaweza kufanywa kwa Bidhaa {1} dhidi ya Mauzo ya Uagizaji {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Nyenzo ya upeo {0} inaweza kufanywa kwa Bidhaa {1} dhidi ya Mauzo ya Uagizaji {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Upeo wa Mazao
 DocType: Course,Course Abbreviation,Hali ya Mafunzo
@@ -2662,6 +2686,7 @@
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +31,Employee {0} on Half day on {1},Mfanyakazi {0} kwenye siku ya nusu kwenye {1}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,On
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Vifungu vya vitu wakati wa kuuza.
+DocType: Delivery Settings,Dispatch Settings,Mipangilio ya Dispatch
 DocType: Material Request Plan Item,Actual Qty,Uhakika halisi
 DocType: Sales Invoice Item,References,Marejeleo
 DocType: Quality Inspection Reading,Reading 10,Kusoma 10
@@ -2671,11 +2696,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Umeingiza vitu vya duplicate. Tafadhali tengeneza na jaribu tena.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Washirika
 DocType: Asset Movement,Asset Movement,Mwendo wa Mali
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Kazi ya Kazi {0} lazima iwasilishwa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,New Cart
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Kazi ya Kazi {0} lazima iwasilishwa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,New Cart
 DocType: Taxable Salary Slab,From Amount,Kutoka kwa Kiasi
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Kipengee {0} si Kipengee cha sina
 DocType: Leave Type,Encashment,Kuingiza
+DocType: Delivery Settings,Delivery Settings,Mipangilio ya utoaji
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Pata data
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Upeo wa kuondoka kuruhusiwa katika aina ya kuondoka {0} ni {1}
 DocType: SMS Center,Create Receiver List,Unda Orodha ya Kupokea
 DocType: Vehicle,Wheels,Magurudumu
@@ -2691,7 +2718,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Fedha ya kulipia lazima iwe sawa na sarafu au kampuni ya sarafu ya kampuni
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Inaonyesha kwamba mfuko ni sehemu ya utoaji huu (Tu Rasimu)
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Row {0}: Tarehe ya Tuzo haiwezi kuwa kabla ya kutuma tarehe
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Row {0}: Tarehe ya Tuzo haiwezi kuwa kabla ya kutuma tarehe
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Fanya Uingiaji wa Malipo
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Wingi wa Bidhaa {0} lazima iwe chini ya {1}
 ,Sales Invoice Trends,Mwelekeo wa Mauzo ya Invoice
@@ -2699,12 +2726,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Inaweza kutaja safu tu ikiwa aina ya malipo ni &#39;Juu ya Uliopita Mshahara Kiasi&#39; au &#39;Uliopita Row Jumla&#39;
 DocType: Sales Order Item,Delivery Warehouse,Ghala la Utoaji
 DocType: Leave Type,Earned Leave Frequency,Kulipwa Kuondoka Frequency
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Mti wa vituo vya gharama za kifedha.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Aina ndogo
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Mti wa vituo vya gharama za kifedha.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Aina ndogo
 DocType: Serial No,Delivery Document No,Nambari ya Hati ya Utoaji
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Hakikisha utoaji kulingana na No ya Serial iliyozalishwa
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Tafadhali weka &#39;Akaunti ya Kupoteza / Kupoteza kwa Upunguzaji wa Mali&#39; katika Kampuni {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Tafadhali weka &#39;Akaunti ya Kupoteza / Kupoteza kwa Upunguzaji wa Mali&#39; katika Kampuni {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Pata Vitu Kutoka Mapato ya Ununuzi
 DocType: Serial No,Creation Date,Tarehe ya Uumbaji
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Eneo la Target linahitajika kwa mali {0}
@@ -2718,10 +2745,11 @@
 DocType: Item,Has Variants,Ina tofauti
 DocType: Employee Benefit Claim,Claim Benefit For,Faida ya kudai Kwa
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Sasisha jibu
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Tayari umechagua vitu kutoka {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Tayari umechagua vitu kutoka {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Jina la Usambazaji wa Kila mwezi
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Kitambulisho cha Batch ni lazima
 DocType: Sales Person,Parent Sales Person,Mtu wa Mauzo ya Mzazi
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Hakuna vitu vilivyopokelewa vimepungua
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Muuzaji na mnunuzi hawezi kuwa sawa
 DocType: Project,Collect Progress,Kusanya Maendeleo
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY.-
@@ -2737,7 +2765,7 @@
 DocType: Bank Guarantee,Margin Money,Margin Pesa
 DocType: Budget,Budget,Bajeti
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Weka wazi
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Vifaa vya Mali isiyohamishika lazima iwe kipengee cha hisa.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Vifaa vya Mali isiyohamishika lazima iwe kipengee cha hisa.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bajeti haipatikani dhidi ya {0}, kama sio akaunti ya Mapato au ya gharama"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Kiwango cha msamaha wa Max kwa {0} ni {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Imetimizwa
@@ -2755,9 +2783,9 @@
 ,Amount to Deliver,Kiasi cha Kutoa
 DocType: Asset,Insurance Start Date,Tarehe ya Kuanza Bima
 DocType: Salary Component,Flexible Benefits,Flexible Faida
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Kitu kimoja kimeingizwa mara nyingi. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Kitu kimoja kimeingizwa mara nyingi. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Tarehe ya Kuanza ya Mwisho haiwezi kuwa mapema zaidi kuliko Tarehe ya Mwanzo wa Mwaka wa Mwaka wa Chuo ambao neno hilo linaunganishwa (Mwaka wa Chuo {}). Tafadhali tengeneza tarehe na jaribu tena.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Kulikuwa na makosa.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Kulikuwa na makosa.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Mfanyakazi {0} tayari ameomba kwa {1} kati ya {2} na {3}:
 DocType: Guardian,Guardian Interests,Maslahi ya Guardian
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Sasisha Jina la Akaunti / Nambari
@@ -2796,9 +2824,9 @@
 ,Item-wise Purchase History,Historia ya Ununuzi wa hekima
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Tafadhali bonyeza &#39;Weka Ratiba&#39; ya Kuchukua Serial Hakuna Aliongeza kwa Item {0}
 DocType: Account,Frozen,Frozen
-DocType: Delivery Note,Vehicle Type,Aina ya Gari
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Aina ya Gari
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Kiasi cha Msingi (Fedha la Kampuni)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Malighafi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Malighafi
 DocType: Payment Reconciliation Payment,Reference Row,Row Reference
 DocType: Installation Note,Installation Time,Muda wa Ufungaji
 DocType: Sales Invoice,Accounting Details,Maelezo ya Uhasibu
@@ -2807,12 +2835,13 @@
 DocType: Inpatient Record,O Positive,O Chanya
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Uwekezaji
 DocType: Issue,Resolution Details,Maelezo ya Azimio
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Aina ya Ushirikiano
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Aina ya Ushirikiano
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Vigezo vya Kukubali
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Tafadhali ingiza Maombi ya Nyenzo katika meza iliyo hapo juu
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Hakuna malipo ya kutosha kwa Kuingia kwa Journal
 DocType: Hub Tracked Item,Image List,Orodha ya Picha
 DocType: Item Attribute,Attribute Name,Jina la sifa
+DocType: Subscription,Generate Invoice At Beginning Of Period,Kuzalisha Invoice Wakati wa Mwanzo wa Kipindi
 DocType: BOM,Show In Website,Onyesha kwenye tovuti
 DocType: Loan Application,Total Payable Amount,Kiasi Kilivyoteuliwa
 DocType: Task,Expected Time (in hours),Muda Unaotarajiwa (kwa saa)
@@ -2849,7 +2878,7 @@
 DocType: Employee,Resignation Letter Date,Barua ya Kuondoa Tarehe
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Kanuni za bei ni zilizochujwa zaidi kulingana na wingi.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Haijawekwa
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Tafadhali weka tarehe ya kujiunga na mfanyakazi {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Tafadhali weka tarehe ya kujiunga na mfanyakazi {0}
 DocType: Inpatient Record,Discharge,Ondoa
 DocType: Task,Total Billing Amount (via Time Sheet),Kiasi cha kulipa jumla (kupitia Karatasi ya Muda)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Rudia Mapato ya Wateja
@@ -2859,13 +2888,13 @@
 DocType: Chapter,Chapter,Sura
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Jozi
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Akaunti ya msingi itasasishwa moja kwa moja katika ankara ya POS wakati hali hii inachaguliwa.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Chagua BOM na Uchina kwa Uzalishaji
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Chagua BOM na Uchina kwa Uzalishaji
 DocType: Asset,Depreciation Schedule,Ratiba ya kushuka kwa thamani
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Mauzo ya Mazungumzo ya Washiriki na Mawasiliano
 DocType: Bank Reconciliation Detail,Against Account,Dhidi ya Akaunti
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Tarehe ya Siku ya Nusu inapaswa kuwa kati ya Tarehe na Tarehe
 DocType: Maintenance Schedule Detail,Actual Date,Tarehe halisi
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Tafadhali weka Kituo cha Ghali cha Default katika {0} kampuni.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Tafadhali weka Kituo cha Ghali cha Default katika {0} kampuni.
 DocType: Item,Has Batch No,Ina Bande No
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Ulipaji wa Mwaka: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Weka Ufafanuzi wa Webhook
@@ -2877,7 +2906,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY.-
 DocType: Shift Assignment,Shift Type,Aina ya Shift
 DocType: Student,Personal Details,Maelezo ya kibinafsi
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Tafadhali weka &#39;kituo cha gharama ya kushuka kwa thamani ya mali&#39; katika Kampuni {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Tafadhali weka &#39;kituo cha gharama ya kushuka kwa thamani ya mali&#39; katika Kampuni {0}
 ,Maintenance Schedules,Mipango ya Matengenezo
 DocType: Task,Actual End Date (via Time Sheet),Tarehe ya mwisho ya mwisho (kupitia Karatasi ya Muda)
 DocType: Soil Texture,Soil Type,Aina ya Udongo
@@ -2885,10 +2914,10 @@
 ,Quotation Trends,Mwelekeo wa Nukuu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Kikundi cha kipengee ambacho hakijajwa katika kipengee cha bidhaa kwa kipengee {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Hati ya GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debit Kwa akaunti lazima iwe akaunti inayoidhinishwa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debit Kwa akaunti lazima iwe akaunti inayoidhinishwa
 DocType: Shipping Rule,Shipping Amount,Kiasi cha usafirishaji
 DocType: Supplier Scorecard Period,Period Score,Kipindi cha Kipindi
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Ongeza Wateja
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Ongeza Wateja
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kiasi kinachosubiri
 DocType: Lab Test Template,Special,Maalum
 DocType: Loyalty Program,Conversion Factor,Fact Conversion
@@ -2905,7 +2934,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Ongeza kichwa cha barua
 DocType: Program Enrollment,Self-Driving Vehicle,Gari ya kujitegemea
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Washirika wa Scorecard Wamesimama
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Sheria ya Vifaa haipatikani kwa Bidhaa {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Sheria ya Vifaa haipatikani kwa Bidhaa {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Majani yaliyotengwa {0} hayawezi kuwa chini ya majani yaliyoidhinishwa tayari {1} kwa muda
 DocType: Contract Fulfilment Checklist,Requirement,Mahitaji
 DocType: Journal Entry,Accounts Receivable,Akaunti inapatikana
@@ -2921,16 +2950,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,Mipangilio ya HR
 DocType: Salary Slip,net pay info,maelezo ya kulipa wavu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS Kiasi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS Kiasi
 DocType: Woocommerce Settings,Enable Sync,Wezesha Sync
 DocType: Tax Withholding Rate,Single Transaction Threshold,Kitengo cha Msaada wa Pekee
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Thamani hii inasasishwa katika Orodha ya Bei ya Mauzo ya Default.
 DocType: Email Digest,New Expenses,Gharama mpya
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Kiwango cha PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Kiwango cha PDC / LC
 DocType: Shareholder,Shareholder,Mbia
 DocType: Purchase Invoice,Additional Discount Amount,Kipengee cha ziada cha Kiasi
 DocType: Cash Flow Mapper,Position,Nafasi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Pata Vitu kutoka kwa Maagizo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Pata Vitu kutoka kwa Maagizo
 DocType: Patient,Patient Details,Maelezo ya Mgonjwa
 DocType: Inpatient Record,B Positive,B Chanya
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2942,8 +2971,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Gundi kwa Wasio Kikundi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Michezo
 DocType: Loan Type,Loan Name,Jina la Mikopo
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Jumla halisi
-DocType: Lab Test UOM,Test UOM,UOM ya mtihani
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Jumla halisi
 DocType: Student Siblings,Student Siblings,Ndugu wa Wanafunzi
 DocType: Subscription Plan Detail,Subscription Plan Detail,Mpango wa Usajili
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Kitengo
@@ -2970,7 +2998,6 @@
 DocType: Workstation,Wages per hour,Mshahara kwa saa
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Usawa wa hisa katika Batch {0} utakuwa hasi {1} kwa Bidhaa {2} kwenye Ghala {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Ufuatiliaji wa Nyenzo zifuatayo umefufuliwa kwa moja kwa moja kulingana na ngazi ya re-order ya Item
-DocType: Email Digest,Pending Sales Orders,Amri ya Mauzo inasubiri
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Akaunti {0} ni batili. Fedha ya Akaunti lazima iwe {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Kutoka tarehe {0} haiwezi kuwa baada ya Tarehe ya kuondokana na mfanyakazi {1}
 DocType: Supplier,Is Internal Supplier,Ni wauzaji wa ndani
@@ -2979,13 +3006,14 @@
 DocType: Healthcare Settings,Remind Before,Kumkumbusha Kabla
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Kipengele cha kubadilisha UOM kinahitajika katika mstari {0}
 DocType: Production Plan Item,material_request_item,vifaa_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Aina ya Kumbukumbu ya Kumbukumbu lazima iwe moja ya Uagizaji wa Mauzo, Invoice ya Mauzo au Ingiza Jarida"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Aina ya Kumbukumbu ya Kumbukumbu lazima iwe moja ya Uagizaji wa Mauzo, Invoice ya Mauzo au Ingiza Jarida"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Uaminifu Pointi = Fedha ya msingi kiasi gani?
 DocType: Salary Component,Deduction,Utoaji
 DocType: Item,Retain Sample,Weka Mfano
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Row {0}: Kutoka wakati na muda ni lazima.
 DocType: Stock Reconciliation Item,Amount Difference,Tofauti tofauti
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Item Bei imeongezwa kwa {0} katika Orodha ya Bei {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Item Bei imeongezwa kwa {0} katika Orodha ya Bei {1}
+DocType: Delivery Stop,Order Information,Maelezo ya Uagizaji
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Tafadhali ingiza Id Idhini ya mtu huyu wa mauzo
 DocType: Territory,Classification of Customers by region,Uainishaji wa Wateja kwa kanda
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Katika Uzalishaji
@@ -2996,8 +3024,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Usawa wa Taarifa ya Benki
 DocType: Normal Test Template,Normal Test Template,Kigezo cha Mtihani wa kawaida
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,mtumiaji mlemavu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Nukuu
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Haiwezi kuweka RFQ iliyopokea kwa No Quote
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Nukuu
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Haiwezi kuweka RFQ iliyopokea kwa No Quote
 DocType: Salary Slip,Total Deduction,Utoaji Jumla
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Chagua akaunti ili uchapishe katika sarafu ya akaunti
 ,Production Analytics,Uchambuzi wa Uzalishaji
@@ -3010,14 +3038,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Kuweka Scorecard Setup
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Jina la Mpango wa Tathmini
 DocType: Work Order Operation,Work Order Operation,Kazi ya Kazi ya Kazi
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Onyo: Cheti cha SSL batili kwenye kiambatisho {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Onyo: Cheti cha SSL batili kwenye kiambatisho {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Inaongoza kukusaidia kupata biashara, ongeza anwani zako zote na zaidi kama inaongoza yako"
 DocType: Work Order Operation,Actual Operation Time,Saa halisi ya Uendeshaji
 DocType: Authorization Rule,Applicable To (User),Inafaa kwa (Mtumiaji)
 DocType: Purchase Taxes and Charges,Deduct,Deduct
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Maelezo ya Kazi
 DocType: Student Applicant,Applied,Imewekwa
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Fungua tena
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Fungua tena
 DocType: Sales Invoice Item,Qty as per Stock UOM,Uchina kama kwa hisa ya UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Jina la Guardian2
 DocType: Attendance,Attendance Request,Ombi la Kuhudhuria
@@ -3035,7 +3063,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Hapana {0} ni chini ya udhamini upto {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Thamani ya chini ya idhini
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Mtumiaji {0} tayari yupo
-apps/erpnext/erpnext/hooks.py +114,Shipments,Upelekaji
+apps/erpnext/erpnext/hooks.py +115,Shipments,Upelekaji
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Kiasi kilichopangwa (Kampuni ya Fedha)
 DocType: Purchase Order Item,To be delivered to customer,Ili kupelekwa kwa wateja
 DocType: BOM,Scrap Material Cost,Gharama za Nyenzo za Nyenzo
@@ -3043,11 +3071,12 @@
 DocType: Grant Application,Email Notification Sent,Arifa ya barua pepe imetumwa
 DocType: Purchase Invoice,In Words (Company Currency),Katika Maneno (Fedha la Kampuni)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Kampuni ni manadatory kwa akaunti ya kampuni
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Msimbo wa kipengee, ghala, wingi unahitajika kwenye mstari"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Msimbo wa kipengee, ghala, wingi unahitajika kwenye mstari"
 DocType: Bank Guarantee,Supplier,Mtoa huduma
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Pata Kutoka
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Hii ni idara ya mizizi na haiwezi kuhaririwa.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Onyesha Maelezo ya Malipo
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Muda katika Siku
 DocType: C-Form,Quarter,Quarter
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Malipo tofauti
 DocType: Global Defaults,Default Company,Kampuni ya Kichwa
@@ -3055,7 +3084,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Akaunti au Tofauti akaunti ni lazima kwa Item {0} kama inathiri thamani ya jumla ya hisa
 DocType: Bank,Bank Name,Jina la Benki
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Acha shamba bila tupu ili uamuru amri za ununuzi kwa wauzaji wote
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Acha shamba bila tupu ili uamuru amri za ununuzi kwa wauzaji wote
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Kichwa cha Msajili wa Ziara ya Wagonjwa
 DocType: Vital Signs,Fluid,Fluid
 DocType: Leave Application,Total Leave Days,Siku zote za kuondoka
@@ -3064,7 +3093,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Mipangilio ya Mchapishaji ya Bidhaa
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Chagua Kampuni ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Acha tupu ikiwa inachukuliwa kwa idara zote
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} ni lazima kwa Bidhaa {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} ni lazima kwa Bidhaa {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Bidhaa {0}: {1} qty zinazozalishwa,"
 DocType: Payroll Entry,Fortnightly,Usiku wa jioni
 DocType: Currency Exchange,From Currency,Kutoka kwa Fedha
@@ -3113,7 +3142,7 @@
 DocType: Account,Fixed Asset,Mali isiyohamishika
 DocType: Amazon MWS Settings,After Date,Baada ya Tarehe
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Mali isiyohamishika
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Invalid {0} kwa ankara ya Kampuni ya Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Invalid {0} kwa ankara ya Kampuni ya Inter.
 ,Department Analytics,Idara ya Uchambuzi
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Barua pepe haipatikani kwa kuwasiliana na wakati wote
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Kuzalisha siri
@@ -3131,6 +3160,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Mkurugenzi Mtendaji
 DocType: Purchase Invoice,With Payment of Tax,Kwa Malipo ya Kodi
 DocType: Expense Claim Detail,Expense Claim Detail,Tumia maelezo ya dai
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Tafadhali kuanzisha Msaidizi wa Kuita Mfumo katika Elimu&gt; Mipangilio ya Elimu
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,FINDA KWA MFASHAJI
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Mizani mpya katika Fedha ya Msingi
 DocType: Location,Is Container,"Je, kuna Chombo"
@@ -3138,13 +3168,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Tafadhali chagua akaunti sahihi
 DocType: Salary Structure Assignment,Salary Structure Assignment,Mgawo wa Mfumo wa Mshahara
 DocType: Purchase Invoice Item,Weight UOM,Uzito UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Orodha ya Washiriki waliopatikana na namba za folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Orodha ya Washiriki waliopatikana na namba za folio
 DocType: Salary Structure Employee,Salary Structure Employee,Mshirika wa Mshahara
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Onyesha sifa za Tofauti
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Onyesha sifa za Tofauti
 DocType: Student,Blood Group,Kikundi cha Damu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Akaunti ya mlango wa malipo katika mpango {0} ni tofauti na akaunti ya mlango wa malipo katika ombi hili la malipo
 DocType: Course,Course Name,Jina la kozi
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Hakuna data ya Kuzuia Ushuru iliyopatikana kwa Mwaka wa Fedha wa sasa.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Hakuna data ya Kuzuia Ushuru iliyopatikana kwa Mwaka wa Fedha wa sasa.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Watumiaji ambao wanaweza kupitisha maombi ya kuondoka kwa mfanyakazi maalum
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Vifaa vya ofisi
 DocType: Purchase Invoice Item,Qty,Uchina
@@ -3152,6 +3182,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Kuweka Kuweka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Electoniki
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debit ({0})
+DocType: BOM,Allow Same Item Multiple Times,Ruhusu Item Sawa Mara nyingi
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Ongeza Ombi la Nyenzo wakati hisa inakaribia ngazi ya kurejesha tena
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Wakati wote
 DocType: Payroll Entry,Employees,Wafanyakazi
@@ -3163,11 +3194,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Uthibitishaji wa Malipo
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Bei haitaonyeshwa kama Orodha ya Bei haijawekwa
 DocType: Stock Entry,Total Incoming Value,Thamani ya Ingizo Yote
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debit To inahitajika
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debit To inahitajika
 DocType: Clinical Procedure,Inpatient Record,Rekodi ya wagonjwa
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets kusaidia kuweka wimbo wa muda, gharama na bili kwa activites kufanyika kwa timu yako"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Orodha ya Bei ya Ununuzi
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Tarehe ya Shughuli
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Orodha ya Bei ya Ununuzi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Tarehe ya Shughuli
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Matukio ya vigezo vya scorecard za wasambazaji.
 DocType: Job Offer Term,Offer Term,Muda wa Kutoa
 DocType: Asset,Quality Manager,Meneja wa Ubora
@@ -3188,18 +3219,18 @@
 DocType: Cashier Closing,To Time,Kwa Muda
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) kwa {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Idhini ya Kupitisha (juu ya thamani iliyoidhinishwa)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Mikopo Kwa akaunti lazima iwe akaunti ya kulipwa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Mikopo Kwa akaunti lazima iwe akaunti ya kulipwa
 DocType: Loan,Total Amount Paid,Jumla ya Malipo
 DocType: Asset,Insurance End Date,Tarehe ya Mwisho wa Bima
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Tafadhali chagua Uingizaji wa Mwanafunzi ambao ni lazima kwa mwombaji aliyepwa msamaha
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Upungufu wa BOM: {0} hawezi kuwa mzazi au mtoto wa {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Upungufu wa BOM: {0} hawezi kuwa mzazi au mtoto wa {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Orodha ya Bajeti
 DocType: Work Order Operation,Completed Qty,Uliokamilika Uchina
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Kwa {0}, akaunti za debit tu zinaweza kuunganishwa dhidi ya kuingizwa kwa mkopo mwingine"
 DocType: Manufacturing Settings,Allow Overtime,Ruhusu muda wa ziada
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Item ya Msingi {0} haiwezi kurekebishwa kwa kutumia Upatanisho wa Stock, tafadhali utumie Stock Entry"
 DocType: Training Event Employee,Training Event Employee,Mafunzo ya Tukio la Mfanyakazi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Sampuli za Upeo - {0} zinaweza kuhifadhiwa kwa Batch {1} na Bidhaa {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Sampuli za Upeo - {0} zinaweza kuhifadhiwa kwa Batch {1} na Bidhaa {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Ongeza Muda wa Muda
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial Hesabu inahitajika kwa Bidhaa {1}. Umetoa {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Kiwango cha Thamani ya sasa
@@ -3230,11 +3261,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial Hapana {0} haipatikani
 DocType: Fee Schedule Program,Fee Schedule Program,Mpango wa ratiba ya ada
 DocType: Fee Schedule Program,Student Batch,Kundi la Wanafunzi
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Tafadhali futa Waajiri <a href=""#Form/Employee/{0}"">{0}</a> \ ili kufuta hati hii"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Fanya Mwanafunzi
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Daraja la Kidogo
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Aina ya Huduma ya Huduma ya Afya
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Umealikwa kushirikiana kwenye mradi: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Umealikwa kushirikiana kwenye mradi: {0}
 DocType: Supplier Group,Parent Supplier Group,Kundi la Wauzaji wa Mzazi
+DocType: Email Digest,Purchase Orders to Bill,Amri ya Ununuzi kwa Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Maadili yaliyokusanywa katika Kundi la Kampuni
 DocType: Leave Block List Date,Block Date,Weka Tarehe
 DocType: Crop,Crop,Mazao
@@ -3246,6 +3280,7 @@
 DocType: Sales Order,Not Delivered,Haikutolewa
 ,Bank Clearance Summary,Muhtasari wa Muhtasari wa Benki
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Unda na udhibiti majaribio ya barua pepe kila siku, kila wiki na kila mwezi."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Hii inategemea shughuli za Mtu wa Mauzo. Tazama kalenda ya chini kwa maelezo zaidi
 DocType: Appraisal Goal,Appraisal Goal,Lengo la Kutathmini
 DocType: Stock Reconciliation Item,Current Amount,Kiwango cha sasa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Majengo
@@ -3272,7 +3307,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Tarehe ya Kuwasiliana inayofuata haiwezi kuwa katika siku za nyuma
 DocType: Company,For Reference Only.,Kwa Kumbukumbu Tu.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Chagua Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Chagua Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Halafu {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Mwaliko wa Kumbukumbu
@@ -3290,16 +3325,16 @@
 DocType: Normal Test Items,Require Result Value,Thamani ya Thamani ya Uhitaji
 DocType: Item,Show a slideshow at the top of the page,Onyesha slideshow juu ya ukurasa
 DocType: Tax Withholding Rate,Tax Withholding Rate,Kiwango cha Kuzuia Ushuru
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Maduka
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Maduka
 DocType: Project Type,Projects Manager,Meneja wa Miradi
 DocType: Serial No,Delivery Time,Muda wa Utoaji
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Kuzeeka kwa Msingi
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Uteuzi umefutwa
 DocType: Item,End of Life,Mwisho wa Uzima
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Safari
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Safari
 DocType: Student Report Generation Tool,Include All Assessment Group,Jumuisha Kundi Jaribio Lote
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Hakuna muundo wa Mshahara wa Mshahara au wa Mteja uliopatikana kwa mfanyakazi {0} kwa tarehe zilizopewa
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Hakuna muundo wa Mshahara wa Mshahara au wa Mteja uliopatikana kwa mfanyakazi {0} kwa tarehe zilizopewa
 DocType: Leave Block List,Allow Users,Ruhusu Watumiaji
 DocType: Purchase Order,Customer Mobile No,Nambari ya Simu ya Wateja
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Maelezo ya Kigezo cha Mapangilio ya Fedha
@@ -3308,15 +3343,16 @@
 DocType: Rename Tool,Rename Tool,Badilisha jina
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Sasisha Gharama
 DocType: Item Reorder,Item Reorder,Kipengee Upya
+DocType: Delivery Note,Mode of Transport,Njia ya Usafiri
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Onyesha Slip ya Mshahara
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Nyenzo za Uhamisho
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Nyenzo za Uhamisho
 DocType: Fees,Send Payment Request,Tuma Ombi la Malipo
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Taja shughuli, gharama za uendeshaji na kutoa Operesheni ya kipekee bila shughuli zako."
 DocType: Travel Request,Any other details,Maelezo mengine yoyote
 DocType: Water Analysis,Origin,Mwanzo
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Hati hii imepungua kwa {0} {1} kwa kipengee {4}. Je! Unafanya mwingine {3} dhidi ya sawa {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Tafadhali kuweka mara kwa mara baada ya kuokoa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Chagua akaunti ya kubadilisha kiasi
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Tafadhali kuweka mara kwa mara baada ya kuokoa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Chagua akaunti ya kubadilisha kiasi
 DocType: Purchase Invoice,Price List Currency,Orodha ya Bei ya Fedha
 DocType: Naming Series,User must always select,Mtumiaji lazima ague daima
 DocType: Stock Settings,Allow Negative Stock,Ruhusu Stock mbaya
@@ -3337,9 +3373,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Ufuatiliaji
 DocType: Asset Maintenance Log,Actions performed,Vitendo vilifanyika
 DocType: Cash Flow Mapper,Section Leader,Kiongozi wa sehemu
+DocType: Delivery Note,Transport Receipt No,Rejeipt ya Usafiri
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Chanzo cha Mfuko (Madeni)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Eneo la Chanzo na Target haliwezi kuwa sawa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Wingi katika mstari {0} ({1}) lazima iwe sawa na wingi wa viwandani {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Wingi katika mstari {0} ({1}) lazima iwe sawa na wingi wa viwandani {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Mfanyakazi
 DocType: Bank Guarantee,Fixed Deposit Number,Nambari ya Amana zisizohamishika
 DocType: Asset Repair,Failure Date,Tarehe ya Kushindwa
@@ -3353,16 +3390,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Upunguzaji wa Malipo au Kupoteza
 DocType: Soil Analysis,Soil Analysis Criterias,Siri za Uchambuzi wa Udongo
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Kanuni za mkataba wa Standard kwa Mauzo au Ununuzi.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Una uhakika unataka kufuta miadi hii?
+DocType: BOM Item,Item operation,Item operesheni
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Una uhakika unataka kufuta miadi hii?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Pakiti ya bei ya chumba cha Hoteli
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Bomba la Mauzo
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Bomba la Mauzo
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Tafadhali weka akaunti ya msingi katika Kipengele cha Mshahara {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Inahitajika
 DocType: Rename Tool,File to Rename,Funga Kurejesha tena
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Tafadhali chagua BOM kwa Bidhaa katika Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Pata Updates za Usajili
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Akaunti {0} hailingani na Kampuni {1} katika Mode ya Akaunti: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},BOM iliyojulikana {0} haipo kwa Bidhaa {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},BOM iliyojulikana {0} haipo kwa Bidhaa {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kozi:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Ratiba ya Matengenezo {0} lazima iondoliwe kabla ya kufuta Sheria hii ya Mauzo
@@ -3371,7 +3409,7 @@
 DocType: Notification Control,Expense Claim Approved,Madai ya Madai yaliidhinishwa
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Weka Maendeleo na Ugawa (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Hakuna Amri za Kazi zilizoundwa
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Kulipwa kwa mshahara wa mfanyakazi {0} tayari kuundwa kwa kipindi hiki
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Kulipwa kwa mshahara wa mfanyakazi {0} tayari kuundwa kwa kipindi hiki
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Madawa
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Unaweza tu kuwasilisha Uingizaji wa Fedha kwa kiasi cha uingizaji wa halali
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Gharama ya Vitu Vilivyotunzwa
@@ -3379,7 +3417,8 @@
 DocType: Selling Settings,Sales Order Required,Amri ya Mauzo Inahitajika
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Kuwa Muzaji
 DocType: Purchase Invoice,Credit To,Mikopo Kwa
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Msaidizi wa Active / Wateja
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Msaidizi wa Active / Wateja
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Acha tupu ili utumie muundo wa Kumbuka utoaji wa kawaida
 DocType: Employee Education,Post Graduate,Chapisha Chuo
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Ratiba ya Matengenezo ya Daraja
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Tahadhari kwa Amri mpya ya Ununuzi
@@ -3393,14 +3432,14 @@
 DocType: Support Search Source,Post Title Key,Kitufe cha Kichwa cha Chapisho
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Kwa Kadi ya Kazi
 DocType: Warranty Claim,Raised By,Iliyotolewa na
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Maagizo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Maagizo
 DocType: Payment Gateway Account,Payment Account,Akaunti ya Malipo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Tafadhali taja Kampuni ili kuendelea
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Tafadhali taja Kampuni ili kuendelea
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Mabadiliko ya Nambari katika Akaunti ya Kukubalika
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Off Compensation
 DocType: Job Offer,Accepted,Imekubaliwa
 DocType: POS Closing Voucher,Sales Invoices Summary,Muhtasari wa Mauzo ya Mauzo
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Kwa Jina la Chama
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Kwa Jina la Chama
 DocType: Grant Application,Organization,Shirika
 DocType: BOM Update Tool,BOM Update Tool,Chombo cha Mwisho cha BOM
 DocType: SG Creation Tool Course,Student Group Name,Jina la Kikundi cha Wanafunzi
@@ -3409,7 +3448,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Tafadhali hakikisha unataka kufuta shughuli zote za kampuni hii. Data yako bwana itabaki kama ilivyo. Hatua hii haiwezi kufutwa.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Matokeo ya Utafutaji
 DocType: Room,Room Number,Idadi ya Chumba
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Kumbukumbu batili {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Kumbukumbu batili {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) haiwezi kuwa kubwa kuliko kiwango kilichopangwa ({2}) katika Utaratibu wa Uzalishaji {3}
 DocType: Shipping Rule,Shipping Rule Label,Lebo ya Rule ya Utoaji
 DocType: Journal Entry Account,Payroll Entry,Kuingia kwa Mishahara
@@ -3417,8 +3456,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Fanya Kigezo cha Kodi
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum Forum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Malighafi haziwezi kuwa tupu.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Jedwali la Malipo): Kiasi lazima iwe hasi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Haikuweza kusasisha hisa, ankara ina bidhaa ya kusafirisha kushuka."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Row # {0} (Jedwali la Malipo): Kiasi lazima iwe hasi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Haikuweza kusasisha hisa, ankara ina bidhaa ya kusafirisha kushuka."
 DocType: Contract,Fulfilment Status,Hali ya Utekelezaji
 DocType: Lab Test Sample,Lab Test Sample,Mfano wa Mtihani wa Lab
 DocType: Item Variant Settings,Allow Rename Attribute Value,Ruhusu Unda Thamani ya Thamani
@@ -3460,11 +3499,11 @@
 DocType: BOM,Show Operations,Onyesha Kazi
 ,Minutes to First Response for Opportunity,Dakika ya Kwanza ya Majibu ya Fursa
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Jumla ya Ukosefu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Kipengee au Ghala la mstari {0} hailingani na Maombi ya Nyenzo
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Kipengee au Ghala la mstari {0} hailingani na Maombi ya Nyenzo
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Kitengo cha Kupima
 DocType: Fiscal Year,Year End Date,Tarehe ya Mwisho wa Mwaka
 DocType: Task Depends On,Task Depends On,Kazi inategemea
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Fursa
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Fursa
 DocType: Operation,Default Workstation,Kituo cha Kazi cha Kazi
 DocType: Notification Control,Expense Claim Approved Message,Ujumbe ulioidhinishwa wa dai
 DocType: Payment Entry,Deductions or Loss,Kupoteza au kupoteza
@@ -3502,20 +3541,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Kupitisha Mtumiaji hawezi kuwa sawa na mtumiaji utawala unaofaa
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Kiwango cha msingi (kama kwa Stock UOM)
 DocType: SMS Log,No of Requested SMS,Hakuna ya SMS iliyoombwa
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Acha bila ya kulipa hailingani na kumbukumbu za Maombi ya Kuondoka
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Acha bila ya kulipa hailingani na kumbukumbu za Maombi ya Kuondoka
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Hatua Zingine
 DocType: Travel Request,Domestic,Ndani
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Tafadhali usambaze vitu maalum kwa viwango bora zaidi
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Tafadhali usambaze vitu maalum kwa viwango bora zaidi
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Uhamisho wa Wafanyabiashara hauwezi kufungwa kabla ya Tarehe ya Uhamisho
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Fanya ankara
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Kudumisha Mizani
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Kudumisha Mizani
 DocType: Selling Settings,Auto close Opportunity after 15 days,Funga karibu na fursa baada ya siku 15
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Amri za Ununuzi hayaruhusiwi kwa {0} kutokana na msimamo wa alama ya {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Barcode {0} sio sahihi {1} kificho
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Barcode {0} sio sahihi {1} kificho
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,Mwisho wa Mwaka
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Kiongozi%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Tarehe ya Mwisho wa Mkataba lazima iwe kubwa kuliko Tarehe ya Kujiunga
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Tarehe ya Mwisho wa Mkataba lazima iwe kubwa kuliko Tarehe ya Kujiunga
 DocType: Driver,Driver,Dereva
 DocType: Vital Signs,Nutrition Values,Maadili ya lishe
 DocType: Lab Test Template,Is billable,Ni billable
@@ -3526,7 +3565,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Hii ni tovuti ya mfano iliyozalishwa kutoka ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Kipindi cha kuzeeka 1
 DocType: Shopify Settings,Enable Shopify,Wezesha Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Jumla ya kiasi cha mapema haiwezi kuwa kubwa zaidi kuliko jumla ya kiasi kilichodaiwa
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Jumla ya kiasi cha mapema haiwezi kuwa kubwa zaidi kuliko jumla ya kiasi kilichodaiwa
 DocType: Purchase Taxes and Charges Template,"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
@@ -3553,12 +3592,12 @@
 DocType: Employee Separation,Employee Separation,Ugawaji wa Waajiriwa
 DocType: BOM Item,Original Item,Nakala ya awali
 DocType: Purchase Receipt Item,Recd Quantity,Vipimo vya Recd
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Tarehe ya Hati
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Tarehe ya Hati
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Kumbukumbu za ada zilizoundwa - {0}
 DocType: Asset Category Account,Asset Category Account,Akaunti ya Jamii ya Mali
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Jedwali la Malipo): Kiasi kinachofaa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Jedwali la Malipo): Kiasi kinachofaa
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Haiwezi kuzalisha kipengee zaidi {0} kuliko kiasi cha Mauzo ya Mauzo {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Chagua Maadili ya Tabia
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Chagua Maadili ya Tabia
 DocType: Purchase Invoice,Reason For Issuing document,Sababu ya Kuondoa hati
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Uingiaji wa hisa {0} haujawasilishwa
 DocType: Payment Reconciliation,Bank / Cash Account,Akaunti ya Benki / Cash
@@ -3567,8 +3606,10 @@
 DocType: Asset,Manual,Mwongozo
 DocType: Salary Component Account,Salary Component Account,Akaunti ya Mshahara wa Mshahara
 DocType: Global Defaults,Hide Currency Symbol,Ficha Symbol ya Fedha
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Fursa za Mauzo kwa Chanzo
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Maelezo ya wafadhili.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","mfano Benki, Fedha, Kadi ya Mikopo"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Tafadhali kuanzisha mfululizo wa kuhesabu kwa Mahudhurio kupitia Upangilio&gt; Orodha ya Kuhesabu
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","mfano Benki, Fedha, Kadi ya Mikopo"
 DocType: Job Applicant,Source Name,Jina la Chanzo
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Kupumzika kwa shinikizo la damu kwa mtu mzima ni takribani 120 mmHg systolic, na 80 mmHg diastolic, iliyofupishwa &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Weka vitu vya rafu katika siku, kuweka ufikiaji kulingana na viwanda_date pamoja na maisha ya kujitegemea"
@@ -3598,7 +3639,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Kwa Wingi lazima iwe chini ya wingi {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: tarehe ya mwanzo lazima iwe kabla ya tarehe ya mwisho
 DocType: Salary Component,Max Benefit Amount (Yearly),Kiasi cha Faida nyingi (Kila mwaka)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Kiwango cha TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Kiwango cha TDS%
 DocType: Crop,Planting Area,Eneo la Kupanda
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Jumla (Uchina)
 DocType: Installation Note Item,Installed Qty,Uchina uliowekwa
@@ -3620,8 +3661,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Acha Arifa ya Idhini
 DocType: Buying Settings,Default Buying Price List,Orodha ya Bei ya Kichuuzi
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Kulipwa kwa Mshahara Kulingana na Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Kiwango cha kununua
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Row {0}: Ingiza mahali kwa kipengee cha mali {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Kiwango cha kununua
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Row {0}: Ingiza mahali kwa kipengee cha mali {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ -YYYY.-
 DocType: Company,About the Company,Kuhusu Kampuni
 DocType: Notification Control,Sales Order Message,Ujumbe wa Utaratibu wa Mauzo
@@ -3686,10 +3727,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Kwa mstari {0}: Ingiza qty iliyopangwa
 DocType: Account,Income Account,Akaunti ya Mapato
 DocType: Payment Request,Amount in customer's currency,Kiasi cha fedha za wateja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Utoaji
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Utoaji
 DocType: Volunteer,Weekdays,Siku za wiki
 DocType: Stock Reconciliation Item,Current Qty,Uchina wa sasa
 DocType: Restaurant Menu,Restaurant Menu,Mkahawa wa Menyu
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Ongeza Wauzaji
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV -YYYY.-
 DocType: Loyalty Program,Help Section,Sehemu ya Usaidizi
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Kabla
@@ -3701,19 +3743,20 @@
 												fullfill Sales Order {2}",Haiwezi kutoa Serial Hakuna {0} ya kipengee {1} kama imehifadhiwa kwa \ fullfill Sales Order {2}
 DocType: Item Reorder,Material Request Type,Aina ya Uomba wa Nyenzo
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Tuma Email Review Review
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Mitaa ya Mitaa imejaa, haikuhifadhi"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Kipengele cha kubadilisha UOM ni lazima
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Mitaa ya Mitaa imejaa, haikuhifadhi"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Kipengele cha kubadilisha UOM ni lazima
 DocType: Employee Benefit Claim,Claim Date,Tarehe ya kudai
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Uwezo wa Chumba
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Tayari rekodi ipo kwa kipengee {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Utapoteza rekodi za ankara zinazozalishwa hapo awali. Una uhakika unataka kuanzisha upya usajili huu?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Malipo ya Usajili
 DocType: Loyalty Program Collection,Loyalty Program Collection,Mkusanyiko wa Programu ya Uaminifu
 DocType: Stock Entry Detail,Subcontracted Item,Kipengee kilichochaguliwa
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Mwanafunzi {0} sio kikundi {1}
 DocType: Budget,Cost Center,Kituo cha Gharama
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Ujumbe wa Utaratibu wa Ununuzi
 DocType: Tax Rule,Shipping Country,Nchi ya Meli
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ficha Ideni ya Kodi ya Wateja kutoka kwa Mauzo ya Mauzo
@@ -3732,23 +3775,22 @@
 DocType: Subscription,Cancel At End Of Period,Futa Wakati wa Mwisho
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Mali tayari imeongezwa
 DocType: Item Supplier,Item Supplier,Muuzaji wa Bidhaa
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Tafadhali ingiza Msimbo wa Nambari ili kupata bat
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Tafadhali chagua thamani ya {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Tafadhali ingiza Msimbo wa Nambari ili kupata bat
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Tafadhali chagua thamani ya {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Hakuna Vichaguliwa kwa uhamisho
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Anwani zote.
 DocType: Company,Stock Settings,Mipangilio ya hisa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Kuunganisha inawezekana tu kama mali zifuatazo zimefanana katika kumbukumbu zote mbili. Ni Kikundi, Aina ya Mizizi, Kampuni"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Kuunganisha inawezekana tu kama mali zifuatazo zimefanana katika kumbukumbu zote mbili. Ni Kikundi, Aina ya Mizizi, Kampuni"
 DocType: Vehicle,Electric,Umeme
 DocType: Task,% Progress,Maendeleo
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Kupata / Kupoteza kwa Upunguzaji wa Mali
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Msaidizi wa Mwanafunzi tu na hali &quot;Imeidhinishwa&quot; itachaguliwa katika meza hapa chini.
 DocType: Tax Withholding Category,Rates,Viwango
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Nambari ya Akaunti kwa akaunti {0} haipatikani. <br> Tafadhali kuanzisha Chati yako ya Akaunti kwa usahihi.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Nambari ya Akaunti kwa akaunti {0} haipatikani. <br> Tafadhali kuanzisha Chati yako ya Akaunti kwa usahihi.
 DocType: Task,Depends on Tasks,Inategemea Kazi
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Dhibiti mti wa Wateja wa Wateja.
 DocType: Normal Test Items,Result Value,Thamani ya matokeo
 DocType: Hotel Room,Hotels,Hoteli
-DocType: Delivery Note,Transporter Date,Tarehe ya Transporter
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Jina la Kituo cha Gharama Mpya
 DocType: Leave Control Panel,Leave Control Panel,Acha Jopo la Kudhibiti
 DocType: Project,Task Completion,Kukamilisha Kazi
@@ -3795,11 +3837,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Makundi yote ya Tathmini
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Jina jipya la ghala
 DocType: Shopify Settings,App Type,Aina ya App
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Jumla {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Jumla {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Nchi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Tafadhali angalia hakuna wa ziara zinazohitajika
 DocType: Stock Settings,Default Valuation Method,Njia ya Hifadhi ya Kimaadili
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Malipo
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Onyesha Kiasi Kikubwa
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Mwisho unaendelea. Inaweza kuchukua muda.
 DocType: Production Plan Item,Produced Qty,Uchina uliotayarishwa
 DocType: Vehicle Log,Fuel Qty,Uchina wa mafuta
@@ -3807,7 +3850,7 @@
 DocType: Work Order Operation,Planned Start Time,Muda wa Kuanza
 DocType: Course,Assessment,Tathmini
 DocType: Payment Entry Reference,Allocated,Imewekwa
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Funga Karatasi ya Mizani na Kitabu Faida au Kupoteza.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Funga Karatasi ya Mizani na Kitabu Faida au Kupoteza.
 DocType: Student Applicant,Application Status,Hali ya Maombi
 DocType: Additional Salary,Salary Component Type,Aina ya Mshahara wa Mshahara
 DocType: Sensitivity Test Items,Sensitivity Test Items,Vipimo vya Mtihani wa Sensiti
@@ -3818,10 +3861,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Jumla ya Kiasi Kikubwa
 DocType: Sales Partner,Targets,Malengo
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Tafadhali kujiandikisha namba ya SIREN katika faili ya habari ya kampuni
+DocType: Email Digest,Sales Orders to Bill,Maagizo ya Mauzo kwa Bill
 DocType: Price List,Price List Master,Orodha ya Bei Mwalimu
 DocType: GST Account,CESS Account,Akaunti ya CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Shughuli zote za Mauzo zinaweza kutambulishwa dhidi ya watu wengi wa Mauzo ** ili uweze kuweka na kufuatilia malengo.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Unganisha Ombi la Nyenzo
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Unganisha Ombi la Nyenzo
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Shughuli ya Vikao
 ,S.O. No.,SO Hapana.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Taarifa ya Benki ya Mipangilio ya Transaction
@@ -3836,7 +3880,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Huu ni kikundi cha wateja wa mizizi na hauwezi kuhaririwa.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Hatua kama Bajeti ya kila mwezi iliyokusanywa imeongezeka kwenye PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Kuweka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Kuweka
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Kiwango cha Kubadilishana
 DocType: POS Profile,Ignore Pricing Rule,Piga Sheria ya bei
 DocType: Employee Education,Graduate,Hitimu
@@ -3872,6 +3916,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Tafadhali weka mteja default katika Mipangilio ya Mkahawa
 ,Salary Register,Daftari ya Mshahara
 DocType: Warehouse,Parent Warehouse,Ghala la Mzazi
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Chati
 DocType: Subscription,Net Total,Jumla ya Net
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},BOM ya kutosha haipatikani kwa Item {0} na Mradi {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Eleza aina mbalimbali za mkopo
@@ -3904,24 +3949,26 @@
 DocType: Membership,Membership Status,Hali ya Uanachama
 DocType: Travel Itinerary,Lodging Required,Makao Inahitajika
 ,Requested,Aliomba
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Hakuna Maneno
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Hakuna Maneno
 DocType: Asset,In Maintenance,Katika Matengenezo
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Bonyeza kifungo hiki ili kuvuta data yako ya Mauzo ya Order kutoka Amazon MWS.
 DocType: Vital Signs,Abdomen,Tumbo
 DocType: Purchase Invoice,Overdue,Kuondolewa
 DocType: Account,Stock Received But Not Billed,Stock imepata lakini haijatibiwa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Akaunti ya mizizi lazima iwe kikundi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Akaunti ya mizizi lazima iwe kikundi
 DocType: Drug Prescription,Drug Prescription,Dawa ya Dawa
 DocType: Loan,Repaid/Closed,Kulipwa / Kufungwa
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Jumla ya Uchina uliopangwa
 DocType: Monthly Distribution,Distribution Name,Jina la Usambazaji
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Jumuisha UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Kiwango cha kiwango cha thamani haipatikani kwa Bidhaa {0}, ambayo inahitajika kufanya fomu za uhasibu kwa {1} {2}. Ikiwa kipengee kinatumia kama kiwango cha kiwango cha hesabu ya kiwango cha {1}, tafadhali angalia kuwa kwenye {1} meza ya jedwali. Vinginevyo, tafadhali tengeneza shughuli za hisa zinazoingia kwa kipengee au tumaja kiwango cha hesabu katika rekodi ya Bidhaa, kisha jaribu kuwasilisha / kufuta kufungua hii"
 DocType: Course,Course Code,Msimbo wa Kozi
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Ukaguzi wa Ubora unaohitajika kwa Bidhaa {0}
 DocType: Location,Parent Location,Eneo la Mzazi
 DocType: POS Settings,Use POS in Offline Mode,Tumia POS katika Hali ya Nje
 DocType: Supplier Scorecard,Supplier Variables,Vipengele vya Wasambazaji
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} ni lazima. Kumbukumbu ya Kubadilisha Fedha Labda haikuundwa kwa {1} kwa {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Kiwango cha sarafu ya mteja ni chaguo la sarafu ya kampuni
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Kiwango cha Net (Kampuni ya Fedha)
 DocType: Salary Detail,Condition and Formula Help,Hali na Msaada Msaada
@@ -3930,19 +3977,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Invozi ya Mauzo
 DocType: Journal Entry Account,Party Balance,Mizani ya Chama
 DocType: Cash Flow Mapper,Section Subtotal,Subtotal Sehemu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Tafadhali chagua Weka Kutoa Discount On
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Tafadhali chagua Weka Kutoa Discount On
 DocType: Stock Settings,Sample Retention Warehouse,Mfano wa Kuhifadhi Ghala
 DocType: Company,Default Receivable Account,Akaunti ya Akaunti ya Kupokea
 DocType: Purchase Invoice,Deemed Export,Exported kuagizwa
 DocType: Stock Entry,Material Transfer for Manufacture,Uhamisho wa Nyenzo kwa Utengenezaji
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Asilimia ya Punguzo inaweza kutumika ama dhidi ya orodha ya bei au orodha zote za bei.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Kuingia kwa Uhasibu kwa Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Kuingia kwa Uhasibu kwa Stock
 DocType: Lab Test,LabTest Approver,Msaidizi wa LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Tayari umehakikishia vigezo vya tathmini {}.
 DocType: Vehicle Service,Engine Oil,Mafuta ya injini
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Amri ya Kazi Iliundwa: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Amri ya Kazi Iliundwa: {0}
 DocType: Sales Invoice,Sales Team1,Timu ya Mauzo1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Kipengee {0} haipo
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Kipengee {0} haipo
 DocType: Sales Invoice,Customer Address,Anwani ya Wateja
 DocType: Loan,Loan Details,Maelezo ya Mikopo
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Imeshindwa kuanzisha safu za kampuni za posta
@@ -3963,34 +4010,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Onyesha slideshow hii juu ya ukurasa
 DocType: BOM,Item UOM,Kipengee cha UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Kiwango cha Ushuru Baada ya Kiasi cha Fedha (Fedha la Kampuni)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Ghala inayolenga ni lazima kwa mstari {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Ghala inayolenga ni lazima kwa mstari {0}
 DocType: Cheque Print Template,Primary Settings,Mipangilio ya msingi
 DocType: Attendance Request,Work From Home,Kazi Kutoka Nyumbani
 DocType: Purchase Invoice,Select Supplier Address,Chagua Anwani ya Wasambazaji
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Ongeza Waajiriwa
 DocType: Purchase Invoice Item,Quality Inspection,Ukaguzi wa Ubora
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Kinga ndogo
 DocType: Company,Standard Template,Kigezo cha Kigezo
 DocType: Training Event,Theory,Nadharia
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Onyo: Nyenzo Nambari Iliyoombwa ni chini ya Upeo wa chini wa Uagizaji
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Onyo: Nyenzo Nambari Iliyoombwa ni chini ya Upeo wa chini wa Uagizaji
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Akaunti {0} imehifadhiwa
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Shirika la Kisheria / Subsidiary na Chart tofauti ya Akaunti ya Shirika.
 DocType: Payment Request,Mute Email,Tuma barua pepe
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Chakula, Beverage &amp; Tobacco"
 DocType: Account,Account Number,Idadi ya Akaunti
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Inaweza tu kulipa malipo dhidi ya unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Kiwango cha Tume haiwezi kuwa zaidi ya 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Inaweza tu kulipa malipo dhidi ya unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Kiwango cha Tume haiwezi kuwa zaidi ya 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Shirikisha Maendeleo kwa moja kwa moja (FIFO)
 DocType: Volunteer,Volunteer,Kujitolea
 DocType: Buying Settings,Subcontract,Usikilize
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Tafadhali ingiza {0} kwanza
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Hakuna majibu kutoka
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Hakuna majibu kutoka
 DocType: Work Order Operation,Actual End Time,Wakati wa mwisho wa mwisho
 DocType: Item,Manufacturer Part Number,Nambari ya Sehemu ya Mtengenezaji
 DocType: Taxable Salary Slab,Taxable Salary Slab,Kisasa cha Mshahara
 DocType: Work Order Operation,Estimated Time and Cost,Muda na Gharama zilizohesabiwa
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,Jina la Mazao
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Watumiaji tu walio na jukumu la {0} wanaweza kujiandikisha kwenye Soko
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Watumiaji tu walio na jukumu la {0} wanaweza kujiandikisha kwenye Soko
 DocType: SMS Log,No of Sent SMS,Hakuna SMS iliyotumwa
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Uteuzi na Mkutano
@@ -4019,7 +4067,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Badilisha Kanuni
 DocType: Purchase Invoice Item,Valuation Rate,Kiwango cha Thamani
 DocType: Vehicle,Diesel,Dizeli
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Orodha ya Bei Fedha isiyochaguliwa
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Orodha ya Bei Fedha isiyochaguliwa
 DocType: Purchase Invoice,Availed ITC Cess,Imepata ITC Cess
 ,Student Monthly Attendance Sheet,Karatasi ya Wahudumu wa Mwezi kila mwezi
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Sheria ya usafirishaji inatumika tu kwa Kuuza
@@ -4035,7 +4083,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Dhibiti Washirika wa Mauzo.
 DocType: Quality Inspection,Inspection Type,Aina ya Ukaguzi
 DocType: Fee Validity,Visited yet,Alirudi bado
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Maghala na shughuli zilizopo haziwezi kubadilishwa kuwa kikundi.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Maghala na shughuli zilizopo haziwezi kubadilishwa kuwa kikundi.
 DocType: Assessment Result Tool,Result HTML,Matokeo ya HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Ni mara ngapi mradi na kampuni zinasasishwa kulingana na Shughuli za Mauzo.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Inamalizika
@@ -4043,7 +4091,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Tafadhali chagua {0}
 DocType: C-Form,C-Form No,Fomu ya Fomu ya C
 DocType: BOM,Exploded_items,Ililipuka_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Umbali
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Umbali
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Andika orodha ya bidhaa au huduma zako unazouza au kuuza.
 DocType: Water Analysis,Storage Temperature,Joto la Uhifadhi
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD -YYYY.-
@@ -4059,19 +4107,19 @@
 DocType: Shopify Settings,Delivery Note Series,Mfululizo wa Kumbuka utoaji
 DocType: Purchase Order Item,Returned Qty,Nambari ya Kurudi
 DocType: Student,Exit,Utgång
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Aina ya mizizi ni lazima
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Aina ya mizizi ni lazima
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Imeshindwa kufunga presets
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Kubadilisha UOM kwa Masaa
 DocType: Contract,Signee Details,Maelezo ya Signee
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} kwa sasa ina {1} Wafanyabiashara Scorecard amesimama, na RFQs kwa muuzaji huyu inapaswa kutolewa."
 DocType: Certified Consultant,Non Profit Manager,Meneja Msaada
 DocType: BOM,Total Cost(Company Currency),Gharama ya Jumla (Fedha la Kampuni)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Serial Hapana {0} imeundwa
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Serial Hapana {0} imeundwa
 DocType: Homepage,Company Description for website homepage,Maelezo ya Kampuni kwa homepage tovuti
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Kwa urahisi wa wateja, kanuni hizi zinaweza kutumiwa katika fomu za kuchapisha kama Invoices na Vidokezo vya Utoaji"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Jina la Juu
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Haikuweza kupata maelezo ya {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Journal ya Kuingia ya Kuingia
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Journal ya Kuingia ya Kuingia
 DocType: Contract,Fulfilment Terms,Masharti ya Utekelezaji
 DocType: Sales Invoice,Time Sheet List,Orodha ya Karatasi ya Muda
 DocType: Employee,You can enter any date manually,Unaweza kuingia tarehe yoyote kwa mkono
@@ -4106,7 +4154,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Shirika lako
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Kukimbia Kuondoa Ugawaji kwa wafanyakazi wafuatayo, kama kuacha rekodi za Ugawaji tayari zipo juu yao. {0}"
 DocType: Fee Component,Fees Category,Ada ya Jamii
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Tafadhali ingiza tarehe ya kufuta.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Tafadhali ingiza tarehe ya kufuta.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Am
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Maelezo ya Msaidizi (Jina, Mahali)"
 DocType: Supplier Scorecard,Notify Employee,Wajulishe Waajiriwa
@@ -4119,9 +4167,9 @@
 DocType: Company,Chart Of Accounts Template,Chati ya Kigezo cha Akaunti
 DocType: Attendance,Attendance Date,Tarehe ya Kuhudhuria
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Sasisha hisa lazima ziwezeshe kwa ankara ya ununuzi {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Item Bei iliyosasishwa kwa {0} katika Orodha ya Bei {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Item Bei iliyosasishwa kwa {0} katika Orodha ya Bei {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Uvunjaji wa mshahara kulingana na Kupata na Kupunguza.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Akaunti yenye nodes za mtoto haiwezi kubadilishwa kwenye kiongozi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Akaunti yenye nodes za mtoto haiwezi kubadilishwa kwenye kiongozi
 DocType: Purchase Invoice Item,Accepted Warehouse,Ghala iliyokubaliwa
 DocType: Bank Reconciliation Detail,Posting Date,Tarehe ya Kuchapisha
 DocType: Item,Valuation Method,Njia ya Hesabu
@@ -4158,6 +4206,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Tafadhali chagua batch
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Madai ya kusafiri na gharama
 DocType: Sales Invoice,Redemption Cost Center,Kituo cha Gharama ya Ukombozi
+DocType: QuickBooks Migrator,Scope,Upeo
 DocType: Assessment Group,Assessment Group Name,Jina la Kundi la Tathmini
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Nyenzo Iliyohamishwa kwa Utengenezaji
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Ongeza maelezo
@@ -4165,6 +4214,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Mwisho wa Tarehe ya Ulinganisho
 DocType: Landed Cost Item,Receipt Document Type,Aina ya Hati ya Rekodi
 DocType: Daily Work Summary Settings,Select Companies,Chagua Makampuni
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Pendekezo / Punguzo la Bei
 DocType: Antibiotic,Healthcare,Huduma ya afya
 DocType: Target Detail,Target Detail,Maelezo ya Target
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Tofauti moja
@@ -4174,6 +4224,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Uingiaji wa Kipindi cha Kipindi
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Chagua Idara ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Kituo cha Gharama na shughuli zilizopo haziwezi kubadilishwa kuwa kikundi
+DocType: QuickBooks Migrator,Authorization URL,URL ya idhini
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Kiasi {0} {1} {2} {3}
 DocType: Account,Depreciation,Kushuka kwa thamani
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Idadi ya hisa na nambari za kushiriki si sawa
@@ -4193,13 +4244,14 @@
 DocType: Support Search Source,Source DocType,DocType ya Chanzo
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Fungua tiketi mpya
 DocType: Training Event,Trainer Email,Barua ya Mkufunzi
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Maombi ya Nyenzo {0} yaliyoundwa
 DocType: Restaurant Reservation,No of People,Hakuna Watu
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Kigezo cha maneno au mkataba.
 DocType: Bank Account,Address and Contact,Anwani na Mawasiliano
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Ni Malipo ya Akaunti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Hifadhi haiwezi kurekebishwa dhidi ya Receipt ya Ununuzi {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Hifadhi haiwezi kurekebishwa dhidi ya Receipt ya Ununuzi {0}
 DocType: Support Settings,Auto close Issue after 7 days,Funga karibu na Suala baada ya siku 7
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Kuondoka hakuwezi kutengwa kabla ya {0}, kama usawa wa kuondoka tayari umebeba katika rekodi ya ugawaji wa kuondoka baadaye {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Kumbuka: Kutokana / Tarehe ya Marejeo inazidi siku za mikopo za mteja zilizoruhusiwa na {0} siku (s)
@@ -4217,7 +4269,7 @@
 ,Qty to Deliver,Uchina Ili Kuokoa
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon itasanisha data iliyosasishwa baada ya tarehe hii
 ,Stock Analytics,Analytics ya hisa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Kazi haiwezi kushoto tupu
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Kazi haiwezi kushoto tupu
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Mtihani wa Lab
 DocType: Maintenance Visit Purpose,Against Document Detail No,Dhidi ya Detail Document No
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Ufuta hauruhusiwi kwa nchi {0}
@@ -4225,13 +4277,12 @@
 DocType: Quality Inspection,Outgoing,Inatoka
 DocType: Material Request,Requested For,Aliomba
 DocType: Quotation Item,Against Doctype,Dhidi ya Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} imefutwa au imefungwa
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} imefutwa au imefungwa
 DocType: Asset,Calculate Depreciation,Tathmini ya kushuka kwa thamani
 DocType: Delivery Note,Track this Delivery Note against any Project,Fuatilia Kumbuka hii ya utoaji dhidi ya Mradi wowote
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Fedha Nasi kutoka Uwekezaji
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Wateja&gt; Kikundi cha Wateja&gt; Eneo
 DocType: Work Order,Work-in-Progress Warehouse,Ghala ya Maendeleo ya Kazi
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Malipo {0} yanapaswa kuwasilishwa
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Malipo {0} yanapaswa kuwasilishwa
 DocType: Fee Schedule Program,Total Students,Jumla ya Wanafunzi
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Rekodi ya Mahudhurio {0} ipo dhidi ya Mwanafunzi {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Rejea # {0} dated {1}
@@ -4273,22 +4324,24 @@
 DocType: Amazon MWS Settings,Synch Products,Bidhaa za Synch
 DocType: Loyalty Point Entry,Loyalty Program,Programu ya Uaminifu
 DocType: Student Guardian,Father,Baba
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Tiketi za Msaada
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,Mwisho Stock &#39;hauwezi kuchunguziwa kwa uuzaji wa mali fasta
 DocType: Bank Reconciliation,Bank Reconciliation,Upatanisho wa Benki
 DocType: Attendance,On Leave,Kuondoka
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Pata Marekebisho
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akaunti {2} sio ya Kampuni {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Chagua angalau thamani moja kutoka kwa kila sifa.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Chagua angalau thamani moja kutoka kwa kila sifa.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Ombi la Vifaa {0} limefutwa au kusimamishwa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Jimbo la Mgawanyiko
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Jimbo la Mgawanyiko
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Acha Usimamizi
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Vikundi
 DocType: Purchase Invoice,Hold Invoice,Weka ankara
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Tafadhali chagua Mfanyakazi
 DocType: Sales Order,Fully Delivered,Kutolewa kikamilifu
-DocType: Lead,Lower Income,Mapato ya chini
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Mapato ya chini
 DocType: Restaurant Order Entry,Current Order,Utaratibu wa sasa
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Idadi ya namba za serial na kiasi lazima ziwe sawa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Chanzo na ghala la lengo haliwezi kuwa sawa kwa mstari {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Chanzo na ghala la lengo haliwezi kuwa sawa kwa mstari {0}
 DocType: Account,Asset Received But Not Billed,Mali zimepokea lakini hazipatikani
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Athari ya tofauti lazima iwe akaunti ya aina ya Asset / Dhima, tangu hii Upatanisho wa Stock ni Ufungashaji wa Ufunguzi"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Kiasi kilichopotea hawezi kuwa kikubwa kuliko Kiasi cha Mikopo {0}
@@ -4297,7 +4350,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Nambari ya Order ya Ununuzi inahitajika kwa Bidhaa {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;Tarehe Tarehe&#39; lazima iwe baada ya &#39;Tarehe&#39;
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Hakuna Mpango wa Utumishi uliopatikana kwa Uteuzi huu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Kipengee {0} cha Item {1} kilimezimwa.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Kipengee {0} cha Item {1} kilimezimwa.
 DocType: Leave Policy Detail,Annual Allocation,Ugawaji wa Mwaka
 DocType: Travel Request,Address of Organizer,Anwani ya Mhariri
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Chagua Mtendaji wa Afya ...
@@ -4306,12 +4359,12 @@
 DocType: Asset,Fully Depreciated,Kikamilifu imepungua
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Uchina Uliopangwa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Wateja {0} sio mradi {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Wateja {0} sio mradi {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Kuhudhuria alama HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Nukuu ni mapendekezo, zabuni ambazo umetuma kwa wateja wako"
 DocType: Sales Invoice,Customer's Purchase Order,Amri ya Ununuzi wa Wateja
 DocType: Clinical Procedure,Patient,Mgonjwa
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Kagua hundi ya mikopo kwa Order Order
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Kagua hundi ya mikopo kwa Order Order
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Kazi ya Onboarding Shughuli
 DocType: Location,Check if it is a hydroponic unit,Angalia kama ni sehemu ya hydroponic
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial Hakuna na Batch
@@ -4321,7 +4374,7 @@
 DocType: Supplier Scorecard Period,Calculations,Mahesabu
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Thamani au Uchina
 DocType: Payment Terms Template,Payment Terms,Masharti ya Malipo
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Amri za Uzalishaji haziwezi kuinuliwa kwa:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Amri za Uzalishaji haziwezi kuinuliwa kwa:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Dakika
 DocType: Purchase Invoice,Purchase Taxes and Charges,Malipo na Malipo ya Ununuzi
 DocType: Chapter,Meetup Embed HTML,Kukutana Embed HTML
@@ -4329,17 +4382,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Nenda kwa Wauzaji
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Malipo ya Voucher ya Kufungwa ya POS
 ,Qty to Receive,Uchina Ili Kupokea
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tarehe za mwanzo na za mwisho sio wakati wa malipo ya halali, hauwezi kuhesabu {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tarehe za mwanzo na za mwisho sio wakati wa malipo ya halali, hauwezi kuhesabu {0}."
 DocType: Leave Block List,Leave Block List Allowed,Acha orodha ya kuzuia Inaruhusiwa
 DocType: Grading Scale Interval,Grading Scale Interval,Kuweka Kiwango cha Muda
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Madai ya Madai ya Ingia ya Gari {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Punguzo (%) kwenye Orodha ya Bei Kiwango na Margin
 DocType: Healthcare Service Unit Type,Rate / UOM,Kiwango / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Wilaya zote
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Hakuna {0} kupatikana kwa Shughuli za Inter Company.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Hakuna {0} kupatikana kwa Shughuli za Inter Company.
 DocType: Travel Itinerary,Rented Car,Imesajiliwa Gari
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Kuhusu Kampuni yako
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Mikopo Kwa akaunti lazima iwe Hesabu ya Hesabu ya Hesabu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Mikopo Kwa akaunti lazima iwe Hesabu ya Hesabu ya Hesabu
 DocType: Donor,Donor,Msaidizi
 DocType: Global Defaults,Disable In Words,Zimaza Maneno
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Msimbo wa kipengee ni lazima kwa sababu Kipengee hakijasaniwa
@@ -4351,14 +4404,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Akaunti ya Overdraft ya Benki
 DocType: Patient,Patient ID,Kitambulisho cha Mgonjwa
 DocType: Practitioner Schedule,Schedule Name,Jina la Ratiba
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Bomba la Mauzo kwa Hatua
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Fanya Slip ya Mshahara
 DocType: Currency Exchange,For Buying,Kwa Ununuzi
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Ongeza Wauzaji Wote
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Ongeza Wauzaji Wote
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Mstari # {0}: Kiasi kilichowekwa hawezi kuwa kikubwa zaidi kuliko kiasi kikubwa.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Tafuta BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Mikopo ya Salama
 DocType: Purchase Invoice,Edit Posting Date and Time,Badilisha Tarehe ya Kuchapisha na Muda
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Tafadhali weka Akaunti ya Depreciation kuhusiana na Kundi la Malipo {0} au Kampuni {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Tafadhali weka Akaunti ya Depreciation kuhusiana na Kundi la Malipo {0} au Kampuni {1}
 DocType: Lab Test Groups,Normal Range,Rangi ya kawaida
 DocType: Academic Term,Academic Year,Mwaka wa Elimu
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Inapatikana Kuuza
@@ -4387,26 +4441,26 @@
 DocType: Patient Appointment,Patient Appointment,Uteuzi wa Mgonjwa
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Idhini ya kupitisha haiwezi kuwa sawa na jukumu utawala unaofaa
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Ondoa kutoka kwa Ujumbe huu wa Barua pepe
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Pata Wauzaji
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Pata Wauzaji
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} haipatikani kwa Bidhaa {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Nenda kwa Kozi
 DocType: Accounts Settings,Show Inclusive Tax In Print,Onyesha kodi ya umoja katika kuchapisha
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Akaunti ya Benki, Kutoka Tarehe na Tarehe ni lazima"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Ujumbe uliotumwa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Akaunti yenye nodes za watoto haiwezi kuweka kama kiongozi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Akaunti yenye nodes za watoto haiwezi kuweka kama kiongozi
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Kiwango ambacho sarafu ya orodha ya Bei inabadilishwa kwa sarafu ya msingi ya mteja
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Kiasi cha Fedha (Kampuni ya Fedha)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Jumla ya kiasi cha mapema haiwezi kuwa kubwa zaidi kuliko kiasi cha jumla kilichowekwa
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Jumla ya kiasi cha mapema haiwezi kuwa kubwa zaidi kuliko kiasi cha jumla kilichowekwa
 DocType: Salary Slip,Hour Rate,Kiwango cha Saa
 DocType: Stock Settings,Item Naming By,Kipengele kinachojulikana
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Muda mwingine wa Kuingia Ufungashaji {0} umefanywa baada ya {1}
 DocType: Work Order,Material Transferred for Manufacturing,Nyenzo Iliyohamishwa kwa Uzalishaji
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Akaunti {0} haipo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Chagua Programu ya Uaminifu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Chagua Programu ya Uaminifu
 DocType: Project,Project Type,Aina ya Mradi
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Kazi ya Watoto ipo kwa Kazi hii. Huwezi kufuta Kazi hii.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Vipi lengo la qty au kiasi lengo ni lazima.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Vipi lengo la qty au kiasi lengo ni lazima.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Gharama ya shughuli mbalimbali
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Kuweka Matukio kwa {0}, kwa kuwa Mfanyikazi amefungwa kwa Watu chini ya Mauzo hawana ID ya Mtumiaji {1}"
 DocType: Timesheet,Billing Details,Maelezo ya kulipia
@@ -4463,13 +4517,13 @@
 DocType: Inpatient Record,A Negative,Hasi
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Hakuna zaidi ya kuonyesha.
 DocType: Lead,From Customer,Kutoka kwa Wateja
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Wito
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Wito
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Bidhaa
 DocType: Employee Tax Exemption Declaration,Declarations,Maazimio
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Vita
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Fanya ratiba ya ada
 DocType: Purchase Order Item Supplied,Stock UOM,UOM ya hisa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Amri ya Ununuzi {0} haijawasilishwa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Amri ya Ununuzi {0} haijawasilishwa
 DocType: Account,Expenses Included In Asset Valuation,Malipo Yaliyo pamoja na Hesabu ya Mali
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Aina ya kumbukumbu ya kawaida kwa mtu mzima ni pumzi 16 / dakika 16 (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Nambari ya Tari
@@ -4482,6 +4536,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Tafadhali salama mgonjwa kwanza
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Mahudhurio yamewekwa kwa mafanikio.
 DocType: Program Enrollment,Public Transport,Usafiri wa Umma
+DocType: Delivery Note,GST Vehicle Type,GST Aina ya Gari
 DocType: Soil Texture,Silt Composition (%),Silt Muundo (%)
 DocType: Journal Entry,Remark,Remark
 DocType: Healthcare Settings,Avoid Confirmation,Epuka uthibitisho
@@ -4490,11 +4545,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Majani na Likizo
 DocType: Education Settings,Current Academic Term,Kipindi cha sasa cha elimu
 DocType: Sales Order,Not Billed,Si Billed
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Ghala zote mbili lazima ziwe na Kampuni moja
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Ghala zote mbili lazima ziwe na Kampuni moja
 DocType: Employee Grade,Default Leave Policy,Sera ya Kuacha ya Kuondoka
 DocType: Shopify Settings,Shop URL,Duka la URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Hakuna anwani zilizoongezwa bado.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Tafadhali kuanzisha mfululizo wa kuhesabu kwa Mahudhurio kupitia Upangilio&gt; Orodha ya Kuhesabu
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kiwango cha Voucher ya Gharama
 ,Item Balance (Simple),Mizani ya Bidhaa (Rahisi)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Miradi iliyotolewa na Wauzaji.
@@ -4519,7 +4573,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Mfululizo wa Nukuu
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Kipengee kinacho na jina moja ({0}), tafadhali soma jina la kikundi cha bidhaa au uunda jina tena"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Vigezo vya Uchambuzi wa Udongo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Tafadhali chagua mteja
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Tafadhali chagua mteja
 DocType: C-Form,I,Mimi
 DocType: Company,Asset Depreciation Cost Center,Kituo cha gharama ya kushuka kwa thamani ya mali
 DocType: Production Plan Sales Order,Sales Order Date,Tarehe ya Utaratibu wa Mauzo
@@ -4532,8 +4586,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Hivi sasa hakuna hisa zinazopatikana katika ghala lolote
 ,Payment Period Based On Invoice Date,Kipindi cha Malipo Kulingana na tarehe ya ankara
 DocType: Sample Collection,No. of print,Hapana ya kuchapishwa
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Kikumbusho cha Kuzaliwa
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Kitabu cha Uhifadhi wa Chumba cha Hoteli
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Viwango vya Kubadilisha Fedha Hazipo kwa {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Viwango vya Kubadilisha Fedha Hazipo kwa {0}
 DocType: Employee Health Insurance,Health Insurance Name,Jina la Bima ya Afya
 DocType: Assessment Plan,Examiner,Mkaguzi
 DocType: Student,Siblings,Ndugu
@@ -4550,19 +4605,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Wateja wapya
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Faida Pato%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Uteuzi {0} na Invoice ya Mauzo {1} kufutwa
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Fursa na chanzo cha kuongoza
 DocType: Appraisal Goal,Weightage (%),Uzito (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Badilisha Profaili ya POS
 DocType: Bank Reconciliation Detail,Clearance Date,Tarehe ya kufuta
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Malipo tayari imesimama dhidi ya kipengee {0}, huwezi kubadilisha ina serial hakuna thamani"
+DocType: Delivery Settings,Dispatch Notification Template,Kigezo cha Arifa ya Msaada
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Malipo tayari imesimama dhidi ya kipengee {0}, huwezi kubadilisha ina serial hakuna thamani"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Ripoti ya Tathmini
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Pata Wafanyakazi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Thamani ya Ununuzi wa Pato ni lazima
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Jina la kampuni si sawa
 DocType: Lead,Address Desc,Anwani Desc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Chama ni lazima
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Inapanda kwa duplicate tarehe kutokana na safu zingine zilipatikana: {orodha}
 DocType: Topic,Topic Name,Jina la Mada
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Tafadhali weka template default kwa Acha Acha idhini katika Mipangilio ya HR.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Tafadhali weka template default kwa Acha Acha idhini katika Mipangilio ya HR.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Atleast moja ya Mauzo au Ununuzi lazima ichaguliwe
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Chagua mfanyakazi ili aendelee mfanyakazi.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Tafadhali chagua Tarehe halali
@@ -4596,6 +4652,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Maelezo ya Wateja au Wafanyabiashara
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY -YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Thamani ya sasa ya Mali
+DocType: QuickBooks Migrator,Quickbooks Company ID,Kitambulisho cha kampuni ya Quickbooks
 DocType: Travel Request,Travel Funding,Fedha za kusafiri
 DocType: Loan Application,Required by Date,Inahitajika kwa Tarehe
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Kiungo kwa Maeneo yote ambayo Mazao yanakua
@@ -4609,9 +4666,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Inapatikana Chini ya Baki Kutoka Kwenye Ghala
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Pato la Pato la Jumla - Utoaji Jumla - Ulipaji wa Mikopo
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM ya sasa na BOM Mpya haiwezi kuwa sawa
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM ya sasa na BOM Mpya haiwezi kuwa sawa
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Kitambulisho cha Mshahara wa Mshahara
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Tarehe ya Kustaafu lazima iwe kubwa kuliko Tarehe ya kujiunga
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Tarehe ya Kustaafu lazima iwe kubwa kuliko Tarehe ya kujiunga
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Vipengele vingi
 DocType: Sales Invoice,Against Income Account,Dhidi ya Akaunti ya Mapato
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Ametolewa
@@ -4640,7 +4697,7 @@
 DocType: POS Profile,Update Stock,Sasisha Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM tofauti kwa vitu itasababisha kutosa (Jumla) thamani ya uzito wa Nambari. Hakikisha kwamba Uzito wa Net wa kila kitu ni katika UOM sawa.
 DocType: Certification Application,Payment Details,Maelezo ya Malipo
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Kiwango cha BOM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Kiwango cha BOM
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Hifadhi ya Kazi iliyozuiwa haiwezi kufutwa, Fungua kwa kwanza kufuta"
 DocType: Asset,Journal Entry for Scrap,Jarida la Kuingia kwa Scrap
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Tafadhali puta vitu kutoka kwa Kumbuka Utoaji
@@ -4662,11 +4719,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Jumla ya Kizuizi
 ,Purchase Analytics,Uchambuzi wa Ununuzi
 DocType: Sales Invoice Item,Delivery Note Item,Nambari ya Kumbuka ya Utoaji
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Invoice ya sasa {0} haipo
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Invoice ya sasa {0} haipo
 DocType: Asset Maintenance Log,Task,Kazi
 DocType: Purchase Taxes and Charges,Reference Row #,Mstari wa Kumbukumbu #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Nambari ya kundi ni lazima kwa Bidhaa {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Huu ni mtu wa mauzo ya mizizi na hauwezi kuhaririwa.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Huu ni mtu wa mauzo ya mizizi na hauwezi kuhaririwa.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ikiwa imechaguliwa, thamani iliyotajwa au kuhesabiwa katika sehemu hii haitachangia mapato au punguzo. Hata hivyo, thamani ni inaweza kutajwa na vipengele vingine vinavyoweza kuongezwa au kupunguzwa."
 DocType: Asset Settings,Number of Days in Fiscal Year,Idadi ya Siku katika Mwaka wa Fedha
 ,Stock Ledger,Ledger ya hisa
@@ -4674,7 +4731,7 @@
 DocType: Company,Exchange Gain / Loss Account,Pata Akaunti ya Kupoteza / Kupoteza
 DocType: Amazon MWS Settings,MWS Credentials,Vidokezo vya MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Mfanyakazi na Mahudhurio
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Lengo lazima iwe moja ya {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Lengo lazima iwe moja ya {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Jaza fomu na uihifadhi
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Jumuiya ya Jumuiya
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Kweli qty katika hisa
@@ -4689,7 +4746,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Kiwango cha Uuzaji wa Standard
 DocType: Account,Rate at which this tax is applied,Kiwango ambacho kodi hii inatumiwa
 DocType: Cash Flow Mapper,Section Name,Jina la Sehemu
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Rekebisha Uchina
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Rekebisha Uchina
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Upungufu Row {0}: Thamani inayotarajiwa baada ya maisha muhimu lazima iwe kubwa kuliko au sawa na {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Open Job sasa
 DocType: Company,Stock Adjustment Account,Akaunti ya Marekebisho ya Hifadhi
@@ -4699,8 +4756,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Kitambulisho cha mtumiaji wa mfumo (kuingia). Ikiwa imewekwa, itakuwa default kwa aina zote HR."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Ingiza maelezo ya kushuka kwa thamani
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Kutoka {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Acha programu {0} tayari ipo dhidi ya mwanafunzi {1}
 DocType: Task,depends_on,inategemea na
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Imesababishwa kwa uboreshaji wa bei ya hivi karibuni katika Bila zote za Vifaa. Inaweza kuchukua dakika chache.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Imesababishwa kwa uboreshaji wa bei ya hivi karibuni katika Bila zote za Vifaa. Inaweza kuchukua dakika chache.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Jina la Akaunti mpya. Kumbuka: Tafadhali usijenge akaunti kwa Wateja na Wauzaji
 DocType: POS Profile,Display Items In Stock,Vipengele vya Kuonyesha Katika Hifadhi
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Nchi za hekima za Hitilafu za Hitilafu za Nchi
@@ -4730,16 +4788,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Inafaa kwa {0} haijaongezwa kwenye ratiba
 DocType: Product Bundle,List items that form the package.,Andika vitu vinavyounda mfuko.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Hairuhusiwi. Tafadhali afya Kigezo cha Mtihani
+DocType: Delivery Note,Distance (in km),Umbali (katika km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Asilimia ya Ugawaji lazima iwe sawa na 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Tafadhali chagua Tarehe ya Kuweka kabla ya kuchagua Chama
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Tafadhali chagua Tarehe ya Kuweka kabla ya kuchagua Chama
 DocType: Program Enrollment,School House,Shule ya Shule
 DocType: Serial No,Out of AMC,Nje ya AMC
+DocType: Opportunity,Opportunity Amount,Fursa Kiasi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Idadi ya kushuka kwa thamani iliyotengenezwa haiwezi kuwa kubwa zaidi kuliko Jumla ya Idadi ya Dhamana
 DocType: Purchase Order,Order Confirmation Date,Tarehe ya uthibitisho wa amri
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Fanya Ziara ya Utunzaji
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Tarehe ya mwanzo na tarehe ya kumalizika inaingiliana na kadi ya kazi <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Maelezo ya Uhamisho wa Waajiri
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Tafadhali wasiliana na mtumiaji aliye na jukumu la Meneja Mauzo {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Tafadhali wasiliana na mtumiaji aliye na jukumu la Meneja Mauzo {0}
 DocType: Company,Default Cash Account,Akaunti ya Fedha ya Default
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Kampuni (si Wateja au Wafanyabiashara) Mwalimu.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Hii inategemea mahudhurio ya Mwanafunzi
@@ -4747,9 +4808,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Ongeza vitu vingine au kufungua fomu kamili
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Vidokezo vya utoaji {0} lazima kufutwa kabla ya kufuta Sheria hii ya Mauzo
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Nenda kwa Watumiaji
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Kiasi kilicholipwa + Andika Kiasi hawezi kuwa kubwa zaidi kuliko Jumla ya Jumla
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Kiasi kilicholipwa + Andika Kiasi hawezi kuwa kubwa zaidi kuliko Jumla ya Jumla
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} si Nambari ya Batch halali ya Bidhaa {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Kumbuka: Hakuna usawa wa kutosha wa kuondoka kwa Aina ya Kuondoka {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Kumbuka: Hakuna usawa wa kutosha wa kuondoka kwa Aina ya Kuondoka {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN isiyo sahihi au Ingia NA kwa Usajili
 DocType: Training Event,Seminar,Semina
 DocType: Program Enrollment Fee,Program Enrollment Fee,Malipo ya Usajili wa Programu
@@ -4766,7 +4827,7 @@
 DocType: Fee Schedule,Fee Schedule,Ratiba ya ada
 DocType: Company,Create Chart Of Accounts Based On,Unda Chati ya Hesabu za Akaunti
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Haiwezi kuibadilisha kuwa sio kundi. Kazi za Watoto zipo.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Tarehe ya kuzaliwa haiwezi kuwa kubwa kuliko leo.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Tarehe ya kuzaliwa haiwezi kuwa kubwa kuliko leo.
 ,Stock Ageing,Kuzaa hisa
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Inasaidiwa kikamilifu, Inahitaji Fedha ya Fedha"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Mwanafunzi {0} iko juu ya mwombaji wa mwanafunzi {1}
@@ -4813,11 +4874,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Kabla ya upatanisho
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Kwa {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Kodi na Malipo Aliongeza (Fedha za Kampuni)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Rangi ya Kodi ya Ushuru {0} lazima iwe na akaunti ya aina ya kodi au mapato au gharama au malipo
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Rangi ya Kodi ya Ushuru {0} lazima iwe na akaunti ya aina ya kodi au mapato au gharama au malipo
 DocType: Sales Order,Partly Billed,Sehemu ya Billed
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Kipengee {0} kinafaa kuwa kipengee cha Mali isiyohamishika
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Fanya vigezo
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Fanya vigezo
 DocType: Item,Default BOM,BOM ya default
 DocType: Project,Total Billed Amount (via Sales Invoices),Kiasi kilicholipwa (kwa njia ya Mauzo ya Mauzo)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Takwimu ya Kumbuka ya Debit
@@ -4846,13 +4907,13 @@
 DocType: Notification Control,Custom Message,Ujumbe maalum
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Benki ya Uwekezaji
 DocType: Purchase Invoice,input,pembejeo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Akaunti au Akaunti ya Benki ni lazima kwa kuingia malipo
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Akaunti au Akaunti ya Benki ni lazima kwa kuingia malipo
 DocType: Loyalty Program,Multiple Tier Program,Mpango wa Mipango Mingi
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Anwani ya Wanafunzi
 DocType: Purchase Invoice,Price List Exchange Rate,Orodha ya Badilishaji ya Bei
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Vikundi vyote vya Wasambazaji
 DocType: Employee Boarding Activity,Required for Employee Creation,Inahitajika kwa Uumbaji wa Waajiriwa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Nambari ya Akaunti {0} tayari kutumika katika akaunti {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Nambari ya Akaunti {0} tayari kutumika katika akaunti {1}
 DocType: GoCardless Mandate,Mandate,Mamlaka
 DocType: POS Profile,POS Profile Name,Jina la Profaili ya POS
 DocType: Hotel Room Reservation,Booked,Imeandaliwa
@@ -4868,18 +4929,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Hakuna kumbukumbu ni lazima ikiwa umeingia Tarehe ya Kumbukumbu
 DocType: Bank Reconciliation Detail,Payment Document,Hati ya Malipo
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Hitilafu ya kutathmini fomu ya vigezo
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Tarehe ya kujiunga lazima iwe kubwa zaidi kuliko tarehe ya kuzaliwa
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Tarehe ya kujiunga lazima iwe kubwa zaidi kuliko tarehe ya kuzaliwa
 DocType: Subscription,Plans,Mipango
 DocType: Salary Slip,Salary Structure,Mshahara wa Mshahara
 DocType: Account,Bank,Benki
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Ndege
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Matatizo ya Matatizo
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Matatizo ya Matatizo
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Unganisha Dukaify na ERPNext
 DocType: Material Request Item,For Warehouse,Kwa Ghala
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Vidokezo vya Utoaji {0} updated
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Vidokezo vya Utoaji {0} updated
 DocType: Employee,Offer Date,Tarehe ya Kutoa
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Nukuu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Wewe uko katika hali ya mkondo. Hutaweza kupakia upya mpaka una mtandao.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Nukuu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Wewe uko katika hali ya mkondo. Hutaweza kupakia upya mpaka una mtandao.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Ruhusu
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Hakuna Vikundi vya Wanafunzi vilivyoundwa.
 DocType: Purchase Invoice Item,Serial No,Serial No
@@ -4891,24 +4952,26 @@
 DocType: Sales Invoice,Customer PO Details,Mteja PO Maelezo
 DocType: Stock Entry,Including items for sub assemblies,Ikijumuisha vitu kwa makusanyiko ndogo
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Akaunti ya Ufunguzi wa Muda
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Ingiza thamani lazima iwe nzuri
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Ingiza thamani lazima iwe nzuri
 DocType: Asset,Finance Books,Vitabu vya Fedha
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Azimio la Ushuru wa Ushuru wa Jamii
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Wilaya zote
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Tafadhali weka sera ya kuondoka kwa mfanyakazi {0} katika rekodi ya Wafanyakazi / Daraja
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Amri ya batili ya batili kwa Wateja waliochaguliwa na Bidhaa
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Amri ya batili ya batili kwa Wateja waliochaguliwa na Bidhaa
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Ongeza Kazi nyingi
 DocType: Purchase Invoice,Items,Vitu
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Tarehe ya Mwisho haiwezi kuwa kabla ya Tarehe ya Mwanzo.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Mwanafunzi tayari amejiandikisha.
 DocType: Fiscal Year,Year Name,Jina la Mwaka
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Kuna sikukuu zaidi kuliko siku za kazi mwezi huu.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Kuna sikukuu zaidi kuliko siku za kazi mwezi huu.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Vipengele vifuatavyo {0} hazijainishwa kama kipengee {1}. Unaweza kuwawezesha kama kipengee {1} kutoka kwa kichwa chake cha Bidhaa
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Bidhaa ya Bundle Item
 DocType: Sales Partner,Sales Partner Name,Jina la Mshirika wa Mauzo
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Ombi la Nukuu
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Ombi la Nukuu
 DocType: Payment Reconciliation,Maximum Invoice Amount,Kiasi cha Invoice Kiasi
 DocType: Normal Test Items,Normal Test Items,Vipimo vya kawaida vya Mtihani
+DocType: QuickBooks Migrator,Company Settings,Mipangilio ya Kampuni
 DocType: Additional Salary,Overwrite Salary Structure Amount,Weka Kiwango cha Mshahara wa Mshahara
 DocType: Student Language,Student Language,Lugha ya Wanafunzi
 apps/erpnext/erpnext/config/selling.py +23,Customers,Wateja
@@ -4920,21 +4983,23 @@
 DocType: Issue,Opening Time,Wakati wa Ufunguzi
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Kutoka na Ili tarehe inahitajika
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Usalama &amp; Mchanganyiko wa Bidhaa
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Kitengo cha Mchapishaji cha Mchapishaji &#39;{0}&#39; lazima iwe sawa na katika Kigezo &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Kitengo cha Mchapishaji cha Mchapishaji &#39;{0}&#39; lazima iwe sawa na katika Kigezo &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Tumia Mahesabu
 DocType: Contract,Unfulfilled,Haijajazwa
 DocType: Delivery Note Item,From Warehouse,Kutoka kwa Ghala
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Hakuna wafanyakazi kwa vigezo vilivyotajwa
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Hakuna Vipengee Vipengee vya Vifaa vya Kutengeneza
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Hakuna Vipengee Vipengee vya Vifaa vya Kutengeneza
 DocType: Shopify Settings,Default Customer,Wateja wa Mteja
+DocType: Sales Stage,Stage Name,Jina la hatua
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN -YYYY.-
 DocType: Assessment Plan,Supervisor Name,Jina la Msimamizi
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Usihakikishe ikiwa uteuzi umeundwa kwa siku ile ile
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Ship To State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Ship To State
 DocType: Program Enrollment Course,Program Enrollment Course,Kozi ya Usajili wa Programu
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Mtumiaji {0} tayari amepewa Daktari wa Afya {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Fanya Mfano wa Kuhifadhi Usajili wa hisa
 DocType: Purchase Taxes and Charges,Valuation and Total,Kiwango na Jumla
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Majadiliano / Mapitio
 DocType: Leave Encashment,Encashment Amount,Kiasi cha fedha
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Makaratasi ya alama
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Batches za muda mrefu
@@ -4944,7 +5009,7 @@
 DocType: Staffing Plan Detail,Current Openings,Mafunguo ya sasa
 DocType: Notification Control,Customize the Notification,Tengeneza Arifa
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Mtoko wa Fedha kutoka Uendeshaji
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Kiwango cha CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Kiwango cha CGST
 DocType: Purchase Invoice,Shipping Rule,Sheria ya Utoaji
 DocType: Patient Relation,Spouse,Mwenzi wako
 DocType: Lab Test Groups,Add Test,Ongeza Mtihani
@@ -4958,14 +5023,14 @@
 DocType: Payroll Entry,Payroll Frequency,Frequency Frequency
 DocType: Lab Test Template,Sensitivity,Sensitivity
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Usawazishaji umezimwa kwa muda kwa sababu majaribio ya kiwango cha juu yamepitiwa
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Malighafi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Malighafi
 DocType: Leave Application,Follow via Email,Fuata kupitia barua pepe
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Mimea na Machineries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Kiwango cha Ushuru Baada ya Kiasi Kikubwa
 DocType: Patient,Inpatient Status,Hali ya wagonjwa
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Mipangilio ya kila siku ya Kazi ya Kazi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Orodha ya Bei iliyochaguliwa inapaswa kuwa na ununuzi na kuuza mashamba yaliyochungwa.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Tafadhali ingiza Reqd kwa Tarehe
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Orodha ya Bei iliyochaguliwa inapaswa kuwa na ununuzi na kuuza mashamba yaliyochungwa.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Tafadhali ingiza Reqd kwa Tarehe
 DocType: Payment Entry,Internal Transfer,Uhamisho wa Ndani
 DocType: Asset Maintenance,Maintenance Tasks,Kazi za Matengenezo
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Vipi lengo la qty au kiasi lengo ni lazima
@@ -4986,7 +5051,7 @@
 DocType: Mode of Payment,General,Mkuu
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Mawasiliano ya Mwisho
 ,TDS Payable Monthly,TDS kulipwa kila mwezi
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Iliyotokana na nafasi ya kuchukua nafasi ya BOM. Inaweza kuchukua dakika chache.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Iliyotokana na nafasi ya kuchukua nafasi ya BOM. Inaweza kuchukua dakika chache.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Haiwezi kufuta wakati kiwanja ni kwa &#39;Valuation&#39; au &#39;Valuation na Jumla&#39;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serial Nos Inahitajika kwa Bidhaa Serialized {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Malipo ya mechi na ankara
@@ -4999,7 +5064,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Ongeza kwenye Cart
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Kikundi Kwa
 DocType: Guardian,Interests,Maslahi
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Wezesha / afya ya fedha.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Wezesha / afya ya fedha.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Haikuweza kuwasilisha Slips za Mshahara
 DocType: Exchange Rate Revaluation,Get Entries,Pata Maingilio
 DocType: Production Plan,Get Material Request,Pata Ombi la Nyenzo
@@ -5021,15 +5086,16 @@
 DocType: Lead,Lead Type,Aina ya Kiongozi
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Huna mamlaka ya kupitisha majani kwenye Tarehe ya Kuzuia
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Vipengee hivi vyote tayari vinatumiwa
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Weka tarehe mpya ya kutolewa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Weka tarehe mpya ya kutolewa
 DocType: Company,Monthly Sales Target,Lengo la Mauzo ya Mwezi
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Inaweza kupitishwa na {0}
 DocType: Hotel Room,Hotel Room Type,Aina ya Chumba cha Hoteli
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Wasambazaji&gt; Aina ya Wasambazaji
 DocType: Leave Allocation,Leave Period,Acha Period
 DocType: Item,Default Material Request Type,Aina ya Ombi la Ufafanuzi wa Matumizi
 DocType: Supplier Scorecard,Evaluation Period,Kipimo cha Tathmini
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Haijulikani
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Kazi ya Kazi haijatengenezwa
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Kazi ya Kazi haijatengenezwa
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Kiasi cha {0} tayari kilidai kwa sehemu {1}, \ kuweka kiasi sawa au zaidi kuliko {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Masharti ya Kanuni za Uhamisho
@@ -5062,15 +5128,15 @@
 DocType: Batch,Source Document Name,Jina la Hati ya Chanzo
 DocType: Production Plan,Get Raw Materials For Production,Pata Malighafi Kwa Uzalishaji
 DocType: Job Opening,Job Title,Jina la kazi
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} inaonyesha kuwa {1} haitoi quotation, lakini vitu vyote vimeukuliwa. Inasasisha hali ya quote ya RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampuli za Upeo - {0} tayari zimehifadhiwa kwa Batch {1} na Item {2} katika Kipande {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampuli za Upeo - {0} tayari zimehifadhiwa kwa Batch {1} na Item {2} katika Kipande {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Sasisha Gharama ya BOM Moja kwa moja
 DocType: Lab Test,Test Name,Jina la mtihani
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Utaratibu wa Kliniki Itakayotumika
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Unda Watumiaji
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gramu
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Usajili
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Usajili
 DocType: Supplier Scorecard,Per Month,Kwa mwezi
 DocType: Education Settings,Make Academic Term Mandatory,Fanya muda wa kitaaluma wa lazima
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Wingi wa Utengenezaji lazima uwe mkubwa kuliko 0.
@@ -5079,9 +5145,9 @@
 DocType: Stock Entry,Update Rate and Availability,Sasisha Kiwango na Upatikanaji
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Asilimia unaruhusiwa kupokea au kutoa zaidi dhidi ya kiasi kilichoamriwa. Kwa mfano: Ikiwa umeamuru vitengo 100. na Ruzuku lako ni 10% basi unaruhusiwa kupokea vitengo 110.
 DocType: Loyalty Program,Customer Group,Kundi la Wateja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Mstari # {0}: Uendeshaji {1} haujakamilishwa kwa {2} qty ya bidhaa za kumaliza katika Kazi ya Kazi # {3}. Tafadhali sasisha hali ya operesheni kupitia Hifadhi ya Wakati
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Mstari # {0}: Uendeshaji {1} haujakamilishwa kwa {2} qty ya bidhaa za kumaliza katika Kazi ya Kazi # {3}. Tafadhali sasisha hali ya operesheni kupitia Hifadhi ya Wakati
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Kitambulisho kipya cha chaguo (Hiari)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Akaunti ya gharama ni lazima kwa kipengee {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Akaunti ya gharama ni lazima kwa kipengee {0}
 DocType: BOM,Website Description,Website Description
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Mabadiliko ya Net katika Equity
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Tafadhali cancel ankara ya Ununuzi {0} kwanza
@@ -5096,7 +5162,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Hakuna kitu cha kuhariri.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Tazama Fomu
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Mpangilio wa gharama unaohitajika katika dai ya gharama
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Muhtasari wa mwezi huu na shughuli zinazosubiri
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Muhtasari wa mwezi huu na shughuli zinazosubiri
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Tafadhali weka Akaunti ya Kushindwa Kuchangia / Kupoteza kwa Kampuni {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Ongeza watumiaji kwenye shirika lako, isipokuwa wewe mwenyewe."
 DocType: Customer Group,Customer Group Name,Jina la Kundi la Wateja
@@ -5106,14 +5172,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Hakuna ombi la nyenzo lililoundwa
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kiasi cha Mkopo hawezi kuzidi Kiwango cha Mikopo ya Upeo wa {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Leseni
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Tafadhali ondoa hii ankara {0} kutoka C-Fomu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Tafadhali ondoa hii ankara {0} kutoka C-Fomu {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Tafadhali chagua Kuendeleza ikiwa unataka pia kuweka usawa wa mwaka uliopita wa fedha hadi mwaka huu wa fedha
 DocType: GL Entry,Against Voucher Type,Dhidi ya Aina ya Voucher
 DocType: Healthcare Practitioner,Phone (R),Simu (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Muda wa muda umeongezwa
 DocType: Item,Attributes,Sifa
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Wezesha Kigezo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Tafadhali ingiza Akaunti ya Kuandika Akaunti
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Tafadhali ingiza Akaunti ya Kuandika Akaunti
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Tarehe ya mwisho ya tarehe
 DocType: Salary Component,Is Payable,Inalipwa
 DocType: Inpatient Record,B Negative,B mbaya
@@ -5124,7 +5190,7 @@
 DocType: Hotel Room,Hotel Room,Chumba cha hoteli
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Akaunti {0} sio ya kampuni {1}
 DocType: Leave Type,Rounding,Kupiga kura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Nambari za Serial katika mstari {0} haifani na Kumbuka Utoaji
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Nambari za Serial katika mstari {0} haifani na Kumbuka Utoaji
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Kiasi kilicholipwa (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Halafu Kanuni za Bei zinachaguliwa kwa kuzingatia Wateja, Kikundi cha Wateja, Wilaya, Wasambazaji, Kikundi cha Wasambazaji, Kampeni, Mshiriki wa Mauzo nk."
 DocType: Student,Guardian Details,Maelezo ya Guardian
@@ -5133,10 +5199,10 @@
 DocType: Vehicle,Chassis No,Chassis No
 DocType: Payment Request,Initiated,Ilianzishwa
 DocType: Production Plan Item,Planned Start Date,Tarehe ya Kuanza Iliyopangwa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Tafadhali chagua BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Tafadhali chagua BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Taasisi iliyoingizwa ya ITC iliyopatikana
 DocType: Purchase Order Item,Blanket Order Rate,Kiwango cha Mpangilio wa Kibatili
-apps/erpnext/erpnext/hooks.py +156,Certification,Vyeti
+apps/erpnext/erpnext/hooks.py +157,Certification,Vyeti
 DocType: Bank Guarantee,Clauses and Conditions,Makala na Masharti
 DocType: Serial No,Creation Document Type,Aina ya Hati ya Uumbaji
 DocType: Project Task,View Timesheet,Angalia Timesheet
@@ -5161,6 +5227,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Item ya Mzazi {0} haipaswi kuwa Item ya Hifadhi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Orodha ya tovuti
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Bidhaa zote au Huduma.
+DocType: Email Digest,Open Quotations,Fungua Nukuu
 DocType: Expense Claim,More Details,Maelezo zaidi
 DocType: Supplier Quotation,Supplier Address,Anwani ya Wasambazaji
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Bajeti ya Akaunti {1} dhidi ya {2} {3} ni {4}. Itazidisha {5}
@@ -5175,12 +5242,11 @@
 DocType: Training Event,Exam,Mtihani
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Hitilafu ya sokoni
 DocType: Complaint,Complaint,Malalamiko
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Ghala inayotakiwa kwa kipengee cha hisa {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Ghala inayotakiwa kwa kipengee cha hisa {0}
 DocType: Leave Allocation,Unused leaves,Majani yasiyotumika
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Fanya Uingizaji wa Malipo
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Idara zote
 DocType: Healthcare Service Unit,Vacant,Yakosa
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Wasambazaji&gt; Aina ya Wasambazaji
 DocType: Patient,Alcohol Past Use,Pombe Matumizi ya Kale
 DocType: Fertilizer Content,Fertilizer Content,Maudhui ya Mbolea
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5188,7 +5254,7 @@
 DocType: Tax Rule,Billing State,Hali ya kulipia
 DocType: Share Transfer,Transfer,Uhamisho
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Kazi ya Kazi {0} lazima iondoliwe kabla ya kufuta Sheria hii ya Mauzo
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Pata BOM ilipungua (ikiwa ni pamoja na mikutano ndogo)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Pata BOM ilipungua (ikiwa ni pamoja na mikutano ndogo)
 DocType: Authorization Rule,Applicable To (Employee),Inafaa kwa (Mfanyakazi)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Tarehe ya Kutokana ni ya lazima
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Uingizaji wa Kushikilia {0} hauwezi kuwa 0
@@ -5204,7 +5270,7 @@
 DocType: Disease,Treatment Period,Kipindi cha Matibabu
 DocType: Travel Itinerary,Travel Itinerary,Safari ya Safari
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Matokeo yaliyotolewa tayari
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Ghala iliyohifadhiwa ni lazima kwa Bidhaa {0} katika Vifaa vya Raw zinazotolewa
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Ghala iliyohifadhiwa ni lazima kwa Bidhaa {0} katika Vifaa vya Raw zinazotolewa
 ,Inactive Customers,Wateja wasio na kazi
 DocType: Student Admission Program,Maximum Age,Umri wa Umri
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Tafadhali subiri siku 3 kabla ya kurekebisha kukumbusha.
@@ -5213,7 +5279,6 @@
 DocType: Stock Entry,Delivery Note No,Kumbuka Utoaji No
 DocType: Cheque Print Template,Message to show,Ujumbe wa kuonyesha
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Uuzaji
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Dhibiti Invoice ya Uteuzi kwa moja kwa moja
 DocType: Student Attendance,Absent,Haipo
 DocType: Staffing Plan,Staffing Plan Detail,Mpangilio wa Mpango wa Utumishi
 DocType: Employee Promotion,Promotion Date,Tarehe ya Kukuza
@@ -5235,7 +5300,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Fanya Kiongozi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Chapisha na vifaa
 DocType: Stock Settings,Show Barcode Field,Onyesha uwanja wa barcode
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Tuma barua pepe za Wasambazaji
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Tuma barua pepe za Wasambazaji
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mshahara tayari umeongezwa kwa muda kati ya {0} na {1}, Kuacha kipindi cha maombi hawezi kuwa kati ya tarehe hii ya tarehe."
 DocType: Fiscal Year,Auto Created,Auto Iliyoundwa
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Tuma hii ili kuunda rekodi ya Wafanyakazi
@@ -5244,7 +5309,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Invoice {0} haipo tena
 DocType: Guardian Interest,Guardian Interest,Maslahi ya Guardian
 DocType: Volunteer,Availability,Upatikanaji
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Weka maadili ya msingi ya POS ankara
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Weka maadili ya msingi ya POS ankara
 apps/erpnext/erpnext/config/hr.py +248,Training,Mafunzo
 DocType: Project,Time to send,Muda wa kutuma
 DocType: Timesheet,Employee Detail,Maelezo ya Waajiriwa
@@ -5267,7 +5332,7 @@
 DocType: Training Event Employee,Optional,Hiari
 DocType: Salary Slip,Earning & Deduction,Kufikia &amp; Kupunguza
 DocType: Agriculture Analysis Criteria,Water Analysis,Uchambuzi wa Maji
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} vigezo vimeundwa.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} vigezo vimeundwa.
 DocType: Amazon MWS Settings,Region,Mkoa
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Hiari. Mpangilio huu utatumika kufuta katika shughuli mbalimbali.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Kiwango cha Vikwazo Kibaya haruhusiwi
@@ -5286,7 +5351,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Gharama ya Kutolewa kwa Mali
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kituo cha Gharama ni lazima kwa Bidhaa {2}
 DocType: Vehicle,Policy No,Sera ya Sera
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Pata vipengee kutoka kwenye Mfuko wa Bidhaa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Pata vipengee kutoka kwenye Mfuko wa Bidhaa
 DocType: Asset,Straight Line,Sawa Mstari
 DocType: Project User,Project User,Mtumiaji wa Mradi
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Split
@@ -5294,7 +5359,7 @@
 DocType: GL Entry,Is Advance,Ni Mapema
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Mfanyakazi wa Maisha
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Kuhudhuria Kutoka Tarehe na Kuhudhuria hadi Tarehe ni lazima
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Tafadhali ingiza &#39;Je, unatetewa&#39; kama Ndiyo au Hapana"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Tafadhali ingiza &#39;Je, unatetewa&#39; kama Ndiyo au Hapana"
 DocType: Item,Default Purchase Unit of Measure,Kitengo cha Ununuzi cha Default
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Tarehe ya Mawasiliano ya Mwisho
 DocType: Clinical Procedure Item,Clinical Procedure Item,Njia ya Utaratibu wa Kliniki
@@ -5303,7 +5368,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Pata ishara ya kufikia au Duka la Ufikiaji
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,Ghala la Ghala
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Ghala inayotakiwa katika Row No {0}, tafadhali tengeneza ghala la msingi kwa kipengee {1} kwa kampuni {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Ghala inayotakiwa katika Row No {0}, tafadhali tengeneza ghala la msingi kwa kipengee {1} kwa kampuni {2}"
 DocType: Work Order,Check if material transfer entry is not required,Angalia ikiwa kuingizwa kwa nyenzo haifai
 DocType: Program Enrollment Tool,Get Students From,Pata Wanafunzi Kutoka
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Chapisha Items kwenye tovuti
@@ -5318,6 +5383,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Uchina Mpya
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Nguo &amp; Accessories
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Haikuweza kutatua kazi ya alama ya uzito. Hakikisha fomu hiyo halali.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Vipengee Vipengee vya Ununuzi havikupokea kwa wakati
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Idadi ya Utaratibu
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner ambayo itaonyesha juu ya orodha ya bidhaa.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Eleza hali ya kuhesabu kiasi cha meli
@@ -5326,9 +5392,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Njia
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Haiwezi kubadilisha Kituo cha Gharama kwenye kiwanja kama ina nodes za watoto
 DocType: Production Plan,Total Planned Qty,Uchina Uliopangwa
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Thamani ya Ufunguzi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Thamani ya Ufunguzi
 DocType: Salary Component,Formula,Mfumo
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Kigezo cha Mtihani wa Lab
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Akaunti ya Mauzo
 DocType: Purchase Invoice Item,Total Weight,Uzito wote
@@ -5346,7 +5412,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Fanya ombi la Nyenzo
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Fungua Toleo {0}
 DocType: Asset Finance Book,Written Down Value,Imeandikwa Thamani
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Tafadhali kuanzisha Mfumo wa Jina la Waajiriwa katika Rasilimali za Binadamu&gt; Mipangilio ya HR
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Invoice ya Mauzo {0} lazima iondoliwe kabla ya kufuta Utaratibu huu wa Mauzo
 DocType: Clinical Procedure,Age,Umri
 DocType: Sales Invoice Timesheet,Billing Amount,Kiwango cha kulipia
@@ -5355,11 +5420,11 @@
 DocType: Company,Default Employee Advance Account,Akaunti ya Waajirika wa Mapendeleo ya Default
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Tafuta Bidhaa (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Akaunti na shughuli zilizopo haziwezi kufutwa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Akaunti na shughuli zilizopo haziwezi kufutwa
 DocType: Vehicle,Last Carbon Check,Check Carbon Mwisho
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Gharama za Kisheria
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Tafadhali chagua kiasi kwenye mstari
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Fanya Mauzo ya Kufungua na Ununuzi
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Fanya Mauzo ya Kufungua na Ununuzi
 DocType: Purchase Invoice,Posting Time,Wakati wa Kuchapa
 DocType: Timesheet,% Amount Billed,Kiasi kinachojazwa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Malipo ya Simu
@@ -5374,14 +5439,14 @@
 DocType: Maintenance Visit,Breakdown,Kuvunja
 DocType: Travel Itinerary,Vegetarian,Mboga
 DocType: Patient Encounter,Encounter Date,Kukutana Tarehe
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Akaunti: {0} kwa fedha: {1} haiwezi kuchaguliwa
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Akaunti: {0} kwa fedha: {1} haiwezi kuchaguliwa
 DocType: Bank Statement Transaction Settings Item,Bank Data,Takwimu za Benki
 DocType: Purchase Receipt Item,Sample Quantity,Mfano Wingi
 DocType: Bank Guarantee,Name of Beneficiary,Jina la Mfadhili
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Sasisha BOM gharama moja kwa moja kupitia Mpangilio, kwa kuzingatia kiwango cha hivi karibuni cha kiwango cha bei / bei ya bei / mwisho wa ununuzi wa vifaa vya malighafi."
 DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Tarehe ya Kuangalia
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Akaunti {0}: Akaunti ya Mzazi {1} si ya kampuni: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Akaunti {0}: Akaunti ya Mzazi {1} si ya kampuni: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Imefanikiwa kufutwa shughuli zote zinazohusiana na kampuni hii!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Kama tarehe
 DocType: Additional Salary,HR,HR
@@ -5389,7 +5454,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Nje Tahadhari za Mgonjwa wa SMS
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Probation
 DocType: Program Enrollment Tool,New Academic Year,Mwaka Mpya wa Elimu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Kurudi / Taarifa ya Mikopo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Kurudi / Taarifa ya Mikopo
 DocType: Stock Settings,Auto insert Price List rate if missing,Weka kwa urahisi Orodha ya Bei ya Orodha ikiwa haipo
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Jumla ya kulipwa
 DocType: GST Settings,B2C Limit,Mpaka wa B2C
@@ -5407,7 +5472,7 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Node za watoto zinaweza kuundwa tu chini ya nambari za aina ya &#39;Kikundi&#39;
 DocType: Attendance Request,Half Day Date,Tarehe ya Nusu ya Siku
 DocType: Academic Year,Academic Year Name,Jina la Mwaka wa Elimu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} haruhusiwi kuingiliana na {1}. Tafadhali mabadiliko ya Kampuni.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} haruhusiwi kuingiliana na {1}. Tafadhali mabadiliko ya Kampuni.
 DocType: Sales Partner,Contact Desc,Wasiliana Desc
 DocType: Email Digest,Send regular summary reports via Email.,Tuma taarifa za muhtasari wa mara kwa mara kupitia barua pepe.
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Majani Inapatikana
@@ -5434,9 +5499,10 @@
 DocType: Subscription,Trial Period End Date,Tarehe ya Mwisho wa Kipindi
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Sio kuchapishwa tangu {0} inapozidi mipaka
 DocType: Serial No,Asset Status,Hali ya Mali
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Zaidi ya Cargo Dimensional (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Jedwali la Mgahawa
 DocType: Hotel Room,Hotel Manager,Meneja wa Hoteli
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Weka Kanuni ya Ushuru kwa gari la ununuzi
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Weka Kanuni ya Ushuru kwa gari la ununuzi
 DocType: Purchase Invoice,Taxes and Charges Added,Kodi na Malipo Aliongeza
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Upungufu Row {0}: Tarehe ya Utoaji wa Dhamana haiwezi kuwa kabla ya Tarehe ya kupatikana
 ,Sales Funnel,Funnel ya Mauzo
@@ -5452,10 +5518,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Vikundi vyote vya Wateja
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Imekusanywa kila mwezi
 DocType: Attendance Request,On Duty,Kazini
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ni lazima. Kumbukumbu ya Kubadilisha Fedha Labda haikuundwa kwa {1} kwa {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ni lazima. Kumbukumbu ya Kubadilisha Fedha Labda haikuundwa kwa {1} kwa {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Mpango wa Utumishi {0} tayari umekuwepo kwa ajili ya uteuzi {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Kigezo cha Kodi ni lazima.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Akaunti {0}: Akaunti ya Mzazi {1} haipo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Akaunti {0}: Akaunti ya Mzazi {1} haipo
 DocType: POS Closing Voucher,Period Start Date,Tarehe ya Kuanza ya Kipindi
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Orodha ya Bei ya Thamani (Fedha la Kampuni)
 DocType: Products Settings,Products Settings,Mipangilio ya Bidhaa
@@ -5475,7 +5541,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Hatua hii itaacha bili ya baadaye. Una uhakika unataka kufuta usajili huu?
 DocType: Serial No,Distinct unit of an Item,Kitengo cha tofauti cha Kipengee
 DocType: Supplier Scorecard Criteria,Criteria Name,Jina la Criteria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Tafadhali weka Kampuni
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Tafadhali weka Kampuni
 DocType: Procedure Prescription,Procedure Created,Utaratibu ulioundwa
 DocType: Pricing Rule,Buying,Ununuzi
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Magonjwa &amp; Fertilizers
@@ -5492,42 +5558,43 @@
 DocType: Employee Onboarding,Job Offer,Kazi ya Kazi
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Usanidi wa Taasisi
 ,Item-wise Price List Rate,Orodha ya bei ya bei ya bei
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Nukuu ya Wafanyabiashara
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Nukuu ya Wafanyabiashara
 DocType: Quotation,In Words will be visible once you save the Quotation.,Katika Maneno itaonekana wakati unapohifadhi Nukuu.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Wingi ({0}) hawezi kuwa sehemu ya mstari {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Wingi ({0}) hawezi kuwa sehemu ya mstari {1}
 DocType: Contract,Unsigned,Haijaandikwa
 DocType: Selling Settings,Each Transaction,Kila Shughuli
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Barcode {0} tayari kutumika katika Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Barcode {0} tayari kutumika katika Item {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Sheria ya kuongeza gharama za meli.
 DocType: Hotel Room,Extra Bed Capacity,Uwezo wa kitanda cha ziada
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Ufunguzi wa Hifadhi
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Wateja inahitajika
 DocType: Lab Test,Result Date,Tarehe ya matokeo
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Tarehe PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Tarehe PDC / LC
 DocType: Purchase Order,To Receive,Kupokea
 DocType: Leave Period,Holiday List for Optional Leave,Orodha ya Likizo ya Kuondoka kwa Hiari
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Mmiliki wa Mali
 DocType: Purchase Invoice,Reason For Putting On Hold,Sababu ya kuweka juu ya kushikilia
 DocType: Employee,Personal Email,Barua pepe ya kibinafsi
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Tofauti ya Jumla
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Tofauti ya Jumla
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ikiwa imewezeshwa, mfumo utasoma fomu za uhasibu kwa hesabu moja kwa moja."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Uhamisho
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Kuhudhuria kwa mfanyakazi {0} tayari umewekwa alama kwa siku hii
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Kuhudhuria kwa mfanyakazi {0} tayari umewekwa alama kwa siku hii
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",Katika Dakika Iliyopita kupitia &quot;Muda wa Kuingia&quot;
 DocType: Customer,From Lead,Kutoka Kiongozi
 DocType: Amazon MWS Settings,Synch Orders,Amri ya Synch
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Amri iliyotolewa kwa ajili ya uzalishaji.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Chagua Mwaka wa Fedha ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,Profaili ya POS inahitajika ili ufanye POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,Profaili ya POS inahitajika ili ufanye POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Vidokezo vya uaminifu vitahesabiwa kutoka kwa alitumia kufanyika (kwa njia ya ankara za Mauzo), kulingana na sababu ya kukusanya iliyotajwa."
 DocType: Program Enrollment Tool,Enroll Students,Jiandikisha Wanafunzi
 DocType: Company,HRA Settings,Mipangilio ya HRA
 DocType: Employee Transfer,Transfer Date,Tarehe ya Uhamisho
 DocType: Lab Test,Approved Date,Tarehe iliyoidhinishwa
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Uuzaji wa kawaida
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Atleast ghala moja ni lazima
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Atleast ghala moja ni lazima
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Sanidi Mashamba ya Bidhaa kama UOM, Kikundi cha Maelezo, Maelezo na Hakuna Masaa."
 DocType: Certification Application,Certification Status,Hali ya vyeti
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Hifadhi ya Soko
@@ -5547,6 +5614,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Invoices zinazofanana
 DocType: Work Order,Required Items,Vitu vinavyotakiwa
 DocType: Stock Ledger Entry,Stock Value Difference,Thamani ya Thamani ya Hifadhi
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Row Row {0}: {1} {2} haipo katika meza ya juu &#39;{1}&#39;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Rasilimali watu
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Malipo ya Upatanisho wa Malipo
 DocType: Disease,Treatment Task,Kazi ya Matibabu
@@ -5564,7 +5632,8 @@
 DocType: Account,Debit,Debit
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,Majani yanapaswa kuwekwa kwa mara nyingi ya 0.5
 DocType: Work Order,Operation Cost,Gharama za Uendeshaji
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Amt bora
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Kutambua Waamuzi wa Uamuzi
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Amt bora
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Weka malengo Makala ya busara ya Kikundi kwa Mtu wa Mauzo.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Zifungia Hifadhi za Kale kuliko [Siku]
 DocType: Payment Request,Payment Ordered,Malipo amri
@@ -5576,13 +5645,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Ruhusu watumiaji wafuatayo kupitisha Maombi ya Kuacha kwa siku za kuzuia.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Uhai wa Maisha
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Fanya BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kiwango cha kuuza kwa kipengee {0} ni cha chini kuliko {1} yake. Kiwango cha uuzaji kinapaswa kuwa salama {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kiwango cha kuuza kwa kipengee {0} ni cha chini kuliko {1} yake. Kiwango cha uuzaji kinapaswa kuwa salama {2}
 DocType: Subscription,Taxes,Kodi
 DocType: Purchase Invoice,capital goods,bidhaa kuu
 DocType: Purchase Invoice Item,Weight Per Unit,Uzito Kwa Kitengo
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Ilipwa na Haijaokolewa
-DocType: Project,Default Cost Center,Kituo cha Ghali cha Default
-DocType: Delivery Note,Transporter Doc No,Hati ya Transporter Hati
+DocType: QuickBooks Migrator,Default Cost Center,Kituo cha Ghali cha Default
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Ushirikiano wa hisa
 DocType: Budget,Budget Accounts,Hesabu za Bajeti
 DocType: Employee,Internal Work History,Historia ya Kazi ya Kazi
@@ -5615,7 +5683,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Mtaalamu wa Afya haipatikani kwa {0}
 DocType: Stock Entry Detail,Additional Cost,Gharama za ziada
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Haiwezi kuchuja kulingana na Voucher No, ikiwa imewekwa na Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Fanya Nukuu ya Wasambazaji
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Fanya Nukuu ya Wasambazaji
 DocType: Quality Inspection,Incoming,Inakuja
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Vidokezo vya kodi za kutosha kwa mauzo na ununuzi vinaloundwa.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Tathmini ya Matokeo ya Tathmini {0} tayari imepo.
@@ -5631,7 +5699,7 @@
 DocType: Batch,Batch ID,Kitambulisho cha Bundi
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Kumbuka: {0}
 ,Delivery Note Trends,Mwelekeo wa Kumbuka Utoaji
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Muhtasari wa wiki hii
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Muhtasari wa wiki hii
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Katika Stock
 ,Daily Work Summary Replies,Muhtasari wa Kazi ya Kila siku
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Tumia Hesabu ya Kufika Iliyohesabiwa
@@ -5641,7 +5709,7 @@
 DocType: Bank Account,Party,Chama
 DocType: Healthcare Settings,Patient Name,Jina la subira
 DocType: Variant Field,Variant Field,Field Variant
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Mahali Mahali
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Mahali Mahali
 DocType: Sales Order,Delivery Date,Tarehe ya Utoaji
 DocType: Opportunity,Opportunity Date,Tarehe ya fursa
 DocType: Employee,Health Insurance Provider,Mtoa Bima ya Afya
@@ -5660,7 +5728,7 @@
 DocType: Employee,History In Company,Historia Katika Kampuni
 DocType: Customer,Customer Primary Address,Anwani ya Msingi ya Wateja
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Majarida
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Nambari ya kumbukumbu.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Nambari ya kumbukumbu.
 DocType: Drug Prescription,Description/Strength,Maelezo / Nguvu
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Unda Malipo Mpya / Uingiaji wa Machapisho
 DocType: Certification Application,Certification Application,Programu ya Vyeti
@@ -5671,10 +5739,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Kitu kimoja kimeingizwa mara nyingi
 DocType: Department,Leave Block List,Acha orodha ya kuzuia
 DocType: Purchase Invoice,Tax ID,Kitambulisho cha Ushuru
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Kipengee {0} sio kuanzisha kwa Nakala Zetu. Sawa lazima iwe tupu
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Kipengee {0} sio kuanzisha kwa Nakala Zetu. Sawa lazima iwe tupu
 DocType: Accounts Settings,Accounts Settings,Mipangilio ya Akaunti
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Thibitisha
 DocType: Loyalty Program,Customer Territory,Eneo la Wateja
+DocType: Email Digest,Sales Orders to Deliver,Maagizo ya Mauzo ya Kutoa
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Idadi ya Akaunti mpya, itaingizwa katika jina la akaunti kama kiambishi"
 DocType: Maintenance Team Member,Team Member,Mwanachama wa Timu
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Hakuna matokeo ya kuwasilisha
@@ -5684,7 +5753,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Jumla ya {0} kwa vitu vyote ni sifuri, huenda unapaswa kubadilisha &#39;Kusambaza mishahara ya msingi&#39;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Hadi sasa haiwezi kuwa chini ya tarehe
 DocType: Opportunity,To Discuss,Kujadili
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Hii inategemea mashirikiano dhidi ya Msajili huu. Tazama kalenda ya chini kwa maelezo zaidi
 DocType: Loan Type,Rate of Interest (%) Yearly,Kiwango cha Maslahi (%) Kila mwaka
 DocType: Support Settings,Forum URL,URL ya kikao
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +75,Temporary Accounts,Akaunti ya Muda
@@ -5698,7 +5766,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Jifunze zaidi
 DocType: Cheque Print Template,Distance from top edge,Umbali kutoka makali ya juu
 DocType: POS Closing Voucher Invoices,Quantity of Items,Wingi wa Vitu
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Orodha ya Bei {0} imezimwa au haipo
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Orodha ya Bei {0} imezimwa au haipo
 DocType: Purchase Invoice,Return,Rudi
 DocType: Pricing Rule,Disable,Zima
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Njia ya kulipa inahitajika kufanya malipo
@@ -5706,18 +5774,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Badilisha katika ukurasa kamili kwa chaguo zaidi kama vile mali, serial nos, batches nk"
 DocType: Leave Type,Maximum Continuous Days Applicable,Siku Zilizozidi Kuendelea zinazohitajika
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} haijasajiliwa katika Batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Malipo {0} hayawezi kupigwa, kama tayari {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Malipo {0} hayawezi kupigwa, kama tayari {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Cheki Inahitajika
 DocType: Task,Total Expense Claim (via Expense Claim),Madai ya jumla ya gharama (kupitia madai ya gharama)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Weka alama
 DocType: Job Applicant Source,Job Applicant Source,Chanzo cha Msaidizi wa Kazi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Kiasi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Kiasi
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Imeshindwa kuanzisha kampuni
 DocType: Asset Repair,Asset Repair,Ukarabati wa Mali
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Fedha ya BOM # {1} inapaswa kuwa sawa na sarafu iliyochaguliwa {2}
 DocType: Journal Entry Account,Exchange Rate,Kiwango cha Exchange
 DocType: Patient,Additional information regarding the patient,Maelezo ya ziada kuhusu mgonjwa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Sheria ya Mauzo {0} haijawasilishwa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Sheria ya Mauzo {0} haijawasilishwa
 DocType: Homepage,Tag Line,Mstari wa Tag
 DocType: Fee Component,Fee Component,Fomu ya Malipo
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Usimamizi wa Fleet
@@ -5732,7 +5800,7 @@
 DocType: Healthcare Practitioner,Mobile,Rununu
 ,Sales Person-wise Transaction Summary,Muhtasari wa Shughuli za Wafanyabiashara wa Mauzo
 DocType: Training Event,Contact Number,Namba ya mawasiliano
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Ghala {0} haipo
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Ghala {0} haipo
 DocType: Cashier Closing,Custody,Usimamizi
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Ushuru wa Wafanyakazi wa Ushuru Uthibitisho wa Uwasilishaji wa Maelezo
 DocType: Monthly Distribution,Monthly Distribution Percentages,Asilimia ya Usambazaji wa Kila mwezi
@@ -5747,7 +5815,7 @@
 DocType: Payment Entry,Paid Amount,Kiwango kilicholipwa
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Pitia Mzunguko wa Mauzo
 DocType: Assessment Plan,Supervisor,Msimamizi
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Kuhifadhi Usajili wa hisa
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Kuhifadhi Usajili wa hisa
 ,Available Stock for Packing Items,Inapatikana Stock kwa Vipuri vya Ufungashaji
 DocType: Item Variant,Item Variant,Tofauti ya Tofauti
 ,Work Order Stock Report,Ripoti ya Kazi ya Kazi ya Kazi
@@ -5756,9 +5824,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Kama Msimamizi
 DocType: Leave Policy Detail,Leave Policy Detail,Acha Sera ya Ufafanuzi
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Kipengee cha Bidhaa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Maagizo yaliyowasilishwa hayawezi kufutwa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Usawa wa Akaunti tayari katika Debit, huruhusiwi kuweka &#39;Mizani lazima iwe&#39; kama &#39;Mikopo&#39;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Usimamizi wa Ubora
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Maagizo yaliyowasilishwa hayawezi kufutwa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Usawa wa Akaunti tayari katika Debit, huruhusiwi kuweka &#39;Mizani lazima iwe&#39; kama &#39;Mikopo&#39;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Usimamizi wa Ubora
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Item {0} imezimwa
 DocType: Project,Total Billable Amount (via Timesheets),Kiwango cha Jumla cha Billable (kupitia Timesheets)
 DocType: Agriculture Task,Previous Business Day,Siku ya Biashara ya awali
@@ -5781,14 +5849,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Vituo vya Gharama
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Anza upya Usajili
 DocType: Linked Plant Analysis,Linked Plant Analysis,Uchunguzi wa Plant unaohusishwa
-DocType: Delivery Note,Transporter ID,ID ya Transporter
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID ya Transporter
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Thamani pendekezo
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Kiwango cha sarafu ya wasambazaji ni chaguo la fedha za kampuni
-DocType: Sales Invoice Item,Service End Date,Tarehe ya Mwisho wa Huduma
+DocType: Purchase Invoice Item,Service End Date,Tarehe ya Mwisho wa Huduma
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: Muda unapingana na mstari {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Ruhusu Kiwango cha Vigezo vya Zero
 DocType: Bank Guarantee,Receiving,Kupokea
 DocType: Training Event Employee,Invited,Alialikwa
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Akaunti za Kuweka Gateway.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Akaunti za Kuweka Gateway.
 DocType: Employee,Employment Type,Aina ya Ajira
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Mali za kudumu
 DocType: Payment Entry,Set Exchange Gain / Loss,Weka Kuchangia / Kupoteza
@@ -5804,7 +5873,7 @@
 DocType: Tax Rule,Sales Tax Template,Kigezo cha Kodi ya Mauzo
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Ulipa Kutoa Faida ya Kutaka
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Sasisha Nambari ya Kituo cha Gharama
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Chagua vitu ili uhifadhi ankara
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Chagua vitu ili uhifadhi ankara
 DocType: Employee,Encashment Date,Tarehe ya Kuingiza
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Kigezo cha Mtihani maalum
@@ -5812,12 +5881,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Gharama ya Shughuli ya Hifadhi ipo kwa Aina ya Shughuli - {0}
 DocType: Work Order,Planned Operating Cost,Gharama za uendeshaji zilizopangwa
 DocType: Academic Term,Term Start Date,Tarehe ya Mwisho wa Mwisho
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Orodha ya shughuli zote za kushiriki
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Orodha ya shughuli zote za kushiriki
+DocType: Supplier,Is Transporter,"Je, ni Transporter"
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Weka Invoice ya Mauzo kutoka Shopify ikiwa Malipo imewekwa
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Upinzani wa Opp
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Kipindi cha kwanza cha majaribio Tarehe ya Kuanza na Tarehe ya Mwisho wa Kipindi lazima iwekwa
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Kiwango cha wastani
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Kiwango cha Malipo ya Jumla katika Ratiba ya Malipo lazima iwe sawa na Grand / Rounded Total
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Kiwango cha Malipo ya Jumla katika Ratiba ya Malipo lazima iwe sawa na Grand / Rounded Total
 DocType: Subscription Plan Detail,Plan,Mpango
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Usawa wa Taarifa ya Benki kama kwa Jedwali Mkuu
 DocType: Job Applicant,Applicant Name,Jina la Msaidizi
@@ -5845,7 +5915,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Uchina Inapatikana kwenye Ghala la Chanzo
 apps/erpnext/erpnext/config/support.py +22,Warranty,Warranty
 DocType: Purchase Invoice,Debit Note Issued,Kumbuka ya Debit imeondolewa
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter kulingana na Kituo cha Gharama kinatumika tu ikiwa Bajeti Dhidi ni kuchaguliwa kama Kituo cha Gharama
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter kulingana na Kituo cha Gharama kinatumika tu ikiwa Bajeti Dhidi ni kuchaguliwa kama Kituo cha Gharama
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Utafute kwa nambari ya bidhaa, namba ya serial, msimbo wa bati wala barcode"
 DocType: Work Order,Warehouses,Maghala
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} mali haiwezi kuhamishwa
@@ -5856,9 +5926,9 @@
 DocType: Workstation,per hour,kwa saa
 DocType: Blanket Order,Purchasing,Ununuzi
 DocType: Announcement,Announcement,Tangazo
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,LPO ya Wateja
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,LPO ya Wateja
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Kwa Kundi la Wanafunzi la msingi, Kikundi cha Wanafunzi kitathibitishwa kwa kila Mwanafunzi kutoka Uandikishaji wa Programu."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Ghala haiwezi kufutwa kama kuingizwa kwa hisa ya hisa kunapo kwa ghala hili.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Ghala haiwezi kufutwa kama kuingizwa kwa hisa ya hisa kunapo kwa ghala hili.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Usambazaji
 DocType: Journal Entry Account,Loan,Mikopo
 DocType: Expense Claim Advance,Expense Claim Advance,Tumia Madai ya Ushauri
@@ -5867,7 +5937,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Meneja wa mradi
 ,Quoted Item Comparison,Ilipendekeza Kulinganishwa kwa Bidhaa
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Inaingiliana kwa kufunga kati ya {0} na {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Tangaza
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Tangaza
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Upeo wa Max unaruhusiwa kwa bidhaa: {0} ni {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Thamani ya Mali ya Nambari kama ilivyoendelea
 DocType: Crop,Produce,Kuzalisha
@@ -5877,20 +5947,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Matumizi ya Nyenzo kwa Utengenezaji
 DocType: Item Alternative,Alternative Item Code,Msimbo wa Kipengee cha Mbadala
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Jukumu ambalo linaruhusiwa kuwasilisha ushirikiano unaozidi mipaka ya mikopo.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Chagua Vitu Ili Kukuza
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Chagua Vitu Ili Kukuza
 DocType: Delivery Stop,Delivery Stop,Utoaji wa Kuacha
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Usawazishaji wa data ya Mwalimu, inaweza kuchukua muda"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Usawazishaji wa data ya Mwalimu, inaweza kuchukua muda"
 DocType: Item,Material Issue,Matatizo ya Nyenzo
 DocType: Employee Education,Qualification,Ustahili
 DocType: Item Price,Item Price,Item Bei
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sabuni &amp; Daktari
 DocType: BOM,Show Items,Onyesha Vitu
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Kutoka Muda haiwezi kuwa kubwa zaidi kuliko Ili Muda.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Unataka kuwajulisha wateja wote kwa barua pepe?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Unataka kuwajulisha wateja wote kwa barua pepe?
 DocType: Subscription Plan,Billing Interval,Muda wa kulipia
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Picha na Video ya Mwendo
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Amri
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Tarehe ya kuanza halisi na tarehe ya mwisho ya mwisho ni lazima
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Wateja&gt; Kikundi cha Wateja&gt; Eneo
 DocType: Salary Detail,Component,Kipengele
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Row {0}: {1} lazima iwe kubwa kuliko 0
 DocType: Assessment Criteria,Assessment Criteria Group,Makundi ya Vigezo vya Tathmini
@@ -5921,11 +5992,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Ingiza jina la benki au taasisi ya mikopo kabla ya kuwasilisha.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} lazima iwasilishwa
 DocType: POS Profile,Item Groups,Makala ya Vikundi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Leo ni siku ya kuzaliwa ya {0}!
 DocType: Sales Order Item,For Production,Kwa Uzalishaji
 DocType: Payment Request,payment_url,malipo_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Mizani Katika Fedha za Akaunti
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Tafadhali ongeza Akaunti ya Kufungua Muda katika Chati ya Akaunti
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Tafadhali ongeza Akaunti ya Kufungua Muda katika Chati ya Akaunti
 DocType: Customer,Customer Primary Contact,Mawasiliano ya Msingi ya Wateja
 DocType: Project Task,View Task,Tazama Kazi
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Upinzani / Kiongozi%
@@ -5938,11 +6008,11 @@
 DocType: Sales Invoice,Get Advances Received,Pata Mafanikio Yaliyopokelewa
 DocType: Email Digest,Add/Remove Recipients,Ongeza / Ondoa Wapokeaji
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Ili kuweka Mwaka huu wa Fedha kama Msingi, bonyeza &#39;Weka kama Msingi&#39;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Kiasi cha TDS kilifutwa
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Kiasi cha TDS kilifutwa
 DocType: Production Plan,Include Subcontracted Items,Jumuisha Vipengee vidogo
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Jiunge
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Uchina wa Ufupi
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Tofauti ya kipengee {0} ipo na sifa sawa
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Jiunge
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Uchina wa Ufupi
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Tofauti ya kipengee {0} ipo na sifa sawa
 DocType: Loan,Repay from Salary,Malipo kutoka kwa Mshahara
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Inalipa malipo dhidi ya {0} {1} kwa kiasi {2}
 DocType: Additional Salary,Salary Slip,Kulipwa kwa Mshahara
@@ -5958,7 +6028,7 @@
 DocType: Patient,Dormant,Imekaa
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Kutoa Ushuru kwa Faida za Wafanyakazi Siojulikana
 DocType: Salary Slip,Total Interest Amount,Kiasi cha Maslahi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Maghala yenye nodes ya watoto hawezi kubadilishwa kwenye kiongozi
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Maghala yenye nodes ya watoto hawezi kubadilishwa kwenye kiongozi
 DocType: BOM,Manage cost of operations,Dhibiti gharama za shughuli
 DocType: Accounts Settings,Stale Days,Siku za Stale
 DocType: Travel Itinerary,Arrival Datetime,Saa ya Tarehe ya Kuwasili
@@ -5970,7 +6040,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Maelezo ya Matokeo ya Tathmini
 DocType: Employee Education,Employee Education,Elimu ya Waajiriwa
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Kundi la kipengee cha kipengee kilichopatikana kwenye meza ya kikundi cha bidhaa
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Inahitajika Kuchukua Maelezo ya Bidhaa.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Inahitajika Kuchukua Maelezo ya Bidhaa.
 DocType: Fertilizer,Fertilizer Name,Jina la Mbolea
 DocType: Salary Slip,Net Pay,Net Pay
 DocType: Cash Flow Mapping Accounts,Account,Akaunti
@@ -5981,14 +6051,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Unda Entry ya Malipo ya Kinyume dhidi ya Faida ya Kutaka
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Uwepo wa homa (temp&gt; 38.5 ° C / 101.3 ° F au temp.) 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Maelezo ya Timu ya Mauzo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Futa kwa kudumu?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Futa kwa kudumu?
 DocType: Expense Claim,Total Claimed Amount,Kiasi kilichodaiwa
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Uwezo wa fursa za kuuza.
 DocType: Shareholder,Folio no.,Uliopita.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Inalidhika {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Kuondoka kwa mgonjwa
 DocType: Email Digest,Email Digest,Barua pepe ya Digest
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,sio
 DocType: Delivery Note,Billing Address Name,Jina la Anwani ya Kulipa
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Idara ya maduka
 ,Item Delivery Date,Tarehe ya Utoaji wa Item
@@ -6004,16 +6073,16 @@
 DocType: Account,Chargeable,Inajibika
 DocType: Company,Change Abbreviation,Badilisha hali
 DocType: Contract,Fulfilment Details,Maelezo ya Utekelezaji
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Kulipa {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Kulipa {0} {1}
 DocType: Employee Onboarding,Activities,Shughuli
 DocType: Expense Claim Detail,Expense Date,Tarehe ya gharama
 DocType: Item,No of Months,Hakuna Miezi
 DocType: Item,Max Discount (%),Max Discount (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Siku za Mikopo haiwezi kuwa nambari hasi
-DocType: Sales Invoice Item,Service Stop Date,Tarehe ya Kuacha Huduma
+DocType: Purchase Invoice Item,Service Stop Date,Tarehe ya Kuacha Huduma
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Kiwango cha Mwisho cha Mwisho
 DocType: Cash Flow Mapper,e.g Adjustments for:,kwa mfano Marekebisho kwa:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Weka Mfano ni msingi wa batch, tafadhali angalia Batch No ili kuhifadhi sampuli ya bidhaa"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Weka Mfano ni msingi wa batch, tafadhali angalia Batch No ili kuhifadhi sampuli ya bidhaa"
 DocType: Task,Is Milestone,Ni muhimu sana
 DocType: Certification Application,Yet to appear,Hata hivyo kuonekana
 DocType: Delivery Stop,Email Sent To,Imepelekwa kwa barua pepe
@@ -6021,16 +6090,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Ruhusu Kituo cha Gharama Katika Kuingia kwa Akaunti ya Hesabu ya Hesabu
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Unganisha na Akaunti iliyopo
 DocType: Budget,Warn,Tahadhari
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Vitu vyote vimehamishwa tayari kwa Kazi hii ya Kazi.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Vitu vyote vimehamishwa tayari kwa Kazi hii ya Kazi.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Maneno mengine yoyote, jitihada zinazostahili ambazo zinapaswa kuingia kwenye rekodi."
 DocType: Asset Maintenance,Manufacturing User,Mtengenezaji wa Viwanda
 DocType: Purchase Invoice,Raw Materials Supplied,Vifaa vya Malighafi hutolewa
 DocType: Subscription Plan,Payment Plan,Mpango wa Malipo
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Wezesha kununua vitu kupitia tovuti
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Fedha ya orodha ya bei {0} lazima iwe {1} au {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Usimamizi wa Usajili
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Usimamizi wa Usajili
 DocType: Appraisal,Appraisal Template,Kigezo cha Uhakiki
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Piga Kanuni
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Piga Kanuni
 DocType: Soil Texture,Ternary Plot,Plot ya Ternary
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Angalia hii ili kuwezesha ratiba ya maingiliano ya kila siku kupitia mpangilio
 DocType: Item Group,Item Classification,Uainishaji wa Bidhaa
@@ -6040,6 +6109,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Usajili wa Msajili wa Msajili
 DocType: Crop,Period,Kipindi
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Mkuu Ledger
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Mwaka wa Fedha
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Angalia Waongoza
 DocType: Program Enrollment Tool,New Program,Programu mpya
 DocType: Item Attribute Value,Attribute Value,Thamani ya Thamani
@@ -6048,11 +6118,11 @@
 ,Itemwise Recommended Reorder Level,Inemwise Inapendekezwa Mpangilio wa Mpangilio
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Mfanyakazi {0} wa daraja {1} hawana sera ya kuacha ya kuondoka
 DocType: Salary Detail,Salary Detail,Maelezo ya Mshahara
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Tafadhali chagua {0} kwanza
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Tafadhali chagua {0} kwanza
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Aliongeza {0} watumiaji
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Katika kesi ya mpango wa mipango mbalimbali, Wateja watapatiwa auto kwa tier husika kama kwa matumizi yao"
 DocType: Appointment Type,Physician,Daktari
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Kipengee {0} cha Bidhaa {1} kimekamilika.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Kipengee {0} cha Bidhaa {1} kimekamilika.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Majadiliano
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Imekamilishwa vizuri
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Item Bei inaonekana mara nyingi kulingana na Orodha ya Bei, Wafanyabiashara / Wateja, Fedha, Bidhaa, UOM, Uchina na Tarehe."
@@ -6061,22 +6131,21 @@
 DocType: Certification Application,Name of Applicant,Jina la Mombaji
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Karatasi ya Muda kwa ajili ya utengenezaji.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,jumla ndogo
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Haiwezi kubadilisha mali tofauti baada ya shughuli za hisa. Utahitaji kufanya kitu kipya cha kufanya hivyo.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Haiwezi kubadilisha mali tofauti baada ya shughuli za hisa. Utahitaji kufanya kitu kipya cha kufanya hivyo.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Mandhari ya SEPA ya GoCardless
 DocType: Healthcare Practitioner,Charges,Malipo
 DocType: Production Plan,Get Items For Work Order,Pata Vipengee Kwa Kazi ya Kazi
 DocType: Salary Detail,Default Amount,Kiasi cha malipo
 DocType: Lab Test Template,Descriptive,Maelezo
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Ghala haipatikani kwenye mfumo
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Muhtasari wa Mwezi huu
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Muhtasari wa Mwezi huu
 DocType: Quality Inspection Reading,Quality Inspection Reading,Uhakiki wa Uhakiki wa Ubora
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,'Zuia Hifadhi za Bidha za Kale Kuliko` lazima iwe ndogo kuliko siku% d.
 DocType: Tax Rule,Purchase Tax Template,Kigezo cha Kodi ya Ununuzi
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Weka lengo la mauzo ungependa kufikia kwa kampuni yako.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Huduma za Huduma za Afya
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Huduma za Huduma za Afya
 ,Project wise Stock Tracking,Ufuatiliaji wa Hitilafu wa Mradi
 DocType: GST HSN Code,Regional,Mkoa
-DocType: Delivery Note,Transport Mode,Njia ya Usafiri
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Maabara
 DocType: UOM Category,UOM Category,Jamii ya UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Uchina halisi (katika chanzo / lengo)
@@ -6099,17 +6168,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Imeshindwa kuunda tovuti
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Maelezo ya Uongofu wa UOM
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Uhifadhi Uingiaji wa hisa umeundwa tayari au Mfano Wingi haujatolewa
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Uhifadhi Uingiaji wa hisa umeundwa tayari au Mfano Wingi haujatolewa
 DocType: Program,Program Abbreviation,Hali ya Mpangilio
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Utaratibu wa Uzalishaji hauwezi kuinuliwa dhidi ya Kigezo cha Bidhaa
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Malipo yanasasishwa katika Receipt ya Ununuzi dhidi ya kila kitu
 DocType: Warranty Claim,Resolved By,Ilifanywa na
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Ratiba ya Kuondolewa
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheki na Deposits zimeondolewa kwa usahihi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Akaunti {0}: Huwezi kujitolea kama akaunti ya mzazi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Akaunti {0}: Huwezi kujitolea kama akaunti ya mzazi
 DocType: Purchase Invoice Item,Price List Rate,Orodha ya Bei ya Bei
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Unda nukuu za wateja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Tarehe ya Kuacha Huduma haiwezi kuwa baada ya tarehe ya mwisho ya huduma
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Tarehe ya Kuacha Huduma haiwezi kuwa baada ya tarehe ya mwisho ya huduma
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Onyesha &quot;Katika Hifadhi&quot; au &quot;Sio katika Hifadhi&quot; kulingana na hisa zilizopo katika ghala hii.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Wastani wa muda kuchukuliwa na muuzaji kutoa
@@ -6121,11 +6190,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Masaa
 DocType: Project,Expected Start Date,Tarehe ya Mwanzo Inayotarajiwa
 DocType: Purchase Invoice,04-Correction in Invoice,Marekebisho ya 04 katika ankara
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Kazi ya Kazi imeundwa tayari kwa vitu vyote na BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Kazi ya Kazi imeundwa tayari kwa vitu vyote na BOM
 DocType: Payment Request,Party Details,Maelezo ya Chama
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Ripoti ya Taarifa ya Variant
 DocType: Setup Progress Action,Setup Progress Action,Hatua ya Kuanzisha Programu
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Kununua Orodha ya Bei
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Kununua Orodha ya Bei
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Ondoa kipengee ikiwa mashtaka haifai kwa bidhaa hiyo
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Futa Usajili
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Tafadhali chagua Hali ya Matengenezo Kama Imekamilishwa au Tondoa Tarehe ya Kumaliza
@@ -6143,7 +6212,7 @@
 DocType: Asset,Disposal Date,Tarehe ya kupoteza
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Barua pepe zitatumwa kwa Wafanyakazi wote wa Kampuni katika saa iliyotolewa, ikiwa hawana likizo. Muhtasari wa majibu itatumwa usiku wa manane."
 DocType: Employee Leave Approver,Employee Leave Approver,Msaidizi wa Kuondoa Waajiri
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Kuingilia upya tayari kunapo kwa ghala hili {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Kuingilia upya tayari kunapo kwa ghala hili {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Haiwezi kutangaza kama kupotea, kwa sababu Nukuu imefanywa."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Akaunti ya CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Mafunzo ya Mafunzo
@@ -6155,7 +6224,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Hadi sasa haiwezi kuwa kabla kabla ya tarehe
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Sehemu ya Sehemu
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Ongeza / Hariri Bei
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Ongeza / Hariri Bei
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Uendelezaji wa Wafanyakazi hauwezi kuwasilishwa kabla ya Tarehe ya Kukuza
 DocType: Batch,Parent Batch,Kundi cha Mzazi
 DocType: Cheque Print Template,Cheque Print Template,Angalia Kigezo cha Print
@@ -6165,6 +6234,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Mkusanyiko wa Mfano
 ,Requested Items To Be Ordered,Vitu Vilivyoombwa Ili Kuagizwa
 DocType: Price List,Price List Name,Jina la Orodha ya Bei
+DocType: Delivery Stop,Dispatch Information,Maelezo ya Maagizo
 DocType: Blanket Order,Manufacturing,Uzalishaji
 ,Ordered Items To Be Delivered,Vipengee vya Kutolewa
 DocType: Account,Income,Mapato
@@ -6182,17 +6252,16 @@
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +38,Valid till date cannot be before transaction date,Halali hadi tarehe haiwezi kuwa kabla ya tarehe ya shughuli
 DocType: Fee Schedule,Student Category,Jamii ya Wanafunzi
 DocType: Announcement,Student,Mwanafunzi
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Stock kiasi cha kuanza utaratibu haipatikani katika ghala. Unataka kurekodi Uhamisho wa Hifadhi
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Stock kiasi cha kuanza utaratibu haipatikani katika ghala. Unataka kurekodi Uhamisho wa Hifadhi
 DocType: Shipping Rule,Shipping Rule Type,Aina ya Rule ya Utoaji
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Nenda kwenye Vyumba
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Kampuni, Akaunti ya Malipo, Tarehe na Tarehe ni lazima"
 DocType: Company,Budget Detail,Maelezo ya Bajeti
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Tafadhali ingiza ujumbe kabla ya kutuma
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE KWA MFASHAJI
-DocType: Email Digest,Pending Quotations,Nukuu zinazopendu
-DocType: Delivery Note,Distance (KM),Umbali (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Wasambazaji&gt; Kikundi cha Wasambazaji
 DocType: Asset,Custodian,Mtunzaji
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Ushauri wa Maandishi ya Uhakika
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Ushauri wa Maandishi ya Uhakika
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} lazima iwe thamani kati ya 0 na 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Malipo ya {0} kutoka {1} hadi {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Mikopo isiyohakikishiwa
@@ -6224,10 +6293,10 @@
 DocType: Lead,Converted,Ilibadilishwa
 DocType: Item,Has Serial No,Ina Serial No
 DocType: Employee,Date of Issue,Tarehe ya Suala
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kwa mujibu wa Mipangilio ya Ununuzi ikiwa Ununuzi wa Reciept Inahitajika == &#39;Ndiyo&#39;, kisha kwa Kujenga Invoice ya Ununuzi, mtumiaji haja ya kuunda Receipt ya Ununuzi kwanza kwa kipengee {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kwa mujibu wa Mipangilio ya Ununuzi ikiwa Ununuzi wa Reciept Inahitajika == &#39;Ndiyo&#39;, kisha kwa Kujenga Invoice ya Ununuzi, mtumiaji haja ya kuunda Receipt ya Ununuzi kwanza kwa kipengee {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Row # {0}: Weka wauzaji kwa kipengee {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: Thamani ya saa lazima iwe kubwa kuliko sifuri.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Image ya tovuti {0} iliyoambatana na Item {1} haiwezi kupatikana
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Image ya tovuti {0} iliyoambatana na Item {1} haiwezi kupatikana
 DocType: Issue,Content Type,Aina ya Maudhui
 DocType: Asset,Assets,Mali
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Kompyuta
@@ -6238,7 +6307,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} haipo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Tafadhali angalia Chaguo cha Fedha Multi kuruhusu akaunti na sarafu nyingine
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} haipo katika mfumo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Huna mamlaka ya kuweka thamani iliyosafishwa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Huna mamlaka ya kuweka thamani iliyosafishwa
 DocType: Payment Reconciliation,Get Unreconciled Entries,Pata Maingiliano yasiyotambulika
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Mfanyakazi {0} ni juu ya Acha kwenye {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Hakuna malipo yaliyochaguliwa kwa Kuingia kwa Journal
@@ -6256,13 +6325,14 @@
 ,Average Commission Rate,Wastani wa Tume ya Kiwango
 DocType: Share Balance,No of Shares,Hakuna ya Hisa
 DocType: Taxable Salary Slab,To Amount,Kwa Kiasi
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;Ina Serial No&#39; haiwezi kuwa &#39;Ndio&#39; kwa bidhaa zisizo za hisa
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;Ina Serial No&#39; haiwezi kuwa &#39;Ndio&#39; kwa bidhaa zisizo za hisa
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Chagua Hali
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Mahudhurio hayawezi kutambuliwa kwa tarehe za baadaye
 DocType: Support Search Source,Post Description Key,Maelezo ya kuchapisha Muhimu
 DocType: Pricing Rule,Pricing Rule Help,Msaada wa Kanuni ya bei
 DocType: School House,House Name,Jina la Nyumba
 DocType: Fee Schedule,Total Amount per Student,Jumla ya Kiasi kwa Mwanafunzi
+DocType: Opportunity,Sales Stage,Hatua ya Mauzo
 DocType: Purchase Taxes and Charges,Account Head,Kichwa cha Akaunti
 DocType: Company,HRA Component,HRA Kipengele
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Umeme
@@ -6270,15 +6340,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Tofauti ya Thamani ya Jumla (Nje-Ndani)
 DocType: Grant Application,Requested Amount,Kiasi kilichoombwa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Kiwango cha Exchange ni lazima
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Kitambulisho cha mtumiaji hakiwekwa kwa Waajiriwa {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Kitambulisho cha mtumiaji hakiwekwa kwa Waajiriwa {0}
 DocType: Vehicle,Vehicle Value,Thamani ya Gari
 DocType: Crop Cycle,Detected Diseases,Magonjwa yaliyoambukizwa
 DocType: Stock Entry,Default Source Warehouse,Ghala la Chanzo cha Chanzo
 DocType: Item,Customer Code,Kanuni ya Wateja
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Kikumbusho cha Kuzaliwa kwa {0}
 DocType: Asset Maintenance Task,Last Completion Date,Tarehe ya mwisho ya kukamilika
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Siku Tangu Toleo la Mwisho
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debit Kwa akaunti lazima iwe Hesabu ya Hesabu ya Hesabu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debit Kwa akaunti lazima iwe Hesabu ya Hesabu ya Hesabu
 DocType: Asset,Naming Series,Mfululizo wa majina
 DocType: Vital Signs,Coated,Imefunikwa
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Thamani Inayotarajiwa Baada ya Maisha ya Muhimu lazima iwe chini ya Kiasi cha Ununuzi wa Gross
@@ -6296,15 +6365,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Kumbuka Utoaji {0} haipaswi kuwasilishwa
 DocType: Notification Control,Sales Invoice Message,Ujumbe wa Invoice ya Mauzo
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Akaunti ya kufungwa {0} lazima iwe ya Dhima / Usawa wa aina
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Kulipwa kwa mshahara wa mfanyakazi {0} tayari kuundwa kwa karatasi ya muda {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Kulipwa kwa mshahara wa mfanyakazi {0} tayari kuundwa kwa karatasi ya muda {1}
 DocType: Vehicle Log,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,Iliyoamriwa Uchina
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Item {0} imezimwa
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Item {0} imezimwa
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM haina kitu chochote cha hisa
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM haina kitu chochote cha hisa
 DocType: Chapter,Chapter Head,Mlango Mkuu
 DocType: Payment Term,Month(s) after the end of the invoice month,Mwezi (s) baada ya mwisho wa mwezi wa ankara
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Mfumo wa Mshahara unapaswa kuwa na kipengele cha manufaa cha faida ili kutoa kiasi cha faida
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Mfumo wa Mshahara unapaswa kuwa na kipengele cha manufaa cha faida ili kutoa kiasi cha faida
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Shughuli ya mradi / kazi.
 DocType: Vital Signs,Very Coated,Imevaliwa sana
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Impact Tu ya Impact (Haiwezi kudai Lakini sehemu ya Mapato ya Kodi)
@@ -6322,7 +6391,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Masaa ya kulipia
 DocType: Project,Total Sales Amount (via Sales Order),Jumla ya Mauzo Kiasi (kupitia Mauzo ya Mauzo)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM ya default kwa {0} haipatikani
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Row # {0}: Tafadhali weka upya kiasi
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Row # {0}: Tafadhali weka upya kiasi
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Gonga vitu ili uziweze hapa
 DocType: Fees,Program Enrollment,Uandikishaji wa Programu
 DocType: Share Transfer,To Folio No,Kwa No ya Folio
@@ -6362,9 +6431,9 @@
 DocType: SG Creation Tool Course,Max Strength,Nguvu ya Max
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Inaweka presets
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH -YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Hakuna Kumbukumbu ya Utoaji iliyochaguliwa kwa Wateja {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Hakuna Kumbukumbu ya Utoaji iliyochaguliwa kwa Wateja {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Mfanyakazi {0} hana kiwango cha juu cha faida
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Chagua Vitu kulingana na tarehe ya utoaji
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Chagua Vitu kulingana na tarehe ya utoaji
 DocType: Grant Application,Has any past Grant Record,Ina nakala yoyote ya Ruzuku iliyopita
 ,Sales Analytics,Uchambuzi wa Mauzo
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Inapatikana {0}
@@ -6372,12 +6441,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Mipangilio ya Uzalishaji
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Kuweka Barua pepe
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Simu ya Mkono Hakuna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Tafadhali ingiza fedha za msingi kwa Kampuni ya Kampuni
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Tafadhali ingiza fedha za msingi kwa Kampuni ya Kampuni
 DocType: Stock Entry Detail,Stock Entry Detail,Maelezo ya Entry Entry
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Kumbukumbu za kila siku
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Kumbukumbu za kila siku
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Angalia tiketi zote za wazi
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Kitengo cha Utunzaji wa Huduma ya Afya
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Bidhaa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Bidhaa
 DocType: Products Settings,Home Page is Products,Ukurasa wa Kwanza ni Bidhaa
 ,Asset Depreciation Ledger,Msanidi wa Upungufu wa Mali
 DocType: Salary Structure,Leave Encashment Amount Per Day,Acha Kiasi Kiasi kwa Siku
@@ -6387,8 +6456,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Malighafi ya Raw zinazotolewa
 DocType: Selling Settings,Settings for Selling Module,Mipangilio kwa ajili ya kuuza Moduli
 DocType: Hotel Room Reservation,Hotel Room Reservation,Uhifadhi wa Chumba cha Hoteli
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Huduma kwa wateja
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Huduma kwa wateja
 DocType: BOM,Thumbnail,Picha ndogo
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Hakuna anwani na Vitambulisho vya barua pepe vilivyopatikana.
 DocType: Item Customer Detail,Item Customer Detail,Maelezo ya Wateja wa Bidhaa
 DocType: Notification Control,Prompt for Email on Submission of,Ombi kwa Barua pepe juu ya Uwasilishaji wa
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Ufikiaji wa kiasi cha mfanyakazi {0} unazidi {1}
@@ -6398,13 +6468,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Kipengee {0} kinafaa kuwa kitu cha hisa
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Kazi ya Kazi katika Hifadhi ya Maendeleo
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Mipangilio ya {0} inaingizwa, unataka kuendelea baada ya kuruka mipaka iliyopandwa?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Mipangilio ya mipangilio ya shughuli za uhasibu.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Mipangilio ya mipangilio ya shughuli za uhasibu.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Majani ya Ruzuku
 DocType: Restaurant,Default Tax Template,Kigezo cha Ushuru cha Default
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Wanafunzi wamejiandikisha
 DocType: Fees,Student Details,Maelezo ya Wanafunzi
 DocType: Purchase Invoice Item,Stock Qty,Kiwanda
 DocType: Contract,Requires Fulfilment,Inahitaji kutimiza
+DocType: QuickBooks Migrator,Default Shipping Account,Akaunti ya Utoaji wa Default
 DocType: Loan,Repayment Period in Months,Kipindi cha ulipaji kwa Miezi
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Hitilafu: Si id idhini?
 DocType: Naming Series,Update Series Number,Sasisha Nambari ya Mfululizo
@@ -6418,11 +6489,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Kiasi Kikubwa
 DocType: Journal Entry,Total Amount Currency,Jumla ya Fedha ya Fedha
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Tafuta Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Msimbo wa kipengee unahitajika kwenye Row No {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Msimbo wa kipengee unahitajika kwenye Row No {0}
 DocType: GST Account,SGST Account,Akaunti ya SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Nenda kwa Vitu
 DocType: Sales Partner,Partner Type,Aina ya Washirika
-DocType: Purchase Taxes and Charges,Actual,Kweli
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Kweli
 DocType: Restaurant Menu,Restaurant Manager,Meneja wa Mgahawa
 DocType: Authorization Rule,Customerwise Discount,Ugawaji wa Wateja
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet kwa ajili ya kazi.
@@ -6443,7 +6514,7 @@
 DocType: Employee,Cheque,Angalia
 DocType: Training Event,Employee Emails,Barua za Waajiriwa
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Mfululizo umehifadhiwa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Aina ya Ripoti ni lazima
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Aina ya Ripoti ni lazima
 DocType: Item,Serial Number Series,Serial Number Series
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Ghala ni lazima kwa kipengee cha hisa {0} mfululizo {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Retail &amp; Wholesale
@@ -6473,7 +6544,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Mwisho uliolipwa Kiasi katika Utaratibu wa Mauzo
 DocType: BOM,Materials,Vifaa
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ikiwa hakizingatiwa, orodha itahitajika kuongezwa kwa kila Idara ambapo itatakiwa kutumika."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Tarehe ya kuchapisha na muda wa kuchapisha ni lazima
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Tarehe ya kuchapisha na muda wa kuchapisha ni lazima
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Template ya kodi kwa kununua shughuli.
 ,Item Prices,Bei ya Bidhaa
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Katika Maneno itaonekana wakati unapohifadhi Amri ya Ununuzi.
@@ -6489,12 +6560,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Mfululizo wa Kuingia kwa Upungufu wa Mali (Kuingia kwa Jarida)
 DocType: Membership,Member Since,Mwanachama Tangu
 DocType: Purchase Invoice,Advance Payments,Malipo ya awali
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Tafadhali chagua Huduma ya Afya
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Tafadhali chagua Huduma ya Afya
 DocType: Purchase Taxes and Charges,On Net Total,Juu ya Net Jumla
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Thamani ya Ushirikina {0} lazima iwe kati ya {1} hadi {2} katika vipengee vya {3} kwa Bidhaa {4}
 DocType: Restaurant Reservation,Waitlisted,Inastahiliwa
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Jamii ya Ukombozi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Fedha haiwezi kubadilishwa baada ya kuingiza saini kwa kutumia sarafu nyingine
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Fedha haiwezi kubadilishwa baada ya kuingiza saini kwa kutumia sarafu nyingine
 DocType: Shipping Rule,Fixed,Zisizohamishika
 DocType: Vehicle Service,Clutch Plate,Bamba la Clutch
 DocType: Company,Round Off Account,Ondoa Akaunti
@@ -6503,7 +6574,7 @@
 DocType: Subscription Plan,Based on price list,Kulingana na orodha ya bei
 DocType: Customer Group,Parent Customer Group,Kundi la Wateja wa Mzazi
 DocType: Vehicle Service,Change,Badilisha
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Usajili
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Usajili
 DocType: Purchase Invoice,Contact Email,Mawasiliano ya barua pepe
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Uumbaji wa Ada Inasubiri
 DocType: Appraisal Goal,Score Earned,Score Ilipatikana
@@ -6530,23 +6601,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Akaunti ya Kulipwa / Kulipa
 DocType: Delivery Note Item,Against Sales Order Item,Dhidi ya Vipengee vya Udhibiti wa Mauzo
 DocType: Company,Company Logo,Logo ya Kampuni
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Tafadhali taja Thamani ya Attribut kwa sifa {0}
-DocType: Item Default,Default Warehouse,Ghala la Ghalafa
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Tafadhali taja Thamani ya Attribut kwa sifa {0}
+DocType: QuickBooks Migrator,Default Warehouse,Ghala la Ghalafa
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Bajeti haipatikani dhidi ya Akaunti ya Kundi {0}
 DocType: Shopping Cart Settings,Show Price,Onyesha Bei
 DocType: Healthcare Settings,Patient Registration,Usajili wa Mgonjwa
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Tafadhali ingiza kituo cha gharama ya wazazi
 DocType: Delivery Note,Print Without Amount,Chapisha bila Bila
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Tarehe ya kushuka kwa thamani
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Tarehe ya kushuka kwa thamani
 ,Work Orders in Progress,Kazi ya Kazi katika Maendeleo
 DocType: Issue,Support Team,Timu ya Kusaidia
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Mwisho (Katika Siku)
 DocType: Appraisal,Total Score (Out of 5),Jumla ya alama (Kati ya 5)
 DocType: Student Attendance Tool,Batch,Kundi
 DocType: Support Search Source,Query Route String,Njia ya String Route
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Kiwango cha uhakiki kama kwa ununuzi wa mwisho
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Kiwango cha uhakiki kama kwa ununuzi wa mwisho
 DocType: Donor,Donor Type,Aina ya wafadhili
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Rudia tena hati iliyosasishwa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Rudia tena hati iliyosasishwa
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Mizani
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Tafadhali chagua Kampuni
 DocType: Job Card,Job Card,Kadi ya Kazi
@@ -6560,7 +6631,7 @@
 DocType: Assessment Result,Total Score,Jumla ya alama
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 kiwango
 DocType: Journal Entry,Debit Note,Kumbuka Debit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Unaweza tu kukomboa max {0} pointi kwa utaratibu huu.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Unaweza tu kukomboa max {0} pointi kwa utaratibu huu.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP -YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Tafadhali ingiza Siri ya Watumiaji wa API
 DocType: Stock Entry,As per Stock UOM,Kama kwa Stock UOM
@@ -6573,10 +6644,11 @@
 DocType: Journal Entry,Total Debit,Debit Jumla
 DocType: Travel Request Costing,Sponsored Amount,Kiasi kilichopatiwa
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Ghala la Wafanyabiashara wa Malifadi
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Tafadhali chagua Mgonjwa
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Tafadhali chagua Mgonjwa
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Mtu wa Mauzo
 DocType: Hotel Room Package,Amenities,Huduma
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Kituo cha Bajeti na Gharama
+DocType: QuickBooks Migrator,Undeposited Funds Account,Akaunti ya Mfuko usiopuuzwa
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Kituo cha Bajeti na Gharama
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Njia ya malipo ya malipo ya kuruhusiwa haiwezi kuruhusiwa
 DocType: Sales Invoice,Loyalty Points Redemption,Ukombozi wa Ukweli wa Ukweli
 ,Appointment Analytics,Uchambuzi wa Uteuzi
@@ -6590,6 +6662,7 @@
 DocType: Batch,Manufacturing Date,Tarehe ya Uzalishaji
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Uumbaji wa Ada Imeshindwa
 DocType: Opening Invoice Creation Tool,Create Missing Party,Unda Chama Chache
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Jumla ya Bajeti
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Acha tupu ikiwa unafanya makundi ya wanafunzi kwa mwaka
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ikiwa hunakiliwa, Jumla ya. ya siku za kazi zitajumuisha likizo, na hii itapunguza thamani ya mshahara kwa siku"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Programu za kutumia kitufe cha sasa hazitaweza kufikia, una uhakika?"
@@ -6605,20 +6678,19 @@
 DocType: Opportunity Item,Basic Rate,Kiwango cha Msingi
 DocType: GL Entry,Credit Amount,Mikopo
 DocType: Cheque Print Template,Signatory Position,Hali ya Ishara
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Weka kama Imepotea
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Weka kama Imepotea
 DocType: Timesheet,Total Billable Hours,Masaa Yote ya Billable
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Idadi ya siku ambazo msajili anapaswa kulipa ankara zinazozalishwa na usajili huu
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Maelezo ya Maombi ya Faida ya Wafanyakazi
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Kumbuka Receipt Kumbuka
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Hii inategemea shughuli za Wateja hii. Tazama kalenda ya chini kwa maelezo zaidi
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Kiasi kilichowekwa {1} lazima kiwe chini au kinalingana na Kiasi cha Kuingia kwa Malipo {2}
 DocType: Program Enrollment Tool,New Academic Term,Muda Mpya wa Elimu
 ,Course wise Assessment Report,Njia ya Ripoti ya Tathmini ya busara
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Imepatikana ITC Jimbo / UT Kodi
 DocType: Tax Rule,Tax Rule,Kanuni ya Ushuru
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Kudumisha Kiwango Chake Katika Mzunguko wa Mauzo
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Tafadhali ingia kama mtumiaji mwingine kujiandikisha kwenye Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Tafadhali ingia kama mtumiaji mwingine kujiandikisha kwenye Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Panga magogo ya wakati nje ya Masaa ya kazi ya Kazini.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Wateja katika foleni
 DocType: Driver,Issuing Date,Tarehe ya Kutuma
@@ -6627,11 +6699,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Tuma Order hii Kazi ya usindikaji zaidi.
 ,Items To Be Requested,Vitu Ili Kuombwa
 DocType: Company,Company Info,Maelezo ya Kampuni
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Chagua au kuongeza mteja mpya
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Chagua au kuongeza mteja mpya
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Kituo cha gharama kinahitajika kuandika madai ya gharama
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Matumizi ya Fedha (Mali)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Hii inategemea mahudhurio ya Waajiriwa
-DocType: Assessment Result,Summary,Muhtasari
 DocType: Payment Request,Payment Request Type,Aina ya Ombi la Malipo
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Mark Attendance
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Akaunti ya Debit
@@ -6639,7 +6710,7 @@
 DocType: Additional Salary,Employee Name,Jina la Waajiriwa
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Mgahawa wa Uagizaji wa Kuagiza
 DocType: Purchase Invoice,Rounded Total (Company Currency),Jumla ya mviringo (Fedha la Kampuni)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Haiwezi kufunika kwa Kundi kwa sababu Aina ya Akaunti imechaguliwa.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Haiwezi kufunika kwa Kundi kwa sababu Aina ya Akaunti imechaguliwa.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} imebadilishwa. Tafadhali furahisha.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Waacha watumiaji wa kufanya Maombi ya Kuacha siku zifuatazo.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Iwapo muda usio na ukomo wa Pointi ya Uaminifu, endelea Muda wa Muda Uliopita tupu au 0."
@@ -6660,11 +6731,12 @@
 DocType: Asset,Out of Order,Nje ya Utaratibu
 DocType: Purchase Receipt Item,Accepted Quantity,Nambari iliyokubaliwa
 DocType: Projects Settings,Ignore Workstation Time Overlap,Kupuuza Muda wa Kazi ya Ufanyika
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Tafadhali weka Orodha ya likizo ya default kwa Waajiriwa {0} au Kampuni {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Tafadhali weka Orodha ya likizo ya default kwa Waajiriwa {0} au Kampuni {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} haipo
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Chagua Hesabu za Batch
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Kwa GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Kwa GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Miradi iliyotolewa kwa Wateja.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Uteuzi wa ankara Moja kwa moja
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id ya Mradi
 DocType: Salary Component,Variable Based On Taxable Salary,Tofauti kulingana na Mshahara wa Ushuru
 DocType: Company,Basic Component,Msingi wa Msingi
@@ -6677,10 +6749,10 @@
 DocType: Stock Entry,Source Warehouse Address,Anwani ya Ghala la Chanzo
 DocType: GL Entry,Voucher Type,Aina ya Voucher
 DocType: Amazon MWS Settings,Max Retry Limit,Upeo wa Max Retry
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Orodha ya Bei haipatikani au imezimwa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Orodha ya Bei haipatikani au imezimwa
 DocType: Student Applicant,Approved,Imekubaliwa
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Bei
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Wafanyakazi waliondolewa kwenye {0} lazima waweke kama &#39;kushoto&#39;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Wafanyakazi waliondolewa kwenye {0} lazima waweke kama &#39;kushoto&#39;
 DocType: Marketplace Settings,Last Sync On,Mwisho Sync On
 DocType: Guardian,Guardian,Mlezi
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Mawasiliano yote ikiwa ni pamoja na hapo juu itahamishwa kwenye suala jipya
@@ -6703,14 +6775,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Orodha ya magonjwa wanaona kwenye shamba. Ukichaguliwa itaongeza moja kwa moja orodha ya kazi ili kukabiliana na ugonjwa huo
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Hii ni kitengo cha huduma ya afya ya mizizi na haiwezi kuhaririwa.
 DocType: Asset Repair,Repair Status,Hali ya Ukarabati
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Ongeza Washirika wa Mauzo
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Injili ya mwandishi wa habari.
 DocType: Travel Request,Travel Request,Ombi la Kusafiri
 DocType: Delivery Note Item,Available Qty at From Warehouse,Uchina Inapatikana Kutoka Kwenye Ghala
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Tafadhali chagua Rekodi ya Waajiri kwanza.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Mahudhurio hayajawasilishwa kwa {0} kama likizo.
 DocType: POS Profile,Account for Change Amount,Akaunti ya Kiasi cha Mabadiliko
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Kuunganisha kwa QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Jumla ya Kupata / Kupoteza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Kampuni isiyo sahihi ya Invoice ya Kampuni ya Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Kampuni isiyo sahihi ya Invoice ya Kampuni ya Inter.
 DocType: Purchase Invoice,input service,huduma ya pembejeo
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Chama / Akaunti hailingani na {1} / {2} katika {3} {4}
 DocType: Employee Promotion,Employee Promotion,Kukuza waajiriwa
@@ -6719,12 +6793,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Msimbo wa Kozi:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Tafadhali ingiza Akaunti ya gharama
 DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Aina ya Kumbukumbu ya Kumbukumbu inapaswa kuwa moja ya Utaratibu wa Ununuzi, Invoice ya Ununuzi au Ingia ya Jarida"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Aina ya Kumbukumbu ya Kumbukumbu inapaswa kuwa moja ya Utaratibu wa Ununuzi, Invoice ya Ununuzi au Ingia ya Jarida"
 DocType: Employee,Current Address,Anuani ya sasa
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ikiwa kipengee ni tofauti ya kipengee kingine basi maelezo, picha, bei, kodi nk zitawekwa kutoka template isipokuwa waziwazi"
 DocType: Serial No,Purchase / Manufacture Details,Maelezo ya Ununuzi / Utengenezaji
 DocType: Assessment Group,Assessment Group,Kundi la Tathmini
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Orodha ya Kundi
+DocType: Supplier,GST Transporter ID,Kitambulisho cha GST Transporter
 DocType: Procedure Prescription,Procedure Name,Jina la utaratibu
 DocType: Employee,Contract End Date,Tarehe ya Mwisho wa Mkataba
 DocType: Amazon MWS Settings,Seller ID,Kitambulisho cha muuzaji
@@ -6744,12 +6819,12 @@
 DocType: Company,Date of Incorporation,Tarehe ya Kuingizwa
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Jumla ya Ushuru
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Bei ya Ununuzi ya Mwisho
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Kwa Wingi (Uchina uliofanywa) ni lazima
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Kwa Wingi (Uchina uliofanywa) ni lazima
 DocType: Stock Entry,Default Target Warehouse,Ghala la Ghala la Kawaida
 DocType: Purchase Invoice,Net Total (Company Currency),Jumla ya Net (Kampuni ya Fedha)
 DocType: Delivery Note,Air,Air
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Tarehe ya Mwisho wa Mwaka haiwezi kuwa mapema kuliko Tarehe ya Mwanzo wa Mwaka. Tafadhali tengeneza tarehe na jaribu tena.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} sio orodha ya likizo ya hiari
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} sio orodha ya likizo ya hiari
 DocType: Notification Control,Purchase Receipt Message,Ujumbe wa Receipt ya Ununuzi
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Vipande vya Vipande
@@ -6771,23 +6846,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Utekelezaji
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Kwenye Mshahara Uliopita
 DocType: Item,Has Expiry Date,Ina Tarehe ya Muda
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Weka Malipo
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Weka Malipo
 DocType: POS Profile,POS Profile,Profaili ya POS
 DocType: Training Event,Event Name,Jina la Tukio
 DocType: Healthcare Practitioner,Phone (Office),Simu (Ofisi)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Haiwezi Kuwasilisha, Wafanyakazi wameachwa kuashiria washiriki"
 DocType: Inpatient Record,Admission,Uingizaji
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Kukubali kwa {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Msimu wa kuweka bajeti, malengo nk."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Msimu wa kuweka bajeti, malengo nk."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Jina linalofautiana
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Kipengee {0} ni template, tafadhali chagua moja ya vipengele vyake"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Tafadhali kuanzisha Mfumo wa Jina la Waajiriwa katika Rasilimali za Binadamu&gt; Mipangilio ya HR
+DocType: Purchase Invoice Item,Deferred Expense,Gharama zilizochaguliwa
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Kutoka tarehe {0} haiwezi kuwa kabla ya tarehe ya kujiunga na mfanyakazi {1}
 DocType: Asset,Asset Category,Jamii ya Mali
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Mshahara wa Net hauwezi kuwa hasi
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Mshahara wa Net hauwezi kuwa hasi
 DocType: Purchase Order,Advance Paid,Ilipwa kulipwa
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Asilimia ya upungufu kwa Uagizaji wa Mauzo
 DocType: Item,Item Tax,Kodi ya Item
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Nyenzo kwa Wafanyabiashara
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Nyenzo kwa Wafanyabiashara
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Mipango ya Kuomba Nyenzo
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Ankara ya ushuru
@@ -6809,10 +6886,10 @@
 DocType: Scheduling Tool,Scheduling Tool,Kitabu cha Mpangilio
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kadi ya Mikopo
 DocType: BOM,Item to be manufactured or repacked,Kipengee cha kutengenezwa au kupakiwa
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Hitilafu ya Syntax kwa hali: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Hitilafu ya Syntax kwa hali: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Majukumu makubwa / Chaguo
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Tafadhali Weka Kikundi cha Wasambazaji katika Mipangilio ya Ununuzi.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Tafadhali Weka Kikundi cha Wasambazaji katika Mipangilio ya Ununuzi.
 DocType: Sales Invoice Item,Drop Ship,Turua Utoaji
 DocType: Driver,Suspended,Imesimamishwa
 DocType: Training Event,Attendees,Waliohudhuria
@@ -6831,7 +6908,7 @@
 DocType: Customer,Commission Rate,Kiwango cha Tume
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Imeingia vyeo vya malipo ya ufanisi
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Iliunda {0} alama za alama kwa {1} kati ya:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Fanya Tofauti
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Fanya Tofauti
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Aina ya Malipo lazima iwe moja ya Kupokea, Kulipa na Uhamisho wa Ndani"
 DocType: Travel Itinerary,Preferred Area for Lodging,Eneo Lolote la Kuingia
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6842,7 +6919,7 @@
 DocType: Work Order,Actual Operating Cost,Gharama halisi ya uendeshaji
 DocType: Payment Entry,Cheque/Reference No,Angalia / Kumbukumbu Hapana
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Mizizi haiwezi kuhaririwa.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Mizizi haiwezi kuhaririwa.
 DocType: Item,Units of Measure,Units of Measure
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Ilipatikana katika Metro City
 DocType: Supplier,Default Tax Withholding Config,Mpangilio wa Kuzuia Ushuru wa Kutoka
@@ -6860,21 +6937,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Baada ya kukamilika kwa malipo kulirejesha mtumiaji kwenye ukurasa uliochaguliwa.
 DocType: Company,Existing Company,Kampuni iliyopo
 DocType: Healthcare Settings,Result Emailed,Matokeo yamefunuliwa
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Jamii ya Kodi imebadilishwa kuwa &quot;Jumla&quot; kwa sababu Vitu vyote si vitu vya hisa
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Jamii ya Kodi imebadilishwa kuwa &quot;Jumla&quot; kwa sababu Vitu vyote si vitu vya hisa
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Hadi sasa haiwezi kuwa sawa au chini kuliko tarehe
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Hakuna mabadiliko
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Tafadhali chagua faili ya csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Tafadhali chagua faili ya csv
 DocType: Holiday List,Total Holidays,Jumla ya Likizo
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Halafu ya template ya barua pepe ya kupeleka. Tafadhali weka moja kwenye Mipangilio ya Utoaji.
 DocType: Student Leave Application,Mark as Present,Mark kama sasa
 DocType: Supplier Scorecard,Indicator Color,Rangi ya Kiashiria
 DocType: Purchase Order,To Receive and Bill,Kupokea na Bill
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd kwa tarehe haiwezi kuwa kabla ya Tarehe ya Ushirika
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd kwa tarehe haiwezi kuwa kabla ya Tarehe ya Ushirika
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Bidhaa zilizojitokeza
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Chagua Serial No
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Chagua Serial No
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Muumbaji
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Masharti na Masharti Kigezo
 DocType: Serial No,Delivery Details,Maelezo ya utoaji
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Kituo cha gharama kinahitajika kwenye mstari {0} katika meza ya kodi kwa aina {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Kituo cha gharama kinahitajika kwenye mstari {0} katika meza ya kodi kwa aina {1}
 DocType: Program,Program Code,Kanuni ya Programu
 DocType: Terms and Conditions,Terms and Conditions Help,Masharti na Masharti Msaada
 ,Item-wise Purchase Register,Rejista ya Ununuzi wa hekima
@@ -6887,15 +6965,16 @@
 DocType: Contract,Contract Terms,Masharti ya Mkataba
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Uonyeshe alama yoyote kama $ nk karibu na sarafu.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Ufikiaji wa kiwango kikubwa cha sehemu {0} unazidi {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),Nusu Siku
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),Nusu Siku
 DocType: Payment Term,Credit Days,Siku za Mikopo
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Tafadhali chagua Mgonjwa kupata Majaribio ya Lab
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Fanya Kundi la Mwanafunzi
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Ruhusu Uhamishaji wa Utengenezaji
 DocType: Leave Type,Is Carry Forward,Inaendelea mbele
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Pata Vitu kutoka kwa BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Pata Vitu kutoka kwa BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Siku za Kiongozi
 DocType: Cash Flow Mapping,Is Income Tax Expense,"Je, gharama ya Kodi ya Mapato"
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Amri yako ni nje ya utoaji!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Tarehe ya Kuweka lazima iwe sawa na tarehe ya ununuzi {1} ya mali {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Angalia hii ikiwa Mwanafunzi anaishi katika Hosteli ya Taasisi.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Tafadhali ingiza Amri za Mauzo kwenye jedwali hapo juu
@@ -6903,10 +6982,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Tumia mali kutoka kwa ghala moja hadi nyingine
 DocType: Vehicle,Petrol,Petroli
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Faida iliyobaki (kwa mwaka)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Sheria ya Vifaa
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Sheria ya Vifaa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Aina ya Chama na Chama inahitajika kwa Akaunti ya Kupokea / Kulipa {1}
 DocType: Employee,Leave Policy,Acha Sera
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Vipengele vya Mwisho
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Vipengele vya Mwisho
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Tarehe ya Marehemu
 DocType: Employee,Reason for Leaving,Sababu ya Kuacha
 DocType: BOM Operation,Operating Cost(Company Currency),Gharama za Uendeshaji (Fedha la Kampuni)
@@ -6917,7 +6996,7 @@
 DocType: Department,Expense Approvers,Vidokezo vya gharama
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: Uingizaji wa malipo hauwezi kuunganishwa na {1}
 DocType: Journal Entry,Subscription Section,Sehemu ya Usajili
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Akaunti {0} haipo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Akaunti {0} haipo
 DocType: Training Event,Training Program,Programu ya Mafunzo
 DocType: Account,Cash,Fedha
 DocType: Employee,Short biography for website and other publications.,Wasifu mfupi wa tovuti na machapisho mengine.
diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv
index a182867..976d4da 100644
--- a/erpnext/translations/ta.csv
+++ b/erpnext/translations/ta.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,வாடிக்கையாளர் பொருட்கள்
 DocType: Project,Costing and Billing,செலவு மற்றும் பில்லிங்
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},முன்னோக்கி கணக்கு நாணய நிறுவனம் நாணயமாக இருக்க வேண்டும் {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,கணக்கு {0}: பெற்றோர் கணக்கு {1} ஒரு பேரேட்டில் இருக்க முடியாது
+DocType: QuickBooks Migrator,Token Endpoint,டோக்கன் இறுதிநிலை
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,கணக்கு {0}: பெற்றோர் கணக்கு {1} ஒரு பேரேட்டில் இருக்க முடியாது
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com செய்ய உருப்படியை வெளியிட
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,செயலில் விடுப்பு காலம் கண்டுபிடிக்க முடியவில்லை
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,செயலில் விடுப்பு காலம் கண்டுபிடிக்க முடியவில்லை
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,மதிப்பீட்டு
 DocType: Item,Default Unit of Measure,மெஷர் முன்னிருப்பு அலகு
 DocType: SMS Center,All Sales Partner Contact,அனைத்து விற்பனை வரன்வாழ்க்கை துணை தொடர்பு
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,சேர் என்பதை கிளிக் செய்யவும்
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","கடவுச்சொல், API விசை அல்லது Shopify URL க்கான மதிப்பு இல்லை"
 DocType: Employee,Rented,வாடகைக்கு
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,அனைத்து கணக்குகளும்
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,அனைத்து கணக்குகளும்
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,பணியாளர் நிலையை இடதுடன் மாற்ற முடியாது
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","நிறுத்தி உற்பத்தி ஆணை ரத்து செய்ய முடியாது, ரத்து செய்ய முதலில் அதை தடை இல்லாத"
 DocType: Vehicle Service,Mileage,மைலேஜ்
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,நீங்கள் உண்மையில் இந்த சொத்து கைவிட்டால் செய்ய விரும்புகிறீர்களா?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,நீங்கள் உண்மையில் இந்த சொத்து கைவிட்டால் செய்ய விரும்புகிறீர்களா?
 DocType: Drug Prescription,Update Schedule,புதுப்பிப்பு அட்டவணை
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,இயல்புநிலை சப்ளையர் தேர்வு
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,பணியாளரைக் காட்டு
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,புதிய பரிவர்த்தனை விகிதம்
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},நாணய விலை பட்டியல் தேவையான {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},நாணய விலை பட்டியல் தேவையான {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* பரிமாற்றத்தில் கணக்கிடப்படுகிறது.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-டிடி-.YYYY.-
 DocType: Purchase Order,Customer Contact,வாடிக்கையாளர் தொடர்பு
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,இந்த சப்ளையர் எதிராக பரிமாற்றங்கள் அடிப்படையாக கொண்டது. விவரங்கள் கீழே காலவரிசை பார்க்க
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,வேலை ஆணைக்கான அதிக உற்பத்தி சதவீதம்
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-சேர்ந்து தயாரிப்பில் ஈடுபட்டுள்ளதாக-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,சட்ட
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,சட்ட
+DocType: Delivery Note,Transport Receipt Date,போக்குவரத்து ரசீது தேதி
 DocType: Shopify Settings,Sales Order Series,விற்பனை வரிசை வரிசை
 DocType: Vital Signs,Tongue,தாய்மொழி
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,18 +61,18 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA விலக்கு
 DocType: Sales Invoice,Customer Name,வாடிக்கையாளர் பெயர்
 DocType: Vehicle,Natural Gas,இயற்கை எரிவாயு
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},வங்கி கணக்கு என பெயரிடப்பட்டது {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},வங்கி கணக்கு என பெயரிடப்பட்டது {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,சம்பள கட்டமைப்புப்படி HRA
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"தலைவர்கள் (குழுக்களின்) எதிராக, 
 கணக்கு  பதிவுகள் செய்யப்படுகின்றன மற்றும் சமநிலைகள் பராமரிக்கப்படுகிறது."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),சிறந்த {0} பூஜ்யம் விட குறைவாக இருக்க முடியாது ( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,சேவையின் தொடக்க தேதிக்கு முன்பாக சேவை நிறுத்த தேதி இருக்கக்கூடாது
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,சேவையின் தொடக்க தேதிக்கு முன்பாக சேவை நிறுத்த தேதி இருக்கக்கூடாது
 DocType: Manufacturing Settings,Default 10 mins,10 நிமிடங்கள் இயல்புநிலை
 DocType: Leave Type,Leave Type Name,வகை பெயர் விட்டு
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,திறந்த காட்டு
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,திறந்த காட்டு
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,தொடர் வெற்றிகரமாக புதுப்பிக்கப்பட்டது
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,வெளியேறுதல்
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} வரிசையில் {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} வரிசையில் {0}
 DocType: Asset Finance Book,Depreciation Start Date,மறுதொடக்கம் தொடக்க தேதி
 DocType: Pricing Rule,Apply On,விண்ணப்பிக்க
 DocType: Item Price,Multiple Item prices.,பல பொருள் விலை .
@@ -79,7 +81,7 @@
 DocType: Support Settings,Support Settings,ஆதரவு அமைப்புகள்
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,எதிர்பார்த்த முடிவு தேதி எதிர்பார்க்கப்படுகிறது தொடக்க தேதி விட குறைவாக இருக்க முடியாது
 DocType: Amazon MWS Settings,Amazon MWS Settings,அமேசான் MWS அமைப்புகள்
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ரோ # {0}: விகிதம் அதே இருக்க வேண்டும் {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ரோ # {0}: விகிதம் அதே இருக்க வேண்டும் {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,தொகுதி பொருள் காலாவதியாகும் நிலை
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,வங்கி உண்டியல்
 DocType: Journal Entry,ACC-JV-.YYYY.-,ஏசிசி-கூட்டுத் தொழில்-.YYYY.-
@@ -106,7 +108,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,முதன்மை தொடர்பு விவரங்கள்
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,திறந்த சிக்கல்கள்
 DocType: Production Plan Item,Production Plan Item,உற்பத்தி திட்டம் பொருள்
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},பயனர் {0} ஏற்கனவே பணியாளர் ஒதுக்கப்படும் {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},பயனர் {0} ஏற்கனவே பணியாளர் ஒதுக்கப்படும் {1}
 DocType: Lab Test Groups,Add new line,புதிய வரி சேர்க்கவும்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,உடல்நலம்
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),கட்டணம் தாமதம் (நாட்கள்)
@@ -116,12 +118,11 @@
 DocType: Lab Prescription,Lab Prescription,லேப் பரிந்துரைப்பு
 ,Delay Days,தாமதம் நாட்கள்
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,சேவை செலவு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},வரிசை எண்: {0} ஏற்கனவே விற்பனை விலைப்பட்டியல் குறிக்கப்படுகிறது உள்ளது: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},வரிசை எண்: {0} ஏற்கனவே விற்பனை விலைப்பட்டியல் குறிக்கப்படுகிறது உள்ளது: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,விலைப்பட்டியல்
 DocType: Purchase Invoice Item,Item Weight Details,பொருள் எடை விவரங்கள்
 DocType: Asset Maintenance Log,Periodicity,வட்டம்
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,நிதியாண்டு {0} தேவையான
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,சப்ளையர்&gt; சப்ளையர் குழு
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,உகந்த வளர்ச்சிக்கு தாவரங்களின் வரிசைகள் இடையே குறைந்தபட்ச தூரம்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,பாதுகாப்பு
 DocType: Salary Component,Abbr,சுருக்கம்
@@ -140,11 +141,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,ஹெச்எல்சி-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,விடுமுறை பட்டியல்
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,கணக்கர்
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,விலை பட்டியல் விற்பனை
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,விலை பட்டியல் விற்பனை
 DocType: Patient,Tobacco Current Use,புகையிலை தற்போதைய பயன்பாடு
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,விலை விற்பனை
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,விலை விற்பனை
 DocType: Cost Center,Stock User,பங்கு பயனர்
 DocType: Soil Analysis,(Ca+Mg)/K,(+ எம்ஜி CA) / கே
+DocType: Delivery Stop,Contact Information,தொடர்பு தகவல்
 DocType: Company,Phone No,இல்லை போன்
 DocType: Delivery Trip,Initial Email Notification Sent,ஆரம்ப மின்னஞ்சல் அறிவிப்பு அனுப்பப்பட்டது
 DocType: Bank Statement Settings,Statement Header Mapping,அறிக்கை தலைப்பு மேப்பிங்
@@ -168,12 +170,11 @@
 DocType: Subscription,Subscription Start Date,சந்தா தொடக்க தேதி
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"நியமனம் கட்டணங்கள் பதிவு செய்ய நோயாளிக்கு அமைக்கப்படாவிட்டால், இயலக்கூடிய பெறத்தக்க கணக்குகள் பயன்படுத்தப்பட வேண்டும்."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","இரண்டு பத்திகள், பழைய பெயர் ஒரு புதிய பெயர் ஒன்று CSV கோப்பு இணைக்கவும்"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,முகவரி 2 லிருந்து
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,பொருள் குறியீடு&gt; பொருள் குழு&gt; பிராண்ட்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,முகவரி 2 லிருந்து
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} எந்த செயலில் நிதியாண்டு இல்லை.
 DocType: Packed Item,Parent Detail docname,பெற்றோர் விரிவாக docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",குறிப்பு: {0} பொருள் குறியீடு: {1} மற்றும் வாடிக்கையாளர்: {2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} பெற்றோர் நிறுவனத்தில் இல்லை
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} பெற்றோர் நிறுவனத்தில் இல்லை
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,சோதனை காலம் முடிவடையும் தேதி சோதனை காலம் தொடங்கும் தேதிக்கு முன்பாக இருக்க முடியாது
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,கிலோ
 DocType: Tax Withholding Category,Tax Withholding Category,வரி விலக்கு பிரிவு
@@ -189,12 +190,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,விளம்பரம்
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,அதே நிறுவனம் ஒன்றுக்கு மேற்பட்ட முறை உள்ளிட்ட
 DocType: Patient,Married,திருமணம்
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},அனுமதி இல்லை {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},அனுமதி இல்லை {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,இருந்து பொருட்களை பெற
 DocType: Price List,Price Not UOM Dependant,விலை இல்லை UOM சார்ந்த
 DocType: Purchase Invoice,Apply Tax Withholding Amount,வரி விலக்கு தொகை தொகை விண்ணப்பிக்கவும்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,மொத்த தொகை பாராட்டப்பட்டது
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,மொத்த தொகை பாராட்டப்பட்டது
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},தயாரிப்பு {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,உருப்படிகள் எதுவும் பட்டியலிடப்படவில்லை
 DocType: Asset Repair,Error Description,பிழை விளக்கம்
@@ -208,8 +209,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,தனிப்பயன் காசுப் பாய்ச்சல் வடிவமைப்பு பயன்படுத்தவும்
 DocType: SMS Center,All Sales Person,அனைத்து விற்பனை நபர்
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** மாதாந்திர விநியோகம் ** நீங்கள் உங்கள் வணிக பருவகால இருந்தால் நீங்கள் மாதங்கள் முழுவதும் பட்ஜெட் / இலக்கு விநியோகிக்க உதவுகிறது.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,பொருட்களை காணவில்லை
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,சம்பளத் திட்டத்தை காணாமல்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,பொருட்களை காணவில்லை
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,சம்பளத் திட்டத்தை காணாமல்
 DocType: Lead,Person Name,நபர் பெயர்
 DocType: Sales Invoice Item,Sales Invoice Item,விற்பனை விலைப்பட்டியல் பொருள்
 DocType: Account,Credit,கடன்
@@ -218,19 +219,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,பங்கு அறிக்கைகள்
 DocType: Warehouse,Warehouse Detail,சேமிப்பு கிடங்கு விரிவாக
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,கால முடிவு தேதி பின்னர் கால இணைக்கப்பட்ட செய்ய கல்வியாண்டின் ஆண்டு முடிவு தேதி விட முடியாது (கல்வி ஆண்டு {}). தேதிகள் சரிசெய்து மீண்டும் முயற்சிக்கவும்.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;நிலையான சொத்து உள்ளது&quot; சொத்து சாதனை உருப்படியை எதிராக உள்ளது என, நீக்கம் செய்ய முடியாது"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;நிலையான சொத்து உள்ளது&quot; சொத்து சாதனை உருப்படியை எதிராக உள்ளது என, நீக்கம் செய்ய முடியாது"
 DocType: Delivery Trip,Departure Time,புறப்படும் நேரம்
 DocType: Vehicle Service,Brake Oil,பிரேக் ஆயில்
 DocType: Tax Rule,Tax Type,வரி வகை
 ,Completed Work Orders,முடிக்கப்பட்ட வேலை ஆணைகள்
 DocType: Support Settings,Forum Posts,கருத்துக்களம் இடுகைகள்
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,வரிவிதிக்கத்தக்க தொகை
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,வரிவிதிக்கத்தக்க தொகை
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},நீங்கள் முன் உள்ளீடுகளை சேர்க்க அல்லது மேம்படுத்தல் அங்கீகாரம் இல்லை {0}
 DocType: Leave Policy,Leave Policy Details,கொள்கை விவரங்களை விடு
 DocType: BOM,Item Image (if not slideshow),பொருள் படம் (இல்லையென்றால் ஸ்லைடுஷோ)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(அவ்வேளை விகிதம் / 60) * உண்மையான நடவடிக்கையை நேரம்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,வரிசை # {0}: குறிப்பு ஆவண வகை செலவுக் கோரிக்கை அல்லது பத்திரிகை நுழைவு ஒன்றில் இருக்க வேண்டும்
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM தேர்வு
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,வரிசை # {0}: குறிப்பு ஆவண வகை செலவுக் கோரிக்கை அல்லது பத்திரிகை நுழைவு ஒன்றில் இருக்க வேண்டும்
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM தேர்வு
 DocType: SMS Log,SMS Log,எஸ்எம்எஸ் புகுபதிகை
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,வழங்கப்படுகிறது பொருட்களை செலவு
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} விடுமுறை வரம்பு தேதி தேதி இடையே அல்ல
@@ -239,16 +240,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,சப்ளையர் தரவரிசை வார்ப்புகள்.
 DocType: Lead,Interested,அக்கறை உள்ள
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,திறப்பு
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},இருந்து {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},இருந்து {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,திட்டம்:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,வரிகளை அமைப்பதில் தோல்வி
 DocType: Item,Copy From Item Group,பொருள் குழு நகல்
-DocType: Delivery Trip,Delivery Notification,டெலிவரி அறிவிப்பு
 DocType: Journal Entry,Opening Entry,திறப்பு நுழைவு
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,கணக்கு சம்பளம்
 DocType: Loan,Repay Over Number of Periods,திருப்பி பாடவேளைகள் ஓவர் எண்
 DocType: Stock Entry,Additional Costs,கூடுதல் செலவுகள்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,ஏற்கனவே பரிவர்த்தனை கணக்கு குழு மாற்றப்பட முடியாது .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,ஏற்கனவே பரிவர்த்தனை கணக்கு குழு மாற்றப்பட முடியாது .
 DocType: Lead,Product Enquiry,தயாரிப்பு விசாரணை
 DocType: Education Settings,Validate Batch for Students in Student Group,மாணவர் குழுமத்தின் மாணவர்களுக்கான தொகுதி சரிபார்க்கவும்
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},ஊழியர் காணப்படவில்லை விடுப்பு குறிப்பிடும் வார்த்தைகளோ {0} க்கான {1}
@@ -256,7 +256,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,முதல் நிறுவனம் உள்ளிடவும்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,முதல் நிறுவனம் தேர்ந்தெடுக்கவும்
 DocType: Employee Education,Under Graduate,பட்டதாரி கீழ்
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,HR அமைப்புகளில் விடுப்பு நிலை அறிவிப்புக்கான இயல்புநிலை வார்ப்புருவை அமைக்கவும்.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,HR அமைப்புகளில் விடுப்பு நிலை அறிவிப்புக்கான இயல்புநிலை வார்ப்புருவை அமைக்கவும்.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,இலக்கு
 DocType: BOM,Total Cost,மொத்த செலவு
 DocType: Soil Analysis,Ca/K,Ca / கே
@@ -269,7 +269,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,கணக்கு அறிக்கை
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,மருந்துப்பொருள்கள்
 DocType: Purchase Invoice Item,Is Fixed Asset,நிலையான சொத்து உள்ளது
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","கிடைக்கும் தரமான {0}, உங்களுக்கு தேவையான {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","கிடைக்கும் தரமான {0}, உங்களுக்கு தேவையான {1}"
 DocType: Expense Claim Detail,Claim Amount,உரிமை தொகை
 DocType: Patient,HLC-PAT-.YYYY.-,ஹெச்எல்சி-பிஏடி-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},வேலை ஆணை {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,தர ஆய்வு டெம்ப்ளேட்
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",நீங்கள் வருகை புதுப்பிக்க விரும்புகிறீர்களா? <br> தற்போதைய: {0} \ <br> இருக்காது: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ஏற்கப்பட்டது + நிராகரிக்கப்பட்டது அளவு பொருள் பெறப்பட்டது அளவு சமமாக இருக்க வேண்டும் {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ஏற்கப்பட்டது + நிராகரிக்கப்பட்டது அளவு பொருள் பெறப்பட்டது அளவு சமமாக இருக்க வேண்டும் {0}
 DocType: Item,Supply Raw Materials for Purchase,வழங்கல் மூலப்பொருட்கள் வாங்க
 DocType: Agriculture Analysis Criteria,Fertilizer,உர
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",சீரியல் எண் மூலம் \ item {0} உடன் வழங்கப்பட்டதை உறுதி செய்ய முடியாது \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,கட்டணம் குறைந்தது ஒரு முறை பிஓஎஸ் விலைப்பட்டியல் தேவைப்படுகிறது.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,கட்டணம் குறைந்தது ஒரு முறை பிஓஎஸ் விலைப்பட்டியல் தேவைப்படுகிறது.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,வங்கி அறிக்கை பரிவர்த்தனை விலைப்பட்டியல் பொருள்
 DocType: Products Settings,Show Products as a List,நிகழ்ச்சி பொருட்கள் ஒரு பட்டியல்
 DocType: Salary Detail,Tax on flexible benefit,நெகிழ்வான பயன் மீது வரி
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,வேறுபாடு
 DocType: Production Plan,Material Request Detail,பொருள் கோரிக்கை விரிவாக
 DocType: Selling Settings,Default Quotation Validity Days,இயல்புநிலை மேற்கோள் செல்லுபடியாகும் நாட்கள்
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது"
 DocType: SMS Center,SMS Center,எஸ்எம்எஸ் மையம்
 DocType: Payroll Entry,Validate Attendance,கலந்துகொள்வதை உறுதிப்படுத்துக
 DocType: Sales Invoice,Change Amount,அளவு மாற்ற
 DocType: Party Tax Withholding Config,Certificate Received,சான்றிதழ் பெறப்பட்டது
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C க்கான விலைப்பட்டியல் மதிப்பு. B2CL மற்றும் B2CS இந்த விலைப்பட்டியல் மதிப்பு அடிப்படையில் கணக்கிடப்படுகிறது.
 DocType: BOM Update Tool,New BOM,புதிய BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,பரிந்துரைக்கப்பட்ட நடைமுறைகள்
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,பரிந்துரைக்கப்பட்ட நடைமுறைகள்
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,POS ஐ மட்டும் காட்டு
 DocType: Supplier Group,Supplier Group Name,சப்ளையர் குழு பெயர்
 DocType: Driver,Driving License Categories,உரிமம் வகைகளை டிரைவிங்
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,சம்பள காலங்கள்
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,பணியாளர் செய்ய
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,ஒலிபரப்புதல்
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS இன் அமைவு முறை (ஆன்லைன் / ஆஃப்லைன்)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS இன் அமைவு முறை (ஆன்லைன் / ஆஃப்லைன்)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,பணி ஆணைகளுக்கு எதிராக நேர பதிவுகளை உருவாக்குவதை முடக்குகிறது. வேலை ஆணைக்கு எதிராக செயல்பாடுகள் கண்காணிக்கப்படாது
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,நிர்வாகத்தினருக்கு
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,குலையை மூடுதல் மேற்கொள்ளப்படும்.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),விலை பட்டியல் விகிதம் தள்ளுபடி (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,பொருள் வார்ப்புரு
 DocType: Job Offer,Select Terms and Conditions,தேர்வு விதிமுறைகள் மற்றும் நிபந்தனைகள்
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,அவுட் மதிப்பு
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,அவுட் மதிப்பு
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,வங்கி அறிக்கை அமைப்புகள் பொருள்
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce அமைப்புகள்
 DocType: Production Plan,Sales Orders,விற்பனை ஆணைகள்
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,மேற்கோள் கோரிக்கை பின்வரும் இணைப்பை கிளிக் செய்வதன் மூலம் அணுக முடியும்
 DocType: SG Creation Tool Course,SG Creation Tool Course,எஸ்.ஜி. உருவாக்கக் கருவி பாடநெறி
 DocType: Bank Statement Transaction Invoice Item,Payment Description,பணம் விவரம்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,போதிய பங்கு
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,போதிய பங்கு
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,முடக்கு கொள்ளளவு திட்டமிடுதல் நேரம் டிராக்கிங்
 DocType: Email Digest,New Sales Orders,புதிய விற்பனை ஆணைகள்
 DocType: Bank Account,Bank Account,வங்கி கணக்கு
 DocType: Travel Itinerary,Check-out Date,வெளியேறும் தேதி
 DocType: Leave Type,Allow Negative Balance,எதிர்மறை இருப்பு அனுமதி
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',நீங்கள் திட்டம் வகை &#39;வெளிப்புற&#39; நீக்க முடியாது
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,மாற்று பொருள் தேர்ந்தெடு
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,மாற்று பொருள் தேர்ந்தெடு
 DocType: Employee,Create User,பயனர் உருவாக்கவும்
 DocType: Selling Settings,Default Territory,இயல்புநிலை பிரதேசம்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,தொலை காட்சி
 DocType: Work Order Operation,Updated via 'Time Log','டைம் பரிசீலனை' வழியாக புதுப்பிக்கப்பட்டது
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,வாடிக்கையாளர் அல்லது சப்ளையரை தேர்ந்தெடுக்கவும்.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},அட்வான்ஸ் தொகை விட அதிகமாக இருக்க முடியாது {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},அட்வான்ஸ் தொகை விட அதிகமாக இருக்க முடியாது {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","நேரம் ஸ்லாட் கைவிடப்பட்டது, {0} {1} க்கு {3}, {3}"
 DocType: Naming Series,Series List for this Transaction,இந்த பரிவர்த்தனை தொடர் பட்டியல்
 DocType: Company,Enable Perpetual Inventory,இடைவிடாத சரக்கு இயக்கு
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,விற்பனை விலைப்பட்டியல் பொருள் எதிராக
 DocType: Agriculture Analysis Criteria,Linked Doctype,இணைக்கப்பட்ட டாக்டைப்
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,கடன் இருந்து நிகர பண
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage முழு உள்ளது, காப்பாற்ற முடியவில்லை"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage முழு உள்ளது, காப்பாற்ற முடியவில்லை"
 DocType: Lead,Address & Contact,முகவரி மற்றும் தொடர்பு கொள்ள
 DocType: Leave Allocation,Add unused leaves from previous allocations,முந்தைய ஒதுக்கீடுகளை இருந்து பயன்படுத்தப்படாத இலைகள் சேர்க்கவும்
 DocType: Sales Partner,Partner website,பங்குதாரரான வலைத்தளத்தில்
@@ -446,10 +446,10 @@
 ,Open Work Orders,பணி ஆணைகளை திற
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,நோயாளி ஆலோசனை ஆலோசனை கட்டணம் பொருள்
 DocType: Payment Term,Credit Months,கடன் மாதங்கள்
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,நிகர சம்பளம் 0 விட குறைவாக இருக்க முடியாது
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,நிகர சம்பளம் 0 விட குறைவாக இருக்க முடியாது
 DocType: Contract,Fulfilled,நிறைவேறும்
 DocType: Inpatient Record,Discharge Scheduled,டிஸ்சார்ஜ் திட்டமிடப்பட்டது
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,தேதி நிவாரணத்தில் சேர தேதி விட அதிகமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,தேதி நிவாரணத்தில் சேர தேதி விட அதிகமாக இருக்க வேண்டும்
 DocType: POS Closing Voucher,Cashier,காசாளர்
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,வருடத்திற்கு விடுப்பு
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ரோ {0}: சரிபார்க்கவும் கணக்கு எதிராக 'அட்வான்ஸ்' என்ற {1} இந்த ஒரு முன்கூட்டியே நுழைவு என்றால்.
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,மாணவர் குழுக்களுக்கு கீழ் மாணவர்களை அமைத்திடுங்கள்
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,வேலை முடிந்தது
 DocType: Item Website Specification,Item Website Specification,பொருள் வலைத்தளம் குறிப்புகள்
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,தடுக்கப்பட்ட விட்டு
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},பொருள் {0} வாழ்க்கை அதன் இறுதியில் அடைந்துவிட்டது {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,தடுக்கப்பட்ட விட்டு
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},பொருள் {0} வாழ்க்கை அதன் இறுதியில் அடைந்துவிட்டது {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,வங்கி பதிவுகள்
 DocType: Customer,Is Internal Customer,உள் வாடிக்கையாளர்
 DocType: Crop,Annual,வருடாந்திர
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ஆட்டோ விருப்பம் சோதிக்கப்பட்டிருந்தால், வாடிக்கையாளர்கள் தானாகவே சம்பந்தப்பட்ட லாயல்டி திட்டத்துடன் இணைக்கப்படுவார்கள் (சேமிப்பில்)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,பங்கு நல்லிணக்க பொருள்
 DocType: Stock Entry,Sales Invoice No,விற்பனை விலைப்பட்டியல் இல்லை
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,வழங்கல் வகை
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,வழங்கல் வகை
 DocType: Material Request Item,Min Order Qty,குறைந்தபட்ச ஆணை அளவு
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,மாணவர் குழு உருவாக்கம் கருவி பாடநெறி
 DocType: Lead,Do Not Contact,தொடர்பு இல்லை
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,மையம் உள்ள வெளியிடு
 DocType: Student Admission,Student Admission,மாணவர் சேர்க்கை
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,பொருள் {0} ரத்து
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,பொருள் {0} ரத்து
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,தேய்மானம் வரிசை {0}: தேதியற்ற தொடக்க தேதி கடந்த தேதியன்று உள்ளிடப்பட்டுள்ளது
 DocType: Contract Template,Fulfilment Terms and Conditions,நிறைவேற்று விதிமுறைகள் மற்றும் நிபந்தனைகள்
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,பொருள் கோரிக்கை
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,பொருள் கோரிக்கை
 DocType: Bank Reconciliation,Update Clearance Date,இசைவு தேதி புதுப்பிக்க
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,கொள்முதல் விவரம்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},கொள்முதல் ஆணை உள்ள &#39;மூலப்பொருட்கள் சப்ளை&#39; அட்டவணை காணப்படவில்லை பொருள் {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},கொள்முதல் ஆணை உள்ள &#39;மூலப்பொருட்கள் சப்ளை&#39; அட்டவணை காணப்படவில்லை பொருள் {0} {1}
 DocType: Salary Slip,Total Principal Amount,மொத்த முதன்மை தொகை
 DocType: Student Guardian,Relation,உறவு
 DocType: Student Guardian,Mother,தாய்
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,கப்பல் உள்ளூரில்
 DocType: Currency Exchange,For Selling,விற்பனைக்கு
 apps/erpnext/erpnext/config/desktop.py +159,Learn,அறிய
+DocType: Purchase Invoice Item,Enable Deferred Expense,ஒத்திவைக்கப்பட்ட செலவை இயக்கு
 DocType: Asset,Next Depreciation Date,அடுத்த தேய்மானம் தேதி
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,பணியாளர் ஒன்றுக்கு நடவடிக்கை செலவு
 DocType: Accounts Settings,Settings for Accounts,கணக்குகளைத் அமைப்புகள்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},சப்ளையர் விலைப்பட்டியல் இல்லை கொள்முதல் விலைப்பட்டியல் உள்ளது {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},சப்ளையர் விலைப்பட்டியல் இல்லை கொள்முதல் விலைப்பட்டியல் உள்ளது {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,விற்பனை நபர் மரம் நிர்வகி .
 DocType: Job Applicant,Cover Letter,முகப்பு கடிதம்
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,மிகச்சிறந்த காசோலைகள் மற்றும் அழிக்க வைப்பு
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,வெளி வேலை வரலாறு
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,வட்ட குறிப்பு பிழை
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,மாணவர் அறிக்கை அட்டை
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,பின் குறியீடு இருந்து
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,பின் குறியீடு இருந்து
 DocType: Appointment Type,Is Inpatient,உள்நோயாளி
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 பெயர்
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,நீங்கள் டெலிவரி குறிப்பு சேமிக்க முறை வேர்ட்ஸ் (ஏற்றுமதி) காண முடியும்.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,பல நாணய
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,விலைப்பட்டியல் வகை
 DocType: Employee Benefit Claim,Expense Proof,செலவின ஆதாரம்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,டெலிவரி குறிப்பு
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},சேமித்தல் {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,டெலிவரி குறிப்பு
 DocType: Patient Encounter,Encounter Impression,மன அழுத்தத்தை எதிர்கொள்ளுங்கள்
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,வரி அமைத்தல்
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,விற்கப்பட்டது சொத்து செலவு
 DocType: Volunteer,Morning,காலை
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,நீங்கள் அதை இழுத்து பின்னர் கொடுப்பனவு நுழைவு மாற்றப்பட்டுள்ளது. மீண்டும் அதை இழுக்க கொள்ளவும்.
 DocType: Program Enrollment Tool,New Student Batch,புதிய மாணவர் பேட்ச்
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} பொருள் வரி இரண்டு முறை
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,இந்த வாரம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம்
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} பொருள் வரி இரண்டு முறை
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,இந்த வாரம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம்
 DocType: Student Applicant,Admitted,ஒப்பு
 DocType: Workstation,Rent Cost,வாடகை செலவு
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,தொகை தேய்மானம் பிறகு
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,தொகை தேய்மானம் பிறகு
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,எதிர்வரும் நாட்காட்டி நிகழ்வுகள்
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,மாற்று காரணிகள்
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,மாதம் மற்றும் ஆண்டு தேர்ந்தெடுக்கவும்
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},மட்டுமே கம்பெனி ஒன்றுக்கு 1 கணக்கு இருக்க முடியாது {0} {1}
 DocType: Support Search Source,Response Result Key Path,பதில் முடிவு விசை பாதை
 DocType: Journal Entry,Inter Company Journal Entry,இன்டர் கம்பெனி ஜர்னல் நுழைவு
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},அளவு {0} வேலை ஒழுங்கு அளவு விட சறுக்கல் இருக்க கூடாது {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,இணைப்பு பார்க்கவும்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},அளவு {0} வேலை ஒழுங்கு அளவு விட சறுக்கல் இருக்க கூடாது {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,இணைப்பு பார்க்கவும்
 DocType: Purchase Order,% Received,% பெறப்பட்டது
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,மாணவர் குழுக்கள் உருவாக்க
 DocType: Volunteer,Weekends,வார இறுதிநாட்கள்
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,மொத்த நிலுவை
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ஏற்கனவே தொடரில் தற்போதைய / தொடக்க வரிசை எண் மாற்ற.
 DocType: Dosage Strength,Strength,வலிமை
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ஒரு புதிய வாடிக்கையாளர் உருவாக்கவும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,ஒரு புதிய வாடிக்கையாளர் உருவாக்கவும்
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,காலாவதியாகும்
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","பல விலை விதிகள் நிலவும் தொடர்ந்து இருந்தால், பயனர்கள் முரண்பாட்டை தீர்க்க கைமுறையாக முன்னுரிமை அமைக்க கேட்கப்பட்டது."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,கொள்முதல் ஆணைகள் உருவாக்க
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,நுகர்வோர் விலை
 DocType: Purchase Receipt,Vehicle Date,வாகன தேதி
 DocType: Student Log,Medical,மருத்துவம்
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,இழந்து காரணம்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,மருந்துகளைத் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,இழந்து காரணம்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,மருந்துகளைத் தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,முன்னணி உரிமையாளர் முன்னணி அதே இருக்க முடியாது
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,ஒதுக்கப்பட்ட தொகை சரிசெய்யப்படாத  அளவு பெரியவனல்லவென்று முடியும்
 DocType: Announcement,Receiver,பெறுநர்
 DocType: Location,Area UOM,பகுதி UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},பணிநிலையம் விடுமுறை பட்டியல் படி பின்வரும் தேதிகளில் மூடப்பட்டுள்ளது {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,வாய்ப்புகள்
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,வாய்ப்புகள்
 DocType: Lab Test Template,Single,ஒற்றை
 DocType: Compensatory Leave Request,Work From Date,தேதி வேலை
 DocType: Salary Slip,Total Loan Repayment,மொத்த கடன் தொகையை திரும்பச் செலுத்துதல்
+DocType: Project User,View attachments,இணைப்புகளை காண்க
 DocType: Account,Cost of Goods Sold,விற்கப்படும் பொருட்களின் விலை
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,செலவு மையம் உள்ளிடவும்
 DocType: Drug Prescription,Dosage,மருந்தளவு
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,அளவு மற்றும் விகிதம்
 DocType: Delivery Note,% Installed,% நிறுவப்பட்ட
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,வகுப்பறைகள் / ஆய்வுக்கூடங்கள் போன்றவை அங்கு விரிவுரைகள் திட்டமிடப்பட்டுள்ளது.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,இரு நிறுவனங்களின் நிறுவனத்தின் நாணயங்களும் இன்டர் கம்பெனி பரிவர்த்தனைகளுக்கு பொருந்த வேண்டும்.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,இரு நிறுவனங்களின் நிறுவனத்தின் நாணயங்களும் இன்டர் கம்பெனி பரிவர்த்தனைகளுக்கு பொருந்த வேண்டும்.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,முதல் நிறுவனத்தின் பெயரை உள்ளிடுக
 DocType: Travel Itinerary,Non-Vegetarian,போத்
 DocType: Purchase Invoice,Supplier Name,வழங்குபவர் பெயர்
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,தற்காலிகமாக வைத்திரு
 DocType: Account,Is Group,குழு
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,கடன் குறிப்பு {0} தானாக உருவாக்கப்பட்டது
-DocType: Email Digest,Pending Purchase Orders,கொள்வனவு ஆணையில் நிலுவையில்
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,தானாகவே மற்றும் FIFO அடிப்படையில் நாம் சீரியல் அமை
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,காசோலை சப்ளையர் விலைப்பட்டியல் எண் தனித்துவம்
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,முதன்மை முகவரி விவரம்
@@ -724,7 +726,7 @@
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,அனைத்து உற்பத்தி செயல்முறைகள் உலக அமைப்புகள்.
 DocType: Accounts Settings,Accounts Frozen Upto,உறைந்த வரை கணக்குகள்
 DocType: SMS Log,Sent On,அன்று அனுப்பப்பட்டது
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,கற்பிதம் {0} காரணிகள் அட்டவணை பல முறை தேர்வு
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,கற்பிதம் {0} காரணிகள் அட்டவணை பல முறை தேர்வு
 DocType: HR Settings,Employee record is created using selected field. ,பணியாளர் பதிவு தேர்ந்தெடுக்கப்பட்ட துறையில் பயன்படுத்தி உருவாக்கப்பட்டது.
 DocType: Sales Order,Not Applicable,பொருந்தாது
 DocType: Amazon MWS Settings,UK,இங்கிலாந்து
@@ -753,21 +755,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,பணியாளர் {0} {2} இல் {2} இல் ஏற்கனவே விண்ணப்பித்துள்ளார்:
 DocType: Inpatient Record,AB Positive,AB நேர்மறை
 DocType: Job Opening,Description of a Job Opening,ஒரு வேலை ஆரம்பிப்பு விளக்கம்
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,இன்று நிலுவையில் நடவடிக்கைகள்
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,இன்று நிலுவையில் நடவடிக்கைகள்
 DocType: Salary Structure,Salary Component for timesheet based payroll.,டைம் ஷீட் சார்ந்த சம்பளம் சம்பளம் உபகரண.
+DocType: Driver,Applicable for external driver,வெளிப்புற இயக்கிக்கு பொருந்தும்
 DocType: Sales Order Item,Used for Production Plan,உற்பத்தி திட்டத்தை பயன்படுத்திய
 DocType: Loan,Total Payment,மொத்த கொடுப்பனவு
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,முழுமையான வேலை ஆணைக்கான பரிவர்த்தனை ரத்துசெய்ய முடியாது.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,முழுமையான வேலை ஆணைக்கான பரிவர்த்தனை ரத்துசெய்ய முடியாது.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(நிமிடங்கள்) செயல்களுக்கு இடையே நேரம்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,அனைத்து விற்பனை ஒழுங்குப் பொருட்களுக்கும் ஏற்கனவே PO உருவாக்கப்பட்டது
 DocType: Healthcare Service Unit,Occupied,ஆக்கிரமிக்கப்பட்ட
 DocType: Clinical Procedure,Consumables,நுகர்பொருள்கள்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ஓர் செயல் முடிவடைந்தால் முடியாது ரத்துசெய்யப்பட்டது
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} ஓர் செயல் முடிவடைந்தால் முடியாது ரத்துசெய்யப்பட்டது
 DocType: Customer,Buyer of Goods and Services.,பொருட்கள் மற்றும் சேவைகள் வாங்குபவர்.
 DocType: Journal Entry,Accounts Payable,கணக்குகள் செலுத்த வேண்டிய
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"இந்த கட்டணக் கோரிக்கையில் {0} தொகுப்பு தொகை, அனைத்து கட்டண திட்டங்களுடனும் கணக்கிடப்படுகிறது: {1}. ஆவணத்தை சமர்ப்பிக்கும் முன் இது சரியானதா என்பதை உறுதிப்படுத்தவும்."
 DocType: Patient,Allergies,ஒவ்வாமைகள்
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,தேர்ந்தெடுக்கப்பட்ட BOM கள் அதே உருப்படியை இல்லை
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,தேர்ந்தெடுக்கப்பட்ட BOM கள் அதே உருப்படியை இல்லை
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,பொருள் கோட் ஐ மாற்றுக
 DocType: Supplier Scorecard Standing,Notify Other,பிற அறிவிக்க
 DocType: Vital Signs,Blood Pressure (systolic),இரத்த அழுத்தம் (சிஸ்டாலிக்)
@@ -779,7 +782,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,போதும் பாகங்கள் கட்டுவது எப்படி
 DocType: POS Profile User,POS Profile User,POS பயனர் பயனர்
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,வரிசை {0}: தேய்மானத் தொடக்க தேதி தேவைப்படுகிறது
-DocType: Sales Invoice Item,Service Start Date,சேவையின் தொடக்க தேதி
+DocType: Purchase Invoice Item,Service Start Date,சேவையின் தொடக்க தேதி
 DocType: Subscription Invoice,Subscription Invoice,சந்தா விலைப்பட்டியல்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,நேரடி வருமானம்
 DocType: Patient Appointment,Date TIme,தேதி நேரம்
@@ -799,7 +802,7 @@
 DocType: Lab Test Template,Lab Routine,லேப் ரோட்டின்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,ஒப்பனை
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,பூர்த்தி செய்யப்பட்ட சொத்து பராமரிப்பு பதிவுக்கான நிறைவு தேதி என்பதைத் தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","ஒன்றாக்க , பின்வரும் பண்புகளை இரு பொருட்களை சமமாக இருக்க வேண்டும்"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","ஒன்றாக்க , பின்வரும் பண்புகளை இரு பொருட்களை சமமாக இருக்க வேண்டும்"
 DocType: Supplier,Block Supplier,பிளாக் சப்ளையர்
 DocType: Shipping Rule,Net Weight,நிகர எடை
 DocType: Job Opening,Planned number of Positions,நிலைகள் திட்டமிடப்பட்ட எண்
@@ -821,19 +824,20 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,பணப்பாய்வு வரைபட வார்ப்புரு
 DocType: Travel Request,Costing Details,செலவு விவரங்கள்
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,மீட்டெடுப்பு பதிவுகள் காட்டு
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,சீரியல் எந்த உருப்படியை ஒரு பகுதியை இருக்க முடியாது
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,சீரியல் எந்த உருப்படியை ஒரு பகுதியை இருக்க முடியாது
 DocType: Journal Entry,Difference (Dr - Cr),வேறுபாடு ( டாக்டர் - CR)
 DocType: Bank Guarantee,Providing,வழங்குதல்
 DocType: Account,Profit and Loss,இலாப நட்ட
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","அனுமதிக்கப்படவில்லை, லேப் டெஸ்ட் வார்ப்புருவை தேவைப்படும் என கட்டமைக்கவும்"
 DocType: Patient,Risk Factors,ஆபத்து காரணிகள்
 DocType: Patient,Occupational Hazards and Environmental Factors,தொழில் அபாயங்கள் மற்றும் சுற்றுச்சூழல் காரணிகள்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,வேலை உள்ளீடுகளை ஏற்கனவே பதிவு செய்துள்ளன
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,வேலை உள்ளீடுகளை ஏற்கனவே பதிவு செய்துள்ளன
 DocType: Vital Signs,Respiratory rate,சுவாச விகிதம்
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,நிர்வாக உப ஒப்பந்தமிடல்
 DocType: Vital Signs,Body Temperature,உடல் வெப்பநிலை
 DocType: Project,Project will be accessible on the website to these users,திட்ட இந்த பயனர்களுக்கு வலைத்தளத்தில் அணுக வேண்டும்
 DocType: Detected Disease,Disease,நோய்
+DocType: Company,Default Deferred Expense Account,Default Deferred Expense Account
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,திட்ட வகை வரையறுக்க.
 DocType: Supplier Scorecard,Weighting Function,எடை செயல்பாடு
 DocType: Healthcare Practitioner,OP Consulting Charge,OP ஆலோசனை சார்ஜ்
@@ -850,7 +854,7 @@
 DocType: Crop,Produced Items,தயாரிக்கப்பட்ட பொருட்கள்
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,பொருள்களுக்கு பரிமாற்றத்தை ஒப்படைத்தல்
 DocType: Sales Order Item,Gross Profit,மொத்த இலாபம்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,விலைப்பட்டியல் விலக்கு
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,விலைப்பட்டியல் விலக்கு
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,சம்பள உயர்வு 0 இருக்க முடியாது
 DocType: Company,Delete Company Transactions,நிறுவனத்தின் பரிவர்த்தனைகள் நீக்கு
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,குறிப்பு இல்லை மற்றும் பரிந்துரை தேதி வங்கி பரிவர்த்தனை அத்தியாவசியமானதாகும்
@@ -871,11 +875,11 @@
 DocType: Budget,Ignore,புறக்கணி
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} செயலில் இல்லை
 DocType: Woocommerce Settings,Freight and Forwarding Account,சரக்கு மற்றும் பகிர்தல் கணக்கு
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,அச்சிடும் அமைப்பு காசோலை பரிமாணங்களை
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,அச்சிடும் அமைப்பு காசோலை பரிமாணங்களை
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,சம்பள சரிவுகளை உருவாக்குங்கள்
 DocType: Vital Signs,Bloated,செருக்கான
 DocType: Salary Slip,Salary Slip Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட்
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,துணை ஒப்பந்த கொள்முதல் ரசீது கட்டாயமாக வழங்குபவர் கிடங்கு
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,துணை ஒப்பந்த கொள்முதல் ரசீது கட்டாயமாக வழங்குபவர் கிடங்கு
 DocType: Item Price,Valid From,செல்லுபடியான
 DocType: Sales Invoice,Total Commission,மொத்த ஆணையம்
 DocType: Tax Withholding Account,Tax Withholding Account,வரி விலக்கு கணக்கு
@@ -883,12 +887,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,எல்லா சப்ளையர் ஸ்கார்கார்டுகளும்.
 DocType: Buying Settings,Purchase Receipt Required,கொள்முதல் ரசீது தேவை
 DocType: Delivery Note,Rail,ரயில்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,"வரிசை வரிசையில் {0} இலக்குக் கிடங்கானது, வேலை ஆணை போலவே இருக்க வேண்டும்"
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,ஆரம்ப இருப்பு உள்ளிட்ட மதிப்பீட்டு மதிப்பீடு அத்தியாவசியமானதாகும்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,"வரிசை வரிசையில் {0} இலக்குக் கிடங்கானது, வேலை ஆணை போலவே இருக்க வேண்டும்"
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,ஆரம்ப இருப்பு உள்ளிட்ட மதிப்பீட்டு மதிப்பீடு அத்தியாவசியமானதாகும்
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,விலைப்பட்டியல் அட்டவணை காணப்படவில்லை பதிவுகள்
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,முதல் நிறுவனம் மற்றும் கட்சி வகை தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","பயனர் {1} க்கான பேஸ்புக் சுயவிவரத்தில் {0} முன்னிருப்பாக அமைத்து, தயவுசெய்து இயல்புநிலையாக இயல்புநிலையை அமைக்கவும்"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,நிதி / கணக்கு ஆண்டு .
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,நிதி / கணக்கு ஆண்டு .
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,திரட்டப்பட்ட கலாச்சாரம்
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","மன்னிக்கவும், சீரியல் இலக்கங்கள் ஒன்றாக்க முடியாது"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify இலிருந்து வாடிக்கையாளர்களை ஒத்திசைக்கும்போது தேர்ந்தெடுக்கப்பட்ட குழுவிற்கு வாடிக்கையாளர் குழு அமைக்கும்
@@ -902,7 +906,7 @@
 ,Lead Id,முன்னணி ஐடி
 DocType: C-Form Invoice Detail,Grand Total,ஆக மொத்தம்
 DocType: Assessment Plan,Course,பாடநெறி
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,பகுதி குறியீடு
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,பகுதி குறியீடு
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,தேதி மற்றும் தேதி முதல் அரை நாள் தேதி இருக்க வேண்டும்
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,பொருள் வண்டி
@@ -911,7 +915,8 @@
 DocType: Employee,Personal Bio,தனிப்பட்ட உயிரி
 DocType: C-Form,IV,நான்காம்
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,உறுப்பினர் ஐடி
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},வழங்கப்படுகிறது {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},வழங்கப்படுகிறது {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,குவிக்புக்ஸில் இணைக்கப்பட்டுள்ளது
 DocType: Bank Statement Transaction Entry,Payable Account,செலுத்த வேண்டிய கணக்கு
 DocType: Payment Entry,Type of Payment,கொடுப்பனவு வகை
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,அரை நாள் தேதி கட்டாயமாகும்
@@ -923,7 +928,7 @@
 DocType: Sales Invoice,Shipping Bill Date,கப்பல் பில் தேதி
 DocType: Production Plan,Production Plan,உற்பத்தி திட்டம்
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,விலைப்பட்டியல் உருவாக்கம் கருவியைத் திறக்கிறது
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,விற்பனை Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,விற்பனை Return
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,குறிப்பு: மொத்த ஒதுக்கீடு இலைகள் {0} ஏற்கனவே ஒப்புதல் இலைகள் குறைவாக இருக்க கூடாது {1} காலம்
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,சீரியல் இல்லை உள்ளீடு அடிப்படையிலான பரிமாற்றங்களில் Qty ஐ அமைக்கவும்
 ,Total Stock Summary,மொத்த பங்கு சுருக்கம்
@@ -934,9 +939,9 @@
 DocType: Authorization Rule,Customer or Item,வாடிக்கையாளர் அல்லது பொருள்
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,வாடிக்கையாளர் தகவல்.
 DocType: Quotation,Quotation To,என்று மேற்கோள்
-DocType: Lead,Middle Income,நடுத்தர வருமானம்
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,நடுத்தர வருமானம்
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),திறப்பு (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"நீங்கள் ஏற்கனவே மற்றொரு UOM சில பரிவர்த்தனை (ங்கள்) செய்துவிட்டேன் ஏனெனில் பொருள் நடவடிக்கையாக, இயல்புநிலை பிரிவு {0} நேரடியாக மாற்ற முடியாது. நீங்கள் வேறு ஒரு இயல்புநிலை UOM பயன்படுத்த ஒரு புதிய பொருள் உருவாக்க வேண்டும்."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"நீங்கள் ஏற்கனவே மற்றொரு UOM சில பரிவர்த்தனை (ங்கள்) செய்துவிட்டேன் ஏனெனில் பொருள் நடவடிக்கையாக, இயல்புநிலை பிரிவு {0} நேரடியாக மாற்ற முடியாது. நீங்கள் வேறு ஒரு இயல்புநிலை UOM பயன்படுத்த ஒரு புதிய பொருள் உருவாக்க வேண்டும்."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,ஒதுக்கப்பட்ட தொகை எதிர்மறை இருக்க முடியாது
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,நிறுவனத்தின் அமைக்கவும்
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,நிறுவனத்தின் அமைக்கவும்
@@ -954,15 +959,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,வங்கி நுழைவு செய்ய கொடுப்பனவு கணக்கு தேர்ந்தெடுக்கவும்
 DocType: Hotel Settings,Default Invoice Naming Series,இயல்புநிலை விலைப்பட்டியல் பெயரிடும் தொடர்
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","இலைகள், இழப்பில் கூற்றுக்கள் மற்றும் சம்பள நிர்வகிக்க பணியாளர் பதிவுகளை உருவாக்க"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,புதுப்பிப்பு செயல்பாட்டின் போது பிழை ஏற்பட்டது
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,புதுப்பிப்பு செயல்பாட்டின் போது பிழை ஏற்பட்டது
 DocType: Restaurant Reservation,Restaurant Reservation,உணவக முன்பதிவு
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,மானசாவுடன்
 DocType: Payment Entry Deduction,Payment Entry Deduction,கொடுப்பனவு நுழைவு விலக்கு
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,வரை போடு
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,மின்னஞ்சல் வழியாக வாடிக்கையாளர்களுக்கு தெரிவிக்கவும்
 DocType: Item,Batch Number Series,தொகுதி எண் தொடர்
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,மற்றொரு விற்பனைப் {0} அதே பணியாளர் ஐடி கொண்டு உள்ளது
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,மற்றொரு விற்பனைப் {0} அதே பணியாளர் ஐடி கொண்டு உள்ளது
 DocType: Employee Advance,Claimed Amount,உரிமைகோரப்பட்ட தொகை
+DocType: QuickBooks Migrator,Authorization Settings,அங்கீகார அமைப்புகள்
 DocType: Travel Itinerary,Departure Datetime,புறப்படும் நேரம்
 DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,பயண கோரிக்கை செலவு
@@ -1002,25 +1008,28 @@
 DocType: Buying Settings,Supplier Naming By,மூலம் பெயரிடுதல் சப்ளையர்
 DocType: Activity Type,Default Costing Rate,இயல்புநிலை செலவு மதிப்பீடு
 DocType: Maintenance Schedule,Maintenance Schedule,பராமரிப்பு அட்டவணை
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","பின்னர் விலை விதிகள் வாடிக்கையாளர் அடிப்படையில் வடிகட்டப்பட்ட, வாடிக்கையாளர் குழு, மண்டலம், சப்ளையர், வழங்குபவர் வகை, இயக்கம், விற்பனை பங்குதாரரான முதலியன"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","பின்னர் விலை விதிகள் வாடிக்கையாளர் அடிப்படையில் வடிகட்டப்பட்ட, வாடிக்கையாளர் குழு, மண்டலம், சப்ளையர், வழங்குபவர் வகை, இயக்கம், விற்பனை பங்குதாரரான முதலியன"
 DocType: Employee Promotion,Employee Promotion Details,பணியாளர் மேம்பாட்டு விவரங்கள்
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,சரக்கு நிகர மாற்றம்
 DocType: Employee,Passport Number,பாஸ்போர்ட் எண்
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 அரசுடன் உறவு
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,மேலாளர்
 DocType: Payment Entry,Payment From / To,/ இருந்து பணம்
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,நிதி ஆண்டிலிருந்து
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},புதிய கடன் வரம்பை வாடிக்கையாளர் தற்போதைய கடன் தொகையை விட குறைவாக உள்ளது. கடன் வரம்பு குறைந்தது இருக்க வேண்டும் {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'அடிப்படையாக கொண்டு ' மற்றும் ' குழு மூலம் ' அதே இருக்க முடியாது
 DocType: Sales Person,Sales Person Targets,விற்பனை நபர் இலக்குகள்
 DocType: Work Order Operation,In minutes,நிமிடங்களில்
 DocType: Issue,Resolution Date,தீர்மானம் தேதி
 DocType: Lab Test Template,Compound,கூட்டு
+DocType: Opportunity,Probability (%),நிகழ்தகவு (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,அறிவிப்பு அறிவிப்பு
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,சொத்து தேர்ந்தெடு
 DocType: Student Batch Name,Batch Name,தொகுதி பெயர்
 DocType: Fee Validity,Max number of visit,விஜயத்தின் அதிகபட்ச எண்ணிக்கை
 ,Hotel Room Occupancy,ஹோட்டல் அறை ஆக்கிரமிப்பு
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,டைம் ஷீட் உருவாக்கப்பட்ட:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,பதிவுசெய்யவும்
 DocType: GST Settings,GST Settings,ஜிஎஸ்டி அமைப்புகள்
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},நாணயமானது விலை பட்டியல் போலவே இருக்க வேண்டும் நாணயம்: {0}
@@ -1061,12 +1070,12 @@
 DocType: Loan,Total Interest Payable,மொத்த வட்டி செலுத்த வேண்டிய
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed செலவு வரிகள் மற்றும் கட்டணங்கள்
 DocType: Work Order Operation,Actual Start Time,உண்மையான தொடக்க நேரம்
+DocType: Purchase Invoice Item,Deferred Expense Account,விலக்கப்பட்ட செலவு கணக்கு
 DocType: BOM Operation,Operation Time,ஆபரேஷன் நேரம்
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,முடிந்தது
 DocType: Salary Structure Assignment,Base,அடித்தளம்
 DocType: Timesheet,Total Billed Hours,மொத்த பில் மணி
 DocType: Travel Itinerary,Travel To,சுற்றுலா பயணம்
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,இல்லை
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,மொத்த தொகை இனிய எழுத
 DocType: Leave Block List Allow,Allow User,பயனர் அனுமதி
 DocType: Journal Entry,Bill No,பில் இல்லை
@@ -1085,9 +1094,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,நேரம் தாள்
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush மூலப்பொருட்கள் அடித்தளமாகக்
 DocType: Sales Invoice,Port Code,போர்ட் கோட்
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,ரிசர்வ் கிடங்கு
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,ரிசர்வ் கிடங்கு
 DocType: Lead,Lead is an Organization,முன்னணி ஒரு அமைப்பு
-DocType: Guardian Interest,Interest,ஆர்வம்
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,முன் விற்பனை
 DocType: Instructor Log,Other Details,மற்ற விவரங்கள்
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1097,7 +1105,7 @@
 DocType: Account,Accounts,கணக்குகள்
 DocType: Vehicle,Odometer Value (Last),ஓடோமீட்டர் மதிப்பு (கடைசி)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,சப்ளையர் ஸ்கோர் கார்ட் அளவுகோல்களின் டெம்ப்ளேட்கள்.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,சந்தைப்படுத்தல்
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,சந்தைப்படுத்தல்
 DocType: Sales Invoice,Redeem Loyalty Points,விசுவாச புள்ளிகளை மீட்டுக்கொள்ளுங்கள்
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,கொடுப்பனவு நுழைவு ஏற்கனவே உருவாக்கப்பட்ட
 DocType: Request for Quotation,Get Suppliers,சப்ளையர்கள் கிடைக்கும்
@@ -1113,16 +1121,14 @@
 DocType: Crop,Crop Spacing UOM,பயிர் இடைவெளி UOM
 DocType: Loyalty Program,Single Tier Program,ஒற்றை அடுக்கு திட்டம்
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,நீங்கள் பணப்புழக்க மேப்பர் ஆவணங்களை அமைத்தால் மட்டுமே தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,முகவரி 1 லிருந்து
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,முகவரி 1 லிருந்து
 DocType: Email Digest,Next email will be sent on:,அடுத்த மின்னஞ்சலில் அனுப்பி வைக்கப்படும்:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",{Item} {verb} {item} {item} உருப்படியைக் குறிக்கும் உருப்படிக்குப் பிறகு.
 DocType: Supplier Scorecard,Per Week,வாரத்திற்கு
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,பொருள் வகைகள் உண்டு.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,பொருள் வகைகள் உண்டு.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,மொத்த மாணவர்
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,பொருள் {0} இல்லை
 DocType: Bin,Stock Value,பங்கு மதிப்பு
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,நிறுவனத்தின் {0} இல்லை
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,நிறுவனத்தின் {0} இல்லை
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} {1} வரை கட்டணம் செல்லுபடியாகும்
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,மரம் வகை
 DocType: BOM Explosion Item,Qty Consumed Per Unit,அளவு அலகு ஒவ்வொரு உட்கொள்ளப்படுகிறது
@@ -1138,7 +1144,7 @@
 ,Fichier des Ecritures Comptables [FEC],ஃபிஷியர் டெஸ் எக்சிரிச்சர் காம்பப்டுகள் [FEC]
 DocType: Journal Entry,Credit Card Entry,கடன் அட்டை நுழைவு
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,கணக்குகள் நிறுவனம் மற்றும்
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,மதிப்பு
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,மதிப்பு
 DocType: Asset Settings,Depreciation Options,தேய்மானம் விருப்பங்கள்
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,இடம் அல்லது ஊழியர் தேவைப்பட வேண்டும்
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,தவறான இடுகை நேரம்
@@ -1155,20 +1161,21 @@
 DocType: Leave Allocation,Allocation,ஒதுக்கீடு
 DocType: Purchase Order,Supply Raw Materials,வழங்கல் மூலப்பொருட்கள்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,நடப்பு சொத்துக்கள்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ஒரு பங்கு பொருள் அல்ல
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ஒரு பங்கு பொருள் அல்ல
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',பயிற்சிக்கான உங்கள் கருத்துக்களை &#39;பயிற்சியளிப்பு&#39; மற்றும் &#39;புதிய&#39;
 DocType: Mode of Payment Account,Default Account,முன்னிருப்பு கணக்கு
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,முதலில் ஸ்டோரி அமைப்புகளில் மாதிரி தக்கவைப்பு கிடங்கு தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,முதலில் ஸ்டோரி அமைப்புகளில் மாதிரி தக்கவைப்பு கிடங்கு தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,ஒன்றுக்கு மேற்பட்ட தொகுப்பு விதிமுறைகளுக்கு பல அடுக்கு வகை வகைகளை தேர்ந்தெடுக்கவும்.
 DocType: Payment Entry,Received Amount (Company Currency),பெறப்பட்ட தொகை (நிறுவனத்தின் நாணயம்)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,வாய்ப்பு முன்னணி தயாரிக்கப்படுகிறது என்றால் முன்னணி அமைக்க வேண்டும்
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,கட்டணம் ரத்து செய்யப்பட்டது. மேலும் விவரங்களுக்கு உங்கள் GoCardless கணக்கைச் சரிபார்க்கவும்
 DocType: Contract,N/A,பொ / இ
+DocType: Delivery Settings,Send with Attachment,இணைப்புடன் அனுப்பவும்
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,வாராந்திர ஆஃப் நாள் தேர்வு செய்க
 DocType: Inpatient Record,O Negative,ஓ நெகட்டிவ்
 DocType: Work Order Operation,Planned End Time,திட்டமிட்ட நேரம்
 ,Sales Person Target Variance Item Group-Wise,விற்பனை நபர் இலக்கு வேறுபாடு பொருள் குழு வாரியாக
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,ஏற்கனவே பரிவர்த்தனை கணக்கு பேரேடு மாற்றப்பட முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,ஏற்கனவே பரிவர்த்தனை கணக்கு பேரேடு மாற்றப்பட முடியாது
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership வகை விவரங்கள்
 DocType: Delivery Note,Customer's Purchase Order No,வாடிக்கையாளர் கொள்முதல் ஆணை இல்லை
 DocType: Clinical Procedure,Consume Stock,பங்கு வாங்கவும்
@@ -1181,22 +1188,22 @@
 DocType: Soil Texture,Sand,மணல்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,சக்தி
 DocType: Opportunity,Opportunity From,வாய்ப்பு வரம்பு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,வரிசை {0}: {1} பொருள் {2} க்கான தொடர் எண்கள் தேவைப்படும். நீங்கள் {3} வழங்கியுள்ளீர்கள்.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,வரிசை {0}: {1} பொருள் {2} க்கான தொடர் எண்கள் தேவைப்படும். நீங்கள் {3} வழங்கியுள்ளீர்கள்.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,ஒரு அட்டவணையைத் தேர்ந்தெடுக்கவும்
 DocType: BOM,Website Specifications,இணையத்தளம் விருப்பம்
 DocType: Special Test Items,Particulars,விவரங்கள்
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0} இருந்து: {0} வகை {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,ரோ {0}: மாற்று காரணி கட்டாய ஆகிறது
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,ரோ {0}: மாற்று காரணி கட்டாய ஆகிறது
 DocType: Student,A+,ஒரு +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","பல விலை விதிகள் அளவுகோல் கொண்டு உள்ளது, முன்னுரிமை ஒதுக்க மூலம் மோதலை தீர்க்க தயவு செய்து. விலை விதிகள்: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","பல விலை விதிகள் அளவுகோல் கொண்டு உள்ளது, முன்னுரிமை ஒதுக்க மூலம் மோதலை தீர்க்க தயவு செய்து. விலை விதிகள்: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,பரிவர்த்தனை விகிதம் மதிப்பீட்டுக் கணக்கு
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,செயலிழக்க அல்லது அது மற்ற BOM கள் தொடர்பு உள்ளது என BOM ரத்துசெய்ய முடியாது
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,செயலிழக்க அல்லது அது மற்ற BOM கள் தொடர்பு உள்ளது என BOM ரத்துசெய்ய முடியாது
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,உள்ளீடுகளை பெறுவதற்கு கம்பெனி மற்றும் இடுகையிடும் தேதியைத் தேர்ந்தெடுக்கவும்
 DocType: Asset,Maintenance,பராமரிப்பு
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,நோயாளி என்கவுண்டரில் இருந்து கிடைக்கும்
 DocType: Subscriber,Subscriber,சந்தாதாரர்
 DocType: Item Attribute Value,Item Attribute Value,பொருள் மதிப்பு பண்பு
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,உங்கள் திட்ட நிலைமையைப் புதுப்பிக்கவும்
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,உங்கள் திட்ட நிலைமையைப் புதுப்பிக்கவும்
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,நாணய மாற்றுதல் வாங்குதல் அல்லது விற்பனைக்கு பொருந்தும்.
 DocType: Item,Maximum sample quantity that can be retained,தக்கவைத்துக்கொள்ளக்கூடிய அதிகபட்ச மாதிரி அளவு
 DocType: Project Update,How is the Project Progressing Right Now?,இப்போதே திட்டம் முன்னேற்றம் எப்படி உள்ளது?
@@ -1247,13 +1254,13 @@
 DocType: Lab Test,Lab Test,ஆய்வக சோதனை
 DocType: Student Report Generation Tool,Student Report Generation Tool,மாணவர் அறிக்கை தலைமுறை கருவி
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ஹெல்த்கேர் அட்டவணை நேர துளை
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc பெயர்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc பெயர்
 DocType: Expense Claim Detail,Expense Claim Type,செலவு  கோரிக்கை வகை
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,வண்டியில் இயல்புநிலை அமைப்புகளை
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,டைம்ஸ்லோட்டைச் சேர்
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},பத்திரிகை நுழைவு வழியாக முறித்துள்ளது சொத்து {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},பத்திரிகை நுழைவு வழியாக முறித்துள்ளது சொத்து {0}
 DocType: Loan,Interest Income Account,வட்டி வருமான கணக்கு
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,நன்மைகளை வழங்குவதற்கு அதிகபட்சம் அதிகபட்சம் பூஜ்ஜியத்தை விட அதிகமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,நன்மைகளை வழங்குவதற்கு அதிகபட்சம் அதிகபட்சம் பூஜ்ஜியத்தை விட அதிகமாக இருக்க வேண்டும்
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,அழைப்பிதழ் அனுப்பவும்
 DocType: Shift Assignment,Shift Assignment,ஷிஃப்ட் நியமித்தல்
 DocType: Employee Transfer Property,Employee Transfer Property,பணியாளர் மாற்றம் சொத்து
@@ -1264,17 +1271,18 @@
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify இலிருந்து ERPNext விலை பட்டியல் புதுப்பிக்கவும்
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,மின்னஞ்சல் கணக்கை அமைத்ததற்கு
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,முதல் பொருள் உள்ளிடவும்
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,தேவைகள் பகுப்பாய்வு
 DocType: Asset Repair,Downtime,செயல்படாத நேரம்
 DocType: Account,Liability,பொறுப்பு
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ஒப்புதல் தொகை ரோ கூறுகின்றனர் காட்டிலும் அதிகமாக இருக்க முடியாது {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ஒப்புதல் தொகை ரோ கூறுகின்றனர் காட்டிலும் அதிகமாக இருக்க முடியாது {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,கல்வி காலம்:
 DocType: Salary Component,Do not include in total,மொத்தத்தில் சேர்க்க வேண்டாம்
 DocType: Company,Default Cost of Goods Sold Account,பொருட்களை விற்பனை கணக்கு இயல்பான செலவு
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},மாதிரி அளவு {0} பெறப்பட்ட அளவைவிட அதிகமாக இருக்க முடியாது {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,விலை பட்டியல் தேர்வு
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},மாதிரி அளவு {0} பெறப்பட்ட அளவைவிட அதிகமாக இருக்க முடியாது {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,விலை பட்டியல் தேர்வு
 DocType: Employee,Family Background,குடும்ப பின்னணி
 DocType: Request for Quotation Supplier,Send Email,மின்னஞ்சல் அனுப்ப
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},எச்சரிக்கை: தவறான இணைப்பு {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},எச்சரிக்கை: தவறான இணைப்பு {0}
 DocType: Item,Max Sample Quantity,அதிகபட்ச மாதிரி அளவு
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,அனுமதி இல்லை
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,ஒப்பந்த பூர்த்திச் சரிபார்ப்பு பட்டியல்
@@ -1305,15 +1313,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: செலவு மையம் {2} நிறுவனத்தின் சொந்தம் இல்லை {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),உங்கள் கடிதத் தலைப்பைப் பதிவேற்றுக (100px மூலம் 900px என இணைய நட்பு கொள்ளுங்கள்)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: கணக்கு {2} ஒரு குழுவாக இருக்க முடியாது
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,பொருள் வரிசையில் {அச்சுக்கோப்புகளை வாசிக்க}: {டாக்டைப்பானது} {docName} மேலே இல்லை '{டாக்டைப்பானது}' அட்டவணை
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,டைம் ஷீட் {0} ஏற்கனவே நிறைவு அல்லது ரத்து செய்யப்பட்டது
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,டைம் ஷீட் {0} ஏற்கனவே நிறைவு அல்லது ரத்து செய்யப்பட்டது
+DocType: QuickBooks Migrator,QuickBooks Migrator,குவிக்புக்ஸ் மைக்ரேட்டர்
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,பணிகள் எதுவும் இல்லை
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,விற்பனை விலைப்பட்டியல் {0} பணம் செலுத்தப்பட்டது
 DocType: Item Variant Settings,Copy Fields to Variant,மாறுபாடுகளுக்கு புலங்களை நகலெடுக்கவும்
 DocType: Asset,Opening Accumulated Depreciation,குவிக்கப்பட்ட தேய்மானம் திறந்து
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,ஸ்கோர் குறைவாக அல்லது 5 சமமாக இருக்க வேண்டும்
 DocType: Program Enrollment Tool,Program Enrollment Tool,திட்டம் சேர்க்கை கருவி
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,சி படிவம் பதிவுகள்
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,சி படிவம் பதிவுகள்
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,பங்குகள் ஏற்கனவே உள்ளன
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,வாடிக்கையாளர் மற்றும் சப்ளையர்
 DocType: Email Digest,Email Digest Settings,மின்னஞ்சல் டைஜஸ்ட் அமைப்புகள்
@@ -1326,12 +1334,12 @@
 DocType: Production Plan,Select Items,தேர்ந்தெடு
 DocType: Share Transfer,To Shareholder,பங்குதாரர்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} பில் எதிராக {1} தேதியிட்ட {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,மாநிலத்திலிருந்து
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,மாநிலத்திலிருந்து
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,அமைவு நிறுவனம்
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,இலைகளை ஒதுக்க ...
 DocType: Program Enrollment,Vehicle/Bus Number,வாகன / பஸ் எண்
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,பாடநெறி அட்டவணை
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",நீங்கள் செலுத்தப்படாத வரி விலக்கு ஆதாரத்திற்கான வரி விலக்க வேண்டும் மற்றும் பெயரிடப்படாத \ பணியாளர் நன்மைகள் சம்பள காலம் கடந்த சம்பள சரிவு
 DocType: Request for Quotation Supplier,Quote Status,Quote நிலை
 DocType: GoCardless Settings,Webhooks Secret,Webhooks ரகசியம்
@@ -1357,13 +1365,13 @@
 DocType: Sales Invoice,Payment Due Date,கொடுப்பனவு காரணமாக தேதி
 DocType: Drug Prescription,Interval UOM,இடைவெளி UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","தேர்ந்தெடுக்கப்பட்ட முகவரி சேமிக்கப்பட்ட பிறகு திருத்தப்பட்டால், தேர்வுநீக்கம் செய்யவும்"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,பொருள் மாற்று {0} ஏற்கனவே அதே பண்புகளை கொண்ட உள்ளது
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,பொருள் மாற்று {0} ஏற்கனவே அதே பண்புகளை கொண்ட உள்ளது
 DocType: Item,Hub Publishing Details,ஹப் பப்ளிஷிங் விவரங்கள்
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;திறந்து&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;திறந்து&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,செய்ய திறந்த
 DocType: Issue,Via Customer Portal,வாடிக்கையாளர் போர்ட்டல் வழியாக
 DocType: Notification Control,Delivery Note Message,டெலிவரி குறிப்பு செய்தி
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST தொகை
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST தொகை
 DocType: Lab Test Template,Result Format,முடிவு வடிவமைப்பு
 DocType: Expense Claim,Expenses,செலவுகள்
 DocType: Item Variant Attribute,Item Variant Attribute,பொருள் மாற்று கற்பிதம்
@@ -1371,14 +1379,12 @@
 DocType: Payroll Entry,Bimonthly,இருமாதங்களுக்கு ஒருமுறை
 DocType: Vehicle Service,Brake Pad,பிரேக் பேட்
 DocType: Fertilizer,Fertilizer Contents,உரம் பொருளடக்கம்
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,ஆராய்ச்சி மற்றும் அபிவிருத்தி
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,ஆராய்ச்சி மற்றும் அபிவிருத்தி
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ரசீது தொகை
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","தொடக்க தேதி மற்றும் இறுதி தேதி வேலை அட்டைடன் <a href=""#Form/Job Card/{0}"">ஒன்றிணைக்கப்படுகிறது {1}</a>"
 DocType: Company,Registration Details,பதிவு விவரங்கள்
 DocType: Timesheet,Total Billed Amount,மொத்த பில் தொகை
 DocType: Item Reorder,Re-Order Qty,மீண்டும் ஒழுங்கு அளவு
 DocType: Leave Block List Date,Leave Block List Date,பிளாக் பட்டியல் தேதி விட்டு
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,தயவுசெய்து கல்வி&gt; கல்வி அமைப்புகளில் கல்வி பயிற்றுவிப்பாளரை அமைத்தல்
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: மூல பொருள் பிரதான உருப்படி போலவே இருக்க முடியாது
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,கொள்முதல் ரசீது பொருட்கள் அட்டவணையில் மொத்த பொருந்தும் கட்டணங்கள் மொத்த வரி மற்றும் கட்டணங்கள் அதே இருக்க வேண்டும்
 DocType: Sales Team,Incentives,செயல் தூண்டுதல்
@@ -1392,7 +1398,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,புள்ளி விற்பனை
 DocType: Fee Schedule,Fee Creation Status,கட்டணம் உருவாக்கம் நிலை
 DocType: Vehicle Log,Odometer Reading,ஓடோமீட்டர் படித்தல்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","கணக்கு நிலுவை ஏற்கனவே கடன், நீங்கள் அமைக்க அனுமதி இல்லை 'டெபிட்' என 'சமநிலை இருக்க வேண்டும்'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","கணக்கு நிலுவை ஏற்கனவே கடன், நீங்கள் அமைக்க அனுமதி இல்லை 'டெபிட்' என 'சமநிலை இருக்க வேண்டும்'"
 DocType: Account,Balance must be,இருப்பு இருக்க வேண்டும்
 DocType: Notification Control,Expense Claim Rejected Message,செலவு  கோரிக்கை  செய்தி நிராகரிக்கப்பட்டது
 ,Available Qty,கிடைக்கும் அளவு
@@ -1404,7 +1410,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ஆர்டர்கள் விவரங்களை ஒத்திசைப்பதற்கு முன் அமேசான் MWS இலிருந்து எப்போதும் உங்கள் தயாரிப்புகளை ஒத்திசைக்கலாம்
 DocType: Delivery Trip,Delivery Stops,டெலிவரி ஸ்டாப்ஸ்
 DocType: Salary Slip,Working Days,வேலை நாட்கள்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},வரிசையில் உருப்படிக்கு சேவை நிறுத்து தேதி மாற்ற முடியாது {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},வரிசையில் உருப்படிக்கு சேவை நிறுத்து தேதி மாற்ற முடியாது {0}
 DocType: Serial No,Incoming Rate,உள்வரும் விகிதம்
 DocType: Packing Slip,Gross Weight,மொத்த எடை
 DocType: Leave Type,Encashment Threshold Days,Encashment Threshold Days
@@ -1423,30 +1429,32 @@
 DocType: Restaurant Table,Minimum Seating,குறைந்தபட்ச சீட்டிங்
 DocType: Item Attribute,Item Attribute Values,பொருள் பண்புக்கூறு கலாச்சாரம்
 DocType: Examination Result,Examination Result,தேர்வு முடிவு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,ரசீது வாங்க
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,ரசீது வாங்க
 ,Received Items To Be Billed,கட்டணம் பெறப்படும் பொருட்கள்
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,நாணய மாற்று வீதம் மாஸ்டர் .
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,நாணய மாற்று வீதம் மாஸ்டர் .
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},குறிப்பு டாக்டைப் ஒன்றாக இருக்க வேண்டும் {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,மொத்த ஜீரோ Qty வடிகட்டி
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ஆபரேஷன் அடுத்த {0} நாட்கள் நேரத்தில் கண்டுபிடிக்க முடியவில்லை {1}
 DocType: Work Order,Plan material for sub-assemblies,துணை கூட்டங்கள் திட்டம் பொருள்
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,விற்பனை பங்குதாரர்கள் மற்றும் பிரதேச
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} செயலில் இருக்க வேண்டும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} செயலில் இருக்க வேண்டும்
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,இடமாற்றத்திற்கான உருப்படிகளும் கிடைக்கவில்லை
 DocType: Employee Boarding Activity,Activity Name,செயல்பாடு பெயர்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,வெளியீட்டு தேதி மாற்றவும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,வெளியீட்டு தேதி மாற்றவும்
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),நிறைவு (திறக்கும் + மொத்தம்)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,பொருள் குறியீடு&gt; பொருள் குழு&gt; பிராண்ட்
+DocType: Delivery Settings,Dispatch Notification Attachment,டிஸ்ப்ளேட் அறிவிப்பு இணைப்பு
 DocType: Payroll Entry,Number Of Employees,ஊழியர்களின் எண்ணிக்கை
 DocType: Journal Entry,Depreciation Entry,தேய்மானம் நுழைவு
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,முதல் ஆவணம் வகையை தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,முதல் ஆவணம் வகையை தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,இந்த பராமரிப்பு பணிகள் முன் பொருள் வருகைகள் {0} ரத்து
 DocType: Pricing Rule,Rate or Discount,விகிதம் அல்லது தள்ளுபடி
 DocType: Vital Signs,One Sided,ஒரு பக்கம்
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},தொடர் இல {0} பொருள் அல்ல {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,தேவையான அளவு
 DocType: Marketplace Settings,Custom Data,தனிப்பயன் தரவு
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் பேரேடு மாற்றப்பட முடியாது.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},உருப்படியை {0} க்கு தொடர் இல்லை
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் பேரேடு மாற்றப்பட முடியாது.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},உருப்படியை {0} க்கு தொடர் இல்லை
 DocType: Bank Reconciliation,Total Amount,மொத்த தொகை
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,தேதி மற்றும் தேதி வரை பல்வேறு நிதி ஆண்டு பொய்
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,நோயாளி {0} விலைப்பட்டியல் வாடிக்கையாளர் refrence இல்லை
@@ -1458,9 +1466,9 @@
 DocType: Soil Texture,Clay Composition (%),களிமண் கலவை (%)
 DocType: Item Group,Item Group Defaults,பொருள் குழு இயல்புநிலை
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,பணியை ஒதுக்குவதற்கு முன் சேமிக்கவும்.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,இருப்பு மதிப்பு
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,இருப்பு மதிப்பு
 DocType: Lab Test,Lab Technician,ஆய்வக தொழில்நுட்ப வல்லுனர்
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,விற்பனை விலை பட்டியல்
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,விற்பனை விலை பட்டியல்
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","சரிபார்க்கப்பட்டால், ஒரு வாடிக்கையாளர் உருவாக்கப்பட்டு, நோயாளிக்கு ஒப்பிடப்படுவார். இந்த வாடிக்கையாளருக்கு எதிராக நோயாளி இரகசியங்கள் உருவாக்கப்படும். நோயாளி உருவாக்கும் போது நீங்கள் ஏற்கனவே வாடிக்கையாளரைத் தேர்ந்தெடுக்கலாம்."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,எந்தவொரு லாய்லிட்டி திட்டத்திலும் வாடிக்கையாளர் பதிவு செய்யப்படவில்லை
@@ -1474,13 +1482,13 @@
 DocType: Support Search Source,Search Term Param Name,தேடல் கால அளவு பெயர்
 DocType: Item Barcode,Item Barcode,உருப்படியை பார்கோடு
 DocType: Woocommerce Settings,Endpoints,இறுதிப்புள்ளிகள்
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,பொருள் மாறிகள் {0} மேம்படுத்தப்பட்டது
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,பொருள் மாறிகள் {0} மேம்படுத்தப்பட்டது
 DocType: Quality Inspection Reading,Reading 6,6 படித்தல்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,இல்லை {0} {1} {2} இல்லாமல் எந்த எதிர்மறை நிலுவையில் விலைப்பட்டியல் Can
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,இல்லை {0} {1} {2} இல்லாமல் எந்த எதிர்மறை நிலுவையில் விலைப்பட்டியல் Can
 DocType: Share Transfer,From Folio No,ஃபோலியோ இலிருந்து
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,விலைப்பட்டியல் அட்வான்ஸ் வாங்குவதற்கு
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},ரோ {0}: கடன் நுழைவு இணைத்தே ஒரு {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,ஒரு நிதி ஆண்டில் வரவு-செலவுத் திட்ட வரையறை.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,ஒரு நிதி ஆண்டில் வரவு-செலவுத் திட்ட வரையறை.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext கணக்கு
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} தடுக்கப்பட்டுள்ளது, எனவே இந்த பரிவர்த்தனை தொடர முடியாது"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,எம்.ஆர்.ஆர் மீது மாதாந்திர பட்ஜெட் திரட்டியிருந்தால் நடவடிக்கை
@@ -1496,19 +1504,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,விலைப்பட்டியல் கொள்வனவு
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,வேலை ஆணைக்கு எதிராக பல பொருள் நுகர்வு அனுமதி
 DocType: GL Entry,Voucher Detail No,ரசீது விரிவாக இல்லை
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,புதிய விற்பனை விலைப்பட்டியல்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,புதிய விற்பனை விலைப்பட்டியல்
 DocType: Stock Entry,Total Outgoing Value,மொத்த வெளிச்செல்லும் மதிப்பு
 DocType: Healthcare Practitioner,Appointments,சந்திப்புகளைப்
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,தேதி மற்றும் முடிவுத் திகதி திறந்து அதே நிதியாண்டு க்குள் இருக்க வேண்டும்
 DocType: Lead,Request for Information,தகவல் கோரிக்கை
 ,LeaderBoard,முன்னிலை
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),மார்ஜின் விகிதம் (நிறுவனத்தின் நாணயம்)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள்
 DocType: Payment Request,Paid,Paid
 DocType: Program Fee,Program Fee,திட்டம் கட்டணம்
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","மற்ற BOM களில் இது பயன்படுத்தப்படும் இடத்தில் ஒரு குறிப்பிட்ட BOM ஐ மாற்றவும். இது பழைய BOM இணைப்பு, புதுப்பிப்பு செலவு மற்றும் புதிய BOM படி &quot;BOM வெடிப்பு பொருள்&quot; அட்டவணையை மீண்டும் உருவாக்கும். இது அனைத்து BOM களின் சமீபத்திய விலையையும் புதுப்பிக்கிறது."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,பின்வரும் பணி ஆணைகள் உருவாக்கப்பட்டன:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,பின்வரும் பணி ஆணைகள் உருவாக்கப்பட்டன:
 DocType: Salary Slip,Total in words,வார்த்தைகளில் மொத்த
 DocType: Inpatient Record,Discharged,வெளியேறறபட்டீர்கள்இல்லை
 DocType: Material Request Item,Lead Time Date,முன்னணி நேரம் தேதி
@@ -1519,16 +1527,16 @@
 DocType: Support Settings,Get Started Sections,தொடங்குதல் பிரிவுகள்
 DocType: Lead,CRM-LEAD-.YYYY.-,சிஆர்எம்-தலைமை-.YYYY.-
 DocType: Loan,Sanctioned,ஒப்புதல்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,இது அத்தியாவசியமானதாகும். ஒருவேளை இதற்கான பணப்பரிமாற்றப் பதிவு உருவாக்கபடவில்லை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},ரோ # {0}: பொருள் சீரியல் இல்லை குறிப்பிடவும் {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},மொத்த பங்களிப்பு தொகை: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},ரோ # {0}: பொருள் சீரியல் இல்லை குறிப்பிடவும் {1}
 DocType: Payroll Entry,Salary Slips Submitted,சம்பளம் ஸ்லிப்ஸ் சமர்ப்பிக்கப்பட்டது
 DocType: Crop Cycle,Crop Cycle,பயிர் சுழற்சி
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;தயாரிப்பு மூட்டை&#39; பொருட்களை, சேமிப்புக் கிடங்கு, தொ.எ. மற்றும் தொகுதி இல்லை &#39;பேக்கிங்கை பட்டியலில் மேஜையிலிருந்து கருதப்படுகிறது. கிடங்கு மற்றும் தொகுதி இல்லை எந்த &#39;தயாரிப்பு மூட்டை&#39; உருப்படியை அனைத்து பொதி பொருட்களை அதே இருந்தால், அந்த மதிப்புகள் முக்கிய பொருள் அட்டவணை உள்ளிட்ட முடியும், மதிப்புகள் மேஜை &#39;&#39; பட்டியல் பொதி &#39;நகலெடுக்கப்படும்."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;தயாரிப்பு மூட்டை&#39; பொருட்களை, சேமிப்புக் கிடங்கு, தொ.எ. மற்றும் தொகுதி இல்லை &#39;பேக்கிங்கை பட்டியலில் மேஜையிலிருந்து கருதப்படுகிறது. கிடங்கு மற்றும் தொகுதி இல்லை எந்த &#39;தயாரிப்பு மூட்டை&#39; உருப்படியை அனைத்து பொதி பொருட்களை அதே இருந்தால், அந்த மதிப்புகள் முக்கிய பொருள் அட்டவணை உள்ளிட்ட முடியும், மதிப்புகள் மேஜை &#39;&#39; பட்டியல் பொதி &#39;நகலெடுக்கப்படும்."
 DocType: Amazon MWS Settings,BR,பி.ஆர்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,இடம் இருந்து
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay cannnot எதிர்மறையாக இருக்கும்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,இடம் இருந்து
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay cannnot எதிர்மறையாக இருக்கும்
 DocType: Student Admission,Publish on website,வலைத்தளத்தில் வெளியிடு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,சப்ளையர் விவரப்பட்டியல் தேதி பதிவுசெய்ய தேதி விட அதிகமாக இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,சப்ளையர் விவரப்பட்டியல் தேதி பதிவுசெய்ய தேதி விட அதிகமாக இருக்க முடியாது
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ஐஎன்எஸ்-.YYYY.-
 DocType: Subscription,Cancelation Date,ரத்து தேதி
 DocType: Purchase Invoice Item,Purchase Order Item,ஆர்டர் பொருள் வாங்க
@@ -1537,7 +1545,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,மாணவர் வருகை கருவி
 DocType: Restaurant Menu,Price List (Auto created),விலை பட்டியல் (தானாக உருவாக்கப்பட்டது)
 DocType: Cheque Print Template,Date Settings,தேதி அமைப்புகள்
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,மாறுபாடு
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,மாறுபாடு
 DocType: Employee Promotion,Employee Promotion Detail,பணியாளர் ஊக்குவிப்பு விபரம்
 ,Company Name,நிறுவனத்தின் பெயர்
 DocType: SMS Center,Total Message(s),மொத்த செய்தி (கள்)
@@ -1567,7 +1575,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,பணியாளர் நினைவூட்டல்கள் அனுப்ப வேண்டாம்
 DocType: Expense Claim,Total Advance Amount,மொத்த முன்கூட்டிய தொகை
 DocType: Delivery Stop,Estimated Arrival,கணக்கிடப்பட்ட வருகை
-DocType: Delivery Stop,Notified by Email,மின்னஞ்சல் மூலம் அறிவிக்கப்பட்டது
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,எல்லா கட்டுரைகள் பார்க்கவும்
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,ல் நடக்க
 DocType: Item,Inspection Criteria,ஆய்வு வரையறைகள்
@@ -1577,23 +1584,22 @@
 DocType: Timesheet Detail,Bill,ரசீது
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,வெள்ளை
 DocType: SMS Center,All Lead (Open),அனைத்து முன்னணி (திறந்த)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ரோ {0}: அளவு கிடைக்கவில்லை {4} கிடங்கில் {1} நுழைவு நேரம் வெளியிடும் ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ரோ {0}: அளவு கிடைக்கவில்லை {4} கிடங்கில் {1} நுழைவு நேரம் வெளியிடும் ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,காசோலை பெட்டிகளில் இருந்து அதிகபட்சமாக ஒரு விருப்பத்தை மட்டும் தேர்ந்தெடுக்கலாம்.
 DocType: Purchase Invoice,Get Advances Paid,கட்டண முன்னேற்றங்கள் கிடைக்கும்
 DocType: Item,Automatically Create New Batch,தானாகவே புதிய தொகுதி உருவாக்கவும்
 DocType: Item,Automatically Create New Batch,தானாகவே புதிய தொகுதி உருவாக்கவும்
 DocType: Supplier,Represents Company,நிறுவனத்தின் பிரதிநிதித்துவம்
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,செய்ய
 DocType: Student Admission,Admission Start Date,சேர்க்கை தொடக்க தேதி
 DocType: Journal Entry,Total Amount in Words,சொற்கள் மொத்த தொகை
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,புதிய பணியாளர்
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ஒரு பிழை ஏற்பட்டது . ஒரு சாத்தியமான காரணம் நீங்கள் வடிவம் காப்பாற்ற முடியாது என்று இருக்க முடியும் . சிக்கல் தொடர்ந்தால் support@erpnext.com தொடர்பு கொள்ளவும்.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,என் வண்டியில்
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ஒழுங்கு வகை ஒன்றாக இருக்க வேண்டும் {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ஒழுங்கு வகை ஒன்றாக இருக்க வேண்டும் {0}
 DocType: Lead,Next Contact Date,அடுத்த தொடர்பு தேதி
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,திறந்து அளவு
 DocType: Healthcare Settings,Appointment Reminder,நியமனம் நினைவூட்டல்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,தயவு செய்து தொகை மாற்றத்தைக் கணக்கில் நுழைய
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,தயவு செய்து தொகை மாற்றத்தைக் கணக்கில் நுழைய
 DocType: Program Enrollment Tool Student,Student Batch Name,மாணவர் தொகுதி பெயர்
 DocType: Holiday List,Holiday List Name,விடுமுறை பட்டியல் பெயர்
 DocType: Repayment Schedule,Balance Loan Amount,இருப்பு கடன் தொகை
@@ -1603,7 +1609,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,ஸ்டாக் ஆப்ஷன்ஸ்
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,வண்டிக்கு எந்த உருப்படிகள் சேர்க்கப்படவில்லை
 DocType: Journal Entry Account,Expense Claim,இழப்பில் கோரிக்கை
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,நீங்கள் உண்மையில் இந்த முறித்துள்ளது சொத்து மீட்க வேண்டும் என்று விரும்புகிறீர்களா?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,நீங்கள் உண்மையில் இந்த முறித்துள்ளது சொத்து மீட்க வேண்டும் என்று விரும்புகிறீர்களா?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},ஐந்து அளவு {0}
 DocType: Leave Application,Leave Application,விண்ணப்ப விட்டு
 DocType: Patient,Patient Relation,நோயாளி உறவு
@@ -1624,16 +1630,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},தயவு செய்து குறிப்பிட ஒரு {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,அளவு அல்லது மதிப்பு எந்த மாற்றமும் நீக்கப்பட்ட விடயங்கள்.
 DocType: Delivery Note,Delivery To,வழங்கும்
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,மாறுபட்ட உருவாக்கம் வரிசைப்படுத்தப்பட்டுள்ளது.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} க்கான வேலை சுருக்கம்
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,மாறுபட்ட உருவாக்கம் வரிசைப்படுத்தப்பட்டுள்ளது.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} க்கான வேலை சுருக்கம்
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,பட்டியலில் முதல் விடுப்பு மதிப்பீட்டாளர் முன்னிருப்பு விடுப்பு மதிப்பீட்டாளராக அமைக்கப்படும்.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,கற்பிதம் அட்டவணையின் கட்டாயமாகும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,கற்பிதம் அட்டவணையின் கட்டாயமாகும்
 DocType: Production Plan,Get Sales Orders,விற்பனை ஆணைகள் கிடைக்கும்
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} எதிர்மறை இருக்க முடியாது
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,குவிக்புக்ஸில் இணைக்கவும்
 DocType: Training Event,Self-Study,சுய ஆய்வு
 DocType: POS Closing Voucher,Period End Date,காலம் முடிவு தேதி
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,மண் பாடல்கள் 100 வரை சேர்க்கப்படாது
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,தள்ளுபடி
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,வரிசை {0}: {1} திறப்பு {2} இழைகளை உருவாக்குவதற்குத் தேவைப்படுகிறது
 DocType: Membership,Membership,உறுப்பினர்
 DocType: Asset,Total Number of Depreciations,Depreciations எண்ணிக்கை
 DocType: Sales Invoice Item,Rate With Margin,மார்ஜின் உடன் விகிதம்
@@ -1645,7 +1653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},அட்டவணையில் வரிசை {0} ஒரு செல்லுபடியாகும் வரிசை ஐடி தயவு செய்து குறிப்பிடவும் {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,மாறி கண்டுபிடிக்க முடியவில்லை:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,நம்பகத்தன்மையிலிருந்து தொகுப்பதற்கு ஒரு புலத்தைத் தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,பங்கு லெட்ஜர் உருவாக்கிய ஒரு நிலையான சொத்து பொருந்தக்கூடியதாக இருக்க முடியாது.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,பங்கு லெட்ஜர் உருவாக்கிய ஒரு நிலையான சொத்து பொருந்தக்கூடியதாக இருக்க முடியாது.
 DocType: Subscription Plan,Fixed rate,நிலையான விகிதம்
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,ஒப்புக்கொள்ள
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,டெஸ்க்டாப் சென்று ERPNext பயன்படுத்தி தொடங்க
@@ -1679,7 +1687,7 @@
 DocType: Tax Rule,Shipping State,கப்பல் மாநிலம்
 ,Projected Quantity as Source,மூல திட்டமிடப்பட்ட அளவு
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,பொருள் பொத்தானை 'வாங்குதல் ரசீதுகள் இருந்து விடயங்கள் பெறவும்' பயன்படுத்தி சேர்க்க
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,டெலிவரி பயணம்
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,டெலிவரி பயணம்
 DocType: Student,A-,ஏ
 DocType: Share Transfer,Transfer Type,பரிமாற்ற வகை
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,விற்பனை செலவு
@@ -1692,8 +1700,9 @@
 DocType: Item Default,Default Selling Cost Center,இயல்புநிலை விற்பனை செலவு மையம்
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,டிஸ்க்
 DocType: Buying Settings,Material Transferred for Subcontract,உபகண்டத்திற்கு மாற்றியமைக்கப்பட்ட பொருள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,ஜிப் குறியீடு
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},விற்பனை ஆணை {0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,ஆர்டர்களை ஆர்டர் செய்த பொருட்களை வாங்கவும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,ஜிப் குறியீடு
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},விற்பனை ஆணை {0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},கடனுக்கான வட்டி வருமானக் கணக்கைத் தேர்ந்தெடுத்து {0}
 DocType: Opportunity,Contact Info,தகவல் தொடர்பு
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,பங்கு பதிவுகள் செய்தல்
@@ -1706,12 +1715,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,பூஜ்யம் பில்லிங் மணிநேரத்திற்கு விலைப்பட்டியல் செய்ய முடியாது
 DocType: Company,Date of Commencement,துவக்க தேதி
 DocType: Sales Person,Select company name first.,முதல் நிறுவனத்தின் பெயரை தேர்ந்தெடுக்கவும்.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},மின்னஞ்சல் அனுப்பி {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},மின்னஞ்சல் அனுப்பி {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,மேற்கோள்கள் சப்ளையர்கள் இருந்து பெற்றார்.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOM ஐ மாற்றவும் மற்றும் அனைத்து BOM களில் சமீபத்திய விலை புதுப்பிக்கவும்
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},எப்படி {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,இது ரூட் சப்ளையர் குழு மற்றும் திருத்த முடியாது.
-DocType: Delivery Trip,Driver Name,டிரைவர் பெயர்
+DocType: Delivery Note,Driver Name,டிரைவர் பெயர்
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,சராசரி வயது
 DocType: Education Settings,Attendance Freeze Date,வருகை உறைந்து தேதி
 DocType: Education Settings,Attendance Freeze Date,வருகை உறைந்து தேதி
@@ -1723,7 +1732,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,அனைத்து BOM கள்
 DocType: Company,Parent Company,பெற்றோர் நிறுவனம்
 DocType: Healthcare Practitioner,Default Currency,முன்னிருப்பு நாணயத்தின்
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,பொருள் {0} க்கான அதிகபட்ச தள்ளுபடி {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,பொருள் {0} க்கான அதிகபட்ச தள்ளுபடி {1}%
 DocType: Asset Movement,From Employee,பணியாளர் இருந்து
 DocType: Driver,Cellphone Number,செல்போன் எண்
 DocType: Project,Monitor Progress,மானிட்டர் முன்னேற்றம்
@@ -1739,19 +1748,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},அளவு குறைவாக அல்லது சமமாக இருக்க வேண்டும் {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},உறுப்புக்கு தகுதியுடைய அதிகபட்ச தொகை {0} {1}
 DocType: Department Approver,Department Approver,துறை மதிப்பீடு
+DocType: QuickBooks Migrator,Application Settings,பயன்பாட்டு அமைப்புகள்
 DocType: SMS Center,Total Characters,மொத்த எழுத்துகள்
 DocType: Employee Advance,Claimed,உரிமைகோரப்பட்டவை
 DocType: Crop,Row Spacing,வரிசை இடைவெளி
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},பொருள் BOM துறையில் BOM தேர்ந்தெடுக்கவும் {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},பொருள் BOM துறையில் BOM தேர்ந்தெடுக்கவும் {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,தேர்ந்தெடுத்த உருப்படிக்கு ஏதேனும் உருப்படி மாறுபாடு இல்லை
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,சி படிவம் விலைப்பட்டியல் விரிவாக
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,கொடுப்பனவு நல்லிணக்க விலைப்பட்டியல்
 DocType: Clinical Procedure,Procedure Template,நடைமுறை வார்ப்புரு
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,பங்களிப்பு%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் ஆணை தேவைப்பட்டால் == &#39;ஆம்&#39;, பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ஆணை உருவாக்க வேண்டும் {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,பங்களிப்பு%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் ஆணை தேவைப்பட்டால் == &#39;ஆம்&#39;, பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ஆணை உருவாக்க வேண்டும் {0}"
 ,HSN-wise-summary of outward supplies,எச்.எஸ்.என் வாரியான-வெளிப்புற பொருட்கள் பற்றிய சுருக்கம்
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,உங்கள் குறிப்பு நிறுவனத்தில் பதிவு எண்கள். வரி எண்கள் போன்ற
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,மாநிலம்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,மாநிலம்
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,பகிர்கருவி
 DocType: Asset Finance Book,Asset Finance Book,சொத்து நிதி புத்தகம்
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,வண்டியில் கப்பல் விதி
@@ -1760,7 +1770,7 @@
 ,Ordered Items To Be Billed,கணக்கில் வேண்டும் உத்தரவிட்டது உருப்படிகள்
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ரேஞ்ச் குறைவாக இருக்க வேண்டும் இருந்து விட வரையறைக்கு
 DocType: Global Defaults,Global Defaults,உலக இயல்புநிலைகளுக்கு
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,திட்ட கூட்டு அழைப்பிதழ்
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,திட்ட கூட்டு அழைப்பிதழ்
 DocType: Salary Slip,Deductions,விலக்கிற்கு
 DocType: Setup Progress Action,Action Name,அதிரடி பெயர்
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,தொடக்க ஆண்டு
@@ -1774,11 +1784,12 @@
 DocType: Lead,Consultant,பிறர் அறிவுரை வேண்டுபவர்
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,பெற்றோர் சந்திப்பு கூட்டம்
 DocType: Salary Slip,Earnings,வருவாய்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,முடிந்தது பொருள் {0} உற்பத்தி வகை நுழைவு உள்ளிட்ட
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,முடிந்தது பொருள் {0} உற்பத்தி வகை நுழைவு உள்ளிட்ட
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,திறந்து கணக்கு இருப்பு
 ,GST Sales Register,ஜிஎஸ்டி விற்பனை பதிவு
 DocType: Sales Invoice Advance,Sales Invoice Advance,விற்பனை விலைப்பட்டியல் முன்பணம்
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,எதுவும் கோர
+DocType: Stock Settings,Default Return Warehouse,Default Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,உங்கள் களங்களைத் தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify சப்ளையர்
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,கட்டணம் விலைப்பட்டியல் பொருட்கள்
@@ -1787,15 +1798,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,உருவாக்கம் நேரத்தில் மட்டுமே புலங்கள் நகலெடுக்கப்படும்.
 DocType: Setup Progress Action,Domains,களங்கள்
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',' உண்மையான தொடக்க தேதி ' உண்மையான முடிவு தேதி' யை விட அதிகமாக இருக்க முடியாது
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,மேலாண்மை
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,மேலாண்மை
 DocType: Cheque Print Template,Payer Settings,செலுத்துவோரை அமைப்புகள்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,கொடுக்கப்பட்ட உருப்படிகளுடன் இணைக்கப்படாத நிலுவையிலுள்ள கோரிக்கைகள் எதுவும் இல்லை.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,முதல் நிறுவனத்தைத் தேர்ந்தெடுக்கவும்
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","இந்த மாற்று பொருள் குறியீடு இணைக்கப்படும். உங்கள் சுருக்கம் ""எஸ்.எம்"", மற்றும் என்றால் உதாரணமாக, இந்த உருப்படியை குறியீடு ""சட்டை"", ""டி-சட்டை-எஸ்.எம்"" இருக்கும் மாறுபாடு உருப்படியை குறியீடு ஆகிறது"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,நீங்கள் சம்பள விபரம் சேமிக்க முறை நிகர வருவாய் (வார்த்தைகளில்) காண முடியும்.
 DocType: Delivery Note,Is Return,திரும்ப
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,எச்சரிக்கை
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',தொடக்க நாள் பணி முடிவில் நாள் அதிகமாக உள்ளது &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,திரும்ப / டெபிட் குறிப்பு
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,திரும்ப / டெபிட் குறிப்பு
 DocType: Price List Country,Price List Country,விலை பட்டியல் நாடு
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},பொருட்களை {0} செல்லுபடியாகும் தொடர் இலக்கங்கள் {1}
@@ -1808,13 +1820,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,தகவல்களை வழங்குதல்.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,வழங்குபவர் தரவுத்தள.
 DocType: Contract Template,Contract Terms and Conditions,ஒப்பந்த விதிமுறைகள் மற்றும் நிபந்தனைகள்
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,ரத்துசெய்யப்படாத சந்தாவை மறுதொடக்கம் செய்ய முடியாது.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,ரத்துசெய்யப்படாத சந்தாவை மறுதொடக்கம் செய்ய முடியாது.
 DocType: Account,Balance Sheet,இருப்பு தாள்
 DocType: Leave Type,Is Earned Leave,பெற்றார் விட்டு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ','பொருள் கோட் பொருள் சென்டர் செலவாகும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ','பொருள் கோட் பொருள் சென்டர் செலவாகும்
 DocType: Fee Validity,Valid Till,செல்லுபடியாகாத காலம்
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,மொத்த பெற்றோர் ஆசிரியர் கூட்டம்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","பணம் செலுத்தும் முறை உள்ளமைக்கப்படவில்லை. கணக்கு கொடுப்பனவு முறை அல்லது பிஓஎஸ் பதிவு செய்தது பற்றி அமைக்க என்பதையும், சரிபார்க்கவும்."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","பணம் செலுத்தும் முறை உள்ளமைக்கப்படவில்லை. கணக்கு கொடுப்பனவு முறை அல்லது பிஓஎஸ் பதிவு செய்தது பற்றி அமைக்க என்பதையும், சரிபார்க்கவும்."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,அதே பொருளைப் பலமுறை உள்ளிட முடியாது.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","மேலும் கணக்குகளை குழுக்கள் கீழ் செய்யப்பட்ட, ஆனால் உள்ளீடுகளை அல்லாத குழுக்கள் எதிராகவும் முடியும்"
 DocType: Lead,Lead,தலைமை
@@ -1823,11 +1835,12 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS அங்கீகார டோக்கன்
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,பங்கு நுழைவு {0} உருவாக்கப்பட்ட
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,நீங்கள் மீட்கும் விசுவாச புள்ளிகளைப் பெறுவீர்கள்
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,ரோ # {0}: அளவு கொள்முதல் ரிட்டன் உள்ளிட முடியாது நிராகரிக்கப்பட்டது
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,ரோ # {0}: அளவு கொள்முதல் ரிட்டன் உள்ளிட முடியாது நிராகரிக்கப்பட்டது
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,தேர்ந்தெடுத்த வாடிக்கையாளருக்கு வாடிக்கையாளர் குழுவை மாற்றுதல் அனுமதிக்கப்படாது.
 ,Purchase Order Items To Be Billed,"பில்லிங் செய்யப்படும் விதமே இருக்கவும் செய்ய வாங்குதல், ஆர்டர் உருப்படிகள்"
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,மதிப்பிடப்பட்ட வருகையை புதுப்பிக்கிறது.
 DocType: Program Enrollment Tool,Enrollment Details,பதிவு விவரங்கள்
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,ஒரு நிறுவனத்திற்கான பல பொருள் இயல்புநிலைகளை அமைக்க முடியாது.
 DocType: Purchase Invoice Item,Net Rate,நிகர விகிதம்
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,ஒரு வாடிக்கையாளரைத் தேர்ந்தெடுக்கவும்
 DocType: Leave Policy,Leave Allocations,ஒதுக்கீடு விடுப்பு
@@ -1858,7 +1871,7 @@
 DocType: Loan Application,Repayment Info,திரும்பச் செலுத்துதல் தகவல்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,' பதிவுகள் ' காலியாக இருக்க முடியாது
 DocType: Maintenance Team Member,Maintenance Role,பராமரிப்புப் பத்திரம்
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},பிரதி வரிசையில் {0} அதே {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},பிரதி வரிசையில் {0} அதே {1}
 DocType: Marketplace Settings,Disable Marketplace,Marketplace ஐ முடக்கு
 ,Trial Balance,விசாரணை இருப்பு
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,நிதியாண்டு {0} காணவில்லை
@@ -1869,9 +1882,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,சந்தா அமைப்புகள்
 DocType: Purchase Invoice,Update Auto Repeat Reference,ஆட்டோ மீண்டும் மீண்டும் குறிப்பு புதுப்பிக்கவும்
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},விருப்பமான விடுமுறை பட்டியல் விடுமுறை காலத்திற்கு அமைக்கப்படவில்லை {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},விருப்பமான விடுமுறை பட்டியல் விடுமுறை காலத்திற்கு அமைக்கப்படவில்லை {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,ஆராய்ச்சி
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,முகவரி 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,முகவரி 2
 DocType: Maintenance Visit Purpose,Work Done,வேலை
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,காரணிகள் அட்டவணை குறைந்தது ஒரு கற்பிதம் குறிப்பிட தயவு செய்து
 DocType: Announcement,All Students,அனைத்து மாணவர்கள்
@@ -1881,16 +1894,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,மறுகட்டமைக்கப்பட்ட பரிவர்த்தனைகள்
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,முந்தைய
 DocType: Crop Cycle,Linked Location,இணைக்கப்பட்ட இடம்
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","ஒரு உருப்படி குழு அதே பெயரில் , உருப்படி பெயர் மாற்ற அல்லது உருப்படியை குழு பெயர்மாற்றம் செய்க"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","ஒரு உருப்படி குழு அதே பெயரில் , உருப்படி பெயர் மாற்ற அல்லது உருப்படியை குழு பெயர்மாற்றம் செய்க"
 DocType: Crop Cycle,Less than a year,ஒரு வருடம் குறைவாக
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,மாணவர் மொபைல் எண்
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,உலகம் முழுவதும்
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,உலகம் முழுவதும்
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,பொருள் {0} பணி முடியாது
 DocType: Crop,Yield UOM,விளைச்சல் UOM
 ,Budget Variance Report,வரவு செலவு வேறுபாடு அறிக்கை
 DocType: Salary Slip,Gross Pay,ஒட்டு மொத்த ஊதியம் / சம்பளம்
 DocType: Item,Is Item from Hub,பொருள் இருந்து மையமாக உள்ளது
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,சுகாதார சேவைகள் இருந்து பொருட்களை பெற
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,சுகாதார சேவைகள் இருந்து பொருட்களை பெற
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,ரோ {0}: நடவடிக்கை வகை கட்டாயமாகும்.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,பங்கிலாபங்களைப்
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,கணக்கியல்  பேரேடு
@@ -1905,6 +1918,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,பணம் செலுத்தும் முறை
 DocType: Purchase Invoice,Supplied Items,வழங்கப்பட்ட பொருட்கள்
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},உணவகத்திற்கு {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,கமிஷன் விகிதம்%
 DocType: Work Order,Qty To Manufacture,உற்பத்தி அளவு
 DocType: Email Digest,New Income,புதிய வரவு
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,கொள்முதல் சுழற்சி முழுவதும் ஒரே விகிதத்தை பராமரிக்க
@@ -1919,12 +1933,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},மதிப்பீட்டு மதிப்பீடு வரிசையில் பொருள் தேவையான {0}
 DocType: Supplier Scorecard,Scorecard Actions,ஸ்கோர் கார்டு செயல்கள்
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,உதாரணம்: கணினி அறிவியல் முதுநிலை
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},சப்ளையர் {0} {1} இல் இல்லை
 DocType: Purchase Invoice,Rejected Warehouse,நிராகரிக்கப்பட்டது கிடங்கு
 DocType: GL Entry,Against Voucher,வவுச்சர் எதிராக
 DocType: Item Default,Default Buying Cost Center,இயல்புநிலை வாங்குதல் செலவு மையம்
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext சிறந்த வெளியே, நாங்கள் உங்களுக்கு சில நேரம் இந்த உதவி வீடியோக்களை பார்க்க வேண்டும் என்று பரிந்துரைக்கிறோம்."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),இயல்புநிலை வழங்குநருக்கு (விரும்பினால்)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,செய்ய
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),இயல்புநிலை வழங்குநருக்கு (விரும்பினால்)
 DocType: Supplier Quotation Item,Lead Time in days,நாட்கள் முன்னணி நேரம்
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,செலுத்தத்தக்க கணக்குகள் சுருக்கம்
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},உறைந்த கணக்கு திருத்த அதிகாரம் இல்லை {0}
@@ -1933,7 +1947,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,மேற்கோள்களுக்கான புதிய கோரிக்கைக்கு எச்சரிக்கவும்
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,கொள்முதல் ஆணைகள் நீ திட்டமிட உதவும் உங்கள் கொள்முதல் சரி வர
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,லேப் சோதனை பரிந்துரைப்புகள்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",மொத்த வெளியீடு மாற்றம் / அளவு {0} பொருள் கோரிக்கை {1} \ பொருள் {2} கோரிய அளவு அதிகமாக இருக்கக் கூடாது முடியும் {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,சிறிய
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","ஆர்டிஸ்ட்டில் ஒற்றை வாடிக்கையாளரை Shopify இல் சேர்க்கவில்லை என்றால், ஆணைகளை ஒத்திசைக்கும்போது, அமைப்பு முறையான வாடிக்கையாளரை ஆர்டர் செய்வார்"
@@ -1945,6 +1959,7 @@
 DocType: Project,% Completed,% முடிந்தது
 ,Invoiced Amount (Exculsive Tax),விலை விவரம் தொகை ( ஒதுக்கி தள்ளும் பண்புடைய வரி )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,பொருள் 2
+DocType: QuickBooks Migrator,Authorization Endpoint,அங்கீகார முடிவு
 DocType: Travel Request,International,சர்வதேச
 DocType: Training Event,Training Event,பயிற்சி நிகழ்வு
 DocType: Item,Auto re-order,வாகன மறு ஒழுங்கு
@@ -1953,24 +1968,24 @@
 DocType: Contract,Contract,ஒப்பந்த
 DocType: Plant Analysis,Laboratory Testing Datetime,ஆய்வக சோதனை தரவுத்தளம்
 DocType: Email Digest,Add Quote,ஆனால் சேர்க்கவும்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி: {0} உருப்படியை: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி: {0} உருப்படியை: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,மறைமுக செலவுகள்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,ரோ {0}: அளவு கட்டாய ஆகிறது
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,ரோ {0}: அளவு கட்டாய ஆகிறது
 DocType: Agriculture Analysis Criteria,Agriculture,விவசாயம்
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,விற்பனை ஆணை உருவாக்கவும்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,சொத்துக்கான பைனான்ஸ் நுழைவு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,பிளாக் விலைப்பட்டியல்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,சொத்துக்கான பைனான்ஸ் நுழைவு
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,பிளாக் விலைப்பட்டியல்
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,செய்ய வேண்டிய அளவு
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,ஒத்திசைவு முதன்மை தரவு
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,ஒத்திசைவு முதன்மை தரவு
 DocType: Asset Repair,Repair Cost,பழுது செலவு
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள்
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,உள்நுழைய முடியவில்லை
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,சொத்து {0} உருவாக்கப்பட்டது
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,சொத்து {0} உருவாக்கப்பட்டது
 DocType: Special Test Items,Special Test Items,சிறப்பு டெஸ்ட் பொருட்கள்
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace இல் பதிவு செய்ய நீங்கள் கணினி மேலாளர் மற்றும் பொருள் நிர்வாக மேலாளர்களுடன் ஒரு பயனர் இருக்க வேண்டும்.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,கட்டணம் செலுத்தும் முறை
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,உங்கள் ஒதுக்கப்பட்ட சம்பள கட்டமைப்புப்படி நீங்கள் நன்மைக்காக விண்ணப்பிக்க முடியாது
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,இணைய பட ஒரு பொது கோப்பு அல்லது வலைத்தளத்தின் URL இருக்க வேண்டும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,இணைய பட ஒரு பொது கோப்பு அல்லது வலைத்தளத்தின் URL இருக்க வேண்டும்
 DocType: Purchase Invoice Item,BOM,பொருட்களின் அளவுக்கான ரசீது(BOM)
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,இந்த ஒரு ரூட் உருப்படியை குழு மற்றும் திருத்த முடியாது .
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Merge
@@ -1979,23 +1994,24 @@
 DocType: Warehouse,Warehouse Contact Info,சேமிப்பு கிடங்கு தொடர்பு தகவல்
 DocType: Payment Entry,Write Off Difference Amount,வேறுபாடு தொகை ஆஃப் எழுத
 DocType: Volunteer,Volunteer Name,தொண்டர் பெயர்
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: ஊழியர் மின்னஞ்சல் கிடைக்கவில்லை, எனவே மின்னஞ்சல் அனுப்பப்படவில்லை."
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},பிற வரிசைகளில் போலி தேதிகளை கொண்ட வரிசைகள் காணப்பட்டன: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: ஊழியர் மின்னஞ்சல் கிடைக்கவில்லை, எனவே மின்னஞ்சல் அனுப்பப்படவில்லை."
 DocType: Item,Foreign Trade Details,வெளிநாட்டு வர்த்தக விவரங்கள்
 ,Assessment Plan Status,மதிப்பீட்டு திட்டம் நிலை
 DocType: Email Digest,Annual Income,ஆண்டு வருமானம்
 DocType: Serial No,Serial No Details,தொடர் எண் விவரம்
 DocType: Purchase Invoice Item,Item Tax Rate,பொருள் வரி விகிதம்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,கட்சி பெயர் இருந்து
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,கட்சி பெயர் இருந்து
 DocType: Student Group Student,Group Roll Number,குழு ரோல் எண்
 DocType: Student Group Student,Group Roll Number,குழு ரோல் எண்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0} மட்டுமே கடன் கணக்குகள் மற்றொரு பற்று நுழைவு எதிராக இணைக்கப்பட்ட ஐந்து
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,விநியோக  குறிப்பு {0} சமர்ப்பிக்கவில்லை
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,விநியோக  குறிப்பு {0} சமர்ப்பிக்கவில்லை
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,பொருள் {0} ஒரு துணை ஒப்பந்தம் பொருள் இருக்க வேண்டும்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,மூலதன கருவிகள்
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","விலை விதி முதல் பொருள், பொருள் பிரிவு அல்லது பிராண்ட் முடியும், துறையில் 'விண்ணப்பிக்க' அடிப்படையில் தேர்வு செய்யப்படுகிறது."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,முதலில் உருப்படி கோட் ஐ அமைக்கவும்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc வகை
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,விற்பனை குழு மொத்த ஒதுக்கீடு சதவீதம் 100 இருக்க வேண்டும்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc வகை
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,விற்பனை குழு மொத்த ஒதுக்கீடு சதவீதம் 100 இருக்க வேண்டும்
 DocType: Subscription Plan,Billing Interval Count,பில்லிங் இடைவெளி எண்ணிக்கை
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,நியமனங்கள் மற்றும் நோயாளி சந்திப்புகள்
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,மதிப்பு காணவில்லை
@@ -2009,6 +2025,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,அச்சு வடிவம் உருவாக்கு
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,கட்டணம் உருவாக்கப்பட்டது
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},என்று எந்த பொருளை கண்டுபிடிக்க முடியவில்லை {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,பொருட்கள் வடிகட்டி
 DocType: Supplier Scorecard Criteria,Criteria Formula,வரையறைகள் ஃபார்முலா
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,மொத்த வெளிச்செல்லும்
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","மட்டுமே "" மதிப்பு "" 0 அல்லது வெற்று மதிப்பு ஒரு கப்பல் விதி நிலை இருக்க முடியாது"
@@ -2017,14 +2034,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","ஒரு பொருளுக்கு {0}, அளவு நேர்ம எண் இருக்க வேண்டும்"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,குறிப்பு: இந்த விலை மையம் ஒரு குழு உள்ளது. குழுக்களுக்கு எதிராக கணக்கியல் உள்ளீடுகள் செய்ய முடியாது .
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,செல்லுபடியாகும் விடுமுறை நாட்களில் இழப்பீட்டு விடுப்பு கோரிக்கை நாட்கள் இல்லை
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,குழந்தை கிடங்கில் இந்த களஞ்சியசாலை உள்ளது. நீங்கள் இந்த களஞ்சியசாலை நீக்க முடியாது.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,குழந்தை கிடங்கில் இந்த களஞ்சியசாலை உள்ளது. நீங்கள் இந்த களஞ்சியசாலை நீக்க முடியாது.
 DocType: Item,Website Item Groups,இணைய தகவல்கள் குழுக்கள்
 DocType: Purchase Invoice,Total (Company Currency),மொத்த (நிறுவனத்தின் நாணயம்)
 DocType: Daily Work Summary Group,Reminder,நினைவூட்டல்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,அணுகக்கூடிய மதிப்பு
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,அணுகக்கூடிய மதிப்பு
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,சீரியல் எண்ணை {0} க்கும் மேற்பட்ட முறை உள்ளிட்ட
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,பத்திரிகை நுழைவு
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN இலிருந்து
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN இலிருந்து
 DocType: Expense Claim Advance,Unclaimed amount,உரிமை கோரப்படாத தொகை
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} முன்னேற்றம் பொருட்களை
 DocType: Workstation,Workstation Name,பணிநிலைய பெயர்
@@ -2032,7 +2049,7 @@
 DocType: POS Item Group,POS Item Group,பிஓஎஸ் பொருள் குழு
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,மின்னஞ்சல் தொகுப்பு:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,மாற்று உருப்படி உருப்படியின் குறியீடாக இருக்கக்கூடாது
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} பொருள் சேர்ந்தவர்கள் இல்லை {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} பொருள் சேர்ந்தவர்கள் இல்லை {1}
 DocType: Sales Partner,Target Distribution,இலக்கு விநியோகம்
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-தற்காலிக மதிப்பீடு முடித்தல்
 DocType: Salary Slip,Bank Account No.,வங்கி கணக்கு எண்
@@ -2041,7 +2058,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","ஸ்கோர் கார்டு மாறிகள் பயன்படுத்தப்படலாம்: {total_score} (அந்த காலகட்டத்தின் மொத்த மதிப்பெண்), {period_number} (இன்றைய காலகட்டங்களின் எண்ணிக்கை)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,எல்லாவற்றையும் அழி
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,எல்லாவற்றையும் அழி
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,கொள்முதல் ஆர்டர் உருவாக்கவும்
 DocType: Quality Inspection Reading,Reading 8,8 படித்தல்
 DocType: Inpatient Record,Discharge Note,டிஸ்சார்ஜ் குறிப்பு
@@ -2058,7 +2075,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,தனிச்சலுகை விடுப்பு
 DocType: Purchase Invoice,Supplier Invoice Date,வழங்குபவர் விலைப்பட்டியல் தேதி
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,சார்பு rata temporis கணக்கீட்டில் இந்த மதிப்பு பயன்படுத்தப்படுகிறது
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,வண்டியில் செயல்படுத்த வேண்டும்
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,வண்டியில் செயல்படுத்த வேண்டும்
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS இயக்க-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,பெயரிடும் தொடர் முன்னொட்டு
@@ -2074,11 +2091,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,இடையே காணப்படும் ஒன்றுடன் ஒன்று நிலைமைகள் :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,ஜர்னல் எதிராக நுழைவு {0} ஏற்கனவே வேறு சில ரசீது எதிரான சரிசெய்யப்பட்டது
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,மொத்த ஒழுங்கு மதிப்பு
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,உணவு
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,உணவு
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,வயதான ரேஞ்ச் 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,பிஓஎஸ் நிறைவு வவுச்சர் விவரங்கள்
 DocType: Shopify Log,Shopify Log,Shopify பதிவு
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,அமைவு&gt; அமைப்புகள்&gt; பெயரிடும் தொடர்கள் வழியாக {0} பெயரிடும் தொடர்களை அமைக்கவும்
 DocType: Inpatient Occupancy,Check In,சரிபார்க்கவும்
 DocType: Maintenance Schedule Item,No of Visits,வருகைகள் எண்ணிக்கை
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},பராமரிப்பு அட்டவணை {0} எதிராக உள்ளது {1}
@@ -2118,6 +2134,7 @@
 DocType: Salary Structure,Max Benefits (Amount),அதிகபட்ச நன்மைகள் (தொகை)
 DocType: Purchase Invoice,Contact Person,நபர் தொடர்பு
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',' எதிர்பார்த்த தொடக்க தேதி ' 'எதிர்பார்த்த முடிவு தேதி ' ஐ விட அதிகமாக இருக்க முடியாது
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,இந்த காலத்திற்கான தரவு இல்லை
 DocType: Course Scheduling Tool,Course End Date,நிச்சயமாக முடிவு தேதி
 DocType: Holiday List,Holidays,விடுமுறை
 DocType: Sales Order Item,Planned Quantity,திட்டமிட்ட அளவு
@@ -2129,7 +2146,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,நிலையான சொத்து நிகர மாற்றம்
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,அனைத்து வடிவ கருத்தில் இருந்தால் வெறுமையாக
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வரிசையில் {0} ல் ' உண்மையான ' பொறுப்பு மதிப்பிட சேர்க்கப்பட்டுள்ளது முடியாது
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வரிசையில் {0} ல் ' உண்மையான ' பொறுப்பு மதிப்பிட சேர்க்கப்பட்டுள்ளது முடியாது
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},அதிகபட்சம்: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,தேதி நேரம் இருந்து
 DocType: Shopify Settings,For Company,நிறுவனத்தின்
@@ -2142,9 +2159,9 @@
 DocType: Material Request,Terms and Conditions Content,நிபந்தனைகள் உள்ளடக்கம்
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,பாடநெறி அட்டவணையை உருவாக்கும் பிழைகள் இருந்தன
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,"பட்டியலில் முதல் செலவின மதிப்பீடு, முன்னிருப்பு செலவின மதிப்பீட்டாக அமைக்கப்படும்."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 க்கும் அதிகமாக இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 க்கும் அதிகமாக இருக்க முடியாது
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,நீங்கள் மார்க்கெட்ப்ளேட்டில் பதிவு செய்ய கணினி நிர்வாகி மற்றும் பொருள் மேலாளர் பாத்திரங்களை நிர்வாகி தவிர வேறு பயனர் இருக்க வேண்டும்.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,பொருள் {0} ஒரு பங்கு பொருள் அல்ல
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,பொருள் {0} ஒரு பங்கு பொருள் அல்ல
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-பேக்-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,திட்டமிடப்படாத
 DocType: Employee,Owned,சொந்தமானது
@@ -2172,7 +2189,7 @@
 DocType: HR Settings,Employee Settings,பணியாளர் அமைப்புகள்
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,கட்டணம் செலுத்தும் அமைப்பு ஏற்றுகிறது
 ,Batch-Wise Balance History,தொகுதி ஞானமுடையவனாகவும் இருப்பு வரலாறு
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,வரிசை # {0}: பொருள் {1} க்கான தொகைக்கு தொகை அதிகமாக இருந்தால் மதிப்பீட்டை அமைக்க முடியாது.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,வரிசை # {0}: பொருள் {1} க்கான தொகைக்கு தொகை அதிகமாக இருந்தால் மதிப்பீட்டை அமைக்க முடியாது.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,அச்சு அமைப்புகள் அந்தந்த அச்சு வடிவம் மேம்படுத்தப்பட்டது
 DocType: Package Code,Package Code,தொகுப்பு குறியீடு
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,வேலை கற்க நியமி
@@ -2181,7 +2198,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","ஒரு சரம் போன்ற உருப்படியை மாஸ்டர் இருந்து எடுத்தது இந்த துறையில் சேமிக்கப்படும் வரி விவரம் அட்டவணை.
  வரிகள் மற்றும் கட்டணங்கள் பயன்படுத்திய"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,பணியாளர் தன்னை தெரிவிக்க முடியாது.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,பணியாளர் தன்னை தெரிவிக்க முடியாது.
 DocType: Leave Type,Max Leaves Allowed,மேக்ஸ் இலைகள் அனுமதிக்கப்பட்டன
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","கணக்கு முடக்கப்படும் என்றால், உள்ளீடுகளை தடை செய்த அனுமதிக்கப்படுகிறது ."
 DocType: Email Digest,Bank Balance,வங்கி மீதி
@@ -2207,6 +2224,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,வங்கி பரிவர்த்தனை பதிவுகள்
 DocType: Quality Inspection,Readings,அளவீடுகளும்
 DocType: Stock Entry,Total Additional Costs,மொத்த கூடுதல் செலவுகள்
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,தொடர்பு இல்லை
 DocType: BOM,Scrap Material Cost(Company Currency),குப்பை பொருள் செலவு (நிறுவனத்தின் நாணய)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,துணை சபைகளின்
 DocType: Asset,Asset Name,சொத்து பெயர்
@@ -2214,10 +2232,10 @@
 DocType: Shipping Rule Condition,To Value,மதிப்பு
 DocType: Loyalty Program,Loyalty Program Type,லாய்லிட்டி திட்டம் வகை
 DocType: Asset Movement,Stock Manager,பங்கு மேலாளர்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},மூல கிடங்கில் வரிசையில் கட்டாய {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},மூல கிடங்கில் வரிசையில் கட்டாய {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,வரிசையில் செலுத்துதல் கால 0 {0} என்பது ஒரு நகல் ஆகும்.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),விவசாயம் (பீட்டா)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,ஸ்லிப் பொதி
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,ஸ்லிப் பொதி
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,அலுவலகத்திற்கு வாடகைக்கு
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,அமைப்பு எஸ்எம்எஸ் வாயில் அமைப்புகள்
 DocType: Disease,Common Name,பொது பெயர்
@@ -2249,20 +2267,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,ஊழியர் மின்னஞ்சல் சம்பள விபரம்
 DocType: Cost Center,Parent Cost Center,பெற்றோர் செலவு மையம்
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,சாத்தியமான சப்ளையர் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,சாத்தியமான சப்ளையர் தேர்ந்தெடுக்கவும்
 DocType: Sales Invoice,Source,மூல
 DocType: Customer,"Select, to make the customer searchable with these fields","தேர்ந்தெடுக்கவும், இந்த துறைகள் வாடிக்கையாளர் தேடலை செய்ய"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Shipify இல் Shopify இலிருந்து டெலிவரி குறிப்புகள் இறக்குமதி
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,மூடப்பட்டது காட்டு
 DocType: Leave Type,Is Leave Without Pay,சம்பளமில்லா விடுப்பு
-DocType: Lab Test,HLC-LT-.YYYY.-,ஹெச்எல்சி-எல்டி-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,சொத்து வகை நிலையான சொத்து உருப்படியை அத்தியாவசியமானதாகும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,சொத்து வகை நிலையான சொத்து உருப்படியை அத்தியாவசியமானதாகும்
 DocType: Fee Validity,Fee Validity,கட்டணம் செல்லுபடியாகும்
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,கொடுப்பனவு அட்டவணை காணப்படவில்லை பதிவுகள்
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},இந்த {0} கொண்டு மோதல்கள் {1} க்கான {2} {3}
 DocType: Student Attendance Tool,Students HTML,"மாணவர்கள், HTML"
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய ஊழியர் <a href=""#Form/Employee/{0}"">{0}</a> \"
 DocType: POS Profile,Apply Discount,தள்ளுபடி விண்ணப்பிக்க
 DocType: GST HSN Code,GST HSN Code,ஜிஎஸ்டி HSN குறியீடு
 DocType: Employee External Work History,Total Experience,மொத்த அனுபவம்
@@ -2285,7 +2300,7 @@
 DocType: Maintenance Schedule,Schedules,கால அட்டவணைகள்
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,பாயிண்ட்-ன்-விற்பனைக்கு POS விவரம் தேவை
 DocType: Cashier Closing,Net Amount,நிகர விலை
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ஓர் செயல் முடிவடைந்தால் முடியாது சமர்ப்பிக்க செய்யப்படவில்லை
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ஓர் செயல் முடிவடைந்தால் முடியாது சமர்ப்பிக்க செய்யப்படவில்லை
 DocType: Purchase Order Item Supplied,BOM Detail No,"BOM 
 விபரம் எண்"
 DocType: Landed Cost Voucher,Additional Charges,கூடுதல் கட்டணங்கள்
@@ -2315,11 +2330,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,தொடுப்புகள் திறக்கப்படுகின்றன
 DocType: Contract,Contract Details,ஒப்பந்த விவரங்கள்
 DocType: Employee,Leave Details,விவரங்களை விடு
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,பணியாளர் பங்கு அமைக்க ஒரு பணியாளர் சாதனை பயனர் ஐடி துறையில் அமைக்கவும்
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,பணியாளர் பங்கு அமைக்க ஒரு பணியாளர் சாதனை பயனர் ஐடி துறையில் அமைக்கவும்
 DocType: UOM,UOM Name,மொறட்டுவ பல்கலைகழகம் பெயர்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,முகவரி 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,முகவரி 1
 DocType: GST HSN Code,HSN Code,HSN குறியீடு
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,பங்களிப்பு தொகை
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,பங்களிப்பு தொகை
 DocType: Inpatient Record,Patient Encounter,நோயாளி என்கோர்ட்
 DocType: Purchase Invoice,Shipping Address,கப்பல் முகவரி
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"இந்த கருவியை நீங்கள் புதுப்பிக்க அல்லது அமைப்பு பங்கு அளவு மற்றும் மதிப்பீட்டு சரி செய்ய உதவுகிறது. இது பொதுவாக கணினியில் மதிப்புகள் என்ன, உண்மையில் உங்கள் கிடங்குகள் நிலவும் ஒருங்கிணைக்க பயன்படுகிறது."
@@ -2336,9 +2351,9 @@
 DocType: Travel Itinerary,Mode of Travel,பயணத்தின் முறை
 DocType: Sales Invoice Item,Brand Name,குறியீட்டு பெயர்
 DocType: Purchase Receipt,Transporter Details,இடமாற்றி விபரங்கள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,இயல்புநிலை கிடங்கில் தேர்ந்தெடுத்தவையை தேவை
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,இயல்புநிலை கிடங்கில் தேர்ந்தெடுத்தவையை தேவை
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,பெட்டி
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,சாத்தியமான சப்ளையர்
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,சாத்தியமான சப்ளையர்
 DocType: Budget,Monthly Distribution,மாதாந்திர விநியோகம்
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"பெறுநர் பட்டியல் காலியாக உள்ளது . தயவு செய்து, பெறுநர் பட்டியலை உருவாக்க."
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),சுகாதார (பீட்டா)
@@ -2360,6 +2375,7 @@
 ,Lead Name,முன்னணி பெயர்
 ,POS,பிஓஎஸ்
 DocType: C-Form,III,மூன்றாம்
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,prospecting
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,திறந்து பங்கு இருப்பு
 DocType: Asset Category Account,Capital Work In Progress Account,முன்னேற்றம் கணக்கில் மூலதன வேலை
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,சொத்து மதிப்பு சரிசெய்தல்
@@ -2368,7 +2384,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},விடுப்பு வெற்றிகரமாக ஒதுக்கப்பட்ட {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,மூட்டை உருப்படிகள் எதுவும் இல்லை
 DocType: Shipping Rule Condition,From Value,மதிப்பு இருந்து
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,உற்பத்தி அளவு கட்டாய ஆகிறது
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,உற்பத்தி அளவு கட்டாய ஆகிறது
 DocType: Loan,Repayment Method,திரும்பச் செலுத்துதல் முறை
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","தேர்ந்தெடுக்கப்பட்டால், முகப்பு பக்கம் வலைத்தளத்தில் இயல்புநிலை பொருள் குழு இருக்கும்"
 DocType: Quality Inspection Reading,Reading 4,4 படித்தல்
@@ -2393,7 +2409,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ஊழியர் பரிந்துரை
 DocType: Student Group,Set 0 for no limit,எந்த எல்லை 0 அமை
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,நீங்கள் விடுப்பு விண்ணப்பிக்கும் எந்த நாள் (கள்) விடுமுறை. நீங்கள் விடுப்பு விண்ணப்பிக்க வேண்டும்.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} துவக்க {invoice_type} இன்யூசஸ் உருவாக்கத் தேவை
 DocType: Customer,Primary Address and Contact Detail,முதன்மை முகவரி மற்றும் தொடர்பு விவரங்கள்
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,கொடுப்பனவு மின்னஞ்சலை மீண்டும் அனுப்புக
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,புதிய பணி
@@ -2403,22 +2418,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,குறைந்தது ஒரு டொமைன் தேர்ந்தெடுக்கவும்.
 DocType: Dependent Task,Dependent Task,தங்கிவாழும் பணி
 DocType: Shopify Settings,Shopify Tax Account,Shopify வரி கணக்கு
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},நடவடிக்கை இயல்புநிலை பிரிவு மாற்ற காரணி வரிசையில் 1 வேண்டும் {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},வகை விடுப்பு {0} மேலாக இருக்க முடியாது {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},நடவடிக்கை இயல்புநிலை பிரிவு மாற்ற காரணி வரிசையில் 1 வேண்டும் {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},வகை விடுப்பு {0} மேலாக இருக்க முடியாது {1}
 DocType: Delivery Trip,Optimize Route,வழியை மேம்படுத்துக
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,முன்கூட்டியே எக்ஸ் நாட்கள் நடவடிக்கைகளுக்குத் திட்டமிட்டுள்ளது முயற்சி.
 DocType: HR Settings,Stop Birthday Reminders,நிறுத்து நினைவூட்டல்கள்
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},நிறுவனத்தின் இயல்புநிலை சம்பளப்பட்டியல் செலுத்த வேண்டிய கணக்கு அமைக்கவும் {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,அமேசான் மூலம் வரி மற்றும் கட்டணம் தரவு நிதி உடைவு கிடைக்கும்
 DocType: SMS Center,Receiver List,பெறுநர் பட்டியல்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,தேடல் பொருள்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,தேடல் பொருள்
 DocType: Payment Schedule,Payment Amount,கட்டணம் அளவு
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,தேதி மற்றும் பணி முடிவு தேதி ஆகியவற்றிற்கு இடையேயான அரை நாள் தேதி இருக்க வேண்டும்
 DocType: Healthcare Settings,Healthcare Service Items,சுகாதார சேவை பொருட்கள்
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,உட்கொள்ளுகிறது தொகை
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,பண நிகர மாற்றம்
 DocType: Assessment Plan,Grading Scale,தரம் பிரித்தல் ஸ்கேல்
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,நடவடிக்கை அலகு {0} மேலும் மாற்று காரணி அட்டவணை முறை விட உள்ளிட்ட
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,நடவடிக்கை அலகு {0} மேலும் மாற்று காரணி அட்டவணை முறை விட உள்ளிட்ட
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ஏற்கனவே நிறைவு
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,கை பங்கு
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2441,25 +2456,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,தொடர் இல {0} அளவு {1} ஒரு பகுதியை இருக்க முடியாது
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Woocommerce Server URL ஐ உள்ளிடுக
 DocType: Purchase Order Item,Supplier Part Number,வழங்குபவர் பாகம் எண்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,மாற்று விகிதம் 0 அல்லது 1 இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,மாற்று விகிதம் 0 அல்லது 1 இருக்க முடியாது
 DocType: Share Balance,To No,இல்லை
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,பணியாளர் உருவாக்கும் அனைத்து கட்டாய பணி இன்னும் செய்யப்படவில்லை.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ரத்து செய்யப்பட்டது அல்லது நிறுத்தி உள்ளது
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ரத்து செய்யப்பட்டது அல்லது நிறுத்தி உள்ளது
 DocType: Accounts Settings,Credit Controller,கடன் கட்டுப்பாட்டாளர்
 DocType: Loan,Applicant Type,விண்ணப்பதாரர் வகை
 DocType: Purchase Invoice,03-Deficiency in services,03-சேவைகளில் குறைபாடு
 DocType: Healthcare Settings,Default Medical Code Standard,இயல்புநிலை மருத்துவ குறியீடு தரநிலை
 DocType: Purchase Invoice Item,HSN/SAC,HSN / எஸ்ஏசி
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,கொள்முதல் ரசீது {0} சமர்ப்பிக்க
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,கொள்முதல் ரசீது {0} சமர்ப்பிக்க
 DocType: Company,Default Payable Account,இயல்புநிலை செலுத்த வேண்டிய கணக்கு
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","அத்தகைய கப்பல் விதிகள், விலை பட்டியல் முதலியன போன்ற ஆன்லைன் வணிக வண்டி அமைப்புகள்"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-முன் .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% வசூலிக்கப்படும்
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,பாதுகாக்கப்பட்டவை அளவு
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,பாதுகாக்கப்பட்டவை அளவு
 DocType: Party Account,Party Account,கட்சி கணக்கு
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,"நிறுவனத்தையும், பதவியையும் தேர்ந்தெடுக்கவும்"
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,மனித வளங்கள்
-DocType: Lead,Upper Income,உயர் வருமானம்
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,உயர் வருமானம்
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,நிராகரி
 DocType: Journal Entry Account,Debit in Company Currency,நிறுவனத்தின் நாணய பற்று
 DocType: BOM Item,BOM Item,BOM பொருள்
@@ -2474,7 +2489,7 @@
 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py +21,Payroll date can not be less than employee's joining date,பணியாளர் தேதி சேரும் தேதிக்கு மேல் குறைவாக இருக்க முடியாது
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py +87,{0} {1} created,{0} {1} உருவாக்கப்பட்டது
 DocType: Vital Signs,Constipated,மலச்சிக்கல்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},வழங்குபவர் எதிராக விலைப்பட்டியல் {0} தேதியிட்ட {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},வழங்குபவர் எதிராக விலைப்பட்டியல் {0} தேதியிட்ட {1}
 DocType: Customer,Default Price List,முன்னிருப்பு விலை பட்டியல்
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,சொத்து இயக்கம் சாதனை {0} உருவாக்கப்பட்ட
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,உருப்படிகள் எதுவும் இல்லை.
@@ -2490,17 +2505,18 @@
 DocType: Journal Entry,Entry Type,நுழைவு வகை
 ,Customer Credit Balance,வாடிக்கையாளர் கடன் இருப்பு
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,செலுத்தத்தக்க கணக்குகள் நிகர மாற்றம்
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),வாடிக்கையாளர் {0} ({1} / {2}) க்கு கடன் வரம்பு கடந்துவிட்டது
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,அமைவு&gt; அமைப்புகள்&gt; பெயரிடும் தொடர்கள் வழியாக {0} பெயரிடும் தொடர்களை அமைக்கவும்
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),வாடிக்கையாளர் {0} ({1} / {2}) க்கு கடன் வரம்பு கடந்துவிட்டது
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',வாடிக்கையாளர் வாரியாக தள்ளுபடி ' தேவையான வாடிக்கையாளர்
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,மேம்படுத்தல் வங்கி பணம் பத்திரிகைகள் மூலம் செல்கிறது.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,விலை
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,விலை
 DocType: Quotation,Term Details,கால விவரம்
 DocType: Employee Incentive,Employee Incentive,பணியாளர் ஊக்கத்தொகை
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} இந்த மாணவர் குழு மாணவர்கள் விட சேர முடியாது.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),மொத்தம் (வரி இல்லாமல்)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,முன்னணி கவுண்ட்
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,முன்னணி கவுண்ட்
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,கிடைக்கும் பங்கு
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,கிடைக்கும் பங்கு
 DocType: Manufacturing Settings,Capacity Planning For (Days),(நாட்கள்) கொள்ளளவு திட்டமிடுதல்
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,கொள்முதல்
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,பொருட்களை எதுவும் அளவு அல்லது பெறுமதியில் எந்த மாற்று வேண்டும்.
@@ -2525,7 +2541,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,விட்டு மற்றும் வருகை
 DocType: Asset,Comprehensive Insurance,விரிவான காப்புறுதி
 DocType: Maintenance Visit,Partially Completed,ஓரளவிற்கு பூர்த்தி
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},விசுவாச புள்ளிகள்: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},விசுவாச புள்ளிகள்: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,வழிகாட்டிகளைச் சேர்க்கவும்
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,மிதமான உணர்திறன்
 DocType: Leave Type,Include holidays within leaves as leaves,இலைகள் போன்ற இலைகள் உள்ள விடுமுறை சேர்க்கவும்
 DocType: Loyalty Program,Redemption,மீட்பு
@@ -2559,7 +2576,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,மார்க்கெட்டிங் செலவுகள்
 ,Item Shortage Report,பொருள் பற்றாக்குறை அறிக்கை
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,நிலையான அளவுகோல்களை உருவாக்க முடியாது. நிபந்தனைகளுக்கு மறுபெயரிடுக
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","எடை கூட ""எடை UOM"" குறிப்பிட தயவு செய்து \n குறிப்பிடப்பட்டுள்ளது"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","எடை கூட ""எடை UOM"" குறிப்பிட தயவு செய்து \n குறிப்பிடப்பட்டுள்ளது"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,இந்த பங்கு நுழைவு செய்ய பயன்படுத்தப்படும் பொருள் கோரிக்கை
 DocType: Hub User,Hub Password,ஹப் கடவுச்சொல்
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,ஒவ்வொரு தொகுதி தனி நிச்சயமாக பொறுத்தே குழு
@@ -2574,15 +2591,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),நியமனம் காலம் (நிமிடங்கள்)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ஒவ்வொரு பங்கு கணக்கு பதிவு செய்ய
 DocType: Leave Allocation,Total Leaves Allocated,மொத்த இலைகள் ஒதுக்கப்பட்ட
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,செல்லுபடியாகும் நிதி ஆண்டின் தொடக்க மற்றும் முடிவு தேதிகளை உள்ளிடவும்
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,செல்லுபடியாகும் நிதி ஆண்டின் தொடக்க மற்றும் முடிவு தேதிகளை உள்ளிடவும்
 DocType: Employee,Date Of Retirement,ஓய்வு தேதி
 DocType: Upload Attendance,Get Template,வார்ப்புரு கிடைக்கும்
+,Sales Person Commission Summary,விற்பனை நபர் கமிஷன் சுருக்கம்
 DocType: Additional Salary Component,Additional Salary Component,கூடுதல் சம்பள உபகரண
 DocType: Material Request,Transferred,மாற்றப்பட்டது
 DocType: Vehicle,Doors,கதவுகள்
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext அமைவு முடிந்தது!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext அமைவு முடிந்தது!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,நோயாளி பதிவுக்கான கட்டணம் சேகரிக்கவும்
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,பங்கு பரிவர்த்தனைக்குப் பிறகு காரியங்களை மாற்ற முடியாது. புதிய உருப்படிக்கு புதிய பொருளை உருவாக்கவும் பங்குகளை பரிமாற்றவும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,பங்கு பரிவர்த்தனைக்குப் பிறகு காரியங்களை மாற்ற முடியாது. புதிய உருப்படிக்கு புதிய பொருளை உருவாக்கவும் பங்குகளை பரிமாற்றவும்
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,வரி முறிவுக்குப்
 DocType: Employee,Joining Details,விவரங்களைச் சேர்ப்பது
@@ -2610,14 +2628,15 @@
 DocType: Lead,Next Contact By,அடுத்த தொடர்பு
 DocType: Compensatory Leave Request,Compensatory Leave Request,இழப்பீட்டு விடுப்பு கோரிக்கை
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},உருப்படி தேவையான அளவு {0} வரிசையில் {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},அளவு பொருள் உள்ளது என கிடங்கு {0} நீக்க முடியாது {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},அளவு பொருள் உள்ளது என கிடங்கு {0} நீக்க முடியாது {1}
 DocType: Blanket Order,Order Type,வரிசை வகை
 ,Item-wise Sales Register,பொருள் வாரியான விற்பனை பதிவு
 DocType: Asset,Gross Purchase Amount,மொத்த கொள்முதல் அளவு
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,திறக்கும் இருப்பு
 DocType: Asset,Depreciation Method,தேய்மானம் முறை
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,இந்த வரி அடிப்படை விகிதம் சேர்க்கப்பட்டுள்ளது?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,மொத்த இலக்கு
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,மொத்த இலக்கு
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,புலனுணர்வு பகுப்பாய்வு
 DocType: Soil Texture,Sand Composition (%),மணல் கலவை (%)
 DocType: Job Applicant,Applicant for a Job,ஒரு வேலை விண்ணப்பதாரர்
 DocType: Production Plan Material Request,Production Plan Material Request,உற்பத்தித் திட்டத்தைத் பொருள் வேண்டுகோள்
@@ -2633,23 +2652,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),மதிப்பீட்டு மார்க் (10 இலிருந்து)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 கைப்பேசி
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,முதன்மை
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,உருப்படிக்குப் பின் {0} {1} உருப்படி என குறிக்கப்படவில்லை. நீங்கள் அதன் உருப்படி மாஸ்டர் இருந்து {1} உருப்படி என அவற்றை செயல்படுத்தலாம்
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,மாற்று
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","ஒரு உருப்படிக்கு {0}, எதிர்ம எண் எண்ணாக இருக்க வேண்டும்"
 DocType: Naming Series,Set prefix for numbering series on your transactions,உங்கள் நடவடிக்கைகள் மீது தொடர் எண்ணுவதற்கான முன்னொட்டு அமைக்க
 DocType: Employee Attendance Tool,Employees HTML,"ஊழியர், HTML"
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,"இயல்புநிலை BOM, ({0}) இந்த உருப்படியை அல்லது அதன் டெம்ப்ளேட் தீவிரமாக இருக்க வேண்டும்"
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,"இயல்புநிலை BOM, ({0}) இந்த உருப்படியை அல்லது அதன் டெம்ப்ளேட் தீவிரமாக இருக்க வேண்டும்"
 DocType: Employee,Leave Encashed?,காசாக்கப்பட்டால் விட்டு?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,துறையில் இருந்து வாய்ப்பு கட்டாய ஆகிறது
 DocType: Email Digest,Annual Expenses,வருடாந்த செலவுகள்
 DocType: Item,Variants,மாறிகள்
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,கொள்முதல் ஆணை செய்ய
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,கொள்முதல் ஆணை செய்ய
 DocType: SMS Center,Send To,அனுப்பு
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0}
 DocType: Payment Reconciliation Payment,Allocated amount,ஒதுக்கப்பட்டுள்ள தொகை
 DocType: Sales Team,Contribution to Net Total,நிகர மொத்த பங்களிப்பு
 DocType: Sales Invoice Item,Customer's Item Code,வாடிக்கையாளர் பொருள் குறியீடு
 DocType: Stock Reconciliation,Stock Reconciliation,பங்கு நல்லிணக்க
 DocType: Territory,Territory Name,மண்டலம் பெயர்
+DocType: Email Digest,Purchase Orders to Receive,பெறுவதற்கான ஆர்டர்களை வாங்குக
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,"வேலை, முன்னேற்றம் கிடங்கு சமர்ப்பிக்க முன் தேவை"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,ஒரு சந்தாவில் அதே பில்லிங் சுழற்சிகளுடன் நீங்கள் மட்டுமே திட்டங்கள் இருக்கலாம்
 DocType: Bank Statement Transaction Settings Item,Mapped Data,வரைபட தரவு
@@ -2665,9 +2686,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},நகல் சீரியல் இல்லை உருப்படி உள்ளிட்ட {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,ட்ராக் மூலத்தை வழிநடத்துகிறது.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,ஒரு கப்பல் ஆட்சிக்கு ஒரு நிலையில்
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,தயவுசெய்து உள்ளீடவும்
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,தயவுசெய்து உள்ளீடவும்
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,பராமரிப்பு பதிவு
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கில் அடிப்படையில் வடிகட்டி அமைக்கவும்
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கில் அடிப்படையில் வடிகட்டி அமைக்கவும்
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),இந்த தொகுப்பு நிகர எடை. (பொருட்களை நிகர எடை கூடுதல் போன்ற தானாக கணக்கிடப்படுகிறது)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,இண்டர் கம்பெனி ஜர்னல் நுழைவு செய்யுங்கள்
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,தள்ளுபடி தொகை 100% க்கும் அதிகமாக இருக்கக்கூடாது
@@ -2676,15 +2697,15 @@
 DocType: Sales Order,To Deliver and Bill,வழங்க மசோதா
 DocType: Student Group,Instructors,பயிற்றுனர்கள்
 DocType: GL Entry,Credit Amount in Account Currency,கணக்கு நாணய கடன் தொகை
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} சமர்ப்பிக்க வேண்டும்
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,பகிர்வு மேலாண்மை
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} சமர்ப்பிக்க வேண்டும்
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,பகிர்வு மேலாண்மை
 DocType: Authorization Control,Authorization Control,அங்கீகாரம் கட்டுப்பாடு
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ரோ # {0}: கிடங்கு நிராகரிக்கப்பட்டது நிராகரித்தது பொருள் எதிராக கட்டாயமாகும் {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,கொடுப்பனவு
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ரோ # {0}: கிடங்கு நிராகரிக்கப்பட்டது நிராகரித்தது பொருள் எதிராக கட்டாயமாகும் {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,கொடுப்பனவு
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","கிடங்கு {0} எந்த கணக்கிற்கானது அல்ல என்பதுடன், அந்த நிறுவனம் உள்ள கிடங்கில் பதிவில் கணக்கு அல்லது அமைக்க இயல்புநிலை சரக்கு கணக்கு குறிப்பிட தயவு செய்து {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,உங்கள் ஆர்டர்களை நிர்வகிக்கவும்
 DocType: Work Order Operation,Actual Time and Cost,உண்மையான நேரம் மற்றும் செலவு
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},அதிகபட்ச பொருள் கோரிக்கை {0} உருப்படி {1} எதிராகவிற்பனை ஆணை {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},அதிகபட்ச பொருள் கோரிக்கை {0} உருப்படி {1} எதிராகவிற்பனை ஆணை {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,பயிர் இடைவெளி
 DocType: Course,Course Abbreviation,பாடநெறி சுருக்கமான
@@ -2696,6 +2717,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},மொத்த வேலை மணி நேரம் அதிகபட்சம் வேலை நேரம் விட அதிகமாக இருக்க கூடாது {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,மீது
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,விற்பனை நேரத்தில் பொருட்களை மூட்டை.
+DocType: Delivery Settings,Dispatch Settings,அனுப்புதல் அமைப்புகள்
 DocType: Material Request Plan Item,Actual Qty,உண்மையான அளவு
 DocType: Sales Invoice Item,References,குறிப்புகள்
 DocType: Quality Inspection Reading,Reading 10,10 படித்தல்
@@ -2705,11 +2727,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,நீங்கள் போலி பொருட்களை நுழைந்தது. சரிசெய்து மீண்டும் முயற்சிக்கவும்.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,இணை
 DocType: Asset Movement,Asset Movement,சொத்து இயக்கம்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,பணி வரிசை {0} சமர்ப்பிக்கப்பட வேண்டும்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,புதிய வண்டி
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,பணி வரிசை {0} சமர்ப்பிக்கப்பட வேண்டும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,புதிய வண்டி
 DocType: Taxable Salary Slab,From Amount,தொகை இருந்து
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,பொருள் {0} ஒரு தொடர் பொருள் அல்ல
 DocType: Leave Type,Encashment,மாற்றுனர்
+DocType: Delivery Settings,Delivery Settings,டெலிவரி அமைப்புகள்
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,தரவை எடு
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},விடுப்பு வகை {0} இல் அனுமதிக்கப்படும் அதிகபட்ச விடுப்பு {1}
 DocType: SMS Center,Create Receiver List,பெறுநர் பட்டியல் உருவாக்க
 DocType: Vehicle,Wheels,வீல்ஸ்
@@ -2725,7 +2749,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,பில்லிங் நாணயம் இயல்புநிலை நிறுவன நாணய அல்லது கட்சி கணக்கு நாணயத்திற்கு சமமாக இருக்க வேண்டும்
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),தொகுப்பு இந்த விநியோக ஒரு பகுதியாக உள்ளது என்று குறிக்கிறது (மட்டும் வரைவு)
 DocType: Soil Texture,Loam,லோம்
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,வரிசை {0}: தேதி தேதி வெளியிடும் தேதி இருக்க முடியாது
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,வரிசை {0}: தேதி தேதி வெளியிடும் தேதி இருக்க முடியாது
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,கொடுப்பனவு நுழைவு செய்ய
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},அளவு உருப்படி {0} விட குறைவாக இருக்க வேண்டும் {1}
 ,Sales Invoice Trends,விற்பனை விலைப்பட்டியல் போக்குகள்
@@ -2733,12 +2757,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',கட்டணம் வகை அல்லது ' முந்தைய வரிசை மொத்த ' முந்தைய வரிசை அளவு ' மட்டுமே வரிசையில் பார்க்கவும் முடியும்
 DocType: Sales Order Item,Delivery Warehouse,டெலிவரி கிடங்கு
 DocType: Leave Type,Earned Leave Frequency,சம்பாதித்த அதிர்வெண்
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,நிதி செலவு மையங்கள் மரம்.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,துணை வகை
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,நிதி செலவு மையங்கள் மரம்.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,துணை வகை
 DocType: Serial No,Delivery Document No,டெலிவரி ஆவண இல்லை
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,உற்பத்தி வரிசை எண்
 DocType: Vital Signs,Furry,உரோமம்
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},&#39;சொத்துக்களை மீது லாபம் / நஷ்டம் கணக்கு&#39; அமைக்க கம்பெனி உள்ள {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},&#39;சொத்துக்களை மீது லாபம் / நஷ்டம் கணக்கு&#39; அமைக்க கம்பெனி உள்ள {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,கொள்முதல் ரசீதுகள் இருந்து விடயங்கள் பெறவும்
 DocType: Serial No,Creation Date,உருவாக்கிய தேதி
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +42,"Selling must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் விற்பனை, சரிபார்க்கப்பட வேண்டும் {0}"
@@ -2751,11 +2775,12 @@
 DocType: Item,Has Variants,வகைகள் உண்டு
 DocType: Employee Benefit Claim,Claim Benefit For,கோரிக்கை பயன்
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,பதில் புதுப்பிக்கவும்
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},நீங்கள் ஏற்கனவே இருந்து பொருட்களை தேர்ந்தெடுத்த {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},நீங்கள் ஏற்கனவே இருந்து பொருட்களை தேர்ந்தெடுத்த {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,மாதாந்திர விநியோகம் பெயர்
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,தொகுப்பு ஐடி கட்டாயமாகும்
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,தொகுப்பு ஐடி கட்டாயமாகும்
 DocType: Sales Person,Parent Sales Person,பெற்றோர் விற்பனை நபர்
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,பெற வேண்டிய உருப்படிகள் தாமதமாக உள்ளது
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,விற்பனையாளர் மற்றும் வாங்குபவர் அதே இருக்க முடியாது
 DocType: Project,Collect Progress,முன்னேற்றம் சேகரிக்கவும்
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-டிஎன்-.YYYY.-
@@ -2771,7 +2796,7 @@
 DocType: Bank Guarantee,Margin Money,மார்ஜின் பணம்
 DocType: Budget,Budget,வரவு செலவு திட்டம்
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,திறந்த அமை
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,நிலையான சொத்து பொருள் அல்லாத பங்கு உருப்படியை இருக்க வேண்டும்.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,நிலையான சொத்து பொருள் அல்லாத பங்கு உருப்படியை இருக்க வேண்டும்.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",அது ஒரு வருமான அல்லது செலவு கணக்கு அல்ல என பட்ஜெட் எதிராக {0} ஒதுக்கப்படும் முடியாது
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} க்கான அதிகபட்ச விலக்கு தொகை {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,அடைய
@@ -2789,9 +2814,9 @@
 ,Amount to Deliver,அளவு வழங்க வேண்டும்
 DocType: Asset,Insurance Start Date,காப்பீட்டு தொடக்க தேதி
 DocType: Salary Component,Flexible Benefits,நெகிழ்வான நன்மைகள்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},அதே உருப்படியை பல முறை உள்ளிட்டுள்ளது. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},அதே உருப்படியை பல முறை உள்ளிட்டுள்ளது. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,கால தொடக்க தேதி கால இணைக்கப்பட்ட செய்ய கல்வியாண்டின் ஆண்டு தொடக்க தேதி முன்னதாக இருக்க முடியாது (கல்வி ஆண்டு {}). தேதிகள் சரிசெய்து மீண்டும் முயற்சிக்கவும்.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,பிழைகள் இருந்தன .
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,பிழைகள் இருந்தன .
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,பணியாளர் {0} {2} மற்றும் {3} இடையே {1}
 DocType: Guardian,Guardian Interests,கார்டியன் ஆர்வம்
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,கணக்கு பெயர் / எண் புதுப்பிக்கவும்
@@ -2831,9 +2856,9 @@
 ,Item-wise Purchase History,பொருள் வாரியான கொள்முதல் வரலாறு
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"சீரியல் இல்லை பொருள் சேர்க்க எடுக்க ' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து, {0}"
 DocType: Account,Frozen,நிலையாக்கப்பட்டன
-DocType: Delivery Note,Vehicle Type,வாகன வகை
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,வாகன வகை
 DocType: Sales Invoice Payment,Base Amount (Company Currency),அடிப்படை அளவு (நிறுவனத்தின் நாணய)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,மூல பொருட்கள்
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,மூல பொருட்கள்
 DocType: Payment Reconciliation Payment,Reference Row,குறிப்பு ரோ
 DocType: Installation Note,Installation Time,நிறுவல் நேரம்
 DocType: Sales Invoice,Accounting Details,கணக்கு விவரங்கள்
@@ -2842,12 +2867,13 @@
 DocType: Inpatient Record,O Positive,நேர்மறை
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,முதலீடுகள்
 DocType: Issue,Resolution Details,தீர்மானம் விவரம்
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,பரிவர்த்தனை வகை
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,பரிவர்த்தனை வகை
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ஏற்று கொள்வதற்கான நிபந்தனை
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,தயவு செய்து மேலே உள்ள அட்டவணையில் பொருள் கோரிக்கைகள் நுழைய
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,ஜர்னல் நுழைவுக்காக திருப்பிச் செலுத்துதல் இல்லை
 DocType: Hub Tracked Item,Image List,பட பட்டியல்
 DocType: Item Attribute,Attribute Name,பெயர் பண்பு
+DocType: Subscription,Generate Invoice At Beginning Of Period,காலம் தொடங்கி விலைப்பட்டியல் உருவாக்குதல்
 DocType: BOM,Show In Website,இணையத்தளம் காண்பி
 DocType: Loan Application,Total Payable Amount,மொத்த செலுத்த வேண்டிய தொகை
 DocType: Task,Expected Time (in hours),எதிர்பார்த்த நேரம் (மணி)
@@ -2883,8 +2909,8 @@
 DocType: Employee,Resignation Letter Date,ராஜினாமா கடிதம் தேதி
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,விலை விதிமுறைகள் மேலும் அளவு அடிப்படையில் வடிகட்டப்பட்டு.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,அமைக்கப்படவில்லை
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},பணியாளரின் சேர தேதி அமைக்கவும் {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},பணியாளரின் சேர தேதி அமைக்கவும் {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},பணியாளரின் சேர தேதி அமைக்கவும் {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},பணியாளரின் சேர தேதி அமைக்கவும் {0}
 DocType: Inpatient Record,Discharge,வெளியேற்றம்
 DocType: Task,Total Billing Amount (via Time Sheet),மொத்த பில்லிங் அளவு (நேரம் தாள் வழியாக)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,மீண்டும் வாடிக்கையாளர் வருவாய்
@@ -2894,13 +2920,13 @@
 DocType: Chapter,Chapter,அத்தியாயம்
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,இணை
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,இந்த பயன்முறை தேர்ந்தெடுக்கப்பட்டபோது POS விலைப்பட்டியல் தானாகவே தானாகவே புதுப்பிக்கப்படும்.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ஆக்கத்துக்கான BOM மற்றும் அளவு தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ஆக்கத்துக்கான BOM மற்றும் அளவு தேர்ந்தெடுக்கவும்
 DocType: Asset,Depreciation Schedule,தேய்மானம் அட்டவணை
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,விற்பனை பார்ட்னர் முகவரிகள் மற்றும் தொடர்புகள்
 DocType: Bank Reconciliation Detail,Against Account,கணக்கு எதிராக
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,அரை நாள் தேதி வரம்பு தேதி தேதி இடையே இருக்க வேண்டும்
 DocType: Maintenance Schedule Detail,Actual Date,உண்மையான தேதி
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,{0} நிறுவனத்தில் உள்ள இயல்புநிலை விலை மையத்தை அமைத்திடுங்கள்.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,{0} நிறுவனத்தில் உள்ள இயல்புநிலை விலை மையத்தை அமைத்திடுங்கள்.
 DocType: Item,Has Batch No,கூறு எண் உள்ளது
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},வருடாந்த பில்லிங்: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook விவரம்
@@ -2912,7 +2938,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ஏசிசி-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift வகை
 DocType: Student,Personal Details,தனிப்பட்ட விவரங்கள்
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},நிறுவனத்தின் &#39;சொத்து தேய்மானம் செலவு மையம்&#39; அமைக்கவும் {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},நிறுவனத்தின் &#39;சொத்து தேய்மானம் செலவு மையம்&#39; அமைக்கவும் {0}
 ,Maintenance Schedules,பராமரிப்பு அட்டவணை
 DocType: Task,Actual End Date (via Time Sheet),உண்மையான முடிவு தேதி (நேரம் தாள் வழியாக)
 DocType: Soil Texture,Soil Type,மண் வகை
@@ -2921,10 +2947,10 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},"பொருள் குழு குறிப்பிடப்படவில்லை
 உருப்படியை {0} ல் உருப்படியை மாஸ்டர்"
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless கட்டளை
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,கணக்கில் பற்று ஒரு பெறத்தக்க கணக்கு இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,கணக்கில் பற்று ஒரு பெறத்தக்க கணக்கு இருக்க வேண்டும்
 DocType: Shipping Rule,Shipping Amount,கப்பல் தொகை
 DocType: Supplier Scorecard Period,Period Score,காலம் ஸ்கோர்
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,வாடிக்கையாளர்கள் சேர்
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,வாடிக்கையாளர்கள் சேர்
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,நிலுவையில் தொகை
 DocType: Lab Test Template,Special,சிறப்பு
 DocType: Loyalty Program,Conversion Factor,மாற்ற காரணி
@@ -2941,7 +2967,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,லெட்டர்ஹெட் சேர்க்கவும்
 DocType: Program Enrollment,Self-Driving Vehicle,சுயமாக ஓட்டும் வாகன
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,சப்ளையர் ஸ்கார்கார்டு ஸ்டாண்டிங்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},ரோ {0}: பொருட்களை பில் பொருள் காணப்படவில்லை இல்லை {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},ரோ {0}: பொருட்களை பில் பொருள் காணப்படவில்லை இல்லை {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,மொத்த ஒதுக்கீடு இலைகள் {0} குறைவாக இருக்க முடியாது காலம் ஏற்கனவே ஒப்புதல் இலைகள் {1} விட
 DocType: Contract Fulfilment Checklist,Requirement,தேவை
 DocType: Journal Entry,Accounts Receivable,கணக்குகள்
@@ -2958,16 +2984,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,அலுவலக அமைப்புகள்
 DocType: Salary Slip,net pay info,நிகர ஊதியம் தகவல்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,குறுந்தகடு
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,குறுந்தகடு
 DocType: Woocommerce Settings,Enable Sync,ஒத்திசைவை இயக்கவும்
 DocType: Tax Withholding Rate,Single Transaction Threshold,ஒற்றை பரிவர்த்தனை பெரிதாக்கு
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,இந்த மதிப்பு இயல்புநிலை விற்பனை விலை பட்டியலில் புதுப்பிக்கப்பட்டது.
 DocType: Email Digest,New Expenses,புதிய செலவுகள்
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC தொகை
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC தொகை
 DocType: Shareholder,Shareholder,பங்குதாரரின்
 DocType: Purchase Invoice,Additional Discount Amount,கூடுதல் தள்ளுபடி தொகை
 DocType: Cash Flow Mapper,Position,நிலை
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,பரிந்துரைப்புகள் இருந்து பொருட்களை பெறுக
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,பரிந்துரைப்புகள் இருந்து பொருட்களை பெறுக
 DocType: Patient,Patient Details,நோயாளி விவரங்கள்
 DocType: Inpatient Record,B Positive,பி நேர்மறை
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2979,8 +3005,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,அல்லாத குழு குழு
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,விளையாட்டு
 DocType: Loan Type,Loan Name,கடன் பெயர்
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,உண்மையான மொத்த
-DocType: Lab Test UOM,Test UOM,சோதனை UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,உண்மையான மொத்த
 DocType: Student Siblings,Student Siblings,மாணவர் உடன்பிறப்புகளின்
 DocType: Subscription Plan Detail,Subscription Plan Detail,சந்தா திட்ட விபரம்
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,அலகு
@@ -3008,7 +3033,6 @@
 DocType: Workstation,Wages per hour,ஒரு மணி நேரத்திற்கு ஊதியங்கள்
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},தொகுதி பங்குச் சமநிலை {0} மாறும் எதிர்மறை {1} கிடங்கு உள்ள பொருள் {2} ஐந்து {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,பொருள் கோரிக்கைகள் தொடர்ந்து பொருள் மறு ஒழுங்கு நிலை அடிப்படையில் தானாக எழுப்பினார்
-DocType: Email Digest,Pending Sales Orders,விற்பனை ஆணைகள் நிலுவையில்
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},கணக்கு {0} தவறானது. கணக்கு நாணய இருக்க வேண்டும் {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},தேதி முதல் {0} பணியாளரின் நிவாரணம் தேதி {1}
 DocType: Supplier,Is Internal Supplier,இன்டர்நெட் சப்ளையர்
@@ -3017,13 +3041,14 @@
 DocType: Healthcare Settings,Remind Before,முன் நினைவூட்டு
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},மொறட்டுவ பல்கலைகழகம் மாற்ற காரணி வரிசையில் தேவைப்படுகிறது {0}
 DocType: Production Plan Item,material_request_item,பொருள் கோரிக்கை உருப்படியை
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை விற்பனை ஆணை ஒன்று, விற்பனை விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை விற்பனை ஆணை ஒன்று, விற்பனை விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 லாயல்டி புள்ளிகள் = எவ்வளவு அடிப்படை நாணயம்?
 DocType: Salary Component,Deduction,கழித்தல்
 DocType: Item,Retain Sample,மாதிரி வைத்திரு
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,ரோ {0}: நேரம் இருந்து மற்றும் நேரம் கட்டாயமாகும்.
 DocType: Stock Reconciliation Item,Amount Difference,தொகை  வேறுபாடு
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},பொருள் விலை சேர்க்கப்பட்டது {0} விலை பட்டியல்  {1} ல்
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},பொருள் விலை சேர்க்கப்பட்டது {0} விலை பட்டியல்  {1} ல்
+DocType: Delivery Stop,Order Information,ஆர்டர் தகவல்
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,இந்த வியாபாரி பணியாளர் Id உள்ளிடவும்
 DocType: Territory,Classification of Customers by region,பிராந்தியம் மூலம் வாடிக்கையாளர்கள் பிரிவுகள்
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,தயாரிப்பில்
@@ -3033,8 +3058,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,கணக்கிடப்படுகிறது வங்கி அறிக்கை சமநிலை
 DocType: Normal Test Template,Normal Test Template,சாதாரண டெஸ்ட் டெம்ப்ளேட்
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ஊனமுற்ற பயனர்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,மேற்கோள்
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,எந்தவொரு மேற்கோளிடமும் பெறப்பட்ட RFQ ஐ அமைக்க முடியவில்லை
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,மேற்கோள்
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,எந்தவொரு மேற்கோளிடமும் பெறப்பட்ட RFQ ஐ அமைக்க முடியவில்லை
 DocType: Salary Slip,Total Deduction,மொத்த பொருத்தியறிதல்
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,கணக்கு நாணயத்தில் அச்சிட ஒரு கணக்கைத் தேர்ந்தெடுக்கவும்
 ,Production Analytics,உற்பத்தி அனலிட்டிக்ஸ்
@@ -3047,14 +3072,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,சப்ளையர் ஸ்கோர் கார்ட் அமைப்பு
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,மதிப்பீட்டு திட்டம் பெயர்
 DocType: Work Order Operation,Work Order Operation,வேலை ஆணை ஆபரேஷன்
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},எச்சரிக்கை: இணைப்பு தவறான SSL சான்றிதழ் {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},எச்சரிக்கை: இணைப்பு தவறான SSL சான்றிதழ் {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",தடங்கள் நீங்கள் வணிக உங்கள் தடங்கள் போன்ற உங்கள் தொடர்புகள் மற்றும் மேலும் சேர்க்க உதவ
 DocType: Work Order Operation,Actual Operation Time,உண்மையான நடவடிக்கையை நேரம்
 DocType: Authorization Rule,Applicable To (User),பொருந்தும் (பயனர்)
 DocType: Purchase Taxes and Charges,Deduct,கழித்து
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,வேலை விபரம்
 DocType: Student Applicant,Applied,பிரயோக
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,மீண்டும் திற
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,மீண்டும் திற
 DocType: Sales Invoice Item,Qty as per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி அளவு
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 பெயர்
 DocType: Attendance,Attendance Request,வருகை கோரிக்கை
@@ -3072,7 +3097,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},தொடர் இல {0} வரை உத்தரவாதத்தை கீழ் உள்ளது {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,குறைந்தபட்சம் அனுமதிக்கப்பட்ட மதிப்பு
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,பயனர் {0} ஏற்கனவே உள்ளது
-apps/erpnext/erpnext/hooks.py +114,Shipments,படுவதற்கு
+apps/erpnext/erpnext/hooks.py +115,Shipments,படுவதற்கு
 DocType: Payment Entry,Total Allocated Amount (Company Currency),மொத்த ஒதுக்கப்பட்ட தொகை (நிறுவனத்தின் நாணய)
 DocType: Purchase Order Item,To be delivered to customer,வாடிக்கையாளர் வழங்க வேண்டும்
 DocType: BOM,Scrap Material Cost,குப்பை பொருள் செலவு
@@ -3080,11 +3105,12 @@
 DocType: Grant Application,Email Notification Sent,மின்னஞ்சல் அறிவிப்பு அனுப்பப்பட்டது
 DocType: Purchase Invoice,In Words (Company Currency),சொற்கள் (நிறுவனத்தின் நாணய)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,நிறுவனத்தின் கணக்கு கணக்கில் நிறுவனம் உள்ளது
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","பொருள் கோட், கிடங்கு, அளவு வரிசையில் தேவை"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","பொருள் கோட், கிடங்கு, அளவு வரிசையில் தேவை"
 DocType: Bank Guarantee,Supplier,கொடுப்பவர்
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,இருந்து பெற
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,இது ஒரு ரூட் துறை மற்றும் திருத்த முடியாது.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,கட்டண விவரங்களைக் காட்டு
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,நாட்களில் காலம்
 DocType: C-Form,Quarter,காலாண்டு
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,இதர செலவுகள்
 DocType: Global Defaults,Default Company,முன்னிருப்பு நிறுவனத்தின்
@@ -3092,7 +3118,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,செலவு வேறுபாடு கணக்கு கட்டாய உருப்படி {0} பாதிப்பை ஒட்டுமொத்த பங்கு மதிப்பு
 DocType: Bank,Bank Name,வங்கி பெயர்
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,மேலே
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,எல்லா சப்ளையர்களுக்கும் வாங்குதல் கட்டளைகளை உருவாக்க காலியாக விட்டு விடுங்கள்
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,எல்லா சப்ளையர்களுக்கும் வாங்குதல் கட்டளைகளை உருவாக்க காலியாக விட்டு விடுங்கள்
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient வருகை பொருள் பொருள்
 DocType: Vital Signs,Fluid,திரவ
 DocType: Leave Application,Total Leave Days,மொத்த விடுப்பு நாட்கள்
@@ -3102,7 +3128,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,பொருள் மாற்று அமைப்புகள்
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,நிறுவனத்தின் தேர்ந்தெடுக்கவும் ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,அனைத்து துறைகளில் கருதப்படுகிறது என்றால் வெறுமையாக
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} பொருள் கட்டாய {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} பொருள் கட்டாய {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","பொருள் {0}: {1} qty உற்பத்தி,"
 DocType: Payroll Entry,Fortnightly,இரண்டு வாரங்களுக்கு ஒரு முறை
 DocType: Currency Exchange,From Currency,நாணய இருந்து
@@ -3152,7 +3178,7 @@
 DocType: Account,Fixed Asset,நிலையான சொத்து
 DocType: Amazon MWS Settings,After Date,தேதிக்குப் பிறகு
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,தொடர் சரக்கு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,இன்டர் கம்பெனி விலைப்பட்டியல்க்கு தவறான {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,இன்டர் கம்பெனி விலைப்பட்டியல்க்கு தவறான {0}.
 ,Department Analytics,துறை பகுப்பாய்வு
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,இயல்புநிலை தொடர்புகளில் மின்னஞ்சல் இல்லை
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,இரகசியத்தை உருவாக்குங்கள்
@@ -3170,6 +3196,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,தலைமை நிர்வாக அதிகாரி
 DocType: Purchase Invoice,With Payment of Tax,வரி செலுத்துதல்
 DocType: Expense Claim Detail,Expense Claim Detail,செலவு  கோரிக்கை  விவரம்
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,தயவுசெய்து கல்வி&gt; கல்வி அமைப்புகளில் கல்வி பயிற்றுவிப்பாளரை அமைத்தல்
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,வினியோகஸ்தரின் மும்மடங்கான
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,அடிப்படை நாணயத்தில் புதிய இருப்பு
 DocType: Location,Is Container,கொள்கலன் உள்ளது
@@ -3177,12 +3204,12 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,சரியான கணக்கில் தேர்ந்தெடுக்கவும்
 DocType: Salary Structure Assignment,Salary Structure Assignment,சம்பள கட்டமைப்பு நியமிப்பு
 DocType: Purchase Invoice Item,Weight UOM,எடை மொறட்டுவ பல்கலைகழகம்
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ஃபோலியோ எண்களுடன் கிடைக்கும் பங்குதாரர்களின் பட்டியல்
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ஃபோலியோ எண்களுடன் கிடைக்கும் பங்குதாரர்களின் பட்டியல்
 DocType: Salary Structure Employee,Salary Structure Employee,சம்பளம் அமைப்பு பணியாளர்
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,மாற்று பண்புகளை காட்டு
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,மாற்று பண்புகளை காட்டு
 DocType: Student,Blood Group,குருதி பகுப்பினம்
 DocType: Course,Course Name,படிப்பின் பெயர்
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,நடப்பு நிதியாண்டிற்கான எந்தவொரு வரி விலக்களிக்கும் தரவும் இல்லை.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,நடப்பு நிதியாண்டிற்கான எந்தவொரு வரி விலக்களிக்கும் தரவும் இல்லை.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ஒரு குறிப்பிட்ட ஊழியர் விடுப்பு விண்ணப்பங்கள் ஒப்புதல் முடியும் பயனர்கள்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,அலுவலக உபகரணங்கள்
 DocType: Purchase Invoice Item,Qty,அளவு
@@ -3190,6 +3217,7 @@
 DocType: Supplier Scorecard,Scoring Setup,ஸ்கோரிங் அமைப்பு
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,மின்னணுவியல்
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),பற்று ({0})
+DocType: BOM,Allow Same Item Multiple Times,இந்த பொருளை பல முறை அனுமதிக்கவும்
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,பங்கு மறு ஒழுங்கு நிலை அடையும் போது பொருள் கோரிக்கை எழுப்ப
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,முழு நேர
 DocType: Payroll Entry,Employees,ஊழியர்
@@ -3201,11 +3229,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,கட்டணம் உறுதிப்படுத்தல்
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,விலை பட்டியல் அமைக்கப்படவில்லை எனில் காண்பிக்கப்படும் விலைகளில் முடியாது
 DocType: Stock Entry,Total Incoming Value,மொத்த உள்வரும் மதிப்பு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,பற்று தேவைப்படுகிறது
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,பற்று தேவைப்படுகிறது
 DocType: Clinical Procedure,Inpatient Record,உள்நோயாளி பதிவு
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets உங்கள் அணி செய்யப்படுகிறது செயல்பாடுகளுக்கு நேரம், செலவு மற்றும் பில்லிங் கண்காணிக்க உதவும்"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,கொள்முதல் விலை பட்டியல்
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,பரிவர்த்தனை தேதி
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,கொள்முதல் விலை பட்டியல்
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,பரிவர்த்தனை தேதி
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,சப்ளையர் ஸ்கோர் கார்டு மாறிகளின் டெம்ப்ளேட்கள்.
 DocType: Job Offer Term,Offer Term,சலுகை  கால
 DocType: Asset,Quality Manager,தர மேலாளர்
@@ -3226,11 +3254,11 @@
 DocType: Cashier Closing,To Time,டைம்
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},{0}
 DocType: Authorization Rule,Approving Role (above authorized value),(அங்கீகாரம் மதிப்பை மேலே) பாத்திரம் அப்ரூவிங்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,கணக்கில் வரவு ஒரு செலுத்த வேண்டிய கணக்கு இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,கணக்கில் வரவு ஒரு செலுத்த வேண்டிய கணக்கு இருக்க வேண்டும்
 DocType: Loan,Total Amount Paid,மொத்த தொகை பணம்
 DocType: Asset,Insurance End Date,காப்பீடு முடிவு தேதி
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,ஊதியம் பெறும் மாணவர் விண்ணப்பதாரருக்கு கண்டிப்பாகத் தேவைப்படும் மாணவர் சேர்க்கைக்குத் தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM மறுநிகழ்வு : {0} பெற்றோர் அல்லது குழந்தை இருக்க முடியாது {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM மறுநிகழ்வு : {0} பெற்றோர் அல்லது குழந்தை இருக்க முடியாது {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,பட்ஜெட் பட்டியல்
 DocType: Work Order Operation,Completed Qty,முடிக்கப்பட்ட அளவு
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0} மட்டுமே டெபிட் கணக்குகள் மற்றொரு கடன் நுழைவு எதிராக இணைக்கப்பட்ட ஐந்து
@@ -3238,7 +3266,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","தொடராக வெளிவரும் பொருள் {0} பங்கு நுழைவு பங்கு நல்லிணக்க பயன்படுத்தி, பயன்படுத்தவும் புதுப்பிக்க முடியாது"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","தொடராக வெளிவரும் பொருள் {0} பங்கு நுழைவு பங்கு நல்லிணக்க பயன்படுத்தி, பயன்படுத்தவும் புதுப்பிக்க முடியாது"
 DocType: Training Event Employee,Training Event Employee,பயிற்சி நிகழ்வு பணியாளர்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,அதிகபட்ச மாதிரிகள் - {0} தொகுதி {1} மற்றும் பொருள் {2} க்கான தக்கவைக்கப்படலாம்.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,அதிகபட்ச மாதிரிகள் - {0} தொகுதி {1} மற்றும் பொருள் {2} க்கான தக்கவைக்கப்படலாம்.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,நேரம் இடங்கள் சேர்க்கவும்
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} பொருள் தேவையான சீரியல் எண்கள் {1}. நீங்கள் வழங்கிய {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,தற்போதைய மதிப்பீட்டு விகிதம்
@@ -3268,11 +3296,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,இல்லை தொ.இல. {0}
 DocType: Fee Schedule Program,Fee Schedule Program,கட்டணம் அட்டவணை திட்டம்
 DocType: Fee Schedule Program,Student Batch,மாணவர் தொகுதி
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய ஊழியர் <a href=""#Form/Employee/{0}"">{0}</a> \"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,மாணவர் செய்ய
 DocType: Supplier Scorecard Scoring Standing,Min Grade,குறைந்த தரம்
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,சுகாதார சேவை அலகு வகை
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},நீங்கள் திட்டம் இணைந்து அழைக்கப்பட்டுள்ளனர்: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},நீங்கள் திட்டம் இணைந்து அழைக்கப்பட்டுள்ளனர்: {0}
 DocType: Supplier Group,Parent Supplier Group,பெற்றோர் சப்ளையர் குழு
+DocType: Email Digest,Purchase Orders to Bill,பில் கட்டளைகளை வாங்குதல்
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,குழு கம்பனியில் குவிக்கப்பட்ட மதிப்புகள்
 DocType: Leave Block List Date,Block Date,தேதி தடை
 DocType: Crop,Crop,பயிர்
@@ -3285,6 +3316,7 @@
 DocType: Sales Order,Not Delivered,அனுப்பப்படவில்லை.
 ,Bank Clearance Summary,வங்கி இசைவு சுருக்கம்
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","உருவாக்கவும் , தினசரி வாராந்திர மற்றும் மாதாந்திர மின்னஞ்சல் சுருக்கங்களின் நிர்வகிக்க ."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,இந்த விற்பனையாளர் நபருக்கு எதிரான பரிவர்த்தனைகளை அடிப்படையாகக் கொண்டது. விபரங்களுக்கு கீழே காலவரிசைப் பார்க்கவும்
 DocType: Appraisal Goal,Appraisal Goal,மதிப்பீட்டு இலக்கு
 DocType: Stock Reconciliation Item,Current Amount,தற்போதைய அளவு
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,கட்டிடங்கள்
@@ -3311,7 +3343,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,மென்பொருள்கள்
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,அடுத்த தொடர்பு தேதி கடந்த காலத்தில் இருக்க முடியாது
 DocType: Company,For Reference Only.,குறிப்பு மட்டும்.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,தொகுதி தேர்வு இல்லை
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,தொகுதி தேர்வு இல்லை
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},தவறான {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,குறிப்பு அழை
@@ -3329,16 +3361,16 @@
 DocType: Normal Test Items,Require Result Value,முடிவு மதிப்பு தேவை
 DocType: Item,Show a slideshow at the top of the page,பக்கம் மேலே ஒரு ஸ்லைடு ஷோ
 DocType: Tax Withholding Rate,Tax Withholding Rate,வரி விலக்கு விகிதம்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,ஸ்டோர்கள்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,ஸ்டோர்கள்
 DocType: Project Type,Projects Manager,திட்டங்கள் மேலாளர்
 DocType: Serial No,Delivery Time,விநியோக நேரம்
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,அடிப்படையில் மூப்படைதலுக்கான
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,நியமனம் ரத்துசெய்யப்பட்டது
 DocType: Item,End of Life,வாழ்க்கை முடிவுக்கு
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,சுற்றுலா
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,சுற்றுலா
 DocType: Student Report Generation Tool,Include All Assessment Group,அனைத்து மதிப்பீட்டுக் குழுவும் அடங்கும்
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,கொடுக்கப்பட்டுள்ள தேதிகளில் ஊழியர் {0} க்கு எந்த செயலில் அல்லது இயல்புநிலை சம்பளம் அமைப்பு
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,கொடுக்கப்பட்டுள்ள தேதிகளில் ஊழியர் {0} க்கு எந்த செயலில் அல்லது இயல்புநிலை சம்பளம் அமைப்பு
 DocType: Leave Block List,Allow Users,பயனர்கள் அனுமதி
 DocType: Purchase Order,Customer Mobile No,வாடிக்கையாளர் கைப்பேசி எண்
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,பணப் பாய்வு வரைபடம் வார்ப்புரு விவரங்கள்
@@ -3347,15 +3379,16 @@
 DocType: Rename Tool,Rename Tool,கருவி மறுபெயரிடு
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,மேம்படுத்தல்
 DocType: Item Reorder,Item Reorder,உருப்படியை மறுவரிசைப்படுத்துக
+DocType: Delivery Note,Mode of Transport,போக்குவரத்து முறை
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,சம்பளம் ஷோ ஸ்லிப்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,மாற்றம் பொருள்
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,மாற்றம் பொருள்
 DocType: Fees,Send Payment Request,கட்டணம் கோரிக்கை அனுப்பவும்
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","நடவடிக்கைகள் , இயக்க செலவு குறிப்பிட உங்கள் நடவடிக்கைகள் ஒரு தனிப்பட்ட நடவடிக்கை இல்லை கொடுக்க ."
 DocType: Travel Request,Any other details,பிற விவரங்கள்
 DocType: Water Analysis,Origin,தோற்றம்
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,இந்த ஆவணம் மூலம் எல்லை மீறிவிட்டது {0} {1} உருப்படியை {4}. நீங்கள் கவனிக்கிறீர்களா மற்றொரு {3} அதே எதிராக {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,சேமிப்பு பிறகு மீண்டும் அமைக்கவும்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,மாற்றம் தேர்வு அளவு கணக்கு
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,சேமிப்பு பிறகு மீண்டும் அமைக்கவும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,மாற்றம் தேர்வு அளவு கணக்கு
 DocType: Purchase Invoice,Price List Currency,விலை பட்டியல் நாணயத்தின்
 DocType: Naming Series,User must always select,பயனர் எப்போதும் தேர்ந்தெடுக்க வேண்டும்
 DocType: Stock Settings,Allow Negative Stock,எதிர்மறை பங்கு அனுமதிக்கும்
@@ -3376,9 +3409,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,கண்டறிதல்
 DocType: Asset Maintenance Log,Actions performed,செயல்கள் நிகழ்த்தப்பட்டன
 DocType: Cash Flow Mapper,Section Leader,பிரிவு தலைவர்
+DocType: Delivery Note,Transport Receipt No,போக்குவரத்து ரசீது இல்லை
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),நிதி ஆதாரம் ( கடன்)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,ஆதார மற்றும் இலக்கு இருப்பிடம் இருக்க முடியாது
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},அளவு வரிசையில் {0} ( {1} ) அதே இருக்க வேண்டும் உற்பத்தி அளவு {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},அளவு வரிசையில் {0} ( {1} ) அதே இருக்க வேண்டும் உற்பத்தி அளவு {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,ஊழியர்
 DocType: Bank Guarantee,Fixed Deposit Number,நிலையான வைப்பு எண்
 DocType: Asset Repair,Failure Date,தோல்வி தேதி
@@ -3392,16 +3426,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,கொடுப்பனவு விலக்கிற்கு அல்லது இழப்பு
 DocType: Soil Analysis,Soil Analysis Criterias,மண் பகுப்பாய்வு criterias
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,விற்பனை அல்லது கொள்முதல் தரநிலை ஒப்பந்த அடிப்படையில் .
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,இந்த சந்திப்பை நிச்சயமாக ரத்துசெய்ய விரும்புகிறீர்களா?
+DocType: BOM Item,Item operation,பொருள் செயல்பாடு
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,இந்த சந்திப்பை நிச்சயமாக ரத்துசெய்ய விரும்புகிறீர்களா?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,ஹோட்டல் அறை விலை தொகுப்பு
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,விற்பனை பைப்லைன்
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,விற்பனை பைப்லைன்
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},சம்பளம் உபகரண உள்ள இயல்பான கணக்கு அமைக்கவும் {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,தேவையான அன்று
 DocType: Rename Tool,File to Rename,மறுபெயர் கோப்புகள்
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"தயவு செய்து வரிசையில் பொருள் BOM, தேர்வு {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,சந்தா புதுப்பிப்புகளை எடுங்கள்
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},கணக்கு {0} {1} கணக்கு முறை உள்ள நிறுவனத்துடன் இணைந்தது பொருந்தவில்லை: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},பொருள் இருப்பு இல்லை BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},பொருள் இருப்பு இல்லை BOM {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,கோர்ஸ்:
 DocType: Soil Texture,Sandy Loam,சாண்டி லோம்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு அட்டவணை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும்
@@ -3410,7 +3445,7 @@
 DocType: Notification Control,Expense Claim Approved,செலவு  கோரிக்கை ஏற்கப்பட்டது
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),முன்னேற்றங்கள் மற்றும் ஒதுக்கீடு அமைக்கவும் (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,வேலை ஆணைகளை உருவாக்கவில்லை
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே இந்த காலத்தில் உருவாக்கப்பட்ட
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே இந்த காலத்தில் உருவாக்கப்பட்ட
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,மருந்து
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,செல்லுபடியாகும் குறியாக்கத் தொகையை வழங்குவதற்கு மட்டுமே நீங்கள் அனுமதி வழங்கலாம்
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,வாங்கிய பொருட்களை செலவு
@@ -3418,7 +3453,8 @@
 DocType: Selling Settings,Sales Order Required,விற்பனை ஆர்டர் தேவை
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,ஒரு விற்பனையாளராகுங்கள்
 DocType: Purchase Invoice,Credit To,கடன்
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,செயலில் தடங்கள் / வாடிக்கையாளர்கள்
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,செயலில் தடங்கள் / வாடிக்கையாளர்கள்
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,நிலையான டெலிவரி குறிப்பு வடிவமைப்பைப் பயன்படுத்த வெற்று விட்டு விடுங்கள்
 DocType: Employee Education,Post Graduate,பட்டதாரி பதிவு
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,பராமரிப்பு அட்டவணை விபரம்
 DocType: Supplier Scorecard,Warn for new Purchase Orders,புதிய கொள்முதல் ஆணைகளுக்கு எச்சரிக்கை
@@ -3432,14 +3468,14 @@
 DocType: Support Search Source,Post Title Key,இடுகை தலைப்பு விசை
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,வேலை அட்டை
 DocType: Warranty Claim,Raised By,எழுப்பப்பட்ட
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,மருந்துகளும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,மருந்துகளும்
 DocType: Payment Gateway Account,Payment Account,கொடுப்பனவு கணக்கு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,நிறுவனத்தின் தொடர குறிப்பிடவும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,நிறுவனத்தின் தொடர குறிப்பிடவும்
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,கணக்குகள் நிகர மாற்றம்
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,இழப்பீட்டு இனிய
 DocType: Job Offer,Accepted,ஏற்கப்பட்டது
 DocType: POS Closing Voucher,Sales Invoices Summary,விற்பனை பற்றுச்சீட்டுகள் சுருக்கம்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,கட்சி பெயர்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,கட்சி பெயர்
 DocType: Grant Application,Organization,அமைப்பு
 DocType: Grant Application,Organization,அமைப்பு
 DocType: BOM Update Tool,BOM Update Tool,BOM புதுப்பித்தல் கருவி
@@ -3449,7 +3485,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,நீங்கள் உண்மையில் இந்த நிறுவனத்தின் அனைத்து பரிமாற்றங்கள் நீக்க வேண்டும் என்பதை உறுதி செய்யுங்கள். இது போன்ற உங்கள் மாஸ்டர் தரவு இருக்கும். இந்தச் செயலைச் செயல்.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,தேடல் முடிவுகள்
 DocType: Room,Room Number,அறை எண்
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},தவறான குறிப்பு {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},தவறான குறிப்பு {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) திட்டமிட்ட அளவை விட அதிகமாக இருக்க முடியாது ({2}) உற்பத்தி ஆணை {3}
 DocType: Shipping Rule,Shipping Rule Label,கப்பல் விதி லேபிள்
 DocType: Journal Entry Account,Payroll Entry,சம்பளப்பட்டியல் நுழைவு
@@ -3457,8 +3493,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,வரி வார்ப்புருவை உருவாக்குங்கள்
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,பயனர் கருத்துக்களம்
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,மூலப்பொருட்கள் காலியாக இருக்க முடியாது.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,வரிசை # {0} (கட்டணம் அட்டவணை): தொகை எதிர்மறையாக இருக்க வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","பங்கு புதுப்பிக்க முடியவில்லை, விலைப்பட்டியல் துளி கப்பல் உருப்படி உள்ளது."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,வரிசை # {0} (கட்டணம் அட்டவணை): தொகை எதிர்மறையாக இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","பங்கு புதுப்பிக்க முடியவில்லை, விலைப்பட்டியல் துளி கப்பல் உருப்படி உள்ளது."
 DocType: Contract,Fulfilment Status,நிறைவேற்று நிலை
 DocType: Lab Test Sample,Lab Test Sample,லேப் டெஸ்ட் மாதிரி
 DocType: Item Variant Settings,Allow Rename Attribute Value,பண்புக்கூறு மதிப்பு பெயரை விடு
@@ -3500,11 +3536,11 @@
 DocType: BOM,Show Operations,ஆபரேஷன்ஸ் காட்டு
 ,Minutes to First Response for Opportunity,வாய்ப்பு முதல் பதில் நிமிடங்கள்
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,மொத்த இருக்காது
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,வரிசையில் பொருள் அல்லது கிடங்கு {0} பொருள் கோரிக்கை பொருந்தவில்லை
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,வரிசையில் பொருள் அல்லது கிடங்கு {0} பொருள் கோரிக்கை பொருந்தவில்லை
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,அளவிடத்தக்க அலகு
 DocType: Fiscal Year,Year End Date,ஆண்டு முடிவு தேதி
 DocType: Task Depends On,Task Depends On,பணி பொறுத்தது
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,சந்தர்ப்பம்
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,சந்தர்ப்பம்
 DocType: Operation,Default Workstation,இயல்புநிலை வேலைநிலையங்களின்
 DocType: Notification Control,Expense Claim Approved Message,செலவு  கோரிக்கை செய்தி அங்கீகரிக்கப்பட்ட
 DocType: Payment Entry,Deductions or Loss,விலக்கிற்கு அல்லது இழப்பு
@@ -3542,21 +3578,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,பயனர் ஒப்புதல் ஆட்சி பொருந்தும் பயனர் அதே இருக்க முடியாது
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),அடிப்படை வீத (பங்கு UOM படி)
 DocType: SMS Log,No of Requested SMS,கோரப்பட்ட எஸ்எம்எஸ் இல்லை
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,சம்பளமில்லா விடுப்பு ஒப்புதல் விடுப்பு விண்ணப்பம் பதிவுகள் பொருந்தவில்லை
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,சம்பளமில்லா விடுப்பு ஒப்புதல் விடுப்பு விண்ணப்பம் பதிவுகள் பொருந்தவில்லை
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,அடுத்த படிகள்
 DocType: Travel Request,Domestic,உள்நாட்டு
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,சிறந்த சாத்தியமுள்ள விகிதங்களில் குறிப்பிட்ட பொருட்களை வழங்கவும்
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,சிறந்த சாத்தியமுள்ள விகிதங்களில் குறிப்பிட்ட பொருட்களை வழங்கவும்
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,பரிமாற்ற தேதிக்கு முன் ஊழியர் இடமாற்றத்தை சமர்ப்பிக்க முடியாது
 DocType: Certification Application,USD,அமெரிக்க டாலர்
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,விலைப்பட்டியல் செய்ய
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,மீதமுள்ள தொகை
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,மீதமுள்ள தொகை
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 நாட்களுக்கு பிறகு ஆட்டோ நெருங்கிய வாய்ப்பு
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} ஸ்கோர் கார்டு தரநிலை காரணமாக {0} வாங்குவதற்கு ஆர்டர் அனுமதிக்கப்படவில்லை.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,பார்கோடு {0} என்பது செல்லுபடியாகும் {1} குறியீடு அல்ல
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,பார்கோடு {0} என்பது செல்லுபடியாகும் {1} குறியீடு அல்ல
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,இறுதி ஆண்டு
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / முன்னணி%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / முன்னணி%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,இந்த ஒப்பந்தம் முடிவுக்கு தேதி சேர தேதி விட அதிகமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,இந்த ஒப்பந்தம் முடிவுக்கு தேதி சேர தேதி விட அதிகமாக இருக்க வேண்டும்
 DocType: Driver,Driver,இயக்கி
 DocType: Vital Signs,Nutrition Values,ஊட்டச்சத்து கலாச்சாரம்
 DocType: Lab Test Template,Is billable,பில்லிங் செய்யப்படுகிறது
@@ -3567,7 +3603,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,இந்த ERPNext இருந்து தானாக உருவாக்கப்பட்ட ஒரு உதாரணம் இணையதளம் உள்ளது
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,மூப்படைதலுக்கான ரேஞ்ச்
 DocType: Shopify Settings,Enable Shopify,Shopify ஐ இயக்கு
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,மொத்த முன்கூட்டப்பட்ட தொகையை விட மொத்த முன்கூட்டிய தொகை அதிகமாக இருக்க முடியாது
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,மொத்த முன்கூட்டப்பட்ட தொகையை விட மொத்த முன்கூட்டிய தொகை அதிகமாக இருக்க முடியாது
 DocType: Purchase Taxes and Charges Template,"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
@@ -3614,12 +3650,12 @@
 DocType: Employee Separation,Employee Separation,ஊழியர் பிரிப்பு
 DocType: BOM Item,Original Item,அசல் பொருள்
 DocType: Purchase Receipt Item,Recd Quantity,Recd அளவு
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,ஆவண தேதி
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,ஆவண தேதி
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},கட்டணம் பதிவுகள்   உருவாக்கப்பட்டது - {0}
 DocType: Asset Category Account,Asset Category Account,சொத்து வகை கணக்கு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,வரிசை # {0} (கட்டணம் அட்டவணை): தொகை நேர்மறையாக இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,வரிசை # {0} (கட்டணம் அட்டவணை): தொகை நேர்மறையாக இருக்க வேண்டும்
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},மேலும் பொருள் தயாரிக்க முடியாது {0} விட விற்பனை ஆணை அளவு {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,பண்புக்கூறு மதிப்புகளைத் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,பண்புக்கூறு மதிப்புகளைத் தேர்ந்தெடுக்கவும்
 DocType: Purchase Invoice,Reason For Issuing document,ஆவணம் வழங்குவதற்கான காரணம்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,பங்கு நுழைவு {0} சமர்ப்பிக்க
 DocType: Payment Reconciliation,Bank / Cash Account,வங்கி / பண கணக்கு
@@ -3628,8 +3664,10 @@
 DocType: Asset,Manual,கையேடு
 DocType: Salary Component Account,Salary Component Account,சம்பளம் உபகரண கணக்கு
 DocType: Global Defaults,Hide Currency Symbol,நாணய சின்னம் மறைக்க
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ஆதாரத்தின் விற்பனை வாய்ப்புகள்
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,நன்கொடையாளர் தகவல்.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","எ.கா.வங்கி, பண, கடன் அட்டை"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,அமைவு&gt; எண் வரிசை தொடர் மூலம் கலந்துரையாடலுக்கான வரிசை எண்ணை அமைக்கவும்
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","எ.கா.வங்கி, பண, கடன் அட்டை"
 DocType: Job Applicant,Source Name,மூல பெயர்
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","வயது வந்தவர்களில் சாதாரண ஓய்வு பெற்ற இரத்த அழுத்தம் ஏறத்தாழ 120 mmHg சிஸ்டாலிக், மற்றும் 80 mmHg diastolic, சுருக்கப்பட்ட &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","உற்பத்தி நாட்களில் அடுக்கப்பட்ட வாழ்க்கையை அமைத்து, உற்பத்தி_திட்டம் மற்றும் சுய வாழ்வு அடிப்படையில் காலாவதியாகும்"
@@ -3659,7 +3697,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},அளவு குறைவாக இருக்க வேண்டும் {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ரோ {0} : தொடங்கும் நாள் நிறைவு நாள் முன்னதாக இருக்க வேண்டும்
 DocType: Salary Component,Max Benefit Amount (Yearly),மேக்ஸ் பெனிஃபிட் தொகை (வருடாந்திர)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS விகிதம்%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS விகிதம்%
 DocType: Crop,Planting Area,நடவு பகுதி
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),மொத்தம் (அளவு)
 DocType: Installation Note Item,Installed Qty,நிறுவப்பட்ட அளவு
@@ -3681,8 +3719,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,ஒப்புதல் அறிவிப்பை விடு
 DocType: Buying Settings,Default Buying Price List,இயல்புநிலை கொள்முதல் விலை பட்டியல்
 DocType: Payroll Entry,Salary Slip Based on Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட் அடிப்படையில்
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,வாங்குதல் விகிதம்
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},வரிசை {0}: சொத்து பொருளுக்கான இடம் உள்ளிடவும் {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,வாங்குதல் விகிதம்
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},வரிசை {0}: சொத்து பொருளுக்கான இடம் உள்ளிடவும் {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,நிறுவனம் பற்றி
 DocType: Notification Control,Sales Order Message,விற்பனை ஆர்டர் செய்தி
@@ -3748,10 +3786,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,வரிசையில் {0}: திட்டமிட்ட qty ஐ உள்ளிடவும்
 DocType: Account,Income Account,வருமான கணக்கு
 DocType: Payment Request,Amount in customer's currency,வாடிக்கையாளர் நாட்டின் நாணய தொகை
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,விநியோகம்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,விநியோகம்
 DocType: Volunteer,Weekdays,வார
 DocType: Stock Reconciliation Item,Current Qty,தற்போதைய அளவு
 DocType: Restaurant Menu,Restaurant Menu,உணவக மெனு
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,சப்ளையர்களைச் சேர்க்கவும்
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ஏசிசி-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,உதவி பிரிவு
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,முன்
@@ -3763,19 +3802,20 @@
 												fullfill Sales Order {2}","விற்பனையின் ஆர்டர் {2} முழுமையாக்கப்படுவதால், உருப்படிகளின் {0} வரிசை எண் {1} வழங்க முடியாது."
 DocType: Item Reorder,Material Request Type,பொருள் கோரிக்கை வகை
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,கிராண்ட் ரிவியூ மின்னஞ்சல் அனுப்பு
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",LocalStorage நிரம்பி விட்டதால் காப்பாற்ற முடியவில்லை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,ரோ {0}: UOM மாற்றக் காரணி கட்டாயமாகும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",LocalStorage நிரம்பி விட்டதால் காப்பாற்ற முடியவில்லை
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,ரோ {0}: UOM மாற்றக் காரணி கட்டாயமாகும்
 DocType: Employee Benefit Claim,Claim Date,உரிமைகோரல் தேதி
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,அறை கொள்ளளவு
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},உருப்படிக்கு ஏற்கனவே பதிவு செய்யப்பட்டுள்ளது {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,குறிப்
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,முன்பு உருவாக்கப்பட்ட பொருட்களின் பதிவுகளை நீங்கள் இழப்பீர்கள். இந்த சந்தாவை நிச்சயமாக மீண்டும் தொடங்க விரும்புகிறீர்களா?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,பதிவு கட்டணம்
 DocType: Loyalty Program Collection,Loyalty Program Collection,விசுவாசம் திட்டம் சேகரிப்பு
 DocType: Stock Entry Detail,Subcontracted Item,துணைக்குரிய பொருள்
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},மாணவர் {0} குழு {1}
 DocType: Budget,Cost Center,செலவு மையம்
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,வவுச்சர் #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,வவுச்சர் #
 DocType: Notification Control,Purchase Order Message,ஆர்டர் செய்தி வாங்க
 DocType: Tax Rule,Shipping Country,கப்பல் நாடு
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,விற்பனை பரிவர்த்தனைகள் இருந்து வாடிக்கையாளரின் வரி ஐடி மறை
@@ -3794,23 +3834,22 @@
 DocType: Subscription,Cancel At End Of Period,காலம் முடிவில் ரத்துசெய்
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,சொத்து ஏற்கனவே சேர்க்கப்பட்டது
 DocType: Item Supplier,Item Supplier,பொருள் சப்ளையர்
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும்
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},ஒரு மதிப்பை தேர்ந்தெடுக்கவும் {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும்
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},ஒரு மதிப்பை தேர்ந்தெடுக்கவும் {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,பரிமாற்றத்திற்கு எந்த உருப்படிகளும் தேர்ந்தெடுக்கப்படவில்லை
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,அனைத்து முகவரிகள்.
 DocType: Company,Stock Settings,பங்கு அமைப்புகள்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","பின்வரும் பண்புகளைக் சாதனைகளை அதே இருந்தால் அதை இணைத்தல் மட்டுமே சாத்தியம். குழு, ரூட் வகை, நிறுவனம்"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","பின்வரும் பண்புகளைக் சாதனைகளை அதே இருந்தால் அதை இணைத்தல் மட்டுமே சாத்தியம். குழு, ரூட் வகை, நிறுவனம்"
 DocType: Vehicle,Electric,எலக்ட்ரிக்
 DocType: Task,% Progress,% முன்னேற்றம்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,சொத்துக்கசொத்துக்கள் மீது லாபம் / நஷ்டம்
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",&quot;அங்கீகரிக்கப்பட்ட&quot; நிலையைக் கொண்ட மாணவர் விண்ணப்பதாரர் மட்டுமே கீழே உள்ள அட்டவணையில் தேர்ந்தெடுக்கப்படுவார்.
 DocType: Tax Withholding Category,Rates,விகிதங்கள்
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,கணக்கிற்கான கணக்கு எண் {0} கிடைக்கவில்லை. <br> தயவுசெய்து சரியாக உங்கள் கணக்கின் கணக்குகளை அமைக்கவும்.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,கணக்கிற்கான கணக்கு எண் {0} கிடைக்கவில்லை. <br> தயவுசெய்து சரியாக உங்கள் கணக்கின் கணக்குகளை அமைக்கவும்.
 DocType: Task,Depends on Tasks,பணிகளைப் பொறுத்தது
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,வாடிக்கையாளர் குழு மரம் நிர்வகி .
 DocType: Normal Test Items,Result Value,முடிவு மதிப்பு
 DocType: Hotel Room,Hotels,ஹோட்டல்கள்
-DocType: Delivery Note,Transporter Date,இடமாற்று தேதி
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,புதிய செலவு மையம் பெயர்
 DocType: Leave Control Panel,Leave Control Panel,கண்ட்ரோல் பேனல் விட்டு
 DocType: Project,Task Completion,பணி நிறைவு
@@ -3857,11 +3896,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,அனைத்து மதிப்பீடு குழுக்கள்
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,புதிய கிடங்கு பெயர்
 DocType: Shopify Settings,App Type,பயன்பாட்டு வகை
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),மொத்த {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),மொத்த {0} ({1})
 DocType: C-Form Invoice Detail,Territory,மண்டலம்
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,குறிப்பிட தயவுசெய்து தேவையான வருகைகள் எந்த
 DocType: Stock Settings,Default Valuation Method,முன்னிருப்பு மதிப்பீட்டு முறை
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,கட்டணம்
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,மொத்த தொகை காட்டு
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,மேம்படுத்தல் முன்னேற்றம். இது சிறிது நேரம் ஆகலாம்.
 DocType: Production Plan Item,Produced Qty,தயாரிக்கப்பட்ட Qty
 DocType: Vehicle Log,Fuel Qty,எரிபொருள் அளவு
@@ -3869,7 +3909,7 @@
 DocType: Work Order Operation,Planned Start Time,திட்டமிட்ட தொடக்க நேரம்
 DocType: Course,Assessment,மதிப்பீடு
 DocType: Payment Entry Reference,Allocated,ஒதுக்கீடு
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் .
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் .
 DocType: Student Applicant,Application Status,விண்ணப்பத்தின் நிலை
 DocType: Additional Salary,Salary Component Type,சம்பள உபகரண வகை
 DocType: Sensitivity Test Items,Sensitivity Test Items,உணர்திறன் சோதனை பொருட்கள்
@@ -3880,10 +3920,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,மொத்த நிலுவை தொகை
 DocType: Sales Partner,Targets,இலக்குகள்
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,நிறுவனத்தின் தகவல் கோப்பில் SIREN எண் பதிவு செய்யவும்
+DocType: Email Digest,Sales Orders to Bill,பில்
 DocType: Price List,Price List Master,விலை பட்டியல் மாஸ்டர்
 DocType: GST Account,CESS Account,CESS கணக்கு
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,நீங்கள் அமைக்க மற்றும் இலக்குகள் கண்காணிக்க முடியும் என்று அனைத்து விற்பனை நடவடிக்கைகள் பல ** விற்பனை நபர்கள் ** எதிரான குறித்துள்ளார்.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,பொருள் வேண்டுகோளுக்கு இணைப்பு
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,பொருள் வேண்டுகோளுக்கு இணைப்பு
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,கருத்துக்களம் செயல்பாடு
 ,S.O. No.,S.O. இல்லை
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,வங்கி அறிக்கை பரிவர்த்தனை அமைப்புகள் பொருள்
@@ -3898,7 +3939,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,இந்த ஒரு ரூட் வாடிக்கையாளர் குழு மற்றும் திருத்த முடியாது .
 DocType: Student,AB-,மோலின்
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"மாதாந்திர பட்ஜெட் திரட்டப்பட்டிருந்தால், PO ஐ விட அதிகமானது"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,வைக்கவும்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,வைக்கவும்
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,பரிவர்த்தனை விகிதம் மறு மதிப்பீடு
 DocType: POS Profile,Ignore Pricing Rule,விலை விதி புறக்கணிக்க
 DocType: Employee Education,Graduate,பல்கலை கழக பட்டம் பெற்றவர்
@@ -3947,6 +3988,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,உணவக அமைப்பில் இயல்புநிலை வாடிக்கையாளரை அமைக்கவும்
 ,Salary Register,சம்பளம் பதிவு
 DocType: Warehouse,Parent Warehouse,பெற்றோர் கிடங்கு
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,விளக்கப்படம்
 DocType: Subscription,Net Total,நிகர மொத்தம்
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},இயல்புநிலை BOM பொருள் காணப்படவில்லை இல்லை {0} மற்றும் திட்ட {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,பல்வேறு கடன் வகைகளில் வரையறுத்து
@@ -3979,18 +4021,19 @@
 DocType: Membership,Membership Status,உறுப்பினர் நிலை
 DocType: Travel Itinerary,Lodging Required,உறைவிடம் தேவைப்படுகிறது
 ,Requested,கோரப்பட்ட
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,குறிப்புகள் இல்லை
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,குறிப்புகள் இல்லை
 DocType: Asset,In Maintenance,பராமரிப்பு
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,அமேசான் MWS இலிருந்து உங்கள் விற்பனை ஆணை தரவுகளை இழுக்க இந்த பொத்தானை கிளிக் செய்யவும்.
 DocType: Vital Signs,Abdomen,வயிறு
 DocType: Purchase Invoice,Overdue,காலங்கடந்த
 DocType: Account,Stock Received But Not Billed,"பங்கு பெற்றார், ஆனால் கணக்கில் இல்லை"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,ரூட் கணக்கு ஒரு குழு இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,ரூட் கணக்கு ஒரு குழு இருக்க வேண்டும்
 DocType: Drug Prescription,Drug Prescription,மருந்து பரிந்துரை
 DocType: Loan,Repaid/Closed,தீர்வையான / மூடப்பட்ட
 DocType: Amazon MWS Settings,CA,சிஏ
 DocType: Item,Total Projected Qty,மொத்த உத்தேச அளவு
 DocType: Monthly Distribution,Distribution Name,விநியோக பெயர்
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM ஐ சேர்க்கவும்
 DocType: Course,Course Code,பாடநெறி குறியீடு
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},பொருள் தேவை தரமான ஆய்வு {0}
 DocType: Location,Parent Location,பெற்றோர் இடம்
@@ -4004,19 +4047,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,விற்பனை விலை விவரம்
 DocType: Journal Entry Account,Party Balance,கட்சி இருப்பு
 DocType: Cash Flow Mapper,Section Subtotal,பிரிவு கூட்டுத்தொகை
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,தள்ளுபடி விண்ணப்பிக்க தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,தள்ளுபடி விண்ணப்பிக்க தேர்ந்தெடுக்கவும்
 DocType: Stock Settings,Sample Retention Warehouse,மாதிரி வைத்திருத்தல் கிடங்கு
 DocType: Company,Default Receivable Account,இயல்புநிலை பெறத்தக்க கணக்கு
 DocType: Purchase Invoice,Deemed Export,ஏற்றுக்கொள்ளப்பட்ட ஏற்றுமதி
 DocType: Stock Entry,Material Transfer for Manufacture,உற்பத்தி பொருள் மாற்றம்
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,தள்ளுபடி சதவீதம் விலை பட்டியலை எதிராக அல்லது அனைத்து விலை பட்டியல் ஒன்று பயன்படுத்த முடியும்.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,பங்கு பைனான்ஸ் நுழைவு
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,பங்கு பைனான்ஸ் நுழைவு
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ஏற்கனவே மதிப்பீட்டிற்குத் தகுதி மதிப்பீடு செய்யப்பட்டதன் {}.
 DocType: Vehicle Service,Engine Oil,இயந்திர எண்ணெய்
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},பணி ஆணைகள் உருவாக்கப்பட்டன: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},பணி ஆணைகள் உருவாக்கப்பட்டன: {0}
 DocType: Sales Invoice,Sales Team1,விற்பனை Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,பொருள் {0} இல்லை
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,பொருள் {0} இல்லை
 DocType: Sales Invoice,Customer Address,வாடிக்கையாளர் முகவரி
 DocType: Loan,Loan Details,கடன் விவரங்கள்
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,இடுகை நிறுவன பொருத்தங்களை அமைப்பதில் தோல்வி
@@ -4037,27 +4080,28 @@
 DocType: Item Group,Show this slideshow at the top of the page,பக்கத்தின் மேல் இந்த காட்சியை காட்ட
 DocType: BOM,Item UOM,பொருள் UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),தள்ளுபடி தொகை பின்னர் வரி அளவு (நிறுவனத்தின் நாணயம்)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},இலக்கு கிடங்கில் வரிசையில் கட்டாய {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},இலக்கு கிடங்கில் வரிசையில் கட்டாய {0}
 DocType: Cheque Print Template,Primary Settings,முதன்மை அமைப்புகள்
 DocType: Attendance Request,Work From Home,வீட்டில் இருந்து வேலை
 DocType: Purchase Invoice,Select Supplier Address,சப்ளையர் முகவரி தேர்வு
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,ஊழியர் சேர்
 DocType: Purchase Invoice Item,Quality Inspection,தரமான ஆய்வு
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,மிகச்சிறியது
 DocType: Company,Standard Template,ஸ்டாண்டர்ட் வார்ப்புரு
 DocType: Training Event,Theory,தியரி
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,எச்சரிக்கை : அளவு கோரப்பட்ட பொருள் குறைந்தபட்ச ஆணை அளவு குறைவாக உள்ளது
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,எச்சரிக்கை : அளவு கோரப்பட்ட பொருள் குறைந்தபட்ச ஆணை அளவு குறைவாக உள்ளது
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,கணக்கு {0} உறைந்திருக்கும்
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,நிறுவனத்திற்கு சொந்தமான கணக்குகள் ஒரு தனி விளக்கப்படம் சட்ட நிறுவனம் / துணைநிறுவனத்திற்கு.
 DocType: Payment Request,Mute Email,முடக்கு மின்னஞ்சல்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","உணவு , குளிர்பானங்கள் & புகையிலை"
 DocType: Account,Account Number,கணக்கு எண்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},மட்டுமே எதிரான கட்டணம் செய்யலாம் unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,கமிஷன் விகிதம் அதிகமாக 100 இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},மட்டுமே எதிரான கட்டணம் செய்யலாம் unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,கமிஷன் விகிதம் அதிகமாக 100 இருக்க முடியாது
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),தானாகவே முன்னேறுதல் (FIFO)
 DocType: Volunteer,Volunteer,தன்னார்வ
 DocType: Buying Settings,Subcontract,உள் ஒப்பந்தம்
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,முதல் {0} உள்ளிடவும்
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,இருந்து பதிலில்லை
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,இருந்து பதிலில்லை
 DocType: Work Order Operation,Actual End Time,உண்மையான இறுதியில் நேரம்
 DocType: Item,Manufacturer Part Number,தயாரிப்பாளர் பாகம் எண்
 DocType: Taxable Salary Slab,Taxable Salary Slab,வரிக்குதிரை சம்பளம் ஸ்லாப்
@@ -4092,7 +4136,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,குறியீட்டை மாற்றவும்
 DocType: Purchase Invoice Item,Valuation Rate,மதிப்பீட்டு விகிதம்
 DocType: Vehicle,Diesel,டீசல்
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,விலை பட்டியல் நாணய தேர்வு
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,விலை பட்டியல் நாணய தேர்வு
 DocType: Purchase Invoice,Availed ITC Cess,ITC செஸ் ஐப் பிடித்தது
 ,Student Monthly Attendance Sheet,மாணவர் மாதாந்திர வருகை தாள்
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,விற்பனைக்கு மட்டுமே பொருந்தக்கூடிய கப்பல் விதி
@@ -4108,7 +4152,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,விற்னையாளர் பங்குதாரர்கள் நிர்வகி.
 DocType: Quality Inspection,Inspection Type,ஆய்வு அமைப்பு
 DocType: Fee Validity,Visited yet,இதுவரை பார்வையிட்டது
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் குழு மாற்றப்பட முடியாது.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் குழு மாற்றப்பட முடியாது.
 DocType: Assessment Result Tool,Result HTML,விளைவாக HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,அடிக்கடி விற்பனை மற்றும் பரிவர்த்தனைகளின் அடிப்படையில் நிறுவனம் மேம்படுத்தப்பட வேண்டும்.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,அன்று காலாவதியாகிறது
@@ -4116,7 +4160,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},தேர்வு செய்க {0}
 DocType: C-Form,C-Form No,சி படிவம் எண்
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,தூரம்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,தூரம்
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,நீங்கள் வாங்க அல்லது விற்கிற உங்கள் தயாரிப்புகள் அல்லது சேவைகளை பட்டியலிடுங்கள்.
 DocType: Water Analysis,Storage Temperature,சேமிப்பு வெப்பநிலை
 DocType: Sales Order,SAL-ORD-.YYYY.-,சல்-ORD-.YYYY.-
@@ -4132,19 +4176,19 @@
 DocType: Shopify Settings,Delivery Note Series,டெலிவரி குறிப்பு தொடர்
 DocType: Purchase Order Item,Returned Qty,திரும்பி அளவு
 DocType: Student,Exit,வெளியேறு
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,ரூட் வகை கட்டாய ஆகிறது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,ரூட் வகை கட்டாய ஆகிறது
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,முன்னமைவுகளை நிறுவுவதில் தோல்வி
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,மணி நேரத்தில் UOM மாற்றம்
 DocType: Contract,Signee Details,கையெழுத்து விவரங்கள்
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} தற்போது {1} சப்ளையர் ஸ்கோர்கார்டு நின்று உள்ளது, மேலும் இந்த சப்ளையருக்கு RFQ கள் எச்சரிக்கையுடன் வழங்கப்பட வேண்டும்."
 DocType: Certified Consultant,Non Profit Manager,இலாப முகாமையாளர்
 DocType: BOM,Total Cost(Company Currency),மொத்த செலவு (நிறுவனத்தின் நாணய)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,தொடர் இல {0} உருவாக்கப்பட்டது
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,தொடர் இல {0} உருவாக்கப்பட்டது
 DocType: Homepage,Company Description for website homepage,இணைய முகப்பு நிறுவனம் விளக்கம்
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","வாடிக்கையாளர்களின் வசதிக்காக, இந்த குறியீடுகள் பற்றுச்சீட்டுகள் மற்றும் டெலிவரி குறிப்புகள் போன்ற அச்சு வடிவங்கள் பயன்படுத்த முடியும்"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier பெயர்
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} க்கான தகவலை மீட்டெடுக்க முடியவில்லை.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,நுழைவு நுழைவுத் திறப்பு
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,நுழைவு நுழைவுத் திறப்பு
 DocType: Contract,Fulfilment Terms,நிறைவேற்று விதிமுறைகள்
 DocType: Sales Invoice,Time Sheet List,நேரம் தாள் பட்டியல்
 DocType: Employee,You can enter any date manually,நீங்கள் கைமுறையாக எந்த தேதி நுழைய முடியும்
@@ -4180,7 +4224,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,உங்கள் அமைப்பு
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","விடுப்பு விடுப்பு பின்வரும் ஊழியர்களுக்கான ஒதுக்கீடு, விடுப்பு ஒதுக்கீடு பதிவுகள் ஏற்கனவே அவர்களுக்கு எதிராக உள்ளது. {0}"
 DocType: Fee Component,Fees Category,கட்டணம் பகுப்பு
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,தேதி நிவாரணத்தில் உள்ளிடவும்.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,தேதி நிவாரணத்தில் உள்ளிடவும்.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,விவரங்கள்
 DocType: Travel Request,"Details of Sponsor (Name, Location)","ஸ்பான்சரின் விவரங்கள் (பெயர், இருப்பிடம்)"
 DocType: Supplier Scorecard,Notify Employee,பணியாளரை அறிவி
@@ -4193,9 +4237,9 @@
 DocType: Company,Chart Of Accounts Template,கணக்குகள் டெம்ப்ளேட் வரைவு
 DocType: Attendance,Attendance Date,வருகை தேதி
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},புதுப்பித்தல் பங்கு வாங்குவதற்கான விலைப்பட்டியல் {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},விலை பட்டியல் {1} ல்   பொருள் விலை {0} மேம்படுத்தப்பட்டது
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},விலை பட்டியல் {1} ல்   பொருள் விலை {0} மேம்படுத்தப்பட்டது
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,சம்பளம் கலைத்தல் வருமானம் மற்றும் துப்பறியும் அடிப்படையாக கொண்டது.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,குழந்தை முனைகளில் கணக்கு பேரேடு மாற்றப்பட முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,குழந்தை முனைகளில் கணக்கு பேரேடு மாற்றப்பட முடியாது
 DocType: Purchase Invoice Item,Accepted Warehouse,கிடங்கு ஏற்கப்பட்டது
 DocType: Bank Reconciliation Detail,Posting Date,தேதி தகவல்களுக்கு
 DocType: Item,Valuation Method,மதிப்பீட்டு முறை
@@ -4232,6 +4276,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,ஒரு தொகுதி தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,சுற்றுலா மற்றும் செலவினம் கோரிக்கை
 DocType: Sales Invoice,Redemption Cost Center,மீட்பு செலவு மையம்
+DocType: QuickBooks Migrator,Scope,நோக்கம்
 DocType: Assessment Group,Assessment Group Name,மதிப்பீட்டு குழு பெயர்
 DocType: Manufacturing Settings,Material Transferred for Manufacture,பொருள் உற்பத்தி மாற்றப்பட்டது
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,விவரங்களைச் சேர்க்கவும்
@@ -4239,6 +4284,7 @@
 DocType: Shopify Settings,Last Sync Datetime,கடைசியாக ஒத்திசைவு தரவுத்தளம்
 DocType: Landed Cost Item,Receipt Document Type,ரசீது ஆவண வகை
 DocType: Daily Work Summary Settings,Select Companies,நிறுவனங்கள் தேர்வு
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,திட்டம் / விலைக் கோட்
 DocType: Antibiotic,Healthcare,ஹெல்த்கேர்
 DocType: Target Detail,Target Detail,இலக்கு விரிவாக
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,ஒற்றை மாறுபாடு
@@ -4248,6 +4294,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,காலம் நிறைவு நுழைவு
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,திணைக்களம் தேர்ந்தெடு ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,ஏற்கனவே பரிவர்த்தனைகள் செலவு மையம் குழு மாற்றப்பட முடியாது
+DocType: QuickBooks Migrator,Authorization URL,அங்கீகார URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},தொகை {0} {1} {2} {3}
 DocType: Account,Depreciation,மதிப்பிறக்கம் தேய்மானம்
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,பங்குகள் மற்றும் பங்கு எண்கள் எண்ணிக்கை சீரற்றதாக உள்ளன
@@ -4270,13 +4317,14 @@
 DocType: Support Search Source,Source DocType,ஆதார ஆவணம்
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,ஒரு புதிய டிக்கெட் திறக்க
 DocType: Training Event,Trainer Email,பயிற்சி மின்னஞ்சல்
+DocType: Driver,Transporter,இடமாற்றி
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,பொருள் கோரிக்கைகள் {0} உருவாக்கப்பட்டது
 DocType: Restaurant Reservation,No of People,மக்கள் இல்லை
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,சொற்கள் அல்லது ஒப்பந்த வார்ப்புரு.
 DocType: Bank Account,Address and Contact,முகவரி மற்றும் தொடர்பு
 DocType: Vital Signs,Hyper,உயர்
 DocType: Cheque Print Template,Is Account Payable,கணக்கு செலுத்தப்பட உள்ளது
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},பங்கு வாங்கும் ரசீது எதிராக புதுப்பிக்க முடியாது {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},பங்கு வாங்கும் ரசீது எதிராக புதுப்பிக்க முடியாது {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 நாட்களுக்குப் பிறகு ஆட்டோ நெருங்கிய வெளியீடு
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","முன் ஒதுக்கீடு செய்யப்படும் {0}, விடுப்பு சமநிலை ஏற்கனவே கேரி-அனுப்பி எதிர்கால விடுப்பு ஒதுக்கீடு பதிவில் இருந்து வருகிறது {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),குறிப்பு: / குறிப்பு தேதி {0} நாள் அனுமதிக்கப்பட்ட வாடிக்கையாளர் கடன் அதிகமாகவும் (கள்)
@@ -4294,20 +4342,19 @@
 ,Qty to Deliver,அடித்தளத்திருந்து அளவு
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,அமேசான் இந்த தேதிக்குப் பிறகு புதுப்பிக்கப்படும் தரவு ஒத்திசைக்கும்
 ,Stock Analytics,பங்கு அனலிட்டிக்ஸ்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ஆபரேஷன்ஸ் வெறுமையாக முடியும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ஆபரேஷன்ஸ் வெறுமையாக முடியும்
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,ஆய்வக டெஸ்ட் (கள்)
 DocType: Maintenance Visit Purpose,Against Document Detail No,ஆவண விபரம் எண் எதிராக
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +111,Party Type is mandatory,கட்சி வகை அத்தியாவசியமானதாகும்
 DocType: Quality Inspection,Outgoing,வெளிச்செல்லும்
 DocType: Material Request,Requested For,கோரப்பட்ட
 DocType: Quotation Item,Against Doctype,ஆவண வகை எதிராக
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ரத்து செய்யப்பட்டது அல்லது மூடப்பட்டுள்ளது
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ரத்து செய்யப்பட்டது அல்லது மூடப்பட்டுள்ளது
 DocType: Asset,Calculate Depreciation,தேய்மானத்தை கணக்கிடுங்கள்
 DocType: Delivery Note,Track this Delivery Note against any Project,எந்த திட்டம் எதிரான இந்த டெலிவரி குறிப்பு கண்காணிக்க
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,முதலீடு இருந்து நிகர பண
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,வாடிக்கையாளர்&gt; வாடிக்கையாளர் குழு&gt; மண்டலம்
 DocType: Work Order,Work-in-Progress Warehouse,"வேலை, செயலில் கிடங்கு"
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,சொத்து {0} சமர்ப்பிக்க வேண்டும்
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,சொத்து {0} சமர்ப்பிக்க வேண்டும்
 DocType: Fee Schedule Program,Total Students,மொத்த மாணவர்கள்
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},வருகை பதிவு {0} மாணவர் எதிராக உள்ளது {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},குறிப்பு # {0} தேதியிட்ட {1}
@@ -4327,7 +4374,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,இடது ஊழியர்களுக்கான தக்கவைப்பு போனஸை உருவாக்க முடியாது
 DocType: Lead,Market Segment,சந்தை பிரிவு
 DocType: Agriculture Analysis Criteria,Agriculture Manager,விவசாய மேலாளர்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},செலுத்திய தொகை மொத்த எதிர்மறை கடன் தொகையை விட அதிகமாக இருக்க முடியாது {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},செலுத்திய தொகை மொத்த எதிர்மறை கடன் தொகையை விட அதிகமாக இருக்க முடியாது {0}
 DocType: Supplier Scorecard Period,Variables,மாறிகள்
 DocType: Employee Internal Work History,Employee Internal Work History,பணியாளர் உள் வேலை வரலாறு
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),நிறைவு (டாக்டர்)
@@ -4352,22 +4399,24 @@
 DocType: Amazon MWS Settings,Synch Products,தயாரிப்புகளை ஒத்திசை
 DocType: Loyalty Point Entry,Loyalty Program,விசுவாசம் திட்டம்
 DocType: Student Guardian,Father,அப்பா
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,ஆதரவு டிக்கெட்
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;மேம்படுத்தல் பங்கு&#39; நிலையான சொத்து விற்பனை சோதிக்க முடியவில்லை
 DocType: Bank Reconciliation,Bank Reconciliation,வங்கி நல்லிணக்க
 DocType: Attendance,On Leave,விடுப்பு மீது
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,மேம்படுத்தல்கள் கிடைக்கும்
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: கணக்கு {2} நிறுவனத்தின் சொந்தம் இல்லை {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,ஒவ்வொரு பண்புகளிலிருந்தும் குறைந்தது ஒரு மதிப்பைத் தேர்ந்தெடுக்கவும்.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,ஒவ்வொரு பண்புகளிலிருந்தும் குறைந்தது ஒரு மதிப்பைத் தேர்ந்தெடுக்கவும்.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,பொருள் கோரிக்கை {0} ரத்து அல்லது நிறுத்தி
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,டிஸ்பாட்ச் ஸ்டேட்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,டிஸ்பாட்ச் ஸ்டேட்
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,மேலாண்மை விடவும்
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,குழுக்கள்
 DocType: Purchase Invoice,Hold Invoice,விலைப்பட்டியல்
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,பணியாளரைத் தேர்ந்தெடுக்கவும்
 DocType: Sales Order,Fully Delivered,முழுமையாக வழங்கப்படுகிறது
-DocType: Lead,Lower Income,குறைந்த வருமானம்
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,குறைந்த வருமானம்
 DocType: Restaurant Order Entry,Current Order,தற்போதைய வரிசை
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,தொடர் nos மற்றும் அளவு எண்ணிக்கை அதே இருக்க வேண்டும்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},மூல மற்றும் அடைவு கிடங்கில் வரிசையில் அதே இருக்க முடியாது {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},மூல மற்றும் அடைவு கிடங்கில் வரிசையில் அதே இருக்க முடியாது {0}
 DocType: Account,Asset Received But Not Billed,சொத்து பெறப்பட்டது ஆனால் கட்டணம் இல்லை
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",இந்த பங்கு நல்லிணக்க ஒரு தொடக்க நுழைவு என்பதால் வேறுபாடு அக்கவுண்ட் சொத்து / பொறுப்பு வகை கணக்கு இருக்க வேண்டும்
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},செலவிட்டு தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது கொள்ளலாம் {0}
@@ -4376,7 +4425,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},கொள்முதல் ஆணை எண் பொருள் தேவை {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',' வரம்பு தேதி ' தேதி ' பிறகு இருக்க வேண்டும்
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,இந்த பதவிக்கு ஊழியர்கள் இல்லை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,பொருள் {0} தொகுதி {0} முடக்கப்பட்டுள்ளது.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,பொருள் {0} தொகுதி {0} முடக்கப்பட்டுள்ளது.
 DocType: Leave Policy Detail,Annual Allocation,ஆண்டு ஒதுக்கீடு
 DocType: Travel Request,Address of Organizer,அமைப்பாளர் முகவரி
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,சுகாதார பராமரிப்பாளரைத் தேர்ந்தெடு ...
@@ -4385,12 +4434,12 @@
 DocType: Asset,Fully Depreciated,முழுமையாக தணியாக
 DocType: Item Barcode,UPC-A,யூ.பீ.சி- A
 ,Stock Projected Qty,பங்கு அளவு திட்டமிடப்பட்ட
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},வாடிக்கையாளர் {0} திட்டம் அல்ல {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},வாடிக்கையாளர் {0} திட்டம் அல்ல {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,"அடையாளமிட்ட வருகை, HTML"
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",மேற்கோள்கள் முன்மொழிவுகள் நீங்கள் உங்கள் வாடிக்கையாளர்களுக்கு அனுப்பியுள்ளோம் ஏலம் உள்ளன
 DocType: Sales Invoice,Customer's Purchase Order,வாடிக்கையாளர் கொள்முதல் ஆணை
 DocType: Clinical Procedure,Patient,நோயாளி
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,விற்பனை ஆணை மணிக்கு பைபாஸ் கடன் சோதனை
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,விற்பனை ஆணை மணிக்கு பைபாஸ் கடன் சோதனை
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,ஊழியர் மீது நடவடிக்கை எடுப்பது
 DocType: Location,Check if it is a hydroponic unit,இது ஒரு ஹைட்ரோபொனிக் அலகு என்பதை சரிபார்க்கவும்
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,தொ.எ. மற்றும் தொகுதி
@@ -4400,7 +4449,7 @@
 DocType: Supplier Scorecard Period,Calculations,கணக்கீடுகள்
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,மதிப்பு அல்லது அளவு
 DocType: Payment Terms Template,Payment Terms,கட்டண வரையறைகள்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,புரொடக்சன்ஸ் ஆணைகள் எழுப்பியது முடியாது:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,புரொடக்சன்ஸ் ஆணைகள் எழுப்பியது முடியாது:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,நிமிஷம்
 DocType: Purchase Invoice,Purchase Taxes and Charges,கொள்முதல் வரி மற்றும் கட்டணங்கள்
 DocType: Chapter,Meetup Embed HTML,சந்திப்பு HTML ஐ உட்பொதிக்கவும்
@@ -4408,7 +4457,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,சப்ளையர்களிடம் செல்க
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS மூடுதலான வவுச்சர் வரிகள்
 ,Qty to Receive,மதுரையில் அளவு
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","செல்லுபடியாகும் சம்பள வரம்பில் தொடங்கும் மற்றும் முடிவுறும் தேதிகள், {0} கணக்கிட முடியாது."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","செல்லுபடியாகும் சம்பள வரம்பில் தொடங்கும் மற்றும் முடிவுறும் தேதிகள், {0} கணக்கிட முடியாது."
 DocType: Leave Block List,Leave Block List Allowed,அனுமதிக்கப்பட்ட பிளாக் பட்டியல் விட்டு
 DocType: Grading Scale Interval,Grading Scale Interval,தரம் பிரித்தல் அளவுகோல் இடைவேளை
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},வாகன பதிவு செலவை கூறுகின்றனர் {0}
@@ -4416,10 +4465,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,மீது மார்ஜின் கொண்டு விலை பட்டியல் விகிதம் தள்ளுபடி (%)
 DocType: Healthcare Service Unit Type,Rate / UOM,விகிதம் / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,அனைத்து கிடங்குகள்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,இண்டர் கம்பனி பரிவர்த்தனைகளுக்கு {0} இல்லை.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,இண்டர் கம்பனி பரிவர்த்தனைகளுக்கு {0} இல்லை.
 DocType: Travel Itinerary,Rented Car,வாடகைக்கு கார்
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,உங்கள் நிறுவனத்தின் பற்றி
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,கணக்கில் பணம் வரவு ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,கணக்கில் பணம் வரவு ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
 DocType: Donor,Donor,தானம்
 DocType: Global Defaults,Disable In Words,சொற்கள் முடக்கு
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,பொருள் தானாக எண் ஏனெனில் பொருள் கோட் கட்டாய ஆகிறது
@@ -4431,14 +4480,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,வங்கி மிகைஎடுப்பு கணக்கு
 DocType: Patient,Patient ID,நோயாளி ஐடி
 DocType: Practitioner Schedule,Schedule Name,அட்டவணை பெயர்
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,நிலை மூலம் விற்பனை பைப்லைன்
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,சம்பள விபரம்  செய்ய
 DocType: Currency Exchange,For Buying,வாங்குதல்
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,அனைத்து சப்ளையர்களை சேர்க்கவும்
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,அனைத்து சப்ளையர்களை சேர்க்கவும்
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ரோ # {0}: ஒதுக்கப்பட்டவை தொகை நிலுவையில் தொகையை விட அதிகமாக இருக்க முடியாது.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,"உலவ BOM,"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,பிணை கடன்கள்
 DocType: Purchase Invoice,Edit Posting Date and Time,இடுகையிடுதலுக்கான தேதி மற்றும் நேரம் திருத்த
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},சொத்து வகை {0} அல்லது நிறுவனத்தின் தேய்மானம் தொடர்பான கணக்குகள் அமைக்கவும் {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},சொத்து வகை {0} அல்லது நிறுவனத்தின் தேய்மானம் தொடர்பான கணக்குகள் அமைக்கவும் {1}
 DocType: Lab Test Groups,Normal Range,சாதாரண வரம்பில்
 DocType: Academic Term,Academic Year,கல்வி ஆண்டில்
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,கிடைக்கும் விற்பனை
@@ -4467,26 +4517,26 @@
 DocType: Patient Appointment,Patient Appointment,நோயாளி நியமனம்
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,பங்கு ஒப்புதல் ஆட்சி பொருந்தும் பாத்திரம் அதே இருக்க முடியாது
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,இந்த மின்னஞ்சல் டைஜஸ்ட் இருந்து விலகுவதற்காக
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,மூலம் சப்ளையர்கள் கிடைக்கும்
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,மூலம் சப்ளையர்கள் கிடைக்கும்
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} பொருள் {0}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,பாடத்திட்டங்களுக்குச் செல்
 DocType: Accounts Settings,Show Inclusive Tax In Print,அச்சு உள்ளிட்ட வரி காட்டு
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","வங்கி கணக்கு, தேதி மற்றும் தேதி கட்டாய கட்டாயம்"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,செய்தி அனுப்பப்பட்டது
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,குழந்தை முனைகளில் கணக்கு பேரேடு அமைக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,குழந்தை முனைகளில் கணக்கு பேரேடு அமைக்க முடியாது
 DocType: C-Form,II,இரண்டாம்
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,விலை பட்டியல் நாணய வாடிக்கையாளர் அடிப்படை நாணய மாற்றப்படும் விகிதத்தை
 DocType: Purchase Invoice Item,Net Amount (Company Currency),நிகர விலை (நிறுவனத்தின் நாணயம்)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,மொத்த ஒப்புதலுக்கான தொகையை விட மொத்த முன்கூட்டி தொகை அதிகமாக இருக்க முடியாது
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,மொத்த ஒப்புதலுக்கான தொகையை விட மொத்த முன்கூட்டி தொகை அதிகமாக இருக்க முடியாது
 DocType: Salary Slip,Hour Rate,மணி விகிதம்
 DocType: Stock Settings,Item Naming By,பொருள் மூலம் பெயரிடுதல்
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},மற்றொரு காலம் நிறைவு நுழைவு {0} பின்னர் செய்யப்பட்ட {1}
 DocType: Work Order,Material Transferred for Manufacturing,பொருள் தயாரிப்பு இடமாற்றம்
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,கணக்கு {0} இல்லை உள்ளது
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,லாய்லிட்டி திட்டம் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,லாய்லிட்டி திட்டம் தேர்ந்தெடுக்கவும்
 DocType: Project,Project Type,திட்ட வகை
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,இந்த பணிக்கான குழந்தை பணி உள்ளது. இந்த பணி நீக்க முடியாது.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,இலக்கு அளவு அல்லது இலக்கு அளவு கட்டாயமாகும்.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,இலக்கு அளவு அல்லது இலக்கு அளவு கட்டாயமாகும்.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,பல்வேறு நடவடிக்கைகள் செலவு
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","அமைத்தல் நிகழ்வுகள் {0}, விற்பனை நபர்கள் கீழே இணைக்கப்பட்டுள்ளது பணியாளர் ஒரு பயனர் ஐடி இல்லை என்பதால் {1}"
 DocType: Timesheet,Billing Details,பில்லிங் விவரங்கள்
@@ -4544,13 +4594,13 @@
 DocType: Inpatient Record,A Negative,ஒரு எதிர்மறை
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,மேலும் காண்பிக்க எதுவும் இல்லை.
 DocType: Lead,From Customer,வாடிக்கையாளர் இருந்து
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,அழைப்புகள்
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,அழைப்புகள்
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,ஒரு தயாரிப்பு
 DocType: Employee Tax Exemption Declaration,Declarations,சாற்றுரைகள்
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,தொகுப்புகளும்
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,கட்டணம் செலுத்தவும்
 DocType: Purchase Order Item Supplied,Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,கொள்முதல் ஆணை {0} சமர்ப்பிக்க
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,கொள்முதல் ஆணை {0} சமர்ப்பிக்க
 DocType: Account,Expenses Included In Asset Valuation,செலவுகள் மதிப்பீட்டு மதிப்பில் சேர்க்கப்பட்டுள்ளது
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),வயது வந்தோருக்கான இயல்பான குறிப்பு வரம்பு 16-20 சுவாசம் / நிமிடம் (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,சுங்கத்தீர்வை எண்
@@ -4563,6 +4613,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,முதலில் நோயாளியை காப்பாற்றுங்கள்
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,வருகை வெற்றிகரமாக குறிக்கப்பட்டுள்ளது.
 DocType: Program Enrollment,Public Transport,பொது போக்குவரத்து
+DocType: Delivery Note,GST Vehicle Type,GST வாகன வகை
 DocType: Soil Texture,Silt Composition (%),சில்ட் கலவை (%)
 DocType: Journal Entry,Remark,குறிப்பு
 DocType: Healthcare Settings,Avoid Confirmation,உறுதிப்படுத்தலைத் தவிர்க்கவும்
@@ -4572,11 +4623,10 @@
 DocType: Education Settings,Current Academic Term,தற்போதைய கல்வி கால
 DocType: Education Settings,Current Academic Term,தற்போதைய கல்வி கால
 DocType: Sales Order,Not Billed,கட்டணம் இல்லை
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,இரண்டு கிடங்கு அதே நிறுவனத்திற்கு சொந்தமானது வேண்டும்
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,இரண்டு கிடங்கு அதே நிறுவனத்திற்கு சொந்தமானது வேண்டும்
 DocType: Employee Grade,Default Leave Policy,முன்னிருப்பு விடுப்பு கொள்கை
 DocType: Shopify Settings,Shop URL,கடை URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,தொடர்புகள் இல்லை இன்னும் சேர்க்கப்படவில்லை.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,அமைவு&gt; எண் வரிசை தொடர் மூலம் கலந்துரையாடலுக்கான வரிசை எண்ணை அமைக்கவும்
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed செலவு ரசீது தொகை
 ,Item Balance (Simple),பொருள் இருப்பு (எளிய)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,பில்கள் விநியோகஸ்தர்கள் எழுப்பும்.
@@ -4601,7 +4651,7 @@
 DocType: Shopping Cart Settings,Quotation Series,மேற்கோள் தொடர்
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","ஒரு பொருளை ( {0} ) , உருப்படி குழு பெயர் மாற்ற அல்லது மறுபெயரிட தயவு செய்து அதே பெயரில்"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,மண் பகுப்பாய்வு அளவுகோல்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,வாடிக்கையாளர் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,வாடிக்கையாளர் தேர்ந்தெடுக்கவும்
 DocType: C-Form,I,நான்
 DocType: Company,Asset Depreciation Cost Center,சொத்து தேய்மானம் செலவு மையம்
 DocType: Production Plan Sales Order,Sales Order Date,விற்பனை ஆர்டர் தேதி
@@ -4614,8 +4664,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,தற்போது எந்த கிடங்கிலும் கையிருப்பு  இல்லை
 ,Payment Period Based On Invoice Date,விலைப்பட்டியல் தேதியின் அடிப்படையில் கொடுப்பனவு காலம்
 DocType: Sample Collection,No. of print,அச்சு எண்
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,பிறந்த நாள் நினைவூட்டல்
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ஹோட்டல் ரூம் முன்பதிவு பொருள்
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},காணாமல் நாணய மாற்று விகிதங்கள் {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},காணாமல் நாணய மாற்று விகிதங்கள் {0}
 DocType: Employee Health Insurance,Health Insurance Name,சுகாதார காப்பீடு பெயர்
 DocType: Assessment Plan,Examiner,பரிசோதகர்
 DocType: Student,Siblings,உடன்பிறப்புகளின்
@@ -4632,19 +4683,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,புதிய வாடிக்கையாளர்கள்
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,மொத்த லாபம்%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,நியமனம் {0} மற்றும் விற்பனை விலைப்பட்டியல் {1} ரத்துசெய்யப்பட்டது
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,முன்னணி மூலம் வாய்ப்புகள்
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS சுயவிவரத்தை மாற்றுக
 DocType: Bank Reconciliation Detail,Clearance Date,அனுமதி தேதி
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","உருப்படியை {0} க்கு எதிராக சொத்து ஏற்கனவே உள்ளது, நீங்கள் சீரியல் மதிப்பை மாற்ற முடியாது"
+DocType: Delivery Settings,Dispatch Notification Template,டிஸ்பேட் அறிவிப்பு வார்ப்புரு
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","உருப்படியை {0} க்கு எதிராக சொத்து ஏற்கனவே உள்ளது, நீங்கள் சீரியல் மதிப்பை மாற்ற முடியாது"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,மதிப்பீட்டு அறிக்கை
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,பணியாளர்களைப் பெறுங்கள்
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,மொத்த கொள்முதல் அளவு அத்தியாவசியமானதாகும்
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,நிறுவனத்தின் பெயர் அல்ல
 DocType: Lead,Address Desc,இறங்குமுக முகவரி
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,கட்சி அத்தியாவசியமானதாகும்
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},பிற வரிசைகளில் போலி தேதிகளை கொண்ட வரிசைகள் காணப்பட்டன: {list}
 DocType: Topic,Topic Name,தலைப்பு பெயர்
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,HR அமைப்புகளில் விடுப்பு அங்கீகார அறிவிப்புக்கான இயல்புநிலை டெம்ப்ளேட்டை அமைக்கவும்.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,HR அமைப்புகளில் விடுப்பு அங்கீகார அறிவிப்புக்கான இயல்புநிலை டெம்ப்ளேட்டை அமைக்கவும்.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,விற்பனை அல்லது வாங்கும் குறைந்தபட்சம் ஒரு தேர்வு வேண்டும்
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,ஊழியர் முன்கூட்டியே பெற ஒரு ஊழியரைத் தேர்ந்தெடுக்கவும்.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,சரியான தேதி ஒன்றைத் தேர்ந்தெடுக்கவும்
@@ -4678,6 +4730,7 @@
 DocType: Stock Entry,Customer or Supplier Details,வாடிக்கையாளருக்கு அல்லது விபரங்கள்
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ஏசிசி-பே-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,தற்போதைய சொத்து மதிப்பு
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks நிறுவனத்தின் ஐடி
 DocType: Travel Request,Travel Funding,சுற்றுலா நிதி
 DocType: Loan Application,Required by Date,டேட் தேவையான
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,பயிர் வளரும் அனைத்து இடங்களுக்கும் ஒரு இணைப்பு
@@ -4691,9 +4744,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,கிடங்கில் இருந்து கிடைக்கும் தொகுதி அளவு
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,மொத்த பே - மொத்த பொருத்தியறிதல் - கடனாக தொகையை திரும்பச் செலுத்துதல்
 DocType: Bank Account,IBAN,IBAN இல்
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,தற்போதைய BOM மற்றும் நியூ BOM அதே இருக்க முடியாது
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,தற்போதைய BOM மற்றும் நியூ BOM அதே இருக்க முடியாது
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,சம்பளம் ஸ்லிப் ஐடி
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,ஓய்வு நாள் சேர தேதி விட அதிகமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,ஓய்வு நாள் சேர தேதி விட அதிகமாக இருக்க வேண்டும்
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,பல மாறுபாடுகள்
 DocType: Sales Invoice,Against Income Account,வருமான கணக்கு எதிராக
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% வழங்கப்படுகிறது
@@ -4722,7 +4775,7 @@
 DocType: POS Profile,Update Stock,பங்கு புதுப்பிக்க
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,பொருட்களை பல்வேறு மொறட்டுவ பல்கலைகழகம் தவறான ( மொத்த ) நிகர எடை மதிப்பு வழிவகுக்கும். ஒவ்வொரு பொருளின் நிகர எடை அதே மொறட்டுவ பல்கலைகழகம் உள்ளது என்று உறுதி.
 DocType: Certification Application,Payment Details,கட்டணம் விவரங்கள்
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM விகிதம்
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM விகிதம்
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","நிறுத்தி பணி ஆணை ரத்து செய்ய முடியாது, ரத்து செய்ய முதலில் அதை நீக்கு"
 DocType: Asset,Journal Entry for Scrap,ஸ்கிராப் பத்திரிகை நுழைவு
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"டெலிவரி குறிப்பு இருந்து உருப்படிகள் இழுக்க , தயவு செய்து"
@@ -4745,11 +4798,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,மொத்த ஒப்புதல் தொகை
 ,Purchase Analytics,கொள்முதல் ஆய்வு
 DocType: Sales Invoice Item,Delivery Note Item,டெலிவரி குறிப்பு பொருள்
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,தற்போதைய விலைப்பட்டியல் {0} காணவில்லை
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,தற்போதைய விலைப்பட்டியல் {0} காணவில்லை
 DocType: Asset Maintenance Log,Task,பணி
 DocType: Purchase Taxes and Charges,Reference Row #,குறிப்பு வரிசை #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},தொகுதி எண் பொருள் கட்டாயமாக {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,இந்த ஒரு ரூட் விற்பனை நபர் மற்றும் திருத்த முடியாது .
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,இந்த ஒரு ரூட் விற்பனை நபர் மற்றும் திருத்த முடியாது .
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","தேர்ந்தெடுக்கப்பட்டால், இந்த கூறு குறிப்பிடப்படவில்லை அல்லது கணித்தபெறுமானம் வருவாய் அல்லது விலக்கிற்கு பங்களிக்க முடியாது. எனினும், அது மதிப்பு கூட்டப்பட்ட அல்லது கழிக்கப்படும் முடியும் என்று மற்ற கூறுகள் மூலம் குறிப்பிடப்பட்ட முடியும் தான்."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","தேர்ந்தெடுக்கப்பட்டால், இந்த கூறு குறிப்பிடப்படவில்லை அல்லது கணித்தபெறுமானம் வருவாய் அல்லது விலக்கிற்கு பங்களிக்க முடியாது. எனினும், அது மதிப்பு கூட்டப்பட்ட அல்லது கழிக்கப்படும் முடியும் என்று மற்ற கூறுகள் மூலம் குறிப்பிடப்பட்ட முடியும் தான்."
 DocType: Asset Settings,Number of Days in Fiscal Year,நிதி ஆண்டில் நாட்கள் எண்ணிக்கை
@@ -4758,7 +4811,7 @@
 DocType: Company,Exchange Gain / Loss Account,செலாவணி லாபம் / நஷ்டம் கணக்கு
 DocType: Amazon MWS Settings,MWS Credentials,MWS சான்றுகள்
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,பணியாளர் மற்றும் வருகை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},நோக்கம் ஒன்றாக இருக்க வேண்டும் {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},நோக்கம் ஒன்றாக இருக்க வேண்டும் {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,"படிவத்தை பூர்த்தி செய்து, அதை சேமிக்க"
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,கருத்துக்களம்
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,பங்கு உண்மையான கொத்தமல்லி
@@ -4774,7 +4827,7 @@
 DocType: Lab Test Template,Standard Selling Rate,ஸ்டாண்டர்ட் விற்பனை விகிதம்
 DocType: Account,Rate at which this tax is applied,இந்த வரி செலுத்தப்படுகிறது விகிதத்தில்
 DocType: Cash Flow Mapper,Section Name,பிரிவு பெயர்
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,மறுவரிசைப்படுத்துக அளவு
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,மறுவரிசைப்படுத்துக அளவு
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},தேய்நிலை வரிசை {0}: பயனுள்ள வாழ்க்கைக்குப் பிறகு எதிர்பார்க்கப்படும் மதிப்பு {1} ஐ விட அதிகமாகவோ அல்லது சமமாகவோ இருக்க வேண்டும்
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,தற்போதைய வேலை வாய்ப்புகள்
 DocType: Company,Stock Adjustment Account,பங்கு சரிசெய்தல் கணக்கு
@@ -4784,8 +4837,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","கணினி பயனர் (உள்நுழைய) ஐடி. அமைத்தால், அது அனைத்து அலுவலக வடிவங்கள் முன்னிருப்பு போம்."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,தேய்மான விவரங்களை உள்ளிடுக
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0} இருந்து: {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},மாணவர் {1} க்கு எதிராக ஏற்கனவே {0}
 DocType: Task,depends_on,பொறுத்தது
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,பொருட்கள் அனைத்து பில் சமீபத்திய விலை மேம்படுத்தும் வரிசை. சில நிமிடங்கள் ஆகலாம்.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,பொருட்கள் அனைத்து பில் சமீபத்திய விலை மேம்படுத்தும் வரிசை. சில நிமிடங்கள் ஆகலாம்.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,புதிய கணக்கு பெயர். குறிப்பு: வாடிக்கையாளர்களும் விநியோகத்தர்களும் கணக்குகள் உருவாக்க வேண்டாம்
 DocType: POS Profile,Display Items In Stock,பங்கு காட்சி பொருட்கள்
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,நாடு வாரியாக இயல்புநிலை முகவரி டெம்ப்ளேட்கள்
@@ -4815,16 +4869,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,அட்டவணையில் {0} க்கான இடங்கள் சேர்க்கப்படவில்லை
 DocType: Product Bundle,List items that form the package.,தொகுப்பு அமைக்க என்று பட்டியல் உருப்படிகள்.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,அனுமதி இல்லை. டெஸ்ட் வார்ப்புருவை முடக்கவும்
+DocType: Delivery Note,Distance (in km),தூரம் (கிமீ)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,சதவீதம் ஒதுக்கீடு 100% சமமாக இருக்க வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"கட்சி தேர்வு செய்யும் முன், பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும்"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"கட்சி தேர்வு செய்யும் முன், பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும்"
 DocType: Program Enrollment,School House,பள்ளி ஹவுஸ்
 DocType: Serial No,Out of AMC,AMC வெளியே
+DocType: Opportunity,Opportunity Amount,வாய்ப்பு தொகை
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,முன்பதிவு செய்யப்பட்டது தேய்மானம்  எண்ணிக்கையை விட அதிகமாக இருக்க முடியும்
 DocType: Purchase Order,Order Confirmation Date,ஆர்டர் உறுதிப்படுத்தல் தேதி
 DocType: Driver,HR-DRI-.YYYY.-,மனிதவள-டிஆர்ஐ-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,பராமரிப்பு விஜயம் செய்ய
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","தொடக்க தேதி மற்றும் இறுதி தேதி வேலை அட்டைடன் <a href=""#Form/Job Card/{0}"">ஒன்றிணைக்கப்படுகிறது {1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,பணியாளர் மாற்றம் விவரங்கள்
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,விற்பனை மாஸ்டர் மேலாளர் {0} பங்கு கொண்ட பயனர் தொடர்பு கொள்ளவும்
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,விற்பனை மாஸ்டர் மேலாளர் {0} பங்கு கொண்ட பயனர் தொடர்பு கொள்ளவும்
 DocType: Company,Default Cash Account,இயல்புநிலை பண கணக்கு
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,நிறுவனத்தின் ( இல்லை வாடிக்கையாளருக்கு அல்லது வழங்குநருக்கு ) மாஸ்டர் .
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,இந்த மாணவர் வருகை அடிப்படையாக கொண்டது
@@ -4832,9 +4889,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,மேலும் பொருட்களை அல்லது திறந்த முழு வடிவம் சேர்க்க
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,டெலிவரி குறிப்புகள் {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும்
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,பயனர்களிடம் செல்க
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,பணம் அளவு + அளவு தள்ளுபடி கிராண்ட் மொத்த விட முடியாது
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,பணம் அளவு + அளவு தள்ளுபடி கிராண்ட் மொத்த விட முடியாது
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} உருப்படி ஒரு செல்லுபடியாகும் தொகுதி எண் அல்ல {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},குறிப்பு: விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},குறிப்பு: விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,தவறான GSTIN அல்லது பதியப்படாதது க்கான என்ஏ உள்ளிடவும்
 DocType: Training Event,Seminar,கருத்தரங்கு
 DocType: Program Enrollment Fee,Program Enrollment Fee,திட்டம் சேர்க்கை கட்டணம்
@@ -4851,7 +4908,7 @@
 DocType: Fee Schedule,Fee Schedule,கட்டண அட்டவணை
 DocType: Company,Create Chart Of Accounts Based On,கணக்குகளை அடிப்படையில் வரைவு உருவாக்கு
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,அதை அல்லாத குழு மாற்ற முடியாது. குழந்தை பணிகள் உள்ளன.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,பிறந்த தேதி இன்று விட அதிகமாக இருக்க முடியாது.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,பிறந்த தேதி இன்று விட அதிகமாக இருக்க முடியாது.
 ,Stock Ageing,பங்கு மூப்படைதலுக்கான
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","பகுதியளவில் நிதியுதவி, பகுதி நிதியளிப்பு தேவை"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},மாணவர் {0} மாணவர் விண்ணப்பதாரர் எதிராக உள்ளன {1}
@@ -4898,11 +4955,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,சமரசம் முன்
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},எப்படி {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),வரிகள் மற்றும் கட்டணங்கள் சேர்க்கப்பட்டது (நிறுவனத்தின் கரன்சி)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,பொருள் வரி வரிசையில் {0} வகை வரி அல்லது வருமான அல்லது செலவு அல்லது வசூலிக்கப்படும் கணக்கு இருக்க வேண்டும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,பொருள் வரி வரிசையில் {0} வகை வரி அல்லது வருமான அல்லது செலவு அல்லது வசூலிக்கப்படும் கணக்கு இருக்க வேண்டும்
 DocType: Sales Order,Partly Billed,இதற்கு கட்டணம்
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,பொருள் {0} ஒரு நிலையான சொத்தின் பொருள் இருக்க வேண்டும்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,மாறுபாடுகளை உருவாக்குங்கள்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,மாறுபாடுகளை உருவாக்குங்கள்
 DocType: Item,Default BOM,முன்னிருப்பு BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),மொத்த விற்பனையாகும் தொகை (விற்பனை பற்றுச்சீட்டுகள் வழியாக)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,டெபிட் குறிப்பு தொகை
@@ -4931,14 +4988,14 @@
 DocType: Notification Control,Custom Message,தனிப்பயன் செய்தி
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,முதலீட்டு வங்கி
 DocType: Purchase Invoice,input,உள்ளீடு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,பண அல்லது வங்கி கணக்கு கொடுப்பனவு நுழைவு செய்யும் கட்டாய
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,பண அல்லது வங்கி கணக்கு கொடுப்பனவு நுழைவு செய்யும் கட்டாய
 DocType: Loyalty Program,Multiple Tier Program,பல அடுக்கு நிகழ்ச்சி
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,மாணவர் முகவரி
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,மாணவர் முகவரி
 DocType: Purchase Invoice,Price List Exchange Rate,விலை பட்டியல் செலாவணி விகிதம்
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,அனைத்து சப்ளையர் குழுக்கள்
 DocType: Employee Boarding Activity,Required for Employee Creation,பணியாளர் உருவாக்கம் தேவை
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},கணக்கு எண் {0} ஏற்கனவே கணக்கில் பயன்படுத்தப்படுகிறது {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},கணக்கு எண் {0} ஏற்கனவே கணக்கில் பயன்படுத்தப்படுகிறது {1}
 DocType: GoCardless Mandate,Mandate,மேண்டேட்
 DocType: POS Profile,POS Profile Name,POS சுயவிவரத்தின் பெயர்
 DocType: Hotel Room Reservation,Booked,பதிவு
@@ -4954,18 +5011,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,நீங்கள் பரிந்துரை தேதி உள்ளிட்ட குறிப்பு இல்லை கட்டாயமாகும்
 DocType: Bank Reconciliation Detail,Payment Document,கொடுப்பனவு ஆவண
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,அடிப்படை சூத்திரத்தை மதிப்பிடுவதில் பிழை
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,சேர்ந்த தேதி பிறந்த தேதி விட அதிகமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,சேர்ந்த தேதி பிறந்த தேதி விட அதிகமாக இருக்க வேண்டும்
 DocType: Subscription,Plans,திட்டங்கள்
 DocType: Salary Slip,Salary Structure,சம்பளம் அமைப்பு
 DocType: Account,Bank,வங்கி
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,விமானத்துறை
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,பிரச்சினை பொருள்
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,பிரச்சினை பொருள்
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext உடன் Shopify ஐ இணைக்கவும்
 DocType: Material Request Item,For Warehouse,கிடங்கு
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,டெலிவரி குறிப்புகள் {0} புதுப்பிக்கப்பட்டன
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,டெலிவரி குறிப்புகள் {0} புதுப்பிக்கப்பட்டன
 DocType: Employee,Offer Date,சலுகை  தேதி
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,மேற்கோள்கள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,நீங்கள் ஆஃப்லைனில் உள்ளன. நீங்கள் பிணைய வேண்டும் வரை ஏற்றவும் முடியாது.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,மேற்கோள்கள்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,நீங்கள் ஆஃப்லைனில் உள்ளன. நீங்கள் பிணைய வேண்டும் வரை ஏற்றவும் முடியாது.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,கிராண்ட்
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,மாணவர் குழுக்கள் உருவாக்கப்படவில்லை.
 DocType: Purchase Invoice Item,Serial No,இல்லை தொடர்
@@ -4977,24 +5034,26 @@
 DocType: Sales Invoice,Customer PO Details,வாடிக்கையாளர் PO விவரங்கள்
 DocType: Stock Entry,Including items for sub assemblies,துணை தொகுதிகளுக்கான உருப்படிகள் உட்பட
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,தற்காலிக திறப்பு கணக்கு
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,உள்ளிடவும் மதிப்பு நேர்மறையாக இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,உள்ளிடவும் மதிப்பு நேர்மறையாக இருக்க வேண்டும்
 DocType: Asset,Finance Books,நிதி புத்தகங்கள்
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,பணியாளர் வரி விலக்கு பிரகடனம் பிரிவு
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,அனைத்து பிரதேசங்களையும்
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,பணியாளர் / தரம் பதிவில் பணியாளர் {0} க்கு விடுப்பு கொள்கை அமைக்கவும்
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,தேர்ந்தெடுத்த வாடிக்கையாளர் மற்றும் பொருள் குறித்த தவறான பிளாங்கட் ஆணை
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,தேர்ந்தெடுத்த வாடிக்கையாளர் மற்றும் பொருள் குறித்த தவறான பிளாங்கட் ஆணை
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,பல பணிகள் சேர்க்கவும்
 DocType: Purchase Invoice,Items,பொருட்கள்
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,தொடக்க தேதி தொடங்குவதற்கு முன் இருக்க முடியாது.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,மாணவர் ஏற்கனவே பதிவு செய்யப்பட்டது.
 DocType: Fiscal Year,Year Name,ஆண்டு பெயர்
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,இந்த மாதம் வேலை நாட்களுக்கு மேல் விடுமுறை உள்ளன .
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,இந்த மாதம் வேலை நாட்களுக்கு மேல் விடுமுறை உள்ளன .
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,பின்வரும் பொருட்களை {0} {1} உருப்படி என குறிக்கப்படவில்லை. நீங்கள் அதன் உருப்படி மாஸ்டர் இருந்து {1} உருப்படி என அவற்றை செயல்படுத்தலாம்
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,தயாரிப்பு மூட்டை பொருள்
 DocType: Sales Partner,Sales Partner Name,விற்பனை வரன்வாழ்க்கை துணை பெயர்
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,விலைக்குறிப்புகளுக்கான வேண்டுகோள்
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,விலைக்குறிப்புகளுக்கான வேண்டுகோள்
 DocType: Payment Reconciliation,Maximum Invoice Amount,அதிகபட்ச விலைப்பட்டியல் அளவு
 DocType: Normal Test Items,Normal Test Items,சாதாரண சோதனை பொருட்கள்
+DocType: QuickBooks Migrator,Company Settings,நிறுவனத்தின் அமைப்புகள்
 DocType: Additional Salary,Overwrite Salary Structure Amount,சம்பள கட்டமைப்பு தொகை மேலெழுதப்பட்டது
 DocType: Student Language,Student Language,மாணவர் மொழி
 apps/erpnext/erpnext/config/selling.py +23,Customers,வாடிக்கையாளர்கள்
@@ -5007,22 +5066,24 @@
 DocType: Issue,Opening Time,நேரம் திறந்து
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,தேவையான தேதிகள் மற்றும் இதயம்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,செக்யூரிட்டிஸ் & பண்ட பரிமாற்ற
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',மாற்று அளவீடு இயல்புநிலை யூனிட் &#39;{0}&#39; டெம்ப்ளேட் அதே இருக்க வேண்டும் &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',மாற்று அளவீடு இயல்புநிலை யூனிட் &#39;{0}&#39; டெம்ப்ளேட் அதே இருக்க வேண்டும் &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,ஆனால் அடிப்படையில் கணக்கிட
 DocType: Contract,Unfulfilled,நிறைவேறாமல்
 DocType: Delivery Note Item,From Warehouse,கிடங்கில் இருந்து
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,குறிப்பிடப்பட்ட அளவுகோல்களுக்கு ஊழியர்கள் இல்லை
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,பொருட்களை பில் கொண்டு உருப்படிகள் இல்லை தயாரிப்பதற்கான
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,பொருட்களை பில் கொண்டு உருப்படிகள் இல்லை தயாரிப்பதற்கான
 DocType: Shopify Settings,Default Customer,இயல்புநிலை வாடிக்கையாளர்
+DocType: Sales Stage,Stage Name,மேடை பெயர்
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,மேற்பார்வையாளர் பெயர்
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,ஒரே நாளில் சந்திப்பு உருவாக்கப்பட்டது என்றால் உறுதிப்படுத்தாதீர்கள்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,மாநிலம் கப்பல்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,மாநிலம் கப்பல்
 DocType: Program Enrollment Course,Program Enrollment Course,திட்டம் பதிவு கோர்ஸ்
 DocType: Program Enrollment Course,Program Enrollment Course,திட்டம் பதிவு கோர்ஸ்
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},பயனர் {0} ஏற்கனவே ஹெல்த் பிராக்டிஷனருக்கு ஒதுக்கப்பட்டுள்ளார் {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,மாதிரி வைத்திருத்தல் பங்கு நுழைவு செய்யுங்கள்
 DocType: Purchase Taxes and Charges,Valuation and Total,மதிப்பீடு மற்றும் மொத்த
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,செலாவணியானது / விமர்சனம்
 DocType: Leave Encashment,Encashment Amount,ஊக்குவிப்பு தொகை
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,ஸ்கோர்கார்டுகள்
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,காலாவதியான பேட்ஸ்கள்
@@ -5032,7 +5093,7 @@
 DocType: Staffing Plan Detail,Current Openings,தற்போதைய திறப்பு
 DocType: Notification Control,Customize the Notification,அறிவிப்பு தனிப்பயனாக்கு
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,செயல்பாடுகள் இருந்து பண பரிமாற்ற
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST தொகை
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST தொகை
 DocType: Purchase Invoice,Shipping Rule,கப்பல் விதி
 DocType: Patient Relation,Spouse,மனைவி
 DocType: Lab Test Groups,Add Test,டெஸ்ட் சேர்
@@ -5046,14 +5107,14 @@
 DocType: Payroll Entry,Payroll Frequency,சம்பளப்பட்டியல் அதிர்வெண்
 DocType: Lab Test Template,Sensitivity,உணர்திறன்
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"அதிகபட்ச முயற்சிகள் அதிகரித்ததால், ஒத்திசைவு தற்காலிகமாக முடக்கப்பட்டுள்ளது"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,மூலப்பொருட்களின்
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,மூலப்பொருட்களின்
 DocType: Leave Application,Follow via Email,மின்னஞ்சல் வழியாக பின்பற்றவும்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,செடிகள் மற்றும் இயந்திரங்கள்
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,தள்ளுபடி தொகை பிறகு வரி தொகை
 DocType: Patient,Inpatient Status,உள்நோயாளி நிலை
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,தினசரி வேலை சுருக்கம் அமைப்புகள்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,தேர்ந்தெடுத்த விலை பட்டியல் சரிபார்க்கப்பட்ட துறைகள் வாங்கவும் விற்கவும் வேண்டும்.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,தயவுசெய்து தேதியின்படி தேதி சேர்க்கவும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,தேர்ந்தெடுத்த விலை பட்டியல் சரிபார்க்கப்பட்ட துறைகள் வாங்கவும் விற்கவும் வேண்டும்.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,தயவுசெய்து தேதியின்படி தேதி சேர்க்கவும்
 DocType: Payment Entry,Internal Transfer,உள்நாட்டு மாற்றம்
 DocType: Asset Maintenance,Maintenance Tasks,பராமரிப்பு பணிகள்
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,இலக்கு அளவு அல்லது இலக்கு அளவு கட்டாயமாகும்.
@@ -5075,7 +5136,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,கடைசியாக தொடர்பாடல்
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,கடைசியாக தொடர்பாடல்
 ,TDS Payable Monthly,மாதாந்தம் TDS செலுத்த வேண்டும்
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM ஐ மாற்றுவதற்காக வரிசைப்படுத்தப்பட்டது. சில நிமிடங்கள் ஆகலாம்.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM ஐ மாற்றுவதற்காக வரிசைப்படுத்தப்பட்டது. சில நிமிடங்கள் ஆகலாம்.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',வகை ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' உள்ளது போது கழித்து முடியாது
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},தொடராக பொருள் தொடர் இலக்கங்கள் தேவையான {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,பொருள் கொண்ட போட்டி கொடுப்பனவு
@@ -5088,7 +5149,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,வணிக வண்டியில் சேர்
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,குழு மூலம்
 DocType: Guardian,Interests,ஆர்வம்
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ முடக்கு நாணயங்கள் செயல்படுத்து.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ முடக்கு நாணயங்கள் செயல்படுத்து.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,சில சம்பள சரிவுகளை சமர்ப்பிக்க முடியவில்லை
 DocType: Exchange Rate Revaluation,Get Entries,பதிவுகள் கிடைக்கும்
 DocType: Production Plan,Get Material Request,பொருள் வேண்டுகோள் பெற
@@ -5110,15 +5171,16 @@
 DocType: Lead,Lead Type,முன்னணி வகை
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,நீங்கள் பிளாக் தேதிகள் இலைகள் ஒப்புதல் அங்கீகாரம் இல்லை
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,இந்த பொருட்கள் ஏற்கனவே விலை விவரம்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,புதிய வெளியீட்டு தேதி அமைக்கவும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,புதிய வெளியீட்டு தேதி அமைக்கவும்
 DocType: Company,Monthly Sales Target,மாதாந்திர விற்பனை இலக்கு
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} ஒப்புதல்
 DocType: Hotel Room,Hotel Room Type,ஹோட்டல் அறை வகை
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,சப்ளையர்&gt; சப்ளையர் வகை
 DocType: Leave Allocation,Leave Period,காலம் விடு
 DocType: Item,Default Material Request Type,இயல்புநிலை பொருள் கோரிக்கை வகை
 DocType: Supplier Scorecard,Evaluation Period,மதிப்பீட்டு காலம்
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,தெரியாத
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,வேலை ஆணை உருவாக்கப்படவில்லை
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,வேலை ஆணை உருவாக்கப்படவில்லை
 DocType: Shipping Rule,Shipping Rule Conditions,கப்பல் விதி நிபந்தனைகள்
 DocType: Purchase Invoice,Export Type,ஏற்றுமதி வகை
 DocType: Salary Slip Loan,Salary Slip Loan,சம்பள சரிவு கடன்
@@ -5151,14 +5213,14 @@
 DocType: Batch,Source Document Name,மூல ஆவண பெயர்
 DocType: Production Plan,Get Raw Materials For Production,உற்பத்திக்கு மூலப்பொருட்கள் கிடைக்கும்
 DocType: Job Opening,Job Title,வேலை தலைப்பு
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} {1} மேற்கோள் வழங்காது என்பதைக் குறிக்கிறது, ஆனால் அனைத்து உருப்படிகளும் மேற்கோள் காட்டப்பட்டுள்ளன. RFQ மேற்கோள் நிலையை புதுப்பிக்கிறது."
 DocType: Manufacturing Settings,Update BOM Cost Automatically,தானாக BOM செலவு புதுப்பிக்கவும்
 DocType: Lab Test,Test Name,டெஸ்ட் பெயர்
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,மருத்துவ செயல்முறை நுகர்வோர் பொருள்
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,பயனர்கள் உருவாக்கவும்
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,கிராம
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,சந்தாக்கள்
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,சந்தாக்கள்
 DocType: Supplier Scorecard,Per Month,ஒரு மாதம்
 DocType: Education Settings,Make Academic Term Mandatory,கல்வி கால கட்டளை கட்டாயம்
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,உற்பத்தி செய்ய அளவு 0 அதிகமாக இருக்க வேண்டும்.
@@ -5167,10 +5229,10 @@
 DocType: Stock Entry,Update Rate and Availability,மேம்படுத்தல் விகிதம் மற்றும் கிடைக்கும்
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,நீங்கள் அளவு எதிராக இன்னும் பெற அல்லது வழங்க அனுமதிக்கப்படுகிறது சதவீதம் உத்தரவிட்டது. எடுத்துக்காட்டாக: நீங்கள் 100 அலகுகள் உத்தரவிட்டார் என்றால். உங்கள் அலவன்ஸ் 10% நீங்கள் 110 அலகுகள் பெற அனுமதிக்கப்படும்.
 DocType: Loyalty Program,Customer Group,வாடிக்கையாளர் பிரிவு
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,வரிசை # {0}: வேலை ஆணை # {3} இல் முடிக்கப்பட்ட பொருட்களின் {2} qty க்கு ஆபரேஷன் {1} முடிக்கப்படவில்லை. நேர பதிவுகள் வழியாக செயல்பாட்டு நிலையை புதுப்பிக்கவும்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,வரிசை # {0}: வேலை ஆணை # {3} இல் முடிக்கப்பட்ட பொருட்களின் {2} qty க்கு ஆபரேஷன் {1} முடிக்கப்படவில்லை. நேர பதிவுகள் வழியாக செயல்பாட்டு நிலையை புதுப்பிக்கவும்
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),புதிய தொகுப்பு ஐடி (விரும்பினால்)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),புதிய தொகுப்பு ஐடி (விரும்பினால்)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},செலவு கணக்கு உருப்படியை கட்டாய {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},செலவு கணக்கு உருப்படியை கட்டாய {0}
 DocType: BOM,Website Description,இணையதளத்தில் விளக்கம்
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ஈக்விட்டி நிகர மாற்றம்
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,கொள்முதல் விலைப்பட்டியல் {0} ரத்து செய்க முதல்
@@ -5185,7 +5247,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,திருத்த எதுவும் இல்லை .
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,படிவம் காட்சி
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,செலவினக் கோரிக்கையில் செலவினம் ஒப்படைப்பு கட்டாயம்
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,இந்த மாதம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம்
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,இந்த மாதம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம்
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},கம்பெனி இன் நம்பத்தகாத பரிவர்த்தனை பெறுதல் / லாஸ் கணக்கை அமைக்கவும் {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","உங்களை தவிர, உங்கள் நிறுவனத்திற்கு பயனர்களைச் சேர்க்கவும்."
 DocType: Customer Group,Customer Group Name,வாடிக்கையாளர் குழு பெயர்
@@ -5195,14 +5257,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,பொருள் கோரிக்கை எதுவும் உருவாக்கப்படவில்லை
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},கடன் தொகை அதிகபட்ச கடன் தொகை தாண்ட முடியாது {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,உரிமம்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},சி-படிவம் இந்த விலைப்பட்டியல் {0} நீக்கவும் {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},சி-படிவம் இந்த விலைப்பட்டியல் {0} நீக்கவும் {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,நீங்கள் முந்தைய நிதி ஆண்டின் இருப்புநிலை இந்த நிதி ஆண்டு விட்டு சேர்க்க விரும்பினால் முன் எடுத்து கொள்ளவும்
 DocType: GL Entry,Against Voucher Type,வவுச்சர் வகை எதிராக
 DocType: Healthcare Practitioner,Phone (R),தொலைபேசி (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,நேர இடங்கள் சேர்க்கப்பட்டன
 DocType: Item,Attributes,கற்பிதங்கள்
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,டெம்ப்ளேட் இயக்கு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,கணக்கு எழுத உள்ளிடவும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,கணக்கு எழுத உள்ளிடவும்
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,கடைசி ஆர்டர் தேதி
 DocType: Salary Component,Is Payable,செலுத்த வேண்டியது
 DocType: Inpatient Record,B Negative,பி நெகட்டிவ்
@@ -5213,7 +5275,7 @@
 DocType: Hotel Room,Hotel Room,விடுதி அறை
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},கணக்கு {0} செய்கிறது நிறுவனம் சொந்தமானது {1}
 DocType: Leave Type,Rounding,முழுமையாக்கும் விதமாக
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,வரிசையில் {0} இல் சீரியல் எண்கள் டெலிவரி குறிப்பு உடன் பொருந்தவில்லை
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,வரிசையில் {0} இல் சீரியல் எண்கள் டெலிவரி குறிப்பு உடன் பொருந்தவில்லை
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),வழங்கப்பட்ட தொகை (சார்பு மதிப்பிடப்பட்டது)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","வாடிக்கையாளர், வாடிக்கையாளர் குழு, மண்டலம், சப்ளையர், சப்ளையர் குழு, பிரச்சாரம், விற்பனைப் பங்குதாரர் ஆகியவற்றை அடிப்படையாகக் கொண்டு விலையிடல்."
 DocType: Student,Guardian Details,பாதுகாவலர்  விபரங்கள்
@@ -5222,10 +5284,10 @@
 DocType: Vehicle,Chassis No,சேஸ் எண்
 DocType: Payment Request,Initiated,தொடங்கப்பட்ட
 DocType: Production Plan Item,Planned Start Date,திட்டமிட்ட தொடக்க தேதி
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,தயவு செய்து ஒரு BOM ஐ தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,தயவு செய்து ஒரு BOM ஐ தேர்ந்தெடுக்கவும்
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ஐடிசி ஒருங்கிணைந்த வரி செலுத்தியது
 DocType: Purchase Order Item,Blanket Order Rate,பிளாங்கட் ஆர்டர் விகிதம்
-apps/erpnext/erpnext/hooks.py +156,Certification,சான்றிதழ்
+apps/erpnext/erpnext/hooks.py +157,Certification,சான்றிதழ்
 DocType: Bank Guarantee,Clauses and Conditions,கிளைகள் மற்றும் நிபந்தனைகள்
 DocType: Serial No,Creation Document Type,உருவாக்கம் ஆவண வகை
 DocType: Project Task,View Timesheet,டைம்ஸ் ஷீட்டைக் காண்க
@@ -5250,6 +5312,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,பெற்றோர் பொருள் {0} ஒரு பங்கு பொருள் இருக்க கூடாது
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,வலைத்தள பட்டியல்
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,அனைத்து தயாரிப்புகள் அல்லது சேவைகள்.
+DocType: Email Digest,Open Quotations,திறந்த மேற்கோள்கள்
 DocType: Expense Claim,More Details,மேலும் விபரங்கள்
 DocType: Supplier Quotation,Supplier Address,வழங்குபவர் முகவரி
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} கணக்கு பட்ஜெட் {1} எதிராக {2} {3} ஆகும் {4}. இது தாண்டிவிட {5}
@@ -5264,12 +5327,11 @@
 DocType: Training Event,Exam,தேர்வு
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,சந்தைப் பிழை
 DocType: Complaint,Complaint,புகார்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0}
 DocType: Leave Allocation,Unused leaves,பயன்படுத்தப்படாத இலைகள்
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,மீட்டெடுப்பு நுழைவு செய்யுங்கள்
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,அனைத்து துறைகள்
 DocType: Healthcare Service Unit,Vacant,காலியாக
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,சப்ளையர்&gt; சப்ளையர் வகை
 DocType: Patient,Alcohol Past Use,மது போஸ்ட் பயன்படுத்து
 DocType: Fertilizer Content,Fertilizer Content,உரம் உள்ளடக்கம்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5277,7 +5339,7 @@
 DocType: Tax Rule,Billing State,பில்லிங் மாநிலம்
 DocType: Share Transfer,Transfer,பரிமாற்றம்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,இந்த விற்பனை ஆர்டர் ரத்துசெய்யப்படுவதற்கு முன்பு வேலை ஆர்டர் {0} ரத்து செய்யப்பட வேண்டும்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),( துணை கூட்டங்கள் உட்பட ) வெடித்தது BOM எடு
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),( துணை கூட்டங்கள் உட்பட ) வெடித்தது BOM எடு
 DocType: Authorization Rule,Applicable To (Employee),பொருந்தும் (பணியாளர்)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,தேதி அத்தியாவசியமானதாகும்
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,பண்பு உயர்வு {0} 0 இருக்க முடியாது
@@ -5301,7 +5363,6 @@
 DocType: Stock Entry,Delivery Note No,விநியோக குறிப்பு இல்லை
 DocType: Cheque Print Template,Message to show,செய்தி காட்ட
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,சில்லறை
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,தானாக நியமனம் விலைப்பட்டியல் நிர்வகி
 DocType: Student Attendance,Absent,வராதிரு
 DocType: Staffing Plan,Staffing Plan Detail,பணியாற்றும் திட்டம் விவரம்
 DocType: Employee Promotion,Promotion Date,ஊக்குவிப்பு தேதி
@@ -5323,7 +5384,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,முன்னணி செய்ய
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,அச்சு மற்றும் ஸ்டேஷனரி
 DocType: Stock Settings,Show Barcode Field,காட்டு பார்கோடு களம்
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,சப்ளையர் மின்னஞ்சல்கள் அனுப்ப
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,சப்ளையர் மின்னஞ்சல்கள் அனுப்ப
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","சம்பளம் ஏற்கனவே இடையே {0} மற்றும் {1}, விட்டு பயன்பாடு காலத்தில் இந்த தேதி வரம்பில் இடையே இருக்க முடியாது காலத்தில் பதப்படுத்தப்பட்ட."
 DocType: Fiscal Year,Auto Created,தானாக உருவாக்கப்பட்டது
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,பணியாளர் பதிவை உருவாக்க இதைச் சமர்ப்பிக்கவும்
@@ -5332,7 +5393,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,விலைப்பட்டியல் {0} இனி இல்லை
 DocType: Guardian Interest,Guardian Interest,பாதுகாவலர்  வட்டி
 DocType: Volunteer,Availability,கிடைக்கும்
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS இன்மைச்களுக்கான அமைவு இயல்புநிலை மதிப்புகள்
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS இன்மைச்களுக்கான அமைவு இயல்புநிலை மதிப்புகள்
 apps/erpnext/erpnext/config/hr.py +248,Training,பயிற்சி
 DocType: Project,Time to send,அனுப்ப வேண்டிய நேரம்
 DocType: Timesheet,Employee Detail,பணியாளர் விபரம்
@@ -5355,7 +5416,7 @@
 DocType: Training Event Employee,Optional,விருப்ப
 DocType: Salary Slip,Earning & Deduction,சம்பாதிக்கும் & விலக்கு
 DocType: Agriculture Analysis Criteria,Water Analysis,நீர் பகுப்பாய்வு
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} வகைகள் உருவாக்கப்பட்டன.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} வகைகள் உருவாக்கப்பட்டன.
 DocType: Amazon MWS Settings,Region,பகுதி
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,விருப்ப . இந்த அமைப்பு பல்வேறு நடவடிக்கைகளில் வடிகட்ட பயன்படும்.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,எதிர்மறை மதிப்பீட்டு விகிதம் அனுமதி இல்லை
@@ -5374,7 +5435,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,முறித்துள்ளது சொத்து செலவு
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: செலவு மையம் பொருள் அத்தியாவசியமானதாகும் {2}
 DocType: Vehicle,Policy No,கொள்கை இல்லை
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,தயாரிப்பு மூட்டை இருந்து பொருட்களை பெற
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,தயாரிப்பு மூட்டை இருந்து பொருட்களை பெற
 DocType: Asset,Straight Line,நேர் கோடு
 DocType: Project User,Project User,திட்ட பயனர்
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,பிரி
@@ -5383,7 +5444,7 @@
 DocType: GL Entry,Is Advance,முன்பணம்
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,ஊழியர் வாழ்க்கைச் சுழற்சி
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,தேதி தேதி மற்றும் வருகை வருகை கட்டாய ஆகிறது
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,உள்ளிடவும் ஆம் அல்லது இல்லை என ' துணை ஒப்பந்தம்'
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,உள்ளிடவும் ஆம் அல்லது இல்லை என ' துணை ஒப்பந்தம்'
 DocType: Item,Default Purchase Unit of Measure,அளவின் இயல்பு கொள்முதல் அலகு
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,கடைசியாக தொடர்பாடல் தேதி
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,கடைசியாக தொடர்பாடல் தேதி
@@ -5393,7 +5454,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,அணுகல் டோக்கன் அல்லது Shopify URL காணவில்லை
 DocType: Location,Latitude,அட்சரேகை
 DocType: Work Order,Scrap Warehouse,குப்பை கிடங்கு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","வரிசை எண் {0} இல் தேவையான கிடங்கு, நிறுவனம் {2} க்கான உருப்படிக்கு {1}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","வரிசை எண் {0} இல் தேவையான கிடங்கு, நிறுவனம் {2} க்கான உருப்படிக்கு {1}"
 DocType: Work Order,Check if material transfer entry is not required,பொருள் பரிமாற்ற நுழைவு தேவையில்லை என்று சரிபார்க்கவும்
 DocType: Work Order,Check if material transfer entry is not required,பொருள் பரிமாற்ற நுழைவு தேவையில்லை என்று சரிபார்க்கவும்
 DocType: Program Enrollment Tool,Get Students From,இருந்து மாணவர்கள் பெற
@@ -5410,6 +5471,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,புதிய தொகுதி அளவு
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,ஆடை & ஆபரனங்கள்
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,எடையிடப்பட்ட ஸ்கோர் செயல்பாட்டை தீர்க்க முடியவில்லை. சூத்திரம் செல்லுபடியாகும் என்பதை உறுதிப்படுத்தவும்.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,ஆர்டர் பொருள்களை கொள்முதல் செய்வதில்லை
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ஆணை எண்
 DocType: Item Group,HTML / Banner that will show on the top of product list.,தயாரிப்பு பட்டியலில் காண்பிக்கும் என்று HTML / பதாகை.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,கப்பல் அளவு கணக்கிட நிலைமைகளை குறிப்பிடவும்
@@ -5418,9 +5480,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,பாதை
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,அது குழந்தை முனைகள் என லெட்ஜரிடம் செலவு மையம் மாற்ற முடியாது
 DocType: Production Plan,Total Planned Qty,மொத்த திட்டமிடப்பட்ட Qty
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,திறப்பு மதிப்பு
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,திறப்பு மதிப்பு
 DocType: Salary Component,Formula,சூத்திரம்
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,தொடர் #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,தொடர் #
 DocType: Lab Test Template,Lab Test Template,லேப் டெஸ்ட் வார்ப்புரு
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,விற்பனை கணக்கு
 DocType: Purchase Invoice Item,Total Weight,மொத்த எடை
@@ -5438,7 +5500,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,பொருள் வேண்டுகோள் செய்ய
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},திறந்த பொருள் {0}
 DocType: Asset Finance Book,Written Down Value,எழுதப்பட்ட மதிப்பு
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,மனித வளத்தில் பணியாளர் பெயரிடும் அமைப்பை அமைத்தல்&gt; HR அமைப்புகள்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,கவிஞருக்கு {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும்
 DocType: Clinical Procedure,Age,வயது
 DocType: Sales Invoice Timesheet,Billing Amount,பில்லிங் அளவு
@@ -5447,11 +5508,11 @@
 DocType: Company,Default Employee Advance Account,இயல்புநிலை ஊழியர் அட்வான்ஸ் கணக்கு
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),தேடல் உருப்படி (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ஏசிசி-சிஎஃப்- .YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,ஏற்கனவே பரிவர்த்தனை கணக்கு நீக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,ஏற்கனவே பரிவர்த்தனை கணக்கு நீக்க முடியாது
 DocType: Vehicle,Last Carbon Check,கடந்த கார்பன் சோதனை
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,சட்ட செலவுகள்
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,வரிசையில் அளவு தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,விற்பனை செய்தல் மற்றும் கொள்முதல் பற்றுச்சீட்டுகளை உருவாக்குங்கள்
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,விற்பனை செய்தல் மற்றும் கொள்முதல் பற்றுச்சீட்டுகளை உருவாக்குங்கள்
 DocType: Purchase Invoice,Posting Time,நேரம் தகவல்களுக்கு
 DocType: Timesheet,% Amount Billed,% தொகை
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,தொலைபேசி செலவுகள்
@@ -5466,14 +5527,14 @@
 DocType: Maintenance Visit,Breakdown,முறிவு
 DocType: Travel Itinerary,Vegetarian,சைவம்
 DocType: Patient Encounter,Encounter Date,என்கவுண்டர் தேதி
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,கணக்கு: {0} நாணயத்துடன்: {1} தேர்வு செய்ய முடியாது
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,கணக்கு: {0} நாணயத்துடன்: {1} தேர்வு செய்ய முடியாது
 DocType: Bank Statement Transaction Settings Item,Bank Data,வங்கி தரவு
 DocType: Purchase Receipt Item,Sample Quantity,மாதிரி அளவு
 DocType: Bank Guarantee,Name of Beneficiary,பயனாளியின் பெயர்
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","சமீபத்திய மதிப்பீட்டு விகிதம் / விலை பட்டியல் விகிதம் / மூலப்பொருட்களின் கடைசி கொள்முதல் வீதத்தின் அடிப்படையில், திட்டமிடலின் மூலம் தானாக BOM செலவு புதுப்பிக்கவும்."
 DocType: Supplier,SUP-.YYYY.-,கீழெழுத்துகளுடன் .YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,காசோலை தேதி
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},கணக்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனத்திற்கு சொந்தமானது இல்லை: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},கணக்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனத்திற்கு சொந்தமானது இல்லை: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,வெற்றிகரமாக இந்த நிறுவனம் தொடர்பான அனைத்து நடவடிக்கைகளில் நீக்கப்பட்டது!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,தேதி வரை
 DocType: Additional Salary,HR,மனிதவள
@@ -5481,7 +5542,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,நோயாளியின் SMS எச்சரிக்கைகள்
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,சோதனை காலம்
 DocType: Program Enrollment Tool,New Academic Year,புதிய கல்வி ஆண்டு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,திரும்ப / கடன் குறிப்பு
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,திரும்ப / கடன் குறிப்பு
 DocType: Stock Settings,Auto insert Price List rate if missing,வாகன நுழைவு விலை பட்டியல் விகிதம் காணாமல் என்றால்
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,மொத்த கட்டண தொகை
 DocType: GST Settings,B2C Limit,B2C வரம்பு
@@ -5499,10 +5560,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,குழந்தை முனைகளில் மட்டும் &#39;குரூப்&#39; வகை முனைகளில் கீழ் உருவாக்கப்பட்ட முடியும்
 DocType: Attendance Request,Half Day Date,அரை நாள் தேதி
 DocType: Academic Year,Academic Year Name,கல்வி ஆண்டு பெயர்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} உடன் பரிமாற அனுமதிக்கப்படவில்லை. நிறுவனத்தை மாற்றவும்.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} உடன் பரிமாற அனுமதிக்கப்படவில்லை. நிறுவனத்தை மாற்றவும்.
 DocType: Sales Partner,Contact Desc,தொடர்பு DESC
 DocType: Email Digest,Send regular summary reports via Email.,மின்னஞ்சல் வழியாக வழக்கமான சுருக்கம் அறிக்கைகள் அனுப்பவும்.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},செலவு கூறுகின்றனர் வகை இயல்புநிலை கணக்கு அமைக்கவும் {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},செலவு கூறுகின்றனர் வகை இயல்புநிலை கணக்கு அமைக்கவும் {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,கிடைக்கும் இலைகள்
 DocType: Assessment Result,Student Name,மாணவன் பெயர்
 DocType: Hub Tracked Item,Item Manager,பொருள் மேலாளர்
@@ -5527,9 +5588,10 @@
 DocType: Subscription,Trial Period End Date,சோதனை காலம் முடிவு தேதி
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} வரம்புகளை அதிகமாக இருந்து அங்கீகாரம் இல்லை
 DocType: Serial No,Asset Status,சொத்து நிலை
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ஓவர் பரிமாண சரக்கு (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,உணவக அட்டவணை
 DocType: Hotel Room,Hotel Manager,விடுதி மேலாளர்
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,வண்டியை அமைக்க வரி விதி
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,வண்டியை அமைக்க வரி விதி
 DocType: Purchase Invoice,Taxes and Charges Added,வரிகள் மற்றும் கட்டணங்கள் சேர்க்கப்பட்டது
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,தேய்மானம் வரிசை {0}: அடுத்த தேதியிட்ட தேதி கிடைக்கக்கூடிய தேதிக்கு முன்பாக இருக்க முடியாது
 ,Sales Funnel,விற்பனை நீக்க
@@ -5545,9 +5607,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,அனைத்து வாடிக்கையாளர் குழுக்கள்
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,திரட்டப்பட்ட மாதாந்திர
 DocType: Attendance Request,On Duty,கடமை
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை {2} செய்ய {1} உருவாக்கப்பட்டது அல்ல.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை {2} செய்ய {1} உருவாக்கப்பட்டது அல்ல.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,வரி டெம்ப்ளேட் கட்டாயமாகும்.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,கணக்கு {0}: பெற்றோர் கணக்கு {1} இல்லை
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,கணக்கு {0}: பெற்றோர் கணக்கு {1} இல்லை
 DocType: POS Closing Voucher,Period Start Date,காலம் தொடங்கும் தேதி
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),விலை பட்டியல் விகிதம் (நிறுவனத்தின் கரன்சி)
 DocType: Products Settings,Products Settings,தயாரிப்புகள் அமைப்புகள்
@@ -5567,7 +5629,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,இந்த செயல் எதிர்கால பில்லை நிறுத்தும். இந்த சந்தாவை நிச்சயமாக ரத்துசெய்ய விரும்புகிறீர்களா?
 DocType: Serial No,Distinct unit of an Item,"ஒரு பொருள், மாறுபட்ட அலகு"
 DocType: Supplier Scorecard Criteria,Criteria Name,நிபந்தனை பெயர்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,நிறுவனத்தின் அமைக்கவும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,நிறுவனத்தின் அமைக்கவும்
 DocType: Procedure Prescription,Procedure Created,செயல்முறை உருவாக்கப்பட்டது
 DocType: Pricing Rule,Buying,வாங்குதல்
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,நோய்கள் மற்றும் உரங்கள்
@@ -5584,28 +5646,29 @@
 DocType: Employee Onboarding,Job Offer,வேலை வாய்ப்பு
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,நிறுவனம் சுருக்கமான
 ,Item-wise Price List Rate,பொருள் வாரியான விலை பட்டியல் விகிதம்
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,வழங்குபவர் விலைப்பட்டியல்
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,வழங்குபவர் விலைப்பட்டியல்
 DocType: Quotation,In Words will be visible once you save the Quotation.,நீங்கள் மேற்கோள் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும்.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},அளவு ({0}) வரிசையில் ஒரு பகுதியை இருக்க முடியாது {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},அளவு ({0}) வரிசையில் ஒரு பகுதியை இருக்க முடியாது {1}
 DocType: Contract,Unsigned,கையொப்பமிடாத
 DocType: Selling Settings,Each Transaction,ஒவ்வொரு பரிவர்த்தனை
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},பார்கோடு {0} ஏற்கனவே பொருள் பயன்படுத்தப்படுகிறது {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},பார்கோடு {0} ஏற்கனவே பொருள் பயன்படுத்தப்படுகிறது {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,கப்பல் செலவுகள் சேர்த்து விதிகள் .
 DocType: Hotel Room,Extra Bed Capacity,கூடுதல் படுக்கை திறன்
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,ஆரம்ப இருப்பு
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,வாடிக்கையாளர் தேவை
 DocType: Lab Test,Result Date,முடிவு தேதி
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC தேதி
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC தேதி
 DocType: Purchase Order,To Receive,பெற
 DocType: Leave Period,Holiday List for Optional Leave,விருப்ப விடுப்புக்கான விடுமுறை பட்டியல்
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,சொத்து உரிமையாளர்
 DocType: Purchase Invoice,Reason For Putting On Hold,நிறுத்துவதற்கான காரணம்
 DocType: Employee,Personal Email,தனிப்பட்ட மின்னஞ்சல்
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,மொத்த மாற்றத்துடன்
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,மொத்த மாற்றத்துடன்
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","இயலுமைப்படுத்த என்றால், கணினி தானாக சரக்கு கணக்கியல் உள்ளீடுகள் பதிவு."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,தரக
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ஊழியர் {0} வருகை ஏற்கனவே இந்த நாள் குறிக்கப்பட்டுள்ளது
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ஊழியர் {0} வருகை ஏற்கனவே இந்த நாள் குறிக்கப்பட்டுள்ளது
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","நிமிடங்கள்
  'நேரம் பதிவு' வழியாக புதுப்பிக்கப்பட்டது"
@@ -5613,14 +5676,14 @@
 DocType: Amazon MWS Settings,Synch Orders,ஒத்திசை ஆணைகள்
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ஆணைகள் உற்பத்தி வெளியிடப்பட்டது.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,நிதியாண்டு தேர்ந்தெடுக்கவும் ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,பிஓஎஸ் செய்தது பிஓஎஸ் நுழைவு செய்ய வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,பிஓஎஸ் செய்தது பிஓஎஸ் நுழைவு செய்ய வேண்டும்
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",நம்பகத்தன்மை புள்ளிகள் குறிப்பிடப்பட்ட சேகரிப்பு காரணியை அடிப்படையாகக் கொண்டு (விற்பனை விலைப்பட்டியல் வழியாக) கணக்கிடப்படும்.
 DocType: Program Enrollment Tool,Enroll Students,மாணவர்கள் பதிவுசெய்யவும்
 DocType: Company,HRA Settings,HRA அமைப்புகள்
 DocType: Employee Transfer,Transfer Date,பரிமாற்ற தேதி
 DocType: Lab Test,Approved Date,அங்கீகரிக்கப்பட்ட தேதி
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ஸ்டாண்டர்ட் விற்பனை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,குறைந்தது ஒரு கிடங்கில் அவசியமானதாகும்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,குறைந்தது ஒரு கிடங்கில் அவசியமானதாகும்
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, பொருள் குழு, விளக்கம் மற்றும் நேரங்களின் எண்ணிக்கை போன்ற உருப்படிகளை கட்டமைக்கவும்."
 DocType: Certification Application,Certification Status,சான்றிதழ் நிலை
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,சந்தை
@@ -5640,6 +5703,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,பொருந்தும் பொருள்
 DocType: Work Order,Required Items,தேவையான பொருட்கள்
 DocType: Stock Ledger Entry,Stock Value Difference,பங்கு மதிப்பு வேறுபாடு
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,உருப்படி வரிசை {0}: {1} {2} மேலே உள்ள &#39;{1}&#39; அட்டவணையில் இல்லை
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,மையம்  வள
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,கொடுப்பனவு நல்லிணக்க கொடுப்பனவு
 DocType: Disease,Treatment Task,சிகிச்சை பணி
@@ -5657,7 +5721,8 @@
 DocType: Account,Debit,பற்று
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,இலைகள் 0.5 மடங்குகள் ஒதுக்கீடு
 DocType: Work Order,Operation Cost,அறுவை சிகிச்சை செலவு
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,மிகச்சிறந்த விவரங்கள்
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,தீர்மான தயாரிப்பாளர்களை அடையாளம் காண்பது
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,மிகச்சிறந்த விவரங்கள்
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,தொகுப்பு இந்த விற்பனை நபர் குழு வாரியான பொருள் குறிவைக்கிறது.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],உறைதல் பங்குகள் பழைய [days]
 DocType: Payment Request,Payment Ordered,கட்டணம் செலுத்தியது
@@ -5669,13 +5734,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,பின்வரும் பயனர்கள் தொகுதி நாட்கள் விடுப்பு விண்ணப்பங்கள் ஏற்று கொள்ள அனுமதிக்கும்.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,வாழ்க்கை சுழற்சி
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM ஐ செய்யுங்கள்
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},அதன் {1} உருப்படியை விகிதம் விற்பனை {0} விட குறைவாக உள்ளது. விகிதம் விற்பனை இருக்க வேண்டும் குறைந்தது {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},அதன் {1} உருப்படியை விகிதம் விற்பனை {0} விட குறைவாக உள்ளது. விகிதம் விற்பனை இருக்க வேண்டும் குறைந்தது {2}
 DocType: Subscription,Taxes,வரி
 DocType: Purchase Invoice,capital goods,மூலதன பொருட்கள்
 DocType: Purchase Invoice Item,Weight Per Unit,அலகுக்கு எடை
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,ஊதியம் மற்றும் பெறாதபோது
-DocType: Project,Default Cost Center,இயல்புநிலை விலை மையம்
-DocType: Delivery Note,Transporter Doc No,இடமாற்று ஆவணம் இல்லை
+DocType: QuickBooks Migrator,Default Cost Center,இயல்புநிலை விலை மையம்
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,பங்கு பரிவர்த்தனைகள்
 DocType: Budget,Budget Accounts,பட்ஜெட் கணக்குகள்
 DocType: Employee,Internal Work History,உள் வேலை வரலாறு
@@ -5708,7 +5772,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},ஹெல்த் பிராக்டிசர் {0}
 DocType: Stock Entry Detail,Additional Cost,கூடுதல் செலவு
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","வவுச்சர் அடிப்படையில் வடிகட்ட முடியாது இல்லை , ரசீது மூலம் தொகுக்கப்பட்டுள்ளது என்றால்"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,வழங்குபவர் மேற்கோள் செய்ய
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,வழங்குபவர் மேற்கோள் செய்ய
 DocType: Quality Inspection,Incoming,உள்வரும்
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,விற்பனை மற்றும் வாங்குதலுக்கான இயல்புநிலை வரி வார்ப்புருக்கள் உருவாக்கப்படுகின்றன.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,மதிப்பீட்டு முடிவு பதிவேற்றம் {0} ஏற்கனவே உள்ளது.
@@ -5724,7 +5788,7 @@
 DocType: Batch,Batch ID,தொகுதி அடையாள
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},குறிப்பு: {0}
 ,Delivery Note Trends,பந்து குறிப்பு போக்குகள்
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,இந்த வார சுருக்கம்
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,இந்த வார சுருக்கம்
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,பங்கு அளவு உள்ள
 ,Daily Work Summary Replies,தினசரி பணி சுருக்கம் பதில்கள்
 DocType: Delivery Trip,Calculate Estimated Arrival Times,கணக்கிடப்பட்ட வருகை டைம்ஸ் கணக்கிடுங்கள்
@@ -5734,7 +5798,7 @@
 DocType: Bank Account,Party,கட்சி
 DocType: Healthcare Settings,Patient Name,நோயாளி பெயர்
 DocType: Variant Field,Variant Field,மாறுபாடு புலம்
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,இலக்கு இருப்பிடம்
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,இலக்கு இருப்பிடம்
 DocType: Sales Order,Delivery Date,விநியோக தேதி
 DocType: Opportunity,Opportunity Date,வாய்ப்பு தேதி
 DocType: Employee,Health Insurance Provider,சுகாதார காப்பீட்டு வழங்குநர்
@@ -5753,7 +5817,7 @@
 DocType: Employee,History In Company,நிறுவனத்தின் ஆண்டு வரலாறு
 DocType: Customer,Customer Primary Address,வாடிக்கையாளர் முதன்மை முகவரி
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,செய்தி மடல்
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,குறிப்பு எண்.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,குறிப்பு எண்.
 DocType: Drug Prescription,Description/Strength,விளக்கம் / வலிமை
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,புதிய கட்டணம் / ஜர்னல் நுழைவு உருவாக்கவும்
 DocType: Certification Application,Certification Application,சான்றிதழ் விண்ணப்பம்
@@ -5764,10 +5828,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,அதே பொருளைப் பலமுறை நுழைந்தது வருகிறது
 DocType: Department,Leave Block List,பிளாக் பட்டியல் விட்டு
 DocType: Purchase Invoice,Tax ID,வரி ஐடி
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,பொருள் {0} சீரியல் எண்கள் வரிசை அமைப்பு காலியாக இருக்கவேண்டும் அல்ல
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,பொருள் {0} சீரியல் எண்கள் வரிசை அமைப்பு காலியாக இருக்கவேண்டும் அல்ல
 DocType: Accounts Settings,Accounts Settings,கணக்குகள் அமைப்புகள்
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,ஒப்புதல்
 DocType: Loyalty Program,Customer Territory,வாடிக்கையாளர் மண்டலம்
+DocType: Email Digest,Sales Orders to Deliver,விற்பனை ஆணைகள் வழங்குவதற்கு
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","புதிய கணக்கின் எண்ணிக்கை, இது முன்னொட்டாக கணக்கின் பெயரில் சேர்க்கப்படும்"
 DocType: Maintenance Team Member,Team Member,குழு உறுப்பினர்
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,சமர்ப்பிக்க முடிவு இல்லை
@@ -5777,7 +5842,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","மொத்த {0} எல்லா கோப்புகளையும் பூஜ்யம், நீங்கள் &#39;அடிப்படையாகக் கொண்டு விநியோகிக்கவும் கட்டணங்கள்&#39; மாற்ற வேண்டும் இருக்கலாம்"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,தேதி தேதி வரை குறைவாக இருக்க முடியாது
 DocType: Opportunity,To Discuss,ஆலோசிக்க வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,இந்த சந்தாதாரருக்கு எதிரான பரிவர்த்தனைகளை அடிப்படையாகக் கொண்டது. விபரங்களுக்கு கீழே காலவரிசைப் பார்க்கவும்
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} அலகுகள் {1} {2} இந்த பரிவர்த்தனையை நிறைவு செய்ய தேவை.
 DocType: Loan Type,Rate of Interest (%) Yearly,வட்டி விகிதம் (%) வருடாந்திரம்
 DocType: Support Settings,Forum URL,கருத்துக்களம் URL
@@ -5791,7 +5855,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,மேலும் அறிக
 DocType: Cheque Print Template,Distance from top edge,மேல் விளிம்பில் இருந்து தூரம்
 DocType: POS Closing Voucher Invoices,Quantity of Items,பொருட்களின் அளவு
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,விலை பட்டியல் {0} முடக்கப்பட்டால் அல்லது இல்லை
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,விலை பட்டியல் {0} முடக்கப்பட்டால் அல்லது இல்லை
 DocType: Purchase Invoice,Return,திரும்ப
 DocType: Pricing Rule,Disable,முடக்கு
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,கட்டணம் செலுத்தும் முறை கட்டணம் செலுத்துவதற்கு தேவைப்படுகிறது
@@ -5799,18 +5863,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","சொத்துக்கள், தொடர்ச்சிகள், பேட்சுகள் போன்ற பல விருப்பங்களுக்கான முழு பக்கத்திலும் திருத்துக."
 DocType: Leave Type,Maximum Continuous Days Applicable,அதிகபட்ச தொடர்ச்சியான நாட்கள் பொருந்தும்
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} தொகுதி சேரவில்லை உள்ளது {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",அது ஏற்கனவே உள்ளது என சொத்து {0} குறைத்து முடியாது {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",அது ஏற்கனவே உள்ளது என சொத்து {0} குறைத்து முடியாது {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,காசோலைகள் தேவை
 DocType: Task,Total Expense Claim (via Expense Claim),(செலவு கூறுகின்றனர் வழியாக) மொத்த செலவு கூறுகின்றனர்
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,குறி இல்லாமல்
 DocType: Job Applicant Source,Job Applicant Source,வேலை விண்ணப்பதாரர் மூல
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST தொகை
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST தொகை
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,நிறுவனத்தை அமைப்பதில் தோல்வி
 DocType: Asset Repair,Asset Repair,சொத்து பழுதுபார்க்கும்
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ரோ {0}: டெலி # கரன்சி {1} தேர்வு நாணய சமமாக இருக்க வேண்டும் {2}
 DocType: Journal Entry Account,Exchange Rate,அயல்நாட்டு நாணய பரிமாற்ற விகிதம் வீதம்
 DocType: Patient,Additional information regarding the patient,நோயாளியைப் பற்றிய கூடுதல் தகவல்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,விற்பனை ஆணை {0} சமர்ப்பிக்க
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,விற்பனை ஆணை {0} சமர்ப்பிக்க
 DocType: Homepage,Tag Line,டேக் லைன்
 DocType: Fee Component,Fee Component,கட்டண பகுதியிலேயே
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,கடற்படை  மேலாண்மை
@@ -5825,7 +5889,7 @@
 DocType: Healthcare Practitioner,Mobile,மொபைல்
 ,Sales Person-wise Transaction Summary,விற்பனை நபர் வாரியான பரிவர்த்தனை சுருக்கம்
 DocType: Training Event,Contact Number,தொடர்பு எண்
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,கிடங்கு {0} இல்லை
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,கிடங்கு {0} இல்லை
 DocType: Cashier Closing,Custody,காவலில்
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,பணியாளர் வரி விலக்கு சான்று சமர்ப்பிப்பு விரிவாக
 DocType: Monthly Distribution,Monthly Distribution Percentages,மாதாந்திர விநியோகம் சதவீதங்கள்
@@ -5840,7 +5904,7 @@
 DocType: Payment Entry,Paid Amount,பணம் தொகை
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,விற்பனை சுழற்சியை ஆராயுங்கள்
 DocType: Assessment Plan,Supervisor,மேற்பார்வையாளர்
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,வைத்திருத்தல் பங்கு நுழைவு
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,வைத்திருத்தல் பங்கு நுழைவு
 ,Available Stock for Packing Items,பொருட்கள் பொதி கிடைக்கும் பங்கு
 DocType: Item Variant,Item Variant,பொருள் மாற்று
 ,Work Order Stock Report,வேலை ஆணை பங்கு அறிக்கை
@@ -5849,9 +5913,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,மேற்பார்வையாளர்
 DocType: Leave Policy Detail,Leave Policy Detail,கொள்கை விரிவாக விடவும்
 DocType: BOM Scrap Item,BOM Scrap Item,டெலி ஸ்க்ராப் பொருள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,சமர்ப்பிக்கப்பட்ட ஆர்டர்களைப் நீக்க முடியாது
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ஏற்கனவே பற்று உள்ள கணக்கு நிலுவை, நீங்கள் 'கடன்' இருப்பு வேண்டும் 'அமைக்க அனுமதி இல்லை"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,தர மேலாண்மை
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,சமர்ப்பிக்கப்பட்ட ஆர்டர்களைப் நீக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ஏற்கனவே பற்று உள்ள கணக்கு நிலுவை, நீங்கள் 'கடன்' இருப்பு வேண்டும் 'அமைக்க அனுமதி இல்லை"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,தர மேலாண்மை
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,பொருள் {0} முடக்கப்பட்டுள்ளது
 DocType: Project,Total Billable Amount (via Timesheets),மொத்த பில்கள் அளவு (டைம்ஸ் ஷீட்ஸ் வழியாக)
 DocType: Agriculture Task,Previous Business Day,முந்தைய வர்த்தக நாள்
@@ -5874,15 +5938,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,செலவு மையங்கள்
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,சந்தா மறுதொடக்கம்
 DocType: Linked Plant Analysis,Linked Plant Analysis,இணைக்கப்பட்ட தாவர பகுப்பாய்வு
-DocType: Delivery Note,Transporter ID,இடமாற்று ஐடி
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,இடமாற்று ஐடி
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,மதிப்பு முன்மொழிவு
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,அளிப்பாளரின் நாணய நிறுவனத்தின் அடிப்படை நாணய மாற்றப்படும் விகிதத்தை
-DocType: Sales Invoice Item,Service End Date,சேவை முடிவு தேதி
+DocType: Purchase Invoice Item,Service End Date,சேவை முடிவு தேதி
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ரோ # {0}: வரிசையில் நேரம் மோதல்கள் {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ஜீரோ மதிப்பீடு விகிதம் அனுமதி
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ஜீரோ மதிப்பீடு விகிதம் அனுமதி
 DocType: Bank Guarantee,Receiving,பெறுதல்
 DocType: Training Event Employee,Invited,அழைப்பு
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,அமைப்பு நுழைவாயில் கணக்குகள்.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,அமைப்பு நுழைவாயில் கணக்குகள்.
 DocType: Employee,Employment Type,வேலை வகை
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,நிலையான சொத்துக்கள்
 DocType: Payment Entry,Set Exchange Gain / Loss,இழப்பு செலாவணி கெயின் அமைக்கவும் /
@@ -5898,7 +5963,7 @@
 DocType: Tax Rule,Sales Tax Template,விற்பனை வரி டெம்ப்ளேட்
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,பெனிபிட் கோரிக்கைக்கு எதிராக செலுத்துங்கள்
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,செலவு மைய எண் புதுப்பிக்கவும்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு
 DocType: Employee,Encashment Date,பணமாக்கல் தேதி
 DocType: Training Event,Internet,இணைய
 DocType: Special Test Template,Special Test Template,சிறப்பு டெஸ்ட் டெம்ப்ளேட்
@@ -5906,13 +5971,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},இயல்புநிலை நடவடிக்கை செலவு நடவடிக்கை வகை உள்ளது - {0}
 DocType: Work Order,Planned Operating Cost,திட்டமிட்ட இயக்க செலவு
 DocType: Academic Term,Term Start Date,கால தொடக்க தேதி
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,அனைத்து பங்கு பரிமாற்றங்களின் பட்டியல்
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,அனைத்து பங்கு பரிமாற்றங்களின் பட்டியல்
+DocType: Supplier,Is Transporter,இடமாற்று
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,கட்டணம் குறிப்பிடப்படுகிறது என்றால் Shopify இருந்து விற்பனை விலைப்பட்டியல் இறக்குமதி
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,எதிரில் கவுண்ட்
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,எதிரில் கவுண்ட்
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,ட்ரெயல் பீரியட் தொடங்கும் மற்றும் முடியும் தேதிகள் அவசியம்
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,சராசரி விகிதம்
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,கட்டணம் செலுத்திய மொத்த கட்டண தொகை கிராண்ட் / வட்டமான மொத்தம் சமமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,கட்டணம் செலுத்திய மொத்த கட்டண தொகை கிராண்ட் / வட்டமான மொத்தம் சமமாக இருக்க வேண்டும்
 DocType: Subscription Plan Detail,Plan,திட்டம்
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,பொது பேரேடு படி வங்கி அறிக்கை சமநிலை
 DocType: Job Applicant,Applicant Name,விண்ணப்பதாரர் பெயர்
@@ -5940,7 +6006,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,மூல கிடங்கு கிடைக்கும் அளவு
 apps/erpnext/erpnext/config/support.py +22,Warranty,உத்தரவாதத்தை
 DocType: Purchase Invoice,Debit Note Issued,டெபிட் குறிப்பை வெளியிட்டு
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,செலவின மையத்தின் அடிப்படையில் வடிகட்டி செலவு மையமாக தேர்ந்தெடுக்கப்பட்டால் மட்டுமே பொருந்தும்
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,செலவின மையத்தின் அடிப்படையில் வடிகட்டி செலவு மையமாக தேர்ந்தெடுக்கப்பட்டால் மட்டுமே பொருந்தும்
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","உருப்படியின் குறியீடு, வரிசை எண், தொகுதி அல்லது பார்கோடு மூலம் தேடலாம்"
 DocType: Work Order,Warehouses,கிடங்குகள்
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} சொத்து இடமாற்றம் செய்ய முடியாது
@@ -5951,9 +6017,9 @@
 DocType: Workstation,per hour,ஒரு மணி நேரத்திற்கு
 DocType: Blanket Order,Purchasing,வாங்கும்
 DocType: Announcement,Announcement,அறிவிப்பு
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,வாடிக்கையாளர் LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,வாடிக்கையாளர் LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","தொகுதி அடிப்படையிலான மாணவர் குழுக்களுக்கான, மாணவர் தொகுதி திட்டம் பதிவு இருந்து ஒவ்வொரு மாணவர் மதிப்பாய்வு செய்யப்படும்."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,பங்கு லெட்ஜர் நுழைவு கிடங்கு உள்ளது என கிடங்கு நீக்க முடியாது .
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,பங்கு லெட்ஜர் நுழைவு கிடங்கு உள்ளது என கிடங்கு நீக்க முடியாது .
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,பகிர்ந்தளித்தல்
 DocType: Journal Entry Account,Loan,கடன்
 DocType: Expense Claim Advance,Expense Claim Advance,செலவினம் கோரல் அட்வான்ஸ்
@@ -5962,7 +6028,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,திட்ட மேலாளர்
 ,Quoted Item Comparison,மேற்கோள் காட்டப்பட்டது பொருள் ஒப்பீட்டு
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} மற்றும் {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,அனுப்புகை
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,அனுப்புகை
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,அதிகபட்சம்  தள்ளுபடி உருப்படியை அனுமதி: {0} {1}% ஆகும்
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,நிகர சொத்து மதிப்பு என
 DocType: Crop,Produce,உற்பத்தி
@@ -5972,20 +6038,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,தயாரிப்பிற்கான பொருள் நுகர்வு
 DocType: Item Alternative,Alternative Item Code,மாற்று பொருள் கோட்
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,அமைக்க கடன் எல்லை மீறிய நடவடிக்கைகளை சமர்ப்பிக்க அனுமதி என்று பாத்திரம்.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,உற்பத்தி உருப்படிகளைத் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,உற்பத்தி உருப்படிகளைத் தேர்ந்தெடுக்கவும்
 DocType: Delivery Stop,Delivery Stop,டெலிவரி நிறுத்துங்கள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்"
 DocType: Item,Material Issue,பொருள் வழங்கல்
 DocType: Employee Education,Qualification,தகுதி
 DocType: Item Price,Item Price,பொருள் விலை
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,சோப் & சோப்பு
 DocType: BOM,Show Items,உருப்படிகளைக் காண்பி
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,அவ்வப்போது விட அதிகமாக இருக்க முடியாது.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,எல்லா வாடிக்கையாளர்களையும் மின்னஞ்சல் மூலம் அறிவிக்க விரும்புகிறீர்களா?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,எல்லா வாடிக்கையாளர்களையும் மின்னஞ்சல் மூலம் அறிவிக்க விரும்புகிறீர்களா?
 DocType: Subscription Plan,Billing Interval,பில்லிங் இடைவேளை
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,மோஷன் பிக்சர் & வீடியோ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,ஆணையிட்டார்
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,உண்மையான தொடக்க தேதி மற்றும் உண்மையான முடிவு தேதி கட்டாயமாகும்
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,வாடிக்கையாளர்&gt; வாடிக்கையாளர் குழு&gt; மண்டலம்
 DocType: Salary Detail,Component,கூறு
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,வரிசை {0}: {1} 0 விட அதிகமாக இருக்க வேண்டும்
 DocType: Assessment Criteria,Assessment Criteria Group,மதிப்பீடு செய்க மதீப்பீட்டு குழு
@@ -6016,11 +6083,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,சமர்ப்பிக்கும் முன் வங்கி அல்லது கடன் நிறுவனங்களின் பெயரை உள்ளிடவும்.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} சமர்ப்பிக்கப்பட வேண்டும்
 DocType: POS Profile,Item Groups,பொருள் குழுக்கள்
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,இன்று {0} 'கள் பிறந்தநாள்!
 DocType: Sales Order Item,For Production,உற்பத்திக்கான
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,கணக்கு நாணயத்தின் இருப்பு
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,கணக்குகளின் விளக்கப்படத்தில் ஒரு தற்காலிக திறப்பு கணக்கு சேர்க்கவும்
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,கணக்குகளின் விளக்கப்படத்தில் ஒரு தற்காலிக திறப்பு கணக்கு சேர்க்கவும்
 DocType: Customer,Customer Primary Contact,வாடிக்கையாளர் முதன்மை தொடர்பு
 DocType: Project Task,View Task,காண்க பணி
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,எதிரில் / முன்னணி%
@@ -6033,11 +6099,11 @@
 DocType: Sales Invoice,Get Advances Received,முன்னேற்றம் பெற்ற கிடைக்கும்
 DocType: Email Digest,Add/Remove Recipients,சேர்க்க / பெற்றவர்கள் அகற்று
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","இயல்புநிலை என இந்த நிதியாண்டில் அமைக்க, ' இயல்புநிலை அமை ' கிளிக்"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS கழிக்கப்பட்ட தொகை
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS கழிக்கப்பட்ட தொகை
 DocType: Production Plan,Include Subcontracted Items,துணை பொருட்கள் அடங்கியவை
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,சேர
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,பற்றாக்குறைவே அளவு
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,சேர
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,பற்றாக்குறைவே அளவு
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது
 DocType: Loan,Repay from Salary,சம்பளம் இருந்து திருப்பி
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},எதிராக கட்டணம் கோருகிறது {0} {1} அளவு {2}
 DocType: Additional Salary,Salary Slip,சம்பளம் ஸ்லிப்
@@ -6053,7 +6119,7 @@
 DocType: Patient,Dormant,உழைக்காத
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,உரிமை கோரப்படாத பணியாளர்களுக்கு நன்மதிப்பு வரி விதிக்க
 DocType: Salary Slip,Total Interest Amount,மொத்த வட்டி தொகை
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,குழந்தை முனைகள் கொண்ட கிடங்குகள் லெட்ஜர் மாற்றப்பட முடியாது
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,குழந்தை முனைகள் கொண்ட கிடங்குகள் லெட்ஜர் மாற்றப்பட முடியாது
 DocType: BOM,Manage cost of operations,செயற்பாடுகளின் செலவு நிர்வகி
 DocType: Accounts Settings,Stale Days,நிலையான நாட்கள்
 DocType: Travel Itinerary,Arrival Datetime,வருகை டேட்டா டைம்
@@ -6065,7 +6131,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,மதிப்பீடு முடிவு விவரம்
 DocType: Employee Education,Employee Education,பணியாளர் கல்வி
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,உருப்படியை குழு அட்டவணையில் பிரதி உருப்படியை குழு
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,அது பொருள் விவரம் எடுக்க தேவை.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,அது பொருள் விவரம் எடுக்க தேவை.
 DocType: Fertilizer,Fertilizer Name,உரம் பெயர்
 DocType: Salary Slip,Net Pay,நிகர சம்பளம்
 DocType: Cash Flow Mapping Accounts,Account,கணக்கு
@@ -6076,14 +6142,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,நன்மதிப்பு கோரிக்கைக்கு எதிராக தனி கட்டணம் செலுத்துதல்
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),காய்ச்சல் (வெப்பநிலை&gt; 38.5 ° C / 101.3 ° F அல்லது நீடித்த வெப்பம்&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,விற்பனை குழு விவரம்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,நிரந்தரமாக நீக்கு?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,நிரந்தரமாக நீக்கு?
 DocType: Expense Claim,Total Claimed Amount,மொத்த கோரப்பட்ட தொகை
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,விற்பனை திறன் வாய்ப்புகள்.
 DocType: Shareholder,Folio no.,ஃபோலியோ இல்லை.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},தவறான {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,விடுப்பு
 DocType: Email Digest,Email Digest,மின்னஞ்சல் டைஜஸ்ட்
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,இல்லை
 DocType: Delivery Note,Billing Address Name,பில்லிங் முகவரி பெயர்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,பல்பொருள் அங்காடி
 ,Item Delivery Date,பொருள் வழங்கல் தேதி
@@ -6099,16 +6164,16 @@
 DocType: Account,Chargeable,கட்டணங்களுக்கு உட்பட்டது
 DocType: Company,Change Abbreviation,மாற்றம் சுருக்கமான
 DocType: Contract,Fulfilment Details,நிறைவேற்று விவரங்கள்
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},செலுத்து {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},செலுத்து {0} {1}
 DocType: Employee Onboarding,Activities,நடவடிக்கைகள்
 DocType: Expense Claim Detail,Expense Date,செலவு தேதி
 DocType: Item,No of Months,மாதங்கள் இல்லை
 DocType: Item,Max Discount (%),அதிகபட்சம்  தள்ளுபடி (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,கடன் நாட்கள் ஒரு எதிர்ம எண் அல்ல
-DocType: Sales Invoice Item,Service Stop Date,சேவை நிறுத்து தேதி
+DocType: Purchase Invoice Item,Service Stop Date,சேவை நிறுத்து தேதி
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,கடைசி ஆர்டர் தொகை
 DocType: Cash Flow Mapper,e.g Adjustments for:,எ.கா. சரிசெய்தல்:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} தக்க மாதிரி மாதிரித் தொகுப்பை அடிப்படையாகக் கொண்டது, பொருளின் மாதிரியை தக்கவைத்துக்கொள்ள பேட்ச் இல்லை என்பதை சரிபார்க்கவும்"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} தக்க மாதிரி மாதிரித் தொகுப்பை அடிப்படையாகக் கொண்டது, பொருளின் மாதிரியை தக்கவைத்துக்கொள்ள பேட்ச் இல்லை என்பதை சரிபார்க்கவும்"
 DocType: Task,Is Milestone,மைல்கல் ஆகும்
 DocType: Certification Application,Yet to appear,இன்னும் தோன்றும்
 DocType: Delivery Stop,Email Sent To,மின்னஞ்சல் அனுப்பப்படும்
@@ -6116,15 +6181,15 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,இருப்புநிலை தாள் கணக்கில் உள்ள நுழைவு மையத்தை அனுமதி
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,தற்போதுள்ள கணக்குடன் இணை
 DocType: Budget,Warn,எச்சரிக்கை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,இந்த பணிக்கான அனைத்து பொருட்களும் ஏற்கெனவே மாற்றப்பட்டுள்ளன.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,இந்த பணிக்கான அனைத்து பொருட்களும் ஏற்கெனவே மாற்றப்பட்டுள்ளன.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","வேறு எந்த கருத்துக்கள், பதிவுகள் செல்ல வேண்டும் என்று குறிப்பிடத்தக்கது முயற்சியாகும்."
 DocType: Asset Maintenance,Manufacturing User,உற்பத்தி பயனர்
 DocType: Purchase Invoice,Raw Materials Supplied,மூலப்பொருட்கள் வழங்கியது
 DocType: Subscription Plan,Payment Plan,கொடுப்பனவு திட்டம்
 DocType: Shopping Cart Settings,Enable purchase of items via the website,வலைத்தளத்தின் வழியாக பொருட்களை வாங்குவதை இயக்கு
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,சந்தா மேலாண்மை
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,சந்தா மேலாண்மை
 DocType: Appraisal,Appraisal Template,மதிப்பீட்டு வார்ப்புரு
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,கோட் பின்னால்
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,கோட் பின்னால்
 DocType: Soil Texture,Ternary Plot,முக்கோணக் கதை
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,அட்டவணைப்படுத்தி மூலம் ஒரு திட்டமிடப்பட்ட தினசரி ஒத்திசைவு இயக்கம் செயல்படுத்த இதைச் சரிபார்க்கவும்
 DocType: Item Group,Item Classification,பொருள் பிரிவுகள்
@@ -6134,6 +6199,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,விலைப்பட்டியல் நோயாளி பதிவு
 DocType: Crop,Period,காலம்
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,பொது பேரேடு
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,நிதி ஆண்டு
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,காண்க லீட்ஸ்
 DocType: Program Enrollment Tool,New Program,புதிய திட்டம்
 DocType: Item Attribute Value,Attribute Value,மதிப்பு பண்பு
@@ -6142,11 +6208,11 @@
 ,Itemwise Recommended Reorder Level,இனவாரியாக மறுவரிசைப்படுத்துக நிலை பரிந்துரைக்கப்படுகிறது
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,தரம் {0} தரத்தின் ஊழியர் {0} இயல்புநிலை விடுப்புக் கொள்கை இல்லை
 DocType: Salary Detail,Salary Detail,சம்பளம் விபரம்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,முதல் {0} தேர்வு செய்க
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,முதல் {0} தேர்வு செய்க
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} பயனர்கள் சேர்க்கப்பட்டது
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","பல அடுக்கு திட்டத்தின் விஷயத்தில், வாடிக்கையாளர்கள் தங்கள் செலவினங்களின்படி சம்பந்தப்பட்ட அடுக்குக்கு கார் ஒதுக்கப்படுவார்கள்"
 DocType: Appointment Type,Physician,மருத்துவர்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,பொருள் ஒரு தொகுதி {0} {1} காலாவதியாகிவிட்டது.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,பொருள் ஒரு தொகுதி {0} {1} காலாவதியாகிவிட்டது.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,ஆலோசனைகளை
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,நல்லது முடிந்தது
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","பொருள் விலை விலை பட்டியல், சப்ளையர் / வாடிக்கையாளர், நாணய, பொருள், UOM, Qty மற்றும் தேதிகள் அடிப்படையில் பல முறை தோன்றுகிறது."
@@ -6155,22 +6221,21 @@
 DocType: Certification Application,Name of Applicant,விண்ணப்பதாரரின் பெயர்
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,உற்பத்தி நேரம் தாள்.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,கூட்டுத்தொகை
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,பங்கு பரிவர்த்தனைக்குப் பிறகு மாறுபட்ட பண்புகள் மாற்ற முடியாது. இதை செய்ய நீங்கள் ஒரு புதிய உருப்படியை உருவாக்க வேண்டும்.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,பங்கு பரிவர்த்தனைக்குப் பிறகு மாறுபட்ட பண்புகள் மாற்ற முடியாது. இதை செய்ய நீங்கள் ஒரு புதிய உருப்படியை உருவாக்க வேண்டும்.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA ஆணை
 DocType: Healthcare Practitioner,Charges,கட்டணங்கள்
 DocType: Production Plan,Get Items For Work Order,வேலை ஆணை பெறுக
 DocType: Salary Detail,Default Amount,இயல்புநிலை தொகை
 DocType: Lab Test Template,Descriptive,விளக்கமான
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,அமைப்பு இல்லை கிடங்கு
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,இந்த மாதம் சுருக்கம்
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,இந்த மாதம் சுருக்கம்
 DocType: Quality Inspection Reading,Quality Inspection Reading,தரமான ஆய்வு படித்தல்
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,` விட பழைய உறைந்து பங்குகள் ` % d நாட்கள் குறைவாக இருக்க வேண்டும் .
 DocType: Tax Rule,Purchase Tax Template,வரி வார்ப்புரு வாங்க
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,உங்கள் நிறுவனத்திற்கு நீங்கள் அடைய விரும்பும் விற்பனை இலக்கை அமைக்கவும்.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,சுகாதார சேவைகள்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,சுகாதார சேவைகள்
 ,Project wise Stock Tracking,திட்டத்தின் வாரியாக ஸ்டாக் தடமறிதல்
 DocType: GST HSN Code,Regional,பிராந்திய
-DocType: Delivery Note,Transport Mode,போக்குவரத்து முறை
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,ஆய்வகம்
 DocType: UOM Category,UOM Category,UOM வகை
 DocType: Clinical Procedure Item,Actual Qty (at source/target),உண்மையான அளவு (ஆதாரம் / இலக்கு)
@@ -6193,17 +6258,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,வலைத்தளத்தை உருவாக்க முடியவில்லை
 DocType: Soil Analysis,Mg/K,எம்ஜி / கே
 DocType: UOM Conversion Detail,UOM Conversion Detail,மொறட்டுவ பல்கலைகழகம் மாற்றம் விரிவாக
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,வைத்திருத்தல் பங்கு நுழைவு ஏற்கனவே உருவாக்கப்பட்ட அல்லது மாதிரி அளவு வழங்கப்படவில்லை
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,வைத்திருத்தல் பங்கு நுழைவு ஏற்கனவே உருவாக்கப்பட்ட அல்லது மாதிரி அளவு வழங்கப்படவில்லை
 DocType: Program,Program Abbreviation,திட்டம் சுருக்கமான
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,உத்தரவு ஒரு பொருள் டெம்ப்ளேட் எதிராக எழுப்பப்பட்ட
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,கட்டணங்கள் ஒவ்வொரு உருப்படியை எதிரான வாங்கும் ரசீது இல் புதுப்பிக்கப்பட்டது
 DocType: Warranty Claim,Resolved By,மூலம் தீர்க்கப்பட
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,அட்டவணை அறிவிப்பு
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,காசோலைகள் மற்றும் வைப்பு தவறாக அகற்றப்படும்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,கணக்கு {0}: நீங்கள் பெற்றோர் கணக்கு தன்னை ஒதுக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,கணக்கு {0}: நீங்கள் பெற்றோர் கணக்கு தன்னை ஒதுக்க முடியாது
 DocType: Purchase Invoice Item,Price List Rate,விலை பட்டியல் விகிதம்
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,வாடிக்கையாளர் மேற்கோள் உருவாக்கவும்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,சேவையின் முடிவு தேதிக்குப் பிறகு சேவை நிறுத்த தேதி இருக்கக்கூடாது
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,சேவையின் முடிவு தேதிக்குப் பிறகு சேவை நிறுத்த தேதி இருக்கக்கூடாது
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",இந்த கிடங்கில் கிடைக்கும் பங்கு அடிப்படையில் &quot;ஸ்டாக் இல்லை&quot; &quot;இருப்பு&quot; காட்டு அல்லது.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),பொருட்களின் அளவுக்கான ரசீது (BOM)
 DocType: Item,Average time taken by the supplier to deliver,சப்ளையர் எடுக்கப்படும் சராசரி நேரம் வழங்க
@@ -6215,11 +6280,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,மணி
 DocType: Project,Expected Start Date,எதிர்பார்க்கப்படுகிறது தொடக்க தேதி
 DocType: Purchase Invoice,04-Correction in Invoice,விலைப்பட்டியல் உள்ள 04-திருத்தம்
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,வேலை ஆர்டர் ஏற்கனவே BOM உடன் அனைத்து பொருட்களுக்கும் உருவாக்கப்பட்டது
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,வேலை ஆர்டர் ஏற்கனவே BOM உடன் அனைத்து பொருட்களுக்கும் உருவாக்கப்பட்டது
 DocType: Payment Request,Party Details,கட்சி விவரங்கள்
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,மாறுபட்ட விவரங்கள் அறிக்கை
 DocType: Setup Progress Action,Setup Progress Action,முன்னேற்றம் செயல்முறை அமைவு
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,கொள்முதல் விலைப் பட்டியல்
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,கொள்முதல் விலைப் பட்டியல்
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,குற்றச்சாட்டுக்கள் அந்த பொருளை பொருந்தாது என்றால் உருப்படியை அகற்று
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,சந்தாவை ரத்துசெய்
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,பராமரிப்பு நிலைமையை நிறைவு செய்து முடிக்க அல்லது நிறைவு தேதி முடிக்க
@@ -6237,7 +6302,7 @@
 DocType: Asset,Disposal Date,நீக்கம் தேதி
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","மின்னஞ்சல்கள் அவர்கள் விடுமுறை இல்லை என்றால், கொடுக்கப்பட்ட நேரத்தில் நிறுவனத்தின் அனைத்து செயலில் ஊழியர் அனுப்பி வைக்கப்படும். மறுமொழிகளின் சுருக்கம் நள்ளிரவில் அனுப்பப்படும்."
 DocType: Employee Leave Approver,Employee Leave Approver,பணியாளர் விடுப்பு ஒப்புதல்
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},ரோ {0}: ஒரு மறுவரிசைப்படுத்துக நுழைவு ஏற்கனவே இந்த கிடங்கு உள்ளது {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},ரோ {0}: ஒரு மறுவரிசைப்படுத்துக நுழைவு ஏற்கனவே இந்த கிடங்கு உள்ளது {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","இழந்தது மேற்கோள் செய்யப்பட்டது ஏனெனில் , அறிவிக்க முடியாது ."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP கணக்கு
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,பயிற்சி மதிப்பீட்டு
@@ -6249,7 +6314,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,தேதி தேதி முதல் முன் இருக்க முடியாது
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc டாக்டைப்பின்
 DocType: Cash Flow Mapper,Section Footer,பகுதி அடிக்குறிப்பு
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,திருத்த/ விலை சேர்க்கவும்
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,திருத்த/ விலை சேர்க்கவும்
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,ஊழியர் ஊக்குவிப்பு ஊக்குவிப்புத் தேதிக்கு முன் சமர்ப்பிக்கப்பட முடியாது
 DocType: Batch,Parent Batch,பெற்றோர் தொகுதி
 DocType: Batch,Parent Batch,பெற்றோர் தொகுதி
@@ -6260,6 +6325,7 @@
 DocType: Clinical Procedure Template,Sample Collection,மாதிரி சேகரிப்பு
 ,Requested Items To Be Ordered,கேட்டு கேட்டு விடயங்கள்
 DocType: Price List,Price List Name,விலை பட்டியல் பெயர்
+DocType: Delivery Stop,Dispatch Information,டிஸ்பாட்ச் தகவல்
 DocType: Blanket Order,Manufacturing,உருவாக்கம்
 ,Ordered Items To Be Delivered,விநியோகிப்பதற்காக உத்தரவிட்டார் உருப்படிகள்
 DocType: Account,Income,வருமானம்
@@ -6278,17 +6344,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} தேவை {2} ம் {3} {4} க்கான {5} இந்த பரிவர்த்தனையை நிறைவு செய்ய அலகுகள்.
 DocType: Fee Schedule,Student Category,மாணவர் பிரிவின்
 DocType: Announcement,Student,மாணவர்
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,செயல்முறை தொடங்க பங்கு அளவு கிடங்கில் கிடைக்கவில்லை. நீங்கள் பங்கு பரிமாற்றத்தை பதிவு செய்ய விரும்புகிறீர்களா?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,செயல்முறை தொடங்க பங்கு அளவு கிடங்கில் கிடைக்கவில்லை. நீங்கள் பங்கு பரிமாற்றத்தை பதிவு செய்ய விரும்புகிறீர்களா?
 DocType: Shipping Rule,Shipping Rule Type,கப்பல் விதி வகை
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,மனைகளுக்குச் செல்
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","நிறுவனம், பணம் செலுத்தும் கணக்கு, தேதி மற்றும் தேதி கட்டாயமாகும்"
 DocType: Company,Budget Detail,வரவு செலவு திட்ட விரிவாக
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,அனுப்புவதற்கு முன் செய்தி உள்ளிடவும்
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,வினியோகஸ்தரின் DUPLICATE
-DocType: Email Digest,Pending Quotations,மேற்கோள்கள் நிலுவையில்
-DocType: Delivery Note,Distance (KM),தூரம் (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,சப்ளையர்&gt; சப்ளையர் குழு
 DocType: Asset,Custodian,பாதுகாப்பாளர்
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,புள்ளி விற்பனை செய்தது
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,புள்ளி விற்பனை செய்தது
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 மற்றும் 100 க்கு இடையில் ஒரு மதிப்பு இருக்க வேண்டும்
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{0} {0} முதல் {0}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,பிணையற்ற கடன்கள்
@@ -6320,10 +6385,10 @@
 DocType: Lead,Converted,மாற்றப்படுகிறது
 DocType: Item,Has Serial No,வரிசை எண்  உள்ளது
 DocType: Employee,Date of Issue,இந்த தேதி
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் Reciept தேவையான == &#39;ஆம்&#39;, பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ரசீது உருவாக்க வேண்டும் என்றால் {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் Reciept தேவையான == &#39;ஆம்&#39;, பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ரசீது உருவாக்க வேண்டும் என்றால் {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},ரோ # {0}: உருப்படியை அமைக்க சப்ளையர் {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,ரோ {0}: மணி மதிப்பு பூஜ்யம் விட அதிகமாக இருக்க வேண்டும்.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,பொருள் {1} இணைக்கப்பட்ட வலைத்தளம் பட {0} காணலாம்
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,பொருள் {1} இணைக்கப்பட்ட வலைத்தளம் பட {0} காணலாம்
 DocType: Issue,Content Type,உள்ளடக்க வகை
 DocType: Asset,Assets,சொத்துக்கள்
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,கணினி
@@ -6334,7 +6399,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} இல்லை
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,மற்ற நாணய கணக்குகளை அனுமதிக்க பல நாணய விருப்பத்தை சரிபார்க்கவும்
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,பொருள்: {0} அமைப்பு இல்லை
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,நீங்கள் உறைந்த மதிப்பை அமைக்க அதிகாரம் இல்லை
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,நீங்கள் உறைந்த மதிப்பை அமைக்க அதிகாரம் இல்லை
 DocType: Payment Reconciliation,Get Unreconciled Entries,ஒப்புரவாகவேயில்லை பதிவுகள் பெற
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},ஊழியர் {0} {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,ஜர்னல் நுழைவுக்காக திருப்பிச் செலுத்துதல் இல்லை
@@ -6352,13 +6417,14 @@
 ,Average Commission Rate,சராசரி கமிஷன் விகிதம்
 DocType: Share Balance,No of Shares,பங்குகளின் எண்ணிக்கை இல்லை
 DocType: Taxable Salary Slab,To Amount,தொகைக்கு
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,' சீரியல் இல்லை உள்ளது ' அல்லாத பங்கு உருப்படியை 'ஆம்' இருக்க முடியாது
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,' சீரியல் இல்லை உள்ளது ' அல்லாத பங்கு உருப்படியை 'ஆம்' இருக்க முடியாது
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,நிலைமையைத் தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,வருகை எதிர்கால நாட்களுக்கு குறித்தது முடியாது
 DocType: Support Search Source,Post Description Key,இடுகை விளக்கம் விசை
 DocType: Pricing Rule,Pricing Rule Help,விலை விதி உதவி
 DocType: School House,House Name,ஹவுஸ் பெயர்
 DocType: Fee Schedule,Total Amount per Student,மாணவர் மொத்த தொகை
+DocType: Opportunity,Sales Stage,விற்பனை நிலை
 DocType: Purchase Taxes and Charges,Account Head,கணக்கு ஒதுக்கும் தலைப்பு - பிரிவு
 DocType: Company,HRA Component,HRA உபகரண
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,மின்
@@ -6366,15 +6432,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),மொத்த மதிப்பு வேறுபாடு (அவுட் - ல்)
 DocType: Grant Application,Requested Amount,கோரப்பட்ட தொகை
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,ரோ {0}: மாற்று வீதம் கட்டாயமாகும்
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},பயனர் ஐடி பணியாளர் அமைக்க{0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},பயனர் ஐடி பணியாளர் அமைக்க{0}
 DocType: Vehicle,Vehicle Value,வாகன மதிப்பு
 DocType: Crop Cycle,Detected Diseases,கண்டறியப்பட்ட நோய்கள்
 DocType: Stock Entry,Default Source Warehouse,முன்னிருப்பு மூல கிடங்கு
 DocType: Item,Customer Code,வாடிக்கையாளர் கோட்
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},பிறந்த நாள் நினைவூட்டல் {0}
 DocType: Asset Maintenance Task,Last Completion Date,கடைசி நிறைவு தேதி
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,கடந்த சில நாட்களாக கடைசி ஆர்டர்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,கணக்கில் பற்று ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,கணக்கில் பற்று ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
 DocType: Asset,Naming Series,தொடர் பெயரிடும்
 DocType: Vital Signs,Coated,கோட்டேட்
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,வரிசை {0}: பயனுள்ள வாழ்க்கைக்குப் பிறகு எதிர்பார்க்கப்படும் மதிப்பு மொத்த கொள்முதல் தொகைக்கு குறைவாக இருக்க வேண்டும்
@@ -6392,15 +6457,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,டெலிவரி குறிப்பு {0} சமர்ப்பிக்க கூடாது
 DocType: Notification Control,Sales Invoice Message,விற்பனை விலைப்பட்டியல் செய்தி
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,கணக்கு {0} நிறைவு வகை பொறுப்பு / ஈக்விட்டி இருக்க வேண்டும்
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே நேரம் தாள் உருவாக்கப்பட்ட {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே நேரம் தாள் உருவாக்கப்பட்ட {1}
 DocType: Vehicle Log,Odometer,ஓடோமீட்டர்
 DocType: Production Plan Item,Ordered Qty,அளவு உத்தரவிட்டார்
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,பொருள் {0} முடக்கப்பட்டுள்ளது
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,பொருள் {0} முடக்கப்பட்டுள்ளது
 DocType: Stock Settings,Stock Frozen Upto,பங்கு வரை உறை
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,டெலி எந்த பங்கு உருப்படியை கொண்டிருக்கும் இல்லை
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,டெலி எந்த பங்கு உருப்படியை கொண்டிருக்கும் இல்லை
 DocType: Chapter,Chapter Head,அத்தியாய தலைப்பு
 DocType: Payment Term,Month(s) after the end of the invoice month,விலைப்பட்டியல் மாதத்தின் இறுதியில் மாத (கள்)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,சம்பளக் கட்டமைப்பை நன்மைத் தொகையை வழங்குவதற்கு நெகிழ்வான பயன் கூறு (கள்) வேண்டும்
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,சம்பளக் கட்டமைப்பை நன்மைத் தொகையை வழங்குவதற்கு நெகிழ்வான பயன் கூறு (கள்) வேண்டும்
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,திட்ட செயல்பாடு / பணி.
 DocType: Vital Signs,Very Coated,மிகவும் கோடட்
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),மட்டுமே வரி தாக்கம் (கோரிக்கை ஆனால் வரி விலக்கு வருமானம் பகுதி)
@@ -6418,7 +6483,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,பில்லிங் மணி
 DocType: Project,Total Sales Amount (via Sales Order),மொத்த விற்பனை தொகை (விற்பனை ஆணை வழியாக)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,"{0} இல்லை இயல்புநிலை BOM,"
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,ரோ # {0}: மீள் கட்டளை அளவு அமைக்க கொள்ளவும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,ரோ # {0}: மீள் கட்டளை அளவு அமைக்க கொள்ளவும்
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,அவர்களை இங்கே சேர்க்கலாம் உருப்படிகளை தட்டவும்
 DocType: Fees,Program Enrollment,திட்டம் பதிவு
 DocType: Share Transfer,To Folio No,ஃபோலியோ இல்லை
@@ -6460,9 +6525,9 @@
 DocType: SG Creation Tool Course,Max Strength,அதிகபட்சம்  வலிமை
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,முன்னமைவுகளை நிறுவுகிறது
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,Edu-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},வாடிக்கையாளர்களுக்கான டெலிவரி குறிப்பு இல்லை
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},வாடிக்கையாளர்களுக்கான டெலிவரி குறிப்பு இல்லை
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,பணியாளர் {0} அதிகபட்ச ஆதாய அளவு இல்லை
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,டெலிவரி தேதி அடிப்படையில் தேர்ந்தெடுக்கப்பட்ட விடயங்கள்
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,டெலிவரி தேதி அடிப்படையில் தேர்ந்தெடுக்கப்பட்ட விடயங்கள்
 DocType: Grant Application,Has any past Grant Record,எந்த முன்னாள் கிராண்ட் ரெக்டும் உள்ளது
 ,Sales Analytics,விற்பனை அனலிட்டிக்ஸ்
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},கிடைக்கும் {0}
@@ -6471,12 +6536,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,உற்பத்தி அமைப்புகள்
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,மின்னஞ்சல் அமைத்தல்
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 கைப்பேசி
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,நிறுவனத்தின் முதன்மை இயல்புநிலை நாணய உள்ளிடவும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,நிறுவனத்தின் முதன்மை இயல்புநிலை நாணய உள்ளிடவும்
 DocType: Stock Entry Detail,Stock Entry Detail,பங்கு நுழைவு விரிவாக
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,டெய்லி நினைவூட்டல்கள்
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,டெய்லி நினைவூட்டல்கள்
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,எல்லா திறந்த டிக்கட்களையும் காண்க
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,சுகாதார சேவை அலகு மரம்
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,தயாரிப்பு
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,தயாரிப்பு
 DocType: Products Settings,Home Page is Products,முகப்பு பக்கம் தயாரிப்புகள் ஆகும்
 ,Asset Depreciation Ledger,சொத்து தேய்மானம் லெட்ஜர்
 DocType: Salary Structure,Leave Encashment Amount Per Day,நாள் ஒன்றுக்கு ஊடுருவல் தொகை விடுப்பு
@@ -6486,8 +6551,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,மூலப்பொருட்கள் விலை வழங்கியது
 DocType: Selling Settings,Settings for Selling Module,தொகுதி விற்பனையான அமைப்புகள்
 DocType: Hotel Room Reservation,Hotel Room Reservation,ஹோட்டல் ரூம் முன்பதிவு
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,வாடிக்கையாளர் சேவை
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,வாடிக்கையாளர் சேவை
 DocType: BOM,Thumbnail,சிறு
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,மின்னஞ்சல் ID களுடன் தொடர்புகள் இல்லை.
 DocType: Item Customer Detail,Item Customer Detail,பொருள் வாடிக்கையாளர் விபரம்
 DocType: Notification Control,Prompt for Email on Submission of,இந்த சமர்ப்பிக்கும் மீது மின்னஞ்சல் கேட்டு
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +102,Total allocated leaves are more than days in the period,மொத்த ஒதுக்கீடு இலைகள் காலத்தில் நாட்கள் விட
@@ -6496,7 +6562,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,பொருள் {0} ஒரு பங்கு பொருளாக இருக்க வேண்டும்
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,முன்னேற்றம் கிடங்கில் இயல்புநிலை வேலை
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} மேலெழுதல்களைப் பெற, மேல்விளக்க இடங்களைக் கைவிட்ட பிறகு தொடர விரும்புகிறீர்களா?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,கணக்கு பரிமாற்றங்கள் இயல்புநிலை அமைப்புகளை .
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,கணக்கு பரிமாற்றங்கள் இயல்புநிலை அமைப்புகளை .
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,கிராண்ட் இலைகள்
 DocType: Restaurant,Default Tax Template,இயல்புநிலை வரி வார்ப்புரு
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} மாணவர்கள் சேர்ந்தனர்
@@ -6504,6 +6570,7 @@
 DocType: Purchase Invoice Item,Stock Qty,பங்கு அளவு
 DocType: Purchase Invoice Item,Stock Qty,பங்கு அளவு
 DocType: Contract,Requires Fulfilment,பூர்த்தி செய்ய வேண்டும்
+DocType: QuickBooks Migrator,Default Shipping Account,இயல்புநிலை கப்பல் கணக்கு
 DocType: Loan,Repayment Period in Months,மாதங்களில் கடனை திருப்பி செலுத்தும் காலம்
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,பிழை: ஒரு செல்லுபடியாகும் அடையாள?
 DocType: Naming Series,Update Series Number,மேம்படுத்தல் தொடர் எண்
@@ -6517,11 +6584,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,அதிகபட்ச தொகை
 DocType: Journal Entry,Total Amount Currency,மொத்த தொகை நாணய
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,தேடல் துணை கூட்டங்கள்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},வரிசை எண் தேவையான பொருள் குறியீடு {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},வரிசை எண் தேவையான பொருள் குறியீடு {0}
 DocType: GST Account,SGST Account,SGST கணக்கு
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,உருப்படிகளுக்கு செல்க
 DocType: Sales Partner,Partner Type,வரன்வாழ்க்கை துணை வகை
-DocType: Purchase Taxes and Charges,Actual,உண்மையான
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,உண்மையான
 DocType: Restaurant Menu,Restaurant Manager,உணவு விடுதி மேலாளர்
 DocType: Authorization Rule,Customerwise Discount,வாடிக்கையாளர் வாரியாக தள்ளுபடி
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,பணிகளை டைம் ஷீட்.
@@ -6542,7 +6609,7 @@
 DocType: Employee,Cheque,காசோலை
 DocType: Training Event,Employee Emails,பணியாளர் மின்னஞ்சல்கள்
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,தொடர் இற்றை
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,புகார் வகை கட்டாய ஆகிறது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,புகார் வகை கட்டாய ஆகிறது
 DocType: Item,Serial Number Series,வரிசை எண் தொடர்
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},கிடங்கு பங்கு பொருள் கட்டாய {0} வரிசையில் {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,சில்லறை & விற்பனை
@@ -6573,7 +6640,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,விற்பனை ஆணையில் பில்ட் தொகை புதுப்பிக்கவும்
 DocType: BOM,Materials,பொருட்கள்
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","சரி இல்லை என்றால், பட்டியலில் அதை பயன்படுத்த வேண்டும் ஒவ்வொரு துறை சேர்க்க வேண்டும்."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,தகவல்களுக்கு தேதி மற்றும் தகவல்களுக்கு நேரம் கட்டாய ஆகிறது
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,தகவல்களுக்கு தேதி மற்றும் தகவல்களுக்கு நேரம் கட்டாய ஆகிறது
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,பரிவர்த்தனைகள் வாங்கும் வரி வார்ப்புரு .
 ,Item Prices,பொருள்  விலைகள்
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,நீங்கள் கொள்முதல் ஆணை சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும்.
@@ -6589,12 +6656,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),சொத்து தேய்மான நுழைவுக்கான தொடர் (ஜர்னல் நுழைவு)
 DocType: Membership,Member Since,உறுப்பினர் பின்னர்
 DocType: Purchase Invoice,Advance Payments,அட்வான்ஸ் கொடுப்பனவு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,ஹெல்த்கேர் சேவையைத் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,ஹெல்த்கேர் சேவையைத் தேர்ந்தெடுக்கவும்
 DocType: Purchase Taxes and Charges,On Net Total,நிகர மொத்தம்
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},கற்பிதம் {0} மதிப்பு எல்லைக்குள் இருக்க வேண்டும் {1} க்கு {2} அதிகரிப்பில் {3} பொருள் {4}
 DocType: Restaurant Reservation,Waitlisted,உறுதியாகாத
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,விலக்கு பிரிவு
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,நாணய வேறு நாணயங்களுக்கு பயன்படுத்தி உள்ளீடுகள் செய்வதில் பிறகு மாற்றிக்கொள்ள
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,நாணய வேறு நாணயங்களுக்கு பயன்படுத்தி உள்ளீடுகள் செய்வதில் பிறகு மாற்றிக்கொள்ள
 DocType: Shipping Rule,Fixed,நிலையான
 DocType: Vehicle Service,Clutch Plate,கிளட்ச் தட்டு
 DocType: Company,Round Off Account,கணக்கு ஆஃப் சுற்றுக்கு
@@ -6603,7 +6670,7 @@
 DocType: Subscription Plan,Based on price list,விலை பட்டியல் அடிப்படையில்
 DocType: Customer Group,Parent Customer Group,பெற்றோர் வாடிக்கையாளர் பிரிவு
 DocType: Vehicle Service,Change,மாற்றம்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,சந்தா
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,சந்தா
 DocType: Purchase Invoice,Contact Email,மின்னஞ்சல் தொடர்பு
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,கட்டணம் உருவாக்கம் நிலுவையில் உள்ளது
 DocType: Appraisal Goal,Score Earned,ஜூலை ஈட்டிய
@@ -6631,23 +6698,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,பெறத்தக்க / செலுத்த வேண்டிய கணக்கு
 DocType: Delivery Note Item,Against Sales Order Item,விற்பனை ஆணை பொருள் எதிராக
 DocType: Company,Company Logo,நிறுவனத்தின் லோகோ
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},பண்பு மதிப்பு பண்பு குறிப்பிடவும் {0}
-DocType: Item Default,Default Warehouse,இயல்புநிலை சேமிப்பு கிடங்கு
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},பண்பு மதிப்பு பண்பு குறிப்பிடவும் {0}
+DocType: QuickBooks Migrator,Default Warehouse,இயல்புநிலை சேமிப்பு கிடங்கு
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},பட்ஜெட் குழு கணக்கை எதிராக ஒதுக்கப்படும் முடியாது {0}
 DocType: Shopping Cart Settings,Show Price,விலை காட்டு
 DocType: Healthcare Settings,Patient Registration,நோயாளி பதிவு
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,பெற்றோர் செலவு சென்டர் உள்ளிடவும்
 DocType: Delivery Note,Print Without Amount,மொத்த தொகை இல்லாமல் அச்சிட
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,தேய்மானம் தேதி
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,தேய்மானம் தேதி
 ,Work Orders in Progress,வேலை ஆணைகள் முன்னேற்றம்
 DocType: Issue,Support Team,ஆதரவு குழு
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),காலாவதி (நாட்களில்)
 DocType: Appraisal,Total Score (Out of 5),மொத்த மதிப்பெண் (5 அவுட்)
 DocType: Student Attendance Tool,Batch,கூட்டம்
 DocType: Support Search Source,Query Route String,வினவலை பாதை சரம்
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,கடைசி வாங்குதலுக்கான விகிதம் புதுப்பிக்கவும்
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,கடைசி வாங்குதலுக்கான விகிதம் புதுப்பிக்கவும்
 DocType: Donor,Donor Type,நன்கொடை வகை
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,தானியங்கு திரும்ப ஆவணம் புதுப்பிக்கப்பட்டது
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,தானியங்கு திரும்ப ஆவணம் புதுப்பிக்கப்பட்டது
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,இருப்பு
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,தயவு செய்து நிறுவனத்தைத் தேர்ந்தெடுக்கவும்
 DocType: Job Card,Job Card,வேலை அட்டை
@@ -6661,7 +6728,7 @@
 DocType: Assessment Result,Total Score,மொத்த மதிப்பெண்
 DocType: Crop Cycle,ISO 8601 standard,ஐஎஸ்ஓ 8601 தரநிலை
 DocType: Journal Entry,Debit Note,பற்றுக்குறிப்பு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,இந்த வரிசையில் அதிகபட்சம் {0} புள்ளிகளை மட்டுமே மீட்டெடுக்க முடியும்.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,இந்த வரிசையில் அதிகபட்சம் {0} புள்ளிகளை மட்டுமே மீட்டெடுக்க முடியும்.
 DocType: Expense Claim,HR-EXP-.YYYY.-,மனிதவள-ஓ-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,ஏபிஐ நுகர்வோர் இரகசியத்தை உள்ளிடவும்
 DocType: Stock Entry,As per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி
@@ -6674,10 +6741,11 @@
 DocType: Journal Entry,Total Debit,மொத்த பற்று
 DocType: Travel Request Costing,Sponsored Amount,நிதியளித்த தொகை
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,இயல்புநிலை முடிக்கப்பட்ட பொருட்கள் கிடங்கு
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,தயவுசெய்து நோயாளி தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,தயவுசெய்து நோயாளி தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,விற்பனை நபர்
 DocType: Hotel Room Package,Amenities,வசதிகள்
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,பட்ஜெட் மற்றும் செலவு மையம்
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited நிதி கணக்கு
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,பட்ஜெட் மற்றும் செலவு மையம்
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,கட்டணம் செலுத்திய பல இயல்புநிலை முறை அனுமதிக்கப்படவில்லை
 DocType: Sales Invoice,Loyalty Points Redemption,விசுவாச புள்ளிகள் மீட்பு
 ,Appointment Analytics,நியமனம் அனலிட்டிக்ஸ்
@@ -6691,6 +6759,7 @@
 DocType: Batch,Manufacturing Date,தயாரிக்கப்பட்ட தேதி
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,கட்டணம் உருவாக்கம் தோல்வியடைந்தது
 DocType: Opening Invoice Creation Tool,Create Missing Party,காணாமல் போனதை உருவாக்குங்கள்
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,மொத்த பட்ஜெட்
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,நீங்கள் வருடத்திற்கு மாணவர்கள் குழுக்கள் செய்தால் காலியாக விடவும்
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,நீங்கள் வருடத்திற்கு மாணவர்கள் குழுக்கள் செய்தால் காலியாக விடவும்
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","சரி என்றால், மொத்த இல்லை. வேலை நாட்கள் விடுமுறை அடங்கும், இந்த நாள் ஒன்றுக்கு சம்பளம் மதிப்பு குறையும்"
@@ -6708,20 +6777,19 @@
 DocType: Opportunity Item,Basic Rate,அடிப்படை விகிதம்
 DocType: GL Entry,Credit Amount,கடன் தொகை
 DocType: Cheque Print Template,Signatory Position,கையொப்பமிட தலைப்பு
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,லாஸ்ட் அமை
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,லாஸ்ட் அமை
 DocType: Timesheet,Total Billable Hours,மொத்த பில்லிடக்கூடியது மணி
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,சந்தாதாரர் இந்த சந்தாவால் உருவாக்கப்பட்ட பொருள்களை செலுத்த வேண்டிய நாட்களின் எண்ணிக்கை
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ஊழியர் நலன் விண்ணப்பப் படிவம்
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,கட்டணம் ரசீது குறிப்பு
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,இந்த வாடிக்கையாளர் எதிராக பரிமாற்றங்கள் அடிப்படையாக கொண்டது. விவரங்கள் கீழே காலவரிசை பார்க்க
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ரோ {0}: ஒதுக்கப்பட்ட தொகை {1} விட குறைவாக இருக்க அல்லது கொடுப்பனவு நுழைவு அளவு சமம் வேண்டும் {2}
 DocType: Program Enrollment Tool,New Academic Term,புதிய கல்வி காலம்
 ,Course wise Assessment Report,கோர்ஸ் வாரியாக மதிப்பீட்டு அறிக்கைக்காக
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ஐடிசி ஸ்டேட் / யூ.டி. வரி
 DocType: Tax Rule,Tax Rule,வரி விதி
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,விற்பனை சைக்கிள் முழுவதும் அதே விகிதத்தில் பராமரிக்க
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Marketplace இல் பதிவு செய்ய மற்றொரு பயனராக உள்நுழைக
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Marketplace இல் பதிவு செய்ய மற்றொரு பயனராக உள்நுழைக
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,வர்க்ஸ்டேஷன் பணிநேரம் தவிர்த்து நேரத்தில் பதிவுகள் திட்டமிட்டுள்ளோம்.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,கியூ உள்ள வாடிக்கையாளர்கள்
 DocType: Driver,Issuing Date,வழங்குதல் தேதி
@@ -6730,11 +6798,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,மேலும் செயலாக்கத்திற்கு இந்த பணி ஆணை சமர்ப்பிக்கவும்.
 ,Items To Be Requested,கோரப்பட்ட பொருட்களை
 DocType: Company,Company Info,நிறுவன தகவல்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,தேர்ந்தெடுக்கவும் அல்லது புதிய வாடிக்கையாளர் சேர்க்க
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,தேர்ந்தெடுக்கவும் அல்லது புதிய வாடிக்கையாளர் சேர்க்க
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,செலவு மையம் ஒரு செலவினமாக கூற்றை பதிவு செய்ய தேவைப்படுகிறது
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),நிதி பயன்பாடு ( சொத்துக்கள் )
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,இந்த பணியாளர் வருகை அடிப்படையாக கொண்டது
-DocType: Assessment Result,Summary,சுருக்கம்
 DocType: Payment Request,Payment Request Type,கொடுப்பனவு கோரிக்கை வகை
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,மார்க் கூட்டம்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,பற்று கணக்கு
@@ -6742,7 +6809,7 @@
 DocType: Additional Salary,Employee Name,பணியாளர் பெயர்
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,உணவகம் ஆர்டர் நுழைவு பொருள்
 DocType: Purchase Invoice,Rounded Total (Company Currency),வட்டமான மொத்த (நிறுவனத்தின் கரன்சி)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"கணக்கு வகை தேர்வு, ஏனெனில் குழு இரகசிய முடியாது."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"கணக்கு வகை தேர்வு, ஏனெனில் குழு இரகசிய முடியாது."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும்.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,பின்வரும் நாட்களில் விடுப்பு விண்ணப்பங்கள் செய்து பயனர்களை நிறுத்த.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","லாயல்டி புள்ளிகள் வரம்பற்ற காலாவதி என்றால், காலாவதி காலம் காலியாக அல்லது 0 வைக்கவும்."
@@ -6763,11 +6830,12 @@
 DocType: Asset,Out of Order,ஆர்டர் அவுட்
 DocType: Purchase Receipt Item,Accepted Quantity,அளவு ஏற்கப்பட்டது
 DocType: Projects Settings,Ignore Workstation Time Overlap,பணிநிலைய நேர இடைவெளியை புறக்கணி
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},ஒரு இயல்பான விடுமுறை பட்டியல் பணியாளர் அமைக்க தயவு செய்து {0} அல்லது நிறுவனத்தின் {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},ஒரு இயல்பான விடுமுறை பட்டியல் பணியாளர் அமைக்க தயவு செய்து {0} அல்லது நிறுவனத்தின் {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} இல்லை
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,தொகுதி எண்கள் தேர்வு
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN க்கு
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN க்கு
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,பில்கள் வாடிக்கையாளர்கள் உயர்த்தப்பட்டுள்ளது.
+DocType: Healthcare Settings,Invoice Appointments Automatically,விலைப்பட்டியல் நியமனங்கள் தானாகவே
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,திட்ட ஐடி
 DocType: Salary Component,Variable Based On Taxable Salary,வரிவிலக்கு சம்பளம் அடிப்படையில் மாறி
 DocType: Company,Basic Component,அடிப்படை கூறு
@@ -6780,10 +6848,10 @@
 DocType: Stock Entry,Source Warehouse Address,மூல கிடங்கு முகவரி
 DocType: GL Entry,Voucher Type,ரசீது வகை
 DocType: Amazon MWS Settings,Max Retry Limit,Max Retry வரம்பு
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற
 DocType: Student Applicant,Approved,ஏற்பளிக்கப்பட்ட
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,விலை
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} ம் நிம்மதியாக பணியாளர் 'இடது' அமைக்க வேண்டும்
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} ம் நிம்மதியாக பணியாளர் 'இடது' அமைக்க வேண்டும்
 DocType: Marketplace Settings,Last Sync On,கடைசி ஒத்திசைவு
 DocType: Guardian,Guardian,பாதுகாவலர்
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,இது தவிர எல்லா தகவல்களும் புதிய வெளியீட்டில் மாற்றப்படும்
@@ -6806,14 +6874,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,புலத்தில் காணப்படும் நோய்களின் பட்டியல். தேர்ந்தெடுக்கும் போது தானாக நோய் தீர்க்கும் பணியின் பட்டியல் சேர்க்கப்படும்
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,இது ஒரு ரூட் சுகாதார சேவை அலகு மற்றும் திருத்த முடியாது.
 DocType: Asset Repair,Repair Status,பழுதுபார்க்கும் நிலை
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,விற்பனை பங்குதாரர்களைச் சேர்க்கவும்
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,கணக்கு ஜர்னல் பதிவுகள்.
 DocType: Travel Request,Travel Request,சுற்றுலா கோரிக்கை
 DocType: Delivery Note Item,Available Qty at From Warehouse,கிடங்கில் இருந்து கிடைக்கும் அளவு
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,முதல் பணியாளர் பதிவு தேர்ந்தெடுத்து கொள்ளவும்.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,விடுமுறை என்பதால் {0} கலந்துகொள்ளவில்லை.
 DocType: POS Profile,Account for Change Amount,கணக்கு தொகை மாற்றம்
+DocType: QuickBooks Migrator,Connecting to QuickBooks,குவிக்புக்ஸில் இணைக்கிறது
 DocType: Exchange Rate Revaluation,Total Gain/Loss,மொத்த லான் / இழப்பு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,இன்டர் கம்பெனி இன்விசிற்கான தவறான நிறுவனம்.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,இன்டர் கம்பெனி இன்விசிற்கான தவறான நிறுவனம்.
 DocType: Purchase Invoice,input service,உள்ளீடு சேவை
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ரோ {0}: கட்சி / கணக்கு பொருந்தவில்லை {1} / {2} உள்ள {3} {4}
 DocType: Employee Promotion,Employee Promotion,பணியாளர் ஊக்குவிப்பு
@@ -6822,12 +6892,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,பாடநெறி குறியீடு:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,செலவு கணக்கு உள்ளிடவும்
 DocType: Account,Stock,பங்கு
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை கொள்முதல் ஆணை ஒன்று, கொள்முதல் விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை கொள்முதல் ஆணை ஒன்று, கொள்முதல் விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
 DocType: Employee,Current Address,தற்போதைய முகவரி
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","வெளிப்படையாக குறிப்பிட்ட வரை பின்னர் உருப்படியை விளக்கம், படம், விலை, வரி டெம்ப்ளேட் இருந்து அமைக்க வேண்டும் போன்றவை மற்றொரு உருப்படியை ஒரு மாறுபாடு இருக்கிறது என்றால்"
 DocType: Serial No,Purchase / Manufacture Details,கொள்முதல் / உற்பத்தி விவரம்
 DocType: Assessment Group,Assessment Group,மதிப்பீட்டு குழு
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,தொகுதி சரக்கு
+DocType: Supplier,GST Transporter ID,ஜி.எஸ்.டி இடமாற்று ஐடி
 DocType: Procedure Prescription,Procedure Name,செயல்முறை பெயர்
 DocType: Employee,Contract End Date,ஒப்பந்தம் முடிவு தேதி
 DocType: Amazon MWS Settings,Seller ID,விற்பனையாளர் ஐடி
@@ -6847,12 +6918,12 @@
 DocType: Company,Date of Incorporation,இணைத்தல் தேதி
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,மொத்த வரி
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,கடைசி கொள்முதல் விலை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,அளவு (அளவு உற்பத்தி) என்பது கட்டாயம்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,அளவு (அளவு உற்பத்தி) என்பது கட்டாயம்
 DocType: Stock Entry,Default Target Warehouse,முன்னிருப்பு அடைவு கிடங்கு
 DocType: Purchase Invoice,Net Total (Company Currency),நிகர மொத்தம் (நிறுவனத்தின் நாணயம்)
 DocType: Delivery Note,Air,ஏர்
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ஆண்டு முடிவு தேதியின் ஆண்டு தொடக்க தேதி முன்னதாக இருக்க முடியாது. தேதிகள் சரிசெய்து மீண்டும் முயற்சிக்கவும்.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} விருப்ப விருந்தினர் பட்டியலில் இல்லை
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} விருப்ப விருந்தினர் பட்டியலில் இல்லை
 DocType: Notification Control,Purchase Receipt Message,ரசீது செய்தி வாங்க
 DocType: Amazon MWS Settings,JP,ஜேபி
 DocType: BOM,Scrap Items,குப்பை பொருட்கள்
@@ -6875,23 +6946,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,நிறைவேற்றுதல்
 DocType: Purchase Taxes and Charges,On Previous Row Amount,முந்தைய வரிசை தொகை
 DocType: Item,Has Expiry Date,காலாவதி தேதி உள்ளது
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,மாற்றம் சொத்து
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,மாற்றம் சொத்து
 DocType: POS Profile,POS Profile,பிஓஎஸ் செய்தது
 DocType: Training Event,Event Name,நிகழ்வு பெயர்
 DocType: Healthcare Practitioner,Phone (Office),தொலைபேசி (அலுவலகம்)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","சமர்ப்பிக்க முடியாது, ஊழியர்கள் வருகை குறிக்க விட்டு"
 DocType: Inpatient Record,Admission,சேர்க்கை
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},சேர்க்கை {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","அமைக்க வரவு செலவு திட்டம், இலக்குகளை முதலியன உங்கம்மா"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","அமைக்க வரவு செலவு திட்டம், இலக்குகளை முதலியன உங்கம்மா"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,மாறி பெயர்
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} பொருள் ஒரு டெம்ப்ளேட் உள்ளது, அதன் வகைகள் ஒன்றைத் தேர்ந்தெடுக்கவும்"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,மனித வளத்தில் பணியாளர் பெயரிடும் அமைப்பை அமைத்தல்&gt; HR அமைப்புகள்
+DocType: Purchase Invoice Item,Deferred Expense,ஒத்திவைக்கப்பட்ட செலவுகள்
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},தேதி முதல் {0} ஊழியர் சேரும் தேதிக்கு முன் இருக்க முடியாது {1}
 DocType: Asset,Asset Category,சொத்து வகை
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,நிகர ஊதியம் எதிர்மறை இருக்க முடியாது
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,நிகர ஊதியம் எதிர்மறை இருக்க முடியாது
 DocType: Purchase Order,Advance Paid,முன்பணம்
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,விற்பனை ஆணைக்கான அதிக உற்பத்தி சதவீதம்
 DocType: Item,Item Tax,பொருள் வரி
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,சப்ளையர் பொருள்
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,சப்ளையர் பொருள்
 DocType: Soil Texture,Loamy Sand,லோமாயி மணல்
 DocType: Production Plan,Material Request Planning,பொருள் கோரிக்கை திட்டமிடல்
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,கலால் விலைப்பட்டியல்
@@ -6913,11 +6986,11 @@
 DocType: Scheduling Tool,Scheduling Tool,திட்டமிடல் கருவி
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,கடன் அட்டை
 DocType: BOM,Item to be manufactured or repacked,உருப்படியை உற்பத்தி அல்லது repacked வேண்டும்
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},நிபந்தனை தொடரியல் பிழை: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},நிபந்தனை தொடரியல் பிழை: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,Edu-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,முக்கிய / விருப்ப பாடங்கள்
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,வாங்குதல் அமைப்புகளில் சப்ளையர் குழுவை அமைக்கவும்.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,வாங்குதல் அமைப்புகளில் சப்ளையர் குழுவை அமைக்கவும்.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",முழு நெகிழ்வான பயன் தரும் அளவு {0} அதிகபட்ச நன்மைகளை விட குறைவாக இருக்கக்கூடாது {1}
 DocType: Sales Invoice Item,Drop Ship,டிராப் கப்பல்
 DocType: Driver,Suspended,இடைநீக்கம்
@@ -6937,7 +7010,7 @@
 DocType: Customer,Commission Rate,தரகு விகிதம்
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,பணம் உள்ளீடுகளை வெற்றிகரமாக உருவாக்கியது
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{0} க்கு இடையே {0} ஸ்கோட்கார்டுகள் உருவாக்கப்பட்டது:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,மாற்று செய்ய
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,மாற்று செய்ய
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","கொடுப்பனவு வகை ஏற்றுக்கொண்டு ஒன்று இருக்க செலுத்த, உள்நாட் மாற்றம் வேண்டும்"
 DocType: Travel Itinerary,Preferred Area for Lodging,தங்கும் இடம் விருப்பம்
 apps/erpnext/erpnext/config/selling.py +184,Analytics,அனலிட்டிக்ஸ்
@@ -6948,7 +7021,7 @@
 DocType: Work Order,Actual Operating Cost,உண்மையான இயக்க செலவு
 DocType: Payment Entry,Cheque/Reference No,காசோலை / குறிப்பு இல்லை
 DocType: Soil Texture,Clay Loam,களிமண்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,ரூட் திருத்த முடியாது .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,ரூட் திருத்த முடியாது .
 DocType: Item,Units of Measure,அளவின் அலகுகள்
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,மெட்ரோ நகரத்தில் வாடகைக்கு
 DocType: Supplier,Default Tax Withholding Config,இயல்புநிலை வரி விலக்குதல் அமைப்பு
@@ -6966,21 +7039,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,கட்டணம் முடிந்த பிறகு தேர்ந்தெடுக்கப்பட்ட பக்கம் பயனர் திருப்பி.
 DocType: Company,Existing Company,தற்போதுள்ள நிறுவனம்
 DocType: Healthcare Settings,Result Emailed,முடிவு மின்னஞ்சல் அனுப்பப்பட்டது
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",வரி பிரிவு &quot;மொத்த&quot; மாற்றப்பட்டுள்ளது அனைத்து பொருட்கள் அல்லாத பங்கு பொருட்களை ஏனெனில்
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",வரி பிரிவு &quot;மொத்த&quot; மாற்றப்பட்டுள்ளது அனைத்து பொருட்கள் அல்லாத பங்கு பொருட்களை ஏனெனில்
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,தேதியிலிருந்து தேதிக்கு சமமான அல்லது குறைவாக இருக்க முடியாது
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,மாற்ற எதுவும் இல்லை
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ஒரு கோப்பை தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,ஒரு கோப்பை தேர்ந்தெடுக்கவும்
 DocType: Holiday List,Total Holidays,மொத்த விடுமுறை
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,அனுப்புவதற்கான மின்னஞ்சல் டெம்ப்ளேட்டை காணவில்லை. டெலிவரி அமைப்புகளில் ஒன்றை அமைக்கவும்.
 DocType: Student Leave Application,Mark as Present,தற்போதைய மார்க்
 DocType: Supplier Scorecard,Indicator Color,காட்டி வண்ணம்
 DocType: Purchase Order,To Receive and Bill,பெறுதல் மற்றும் பில்
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,வரிசை # {0}: தேதி மாற்றுவதற்கான தேதிக்கு முன்னதாக இருக்க முடியாது
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,வரிசை # {0}: தேதி மாற்றுவதற்கான தேதிக்கு முன்னதாக இருக்க முடியாது
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,சிறப்பு தயாரிப்புகள்
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,தொடர் எண் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,தொடர் எண் தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,வடிவமைப்புகள்
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,நிபந்தனைகள் வார்ப்புரு
 DocType: Serial No,Delivery Details,விநியோக விவரம்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},செலவு மையம் வரிசையில் தேவைப்படுகிறது {0} வரி அட்டவணையில் வகை {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},செலவு மையம் வரிசையில் தேவைப்படுகிறது {0} வரி அட்டவணையில் வகை {1}
 DocType: Program,Program Code,திட்டம் குறியீடு
 DocType: Terms and Conditions,Terms and Conditions Help,விதிமுறைகள் மற்றும் நிபந்தனைகள் உதவி
 ,Item-wise Purchase Register,பொருள் வாரியான கொள்முதல் பதிவு
@@ -6993,15 +7067,16 @@
 DocType: Contract,Contract Terms,ஒப்பந்த விதிமுறைகள்
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,நாணயங்கள் அடுத்த $ ஹிப்ரு போன்றவை எந்த சின்னம் காட்டாதே.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},உறுப்புகளின் அதிகபட்ச நன்மை அளவு {0} {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(அரை நாள்)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(அரை நாள்)
 DocType: Payment Term,Credit Days,கடன் நாட்கள்
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,ஆய்வக சோதனைகளை பெறுவதற்கு நோயாளித் தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,மாணவர் தொகுதி செய்ய
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,உற்பத்தியை மாற்ற அனுமதி
 DocType: Leave Type,Is Carry Forward,முன்னோக்கி எடுத்துச்செல்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM இருந்து பொருட்களை பெற
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM இருந்து பொருட்களை பெற
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,நேரம் நாட்கள் வழிவகுக்கும்
 DocType: Cash Flow Mapping,Is Income Tax Expense,வருமான வரி செலவுகள்
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,உங்கள் ஆர்டரை விநியோகிப்பதற்கு இல்லை!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ரோ # {0}: தேதி பதிவுசெய்ய கொள்முதல் தேதி அதே இருக்க வேண்டும் {1} சொத்தின் {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,மாணவர் நிறுவனத்தின் விடுதி வசிக்கிறார் இந்த பாருங்கள்.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,தயவு செய்து மேலே உள்ள அட்டவணையில் விற்பனை ஆணைகள் நுழைய
@@ -7009,10 +7084,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,ஒருவரையொருவர் நோக்கி கிடங்கில் இருந்து ஒரு சொத்து பரிமாற்றம்
 DocType: Vehicle,Petrol,பெட்ரோல்
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),மீதமுள்ள நன்மைகள் (ஆண்டுதோறும்)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,பொருட்களின் பில்
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,பொருட்களின் பில்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ரோ {0}: கட்சி வகை மற்றும் கட்சி பெறத்தக்க / செலுத்த வேண்டிய கணக்கிற்கு தேவையான {1}
 DocType: Employee,Leave Policy,கொள்கையை விடு
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,ულ எங்கள் ఐదు எங்கள்ულულულულ எங்கள் எங்கள்ულ எங்கள்ულულ ఐదుულ ఐదు&#39;ულულ ఐదు ఐదుულულულ ఐదు&#39;ულ ఐదుულ ఐదుულ ఐదుულ ఐదు &#39;
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,ულ எங்கள் ఐదు எங்கள்ულულულულ எங்கள் எங்கள்ულ எங்கள்ულულ ఐదుულ ఐదు&#39;ულულ ఐదు ఐదుულულულ ఐదు&#39;ულ ఐదుულ ఐదుულ ఐదుულ ఐదు &#39;
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref தேதி
 DocType: Employee,Reason for Leaving,விட்டு காரணம்
 DocType: BOM Operation,Operating Cost(Company Currency),இயக்க செலவு (நிறுவனத்தின் நாணய)
@@ -7023,7 +7098,7 @@
 DocType: Department,Expense Approvers,செலவின மதிப்புகள்
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},ரோ {0}: ஒப்புதல் நுழைவு இணைத்தே ஒரு {1}
 DocType: Journal Entry,Subscription Section,சந்தா பகுதி
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,கணக்கு {0} இல்லை
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,கணக்கு {0} இல்லை
 DocType: Training Event,Training Program,பயிற்சி நிகழ்ச்சித்திட்டம்
 DocType: Account,Cash,பணம்
 DocType: Employee,Short biography for website and other publications.,இணையதளம் மற்றும் பிற வெளியீடுகள் குறுகிய வாழ்க்கை.
diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv
index 3d92476..b6a5620 100644
--- a/erpnext/translations/te.csv
+++ b/erpnext/translations/te.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,కస్టమర్ అంశాలు
 DocType: Project,Costing and Billing,ఖర్చయ్యే బిల్లింగ్
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},అడ్వాన్స్ ఖాతా కరెన్సీ కంపెనీ కరెన్సీ వలె ఉండాలి. {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,ఖాతా {0}: మాతృ ఖాతా {1} ఒక లెడ్జర్ ఉండకూడదు
+DocType: QuickBooks Migrator,Token Endpoint,టోకెన్ ముగింపు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,ఖాతా {0}: మాతృ ఖాతా {1} ఒక లెడ్జర్ ఉండకూడదు
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com అంశం ప్రచురించు
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,క్రియాశీల సెలవు సమయాన్ని కనుగొనలేకపోయాము
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,క్రియాశీల సెలవు సమయాన్ని కనుగొనలేకపోయాము
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,మూల్యాంకనం
 DocType: Item,Default Unit of Measure,మెజర్ డిఫాల్ట్ యూనిట్
 DocType: SMS Center,All Sales Partner Contact,అన్ని అమ్మకపు భాగస్వామిగా సంప్రదించండి
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,జోడించు క్లిక్ చేయండి
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","పాస్వర్డ్, API కీ లేదా Shopify URL కోసం విలువ లేదు"
 DocType: Employee,Rented,అద్దెకు
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,అన్ని ఖాతాలు
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,అన్ని ఖాతాలు
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,ఉద్యోగస్థుని స్థితిని బదిలీ చేయలేరు
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ఆగిపోయింది ఉత్పత్తి ఆర్డర్ రద్దు చేయలేము రద్దు మొదటి అది Unstop
 DocType: Vehicle Service,Mileage,మైలేజ్
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,మీరు నిజంగా ఈ ఆస్తి ను అనుకుంటున్నారు?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,మీరు నిజంగా ఈ ఆస్తి ను అనుకుంటున్నారు?
 DocType: Drug Prescription,Update Schedule,నవీకరణ షెడ్యూల్
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,డిఫాల్ట్ సరఫరాదారు ఎంచుకోండి
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,ఉద్యోగిని చూపించు
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,న్యూ ఎక్స్ఛేంజ్ రేట్
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},కరెన్సీ ధర జాబితా కోసం అవసరం {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},కరెన్సీ ధర జాబితా కోసం అవసరం {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* లావాదేవీ లెక్కించబడతాయి.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-డిటి .YYYY.-
 DocType: Purchase Order,Customer Contact,కస్టమర్ సంప్రదించండి
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,ఈ ఈ సరఫరాదారు వ్యతిరేకంగా లావాదేవీలు ఆధారంగా. వివరాల కోసం ఈ క్రింది కాలక్రమం చూడండి
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,పని క్రమంలో అధిక ఉత్పత్తి శాతం
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-ఎల్సీవీ-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,లీగల్
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,లీగల్
+DocType: Delivery Note,Transport Receipt Date,రవాణా రసీదు తేదీ
 DocType: Shopify Settings,Sales Order Series,సేల్స్ ఆర్డర్ సీరీస్
 DocType: Vital Signs,Tongue,నాలుక
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA మినహాయింపు
 DocType: Sales Invoice,Customer Name,వినియోగదారుని పేరు
 DocType: Vehicle,Natural Gas,సహజవాయువు
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},బ్యాంక్ ఖాతా పేరుతో సాధ్యం కాదు {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},బ్యాంక్ ఖాతా పేరుతో సాధ్యం కాదు {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,జీతం ప్రకారం జీతం నిర్మాణం
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,తలలు (లేదా సమూహాలు) ఇది వ్యతిరేకంగా అకౌంటింగ్ ఎంట్రీలు తయారు చేస్తారు మరియు నిల్వలను నిర్వహించబడుతున్నాయి.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),అత్యుత్తమ {0} ఉండకూడదు కంటే తక్కువ సున్నా ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,సేవా ప్రారంభ తేదీకి ముందు సర్వీస్ స్టాప్ తేదీ ఉండకూడదు
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,సేవా ప్రారంభ తేదీకి ముందు సర్వీస్ స్టాప్ తేదీ ఉండకూడదు
 DocType: Manufacturing Settings,Default 10 mins,10 నిమిషాలు డిఫాల్ట్
 DocType: Leave Type,Leave Type Name,టైప్ వదిలి పేరు
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ఓపెన్ చూపించు
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,ఓపెన్ చూపించు
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,సిరీస్ విజయవంతంగా నవీకరించబడింది
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,హోటల్ నుంచి బయటకు వెళ్లడం
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} వరుసలో {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} వరుసలో {0}
 DocType: Asset Finance Book,Depreciation Start Date,తరుగుదల ప్రారంభం తేదీ
 DocType: Pricing Rule,Apply On,న వర్తించు
 DocType: Item Price,Multiple Item prices.,బహుళ అంశం ధరలు.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,మద్దతు సెట్టింగ్లు
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,ఊహించినది ముగింపు తేదీ ఊహించిన ప్రారంభం తేదీ కంటే తక్కువ ఉండకూడదు
 DocType: Amazon MWS Settings,Amazon MWS Settings,అమెజాన్ MWS సెట్టింగులు
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,రో # {0}: రేటు అదే ఉండాలి {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,రో # {0}: రేటు అదే ఉండాలి {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,బ్యాచ్ అంశం గడువు హోదా
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,బ్యాంక్ డ్రాఫ్ట్
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-జెవి-.YYYY.-
@@ -105,7 +107,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,ప్రాథమిక సంప్రదింపు వివరాలు
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ఓపెన్ ఇష్యూస్
 DocType: Production Plan Item,Production Plan Item,ఉత్పత్తి ప్రణాళిక అంశం
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},వాడుకరి {0} ఇప్పటికే ఉద్యోగి కేటాయించిన {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},వాడుకరి {0} ఇప్పటికే ఉద్యోగి కేటాయించిన {1}
 DocType: Lab Test Groups,Add new line,క్రొత్త పంక్తిని జోడించండి
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,ఆరోగ్య సంరక్షణ
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),చెల్లింపు లో ఆలస్యం (రోజులు)
@@ -115,12 +117,11 @@
 DocType: Lab Prescription,Lab Prescription,ల్యాబ్ ప్రిస్క్రిప్షన్
 ,Delay Days,ఆలస్యం డేస్
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,సర్వీస్ ఖర్చుల
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},క్రమ సంఖ్య: {0} ఇప్పటికే సేల్స్ వాయిస్ లో రిఫరెన్సుగా ఉంటుంది: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},క్రమ సంఖ్య: {0} ఇప్పటికే సేల్స్ వాయిస్ లో రిఫరెన్సుగా ఉంటుంది: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,వాయిస్
 DocType: Purchase Invoice Item,Item Weight Details,అంశం బరువు వివరాలు
 DocType: Asset Maintenance Log,Periodicity,ఆవర్తకత
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ఫిస్కల్ ఇయర్ {0} అవసరం
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,సరఫరాదారు&gt; సరఫరాదారు సమూహం
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,వాంఛనీయ వృద్ధి కోసం మొక్కల వరుసల మధ్య కనీస దూరం
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,రక్షణ
 DocType: Salary Component,Abbr,Abbr
@@ -139,11 +140,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,హాలిడే జాబితా
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,అకౌంటెంట్
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,ధర జాబితా అమ్మకం
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,ధర జాబితా అమ్మకం
 DocType: Patient,Tobacco Current Use,పొగాకు ప్రస్తుత ఉపయోగం
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,రేట్ సెల్లింగ్
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,రేట్ సెల్లింగ్
 DocType: Cost Center,Stock User,స్టాక్ వాడుకరి
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,సంప్రదింపు సమాచారం
 DocType: Company,Phone No,ఫోన్ సంఖ్య
 DocType: Delivery Trip,Initial Email Notification Sent,ప్రారంభ ఇమెయిల్ నోటిఫికేషన్ పంపబడింది
 DocType: Bank Statement Settings,Statement Header Mapping,ప్రకటన శీర్షిక మ్యాపింగ్
@@ -167,12 +169,11 @@
 DocType: Subscription,Subscription Start Date,చందా ప్రారంభ తేదీ
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,నియామకం ఛార్జీలను బుక్ చేయడానికి రోగిలో సెట్ చేయకపోతే డిఫాల్ట్ స్వీకరించదగిన ఖాతాలు ఉపయోగించబడతాయి.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","రెండు నిలువు, పాత పేరు ఒక మరియు కొత్త పేరు కోసం ఒక csv ఫైల్ అటాచ్"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,చిరునామా 2 నుండి
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,అంశం కోడ్&gt; అంశం సమూహం&gt; బ్రాండ్
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,చిరునామా 2 నుండి
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ఏ క్రియాశీల ఫిస్కల్ ఇయర్ లో.
 DocType: Packed Item,Parent Detail docname,మాతృ వివరాలు docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","సూచన: {0}, Item కోడ్: {1} మరియు కస్టమర్: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} మాతృ సంస్థలో లేదు
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} మాతృ సంస్థలో లేదు
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,ట్రయల్ వ్యవధి ముగింపు తేదీ ట్రయల్ పీరియడ్ ప్రారంభ తేదీకి ముందు ఉండకూడదు
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,కిలొగ్రామ్
 DocType: Tax Withholding Category,Tax Withholding Category,పన్ను అక్రమ హోదా
@@ -188,12 +189,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,ప్రకటనలు
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,అదే కంపెనీ ఒకసారి కంటే ఎక్కువ ఎంటర్ ఉంది
 DocType: Patient,Married,వివాహితులు
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},కోసం అనుమతి లేదు {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},కోసం అనుమతి లేదు {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,నుండి అంశాలను పొందండి
 DocType: Price List,Price Not UOM Dependant,ధర UOM ఆధారపడదు
 DocType: Purchase Invoice,Apply Tax Withholding Amount,పన్ను ఉపసంహరించుకునే మొత్తంలో వర్తించండి
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},స్టాక్ డెలివరీ గమనిక వ్యతిరేకంగా నవీకరించబడింది సాధ్యం కాదు {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,మొత్తం మొత్తంలో పొందింది
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},స్టాక్ డెలివరీ గమనిక వ్యతిరేకంగా నవీకరించబడింది సాధ్యం కాదు {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,మొత్తం మొత్తంలో పొందింది
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ఉత్పత్తి {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,జాబితా అంశాలను తోబుట్టువుల
 DocType: Asset Repair,Error Description,లోపం వివరణ
@@ -207,8 +208,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,కస్టమ్ క్యాష్ ఫ్లో ఫార్మాట్ ఉపయోగించండి
 DocType: SMS Center,All Sales Person,అన్ని సేల్స్ పర్సన్
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** మంత్లీ పంపిణీ ** మీరు నెలల అంతటా బడ్జెట్ / టార్గెట్ పంపిణీ మీరు మీ వ్యాపారంలో seasonality కలిగి ఉంటే సహాయపడుతుంది.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,వస్తువులను కనుగొన్నారు
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,జీతం నిర్మాణం మిస్సింగ్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,వస్తువులను కనుగొన్నారు
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,జీతం నిర్మాణం మిస్సింగ్
 DocType: Lead,Person Name,వ్యక్తి పేరు
 DocType: Sales Invoice Item,Sales Invoice Item,సేల్స్ వాయిస్ అంశం
 DocType: Account,Credit,క్రెడిట్
@@ -217,19 +218,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,స్టాక్ నివేదికలు
 DocType: Warehouse,Warehouse Detail,వేర్హౌస్ వివరాలు
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,టర్మ్ ముగింపు తేదీ తర్వాత అకడమిక్ ఇయర్ ఇయర్ ఎండ్ తేదీ పదం సంబంధమున్న కంటే ఉండకూడదు (అకాడమిక్ ఇయర్ {}). దయచేసి తేదీలు సరిచేసి మళ్ళీ ప్రయత్నించండి.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;స్థిర ఆస్తిగా&quot;, అనియంత్రిత ఉండకూడదు అసెట్ రికార్డు అంశం వ్యతిరేకంగా కాలమే"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;స్థిర ఆస్తిగా&quot;, అనియంత్రిత ఉండకూడదు అసెట్ రికార్డు అంశం వ్యతిరేకంగా కాలమే"
 DocType: Delivery Trip,Departure Time,బయలుదేరు సమయము
 DocType: Vehicle Service,Brake Oil,బ్రేక్ ఆయిల్
 DocType: Tax Rule,Tax Type,పన్ను టైప్
 ,Completed Work Orders,పూర్తయింది వర్క్ ఆర్డర్స్
 DocType: Support Settings,Forum Posts,ఫోరమ్ పోస్ట్లు
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,పన్ను పరిధిలోకి వచ్చే మొత్తం
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,పన్ను పరిధిలోకి వచ్చే మొత్తం
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},మీరు ముందు ఎంట్రీలు జోడించడానికి లేదా నవీకరణ అధికారం లేదు {0}
 DocType: Leave Policy,Leave Policy Details,విధాన వివరాలు వదిలివేయండి
 DocType: BOM,Item Image (if not slideshow),అంశం చిత్రం (స్లైడ్ లేకపోతే)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(గంట రేట్ / 60) * అసలు ఆపరేషన్ సమయం
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ తప్పనిసరిగా వ్యయం దావా లేదా జర్నల్ ఎంట్రీలో ఒకటిగా ఉండాలి
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,బిఒఎం ఎంచుకోండి
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ తప్పనిసరిగా వ్యయం దావా లేదా జర్నల్ ఎంట్రీలో ఒకటిగా ఉండాలి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,బిఒఎం ఎంచుకోండి
 DocType: SMS Log,SMS Log,SMS లోనికి
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,పంపిణీ వస్తువుల ధర
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} లో సెలవు తేదీ నుండి నేటివరకు మధ్య జరిగేది కాదు
@@ -238,16 +239,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,సరఫరాదారు స్టాండింగ్ల యొక్క టెంప్లేట్లు.
 DocType: Lead,Interested,ఆసక్తి
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,ప్రారంభోత్సవం
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},నుండి {0} కు {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},నుండి {0} కు {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,ప్రోగ్రామ్:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,పన్నులను సెటప్ చేయడం విఫలమైంది
 DocType: Item,Copy From Item Group,అంశం గ్రూప్ నుండి కాపీ
-DocType: Delivery Trip,Delivery Notification,డెలివరీ నోటిఫికేషన్
 DocType: Journal Entry,Opening Entry,ఓపెనింగ్ ఎంట్రీ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ఖాతా చెల్లించండి మాత్రమే
 DocType: Loan,Repay Over Number of Periods,చెల్లింపులో కాలాల ఓవర్ సంఖ్య
 DocType: Stock Entry,Additional Costs,అదనపు వ్యయాలు
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో ఖాతా సమూహం మార్చబడుతుంది సాధ్యం కాదు.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో ఖాతా సమూహం మార్చబడుతుంది సాధ్యం కాదు.
 DocType: Lead,Product Enquiry,ఉత్పత్తి ఎంక్వయిరీ
 DocType: Education Settings,Validate Batch for Students in Student Group,స్టూడెంట్ గ్రూప్ లో స్టూడెంట్స్ కోసం బ్యాచ్ ప్రమాణీకరించు
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},తోబుట్టువుల సెలవు రికార్డు ఉద్యోగికి దొరకలేదు {0} కోసం {1}
@@ -255,7 +255,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,మొదటి కంపెనీ నమోదు చేయండి
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,మొదటి కంపెనీ దయచేసి ఎంచుకోండి
 DocType: Employee Education,Under Graduate,గ్రాడ్యుయేట్
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,దయచేసి HR సెట్టింగ్ల్లో లీవ్ స్టేట్ నోటిఫికేషన్ కోసం డిఫాల్ట్ టెంప్లేట్ను సెట్ చేయండి.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,దయచేసి HR సెట్టింగ్ల్లో లీవ్ స్టేట్ నోటిఫికేషన్ కోసం డిఫాల్ట్ టెంప్లేట్ను సెట్ చేయండి.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ఆన్ టార్గెట్
 DocType: BOM,Total Cost,మొత్తం వ్యయం
 DocType: Soil Analysis,Ca/K,CA / K
@@ -268,7 +268,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,ఖాతా ప్రకటన
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ఫార్మాస్యూటికల్స్
 DocType: Purchase Invoice Item,Is Fixed Asset,స్థిర ఆస్తి ఉంది
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","అందుబాటులో అంశాల {0}, మీరు అవసరం {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","అందుబాటులో అంశాల {0}, మీరు అవసరం {1}"
 DocType: Expense Claim Detail,Claim Amount,క్లెయిమ్ సొమ్ము
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},పని ఆర్డర్ {0}
@@ -302,13 +302,13 @@
 DocType: BOM,Quality Inspection Template,నాణ్యత తనిఖీ మూస
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",మీరు హాజరు అప్డేట్ అనుకుంటున్నారు? <br> ప్రస్తుతం: {0} \ <br> ఆబ్సెంట్: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ప్యాక్ చేసిన అంశాల తిరస్కరించబడిన అంగీకరించిన + అంశం అందుకున్నారు పరిమాణం సమానంగా ఉండాలి {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ప్యాక్ చేసిన అంశాల తిరస్కరించబడిన అంగీకరించిన + అంశం అందుకున్నారు పరిమాణం సమానంగా ఉండాలి {0}
 DocType: Item,Supply Raw Materials for Purchase,సప్లై రా మెటీరియల్స్ కొనుగోలు కోసం
 DocType: Agriculture Analysis Criteria,Fertilizer,ఎరువులు
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",సీరియల్ నో ద్వారా డెలివరీను హామీ ఇవ్వలేము \ అంశం {0} మరియు సీరియల్ నంబర్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,చెల్లింపు మోడ్ అయినా POS వాయిస్ అవసరం.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,చెల్లింపు మోడ్ అయినా POS వాయిస్ అవసరం.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,బ్యాంక్ స్టేట్మెంట్ ట్రాన్సాక్షన్ వాయిస్ ఐటెమ్
 DocType: Products Settings,Show Products as a List,షో ఉత్పత్తులు జాబితా
 DocType: Salary Detail,Tax on flexible benefit,సౌకర్యవంతమైన ప్రయోజనం మీద పన్ను
@@ -319,14 +319,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,తేడా Qty
 DocType: Production Plan,Material Request Detail,విషయం అభ్యర్థన వివరాలు
 DocType: Selling Settings,Default Quotation Validity Days,డిఫాల్ట్ కొటేషన్ చెల్లుబాటు డేస్
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","అంశం రేటు వరుసగా {0} లో పన్ను చేర్చడానికి, వరుసలలో పన్నులు {1} కూడా చేర్చారు తప్పక"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","అంశం రేటు వరుసగా {0} లో పన్ను చేర్చడానికి, వరుసలలో పన్నులు {1} కూడా చేర్చారు తప్పక"
 DocType: SMS Center,SMS Center,SMS సెంటర్
 DocType: Payroll Entry,Validate Attendance,హాజరును ధృవీకరించండి
 DocType: Sales Invoice,Change Amount,మొత్తం మారుతుంది
 DocType: Party Tax Withholding Config,Certificate Received,సర్టిఫికెట్ స్వీకరించబడింది
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C కోసం ఇన్వాయిస్ విలువ సెట్. ఈ ఇన్వాయిస్ విలువ ఆధారంగా B2CL మరియు B2CS లెక్కిస్తారు.
 DocType: BOM Update Tool,New BOM,న్యూ BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,సూచించిన పద్ధతులు
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,సూచించిన పద్ధతులు
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,POS ను మాత్రమే చూపించు
 DocType: Supplier Group,Supplier Group Name,సరఫరాదారు సమూహం పేరు
 DocType: Driver,Driving License Categories,డ్రైవింగ్ లైసెన్స్ కేటగిరీలు
@@ -341,7 +341,7 @@
 DocType: Payroll Period,Payroll Periods,పేరోల్ వ్యవధులు
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,ఉద్యోగి చేయండి
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,బ్రాడ్కాస్టింగ్
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS యొక్క సెటప్ మోడ్ (ఆన్లైన్ / ఆఫ్లైన్)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS యొక్క సెటప్ మోడ్ (ఆన్లైన్ / ఆఫ్లైన్)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,వర్క్ ఆర్డర్స్కు వ్యతిరేకంగా సమయం లాగ్లను రూపొందించడాన్ని నిలిపివేస్తుంది. ఆపరేషన్స్ వర్క్ ఆర్డర్కు వ్యతిరేకంగా ట్రాక్ చేయబడవు
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,ఎగ్జిక్యూషన్
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,కార్యకలాపాల వివరాలను చేపట్టారు.
@@ -375,7 +375,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),ధర జాబితా రేటు తగ్గింపు (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,అంశం మూస
 DocType: Job Offer,Select Terms and Conditions,Select నియమాలు మరియు నిబంధనలు
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,అవుట్ విలువ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,అవుట్ విలువ
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,బ్యాంక్ స్టేట్మెంట్ సెట్టింగులు అంశం
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce సెట్టింగులు
 DocType: Production Plan,Sales Orders,సేల్స్ ఆర్డర్స్
@@ -388,20 +388,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,క్రింది లింక్ పై క్లిక్ చేసి కొటేషన్ కోసం అభ్యర్థన ప్రాప్తి చేయవచ్చు
 DocType: SG Creation Tool Course,SG Creation Tool Course,ఎస్జి సృష్టి సాధనం కోర్సు
 DocType: Bank Statement Transaction Invoice Item,Payment Description,చెల్లింపు వివరణ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,సరిపోని స్టాక్
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,సరిపోని స్టాక్
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ఆపివేయి సామర్థ్యం ప్రణాళిక మరియు సమయం ట్రాకింగ్
 DocType: Email Digest,New Sales Orders,న్యూ సేల్స్ ఆర్డర్స్
 DocType: Bank Account,Bank Account,బ్యాంకు ఖాతా
 DocType: Travel Itinerary,Check-out Date,తనిఖీ తేదీ
 DocType: Leave Type,Allow Negative Balance,ప్రతికూల సంతులనం అనుమతించు
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',మీరు ప్రాజెక్ట్ రకం &#39;బాహ్య&#39; తొలగించలేరు
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,ప్రత్యామ్నాయ అంశం ఎంచుకోండి
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,ప్రత్యామ్నాయ అంశం ఎంచుకోండి
 DocType: Employee,Create User,వాడుకరి సృష్టించు
 DocType: Selling Settings,Default Territory,డిఫాల్ట్ భూభాగం
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,టెలివిజన్
 DocType: Work Order Operation,Updated via 'Time Log',&#39;టైం లోగ్&#39; ద్వారా నవీకరించబడింది
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,కస్టమర్ లేదా సరఫరాదారుని ఎంచుకోండి.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},అడ్వాన్స్ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},అడ్వాన్స్ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","సమయం స్లాట్ స్కిప్ చేయబడింది, {0} {1} కు స్లాట్ ఎక్జిబిట్ స్లాట్ {2} కు {3}"
 DocType: Naming Series,Series List for this Transaction,ఈ లావాదేవీ కోసం సిరీస్ జాబితా
 DocType: Company,Enable Perpetual Inventory,శాశ్వత ఇన్వెంటరీ ప్రారంభించు
@@ -422,7 +422,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,సేల్స్ వాయిస్ అంశం వ్యతిరేకంగా
 DocType: Agriculture Analysis Criteria,Linked Doctype,లింక్ చేసిన డాక్టప్
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,ఫైనాన్సింగ్ నుండి నికర నగదు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage పూర్తి, సేవ్ లేదు"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage పూర్తి, సేవ్ లేదు"
 DocType: Lead,Address & Contact,చిరునామా &amp; సంప్రదింపు
 DocType: Leave Allocation,Add unused leaves from previous allocations,మునుపటి కేటాయింపులు నుండి ఉపయోగించని ఆకులు జోడించండి
 DocType: Sales Partner,Partner website,భాగస్వామి వెబ్సైట్
@@ -445,10 +445,10 @@
 ,Open Work Orders,కార్యాలయ ఆర్డర్లు తెరవండి
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,అవుట్ పేషంట్ కన్సల్టింగ్ ఛార్జ్ ఐటమ్
 DocType: Payment Term,Credit Months,క్రెడిట్ నెలలు
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,నికర పే కంటే తక్కువ 0 కాదు
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,నికర పే కంటే తక్కువ 0 కాదు
 DocType: Contract,Fulfilled,నెరవేరిన
 DocType: Inpatient Record,Discharge Scheduled,డిచ్ఛార్జ్ షెడ్యూల్డ్
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,తేదీ ఉపశమనం చేరడం తేదీ కంటే ఎక్కువ ఉండాలి
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,తేదీ ఉపశమనం చేరడం తేదీ కంటే ఎక్కువ ఉండాలి
 DocType: POS Closing Voucher,Cashier,క్యాషియర్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,సంవత్సరానికి ఆకులు
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,రో {0}: తనిఖీ చేయండి ఖాతా వ్యతిరేకంగా &#39;అడ్వాన్స్ ఈజ్&#39; {1} ఈ అడ్వాన్సుగా ఎంట్రీ ఉంటే.
@@ -459,15 +459,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,స్టూడెంట్ గుంపుల క్రింద విద్యార్థులు సెటప్ చేయండి
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,కంప్లీట్ జాబ్
 DocType: Item Website Specification,Item Website Specification,అంశం వెబ్సైట్ స్పెసిఫికేషన్
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Leave నిరోధిత
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},అంశం {0} జీవితం యొక్క దాని ముగింపు చేరుకుంది {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Leave నిరోధిత
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},అంశం {0} జీవితం యొక్క దాని ముగింపు చేరుకుంది {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,బ్యాంక్ ఎంట్రీలు
 DocType: Customer,Is Internal Customer,అంతర్గత వినియోగదారుడు
 DocType: Crop,Annual,వార్షిక
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ఆటో ఆప్ట్ తనిఖీ చేయబడితే, అప్పుడు వినియోగదారులు స్వయంచాలకంగా సంబంధిత లాయల్టీ ప్రోగ్రాం (సేవ్పై) లింక్ చేయబడతారు."
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,స్టాక్ సయోధ్య అంశం
 DocType: Stock Entry,Sales Invoice No,సేల్స్ వాయిస్ లేవు
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,సరఫరా రకం
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,సరఫరా రకం
 DocType: Material Request Item,Min Order Qty,Min ఆర్డర్ ప్యాక్ చేసిన అంశాల
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,స్టూడెంట్ గ్రూప్ సృష్టి సాధనం కోర్సు
 DocType: Lead,Do Not Contact,సంప్రదించండి చేయవద్దు
@@ -481,14 +481,14 @@
 DocType: Item,Publish in Hub,హబ్ లో ప్రచురించండి
 DocType: Student Admission,Student Admission,విద్యార్థి అడ్మిషన్
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} అంశం రద్దు
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} అంశం రద్దు
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,తరుగుదల వరుస {0}: తరుగుదల ప్రారంభ తేదీ గత తేదీ వలె నమోదు చేయబడింది
 DocType: Contract Template,Fulfilment Terms and Conditions,నెరవేర్చుట నిబంధనలు మరియు షరతులు
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,మెటీరియల్ అభ్యర్థన
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,మెటీరియల్ అభ్యర్థన
 DocType: Bank Reconciliation,Update Clearance Date,నవీకరణ క్లియరెన్స్ తేదీ
 ,GSTR-2,GSTR -2
 DocType: Item,Purchase Details,కొనుగోలు వివరాలు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},కొనుగోలు ఆర్డర్ లో &#39;రా మెటీరియల్స్ పంపినవి&#39; పట్టికలో దొరకలేదు అంశం {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},కొనుగోలు ఆర్డర్ లో &#39;రా మెటీరియల్స్ పంపినవి&#39; పట్టికలో దొరకలేదు అంశం {0} {1}
 DocType: Salary Slip,Total Principal Amount,మొత్తం ప్రధాన మొత్తం
 DocType: Student Guardian,Relation,రిలేషన్
 DocType: Student Guardian,Mother,తల్లి
@@ -533,10 +533,11 @@
 DocType: Tax Rule,Shipping County,షిప్పింగ్ కౌంటీ
 DocType: Currency Exchange,For Selling,సెల్లింగ్ కోసం
 apps/erpnext/erpnext/config/desktop.py +159,Learn,తెలుసుకోండి
+DocType: Purchase Invoice Item,Enable Deferred Expense,వాయిదాపడిన ఖర్చుని ప్రారంభించండి
 DocType: Asset,Next Depreciation Date,తదుపరి అరుగుదల తేదీ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ఉద్యోగి ప్రతి కార్యాచరణ ఖర్చు
 DocType: Accounts Settings,Settings for Accounts,అకౌంట్స్ కోసం సెట్టింగులు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},సరఫరాదారు వాయిస్ లేవు కొనుగోలు వాయిస్ లో ఉంది {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},సరఫరాదారు వాయిస్ లేవు కొనుగోలు వాయిస్ లో ఉంది {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,సేల్స్ పర్సన్ ట్రీ నిర్వహించండి.
 DocType: Job Applicant,Cover Letter,కవర్ లెటర్
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,అత్యుత్తమ చెక్కుల మరియు క్లియర్ డిపాజిట్లు
@@ -551,7 +552,7 @@
 DocType: Employee,External Work History,బాహ్య వర్క్ చరిత్ర
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,సర్క్యులర్ సూచన లోపం
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,స్టూడెంట్ రిపోర్ట్ కార్డ్
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,పిన్ కోడ్ నుండి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,పిన్ కోడ్ నుండి
 DocType: Appointment Type,Is Inpatient,ఇన్పేషెంట్
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 పేరు
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,మీరు డెలివరీ గమనిక సేవ్ ఒకసారి పదాలు (ఎగుమతి) లో కనిపిస్తుంది.
@@ -566,18 +567,19 @@
 DocType: Journal Entry,Multi Currency,మల్టీ కరెన్సీ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,వాయిస్ పద్ధతి
 DocType: Employee Benefit Claim,Expense Proof,వ్యయ ప్రూఫ్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,డెలివరీ గమనిక
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},సేవ్ చేయడం {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,డెలివరీ గమనిక
 DocType: Patient Encounter,Encounter Impression,ఎన్కౌంటర్ ఇంప్రెషన్
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,పన్నులు ఏర్పాటు
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,సోల్డ్ ఆస్తి యొక్క ధర
 DocType: Volunteer,Morning,ఉదయం
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,మీరు వైదొలగిన తర్వాత చెల్లింపు ఎంట్రీ మారిస్తే. మళ్ళీ తీసి దయచేసి.
 DocType: Program Enrollment Tool,New Student Batch,కొత్త స్టూడెంట్ బ్యాచ్
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} అంశం పన్ను రెండుసార్లు ఎంటర్
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,ఈ వారం పెండింగ్ కార్యకలాపాలకు సారాంశం
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} అంశం పన్ను రెండుసార్లు ఎంటర్
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,ఈ వారం పెండింగ్ కార్యకలాపాలకు సారాంశం
 DocType: Student Applicant,Admitted,చేరినవారి
 DocType: Workstation,Rent Cost,రెంట్ ఖర్చు
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,మొత్తం అరుగుదల తరువాత
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,మొత్తం అరుగుదల తరువాత
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,రాబోయే క్యాలెండర్ ఈవెంట్స్
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,వేరియంట్ గుణాలు
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,నెల మరియు సంవత్సరం దయచేసి ఎంచుకోండి
@@ -615,7 +617,7 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},మాత్రమే కంపెనీవారి ప్రతి 1 ఖాతా ఉండగలడు {0} {1}
 DocType: Support Search Source,Response Result Key Path,ప్రతిస్పందన ఫలితం కీ మార్గం
 DocType: Journal Entry,Inter Company Journal Entry,ఇంటర్ కంపెనీ జర్నల్ ఎంట్రీ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,అటాచ్మెంట్ చూడండి
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,అటాచ్మెంట్ చూడండి
 DocType: Purchase Order,% Received,% పొందింది
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,విద్యార్థి సమూహాలు సృష్టించండి
 DocType: Volunteer,Weekends,వీకెండ్స్
@@ -657,7 +659,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,మొత్తం అత్యుత్తమమైనది
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,అప్పటికే ఉన్న సిరీస్ ప్రారంభం / ప్రస్తుత క్రమ సంఖ్య మార్చండి.
 DocType: Dosage Strength,Strength,బలం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ఒక కొత్త కస్టమర్ సృష్టించు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,ఒక కొత్త కస్టమర్ సృష్టించు
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,ముగుస్తున్నది
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","బహుళ ధర రూల్స్ వ్యాప్తి చెందడం కొనసాగుతుంది, వినియోగదారులు పరిష్కరించవచ్చు మానవీయంగా ప్రాధాన్యత సెట్ కోరతారు."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,కొనుగోలు ఉత్తర్వులు సృష్టించు
@@ -668,17 +670,18 @@
 DocType: Workstation,Consumable Cost,వినిమయ వ్యయం
 DocType: Purchase Receipt,Vehicle Date,వాహనం తేదీ
 DocType: Student Log,Medical,మెడికల్
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,కోల్పోయినందుకు కారణము
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,డ్రగ్ ఎంచుకోండి
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,కోల్పోయినందుకు కారణము
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,డ్రగ్ ఎంచుకోండి
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,లీడ్ యజమాని లీడ్ అదే ఉండకూడదు
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,కేటాయించిన మొత్తాన్ని అన్ఏడ్జస్టెడ్ మొత్తానికన్నా ఎక్కువ కాదు
 DocType: Announcement,Receiver,స్వీకర్త
 DocType: Location,Area UOM,ప్రాంతం UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},కార్యక్షేత్ర హాలిడే జాబితా ప్రకారం క్రింది తేదీలు మూసివేయబడింది: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,అవకాశాలు
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,అవకాశాలు
 DocType: Lab Test Template,Single,సింగిల్
 DocType: Compensatory Leave Request,Work From Date,తేదీ నుండి పని
 DocType: Salary Slip,Total Loan Repayment,మొత్తం లోన్ తిరిగి చెల్లించే
+DocType: Project User,View attachments,జోడింపులను వీక్షించండి
 DocType: Account,Cost of Goods Sold,వస్తువుల ఖర్చు సోల్డ్
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,ఖర్చు సెంటర్ నమోదు చేయండి
 DocType: Drug Prescription,Dosage,మోతాదు
@@ -689,7 +692,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,పరిమాణ మరియు రేటు
 DocType: Delivery Note,% Installed,% వ్యవస్థాపించిన
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,తరగతి / లాబొరేటరీస్ తదితర ఉపన్యాసాలు షెడ్యూల్ చేసుకోవచ్చు.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,రెండు సంస్థల కంపెనీ కరెన్సీలు ఇంటర్ కంపెనీ లావాదేవీలకు సరిపోలాలి.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,రెండు సంస్థల కంపెనీ కరెన్సీలు ఇంటర్ కంపెనీ లావాదేవీలకు సరిపోలాలి.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,మొదటి కంపెనీ పేరును నమోదు చేయండి
 DocType: Travel Itinerary,Non-Vegetarian,బోథ్
 DocType: Purchase Invoice,Supplier Name,సరఫరా చేయువాని పేరు
@@ -699,7 +702,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,తాత్కాలికంగా హోల్డ్లో ఉంది
 DocType: Account,Is Group,సమూహ
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,క్రెడిట్ గమనిక {0} స్వయంచాలకంగా సృష్టించబడింది
-DocType: Email Digest,Pending Purchase Orders,కొనుగోలు ఉత్తర్వులు పెండింగ్లో
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,స్వయంచాలకంగా FIFO ఆధారంగా మేము సీరియల్ సెట్
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,పరిశీలించడం సరఫరాదారు వాయిస్ సంఖ్య ప్రత్యేకత
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,ప్రాథమిక చిరునామా వివరాలు
@@ -716,12 +718,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +221,{0} {1} is not associated with {2} {3},{0} {1} {2} తో సంబంధం లేదు {3}
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ఆ ఈమెయిల్ భాగంగా వెళ్ళే పరిచయ టెక్స్ట్ అనుకూలీకరించండి. ప్రతి లావాదేవీ ఒక ప్రత్యేక పరిచయ టెక్స్ట్ ఉంది.
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},కంపెనీ కోసం డిఫాల్ట్ చెల్లించవలసిన ఖాతా సెట్ దయచేసి {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},లావాదేవీ ఆపడానికి వ్యతిరేకంగా అనుమతించలేదు పని ఆర్డర్ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},లావాదేవీ ఆపడానికి వ్యతిరేకంగా అనుమతించలేదు పని ఆర్డర్ {0}
 DocType: Setup Progress Action,Min Doc Count,మిన్ డాక్స్ కౌంట్
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,అన్ని తయారీ ప్రక్రియలకు గ్లోబల్ సెట్టింగులు.
 DocType: Accounts Settings,Accounts Frozen Upto,ఘనీభవించిన వరకు అకౌంట్స్
 DocType: SMS Log,Sent On,న పంపిన
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,లక్షణం {0} గుణాలు పట్టిక పలుమార్లు ఎంపిక
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,లక్షణం {0} గుణాలు పట్టిక పలుమార్లు ఎంపిక
 DocType: HR Settings,Employee record is created using selected field. ,Employee రికార్డు ఎంపిక రంగంలో ఉపయోగించి రూపొందించినవారు ఉంది.
 DocType: Sales Order,Not Applicable,వర్తించదు
 DocType: Amazon MWS Settings,UK,UK
@@ -750,21 +752,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,ఉద్యోగి {0} {2} లో {2} కోసం ఇప్పటికే వర్తింపజేశారు:
 DocType: Inpatient Record,AB Positive,AB అనుకూల
 DocType: Job Opening,Description of a Job Opening,ఒక ఉద్యోగ అవకాశాల వివరణ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,నేడు పెండింగ్లో కార్యకలాపాలు
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,నేడు పెండింగ్లో కార్యకలాపాలు
 DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet ఆధారంగా పేరోల్ కోసం జీతం భాగం.
+DocType: Driver,Applicable for external driver,బాహ్య డ్రైవర్ కోసం వర్తించే
 DocType: Sales Order Item,Used for Production Plan,ఉత్పత్తి ప్లాన్ వుపయోగించే
 DocType: Loan,Total Payment,మొత్తం చెల్లింపు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,పూర్తి వర్క్ ఆర్డర్ కోసం లావాదేవీని రద్దు చేయలేరు.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,పూర్తి వర్క్ ఆర్డర్ కోసం లావాదేవీని రద్దు చేయలేరు.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(నిమిషాలు) ఆపరేషన్స్ మధ్య సమయం
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO అన్ని అమ్మకాలు ఆర్డర్ అంశాల కోసం ఇప్పటికే సృష్టించబడింది
 DocType: Healthcare Service Unit,Occupied,ఆక్రమిత
 DocType: Clinical Procedure,Consumables,వినియోగితాలు
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} చర్య పూర్తి చేయబడదు కాబట్టి రద్దు
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} చర్య పూర్తి చేయబడదు కాబట్టి రద్దు
 DocType: Customer,Buyer of Goods and Services.,గూడ్స్ అండ్ సర్వీసెస్ కొనుగోలుదారు.
 DocType: Journal Entry,Accounts Payable,చెల్లించవలసిన ఖాతాలు
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,ఈ చెల్లింపు అభ్యర్థనలో {0} సెట్ మొత్తం మొత్తం చెల్లింపు పథకాల లెక్కించిన మొత్తానికి భిన్నంగా ఉంటుంది: {1}. పత్రాన్ని సమర్పించే ముందు ఇది సరైనదని నిర్ధారించుకోండి.
 DocType: Patient,Allergies,అలర్జీలు
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,ఎంపిక BOMs అదే అంశం కోసం కాదు
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,ఎంపిక BOMs అదే అంశం కోసం కాదు
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,అంశం కోడ్ను మార్చండి
 DocType: Supplier Scorecard Standing,Notify Other,ఇతర తెలియజేయి
 DocType: Vital Signs,Blood Pressure (systolic),రక్తపోటు (సిస్టోలిక్)
@@ -776,7 +779,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,తగినంత భాగాలు బిల్డ్
 DocType: POS Profile User,POS Profile User,POS ప్రొఫైల్ వాడుకరి
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,వరుస {0}: తరుగుదల ప్రారంభ తేదీ అవసరం
-DocType: Sales Invoice Item,Service Start Date,సర్వీస్ ప్రారంభ తేదీ
+DocType: Purchase Invoice Item,Service Start Date,సర్వీస్ ప్రారంభ తేదీ
 DocType: Subscription Invoice,Subscription Invoice,సబ్స్క్రిప్షన్ ఇన్వాయిస్
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,ప్రత్యక్ష ఆదాయం
 DocType: Patient Appointment,Date TIme,తేదీ TIme
@@ -796,7 +799,7 @@
 DocType: Lab Test Template,Lab Routine,ల్యాబ్ రొటీన్
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,కాస్మటిక్స్
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,పూర్తి చేసిన ఆస్తి నిర్వహణ లాగ్ కోసం పూర్తి తేదీని దయచేసి ఎంచుకోండి
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","విలీనం, క్రింది రెండు లక్షణాలతో అంశాలను అదే ఉండాలి"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","విలీనం, క్రింది రెండు లక్షణాలతో అంశాలను అదే ఉండాలి"
 DocType: Supplier,Block Supplier,బ్లాక్ సరఫరాదారు
 DocType: Shipping Rule,Net Weight,నికర బరువు
 DocType: Job Opening,Planned number of Positions,స్థానాల ప్రణాళికా సంఖ్య
@@ -818,19 +821,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,నగదు ప్రవాహం మ్యాపింగ్ మూస
 DocType: Travel Request,Costing Details,ఖర్చు వివరాలు
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,చూపించు ఎంట్రీలు చూపించు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,సీరియల్ ఏ అంశం ఒక భిన్నం ఉండకూడదు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,సీరియల్ ఏ అంశం ఒక భిన్నం ఉండకూడదు
 DocType: Journal Entry,Difference (Dr - Cr),తేడా (డాక్టర్ - CR)
 DocType: Bank Guarantee,Providing,అందించడం
 DocType: Account,Profit and Loss,లాభం మరియు నష్టం
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","అనుమతించబడలేదు, అవసరమైతే ల్యాబ్ పరీక్ష టెంప్లేట్ను కాన్ఫిగర్ చేయండి"
 DocType: Patient,Risk Factors,ప్రమాద కారకాలు
 DocType: Patient,Occupational Hazards and Environmental Factors,వృత్తిపరమైన ప్రమాదాలు మరియు పర్యావరణ కారకాలు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,స్టాక్ ఎంట్రీలు ఇప్పటికే వర్క్ ఆర్డర్ కోసం సృష్టించబడ్డాయి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,స్టాక్ ఎంట్రీలు ఇప్పటికే వర్క్ ఆర్డర్ కోసం సృష్టించబడ్డాయి
 DocType: Vital Signs,Respiratory rate,శ్వాసక్రియ రేటు
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,మేనేజింగ్ ఉప
 DocType: Vital Signs,Body Temperature,శరీర ఉష్ణోగ్రత
 DocType: Project,Project will be accessible on the website to these users,ప్రాజెక్టు ఈ వినియోగదారులకు వెబ్ సైట్ అందుబాటులో ఉంటుంది
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} రద్దు చేయలేము ఎందుకంటే సీరియల్ నో {2} గిడ్డంగికి చెందినది కాదు {3}
 DocType: Detected Disease,Disease,వ్యాధి
+DocType: Company,Default Deferred Expense Account,డిఫాల్ట్ డిఫెరోడ్ ఎక్స్పెన్స్ అకౌంట్
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,ప్రాజెక్ట్ రకం నిర్వచించండి.
 DocType: Supplier Scorecard,Weighting Function,వెయిటింగ్ ఫంక్షన్
 DocType: Healthcare Practitioner,OP Consulting Charge,OP కన్సల్టింగ్ ఛార్జ్
@@ -847,7 +852,7 @@
 DocType: Crop,Produced Items,ఉత్పత్తి అంశాలు
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,ఇన్వాయిస్లకు లావాదేవీని సరిపోల్చండి
 DocType: Sales Order Item,Gross Profit,స్థూల లాభం
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,వాయిస్ని అన్బ్లాక్ చేయండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,వాయిస్ని అన్బ్లాక్ చేయండి
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,పెంపు 0 ఉండకూడదు
 DocType: Company,Delete Company Transactions,కంపెనీ లావాదేవీలు తొలగించు
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,రిఫరెన్స్ ఇక లేవు ప్రస్తావన తేదీ బ్యాంక్ లావాదేవీల తప్పనిసరి
@@ -868,11 +873,11 @@
 DocType: Budget,Ignore,విస్మరించు
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} సక్రియ కాదు
 DocType: Woocommerce Settings,Freight and Forwarding Account,ఫ్రైట్ అండ్ ఫార్వార్డింగ్ అకౌంట్
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,ముద్రణా సెటప్ చెక్ కొలతలు
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,ముద్రణా సెటప్ చెక్ కొలతలు
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,జీతం స్లిప్స్ సృష్టించండి
 DocType: Vital Signs,Bloated,మందకొడి
 DocType: Salary Slip,Salary Slip Timesheet,జీతం స్లిప్ TIMESHEET
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ఉప-ఒప్పంద కొనుగోలు రసీదులు తప్పనిసరి సరఫరాదారు వేర్హౌస్
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ఉప-ఒప్పంద కొనుగోలు రసీదులు తప్పనిసరి సరఫరాదారు వేర్హౌస్
 DocType: Item Price,Valid From,నుండి వరకు చెల్లుతుంది
 DocType: Sales Invoice,Total Commission,మొత్తం కమిషన్
 DocType: Tax Withholding Account,Tax Withholding Account,పన్ను అక్రమ హోల్డింగ్ ఖాతా
@@ -880,12 +885,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,అన్ని సరఫరాదారు స్కోర్కార్డులు.
 DocType: Buying Settings,Purchase Receipt Required,కొనుగోలు రసీదులు అవసరం
 DocType: Delivery Note,Rail,రైల్
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,వరుసలో ఉన్న టార్గెట్ గిడ్డంగి {0} వర్క్ ఆర్డర్ వలె ఉండాలి
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,తెరవడం స్టాక్ ఎంటర్ చేస్తే వాల్యువేషన్ రేటు తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,వరుసలో ఉన్న టార్గెట్ గిడ్డంగి {0} వర్క్ ఆర్డర్ వలె ఉండాలి
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,తెరవడం స్టాక్ ఎంటర్ చేస్తే వాల్యువేషన్ రేటు తప్పనిసరి
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,వాయిస్ పట్టిక కనుగొనబడలేదు రికార్డులు
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,మొదటి కంపెనీ మరియు పార్టీ రకాన్ని ఎంచుకోండి
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","వినియోగదారుడు {1} కోసం సానుకూల ప్రొఫైల్ లో {0} డిఫాల్ట్గా సెట్ చేయండి, దయచేసి సిద్ధంగా డిసేబుల్ చెయ్యబడింది"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,ఫైనాన్షియల్ / అకౌంటింగ్ సంవత్సరం.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,ఫైనాన్షియల్ / అకౌంటింగ్ సంవత్సరం.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,పోగుచేసిన విలువలు
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","క్షమించండి, సీరియల్ సంఖ్యలు విలీనం సాధ్యం కాదు"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify నుండి వినియోగదారులను సమకాలీకరించేటప్పుడు కస్టమర్ గ్రూప్ ఎంచుకున్న సమూహానికి సెట్ చేస్తుంది
@@ -899,7 +904,7 @@
 ,Lead Id,లీడ్ ID
 DocType: C-Form Invoice Detail,Grand Total,సంపూర్ణ మొత్తము
 DocType: Assessment Plan,Course,కోర్సు
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,విభాగం కోడ్
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,విభాగం కోడ్
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,తేదీ మరియు తేదీల మధ్య హాఫ్ డేట్ తేదీ ఉండాలి
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,అంశం కార్ట్
@@ -908,7 +913,8 @@
 DocType: Employee,Personal Bio,వ్యక్తిగత బయో
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,సభ్యత్వ ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},పంపిణీ: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},పంపిణీ: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,క్విక్బుక్స్లో కనెక్ట్ చేయబడింది
 DocType: Bank Statement Transaction Entry,Payable Account,చెల్లించవలసిన ఖాతా
 DocType: Payment Entry,Type of Payment,చెల్లింపు రకం
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,హాఫ్ డే తేదీ తప్పనిసరి
@@ -920,7 +926,7 @@
 DocType: Sales Invoice,Shipping Bill Date,షిప్పింగ్ బిల్ తేదీ
 DocType: Production Plan,Production Plan,ఉత్పత్తి ప్రణాళిక
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,వాయిస్ సృష్టి సాధనాన్ని తెరవడం
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,సేల్స్ చూపించు
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,సేల్స్ చూపించు
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,గమనిక: మొత్తం కేటాయించింది ఆకులు {0} ఇప్పటికే ఆమోదం ఆకులు కంటే తక్కువ ఉండకూడదు {1} కాలానికి
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,సీరియల్ నో ఇన్పుట్ ఆధారంగా లావాదేవీల్లో Qty సెట్ చేయండి
 ,Total Stock Summary,మొత్తం స్టాక్ సారాంశం
@@ -931,9 +937,9 @@
 DocType: Authorization Rule,Customer or Item,కస్టమర్ లేదా అంశం
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,కస్టమర్ డేటాబేస్.
 DocType: Quotation,Quotation To,.కొటేషన్
-DocType: Lead,Middle Income,మధ్య ఆదాయ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,మధ్య ఆదాయ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),ప్రారంభ (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,మీరు ఇప్పటికే మరొక UoM కొన్ని ట్రాన్సాక్షన్ (లు) చేసిన ఎందుకంటే అంశం కోసం మెజర్ అప్రమేయ యూనిట్ {0} నేరుగా మారలేదు. మీరు వేరే డిఫాల్ట్ UoM ఉపయోగించడానికి ఒక కొత్త అంశాన్ని సృష్టించడానికి అవసరం.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,మీరు ఇప్పటికే మరొక UoM కొన్ని ట్రాన్సాక్షన్ (లు) చేసిన ఎందుకంటే అంశం కోసం మెజర్ అప్రమేయ యూనిట్ {0} నేరుగా మారలేదు. మీరు వేరే డిఫాల్ట్ UoM ఉపయోగించడానికి ఒక కొత్త అంశాన్ని సృష్టించడానికి అవసరం.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,కేటాయించింది మొత్తం ప్రతికూల ఉండకూడదు
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,కంపెనీ సెట్ దయచేసి
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,కంపెనీ సెట్ దయచేసి
@@ -951,15 +957,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,బ్యాంక్ ఎంట్రీ చేయడానికి చెల్లింపు ఖాతా ఎంచుకోండి
 DocType: Hotel Settings,Default Invoice Naming Series,డిఫాల్ట్ ఇన్వాయిస్ నామింగ్ సిరీస్
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","ఆకులు, వ్యయం వాదనలు మరియు పేరోల్ నిర్వహించడానికి ఉద్యోగి రికార్డులు సృష్టించు"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,నవీకరణ ప్రాసెస్ సమయంలో లోపం సంభవించింది
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,నవీకరణ ప్రాసెస్ సమయంలో లోపం సంభవించింది
 DocType: Restaurant Reservation,Restaurant Reservation,రెస్టారెంట్ రిజర్వేషన్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,ప్రతిపాదన రాయడం
 DocType: Payment Entry Deduction,Payment Entry Deduction,చెల్లింపు ఎంట్రీ తీసివేత
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,చుట్టి వేయు
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,ఇమెయిల్ ద్వారా కస్టమర్లకు తెలియజేయండి
 DocType: Item,Batch Number Series,బ్యాచ్ సంఖ్య సీరీస్
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,మరో సేల్స్ పర్సన్ {0} అదే ఉద్యోగి ఐడితో ఉంది
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,మరో సేల్స్ పర్సన్ {0} అదే ఉద్యోగి ఐడితో ఉంది
 DocType: Employee Advance,Claimed Amount,దావా వేసిన మొత్తం
+DocType: QuickBooks Migrator,Authorization Settings,ప్రామాణీకరణ సెట్టింగ్లు
 DocType: Travel Itinerary,Departure Datetime,బయలుదేరే సమయం
 DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,ప్రయాణం అభ్యర్థన వ్యయం
@@ -999,25 +1006,28 @@
 DocType: Buying Settings,Supplier Naming By,ద్వారా సరఫరాదారు నేమింగ్
 DocType: Activity Type,Default Costing Rate,డిఫాల్ట్ వ్యయంతో రేటు
 DocType: Maintenance Schedule,Maintenance Schedule,నిర్వహణ షెడ్యూల్
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","అప్పుడు ధర నిబంధనలకు మొదలైనవి కస్టమర్, కస్టమర్ గ్రూప్, భూభాగం, సరఫరాదారు, సరఫరాదారు పద్ధతి, ప్రచారం, అమ్మకపు భాగస్వామిగా ఆధారంగా వడకట్టేస్తుంది"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","అప్పుడు ధర నిబంధనలకు మొదలైనవి కస్టమర్, కస్టమర్ గ్రూప్, భూభాగం, సరఫరాదారు, సరఫరాదారు పద్ధతి, ప్రచారం, అమ్మకపు భాగస్వామిగా ఆధారంగా వడకట్టేస్తుంది"
 DocType: Employee Promotion,Employee Promotion Details,ఉద్యోగి ప్రమోషన్ వివరాలు
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,ఇన్వెంటరీ నికర మార్పును
 DocType: Employee,Passport Number,పాస్పోర్ట్ సంఖ్య
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 తో రిలేషన్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,మేనేజర్
 DocType: Payment Entry,Payment From / To,చెల్లింపు / నుండి
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,ఫిస్కల్ ఇయర్ నుండి
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},క్రొత్త క్రెడిట్ పరిమితి కస్టమర్ ప్రస్తుత అసాధారణ మొత్తం కంటే తక్కువగా ఉంటుంది. క్రెడిట్ పరిమితి కనీసం ఉండాలి {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,మరియు &#39;గ్రూప్ ద్వారా&#39; &#39;ఆధారంగా&#39; అదే ఉండకూడదు
 DocType: Sales Person,Sales Person Targets,సేల్స్ పర్సన్ టార్గెట్స్
 DocType: Work Order Operation,In minutes,నిమిషాల్లో
 DocType: Issue,Resolution Date,రిజల్యూషన్ తేదీ
 DocType: Lab Test Template,Compound,కాంపౌండ్
+DocType: Opportunity,Probability (%),సంభావ్యత (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,డిస్ప్లేట్ నోటిఫికేషన్
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,ఆస్తి ఎంచుకోండి
 DocType: Student Batch Name,Batch Name,బ్యాచ్ పేరు
 DocType: Fee Validity,Max number of visit,సందర్శన యొక్క అత్యధిక సంఖ్య
 ,Hotel Room Occupancy,హోటల్ రూం ఆక్యుపెన్సీ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet రూపొందించినవారు:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},చెల్లింపు విధానం లో డిఫాల్ట్ నగదు లేదా బ్యాంక్ ఖాతా సెట్ దయచేసి {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},చెల్లింపు విధానం లో డిఫాల్ట్ నగదు లేదా బ్యాంక్ ఖాతా సెట్ దయచేసి {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,నమోదు
 DocType: GST Settings,GST Settings,జిఎస్టి సెట్టింగులు
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},కరెన్సీ ధర జాబితాలో సమానంగా ఉండాలి కరెన్సీ: {0}
@@ -1058,12 +1068,12 @@
 DocType: Loan,Total Interest Payable,చెల్లించవలసిన మొత్తం వడ్డీ
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,అడుగుపెట్టాయి ఖర్చు పన్నులు మరియు ఆరోపణలు
 DocType: Work Order Operation,Actual Start Time,వాస్తవ ప్రారంభ సమయం
+DocType: Purchase Invoice Item,Deferred Expense Account,వాయిదా వేసిన ఖర్చు ఖాతా
 DocType: BOM Operation,Operation Time,ఆపరేషన్ సమయం
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,ముగించు
 DocType: Salary Structure Assignment,Base,బేస్
 DocType: Timesheet,Total Billed Hours,మొత్తం కస్టమర్లకు గంటలు
 DocType: Travel Itinerary,Travel To,ప్రయాణం చేయు
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,కాదు
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,మొత్తం ఆఫ్ వ్రాయండి
 DocType: Leave Block List Allow,Allow User,వాడుకరి అనుమతించు
 DocType: Journal Entry,Bill No,బిల్ లేవు
@@ -1082,9 +1092,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,సమయ పట్టిక
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush రా మెటీరియల్స్ బేస్డ్ న
 DocType: Sales Invoice,Port Code,పోర్ట్ కోడ్
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,రిజర్వ్ వేర్హౌస్
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,రిజర్వ్ వేర్హౌస్
 DocType: Lead,Lead is an Organization,లీడ్ ఒక సంస్థ
-DocType: Guardian Interest,Interest,వడ్డీ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,ప్రీ సేల్స్
 DocType: Instructor Log,Other Details,ఇతర వివరాలు
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1094,7 +1103,7 @@
 DocType: Account,Accounts,అకౌంట్స్
 DocType: Vehicle,Odometer Value (Last),ఓడోమీటార్ విలువ (చివరి)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,సరఫరాదారు స్కోర్కార్డు ప్రమాణాల యొక్క టెంప్లేట్లు.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,మార్కెటింగ్
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,మార్కెటింగ్
 DocType: Sales Invoice,Redeem Loyalty Points,లాయల్టీ పాయింట్స్ను రీడీమ్ చేయండి
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,చెల్లింపు ఎంట్రీ ఇప్పటికే రూపొందించినవారు ఉంటుంది
 DocType: Request for Quotation,Get Suppliers,సరఫరాదారులు పొందండి
@@ -1111,16 +1120,14 @@
 DocType: Crop,Crop Spacing UOM,పంట అంతరం UOM
 DocType: Loyalty Program,Single Tier Program,సింగిల్ టైర్ ప్రోగ్రామ్
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,మీకు క్యాష్ ఫ్లో ఫ్లాపర్ మ్యాపర్ పత్రాలు ఉంటే మాత్రమే ఎంచుకోండి
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,చిరునామా 1 నుండి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,చిరునామా 1 నుండి
 DocType: Email Digest,Next email will be sent on:,తదుపరి ఇమెయిల్ పంపబడుతుంది:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",అంశం {item} {verb} ను {message} అంశంగా గుర్తిస్తారు. మీరు వాటిని సందేశ అంశం నుండి {message} అంశంగా ఎనేబుల్ చేయవచ్చు.
 DocType: Supplier Scorecard,Per Week,వారానికి
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,అంశం రకాల్లో.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,అంశం రకాల్లో.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,మొత్తం విద్యార్థి
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,అంశం {0} దొరకలేదు
 DocType: Bin,Stock Value,స్టాక్ విలువ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,కంపెనీ {0} ఉనికిలో లేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,కంపెనీ {0} ఉనికిలో లేదు
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} {1} వరకు ఫీజు చెల్లుబాటు ఉంది
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,ట్రీ టైప్
 DocType: BOM Explosion Item,Qty Consumed Per Unit,ప్యాక్ చేసిన అంశాల యూనిట్కు సేవించాలి
@@ -1136,7 +1143,7 @@
 ,Fichier des Ecritures Comptables [FEC],ఫిషియర్ డెస్ ఈక్విట్రర్స్ కాంపెబుల్స్ [FEC]
 DocType: Journal Entry,Credit Card Entry,క్రెడిట్ కార్డ్ ఎంట్రీ
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,కంపెనీ మరియు అకౌంట్స్
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,విలువ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,విలువ
 DocType: Asset Settings,Depreciation Options,తరుగుదల ఐచ్ఛికాలు
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,స్థానం లేదా ఉద్యోగి తప్పనిసరిగా ఉండాలి
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,చెల్లని పోస్ట్ సమయం
@@ -1153,20 +1160,21 @@
 DocType: Leave Allocation,Allocation,కేటాయింపు
 DocType: Purchase Order,Supply Raw Materials,సప్లై రా మెటీరియల్స్
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ప్రస్తుత ఆస్తులు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} స్టాక్ అంశం కాదు
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} స్టాక్ అంశం కాదు
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"శిక్షణ ఫీడ్బ్యాక్ మీద క్లిక్ చేసి, తరువాత &#39;కొత్త&#39;"
 DocType: Mode of Payment Account,Default Account,డిఫాల్ట్ ఖాతా
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,మొదటి స్టాక్ సెట్టింగులలో నమూనా Retention Warehouse ఎంచుకోండి
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,మొదటి స్టాక్ సెట్టింగులలో నమూనా Retention Warehouse ఎంచుకోండి
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,ఒకటి కంటే ఎక్కువ సేకరణ నిబంధనలకు బహుళ టైర్ ప్రోగ్రామ్ రకాన్ని ఎంచుకోండి.
 DocType: Payment Entry,Received Amount (Company Currency),అందుకున్న మొత్తం (కంపెనీ కరెన్సీ)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,అవకాశం లీడ్ నుండి తయారు చేస్తారు ఉంటే లీడ్ ఏర్పాటు చేయాలి
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,చెల్లింపు రద్దు చేయబడింది. దయచేసి మరిన్ని వివరాల కోసం మీ GoCardless ఖాతాను తనిఖీ చేయండి
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,జోడింపుతో పంపు
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,వీక్లీ ఆఫ్ రోజును ఎంచుకోండి
 DocType: Inpatient Record,O Negative,ఓ నెగటివ్
 DocType: Work Order Operation,Planned End Time,అనుకున్న ముగింపు సమయం
 ,Sales Person Target Variance Item Group-Wise,సేల్స్ పర్సన్ టార్గెట్ విస్తృతి అంశం గ్రూప్-వైజ్
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,ఇప్పటికే లావాదేవీతో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,ఇప్పటికే లావాదేవీతో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership పద్ధతి వివరాలు
 DocType: Delivery Note,Customer's Purchase Order No,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ సంఖ్య
 DocType: Clinical Procedure,Consume Stock,స్టాక్ తీసుకోండి
@@ -1179,26 +1187,26 @@
 DocType: Soil Texture,Sand,ఇసుక
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,శక్తి
 DocType: Opportunity,Opportunity From,నుండి అవకాశం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,వరుస {0}: {1} అంశం కోసం {2} క్రమ సంఖ్య అవసరం. మీరు {3} ను అందించారు.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,వరుస {0}: {1} అంశం కోసం {2} క్రమ సంఖ్య అవసరం. మీరు {3} ను అందించారు.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,దయచేసి ఒక పట్టికను ఎంచుకోండి
 DocType: BOM,Website Specifications,వెబ్సైట్ లక్షణాలు
 DocType: Special Test Items,Particulars,వివరముల
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: నుండి {0} రకం {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,రో {0}: మార్పిడి ఫాక్టర్ తప్పనిసరి
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,రో {0}: మార్పిడి ఫాక్టర్ తప్పనిసరి
 DocType: Student,A+,ఒక +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","అదే ప్రమాణాల బహుళ ధర రూల్స్ ఉనికిలో ఉంది, ప్రాధాన్యత కేటాయించి వివాద పరిష్కారం దయచేసి. ధర నియమాలు: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","అదే ప్రమాణాల బహుళ ధర రూల్స్ ఉనికిలో ఉంది, ప్రాధాన్యత కేటాయించి వివాద పరిష్కారం దయచేసి. ధర నియమాలు: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,ఎక్స్చేంజ్ రేట్ రీఛూలేషన్ ఖాతా
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,సోమరిగాచేయు లేదా ఇతర BOMs తో అనుసంధానం BOM రద్దు కాదు
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,సోమరిగాచేయు లేదా ఇతర BOMs తో అనుసంధానం BOM రద్దు కాదు
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,దయచేసి ఎంట్రీలను పొందడానికి కంపెనీని మరియు పోస్ట్ తేదీని ఎంచుకోండి
 DocType: Asset,Maintenance,నిర్వహణ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,పేషెంట్ ఎన్కౌంటర్ నుండి పొందండి
 DocType: Subscriber,Subscriber,సబ్స్క్రయిబర్
 DocType: Item Attribute Value,Item Attribute Value,అంశం విలువను ఆపాదించే
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,దయచేసి మీ ప్రాజెక్ట్ స్థితిని నవీకరించండి
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,దయచేసి మీ ప్రాజెక్ట్ స్థితిని నవీకరించండి
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,కరెన్సీ ఎక్స్ఛేంజ్ కొనుగోలు లేదా అమ్మకం కోసం వర్తింపజేయాలి.
 DocType: Item,Maximum sample quantity that can be retained,నిలబెట్టుకోగల గరిష్ట నమూనా పరిమాణం
 DocType: Project Update,How is the Project Progressing Right Now?,ప్రస్తుతం ప్రాజెక్ట్ ప్రోగ్రెస్సింగ్ ఎలా ఉంది?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} # అంశం {1} కొనుగోలు ఆర్డర్ {2} కంటే {2} కంటే ఎక్కువ బదిలీ చేయబడదు.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} # అంశం {1} కొనుగోలు ఆర్డర్ {2} కంటే {2} కంటే ఎక్కువ బదిలీ చేయబడదు.
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,సేల్స్ ప్రచారాలు.
 DocType: Project Task,Make Timesheet,tIMESHEET చేయండి
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1227,13 +1235,13 @@
 DocType: Lab Test,Lab Test,ల్యాబ్ టెస్ట్
 DocType: Student Report Generation Tool,Student Report Generation Tool,స్టూడెంట్ రిపోర్ట్ జనరేషన్ టూల్
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,హెల్త్కేర్ షెడ్యూల్ టైమ్ స్లాట్
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc పేరు
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc పేరు
 DocType: Expense Claim Detail,Expense Claim Type,ఖర్చుల దావా రకం
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,షాపింగ్ కార్ట్ డిఫాల్ట్ సెట్టింగులను
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,టైమ్స్ లాట్లను జోడించు
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},ఆస్తి జర్నల్ ఎంట్రీ ద్వారా చిత్తు {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},ఆస్తి జర్నల్ ఎంట్రీ ద్వారా చిత్తు {0}
 DocType: Loan,Interest Income Account,వడ్డీ ఆదాయం ఖాతా
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,లాభాల కంటే ఎక్కువ లాభం కంటే ఎక్కువ లాభాలు ఉండాలి
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,లాభాల కంటే ఎక్కువ లాభం కంటే ఎక్కువ లాభాలు ఉండాలి
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,ఆహ్వానం పంపండి సమీక్షించండి
 DocType: Shift Assignment,Shift Assignment,షిఫ్ట్ కేటాయింపు
 DocType: Employee Transfer Property,Employee Transfer Property,ఉద్యోగి బదిలీ ఆస్తి
@@ -1244,17 +1252,18 @@
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ERPNext ధర జాబితాకు Shopify నుండి ధరను నవీకరించండి
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ఇమెయిల్ ఖాతా ఏర్పాటు
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,మొదటి అంశం నమోదు చేయండి
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,విశ్లేషణ అవసరాలు
 DocType: Asset Repair,Downtime,డౌన్టైం
 DocType: Account,Liability,బాధ్యత
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,మంజూరు మొత్తం రో లో క్లెయిమ్ సొమ్ము కంటే ఎక్కువ ఉండకూడదు {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,మంజూరు మొత్తం రో లో క్లెయిమ్ సొమ్ము కంటే ఎక్కువ ఉండకూడదు {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,అకడమిక్ టర్మ్:
 DocType: Salary Component,Do not include in total,మొత్తంలో చేర్చవద్దు
 DocType: Company,Default Cost of Goods Sold Account,గూడ్స్ సోల్డ్ ఖాతా యొక్క డిఫాల్ట్ ఖర్చు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},నమూనా పరిమాణం {0} పొందింది కంటే ఎక్కువ కాదు {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,ధర జాబితా ఎంచుకోలేదు
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},నమూనా పరిమాణం {0} పొందింది కంటే ఎక్కువ కాదు {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,ధర జాబితా ఎంచుకోలేదు
 DocType: Employee,Family Background,కుటుంబ నేపథ్యం
 DocType: Request for Quotation Supplier,Send Email,ఇమెయిల్ పంపండి
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},హెచ్చరిక: చెల్లని జోడింపు {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},హెచ్చరిక: చెల్లని జోడింపు {0}
 DocType: Item,Max Sample Quantity,మాక్స్ నమూనా పరిమాణం
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,అనుమతి లేదు
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,కాంట్రాక్ట్ నెరవేర్చుట చెక్లిస్ట్
@@ -1286,15 +1295,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: వ్యయ కేంద్రం {2} కంపెనీ చెందదు {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),మీ లెటర్ హెడ్ ను అప్ లోడ్ చెయ్యండి (ఇది 100px ద్వారా 900px గా వెబ్ను స్నేహపూర్వకంగా ఉంచండి)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: ఖాతా {2} ఒక గ్రూప్ ఉండకూడదు
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,అంశం రో {IDX}: {doctype} {DOCNAME} లేదు పైన ఉనికిలో లేదు &#39;{doctype}&#39; పట్టిక
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} ఇప్పటికే పూర్తి లేదా రద్దు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} ఇప్పటికే పూర్తి లేదా రద్దు
+DocType: QuickBooks Migrator,QuickBooks Migrator,క్విక్బుక్స్ మిగ్గేటర్
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,విధులు లేవు
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,చెల్లించినట్లు సేల్స్ ఇన్వాయిస్ {0} సృష్టించబడింది
 DocType: Item Variant Settings,Copy Fields to Variant,కాపీ ఫీల్డ్స్ వేరియంట్
 DocType: Asset,Opening Accumulated Depreciation,పోగుచేసిన తరుగుదల తెరవడం
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,స్కోరు 5 కంటే తక్కువ లేదా సమానంగా ఉండాలి
 DocType: Program Enrollment Tool,Program Enrollment Tool,ప్రోగ్రామ్ నమోదు టూల్
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,సి ఫారం రికార్డులు
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,సి ఫారం రికార్డులు
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,వాటాలు ఇప్పటికే ఉన్నాయి
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,కస్టమర్ మరియు సరఫరాదారు
 DocType: Email Digest,Email Digest Settings,ఇమెయిల్ డైజెస్ట్ సెట్టింగ్స్
@@ -1307,12 +1316,12 @@
 DocType: Production Plan,Select Items,ఐటమ్లను ఎంచుకోండి
 DocType: Share Transfer,To Shareholder,షేర్హోల్డర్ కు
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} బిల్లుకు వ్యతిరేకంగా {1} నాటి {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,రాష్ట్రం నుండి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,రాష్ట్రం నుండి
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,సెటప్ ఇన్స్టిట్యూషన్
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,కేటాయింపు ఆకులు ...
 DocType: Program Enrollment,Vehicle/Bus Number,వెహికల్ / బస్ సంఖ్య
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,కోర్సు షెడ్యూల్
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",మీరు చెల్లించని పన్ను మినహాయింపు ప్రూఫ్ మరియు పేర్ల కాలం యొక్క చివరి జీతం స్లిప్ లో అన్క్లెయిమ్డ్ / ఉద్యోగి ప్రయోజనాలు కోసం పన్ను తీసివేయవలెను.
 DocType: Request for Quotation Supplier,Quote Status,కోట్ స్థితి
 DocType: GoCardless Settings,Webhooks Secret,వెబ్క్యుక్స్ సీక్రెట్
@@ -1338,13 +1347,13 @@
 DocType: Sales Invoice,Payment Due Date,చెల్లింపు గడువు తేదీ
 DocType: Drug Prescription,Interval UOM,విరామం UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","ఎంపిక చేసిన చిరునామా సేవ్ అయిన తర్వాత సవరించబడితే, ఎంపికను తీసివేయండి"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,అంశం వేరియంట్ {0} ఇప్పటికే అదే గుణ ఉంది
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,అంశం వేరియంట్ {0} ఇప్పటికే అదే గుణ ఉంది
 DocType: Item,Hub Publishing Details,హబ్ ప్రచురణ వివరాలు
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;ప్రారంభిస్తున్నాడు&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;ప్రారంభిస్తున్నాడు&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,డు ఓపెన్
 DocType: Issue,Via Customer Portal,కస్టమర్ పోర్టల్ ద్వారా
 DocType: Notification Control,Delivery Note Message,డెలివరీ గమనిక సందేశం
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST మొత్తం
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST మొత్తం
 DocType: Lab Test Template,Result Format,ఫలితం ఫార్మాట్
 DocType: Expense Claim,Expenses,ఖర్చులు
 DocType: Item Variant Attribute,Item Variant Attribute,అంశం వేరియంట్ లక్షణం
@@ -1352,14 +1361,12 @@
 DocType: Payroll Entry,Bimonthly,పక్ష
 DocType: Vehicle Service,Brake Pad,బ్రేక్ ప్యాడ్
 DocType: Fertilizer,Fertilizer Contents,ఎరువులు
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,రీసెర్చ్ &amp; డెవలప్మెంట్
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,రీసెర్చ్ &amp; డెవలప్మెంట్
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,బిల్ మొత్తం
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ప్రారంభ తేదీ మరియు ముగింపు తేదీ జాబ్ కార్డుతో అతివ్యాప్తి చెందుతుంది <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,నమోదు వివరాలు
 DocType: Timesheet,Total Billed Amount,మొత్తం కస్టమర్లకు మొత్తం
 DocType: Item Reorder,Re-Order Qty,రీ-ఆర్డర్ ప్యాక్ చేసిన అంశాల
 DocType: Leave Block List Date,Leave Block List Date,బ్లాక్ జాబితా తేది వదిలి
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,దయచేసి ఎడ్యుకేషన్&gt; ఎడ్యుకేషన్ సెట్టింగులలో ఇన్స్ట్రక్టర్ నేమింగ్ సిస్టం సెటప్ చేయండి
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: ముడి పదార్థం ప్రధాన అంశం వలె ఉండకూడదు
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,కొనుగోలు స్వీకరణపై అంశాలు పట్టికలో మొత్తం వర్తించే ఛార్జీలు మొత్తం పన్నులు మరియు ఆరోపణలు అదే ఉండాలి
 DocType: Sales Team,Incentives,ఇన్సెంటివ్స్
@@ -1373,7 +1380,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,పాయింట్ ఆఫ్ అమ్మకానికి
 DocType: Fee Schedule,Fee Creation Status,ఫీజు సృష్టి స్థితి
 DocType: Vehicle Log,Odometer Reading,ఓడోమీటార్ పఠనం
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ఇప్పటికే క్రెడిట్ ఖాతా సంతులనం, మీరు &#39;డెబిట్&#39; గా &#39;సంతులనం ఉండాలి&#39; సెట్ అనుమతి లేదు"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ఇప్పటికే క్రెడిట్ ఖాతా సంతులనం, మీరు &#39;డెబిట్&#39; గా &#39;సంతులనం ఉండాలి&#39; సెట్ అనుమతి లేదు"
 DocType: Account,Balance must be,సంతులనం ఉండాలి
 DocType: Notification Control,Expense Claim Rejected Message,ఖర్చుల వాదనను త్రోసిపుచ్చాడు సందేశం
 ,Available Qty,అందుబాటులో ప్యాక్ చేసిన అంశాల
@@ -1385,7 +1392,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ఆర్డర్స్ వివరాలను సమకాలీకరించడానికి ముందు అమెజాన్ MWS నుండి ఎల్లప్పుడూ మీ ఉత్పత్తులను సమకాలీకరించండి
 DocType: Delivery Trip,Delivery Stops,డెలివరీ స్టాప్స్
 DocType: Salary Slip,Working Days,వర్కింగ్ డేస్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},వరుసలో {0} వస్తువు కోసం సర్వీస్ స్టాప్ తేదీని మార్చలేరు
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},వరుసలో {0} వస్తువు కోసం సర్వీస్ స్టాప్ తేదీని మార్చలేరు
 DocType: Serial No,Incoming Rate,ఇన్కమింగ్ రేటు
 DocType: Packing Slip,Gross Weight,స్థూల బరువు
 DocType: Leave Type,Encashment Threshold Days,ఎన్క్యాష్మెంట్ థ్రెష్హోల్డ్ డేస్
@@ -1404,30 +1411,32 @@
 DocType: Restaurant Table,Minimum Seating,కనీస సీటింగ్
 DocType: Item Attribute,Item Attribute Values,అంశం లక్షణం విలువలు
 DocType: Examination Result,Examination Result,పరీక్ష ఫలితం
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,కొనుగోలు రసీదులు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,కొనుగోలు రసీదులు
 ,Received Items To Be Billed,స్వీకరించిన అంశాలు బిల్ టు
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,కరెన్సీ మార్పిడి రేటు మాస్టర్.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,కరెన్సీ మార్పిడి రేటు మాస్టర్.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},రిఫరెన్స్ doctype యొక్క ఒక ఉండాలి {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,మొత్తం జీరో Qty ఫిల్టర్
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ఆపరేషన్ కోసం తదుపరి {0} రోజుల్లో టైమ్ స్లాట్ దొరక్కపోతే {1}
 DocType: Work Order,Plan material for sub-assemblies,ఉప శాసనసభలకు ప్రణాళిక పదార్థం
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,సేల్స్ భాగస్వాములు అండ్ టెరిటరీ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,బిఒఎం {0} సక్రియ ఉండాలి
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,బిఒఎం {0} సక్రియ ఉండాలి
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,బదిలీ కోసం అంశాలు ఏవీ అందుబాటులో లేవు
 DocType: Employee Boarding Activity,Activity Name,కార్యాచరణ పేరు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,విడుదల తేదీని మార్చండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,విడుదల తేదీని మార్చండి
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),మూసివేయడం (మొత్తం + తెరవడం)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,అంశం కోడ్&gt; అంశం సమూహం&gt; బ్రాండ్
+DocType: Delivery Settings,Dispatch Notification Attachment,డిస్ప్లేట్ నోటిఫికేషన్ అటాచ్మెంట్
 DocType: Payroll Entry,Number Of Employees,ఉద్యోగుల సంఖ్య
 DocType: Journal Entry,Depreciation Entry,అరుగుదల ఎంట్రీ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,మొదటి డాక్యుమెంట్ రకాన్ని ఎంచుకోండి
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,మొదటి డాక్యుమెంట్ రకాన్ని ఎంచుకోండి
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ఈ నిర్వహణ సందర్శించండి రద్దు ముందు రద్దు మెటీరియల్ సందర్శనల {0}
 DocType: Pricing Rule,Rate or Discount,రేటు లేదా డిస్కౌంట్
 DocType: Vital Signs,One Sided,ఏక పక్షంగా
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},సీరియల్ లేవు {0} అంశం చెందినది కాదు {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Required ప్యాక్ చేసిన అంశాల
 DocType: Marketplace Settings,Custom Data,అనుకూల డేటా
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,ఉన్న లావాదేవీతో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},అంశం {0} కోసం సీరియల్ ఎటువంటి తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,ఉన్న లావాదేవీతో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},అంశం {0} కోసం సీరియల్ ఎటువంటి తప్పనిసరి
 DocType: Bank Reconciliation,Total Amount,మొత్తం డబ్బు
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,తేదీ మరియు తేదీ నుండి వివిధ ఆర్థిక సంవత్సరం లో ఉంటాయి
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,పేషెంట్ {0} ఇన్వాయిస్ వినియోగదారు రిఫరెన్స్ లేదు
@@ -1438,9 +1447,9 @@
 DocType: Soil Texture,Clay Composition (%),క్లే కంపోజిషన్ (%)
 DocType: Item Group,Item Group Defaults,అంశం సమూహం డిఫాల్ట్లు
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,దయచేసి పనిని కేటాయించే ముందు సేవ్ చేయండి.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,సంతులనం విలువ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,సంతులనం విలువ
 DocType: Lab Test,Lab Technician,ల్యాబ్ టెక్నీషియన్
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,సేల్స్ ధర జాబితా
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,సేల్స్ ధర జాబితా
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","తనిఖీ చేసినట్లయితే, ఒక కస్టమర్ సృష్టించబడుతుంది, రోగికి మ్యాప్ చేయబడుతుంది. ఈ కస్టమర్కు వ్యతిరేకంగా రోగి ఇన్వాయిస్లు సృష్టించబడతాయి. రోగిని సృష్టించేటప్పుడు మీరు ఇప్పటికే ఉన్న కస్టమర్ను కూడా ఎంచుకోవచ్చు."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,కస్టమర్ ఏ లాయల్టీ ప్రోగ్రామ్లో నమోదు చేయబడలేదు
@@ -1454,13 +1463,13 @@
 DocType: Support Search Source,Search Term Param Name,శోధన పదం పరమ పేరు
 DocType: Item Barcode,Item Barcode,అంశం బార్కోడ్
 DocType: Woocommerce Settings,Endpoints,అంత్య బిందువుల
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,అంశం రకరకాలు {0} నవీకరించబడింది
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,అంశం రకరకాలు {0} నవీకరించబడింది
 DocType: Quality Inspection Reading,Reading 6,6 పఠనం
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,కాదు {0} {1} {2} లేకుండా ఏ ప్రతికూల అత్యుత్తమ వాయిస్ కెన్
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,కాదు {0} {1} {2} లేకుండా ఏ ప్రతికూల అత్యుత్తమ వాయిస్ కెన్
 DocType: Share Transfer,From Folio No,ఫోలియో నో
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,వాయిస్ అడ్వాన్స్ కొనుగోలు
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},రో {0}: క్రెడిట్ ఎంట్రీ తో జతచేయవచ్చు ఒక {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,ఆర్థిక సంవత్సరం బడ్జెట్లో నిర్వచించండి.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,ఆర్థిక సంవత్సరం బడ్జెట్లో నిర్వచించండి.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext ఖాతా
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} నిరోధించబడింది, కాబట్టి ఈ లావాదేవీ కొనసాగలేరు"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,ఎంఆర్లో మినహాయించబడిన నెలవారీ బడ్జెట్ను తీసుకున్నట్లయితే చర్య
@@ -1476,19 +1485,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,కొనుగోలు వాయిస్
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,పని వర్గానికి వ్యతిరేకంగా బహుళ మెటీరియల్ వినియోగం అనుమతించండి
 DocType: GL Entry,Voucher Detail No,ఓచర్ వివరాలు లేవు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,న్యూ సేల్స్ వాయిస్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,న్యూ సేల్స్ వాయిస్
 DocType: Stock Entry,Total Outgoing Value,మొత్తం అవుట్గోయింగ్ విలువ
 DocType: Healthcare Practitioner,Appointments,నియామకాల
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,తేదీ మరియు ముగింపు తేదీ తెరవడం అదే ఫిస్కల్ ఇయర్ లోపల ఉండాలి
 DocType: Lead,Request for Information,సమాచారం కోసం అభ్యర్థన
 ,LeaderBoard,లీడర్బోర్డ్
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),మార్జిన్తో రేట్ చేయండి (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు
 DocType: Payment Request,Paid,చెల్లింపు
 DocType: Program Fee,Program Fee,ప్రోగ్రామ్ రుసుము
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","ఉపయోగించిన ఇతర BOM లలో ఒక ప్రత్యేక BOM ని భర్తీ చేయండి. ఇది పాత BOM లింకును భర్తీ చేస్తుంది, కొత్త BOM ప్రకారం BOM ప్రేలుడు అంశం పట్టికను పునఃనిర్మాణం చేస్తుంది. ఇది అన్ని BOM లలో తాజా ధరలను కూడా నవీకరించింది."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,కింది పని ఆర్డర్లు సృష్టించబడ్డాయి:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,కింది పని ఆర్డర్లు సృష్టించబడ్డాయి:
 DocType: Salary Slip,Total in words,పదాలు లో మొత్తం
 DocType: Inpatient Record,Discharged,డిశ్చార్జి
 DocType: Material Request Item,Lead Time Date,లీడ్ సమయం తేదీ
@@ -1499,16 +1508,16 @@
 DocType: Support Settings,Get Started Sections,విభాగాలు ప్రారంభించండి
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,మంజూరు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు కోసం సృష్టించబడలేదు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},రో # {0}: అంశం కోసం ఏ సీరియల్ రాయండి {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},మొత్తం కాంట్రిబ్యూషన్ మొత్తం: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},రో # {0}: అంశం కోసం ఏ సీరియల్ రాయండి {1}
 DocType: Payroll Entry,Salary Slips Submitted,సలారీ స్లిప్స్ సమర్పించిన
 DocType: Crop Cycle,Crop Cycle,పంట చక్రం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;ఉత్పత్తి కట్ట అంశాలు, గిడ్డంగి, సీరియల్ లేవు మరియు బ్యాచ్ కోసం కాదు&#39; ప్యాకింగ్ జాబితా &#39;పట్టిక నుండి పరిగణించబడుతుంది. వేర్హౌస్ మరియు బ్యాచ్ ఏ &#39;ఉత్పత్తి కట్ట&#39; అంశం కోసం అన్ని ప్యాకింగ్ అంశాలను ఒకటే ఉంటే, ఆ విలువలు ప్రధాన అంశం పట్టిక ఎంటర్ చెయ్యబడతాయి, విలువలు పట్టిక &#39;జాబితా ప్యాకింగ్&#39; కాపీ అవుతుంది."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;ఉత్పత్తి కట్ట అంశాలు, గిడ్డంగి, సీరియల్ లేవు మరియు బ్యాచ్ కోసం కాదు&#39; ప్యాకింగ్ జాబితా &#39;పట్టిక నుండి పరిగణించబడుతుంది. వేర్హౌస్ మరియు బ్యాచ్ ఏ &#39;ఉత్పత్తి కట్ట&#39; అంశం కోసం అన్ని ప్యాకింగ్ అంశాలను ఒకటే ఉంటే, ఆ విలువలు ప్రధాన అంశం పట్టిక ఎంటర్ చెయ్యబడతాయి, విలువలు పట్టిక &#39;జాబితా ప్యాకింగ్&#39; కాపీ అవుతుంది."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,ప్లేస్ నుండి
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay cannnot ప్రతికూలంగా ఉంటుంది
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,ప్లేస్ నుండి
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay cannnot ప్రతికూలంగా ఉంటుంది
 DocType: Student Admission,Publish on website,వెబ్ సైట్ ప్రచురించు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,సరఫరాదారు ఇన్వాయిస్ తేదీ వ్యాఖ్యలు తేదీ కన్నా ఎక్కువ ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,సరఫరాదారు ఇన్వాయిస్ తేదీ వ్యాఖ్యలు తేదీ కన్నా ఎక్కువ ఉండకూడదు
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ఐఎన్ఎస్-.YYYY.-
 DocType: Subscription,Cancelation Date,రద్దు తేదీ
 DocType: Purchase Invoice Item,Purchase Order Item,ఆర్డర్ అంశం కొనుగోలు
@@ -1517,7 +1526,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,విద్యార్థి హాజరు టూల్
 DocType: Restaurant Menu,Price List (Auto created),ధర జాబితా (ఆటో సృష్టించబడింది)
 DocType: Cheque Print Template,Date Settings,తేదీ సెట్టింగులు
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,అంతర్భేధం
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,అంతర్భేధం
 DocType: Employee Promotion,Employee Promotion Detail,ఉద్యోగి ప్రమోషన్ వివరాలు
 ,Company Name,కంపెనీ పేరు
 DocType: SMS Center,Total Message(s),మొత్తం సందేశం (లు)
@@ -1546,7 +1555,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Employee జన్మదిన రిమైండర్లు పంపవద్దు
 DocType: Expense Claim,Total Advance Amount,మొత్తం అడ్వాన్స్ మొత్తం
 DocType: Delivery Stop,Estimated Arrival,అంచనా రాక
-DocType: Delivery Stop,Notified by Email,ఇమెయిల్ ద్వారా తెలియజేయబడుతుంది
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,అన్ని వ్యాసాలను చూడండి
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,లో వల్క్
 DocType: Item,Inspection Criteria,ఇన్స్పెక్షన్ ప్రమాణం
@@ -1556,23 +1564,22 @@
 DocType: Timesheet Detail,Bill,బిల్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,వైట్
 DocType: SMS Center,All Lead (Open),అన్ని లీడ్ (ఓపెన్)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),రో {0}: కోసం ప్యాక్ చేసిన అంశాల అందుబాటులో లేదు {4} గిడ్డంగిలో {1} ప్రవేశం సమయం పోస్ట్ చేయడంలో ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),రో {0}: కోసం ప్యాక్ చేసిన అంశాల అందుబాటులో లేదు {4} గిడ్డంగిలో {1} ప్రవేశం సమయం పోస్ట్ చేయడంలో ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,మీరు తనిఖీ పెట్టెల జాబితా నుండి గరిష్టంగా ఒక ఎంపికను మాత్రమే ఎంచుకోవచ్చు.
 DocType: Purchase Invoice,Get Advances Paid,అడ్వాన్సెస్ పొందుతారు
 DocType: Item,Automatically Create New Batch,ఆటోమేటిక్గా కొత్త బ్యాచ్ సృష్టించు
 DocType: Item,Automatically Create New Batch,ఆటోమేటిక్గా కొత్త బ్యాచ్ సృష్టించు
 DocType: Supplier,Represents Company,కంపెనీని సూచిస్తుంది
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,చేయండి
 DocType: Student Admission,Admission Start Date,అడ్మిషన్ ప్రారంభ తేదీ
 DocType: Journal Entry,Total Amount in Words,పదాలు లో మొత్తం పరిమాణం
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,కొత్త ఉద్యోగి
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ఒక లోపం ఉంది. వన్ మూడింటిని కారణం మీరు రూపం సేవ్ చేయలేదు అని కావచ్చు. సమస్య కొనసాగితే support@erpnext.com సంప్రదించండి.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,నా కార్ట్
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ఆర్డర్ రకం ఒకటి ఉండాలి {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ఆర్డర్ రకం ఒకటి ఉండాలి {0}
 DocType: Lead,Next Contact Date,తదుపరి సంప్రదించండి తేదీ
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ప్యాక్ చేసిన అంశాల తెరవడం
 DocType: Healthcare Settings,Appointment Reminder,అపాయింట్మెంట్ రిమైండర్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,మొత్తం చేంజ్ ఖాతాను నమోదు చేయండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,మొత్తం చేంజ్ ఖాతాను నమోదు చేయండి
 DocType: Program Enrollment Tool Student,Student Batch Name,స్టూడెంట్ బ్యాచ్ పేరు
 DocType: Holiday List,Holiday List Name,హాలిడే జాబితా పేరు
 DocType: Repayment Schedule,Balance Loan Amount,సంతులనం రుణ మొత్తం
@@ -1582,7 +1589,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,స్టాక్ ఆప్షన్స్
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,కార్ట్కు ఏ అంశాలు జోడించబడలేదు
 DocType: Journal Entry Account,Expense Claim,ఖర్చు చెప్పడం
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,మీరు నిజంగా ఈ చిత్తు ఆస్తి పునరుద్ధరించేందుకు పెట్టమంటారా?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,మీరు నిజంగా ఈ చిత్తు ఆస్తి పునరుద్ధరించేందుకు పెట్టమంటారా?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},కోసం చేసిన అంశాల {0}
 DocType: Leave Application,Leave Application,లీవ్ అప్లికేషన్
 DocType: Patient,Patient Relation,పేషంట్ రిలేషన్
@@ -1603,16 +1610,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},దయచేసి పేర్కొనండి ఒక {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,పరిమాణం లేదా విలువ ఎటువంటి మార్పు తొలగించబడిన అంశాలు.
 DocType: Delivery Note,Delivery To,డెలివరీ
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,వేరియంట్ సృష్టి క్యూలో చేయబడింది.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} కోసం పని సారాంశం
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,వేరియంట్ సృష్టి క్యూలో చేయబడింది.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} కోసం పని సారాంశం
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,జాబితాలో మొదటి లీవ్ అప్ప్రోవర్ డిఫాల్ట్ లీవ్ అప్రోవర్గా సెట్ చేయబడుతుంది.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,లక్షణం పట్టిక తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,లక్షణం పట్టిక తప్పనిసరి
 DocType: Production Plan,Get Sales Orders,సేల్స్ ఆర్డర్స్ పొందండి
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ప్రతికూల ఉండకూడదు
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,క్విక్బుక్స్లో కనెక్ట్ చేయండి
 DocType: Training Event,Self-Study,స్వంత చదువు
 DocType: POS Closing Voucher,Period End Date,కాలం ముగింపు తేదీ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,నేల కూర్పులు 100 వరకు కలవవు
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,డిస్కౌంట్
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,రో {0}: {1} తెరవడం {2} ఇన్వాయిస్లు సృష్టించడానికి అవసరం
 DocType: Membership,Membership,సభ్యత్వ
 DocType: Asset,Total Number of Depreciations,Depreciations మొత్తం సంఖ్య
 DocType: Sales Invoice Item,Rate With Margin,మార్జిన్ తో రేటు
@@ -1624,7 +1633,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},పట్టికలో వరుసగా {0} కోసం చెల్లుబాటులో రో ID పేర్కొనవచ్చు దయచేసి {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,వేరియబుల్ని కనుగొనడం సాధ్యం కాదు:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,దయచేసి నంపాడ్ నుండి సవరించడానికి ఒక ఫీల్డ్ను ఎంచుకోండి
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,స్టాక్ లెడ్జర్ సృష్టించబడిన స్థిరమైన ఆస్తి అంశం కాదు.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,స్టాక్ లెడ్జర్ సృష్టించబడిన స్థిరమైన ఆస్తి అంశం కాదు.
 DocType: Subscription Plan,Fixed rate,స్థిర ధర
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,ఒప్పుకుంటే
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,డెస్క్టాప్ వెళ్ళండి మరియు ERPNext ఉపయోగించడం ప్రారంభించడానికి
@@ -1658,7 +1667,7 @@
 DocType: Tax Rule,Shipping State,షిప్పింగ్ రాష్ట్రం
 ,Projected Quantity as Source,మూల ప్రొజెక్టెడ్ పరిమాణం
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,అంశం బటన్ &#39;కొనుగోలు రసీదులు నుండి అంశాలు పొందండి&#39; ఉపయోగించి జత చేయాలి
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,డెలివరీ ట్రిప్
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,డెలివరీ ట్రిప్
 DocType: Student,A-,ఒక-
 DocType: Share Transfer,Transfer Type,బదిలీ పద్ధతి
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,సేల్స్ ఖర్చులు
@@ -1671,8 +1680,9 @@
 DocType: Item Default,Default Selling Cost Center,డిఫాల్ట్ సెల్లింగ్ ఖర్చు సెంటర్
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,డిస్క్
 DocType: Buying Settings,Material Transferred for Subcontract,సబ్కాన్ట్రాక్ కోసం పదార్థం బదిలీ చేయబడింది
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,జిప్ కోడ్
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},అమ్మకాల ఆర్డర్ {0} ఉంది {1}
+DocType: Email Digest,Purchase Orders Items Overdue,ఆర్డర్లు అంశాలు మీరిన కొనుగోలు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,జిప్ కోడ్
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},అమ్మకాల ఆర్డర్ {0} ఉంది {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},రుణంలో వడ్డీ ఆదాయం ఖాతాను ఎంచుకోండి {0}
 DocType: Opportunity,Contact Info,సంప్రదింపు సమాచారం
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,స్టాక్ ఎంట్రీలు మేకింగ్
@@ -1685,12 +1695,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,సున్నా బిల్లింగ్ గంటకు ఇన్వాయిస్ చేయలేము
 DocType: Company,Date of Commencement,ప్రారంభ తేదీ
 DocType: Sales Person,Select company name first.,మొదటిది ఎంచుకోండి కంపెనీ పేరు.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},{0} కు పంపిన ఇమెయిల్
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},{0} కు పంపిన ఇమెయిల్
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,కొటేషన్స్ పంపిణీదారుల నుండి పొందింది.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,"BOM ని పునఃస్థాపించి, అన్ని BOM లలో తాజా ధరను నవీకరించండి"
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},కు {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,ఇది రూట్ సరఫరాదారు సమూహం మరియు సవరించబడదు.
-DocType: Delivery Trip,Driver Name,డ్రైవర్ పేరు
+DocType: Delivery Note,Driver Name,డ్రైవర్ పేరు
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,సగటు వయసు
 DocType: Education Settings,Attendance Freeze Date,హాజరు ఫ్రీజ్ తేదీ
 DocType: Education Settings,Attendance Freeze Date,హాజరు ఫ్రీజ్ తేదీ
@@ -1702,7 +1712,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,అన్ని BOMs
 DocType: Company,Parent Company,మాతృ సంస్థ
 DocType: Healthcare Practitioner,Default Currency,డిఫాల్ట్ కరెన్సీ
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,అంశానికి గరిష్ట తగ్గింపు {0} {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,అంశానికి గరిష్ట తగ్గింపు {0} {1}%
 DocType: Asset Movement,From Employee,Employee నుండి
 DocType: Driver,Cellphone Number,సెల్ఫోన్ నంబర్
 DocType: Project,Monitor Progress,మానిటర్ ప్రోగ్రెస్
@@ -1718,19 +1728,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},పరిమాణం కంటే తక్కువ లేదా సమానంగా ఉండాలి {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},భాగం కొరకు అర్హత పొందిన గరిష్ట మొత్తం {0} {1}
 DocType: Department Approver,Department Approver,డిపార్ట్మెంట్ అప్రోవేర్
+DocType: QuickBooks Migrator,Application Settings,అప్లికేషన్ సెట్టింగ్లు
 DocType: SMS Center,Total Characters,మొత్తం అక్షరాలు
 DocType: Employee Advance,Claimed,మధ్య వివాదం
 DocType: Crop,Row Spacing,రో అంతరం
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},అంశం కోసం BOM రంగంలో BOM దయచేసి ఎంచుకోండి {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},అంశం కోసం BOM రంగంలో BOM దయచేసి ఎంచుకోండి {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,ఎంచుకున్న అంశానికి ఏ అంశం వేరియంట్ లేదు
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,సి ఫారం వాయిస్ వివరాలు
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,చెల్లింపు సయోధ్య వాయిస్
 DocType: Clinical Procedure,Procedure Template,పద్ధతి మూస
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,కాంట్రిబ్యూషన్%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం ఉంటే కొనుగోలు ఆర్డర్ అవసరం == &#39;అవును&#39;, అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు ఆర్డర్ సృష్టించాలి {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,కాంట్రిబ్యూషన్%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం ఉంటే కొనుగోలు ఆర్డర్ అవసరం == &#39;అవును&#39;, అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు ఆర్డర్ సృష్టించాలి {0}"
 ,HSN-wise-summary of outward supplies,బాహ్య సరఫరా యొక్క HSN- వారీగా-సారాంశం
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,మీ సూచన కోసం కంపెనీ నమోదు సంఖ్యలు. పన్ను సంఖ్యలు మొదలైనవి
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,రాష్ట్రానికి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,రాష్ట్రానికి
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,పంపిణీదారు
 DocType: Asset Finance Book,Asset Finance Book,అసెట్ ఫైనాన్స్ బుక్
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,షాపింగ్ కార్ట్ షిప్పింగ్ రూల్
@@ -1739,7 +1750,7 @@
 ,Ordered Items To Be Billed,క్రమ అంశాలు బిల్ టు
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,రేంజ్ తక్కువ ఉండాలి కంటే పరిధి
 DocType: Global Defaults,Global Defaults,గ్లోబల్ డిఫాల్ట్
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,ప్రాజెక్టు కొలాబరేషన్ ఆహ్వానం
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,ప్రాజెక్టు కొలాబరేషన్ ఆహ్వానం
 DocType: Salary Slip,Deductions,తగ్గింపులకు
 DocType: Setup Progress Action,Action Name,చర్య పేరు
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,ప్రారంభ సంవత్సరం
@@ -1753,11 +1764,12 @@
 DocType: Lead,Consultant,కన్సల్టెంట్
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,తల్లిదండ్రుల గురువు సమావేశం హాజరు
 DocType: Salary Slip,Earnings,సంపాదన
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,పూర్తయ్యింది అంశం {0} తయారీ రకం ప్రవేశానికి ఎంటర్ చెయ్యాలి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,పూర్తయ్యింది అంశం {0} తయారీ రకం ప్రవేశానికి ఎంటర్ చెయ్యాలి
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,తెరవడం అకౌంటింగ్ సంతులనం
 ,GST Sales Register,జిఎస్టి సేల్స్ నమోదు
 DocType: Sales Invoice Advance,Sales Invoice Advance,సేల్స్ వాయిస్ అడ్వాన్స్
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,నథింగ్ అభ్యర్థించవచ్చు
+DocType: Stock Settings,Default Return Warehouse,డిఫాల్ట్ రిటర్న్ వేర్హౌస్
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,మీ డొమైన్లను ఎంచుకోండి
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify సరఫరాదారు
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,చెల్లింపు వాయిస్ అంశాలు
@@ -1766,15 +1778,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,క్షేత్రాలు సృష్టి సమయంలో మాత్రమే కాపీ చేయబడతాయి.
 DocType: Setup Progress Action,Domains,డొమైన్స్
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;అసలు ప్రారంభ తేదీ&#39; &#39;వాస్తవిక ముగింపు తేదీ&#39; కంటే ఎక్కువ ఉండకూడదు
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,మేనేజ్మెంట్
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,మేనేజ్మెంట్
 DocType: Cheque Print Template,Payer Settings,చెల్లింపుదారు సెట్టింగులు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,ఇవ్వబడిన అంశాల కోసం లింక్ చేయబడని విషయం అభ్యర్థనలు ఏవీ కనుగొనబడలేదు.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,మొదటి కంపెనీని ఎంచుకోండి
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ఈ శ్రేణి Item కోడ్ చేర్చవలసి ఉంటుంది. మీ సంక్షిప్త &quot;SM&quot; మరియు ఉదాహరణకు, అంశం కోడ్ &quot;T- షర్టు&quot;, &quot;T- షర్టు-SM&quot; ఉంటుంది వేరియంట్ అంశం కోడ్"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,మీరు వేతనం స్లిప్ సేవ్ ఒకసారి (మాటలలో) నికర పే కనిపిస్తుంది.
 DocType: Delivery Note,Is Return,రాబడి
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,హెచ్చరిక
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',ప్రారంభ రోజు కంటే రోజు చాలా పెద్దది &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,రిటర్న్ / డెబిట్ గమనిక
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,రిటర్న్ / డెబిట్ గమనిక
 DocType: Price List Country,Price List Country,ధర జాబితా దేశం
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} అంశం చెల్లుబాటు సీరియల్ nos {1}
@@ -1787,13 +1800,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,సమాచారం ఇవ్వండి.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,సరఫరాదారు డేటాబేస్.
 DocType: Contract Template,Contract Terms and Conditions,కాంట్రాక్ట్ నిబంధనలు మరియు షరతులు
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,మీరు రద్దు చేయని సభ్యత్వాన్ని పునఃప్రారంభించలేరు.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,మీరు రద్దు చేయని సభ్యత్వాన్ని పునఃప్రారంభించలేరు.
 DocType: Account,Balance Sheet,బ్యాలెన్స్ షీట్
 DocType: Leave Type,Is Earned Leave,సంపాదించిన సెలవు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',&#39;అంశం కోడ్ అంశం సెంటర్ ఖర్చు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',&#39;అంశం కోడ్ అంశం సెంటర్ ఖర్చు
 DocType: Fee Validity,Valid Till,చెల్లుతుంది టిల్
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,మొత్తం తల్లిదండ్రుల గురువు సమావేశం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",చెల్లింపు రకం కన్ఫిగర్ చేయబడలేదు. ఖాతా చెల్లింపులు మోడ్ మీద లేదా POS ప్రొఫైల్ సెట్ చేయబడ్డాయి వచ్చారో లేదో తనిఖీ చేయండి.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",చెల్లింపు రకం కన్ఫిగర్ చేయబడలేదు. ఖాతా చెల్లింపులు మోడ్ మీద లేదా POS ప్రొఫైల్ సెట్ చేయబడ్డాయి వచ్చారో లేదో తనిఖీ చేయండి.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,అదే అంశం అనేకసార్లు ఎంటర్ చేయలేరు.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","మరింత ఖాతాల గుంపులు కింద తయారు చేయవచ్చు, కానీ ఎంట్రీలు కాని గుంపులు వ్యతిరేకంగా తయారు చేయవచ్చు"
 DocType: Lead,Lead,లీడ్
@@ -1802,11 +1815,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS ఆథ్ టోకెన్
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,స్టాక్ ఎంట్రీ {0} రూపొందించారు
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,మీరు విమోచన చేయడానికి లాయల్టీ పాయింట్స్ను కలిగి ఉండరు
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,రో # {0}: ప్యాక్ చేసిన అంశాల కొనుగోలు చూపించు నమోదు కాదు తిరస్కరించబడిన
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},దయచేసి సంస్థ {1} వ్యతిరేకంగా పన్ను విత్ హోల్డింగ్ వర్గం {0} లో అనుబంధ ఖాతాను సెట్ చేయండి
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,రో # {0}: ప్యాక్ చేసిన అంశాల కొనుగోలు చూపించు నమోదు కాదు తిరస్కరించబడిన
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,ఎంచుకున్న కస్టమర్ కోసం కస్టమర్ సమూహాన్ని మార్చడం అనుమతించబడదు.
 ,Purchase Order Items To Be Billed,కొనుగోలు ఆర్డర్ అంశాలు బిల్ టు
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,అంచనా రాక సమయాన్ని నవీకరిస్తోంది.
 DocType: Program Enrollment Tool,Enrollment Details,నమోదు వివరాలు
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,సంస్థ కోసం బహుళ అంశం డిఫాల్ట్లను సెట్ చేయలేరు.
 DocType: Purchase Invoice Item,Net Rate,నికర రేటు
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,దయచేసి కస్టమర్ను ఎంచుకోండి
 DocType: Leave Policy,Leave Allocations,కేటాయింపులను వదిలివేయండి
@@ -1836,7 +1851,7 @@
 DocType: Loan Application,Repayment Info,తిరిగి చెల్లించే సమాచారం
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&#39;ఎంట్రీలు&#39; ఖాళీగా ఉండకూడదు
 DocType: Maintenance Team Member,Maintenance Role,నిర్వహణ పాత్ర
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},తో నకిలీ వరుసగా {0} అదే {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},తో నకిలీ వరుసగా {0} అదే {1}
 DocType: Marketplace Settings,Disable Marketplace,Marketplace ను డిసేబుల్ చెయ్యండి
 ,Trial Balance,ట్రయల్ బ్యాలెన్స్
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,ఫిస్కల్ ఇయర్ {0} దొరకలేదు
@@ -1847,9 +1862,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,చందా సెట్టింగులు
 DocType: Purchase Invoice,Update Auto Repeat Reference,నవీకరణ ఆటో రిపీట్ రిఫరెన్స్
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},ఐచ్ఛిక కాలం హాలిడే జాబితా సెలవు కాలం కోసం సెట్ చేయబడలేదు {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},ఐచ్ఛిక కాలం హాలిడే జాబితా సెలవు కాలం కోసం సెట్ చేయబడలేదు {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,రీసెర్చ్
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,చిరునామా 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,చిరునామా 2
 DocType: Maintenance Visit Purpose,Work Done,పని చేసారు
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,గుణాలు పట్టిక లో కనీసం ఒక లక్షణం రాయండి
 DocType: Announcement,All Students,అన్ని స్టూడెంట్స్
@@ -1859,16 +1874,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,పునర్నిర్మించిన లావాదేవీలు
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,తొట్టతొలి
 DocType: Crop Cycle,Linked Location,లింక్ చేసిన స్థానం
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","ఒక అంశం గ్రూప్ అదే పేరుతో, అంశం పేరు మార్చడానికి లేదా అంశం సమూహం పేరు దయచేసి"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","ఒక అంశం గ్రూప్ అదే పేరుతో, అంశం పేరు మార్చడానికి లేదా అంశం సమూహం పేరు దయచేసి"
 DocType: Crop Cycle,Less than a year,ఒక సంవత్సరం కంటే తక్కువ
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,స్టూడెంట్ మొబైల్ నెంబరు
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,ప్రపంచంలోని మిగిలిన
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,ప్రపంచంలోని మిగిలిన
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,అంశం {0} బ్యాచ్ ఉండకూడదు
 DocType: Crop,Yield UOM,దిగుబడి UOM
 ,Budget Variance Report,బడ్జెట్ విస్తృతి నివేదిక
 DocType: Salary Slip,Gross Pay,స్థూల పే
 DocType: Item,Is Item from Hub,హబ్ నుండి అంశం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,హెల్త్కేర్ సర్వీసెస్ నుండి అంశాలను పొందండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,హెల్త్కేర్ సర్వీసెస్ నుండి అంశాలను పొందండి
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,రో {0}: కార్యాచరణ టైప్ తప్పనిసరి.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,డివిడెండ్ చెల్లించిన
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,అకౌంటింగ్ లెడ్జర్
@@ -1883,6 +1898,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,చెల్లింపు రకం
 DocType: Purchase Invoice,Supplied Items,సరఫరా అంశాలు
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},దయచేసి రెస్టారెంట్ {0} కోసం సక్రియ మెనును సెట్ చేయండి
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,కమీషన్ రేటు%
 DocType: Work Order,Qty To Manufacture,తయారీకి అంశాల
 DocType: Email Digest,New Income,న్యూ ఆదాయం
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,కొనుగోలు చక్రం పొడవునా అదే రేటు నిర్వహించడానికి
@@ -1897,12 +1913,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},వరుసగా అంశం అవసరం వాల్యువేషన్ రేటు {0}
 DocType: Supplier Scorecard,Scorecard Actions,స్కోర్కార్డ్ చర్యలు
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,ఉదాహరణ: కంప్యూటర్ సైన్స్ మాస్టర్స్
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},సరఫరాదారు {0} {1} లో కనుగొనబడలేదు
 DocType: Purchase Invoice,Rejected Warehouse,తిరస్కరించబడిన వేర్హౌస్
 DocType: GL Entry,Against Voucher,ఓచర్ వ్యతిరేకంగా
 DocType: Item Default,Default Buying Cost Center,డిఫాల్ట్ కొనుగోలు ఖర్చు సెంటర్
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext యొక్క ఉత్తమ పొందడానికి, మేము మీరు కొంత సమయం తీసుకొని ఈ సహాయ వీడియోలను చూడటానికి సిఫార్సు చేస్తున్నాము."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),డిఫాల్ట్ సరఫరాదారు (ఐచ్ఛిక) కోసం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,కు
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),డిఫాల్ట్ సరఫరాదారు (ఐచ్ఛిక) కోసం
 DocType: Supplier Quotation Item,Lead Time in days,రోజుల్లో ప్రధాన సమయం
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,చెల్లించవలసిన ఖాతాలు సారాంశం
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},ఘనీభవించిన ఖాతా సవరించడానికి మీకు అధికారం లేదు {0}
@@ -1911,7 +1927,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,ఉల్లేఖనాల కోసం క్రొత్త అభ్యర్థన కోసం హెచ్చరించండి
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,కొనుగోలు ఆర్డర్లు మీరు ప్లాన్ సహాయం మరియు మీ కొనుగోళ్లపై అనుసరించాల్సి
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,ల్యాబ్ టెస్ట్ ప్రిస్క్రిప్షన్స్
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",మొత్తం ఇష్యూ / ట్రాన్స్ఫర్ పరిమాణం {0} మెటీరియల్ అభ్యర్థన {1} \ అంశం కోసం అభ్యర్థించిన పరిమాణం {2} కంటే ఎక్కువ ఉండకూడదు {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,చిన్న
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Shopify ఆర్డర్లో ఒక కస్టమర్ను కలిగి ఉండకపోతే, ఆర్డర్స్ను సమకాలీకరించేటప్పుడు, వ్యవస్థ క్రమం కోసం వినియోగదారునిని పరిగణలోకి తీసుకుంటుంది"
@@ -1923,6 +1939,7 @@
 DocType: Project,% Completed,% పూర్తయింది
 ,Invoiced Amount (Exculsive Tax),ఇన్వాయిస్ మొత్తం (Exculsive పన్ను)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,అంశం 2
+DocType: QuickBooks Migrator,Authorization Endpoint,ప్రామాణీకరణ ముగింపు
 DocType: Travel Request,International,అంతర్జాతీయ
 DocType: Training Event,Training Event,శిక్షణ ఈవెంట్
 DocType: Item,Auto re-order,ఆటో క్రమాన్ని
@@ -1931,24 +1948,24 @@
 DocType: Contract,Contract,కాంట్రాక్ట్
 DocType: Plant Analysis,Laboratory Testing Datetime,ప్రయోగశాల టెస్టింగ్ డేటైమ్
 DocType: Email Digest,Add Quote,కోట్ జోడించండి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UoM అవసరం UoM coversion ఫ్యాక్టర్: {0} Item లో: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UoM అవసరం UoM coversion ఫ్యాక్టర్: {0} Item లో: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,పరోక్ష ఖర్చులు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,రో {0}: Qty తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,రో {0}: Qty తప్పనిసరి
 DocType: Agriculture Analysis Criteria,Agriculture,వ్యవసాయం
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,సేల్స్ ఆర్డర్ సృష్టించండి
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,ఆస్తి కోసం అకౌంటింగ్ ఎంట్రీ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,బ్లాక్ ఇన్వాయిస్
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,ఆస్తి కోసం అకౌంటింగ్ ఎంట్రీ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,బ్లాక్ ఇన్వాయిస్
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,మేక్ టు మేక్ మేక్
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,సమకాలీకరణ మాస్టర్ డేటా
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,సమకాలీకరణ మాస్టర్ డేటా
 DocType: Asset Repair,Repair Cost,మరమ్మతు ఖర్చు
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,మీ ఉత్పత్తులు లేదా సేవల
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,లాగిన్ చేయడంలో విఫలమైంది
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,ఆస్తి {0} సృష్టించబడింది
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,ఆస్తి {0} సృష్టించబడింది
 DocType: Special Test Items,Special Test Items,ప్రత్యేక టెస్ట్ అంశాలు
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace పై రిజిస్టర్ చేయడానికి మీరు సిస్టమ్ మేనేజర్ మరియు Item మేనేజర్ పాత్రలతో ఒక యూజర్గా ఉండాలి.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,చెల్లింపు విధానం
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,మీ కేటాయించిన జీతం నిర్మాణం ప్రకారం మీరు ప్రయోజనాల కోసం దరఖాస్తు చేయలేరు
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,వెబ్సైట్ చిత్రం పబ్లిక్ ఫైలు లేదా వెబ్సైట్ URL అయి ఉండాలి
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,వెబ్సైట్ చిత్రం పబ్లిక్ ఫైలు లేదా వెబ్సైట్ URL అయి ఉండాలి
 DocType: Purchase Invoice Item,BOM,బిఒఎం
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,ఈ రూట్ అంశం సమూహం ఉంది మరియు సవరించడం సాధ్యం కాదు.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,విలీనం
@@ -1957,7 +1974,8 @@
 DocType: Warehouse,Warehouse Contact Info,వేర్హౌస్ సంప్రదింపు సమాచారం
 DocType: Payment Entry,Write Off Difference Amount,తేడా మొత్తం ఆఫ్ వ్రాయండి
 DocType: Volunteer,Volunteer Name,వాలంటీర్ పేరు
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: ఉద్యోగి ఇమెయిల్ దొరకలేదు, అందుకే పంపలేదు ఇమెయిల్"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},ఇతర వరుసలలో నకిలీ తేదీలు ఉన్న వరుసలు కనుగొనబడ్డాయి: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: ఉద్యోగి ఇమెయిల్ దొరకలేదు, అందుకే పంపలేదు ఇమెయిల్"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},ఇచ్చిన తేదీ {0} న ఉద్యోగి {0} కోసం కేటాయించిన జీతం నిర్మాణం
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},షిప్పింగ్ నియమం దేశం కోసం వర్తించదు {0}
 DocType: Item,Foreign Trade Details,ఫారిన్ ట్రేడ్ వివరాలు
@@ -1965,17 +1983,17 @@
 DocType: Email Digest,Annual Income,వార్షిక ఆదాయం
 DocType: Serial No,Serial No Details,సీరియల్ సంఖ్య వివరాలు
 DocType: Purchase Invoice Item,Item Tax Rate,అంశం పన్ను రేటు
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,పార్టీ పేరు నుండి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,పార్టీ పేరు నుండి
 DocType: Student Group Student,Group Roll Number,గ్రూప్ రోల్ సంఖ్య
 DocType: Student Group Student,Group Roll Number,గ్రూప్ రోల్ సంఖ్య
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, కేవలం క్రెడిట్ ఖాతాల మరొక డెబిట్ ప్రవేశం వ్యతిరేకంగా లింక్ చేయవచ్చు కోసం"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,డెలివరీ గమనిక {0} సమర్పించిన లేదు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,డెలివరీ గమనిక {0} సమర్పించిన లేదు
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,అంశం {0} ఒక ఉప-ఒప్పంద అంశం ఉండాలి
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,రాజధాని పరికరాలు
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ధర రూల్ మొదటి ఆధారంగా ఎంపిక ఉంటుంది అంశం, అంశం గ్రూప్ లేదా బ్రాండ్ కావచ్చు, ఫీల్డ్ &#39;న వర్తించు&#39;."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,దయచేసి మొదటి అంశం కోడ్ను సెట్ చేయండి
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc టైప్
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,అమ్మకాలు జట్టు మొత్తం కేటాయించింది శాతం 100 ఉండాలి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc టైప్
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,అమ్మకాలు జట్టు మొత్తం కేటాయించింది శాతం 100 ఉండాలి
 DocType: Subscription Plan,Billing Interval Count,బిల్లింగ్ విరామం కౌంట్
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,నియామకాలు మరియు పేషెంట్ ఎన్కౌన్టర్స్
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,విలువ లేదు
@@ -1989,6 +2007,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,ప్రింట్ ఫార్మాట్ సృష్టించు
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,ఫీజు సృష్టించబడింది
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},అని ఏ అంశం నివ్వలేదు {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,అంశాలు వడపోత
 DocType: Supplier Scorecard Criteria,Criteria Formula,ప్రమాణం ఫార్ములా
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,మొత్తం అవుట్గోయింగ్
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",మాత్రమే &quot;విలువ ఎలా&quot; 0 లేదా ఖాళీ విలువ ఒక షిప్పింగ్ రూల్ కండిషన్ ఉండగలడు
@@ -1997,14 +2016,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","ఒక అంశం {0} కోసం, పరిమాణం సానుకూల సంఖ్య అయి ఉండాలి"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,గమనిక: ఈ ఖర్చు సెంటర్ ఒక సమూహం. గ్రూపులు వ్యతిరేకంగా అకౌంటింగ్ ఎంట్రీలు చేయలేరు.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,చెల్లుబాటు అయ్యే సెలవుదినాల్లో కాంపెన్సేటరీ లీవ్ అభ్యర్థన రోజుల లేదు
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,చైల్డ్ గిడ్డంగిలో ఈ గిడ్డంగిలో అవసరమయ్యారు. మీరు ఈ గిడ్డంగిలో తొలగించలేరు.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,చైల్డ్ గిడ్డంగిలో ఈ గిడ్డంగిలో అవసరమయ్యారు. మీరు ఈ గిడ్డంగిలో తొలగించలేరు.
 DocType: Item,Website Item Groups,వెబ్సైట్ అంశం గుంపులు
 DocType: Purchase Invoice,Total (Company Currency),మొత్తం (కంపెనీ కరెన్సీ)
 DocType: Daily Work Summary Group,Reminder,రిమైండర్
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,ప్రాప్యత విలువ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,ప్రాప్యత విలువ
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,{0} క్రమ సంఖ్య ఒకసారి కంటే ఎక్కువ ప్రవేశించింది
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,జర్నల్ ఎంట్రీ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN నుండి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN నుండి
 DocType: Expense Claim Advance,Unclaimed amount,దావా వేయబడిన మొత్తం
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} పురోగతి అంశాలను
 DocType: Workstation,Workstation Name,కార్యక్షేత్ర పేరు
@@ -2012,7 +2031,7 @@
 DocType: POS Item Group,POS Item Group,POS అంశం గ్రూప్
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,సారాంశ ఇమెయిల్:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,ప్రత్యామ్నాయ అంశం అంశం కోడ్ వలె ఉండకూడదు
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},బిఒఎం {0} అంశం చెందినది కాదు {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},బిఒఎం {0} అంశం చెందినది కాదు {1}
 DocType: Sales Partner,Target Distribution,టార్గెట్ పంపిణీ
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-తాత్కాలిక అంచనా యొక్క తుది నిర్ణయం
 DocType: Salary Slip,Bank Account No.,బ్యాంక్ ఖాతా నంబర్
@@ -2021,7 +2040,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","స్కోర్కార్డ్ వేరియబుల్స్ని ఉపయోగించవచ్చు, అలాగే: {total_score} (ఆ కాలం నుండి మొత్తం స్కోరు), {period_number} (నేటి వరకు కాలాల సంఖ్య)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,అన్నీ కుదించు
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,అన్నీ కుదించు
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,కొనుగోలు ఆర్డర్ సృష్టించండి
 DocType: Quality Inspection Reading,Reading 8,8 పఠనం
 DocType: Inpatient Record,Discharge Note,ఉత్సర్గ గమనిక
@@ -2038,7 +2057,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,ప్రివిలేజ్ లీవ్
 DocType: Purchase Invoice,Supplier Invoice Date,సరఫరాదారు వాయిస్ తేదీ
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,ఈ విలువ ప్రో-రాటా తాత్కాలిక లెక్కింపు కోసం ఉపయోగించబడుతుంది
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,మీరు షాపింగ్ కార్ట్ ఎనేబుల్ చెయ్యాలి
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,మీరు షాపింగ్ కార్ట్ ఎనేబుల్ చెయ్యాలి
 DocType: Payment Entry,Writeoff,Writeoff
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,సిరీస్ ప్రిఫిక్స్ పేరు పెట్టడం
@@ -2053,11 +2072,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,మధ్య దొరకలేదు అతివ్యాప్తి పరిస్థితులు:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,జర్నల్ వ్యతిరేకంగా ఎంట్రీ {0} ఇప్పటికే కొన్ని ఇతర రసీదును వ్యతిరేకంగా సర్దుబాటు
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,మొత్తం ఆర్డర్ విలువ
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ఆహార
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,ఆహార
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,ఏజింగ్ రేంజ్ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS ముగింపు వోచర్ వివరాలు
 DocType: Shopify Log,Shopify Log,Shopify లాగ్
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,దయచేసి సెటప్&gt; సెట్టింగులు&gt; నామకరణ సిరీస్ ద్వారా {0} నామకరణ సిరీస్ను సెట్ చేయండి
 DocType: Inpatient Occupancy,Check In,చెక్ ఇన్ చేయండి
 DocType: Maintenance Schedule Item,No of Visits,సందర్శనల సంఖ్య
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},నిర్వహణ షెడ్యూల్ {0} వ్యతిరేకంగా ఉంది {1}
@@ -2097,6 +2115,7 @@
 DocType: Salary Structure,Max Benefits (Amount),మాక్స్ ప్రయోజనాలు (పరిమాణం)
 DocType: Purchase Invoice,Contact Person,పర్సన్ సంప్రదించండి
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&#39;ఊహించిన ప్రారంభం తేది&#39; కంటే ఎక్కువ &#39;ఊహించినది ముగింపు తేదీ&#39; ఉండకూడదు
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,ఈ వ్యవధికి డేటా లేదు
 DocType: Course Scheduling Tool,Course End Date,కోర్సు ముగింపు తేదీ
 DocType: Holiday List,Holidays,సెలవులు
 DocType: Sales Order Item,Planned Quantity,ప్రణాళిక పరిమాణం
@@ -2108,7 +2127,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,స్థిర ఆస్తి నికర మార్పును
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,అన్ని వివరణలకు భావిస్తారు ఉంటే ఖాళీ వదిలి
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,రకం &#39;యదార్థ&#39; వరుసగా బాధ్యతలు {0} అంశాన్ని రేటు చేర్చారు సాధ్యం కాదు
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,రకం &#39;యదార్థ&#39; వరుసగా బాధ్యతలు {0} అంశాన్ని రేటు చేర్చారు సాధ్యం కాదు
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},మాక్స్: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,తేదీసమయం నుండి
 DocType: Shopify Settings,For Company,కంపెనీ
@@ -2121,9 +2140,9 @@
 DocType: Material Request,Terms and Conditions Content,నియమాలు మరియు నిబంధనలు కంటెంట్
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,కోర్సు షెడ్యూల్ను సృష్టించే లోపాలు ఉన్నాయి
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,జాబితాలోని మొదటి ఖర్చు అప్ప్రోవర్ డిఫాల్ట్ వ్యయ అప్ప్రోవర్గా సెట్ చేయబడుతుంది.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 కంటే ఎక్కువ ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 కంటే ఎక్కువ ఉండకూడదు
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,మీరు మార్కెట్ మేనేజర్లో రిజిస్టర్ చేసుకోవడానికి సిస్టమ్ మేనేజర్ మరియు ఐప్యాడ్ మేనేజర్ పాత్రలతో నిర్వాహకుడిగా కాకుండా వేరే వినియోగదారుగా ఉండాలి.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} అంశం స్టాక్ అంశం కాదు
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} అంశం స్టాక్ అంశం కాదు
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-పాక్-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,అనుకోని
 DocType: Employee,Owned,ఆధ్వర్యంలోని
@@ -2151,7 +2170,7 @@
 DocType: HR Settings,Employee Settings,Employee సెట్టింగ్స్
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,చెల్లింపు వ్యవస్థను లోడ్ చేస్తోంది
 ,Batch-Wise Balance History,బ్యాచ్-వైజ్ సంతులనం చరిత్ర
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,వరుస # {0}: అంశం {1} కోసం మొత్తం మొత్తాన్ని బట్టి మొత్తంగా ఉంటే రేట్ సెట్ చేయలేరు.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,వరుస # {0}: అంశం {1} కోసం మొత్తం మొత్తాన్ని బట్టి మొత్తంగా ఉంటే రేట్ సెట్ చేయలేరు.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ముద్రణా సెట్టింగ్లను సంబంధిత print ఫార్మాట్లో నవీకరించబడింది
 DocType: Package Code,Package Code,ప్యాకేజీ కోడ్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,అప్రెంటిస్
@@ -2159,7 +2178,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,ప్రతికూల పరిమాణం అనుమతి లేదు
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",ఒక స్ట్రింగ్ వంటి అంశం మాస్టర్ నుండి తెచ్చిన మరియు ఈ రంగంలో నిల్వ పన్ను వివరాలు పట్టిక. పన్నులు మరియు ఆరోపణలు వాడిన
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Employee తనను రిపోర్ట్ చేయలేరు.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Employee తనను రిపోర్ట్ చేయలేరు.
 DocType: Leave Type,Max Leaves Allowed,మాక్స్ లీవ్స్ అనుమతి
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",ఖాతా ఘనీభవించిన ఉంటే ప్రవేశాలు పరిమితం వినియోగదారులు అనుమతించబడతాయి.
 DocType: Email Digest,Bank Balance,బ్యాంకు బ్యాలెన్స్
@@ -2185,6 +2204,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,బ్యాంక్ లావాదేవీ ఎంట్రీలు
 DocType: Quality Inspection,Readings,రీడింగ్స్
 DocType: Stock Entry,Total Additional Costs,మొత్తం అదనపు వ్యయాలు
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,సంభాషణల సంఖ్య
 DocType: BOM,Scrap Material Cost(Company Currency),స్క్రాప్ మెటీరియల్ ఖర్చు (కంపెనీ కరెన్సీ)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,సబ్ అసెంబ్లీలకు
 DocType: Asset,Asset Name,ఆస్తి పేరు
@@ -2192,10 +2212,10 @@
 DocType: Shipping Rule Condition,To Value,విలువ
 DocType: Loyalty Program,Loyalty Program Type,లాయల్టీ ప్రోగ్రామ్ పద్ధతి
 DocType: Asset Movement,Stock Manager,స్టాక్ మేనేజర్
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},మూల గిడ్డంగి వరుసగా తప్పనిసరి {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},మూల గిడ్డంగి వరుసగా తప్పనిసరి {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,వరుసలో {0} చెల్లింపు టర్మ్ బహుశా నకిలీ.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),వ్యవసాయం (బీటా)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,ప్యాకింగ్ స్లిప్
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,ప్యాకింగ్ స్లిప్
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,ఆఫీసు రెంట్
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,సెటప్ SMS గేట్వే సెట్టింగులు
 DocType: Disease,Common Name,సాధారణ పేరు
@@ -2227,20 +2247,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,ఉద్యోగి ఇమెయిల్ వేతనం స్లిప్
 DocType: Cost Center,Parent Cost Center,మాతృ ఖర్చు సెంటర్
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,సాధ్యమైన సరఫరాదారు ఎంచుకోండి
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,సాధ్యమైన సరఫరాదారు ఎంచుకోండి
 DocType: Sales Invoice,Source,మూల
 DocType: Customer,"Select, to make the customer searchable with these fields","ఎంచుకోండి, ఈ రంగాలతో కస్టమర్ వెతకడానికి"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,షిప్టిప్లో Shopify నుండి దిగుమతి డెలివరీ గమనికలు
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,మూసి షో
 DocType: Leave Type,Is Leave Without Pay,పే లేకుండా వదిలి ఉంటుంది
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,ఆస్తి వర్గం స్థిర ఆస్తి అంశం తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,ఆస్తి వర్గం స్థిర ఆస్తి అంశం తప్పనిసరి
 DocType: Fee Validity,Fee Validity,ఫీజు చెల్లుబాటు
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,చెల్లింపు పట్టిక కనుగొనబడలేదు రికార్డులు
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},ఈ {0} తో విభేదాలు {1} కోసం {2} {3}
 DocType: Student Attendance Tool,Students HTML,స్టూడెంట్స్ HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","దయచేసి ఈ పత్రాన్ని రద్దు చేయడానికి ఉద్యోగి <a href=""#Form/Employee/{0}"">{0}</a> ను తొలగించండి"
 DocType: POS Profile,Apply Discount,డిస్కౌంట్ వర్తించు
 DocType: GST HSN Code,GST HSN Code,జిఎస్టి HSN కోడ్
 DocType: Employee External Work History,Total Experience,మొత్తం ఎక్స్పీరియన్స్
@@ -2263,7 +2280,7 @@
 DocType: Maintenance Schedule,Schedules,షెడ్యూల్స్
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,పాయింట్ ఆఫ్ సేల్ ను ఉపయోగించడానికి POS ప్రొఫైల్ అవసరం
 DocType: Cashier Closing,Net Amount,నికర మొత్తం
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} సమర్పించిన చేయలేదు చర్య పూర్తి చేయబడదు కాబట్టి
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} సమర్పించిన చేయలేదు చర్య పూర్తి చేయబడదు కాబట్టి
 DocType: Purchase Order Item Supplied,BOM Detail No,బిఒఎం వివరాలు లేవు
 DocType: Landed Cost Voucher,Additional Charges,అదనపు ఛార్జీలు
 DocType: Support Search Source,Result Route Field,ఫలితం మార్గం ఫీల్డ్
@@ -2292,11 +2309,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,ఇన్వాయిస్లు తెరవడం
 DocType: Contract,Contract Details,కాంట్రాక్ట్ వివరాలు
 DocType: Employee,Leave Details,వివరాలు వదిలివేయండి
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Employee పాత్ర సెట్ ఒక ఉద్యోగి రికార్డు వాడుకరి ID రంగంలో సెట్ చెయ్యండి
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Employee పాత్ర సెట్ ఒక ఉద్యోగి రికార్డు వాడుకరి ID రంగంలో సెట్ చెయ్యండి
 DocType: UOM,UOM Name,UoM పేరు
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,చిరునామా 1 కు
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,చిరునామా 1 కు
 DocType: GST HSN Code,HSN Code,HSN కోడ్
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,చందా మొత్తాన్ని
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,చందా మొత్తాన్ని
 DocType: Inpatient Record,Patient Encounter,పేషెంట్ ఎన్కౌంటర్
 DocType: Purchase Invoice,Shipping Address,షిప్పింగ్ చిరునామా
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ఈ సాధనం అప్డేట్ లేదా వ్యవస్థలో స్టాక్ పరిమాణం మరియు మదింపు పరిష్కరించడానికి సహాయపడుతుంది. ఇది సాధారణంగా వ్యవస్థ విలువలు ఏ వాస్తవానికి మీ గిడ్డంగుల్లో ఉంది సమకాలీకరించడానికి ఉపయోగిస్తారు.
@@ -2313,9 +2330,9 @@
 DocType: Travel Itinerary,Mode of Travel,ప్రయాణం మోడ్
 DocType: Sales Invoice Item,Brand Name,బ్రాండ్ పేరు
 DocType: Purchase Receipt,Transporter Details,ట్రాన్స్పోర్టర్ వివరాలు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,డిఫాల్ట్ గిడ్డంగిలో ఎంచుకున్న అంశం కోసం అవసరం
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,డిఫాల్ట్ గిడ్డంగిలో ఎంచుకున్న అంశం కోసం అవసరం
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,బాక్స్
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,సాధ్యమైన సరఫరాదారు
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,సాధ్యమైన సరఫరాదారు
 DocType: Budget,Monthly Distribution,మంత్లీ పంపిణీ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,స్వీకర్త జాబితా ఖాళీగా ఉంది. స్వీకర్త జాబితా సృష్టించడానికి దయచేసి
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),హెల్త్కేర్ (బీటా)
@@ -2337,6 +2354,7 @@
 ,Lead Name,లీడ్ పేరు
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,వృద్ధి
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,తెరవడం స్టాక్ సంతులనం
 DocType: Asset Category Account,Capital Work In Progress Account,ప్రోగ్రెస్ ఖాతాలో కాపిటల్ వర్క్
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,ఆస్తి విలువ అడ్జస్ట్మెంట్
@@ -2345,7 +2363,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},విజయవంతంగా కేటాయించిన లీవ్స్ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,ఏ అంశాలు సర్దుకుని
 DocType: Shipping Rule Condition,From Value,విలువ నుంచి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,తయారీ పరిమాణం తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,తయారీ పరిమాణం తప్పనిసరి
 DocType: Loan,Repayment Method,తిరిగి చెల్లించే విధానం
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","తనిఖీ, హోమ్ పేజీ వెబ్సైట్ కోసం డిఫాల్ట్ అంశం గ్రూప్ ఉంటుంది"
 DocType: Quality Inspection Reading,Reading 4,4 పఠనం
@@ -2370,7 +2388,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ఉద్యోగుల రెఫరల్
 DocType: Student Group,Set 0 for no limit,ఎటువంటి పరిమితి 0 సెట్
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,మీరు సెలవు కోసం దరఖాస్తు ఇది రోజు (లు) పండుగలు. మీరు సెలవు కోసం దరఖాస్తు అవసరం లేదు.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Row {idx}: {field} తెరవడం {invoice_type} ఇన్వాయిస్లు సృష్టించడానికి అవసరం
 DocType: Customer,Primary Address and Contact Detail,ప్రాథమిక చిరునామా మరియు సంప్రదింపు వివరాలు
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,చెల్లింపు ఇమెయిల్ను మళ్లీ పంపండి
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,క్రొత్త విధిని
@@ -2380,22 +2397,22 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,దయచేసి కనీసం ఒక డొమైన్ని ఎంచుకోండి.
 DocType: Dependent Task,Dependent Task,అస్వతంత్ర టాస్క్
 DocType: Shopify Settings,Shopify Tax Account,Shopify పన్ను ఖాతా
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},మెజర్ యొక్క డిఫాల్ట్ యూనిట్ మార్పిడి అంశం వరుసగా 1 ఉండాలి {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},రకం లీవ్ {0} కంటే ఎక్కువ ఉండరాదు {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},మెజర్ యొక్క డిఫాల్ట్ యూనిట్ మార్పిడి అంశం వరుసగా 1 ఉండాలి {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},రకం లీవ్ {0} కంటే ఎక్కువ ఉండరాదు {1}
 DocType: Delivery Trip,Optimize Route,మార్గం ఆప్టిమైజ్
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,ముందుగానే X రోజులు కార్యకలాపాలు ప్రణాళిక ప్రయత్నించండి.
 DocType: HR Settings,Stop Birthday Reminders,ఆపు జన్మదిన రిమైండర్లు
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},కంపెనీ డిఫాల్ట్ పేరోల్ చెల్లించవలసిన ఖాతా సెట్ దయచేసి {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,అమెజాన్ ద్వారా పన్నులు మరియు ఆరోపణల డేటా యొక్క ఆర్థిక విభజన పొందండి
 DocType: SMS Center,Receiver List,స్వీకర్త జాబితా
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,శోధన అంశం
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,శోధన అంశం
 DocType: Payment Schedule,Payment Amount,చెల్లింపు మొత్తం
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,తేదీ మరియు పని ముగింపు తేదీ నుండి పని మధ్యలో అర్ధ రోజు ఉండాలి
 DocType: Healthcare Settings,Healthcare Service Items,హెల్త్కేర్ సర్వీస్ అంశాలు
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,వినియోగించిన మొత్తం
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,నగదు నికర మార్పు
 DocType: Assessment Plan,Grading Scale,గ్రేడింగ్ స్కేల్
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,మెజర్ {0} యొక్క యూనిట్ మార్పిడి ఫాక్టర్ టేబుల్ లో ఒకసారి కంటే ఎక్కువ నమోదు చేయబడింది
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,మెజర్ {0} యొక్క యూనిట్ మార్పిడి ఫాక్టర్ టేబుల్ లో ఒకసారి కంటే ఎక్కువ నమోదు చేయబడింది
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,ఇప్పటికే పూర్తి
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,చేతిలో స్టాక్
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2418,25 +2435,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,సీరియల్ లేవు {0} పరిమాణం {1} ఒక భిన్నం ఉండకూడదు
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,దయచేసి Woocommerce Server URL ను నమోదు చేయండి
 DocType: Purchase Order Item,Supplier Part Number,సరఫరాదారు పార్ట్ సంఖ్య
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,మార్పిడి రేటు 0 లేదా 1 ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,మార్పిడి రేటు 0 లేదా 1 ఉండకూడదు
 DocType: Share Balance,To No,లేదు
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ఉద్యోగి సృష్టికి అన్ని తప్పనిసరి టాస్క్ ఇంకా పూర్తి కాలేదు.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} రద్దు లేదా ఆగిపోయిన
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} రద్దు లేదా ఆగిపోయిన
 DocType: Accounts Settings,Credit Controller,క్రెడిట్ కంట్రోలర్
 DocType: Loan,Applicant Type,అభ్యర్థి రకం
 DocType: Purchase Invoice,03-Deficiency in services,సేవలలో 03-డెఫిషియన్సీ
 DocType: Healthcare Settings,Default Medical Code Standard,డిఫాల్ట్ మెడికల్ కోడ్ స్టాండర్డ్
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,కొనుగోలు రసీదులు {0} సమర్పించిన లేదు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,కొనుగోలు రసీదులు {0} సమర్పించిన లేదు
 DocType: Company,Default Payable Account,డిఫాల్ట్ చెల్లించవలసిన ఖాతా
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ఇటువంటి షిప్పింగ్ నియమాలు, ధర జాబితా మొదలైనవి ఆన్లైన్ షాపింగ్ కార్ట్ కోసం సెట్టింగులు"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% కస్టమర్లకు
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,ప్రత్యేకించుకోవడమైనది ప్యాక్ చేసిన అంశాల
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,ప్రత్యేకించుకోవడమైనది ప్యాక్ చేసిన అంశాల
 DocType: Party Account,Party Account,పార్టీ ఖాతా
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,దయచేసి కంపెనీ మరియు హోదాను ఎంచుకోండి
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,మానవ వనరులు
-DocType: Lead,Upper Income,ఉన్నత ఆదాయపు
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,ఉన్నత ఆదాయపు
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,తిరస్కరించు
 DocType: Journal Entry Account,Debit in Company Currency,కంపెనీ కరెన్సీ లో డెబిట్
 DocType: BOM Item,BOM Item,బిఒఎం అంశం
@@ -2451,7 +2468,7 @@
 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py +21,Payroll date can not be less than employee's joining date,ఉద్యోగి చేరిన తేదీ కంటే పేరోల్ తేదీ తక్కువగా ఉండకూడదు
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py +87,{0} {1} created,{0} {1} సృష్టించబడింది
 DocType: Vital Signs,Constipated,constipated
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},సరఫరాదారు వ్యతిరేకంగా వాయిస్ {0} నాటి {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},సరఫరాదారు వ్యతిరేకంగా వాయిస్ {0} నాటి {1}
 DocType: Customer,Default Price List,డిఫాల్ట్ ధర జాబితా
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,ఆస్తి ఉద్యమం రికార్డు {0} రూపొందించారు
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,అంశాలు కనుగొనబడలేదు.
@@ -2467,16 +2484,17 @@
 DocType: Journal Entry,Entry Type,ఎంట్రీ రకం
 ,Customer Credit Balance,కస్టమర్ క్రెడిట్ సంతులనం
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,చెల్లించవలసిన అకౌంట్స్ నికర మార్పును
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),కస్టమర్ {0} ({1} / {2}) కోసం క్రెడిట్ పరిమితి దాటింది.
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,దయచేసి సెటప్&gt; సెట్టింగులు&gt; నామకరణ సిరీస్ ద్వారా {0} నామకరణ సిరీస్ను సెట్ చేయండి
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),కస్టమర్ {0} ({1} / {2}) కోసం క్రెడిట్ పరిమితి దాటింది.
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&#39;Customerwise డిస్కౌంట్&#39; అవసరం కస్టమర్
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,పత్రికలు బ్యాంకు చెల్లింపు తేదీలు నవీకరించండి.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,ధర
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,ధర
 DocType: Quotation,Term Details,టర్మ్ వివరాలు
 DocType: Employee Incentive,Employee Incentive,ఉద్యోగి ప్రోత్సాహకం
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} ఈ విద్యార్థి సమూహం కోసం విద్యార్థులు కంటే మరింత నమోదు చేయలేరు.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),మొత్తం (పన్ను లేకుండా)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,లీడ్ కౌంట్
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,స్టాక్ అందుబాటులో ఉంది
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,స్టాక్ అందుబాటులో ఉంది
 DocType: Manufacturing Settings,Capacity Planning For (Days),(రోజులు) పరిమాణ ప్రణాళికా
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,ప్రొక్యూర్మెంట్
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,అంశాలను ఎవరూ పరిమాణం లేదా విలువ ఏ మార్పు ఉండదు.
@@ -2501,7 +2519,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,వదిలివేయండి మరియు హాజరు
 DocType: Asset,Comprehensive Insurance,సమగ్ర బీమా
 DocType: Maintenance Visit,Partially Completed,పాక్షికంగా పూర్తి
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},లాయల్టీ పాయింట్: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},లాయల్టీ పాయింట్: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,లీడ్స్ జోడించండి
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,ఆధునిక సున్నితత్వం
 DocType: Leave Type,Include holidays within leaves as leaves,ఆకులు ఆకులు లోపల సెలవులు చేర్చండి
 DocType: Loyalty Program,Redemption,రిడంప్షన్
@@ -2535,7 +2554,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,మార్కెటింగ్ ఖర్చులు
 ,Item Shortage Report,అంశం కొరత రిపోర్ట్
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,ప్రామాణిక ప్రమాణాలను సృష్టించలేరు. దయచేసి ప్రమాణాల పేరు మార్చండి
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","బరువు \ n దయచేసి చాలా &quot;బరువు UoM&quot; చెప్పలేదు, ప్రస్తావించబడింది"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","బరువు \ n దయచేసి చాలా &quot;బరువు UoM&quot; చెప్పలేదు, ప్రస్తావించబడింది"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,మెటీరియల్ అభ్యర్థన ఈ స్టాక్ ఎంట్రీ చేయడానికి ఉపయోగిస్తారు
 DocType: Hub User,Hub Password,హబ్ పాస్వర్డ్
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,ప్రతి బ్యాచ్ కోసం ప్రత్యేక కోర్సు ఆధారంగా గ్రూప్
@@ -2550,15 +2569,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),నియామకం వ్యవధి (నిమిషాలు)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ప్రతి స్టాక్ ఉద్యమం కోసం అకౌంటింగ్ ఎంట్రీ చేయండి
 DocType: Leave Allocation,Total Leaves Allocated,మొత్తం ఆకులు కేటాయించిన
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,చెల్లుబాటు అయ్యే ఆర్థిక సంవత్సరం ప్రారంభ మరియు ముగింపు తేదీలను ఎంటర్ చేయండి
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,చెల్లుబాటు అయ్యే ఆర్థిక సంవత్సరం ప్రారంభ మరియు ముగింపు తేదీలను ఎంటర్ చేయండి
 DocType: Employee,Date Of Retirement,రిటైర్మెంట్ డేట్ అఫ్
 DocType: Upload Attendance,Get Template,మూస పొందండి
+,Sales Person Commission Summary,సేల్స్ పర్సన్ కమిషన్ సారాంశం
 DocType: Additional Salary Component,Additional Salary Component,అదనపు జీతం కాంపోనెంట్
 DocType: Material Request,Transferred,బదిలీ
 DocType: Vehicle,Doors,ది డోర్స్
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext సెటప్ పూర్తి!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext సెటప్ పూర్తి!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,పేషంట్ రిజిస్ట్రేషన్ కోసం ఫీజుని సేకరించండి
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,స్టాక్ లావాదేవీ తర్వాత గుణాలు మార్చలేరు. ఒక కొత్త అంశం తయారు మరియు కొత్త వస్తువుకు బదిలీ చేయండి
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,స్టాక్ లావాదేవీ తర్వాత గుణాలు మార్చలేరు. ఒక కొత్త అంశం తయారు మరియు కొత్త వస్తువుకు బదిలీ చేయండి
 DocType: Course Assessment Criteria,Weightage,వెయిటేజీ
 DocType: Purchase Invoice,Tax Breakup,పన్ను వేర్పాటు
 DocType: Employee,Joining Details,వివరాలు చేరడం
@@ -2586,14 +2606,15 @@
 DocType: Lead,Next Contact By,నెక్స్ట్ సంప్రదించండి
 DocType: Compensatory Leave Request,Compensatory Leave Request,Compensatory Leave Request
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},వరుసగా అంశం {0} కోసం అవసరం పరిమాణం {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},పరిమాణం అంశం కోసం ఉనికిలో వేర్హౌస్ {0} తొలగించబడవు {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},పరిమాణం అంశం కోసం ఉనికిలో వేర్హౌస్ {0} తొలగించబడవు {1}
 DocType: Blanket Order,Order Type,ఆర్డర్ రకం
 ,Item-wise Sales Register,అంశం వారీగా సేల్స్ నమోదు
 DocType: Asset,Gross Purchase Amount,స్థూల కొనుగోలు మొత్తాన్ని
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ప్రారంభ నిల్వలు
 DocType: Asset,Depreciation Method,అరుగుదల విధానం
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ప్రాథమిక రేటు లో కూడా ఈ పన్ను?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,మొత్తం టార్గెట్
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,మొత్తం టార్గెట్
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,పర్సెప్షన్ విశ్లేషణ
 DocType: Soil Texture,Sand Composition (%),ఇసుక కంపోజిషన్ (%)
 DocType: Job Applicant,Applicant for a Job,ఒక Job కొరకు అభ్యర్ధించే
 DocType: Production Plan Material Request,Production Plan Material Request,ఉత్పత్తి ప్రణాళిక మెటీరియల్ అభ్యర్థన
@@ -2609,23 +2630,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),అసెస్మెంట్ మార్క్ (10 నుండి)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 మొబైల్ లేవు
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,ప్రధాన
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,అంశం తర్వాత {0} {1} అంశంగా గుర్తించబడలేదు. మీరు వాటిని ఐటమ్ మాస్టర్ నుండి {1} అంశంగా ఎనేబుల్ చేయవచ్చు
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,వేరియంట్
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","ఒక అంశం {0} కోసం, పరిమాణం ప్రతికూల సంఖ్య ఉండాలి"
 DocType: Naming Series,Set prefix for numbering series on your transactions,మీ లావాదేవీలపై సిరీస్ నంబరింగ్ కోసం సెట్ ఉపసర్గ
 DocType: Employee Attendance Tool,Employees HTML,ఉద్యోగులు HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,డిఫాల్ట్ BOM ({0}) ఈ అంశం లేదా దాని టెంప్లేట్ కోసం చురుకుగా ఉండాలి
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,డిఫాల్ట్ BOM ({0}) ఈ అంశం లేదా దాని టెంప్లేట్ కోసం చురుకుగా ఉండాలి
 DocType: Employee,Leave Encashed?,Encashed వదిలి?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ఫీల్డ్ నుండి అవకాశం తప్పనిసరి
 DocType: Email Digest,Annual Expenses,వార్షిక ఖర్చులు
 DocType: Item,Variants,రకరకాలు
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,కొనుగోలు ఆర్డర్ చేయండి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,కొనుగోలు ఆర్డర్ చేయండి
 DocType: SMS Center,Send To,పంపే
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},లీవ్ పద్ధతి కోసం తగినంత సెలవు సంతులనం లేదు {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},లీవ్ పద్ధతి కోసం తగినంత సెలవు సంతులనం లేదు {0}
 DocType: Payment Reconciliation Payment,Allocated amount,కేటాయించింది మొత్తం
 DocType: Sales Team,Contribution to Net Total,నికర మొత్తం కాంట్రిబ్యూషన్
 DocType: Sales Invoice Item,Customer's Item Code,కస్టమర్ యొక్క Item కోడ్
 DocType: Stock Reconciliation,Stock Reconciliation,స్టాక్ సయోధ్య
 DocType: Territory,Territory Name,భూభాగం పేరు
+DocType: Email Digest,Purchase Orders to Receive,స్వీకరించడానికి ఆర్డర్లను కొనుగోలు చేయండి
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,పని లో ప్రోగ్రెస్ వేర్హౌస్ సమర్పించండి ముందు అవసరం
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,మీరు చందాలో ఒకే బిల్లింగ్ చక్రం కలిగిన ప్లాన్లను మాత్రమే కలిగి ఉండవచ్చు
 DocType: Bank Statement Transaction Settings Item,Mapped Data,మాప్ చేసిన డేటా
@@ -2642,9 +2665,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},సీరియల్ అంశం ఏదీ ప్రవేశించింది నకిలీ {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,లీడ్ సోర్స్ ద్వారా దారితీస్తుంది ట్రాక్.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,ఒక షిప్పింగ్ రూల్ ఒక పరిస్థితి
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,దయచేసి నమోదు చెయ్యండి
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,దయచేసి నమోదు చెయ్యండి
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,నిర్వహణ లాగ్
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,అంశం లేదా వేర్హౌస్ ఆధారంగా వడపోత సెట్ చెయ్యండి
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,అంశం లేదా వేర్హౌస్ ఆధారంగా వడపోత సెట్ చెయ్యండి
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ఈ ప్యాకేజీ యొక్క నికర బరువు. (అంశాలను నికర బరువు మొత్తంగా స్వయంచాలకంగా లెక్కించిన)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,ఇంటర్ కంపెనీ జర్నల్ ప్రవేశం చేయండి
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,డిస్కౌంట్ మొత్తం 100% కన్నా ఎక్కువ ఉండకూడదు
@@ -2653,15 +2676,15 @@
 DocType: Sales Order,To Deliver and Bill,బట్వాడా మరియు బిల్
 DocType: Student Group,Instructors,బోధకులు
 DocType: GL Entry,Credit Amount in Account Currency,ఖాతా కరెన్సీ లో క్రెడిట్ మొత్తం
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,బిఒఎం {0} సమర్పించాలి
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,భాగస్వామ్యం నిర్వహణ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,బిఒఎం {0} సమర్పించాలి
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,భాగస్వామ్యం నిర్వహణ
 DocType: Authorization Control,Authorization Control,అధికార కంట్రోల్
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},రో # {0}: వేర్హౌస్ తిరస్కరించబడిన తిరస్కరించిన వస్తువు వ్యతిరేకంగా తప్పనిసరి {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,చెల్లింపు
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},రో # {0}: వేర్హౌస్ తిరస్కరించబడిన తిరస్కరించిన వస్తువు వ్యతిరేకంగా తప్పనిసరి {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,చెల్లింపు
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",వేర్హౌస్ {0} ఏదైనా ఖాతాకు లింక్ లేదు కంపెనీలో లేదా గిడ్డంగి రికార్డు ఖాతా సిద్ధ జాబితా ఖాతా తెలియజేస్తూ {1}.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,మీ ఆర్డర్లను నిర్వహించండి
 DocType: Work Order Operation,Actual Time and Cost,అసలు సమయం మరియు ఖర్చు
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},గరిష్ట {0} యొక్క పదార్థం అభ్యర్థన {1} అమ్మకాల ఆర్డర్ వ్యతిరేకంగా అంశం కోసం తయారు చేయవచ్చు {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},గరిష్ట {0} యొక్క పదార్థం అభ్యర్థన {1} అమ్మకాల ఆర్డర్ వ్యతిరేకంగా అంశం కోసం తయారు చేయవచ్చు {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,పంట అంతరం
 DocType: Course,Course Abbreviation,కోర్సు సంక్షిప్తీకరణ
@@ -2673,6 +2696,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},మొత్తం పని గంటల గరిష్టంగా పని గంటల కంటే ఎక్కువ ఉండకూడదు {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,పై
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,అమ్మకం జరిగే సమయంలో కట్ట అంశాలు.
+DocType: Delivery Settings,Dispatch Settings,డిస్ప్లేచ్ సెట్టింగ్లు
 DocType: Material Request Plan Item,Actual Qty,వాస్తవ ప్యాక్ చేసిన అంశాల
 DocType: Sales Invoice Item,References,సూచనలు
 DocType: Quality Inspection Reading,Reading 10,10 పఠనం
@@ -2682,11 +2706,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,మీరు నకిలీ అంశాలను నమోదు చేసారు. సరిదిద్ది మళ్లీ ప్రయత్నించండి.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,అసోసియేట్
 DocType: Asset Movement,Asset Movement,ఆస్తి ఉద్యమం
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,కార్య క్రమాన్ని {0} సమర్పించాలి
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,న్యూ కార్ట్
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,కార్య క్రమాన్ని {0} సమర్పించాలి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,న్యూ కార్ట్
 DocType: Taxable Salary Slab,From Amount,మొత్తం నుండి
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} అంశం సీరియల్ అంశం కాదు
 DocType: Leave Type,Encashment,ఎన్క్యాష్మెంట్
+DocType: Delivery Settings,Delivery Settings,డెలివరీ సెట్టింగులు
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,డేటాను పొందు
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},సెలవు రకం {0} లో అనుమతించబడిన గరిష్ఠ సెలవు {1}
 DocType: SMS Center,Create Receiver List,స్వీకర్త జాబితా సృష్టించు
 DocType: Vehicle,Wheels,వీల్స్
@@ -2702,7 +2728,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,బిల్లింగ్ కరెన్సీ డిఫాల్ట్ కంపెనీ కరెన్సీ లేదా పార్టీ ఖాతా కరెన్సీకి సమానంగా ఉండాలి
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),ప్యాకేజీ దూస్రా (మాత్రమే డ్రాఫ్ట్) లో ఒక భాగంగా ఉంది అని సూచిస్తుంది
 DocType: Soil Texture,Loam,లోవామ్
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,రో {0}: తేదీని పోస్ట్ చేసే ముందు తేదీ ఉండకూడదు
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,రో {0}: తేదీని పోస్ట్ చేసే ముందు తేదీ ఉండకూడదు
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,చెల్లింపు ఎంట్రీ చేయండి
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},అంశం పరిమాణం {0} కంటే తక్కువ ఉండాలి {1}
 ,Sales Invoice Trends,సేల్స్ వాయిస్ ట్రెండ్లులో
@@ -2710,12 +2736,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',లేదా &#39;మునుపటి రో మొత్తం&#39; &#39;మునుపటి రో మొత్తం మీద&#39; ఛార్జ్ రకం మాత్రమే ఉంటే వరుసగా సూచించవచ్చు
 DocType: Sales Order Item,Delivery Warehouse,డెలివరీ వేర్హౌస్
 DocType: Leave Type,Earned Leave Frequency,సంపాదించిన ఫ్రీక్వెన్సీ సంపాదించింది
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,ఆర్థిక వ్యయం సెంటర్స్ చెట్టు.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,సబ్ టైప్
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,ఆర్థిక వ్యయం సెంటర్స్ చెట్టు.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,సబ్ టైప్
 DocType: Serial No,Delivery Document No,డెలివరీ డాక్యుమెంట్ లేవు
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ఉత్పత్తి సీరియల్ నంబర్ ఆధారంగా డెలివరీని నిర్ధారించండి
 DocType: Vital Signs,Furry,ఫర్రి
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},కంపెనీ &#39;ఆస్తి తొలగింపు పై పెరుగుట / నష్టం ఖాతాకు&#39; సెట్ దయచేసి {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},కంపెనీ &#39;ఆస్తి తొలగింపు పై పెరుగుట / నష్టం ఖాతాకు&#39; సెట్ దయచేసి {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,కొనుగోలు రసీదులు నుండి అంశాలను పొందండి
 DocType: Serial No,Creation Date,సృష్టి తేదీ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +42,"Selling must be checked, if Applicable For is selected as {0}","వర్తించే ఎంపిక ఉంది ఉంటే సెల్లింగ్, తనిఖీ చెయ్యాలి {0}"
@@ -2728,11 +2754,12 @@
 DocType: Item,Has Variants,రకాల్లో
 DocType: Employee Benefit Claim,Claim Benefit For,దావా బెనిఫిట్ కోసం
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,ప్రతిస్పందనని నవీకరించండి
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},మీరు ఇప్పటికే ఎంపిక నుండి అంశాలను రోజులో {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},మీరు ఇప్పటికే ఎంపిక నుండి అంశాలను రోజులో {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,మంత్లీ పంపిణీ పేరు
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,బ్యాచ్ ID తప్పనిసరి
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,బ్యాచ్ ID తప్పనిసరి
 DocType: Sales Person,Parent Sales Person,మాతృ సేల్స్ పర్సన్
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,స్వీకరించవలసిన అంశాలు మీరిన సమయం కాదు
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,విక్రేత మరియు కొనుగోలుదారు ఒకే విధంగా ఉండకూడదు
 DocType: Project,Collect Progress,ప్రోగ్రెస్ని సేకరించండి
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2748,7 +2775,7 @@
 DocType: Bank Guarantee,Margin Money,మార్జిన్ మనీ
 DocType: Budget,Budget,బడ్జెట్
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,ఓపెన్ సెట్
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,స్థిర ఆస్తి అంశం కాని స్టాక్ అంశం ఉండాలి.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,స్థిర ఆస్తి అంశం కాని స్టాక్ అంశం ఉండాలి.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",అది ఒక ఆదాయం వ్యయం ఖాతా కాదు బడ్జెట్ వ్యతిరేకంగా {0} కేటాయించిన సాధ్యం కాదు
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ఆర్జిత
 DocType: Student Admission,Application Form Route,అప్లికేషన్ ఫారం రూట్
@@ -2765,9 +2792,9 @@
 ,Amount to Deliver,మొత్తం అందించేందుకు
 DocType: Asset,Insurance Start Date,భీమా ప్రారంభం తేదీ
 DocType: Salary Component,Flexible Benefits,సౌకర్యవంతమైన ప్రయోజనాలు
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},అదే అంశం అనేకసార్లు నమోదు చేయబడింది. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},అదే అంశం అనేకసార్లు నమోదు చేయబడింది. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,టర్మ్ ప్రారంభ తేదీ పదం సంబంధమున్న విద్యా సంవత్సరం ఇయర్ ప్రారంభ తేదీ కంటే ముందు ఉండకూడదు (అకాడమిక్ ఇయర్ {}). దయచేసి తేదీలు సరిచేసి మళ్ళీ ప్రయత్నించండి.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,లోపాలు ఉన్నాయి.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,లోపాలు ఉన్నాయి.
 DocType: Guardian,Guardian Interests,గార్డియన్ అభిరుచులు
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,అప్డేట్ ఖాతా పేరు / సంఖ్య
 DocType: Naming Series,Current Value,కరెంట్ వేల్యూ
@@ -2805,9 +2832,9 @@
 ,Item-wise Purchase History,అంశం వారీగా కొనుగోలు చరిత్ర
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},సీరియల్ లేవు అంశం కోసం జోడించిన పొందడంలో &#39;రూపొందించండి షెడ్యూల్&#39; పై క్లిక్ చేయండి {0}
 DocType: Account,Frozen,ఘనీభవించిన
-DocType: Delivery Note,Vehicle Type,వాహన రకం
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,వాహన రకం
 DocType: Sales Invoice Payment,Base Amount (Company Currency),బేస్ మొత్తం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,ముడి సరుకులు
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,ముడి సరుకులు
 DocType: Payment Reconciliation Payment,Reference Row,రిఫరెన్స్ రో
 DocType: Installation Note,Installation Time,సంస్థాపన సమయం
 DocType: Sales Invoice,Accounting Details,అకౌంటింగ్ వివరాలు
@@ -2816,12 +2843,13 @@
 DocType: Inpatient Record,O Positive,ఓ అనుకూల
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,ఇన్వెస్ట్మెంట్స్
 DocType: Issue,Resolution Details,రిజల్యూషన్ వివరాలు
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,లావాదేవీ పద్ధతి
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,లావాదేవీ పద్ధతి
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,అంగీకారం ప్రమాణం
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,పైన ఇచ్చిన పట్టికలో మెటీరియల్ అభ్యర్థనలు నమోదు చేయండి
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,జర్నల్ ఎంట్రీకి తిరిగి చెల్లింపులు అందుబాటులో లేవు
 DocType: Hub Tracked Item,Image List,చిత్రం జాబితా
 DocType: Item Attribute,Attribute Name,పేరు లక్షణం
+DocType: Subscription,Generate Invoice At Beginning Of Period,కాలం ప్రారంభంలో వాయిస్ను రూపొందించండి
 DocType: BOM,Show In Website,వెబ్సైట్ షో
 DocType: Loan Application,Total Payable Amount,మొత్తం చెల్లించవలసిన సొమ్ము
 DocType: Task,Expected Time (in hours),(గంటల్లో) ఊహించినది సమయం
@@ -2858,8 +2886,8 @@
 DocType: Employee,Resignation Letter Date,రాజీనామా ఉత్తరం తేదీ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,ధర నిబంధనలకు మరింత పరిమాణం ఆధారంగా ఫిల్టర్.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,సెట్ చేయబడలేదు
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ఉద్యోగికి తీసుకొన్న తేదీ సెట్ దయచేసి {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ఉద్యోగికి తీసుకొన్న తేదీ సెట్ దయచేసి {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ఉద్యోగికి తీసుకొన్న తేదీ సెట్ దయచేసి {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ఉద్యోగికి తీసుకొన్న తేదీ సెట్ దయచేసి {0}
 DocType: Inpatient Record,Discharge,డిశ్చార్జ్
 DocType: Task,Total Billing Amount (via Time Sheet),మొత్తం బిల్లింగ్ మొత్తం (సమయం షీట్ ద్వారా)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,తిరిగి కస్టమర్ రెవెన్యూ
@@ -2869,13 +2897,13 @@
 DocType: Chapter,Chapter,అధ్యాయము
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,పెయిర్
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ఈ మోడ్ ఎంచుకోబడినప్పుడు POS వాయిస్లో డిఫాల్ట్ ఖాతా స్వయంచాలకంగా అప్డేట్ అవుతుంది.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,ఉత్పత్తి కోసం BOM మరియు ప్యాక్ చేసిన అంశాల ఎంచుకోండి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,ఉత్పత్తి కోసం BOM మరియు ప్యాక్ చేసిన అంశాల ఎంచుకోండి
 DocType: Asset,Depreciation Schedule,అరుగుదల షెడ్యూల్
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,అమ్మకపు భాగస్వామిగా చిరునామాల్లో కాంటాక్ట్స్
 DocType: Bank Reconciliation Detail,Against Account,ఖాతా వ్యతిరేకంగా
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,హాఫ్ డే తేదీ తేదీ నుండి నేటివరకు మధ్య ఉండాలి
 DocType: Maintenance Schedule Detail,Actual Date,అసలు తేదీ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,దయచేసి {0} సంస్థలో డిఫాల్ట్ ధర కేంద్రాన్ని సెట్ చేయండి.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,దయచేసి {0} సంస్థలో డిఫాల్ట్ ధర కేంద్రాన్ని సెట్ చేయండి.
 DocType: Item,Has Batch No,బ్యాచ్ లేవు ఉంది
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},వార్షిక బిల్లింగ్: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook వివరాలు
@@ -2887,7 +2915,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift రకం
 DocType: Student,Personal Details,వ్యక్తిగత వివరాలు
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},&#39;ఆస్తి అరుగుదల వ్యయ కేంద్రం&#39; కంపెనీవారి సెట్ దయచేసి {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},&#39;ఆస్తి అరుగుదల వ్యయ కేంద్రం&#39; కంపెనీవారి సెట్ దయచేసి {0}
 ,Maintenance Schedules,నిర్వహణ షెడ్యూల్స్
 DocType: Task,Actual End Date (via Time Sheet),ముగింపు తేదీ (సమయం షీట్ ద్వారా)
 DocType: Soil Texture,Soil Type,నేల రకం
@@ -2895,10 +2923,10 @@
 ,Quotation Trends,కొటేషన్ ట్రెండ్లులో
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},అంశం గ్రూప్ అంశం కోసం అంశాన్ని మాస్టర్ ప్రస్తావించలేదు {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless మాండేట్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,ఖాతాకు డెబిట్ ఒక స్వీకరించదగిన ఖాతా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,ఖాతాకు డెబిట్ ఒక స్వీకరించదగిన ఖాతా ఉండాలి
 DocType: Shipping Rule,Shipping Amount,షిప్పింగ్ మొత్తం
 DocType: Supplier Scorecard Period,Period Score,కాలం స్కోరు
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,వినియోగదారుడు జోడించండి
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,వినియోగదారుడు జోడించండి
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,పెండింగ్ మొత్తం
 DocType: Lab Test Template,Special,ప్రత్యేక
 DocType: Loyalty Program,Conversion Factor,మార్పిడి ఫాక్టర్
@@ -2915,7 +2943,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,లెటర్హెడ్ను జోడించండి
 DocType: Program Enrollment,Self-Driving Vehicle,సెల్ఫ్-డ్రైవింగ్ వాహనం
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,సరఫరాదారు స్కోర్కార్డింగ్ స్టాండింగ్
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},రో {0}: మెటీరియల్స్ బిల్ అంశం దొరకలేదు {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},రో {0}: మెటీరియల్స్ బిల్ అంశం దొరకలేదు {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,మొత్తం కేటాయించింది ఆకులు {0} తక్కువ ఉండకూడదు కాలం కోసం ఇప్పటికే ఆమోదం ఆకులు {1} కంటే
 DocType: Contract Fulfilment Checklist,Requirement,రిక్వైర్మెంట్
 DocType: Journal Entry,Accounts Receivable,స్వీకరించదగిన ఖాతాలు
@@ -2932,16 +2960,16 @@
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,ఆర్ సెట్టింగ్స్
 DocType: Salary Slip,net pay info,నికర పే సమాచారం
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,సెషన్ మొత్తం
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,సెషన్ మొత్తం
 DocType: Woocommerce Settings,Enable Sync,సమకాలీకరణను ప్రారంభించండి
 DocType: Tax Withholding Rate,Single Transaction Threshold,సింగిల్ ట్రాన్సాక్షన్ థ్రెషోల్డ్
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ఈ విలువ డిఫాల్ట్ సేల్స్ ప్రైస్ జాబితాలో నవీకరించబడింది.
 DocType: Email Digest,New Expenses,న్యూ ఖర్చులు
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC మొత్తం
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC మొత్తం
 DocType: Shareholder,Shareholder,వాటాదారు
 DocType: Purchase Invoice,Additional Discount Amount,అదనపు డిస్కౌంట్ మొత్తం
 DocType: Cash Flow Mapper,Position,స్థానం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,ప్రిస్క్రిప్షన్స్ నుండి అంశాలను పొందండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,ప్రిస్క్రిప్షన్స్ నుండి అంశాలను పొందండి
 DocType: Patient,Patient Details,పేషెంట్ వివరాలు
 DocType: Inpatient Record,B Positive,B అనుకూలమైన
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2953,8 +2981,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,కాని గ్రూప్ గ్రూప్
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,క్రీడలు
 DocType: Loan Type,Loan Name,లోన్ పేరు
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,యదార్థమైన మొత్తం
-DocType: Lab Test UOM,Test UOM,టెస్ట్ UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,యదార్థమైన మొత్తం
 DocType: Student Siblings,Student Siblings,స్టూడెంట్ తోబుట్టువుల
 DocType: Subscription Plan Detail,Subscription Plan Detail,సభ్యత్వ ప్రణాళిక వివరాలు
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,యూనిట్
@@ -2981,7 +3008,6 @@
 DocType: Workstation,Wages per hour,గంటకు వేతనాలు
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},బ్యాచ్ లో స్టాక్ సంతులనం {0} అవుతుంది ప్రతికూల {1} Warehouse వద్ద అంశం {2} కోసం {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,మెటీరియల్ అభ్యర్థనలను తరువాత అంశం యొక్క క్రమాన్ని స్థాయి ఆధారంగా స్వయంచాలకంగా బడ్డాయి
-DocType: Email Digest,Pending Sales Orders,సేల్స్ ఆర్డర్స్ పెండింగ్లో
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},ఖాతా {0} చెల్లదు. ఖాతా కరెన్సీ ఉండాలి {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},తేదీ నుండి {0} ఉద్యోగి యొక్క ఉపశమనం తేదీ తర్వాత {1}
 DocType: Supplier,Is Internal Supplier,అంతర్గత సరఫరాదారు
@@ -2990,13 +3016,14 @@
 DocType: Healthcare Settings,Remind Before,ముందు గుర్తు చేయండి
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UoM మార్పిడి అంశం వరుసగా అవసరం {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ అమ్మకాల ఉత్తర్వు ఒకటి, సేల్స్ వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ అమ్మకాల ఉత్తర్వు ఒకటి, సేల్స్ వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 లాయల్టీ పాయింట్స్ = బేస్ కరెన్సీ ఎంత?
 DocType: Salary Component,Deduction,తీసివేత
 DocType: Item,Retain Sample,నమూనాను నిలుపుకోండి
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,రో {0}: టైమ్ నుండి మరియు సమయం తప్పనిసరి.
 DocType: Stock Reconciliation Item,Amount Difference,మొత్తం తక్షణ
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},అంశం ధర కోసం జోడించిన {0} ధర జాబితా లో {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},అంశం ధర కోసం జోడించిన {0} ధర జాబితా లో {1}
+DocType: Delivery Stop,Order Information,ఆర్డర్ సమాచారం
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ఈ విక్రయాల వ్యక్తి యొక్క ఉద్యోగి ID నమోదు చేయండి
 DocType: Territory,Classification of Customers by region,ప్రాంతం ద్వారా వినియోగదారుడు వర్గీకరణ
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,ఉత్పత్తిలో
@@ -3006,8 +3033,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,గణించిన బ్యాంక్ స్టేట్మెంట్ సంతులనం
 DocType: Normal Test Template,Normal Test Template,సాధారణ టెస్ట్ మూస
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,వికలాంగ యూజర్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,కొటేషన్
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,ఏ కోట్కు అందుకున్న RFQ ను సెట్ చేయలేరు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,కొటేషన్
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,ఏ కోట్కు అందుకున్న RFQ ను సెట్ చేయలేరు
 DocType: Salary Slip,Total Deduction,మొత్తం తీసివేత
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,ఖాతా కరెన్సీలో ముద్రించడానికి ఒక ఖాతాను ఎంచుకోండి
 ,Production Analytics,ఉత్పత్తి Analytics
@@ -3020,14 +3047,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,సరఫరాదారు స్కోర్కార్డ్ సెటప్
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,అంచనా ప్రణాళిక పేరు
 DocType: Work Order Operation,Work Order Operation,వర్క్ ఆర్డర్ ఆపరేషన్
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},హెచ్చరిక: అటాచ్మెంట్ చెల్లని SSL సర్టిఫికెట్ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},హెచ్చరిక: అటాచ్మెంట్ చెల్లని SSL సర్టిఫికెట్ {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","లీడ్స్ మీరు వ్యాపార, అన్ని మీ పరిచయాలను మరియు మరింత మీ లీడ్స్ జోడించడానికి పొందడానికి సహాయంగా"
 DocType: Work Order Operation,Actual Operation Time,అసలు ఆపరేషన్ సమయం
 DocType: Authorization Rule,Applicable To (User),వర్తించదగిన (వాడుకరి)
 DocType: Purchase Taxes and Charges,Deduct,తీసివేయు
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,ఉద్యోగ వివరణ
 DocType: Student Applicant,Applied,అప్లైడ్
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,మళ్ళీ తెరువు
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,మళ్ళీ తెరువు
 DocType: Sales Invoice Item,Qty as per Stock UOM,ప్యాక్ చేసిన అంశాల స్టాక్ UoM ప్రకారం
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 పేరు
 DocType: Attendance,Attendance Request,హాజరు అభ్యర్థన
@@ -3045,7 +3072,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},సీరియల్ లేవు {0} వరకు వారంటీ కింద {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,కనీస అనుమతి విలువ
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,వినియోగదారుడు {0} ఇప్పటికే ఉన్నారు
-apps/erpnext/erpnext/hooks.py +114,Shipments,ప్యాకేజీల
+apps/erpnext/erpnext/hooks.py +115,Shipments,ప్యాకేజీల
 DocType: Payment Entry,Total Allocated Amount (Company Currency),మొత్తం కేటాయించిన మొత్తం (కంపెనీ కరెన్సీ)
 DocType: Purchase Order Item,To be delivered to customer,కస్టమర్ పంపిణీ ఉంటుంది
 DocType: BOM,Scrap Material Cost,స్క్రాప్ మెటీరియల్ కాస్ట్
@@ -3053,11 +3080,12 @@
 DocType: Grant Application,Email Notification Sent,ఇమెయిల్ నోటిఫికేషన్ పంపబడింది
 DocType: Purchase Invoice,In Words (Company Currency),వర్డ్స్ (కంపెనీ కరెన్సీ)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,సంస్థ కంపెనీ ఖాతా కోసం manadatory ఉంది
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","అంశం కోడ్, గిడ్డంగి, పరిమాణం వరుసగా అవసరం"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","అంశం కోడ్, గిడ్డంగి, పరిమాణం వరుసగా అవసరం"
 DocType: Bank Guarantee,Supplier,సరఫరాదారు
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,నుండి పొందండి
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,ఇది రూట్ డిపార్ట్మెంట్ మరియు సవరించబడదు.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,చెల్లింపు వివరాలను చూపు
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,డేస్ లో వ్యవధి
 DocType: C-Form,Quarter,క్వార్టర్
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,ఇతరాలు ఖర్చులు
 DocType: Global Defaults,Default Company,డిఫాల్ట్ కంపెనీ
@@ -3065,7 +3093,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ఖర్చుల లేదా తక్షణ ఖాతా అంశం {0} వంటి ప్రభావితం మొత్తం మీద స్టాక్ విలువ తప్పనిసరి
 DocType: Bank,Bank Name,బ్యాంకు పేరు
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Above
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,అన్ని సరఫరాదారుల కొనుగోలు ఆర్డర్లు చేయడానికి ఫీల్డ్ ఖాళీగా ఉంచండి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,అన్ని సరఫరాదారుల కొనుగోలు ఆర్డర్లు చేయడానికి ఫీల్డ్ ఖాళీగా ఉంచండి
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ఇన్పేషెంట్ సందర్శించండి ఛార్జ్ అంశం
 DocType: Vital Signs,Fluid,ద్రవం
 DocType: Leave Application,Total Leave Days,మొత్తం లీవ్ డేస్
@@ -3075,7 +3103,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,అంశం వేరియంట్ సెట్టింగులు
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,కంపెనీ ఎంచుకోండి ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,అన్ని శాఖల కోసం భావిస్తారు ఉంటే ఖాళీ వదిలి
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} అంశం తప్పనిసరి {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} అంశం తప్పనిసరి {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","అంశం {0}: {1} qty ఉత్పత్తి,"
 DocType: Payroll Entry,Fortnightly,పక్ష
 DocType: Currency Exchange,From Currency,కరెన్సీ నుండి
@@ -3125,7 +3153,7 @@
 DocType: Account,Fixed Asset,స్థిర ఆస్తి
 DocType: Amazon MWS Settings,After Date,తేదీ తర్వాత
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,సీరియల్ ఇన్వెంటరీ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,ఇంటర్ కంపెనీ ఇన్వాయిస్ కోసం చెల్లని {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,ఇంటర్ కంపెనీ ఇన్వాయిస్ కోసం చెల్లని {0}.
 ,Department Analytics,డిపార్ట్మెంట్ ఎనలిటిక్స్
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,డిఫాల్ట్ పరిచయంలో ఇమెయిల్ కనుగొనబడలేదు
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,సీక్రెట్ను రూపొందించండి
@@ -3143,6 +3171,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,సియిఒ
 DocType: Purchase Invoice,With Payment of Tax,పన్ను చెల్లింపుతో
 DocType: Expense Claim Detail,Expense Claim Detail,ఖర్చు చెప్పడం వివరాలు
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,దయచేసి ఎడ్యుకేషన్&gt; ఎడ్యుకేషన్ సెట్టింగులలో ఇన్స్ట్రక్టర్ నేమింగ్ సిస్టం సెటప్ చేయండి
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,సరఫరా కోసం మూడు ప్రతులు
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,బేస్ కరెన్సీలో కొత్త సంతులనం
 DocType: Location,Is Container,కంటైనర్
@@ -3150,13 +3179,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,సరైన ఖాతాను ఎంచుకోండి
 DocType: Salary Structure Assignment,Salary Structure Assignment,జీతం నిర్మాణం అప్పగించిన
 DocType: Purchase Invoice Item,Weight UOM,బరువు UoM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,ఫోలియో సంఖ్యలతో అందుబాటులో ఉన్న వాటాదారుల జాబితా
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,ఫోలియో సంఖ్యలతో అందుబాటులో ఉన్న వాటాదారుల జాబితా
 DocType: Salary Structure Employee,Salary Structure Employee,జీతం నిర్మాణం ఉద్యోగి
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,వేరియంట్ గుణాలు చూపించు
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,వేరియంట్ గుణాలు చూపించు
 DocType: Student,Blood Group,రక్తం గ్రూపు
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,ఈ చెల్లింపు అభ్యర్థనలో చెల్లింపు గేట్వే ఖాతా నుండి చెల్లింపు గేట్వే ఖాతా {0} భిన్నంగా ఉంటుంది
 DocType: Course,Course Name,కోర్సు పేరు
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,కరెంట్ ఫిస్కల్ ఇయర్ కోసం పన్ను మినహాయింపు డేటా లేదు.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,కరెంట్ ఫిస్కల్ ఇయర్ కోసం పన్ను మినహాయింపు డేటా లేదు.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ఒక నిర్దిష్ట ఉద్యోగి సెలవు అప్లికేషన్లు ఆమోదించవచ్చు చేసిన వాడుకరులు
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,ఆఫీసు పరికరాలు
 DocType: Purchase Invoice Item,Qty,ప్యాక్ చేసిన అంశాల
@@ -3164,6 +3193,7 @@
 DocType: Supplier Scorecard,Scoring Setup,సెటప్ చేశాడు
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,ఎలక్ట్రానిక్స్
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),డెబిట్ ({0})
+DocType: BOM,Allow Same Item Multiple Times,ఈ అంశం బహుళ సమయాలను అనుమతించు
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,స్టాక్ క్రమాన్ని స్థాయి చేరుకున్నప్పుడు మెటీరియల్ అభ్యర్థన రైజ్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,పూర్తి సమయం
 DocType: Payroll Entry,Employees,ఉద్యోగులు
@@ -3175,11 +3205,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,చెల్లింపు నిర్ధారణ
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ధర జాబితా సెట్ చెయ్యకపోతే ధరలు చూపబడవు
 DocType: Stock Entry,Total Incoming Value,మొత్తం ఇన్కమింగ్ విలువ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,డెబిట్ అవసరం ఉంది
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,డెబిట్ అవసరం ఉంది
 DocType: Clinical Procedure,Inpatient Record,ఇన్పేషెంట్ రికార్డ్
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets మీ జట్టు చేసిన కృత్యాలు కోసం సమయం, ఖర్చు మరియు బిల్లింగ్ ట్రాక్ సహాయం"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,కొనుగోలు ధర జాబితా
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,లావాదేవీ తేదీ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,కొనుగోలు ధర జాబితా
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,లావాదేవీ తేదీ
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,సరఫరాదారు స్కోర్కార్డ్ వేరియబుల్స్ యొక్క టెంప్లేట్లు.
 DocType: Job Offer Term,Offer Term,ఆఫర్ టర్మ్
 DocType: Asset,Quality Manager,క్వాలిటీ మేనేజర్
@@ -3200,11 +3230,11 @@
 DocType: Cashier Closing,To Time,సమయం
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},{0}
 DocType: Authorization Rule,Approving Role (above authorized value),(అధికారం విలువ పై) Role ఆమోదిస్తోంది
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,ఖాతాకు క్రెడిట్ ఒక చెల్లించవలసిన ఖాతా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,ఖాతాకు క్రెడిట్ ఒక చెల్లించవలసిన ఖాతా ఉండాలి
 DocType: Loan,Total Amount Paid,మొత్తం చెల్లింపు మొత్తం
 DocType: Asset,Insurance End Date,బీమా ముగింపు తేదీ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,దయచేసి చెల్లించిన విద్యార్ధి దరఖాస్తుదారునికి తప్పనిసరిగా తప్పనిసరి అయిన స్టూడెంట్ అడ్మిషన్ ఎంచుకోండి
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},బిఒఎం సూత్రం: {0} యొక్క పేరెంట్ లేదా బాల ఉండకూడదు {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},బిఒఎం సూత్రం: {0} యొక్క పేరెంట్ లేదా బాల ఉండకూడదు {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,బడ్జెట్ జాబితా
 DocType: Work Order Operation,Completed Qty,పూర్తైన ప్యాక్ చేసిన అంశాల
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","{0}, మాత్రమే డెబిట్ ఖాతాల మరో క్రెడిట్ ప్రవేశానికి వ్యతిరేకంగా లింక్ చేయవచ్చు కోసం"
@@ -3212,7 +3242,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","సీరియల్ అంశం {0} స్టాక్ సయోధ్య ఉపయోగించి, దయచేసి ఉపయోగించడానికి స్టాక్ ఎంట్రీ నవీకరించడం సాధ్యపడదు"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","సీరియల్ అంశం {0} స్టాక్ సయోధ్య ఉపయోగించి, దయచేసి ఉపయోగించడానికి స్టాక్ ఎంట్రీ నవీకరించడం సాధ్యపడదు"
 DocType: Training Event Employee,Training Event Employee,శిక్షణ ఈవెంట్ ఉద్యోగి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,గరిష్ట నమూనాలు - {0} బ్యాచ్ {1} మరియు అంశం {2} కోసం ఉంచవచ్చు.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,గరిష్ట నమూనాలు - {0} బ్యాచ్ {1} మరియు అంశం {2} కోసం ఉంచవచ్చు.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,సమయ విభాగాలను జోడించండి
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} అంశం అవసరం సీరియల్ సంఖ్యలు {1}. మీరు అందించిన {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,ప్రస్తుత లెక్కింపు రేటు
@@ -3243,11 +3273,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,దొరకలేదు సీరియల్ లేవు {0}
 DocType: Fee Schedule Program,Fee Schedule Program,ఫీజు షెడ్యూల్ ప్రోగ్రామ్
 DocType: Fee Schedule Program,Student Batch,స్టూడెంట్ బ్యాచ్
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","దయచేసి ఈ పత్రాన్ని రద్దు చేయడానికి ఉద్యోగి <a href=""#Form/Employee/{0}"">{0}</a> ను తొలగించండి"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,స్టూడెంట్ చేయండి
 DocType: Supplier Scorecard Scoring Standing,Min Grade,కనిష్ట గ్రేడ్
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,హెల్త్కేర్ సర్వీస్ యూనిట్ పద్ధతి
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},మీరు ప్రాజెక్ట్ సహకరించడానికి ఆహ్వానించబడ్డారు: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},మీరు ప్రాజెక్ట్ సహకరించడానికి ఆహ్వానించబడ్డారు: {0}
 DocType: Supplier Group,Parent Supplier Group,మాతృ సరఫరాదారు సమూహం
+DocType: Email Digest,Purchase Orders to Bill,బిల్లుకు ఆర్డర్లను కొనుగోలు చేయండి
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,గ్రూప్ కంపెనీలో సంచిత విలువలు
 DocType: Leave Block List Date,Block Date,బ్లాక్ తేదీ
 DocType: Crop,Crop,పంట
@@ -3259,6 +3292,7 @@
 DocType: Sales Order,Not Delivered,పంపిణీ లేదు
 ,Bank Clearance Summary,బ్యాంక్ క్లియరెన్స్ సారాంశం
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",సృష్టించు మరియు రోజువారీ వార మరియు నెలసరి ఇమెయిల్ Digests నిర్వహించండి.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,ఈ సేల్స్ పర్సన్ వ్యతిరేకంగా లావాదేవీలు ఆధారంగా. వివరాలు కోసం కాలక్రమం క్రింద చూడండి
 DocType: Appraisal Goal,Appraisal Goal,అప్రైసల్ గోల్
 DocType: Stock Reconciliation Item,Current Amount,ప్రస్తుత మొత్తం
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,భవనాలు
@@ -3284,7 +3318,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,సాఫ్ట్వేర్పై
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,తదుపరి సంప్రదించండి తేదీ గతంలో ఉండకూడదు
 DocType: Company,For Reference Only.,సూచన ఓన్లి.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,బ్యాచ్ ఎంచుకోండి లేవు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,బ్యాచ్ ఎంచుకోండి లేవు
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},చెల్లని {0}: {1}
 ,GSTR-1,GSTR -1
 DocType: Fee Validity,Reference Inv,సూచన ఆహ్వానం
@@ -3302,16 +3336,16 @@
 DocType: Normal Test Items,Require Result Value,ఫలిత విలువ అవసరం
 DocType: Item,Show a slideshow at the top of the page,పేజీ ఎగువన ఒక స్లైడ్ చూపించు
 DocType: Tax Withholding Rate,Tax Withholding Rate,పన్ను విలువల పెంపు రేటు
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,దుకాణాలు
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,దుకాణాలు
 DocType: Project Type,Projects Manager,ప్రాజెక్ట్స్ మేనేజర్
 DocType: Serial No,Delivery Time,డెలివరీ సమయం
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,ఆధారంగా ఏజింగ్
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,అపాయింట్మెంట్ రద్దు చేయబడింది
 DocType: Item,End of Life,లైఫ్ ఎండ్
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ప్రయాణం
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,ప్రయాణం
 DocType: Student Report Generation Tool,Include All Assessment Group,అన్ని అసెస్మెంట్ గ్రూప్ చేర్చండి
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,సక్రియ లేదా డిఫాల్ట్ జీతం నిర్మాణం ఇచ్చిన తేదీలు ఉద్యోగుల {0} కనుగొనబడలేదు
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,సక్రియ లేదా డిఫాల్ట్ జీతం నిర్మాణం ఇచ్చిన తేదీలు ఉద్యోగుల {0} కనుగొనబడలేదు
 DocType: Leave Block List,Allow Users,వినియోగదారులు అనుమతించు
 DocType: Purchase Order,Customer Mobile No,కస్టమర్ మొబైల్ లేవు
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,నగదు ప్రవాహం మ్యాపింగ్ మూస వివరాలు
@@ -3320,15 +3354,16 @@
 DocType: Rename Tool,Rename Tool,టూల్ పేరుమార్చు
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,నవీకరణ ఖర్చు
 DocType: Item Reorder,Item Reorder,అంశం క్రమాన్ని మార్చు
+DocType: Delivery Note,Mode of Transport,రవాణా విధానం
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,జీతం షో స్లిప్
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,ట్రాన్స్ఫర్ మెటీరియల్
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,ట్రాన్స్ఫర్ మెటీరియల్
 DocType: Fees,Send Payment Request,చెల్లింపు అభ్యర్థనను పంపండి
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","కార్యకలాపాలు, నిర్వహణ ఖర్చు పేర్కొనండి మరియు మీ కార్యకలాపాలను ఎలాంటి ఒక ఏకైక ఆపరేషన్ ఇస్తాయి."
 DocType: Travel Request,Any other details,ఏదైనా ఇతర వివరాలు
 DocType: Water Analysis,Origin,మూలం
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ఈ పత్రం పరిమితి {0} {1} అంశం {4}. మీరు తయారు మరొక {3} అదే వ్యతిరేకంగా {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,గండం పునరావృత సెట్ చెయ్యండి
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,మార్పు ఎంచుకోండి మొత్తం ఖాతా
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,గండం పునరావృత సెట్ చెయ్యండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,మార్పు ఎంచుకోండి మొత్తం ఖాతా
 DocType: Purchase Invoice,Price List Currency,ధర జాబితా కరెన్సీ
 DocType: Naming Series,User must always select,వినియోగదారు ఎల్లప్పుడూ ఎంచుకోవాలి
 DocType: Stock Settings,Allow Negative Stock,ప్రతికూల స్టాక్ అనుమతించు
@@ -3349,9 +3384,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,కనిపెట్టగలిగే శక్తి
 DocType: Asset Maintenance Log,Actions performed,చర్యలు ప్రదర్శించబడ్డాయి
 DocType: Cash Flow Mapper,Section Leader,విభాగం నాయకుడు
+DocType: Delivery Note,Transport Receipt No,రవాణా రసీదు సంఖ్య
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),ఫండ్స్ యొక్క మూలం (లయబిలిటీస్)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,మూల మరియు టార్గెట్ స్థానం ఒకేలా ఉండకూడదు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},వరుసగా పరిమాణం {0} ({1}) మాత్రమే తయారు పరిమాణం సమానంగా ఉండాలి {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},వరుసగా పరిమాణం {0} ({1}) మాత్రమే తయారు పరిమాణం సమానంగా ఉండాలి {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Employee
 DocType: Bank Guarantee,Fixed Deposit Number,స్థిర డిపాజిట్ సంఖ్య
 DocType: Asset Repair,Failure Date,వైఫల్యం తేదీ
@@ -3365,16 +3401,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,చెల్లింపు తగ్గింపు లేదా నష్టం
 DocType: Soil Analysis,Soil Analysis Criterias,నేల విశ్లేషణ ప్రమాణాలు
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,సేల్స్ లేదా కొనుగోలు ప్రామాణిక ఒప్పందం నిబంధనలు.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,మీరు ఖచ్చితంగా ఈ అపాయింట్మెంట్ను రద్దు చేయాలనుకుంటున్నారా?
+DocType: BOM Item,Item operation,అంశం ఆపరేషన్
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,మీరు ఖచ్చితంగా ఈ అపాయింట్మెంట్ను రద్దు చేయాలనుకుంటున్నారా?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,హోటల్ రూమ్ ప్రైసింగ్ ప్యాకేజీ
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,సేల్స్ పైప్లైన్
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,సేల్స్ పైప్లైన్
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},జీతం కాంపొనెంట్లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Required న
 DocType: Rename Tool,File to Rename,పేరుమార్చు దాఖలు
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},దయచేసి రో అంశం బిఒఎం ఎంచుకోండి {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,సబ్స్క్రిప్షన్ నవీకరణలను పొందండి
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ఖాతా {0} {1} లో ఖాతా మోడ్ కంపెనీతో సరిపోలడం లేదు: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},అంశం కోసం లేదు పేర్కొన్న BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},అంశం కోసం లేదు పేర్కొన్న BOM {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,కోర్సు:
 DocType: Soil Texture,Sandy Loam,శాండీ లోమ్
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,నిర్వహణ షెడ్యూల్ {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి
@@ -3383,7 +3420,7 @@
 DocType: Notification Control,Expense Claim Approved,ఖర్చు చెప్పడం ఆమోదించబడింది
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),అడ్వాన్స్లు మరియు కేటాయింపు సెట్ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,ఏ పని ఆర్డర్లు సృష్టించబడలేదు
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే ఈ కాలానికి రూపొందించినవారు
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే ఈ కాలానికి రూపొందించినవారు
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,ఫార్మాస్యూటికల్
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,చెల్లుబాటు అయ్యే ఎన్చాస్మెంట్ మొత్తానికి మీరు లీవ్ ఎన్కాష్మెంట్ని మాత్రమే సమర్పించవచ్చు
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,కొనుగోలు వస్తువుల ధర
@@ -3391,7 +3428,8 @@
 DocType: Selling Settings,Sales Order Required,అమ్మకాల ఆర్డర్ అవసరం
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,ఒక విక్రేత అవ్వండి
 DocType: Purchase Invoice,Credit To,క్రెడిట్
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Active దారితీస్తుంది / వినియోగదారుడు
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Active దారితీస్తుంది / వినియోగదారుడు
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,ప్రామాణిక డెలివరీ నోట్ ఫార్మాట్ ఉపయోగించడానికి ఖాళీగా వదలండి
 DocType: Employee Education,Post Graduate,పోస్ట్ గ్రాడ్యుయేట్
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,నిర్వహణ షెడ్యూల్ వివరాలు
 DocType: Supplier Scorecard,Warn for new Purchase Orders,కొత్త కొనుగోలు ఆర్డర్లు కోసం హెచ్చరించండి
@@ -3405,14 +3443,14 @@
 DocType: Support Search Source,Post Title Key,టైటిల్ కీ పోస్ట్
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,ఉద్యోగ కార్డ్ కోసం
 DocType: Warranty Claim,Raised By,లేవనెత్తారు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,మందు చీటీలు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,మందు చీటీలు
 DocType: Payment Gateway Account,Payment Account,చెల్లింపు ఖాతా
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,కొనసాగాలని కంపెనీ రాయండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,కొనసాగాలని కంపెనీ రాయండి
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,స్వీకరించదగిన ఖాతాలు నికర మార్పును
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,పరిహార ఆఫ్
 DocType: Job Offer,Accepted,Accepted
 DocType: POS Closing Voucher,Sales Invoices Summary,సేల్స్ ఇన్వాయిస్ సారాంశం
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,పార్టీ పేరుకు
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,పార్టీ పేరుకు
 DocType: Grant Application,Organization,సంస్థ
 DocType: Grant Application,Organization,సంస్థ
 DocType: BOM Update Tool,BOM Update Tool,BOM అప్డేట్ టూల్
@@ -3422,7 +3460,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,మీరు నిజంగా ఈ సంస్థ కోసం అన్ని లావాదేవీలు తొలగించాలనుకుంటున్నారా నిర్ధారించుకోండి. ఇది వంటి మీ మాస్టర్ డేటా అలాగే ఉంటుంది. ఈ చర్య రద్దు సాధ్యం కాదు.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,శోధన ఫలితాలు
 DocType: Room,Room Number,గది సంఖ్య
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},చెల్లని సూచన {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},చెల్లని సూచన {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ప్రణాళిక quanitity కంటే ఎక్కువ ఉండకూడదు ({2}) ఉత్పత్తి ఆర్డర్ {3}
 DocType: Shipping Rule,Shipping Rule Label,షిప్పింగ్ రూల్ లేబుల్
 DocType: Journal Entry Account,Payroll Entry,పేరోల్ ఎంట్రీ
@@ -3430,8 +3468,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,పన్ను మూసను చేయండి
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,వాడుకరి ఫోరం
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,రా మెటీరియల్స్ ఖాళీ ఉండకూడదు.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,వరుస # {0} (చెల్లింపు పట్టిక): మొత్తం ప్రతికూలంగా ఉండాలి
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","స్టాక్ అప్డేట్ కాలేదు, ఇన్వాయిస్ డ్రాప్ షిప్పింగ్ అంశం కలిగి."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,వరుస # {0} (చెల్లింపు పట్టిక): మొత్తం ప్రతికూలంగా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","స్టాక్ అప్డేట్ కాలేదు, ఇన్వాయిస్ డ్రాప్ షిప్పింగ్ అంశం కలిగి."
 DocType: Contract,Fulfilment Status,నెరవేర్చుట స్థితి
 DocType: Lab Test Sample,Lab Test Sample,ల్యాబ్ పరీక్ష నమూనా
 DocType: Item Variant Settings,Allow Rename Attribute Value,లక్షణం విలువ పేరు మార్చడానికి అనుమతించండి
@@ -3473,11 +3511,11 @@
 DocType: BOM,Show Operations,ఆపరేషన్స్ షో
 ,Minutes to First Response for Opportunity,అవకాశం కోసం మొదటి రెస్పాన్స్ మినిట్స్
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,మొత్తం కరువవడంతో
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,వరుసగా {0} సరిపోలడం లేదు మెటీరియల్ అభ్యర్థన కోసం WorldWideThemes.net అంశం లేదా వేర్హౌస్
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,వరుసగా {0} సరిపోలడం లేదు మెటీరియల్ అభ్యర్థన కోసం WorldWideThemes.net అంశం లేదా వేర్హౌస్
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,కొలమానం
 DocType: Fiscal Year,Year End Date,ఇయర్ ముగింపు తేదీ
 DocType: Task Depends On,Task Depends On,టాస్క్ ఆధారపడి
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,అవకాశం
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,అవకాశం
 DocType: Operation,Default Workstation,డిఫాల్ట్ కార్యక్షేత్ర
 DocType: Notification Control,Expense Claim Approved Message,ఖర్చు చెప్పడం ఆమోదించబడింది సందేశం
 DocType: Payment Entry,Deductions or Loss,తగ్గింపులకు లేదా నష్టం
@@ -3515,20 +3553,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,వాడుకరి ఆమోదిస్తోంది పాలన వర్తిస్తుంది యూజర్ అదే ఉండకూడదు
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),ప్రాథమిక రేటు (స్టాక్ UoM ప్రకారం)
 DocType: SMS Log,No of Requested SMS,అభ్యర్థించిన SMS సంఖ్య
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,పే లేకుండా వదిలి లేదు ఆమోదం అప్లికేషన్ లీవ్ రికార్డులు సరిపోలడం లేదు
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,పే లేకుండా వదిలి లేదు ఆమోదం అప్లికేషన్ లీవ్ రికార్డులు సరిపోలడం లేదు
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,తదుపరి దశలు
 DocType: Travel Request,Domestic,దేశీయ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,ఉత్తమమైన రేట్లు వద్ద పేర్కొన్న అంశాలను అందించండి
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,ఉత్తమమైన రేట్లు వద్ద పేర్కొన్న అంశాలను అందించండి
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,బదిలీ తేదీకి ముందు ఉద్యోగి బదిలీ సమర్పించబడదు
 DocType: Certification Application,USD,డాలర్లు
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,వాయిస్ చేయండి
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,మిగిలిన మొత్తం
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,మిగిలిన మొత్తం
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 రోజుల తర్వాత ఆటో దగ్గరగా అవకాశం
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} యొక్క స్కోర్కార్డ్ స్టాండింగ్ వల్ల {0} కొనుగోలు ఆర్డర్లు అనుమతించబడవు.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,బార్ కోడ్ {0} చెల్లుబాటు అయ్యే {1} కోడ్ కాదు
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,బార్ కోడ్ {0} చెల్లుబాటు అయ్యే {1} కోడ్ కాదు
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,ముగింపు సంవత్సరం
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,QUOT / లీడ్%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,కాంట్రాక్ట్ ముగింపు తేదీ చేరడం తేదీ కంటే ఎక్కువ ఉండాలి
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,కాంట్రాక్ట్ ముగింపు తేదీ చేరడం తేదీ కంటే ఎక్కువ ఉండాలి
 DocType: Driver,Driver,డ్రైవర్
 DocType: Vital Signs,Nutrition Values,న్యూట్రిషన్ విలువలు
 DocType: Lab Test Template,Is billable,బిల్ చేయదగినది
@@ -3539,7 +3577,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,ఈ ఒక ఉదాహరణ వెబ్సైట్ ERPNext నుండి ఆటో ఉత్పత్తి ఉంది
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,ఏజింగ్ రేంజ్ 1
 DocType: Shopify Settings,Enable Shopify,Shopify ని ప్రారంభించండి
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,మొత్తం ముందుగా ఉన్న మొత్తాన్ని కన్నా మొత్తం ముందస్తు మొత్తం ఎక్కువగా ఉండకూడదు
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,మొత్తం ముందుగా ఉన్న మొత్తాన్ని కన్నా మొత్తం ముందస్తు మొత్తం ఎక్కువగా ఉండకూడదు
 DocType: Purchase Taxes and Charges Template,"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
@@ -3566,12 +3604,12 @@
 DocType: Employee Separation,Employee Separation,ఉద్యోగి వేరు
 DocType: BOM Item,Original Item,అసలు అంశం
 DocType: Purchase Receipt Item,Recd Quantity,Recd పరిమాణం
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc తేదీ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc తేదీ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},ఫీజు రికార్డ్స్ రూపొందించబడింది - {0}
 DocType: Asset Category Account,Asset Category Account,ఆస్తి వర్గం ఖాతా
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,రో # {0} (చెల్లింపు టేబుల్): మొత్తాన్ని సానుకూలంగా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,రో # {0} (చెల్లింపు టేబుల్): మొత్తాన్ని సానుకూలంగా ఉండాలి
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},అమ్మకాల ఆర్డర్ పరిమాణం కంటే ఎక్కువ అంశం {0} ఉత్పత్తి కాదు {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,ఎంచుకోండి లక్షణం విలువలు
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,ఎంచుకోండి లక్షణం విలువలు
 DocType: Purchase Invoice,Reason For Issuing document,పత్రం జారీ కోసం కారణం
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,స్టాక్ ఎంట్రీ {0} సమర్పించిన లేదు
 DocType: Payment Reconciliation,Bank / Cash Account,బ్యాంకు / క్యాష్ ఖాతా
@@ -3580,8 +3618,10 @@
 DocType: Asset,Manual,మాన్యువల్
 DocType: Salary Component Account,Salary Component Account,జీతం భాగం ఖాతా
 DocType: Global Defaults,Hide Currency Symbol,కరెన్సీ మానవ చిత్ర దాచు
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,మూల ద్వారా సేల్స్ అవకాశాలు
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,దాత సమాచారం.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ఉదా బ్యాంక్, నగదు, క్రెడిట్ కార్డ్"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,సెటప్&gt; నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబర్ సిరీస్ను సెటప్ చేయండి
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ఉదా బ్యాంక్, నగదు, క్రెడిట్ కార్డ్"
 DocType: Job Applicant,Source Name,మూలం పేరు
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","వయోజనలో సాధారణ విశ్రాంతి రక్తపోటు సుమారు 120 mmHg సిస్టోలిక్, మరియు 80 mmHg డయాస్టొలిక్, సంక్షిప్తంగా &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","రోజుల్లో అంశాలను షెల్ఫ్ జీవితాన్ని సెట్ చేయండి, తయారీ_డెటీ ప్లస్ స్వీయ జీవితం ఆధారంగా గడువును సెట్ చేయడానికి"
@@ -3611,7 +3651,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},పరిమాణానికి పరిమాణం కంటే తక్కువగా ఉండాలి {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,రో {0}: ప్రారంభ తేదీ ముగింపు తేదీ ముందు ఉండాలి
 DocType: Salary Component,Max Benefit Amount (Yearly),మాక్స్ బెనిఫిట్ మొత్తం (వార్షిక)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS రేట్%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS రేట్%
 DocType: Crop,Planting Area,నాటడం ప్రాంతం
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),మొత్తం () ప్యాక్ చేసిన అంశాల
 DocType: Installation Note Item,Installed Qty,ఇన్స్టాల్ ప్యాక్ చేసిన అంశాల
@@ -3633,8 +3673,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,ఆమోద నోటిఫికేషన్ వదిలివేయండి
 DocType: Buying Settings,Default Buying Price List,డిఫాల్ట్ కొనుగోలు ధర జాబితా
 DocType: Payroll Entry,Salary Slip Based on Timesheet,జీతం స్లిప్ TIMESHEET ఆధారంగా
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,కొనుగోలు కొనుగోలు
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},వరుస {0}: ఆస్తి అంశం {1} కోసం స్థానాన్ని నమోదు చేయండి
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,కొనుగోలు కొనుగోలు
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},వరుస {0}: ఆస్తి అంశం {1} కోసం స్థానాన్ని నమోదు చేయండి
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,కంపెనీ గురించి
 DocType: Notification Control,Sales Order Message,అమ్మకాల ఆర్డర్ సందేశం
@@ -3699,10 +3739,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,వరుస కోసం {0}: అనుకున్న qty ను నమోదు చేయండి
 DocType: Account,Income Account,ఆదాయపు ఖాతా
 DocType: Payment Request,Amount in customer's currency,కస్టమర్ యొక్క కరెన్సీ లో మొత్తం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,డెలివరీ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,డెలివరీ
 DocType: Volunteer,Weekdays,వారపు రోజులు
 DocType: Stock Reconciliation Item,Current Qty,ప్రస్తుత ప్యాక్ చేసిన అంశాల
 DocType: Restaurant Menu,Restaurant Menu,రెస్టారెంట్ మెను
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,సరఫరాదారులను జోడించండి
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,సహాయం విభాగం
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,మునుపటి
@@ -3714,19 +3755,20 @@
 												fullfill Sales Order {2}",అమ్మకం ఆర్డర్ {2} పూర్తి చేయడానికి కేటాయించబడినందున సీరియల్ నో {0} ను {1}
 DocType: Item Reorder,Material Request Type,మెటీరియల్ అభ్యర్థన పద్ధతి
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,గ్రాంట్ రివ్యూ ఇమెయిల్ పంపండి
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage పూర్తి, సేవ్ లేదు"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,రో {0}: UoM మార్పిడి ఫాక్టర్ తప్పనిసరి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage పూర్తి, సేవ్ లేదు"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,రో {0}: UoM మార్పిడి ఫాక్టర్ తప్పనిసరి
 DocType: Employee Benefit Claim,Claim Date,దావా తేదీ
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,గది సామర్థ్యం
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},అంశానికి ఇప్పటికే రికార్డు ఉంది {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,మీరు గతంలో ఉత్పత్తి చేయబడిన ఇన్వాయిస్ల యొక్క రికార్డులను కోల్పోతారు. మీరు ఖచ్చితంగా ఈ సభ్యత్వాన్ని పునఃప్రారంభించదలిచారా?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,రిజిస్ట్రేషన్ ఫీజు
 DocType: Loyalty Program Collection,Loyalty Program Collection,విశ్వసనీయ ప్రోగ్రామ్ కలెక్షన్
 DocType: Stock Entry Detail,Subcontracted Item,సబ్కాన్డ్రాక్టెడ్ ఐటమ్
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},విద్యార్థి {0} గుంపు {1}
 DocType: Budget,Cost Center,వ్యయ కేంద్రం
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,ఓచర్ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,ఓచర్ #
 DocType: Notification Control,Purchase Order Message,ఆర్డర్ సందేశం కొనుగోలు
 DocType: Tax Rule,Shipping Country,షిప్పింగ్ దేశం
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,సేల్స్ లావాదేవీలు నుండి కస్టమర్ యొక్క పన్ను ఐడి దాచు
@@ -3745,23 +3787,22 @@
 DocType: Subscription,Cancel At End Of Period,కాలం ముగింపులో రద్దు చేయండి
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,ఆస్తి ఇప్పటికే జోడించబడింది
 DocType: Item Supplier,Item Supplier,అంశం సరఫరాదారు
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,బ్యాచ్ ఏ పొందడానికి అంశం కోడ్ను నమోదు చేయండి
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{0} quotation_to కోసం ఒక విలువను ఎంచుకోండి దయచేసి {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,బ్యాచ్ ఏ పొందడానికి అంశం కోడ్ను నమోదు చేయండి
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{0} quotation_to కోసం ఒక విలువను ఎంచుకోండి దయచేసి {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,బదిలీ కోసం ఎటువంటి అంశాలు ఎంచుకోబడలేదు
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,అన్ని చిరునామాలు.
 DocType: Company,Stock Settings,స్టాక్ సెట్టింగ్స్
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","క్రింది రెండు లక్షణాలతో రికార్డులలో అదే ఉంటే విలీనం మాత్రమే సాధ్యమవుతుంది. గ్రూప్ రూట్ రకం, కంపెనీ"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","క్రింది రెండు లక్షణాలతో రికార్డులలో అదే ఉంటే విలీనం మాత్రమే సాధ్యమవుతుంది. గ్రూప్ రూట్ రకం, కంపెనీ"
 DocType: Vehicle,Electric,ఎలక్ట్రిక్
 DocType: Task,% Progress,% ప్రోగ్రెస్
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,ఆస్తి తొలగింపు లాభపడిన / నష్టం
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",దిగువ పట్టికలో &quot;ఆమోదించబడిన&quot; హోదాతో ఉన్న విద్యార్థి అభ్యర్ధి మాత్రమే ఎంపిక చేయబడతారు.
 DocType: Tax Withholding Category,Rates,రేట్లు
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ఖాతాకు ఖాతా సంఖ్య {0} అందుబాటులో లేదు. <br> దయచేసి మీ చార్ట్ ఖాతాల సరిగ్గా సెటప్ చేయండి.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,ఖాతాకు ఖాతా సంఖ్య {0} అందుబాటులో లేదు. <br> దయచేసి మీ చార్ట్ ఖాతాల సరిగ్గా సెటప్ చేయండి.
 DocType: Task,Depends on Tasks,విధులు ఆధారపడి
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,కస్టమర్ గ్రూప్ ట్రీ నిర్వహించండి.
 DocType: Normal Test Items,Result Value,ఫలితం విలువ
 DocType: Hotel Room,Hotels,హోటల్స్
-DocType: Delivery Note,Transporter Date,ట్రాన్స్పోర్టర్ తేదీ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,కొత్త ఖర్చు సెంటర్ పేరు
 DocType: Leave Control Panel,Leave Control Panel,కంట్రోల్ ప్యానెల్ వదిలి
 DocType: Project,Task Completion,టాస్క్ పూర్తి
@@ -3808,11 +3849,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,అన్ని అసెస్మెంట్ గుంపులు
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,న్యూ వేర్హౌస్ పేరు
 DocType: Shopify Settings,App Type,అనువర్తన పద్ధతి
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),మొత్తం {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),మొత్తం {0} ({1})
 DocType: C-Form Invoice Detail,Territory,భూభాగం
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,అవసరం సందర్శనల సంఖ్య చెప్పలేదు దయచేసి
 DocType: Stock Settings,Default Valuation Method,డిఫాల్ట్ లెక్కింపు విధానం
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ఫీజు
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,సంచిత మొత్తం చూపించు
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,నవీకరణ పురోగమనంలో ఉంది. కొంత సమయం పట్టవచ్చు.
 DocType: Production Plan Item,Produced Qty,ఉత్పత్తి Qty
 DocType: Vehicle Log,Fuel Qty,ఇంధన ప్యాక్ చేసిన అంశాల
@@ -3820,7 +3862,7 @@
 DocType: Work Order Operation,Planned Start Time,అనుకున్న ప్రారంభ సమయం
 DocType: Course,Assessment,అసెస్మెంట్
 DocType: Payment Entry Reference,Allocated,కేటాయించిన
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Close బ్యాలెన్స్ షీట్ మరియు పుస్తకం లాభం లేదా నష్టం.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Close బ్యాలెన్స్ షీట్ మరియు పుస్తకం లాభం లేదా నష్టం.
 DocType: Student Applicant,Application Status,ధరఖాస్తు
 DocType: Additional Salary,Salary Component Type,జీతం కాంపోనెంట్ టైప్
 DocType: Sensitivity Test Items,Sensitivity Test Items,సున్నితత్వం టెస్ట్ అంశాలు
@@ -3831,10 +3873,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,మొత్తం అసాధారణ మొత్తాన్ని
 DocType: Sales Partner,Targets,టార్గెట్స్
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,దయచేసి సంస్థ సమాచార ఫైల్లోని SIREN నంబర్ను నమోదు చేయండి
+DocType: Email Digest,Sales Orders to Bill,సేల్స్ ఆర్డర్స్ బిల్ టు
 DocType: Price List,Price List Master,ధర జాబితా మాస్టర్
 DocType: GST Account,CESS Account,CESS ఖాతా
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,మీరు సెట్ మరియు లక్ష్యాలు మానిటర్ విధంగా అన్ని సేల్స్ లావాదేవీలు బహుళ ** సేల్స్ పర్సన్స్ ** వ్యతిరేకంగా ట్యాగ్ చేయవచ్చు.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,మెటీరియల్ అభ్యర్థనకు లింక్
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,మెటీరియల్ అభ్యర్థనకు లింక్
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,ఫోరం కార్యాచరణ
 ,S.O. No.,SO నం
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,బ్యాంక్ స్టేట్మెంట్ లావాదేవీ సెట్టింగులు అంశం
@@ -3849,7 +3892,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,ఈ రూట్ కస్టమర్ సమూహం ఉంది మరియు సవరించడం సాధ్యం కాదు.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,పోగుచేసిన నెలవారీ బడ్జెట్ సేకరించినట్లయితే చర్యను PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,పెట్టేందుకు
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,పెట్టేందుకు
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ఎక్స్చేంజ్ రేట్ రీఛలాజేషన్
 DocType: POS Profile,Ignore Pricing Rule,ధర రూల్ విస్మరించు
 DocType: Employee Education,Graduate,ఉన్నత విద్యావంతుడు
@@ -3885,6 +3928,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,దయచేసి రెస్టారెంట్ సెట్టింగ్లలో డిఫాల్ట్ కస్టమర్ను సెట్ చేయండి
 ,Salary Register,జీతం నమోదు
 DocType: Warehouse,Parent Warehouse,మాతృ వేర్హౌస్
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,చార్ట్
 DocType: Subscription,Net Total,నికర మొత్తం
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},డిఫాల్ట్ BOM అంశం దొరకలేదు {0} మరియు ప్రాజెక్ట్ {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,వివిధ రకాల రుణాలపై నిర్వచించండి
@@ -3917,23 +3961,25 @@
 DocType: Membership,Membership Status,సభ్యత్వం స్థితి
 DocType: Travel Itinerary,Lodging Required,లాడ్జింగ్ అవసరం
 ,Requested,అభ్యర్థించిన
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,సంఖ్య వ్యాఖ్యలు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,సంఖ్య వ్యాఖ్యలు
 DocType: Asset,In Maintenance,నిర్వహణలో
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,అమెజాన్ MWS నుండి మీ సేల్స్ ఆర్డర్ డేటాను తీసివేయడానికి ఈ బటన్ను క్లిక్ చేయండి.
 DocType: Vital Signs,Abdomen,ఉదరము
 DocType: Purchase Invoice,Overdue,మీరిన
 DocType: Account,Stock Received But Not Billed,స్టాక్ అందుకుంది కానీ బిల్ చేయబడలేదు
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,రూటు ఖాతా సమూహం ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,రూటు ఖాతా సమూహం ఉండాలి
 DocType: Drug Prescription,Drug Prescription,డ్రగ్ ప్రిస్క్రిప్షన్
 DocType: Loan,Repaid/Closed,తిరిగి చెల్లించడం / ముగించబడినది
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,మొత్తం అంచనా ప్యాక్ చేసిన అంశాల
 DocType: Monthly Distribution,Distribution Name,పంపిణీ పేరు
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM ని చేర్చండి
 DocType: Course,Course Code,కోర్సు కోడ్
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},అంశం కోసం అవసరం నాణ్యత తనిఖీ {0}
 DocType: Location,Parent Location,మాతృ స్థానం
 DocType: POS Settings,Use POS in Offline Mode,ఆఫ్లైన్ మోడ్లో POS ని ఉపయోగించండి
 DocType: Supplier Scorecard,Supplier Variables,సరఫరాదారు వేరియబుల్స్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},"{0} తప్పనిసరి. {1} {2} కు,"
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ఇది కస్టమర్ యొక్క కరెన్సీ రేటుపై కంపెనీ బేస్ కరెన్సీ మార్చబడుతుంది
 DocType: Purchase Invoice Item,Net Rate (Company Currency),నికర రేటు (కంపెనీ కరెన్సీ)
 DocType: Salary Detail,Condition and Formula Help,కండిషన్ మరియు ఫార్ములా సహాయం
@@ -3942,19 +3988,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,సేల్స్ వాయిస్
 DocType: Journal Entry Account,Party Balance,పార్టీ సంతులనం
 DocType: Cash Flow Mapper,Section Subtotal,విభాగం ఉపవిభాగం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,డిస్కౌంట్ న వర్తించు దయచేసి ఎంచుకోండి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,డిస్కౌంట్ న వర్తించు దయచేసి ఎంచుకోండి
 DocType: Stock Settings,Sample Retention Warehouse,నమూనా నిలుపుదల గిడ్డంగి
 DocType: Company,Default Receivable Account,డిఫాల్ట్ స్వీకరించదగిన ఖాతా
 DocType: Purchase Invoice,Deemed Export,డీమ్డ్ ఎక్స్పోర్ట్
 DocType: Stock Entry,Material Transfer for Manufacture,తయారీ కోసం మెటీరియల్ ట్రాన్స్ఫర్
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,డిస్కౌంట్ శాతం ఒక ధర జాబితా వ్యతిరేకంగా లేదా అన్ని ధర జాబితా కోసం గాని అన్వయించవచ్చు.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,స్టాక్ కోసం అకౌంటింగ్ ఎంట్రీ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,స్టాక్ కోసం అకౌంటింగ్ ఎంట్రీ
 DocType: Lab Test,LabTest Approver,ల్యాబ్ టెస్ట్ అప్ప్రోవర్
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,మీరు ఇప్పటికే అంచనా ప్రమాణం కోసం అంచనా {}.
 DocType: Vehicle Service,Engine Oil,ఇంజన్ ఆయిల్
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},పని ఆర్డర్లు సృష్టించబడ్డాయి: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},పని ఆర్డర్లు సృష్టించబడ్డాయి: {0}
 DocType: Sales Invoice,Sales Team1,సేల్స్ team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,అంశం {0} ఉనికిలో లేదు
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,అంశం {0} ఉనికిలో లేదు
 DocType: Sales Invoice,Customer Address,కస్టమర్ చిరునామా
 DocType: Loan,Loan Details,లోన్ వివరాలు
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,పోస్ట్ కంపెనీ FIXTURES సెటప్ చేయడం విఫలమైంది
@@ -3975,27 +4021,28 @@
 DocType: Item Group,Show this slideshow at the top of the page,పేజీ ఎగువన ఈ స్లైడ్ చూపించు
 DocType: BOM,Item UOM,అంశం UoM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),డిస్కౌంట్ మొత్తాన్ని తర్వాత పన్ను మొత్తం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},టార్గెట్ గిడ్డంగి వరుసగా తప్పనిసరి {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},టార్గెట్ గిడ్డంగి వరుసగా తప్పనిసరి {0}
 DocType: Cheque Print Template,Primary Settings,ప్రాథమిక సెట్టింగులు
 DocType: Attendance Request,Work From Home,ఇంటి నుండి పని
 DocType: Purchase Invoice,Select Supplier Address,సరఫరాదారు అడ్రస్ ఎంచుకోండి
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,ఉద్యోగులను జోడించు
 DocType: Purchase Invoice Item,Quality Inspection,నాణ్యత తనిఖీ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,అదనపు చిన్న
 DocType: Company,Standard Template,ప్రామాణిక మూస
 DocType: Training Event,Theory,థియరీ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,హెచ్చరిక: Qty అభ్యర్థించిన మెటీరియల్ కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల కంటే తక్కువ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,హెచ్చరిక: Qty అభ్యర్థించిన మెటీరియల్ కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల కంటే తక్కువ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,ఖాతా {0} ఘనీభవించిన
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,సంస్థ చెందిన ఖాతాల ప్రత్యేక చార్ట్ తో లీగల్ సంస్థ / అనుబంధ.
 DocType: Payment Request,Mute Email,మ్యూట్ ఇమెయిల్
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","ఫుడ్, బేవరేజ్ పొగాకు"
 DocType: Account,Account Number,ఖాతా సంఖ్య
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},మాత్రమే వ్యతిరేకంగా చెల్లింపు చేయవచ్చు unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,కమిషన్ రేటు కంటే ఎక్కువ 100 ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},మాత్రమే వ్యతిరేకంగా చెల్లింపు చేయవచ్చు unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,కమిషన్ రేటు కంటే ఎక్కువ 100 ఉండకూడదు
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),ఆటోమేటిక్గా కేటాయించే అడ్వాన్స్లు (FIFO)
 DocType: Volunteer,Volunteer,వాలంటీర్
 DocType: Buying Settings,Subcontract,Subcontract
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,ముందుగా {0} నమోదు చేయండి
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,నుండి సంఖ్య ప్రత్యుత్తరాలు
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,నుండి సంఖ్య ప్రత్యుత్తరాలు
 DocType: Work Order Operation,Actual End Time,వాస్తవ ముగింపు సమయం
 DocType: Item,Manufacturer Part Number,తయారీదారు పార్ట్ సంఖ్య
 DocType: Taxable Salary Slab,Taxable Salary Slab,పన్ను చెల్లించే జీతం స్లాబ్
@@ -4030,7 +4077,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,కోడ్ మార్చండి
 DocType: Purchase Invoice Item,Valuation Rate,వాల్యువేషన్ రేటు
 DocType: Vehicle,Diesel,డీజిల్
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,ధర జాబితా కరెన్సీ ఎంపిక లేదు
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,ధర జాబితా కరెన్సీ ఎంపిక లేదు
 DocType: Purchase Invoice,Availed ITC Cess,ITC సెస్ను ఉపయోగించింది
 ,Student Monthly Attendance Sheet,స్టూడెంట్ మంత్లీ హాజరు షీట్
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,సెల్లింగ్ కోసం మాత్రమే షిప్పింగ్ నియమం వర్తిస్తుంది
@@ -4046,7 +4093,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,సేల్స్ భాగస్వాములు నిర్వహించండి.
 DocType: Quality Inspection,Inspection Type,ఇన్స్పెక్షన్ టైప్
 DocType: Fee Validity,Visited yet,ఇంకా సందర్శించారు
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో గిడ్డంగులు సమూహం మార్చబడతాయి కాదు.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో గిడ్డంగులు సమూహం మార్చబడతాయి కాదు.
 DocType: Assessment Result Tool,Result HTML,ఫలితం HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,సేల్స్ ట్రాన్సాక్షన్స్ ఆధారంగా ఎంత తరచుగా ప్రాజెక్ట్ మరియు కంపెనీ అప్డేట్ చేయాలి.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,గడువు ముగిసేది
@@ -4054,7 +4101,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},దయచేసి ఎంచుకోండి {0}
 DocType: C-Form,C-Form No,సి ఫారం లేవు
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,దూరం
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,దూరం
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,మీరు కొనుగోలు లేదా విక్రయించే మీ ఉత్పత్తులను లేదా సేవలను జాబితా చేయండి.
 DocType: Water Analysis,Storage Temperature,నిల్వ ఉష్ణోగ్రత
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4069,19 +4116,19 @@
 DocType: Shopify Settings,Delivery Note Series,డెలివరీ గమనిక సీరీస్
 DocType: Purchase Order Item,Returned Qty,తిరిగి ప్యాక్ చేసిన అంశాల
 DocType: Student,Exit,నిష్క్రమణ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,రూట్ టైప్ తప్పనిసరి
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,రూట్ టైప్ తప్పనిసరి
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,ప్రీసెట్లు ఇన్స్టాల్ చేయడంలో విఫలమైంది
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,గంటలలో UOM కన్వర్షన్
 DocType: Contract,Signee Details,సంతకం వివరాలు
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} ప్రస్తుతం {1} సరఫరాదారు స్కోర్కార్డ్ నిలబడి ఉంది, మరియు ఈ సరఫరాదారుకి RFQ లు హెచ్చరికతో జారీ చేయాలి."
 DocType: Certified Consultant,Non Profit Manager,లాభరహిత మేనేజర్
 DocType: BOM,Total Cost(Company Currency),మొత్తం వ్యయం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,{0} రూపొందించినవారు సీరియల్ లేవు
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,{0} రూపొందించినవారు సీరియల్ లేవు
 DocType: Homepage,Company Description for website homepage,వెబ్సైట్ హోమ్ కోసం కంపెనీ వివరణ
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","వినియోగదారుల సౌలభ్యం కోసం, ఈ సంకేతాలు ఇన్వాయిస్లు మరియు డెలివరీ గమనికలు వంటి ముద్రణ ఫార్మాట్లలో ఉపయోగించవచ్చు"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier పేరు
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} కోసం సమాచారాన్ని తిరిగి పొందడం సాధ్యం కాలేదు.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,ఎంట్రీ జర్నల్ తెరవడం
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,ఎంట్రీ జర్నల్ తెరవడం
 DocType: Contract,Fulfilment Terms,నెరవేర్చుట నిబంధనలు
 DocType: Sales Invoice,Time Sheet List,సమయం షీట్ జాబితా
 DocType: Employee,You can enter any date manually,మీరు మానవీయంగా ఏ తేదీ నమోదు చేయవచ్చు
@@ -4116,7 +4163,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,మీ ఆర్గనైజేషన్
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","స్కిప్పింగ్ లీవ్ కింది ఉద్యోగుల కోసం కేటాయింపు, వాటికి సంబంధించిన కేటాయింపు రికార్డులు ఇప్పటికే ఉన్నాయి. {0}"
 DocType: Fee Component,Fees Category,ఫీజు వర్గం
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,తేదీ ఉపశమనం ఎంటర్ చెయ్యండి.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,తేదీ ఉపశమనం ఎంటర్ చెయ్యండి.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,ఆంట్
 DocType: Travel Request,"Details of Sponsor (Name, Location)","స్పాన్సర్ వివరాలు (పేరు, స్థానం)"
 DocType: Supplier Scorecard,Notify Employee,ఉద్యోగికి తెలియజేయండి
@@ -4129,9 +4176,9 @@
 DocType: Company,Chart Of Accounts Template,అకౌంట్స్ మూస చార్ట్
 DocType: Attendance,Attendance Date,హాజరు తేదీ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},కొనుగోలు ఇన్వాయిస్ {0} కోసం స్టాక్ అప్డేట్ తప్పనిసరిగా ప్రారంభించాలి
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},అంశం ధర {0} లో ధర జాబితా కోసం నవీకరించబడింది {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},అంశం ధర {0} లో ధర జాబితా కోసం నవీకరించబడింది {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ఎర్నింగ్ మరియు తీసివేత ఆధారంగా జీతం విడిపోవటం.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
 DocType: Purchase Invoice Item,Accepted Warehouse,అంగీకరించిన వేర్హౌస్
 DocType: Bank Reconciliation Detail,Posting Date,పోస్ట్ చేసిన తేదీ
 DocType: Item,Valuation Method,మదింపు పద్ధతి
@@ -4168,6 +4215,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,దయచేసి బ్యాచ్ ఎంచుకోండి
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,ప్రయాణం మరియు వ్యయాల దావా
 DocType: Sales Invoice,Redemption Cost Center,విమోచన ఖర్చు సెంటర్
+DocType: QuickBooks Migrator,Scope,స్కోప్
 DocType: Assessment Group,Assessment Group Name,అసెస్మెంట్ గ్రూప్ పేరు
 DocType: Manufacturing Settings,Material Transferred for Manufacture,మెటీరియల్ తయారీకి బదిలీ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,వివరాలకు జోడించు
@@ -4175,6 +4223,7 @@
 DocType: Shopify Settings,Last Sync Datetime,చివరి సమకాలీకరణ డేటాటైమ్
 DocType: Landed Cost Item,Receipt Document Type,స్వీకరణపై డాక్యుమెంట్ టైప్
 DocType: Daily Work Summary Settings,Select Companies,కంపెనీలు ఎంచుకోండి
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,ప్రతిపాదన / ధర కోట్
 DocType: Antibiotic,Healthcare,ఆరోగ్య సంరక్షణ
 DocType: Target Detail,Target Detail,టార్గెట్ వివరాలు
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,సింగిల్ వేరియంట్
@@ -4184,6 +4233,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,కాలం ముగింపు ఎంట్రీ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,శాఖ ఎంచుకోండి ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,ఉన్న లావాదేవీలతో ఖర్చు సెంటర్ సమూహం మార్చబడతాయి కాదు
+DocType: QuickBooks Migrator,Authorization URL,అధికార URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},మొత్తం {0} {1} {2} {3}
 DocType: Account,Depreciation,అరుగుదల
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,వాటాల సంఖ్య మరియు షేర్ నంబర్లు అస్థిరమైనవి
@@ -4205,13 +4255,14 @@
 DocType: Support Search Source,Source DocType,మూల పత్రం
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,క్రొత్త టికెట్ తెరవండి
 DocType: Training Event,Trainer Email,శిక్షణ ఇమెయిల్
+DocType: Driver,Transporter,ట్రాన్స్పోర్టర్
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,రూపొందించినవారు మెటీరియల్ అభ్యర్థనలు {0}
 DocType: Restaurant Reservation,No of People,ప్రజల సంఖ్య
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,నిబంధనలు ఒప్పందం మూస.
 DocType: Bank Account,Address and Contact,చిరునామా మరియు సంప్రదించు
 DocType: Vital Signs,Hyper,హైపర్
 DocType: Cheque Print Template,Is Account Payable,ఖాతా చెల్లించవలసిన ఉంది
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},స్టాక్ కొనుగోలు స్వీకరణపై వ్యతిరేకంగా నవీకరించడం సాధ్యపడదు {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},స్టాక్ కొనుగోలు స్వీకరణపై వ్యతిరేకంగా నవీకరించడం సాధ్యపడదు {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 రోజుల తరువాత ఆటో దగ్గరగా ఇష్యూ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ముందు కేటాయించబడతాయి కాదు వదిలేయండి {0}, సెలవు సంతులనం ఇప్పటికే క్యారీ-ఫార్వార్డ్ భవిష్యత్తులో సెలవు కేటాయింపు రికార్డు ఉన్నాడు, {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),గమనిక: కారణంగా / సూచన తేదీ {0} రోజు ద్వారా అనుమతి కస్టమర్ క్రెడిట్ రోజుల మించి (లు)
@@ -4229,7 +4280,7 @@
 ,Qty to Deliver,పంపిణీ చేయడానికి అంశాల
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ఈ తేదీ తర్వాత నవీకరించబడిన డేటాను అమెజాన్ సమకాలీకరిస్తుంది
 ,Stock Analytics,స్టాక్ Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,ఆపరేషన్స్ ఖాళీగా కాదు
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,ఆపరేషన్స్ ఖాళీగా కాదు
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,ల్యాబ్ టెస్ట్ (లు)
 DocType: Maintenance Visit Purpose,Against Document Detail No,డాక్యుమెంట్ వివరాలు వ్యతిరేకంగా ఏ
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},దేశం {0} కోసం తొలగింపు అనుమతించబడదు
@@ -4237,13 +4288,12 @@
 DocType: Quality Inspection,Outgoing,అవుట్గోయింగ్
 DocType: Material Request,Requested For,కోసం అభ్యర్థించిన
 DocType: Quotation Item,Against Doctype,Doctype వ్యతిరేకంగా
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} రద్దు లేదా మూసివేయబడింది
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} రద్దు లేదా మూసివేయబడింది
 DocType: Asset,Calculate Depreciation,తరుగుదల లెక్కించు
 DocType: Delivery Note,Track this Delivery Note against any Project,ఏ ప్రాజెక్టు వ్యతిరేకంగా ఈ డెలివరీ గమనిక ట్రాక్
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,ఇన్వెస్టింగ్ నుండి నికర నగదు
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,కస్టమర్&gt; కస్టమర్ గ్రూప్&gt; భూభాగం
 DocType: Work Order,Work-in-Progress Warehouse,పని లో ప్రోగ్రెస్ వేర్హౌస్
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,ఆస్తి {0} సమర్పించాలి
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,ఆస్తి {0} సమర్పించాలి
 DocType: Fee Schedule Program,Total Students,మొత్తం విద్యార్థులు
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},హాజరు రికార్డ్ {0} విద్యార్థి వ్యతిరేకంగా ఉంది {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},సూచన # {0} నాటి {1}
@@ -4262,7 +4312,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,ఎడమ ఉద్యోగుల కోసం నిలుపుదల బోనస్ను సృష్టించలేరు
 DocType: Lead,Market Segment,మార్కెట్ విభాగానికీ
 DocType: Agriculture Analysis Criteria,Agriculture Manager,వ్యవసాయ మేనేజర్
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},మొత్తం చెల్లించారు మొత్తం ప్రతికూల అసాధారణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},మొత్తం చెల్లించారు మొత్తం ప్రతికూల అసాధారణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0}
 DocType: Supplier Scorecard Period,Variables,వేరియబుల్స్
 DocType: Employee Internal Work History,Employee Internal Work History,Employee అంతర్గత వర్క్ చరిత్ర
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),మూసివేయడం (డాక్టర్)
@@ -4286,22 +4336,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch ఉత్పత్తులు
 DocType: Loyalty Point Entry,Loyalty Program,విధేయత కార్యక్రమం
 DocType: Student Guardian,Father,తండ్రి
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,మద్దతు టికెట్లు
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;సరిచేయబడిన స్టాక్&#39; స్థిర ఆస్తి అమ్మకం కోసం తనిఖీ చెయ్యబడదు
 DocType: Bank Reconciliation,Bank Reconciliation,బ్యాంక్ సయోధ్య
 DocType: Attendance,On Leave,సెలవులో ఉన్నాను
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,నవీకరణలు పొందండి
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ఖాతా {2} కంపెనీ చెందదు {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,ప్రతి లక్షణాల నుండి కనీసం ఒక విలువను ఎంచుకోండి.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,ప్రతి లక్షణాల నుండి కనీసం ఒక విలువను ఎంచుకోండి.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,మెటీరియల్ అభ్యర్థన {0} రద్దు లేదా ఆగిపోయిన
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,డిస్పాచ్ స్టేట్
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,డిస్పాచ్ స్టేట్
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,మేనేజ్మెంట్ వదిలి
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,గుంపులు
 DocType: Purchase Invoice,Hold Invoice,ఇన్వాయిస్ పట్టుకోండి
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,ఉద్యోగిని ఎంచుకోండి
 DocType: Sales Order,Fully Delivered,పూర్తిగా పంపిణీ
-DocType: Lead,Lower Income,తక్కువ ఆదాయ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,తక్కువ ఆదాయ
 DocType: Restaurant Order Entry,Current Order,ప్రస్తుత ఆర్డర్
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,సీరియల్ సంఖ్య మరియు పరిమాణం సంఖ్య అదే ఉండాలి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},మూల మరియు లక్ష్య గిడ్డంగి వరుసగా ఒకే ఉండకూడదు {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},మూల మరియు లక్ష్య గిడ్డంగి వరుసగా ఒకే ఉండకూడదు {0}
 DocType: Account,Asset Received But Not Billed,ఆస్తి స్వీకరించబడింది కానీ బిల్ చేయలేదు
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ఈ స్టాక్ సయోధ్య ఒక ప్రారంభ ఎంట్రీ నుండి తేడా ఖాతా, ఒక ఆస్తి / బాధ్యత రకం ఖాతా ఉండాలి"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},పంపించబడతాయి మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0}
@@ -4310,7 +4362,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},అంశం అవసరం ఆర్డర్ సంఖ్య కొనుగోలు {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;తేదీ నుండి&#39; తర్వాత &#39;తేదీ&#39; ఉండాలి
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,ఈ హోదా కోసం స్టాఫింగ్ ప్లాన్స్ లేదు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,అంశం యొక్క {0} బ్యాచ్ {1} నిలిపివేయబడింది.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,అంశం యొక్క {0} బ్యాచ్ {1} నిలిపివేయబడింది.
 DocType: Leave Policy Detail,Annual Allocation,వార్షిక కేటాయింపు
 DocType: Travel Request,Address of Organizer,ఆర్గనైజర్ యొక్క చిరునామా
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,హెల్త్కేర్ ప్రాక్టీషనర్ ఎంచుకోండి ...
@@ -4319,12 +4371,12 @@
 DocType: Asset,Fully Depreciated,పూర్తిగా విలువ తగ్గుతున్న
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,స్టాక్ ప్యాక్ చేసిన అంశాల ప్రొజెక్టెడ్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},చెందదు {0} కస్టమర్ ప్రొజెక్ట్ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},చెందదు {0} కస్టమర్ ప్రొజెక్ట్ {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,గుర్తించ హాజరు HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","సుభాషితాలు, ప్రతిపాదనలు ఉన్నాయి మీరు మీ వినియోగదారులకు పంపారు వేలం"
 DocType: Sales Invoice,Customer's Purchase Order,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్
 DocType: Clinical Procedure,Patient,రోగి
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,సేల్స్ ఆర్డర్ వద్ద బైపాస్ క్రెడిట్ చెక్
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,సేల్స్ ఆర్డర్ వద్ద బైపాస్ క్రెడిట్ చెక్
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,ఉద్యోగుల ఆన్బోర్డింగ్ కార్యాచరణ
 DocType: Location,Check if it is a hydroponic unit,ఇది ఒక హైడ్రోపోనిక్ యూనిట్ అయితే తనిఖీ చేయండి
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,సీరియల్ లేవు మరియు బ్యాచ్
@@ -4334,7 +4386,7 @@
 DocType: Supplier Scorecard Period,Calculations,గణాంకాలు
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,విలువ లేదా ప్యాక్ చేసిన అంశాల
 DocType: Payment Terms Template,Payment Terms,చెల్లింపు నిబందనలు
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,ప్రొడక్షన్స్ ఆర్డర్స్ పెంచుతాడు సాధ్యం కాదు:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,ప్రొడక్షన్స్ ఆర్డర్స్ పెంచుతాడు సాధ్యం కాదు:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,నిమిషం
 DocType: Purchase Invoice,Purchase Taxes and Charges,పన్నులు మరియు ఆరోపణలు కొనుగోలు
 DocType: Chapter,Meetup Embed HTML,మీట్ప్ పొందుపరచు HTML
@@ -4342,17 +4394,17 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,సరఫరాదారులకు వెళ్లండి
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS ముగింపు వోచర్ పన్నులు
 ,Qty to Receive,స్వీకరించడానికి అంశాల
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","చెల్లుబాటు అయ్యే పేరోల్ వ్యవధిలో లేని తేదీలు మరియు ముగింపులు, {0} ను లెక్కించలేవు."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","చెల్లుబాటు అయ్యే పేరోల్ వ్యవధిలో లేని తేదీలు మరియు ముగింపులు, {0} ను లెక్కించలేవు."
 DocType: Leave Block List,Leave Block List Allowed,బ్లాక్ జాబితా అనుమతించబడినవి వదిలి
 DocType: Grading Scale Interval,Grading Scale Interval,గ్రేడింగ్ స్కేల్ ఇంటర్వెల్
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},వాహనం లోనికి ప్రవేశించండి వ్యయం దావా {0}
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,లాభాలతో ధర జాబితా రేటు తగ్గింపు (%)
 DocType: Healthcare Service Unit Type,Rate / UOM,రేట్ / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,అన్ని గిడ్డంగులు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,ఇంటర్ కంపెనీ లావాదేవీలకు ఎటువంటి {0} దొరకలేదు.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,ఇంటర్ కంపెనీ లావాదేవీలకు ఎటువంటి {0} దొరకలేదు.
 DocType: Travel Itinerary,Rented Car,అద్దె కారు
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,మీ కంపెనీ గురించి
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,ఖాతాకు క్రెడిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,ఖాతాకు క్రెడిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
 DocType: Donor,Donor,దాత
 DocType: Global Defaults,Disable In Words,వర్డ్స్ ఆపివేయి
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,వస్తువు దానంతటదే లెక్కించబడ్డాయి లేదు ఎందుకంటే Item కోడ్ తప్పనిసరి
@@ -4364,14 +4416,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,బ్యాంక్ ఓవర్డ్రాఫ్ట్ ఖాతా
 DocType: Patient,Patient ID,రోగి ID
 DocType: Practitioner Schedule,Schedule Name,షెడ్యూల్ పేరు
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,స్టేజ్ సేల్స్ పైప్లైన్
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,వేతనం స్లిప్ చేయండి
 DocType: Currency Exchange,For Buying,కొనుగోలు కోసం
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,అన్ని సరఫరాదారులను జోడించండి
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,అన్ని సరఫరాదారులను జోడించండి
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,రో # {0}: కేటాయించిన సొమ్ము బాకీ మొత్తం కంటే ఎక్కువ ఉండకూడదు.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,బ్రౌజ్ BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,సెక్యూర్డ్ లోన్స్
 DocType: Purchase Invoice,Edit Posting Date and Time,పోస్ట్ చేసిన తేదీ మరియు సమయం మార్చు
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ఆస్తి వర్గం {0} లేదా కంపెనీ లో అరుగుదల సంబంధించిన అకౌంట్స్ సెట్ దయచేసి {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ఆస్తి వర్గం {0} లేదా కంపెనీ లో అరుగుదల సంబంధించిన అకౌంట్స్ సెట్ దయచేసి {1}
 DocType: Lab Test Groups,Normal Range,సాధారణ శ్రేణి
 DocType: Academic Term,Academic Year,విద్యా సంవత్సరం
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,అందుబాటులో సెల్లింగ్
@@ -4400,26 +4453,26 @@
 DocType: Patient Appointment,Patient Appointment,పేషెంట్ నియామకం
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,రోల్ ఆమోదిస్తోంది పాలన వర్తిస్తుంది పాత్ర అదే ఉండకూడదు
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ఈ ఇమెయిల్ డైజెస్ట్ నుండి సభ్యత్వాన్ని రద్దు
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,ద్వారా సరఫరా పొందండి
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,ద్వారా సరఫరా పొందండి
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},అంశం కోసం {0} కనుగొనబడలేదు {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,కోర్సులు వెళ్ళండి
 DocType: Accounts Settings,Show Inclusive Tax In Print,ప్రింట్లో ఇన్క్లూసివ్ పన్ను చూపించు
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","బ్యాంకు ఖాతా, తేదీ మరియు తేదీ వరకు తప్పనిసరి"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,సందేశం పంపబడింది
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ సెట్ కాదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ సెట్ కాదు
 DocType: C-Form,II,రెండవ
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,రేటు ధర జాబితా కరెన్సీ కస్టమర్ యొక్క బేస్ కరెన్సీ మార్చబడుతుంది
 DocType: Purchase Invoice Item,Net Amount (Company Currency),నికర మొత్తం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,పూర్తి మంజూరు మొత్తం కంటే మొత్తం ముందస్తు మొత్తం ఎక్కువ కాదు
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,పూర్తి మంజూరు మొత్తం కంటే మొత్తం ముందస్తు మొత్తం ఎక్కువ కాదు
 DocType: Salary Slip,Hour Rate,గంట రేట్
 DocType: Stock Settings,Item Naming By,అంశం ద్వారా నామకరణ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},మరో కాలం ముగింపు ఎంట్రీ {0} తర్వాత జరిగింది {1}
 DocType: Work Order,Material Transferred for Manufacturing,పదార్థం తయారీ కోసం బదిలీ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,ఖాతా {0} చేస్తుంది ఉందో
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,లాయల్టీ ప్రోగ్రామ్ను ఎంచుకోండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,లాయల్టీ ప్రోగ్రామ్ను ఎంచుకోండి
 DocType: Project,Project Type,ప్రాజెక్ట్ పద్ధతి
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,ఈ టాస్క్ కోసం చైల్డ్ టాస్క్ ఉనికిలో ఉంది. మీరు ఈ విధిని తొలగించలేరు.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,గాని లక్ష్యాన్ని అంశాల లేదా లక్ష్యం మొత్తం తప్పనిసరి.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,గాని లక్ష్యాన్ని అంశాల లేదా లక్ష్యం మొత్తం తప్పనిసరి.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,వివిధ కార్యకలాపాలు ఖర్చు
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ఈవెంట్స్ చేస్తోంది {0}, సేల్స్ పర్సన్స్ క్రింద జత ఉద్యోగి వాడుకరి ID లేదు నుండి {1}"
 DocType: Timesheet,Billing Details,బిల్లింగ్ వివరాలు
@@ -4476,13 +4529,13 @@
 DocType: Inpatient Record,A Negative,ప్రతికూలమైనది
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ఇంకేమీ చూపించడానికి.
 DocType: Lead,From Customer,కస్టమర్ నుండి
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,కాల్స్
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,కాల్స్
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,ఒక ఉత్పత్తి
 DocType: Employee Tax Exemption Declaration,Declarations,ప్రకటనలు
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,వంతులవారీగా
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,ఫీజు షెడ్యూల్ చేయండి
 DocType: Purchase Order Item Supplied,Stock UOM,స్టాక్ UoM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,ఆర్డర్ {0} సమర్పించిన లేదు కొనుగోలు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,ఆర్డర్ {0} సమర్పించిన లేదు కొనుగోలు
 DocType: Account,Expenses Included In Asset Valuation,ఖర్చులు ఆస్తి మదింపులో చేర్చబడ్డాయి
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),వయోజన కోసం సాధారణ సూచన పరిధి 16-20 శ్వాసలు / నిమిషం (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,టారిఫ్ సంఖ్య
@@ -4495,6 +4548,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,మొదటి రోగిని దయచేసి సేవ్ చేయండి
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,హాజరు విజయవంతంగా మార్క్ చెయ్యబడింది.
 DocType: Program Enrollment,Public Transport,ప్రజా రవాణా
+DocType: Delivery Note,GST Vehicle Type,GST వాహన రకం
 DocType: Soil Texture,Silt Composition (%),సిల్ట్ కంపోజిషన్ (%)
 DocType: Journal Entry,Remark,వ్యాఖ్యలపై
 DocType: Healthcare Settings,Avoid Confirmation,ధృవీకరణను నివారించండి
@@ -4503,11 +4557,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,ఆకులు మరియు హాలిడే
 DocType: Education Settings,Current Academic Term,ప్రస్తుత విద్యా టర్మ్
 DocType: Sales Order,Not Billed,బిల్ చేయబడలేదు
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,రెండు వేర్హౌస్ అదే కంపెనీకి చెందిన ఉండాలి
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,రెండు వేర్హౌస్ అదే కంపెనీకి చెందిన ఉండాలి
 DocType: Employee Grade,Default Leave Policy,డిఫాల్ట్ లీవ్ పాలసీ
 DocType: Shopify Settings,Shop URL,షాప్ URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,పరిచయాలు లేవు ఇంకా జోడించారు.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,సెటప్&gt; నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబర్ సిరీస్ను సెటప్ చేయండి
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,అడుగుపెట్టాయి ఖర్చు ఓచర్ మొత్తం
 ,Item Balance (Simple),అంశం సంతులనం (సింపుల్)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,సప్లయర్స్ పెంచింది బిల్లులు.
@@ -4532,7 +4585,7 @@
 DocType: Shopping Cart Settings,Quotation Series,కొటేషన్ సిరీస్
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","ఒక అంశం అదే పేరుతో ({0}), అంశం గుంపు పేరు మార్చడానికి లేదా అంశం పేరు దయచేసి"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,నేల విశ్లేషణ ప్రమాణం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,దయచేసి కస్టమర్ ఎంచుకోండి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,దయచేసి కస్టమర్ ఎంచుకోండి
 DocType: C-Form,I,నేను
 DocType: Company,Asset Depreciation Cost Center,ఆస్తి అరుగుదల వ్యయ కేంద్రం
 DocType: Production Plan Sales Order,Sales Order Date,సేల్స్ ఆర్డర్ తేదీ
@@ -4545,8 +4598,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,ఏ గిడ్డంగిలో ప్రస్తుతం స్టాక్ లేదు
 ,Payment Period Based On Invoice Date,వాయిస్ తేదీ ఆధారంగా చెల్లింపు కాలం
 DocType: Sample Collection,No. of print,ప్రింట్ సంఖ్య
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,పుట్టినరోజు రిమైండర్
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,హోటల్ గది రిజర్వేషన్ అంశం
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},తప్పిపోయిన కరెన్సీ మారక {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},తప్పిపోయిన కరెన్సీ మారక {0}
 DocType: Employee Health Insurance,Health Insurance Name,ఆరోగ్య భీమా పేరు
 DocType: Assessment Plan,Examiner,ఎగ్జామినర్
 DocType: Student,Siblings,తోబుట్టువుల
@@ -4563,19 +4617,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,కొత్త వినియోగదారులు
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,స్థూల లాభం%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,నియామకం {0} మరియు సేల్స్ ఇన్వాయిస్ {1} రద్దు చేయబడింది
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,ప్రధాన మూలం ద్వారా అవకాశాలు
 DocType: Appraisal Goal,Weightage (%),వెయిటేజీ (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS ప్రొఫైల్ని మార్చండి
 DocType: Bank Reconciliation Detail,Clearance Date,క్లియరెన్స్ తేదీ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","అంశం {0} వ్యతిరేకంగా ఆస్తి ఇప్పటికే ఉంది, మీరు సీరియల్ విలువను మార్చలేరు"
+DocType: Delivery Settings,Dispatch Notification Template,డిస్ప్లేట్ నోటిఫికేషన్ మూస
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","అంశం {0} వ్యతిరేకంగా ఆస్తి ఇప్పటికే ఉంది, మీరు సీరియల్ విలువను మార్చలేరు"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,అసెస్మెంట్ రిపోర్ట్
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,ఉద్యోగులను పొందండి
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,స్థూల కొనుగోలు మొత్తాన్ని తప్పనిసరి
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,సంస్థ పేరు అదే కాదు
 DocType: Lead,Address Desc,Desc పరిష్కరించేందుకు
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,పార్టీ తప్పనిసరి
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},ఇతర వరుసలలో నకిలీ తేదీలు ఉన్న వరుసలు కనుగొనబడ్డాయి: {list}
 DocType: Topic,Topic Name,టాపిక్ పేరు
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,దయచేసి HR సెట్టింగ్ల్లో లీవ్ ఆమోద నోటిఫికేషన్ కోసం డిఫాల్ట్ టెంప్లేట్ను సెట్ చేయండి.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,దయచేసి HR సెట్టింగ్ల్లో లీవ్ ఆమోద నోటిఫికేషన్ కోసం డిఫాల్ట్ టెంప్లేట్ను సెట్ చేయండి.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,సెల్లింగ్ లేదా కొనుగోలు కనీసం ఒక ఎంపిక చేయాలి
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,ఉద్యోగి ముందస్తు సంపాదించడానికి ఉద్యోగిని ఎంచుకోండి.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,దయచేసి చెల్లుబాటు అయ్యే తేదీని ఎంచుకోండి
@@ -4609,6 +4664,7 @@
 DocType: Stock Entry,Customer or Supplier Details,కస్టమర్ లేదా సరఫరాదారు వివరాలు
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-పే-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,ప్రస్తుత ఆస్తి విలువ
+DocType: QuickBooks Migrator,Quickbooks Company ID,క్విక్ బుక్స్ కంపెనీ ID
 DocType: Travel Request,Travel Funding,ప్రయాణ నిధి
 DocType: Loan Application,Required by Date,తేదీ ద్వారా అవసరం
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,పంట పెరుగుతున్న అన్ని ప్రాంతాలకు లింక్
@@ -4622,9 +4678,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,గిడ్డంగి నుండి వద్ద అందుబాటులో బ్యాచ్ ప్యాక్ చేసిన అంశాల
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,స్థూల పే - మొత్తం తీసివేత - లోన్ తిరిగి చెల్లించే
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,ప్రస్తుత BOM మరియు న్యూ BOM అదే ఉండకూడదు
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,ప్రస్తుత BOM మరియు న్యూ BOM అదే ఉండకూడదు
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,జీతం స్లిప్ ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,రిటైర్మెంట్ డేట్ అఫ్ చేరడం తేదీ కంటే ఎక్కువ ఉండాలి
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,రిటైర్మెంట్ డేట్ అఫ్ చేరడం తేదీ కంటే ఎక్కువ ఉండాలి
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,బహుళ వైవిధ్యాలు
 DocType: Sales Invoice,Against Income Account,ఆదాయపు ఖాతా వ్యతిరేకంగా
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% పంపిణీ
@@ -4653,7 +4709,7 @@
 DocType: POS Profile,Update Stock,నవీకరణ స్టాక్
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"అంశాలు, వివిధ UoM తప్పు (మొత్తం) నికర బరువు విలువ దారి తీస్తుంది. ప్రతి అంశం యొక్క నికర బరువు అదే UoM లో ఉంది నిర్ధారించుకోండి."
 DocType: Certification Application,Payment Details,చెల్లింపు వివరాలు
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,బిఒఎం రేటు
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,బిఒఎం రేటు
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","నిలిపివేయబడింది వర్క్ ఆర్డర్ రద్దు చేయబడదు, రద్దు చేయడానికి ముందుగా దాన్ని అన్స్టాప్ చేయండి"
 DocType: Asset,Journal Entry for Scrap,స్క్రాప్ జర్నల్ ఎంట్రీ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,డెలివరీ గమనిక అంశాలను తీసి దయచేసి
@@ -4675,11 +4731,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,మొత్తం మంజూరు సొమ్ము
 ,Purchase Analytics,కొనుగోలు Analytics
 DocType: Sales Invoice Item,Delivery Note Item,డెలివరీ గమనిక అంశం
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,ప్రస్తుత ఇన్వాయిస్ {0} లేదు
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,ప్రస్తుత ఇన్వాయిస్ {0} లేదు
 DocType: Asset Maintenance Log,Task,టాస్క్
 DocType: Purchase Taxes and Charges,Reference Row #,సూచన రో #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},బ్యాచ్ సంఖ్య అంశం తప్పనిసరి {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,ఈ రూట్ అమ్మకాలు వ్యక్తి ఉంది మరియు సవరించడం సాధ్యం కాదు.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,ఈ రూట్ అమ్మకాలు వ్యక్తి ఉంది మరియు సవరించడం సాధ్యం కాదు.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ఎంచుకున్నట్లయితే, ఈ భాగం లో పేర్కొన్న లేదా లెక్కించిన విలువ ఆదాయాలు లేదా తగ్గింపులకు దోహదం చేయదు. అయితే, అది విలువ చేర్చవచ్చు లేదా తీసివేయబడుతుంది ఇతర భాగాలు ద్వారానే సూచించబడతాయి వార్తలు."
 DocType: Asset Settings,Number of Days in Fiscal Year,ఫిస్కల్ ఇయర్ లో డేస్ సంఖ్య
 ,Stock Ledger,స్టాక్ లెడ్జర్
@@ -4687,7 +4743,7 @@
 DocType: Company,Exchange Gain / Loss Account,ఎక్స్చేంజ్ పెరుగుట / నష్టం ఖాతాకు
 DocType: Amazon MWS Settings,MWS Credentials,MWS ఆధారాలు
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,ఉద్యోగి మరియు హాజరు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},ప్రయోజనం ఒకటి ఉండాలి {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},ప్రయోజనం ఒకటి ఉండాలి {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,రూపం నింపి దాన్ని సేవ్
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,కమ్యూనిటీ ఫోరమ్
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,స్టాక్ యాక్చువల్ అంశాల
@@ -4702,7 +4758,7 @@
 DocType: Lab Test Template,Standard Selling Rate,ప్రామాణిక సెల్లింగ్ రేటు
 DocType: Account,Rate at which this tax is applied,ఈ పన్ను వర్తించబడుతుంది రేటుపై
 DocType: Cash Flow Mapper,Section Name,విభాగం పేరు
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,క్రమాన్ని మార్చు ప్యాక్ చేసిన అంశాల
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,క్రమాన్ని మార్చు ప్యాక్ చేసిన అంశాల
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},తరుగుదల వరుస {0}: ఉపయోగకరమైన జీవితము తర్వాత ఊహించిన విలువ తప్పక {1} కంటే ఎక్కువ లేదా సమానంగా ఉండాలి
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,ప్రస్తుత Job ఖాళీలు
 DocType: Company,Stock Adjustment Account,స్టాక్ అడ్జస్ట్మెంట్ ఖాతా
@@ -4712,8 +4768,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","వ్యవస్థ యూజర్ (లాగిన్) ID. సెట్ చేస్తే, అది అన్ని హెచ్ ఆర్ రూపాలు కోసం డిఫాల్ట్ అవుతుంది."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,తరుగుదల వివరాలను నమోదు చేయండి
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: నుండి {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},విద్యార్థి {1} కి వ్యతిరేకంగా అప్లికేషన్ {0}
 DocType: Task,depends_on,ఆధారపడి
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,మెటీరియల్స్ అన్ని బిల్లులో తాజా ధరను నవీకరించడానికి క్యూ. దీనికి కొన్ని నిమిషాలు పట్టవచ్చు.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,మెటీరియల్స్ అన్ని బిల్లులో తాజా ధరను నవీకరించడానికి క్యూ. దీనికి కొన్ని నిమిషాలు పట్టవచ్చు.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,కొత్త ఖాతా యొక్క పేరు. గమనిక: వినియోగదారులు మరియు సరఫరాదారులతో కోసం ఖాతాలను సృష్టించడం లేదు దయచేసి
 DocType: POS Profile,Display Items In Stock,స్టాక్ లో డిస్ప్లే అంశాలు
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,దేశం వారీగా డిఫాల్ట్ చిరునామా టెంప్లేట్లు
@@ -4743,16 +4800,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} కోసం స్లాట్లు షెడ్యూల్కు జోడించబడలేదు
 DocType: Product Bundle,List items that form the package.,ప్యాకేజీ రూపొందించే జాబితా అంశాలను.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,అనుమతి లేదు. దయచేసి టెస్ట్ మూసను నిలిపివేయండి
+DocType: Delivery Note,Distance (in km),దూరం (కిలోమీటర్లు)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,శాతం కేటాయింపు 100% సమానంగా ఉండాలి
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,దయచేసి పార్టీ ఎంచుకోవడం ముందు పోస్టింగ్ తేదిని ఎంచుకోండి
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,దయచేసి పార్టీ ఎంచుకోవడం ముందు పోస్టింగ్ తేదిని ఎంచుకోండి
 DocType: Program Enrollment,School House,స్కూల్ హౌస్
 DocType: Serial No,Out of AMC,AMC యొక్క అవుట్
+DocType: Opportunity,Opportunity Amount,అవకాశం మొత్తం
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,బుక్ Depreciations సంఖ్య Depreciations మొత్తం సంఖ్య కంటే ఎక్కువ ఉండకూడదు
 DocType: Purchase Order,Order Confirmation Date,ఆర్డర్ నిర్ధారణ తేదీ
 DocType: Driver,HR-DRI-.YYYY.-,ఆర్-డ్రై-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,నిర్వహణ సందర్శించండి చేయండి
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","ప్రారంభ తేదీ మరియు ముగింపు తేదీ జాబ్ కార్డుతో అతివ్యాప్తి చెందుతుంది <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,ఉద్యోగి బదిలీ వివరాలు
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,సేల్స్ మాస్టర్ మేనేజర్ {0} పాత్ర కలిగిన వినియోగదారుకు సంప్రదించండి
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,సేల్స్ మాస్టర్ మేనేజర్ {0} పాత్ర కలిగిన వినియోగదారుకు సంప్రదించండి
 DocType: Company,Default Cash Account,డిఫాల్ట్ నగదు ఖాతా
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,కంపెనీ (కాదు కస్టమర్ లేదా సరఫరాదారు) మాస్టర్.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ఈ ఈ విద్యార్థి హాజరు ఆధారంగా
@@ -4760,9 +4820,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,మరింత అంశాలు లేదా ఓపెన్ పూర్తి రూపం జోడించండి
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,డెలివరీ గమనికలు {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,వినియోగదారులకు వెళ్లండి
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,చెల్లించిన మొత్తం పరిమాణం గ్రాండ్ మొత్తం కంటే ఎక్కువ ఉండకూడదు ఆఫ్ వ్రాయండి +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,చెల్లించిన మొత్తం పరిమాణం గ్రాండ్ మొత్తం కంటే ఎక్కువ ఉండకూడదు ఆఫ్ వ్రాయండి +
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} అంశం కోసం ఒక చెల్లుబాటులో బ్యాచ్ సంఖ్య కాదు {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},గమనిక: లీవ్ పద్ధతి కోసం తగినంత సెలవు సంతులనం లేదు {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},గమనిక: లీవ్ పద్ధతి కోసం తగినంత సెలవు సంతులనం లేదు {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,చెల్లని GSTIN లేదా నమోదుకాని కోసం NA ఎంటర్
 DocType: Training Event,Seminar,సెమినార్
 DocType: Program Enrollment Fee,Program Enrollment Fee,ప్రోగ్రామ్ నమోదు రుసుము
@@ -4779,7 +4839,7 @@
 DocType: Fee Schedule,Fee Schedule,ఫీజు షెడ్యూల్
 DocType: Company,Create Chart Of Accounts Based On,అకౌంట్స్ బేస్డ్ న చార్ట్ సృష్టించు
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,గుంపుగా మార్చలేరు. చైల్డ్ విధులు ఉన్నాయి.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,పుట్టిన తేదీ నేడు కంటే ఎక్కువ ఉండకూడదు.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,పుట్టిన తేదీ నేడు కంటే ఎక్కువ ఉండకూడదు.
 ,Stock Ageing,స్టాక్ ఏజింగ్
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","పాక్షికంగా ప్రాయోజితం, పాక్షిక నిధి అవసరం"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},స్టూడెంట్ {0} విద్యార్ధి దరఖాస్తుదారు వ్యతిరేకంగా ఉనికిలో {1}
@@ -4825,11 +4885,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,సయోధ్య ముందు
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},కు {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),పన్నులు మరియు ఆరోపణలు చేర్చబడింది (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,అంశం పన్ను రో {0} రకం పన్ను లేదా ఆదాయం వ్యయం లేదా విధింపదగిన యొక్క ఖాతా ఉండాలి
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,అంశం పన్ను రో {0} రకం పన్ను లేదా ఆదాయం వ్యయం లేదా విధింపదగిన యొక్క ఖాతా ఉండాలి
 DocType: Sales Order,Partly Billed,పాక్షికంగా గుర్తింపు పొందిన
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,అంశం {0} ఒక స్థిర ఆస్తి అంశం ఉండాలి
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,వైవిధ్యాలు చేయండి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,వైవిధ్యాలు చేయండి
 DocType: Item,Default BOM,డిఫాల్ట్ BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),మొత్తం బిల్లు మొత్తం (సేల్స్ ఇన్వాయిస్లు ద్వారా)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,డెబిట్ గమనిక మొత్తం
@@ -4858,14 +4918,14 @@
 DocType: Notification Control,Custom Message,కస్టమ్ సందేశం
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,ఇన్వెస్ట్మెంట్ బ్యాంకింగ్
 DocType: Purchase Invoice,input,ఇన్పుట్
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,నగదు లేదా బ్యాంక్ ఖాతా చెల్లింపు ప్రవేశం చేయడానికి తప్పనిసరి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,నగదు లేదా బ్యాంక్ ఖాతా చెల్లింపు ప్రవేశం చేయడానికి తప్పనిసరి
 DocType: Loyalty Program,Multiple Tier Program,బహుళ టైర్ ప్రోగ్రామ్
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,స్టూడెంట్ అడ్రస్
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,స్టూడెంట్ అడ్రస్
 DocType: Purchase Invoice,Price List Exchange Rate,ధర జాబితా ఎక్స్చేంజ్ రేట్
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,అన్ని సరఫరాదారు గుంపులు
 DocType: Employee Boarding Activity,Required for Employee Creation,Employee క్రియేషన్ కోసం అవసరం
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},ఖాతా సంఖ్య {0} ఖాతాలో ఇప్పటికే ఉపయోగించబడింది {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},ఖాతా సంఖ్య {0} ఖాతాలో ఇప్పటికే ఉపయోగించబడింది {1}
 DocType: GoCardless Mandate,Mandate,ఆదేశం
 DocType: POS Profile,POS Profile Name,POS ప్రొఫైల్ పేరు
 DocType: Hotel Room Reservation,Booked,బుక్
@@ -4881,18 +4941,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,మీరు ప్రస్తావన తేదీ ఎంటర్ చేస్తే ప్రస్తావన తప్పనిసరి
 DocType: Bank Reconciliation Detail,Payment Document,చెల్లింపు డాక్యుమెంట్
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,ప్రమాణాల సూత్రాన్ని మూల్యాంకనం చేయడంలో లోపం
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,చేరిన తేదీ పుట్టిన తేది కంటే ఎక్కువ ఉండాలి
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,చేరిన తేదీ పుట్టిన తేది కంటే ఎక్కువ ఉండాలి
 DocType: Subscription,Plans,ప్రణాళికలు
 DocType: Salary Slip,Salary Structure,జీతం నిర్మాణం
 DocType: Account,Bank,బ్యాంక్
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,వైనానిక
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,ఇష్యూ మెటీరియల్
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,ఇష్యూ మెటీరియల్
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext తో Shopify ను కనెక్ట్ చేయండి
 DocType: Material Request Item,For Warehouse,వేర్హౌస్ కోసం
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,డెలివరీ గమనికలు {0} నవీకరించబడ్డాయి
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,డెలివరీ గమనికలు {0} నవీకరించబడ్డాయి
 DocType: Employee,Offer Date,ఆఫర్ తేదీ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,కొటేషన్స్
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,మీరు ఆఫ్లైన్ మోడ్లో ఉన్నాయి. మీరు నెట్వర్కు వరకు రీలోడ్ చేయలేరు.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,కొటేషన్స్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,మీరు ఆఫ్లైన్ మోడ్లో ఉన్నాయి. మీరు నెట్వర్కు వరకు రీలోడ్ చేయలేరు.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,గ్రాంట్
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,తోబుట్టువుల స్టూడెంట్ గ్రూప్స్ రూపొందించినవారు.
 DocType: Purchase Invoice Item,Serial No,సీరియల్ లేవు
@@ -4904,24 +4964,26 @@
 DocType: Sales Invoice,Customer PO Details,కస్టమర్ PO వివరాలు
 DocType: Stock Entry,Including items for sub assemblies,ఉప శాసనసభలకు అంశాలు సహా
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,తాత్కాలిక ప్రారంభ ఖాతా
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,ఎంటర్ విలువ సానుకూల ఉండాలి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,ఎంటర్ విలువ సానుకూల ఉండాలి
 DocType: Asset,Finance Books,ఫైనాన్స్ బుక్స్
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ఉద్యోగుల పన్ను మినహాయింపు ప్రకటన వర్గం
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,అన్ని ప్రాంతాలు
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,దయచేసి Employee / Grade రికార్డులో ఉద్యోగికి {0} సెలవు విధానంని సెట్ చేయండి
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,ఎంచుకున్న కస్టమర్ మరియు అంశం కోసం చెల్లని బ్లాంకెట్ ఆర్డర్
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,ఎంచుకున్న కస్టమర్ మరియు అంశం కోసం చెల్లని బ్లాంకెట్ ఆర్డర్
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,బహుళ విధులను జోడించండి
 DocType: Purchase Invoice,Items,అంశాలు
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,ముగింపు తేదీకి ముందు తేదీ ఉండకూడదు.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,విద్యార్థిని అప్పటికే చేరతాడు.
 DocType: Fiscal Year,Year Name,ఇయర్ పేరు
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,పని రోజుల కంటే ఎక్కువ సెలవులు ఈ నెల ఉన్నాయి.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,పని రోజుల కంటే ఎక్కువ సెలవులు ఈ నెల ఉన్నాయి.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,అంశాల తర్వాత {0} {1} అంశంగా గుర్తించబడలేదు. మీరు వాటిని ఐటమ్ మాస్టర్ నుండి {1} అంశంగా ఎనేబుల్ చేయవచ్చు
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,ఉత్పత్తి కట్ట అంశం
 DocType: Sales Partner,Sales Partner Name,సేల్స్ భాగస్వామి పేరు
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,కొటేషన్స్ కోసం అభ్యర్థన
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,కొటేషన్స్ కోసం అభ్యర్థన
 DocType: Payment Reconciliation,Maximum Invoice Amount,గరిష్టంగా ఇన్వాయిస్ మొత్తం
 DocType: Normal Test Items,Normal Test Items,సాధారణ టెస్ట్ అంశాలు
+DocType: QuickBooks Migrator,Company Settings,కంపెనీ సెట్టింగులు
 DocType: Additional Salary,Overwrite Salary Structure Amount,జీతం నిర్మాణం మొత్తాన్ని ఓవర్రైట్ చేయండి
 DocType: Student Language,Student Language,స్టూడెంట్ భాషా
 apps/erpnext/erpnext/config/selling.py +23,Customers,వినియోగదారుడు
@@ -4934,22 +4996,24 @@
 DocType: Issue,Opening Time,ప్రారంభ సమయం
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,నుండి మరియు అవసరమైన తేదీలు
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,సెక్యూరిటీస్ అండ్ కమోడిటీ ఎక్స్చేంజెస్
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',వేరియంట్ కోసం మెజర్ అప్రమేయ యూనిట్ &#39;{0}&#39; మూస లో అదే ఉండాలి &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',వేరియంట్ కోసం మెజర్ అప్రమేయ యూనిట్ &#39;{0}&#39; మూస లో అదే ఉండాలి &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,బేస్డ్ న లెక్కించు
 DocType: Contract,Unfulfilled,పూర్తి చేయని
 DocType: Delivery Note Item,From Warehouse,గిడ్డంగి నుండి
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,పేర్కొన్న ప్రమాణం కోసం ఉద్యోగులు లేరు
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,మెటీరియల్స్ బిల్ తో ఏ ఐటంలు తయారీకి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,మెటీరియల్స్ బిల్ తో ఏ ఐటంలు తయారీకి
 DocType: Shopify Settings,Default Customer,డిఫాల్ట్ కస్టమర్
+DocType: Sales Stage,Stage Name,రంగస్థల పేరు
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,సూపర్వైజర్ పేరు
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,అదే రోజున నియామకం సృష్టించబడితే నిర్ధారించవద్దు
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,రాష్ట్రం షిప్
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,రాష్ట్రం షిప్
 DocType: Program Enrollment Course,Program Enrollment Course,ప్రోగ్రామ్ ఎన్రోల్మెంట్ కోర్సు
 DocType: Program Enrollment Course,Program Enrollment Course,ప్రోగ్రామ్ ఎన్రోల్మెంట్ కోర్సు
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},వినియోగదారుడు {0} ఇప్పటికే హెల్త్కేర్ ప్రాక్టీషనర్కు నియమిస్తారు {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,నమూనా నిలుపుదల స్టాక్ ఎంట్రీ చేయండి
 DocType: Purchase Taxes and Charges,Valuation and Total,వాల్యుయేషన్ మరియు మొత్తం
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,నెగోషియేషన్ / రివ్యూ
 DocType: Leave Encashment,Encashment Amount,ఎన్క్యాష్మెంట్ మొత్తం
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,స్కోరు కార్డులు
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,గడువు ముగిసిన బ్యాలెస్
@@ -4959,7 +5023,7 @@
 DocType: Staffing Plan Detail,Current Openings,ప్రస్తుత ఓపెనింగ్స్
 DocType: Notification Control,Customize the Notification,నోటిఫికేషన్ అనుకూలీకరించండి
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,ఆపరేషన్స్ నుండి నగదు ప్రవాహ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST మొత్తం
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST మొత్తం
 DocType: Purchase Invoice,Shipping Rule,షిప్పింగ్ రూల్
 DocType: Patient Relation,Spouse,జీవిత భాగస్వామి
 DocType: Lab Test Groups,Add Test,టెస్ట్ జోడించు
@@ -4973,14 +5037,14 @@
 DocType: Payroll Entry,Payroll Frequency,పేరోల్ ఫ్రీక్వెన్సీ
 DocType: Lab Test Template,Sensitivity,సున్నితత్వం
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,గరిష్ట ప్రయత్నాలను అధిగమించినందున సమకాలీకరణ తాత్కాలికంగా నిలిపివేయబడింది
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,ముడి సరుకు
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,ముడి సరుకు
 DocType: Leave Application,Follow via Email,ఇమెయిల్ ద్వారా అనుసరించండి
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,మొక్కలు మరియు Machineries
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,డిస్కౌంట్ మొత్తాన్ని తర్వాత పన్ను సొమ్ము
 DocType: Patient,Inpatient Status,ఇన్పేషెంట్ స్థితి
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,డైలీ వర్క్ సారాంశం సెట్టింగులు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,ఎంచుకున్న ధర జాబితా తనిఖీ చేసిన ఖాళీలను కొనడం మరియు అమ్మడం ఉండాలి.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,దయచేసి తేదీ ద్వారా రిక్డ్ నమోదు చేయండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,ఎంచుకున్న ధర జాబితా తనిఖీ చేసిన ఖాళీలను కొనడం మరియు అమ్మడం ఉండాలి.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,దయచేసి తేదీ ద్వారా రిక్డ్ నమోదు చేయండి
 DocType: Payment Entry,Internal Transfer,అంతర్గత బదిలీ
 DocType: Asset Maintenance,Maintenance Tasks,నిర్వహణ పనులు
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,గాని లక్ష్యాన్ని అంశాల లేదా లక్ష్యం మొత్తం తప్పనిసరి
@@ -5002,7 +5066,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,చివరి కమ్యూనికేషన్
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,చివరి కమ్యూనికేషన్
 ,TDS Payable Monthly,మంజూరు టిడిఎస్
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM ను భర్తీ చేయడానికి క్యూ. దీనికి కొన్ని నిమిషాలు పట్టవచ్చు.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM ను భర్తీ చేయడానికి క్యూ. దీనికి కొన్ని నిమిషాలు పట్టవచ్చు.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',వర్గం &#39;వాల్యువేషన్&#39; లేదా &#39;వాల్యుయేషన్ మరియు సంపూర్ణమైనది&#39; కోసం ఉన్నప్పుడు తీసివేయు కాదు
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},సీరియల్ అంశం కోసం సీరియల్ మేము అవసరం {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,రసీదులు చెల్లింపుల మ్యాచ్
@@ -5015,7 +5079,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,కార్ట్ జోడించు
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,గ్రూప్ ద్వారా
 DocType: Guardian,Interests,అభిరుచులు
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ డిసేబుల్ కరెన్సీలు ప్రారంభించు.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ డిసేబుల్ కరెన్సీలు ప్రారంభించు.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,కొన్ని జీతం స్లిప్స్ సమర్పించలేకపోయాము
 DocType: Exchange Rate Revaluation,Get Entries,ఎంట్రీలను పొందండి
 DocType: Production Plan,Get Material Request,మెటీరియల్ అభ్యర్థన పొందండి
@@ -5037,15 +5101,16 @@
 DocType: Lead,Lead Type,లీడ్ టైప్
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,మీరు బ్లాక్ తేదీలు ఆకులు ఆమోదించడానికి అధికారం లేదు
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,ఈ అన్ని అంశాలపై ఇప్పటికే ఇన్వాయిస్ చేశారు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,క్రొత్త విడుదల తేదీని సెట్ చేయండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,క్రొత్త విడుదల తేదీని సెట్ చేయండి
 DocType: Company,Monthly Sales Target,మంత్లీ సేల్స్ టార్గెట్
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},ద్వారా ఆమోదం {0}
 DocType: Hotel Room,Hotel Room Type,హోటల్ గది రకం
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,సరఫరాదారు&gt; సరఫరాదారు రకం
 DocType: Leave Allocation,Leave Period,కాలం వదిలివేయండి
 DocType: Item,Default Material Request Type,డిఫాల్ట్ మెటీరియల్ అభ్యర్థన రకం
 DocType: Supplier Scorecard,Evaluation Period,మూల్యాంకనం కాలం
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,తెలియని
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,వర్క్ ఆర్డర్ సృష్టించబడలేదు
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,వర్క్ ఆర్డర్ సృష్టించబడలేదు
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",{0} ఇప్పటికే {{1} భాగం కొరకు దావా వేసిన మొత్తం పరిమాణం {2}
 DocType: Shipping Rule,Shipping Rule Conditions,షిప్పింగ్ రూల్ పరిస్థితులు
@@ -5080,15 +5145,15 @@
 DocType: Batch,Source Document Name,మూల డాక్యుమెంట్ పేరు
 DocType: Production Plan,Get Raw Materials For Production,ఉత్పత్తికి ముడిపదార్థాలను పొందండి
 DocType: Job Opening,Job Title,ఉద్యోగ శీర్షిక
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} {1} ఉల్లేఖనాన్ని అందించదు అని సూచిస్తుంది, కానీ అన్ని అంశాలు \ కోట్ చెయ్యబడ్డాయి. RFQ కోట్ స్థితిని నవీకరిస్తోంది."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,గరిష్ట నమూనాలు - {0} బ్యాచ్ {1} మరియు బ్యాచ్ {3} లో అంశం {2} కోసం ఇప్పటికే ఉంచబడ్డాయి.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,గరిష్ట నమూనాలు - {0} బ్యాచ్ {1} మరియు బ్యాచ్ {3} లో అంశం {2} కోసం ఇప్పటికే ఉంచబడ్డాయి.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,స్వయంచాలకంగా నవీకరించండి BOM ఖర్చు
 DocType: Lab Test,Test Name,పరీక్ష పేరు
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,క్లినికల్ ప్రొసీజర్ కన్సుమబుల్ అంశం
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,యూజర్లను సృష్టించండి
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,గ్రామ
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,చందాలు
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,చందాలు
 DocType: Supplier Scorecard,Per Month,ఒక నెలకి
 DocType: Education Settings,Make Academic Term Mandatory,అకాడెమిక్ టర్మ్ తప్పనిసరి చేయండి
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,తయారీకి పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి.
@@ -5097,10 +5162,10 @@
 DocType: Stock Entry,Update Rate and Availability,నవీకరణ రేటు మరియు అందుబాటు
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,శాతం మీరు అందుకుంటారు లేదా ఆదేశించింది పరిమాణం వ్యతిరేకంగా మరింత బట్వాడా అనుమతించబడతాయి. ఉదాహరణకు: మీరు 100 యూనిట్ల పురమాయించారు ఉంటే. మరియు మీ భత్యం అప్పుడు మీరు 110 యూనిట్ల అందుకోవడానికి అనుమతించబడతాయి 10% ఉంది.
 DocType: Loyalty Program,Customer Group,కస్టమర్ గ్రూప్
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,రో # {0}: పని ఆర్డర్ # {3} లో పూర్తయిన వస్తువుల {2} qty కోసం ఆపరేషన్ {1} పూర్తయింది. దయచేసి సమయం లాగ్ల ద్వారా ఆపరేషన్ స్థితిని నవీకరించండి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,రో # {0}: పని ఆర్డర్ # {3} లో పూర్తయిన వస్తువుల {2} qty కోసం ఆపరేషన్ {1} పూర్తయింది. దయచేసి సమయం లాగ్ల ద్వారా ఆపరేషన్ స్థితిని నవీకరించండి
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),న్యూ బ్యాచ్ ID (ఆప్షనల్)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),న్యూ బ్యాచ్ ID (ఆప్షనల్)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},ఖర్చు ఖాతా అంశం తప్పనిసరి {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},ఖర్చు ఖాతా అంశం తప్పనిసరి {0}
 DocType: BOM,Website Description,వెబ్సైట్ వివరణ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ఈక్విటీ నికర మార్పు
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,మొదటి కొనుగోలు వాయిస్ {0} రద్దు చేయండి
@@ -5115,7 +5180,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,సవరించడానికి ఉంది ఏమీ.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,ఫారమ్ వీక్షణ
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,వ్యయాల దావాలో వ్యయం అప్రోవర్మెంట్ తప్పనిసరి
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,ఈ నెల పెండింగ్ కార్యకలాపాలకు సారాంశం
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,ఈ నెల పెండింగ్ కార్యకలాపాలకు సారాంశం
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},దయచేసి కంపెనీలో అన్రియల్డ్ ఎక్స్చేంజ్ గెయిన్ / లాస్ అకౌంటు {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",మిమ్మల్ని కాకుండా మీ సంస్థకు వినియోగదారులను జోడించండి.
 DocType: Customer Group,Customer Group Name,కస్టమర్ గ్రూప్ పేరు
@@ -5125,14 +5190,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,విషయం అభ్యర్థన సృష్టించబడలేదు
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},రుణ మొత్తం గరిష్ట రుణ మొత్తం మించకూడదు {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,లైసెన్సు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},సి ఫారం నుండి ఈ వాయిస్ {0} తొలగించడానికి దయచేసి {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},సి ఫారం నుండి ఈ వాయిస్ {0} తొలగించడానికి దయచేసి {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,మీరు కూడా గత ఆర్థిక సంవత్సరం సంతులనం ఈ ఆర్థిక సంవత్సరం ఆకులు ఉన్నాయి అనుకుంటే కుంటున్న దయచేసి ఎంచుకోండి
 DocType: GL Entry,Against Voucher Type,ఓచర్ పద్ధతి వ్యతిరేకంగా
 DocType: Healthcare Practitioner,Phone (R),ఫోన్ (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,సమయ విభాగాలు జోడించబడ్డాయి
 DocType: Item,Attributes,గుణాలు
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,టెంప్లేట్ ప్రారంభించు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,ఖాతా ఆఫ్ వ్రాయండి నమోదు చేయండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,ఖాతా ఆఫ్ వ్రాయండి నమోదు చేయండి
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,చివరి ఆర్డర్ తేదీ
 DocType: Salary Component,Is Payable,చెల్లించవలసినది
 DocType: Inpatient Record,B Negative,బి నెగటివ్
@@ -5143,7 +5208,7 @@
 DocType: Hotel Room,Hotel Room,హోటల్ గది
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},ఖాతా {0} చేస్తుంది కంపెనీ చెందినవి కాదు {1}
 DocType: Leave Type,Rounding,చుట్టుముట్టే
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,వరుసగా {0} లో సీరియల్ సంఖ్యలు డెలివరీ గమనిక సరిపోలడం లేదు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,వరుసగా {0} లో సీరియల్ సంఖ్యలు డెలివరీ గమనిక సరిపోలడం లేదు
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),డిస్పెన్సెడ్ మొత్తం (ప్రో-రేటెడ్)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","అప్పుడు ధర నిబంధనలు కస్టమర్, కస్టమర్ గ్రూప్, భూభాగం, సరఫరాదారు, సరఫరాదారు సమూహం, ప్రచారం, సేల్స్ భాగస్వామి మొదలైనవి ఆధారంగా ఫిల్టర్ చేయబడతాయి."
 DocType: Student,Guardian Details,గార్డియన్ వివరాలు
@@ -5152,10 +5217,10 @@
 DocType: Vehicle,Chassis No,చట్రపు లేవు
 DocType: Payment Request,Initiated,ప్రారంభించిన
 DocType: Production Plan Item,Planned Start Date,ప్రణాళిక ప్రారంభ తేదీ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,దయచేసి BOM ను ఎంచుకోండి
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,దయచేసి BOM ను ఎంచుకోండి
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC ఇంటిగ్రేటెడ్ టాక్స్ను ఉపయోగించింది
 DocType: Purchase Order Item,Blanket Order Rate,బ్లాంకెట్ ఆర్డర్ రేట్
-apps/erpnext/erpnext/hooks.py +156,Certification,సర్టిఫికేషన్
+apps/erpnext/erpnext/hooks.py +157,Certification,సర్టిఫికేషన్
 DocType: Bank Guarantee,Clauses and Conditions,క్లాజులు మరియు షరతులు
 DocType: Serial No,Creation Document Type,సృష్టి డాక్యుమెంట్ టైప్
 DocType: Project Task,View Timesheet,టైమ్ షీట్ చూడండి
@@ -5180,6 +5245,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,మాతృ అంశం {0} స్టాక్ అంశం ఉండకూడదు
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,వెబ్సైట్ లిస్టింగ్
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,అన్ని ఉత్పత్తులు లేదా సేవలు.
+DocType: Email Digest,Open Quotations,ఉల్లేఖనాలు తెరువు
 DocType: Expense Claim,More Details,మరిన్ని వివరాలు
 DocType: Supplier Quotation,Supplier Address,సరఫరాదారు చిరునామా
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ఖాతా కోసం బడ్జెట్ {1} వ్యతిరేకంగా {2} {3} ఉంది {4}. ఇది మించి {5}
@@ -5194,12 +5260,11 @@
 DocType: Training Event,Exam,పరీక్షా
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,మార్కెట్ లోపం
 DocType: Complaint,Complaint,ఫిర్యాదు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},వేర్హౌస్ స్టాక్ అంశం అవసరం {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},వేర్హౌస్ స్టాక్ అంశం అవసరం {0}
 DocType: Leave Allocation,Unused leaves,ఉపయోగించని ఆకులు
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,తిరిగి చెల్లించు ఎంట్రీ చేయండి
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,అన్ని విభాగాలు
 DocType: Healthcare Service Unit,Vacant,ఖాళీగా
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,సరఫరాదారు&gt; సరఫరాదారు రకం
 DocType: Patient,Alcohol Past Use,ఆల్కహాల్ పాస్ట్ యూజ్
 DocType: Fertilizer Content,Fertilizer Content,ఎరువులు కంటెంట్
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5207,7 +5272,7 @@
 DocType: Tax Rule,Billing State,బిల్లింగ్ రాష్ట్రం
 DocType: Share Transfer,Transfer,ట్రాన్స్ఫర్
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,ఈ సేల్స్ ఆర్డర్ను రద్దు చేయడానికి ముందు కార్య క్రమం {0} రద్దు చేయాలి
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(ఉప అసెంబ్లీలను సహా) పేలింది BOM పొందు
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(ఉప అసెంబ్లీలను సహా) పేలింది BOM పొందు
 DocType: Authorization Rule,Applicable To (Employee),వర్తించదగిన (ఉద్యోగి)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,గడువు తేదీ తప్పనిసరి
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,గుణానికి పెంపు {0} 0 ఉండకూడదు
@@ -5223,7 +5288,7 @@
 DocType: Disease,Treatment Period,చికిత్స కాలం
 DocType: Travel Itinerary,Travel Itinerary,ట్రావెల్ ఇటినెరరీ
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,ఇప్పటికే సమర్పించిన ఫలితం
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,రిజర్డ్ వేర్హౌస్ సరఫరా చేయబడిన వస్తువులలో అంశం {0} తప్పనిసరి
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,రిజర్డ్ వేర్హౌస్ సరఫరా చేయబడిన వస్తువులలో అంశం {0} తప్పనిసరి
 ,Inactive Customers,క్రియారహిత వినియోగదారుడు
 DocType: Student Admission Program,Maximum Age,గరిష్ఠ వయసు
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,దయచేసి రిమైండర్కు తిరిగి రావడానికి 3 రోజులు వేచి ఉండండి.
@@ -5232,7 +5297,6 @@
 DocType: Stock Entry,Delivery Note No,డెలివరీ గమనిక లేవు
 DocType: Cheque Print Template,Message to show,చూపించడానికి సందేశాన్ని
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,రిటైల్
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,స్వయంచాలకంగా అపాయింట్మెంట్ ఇన్వాయిస్ను నిర్వహించండి
 DocType: Student Attendance,Absent,ఆబ్సెంట్
 DocType: Staffing Plan,Staffing Plan Detail,సిబ్బంది ప్రణాళిక వివరాలు
 DocType: Employee Promotion,Promotion Date,ప్రమోషన్ తేదీ
@@ -5254,7 +5318,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,లీడ్ చేయండి
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,ముద్రణ మరియు స్టేషనరీ
 DocType: Stock Settings,Show Barcode Field,షో బార్కోడ్ ఫీల్డ్
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,సరఫరాదారు ఇమెయిల్స్ పంపడం
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,సరఫరాదారు ఇమెయిల్స్ పంపడం
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","జీతం ఇప్పటికే మధ్య {0} మరియు {1}, అప్లికేషన్ కాలం వదిలి ఈ తేదీ పరిధి మధ్య ఉండకూడదు కాలానికి ప్రాసెస్."
 DocType: Fiscal Year,Auto Created,ఆటో సృష్టించబడింది
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,ఉద్యోగుల రికార్డును రూపొందించడానికి దీన్ని సమర్పించండి
@@ -5263,7 +5327,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,వాయిస్ {0} ఇకపై లేదు
 DocType: Guardian Interest,Guardian Interest,గార్డియన్ వడ్డీ
 DocType: Volunteer,Availability,లభ్యత
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS ఇన్వాయిస్లు కోసం డిఫాల్ట్ విలువలను సెటప్ చేయండి
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS ఇన్వాయిస్లు కోసం డిఫాల్ట్ విలువలను సెటప్ చేయండి
 apps/erpnext/erpnext/config/hr.py +248,Training,శిక్షణ
 DocType: Project,Time to send,పంపవలసిన సమయం
 DocType: Timesheet,Employee Detail,ఉద్యోగి వివరాలు
@@ -5286,7 +5350,7 @@
 DocType: Training Event Employee,Optional,ఐచ్ఛికము
 DocType: Salary Slip,Earning & Deduction,ఎర్నింగ్ &amp; తీసివేత
 DocType: Agriculture Analysis Criteria,Water Analysis,నీటి విశ్లేషణ
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} వైవిధ్యాలు సృష్టించబడ్డాయి.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} వైవిధ్యాలు సృష్టించబడ్డాయి.
 DocType: Amazon MWS Settings,Region,ప్రాంతం
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ఐచ్ఛికము. ఈ సెట్టింగ్ వివిధ లావాదేవీలలో ఫిల్టర్ ఉపయోగించబడుతుంది.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,ప్రతికూల వాల్యువేషన్ రేటు అనుమతి లేదు
@@ -5305,7 +5369,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,చిత్తు ఆస్తి యొక్క ధర
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: కాస్ట్ సెంటర్ అంశం తప్పనిసరి {2}
 DocType: Vehicle,Policy No,విధానం లేవు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,ఉత్పత్తి కట్ట నుండి అంశాలు పొందండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,ఉత్పత్తి కట్ట నుండి అంశాలు పొందండి
 DocType: Asset,Straight Line,సరళ రేఖ
 DocType: Project User,Project User,ప్రాజెక్ట్ యూజర్
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,స్ప్లిట్
@@ -5314,7 +5378,7 @@
 DocType: GL Entry,Is Advance,అడ్వాన్స్ ఉంది
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,ఉద్యోగి లైఫ్సైకిల్
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,తేదీ తేదీ మరియు హాజరును హాజరు తప్పనిసరి
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"అవును లేదా సంఖ్య వంటి &#39;బహుకరించింది, మరలా ఉంది&#39; నమోదు చేయండి"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"అవును లేదా సంఖ్య వంటి &#39;బహుకరించింది, మరలా ఉంది&#39; నమోదు చేయండి"
 DocType: Item,Default Purchase Unit of Measure,కొలత యొక్క డిఫాల్ట్ కొనుగోలు యూనిట్
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,చివరి కమ్యూనికేషన్ తేదీ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,చివరి కమ్యూనికేషన్ తేదీ
@@ -5324,7 +5388,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,యాక్సెస్ టోకెన్ లేదా Shopify URL లేదు
 DocType: Location,Latitude,అక్షాంశం
 DocType: Work Order,Scrap Warehouse,స్క్రాప్ వేర్హౌస్
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","రౌ సంఖ్య {0} వద్ద వేర్హౌస్ అవసరం, దయచేసి సంస్థ {2} కోసం వస్తువు {1} కోసం డిఫాల్ట్ గిడ్డంగిని సెట్ చేయండి"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","రౌ సంఖ్య {0} వద్ద వేర్హౌస్ అవసరం, దయచేసి సంస్థ {2} కోసం వస్తువు {1} కోసం డిఫాల్ట్ గిడ్డంగిని సెట్ చేయండి"
 DocType: Work Order,Check if material transfer entry is not required,పదార్థం బదిలీ ఎంట్రీ అవసరం లేదు ఉంటే తనిఖీ
 DocType: Work Order,Check if material transfer entry is not required,పదార్థం బదిలీ ఎంట్రీ అవసరం లేదు ఉంటే తనిఖీ
 DocType: Program Enrollment Tool,Get Students From,నుండి స్టూడెంట్స్ పొందండి
@@ -5341,6 +5405,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,న్యూ బ్యాచ్ ప్యాక్ చేసిన అంశాల
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,దుస్తులు &amp; ఉపకరణాలు
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,వెయిటెడ్ స్కోర్ ఫంక్షన్ పరిష్కరించలేము. సూత్రం చెల్లుబాటు అవుతుందని నిర్ధారించుకోండి.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,కొనుగోలు ఆర్డర్ అంశాలు సమయం పొందలేదు
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,ఆర్డర్ సంఖ్య
 DocType: Item Group,HTML / Banner that will show on the top of product list.,ఉత్పత్తి జాబితా పైన కనిపిస్తాయి ఆ HTML / బ్యానర్.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,షిప్పింగ్ మొత్తం లెక్కించేందుకు పరిస్థితులు పేర్కొనండి
@@ -5349,9 +5414,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,మార్గం
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,ఇది పిల్లల నోడ్స్ కలిగి లెడ్జర్ కాస్ట్ సెంటర్ మార్చేందుకు కాదు
 DocType: Production Plan,Total Planned Qty,మొత్తం ప్రణాళికాబద్ధమైన Qty
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,ఓపెనింగ్ విలువ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,ఓపెనింగ్ విలువ
 DocType: Salary Component,Formula,ఫార్ములా
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,సీరియల్ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,సీరియల్ #
 DocType: Lab Test Template,Lab Test Template,ల్యాబ్ టెస్ట్ మూస
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,సేల్స్ ఖాతా
 DocType: Purchase Invoice Item,Total Weight,మొత్తం బరువు
@@ -5369,7 +5434,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,మెటీరియల్ అభ్యర్థన చేయడానికి
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ఓపెన్ అంశం {0}
 DocType: Asset Finance Book,Written Down Value,వ్రాయబడిన విలువ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,దయచేసి మానవ వనరులో HR ఉద్యోగ నామకరణ వ్యవస్థ సెటప్ చేయండి&gt; హెచ్ఆర్ సెట్టింగులు
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ఈ అమ్మకాల ఆర్డర్ రద్దు ముందు వాయిస్ {0} రద్దు చేయాలి సేల్స్
 DocType: Clinical Procedure,Age,వయసు
 DocType: Sales Invoice Timesheet,Billing Amount,బిల్లింగ్ మొత్తం
@@ -5378,11 +5442,11 @@
 DocType: Company,Default Employee Advance Account,డిఫాల్ట్ ఉద్యోగుల అడ్వాన్స్ ఖాతా
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),శోధన అంశం (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,ఇప్పటికే లావాదేవీతో ఖాతా తొలగించడం సాధ్యం కాదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,ఇప్పటికే లావాదేవీతో ఖాతా తొలగించడం సాధ్యం కాదు
 DocType: Vehicle,Last Carbon Check,చివరి కార్బన్ పరిశీలించడం
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,లీగల్ ఖర్చులు
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,దయచేసి వరుసగా న పరిమాణం ఎంచుకోండి
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,ప్రారంభ అమ్మకాలు మరియు కొనుగోలు రసీదులు చేయండి
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,ప్రారంభ అమ్మకాలు మరియు కొనుగోలు రసీదులు చేయండి
 DocType: Purchase Invoice,Posting Time,పోస్టింగ్ సమయం
 DocType: Timesheet,% Amount Billed,% మొత్తం కస్టమర్లకు
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,టెలిఫోన్ ఖర్చులు
@@ -5397,14 +5461,14 @@
 DocType: Maintenance Visit,Breakdown,విభజన
 DocType: Travel Itinerary,Vegetarian,శాఖాహారం
 DocType: Patient Encounter,Encounter Date,ఎన్కౌంటర్ డేట్
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,ఖాతా: {0} కరెన్సీతో: {1} ఎంపిక సాధ్యం కాదు
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,ఖాతా: {0} కరెన్సీతో: {1} ఎంపిక సాధ్యం కాదు
 DocType: Bank Statement Transaction Settings Item,Bank Data,బ్యాంక్ డేటా
 DocType: Purchase Receipt Item,Sample Quantity,నమూనా పరిమాణం
 DocType: Bank Guarantee,Name of Beneficiary,లబ్ధిదారు పేరు
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",తాజా వాల్యుయేషన్ రేట్ / ధర జాబితా రేటు / ముడి పదార్థాల చివరి కొనుగోలు రేట్ ఆధారంగా షెడ్యూలర్ ద్వారా స్వయంచాలకంగా BOM ధరని నవీకరించండి.
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,ప్రిపే తేదీ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},ఖాతా {0}: మాతృ ఖాతా {1} సంస్థ చెందదు: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},ఖాతా {0}: మాతృ ఖాతా {1} సంస్థ చెందదు: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,విజయవంతంగా ఈ కంపెనీకి సంబంధించిన అన్ని లావాదేవీలు తొలగించబడింది!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,తేదీ నాటికి
 DocType: Additional Salary,HR,ఆర్
@@ -5412,7 +5476,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,పేషెంట్ SMS హెచ్చరికలు
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,పరిశీలన
 DocType: Program Enrollment Tool,New Academic Year,కొత్త విద్యా సంవత్సరం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,రిటర్న్ / క్రెడిట్ గమనిక
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,రిటర్న్ / క్రెడిట్ గమనిక
 DocType: Stock Settings,Auto insert Price List rate if missing,ఆటో చొప్పించు ధర జాబితా రేటు లేదు ఉంటే
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,మొత్తం చెల్లించిన మొత్తాన్ని
 DocType: GST Settings,B2C Limit,B2C పరిమితి
@@ -5430,10 +5494,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,చైల్డ్ నోడ్స్ మాత్రమే &#39;గ్రూప్&#39; రకం నోడ్స్ క్రింద రూపొందించినవారు చేయవచ్చు
 DocType: Attendance Request,Half Day Date,హాఫ్ డే తేదీ
 DocType: Academic Year,Academic Year Name,విద్యా సంవత్సరం పేరు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} తో లావాదేవీ చేయడానికి అనుమతించబడదు. దయచేసి కంపెనీని మార్చండి.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} తో లావాదేవీ చేయడానికి అనుమతించబడదు. దయచేసి కంపెనీని మార్చండి.
 DocType: Sales Partner,Contact Desc,సంప్రదించండి desc
 DocType: Email Digest,Send regular summary reports via Email.,ఇమెయిల్ ద్వారా సాధారణ సారాంశం నివేదికలు పంపండి.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},ఖర్చుల దావా రకం లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},ఖర్చుల దావా రకం లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,అందుబాటులో ఉన్న ఆకులు
 DocType: Assessment Result,Student Name,విద్యార్థి పేరు
 DocType: Hub Tracked Item,Item Manager,అంశం మేనేజర్
@@ -5458,9 +5522,10 @@
 DocType: Subscription,Trial Period End Date,ట్రయల్ గడువు ముగింపు తేదీ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} పరిమితులు మించిపోయింది నుండి authroized లేదు
 DocType: Serial No,Asset Status,ఆస్తి స్థితి
+DocType: Delivery Note,Over Dimensional Cargo (ODC),ఓవర్ డైమెన్షనల్ కార్గో (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,రెస్టారెంట్ టేబుల్
 DocType: Hotel Room,Hotel Manager,హోటల్ మేనేజర్
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,షాపింగ్ కార్ట్ సెట్ పన్ను రూల్
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,షాపింగ్ కార్ట్ సెట్ పన్ను రూల్
 DocType: Purchase Invoice,Taxes and Charges Added,పన్నులు మరియు ఆరోపణలు చేర్చబడింది
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,తరుగుదల వరుస {0}: అప్రస్తుత తేదీ అందుబాటులో ఉండకపోవటానికి ముందు తేదీ ఉండకూడదు
 ,Sales Funnel,అమ్మకాల గరాటు
@@ -5476,9 +5541,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,అన్ని కస్టమర్ సమూహాలు
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,పోగుచేసిన మంత్లీ
 DocType: Attendance Request,On Duty,విధి నిర్వహణలో
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు {1} {2} కోసం సృష్టించబడలేదు.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు {1} {2} కోసం సృష్టించబడలేదు.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,పన్ను మూస తప్పనిసరి.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,ఖాతా {0}: మాతృ ఖాతా {1} ఉనికిలో లేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,ఖాతా {0}: మాతృ ఖాతా {1} ఉనికిలో లేదు
 DocType: POS Closing Voucher,Period Start Date,కాలం ప్రారంభ తేదీ
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),ధర జాబితా రేటు (కంపెనీ కరెన్సీ)
 DocType: Products Settings,Products Settings,ఉత్పత్తులు సెట్టింగులు
@@ -5498,7 +5563,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,ఈ చర్య భవిష్యత్ బిల్లింగ్ను ఆపివేస్తుంది. మీరు ఖచ్చితంగా ఈ సభ్యత్వాన్ని రద్దు చేయాలనుకుంటున్నారా?
 DocType: Serial No,Distinct unit of an Item,ఒక అంశం యొక్క విలక్షణ యూనిట్
 DocType: Supplier Scorecard Criteria,Criteria Name,ప్రమాణం పేరు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,కంపెనీ సెట్ దయచేసి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,కంపెనీ సెట్ దయచేసి
 DocType: Procedure Prescription,Procedure Created,విధానము సృష్టించబడింది
 DocType: Pricing Rule,Buying,కొనుగోలు
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,వ్యాధులు మరియు ఎరువులు
@@ -5515,43 +5580,44 @@
 DocType: Employee Onboarding,Job Offer,జాబ్ ఆఫర్
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,ఇన్స్టిట్యూట్ సంక్షిప్తీకరణ
 ,Item-wise Price List Rate,అంశం వారీగా ధర జాబితా రేటు
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,సరఫరాదారు కొటేషన్
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,సరఫరాదారు కొటేషన్
 DocType: Quotation,In Words will be visible once you save the Quotation.,మీరు కొటేషన్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},మొత్తము ({0}) వరుసలో ఒక భిన్నం ఉండకూడదు {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},మొత్తము ({0}) వరుసలో ఒక భిన్నం ఉండకూడదు {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},మొత్తము ({0}) వరుసలో ఒక భిన్నం ఉండకూడదు {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},మొత్తము ({0}) వరుసలో ఒక భిన్నం ఉండకూడదు {1}
 DocType: Contract,Unsigned,సంతకం లేని
 DocType: Selling Settings,Each Transaction,ప్రతి లావాదేవీ
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},బార్కోడ్ {0} ఇప్పటికే అంశం ఉపయోగిస్తారు {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},బార్కోడ్ {0} ఇప్పటికే అంశం ఉపయోగిస్తారు {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,షిప్పింగ్ ఖర్చులు జోడించడం కోసం రూల్స్.
 DocType: Hotel Room,Extra Bed Capacity,అదనపు బెడ్ సామర్థ్యం
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,తెరవడం స్టాక్
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,కస్టమర్ అవసరం
 DocType: Lab Test,Result Date,ఫలితం తేదీ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC తేదీ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC తేదీ
 DocType: Purchase Order,To Receive,అందుకోవడం
 DocType: Leave Period,Holiday List for Optional Leave,ఐచ్ఛిక సెలవు కోసం హాలిడే జాబితా
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,ఆస్తి యజమాని
 DocType: Purchase Invoice,Reason For Putting On Hold,ఉంచడం కోసం కారణం పట్టుకోండి
 DocType: Employee,Personal Email,వ్యక్తిగత ఇమెయిల్
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,మొత్తం మార్పులలో
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,మొత్తం మార్పులలో
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ప్రారంభించబడితే, సిస్టమ్ స్వయంచాలకంగా జాబితా కోసం అకౌంటింగ్ ఎంట్రీలు పోస్ట్ ఉంటుంది."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,బ్రోకరేజ్
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ఉద్యోగుల {0} హాజరు ఇప్పటికే ఈ రోజు గుర్తించబడింది
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ఉద్యోగుల {0} హాజరు ఇప్పటికే ఈ రోజు గుర్తించబడింది
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",మినిట్స్ లో &#39;టైం లోగ్&#39; ద్వారా నవీకరించబడింది
 DocType: Customer,From Lead,లీడ్ నుండి
 DocType: Amazon MWS Settings,Synch Orders,సమకాలీకరణ ఆర్డర్లు
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ఆర్డర్స్ ఉత్పత్తి కోసం విడుదల చేసింది.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,ఫిస్కల్ ఇయర్ ఎంచుకోండి ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS ప్రొఫైల్ POS ఎంట్రీ చేయడానికి అవసరం
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS ప్రొఫైల్ POS ఎంట్రీ చేయడానికి అవసరం
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",విశ్వసనీయ పాయింట్లు పేర్కొన్న సేకరణ కారకం ఆధారంగా (అమ్మకాల వాయిస్ ద్వారా) పూర్తి చేసిన ఖర్చు నుండి లెక్కించబడుతుంది.
 DocType: Program Enrollment Tool,Enroll Students,విద్యార్ధులను నమోదు
 DocType: Company,HRA Settings,HRA సెట్టింగులు
 DocType: Employee Transfer,Transfer Date,బదిలీ తేదీ
 DocType: Lab Test,Approved Date,ఆమోదించబడిన తేదీ
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ప్రామాణిక సెల్లింగ్
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,కనీసం ఒక గిడ్డంగి తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,కనీసం ఒక గిడ్డంగి తప్పనిసరి
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, అంశం సమూహం, వివరణ మరియు సంఖ్యల సంఖ్య వంటి అంశం ఫీల్డ్లను కాన్ఫిగర్ చేయండి."
 DocType: Certification Application,Certification Status,ధృవీకరణ స్థితి
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,మార్కెట్
@@ -5571,6 +5637,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,సరిపోలే ఇన్వాయిస్లు
 DocType: Work Order,Required Items,అవసరమైన అంశాలు
 DocType: Stock Ledger Entry,Stock Value Difference,స్టాక్ విలువ తేడా
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,అంశం వరుస {0}: {1} {2} పైన ఉన్న &#39;{1}&#39; పట్టికలో లేదు
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,మానవ వనరుల
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,చెల్లింపు సయోధ్య చెల్లింపు
 DocType: Disease,Treatment Task,చికిత్స టాస్క్
@@ -5588,7 +5655,8 @@
 DocType: Account,Debit,డెబిట్
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,ఆకులు 0.5 యొక్క గుణిజాలుగా లో కేటాయించింది తప్పక
 DocType: Work Order,Operation Cost,ఆపరేషన్ ఖర్చు
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,అత్యుత్తమ ఆంట్
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,డెసిషన్ మేకర్స్ గుర్తించడం
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,అత్యుత్తమ ఆంట్
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,సెట్ లక్ష్యాలను అంశం గ్రూప్ వారీగా ఈ సేల్స్ పర్సన్ కోసం.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],ఫ్రీజ్ స్టాక్స్ కంటే పాత [డేస్]
 DocType: Payment Request,Payment Ordered,చెల్లింపు ఆర్డర్ చేయబడింది
@@ -5600,14 +5668,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,క్రింది వినియోగదారులకు బ్లాక్ రోజులు లీవ్ అప్లికేషన్స్ ఆమోదించడానికి అనుమతించు.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,జీవితచక్రం
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM ను చేయండి
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},దాని {1} సెల్లింగ్ అంశం కోసం రేటు {0} కంటే తక్కువగా ఉంటుంది. సెల్లింగ్ రేటు ఉండాలి కనీసం {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},దాని {1} సెల్లింగ్ అంశం కోసం రేటు {0} కంటే తక్కువగా ఉంటుంది. సెల్లింగ్ రేటు ఉండాలి కనీసం {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},దాని {1} సెల్లింగ్ అంశం కోసం రేటు {0} కంటే తక్కువగా ఉంటుంది. సెల్లింగ్ రేటు ఉండాలి కనీసం {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},దాని {1} సెల్లింగ్ అంశం కోసం రేటు {0} కంటే తక్కువగా ఉంటుంది. సెల్లింగ్ రేటు ఉండాలి కనీసం {2}
 DocType: Subscription,Taxes,పన్నులు
 DocType: Purchase Invoice,capital goods,మూలధన వస్తువులు
 DocType: Purchase Invoice Item,Weight Per Unit,యూనిట్ ద్వారా బరువు
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,చెల్లింపు మరియు పంపిణీ
-DocType: Project,Default Cost Center,డిఫాల్ట్ ఖర్చు సెంటర్
-DocType: Delivery Note,Transporter Doc No,ట్రాన్స్పోర్టర్ డాక్ నెం
+DocType: QuickBooks Migrator,Default Cost Center,డిఫాల్ట్ ఖర్చు సెంటర్
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,స్టాక్ లావాదేవీలు
 DocType: Budget,Budget Accounts,బడ్జెట్ అకౌంట్స్
 DocType: Employee,Internal Work History,అంతర్గత వర్క్ చరిత్ర
@@ -5640,7 +5707,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},హెల్త్ ప్రాక్టీషనర్ {0}
 DocType: Stock Entry Detail,Additional Cost,అదనపు ఖర్చు
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","ఓచర్ లేవు ఆధారంగా వడపోత కాదు, ఓచర్ ద్వారా సమూహం ఉంటే"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,సరఫరాదారు కొటేషన్ చేయండి
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,సరఫరాదారు కొటేషన్ చేయండి
 DocType: Quality Inspection,Incoming,ఇన్కమింగ్
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,అమ్మకాలు మరియు కొనుగోలు కోసం డిఫాల్ట్ పన్ను టెంప్లేట్లు సృష్టించబడతాయి.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,అసెస్మెంట్ ఫలితం రికార్డు {0} ఇప్పటికే ఉంది.
@@ -5656,7 +5723,7 @@
 DocType: Batch,Batch ID,బ్యాచ్ ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},గమనిక: {0}
 ,Delivery Note Trends,డెలివరీ గమనిక ట్రెండ్లులో
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,ఈ వారపు సారాంశం
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,ఈ వారపు సారాంశం
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల లో
 ,Daily Work Summary Replies,డైలీ వర్క్ సారాంశం ప్రత్యుత్తరాలు
 DocType: Delivery Trip,Calculate Estimated Arrival Times,అంచనావేయబడిన రాకపోకల టైములను లెక్కించండి
@@ -5666,7 +5733,7 @@
 DocType: Bank Account,Party,పార్టీ
 DocType: Healthcare Settings,Patient Name,పేషంట్ పేరు
 DocType: Variant Field,Variant Field,వేరియంట్ ఫీల్డ్
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,టార్గెట్ స్థానం
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,టార్గెట్ స్థానం
 DocType: Sales Order,Delivery Date,డెలివరీ తేదీ
 DocType: Opportunity,Opportunity Date,అవకాశం తేదీ
 DocType: Employee,Health Insurance Provider,ఆరోగ్య బీమా ప్రొవైడర్
@@ -5685,7 +5752,7 @@
 DocType: Employee,History In Company,కంపెనీ చరిత్ర
 DocType: Customer,Customer Primary Address,కస్టమర్ ప్రాథమిక చిరునామా
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,వార్తాలేఖలు
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,సూచి సంఖ్య.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,సూచి సంఖ్య.
 DocType: Drug Prescription,Description/Strength,వివరణ / శక్తి
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,కొత్త చెల్లింపు / జర్నల్ ఎంట్రీని సృష్టించండి
 DocType: Certification Application,Certification Application,సర్టిఫికేషన్ అప్లికేషన్
@@ -5696,10 +5763,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,అదే అంశం అనేకసార్లు నమోదయ్యేలా
 DocType: Department,Leave Block List,బ్లాక్ జాబితా వదిలి
 DocType: Purchase Invoice,Tax ID,పన్ను ID
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} అంశం సీరియల్ నాస్ కొరకు సెటప్ కాదు. కాలమ్ ఖాళీగా ఉండాలి
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} అంశం సీరియల్ నాస్ కొరకు సెటప్ కాదు. కాలమ్ ఖాళీగా ఉండాలి
 DocType: Accounts Settings,Accounts Settings,సెట్టింగులు అకౌంట్స్
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,ఆమోదించడానికి
 DocType: Loyalty Program,Customer Territory,కస్టమర్ భూభాగం
+DocType: Email Digest,Sales Orders to Deliver,సేల్స్ ఆర్డర్స్ డెలివర్
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","క్రొత్త ఖాతా యొక్క సంఖ్య, ఇది ఖాతా పేరులో ఉపసర్గంగా చేర్చబడుతుంది"
 DocType: Maintenance Team Member,Team Member,జట్టు సభ్యుడు
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,సమర్పించవలసిన ఫలితం లేదు
@@ -5709,7 +5777,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","మొత్తం {0} అన్ని అంశాలను, సున్నా మీరు &#39;ఆధారంగా ఛార్జీలు పంపిణీ&#39; మార్చాలి ఉండవచ్చు"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,ఇప్పటి వరకు తేదీ నుండి కన్నా తక్కువ ఉండకూడదు
 DocType: Opportunity,To Discuss,చర్చించడానికి
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,ఇది ఈ సబ్స్క్రయిబర్కు వ్యతిరేకంగా లావాదేవీలపై ఆధారపడి ఉంటుంది. వివరాలు కోసం కాలక్రమం క్రింద చూడండి
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} యొక్క యూనిట్లలో {1} {2} ఈ లావాదేవీని పూర్తి చేయడానికి అవసరమవుతారు.
 DocType: Loan Type,Rate of Interest (%) Yearly,ఆసక్తి రేటు (%) సుడి
 DocType: Support Settings,Forum URL,ఫోరం URL
@@ -5723,7 +5790,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,ఇంకా నేర్చుకో
 DocType: Cheque Print Template,Distance from top edge,టాప్ అంచు నుండి దూరం
 DocType: POS Closing Voucher Invoices,Quantity of Items,వస్తువుల పరిమాణం
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,ధర జాబితా {0} నిలిపివేస్తే లేదా ఉనికిలో లేదు
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,ధర జాబితా {0} నిలిపివేస్తే లేదా ఉనికిలో లేదు
 DocType: Purchase Invoice,Return,రిటర్న్
 DocType: Pricing Rule,Disable,ఆపివేయి
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,చెల్లింపు విధానం ఒక చెల్లింపు చేయడానికి అవసరం
@@ -5731,18 +5798,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","ఆస్తులు, వరుస సంఖ్య, బ్యాచ్లు మొదలైన మరిన్ని ఎంపికలు కోసం పూర్తి పేజీలో సవరించండి."
 DocType: Leave Type,Maximum Continuous Days Applicable,గరిష్ట నిరంతర డేస్ వర్తించదగినది
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} బ్యాచ్ చేరాడు లేదు {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",అది ఇప్పటికే ఉంది ఆస్తుల {0} బహిష్కరించాలని కాదు {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",అది ఇప్పటికే ఉంది ఆస్తుల {0} బహిష్కరించాలని కాదు {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,చెక్కులు అవసరం
 DocType: Task,Total Expense Claim (via Expense Claim),(ఖర్చు చెప్పడం ద్వారా) మొత్తం ఖర్చు చెప్పడం
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,మార్క్ కరువవడంతో
 DocType: Job Applicant Source,Job Applicant Source,ఉద్యోగం అభ్యర్థి మూల
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST మొత్తం
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST మొత్తం
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,సంస్థ సెటప్ చేయడంలో విఫలమైంది
 DocType: Asset Repair,Asset Repair,ఆస్తి మరమ్మతు
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},రో {0}: పాఠశాల బిఒఎం # కరెన్సీ {1} ఎంపిక కరెన్సీ సమానంగా ఉండాలి {2}
 DocType: Journal Entry Account,Exchange Rate,ఎక్స్చేంజ్ రేట్
 DocType: Patient,Additional information regarding the patient,రోగి గురించి అదనపు సమాచారం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,అమ్మకాల ఆర్డర్ {0} సమర్పించిన లేదు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,అమ్మకాల ఆర్డర్ {0} సమర్పించిన లేదు
 DocType: Homepage,Tag Line,ట్యాగ్ లైన్
 DocType: Fee Component,Fee Component,ఫీజు భాగం
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,ఫ్లీట్ మేనేజ్మెంట్
@@ -5757,7 +5824,7 @@
 DocType: Healthcare Practitioner,Mobile,మొబైల్
 ,Sales Person-wise Transaction Summary,సేల్స్ పర్సన్ వారీగా లావాదేవీ సారాంశం
 DocType: Training Event,Contact Number,సంప్రదించండి సంఖ్య
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,వేర్హౌస్ {0} ఉనికిలో లేదు
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,వేర్హౌస్ {0} ఉనికిలో లేదు
 DocType: Cashier Closing,Custody,కస్టడీ
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ఉద్యోగి పన్ను మినహాయింపు ప్రూఫ్ సమర్పణ వివరాలు
 DocType: Monthly Distribution,Monthly Distribution Percentages,మంత్లీ పంపిణీ శాతములు
@@ -5772,7 +5839,7 @@
 DocType: Payment Entry,Paid Amount,మొత్తం చెల్లించారు
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,సేల్స్ సైకిల్ విశ్లేషించండి
 DocType: Assessment Plan,Supervisor,సూపర్వైజర్
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,నిలుపుదల స్టాక్ ఎంట్రీ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,నిలుపుదల స్టాక్ ఎంట్రీ
 ,Available Stock for Packing Items,ప్యాకింగ్ అంశాలను అందుబాటులో స్టాక్
 DocType: Item Variant,Item Variant,అంశం వేరియంట్
 ,Work Order Stock Report,వర్క్ ఆర్డర్ స్టాక్ రిపోర్ట్
@@ -5781,9 +5848,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,సూపర్వైజర్గా
 DocType: Leave Policy Detail,Leave Policy Detail,విధాన వివరాలను వెల్లడించండి
 DocType: BOM Scrap Item,BOM Scrap Item,బిఒఎం స్క్రాప్ అంశం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,సమర్పించిన ఆర్డర్లను తొలగించలేరని
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ఇప్పటికే డెబిట్ ఖాతా సంతులనం, మీరు &#39;క్రెడిట్&#39; గా &#39;సంతులనం ఉండాలి&#39; సెట్ అనుమతి లేదు"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,క్వాలిటీ మేనేజ్మెంట్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,సమర్పించిన ఆర్డర్లను తొలగించలేరని
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ఇప్పటికే డెబిట్ ఖాతా సంతులనం, మీరు &#39;క్రెడిట్&#39; గా &#39;సంతులనం ఉండాలి&#39; సెట్ అనుమతి లేదు"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,క్వాలిటీ మేనేజ్మెంట్
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,అంశం {0} ఆపివేయబడింది
 DocType: Project,Total Billable Amount (via Timesheets),మొత్తం బిల్లబుల్ మొత్తం (టైమ్ షీట్లు ద్వారా)
 DocType: Agriculture Task,Previous Business Day,మునుపటి బిజినెస్ డే
@@ -5806,15 +5873,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,ఖర్చు కేంద్రాలు
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,చందాను పునఃప్రారంభించండి
 DocType: Linked Plant Analysis,Linked Plant Analysis,లింక్ చేయబడిన ప్లాంట్ విశ్లేషణ
-DocType: Delivery Note,Transporter ID,ట్రాన్స్పోర్టర్ ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ట్రాన్స్పోర్టర్ ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,విలువ ప్రతిపాదన
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ఇది సరఫరాదారు యొక్క కరెన్సీ రేటుపై కంపెనీ బేస్ కరెన్సీ మార్చబడుతుంది
-DocType: Sales Invoice Item,Service End Date,సేవా ముగింపు తేదీ
+DocType: Purchase Invoice Item,Service End Date,సేవా ముగింపు తేదీ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},రో # {0}: వరుస టైమింగ్స్ విభేదాలు {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,అనుమతించు జీరో వాల్యువేషన్ రేటు
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,అనుమతించు జీరో వాల్యువేషన్ రేటు
 DocType: Bank Guarantee,Receiving,స్వీకరిస్తోంది
 DocType: Training Event Employee,Invited,ఆహ్వానించారు
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,సెటప్ గేట్వే ఖాతాలు.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,సెటప్ గేట్వే ఖాతాలు.
 DocType: Employee,Employment Type,ఉపాధి రకం
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,స్థిర ఆస్తులు
 DocType: Payment Entry,Set Exchange Gain / Loss,నష్టం సెట్ ఎక్స్చేంజ్ పెరుగుట /
@@ -5830,7 +5898,7 @@
 DocType: Tax Rule,Sales Tax Template,సేల్స్ టాక్స్ మూస
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,బెనిఫిట్ దావాకు వ్యతిరేకంగా చెల్లించండి
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,ధర సెంటర్ సంఖ్యను నవీకరించండి
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి
 DocType: Employee,Encashment Date,ఎన్క్యాష్మెంట్ తేదీ
 DocType: Training Event,Internet,ఇంటర్నెట్
 DocType: Special Test Template,Special Test Template,ప్రత్యేక టెస్ట్ మూస
@@ -5838,13 +5906,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},డిఫాల్ట్ కార్యాచరణ ఖర్చు కార్యాచరణ పద్ధతి ఉంది - {0}
 DocType: Work Order,Planned Operating Cost,ప్రణాళిక నిర్వహణ ఖర్చు
 DocType: Academic Term,Term Start Date,టర్మ్ ప్రారంభ తేదీ
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,అన్ని వాటా లావాదేవీల జాబితా
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,అన్ని వాటా లావాదేవీల జాబితా
+DocType: Supplier,Is Transporter,ట్రాన్స్పోర్టర్
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,చెల్లింపు గుర్తించబడింది ఉంటే Shopify నుండి దిగుమతి సేల్స్ ఇన్వాయిస్
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp కౌంట్
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp కౌంట్
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,ట్రయల్ పీరియడ్ ప్రారంభ తేదీ మరియు ట్రయల్ వ్యవధి ముగింపు తేదీ సెట్ చేయబడాలి
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,సగటు వెల
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,చెల్లింపు షెడ్యూల్లో మొత్తం చెల్లింపు మొత్తం గ్రాండ్ / వృత్తాకార మొత్తంకి సమానంగా ఉండాలి
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,చెల్లింపు షెడ్యూల్లో మొత్తం చెల్లింపు మొత్తం గ్రాండ్ / వృత్తాకార మొత్తంకి సమానంగా ఉండాలి
 DocType: Subscription Plan Detail,Plan,ప్రణాళిక
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,జనరల్ లెడ్జర్ ప్రకారం బ్యాంక్ స్టేట్మెంట్ సంతులనం
 DocType: Job Applicant,Applicant Name,దరఖాస్తుదారు పేరు
@@ -5872,7 +5941,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,మూల వేర్హౌస్ వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల
 apps/erpnext/erpnext/config/support.py +22,Warranty,వారంటీ
 DocType: Purchase Invoice,Debit Note Issued,డెబిట్ గమనిక జారీచేయబడింది
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,బడ్జెట్ అగైన్స్ట్ కాస్ట్ సెంటర్గా ఎంపిక చేయబడితే కేస్ట్ సెంటర్ ఆధారంగా ఫిల్టర్ వర్తిస్తుంది
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,బడ్జెట్ అగైన్స్ట్ కాస్ట్ సెంటర్గా ఎంపిక చేయబడితే కేస్ట్ సెంటర్ ఆధారంగా ఫిల్టర్ వర్తిస్తుంది
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","అంశం కోడ్, క్రమ సంఖ్య, బ్యాచ్ సంఖ్య లేదా బార్కోడ్ ద్వారా శోధించండి"
 DocType: Work Order,Warehouses,గిడ్డంగులు
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} ఆస్తి బదిలీ సాధ్యం కాదు
@@ -5883,9 +5952,9 @@
 DocType: Workstation,per hour,గంటకు
 DocType: Blanket Order,Purchasing,కొనుగోలు
 DocType: Announcement,Announcement,ప్రకటన
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,కస్టమర్ LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,కస్టమర్ LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","బ్యాచ్ ఆధారంగా స్టూడెంట్ గ్రూప్, స్టూడెంట్ బ్యాచ్ ప్రోగ్రామ్ ఎన్రోల్మెంట్ నుండి ప్రతి విద్యార్థి కోసం చెల్లుబాటు అవుతుంది."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,స్టాక్ లెడ్జర్ ఎంట్రీ ఈ గిడ్డంగి కోసం ఉనికిలో గిడ్డంగి తొలగించడం సాధ్యం కాదు.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,స్టాక్ లెడ్జర్ ఎంట్రీ ఈ గిడ్డంగి కోసం ఉనికిలో గిడ్డంగి తొలగించడం సాధ్యం కాదు.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,పంపిణీ
 DocType: Journal Entry Account,Loan,ఋణం
 DocType: Expense Claim Advance,Expense Claim Advance,ఖర్చు చెల్లింపు అడ్వాన్స్
@@ -5894,7 +5963,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,ప్రాజెక్ట్ మేనేజర్
 ,Quoted Item Comparison,ఉల్లేఖించిన అంశం పోలిక
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} మరియు {1} మధ్య స్కోర్లో అతివ్యాప్తి
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,డిస్పాచ్
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,డిస్పాచ్
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,అంశం కోసం మాక్స్ డిస్కౌంట్: {0} {1}% ఉంది
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,నికర ఆస్తుల విలువ గా
 DocType: Crop,Produce,ఉత్పత్తి
@@ -5904,20 +5973,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,తయారీ కోసం మెటీరియల్ వినియోగం
 DocType: Item Alternative,Alternative Item Code,ప్రత్యామ్నాయ అంశం కోడ్
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,సెట్ క్రెడిట్ పరిధులకు మించిన లావాదేవీలు submit అనుమతి పాత్ర.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,తయారీ ఐటెమ్లను ఎంచుకోండి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,తయారీ ఐటెమ్లను ఎంచుకోండి
 DocType: Delivery Stop,Delivery Stop,డెలివరీ ఆపు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది"
 DocType: Item,Material Issue,మెటీరియల్ ఇష్యూ
 DocType: Employee Education,Qualification,అర్హతలు
 DocType: Item Price,Item Price,అంశం ధర
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,సబ్బు &amp; డిటర్జెంట్
 DocType: BOM,Show Items,ఐటెమ్లను చూపించు
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,ఎప్పటికప్పుడు కంటే ఎక్కువ ఉండకూడదు.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,మీరు అన్ని కస్టమర్లకు ఇమెయిల్ ద్వారా తెలియజేయాలనుకుంటున్నారా?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,మీరు అన్ని కస్టమర్లకు ఇమెయిల్ ద్వారా తెలియజేయాలనుకుంటున్నారా?
 DocType: Subscription Plan,Billing Interval,బిల్లింగ్ విరామం
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,మోషన్ పిక్చర్ &amp; వీడియో
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,క్రమ
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,అసలు ప్రారంభ తేదీ మరియు వాస్తవ ముగింపు తేదీ తప్పనిసరి
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,కస్టమర్&gt; కస్టమర్ గ్రూప్&gt; భూభాగం
 DocType: Salary Detail,Component,కాంపోనెంట్
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,అడ్డు వరుస {0}: {1} తప్పనిసరిగా 0 కన్నా ఎక్కువ ఉండాలి
 DocType: Assessment Criteria,Assessment Criteria Group,అంచనా ప్రమాణం గ్రూప్
@@ -5948,11 +6018,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,సమర్పించే ముందు బ్యాంకు లేదా రుణ సంస్థ పేరును నమోదు చేయండి.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} సమర్పించబడాలి
 DocType: POS Profile,Item Groups,అంశం గుంపులు
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,నేడు {0} యొక్క పుట్టినరోజు!
 DocType: Sales Order Item,For Production,ప్రొడక్షన్
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,ఖాతా కరెన్సీలో బ్యాలెన్స్
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,దయచేసి ఖాతాల చార్ట్లో తాత్కాలిక ప్రారంభ ఖాతాని జోడించండి
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,దయచేసి ఖాతాల చార్ట్లో తాత్కాలిక ప్రారంభ ఖాతాని జోడించండి
 DocType: Customer,Customer Primary Contact,కస్టమర్ ప్రాథమిక సంప్రదింపు
 DocType: Project Task,View Task,చూడండి టాస్క్
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / లీడ్%
@@ -5965,11 +6034,11 @@
 DocType: Sales Invoice,Get Advances Received,అడ్వాన్సెస్ స్వీకరించిన గెట్
 DocType: Email Digest,Add/Remove Recipients,గ్రహీతలు జోడించు / తొలగించు
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",డిఫాల్ట్ గా ఈ ఆర్థిక సంవత్సరం సెట్ &#39;డిఫాల్ట్ గా సెట్&#39; పై క్లిక్
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS తీసివేసిన మొత్తం పరిమాణం
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS తీసివేసిన మొత్తం పరిమాణం
 DocType: Production Plan,Include Subcontracted Items,సబ్ కన్ఫ్రెక్టెడ్ ఐటెమ్లను చేర్చండి
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,చేరండి
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,కొరత ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,చేరండి
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,కొరత ప్యాక్ చేసిన అంశాల
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది
 DocType: Loan,Repay from Salary,జీతం నుండి తిరిగి
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},వ్యతిరేకంగా చెల్లింపు అభ్యర్థించడం {0} {1} మొత్తం {2}
 DocType: Additional Salary,Salary Slip,వేతనం స్లిప్
@@ -5985,7 +6054,7 @@
 DocType: Patient,Dormant,నిద్రాణమైన
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,క్లెయిమ్ చేయని ఉద్యోగుల లాభాల కొరకు పన్ను తీసివేయుము
 DocType: Salary Slip,Total Interest Amount,మొత్తం వడ్డీ మొత్తం
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు
 DocType: BOM,Manage cost of operations,కార్యకలాపాల వ్యయాన్ని నిర్వహించండి
 DocType: Accounts Settings,Stale Days,పాత డేస్
 DocType: Travel Itinerary,Arrival Datetime,రాక సమయం
@@ -5997,7 +6066,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,అసెస్మెంట్ ఫలితం వివరాలు
 DocType: Employee Education,Employee Education,Employee ఎడ్యుకేషన్
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,అంశం సమూహం పట్టిక కనిపించే నకిలీ అంశం సమూహం
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరమవుతుంది.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరమవుతుంది.
 DocType: Fertilizer,Fertilizer Name,ఎరువులు పేరు
 DocType: Salary Slip,Net Pay,నికర పే
 DocType: Cash Flow Mapping Accounts,Account,ఖాతా
@@ -6008,14 +6077,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,బెనిఫిట్ దావాకు వ్యతిరేకంగా ప్రత్యేక చెల్లింపు ఎంట్రీని సృష్టించండి
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),జ్వరం ఉండటం (తాత్కాలికంగా&gt; 38.5 ° C / 101.3 ° F లేదా నిరంతర ఉష్ణోగ్రత 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,సేల్స్ టీం వివరాలు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,శాశ్వతంగా తొలగించాలా?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,శాశ్వతంగా తొలగించాలా?
 DocType: Expense Claim,Total Claimed Amount,మొత్తం క్లెయిమ్ చేసిన మొత్తం
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,అమ్మకం కోసం సమర్థవంతమైన అవకాశాలు.
 DocType: Shareholder,Folio no.,ఫోలియో సంఖ్య.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},చెల్లని {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,అనారొగ్యపు సెలవు
 DocType: Email Digest,Email Digest,ఇమెయిల్ డైజెస్ట్
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,కాదు
 DocType: Delivery Note,Billing Address Name,బిల్లింగ్ చిరునామా పేరు
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,డిపార్ట్మెంట్ స్టోర్స్
 ,Item Delivery Date,అంశం డెలివరీ తేదీ
@@ -6031,16 +6099,16 @@
 DocType: Account,Chargeable,విధింపదగిన
 DocType: Company,Change Abbreviation,మార్పు సంక్షిప్తీకరణ
 DocType: Contract,Fulfilment Details,పూర్తి వివరాలు
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},చెల్లించు {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},చెల్లించు {0} {1}
 DocType: Employee Onboarding,Activities,చర్యలు
 DocType: Expense Claim Detail,Expense Date,ఖర్చుల తేదీ
 DocType: Item,No of Months,నెలల సంఖ్య
 DocType: Item,Max Discount (%),మాక్స్ డిస్కౌంట్ (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,క్రెడిట్ డేస్ ప్రతికూల సంఖ్య కాదు
-DocType: Sales Invoice Item,Service Stop Date,సర్వీస్ స్టాప్ తేదీ
+DocType: Purchase Invoice Item,Service Stop Date,సర్వీస్ స్టాప్ తేదీ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,చివరి ఆర్డర్ పరిమాణం
 DocType: Cash Flow Mapper,e.g Adjustments for:,ఉదా కోసం సర్దుబాట్లు:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} బ్యాచ్పై ఆధారపడిన నమూనా నిలుపుకోండి, దయచేసి అంశానికి నమూనాను కలిగి ఉండటానికి బ్యాచ్ నో ను తనిఖీ చేయండి"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} బ్యాచ్పై ఆధారపడిన నమూనా నిలుపుకోండి, దయచేసి అంశానికి నమూనాను కలిగి ఉండటానికి బ్యాచ్ నో ను తనిఖీ చేయండి"
 DocType: Task,Is Milestone,మైల్స్టోన్ ఉంది
 DocType: Certification Application,Yet to appear,ఇంకా కనిపిస్తుంది
 DocType: Delivery Stop,Email Sent To,ఇమెయిల్ పంపబడింది
@@ -6048,16 +6116,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,బ్యాలెన్స్ షీట్ ఖాతా ప్రవేశంలో వ్యయ కేంద్రం అనుమతించు
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,ఇప్పటికే ఉన్న ఖాతాతో విలీనం
 DocType: Budget,Warn,హెచ్చరించు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,ఈ వర్క్ ఆర్డర్ కోసం అన్ని అంశాలు ఇప్పటికే బదిలీ చేయబడ్డాయి.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,ఈ వర్క్ ఆర్డర్ కోసం అన్ని అంశాలు ఇప్పటికే బదిలీ చేయబడ్డాయి.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",ఏ ఇతర స్టర్ రికార్డులలో వెళ్ళాలి అని చెప్పుకోదగిన ప్రయత్నం.
 DocType: Asset Maintenance,Manufacturing User,తయారీ వాడుకరి
 DocType: Purchase Invoice,Raw Materials Supplied,రా మెటీరియల్స్ పంపినవి
 DocType: Subscription Plan,Payment Plan,చెల్లింపు ప్రణాళిక
 DocType: Shopping Cart Settings,Enable purchase of items via the website,వెబ్సైట్ ద్వారా అంశాలను కొనుగోలు చేయడం ప్రారంభించండి
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},ధర జాబితా యొక్క కరెన్సీ {0} {1} లేదా {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,సబ్స్క్రిప్షన్ నిర్వహణ
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,సబ్స్క్రిప్షన్ నిర్వహణ
 DocType: Appraisal,Appraisal Template,అప్రైసల్ మూస
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,కోడ్ పిన్ చేయడానికి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,కోడ్ పిన్ చేయడానికి
 DocType: Soil Texture,Ternary Plot,టెర్నరీ ప్లాట్
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,షెడ్యూల్ ద్వారా షెడ్యూల్ చేయబడిన డైలీ సింక్రొనైజేషన్ రొటీన్ ఎనేబుల్ చెయ్యడానికి దీన్ని తనిఖీ చెయ్యండి
 DocType: Item Group,Item Classification,అంశం వర్గీకరణ
@@ -6067,6 +6135,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,వాయిస్ పేషంట్ రిజిస్ట్రేషన్
 DocType: Crop,Period,కాలం
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,సాధారణ లెడ్జర్
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,ఫిస్కల్ ఇయర్
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,చూడండి దారితీస్తుంది
 DocType: Program Enrollment Tool,New Program,కొత్త ప్రోగ్రామ్
 DocType: Item Attribute Value,Attribute Value,విలువ లక్షణం
@@ -6075,11 +6144,11 @@
 ,Itemwise Recommended Reorder Level,Itemwise క్రమాన్ని స్థాయి సిఫార్సు
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,గ్రేడ్ {1} యొక్క ఉద్యోగి {0} డిఫాల్ట్ లీక్ విధానాన్ని కలిగి లేరు
 DocType: Salary Detail,Salary Detail,జీతం వివరాలు
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,ముందుగా {0} దయచేసి ఎంచుకోండి
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,ముందుగా {0} దయచేసి ఎంచుకోండి
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} వినియోగదారులు జోడించబడ్డారు
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","మల్టీ-టైర్ ప్రోగ్రామ్ విషయంలో, కస్టమర్లు వారి గడువు ప్రకారం, సంబంధిత స్థాయికి కేటాయించబడతారు"
 DocType: Appointment Type,Physician,వైద్యుడు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,అంశం బ్యాచ్ {0} {1} గడువు ముగిసింది.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,అంశం బ్యాచ్ {0} {1} గడువు ముగిసింది.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,సంప్రదింపులు
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,మంచిది
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","అంశం ధర ధర జాబితా, సరఫరాదారు / కస్టమర్, కరెన్సీ, అంశం, UOM, Qty మరియు తేదీల ఆధారంగా అనేకసార్లు కనిపిస్తుంది."
@@ -6088,22 +6157,21 @@
 DocType: Certification Application,Name of Applicant,దరఖాస్తుదారు పేరు
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,తయారీ కోసం సమయం షీట్.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,పూర్తికాని
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,స్టాక్ లావాదేవీ తర్వాత వేరియంట్ లక్షణాలను మార్చలేరు. దీన్ని చేయటానికి మీరు క్రొత్త వస్తువును తయారు చేసుకోవాలి.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,స్టాక్ లావాదేవీ తర్వాత వేరియంట్ లక్షణాలను మార్చలేరు. దీన్ని చేయటానికి మీరు క్రొత్త వస్తువును తయారు చేసుకోవాలి.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA ఆదేశం
 DocType: Healthcare Practitioner,Charges,ఆరోపణలు
 DocType: Production Plan,Get Items For Work Order,వర్క్ ఆర్డర్ కోసం అంశాలను పొందండి
 DocType: Salary Detail,Default Amount,డిఫాల్ట్ మొత్తం
 DocType: Lab Test Template,Descriptive,డిస్క్రిప్టివ్
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,వేర్హౌస్ వ్యవస్థలో దొరకలేదు
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,ఈ నెల సారాంశం
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,ఈ నెల సారాంశం
 DocType: Quality Inspection Reading,Quality Inspection Reading,నాణ్యత తనిఖీ పఠనం
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`ఫ్రీజ్ స్టాక్స్ పాత Than`% d రోజుల కంటే తక్కువగా ఉండాలి.
 DocType: Tax Rule,Purchase Tax Template,పన్ను మూస కొనుగోలు
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,మీ సంస్థ కోసం మీరు సాధించాలనుకుంటున్న అమ్మకాల లక్ష్యాన్ని సెట్ చేయండి.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,ఆరోగ్య సేవలు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,ఆరోగ్య సేవలు
 ,Project wise Stock Tracking,ప్రాజెక్టు వారీగా స్టాక్ ట్రాకింగ్
 DocType: GST HSN Code,Regional,ప్రాంతీయ
-DocType: Delivery Note,Transport Mode,రవాణా మోడ్
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,ప్రయోగశాల
 DocType: UOM Category,UOM Category,UOM వర్గం
 DocType: Clinical Procedure Item,Actual Qty (at source/target),(మూలం / లక్ష్యం వద్ద) వాస్తవ ప్యాక్ చేసిన అంశాల
@@ -6126,17 +6194,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,వెబ్సైట్ని సృష్టించడం విఫలమైంది
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UoM మార్పిడి వివరాలు
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,నిలుపుదల స్టాక్ ఎంట్రీ ఇప్పటికే సృష్టించబడింది లేదా నమూనా పరిమాణం అందించలేదు
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,నిలుపుదల స్టాక్ ఎంట్రీ ఇప్పటికే సృష్టించబడింది లేదా నమూనా పరిమాణం అందించలేదు
 DocType: Program,Program Abbreviation,ప్రోగ్రామ్ సంక్షిప్తీకరణ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,ఉత్పత్తి ఆర్డర్ ఒక అంశం మూస వ్యతిరేకంగా లేవనెత్తిన సాధ్యం కాదు
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ఆరోపణలు ప్రతి అంశం వ్యతిరేకంగా కొనుగోలు రసీదులు లో నవీకరించబడింది ఉంటాయి
 DocType: Warranty Claim,Resolved By,ద్వారా పరిష్కరించిన
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,షెడ్యూల్ డిచ్ఛార్జ్
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,చెక్కుల మరియు డిపాజిట్లు తప్పుగా క్లియర్
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,ఖాతా {0}: మీరు పేరెంట్ ఖాతా గా కేటాయించలేరు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,ఖాతా {0}: మీరు పేరెంట్ ఖాతా గా కేటాయించలేరు
 DocType: Purchase Invoice Item,Price List Rate,ధర జాబితా రేటు
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,కస్టమర్ కోట్స్ సృష్టించు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,సర్వీస్ ఎండ్ తేదీ తర్వాత సర్వీస్ స్టాప్ తేదీ ఉండకూడదు
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,సర్వీస్ ఎండ్ తేదీ తర్వాత సర్వీస్ స్టాప్ తేదీ ఉండకూడదు
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",&quot;స్టాక్ లో&quot; లేదా ఈ గిడ్డంగిలో అందుబాటులో స్టాక్ ఆధారంగా &quot;నాట్ స్టాక్ లో&quot; షో.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),వస్తువుల యొక్క జామా ఖర్చు (BOM)
 DocType: Item,Average time taken by the supplier to deliver,సరఫరాదారు తీసుకున్న సగటు సమయం బట్వాడా
@@ -6148,11 +6216,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,గంటలు
 DocType: Project,Expected Start Date,ఊహించిన ప్రారంభం తేదీ
 DocType: Purchase Invoice,04-Correction in Invoice,వాయిస్ లో 04-కరెక్షన్
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,వర్క్ ఆర్డర్ ఇప్పటికే BOM తో అన్ని అంశాలను సృష్టించింది
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,వర్క్ ఆర్డర్ ఇప్పటికే BOM తో అన్ని అంశాలను సృష్టించింది
 DocType: Payment Request,Party Details,పార్టీ వివరాలు
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,వేరియంట్ వివరాలు రిపోర్ట్
 DocType: Setup Progress Action,Setup Progress Action,సెటప్ ప్రోగ్రెస్ యాక్షన్
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,ధర జాబితా కొనుగోలు
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,ధర జాబితా కొనుగోలు
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ఆరోపణలు ఆ అంశం వర్తించదు ఉంటే అంశాన్ని తొలగించు
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,సబ్స్క్రిప్షన్ను రద్దు చేయండి
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,దయచేసి పూర్తి స్థాయి నిర్వహణని పూర్తి చేయండి లేదా పూర్తి చేసిన తేదీని తీసివేయండి
@@ -6170,7 +6238,7 @@
 DocType: Asset,Disposal Date,తొలగింపు తేదీ
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ఇమెయిళ్ళు వారు సెలవు లేకపోతే, ఇచ్చిన గంట వద్ద కంపెనీ అన్ని యాక్టివ్ ఉద్యోగులు పంపబడును. ప్రతిస్పందనల సారాంశం అర్ధరాత్రి పంపబడుతుంది."
 DocType: Employee Leave Approver,Employee Leave Approver,ఉద్యోగి సెలవు అప్రూవర్గా
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},రో {0}: ఒక క్రమాన్ని ఎంట్రీ ఇప్పటికే ఈ గిడ్డంగి కోసం ఉంది {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},రో {0}: ఒక క్రమాన్ని ఎంట్రీ ఇప్పటికే ఈ గిడ్డంగి కోసం ఉంది {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","కొటేషన్ చేయబడింది ఎందుకంటే, కోల్పోయిన డిక్లేర్ కాదు."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP ఖాతా
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,శిక్షణ అభిప్రాయం
@@ -6182,7 +6250,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,తేదీ తేదీ నుండి ముందు ఉండరాదు
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,విభాగం ఫుటర్
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ మార్చు ధరలు జోడించండి
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ మార్చు ధరలు జోడించండి
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,ప్రచార తేదీకి ముందు ఉద్యోగి ప్రమోషన్ సమర్పించబడదు
 DocType: Batch,Parent Batch,మాతృ బ్యాచ్
 DocType: Batch,Parent Batch,మాతృ బ్యాచ్
@@ -6193,6 +6261,7 @@
 DocType: Clinical Procedure Template,Sample Collection,నమూనా కలెక్షన్
 ,Requested Items To Be Ordered,అభ్యర్థించిన అంశాలు ఆదేశించింది ఉండాలి
 DocType: Price List,Price List Name,ధర జాబితా పేరు
+DocType: Delivery Stop,Dispatch Information,సమాచారాన్ని పంపండి
 DocType: Blanket Order,Manufacturing,తయారీ
 ,Ordered Items To Be Delivered,క్రమ అంశాలు పంపిణీ చేయాలి
 DocType: Account,Income,ఆదాయపు
@@ -6211,17 +6280,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} అవసరమవుతారు {2} లో {3} {4} కోసం {5} ఈ లావాదేవీని పూర్తి చేయడానికి యూనిట్లు.
 DocType: Fee Schedule,Student Category,స్టూడెంట్ వర్గం
 DocType: Announcement,Student,విద్యార్థి
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,గిడ్డంగిలో స్టాక్ పరిమాణం ప్రారంభం కావడం లేదు. మీరు స్టాక్ బదిలీని రికార్డు చేయాలనుకుంటున్నారా?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,గిడ్డంగిలో స్టాక్ పరిమాణం ప్రారంభం కావడం లేదు. మీరు స్టాక్ బదిలీని రికార్డు చేయాలనుకుంటున్నారా?
 DocType: Shipping Rule,Shipping Rule Type,షిప్పింగ్ రూల్ టైప్
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,రూములు వెళ్ళండి
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","కంపెనీ, చెల్లింపు ఖాతా, తేదీ మరియు తేదీ నుండి తప్పనిసరి"
 DocType: Company,Budget Detail,బడ్జెట్ వివరాలు
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,పంపే ముందు సందేశాన్ని నమోదు చేయండి
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,సరఫరా కోసం DUPLICATE
-DocType: Email Digest,Pending Quotations,పెండింగ్లో కొటేషన్స్
-DocType: Delivery Note,Distance (KM),దూరం (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,సరఫరాదారు&gt; సరఫరాదారు సమూహం
 DocType: Asset,Custodian,కస్టోడియన్
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,పాయింట్ ఆఫ్ అమ్మకానికి ప్రొఫైల్
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,పాయింట్ ఆఫ్ అమ్మకానికి ప్రొఫైల్
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 మరియు 100 మధ్య విలువ ఉండాలి
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{0} నుండి {0} {0} చెల్లింపు
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,హామీలేని రుణాలు
@@ -6253,10 +6321,10 @@
 DocType: Lead,Converted,కన్వర్టెడ్
 DocType: Item,Has Serial No,సీరియల్ లేవు ఉంది
 DocType: Employee,Date of Issue,జారీ చేసిన తేది
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం కొనుగోలు Reciept అవసరం == &#39;అవును&#39;, అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు స్వీకరణపై సృష్టించాలి ఉంటే {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం కొనుగోలు Reciept అవసరం == &#39;అవును&#39;, అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు స్వీకరణపై సృష్టించాలి ఉంటే {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},రో # {0}: అంశాన్ని సెట్ సరఫరాదారు {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,రో {0}: గంటలు విలువ సున్నా కంటే ఎక్కువ ఉండాలి.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,అంశం {1} జత వెబ్సైట్ చిత్రం {0} కనుగొనబడలేదు
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,అంశం {1} జత వెబ్సైట్ చిత్రం {0} కనుగొనబడలేదు
 DocType: Issue,Content Type,కంటెంట్ రకం
 DocType: Asset,Assets,ఆస్తులు
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,కంప్యూటర్
@@ -6267,7 +6335,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} ఉనికిలో లేని
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,ఇతర కరెన్సీ ఖాతాల అనుమతించటానికి మల్టీ కరెన్సీ ఎంపికను తనిఖీ చేయండి
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,అంశం: {0} వ్యవస్థ ఉనికిలో లేదు
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,మీరు స్తంభింపచేసిన విలువ సెట్ అధికారం లేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,మీరు స్తంభింపచేసిన విలువ సెట్ అధికారం లేదు
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled ఎంట్రీలు పొందండి
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},ఉద్యోగి {0} {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,జర్నల్ ఎంట్రీ కోసం తిరిగి చెల్లింపులు ఏవీ ఎంచుకోబడలేదు
@@ -6285,13 +6353,14 @@
 ,Average Commission Rate,సగటు కమిషన్ రేటు
 DocType: Share Balance,No of Shares,షేర్ల సంఖ్య
 DocType: Taxable Salary Slab,To Amount,మొత్తంలో
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;అవును&#39; ఉంటుంది కాని స్టాక్ అంశం కోసం కాదు &#39;సీరియల్ చెప్పడం&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;అవును&#39; ఉంటుంది కాని స్టాక్ అంశం కోసం కాదు &#39;సీరియల్ చెప్పడం&#39;
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,స్థితిని ఎంచుకోండి
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,హాజరు భవిష్యత్తులో తేదీలు కోసం గుర్తించబడవు
 DocType: Support Search Source,Post Description Key,పోస్ట్ వివరణ కీ
 DocType: Pricing Rule,Pricing Rule Help,ధర రూల్ సహాయం
 DocType: School House,House Name,హౌస్ పేరు
 DocType: Fee Schedule,Total Amount per Student,విద్యార్థికి మొత్తం మొత్తం
+DocType: Opportunity,Sales Stage,సేల్స్ స్టేజ్
 DocType: Purchase Taxes and Charges,Account Head,ఖాతా హెడ్
 DocType: Company,HRA Component,HRA భాగం
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,ఎలక్ట్రికల్
@@ -6299,15 +6368,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),మొత్తం విలువ తేడా (అవుట్ - ఇన్)
 DocType: Grant Application,Requested Amount,అభ్యర్థించిన మొత్తం
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,రో {0}: ఎక్స్చేంజ్ రేట్ తప్పనిసరి
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},వాడుకరి ID ఉద్యోగి సెట్ {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},వాడుకరి ID ఉద్యోగి సెట్ {0}
 DocType: Vehicle,Vehicle Value,వాహనం విలువ
 DocType: Crop Cycle,Detected Diseases,గుర్తించిన వ్యాధులు
 DocType: Stock Entry,Default Source Warehouse,డిఫాల్ట్ మూల వేర్హౌస్
 DocType: Item,Customer Code,కస్టమర్ కోడ్
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},పుట్టినరోజు రిమైండర్ {0}
 DocType: Asset Maintenance Task,Last Completion Date,చివరి పూర్తి తేదీ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,చివరి ఆర్డర్ నుండి రోజుల్లో
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,ఖాతాకు డెబిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,ఖాతాకు డెబిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
 DocType: Asset,Naming Series,నామకరణ సిరీస్
 DocType: Vital Signs,Coated,కోటెడ్
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,రో {0}: ఉపయోగకరమైన లైఫ్ తర్వాత ఊహించిన విలువ తప్పనిసరిగా స్థూల కొనుగోలు మొత్తం కంటే తక్కువగా ఉండాలి
@@ -6325,15 +6393,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,డెలివరీ గమనిక {0} సమర్పించిన కాకూడదని
 DocType: Notification Control,Sales Invoice Message,సేల్స్ వాయిస్ మెసేజ్
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,ఖాతా {0} మూసివేయడం రకం బాధ్యత / ఈక్విటీ ఉండాలి
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే సమయం షీట్ కోసం సృష్టించబడింది {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే సమయం షీట్ కోసం సృష్టించబడింది {1}
 DocType: Vehicle Log,Odometer,ఓడోమీటార్
 DocType: Production Plan Item,Ordered Qty,క్రమ ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,అంశం {0} నిలిపివేయబడింది
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,అంశం {0} నిలిపివేయబడింది
 DocType: Stock Settings,Stock Frozen Upto,స్టాక్ ఘనీభవించిన వరకు
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,బిఒఎం ఏ స్టాక్ అంశం కలిగి లేదు
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,బిఒఎం ఏ స్టాక్ అంశం కలిగి లేదు
 DocType: Chapter,Chapter Head,చాప్టర్ హెడ్
 DocType: Payment Term,Month(s) after the end of the invoice month,ఇన్వాయిస్ నెల ముగిసిన తర్వాత నెల (లు)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,జీతం నిర్మాణం లాభం మొత్తాన్ని అందించే సౌకర్యవంతమైన ప్రయోజనం భాగం (లు) కలిగి ఉండాలి
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,జీతం నిర్మాణం లాభం మొత్తాన్ని అందించే సౌకర్యవంతమైన ప్రయోజనం భాగం (లు) కలిగి ఉండాలి
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,ప్రాజెక్టు చర్య / పని.
 DocType: Vital Signs,Very Coated,చాలా కోటెడ్
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),కేవలం పన్ను ప్రభావం (పన్ను చెల్లింపదగిన ఆదాయం యొక్క దావా కానీ కాదు)
@@ -6351,7 +6419,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,బిల్లింగ్ గంటలు
 DocType: Project,Total Sales Amount (via Sales Order),మొత్తం సేల్స్ మొత్తం (సేల్స్ ఆర్డర్ ద్వారా)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,కోసం {0} దొరకలేదు డిఫాల్ట్ బిఒఎం
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,రో # {0}: క్రమాన్ని పరిమాణం సెట్ చెయ్యండి
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,రో # {0}: క్రమాన్ని పరిమాణం సెట్ చెయ్యండి
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,వాటిని ఇక్కడ జోడించడానికి అంశాలను నొక్కండి
 DocType: Fees,Program Enrollment,ప్రోగ్రామ్ నమోదు
 DocType: Share Transfer,To Folio No,ఫోలియో నో
@@ -6393,9 +6461,9 @@
 DocType: SG Creation Tool Course,Max Strength,మాక్స్ శక్తి
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,ప్రీసెట్లు ఇన్స్టాల్ చేస్తోంది
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},కస్టమర్ కోసం డెలివరీ నోట్ ఎంపిక చేయబడలేదు
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},కస్టమర్ కోసం డెలివరీ నోట్ ఎంపిక చేయబడలేదు
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,ఉద్యోగి {0} ఎటువంటి గరిష్ట లాభం లేదు
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,డెలివరీ తేదీ ఆధారంగా అంశాలను ఎంచుకోండి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,డెలివరీ తేదీ ఆధారంగా అంశాలను ఎంచుకోండి
 DocType: Grant Application,Has any past Grant Record,గత గ్రాంట్ రికార్డు ఉంది
 ,Sales Analytics,సేల్స్ Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},అందుబాటులో {0}
@@ -6404,12 +6472,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,తయారీ సెట్టింగ్స్
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ఇమెయిల్ ఏర్పాటు
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 మొబైల్ లేవు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,కంపెనీ మాస్టర్ డిఫాల్ట్ కరెన్సీ నమోదు చేయండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,కంపెనీ మాస్టర్ డిఫాల్ట్ కరెన్సీ నమోదు చేయండి
 DocType: Stock Entry Detail,Stock Entry Detail,స్టాక్ ఎంట్రీ వివరాలు
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,రోజువారీ రిమైండర్లు
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,రోజువారీ రిమైండర్లు
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,ఓపెన్ టికెట్లను చూడండి
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,హెల్త్కేర్ సర్వీస్ యూనిట్ ట్రీ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,ఉత్పత్తి
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,ఉత్పత్తి
 DocType: Products Settings,Home Page is Products,హోం పేజి ఉత్పత్తులు ఉంది
 ,Asset Depreciation Ledger,ఆస్తి అరుగుదల లెడ్జర్
 DocType: Salary Structure,Leave Encashment Amount Per Day,రోజుకు ఎన్క్యాష్మెంట్ మొత్తం వదిలివేయండి
@@ -6419,8 +6487,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,రా మెటీరియల్స్ పంపినవి ఖర్చు
 DocType: Selling Settings,Settings for Selling Module,మాడ్యూల్ సెల్లింగ్ కోసం సెట్టింగులు
 DocType: Hotel Room Reservation,Hotel Room Reservation,హోటల్ రూం రిజర్వేషన్
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,వినియోగదారుల సేవ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,వినియోగదారుల సేవ
 DocType: BOM,Thumbnail,సూక్ష్మచిత్రం
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ఇమెయిల్ ID లతో పరిచయాలు కనుగొనబడలేదు.
 DocType: Item Customer Detail,Item Customer Detail,అంశం కస్టమర్ వివరాలు
 DocType: Notification Control,Prompt for Email on Submission of,సమర్పణ ఇమెయిల్ కోసం ప్రేరేపిస్తుంది
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},ఉద్యోగి యొక్క గరిష్ట లాభం మొత్తం {0} {1}
@@ -6430,7 +6499,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,అంశం {0} స్టాక్ అంశం ఉండాలి
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,ప్రోగ్రెస్ వేర్హౌస్ డిఫాల్ట్ వర్క్
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} అతివ్యాప్తాల కోసం షెడ్యూల్స్ కోసం, మీరు అతివ్యాప్తి చెందిన స్లాట్లను వదిలిన తర్వాత కొనసాగించాలనుకుంటున్నారా?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,అకౌంటింగ్ లావాదేవీలకు డిఫాల్ట్ సెట్టింగులను.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,అకౌంటింగ్ లావాదేవీలకు డిఫాల్ట్ సెట్టింగులను.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,గ్రాంట్ లీవ్స్
 DocType: Restaurant,Default Tax Template,డిఫాల్ట్ పన్ను మూస
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} విద్యార్థులు చేరాడు
@@ -6438,6 +6507,7 @@
 DocType: Purchase Invoice Item,Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల
 DocType: Purchase Invoice Item,Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల
 DocType: Contract,Requires Fulfilment,నెరవేరడం అవసరం
+DocType: QuickBooks Migrator,Default Shipping Account,డిఫాల్ట్ షిప్పింగ్ ఖాతా
 DocType: Loan,Repayment Period in Months,నెలల్లో తిరిగి చెల్లించే కాలం
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,లోపం: చెల్లని ఐడి?
 DocType: Naming Series,Update Series Number,నవీకరణ సిరీస్ సంఖ్య
@@ -6451,11 +6521,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,మాక్స్ మొత్తం
 DocType: Journal Entry,Total Amount Currency,మొత్తం పరిమాణం కరెన్సీ
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,శోధన సబ్ అసెంబ్లీలకు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Item కోడ్ రో లేవు అవసరం {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Item కోడ్ రో లేవు అవసరం {0}
 DocType: GST Account,SGST Account,SGST ఖాతా
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,అంశాలను వెళ్ళు
 DocType: Sales Partner,Partner Type,భాగస్వామి రకం
-DocType: Purchase Taxes and Charges,Actual,వాస్తవ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,వాస్తవ
 DocType: Restaurant Menu,Restaurant Manager,రెస్టారెంట్ మేనేజర్
 DocType: Authorization Rule,Customerwise Discount,Customerwise డిస్కౌంట్
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,పనులు కోసం timesheet.
@@ -6476,7 +6546,7 @@
 DocType: Employee,Cheque,ప్రిపే
 DocType: Training Event,Employee Emails,ఉద్యోగి ఇమెయిల్స్
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,సిరీస్ నవీకరించబడింది
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,నివేదిక రకం తప్పనిసరి
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,నివేదిక రకం తప్పనిసరి
 DocType: Item,Serial Number Series,క్రమ సంఖ్య సిరీస్
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},వేర్హౌస్ వరుసగా స్టాక్ అంశం {0} తప్పనిసరి {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,రిటైల్ &amp; టోకు
@@ -6507,7 +6577,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,సేల్స్ ఆర్డర్లో బిల్డ్ మొత్తం నవీకరించండి
 DocType: BOM,Materials,మెటీరియల్స్
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","తనిఖీ లేకపోతే, జాబితా అనువర్తిత వుంటుంది పేరు ప్రతి శాఖ చేర్చబడుతుంది ఉంటుంది."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,తేదీ పోస్ట్ మరియు సమయం పోస్ట్ తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,తేదీ పోస్ట్ మరియు సమయం పోస్ట్ తప్పనిసరి
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,లావాదేవీలు కొనుగోలు కోసం పన్ను టెంప్లేట్.
 ,Item Prices,అంశం ధరలు
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,మీరు కొనుగోలు ఆర్డర్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది.
@@ -6523,12 +6593,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),అసెట్ డిప్రిజెనైజేషన్ ఎంట్రీ (జర్నల్ ఎంట్రీ) కోసం సిరీస్
 DocType: Membership,Member Since,అప్పటి నుండి సభ్యుడు
 DocType: Purchase Invoice,Advance Payments,అడ్వాన్స్ చెల్లింపులు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,దయచేసి ఆరోగ్య సంరక్షణ సేవను ఎంచుకోండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,దయచేసి ఆరోగ్య సంరక్షణ సేవను ఎంచుకోండి
 DocType: Purchase Taxes and Charges,On Net Total,నికర మొత్తం
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},లక్షణం {0} విలువ పరిధిలో ఉండాలి {1} కు {2} యొక్క ఇంక్రిమెంట్ {3} అంశం {4}
 DocType: Restaurant Reservation,Waitlisted,waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,మినహాయింపు వర్గం
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,కరెన్సీ కొన్ని ఇతర కరెన్సీ ఉపయోగించి ఎంట్రీలు తరువాత మారలేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,కరెన్సీ కొన్ని ఇతర కరెన్సీ ఉపయోగించి ఎంట్రీలు తరువాత మారలేదు
 DocType: Shipping Rule,Fixed,స్థిర
 DocType: Vehicle Service,Clutch Plate,క్లచ్ ప్లేట్
 DocType: Company,Round Off Account,ఖాతా ఆఫ్ రౌండ్
@@ -6537,7 +6607,7 @@
 DocType: Subscription Plan,Based on price list,ధర జాబితా ఆధారంగా
 DocType: Customer Group,Parent Customer Group,మాతృ కస్టమర్ గ్రూప్
 DocType: Vehicle Service,Change,మార్చు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,సభ్యత్వ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,సభ్యత్వ
 DocType: Purchase Invoice,Contact Email,సంప్రదించండి ఇమెయిల్
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,ఫీజు సృష్టి పెండింగ్లో ఉంది
 DocType: Appraisal Goal,Score Earned,స్కోరు సాధించాడు
@@ -6565,23 +6635,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,స్వీకరించదగిన / చెల్లించవలసిన ఖాతా
 DocType: Delivery Note Item,Against Sales Order Item,అమ్మకాల ఆర్డర్ అంశం వ్యతిరేకంగా
 DocType: Company,Company Logo,కంపెనీ లోగో
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},గుణానికి విలువ లక్షణం రాయండి {0}
-DocType: Item Default,Default Warehouse,డిఫాల్ట్ వేర్హౌస్
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},గుణానికి విలువ లక్షణం రాయండి {0}
+DocType: QuickBooks Migrator,Default Warehouse,డిఫాల్ట్ వేర్హౌస్
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},బడ్జెట్ గ్రూప్ ఖాతా వ్యతిరేకంగా కేటాయించిన సాధ్యం కాదు {0}
 DocType: Shopping Cart Settings,Show Price,ధర చూపించు
 DocType: Healthcare Settings,Patient Registration,పేషంట్ రిజిస్ట్రేషన్
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,మాతృ ఖర్చు సెంటర్ నమోదు చేయండి
 DocType: Delivery Note,Print Without Amount,పరిమాణం లేకుండా ముద్రించండి
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,అరుగుదల తేదీ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,అరుగుదల తేదీ
 ,Work Orders in Progress,పని ఆర్డర్స్ ఇన్ ప్రోగ్రెస్
 DocType: Issue,Support Team,మద్దతు బృందం
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),గడువు (డేస్)
 DocType: Appraisal,Total Score (Out of 5),(5) మొత్తం స్కోరు
 DocType: Student Attendance Tool,Batch,బ్యాచ్
 DocType: Support Search Source,Query Route String,ప్రశ్న మార్గం స్ట్రింగ్
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,చివరి కొనుగోలు ప్రకారం రేటును నవీకరించండి
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,చివరి కొనుగోలు ప్రకారం రేటును నవీకరించండి
 DocType: Donor,Donor Type,దాత పద్ధతి
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,ఆటో రిపీట్ పత్రం నవీకరించబడింది
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,ఆటో రిపీట్ పత్రం నవీకరించబడింది
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,సంతులనం
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,దయచేసి కంపెనీని ఎంచుకోండి
 DocType: Job Card,Job Card,ఉద్యోగ కార్డ్
@@ -6595,7 +6665,7 @@
 DocType: Assessment Result,Total Score,మొత్తం స్కోరు
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 ప్రమాణం
 DocType: Journal Entry,Debit Note,డెబిట్ గమనిక
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,మీరు ఈ క్రమంలో మాక్స్ {0} పాయింట్లు మాత్రమే రీడీమ్ చేయవచ్చు.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,మీరు ఈ క్రమంలో మాక్స్ {0} పాయింట్లు మాత్రమే రీడీమ్ చేయవచ్చు.
 DocType: Expense Claim,HR-EXP-.YYYY.-,ఆర్ ఎక్స్ప్-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,దయచేసి API కన్స్యూమర్ సీక్రెట్ను నమోదు చేయండి
 DocType: Stock Entry,As per Stock UOM,స్టాక్ UoM ప్రకారం
@@ -6609,10 +6679,11 @@
 DocType: Journal Entry,Total Debit,మొత్తం డెబిట్
 DocType: Travel Request Costing,Sponsored Amount,ప్రాయోజిత మొత్తం
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,డిఫాల్ట్ తయారైన వస్తువులు వేర్హౌస్
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,దయచేసి రోగిని ఎంచుకోండి
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,దయచేసి రోగిని ఎంచుకోండి
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,సేల్స్ పర్సన్
 DocType: Hotel Room Package,Amenities,సదుపాయాలు
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,బడ్జెట్ మరియు వ్యయ కేంద్రం
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited ఫండ్స్ ఖాతా
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,బడ్జెట్ మరియు వ్యయ కేంద్రం
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,చెల్లింపు యొక్క బహుళ డిఫాల్ట్ మోడ్ అనుమతించబడదు
 DocType: Sales Invoice,Loyalty Points Redemption,విశ్వసనీయ పాయింట్లు రిడంప్షన్
 ,Appointment Analytics,నియామకం విశ్లేషణలు
@@ -6626,6 +6697,7 @@
 DocType: Batch,Manufacturing Date,తయారయిన తేది
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,ఫీజు సృష్టి విఫలమైంది
 DocType: Opening Invoice Creation Tool,Create Missing Party,మిస్సింగ్ పార్టీని సృష్టించండి
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,మొత్తం బడ్జెట్
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,మీరు సంవత్సరానికి విద్యార్థులు సమూహాలు చేస్తే ఖాళీ వదిలి
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,మీరు సంవత్సరానికి విద్యార్థులు సమూహాలు చేస్తే ఖాళీ వదిలి
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ఎంచుకుంటే, మొత్తం no. వర్కింగ్ డేస్ సెలవులు కలిగి ఉంటుంది, మరియు ఈ జీతం రోజుకి విలువ తగ్గిస్తుంది"
@@ -6642,20 +6714,19 @@
 DocType: Opportunity Item,Basic Rate,ప్రాథమిక రేటు
 DocType: GL Entry,Credit Amount,క్రెడిట్ మొత్తం
 DocType: Cheque Print Template,Signatory Position,సంతకం చేసే స్థానం
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,లాస్ట్ గా సెట్
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,లాస్ట్ గా సెట్
 DocType: Timesheet,Total Billable Hours,మొత్తం బిల్ చేయగలరు గంటలు
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ఈ చందా ద్వారా సృష్టించబడిన ఇన్వాయిస్లు చెల్లించడానికి వినియోగదారుల సంఖ్య
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ఉద్యోగి బెనిఫిట్ అప్లికేషన్ వివరాలు
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,చెల్లింపు రసీదు గమనిక
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ఈ ఈ కస్టమర్ వ్యతిరేకంగా లావాదేవీలు ఆధారంగా. వివరాల కోసం ఈ క్రింది కాలక్రమం చూడండి
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},రో {0}: కేటాయించిన మొత్తాన్ని {1} కంటే తక్కువకు లేదా చెల్లింపు ఎంట్రీ మొత్తం సమానం తప్పనిసరిగా {2}
 DocType: Program Enrollment Tool,New Academic Term,కొత్త అకడమిక్ టర్మ్
 ,Course wise Assessment Report,కోర్సు వారీగా మదింపు నివేదిక
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ITC స్టేట్ / UT టాక్స్ను ఉపయోగించారు
 DocType: Tax Rule,Tax Rule,పన్ను రూల్
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,సేల్స్ సైకిల్ అంతటా అదే రేటు నిర్వహించడానికి
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,దయచేసి Marketplace లో మరొక యూజర్గా లాగిన్ అవ్వండి
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,దయచేసి Marketplace లో మరొక యూజర్గా లాగిన్ అవ్వండి
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,కార్యక్షేత్ర పని గంటలు సమయం లాగ్లను ప్లాన్.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,క్యూ లో వినియోగదారుడు
 DocType: Driver,Issuing Date,జారీ తేదీ
@@ -6664,11 +6735,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,తదుపరి ప్రాసెస్ కోసం ఈ కార్య క్రమాన్ని సమర్పించండి.
 ,Items To Be Requested,అంశాలు అభ్యర్థించిన టు
 DocType: Company,Company Info,కంపెనీ సమాచారం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,ఎంచుకోండి లేదా కొత్త కస్టమర్ జోడించడానికి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,ఎంచుకోండి లేదా కొత్త కస్టమర్ జోడించడానికి
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,వ్యయ కేంద్రం ఒక వ్యయం దావా బుక్ అవసరం
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ఫండ్స్ (ఆస్తులు) యొక్క అప్లికేషన్
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ఈ ఈ ఉద్యోగి హాజరు ఆధారంగా
-DocType: Assessment Result,Summary,సారాంశం
 DocType: Payment Request,Payment Request Type,చెల్లింపు అభ్యర్థన పద్ధతి
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,మార్క్ హాజరు
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,డెబిట్ ఖాతా
@@ -6676,7 +6746,7 @@
 DocType: Additional Salary,Employee Name,ఉద్యోగి పేరు
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,రెస్టారెంట్ ఆర్డర్ ఎంట్రీ అంశం
 DocType: Purchase Invoice,Rounded Total (Company Currency),నున్నటి మొత్తం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,ఖాతా రకం ఎంపిక ఎందుకంటే గ్రూప్ ప్రచ్ఛన్న కాదు.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,ఖాతా రకం ఎంపిక ఎందుకంటే గ్రూప్ ప్రచ్ఛన్న కాదు.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} మారిస్తే. రిఫ్రెష్ చెయ్యండి.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,కింది రోజులలో లీవ్ అప్లికేషన్స్ తయారీ నుండి వినియోగదారులు ఆపు.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","లాయల్టీ పాయింట్స్ కోసం అపరిమిత గడువు ఉంటే, గడువు వ్యవధి ఖాళీగా లేదా 0 గా ఉంచండి."
@@ -6697,11 +6767,12 @@
 DocType: Asset,Out of Order,పనిచేయటంలేదు
 DocType: Purchase Receipt Item,Accepted Quantity,అంగీకరించిన పరిమాణం
 DocType: Projects Settings,Ignore Workstation Time Overlap,వర్క్స్టేషన్ టైమ్ అతివ్యాప్తిని విస్మరించు
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},ఒక డిఫాల్ట్ ఉద్యోగి కోసం హాలిడే జాబితా సెట్ దయచేసి {0} లేదా కంపెనీ {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},ఒక డిఫాల్ట్ ఉద్యోగి కోసం హాలిడే జాబితా సెట్ దయచేసి {0} లేదా కంపెనీ {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} చేస్తుంది ఉందో
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,బ్యాచ్ సంఖ్యలు ఎంచుకోండి
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN కు
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN కు
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,వినియోగదారుడు ఎదిగింది బిల్లులు.
+DocType: Healthcare Settings,Invoice Appointments Automatically,స్వయంచాలకంగా ఇన్వాయిస్ నియామకాలు
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ప్రాజెక్ట్ ఐడి
 DocType: Salary Component,Variable Based On Taxable Salary,పన్నుచెల్లింపు జీతం ఆధారంగా వేరియబుల్
 DocType: Company,Basic Component,ప్రాథమిక భాగం
@@ -6714,10 +6785,10 @@
 DocType: Stock Entry,Source Warehouse Address,మూల వేర్హౌస్ చిరునామా
 DocType: GL Entry,Voucher Type,ఓచర్ టైప్
 DocType: Amazon MWS Settings,Max Retry Limit,మాక్స్ రిట్రీ పరిమితి
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు
 DocType: Student Applicant,Approved,ఆమోదించబడింది
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,ధర
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} ఏర్పాటు చేయాలి మీద ఉపశమనం ఉద్యోగి &#39;Left&#39; గా
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} ఏర్పాటు చేయాలి మీద ఉపశమనం ఉద్యోగి &#39;Left&#39; గా
 DocType: Marketplace Settings,Last Sync On,చివరి సమకాలీకరణ ఆన్ చేయబడింది
 DocType: Guardian,Guardian,సంరక్షకుడు
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"ఈ సంస్కరణలతోపాటు, అన్ని సంభాషణలు కొత్త ఇష్యూలో చేర్చబడతాయి"
@@ -6740,14 +6811,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ఫీల్డ్లో గుర్తించిన వ్యాధుల జాబితా. ఎంచుకున్నప్పుడు అది వ్యాధిని ఎదుర్కోడానికి స్వయంచాలకంగా పనుల జాబితాను జోడిస్తుంది
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,ఇది ఒక రూట్ హెల్త్ కేర్ యూనిట్ మరియు సవరించబడదు.
 DocType: Asset Repair,Repair Status,రిపేరు స్థితి
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,సేల్స్ భాగస్వాములు జోడించండి
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,అకౌంటింగ్ జర్నల్ ఎంట్రీలు.
 DocType: Travel Request,Travel Request,ప్రయాణం అభ్యర్థన
 DocType: Delivery Note Item,Available Qty at From Warehouse,గిడ్డంగి నుండి వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,మొదటి ఉద్యోగి రికార్డ్ ఎంచుకోండి.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,హాజరు కావడం వంటి హాజరు {0} కోసం సమర్పించబడలేదు.
 DocType: POS Profile,Account for Change Amount,మొత్తం చేంజ్ ఖాతా
+DocType: QuickBooks Migrator,Connecting to QuickBooks,క్విక్బుక్స్లో కనెక్ట్ చేస్తోంది
 DocType: Exchange Rate Revaluation,Total Gain/Loss,మొత్తం లాభం / నష్టం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,ఇంటర్ కంపెనీ ఇన్వాయిస్ కోసం చెల్లని కంపెనీ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,ఇంటర్ కంపెనీ ఇన్వాయిస్ కోసం చెల్లని కంపెనీ.
 DocType: Purchase Invoice,input service,ఇన్పుట్ సేవ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},రో {0}: పార్టీ / ఖాతాతో సరిపోలడం లేదు {1} / {2} లో {3} {4}
 DocType: Employee Promotion,Employee Promotion,ఉద్యోగి ప్రమోషన్
@@ -6756,12 +6829,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,కోర్సు కోడ్:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,ఖర్చుల ఖాతాను నమోదు చేయండి
 DocType: Account,Stock,స్టాక్
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ కొనుగోలు ఆర్డర్ ఒకటి, కొనుగోలు వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ కొనుగోలు ఆర్డర్ ఒకటి, కొనుగోలు వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
 DocType: Employee,Current Address,ప్రస్తుత చిరునామా
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","స్పష్టంగా పేర్కొన్న తప్ప తరువాత అంశం వివరణ, చిత్రం, ధర, పన్నులు టెంప్లేట్ నుండి సెట్ చేయబడతాయి etc మరొక అంశం యొక్క ఒక వైవిధ్యం ఉంటే"
 DocType: Serial No,Purchase / Manufacture Details,కొనుగోలు / తయారీ వివరాలు
 DocType: Assessment Group,Assessment Group,అసెస్మెంట్ గ్రూప్
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,బ్యాచ్ ఇన్వెంటరీ
+DocType: Supplier,GST Transporter ID,GST ట్రాన్స్పోర్టర్ ID
 DocType: Procedure Prescription,Procedure Name,విధానపు పేరు
 DocType: Employee,Contract End Date,కాంట్రాక్ట్ ముగింపు తేదీ
 DocType: Amazon MWS Settings,Seller ID,విక్రేత ID
@@ -6781,12 +6855,12 @@
 DocType: Company,Date of Incorporation,చేర్పు తేదీ
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,మొత్తం పన్ను
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,చివరి కొనుగోలు ధర
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,పరిమాణం (ప్యాక్ చేసిన అంశాల తయారు) తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,పరిమాణం (ప్యాక్ చేసిన అంశాల తయారు) తప్పనిసరి
 DocType: Stock Entry,Default Target Warehouse,డిఫాల్ట్ టార్గెట్ వేర్హౌస్
 DocType: Purchase Invoice,Net Total (Company Currency),నికర మొత్తం (కంపెనీ కరెన్సీ)
 DocType: Delivery Note,Air,ఎయిర్
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ఇయర్ ఎండ్ తేదీ ఇయర్ ప్రారంభ తేదీ కంటే ముందు ఉండకూడదు. దయచేసి తేదీలు సరిచేసి మళ్ళీ ప్రయత్నించండి.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ఐచ్ఛికం హాలిడే జాబితాలో లేదు
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ఐచ్ఛికం హాలిడే జాబితాలో లేదు
 DocType: Notification Control,Purchase Receipt Message,కొనుగోలు రసీదులు సందేశం
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,స్క్రాప్ అంశాలు
@@ -6809,23 +6883,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,నిర్వాహ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,మునుపటి రో మొత్తం మీద
 DocType: Item,Has Expiry Date,గడువు తేదీ ఉంది
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,ట్రాన్స్ఫర్ ఆస్తి
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,ట్రాన్స్ఫర్ ఆస్తి
 DocType: POS Profile,POS Profile,POS ప్రొఫైల్
 DocType: Training Event,Event Name,ఈవెంట్ పేరు
 DocType: Healthcare Practitioner,Phone (Office),ఫోన్ (ఆఫీసు)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","సమర్పించలేరు, ఉద్యోగులు హాజరు గుర్తుగా వదిలి"
 DocType: Inpatient Record,Admission,అడ్మిషన్
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},కోసం ప్రవేశాలు {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","సెట్ బడ్జెట్లు, లక్ష్యాలను మొదలైనవి కోసం కాలికోద్యోగం"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","సెట్ బడ్జెట్లు, లక్ష్యాలను మొదలైనవి కోసం కాలికోద్యోగం"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,వేరియబుల్ పేరు
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} అంశం ఒక టెంప్లేట్, దాని వైవిధ్యాలు ఒకటి ఎంచుకోండి దయచేసి"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,దయచేసి మానవ వనరులో HR ఉద్యోగ నామకరణ వ్యవస్థ సెటప్ చేయండి&gt; హెచ్ఆర్ సెట్టింగులు
+DocType: Purchase Invoice Item,Deferred Expense,వాయిదా వేసిన ఖర్చు
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},తేదీ నుండి {0} ఉద్యోగి చేరిన తేదీకి ముందు ఉండకూడదు {1}
 DocType: Asset,Asset Category,ఆస్తి వర్గం
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,నికర పే ప్రతికూల ఉండకూడదు
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,నికర పే ప్రతికూల ఉండకూడదు
 DocType: Purchase Order,Advance Paid,అడ్వాన్స్ చెల్లింపు
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,సేల్స్ ఆర్డర్ కోసం అధిక ఉత్పత్తి శాతం
 DocType: Item,Item Tax,అంశం పన్ను
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,సరఫరాదారు మెటీరియల్
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,సరఫరాదారు మెటీరియల్
 DocType: Soil Texture,Loamy Sand,లోమీ ఇసుక
 DocType: Production Plan,Material Request Planning,మెటీరియల్ అభ్యర్థన ప్రణాళిక
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,ఎక్సైజ్ వాయిస్
@@ -6847,11 +6923,11 @@
 DocType: Scheduling Tool,Scheduling Tool,షెడ్యూలింగ్ టూల్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,క్రెడిట్ కార్డ్
 DocType: BOM,Item to be manufactured or repacked,అంశం తయారు లేదా repacked వుంటుంది
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},స్థితిలో సింటాక్స్ లోపం: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},స్థితిలో సింటాక్స్ లోపం: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,మేజర్ / ఆప్షనల్ సబ్జెక్ట్స్
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,దయచేసి సెట్టింగులను కొనడంలో సరఫరాదారు సమూహాన్ని సెట్ చేయండి.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,దయచేసి సెట్టింగులను కొనడంలో సరఫరాదారు సమూహాన్ని సెట్ చేయండి.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",మొత్తం సౌకర్యవంతమైన ప్రయోజనం భాగం మొత్తం {0} మాక్స్ ప్రయోజనాలు కంటే తక్కువగా ఉండకూడదు {1}
 DocType: Sales Invoice Item,Drop Ship,డ్రాప్ షిప్
 DocType: Driver,Suspended,సస్పెండ్
@@ -6871,7 +6947,7 @@
 DocType: Customer,Commission Rate,కమిషన్ రేటు
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,చెల్లింపు నమోదులు విజయవంతంగా సృష్టించబడ్డాయి
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{0} కోసం {0} స్కోర్కార్డ్లు సృష్టించబడ్డాయి:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,వేరియంట్ చేయండి
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,వేరియంట్ చేయండి
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","చెల్లింపు పద్ధతి, స్వీకరించండి ఒకటి ఉండాలి చెల్లించండి మరియు అంతర్గత బదిలీ"
 DocType: Travel Itinerary,Preferred Area for Lodging,లాడ్జింగ్ కోసం ఇష్టపడే ప్రాంతం
 apps/erpnext/erpnext/config/selling.py +184,Analytics,విశ్లేషణలు
@@ -6882,7 +6958,7 @@
 DocType: Work Order,Actual Operating Cost,వాస్తవ ఆపరేటింగ్ వ్యయం
 DocType: Payment Entry,Cheque/Reference No,ప్రిపే / సూచన నో
 DocType: Soil Texture,Clay Loam,క్లే లోమ్
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,రూట్ సంపాదకీయం సాధ్యం కాదు.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,రూట్ సంపాదకీయం సాధ్యం కాదు.
 DocType: Item,Units of Measure,యూనిట్స్ ఆఫ్ మెజర్
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,మెట్రో నగరంలో అద్దెకు తీసుకున్నారు
 DocType: Supplier,Default Tax Withholding Config,డిఫాల్ట్ టాక్స్ విత్ హోల్డింగ్ కాన్ఫిగ్
@@ -6900,21 +6976,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,చెల్లింపు పూర్తయిన తర్వాత ఎంపిక పేజీకి వినియోగదారు మళ్ళింపు.
 DocType: Company,Existing Company,ఇప్పటికే కంపెనీ
 DocType: Healthcare Settings,Result Emailed,ఫలితం ఇమెయిల్ చేయబడింది
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",పన్ను వర్గం &quot;మొత్తం&quot; మార్చబడింది ఆల్ కాని స్టాక్ అంశాలను ఎందుకంటే
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",పన్ను వర్గం &quot;మొత్తం&quot; మార్చబడింది ఆల్ కాని స్టాక్ అంశాలను ఎందుకంటే
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,ఇప్పటి వరకు తేదీ నుండి కన్నా సమానంగా లేదా తక్కువగా ఉండకూడదు
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,మార్చడానికి ఏమీ లేదు
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ఒక csv ఫైల్ను ఎంచుకోండి
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,ఒక csv ఫైల్ను ఎంచుకోండి
 DocType: Holiday List,Total Holidays,మొత్తం సెలవులు
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,డిస్పాచ్ కోసం ఇమెయిల్ టెంప్లేట్ లేదు. దయచేసి డెలివరీ సెట్టింగులలో ఒకదాన్ని సెట్ చేయండి.
 DocType: Student Leave Application,Mark as Present,కానుకగా మార్క్
 DocType: Supplier Scorecard,Indicator Color,సూచిక రంగు
 DocType: Purchase Order,To Receive and Bill,స్వీకరించండి మరియు బిల్
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,రో # {0}: తేదీ ద్వారా రికడ్ లావాదేవీ తేదీకి ముందు ఉండకూడదు
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,రో # {0}: తేదీ ద్వారా రికడ్ లావాదేవీ తేదీకి ముందు ఉండకూడదు
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,లక్షణం చేసిన ఉత్పత్తులు
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,సీరియల్ నంబర్ ఎంచుకోండి
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,సీరియల్ నంబర్ ఎంచుకోండి
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,డిజైనర్
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,నియమాలు మరియు నిబంధనలు మూస
 DocType: Serial No,Delivery Details,డెలివరీ వివరాలు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},రకం కోసం ఖర్చు సెంటర్ వరుసగా అవసరం {0} పన్నులు పట్టిక {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},రకం కోసం ఖర్చు సెంటర్ వరుసగా అవసరం {0} పన్నులు పట్టిక {1}
 DocType: Program,Program Code,ప్రోగ్రామ్ కోడ్
 DocType: Terms and Conditions,Terms and Conditions Help,నియమాలు మరియు నిబంధనలు సహాయం
 ,Item-wise Purchase Register,అంశం వారీగా కొనుగోలు నమోదు
@@ -6927,15 +7004,16 @@
 DocType: Contract,Contract Terms,కాంట్రాక్ట్ నిబంధనలు
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,కరెన్సీ etc $ వంటి ఏ చిహ్నం తదుపరి చూపవద్దు.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},భాగం యొక్క గరిష్ట లాభం మొత్తం {0} {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(హాఫ్ డే)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(హాఫ్ డే)
 DocType: Payment Term,Credit Days,క్రెడిట్ డేస్
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,దయచేసి ల్యాబ్ పరీక్షలను పొందడానికి రోగిని ఎంచుకోండి
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,స్టూడెంట్ బ్యాచ్ చేయండి
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,తయారీ కోసం బదిలీ అనుమతించు
 DocType: Leave Type,Is Carry Forward,ఫార్వర్డ్ కారి ఉంటుంది
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,బిఒఎం నుండి అంశాలు పొందండి
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,బిఒఎం నుండి అంశాలు పొందండి
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,సమయం రోజులు లీడ్
 DocType: Cash Flow Mapping,Is Income Tax Expense,ఆదాయ పన్ను ఖర్చు
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,మీ ఆర్డర్ డెలివరీ కోసం ముగిసింది!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},రో # {0}: తేదీ పోస్టింగ్ కొనుగోలు తేదీని అదే ఉండాలి {1} ఆస్తి యొక్క {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,విద్యార్థుల సంస్థ హాస్టల్ వద్ద నివసిస్తున్నారు ఉంది అయితే దీన్ని ఎంచుకోండి.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,పైన ఇచ్చిన పట్టికలో సేల్స్ ఆర్డర్స్ నమోదు చేయండి
@@ -6943,10 +7021,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,మరొక గిడ్డంగి నుండి ఒక ఆస్తి బదిలీ
 DocType: Vehicle,Petrol,పెట్రోల్
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),మిగిలిన ప్రయోజనాలు (వార్షిక)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,వస్తువుల యొక్క జామా ఖర్చు
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,వస్తువుల యొక్క జామా ఖర్చు
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},రో {0}: పార్టీ పద్ధతి మరియు పార్టీ స్వీకరించదగిన / చెల్లించవలసిన ఖాతా కోసం అవసరం {1}
 DocType: Employee,Leave Policy,విధానంలో వదిలివేయండి
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,నవీకరణ అంశాలు
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,నవీకరణ అంశాలు
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref తేదీ
 DocType: Employee,Reason for Leaving,వదలి వెళ్ళుటకు కారణాలు
 DocType: BOM Operation,Operating Cost(Company Currency),ఆపరేటింగ్ వ్యయం (కంపెనీ కరెన్సీ)
@@ -6957,7 +7035,7 @@
 DocType: Department,Expense Approvers,వ్యయ అంచనాలు
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},రో {0}: డెబిట్ ప్రవేశం తో జతచేయవచ్చు ఒక {1}
 DocType: Journal Entry,Subscription Section,సభ్యత్వ విభాగం
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,ఖాతా {0} ఉనికిలో లేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,ఖాతా {0} ఉనికిలో లేదు
 DocType: Training Event,Training Program,శిక్షణ కార్యక్రమం
 DocType: Account,Cash,క్యాష్
 DocType: Employee,Short biography for website and other publications.,వెబ్సైట్ మరియు ఇతర ప్రచురణలకు క్లుప్త జీవితచరిత్ర.
diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv
index 05d46a3..e7fa77b 100644
--- a/erpnext/translations/th.csv
+++ b/erpnext/translations/th.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,รายการลูกค้า
 DocType: Project,Costing and Billing,ต้นทุนและการเรียกเก็บเงิน
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},สกุลเงินของบัญชี Advance ควรเหมือนกับสกุลเงินของ บริษัท {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่สามารถแยกประเภท
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่สามารถแยกประเภท
 DocType: Item,Publish Item to hub.erpnext.com,เผยแพร่รายการที่จะ hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,ไม่สามารถหาช่วงเวลาที่ใช้งานได้
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,ไม่สามารถหาช่วงเวลาที่ใช้งานได้
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,การประเมินผล
 DocType: Item,Default Unit of Measure,หน่วยเริ่มต้นของวัด
 DocType: SMS Center,All Sales Partner Contact,ทั้งหมดติดต่อพันธมิตรการขาย
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,คลิก Enter เพื่อเพิ่ม
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",ไม่มีค่าสำหรับรหัสผ่านรหัส API หรือ Shopify URL
 DocType: Employee,Rented,เช่า
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,บัญชีทั้งหมด
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,บัญชีทั้งหมด
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,ไม่สามารถโอนพนักงานที่มีสถานะเหลือ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",หยุดใบสั่งผลิตไม่สามารถยกเลิกจุกมันเป็นครั้งแรกที่จะยกเลิก
 DocType: Vehicle Service,Mileage,ระยะทาง
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,คุณไม่อยากที่จะทิ้งสินทรัพย์นี้?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,คุณไม่อยากที่จะทิ้งสินทรัพย์นี้?
 DocType: Drug Prescription,Update Schedule,อัปเดตตารางเวลา
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,เลือกผู้ผลิตเริ่มต้น
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,แสดงพนักงาน
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,อัตราแลกเปลี่ยนใหม่
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},สกุลเงินเป็นสิ่งจำเป็นสำหรับราคา {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},สกุลเงินเป็นสิ่งจำเป็นสำหรับราคา {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* จะถูกคำนวณในขณะทำรายการ
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,ติดต่อลูกค้า
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,นี้ขึ้นอยู่กับการทำธุรกรรมกับผู้จัดหาสินค้านี้ ดูระยะเวลารายละเอียดด้านล่าง
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,เปอร์เซ็นต์การผลิตมากเกินไปสำหรับใบสั่งงาน
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,กฎหมาย
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,กฎหมาย
+DocType: Delivery Note,Transport Receipt Date,วันที่รับใบเสร็จการขนส่ง
 DocType: Shopify Settings,Sales Order Series,ซีรี่ส์ใบสั่งขาย
 DocType: Vital Signs,Tongue,ลิ้น
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,ยกเว้น HRA
 DocType: Sales Invoice,Customer Name,ชื่อลูกค้า
 DocType: Vehicle,Natural Gas,ก๊าซธรรมชาติ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},บัญชีธนาคารไม่สามารถตั้งชื่อเป็น {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},บัญชีธนาคารไม่สามารถตั้งชื่อเป็น {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA ตามโครงสร้างเงินเดือน
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,หัว (หรือกลุ่ม) กับบัญชีรายการที่จะทำและจะรักษายอด
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),ที่โดดเด่นสำหรับ {0} ไม่ สามารถน้อยกว่า ศูนย์ ( {1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,วันหยุดบริการต้องเป็นวันที่เริ่มบริการ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,วันหยุดบริการต้องเป็นวันที่เริ่มบริการ
 DocType: Manufacturing Settings,Default 10 mins,เริ่มต้น 10 นาที
 DocType: Leave Type,Leave Type Name,ฝากชื่อประเภท
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,แสดงเปิด
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,แสดงเปิด
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,ชุด ล่าสุด ที่ประสบความสำเร็จ
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,เช็คเอาท์
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} ในแถว {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} ในแถว {1}
 DocType: Asset Finance Book,Depreciation Start Date,ค่าเสื่อมราคาวันที่เริ่มต้น
 DocType: Pricing Rule,Apply On,สมัคร เมื่อวันที่
 DocType: Item Price,Multiple Item prices.,ราคา หลายรายการ
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,การตั้งค่าการสนับสนุน
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,คาดว่าวันที่สิ้นสุดไม่สามารถจะน้อยกว่าที่คาดว่าจะเริ่มวันที่
 DocType: Amazon MWS Settings,Amazon MWS Settings,การตั้งค่า Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,แถว # {0}: ให้คะแนนจะต้องเป็นเช่นเดียวกับ {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,แถว # {0}: ให้คะแนนจะต้องเป็นเช่นเดียวกับ {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Batch รายการสถานะหมดอายุ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,ตั๋วแลกเงิน
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,รายละเอียดการติดต่อหลัก
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,เปิดประเด็น
 DocType: Production Plan Item,Production Plan Item,สินค้าแผนการผลิต
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},ผู้ใช้ {0} จะถูก กำหนดให้กับ พนักงาน {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},ผู้ใช้ {0} จะถูก กำหนดให้กับ พนักงาน {1}
 DocType: Lab Test Groups,Add new line,เพิ่มบรรทัดใหม่
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,การดูแลสุขภาพ
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ความล่าช้าในการชำระเงิน (วัน)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,การกําหนด Lab
 ,Delay Days,Delay Days
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ค่าใช้จ่ายในการให้บริการ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},หมายเลขซีเรียล: {0} มีการอ้างถึงในใบแจ้งหนี้การขายแล้ว: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},หมายเลขซีเรียล: {0} มีการอ้างถึงในใบแจ้งหนี้การขายแล้ว: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,ใบกำกับสินค้า
 DocType: Purchase Invoice Item,Item Weight Details,รายละเอียดน้ำหนักรายการ
 DocType: Asset Maintenance Log,Periodicity,การเป็นช่วง ๆ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ปีงบประมาณ {0} จะต้อง
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,ผู้จัดจำหน่าย&gt; กลุ่มผู้จัดจำหน่าย
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ระยะห่างระหว่างแถวของพืชน้อยที่สุดสำหรับการเจริญเติบโตที่ดีที่สุด
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,ฝ่ายจำเลย
 DocType: Salary Component,Abbr,ตัวอักษรย่อ
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,รายการวันหยุด
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,นักบัญชี
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,รายการราคาขาย
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,รายการราคาขาย
 DocType: Patient,Tobacco Current Use,การใช้ในปัจจุบันของยาสูบ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,ราคาขาย
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,ราคาขาย
 DocType: Cost Center,Stock User,หุ้นผู้ใช้
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,ข้อมูลติดต่อ
 DocType: Company,Phone No,โทรศัพท์ไม่มี
 DocType: Delivery Trip,Initial Email Notification Sent,ส่งอีเมลแจ้งเตือนครั้งแรกแล้ว
 DocType: Bank Statement Settings,Statement Header Mapping,การทำแผนที่ส่วนหัวของคำแถลง
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,วันที่เริ่มต้นการสมัคร
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,บัญชีลูกหนี้ผิดนัดที่จะใช้หากไม่ได้ระบุไว้ในสมุดรายชื่อผู้ป่วยเพื่อสำรองค่าใช้จ่ายในการนัดหมาย
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",แนบไฟล์ csv ที่มีสองคอลัมน์หนึ่งชื่อเก่าและหนึ่งสำหรับชื่อใหม่
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,จากที่อยู่ 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,รหัสรายการ&gt; กลุ่มสินค้า&gt; แบรนด์
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,จากที่อยู่ 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} ไม่ได้อยู่ในปีงบประมาณใดๆ
 DocType: Packed Item,Parent Detail docname,docname รายละเอียดผู้ปกครอง
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",ข้อมูลอ้างอิง: {0} รหัสรายการ: {1} และลูกค้า: {2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} ไม่มีอยู่ใน บริษัท แม่
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} ไม่มีอยู่ใน บริษัท แม่
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,วันสิ้นสุดของรอบระยะทดลองไม่สามารถเป็นได้ก่อนวันที่เริ่มทดลองใช้
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,กิโลกรัม
 DocType: Tax Withholding Category,Tax Withholding Category,ประเภทหัก ณ ที่จ่ายภาษี
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,การโฆษณา
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,บริษัท เดียวกันจะเข้ามามากกว่าหนึ่งครั้ง
 DocType: Patient,Married,แต่งงาน
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},ไม่อนุญาตสำหรับ {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},ไม่อนุญาตสำหรับ {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,รับรายการจาก
 DocType: Price List,Price Not UOM Dependant,ราคาไม่ขึ้นอยู่ UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,สมัครหักภาษี ณ ที่จ่าย
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,ยอดรวมเครดิต
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,ยอดรวมเครดิต
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},สินค้า {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,ไม่มีรายการที่ระบุไว้
 DocType: Asset Repair,Error Description,คำอธิบายข้อผิดพลาด
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,ใช้รูปแบบกระแสเงินสดที่กำหนดเอง
 DocType: SMS Center,All Sales Person,คนขายทั้งหมด
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** การกระจายรายเดือน ** จะช่วยให้คุณแจกจ่ายงบประมาณ / เป้าหมายข้ามเดือนถ้าคุณมีฤดูกาลในธุรกิจของคุณ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,ไม่พบรายการ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,โครงสร้างเงินเดือนที่ขาดหายไป
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,ไม่พบรายการ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,โครงสร้างเงินเดือนที่ขาดหายไป
 DocType: Lead,Person Name,คนที่ชื่อ
 DocType: Sales Invoice Item,Sales Invoice Item,รายการใบแจ้งหนี้การขาย
 DocType: Account,Credit,เครดิต
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,รายงานสต็อกสินค้า
 DocType: Warehouse,Warehouse Detail,รายละเอียดคลังสินค้า
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,วันที่สิ้นสุดระยะเวลาที่ไม่สามารถจะช้ากว่าปีวันที่สิ้นสุดปีการศึกษาที่คำว่ามีการเชื่อมโยง (ปีการศึกษา {}) โปรดแก้ไขวันและลองอีกครั้ง
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ไม่สามารถเพิกถอน ""คือสินทรัพย์ถาวร"" ได้เพราะมีบันทึกสินทรัพย์ที่อยู่กับรายการ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ไม่สามารถเพิกถอน ""คือสินทรัพย์ถาวร"" ได้เพราะมีบันทึกสินทรัพย์ที่อยู่กับรายการ"
 DocType: Delivery Trip,Departure Time,เวลาออกเดินทาง
 DocType: Vehicle Service,Brake Oil,น้ำมันเบรค
 DocType: Tax Rule,Tax Type,ประเภทภาษี
 ,Completed Work Orders,ใบสั่งงานที่เสร็จสมบูรณ์
 DocType: Support Settings,Forum Posts,กระทู้จากฟอรัม
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,จำนวนเงินที่ต้องเสียภาษี
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,จำนวนเงินที่ต้องเสียภาษี
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},คุณยังไม่ได้รับอนุญาตให้ เพิ่มหรือปรับปรุง รายการ ก่อน {0}
 DocType: Leave Policy,Leave Policy Details,ปล่อยรายละเอียดนโยบาย
 DocType: BOM,Item Image (if not slideshow),รูปภาพสินค้า (ถ้าไม่สไลด์โชว์)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(อัตราค่าแรง / 60) * เวลาที่ดำเนินงานจริง
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,แถว # {0}: ประเภทเอกสารอ้างอิงต้องเป็นหนึ่งในการเรียกร้องค่าใช้จ่ายหรือบันทึกประจำวัน
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,เลือก BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,แถว # {0}: ประเภทเอกสารอ้างอิงต้องเป็นหนึ่งในการเรียกร้องค่าใช้จ่ายหรือบันทึกประจำวัน
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,เลือก BOM
 DocType: SMS Log,SMS Log,เข้าสู่ระบบ SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ค่าใช้จ่ายในการจัดส่งสินค้า
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,วันหยุดในวันที่ {0} ไม่ได้ระหว่างนับจากวันและวันที่
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,แม่แบบของ standings ผู้จัดจำหน่าย
 DocType: Lead,Interested,สนใจ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,การเปิด
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},จาก {0} เป็น {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},จาก {0} เป็น {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,โปรแกรม:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,ไม่สามารถตั้งค่าภาษีได้
 DocType: Item,Copy From Item Group,คัดลอกจากกลุ่มสินค้า
-DocType: Delivery Trip,Delivery Notification,การแจ้งการจัดส่ง
 DocType: Journal Entry,Opening Entry,เปิดรายการ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,บัญชีจ่ายเพียง
 DocType: Loan,Repay Over Number of Periods,ชำระคืนกว่าจำนวนงวด
 DocType: Stock Entry,Additional Costs,ค่าใช้จ่ายเพิ่มเติม
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม
 DocType: Lead,Product Enquiry,สอบถามสินค้า
 DocType: Education Settings,Validate Batch for Students in Student Group,ตรวจสอบรุ่นสำหรับนักเรียนในกลุ่มนักเรียน
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},ไม่มีประวัติการลาพบพนักงาน {0} สำหรับ {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,กรุณากรอก บริษัท แรก
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,กรุณาเลือก บริษัท แรก
 DocType: Employee Education,Under Graduate,ภายใต้บัณฑิต
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,โปรดตั้งค่าเทมเพลตมาตรฐานสำหรับการแจ้งเตือนสถานะการลาออกในการตั้งค่า HR
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,โปรดตั้งค่าเทมเพลตมาตรฐานสำหรับการแจ้งเตือนสถานะการลาออกในการตั้งค่า HR
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,เป้าหมาย ที่
 DocType: BOM,Total Cost,ค่าใช้จ่ายรวม
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,งบบัญชี
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,ยา
 DocType: Purchase Invoice Item,Is Fixed Asset,เป็นสินทรัพย์ถาวร
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",จำนวนที่มีอยู่ {0} คุณต้อง {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",จำนวนที่มีอยู่ {0} คุณต้อง {1}
 DocType: Expense Claim Detail,Claim Amount,จำนวนการเรียกร้อง
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},สั่งทำงาน {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,แม่แบบการตรวจสอบคุณภาพ
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",คุณต้องการที่จะปรับปรุงการเข้าร่วม? <br> ปัจจุบัน: {0} \ <br> ขาด: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},จำนวนสินค้าที่ผ่านการตรวจรับ + จำนวนสินค้าที่ไม่ผ่านการตรวจรับ จะต้องมีปริมาณเท่ากับ  จำนวน สืนค้าที่ได้รับ สำหรับ รายการ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},จำนวนสินค้าที่ผ่านการตรวจรับ + จำนวนสินค้าที่ไม่ผ่านการตรวจรับ จะต้องมีปริมาณเท่ากับ  จำนวน สืนค้าที่ได้รับ สำหรับ รายการ {0}
 DocType: Item,Supply Raw Materials for Purchase,วัตถุดิบสำหรับการซื้อวัสดุสิ้นเปลือง
 DocType: Agriculture Analysis Criteria,Fertilizer,ปุ๋ย
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",ไม่สามารถรับรองการส่งมอบโดย Serial No เป็น \ Item {0} ถูกเพิ่มด้วยและโดยไม่ต้องแน่ใจว่ามีการจัดส่งโดย \ Serial No.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,อย่างน้อยหนึ่งโหมดการชำระเงินเป็นสิ่งจำเป็นสำหรับใบแจ้งหนี้ จุดขาย
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,อย่างน้อยหนึ่งโหมดการชำระเงินเป็นสิ่งจำเป็นสำหรับใบแจ้งหนี้ จุดขาย
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,รายการใบแจ้งรายการธุรกรรมของธนาคาร
 DocType: Products Settings,Show Products as a List,แสดงผลิตภัณฑ์ที่เป็นรายการ
 DocType: Salary Detail,Tax on flexible benefit,ภาษีจากผลประโยชน์ที่ยืดหยุ่น
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,จำนวนเงินต่างกัน
 DocType: Production Plan,Material Request Detail,รายละเอียดคำขอเนื้อหา
 DocType: Selling Settings,Default Quotation Validity Days,วันที่ถูกต้องของใบเสนอราคาเริ่มต้น
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม
 DocType: SMS Center,SMS Center,ศูนย์ SMS
 DocType: Payroll Entry,Validate Attendance,ตรวจสอบการเข้าร่วม
 DocType: Sales Invoice,Change Amount,เปลี่ยนจำนวน
 DocType: Party Tax Withholding Config,Certificate Received,ใบรับรองที่ได้รับ
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,ตั้งค่าใบแจ้งหนี้สำหรับ B2C B2CL และ B2CS คำนวณตามมูลค่าใบแจ้งหนี้นี้
 DocType: BOM Update Tool,New BOM,BOM ใหม่
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,ขั้นตอนที่กำหนดไว้
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,ขั้นตอนที่กำหนดไว้
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,แสดงเฉพาะ POS
 DocType: Supplier Group,Supplier Group Name,ชื่อกลุ่มผู้จัดจำหน่าย
 DocType: Driver,Driving License Categories,ประเภทใบอนุญาตขับรถ
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,งวดบัญชีเงินเดือน
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,สร้างพนักงาน
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,บรอดคาสติ้ง
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),โหมดตั้งค่า POS (ออนไลน์ / ออฟไลน์)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),โหมดตั้งค่า POS (ออนไลน์ / ออฟไลน์)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ปิดใช้งานการสร้างบันทึกเวลากับคำสั่งซื้องาน การดำเนินงานจะไม่ถูกติดตามต่อ Work Order
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,การปฏิบัติ
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,รายละเอียดของการดำเนินการดำเนินการ
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),ส่วนลดราคา Rate (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,เทมเพลตรายการ
 DocType: Job Offer,Select Terms and Conditions,เลือกข้อตกลงและเงื่อนไข
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,ราคาออกมา
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,ราคาออกมา
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,รายการการตั้งค่ารายการบัญชีธนาคาร
 DocType: Woocommerce Settings,Woocommerce Settings,การตั้งค่า Woocommerce
 DocType: Production Plan,Sales Orders,ใบสั่งขาย
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,การขอใบเสนอราคาสามารถเข้าถึงได้โดยการคลิกที่ลิงค์ต่อไปนี้
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG หลักสูตรการสร้างเครื่องมือ
 DocType: Bank Statement Transaction Invoice Item,Payment Description,คำอธิบายการชำระเงิน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,ไม่เพียงพอที่แจ้ง
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,ไม่เพียงพอที่แจ้ง
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,การวางแผนความจุปิดการใช้งานและการติดตามเวลา
 DocType: Email Digest,New Sales Orders,คำสั่งขายใหม่
 DocType: Bank Account,Bank Account,บัญชีเงินฝาก
 DocType: Travel Itinerary,Check-out Date,วันที่เช็คเอาต์
 DocType: Leave Type,Allow Negative Balance,อนุญาตให้ยอดคงเหลือติดลบ
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',คุณไม่สามารถลบประเภทโครงการ &#39;ภายนอก&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,เลือกรายการอื่น
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,เลือกรายการอื่น
 DocType: Employee,Create User,สร้างผู้ใช้
 DocType: Selling Settings,Default Territory,ดินแดนเริ่มต้น
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,โทรทัศน์
 DocType: Work Order Operation,Updated via 'Time Log',ปรับปรุงแล้วทาง 'บันทึกเวลา'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,เลือกลูกค้าหรือผู้จัดจำหน่าย
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},จำนวนเงินล่วงหน้าไม่สามารถจะสูงกว่า {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},จำนวนเงินล่วงหน้าไม่สามารถจะสูงกว่า {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",ช่วงเวลาข้ามไปช่อง {0} ถึง {1} ซ้อนทับซ้อนกันของช่องที่มีอยู่ {2} ถึง {3}
 DocType: Naming Series,Series List for this Transaction,รายชื่อชุดสำหรับการทำธุรกรรมนี้
 DocType: Company,Enable Perpetual Inventory,เปิดใช้พื้นที่โฆษณาถาวร
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,กับใบแจ้งหนี้การขายสินค้า
 DocType: Agriculture Analysis Criteria,Linked Doctype,Linked DOCTYPE
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,เงินสดสุทธิจากการจัดหาเงินทุน
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save",LocalStorage เต็มไม่ได้บันทึก
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save",LocalStorage เต็มไม่ได้บันทึก
 DocType: Lead,Address & Contact,ที่อยู่และการติดต่อ
 DocType: Leave Allocation,Add unused leaves from previous allocations,เพิ่มใบไม่ได้ใช้จากการจัดสรรก่อนหน้า
 DocType: Sales Partner,Partner website,เว็บไซต์พันธมิตร
@@ -447,10 +447,10 @@
 ,Open Work Orders,Open Orders
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,รายการค่าที่ปรึกษาสำหรับผู้ป่วยนอก
 DocType: Payment Term,Credit Months,เดือนเครดิต
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,จ่ายสุทธิไม่สามารถน้อยกว่า 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,จ่ายสุทธิไม่สามารถน้อยกว่า 0
 DocType: Contract,Fulfilled,สม
 DocType: Inpatient Record,Discharge Scheduled,ปลดประจำการ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,บรรเทา วันที่ ต้องมากกว่า วันที่ เข้าร่วม
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,บรรเทา วันที่ ต้องมากกว่า วันที่ เข้าร่วม
 DocType: POS Closing Voucher,Cashier,แคชเชียร์
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,การลาต่อปี
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,แถว {0}: โปรดตรวจสอบ 'เป็นล่วงหน้า' กับบัญชี {1} ถ้านี้เป็นรายการล่วงหน้า
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,โปรดตั้งค่านักเรียนภายใต้กลุ่มนักเรียน
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Complete Job
 DocType: Item Website Specification,Item Website Specification,สเปกเว็บไซต์รายการ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,ฝากที่ถูกบล็อก
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},รายการ {0} ได้ ถึงจุดสิ้นสุด ของ ชีวิตบน {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,ฝากที่ถูกบล็อก
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},รายการ {0} ได้ ถึงจุดสิ้นสุด ของ ชีวิตบน {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,รายการธนาคาร
 DocType: Customer,Is Internal Customer,เป็นลูกค้าภายใน
 DocType: Crop,Annual,ประจำปี
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",หากเลือก Auto Opt In ลูกค้าจะเชื่อมโยงกับโปรแกรมความภักดี (เกี่ยวกับการบันทึก) โดยอัตโนมัติ
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,สต็อกสินค้าสมานฉันท์
 DocType: Stock Entry,Sales Invoice No,ขายใบแจ้งหนี้ไม่มี
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,ชนิดของวัสดุสิ้นเปลือง
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,ชนิดของวัสดุสิ้นเปลือง
 DocType: Material Request Item,Min Order Qty,จำนวนสั่งซื้อขั้นต่ำ
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,คอร์สกลุ่มนักศึกษาสร้างเครื่องมือ
 DocType: Lead,Do Not Contact,ไม่ ติดต่อ
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,เผยแพร่ใน Hub
 DocType: Student Admission,Student Admission,การรับสมัครนักศึกษา
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,รายการ {0} จะถูกยกเลิก
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,รายการ {0} จะถูกยกเลิก
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,ค่าเสื่อมราคาแถว {0}: ค่าเสื่อมราคาวันเริ่มต้นถูกป้อนตามวันที่ผ่านมา
 DocType: Contract Template,Fulfilment Terms and Conditions,ข้อกำหนดในการให้บริการ Fulfillment
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,ขอวัสดุ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,ขอวัสดุ
 DocType: Bank Reconciliation,Update Clearance Date,อัพเดทวันที่ Clearance
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,รายละเอียดการซื้อ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},รายการ {0} ไม่พบใน &#39;วัตถุดิบมา&#39; ตารางในการสั่งซื้อ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},รายการ {0} ไม่พบใน &#39;วัตถุดิบมา&#39; ตารางในการสั่งซื้อ {1}
 DocType: Salary Slip,Total Principal Amount,ยอดรวมเงินต้น
 DocType: Student Guardian,Relation,ความสัมพันธ์
 DocType: Student Guardian,Mother,แม่
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,การจัดส่งสินค้าเคาน์ตี้
 DocType: Currency Exchange,For Selling,สำหรับการขาย
 apps/erpnext/erpnext/config/desktop.py +159,Learn,เรียนรู้
+DocType: Purchase Invoice Item,Enable Deferred Expense,เปิดใช้งานค่าใช้จ่ายรอตัดบัญชี
 DocType: Asset,Next Depreciation Date,ถัดไปวันที่ค่าเสื่อมราคา
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ค่าใช้จ่ายในกิจกรรมต่อพนักงาน
 DocType: Accounts Settings,Settings for Accounts,การตั้งค่าสำหรับบัญชี
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},ผู้ผลิตใบแจ้งหนี้ไม่มีอยู่ในการซื้อใบแจ้งหนี้ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},ผู้ผลิตใบแจ้งหนี้ไม่มีอยู่ในการซื้อใบแจ้งหนี้ {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,จัดการ คนขาย ต้นไม้
 DocType: Job Applicant,Cover Letter,จดหมาย
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,เช็คที่โดดเด่นและเงินฝากที่จะล้าง
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,ประวัติการทำงานภายนอก
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,ข้อผิดพลาดในการอ้างอิงแบบวงกลม
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,บัตรรายงานนักเรียน
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,จากรหัสพิน
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,จากรหัสพิน
 DocType: Appointment Type,Is Inpatient,เป็นผู้ป่วยใน
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ชื่อ Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ในคำพูดของ (ส่งออก) จะปรากฏเมื่อคุณบันทึกหมายเหตุจัดส่งสินค้า
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,หลายสกุลเงิน
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ประเภทใบแจ้งหนี้
 DocType: Employee Benefit Claim,Expense Proof,Proof ค่าใช้จ่าย
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,บันทึกการส่งมอบ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},การบันทึก {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,บันทึกการส่งมอบ
 DocType: Patient Encounter,Encounter Impression,Encounter Impression
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,การตั้งค่าภาษี
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,ต้นทุนของทรัพย์สินที่ขาย
 DocType: Volunteer,Morning,ตอนเช้า
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,เข้าชำระเงินได้รับการแก้ไขหลังจากที่คุณดึงมัน กรุณาดึงมันอีกครั้ง
 DocType: Program Enrollment Tool,New Student Batch,ชุดนักเรียนใหม่
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} ได้บันทึกเป็นครั้งที่สองใน รายการ ภาษี
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,สรุปในสัปดาห์นี้และกิจกรรมที่ค้างอยู่
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} ได้บันทึกเป็นครั้งที่สองใน รายการ ภาษี
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,สรุปในสัปดาห์นี้และกิจกรรมที่ค้างอยู่
 DocType: Student Applicant,Admitted,ที่ยอมรับ
 DocType: Workstation,Rent Cost,ต้นทุนการ ให้เช่า
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,จำนวนเงินหลังจากที่ค่าเสื่อมราคา
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,จำนวนเงินหลังจากที่ค่าเสื่อมราคา
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,ที่จะเกิดขึ้นปฏิทินเหตุการณ์
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,ตัวแปรคุณลักษณะ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,กรุณาเลือกเดือนและปี
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},มีเพียงสามารถเป็น 1 บัญชีต่อ บริษัท {0} {1}
 DocType: Support Search Source,Response Result Key Path,เส้นทางคีย์ผลลัพธ์ของผลลัพธ์
 DocType: Journal Entry,Inter Company Journal Entry,การเข้าสู่บันทึกประจำ บริษัท
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},สำหรับปริมาณ {0} ไม่ควรเป็นเครื่องขูดมากกว่าปริมาณการสั่งงาน {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,โปรดดูสิ่งที่แนบมา
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},สำหรับปริมาณ {0} ไม่ควรเป็นเครื่องขูดมากกว่าปริมาณการสั่งงาน {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,โปรดดูสิ่งที่แนบมา
 DocType: Purchase Order,% Received,% ที่ได้รับแล้ว
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,สร้างกลุ่มนักศึกษา
 DocType: Volunteer,Weekends,วันหยุดสุดสัปดาห์
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,รวมดีเด่น
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,เปลี่ยนหมายเลขลำดับเริ่มต้น / ปัจจุบันของชุดที่มีอยู่
 DocType: Dosage Strength,Strength,ความแข็งแรง
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,สร้างลูกค้าใหม่
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,สร้างลูกค้าใหม่
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,หมดอายุเมื่อ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ถ้ากฎการกำหนดราคาหลายยังคงเหนือกว่าผู้ใช้จะขอให้ตั้งลำดับความสำคัญด้วยตนเองเพื่อแก้ไขความขัดแย้ง
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,สร้างใบสั่งซื้อ
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,ค่าใช้จ่ายที่ สิ้นเปลือง
 DocType: Purchase Receipt,Vehicle Date,วันที่ยานพาหนะ
 DocType: Student Log,Medical,การแพทย์
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,เหตุผล สำหรับการสูญเสีย
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,โปรดเลือก Drug
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,เหตุผล สำหรับการสูญเสีย
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,โปรดเลือก Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,เจ้าของตะกั่วไม่สามารถเช่นเดียวกับตะกั่ว
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,จำนวนเงินที่จัดสรรไม่สามารถมากกว่าจำนวนเท็มเพลต
 DocType: Announcement,Receiver,ผู้รับ
 DocType: Location,Area UOM,พื้นที่ UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},เวิร์คสเตชั่จะปิดทำการในวันที่ต่อไปนี้เป็นรายชื่อต่อวันหยุด: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,โอกาส
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,โอกาส
 DocType: Lab Test Template,Single,โสด
 DocType: Compensatory Leave Request,Work From Date,ทำงานจากวันที่
 DocType: Salary Slip,Total Loan Repayment,รวมการชำระคืนเงินกู้
+DocType: Project User,View attachments,ดูไฟล์แนบ
 DocType: Account,Cost of Goods Sold,ค่าใช้จ่ายของ สินค้าที่ขาย
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,กรุณาใส่ ศูนย์ต้นทุน
 DocType: Drug Prescription,Dosage,ปริมาณ
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,จำนวนและอัตรา
 DocType: Delivery Note,% Installed,% ที่ติดตั้งแล้ว
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,ห้องเรียน / ห้องปฏิบัติการอื่น ๆ ที่บรรยายสามารถกำหนด
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,สกุลเงินของ บริษัท ทั้งสอง บริษัท ควรตรงกับรายการระหว่าง บริษัท
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,สกุลเงินของ บริษัท ทั้งสอง บริษัท ควรตรงกับรายการระหว่าง บริษัท
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,กรุณาใส่ ชื่อของ บริษัท เป็นครั้งแรก
 DocType: Travel Itinerary,Non-Vegetarian,มังสวิรัติ
 DocType: Purchase Invoice,Supplier Name,ชื่อผู้จัดจำหน่าย
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,ชั่วคราวในการระงับ
 DocType: Account,Is Group,มีกลุ่ม
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,บันทึกเครดิต {0} ถูกสร้างขึ้นโดยอัตโนมัติ
-DocType: Email Digest,Pending Purchase Orders,รอดำเนินการสั่งซื้อ
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,ตั้งโดยอัตโนมัติอนุกรมเลขที่อยู่บนพื้นฐานของ FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ผู้ตรวจสอบใบแจ้งหนี้จำนวนเอกลักษณ์
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,รายละเอียดที่อยู่หลัก
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ปรับแต่งข้อความเกริ่นนำที่จะไปเป็นส่วนหนึ่งของอีเมลที่ แต่ละรายการมีข้อความเกริ่นนำแยก
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},แถว {0}: ต้องดำเนินการกับรายการวัตถุดิบ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},โปรดตั้งค่าบัญชีค่าตั้งต้นสำหรับ บริษัท {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},การทำธุรกรรมไม่ได้รับอนุญาตจากคำสั่งซื้อที่หยุดทำงาน {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},การทำธุรกรรมไม่ได้รับอนุญาตจากคำสั่งซื้อที่หยุดทำงาน {0}
 DocType: Setup Progress Action,Min Doc Count,นับ Min Doc
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,การตั้งค่าโดยรวม สำหรับกระบวนการผลิตทั้งหมด
 DocType: Accounts Settings,Accounts Frozen Upto,บัญชีถูกแช่แข็งจนถึง
 DocType: SMS Log,Sent On,ส่ง
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,แอตทริบิวต์ {0} เลือกหลายครั้งในคุณสมบัติตาราง
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,แอตทริบิวต์ {0} เลือกหลายครั้งในคุณสมบัติตาราง
 DocType: HR Settings,Employee record is created using selected field. ,ระเบียนของพนักงานจะถูกสร้างขึ้นโดยใช้เขตข้อมูลที่เลือก
 DocType: Sales Order,Not Applicable,ไม่สามารถใช้งาน
 DocType: Amazon MWS Settings,UK,สหราชอาณาจักร
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,พนักงาน {0} สมัครใช้งานแล้วสำหรับ {1} ในวันที่ {2}:
 DocType: Inpatient Record,AB Positive,AB บวก
 DocType: Job Opening,Description of a Job Opening,คำอธิบายของการเปิดงาน
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,ที่รอดำเนินการกิจกรรมสำหรับวันนี้
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,ที่รอดำเนินการกิจกรรมสำหรับวันนี้
 DocType: Salary Structure,Salary Component for timesheet based payroll.,ตัวแทนเงินเดือนสำหรับ timesheet ตามบัญชีเงินเดือน
+DocType: Driver,Applicable for external driver,ใช้ได้กับไดรเวอร์ภายนอก
 DocType: Sales Order Item,Used for Production Plan,ที่ใช้ในการวางแผนการผลิต
 DocType: Loan,Total Payment,การชำระเงินรวม
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,ไม่สามารถยกเลิกการทำธุรกรรมสำหรับคำสั่งซื้อที่เสร็จสมบูรณ์ได้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,ไม่สามารถยกเลิกการทำธุรกรรมสำหรับคำสั่งซื้อที่เสร็จสมบูรณ์ได้
 DocType: Manufacturing Settings,Time Between Operations (in mins),เวลาระหว่างการดำเนินงาน (ในนาที)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO ที่สร้างไว้แล้วสำหรับรายการสั่งซื้อทั้งหมด
 DocType: Healthcare Service Unit,Occupied,ที่ถูกครอบครอง
 DocType: Clinical Procedure,Consumables,เครื่องอุปโภคบริโภค
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ถูกยกเลิกดังนั้นการดำเนินการไม่สามารถทำได้
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} ถูกยกเลิกดังนั้นการดำเนินการไม่สามารถทำได้
 DocType: Customer,Buyer of Goods and Services.,ผู้ซื้อสินค้าและบริการ
 DocType: Journal Entry,Accounts Payable,บัญชีเจ้าหนี้
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,จำนวน {0} ที่ตั้งไว้ในคำขอการชำระเงินนี้แตกต่างจากจำนวนเงินที่คำนวณได้ของแผนการชำระเงินทั้งหมด: {1} ตรวจสอบว่าถูกต้องก่อนที่จะส่งเอกสาร
 DocType: Patient,Allergies,โรคภูมิแพ้
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,BOMs ที่เลือกไม่ได้สำหรับรายการเดียวกัน
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,BOMs ที่เลือกไม่ได้สำหรับรายการเดียวกัน
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,เปลี่ยนรหัสรายการ
 DocType: Supplier Scorecard Standing,Notify Other,แจ้งอื่น ๆ
 DocType: Vital Signs,Blood Pressure (systolic),ความดันโลหิต (systolic)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,อะไหล่พอที่จะสร้าง
 DocType: POS Profile User,POS Profile User,ผู้ใช้โปรไฟล์ POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,แถว {0}: ต้องระบุวันที่เริ่มต้นค่าเสื่อมราคา
-DocType: Sales Invoice Item,Service Start Date,วันที่เริ่มบริการ
+DocType: Purchase Invoice Item,Service Start Date,วันที่เริ่มบริการ
 DocType: Subscription Invoice,Subscription Invoice,ใบแจ้งหนี้การสมัครสมาชิก
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,รายได้ โดยตรง
 DocType: Patient Appointment,Date TIme,วันเวลา
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,เครื่องสำอาง
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,โปรดเลือกวันที่เสร็จสิ้นสำหรับบันทึกการบำรุงรักษาสินทรัพย์ที่สมบูรณ์
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",ที่จะ ผสาน คุณสมบัติต่อไปนี้ จะต้อง เหมือนกันสำหรับ ทั้งสองรายการ
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",ที่จะ ผสาน คุณสมบัติต่อไปนี้ จะต้อง เหมือนกันสำหรับ ทั้งสองรายการ
 DocType: Supplier,Block Supplier,บล็อกผู้จัดจำหน่าย
 DocType: Shipping Rule,Net Weight,ปริมาณสุทธิ
 DocType: Job Opening,Planned number of Positions,จำนวนตำแหน่งที่วางแผนไว้
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,แม่แบบการทำแผนที่กระแสเงินสด
 DocType: Travel Request,Costing Details,รายละเอียดการคิดต้นทุน
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,แสดงรายการย้อนกลับ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,อนุกรมไม่มีรายการไม่สามารถเป็นเศษส่วน
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,อนุกรมไม่มีรายการไม่สามารถเป็นเศษส่วน
 DocType: Journal Entry,Difference (Dr - Cr),แตกต่าง ( ดร. - Cr )
 DocType: Bank Guarantee,Providing,หาก
 DocType: Account,Profit and Loss,กำไรและ ขาดทุน
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",ไม่อนุญาตให้ตั้งค่า Lab Test Template ตามต้องการ
 DocType: Patient,Risk Factors,ปัจจัยเสี่ยง
 DocType: Patient,Occupational Hazards and Environmental Factors,อาชีวอนามัยและปัจจัยแวดล้อม
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,สร้างสต็อกที่สร้างไว้แล้วสำหรับใบสั่งงาน
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,สร้างสต็อกที่สร้างไว้แล้วสำหรับใบสั่งงาน
 DocType: Vital Signs,Respiratory rate,อัตราการหายใจ
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,รับเหมาช่วงการจัดการ
 DocType: Vital Signs,Body Temperature,อุณหภูมิของร่างกาย
 DocType: Project,Project will be accessible on the website to these users,โครงการจะสามารถเข้าถึงได้บนเว็บไซต์ของผู้ใช้เหล่านี้
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},ไม่สามารถยกเลิก {0} {1} เนื่องจากเลขที่ประจำผลิตภัณฑ์ {2} ไม่อยู่ในคลังสินค้า {3}
 DocType: Detected Disease,Disease,โรค
+DocType: Company,Default Deferred Expense Account,บัญชีค่าใช้จ่ายรอตัดบัญชี
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,กำหนดชนิดของโครงการ
 DocType: Supplier Scorecard,Weighting Function,ฟังก์ชันการถ่วงน้ำหนัก
 DocType: Healthcare Practitioner,OP Consulting Charge,ค่าที่ปรึกษา OP
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,รายการที่ผลิต
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,จับคู่การทำธุรกรรมกับใบแจ้งหนี้
 DocType: Sales Order Item,Gross Profit,กำไรขั้นต้น
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,เลิกบล็อกใบแจ้งหนี้
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,เลิกบล็อกใบแจ้งหนี้
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ไม่สามารถเพิ่มเป็น 0
 DocType: Company,Delete Company Transactions,ลบรายการที่ บริษัท
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,อ้างอิงและการอ้างอิงวันที่มีผลบังคับใช้สำหรับการทำธุรกรรมธนาคาร
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,ไม่สนใจ
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} ไม่ได้ใช้งาน
 DocType: Woocommerce Settings,Freight and Forwarding Account,บัญชีขนส่งสินค้าและส่งต่อ
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,ขนาดการตั้งค่าการตรวจสอบสำหรับการพิมพ์
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,ขนาดการตั้งค่าการตรวจสอบสำหรับการพิมพ์
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,สร้างสลิปเงินเดือน
 DocType: Vital Signs,Bloated,ป่อง
 DocType: Salary Slip,Salary Slip Timesheet,Timesheet สลิปเงินเดือน
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,คลังสินค้า ผู้จัดจำหน่าย ผลบังคับใช้สำหรับ ย่อย ทำสัญญา รับซื้อ
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,คลังสินค้า ผู้จัดจำหน่าย ผลบังคับใช้สำหรับ ย่อย ทำสัญญา รับซื้อ
 DocType: Item Price,Valid From,ที่ถูกต้อง จาก
 DocType: Sales Invoice,Total Commission,คณะกรรมการรวม
 DocType: Tax Withholding Account,Tax Withholding Account,บัญชีหักภาษี
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,ดัชนีชี้วัดทั้งหมดของ Supplier
 DocType: Buying Settings,Purchase Receipt Required,รับซื้อที่จำเป็น
 DocType: Delivery Note,Rail,ทางรถไฟ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,คลังสินค้าเป้าหมายในแถว {0} ต้องเหมือนกับสั่งทำงาน
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,อัตราการประเมินมีผลบังคับใช้หากเปิดการแจ้งเข้ามา
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,คลังสินค้าเป้าหมายในแถว {0} ต้องเหมือนกับสั่งทำงาน
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,อัตราการประเมินมีผลบังคับใช้หากเปิดการแจ้งเข้ามา
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,ไม่พบใบแจ้งหนี้ในตารางบันทึก
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,กรุณาเลือก บริษัท และประเภทพรรคแรก
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",ตั้งค่าดีฟอลต์ในโพสต์โปรไฟล์ {0} สำหรับผู้ใช้ {1} เรียบร้อยแล้วโปรดปิดใช้งานค่าเริ่มต้น
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,การเงิน รอบปีบัญชี /
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,การเงิน รอบปีบัญชี /
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ค่าสะสม
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",ขออภัย อนุกรม Nos ไม่สามารถ รวม
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,กลุ่มลูกค้าจะตั้งค่าเป็นกลุ่มที่เลือกขณะซิงค์ลูกค้าจาก Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,รหัสช่องทาง
 DocType: C-Form Invoice Detail,Grand Total,รวมทั้งสิ้น
 DocType: Assessment Plan,Course,หลักสูตร
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,รหัสส่วน
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,รหัสส่วน
 DocType: Timesheet,Payslip,payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,วันที่ครึ่งวันควรอยู่ระหว่างตั้งแต่วันที่จนถึงวันที่
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,รถเข็นรายการ
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,ชีวประวัติส่วนบุคคล
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,รหัสสมาชิก
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},จัดส่ง: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},จัดส่ง: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,เชื่อมต่อกับ QuickBooks แล้ว
 DocType: Bank Statement Transaction Entry,Payable Account,เจ้าหนี้การค้า
 DocType: Payment Entry,Type of Payment,ประเภทของการชำระเงิน
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Half Day Date เป็นข้อบังคับ
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,วันที่จัดส่งบิล
 DocType: Production Plan,Production Plan,แผนการผลิต
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,เปิดเครื่องมือสร้างใบแจ้งหนี้
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,ขายกลับ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,ขายกลับ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,หมายเหตุ: ใบที่จัดสรรทั้งหมด {0} ไม่ควรจะน้อยกว่าใบอนุมัติแล้ว {1} สําหรับงวด
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,ตั้งค่าจำนวนในรายการตาม Serial Input ไม่มี
 ,Total Stock Summary,สรุปสต็อคทั้งหมด
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,ลูกค้าหรือรายการ
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,ฐานข้อมูลลูกค้า
 DocType: Quotation,Quotation To,ใบเสนอราคาเพื่อ
-DocType: Lead,Middle Income,มีรายได้ปานกลาง
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,มีรายได้ปานกลาง
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),เปิด ( Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,เริ่มต้นหน่วยวัดสำหรับรายการ {0} ไม่สามารถเปลี่ยนแปลงได้โดยตรงเพราะคุณได้ทำแล้วการทำธุรกรรมบาง (s) กับ UOM อื่น คุณจะต้องสร้างรายการใหม่ที่จะใช้ที่แตกต่างกันเริ่มต้น UOM
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,เริ่มต้นหน่วยวัดสำหรับรายการ {0} ไม่สามารถเปลี่ยนแปลงได้โดยตรงเพราะคุณได้ทำแล้วการทำธุรกรรมบาง (s) กับ UOM อื่น คุณจะต้องสร้างรายการใหม่ที่จะใช้ที่แตกต่างกันเริ่มต้น UOM
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,จำนวนเงินที่จัดสรร ไม่สามารถ ลบ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,โปรดตั้ง บริษัท
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,โปรดตั้ง บริษัท
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,เลือกบัญชีการชำระเงินเพื่อเข้าธนาคาร
 DocType: Hotel Settings,Default Invoice Naming Series,ชุดการกำหนดชื่อชุดใบแจ้งหนี้ที่เป็นค่าเริ่มต้น
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",สร้างระเบียนของพนักงานในการจัดการใบเรียกร้องค่าใช้จ่ายและเงินเดือน
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,เกิดข้อผิดพลาดระหว่างการอัพเดต
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,เกิดข้อผิดพลาดระหว่างการอัพเดต
 DocType: Restaurant Reservation,Restaurant Reservation,จองร้านอาหาร
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,การเขียน ข้อเสนอ
 DocType: Payment Entry Deduction,Payment Entry Deduction,หักรายการชำระเงิน
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,ห่อ
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,แจ้งลูกค้าทางอีเมล
 DocType: Item,Batch Number Series,Batch Number Series
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,อีกคนขาย {0} อยู่กับรหัสพนักงานเดียวกัน
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,อีกคนขาย {0} อยู่กับรหัสพนักงานเดียวกัน
 DocType: Employee Advance,Claimed Amount,จำนวนเงินที่อ้างสิทธิ์
+DocType: QuickBooks Migrator,Authorization Settings,การตั้งค่าการให้สิทธิ์
 DocType: Travel Itinerary,Departure Datetime,Datetime ออกเดินทาง
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,คำขอต้นทุนการเดินทาง
@@ -1005,26 +1012,29 @@
 DocType: Buying Settings,Supplier Naming By,ซัพพลายเออร์ที่ตั้งชื่อตาม
 DocType: Activity Type,Default Costing Rate,เริ่มต้นอัตราการคิดต้นทุน
 DocType: Maintenance Schedule,Maintenance Schedule,กำหนดการซ่อมบำรุง
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","แล้วกฎราคาจะถูกกรองออกขึ้นอยู่กับลูกค้ากลุ่มลูกค้า, มณฑล, ผู้ผลิต, ผู้ผลิตประเภทแคมเปญพันธมิตรการขายอื่น ๆ"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","แล้วกฎราคาจะถูกกรองออกขึ้นอยู่กับลูกค้ากลุ่มลูกค้า, มณฑล, ผู้ผลิต, ผู้ผลิตประเภทแคมเปญพันธมิตรการขายอื่น ๆ"
 DocType: Employee Promotion,Employee Promotion Details,รายละเอียดโปรโมชั่นของพนักงาน
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,เปลี่ยนสุทธิในสินค้าคงคลัง
 DocType: Employee,Passport Number,หมายเลขหนังสือเดินทาง
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ความสัมพันธ์กับ Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,ผู้จัดการ
 DocType: Payment Entry,Payment From / To,การชำระเงินจาก / ถึง
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,จากปีงบประมาณ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},วงเงินสินเชื่อใหม่น้อยกว่าจำนวนเงินที่ค้างในปัจจุบันสำหรับลูกค้า วงเงินสินเชื่อจะต้องมีอย่างน้อย {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},โปรดตั้งค่าบัญชีในคลังสินค้า {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},โปรดตั้งค่าบัญชีในคลังสินค้า {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'ขึ้นอยู่กับ' และ 'จัดกลุ่มโดย' ต้องไม่เหมือนกัน
 DocType: Sales Person,Sales Person Targets,ขายเป้าหมายคน
 DocType: Work Order Operation,In minutes,ในไม่กี่นาที
 DocType: Issue,Resolution Date,วันที่ความละเอียด
 DocType: Lab Test Template,Compound,สารประกอบ
+DocType: Opportunity,Probability (%),ความน่าจะเป็น (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,การแจ้งเตือนการจัดส่ง
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,เลือก Property
 DocType: Student Batch Name,Batch Name,ชื่อแบทช์
 DocType: Fee Validity,Max number of visit,จำนวนการเข้าชมสูงสุด
 ,Hotel Room Occupancy,อัตราห้องพักของโรงแรม
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet สร้าง:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,ลงทะเบียน
 DocType: GST Settings,GST Settings,การตั้งค่า GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},สกุลเงินควรเหมือนกับ Price Currency Currency: {0}
@@ -1065,12 +1075,12 @@
 DocType: Loan,Total Interest Payable,ดอกเบี้ยรวมเจ้าหนี้
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ที่ดินภาษีต้นทุนและค่าใช้จ่าย
 DocType: Work Order Operation,Actual Start Time,เวลาเริ่มต้นที่เกิดขึ้นจริง
+DocType: Purchase Invoice Item,Deferred Expense Account,บัญชีค่าใช้จ่ายรอตัดบัญชี
 DocType: BOM Operation,Operation Time,เปิดบริการเวลา
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,เสร็จสิ้น
 DocType: Salary Structure Assignment,Base,ฐาน
 DocType: Timesheet,Total Billed Hours,รวมชั่วโมงการเรียกเก็บเงิน
 DocType: Travel Itinerary,Travel To,ท่องเที่ยวไป
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,ไม่ใช่
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,เขียนทันทีจำนวน
 DocType: Leave Block List Allow,Allow User,อนุญาตให้ผู้ใช้
 DocType: Journal Entry,Bill No,หมายเลขบิล
@@ -1089,9 +1099,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,ใบบันทึกเวลา
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush วัตถุดิบที่ใช้ใน
 DocType: Sales Invoice,Port Code,รหัสพอร์ต
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,คลังสินค้าสำรอง
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,คลังสินค้าสำรอง
 DocType: Lead,Lead is an Organization,ผู้นำคือองค์กร
-DocType: Guardian Interest,Interest,ดอกเบี้ย
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,ขายก่อน
 DocType: Instructor Log,Other Details,รายละเอียดอื่น ๆ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1101,7 +1110,7 @@
 DocType: Account,Accounts,บัญชี
 DocType: Vehicle,Odometer Value (Last),ราคาเครื่องวัดระยะทาง (สุดท้าย)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,เทมเพลตเกณฑ์การให้คะแนนของซัพพลายเออร์
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,การตลาด
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,การตลาด
 DocType: Sales Invoice,Redeem Loyalty Points,แลกคะแนนสะสม
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,รายการชำระเงินที่สร้างไว้แล้ว
 DocType: Request for Quotation,Get Suppliers,รับซัพพลายเออร์
@@ -1118,16 +1127,14 @@
 DocType: Crop,Crop Spacing UOM,ระยะปลูกพืช UOM
 DocType: Loyalty Program,Single Tier Program,โปรแกรมชั้นเดียว
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,เลือกเฉพาะเมื่อคุณได้ตั้งค่าเอกสาร Cash Flow Mapper
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,จากที่อยู่ 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,จากที่อยู่ 1
 DocType: Email Digest,Next email will be sent on:,อีเมล์ถัดไปจะถูกส่งเมื่อ:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",รายการต่อไปนี้ {รายการ} {verb} ถูกทำเครื่องหมายเป็น {message} รายการ \ คุณสามารถเปิดใช้งานเป็น {message} รายการจากต้นแบบรายการ
 DocType: Supplier Scorecard,Per Week,ต่อสัปดาห์
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,รายการที่มีสายพันธุ์
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,รายการที่มีสายพันธุ์
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,นักศึกษารวม
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,รายการที่ {0} ไม่พบ
 DocType: Bin,Stock Value,มูลค่าหุ้น
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,บริษัท {0} ไม่อยู่
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,บริษัท {0} ไม่อยู่
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} มีความถูกต้องของค่าบริการจนถึง {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,ประเภท ต้นไม้
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Consumed จำนวนต่อหน่วย
@@ -1143,7 +1150,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,เข้าบัตรเครดิต
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,บริษัท ฯ และบัญชี
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,ในราคา
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,ในราคา
 DocType: Asset Settings,Depreciation Options,ตัวเลือกค่าเสื่อมราคา
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,ต้องระบุที่ตั้งหรือพนักงาน
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,เวลาผ่านรายการไม่ถูกต้อง
@@ -1160,20 +1167,21 @@
 DocType: Leave Allocation,Allocation,การจัดสรร
 DocType: Purchase Order,Supply Raw Materials,ซัพพลายวัตถุดิบ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,สินทรัพย์หมุนเวียน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} ไม่ได้เป็นรายการควบคุมสต้อก
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} ไม่ได้เป็นรายการควบคุมสต้อก
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',โปรดแบ่งปันความคิดเห็นของคุณในการฝึกอบรมโดยคลิกที่ &#39;Training Feedback&#39; จากนั้นคลิก &#39;New&#39;
 DocType: Mode of Payment Account,Default Account,บัญชีเริ่มต้น
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,โปรดเลือกคลังสินค้าการเก็บรักษาตัวอย่างในการตั้งค่าสต็อกก่อน
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,โปรดเลือกคลังสินค้าการเก็บรักษาตัวอย่างในการตั้งค่าสต็อกก่อน
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,โปรดเลือกประเภทโปรแกรมหลายชั้นสำหรับกฎการรวบรวมข้อมูลมากกว่าหนึ่งชุด
 DocType: Payment Entry,Received Amount (Company Currency),ได้รับจำนวนเงิน ( บริษัท สกุล)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,ต้องตั้งช่องทาง ถ้า โอกาสถูกสร้างมาจากช่องทาง
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,ยกเลิกการชำระเงินแล้ว โปรดตรวจสอบบัญชี GoCardless ของคุณเพื่อดูรายละเอียดเพิ่มเติม
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,ส่งพร้อมเอกสารแนบ
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,กรุณาเลือก วันหยุด ประจำสัปดาห์
 DocType: Inpatient Record,O Negative,O เชิงลบ
 DocType: Work Order Operation,Planned End Time,เวลาสิ้นสุดการวางแผน
 ,Sales Person Target Variance Item Group-Wise,คน ขาย เป้าหมาย แปรปรวน กลุ่มสินค้า - ฉลาด
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,ประเภทรายละเอียดประเภทรายได้
 DocType: Delivery Note,Customer's Purchase Order No,ใบสั่งซื้อของลูกค้าไม่มี
 DocType: Clinical Procedure,Consume Stock,บริโภคสต็อก
@@ -1186,26 +1194,26 @@
 DocType: Soil Texture,Sand,ทราย
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,พลังงาน
 DocType: Opportunity,Opportunity From,โอกาสจาก
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,แถว {0}: {1} ต้องระบุหมายเลขผลิตภัณฑ์สำหรับรายการ {2} คุณได้ให้ {3} แล้ว
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,แถว {0}: {1} ต้องระบุหมายเลขผลิตภัณฑ์สำหรับรายการ {2} คุณได้ให้ {3} แล้ว
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,โปรดเลือกตาราง
 DocType: BOM,Website Specifications,ข้อมูลจำเพาะเว็บไซต์
 DocType: Special Test Items,Particulars,รายละเอียด
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: จาก {0} ประเภท {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,แถว {0}: ปัจจัยการแปลงมีผลบังคับใช้
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,แถว {0}: ปัจจัยการแปลงมีผลบังคับใช้
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",กฎราคาหลายอยู่กับเกณฑ์เดียวกันโปรดแก้ปัญหาความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",กฎราคาหลายอยู่กับเกณฑ์เดียวกันโปรดแก้ปัญหาความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,บัญชีการตีราคาอัตราแลกเปลี่ยน
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,ไม่สามารถยกเลิกการใช้งานหรือยกเลิก BOM ตามที่มีการเชื่อมโยงกับ BOMs อื่น ๆ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,ไม่สามารถยกเลิกการใช้งานหรือยกเลิก BOM ตามที่มีการเชื่อมโยงกับ BOMs อื่น ๆ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,โปรดเลือก บริษัท และผ่านรายการวันที่เพื่อรับรายการ
 DocType: Asset,Maintenance,การบำรุงรักษา
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,ได้รับจากผู้ป่วย Encounter
 DocType: Subscriber,Subscriber,สมาชิก
 DocType: Item Attribute Value,Item Attribute Value,รายการค่าแอตทริบิวต์
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,โปรดอัปเดตสถานะโครงการของคุณ
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,โปรดอัปเดตสถานะโครงการของคุณ
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,ต้องใช้การแลกเปลี่ยนสกุลเงินเพื่อซื้อหรือขาย
 DocType: Item,Maximum sample quantity that can be retained,จำนวนตัวอย่างสูงสุดที่สามารถเก็บรักษาได้
 DocType: Project Update,How is the Project Progressing Right Now?,โครงการกำลังดำเนินไปได้อย่างไร?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},แถว {0} # รายการ {1} ไม่สามารถถ่ายโอนได้มากกว่า {2} กับใบสั่งซื้อ {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},แถว {0} # รายการ {1} ไม่สามารถถ่ายโอนได้มากกว่า {2} กับใบสั่งซื้อ {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,แคมเปญการขาย
 DocType: Project Task,Make Timesheet,สร้างเวลาการทำงาน
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1253,36 +1261,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,เครื่องมือสร้างรายงานสำหรับนักเรียน
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,กำหนดเวลาสล็อตแมชชีน
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,ชื่อหมอ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,ชื่อหมอ
 DocType: Expense Claim Detail,Expense Claim Type,เรียกร้องประเภทค่าใช้จ่าย
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,การตั้งค่าเริ่มต้นสำหรับรถเข็น
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,เพิ่ม Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},สินทรัพย์ทิ้งผ่านทางวารสารรายการ {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},โปรดตั้งค่าบัญชีในคลังสินค้า {0} หรือบัญชีพื้นที่เก็บข้อมูลเริ่มต้นใน บริษัท {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},สินทรัพย์ทิ้งผ่านทางวารสารรายการ {0}
 DocType: Loan,Interest Income Account,บัญชีรายได้ดอกเบี้ย
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,ประโยชน์สูงสุดควรมากกว่าศูนย์เพื่อจ่ายผลประโยชน์
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,ประโยชน์สูงสุดควรมากกว่าศูนย์เพื่อจ่ายผลประโยชน์
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,ส่งคำเชิญแล้ว
 DocType: Shift Assignment,Shift Assignment,Shift Assignment
 DocType: Employee Transfer Property,Employee Transfer Property,โอนทรัพย์สินของพนักงาน
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,จากเวลาควรน้อยกว่าเวลา
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,เทคโนโลยีชีวภาพ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",รายการ {0} (หมายเลขซีเรียลไม่: {1}) ไม่สามารถใช้งานได้ตามที่ระบุไว้ {เพื่อเติมเต็มใบสั่งขาย {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,ค่าใช้จ่ายใน การบำรุงรักษา สำนักงาน
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,ไปที่
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,อัปเดตราคาจาก Shopify ไปยังรายการราคา ERPNext
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,การตั้งค่าบัญชีอีเมล
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,กรุณากรอก รายการ แรก
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,การวิเคราะห์ความต้องการ
 DocType: Asset Repair,Downtime,หยุดทำงาน
 DocType: Account,Liability,ความรับผิดชอบ
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ตามทำนองคลองธรรมจำนวนเงินไม่สามารถจะสูงกว่าจำนวนเงินที่เรียกร้องในแถว {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ตามทำนองคลองธรรมจำนวนเงินไม่สามารถจะสูงกว่าจำนวนเงินที่เรียกร้องในแถว {0}
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,ระยะเวลาการศึกษา:
 DocType: Salary Component,Do not include in total,ไม่รวมในทั้งหมด
 DocType: Company,Default Cost of Goods Sold Account,เริ่มต้นค่าใช้จ่ายของบัญชีที่ขายสินค้า
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},ปริมาณตัวอย่าง {0} ไม่สามารถมากกว่าปริมาณที่ได้รับ {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,ราคา ไม่ได้เลือก
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},ปริมาณตัวอย่าง {0} ไม่สามารถมากกว่าปริมาณที่ได้รับ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,ราคา ไม่ได้เลือก
 DocType: Employee,Family Background,ภูมิหลังของครอบครัว
 DocType: Request for Quotation Supplier,Send Email,ส่งอีเมล์
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},คำเตือน: สิ่งที่แนบมาไม่ถูกต้อง {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},คำเตือน: สิ่งที่แนบมาไม่ถูกต้อง {0}
 DocType: Item,Max Sample Quantity,จำนวนตัวอย่างสูงสุด
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,ไม่ได้รับอนุญาต
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,รายการตรวจสอบ Fulfillment สัญญา
@@ -1314,15 +1324,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ศูนย์ต้นทุน {2} ไม่ได้เป็นของ บริษัท {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),อัปโหลดหัวจดหมายของคุณ (เก็บไว้ในรูปแบบเว็บที่ใช้งานได้ง่ายราว 900px โดย 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: บัญชี {2} ไม่สามารถเป็นกลุ่ม
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,รายการแถว {IDX}: {DOCTYPE} {} DOCNAME ไม่อยู่ในข้างต้น &#39;{} DOCTYPE&#39; ตาราง
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} เสร็จสมบูรณ์แล้วหรือยกเลิก
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} เสร็จสมบูรณ์แล้วหรือยกเลิก
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ไม่มีงาน
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,ใบแจ้งหนี้การขาย {0} สร้างเป็นแบบชำระเงิน
 DocType: Item Variant Settings,Copy Fields to Variant,คัดลอกช่องข้อมูลเป็น Variant
 DocType: Asset,Opening Accumulated Depreciation,เปิดค่าเสื่อมราคาสะสม
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,คะแนน ต้องน้อยกว่า หรือ เท่ากับ 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,เครื่องมือการลงทะเบียนโปรแกรม
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C- บันทึก แบบฟอร์ม
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C- บันทึก แบบฟอร์ม
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,มีหุ้นอยู่แล้ว
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,ลูกค้าและผู้จัดจำหน่าย
 DocType: Email Digest,Email Digest Settings,การตั้งค่าอีเมลเด่น
@@ -1335,12 +1345,12 @@
 DocType: Production Plan,Select Items,เลือกรายการ
 DocType: Share Transfer,To Shareholder,ให้ผู้ถือหุ้น
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} กับบิล {1} ลงวันที่ {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,จากรัฐ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,จากรัฐ
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,ตั้งสถาบัน
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,กำลังจัดสรรใบ ...
 DocType: Program Enrollment,Vehicle/Bus Number,หมายเลขรถ / รถโดยสาร
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,ตารางเรียน
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",คุณต้องหักภาษีสำหรับหลักฐานการหักภาษีที่ไม่ได้ส่งและผลประโยชน์ที่ได้รับจากลูกจ้างในใบสลิปเงินเดือนสุดท้ายของรอบระยะเวลาบัญชีเงินเดือน
 DocType: Request for Quotation Supplier,Quote Status,สถานะการอ้างอิง
 DocType: GoCardless Settings,Webhooks Secret,ความลับของ Webhooks
@@ -1366,13 +1376,13 @@
 DocType: Sales Invoice,Payment Due Date,วันที่ครบกำหนด ชำระเงิน
 DocType: Drug Prescription,Interval UOM,ช่วง UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",เลือกใหม่ถ้าที่อยู่ที่เลือกถูกแก้ไขหลังจากบันทึกแล้ว
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,รายการตัวแปร {0} อยู่แล้วที่มีลักษณะเดียวกัน
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,รายการตัวแปร {0} อยู่แล้วที่มีลักษณะเดียวกัน
 DocType: Item,Hub Publishing Details,รายละเอียด Hub Publishing
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','กำลังเปิด'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','กำลังเปิด'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,เปิดให้ทำ
 DocType: Issue,Via Customer Portal,ผ่านทางพอร์ทัลลูกค้า
 DocType: Notification Control,Delivery Note Message,ข้อความหมายเหตุจัดส่งสินค้า
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST จำนวนเงิน
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST จำนวนเงิน
 DocType: Lab Test Template,Result Format,รูปแบบผลลัพธ์
 DocType: Expense Claim,Expenses,รายจ่าย
 DocType: Item Variant Attribute,Item Variant Attribute,รายการตัวแปรคุณสมบัติ
@@ -1380,14 +1390,12 @@
 DocType: Payroll Entry,Bimonthly,สองเดือนต่อครั้ง
 DocType: Vehicle Service,Brake Pad,ผ้าเบรค
 DocType: Fertilizer,Fertilizer Contents,สารปุ๋ย
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,การวิจัยและพัฒนา
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,การวิจัยและพัฒนา
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,จำนวนเงินที่จะเรียกเก็บเงิน
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","วันที่เริ่มต้นและวันที่สิ้นสุดซ้อนทับกับบัตรงาน <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,รายละเอียดการลงทะเบียน
 DocType: Timesheet,Total Billed Amount,รวมเงินที่เรียกเก็บ
 DocType: Item Reorder,Re-Order Qty,Re สั่งซื้อจำนวน
 DocType: Leave Block List Date,Leave Block List Date,ฝากวันที่รายการบล็อก
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในการศึกษา&gt; การตั้งค่าการศึกษา
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: วัตถุดิบไม่สามารถเหมือนกับรายการหลักได้
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ค่าใช้จ่ายรวมในการซื้อโต๊ะใบเสร็จรับเงินรายการที่จะต้องเป็นเช่นเดียวกับภาษีและค่าใช้จ่ายรวม
 DocType: Sales Team,Incentives,แรงจูงใจ
@@ -1401,7 +1409,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,จุดขาย
 DocType: Fee Schedule,Fee Creation Status,สถานะการสร้างค่าธรรมเนียม
 DocType: Vehicle Log,Odometer Reading,การอ่านมาตรวัดระยะทาง
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ยอดเงินในบัญชีแล้วในเครดิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เดบิต'
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ยอดเงินในบัญชีแล้วในเครดิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เดบิต'
 DocType: Account,Balance must be,ยอดเงินจะต้องเป็น
 DocType: Notification Control,Expense Claim Rejected Message,เรียกร้องค่าใช้จ่ายที่ถูกปฏิเสธข้อความ
 ,Available Qty,จำนวนที่มีจำหน่าย
@@ -1413,7 +1421,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ซิงค์ผลิตภัณฑ์ของคุณจาก Amazon MWS ก่อนซิงค์รายละเอียดคำสั่งซื้อ
 DocType: Delivery Trip,Delivery Stops,การจัดส่งหยุด
 DocType: Salary Slip,Working Days,วันทำการ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},ไม่สามารถเปลี่ยน Service Stop Date สำหรับรายการในแถว {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},ไม่สามารถเปลี่ยน Service Stop Date สำหรับรายการในแถว {0}
 DocType: Serial No,Incoming Rate,อัตราเข้า
 DocType: Packing Slip,Gross Weight,น้ำหนักรวม
 DocType: Leave Type,Encashment Threshold Days,วันที่เกณฑ์เกณฑ์การขาย
@@ -1432,31 +1440,33 @@
 DocType: Restaurant Table,Minimum Seating,ที่นั่งขั้นต่ำ
 DocType: Item Attribute,Item Attribute Values,รายการค่าแอตทริบิวต์
 DocType: Examination Result,Examination Result,ผลการตรวจสอบ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,ใบเสร็จรับเงินการสั่งซื้อ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,ใบเสร็จรับเงินการสั่งซื้อ
 ,Received Items To Be Billed,รายการที่ได้รับจะถูกเรียกเก็บเงิน
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,นาย อัตรา แลกเปลี่ยนเงินตราต่างประเทศ
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,นาย อัตรา แลกเปลี่ยนเงินตราต่างประเทศ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},อ้างอิง Doctype ต้องเป็นหนึ่งใน {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,กรองจำนวนรวมศูนย์
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},ไม่สามารถหาช่วงเวลาใน {0} วันถัดไปสำหรับการปฏิบัติงาน {1}
 DocType: Work Order,Plan material for sub-assemblies,วัสดุแผนประกอบย่อย
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,พันธมิตรการขายและดินแดน
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} จะต้องใช้งาน
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} จะต้องใช้งาน
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,ไม่มีรายการสำหรับโอน
 DocType: Employee Boarding Activity,Activity Name,ชื่อกิจกรรม
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,เปลี่ยนวันที่เผยแพร่
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,ปริมาณผลิตภัณฑ์สำเร็จรูป <b>{0}</b> และสำหรับปริมาณ <b>{1}</b> ไม่ต่างกัน
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,เปลี่ยนวันที่เผยแพร่
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,ปริมาณผลิตภัณฑ์สำเร็จรูป <b>{0}</b> และสำหรับปริมาณ <b>{1}</b> ไม่ต่างกัน
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),การปิดบัญชี (การเปิด + ยอดรวม)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,รหัสรายการ&gt; กลุ่มสินค้า&gt; แบรนด์
+DocType: Delivery Settings,Dispatch Notification Attachment,เอกสารแนบการส่งเอกสาร
 DocType: Payroll Entry,Number Of Employees,จำนวนพนักงาน
 DocType: Journal Entry,Depreciation Entry,รายการค่าเสื่อมราคา
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,เลือกประเภทของเอกสารที่แรก
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,เลือกประเภทของเอกสารที่แรก
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ยกเลิก การเข้าชม วัสดุ {0} ก่อนที่จะ ยกเลิก การบำรุงรักษา นี้ เยี่ยมชม
 DocType: Pricing Rule,Rate or Discount,ราคาหรือส่วนลด
 DocType: Vital Signs,One Sided,ด้านเดียว
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน รายการ {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,จำนวนที่ต้องการ
 DocType: Marketplace Settings,Custom Data,ข้อมูลที่กำหนดเอง
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงบัญชีแยกประเภท
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},หมายเลขซีเรียลเป็นข้อบังคับสำหรับรายการ {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงบัญชีแยกประเภท
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},หมายเลขซีเรียลเป็นข้อบังคับสำหรับรายการ {0}
 DocType: Bank Reconciliation,Total Amount,รวมเป็นเงิน
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,จากวันที่และวันที่อยู่ในปีงบประมาณที่แตกต่างกัน
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,ผู้ป่วย {0} ไม่ได้รับคำสั่งจากลูกค้าเพื่อออกใบแจ้งหนี้
@@ -1467,9 +1477,9 @@
 DocType: Soil Texture,Clay Composition (%),องค์ประกอบของดิน (%)
 DocType: Item Group,Item Group Defaults,ค่าดีฟอลต์ของกลุ่มรายการ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,โปรดบันทึกก่อนที่จะมอบหมายงาน
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,ความสมดุลของ ความคุ้มค่า
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,ความสมดุลของ ความคุ้มค่า
 DocType: Lab Test,Lab Technician,ช่างเทคนิคห้องปฏิบัติการ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,ขายราคาตามรายการ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,ขายราคาตามรายการ
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",ถ้าเลือกไว้ลูกค้าจะถูกสร้างขึ้นแมปกับผู้ป่วย จะมีการสร้างใบแจ้งหนี้ของผู้ป่วยต่อลูกค้ารายนี้ นอกจากนี้คุณยังสามารถเลือกลูกค้าที่มีอยู่ขณะสร้างผู้ป่วย
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,ลูกค้าไม่ได้ลงทะเบียนเรียนในโปรแกรมความภักดีใด ๆ
@@ -1483,13 +1493,13 @@
 DocType: Support Search Source,Search Term Param Name,ชื่อพารามิเตอร์วลีค้นหา
 DocType: Item Barcode,Item Barcode,บาร์โค้ดสินค้า
 DocType: Woocommerce Settings,Endpoints,ปลายทาง
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,สินค้าหลากหลายรูปแบบ {0} ปรับปรุง
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,สินค้าหลากหลายรูปแบบ {0} ปรับปรุง
 DocType: Quality Inspection Reading,Reading 6,Reading 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,ไม่สามารถ {0} {1} {2} โดยไม่ต้องมีใบแจ้งหนี้ที่โดดเด่นในเชิงลบ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,ไม่สามารถ {0} {1} {2} โดยไม่ต้องมีใบแจ้งหนี้ที่โดดเด่นในเชิงลบ
 DocType: Share Transfer,From Folio No,จาก Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,ใบแจ้งหนี้การซื้อล่วงหน้า
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},แถว {0}: รายการเครดิตไม่สามารถเชื่อมโยงกับ {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,กำหนดงบประมาณสำหรับปีงบการเงิน
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,กำหนดงบประมาณสำหรับปีงบการเงิน
 DocType: Shopify Tax Account,ERPNext Account,บัญชี ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} ถูกบล็อกเพื่อไม่ให้ดำเนินการต่อไป
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,การดำเนินการหากงบประมาณรายเดือนสะสมเกินกว่า MR
@@ -1505,19 +1515,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,ซื้อใบแจ้งหนี้
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,อนุญาตให้มีการใช้วัสดุเพื่อสั่งการทำงานได้หลายแบบ
 DocType: GL Entry,Voucher Detail No,รายละเอียดบัตรกำนัลไม่มี
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,ใบแจ้งหนี้การขายใหม่
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,ใบแจ้งหนี้การขายใหม่
 DocType: Stock Entry,Total Outgoing Value,มูลค่าที่ส่งออกทั้งหมด
 DocType: Healthcare Practitioner,Appointments,นัดหมาย
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,เปิดวันที่และวันปิดควรจะอยู่ในปีงบประมาณเดียวกัน
 DocType: Lead,Request for Information,การร้องขอข้อมูล
 ,LeaderBoard,ลีดเดอร์
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),อัตราที่มีอัตรากำไร (สกุลเงินของ บริษัท )
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้
 DocType: Payment Request,Paid,ชำระ
 DocType: Program Fee,Program Fee,ค่าธรรมเนียมโครงการ
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",แทนที่ BOM เฉพาะใน BOM อื่น ๆ ทั้งหมดที่มีการใช้งาน จะแทนที่การเชื่อมโยง BOM เก่าอัปเดตค่าใช้จ่ายและสร้างรายการ &quot;BOM Explosion Item&quot; ใหม่ตาม BOM ใหม่ นอกจากนี้ยังมีการอัปเดตราคาล่าสุดใน BOM ทั้งหมด
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,สร้างคำสั่งงานต่อไปนี้:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,สร้างคำสั่งงานต่อไปนี้:
 DocType: Salary Slip,Total in words,รวมอยู่ในคำพูด
 DocType: Inpatient Record,Discharged,ปล่อย
 DocType: Material Request Item,Lead Time Date,นำวันเวลา
@@ -1528,16 +1538,16 @@
 DocType: Support Settings,Get Started Sections,เริ่มหัวข้อ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,ตามทำนองคลองธรรม
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,จำเป็นต้องใช้ ลองตรวจสอบบันทึกแลกเปลี่ยนเงินตราต่างประเทศที่อาจจะยังไม่ได้ถูกสร้างขึ้น
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},แถว # {0}: โปรดระบุหมายเลขเครื่องกับรายการ {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},จำนวนเงินสมทบทั้งหมด: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},แถว # {0}: โปรดระบุหมายเลขเครื่องกับรายการ {1}
 DocType: Payroll Entry,Salary Slips Submitted,เงินเดือนส่ง
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","สำหรับรายการ &#39;Bundle สินค้า, คลังสินค้า, ไม่มี Serial และรุ่นที่จะไม่ได้รับการพิจารณาจาก&#39; บรรจุรายชื่อ &#39;ตาราง ถ้าคลังสินค้าและรุ่นที่ไม่มีเหมือนกันสำหรับรายการที่บรรจุทั้งหมดรายการใด ๆ &#39;Bundle สินค้า&#39; ค่าเหล่านั้นสามารถป้อนในตารางรายการหลักค่าจะถูกคัดลอกไปบรรจุรายชื่อ &#39;ตาราง"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","สำหรับรายการ &#39;Bundle สินค้า, คลังสินค้า, ไม่มี Serial และรุ่นที่จะไม่ได้รับการพิจารณาจาก&#39; บรรจุรายชื่อ &#39;ตาราง ถ้าคลังสินค้าและรุ่นที่ไม่มีเหมือนกันสำหรับรายการที่บรรจุทั้งหมดรายการใด ๆ &#39;Bundle สินค้า&#39; ค่าเหล่านั้นสามารถป้อนในตารางรายการหลักค่าจะถูกคัดลอกไปบรรจุรายชื่อ &#39;ตาราง"
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,จากสถานที่
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay cannnot เป็นค่าลบ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,จากสถานที่
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay cannnot เป็นค่าลบ
 DocType: Student Admission,Publish on website,เผยแพร่บนเว็บไซต์
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,วันที่จัดจำหน่ายใบแจ้งหนี้ไม่สามารถมีค่ามากกว่าการโพสต์วันที่
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,วันที่จัดจำหน่ายใบแจ้งหนี้ไม่สามารถมีค่ามากกว่าการโพสต์วันที่
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,วันที่ยกเลิก
 DocType: Purchase Invoice Item,Purchase Order Item,สั่งซื้อสินค้าสั่งซื้อ
@@ -1546,7 +1556,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,เครื่องมือนักศึกษาเข้าร่วม
 DocType: Restaurant Menu,Price List (Auto created),รายการราคา (สร้างโดยอัตโนมัติ)
 DocType: Cheque Print Template,Date Settings,การตั้งค่าของวันที่
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,ความแปรปรวน
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,ความแปรปรวน
 DocType: Employee Promotion,Employee Promotion Detail,รายละเอียดโปรโมชั่นของพนักงาน
 ,Company Name,ชื่อ บริษัท
 DocType: SMS Center,Total Message(s),ข้อความ รวม (s)
@@ -1576,7 +1586,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,อย่าส่ง พนักงาน เตือนวันเกิด
 DocType: Expense Claim,Total Advance Amount,ยอดรวมเงินทดรอง
 DocType: Delivery Stop,Estimated Arrival,มาถึงโดยประมาณ
-DocType: Delivery Stop,Notified by Email,แจ้งทางอีเมลแล้ว
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,ดูบทความทั้งหมด
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Walk In
 DocType: Item,Inspection Criteria,เกณฑ์การตรวจสอบ
@@ -1586,22 +1595,21 @@
 DocType: Timesheet Detail,Bill,บิล
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,ขาว
 DocType: SMS Center,All Lead (Open),ช่องทางทั้งหมด (เปิด)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),แถว {0}: จำนวนไม่สามารถใช้ได้สำหรับ {4} ในคลังสินค้า {1} ที่โพสต์เวลาของรายการ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),แถว {0}: จำนวนไม่สามารถใช้ได้สำหรับ {4} ในคลังสินค้า {1} ที่โพสต์เวลาของรายการ ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,คุณสามารถเลือกตัวเลือกได้สูงสุดจากรายการกล่องกาเครื่องหมายเท่านั้น
 DocType: Purchase Invoice,Get Advances Paid,รับเงินทดรองจ่าย
 DocType: Item,Automatically Create New Batch,สร้างชุดงานใหม่โดยอัตโนมัติ
 DocType: Supplier,Represents Company,หมายถึง บริษัท
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,สร้าง
 DocType: Student Admission,Admission Start Date,การรับสมัครวันที่เริ่มต้น
 DocType: Journal Entry,Total Amount in Words,จำนวนเงินทั้งหมดในคำ
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,พนักงานใหม่
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,เกิดข้อผิดพลาด น่าจะเป็น เหตุผลหนึ่งที่ อาจ เป็นไปได้ว่า คุณ ยังไม่ได้บันทึก ในรูปแบบ โปรดติดต่อ support@erpnext.com ถ้า ปัญหายังคงอยู่
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,รถเข็นของฉัน
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},ประเภทการสั่งซื้อต้องเป็นหนึ่งใน {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},ประเภทการสั่งซื้อต้องเป็นหนึ่งใน {0}
 DocType: Lead,Next Contact Date,วันที่ถัดไปติดต่อ
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,เปิด จำนวน
 DocType: Healthcare Settings,Appointment Reminder,นัดหมายเตือน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,กรุณากรอกบัญชีเพื่อการเปลี่ยนแปลงจำนวน
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,กรุณากรอกบัญชีเพื่อการเปลี่ยนแปลงจำนวน
 DocType: Program Enrollment Tool Student,Student Batch Name,นักศึกษาชื่อชุด
 DocType: Holiday List,Holiday List Name,ชื่อรายการวันหยุด
 DocType: Repayment Schedule,Balance Loan Amount,ยอดคงเหลือวงเงินกู้
@@ -1611,13 +1619,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,ตัวเลือกหุ้น
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,ไม่มีรายการเพิ่มลงในรถเข็น
 DocType: Journal Entry Account,Expense Claim,เรียกร้องค่าใช้จ่าย
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,จริงๆคุณต้องการเรียกคืนสินทรัพย์ไนต์นี้หรือไม่?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,จริงๆคุณต้องการเรียกคืนสินทรัพย์ไนต์นี้หรือไม่?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},จำนวนสำหรับ {0}
 DocType: Leave Application,Leave Application,ใบลา
 DocType: Patient,Patient Relation,ความสัมพันธ์ของผู้ป่วย
 DocType: Item,Hub Category to Publish,ฮับประเภทที่จะเผยแพร่
 DocType: Leave Block List,Leave Block List Dates,ไม่ระบุวันที่รายการบล็อก
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",ใบสั่งขาย {0} มีการจองสินค้า {1} คุณสามารถส่งมอบ {1} กับ {0} ได้ ไม่สามารถส่งต่อ Serial No {2}
 DocType: Sales Invoice,Billing Address GSTIN,ที่อยู่การเรียกเก็บเงิน GSTIN
@@ -1635,16 +1643,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},โปรดระบุ {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,รายการที่ลบออกด้วยการเปลี่ยนแปลงในปริมาณหรือไม่มีค่า
 DocType: Delivery Note,Delivery To,เพื่อจัดส่งสินค้า
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,การสร้างชุดตัวเลือกถูกจัดคิว
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},สรุปการทำงานสำหรับ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,การสร้างชุดตัวเลือกถูกจัดคิว
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},สรุปการทำงานสำหรับ {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ผู้ที่จะได้รับการอนุมัติครั้งแรกในรายการจะได้รับการกำหนดเป็นค่าเริ่มต้นการปล่อยให้ผู้อนุมัติ
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,ตาราง Attribute มีผลบังคับใช้
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,ตาราง Attribute มีผลบังคับใช้
 DocType: Production Plan,Get Sales Orders,รับการสั่งซื้อการขาย
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} ไม่สามารถเป็นจำนวนลบได้
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,เชื่อมต่อกับ Quickbooks
 DocType: Training Event,Self-Study,การศึกษาด้วยตนเอง
 DocType: POS Closing Voucher,Period End Date,วันที่สิ้นสุดของงวด
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,องค์ประกอบของดินไม่เพิ่มได้ถึง 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,ส่วนลด
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,แถว {0}: ต้องสร้าง {1} เพื่อสร้างใบแจ้งหนี้ {2} การเปิด
 DocType: Membership,Membership,การเป็นสมาชิก
 DocType: Asset,Total Number of Depreciations,จำนวนรวมของค่าเสื่อมราคา
 DocType: Sales Invoice Item,Rate With Margin,อัตรากับ Margin
@@ -1656,7 +1666,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},โปรดระบุ ID แถวที่ถูกต้องสำหรับแถว {0} ในตาราง {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,ไม่สามารถหาตัวแปร:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,โปรดเลือกฟิลด์ที่ต้องการแก้ไขจาก numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,ไม่สามารถเป็นสินทรัพย์ถาวรได้เนื่องจากสร้างบัญชีแยกประเภทแล้ว
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,ไม่สามารถเป็นสินทรัพย์ถาวรได้เนื่องจากสร้างบัญชีแยกประเภทแล้ว
 DocType: Subscription Plan,Fixed rate,อัตราคงที่
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,ยอมรับ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ไปยัง Desktop และเริ่มต้นใช้ ERPNext
@@ -1690,7 +1700,7 @@
 DocType: Tax Rule,Shipping State,การจัดส่งสินค้าของรัฐ
 ,Projected Quantity as Source,คาดการณ์ปริมาณเป็นแหล่ง
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,รายการจะต้องมีการเพิ่มการใช้ 'รับรายการสั่งซื้อจากใบเสร็จรับเงิน' ปุ่ม
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,การจัดส่งสินค้า
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,การจัดส่งสินค้า
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,ประเภทการโอนย้าย
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,ค่าใช้จ่ายในการขาย
@@ -1703,8 +1713,9 @@
 DocType: Item Default,Default Selling Cost Center,ขาย เริ่มต้นที่ ศูนย์ต้นทุน
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,จาน
 DocType: Buying Settings,Material Transferred for Subcontract,วัสดุที่ถ่ายโอนสำหรับการรับเหมาช่วง
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,รหัสไปรษณีย์
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},ใบสั่งขาย {0} เป็น {1}
+DocType: Email Digest,Purchase Orders Items Overdue,สั่งซื้อสินค้ารายการค้างชำระ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,รหัสไปรษณีย์
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},ใบสั่งขาย {0} เป็น {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},เลือกบัญชีเงินฝากดอกเบี้ย {0}
 DocType: Opportunity,Contact Info,ข้อมูลการติดต่อ
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,ทำรายการสต็อก
@@ -1717,12 +1728,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,ไม่สามารถจัดทำใบแจ้งหนี้สำหรับศูนย์เรียกเก็บเงินได้เป็นศูนย์
 DocType: Company,Date of Commencement,วันที่เริ่มเรียน
 DocType: Sales Person,Select company name first.,เลือกชื่อ บริษัท แรก
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},อีเมล์ ส่งไปที่ {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},อีเมล์ ส่งไปที่ {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ใบเสนอราคาที่ได้รับจากผู้จัดจำหน่าย
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,แทนที่ BOM และอัปเดตราคาล่าสุดใน BOM ทั้งหมด
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},เพื่อ {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,นี่คือกลุ่มผู้จัดจำหน่ายรากและไม่สามารถแก้ไขได้
-DocType: Delivery Trip,Driver Name,ชื่อไดร์เวอร์
+DocType: Delivery Note,Driver Name,ชื่อไดร์เวอร์
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,อายุเฉลี่ย
 DocType: Education Settings,Attendance Freeze Date,วันที่เข้าร่วมตรึง
 DocType: Education Settings,Attendance Freeze Date,วันที่เข้าร่วมตรึง
@@ -1735,7 +1746,7 @@
 DocType: Company,Parent Company,บริษัท แม่
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},ห้องพักประเภท {0} ไม่มีให้บริการใน {1}
 DocType: Healthcare Practitioner,Default Currency,สกุลเงินเริ่มต้น
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,ส่วนลดสูงสุดสำหรับรายการ {0} คือ {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,ส่วนลดสูงสุดสำหรับรายการ {0} คือ {1}%
 DocType: Asset Movement,From Employee,จากพนักงาน
 DocType: Driver,Cellphone Number,หมายเลขโทรศัพท์มือถือ
 DocType: Project,Monitor Progress,ติดตามความคืบหน้า
@@ -1751,19 +1762,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},ปริมาณต้องน้อยกว่าหรือเท่ากับ {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},จำนวนเงินสูงสุดที่มีสิทธิ์สำหรับคอมโพเนนต์ {0} เกินกว่า {1}
 DocType: Department Approver,Department Approver,ผู้ประเมินกรม
+DocType: QuickBooks Migrator,Application Settings,การตั้งค่าโปรแกรมประยุกต์
 DocType: SMS Center,Total Characters,ตัวอักษรรวม
 DocType: Employee Advance,Claimed,อ้างว่า
 DocType: Crop,Row Spacing,การเว้นระยะห่างของแถว
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},กรุณาเลือก BOM BOM ในด้านการพิจารณาวาระที่ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},กรุณาเลือก BOM BOM ในด้านการพิจารณาวาระที่ {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,ไม่มีตัวแปรรายการสำหรับรายการที่เลือก
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form รายละเอียดใบแจ้งหนี้
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,กระทบยอดใบแจ้งหนี้การชำระเงิน
 DocType: Clinical Procedure,Procedure Template,แม่แบบขั้นตอน
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,เงินสมทบ%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",ตามการตั้งค่าการซื้อหากต้องการสั่งซื้อสินค้า == &#39;ใช่&#39; จากนั้นสำหรับการสร้างใบกำกับการซื้อผู้ใช้จำเป็นต้องสร้างใบสั่งซื้อก่อนสำหรับรายการ {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,เงินสมทบ%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",ตามการตั้งค่าการซื้อหากต้องการสั่งซื้อสินค้า == &#39;ใช่&#39; จากนั้นสำหรับการสร้างใบกำกับการซื้อผู้ใช้จำเป็นต้องสร้างใบสั่งซื้อก่อนสำหรับรายการ {0}
 ,HSN-wise-summary of outward supplies,HSN-wise สรุปของวัสดุสิ้นเปลืองภายนอก
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,เลขทะเบียน บริษัท สำหรับการอ้างอิงของคุณ ตัวเลขภาษี ฯลฯ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,ไปยังรัฐ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,ไปยังรัฐ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,ผู้จัดจำหน่าย
 DocType: Asset Finance Book,Asset Finance Book,สมุดบัญชีการเงินสินทรัพย์
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,รถเข็นกฎการจัดส่งสินค้า
@@ -1772,7 +1784,7 @@
 ,Ordered Items To Be Billed,รายการที่สั่งซื้อจะเรียกเก็บเงิน
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,จากช่วงจะต้องมีน้อยกว่าในช่วง
 DocType: Global Defaults,Global Defaults,เริ่มต้นทั่วโลก
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,ขอเชิญร่วมโครงการ
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,ขอเชิญร่วมโครงการ
 DocType: Salary Slip,Deductions,การหักเงิน
 DocType: Setup Progress Action,Action Name,ชื่อการกระทำ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,ปีวันเริ่มต้น
@@ -1786,11 +1798,12 @@
 DocType: Lead,Consultant,ผู้ให้คำปรึกษา
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,ผู้ปกครองเข้าร่วมประชุม
 DocType: Salary Slip,Earnings,ผลกำไร
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,เสร็จสิ้นรายการ {0} ต้องป้อนสำหรับรายการประเภทการผลิต
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,เสร็จสิ้นรายการ {0} ต้องป้อนสำหรับรายการประเภทการผลิต
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,เปิดยอดคงเหลือบัญชี
 ,GST Sales Register,ลงทะเบียนการขาย GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,ขายใบแจ้งหนี้ล่วงหน้า
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,ไม่มีอะไรที่จะ ขอ
+DocType: Stock Settings,Default Return Warehouse,Default Return Warehouse
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,เลือกโดเมนของคุณ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,ผู้จัดหาสินค้า
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,รายการใบแจ้งหนี้การชำระเงิน
@@ -1799,15 +1812,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ฟิลด์จะถูกคัดลอกเฉพาะช่วงเวลาของการสร้างเท่านั้น
 DocType: Setup Progress Action,Domains,โดเมน
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',' วันเริ่มต้น จริง ' ไม่สามารถ จะมากกว่า ' วันสิ้นสุด จริง '
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,การจัดการ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,การจัดการ
 DocType: Cheque Print Template,Payer Settings,การตั้งค่าการชำระเงิน
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,ไม่พบคำร้องขอวัสดุที่รอการค้นหาสำหรับรายการที่ระบุ
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,เลือก บริษัท ก่อน
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","นี้จะถูกผนวกเข้ากับรหัสสินค้าของตัวแปร ตัวอย่างเช่นถ้าย่อของคุณคือ ""เอสเอ็ม"" และรหัสรายการคือ ""เสื้อยืด"" รหัสรายการของตัวแปรจะเป็น ""เสื้อ-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,จ่ายสุทธิ (คำ) จะสามารถมองเห็นได้เมื่อคุณบันทึกสลิปเงินเดือน
 DocType: Delivery Note,Is Return,คือการกลับมา
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,ความระมัดระวัง
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',วันเริ่มต้นมากกว่าวันสิ้นสุดในงาน &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,ย้อนกลับ / เดบิตหมายเหตุ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,ย้อนกลับ / เดบิตหมายเหตุ
 DocType: Price List Country,Price List Country,ราคาประเทศ
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} หมายเลขประจำเครื่องที่ถูกต้องสำหรับรายการ {1}
@@ -1820,13 +1834,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,ให้ข้อมูล
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ฐานข้อมูลผู้ผลิต
 DocType: Contract Template,Contract Terms and Conditions,ข้อกำหนดในการให้บริการของสัญญา
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,คุณไม่สามารถรีสตาร์ทการสมัครสมาชิกที่ไม่ได้ยกเลิกได้
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,คุณไม่สามารถรีสตาร์ทการสมัครสมาชิกที่ไม่ได้ยกเลิกได้
 DocType: Account,Balance Sheet,รายงานงบดุล
 DocType: Leave Type,Is Earned Leave,ได้รับลาออกแล้ว
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',ศูนย์ต้นทุนสำหรับสินค้าที่มีรหัสสินค้า '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',ศูนย์ต้นทุนสำหรับสินค้าที่มีรหัสสินค้า '
 DocType: Fee Validity,Valid Till,ใช้ได้จนถึง
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,การประชุมครูผู้ปกครองโดยรวม
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",วิธีการชำระเงินไม่ได้กำหนดค่า กรุณาตรวจสอบไม่ว่าจะเป็นบัญชีที่ได้รับการตั้งค่าในโหมดของการชำระเงินหรือบนโปรไฟล์ POS
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",วิธีการชำระเงินไม่ได้กำหนดค่า กรุณาตรวจสอบไม่ว่าจะเป็นบัญชีที่ได้รับการตั้งค่าในโหมดของการชำระเงินหรือบนโปรไฟล์ POS
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,รายการเดียวกันไม่สามารถเข้ามาหลายครั้ง
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",บัญชีเพิ่มเติมสามารถทำภายใต้กลุ่ม แต่รายการที่สามารถทำกับกลุ่มที่ไม่
 DocType: Lead,Lead,ช่องทาง
@@ -1835,11 +1849,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,แจ้งรายการ {0} สร้าง
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,คุณไม่มีจุดภักดีเพียงพอที่จะไถ่ถอน
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,แถว # {0}: ปฏิเสธจำนวนไม่สามารถเข้าไปอยู่ในการซื้อกลับ
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},โปรดตั้งค่าบัญชีที่เกี่ยวข้องในหมวดหักภาษี {0} กับ บริษัท {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,แถว # {0}: ปฏิเสธจำนวนไม่สามารถเข้าไปอยู่ในการซื้อกลับ
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,ไม่สามารถเปลี่ยนกลุ่มลูกค้าสำหรับลูกค้าที่เลือกได้
 ,Purchase Order Items To Be Billed,รายการใบสั่งซื้อที่จะได้รับจำนวนมากที่สุด
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,กำลังอัปเดตเวลาเดินทางมาถึงโดยประมาณ
 DocType: Program Enrollment Tool,Enrollment Details,รายละเอียดการลงทะเบียน
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,ไม่สามารถกำหนดค่าเริ่มต้นของรายการสำหรับ บริษัท ได้หลายรายการ
 DocType: Purchase Invoice Item,Net Rate,อัตราการสุทธิ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,โปรดเลือกลูกค้า
 DocType: Leave Policy,Leave Allocations,ยกเลิกการจัดสรร
@@ -1870,7 +1886,7 @@
 DocType: Loan Application,Repayment Info,ข้อมูลการชำระหนี้
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,' รายการ ' ต้องไม่ว่างเปล่า
 DocType: Maintenance Team Member,Maintenance Role,บทบาทการบำรุงรักษา
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},แถว ที่ซ้ำกัน {0} ด้วย เหมือนกัน {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},แถว ที่ซ้ำกัน {0} ด้วย เหมือนกัน {1}
 DocType: Marketplace Settings,Disable Marketplace,ปิดการใช้งาน Marketplace
 ,Trial Balance,งบทดลอง
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,ปีงบประมาณ {0} ไม่พบ
@@ -1881,9 +1897,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,การตั้งค่าการสมัครสมาชิก
 DocType: Purchase Invoice,Update Auto Repeat Reference,อัปเดตข้อมูลอ้างอิงการทำซ้ำอัตโนมัติ
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},รายการวันหยุดเสริมไม่ได้ตั้งไว้สำหรับระยะเวลาการลา {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},รายการวันหยุดเสริมไม่ได้ตั้งไว้สำหรับระยะเวลาการลา {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,การวิจัย
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,ที่อยู่ 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,ที่อยู่ 2
 DocType: Maintenance Visit Purpose,Work Done,งานที่ทำ
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,โปรดระบุอย่างน้อยหนึ่งแอตทริบิวต์ในตารางคุณสมบัติ
 DocType: Announcement,All Students,นักเรียนทุกคน
@@ -1893,16 +1909,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,การเจรจาต่อรอง
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,ที่เก่าแก่ที่สุด
 DocType: Crop Cycle,Linked Location,สถานที่ที่เชื่อมโยง
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ
 DocType: Crop Cycle,Less than a year,น้อยกว่าหนึ่งปี
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,หมายเลขโทรศัพท์มือถือของนักเรียน
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,ส่วนที่เหลือ ของโลก
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,ส่วนที่เหลือ ของโลก
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,รายการ {0} ไม่สามารถมีแบทช์
 DocType: Crop,Yield UOM,Yield UOM
 ,Budget Variance Report,รายงานความแปรปรวนของงบประมาณ
 DocType: Salary Slip,Gross Pay,จ่ายขั้นต้น
 DocType: Item,Is Item from Hub,รายการจากฮับ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,รับสินค้าจากบริการด้านสุขภาพ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,รับสินค้าจากบริการด้านสุขภาพ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,แถว {0}: ประเภทกิจกรรมมีผลบังคับใช้
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,การจ่ายเงินปันผล
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,บัญชีแยกประเภท
@@ -1917,6 +1933,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,วิธีการชำระเงิน
 DocType: Purchase Invoice,Supplied Items,จัดรายการ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},โปรดตั้งเมนูที่ใช้งานสำหรับร้านอาหาร {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,อัตราค่านายหน้า%
 DocType: Work Order,Qty To Manufacture,จำนวนการผลิต
 DocType: Email Digest,New Income,รายได้ใหม่
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,รักษาอัตราเดียวกันตลอดวงจรการซื้อ
@@ -1931,12 +1948,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},อัตราการประเมินที่จำเป็นสำหรับรายการในแถว {0}
 DocType: Supplier Scorecard,Scorecard Actions,การดำเนินการตามสกอร์การ์ด
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,ตัวอย่าง: ปริญญาโทในสาขาวิทยาศาสตร์คอมพิวเตอร์
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},ผู้ขาย {0} ไม่พบใน {1}
 DocType: Purchase Invoice,Rejected Warehouse,คลังสินค้าปฏิเสธ
 DocType: GL Entry,Against Voucher,กับบัตรกำนัล
 DocType: Item Default,Default Buying Cost Center,ศูนย์รายจ่ายการซื้อเริ่มต้น
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",เพื่อให้ได้สิ่งที่ดีที่สุดของ ERPNext เราขอแนะนำให้คุณใช้เวลาในการดูวิดีโอเหล่านี้ช่วย
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),สำหรับผู้จัดจำหน่ายเริ่มต้น (ตัวเลือก)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,ไปยัง
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),สำหรับผู้จัดจำหน่ายเริ่มต้น (ตัวเลือก)
 DocType: Supplier Quotation Item,Lead Time in days,ระยะเวลาในวันที่
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,สรุปบัญชีเจ้าหนี้
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},ได้รับอนุญาตให้ แก้ไข บัญชี แช่แข็ง {0}
@@ -1945,7 +1962,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,แจ้งเตือนคำขอใหม่สำหรับใบเสนอราคา
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,คำสั่งซื้อที่ช่วยให้คุณวางแผนและติดตามในการซื้อสินค้าของคุณ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,ข้อกำหนดการทดสอบในแล็บ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",ปริมาณการเบิก / โอนทั้งหมด {0} วัสดุในการจอง {1} \ ไม่สามารถจะสูงกว่าปริมาณการร้องขอ {2} สำหรับรายการ {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,เล็ก
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",หาก Shopify ไม่มีลูกค้าอยู่ในคำสั่งซื้อจากนั้นในขณะที่ซิงค์คำสั่งซื้อระบบจะพิจารณาลูกค้าเริ่มต้นสำหรับการสั่งซื้อ
@@ -1957,6 +1974,7 @@
 DocType: Project,% Completed,% เสร็จสมบูรณ์
 ,Invoiced Amount (Exculsive Tax),จำนวนเงินที่ ออกใบแจ้งหนี้ ( Exculsive ภาษี )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,รายการที่ 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Endpoint การให้สิทธิ์
 DocType: Travel Request,International,ระหว่างประเทศ
 DocType: Training Event,Training Event,กิจกรรมการฝึกอบรม
 DocType: Item,Auto re-order,Auto สั่งซื้อใหม่
@@ -1965,24 +1983,24 @@
 DocType: Contract,Contract,สัญญา
 DocType: Plant Analysis,Laboratory Testing Datetime,ห้องปฏิบัติการทดสอบ Datetime
 DocType: Email Digest,Add Quote,เพิ่มอ้าง
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},ปัจจัย Coversion UOM จำเป็นสำหรับ UOM: {0} ในรายการ: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},ปัจจัย Coversion UOM จำเป็นสำหรับ UOM: {0} ในรายการ: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,ค่าใช้จ่าย ทางอ้อม
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,แถว {0}: จำนวนมีผลบังคับใช้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,แถว {0}: จำนวนมีผลบังคับใช้
 DocType: Agriculture Analysis Criteria,Agriculture,การเกษตร
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,สร้างใบสั่งขาย
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,รายการบัญชีสำหรับสินทรัพย์
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,ปิดกั้นใบแจ้งหนี้
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,รายการบัญชีสำหรับสินทรัพย์
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,ปิดกั้นใบแจ้งหนี้
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,จำนวนที่ต้องทำ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,ซิงค์ข้อมูลหลัก
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,ซิงค์ข้อมูลหลัก
 DocType: Asset Repair,Repair Cost,ค่าซ่อม
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,สินค้า หรือ บริการของคุณ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,ไม่สามารถเข้าสู่ระบบได้
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,สร้างเนื้อหา {0} แล้ว
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,สร้างเนื้อหา {0} แล้ว
 DocType: Special Test Items,Special Test Items,รายการทดสอบพิเศษ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,คุณต้องเป็นผู้ใช้ที่มีบทบาท System Manager และ Item Manager เพื่อลงทะเบียนใน Marketplace
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,โหมดของการชำระเงิน
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,ตามโครงสร้างค่าจ้างที่ได้รับมอบหมายคุณไม่สามารถยื่นขอผลประโยชน์ได้
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,ภาพ Website ควรจะเป็นไฟล์สาธารณะหรือ URL ของเว็บไซต์
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,ภาพ Website ควรจะเป็นไฟล์สาธารณะหรือ URL ของเว็บไซต์
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,กลุ่มนี้เป็นกลุ่ม รายการที่ ราก และ ไม่สามารถแก้ไขได้
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,ผสาน
@@ -1991,7 +2009,8 @@
 DocType: Warehouse,Warehouse Contact Info,ข้อมูลติดต่อคลังสินค้า
 DocType: Payment Entry,Write Off Difference Amount,จำนวนหนี้สูญความแตกต่าง
 DocType: Volunteer,Volunteer Name,อาสาสมัครชื่อ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: ไม่พบอีเมลของพนักงาน อีเมล์นี้จึงไม่ได้ถูกส่ง
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},แถวที่มีวันครบกำหนดที่ซ้ำกันในแถวอื่น ๆ พบ: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: ไม่พบอีเมลของพนักงาน อีเมล์นี้จึงไม่ได้ถูกส่ง
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},ไม่มีโครงสร้างเงินเดือนที่กำหนดสำหรับพนักงาน {0} ในวันที่กำหนด {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},กฎการจัดส่งไม่สามารถใช้ได้กับประเทศ {0}
 DocType: Item,Foreign Trade Details,รายละเอียดการค้าต่างประเทศ
@@ -1999,17 +2018,17 @@
 DocType: Email Digest,Annual Income,รายได้ต่อปี
 DocType: Serial No,Serial No Details,รายละเอียดหมายเลขเครื่อง
 DocType: Purchase Invoice Item,Item Tax Rate,อัตราภาษีสินค้า
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,จากชื่อปาร์ตี้
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,จากชื่อปาร์ตี้
 DocType: Student Group Student,Group Roll Number,หมายเลขกลุ่ม
 DocType: Student Group Student,Group Roll Number,หมายเลขกลุ่ม
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",มีบัญชีประเภทเครดิตเท่านั้น ที่สามารถเชื่อมโยงกับรายการประเภทเดบิต สำหรับ {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,บันทึกการส่งมอบ {0} ไม่สำเร็จ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,บันทึกการส่งมอบ {0} ไม่สำเร็จ
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,รายการ {0} จะต้องเป็น รายการ ย่อย หด
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,อุปกรณ์ ทุน
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",กฎข้อแรกคือการกำหนดราคาเลือกตาม 'สมัครในสนามซึ่งจะมีรายการกลุ่มสินค้าหรือยี่ห้อ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,โปรดตั้งค่ารหัสรายการก่อน
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ประเภท Doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,ร้อยละ จัดสรร รวม สำหรับทีม ขายควร เป็น 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ประเภท Doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,ร้อยละ จัดสรร รวม สำหรับทีม ขายควร เป็น 100
 DocType: Subscription Plan,Billing Interval Count,ช่วงเวลาการเรียกเก็บเงิน
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,การนัดหมายและการพบปะของผู้ป่วย
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,มูลค่าหายไป
@@ -2023,6 +2042,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,สร้างรูปแบบการพิมพ์
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,สร้างค่าธรรมเนียมแล้ว
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},ไม่พบรายการใด ๆ ที่เรียกว่า {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,ตัวกรองรายการ
 DocType: Supplier Scorecard Criteria,Criteria Formula,เกณฑ์เกณฑ์
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,ขาออกทั้งหมด
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","มีเพียงสามารถเป็น สภาพ กฎ การจัดส่งสินค้า ที่มี 0 หรือ ค่าว่าง สำหรับ "" ค่า """
@@ -2031,14 +2051,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",สำหรับรายการ {0} จำนวนต้องเป็นจำนวนบวก
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,หมายเหตุ : ศูนย์ต้นทุน นี้เป็น กลุ่ม ไม่สามารถสร้าง รายการบัญชี กับ กลุ่ม
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,วันที่ขอใบชดเชยไม่อยู่ในวันหยุดที่ถูกต้อง
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,คลังสินค้าที่มีอยู่สำหรับเด็กคลังสินค้านี้ คุณไม่สามารถลบคลังสินค้านี้
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,คลังสินค้าที่มีอยู่สำหรับเด็กคลังสินค้านี้ คุณไม่สามารถลบคลังสินค้านี้
 DocType: Item,Website Item Groups,กลุ่มรายการเว็บไซต์
 DocType: Purchase Invoice,Total (Company Currency),รวม (บริษัท สกุลเงิน)
 DocType: Daily Work Summary Group,Reminder,การแจ้งเตือน
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,มูลค่าที่สามารถเข้าถึงได้
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,มูลค่าที่สามารถเข้าถึงได้
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,หมายเลข {0} เข้ามา มากกว่าหนึ่งครั้ง
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,รายการบันทึก
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,จาก GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,จาก GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,จำนวนที่ไม่มีการอ้างสิทธิ์
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} รายการ อยู่ระหว่างดำเนินการ
 DocType: Workstation,Workstation Name,ชื่อเวิร์กสเตชัน
@@ -2046,7 +2066,7 @@
 DocType: POS Item Group,POS Item Group,กลุ่มสินค้า จุดขาย
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ส่งอีเมล์หัวข้อสำคัญ:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,รายการทางเลือกต้องไม่เหมือนกับรหัสรายการ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} ไม่ได้อยู่ในรายการ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} ไม่ได้อยู่ในรายการ {1}
 DocType: Sales Partner,Target Distribution,การกระจายเป้าหมาย
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06- สรุปผลการประเมินชั่วคราว
 DocType: Salary Slip,Bank Account No.,เลขที่บัญชีธนาคาร
@@ -2055,7 +2075,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","คุณสามารถใช้ตัวแปรดัชนีชี้วัดได้เช่นเดียวกับ {total_score} (คะแนนรวมจากช่วงเวลานั้น), {period_number} (จำนวนงวดที่จะแสดงวัน)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,ยุบทั้งหมด
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,ยุบทั้งหมด
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,สร้างใบสั่งซื้อ
 DocType: Quality Inspection Reading,Reading 8,อ่าน 8
 DocType: Inpatient Record,Discharge Note,หมายเหตุการปลดปล่อย
@@ -2072,7 +2092,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,สิทธิ ออก
 DocType: Purchase Invoice,Supplier Invoice Date,วันที่ใบแจ้งหนี้ผู้จัดจำหน่าย
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,ค่านี้ถูกใช้สำหรับการคำนวณชั่วคราว proisrata
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,คุณจำเป็นต้องเปิดการใช้งานรถเข็น
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,คุณจำเป็นต้องเปิดการใช้งานรถเข็น
 DocType: Payment Entry,Writeoff,ตัดค่าใช้จ่าย
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,ชื่อย่อของชุดคำนำหน้า
@@ -2087,11 +2107,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,เงื่อนไข ที่ทับซ้อนกัน ระหว่าง พบ :
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,กับอนุทิน {0} จะถูกปรับแล้วกับบางบัตรกำนัลอื่น ๆ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,มูลค่าการสั่งซื้อทั้งหมด
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,อาหาร
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,อาหาร
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,ช่วงสูงอายุ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,รายละเอียดบัตรกำนัลการปิดบัญชี POS
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,โปรดตั้งค่าชุดการตั้งชื่อสำหรับ {0} ผ่านการตั้งค่า&gt; การตั้งค่า&gt; การตั้งชื่อซีรี่ส์
 DocType: Inpatient Occupancy,Check In,เช็คอิน
 DocType: Maintenance Schedule Item,No of Visits,ไม่มีการเข้าชม
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},กำหนดการซ่อมบำรุง {0} อยู่กับ {1}
@@ -2131,6 +2150,7 @@
 DocType: Salary Structure,Max Benefits (Amount),ประโยชน์สูงสุด (จำนวนเงิน)
 DocType: Purchase Invoice,Contact Person,Contact Person
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','วันที่คาดว่าจะเริ่มต้น' ไม่สามารถ จะมากกว่า 'วันที่คาดว่าจะจบ'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,ไม่มีข้อมูลสำหรับช่วงเวลานี้
 DocType: Course Scheduling Tool,Course End Date,แน่นอนวันที่สิ้นสุด
 DocType: Holiday List,Holidays,วันหยุด
 DocType: Sales Order Item,Planned Quantity,จำนวนวางแผน
@@ -2142,7 +2162,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,เปลี่ยนสุทธิในสินทรัพย์ถาวร
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,จำนวน Reqd
 DocType: Leave Control Panel,Leave blank if considered for all designations,เว้นไว้หากพิจารณากำหนดทั้งหมด
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใช้จ่าย ประเภท ' จริง ' ในแถว {0} ไม่สามารถ รวมอยู่ใน อัตรา รายการ
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใช้จ่าย ประเภท ' จริง ' ในแถว {0} ไม่สามารถ รวมอยู่ใน อัตรา รายการ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},สูงสุด: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,จาก Datetime
 DocType: Shopify Settings,For Company,สำหรับ บริษัท
@@ -2155,9 +2175,9 @@
 DocType: Material Request,Terms and Conditions Content,ข้อตกลงและเงื่อนไขเนื้อหา
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,มีข้อผิดพลาดในการสร้างตารางเรียน
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,ผู้ประเมินค่าใช้จ่ายรายแรกในรายการจะได้รับการกำหนดให้เป็นผู้ใช้ค่าใช้จ่ายเริ่มต้น
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,ไม่สามารถมีค่ามากกว่า 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,ไม่สามารถมีค่ามากกว่า 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,คุณต้องเป็นผู้ใช้อื่นที่ไม่ใช่ผู้ดูแลระบบด้วยบทบาท System Manager และ Item Manager เพื่อลงทะเบียนใน Marketplace
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,รายการที่ {0} ไม่ได้เป็น รายการ สต็อก
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,รายการที่ {0} ไม่ได้เป็น รายการ สต็อก
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,ไม่ได้หมายกำหนดการ
 DocType: Employee,Owned,เจ้าของ
@@ -2185,7 +2205,7 @@
 DocType: HR Settings,Employee Settings,การตั้งค่า การทำงานของพนักงาน
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,กำลังโหลดระบบการชำระเงิน
 ,Batch-Wise Balance History,ชุดฉลาดประวัติยอดคงเหลือ
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,แถว # {0}: ไม่สามารถกำหนดอัตราหากจำนวนเงินสูงกว่าจำนวนเงินที่เรียกเก็บจากรายการ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,แถว # {0}: ไม่สามารถกำหนดอัตราหากจำนวนเงินสูงกว่าจำนวนเงินที่เรียกเก็บจากรายการ {1}
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ตั้งค่าการพิมพ์การปรับปรุงในรูปแบบการพิมพ์ที่เกี่ยวข้อง
 DocType: Package Code,Package Code,รหัสแพคเกจ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,เด็กฝึกงาน
@@ -2194,7 +2214,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","ตารางรายละเอียดภาษีเรียกจากต้นแบบรายการเป็นสตริงและเก็บไว้ในฟิลด์นี้
  ใช้สำหรับภาษีและค่าใช้จ่าย"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,พนักงานไม่สามารถรายงานให้กับตัวเอง
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,พนักงานไม่สามารถรายงานให้กับตัวเอง
 DocType: Leave Type,Max Leaves Allowed,ใบอนุญาตสูงสุดอนุญาต
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",หากบัญชีถูกแช่แข็ง รายการ จะได้รับอนุญาต ให้กับผู้ใช้ ที่ จำกัด
 DocType: Email Digest,Bank Balance,ยอดเงินในธนาคาร
@@ -2220,6 +2240,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,รายการธุรกรรมของธนาคาร
 DocType: Quality Inspection,Readings,อ่าน
 DocType: Stock Entry,Total Additional Costs,รวมค่าใช้จ่ายเพิ่มเติม
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,ไม่มีการโต้ตอบ
 DocType: BOM,Scrap Material Cost(Company Currency),ต้นทุนเศษวัสดุ ( บริษัท สกุล)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,ประกอบ ย่อย
 DocType: Asset,Asset Name,ชื่อสินทรัพย์
@@ -2227,10 +2248,10 @@
 DocType: Shipping Rule Condition,To Value,เพื่อให้มีค่า
 DocType: Loyalty Program,Loyalty Program Type,ประเภทโครงการความภักดี
 DocType: Asset Movement,Stock Manager,ผู้จัดการ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},คลังสินค้า ที่มา มีผลบังคับใช้ แถว {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},คลังสินค้า ที่มา มีผลบังคับใช้ แถว {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,ระยะชำระเงินที่แถว {0} อาจเป็นรายการที่ซ้ำกัน
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),เกษตรกรรม (เบต้า)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,สลิป
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,สลิป
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,สำนักงาน ให้เช่า
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,การตั้งค่าการติดตั้งเกตเวย์ SMS
 DocType: Disease,Common Name,ชื่อสามัญ
@@ -2262,20 +2283,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,อีเมล์สลิปเงินเดือนให้กับพนักงาน
 DocType: Cost Center,Parent Cost Center,ศูนย์ต้นทุนผู้ปกครอง
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,เลือกผู้ผลิตที่เป็นไปได้
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,เลือกผู้ผลิตที่เป็นไปได้
 DocType: Sales Invoice,Source,แหล่ง
 DocType: Customer,"Select, to make the customer searchable with these fields",เลือกเพื่อให้ลูกค้าสามารถค้นหาข้อมูลเหล่านี้ได้
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,บันทึกการนำส่งสินค้าจาก Shopify เมื่อมีการจัดส่ง
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,แสดงปิด
 DocType: Leave Type,Is Leave Without Pay,ถูกทิ้งไว้โดยไม่ต้องจ่ายเงิน
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,ประเภทสินทรัพย์ที่มีผลบังคับใช้สำหรับรายการสินทรัพย์ถาวร
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,ประเภทสินทรัพย์ที่มีผลบังคับใช้สำหรับรายการสินทรัพย์ถาวร
 DocType: Fee Validity,Fee Validity,ความถูกต้องของค่าธรรมเนียม
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,ไม่พบในตารางการชำระเงินบันทึก
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},นี้ {0} ขัดแย้งกับ {1} สำหรับ {2} {3}
 DocType: Student Attendance Tool,Students HTML,นักเรียน HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","โปรดลบพนักงาน <a href=""#Form/Employee/{0}"">{0}</a> \ เพื่อยกเลิกเอกสารนี้"
 DocType: POS Profile,Apply Discount,ใช้ส่วนลด
 DocType: GST HSN Code,GST HSN Code,รหัส HSST ของ GST
 DocType: Employee External Work History,Total Experience,ประสบการณ์รวม
@@ -2298,7 +2316,7 @@
 DocType: Maintenance Schedule,Schedules,ตารางเวลา
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,จำเป็นต้องใช้ข้อมูล POS เพื่อใช้ Point-of-Sale
 DocType: Cashier Closing,Net Amount,ปริมาณสุทธิ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,ยังไม่ได้ส่งรายการ {0} {1} ดังนั้นการดำเนินการไม่สามารถทำได้
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,ยังไม่ได้ส่งรายการ {0} {1} ดังนั้นการดำเนินการไม่สามารถทำได้
 DocType: Purchase Order Item Supplied,BOM Detail No,รายละเอียด BOM ไม่มี
 DocType: Landed Cost Voucher,Additional Charges,ค่าใช้จ่ายเพิ่มเติม
 DocType: Support Search Source,Result Route Field,ฟิลด์เส้นทางการค้นหา
@@ -2327,11 +2345,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,การเปิดใบแจ้งหนี้
 DocType: Contract,Contract Details,รายละเอียดของสัญญา
 DocType: Employee,Leave Details,ออกจากรายละเอียด
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,กรุณาตั้งค่าข้อมูลรหัสผู้ใช้ในการบันทึกพนักงานที่จะตั้งบทบาทของพนักงาน
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,กรุณาตั้งค่าข้อมูลรหัสผู้ใช้ในการบันทึกพนักงานที่จะตั้งบทบาทของพนักงาน
 DocType: UOM,UOM Name,ชื่อ UOM
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,ที่อยู่ 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,ที่อยู่ 1
 DocType: GST HSN Code,HSN Code,รหัส HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,จํานวนเงินสมทบ
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,จํานวนเงินสมทบ
 DocType: Inpatient Record,Patient Encounter,พบผู้ป่วย
 DocType: Purchase Invoice,Shipping Address,ที่อยู่จัดส่ง
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,เครื่องมือนี้จะช่วยให้คุณในการปรับปรุงหรือแก้ไขปริมาณและมูลค่าของหุ้นในระบบ มันมักจะใช้ในการประสานระบบค่าและสิ่งที่มีอยู่จริงในคลังสินค้าของคุณ
@@ -2348,9 +2366,9 @@
 DocType: Travel Itinerary,Mode of Travel,โหมดการท่องเที่ยว
 DocType: Sales Invoice Item,Brand Name,ชื่อยี่ห้อ
 DocType: Purchase Receipt,Transporter Details,รายละเอียด Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,คลังสินค้าเริ่มต้นเป็นสิ่งจำเป็นสำหรับรายการที่เลือก
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,คลังสินค้าเริ่มต้นเป็นสิ่งจำเป็นสำหรับรายการที่เลือก
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,กล่อง
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,ผู้ผลิตที่เป็นไปได้
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,ผู้ผลิตที่เป็นไปได้
 DocType: Budget,Monthly Distribution,การกระจายรายเดือน
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,รายชื่อ ผู้รับ ว่างเปล่า กรุณาสร้าง รายชื่อ รับ
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),สุขภาพ (เบต้า)
@@ -2372,6 +2390,7 @@
 ,Lead Name,ชื่อช่องทาง
 ,POS,จุดขาย
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,การตรวจหาแร่
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,เปิดหุ้นคงเหลือ
 DocType: Asset Category Account,Capital Work In Progress Account,บัญชีเงินทุนหมุนเวียนระหว่างดำเนินการ
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,การปรับมูลค่าทรัพย์สิน
@@ -2380,7 +2399,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ใบ จัดสรร ประสบความสำเร็จ ในการ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,ไม่มี รายการ ที่จะแพ็ค
 DocType: Shipping Rule Condition,From Value,จากมูลค่า
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,จำนวนการผลิต นี้มีความจำเป็น
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,จำนวนการผลิต นี้มีความจำเป็น
 DocType: Loan,Repayment Method,วิธีการชำระหนี้
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",หากตรวจสอบหน้าแรกจะเป็นกลุ่มสินค้าเริ่มต้นสำหรับเว็บไซต์
 DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -2405,7 +2424,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,การแนะนำผลิตภัณฑ์ของพนักงาน
 DocType: Student Group,Set 0 for no limit,ตั้ง 0 ไม่มีขีด จำกัด
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,วันที่ (s) ที่คุณจะใช้สำหรับการลาวันหยุด คุณไม่จำเป็นต้องใช้สำหรับการลา
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,แถว {idx}: {field} จำเป็นต้องสร้างใบแจ้งหนี้ {invoice_type} การเปิด
 DocType: Customer,Primary Address and Contact Detail,ที่อยู่หลักและที่อยู่ติดต่อ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,ส่งอีเมล์การชำระเงิน
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,งานใหม่
@@ -2415,8 +2433,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,โปรดเลือกโดเมนอย่างน้อยหนึ่งโดเมน
 DocType: Dependent Task,Dependent Task,ขึ้นอยู่กับงาน
 DocType: Shopify Settings,Shopify Tax Account,บัญชีภาษีซื้อของ Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},ปัจจัย การแปลง หน่วย เริ่มต้น ของการวัด จะต้อง อยู่ในแถว ที่ 1 {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},การลา ประเภท {0} ไม่สามารถ จะยาวกว่า {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},ปัจจัย การแปลง หน่วย เริ่มต้น ของการวัด จะต้อง อยู่ในแถว ที่ 1 {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},การลา ประเภท {0} ไม่สามารถ จะยาวกว่า {1}
 DocType: Delivery Trip,Optimize Route,เพิ่มประสิทธิภาพเส้นทาง
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,ลองวางแผน X วันล่วงหน้า
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2425,14 +2443,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},กรุณาตั้งค่าเริ่มต้นเงินเดือนบัญชีเจ้าหนี้ บริษัท {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,รับข้อมูลทางการเงินและภาษีจาก Amazon
 DocType: SMS Center,Receiver List,รายชื่อผู้รับ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,ค้นหาค้นหาสินค้า
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,ค้นหาค้นหาสินค้า
 DocType: Payment Schedule,Payment Amount,จำนวนเงินที่ชำระ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Half Day Date ควรอยู่ระหว่าง Work From Date กับ Work End Date
 DocType: Healthcare Settings,Healthcare Service Items,รายการบริการด้านการดูแลสุขภาพ
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,บริโภคจํานวนเงิน
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,เปลี่ยนเป็นเงินสดสุทธิ
 DocType: Assessment Plan,Grading Scale,ระดับคะแนน
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,หน่วย ของการวัด {0} ได้รับการป้อน มากกว่าหนึ่งครั้งใน การแปลง ปัจจัย ตาราง
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,หน่วย ของการวัด {0} ได้รับการป้อน มากกว่าหนึ่งครั้งใน การแปลง ปัจจัย ตาราง
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,เสร็จสิ้นแล้ว
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,หุ้นอยู่ในมือ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2455,25 +2473,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,อนุกรม ไม่มี {0} ปริมาณ {1} ไม่สามารถเป็น ส่วนหนึ่ง
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,โปรดป้อน URL เซิร์ฟเวอร์ Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,หมายเลขชิ้นส่วนของผู้ผลิต
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,อัตราการแปลง ไม่สามารถเป็น 0 หรือ 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,อัตราการแปลง ไม่สามารถเป็น 0 หรือ 1
 DocType: Share Balance,To No,ถึงไม่มี
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ยังไม่ได้ดำเนินงานที่จำเป็นสำหรับการสร้างพนักงานทั้งหมด
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} ถูกยกเลิกหรือหยุดแล้ว
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} ถูกยกเลิกหรือหยุดแล้ว
 DocType: Accounts Settings,Credit Controller,ควบคุมเครดิต
 DocType: Loan,Applicant Type,ประเภทผู้สมัคร
 DocType: Purchase Invoice,03-Deficiency in services,03- ขาดแคลนบริการ
 DocType: Healthcare Settings,Default Medical Code Standard,Standard มาตรฐานการแพทย์
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,รับซื้อ {0} ไม่ได้ ส่ง
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,รับซื้อ {0} ไม่ได้ ส่ง
 DocType: Company,Default Payable Account,เริ่มต้นเจ้าหนี้การค้า
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",การตั้งค่าสำหรับตะกร้าช้อปปิ้งออนไลน์เช่นกฎการจัดส่งรายการราคา ฯลฯ
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% เรียกเก็บเงินแล้ว
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,สงวนไว้ จำนวน
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,สงวนไว้ จำนวน
 DocType: Party Account,Party Account,บัญชีพรรค
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,โปรดเลือก บริษัท และชื่อ
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,ทรัพยากรบุคคล
-DocType: Lead,Upper Income,รายได้บน
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,รายได้บน
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,ปฏิเสธ
 DocType: Journal Entry Account,Debit in Company Currency,เดบิตใน บริษัท สกุล
 DocType: BOM Item,BOM Item,รายการ BOM
@@ -2490,7 +2508,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",การเปิดงานสำหรับการแต่งตั้ง {0} เปิดอยู่แล้ว \ หรือการว่าจ้างเสร็จสิ้นตามแผนการจัดหาพนักงาน {1}
 DocType: Vital Signs,Constipated,มีอาการท้องผูก
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},กับผู้ผลิตใบแจ้งหนี้ {0} วัน {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},กับผู้ผลิตใบแจ้งหนี้ {0} วัน {1}
 DocType: Customer,Default Price List,รายการราคาเริ่มต้น
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,บันทึกการเคลื่อนไหวของสินทรัพย์ {0} สร้าง
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,ไม่พบรายการ
@@ -2506,17 +2524,18 @@
 DocType: Journal Entry,Entry Type,ประเภทรายการ
 ,Customer Credit Balance,เครดิตบาลานซ์ลูกค้า
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,เปลี่ยนสุทธิในบัญชีเจ้าหนี้
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),วงเงินเครดิตถูกหักสำหรับลูกค้า {0} ({1} / {2}) แล้ว
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,โปรดตั้งค่าชุดการตั้งชื่อสำหรับ {0} ผ่านการตั้งค่า&gt; การตั้งค่า&gt; การตั้งชื่อซีรี่ส์
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),วงเงินเครดิตถูกหักสำหรับลูกค้า {0} ({1} / {2}) แล้ว
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',ลูกค้า จำเป็นต้องใช้ สำหรับ ' Customerwise ส่วนลด '
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,การชำระเงินของธนาคารปรับปรุงวันที่มีวารสาร
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,การตั้งราคา
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,การตั้งราคา
 DocType: Quotation,Term Details,รายละเอียดคำ
 DocType: Employee Incentive,Employee Incentive,แรงจูงใจของพนักงาน
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ไม่สามารถลงทะเบียนมากกว่า {0} นักเรียนสำหรับนักเรียนกลุ่มนี้
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),รวม (ไม่มีภาษี)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,นับตะกั่ว
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,นับตะกั่ว
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,มีสต็อค
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,มีสต็อค
 DocType: Manufacturing Settings,Capacity Planning For (Days),การวางแผนสำหรับความจุ (วัน)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,จัดซื้อจัดจ้าง
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,ไม่มีรายการมีการเปลี่ยนแปลงใด ๆ ในปริมาณหรือมูลค่า
@@ -2541,7 +2560,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,การลา และการเข้าร่วม
 DocType: Asset,Comprehensive Insurance,ประกันภัยครบวงจร
 DocType: Maintenance Visit,Partially Completed,เสร็จบางส่วน
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},จุดความภักดี: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},จุดความภักดี: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,เพิ่ม Leads
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,ความไวปานกลาง
 DocType: Leave Type,Include holidays within leaves as leaves,รวมถึงวันหยุดที่อยู่ในใบเป็นใบ
 DocType: Loyalty Program,Redemption,การไถ่ถอน
@@ -2575,7 +2595,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,ค่าใช้จ่ายใน การตลาด
 ,Item Shortage Report,รายงานสินค้าไม่เพียงพอ
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,ไม่สามารถสร้างเกณฑ์มาตรฐานได้ โปรดเปลี่ยนชื่อเกณฑ์
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","น้ำหนักที่ถูกกล่าวถึง, \n กรุณาระบุ ""น้ำหนัก UOM"" เกินไป"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","น้ำหนักที่ถูกกล่าวถึง, \n กรุณาระบุ ""น้ำหนัก UOM"" เกินไป"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ขอวัสดุที่ใช้เพื่อให้รายการสินค้านี้
 DocType: Hub User,Hub Password,รหัสผ่าน Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,แยกกลุ่มตามหลักสูตรสำหรับทุกกลุ่ม
@@ -2590,15 +2610,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),ระยะเวลาการแต่งตั้ง (นาที)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ทำให้ รายการ บัญชี สำหรับ ทุก การเคลื่อนไหวของ หุ้น
 DocType: Leave Allocation,Total Leaves Allocated,ใบรวมจัดสรร
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,กรุณากรอกเริ่มต้นปีงบการเงินที่ถูกต้องและวันที่สิ้นสุด
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,กรุณากรอกเริ่มต้นปีงบการเงินที่ถูกต้องและวันที่สิ้นสุด
 DocType: Employee,Date Of Retirement,วันที่ของการเกษียณอายุ
 DocType: Upload Attendance,Get Template,รับแม่แบบ
+,Sales Person Commission Summary,รายละเอียดสรุปยอดขายของพนักงานขาย
 DocType: Additional Salary Component,Additional Salary Component,ส่วนเงินเดือนเพิ่มเติม
 DocType: Material Request,Transferred,โอน
 DocType: Vehicle,Doors,ประตู
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,การติดตั้ง ERPNext เสร็จสิ้น
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,การติดตั้ง ERPNext เสร็จสิ้น
 DocType: Healthcare Settings,Collect Fee for Patient Registration,เก็บค่าธรรมเนียมการลงทะเบียนผู้ป่วย
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ไม่สามารถเปลี่ยนแอตทริบิวต์หลังจากการทำธุรกรรมหุ้น สร้างรายการใหม่และโอนสต็อคไปยังรายการใหม่
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,ไม่สามารถเปลี่ยนแอตทริบิวต์หลังจากการทำธุรกรรมหุ้น สร้างรายการใหม่และโอนสต็อคไปยังรายการใหม่
 DocType: Course Assessment Criteria,Weightage,weightage
 DocType: Purchase Invoice,Tax Breakup,การแบ่งภาษี
 DocType: Employee,Joining Details,กำลังเข้าร่วมรายละเอียด
@@ -2626,14 +2647,15 @@
 DocType: Lead,Next Contact By,ติดต่อถัดไป
 DocType: Compensatory Leave Request,Compensatory Leave Request,ขอรับการชดเชย
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},จำนวน รายการ ที่จำเป็นสำหรับ {0} ในแถว {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},คลังสินค้า {0} ไม่สามารถลบได้ เนื่องจากมีรายการ {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},คลังสินค้า {0} ไม่สามารถลบได้ เนื่องจากมีรายการ {1}
 DocType: Blanket Order,Order Type,ประเภทสั่งซื้อ
 ,Item-wise Sales Register,การขายสินค้าที่ชาญฉลาดสมัครสมาชิก
 DocType: Asset,Gross Purchase Amount,จำนวนการสั่งซื้อขั้นต้น
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,ยอดคงเหลือเปิด
 DocType: Asset,Depreciation Method,วิธีการคิดค่าเสื่อมราคา
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,คือภาษีนี้รวมอยู่ในอัตราขั้นพื้นฐาน?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,เป้าหมายรวม
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,เป้าหมายรวม
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,การวิเคราะห์ความเข้าใจ
 DocType: Soil Texture,Sand Composition (%),ส่วนประกอบของทราย (%)
 DocType: Job Applicant,Applicant for a Job,สำหรับผู้สมัครงาน
 DocType: Production Plan Material Request,Production Plan Material Request,แผนการผลิตวัสดุที่ขอ
@@ -2649,23 +2671,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),เครื่องหมายประเมิน (จาก 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 มือถือไม่มี
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,หลัก
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,รายการต่อไปนี้ {0} ไม่ได้ทำเครื่องหมายเป็น {1} รายการ คุณสามารถเปิดใช้งานรายการเป็น {1} รายการจากต้นแบบรายการ
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,ตัวแปร
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",สำหรับรายการ {0} จำนวนต้องเป็นจำนวนลบ
 DocType: Naming Series,Set prefix for numbering series on your transactions,กำหนดคำนำหน้าสำหรับหมายเลขชุดทำธุรกรรมของคุณ
 DocType: Employee Attendance Tool,Employees HTML,พนักงาน HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,BOM ค่าเริ่มต้น ({0}) จะต้องใช้งานสำหรับรายการนี้หรือแม่แบบของมัน
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,BOM ค่าเริ่มต้น ({0}) จะต้องใช้งานสำหรับรายการนี้หรือแม่แบบของมัน
 DocType: Employee,Leave Encashed?,ฝาก Encashed?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,โอกาสจากข้อมูลมีผลบังคับใช้
 DocType: Email Digest,Annual Expenses,ค่าใช้จ่ายประจำปี
 DocType: Item,Variants,ตัวแปร
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,สร้างใบสั่งซื้อ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,สร้างใบสั่งซื้อ
 DocType: SMS Center,Send To,ส่งให้
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},ที่มีอยู่ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},ที่มีอยู่ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0}
 DocType: Payment Reconciliation Payment,Allocated amount,จำนวนเงินที่จัดสรร
 DocType: Sales Team,Contribution to Net Total,สมทบสุทธิ
 DocType: Sales Invoice Item,Customer's Item Code,รหัสสินค้าของลูกค้า
 DocType: Stock Reconciliation,Stock Reconciliation,สมานฉันท์สต็อก
 DocType: Territory,Territory Name,ชื่อดินแดน
+DocType: Email Digest,Purchase Orders to Receive,สั่งซื้อเพื่อรับ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,ทำงาน ความคืบหน้าใน คลังสินค้า จะต้อง ก่อนที่จะ ส่ง
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,คุณสามารถมีแผนเดียวกับรอบการเรียกเก็บเงินเดียวกันในการสมัครรับข้อมูล
 DocType: Bank Statement Transaction Settings Item,Mapped Data,ข้อมูลที่แมป
@@ -2684,9 +2708,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},ซ้ำ หมายเลขเครื่อง ป้อนสำหรับ รายการ {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,ติดตามโดย Lead Source
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,เงื่อนไขสำหรับกฎการจัดส่งสินค้า
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,กรุณากรอก
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,กรุณากรอก
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,บันทึกการบำรุงรักษา
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,กรุณาตั้งค่าตัวกรองขึ้นอยู่กับสินค้าหรือคลังสินค้า
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,กรุณาตั้งค่าตัวกรองขึ้นอยู่กับสินค้าหรือคลังสินค้า
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),น้ำหนักสุทธิของแพคเกจนี้ (คำนวณโดยอัตโนมัติเป็นที่รวมของน้ำหนักสุทธิของรายการ)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,ทำให้ Inter Company Journal Entry
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,จำนวนส่วนลดจะต้องไม่เกิน 100%
@@ -2695,15 +2719,15 @@
 DocType: Sales Order,To Deliver and Bill,การส่งและบิล
 DocType: Student Group,Instructors,อาจารย์ผู้สอน
 DocType: GL Entry,Credit Amount in Account Currency,จำนวนเงินเครดิตสกุลเงินในบัญชี
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} จะต้องส่ง
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,การจัดการหุ้น
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} จะต้องส่ง
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,การจัดการหุ้น
 DocType: Authorization Control,Authorization Control,ควบคุมการอนุมัติ
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},แถว # {0}: ปฏิเสธคลังสินค้ามีผลบังคับใช้กับปฏิเสธรายการ {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,วิธีการชำระเงิน
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},แถว # {0}: ปฏิเสธคลังสินค้ามีผลบังคับใช้กับปฏิเสธรายการ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,วิธีการชำระเงิน
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",คลังสินค้า {0} ไม่ได้เชื่อมโยงกับบัญชีใด ๆ โปรดระบุบัญชีในบันทึกคลังสินค้าหรือตั้งค่าบัญชีพื้นที่เก็บข้อมูลเริ่มต้นใน บริษัท {1}
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,จัดการคำสั่งซื้อของคุณ
 DocType: Work Order Operation,Actual Time and Cost,เวลาที่เกิดขึ้นจริงและค่าใช้จ่าย
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ขอ วัสดุ สูงสุด {0} สามารถทำ รายการ {1} กับ การขายสินค้า {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ขอ วัสดุ สูงสุด {0} สามารถทำ รายการ {1} กับ การขายสินค้า {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,ระยะปลูกพืช
 DocType: Course,Course Abbreviation,ชื่อย่อแน่นอน
@@ -2715,6 +2739,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},ชั่วโมงการทำงานรวมไม่ควรมากกว่าชั่วโมงการทำงานสูงสุด {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,บน
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,กำรายการในเวลาของการขาย
+DocType: Delivery Settings,Dispatch Settings,การจัดส่ง
 DocType: Material Request Plan Item,Actual Qty,จำนวนจริง
 DocType: Sales Invoice Item,References,อ้างอิง
 DocType: Quality Inspection Reading,Reading 10,อ่าน 10
@@ -2724,11 +2749,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,คุณได้ป้อนรายการซ้ำกัน กรุณาแก้ไขและลองอีกครั้ง
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,ภาคี
 DocType: Asset Movement,Asset Movement,การเคลื่อนไหวของสินทรัพย์
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,สั่งซื้องาน {0} ต้องส่งมา
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,รถเข็นใหม่
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,สั่งซื้องาน {0} ต้องส่งมา
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,รถเข็นใหม่
 DocType: Taxable Salary Slab,From Amount,จากจำนวนเงิน
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,รายการที่ {0} ไม่ได้เป็นรายการ ต่อเนื่อง
 DocType: Leave Type,Encashment,การได้เป็นเงินสด
+DocType: Delivery Settings,Delivery Settings,การตั้งค่าการจัดส่ง
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ดึงข้อมูล
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},อนุญาตให้ใช้งานได้สูงสุดในประเภทการลา {0} คือ {1}
 DocType: SMS Center,Create Receiver List,สร้างรายการรับ
 DocType: Vehicle,Wheels,ล้อ
@@ -2744,7 +2771,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,สกุลเงินการเรียกเก็บเงินต้องเท่ากับสกุลเงินของ บริษัท หรือสกุลเงินของ บริษัท ที่เป็นค่าเริ่มต้น
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),แสดงให้เห็นว่าแพคเกจเป็นส่วนหนึ่งของการส่งมอบนี้ (เฉพาะร่าง)
 DocType: Soil Texture,Loam,พื้นที่อันอุดมสมบูรณ์
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,แถว {0}: วันครบกำหนดไม่สามารถเป็นได้ก่อนวันที่ผ่านรายการ
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,แถว {0}: วันครบกำหนดไม่สามารถเป็นได้ก่อนวันที่ผ่านรายการ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,บันทึกรายการชำระเงิน
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},ปริมาณ รายการ {0} ต้องน้อยกว่า {1}
 ,Sales Invoice Trends,แนวโน้มการขายใบแจ้งหนี้
@@ -2752,12 +2779,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',สามารถดู แถว เฉพาะในกรณีที่ ค่าใช้จ่าย ประเภทคือ ใน แถว หน้า จำนวน 'หรือ' แล้ว แถว รวม
 DocType: Sales Order Item,Delivery Warehouse,คลังสินค้าจัดส่งสินค้า
 DocType: Leave Type,Earned Leave Frequency,ความถี่ที่ได้รับจากการได้รับ
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,ต้นไม้ของศูนย์ต้นทุนทางการเงิน
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,ประเภทย่อย
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,ต้นไม้ของศูนย์ต้นทุนทางการเงิน
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,ประเภทย่อย
 DocType: Serial No,Delivery Document No,เอกสารจัดส่งสินค้าไม่มี
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ตรวจสอบให้แน่ใจว่ามีการส่งมอบตามเลขที่ผลิตภัณฑ์
 DocType: Vital Signs,Furry,มีขนยาว
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},โปรดตั้ง &#39;บัญชี / ขาดทุนกำไรจากการขายสินทรัพย์ใน บริษัท {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},โปรดตั้ง &#39;บัญชี / ขาดทุนกำไรจากการขายสินทรัพย์ใน บริษัท {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,รับสินค้าจากการสั่งซื้อใบเสร็จรับเงิน
 DocType: Serial No,Creation Date,วันที่สร้าง
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},ต้องระบุสถานที่เป้าหมายสำหรับเนื้อหา {0}
@@ -2771,11 +2798,12 @@
 DocType: Item,Has Variants,มีหลากหลายรูปแบบ
 DocType: Employee Benefit Claim,Claim Benefit For,ขอรับสวัสดิการสำหรับ
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,อัปเดตการตอบกลับ
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},คุณได้เลือกแล้วรายการจาก {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},คุณได้เลือกแล้วรายการจาก {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,ชื่อของการกระจายรายเดือน
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ต้องใช้รหัสแบทช์
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ต้องใช้รหัสแบทช์
 DocType: Sales Person,Parent Sales Person,ผู้ปกครองคนขาย
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,ไม่มีรายการที่จะได้รับค้างชำระ
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,ผู้ขายและผู้ซื้อต้องไม่เหมือนกัน
 DocType: Project,Collect Progress,รวบรวมความคืบหน้า
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2791,7 +2819,7 @@
 DocType: Bank Guarantee,Margin Money,เงิน Margin
 DocType: Budget,Budget,งบประมาณ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,ตั้งค่าเปิด
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,รายการสินทรัพย์ถาวรจะต้องเป็นรายการที่ไม่สต็อก
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,รายการสินทรัพย์ถาวรจะต้องเป็นรายการที่ไม่สต็อก
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",งบประมาณไม่สามารถกำหนดกับ {0} เป็นมันไม่ได้เป็นบัญชีรายได้หรือค่าใช้จ่าย
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},จำนวนเงินสูงสุดที่ได้รับยกเว้นสำหรับ {0} คือ {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ที่ประสบความสำเร็จ
@@ -2809,9 +2837,9 @@
 ,Amount to Deliver,ปริมาณการส่ง
 DocType: Asset,Insurance Start Date,วันที่เริ่มต้นการประกัน
 DocType: Salary Component,Flexible Benefits,ประโยชน์ที่ยืดหยุ่น
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},มีการป้อนรายการเดียวกันหลายครั้ง {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},มีการป้อนรายการเดียวกันหลายครั้ง {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,วันที่เริ่มวาระจะต้องไม่เร็วกว่าปีวันเริ่มต้นของปีการศึกษาที่คำว่ามีการเชื่อมโยง (ปีการศึกษา {}) โปรดแก้ไขวันและลองอีกครั้ง
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,มีข้อผิดพลาด ได้
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,มีข้อผิดพลาด ได้
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,พนักงาน {0} ใช้ {1} ระหว่าง {2} ถึง {3} แล้ว:
 DocType: Guardian,Guardian Interests,สนใจการ์เดียน
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,อัปเดตชื่อบัญชี / หมายเลข
@@ -2851,9 +2879,9 @@
 ,Item-wise Purchase History,ประวัติการซื้อสินค้าที่ชาญฉลาด
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},กรุณา คลิกที่ 'สร้าง ตาราง ' เพื่อ เรียก หมายเลขเครื่อง เพิ่มสำหรับ รายการ {0}
 DocType: Account,Frozen,แช่แข็ง
-DocType: Delivery Note,Vehicle Type,ประเภทยานพาหนะ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,ประเภทยานพาหนะ
 DocType: Sales Invoice Payment,Base Amount (Company Currency),จํานวนพื้นฐาน ( สกุลเงินบริษัท)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,วัตถุดิบ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,วัตถุดิบ
 DocType: Payment Reconciliation Payment,Reference Row,แถวอ้างอิง
 DocType: Installation Note,Installation Time,เวลาติดตั้ง
 DocType: Sales Invoice,Accounting Details,รายละเอียดบัญชี
@@ -2862,12 +2890,13 @@
 DocType: Inpatient Record,O Positive,O Positive
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,เงินลงทุน
 DocType: Issue,Resolution Details,รายละเอียดความละเอียด
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,ประเภทธุรกรรม
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,ประเภทธุรกรรม
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,เกณฑ์การยอมรับ กําหนดเกณฑ์ การยอมรับ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,กรุณากรอกคำขอวัสดุในตารางข้างต้น
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,ไม่มีการชำระคืนสำหรับรายการบันทึก
 DocType: Hub Tracked Item,Image List,Image List
 DocType: Item Attribute,Attribute Name,ชื่อแอตทริบิวต์
+DocType: Subscription,Generate Invoice At Beginning Of Period,สร้างใบแจ้งหนี้เมื่อเริ่มต้นของงวด
 DocType: BOM,Show In Website,แสดงในเว็บไซต์
 DocType: Loan Application,Total Payable Amount,รวมจำนวนเงินที่จ่าย
 DocType: Task,Expected Time (in hours),เวลาที่คาดว่าจะ (ชั่วโมง)
@@ -2905,8 +2934,8 @@
 DocType: Employee,Resignation Letter Date,วันที่ใบลาออก
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,กฎการกำหนดราคาจะถูกกรองต่อไปขึ้นอยู่กับปริมาณ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,ยังไม่ได้ระบุ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},โปรดกำหนดวันที่เข้าร่วมสำหรับพนักงาน {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},โปรดกำหนดวันที่เข้าร่วมสำหรับพนักงาน {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},โปรดกำหนดวันที่เข้าร่วมสำหรับพนักงาน {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},โปรดกำหนดวันที่เข้าร่วมสำหรับพนักงาน {0}
 DocType: Inpatient Record,Discharge,ปล่อย
 DocType: Task,Total Billing Amount (via Time Sheet),จำนวนเงินที่เรียกเก็บเงินรวม (ผ่านใบบันทึกเวลา)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ซ้ำรายได้ของลูกค้า
@@ -2916,13 +2945,13 @@
 DocType: Chapter,Chapter,บท
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,คู่
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,บัญชีเริ่มต้นจะได้รับการปรับปรุงโดยอัตโนมัติในใบแจ้งหนี้ POS เมื่อเลือกโหมดนี้
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,เลือก BOM และจำนวนการผลิต
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,เลือก BOM และจำนวนการผลิต
 DocType: Asset,Depreciation Schedule,กำหนดการค่าเสื่อมราคา
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ที่อยู่และที่อยู่ติดต่อของฝ่ายขาย
 DocType: Bank Reconciliation Detail,Against Account,กับบัญชี
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,ครึ่งวันวันควรอยู่ระหว่างนับจากวันและวันที่
 DocType: Maintenance Schedule Detail,Actual Date,วันที่เกิดขึ้นจริง
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,โปรดตั้งค่าศูนย์ต้นทุนเริ่มต้นใน บริษัท {0}
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,โปรดตั้งค่าศูนย์ต้นทุนเริ่มต้นใน บริษัท {0}
 DocType: Item,Has Batch No,ชุดมีไม่มี
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},การเรียกเก็บเงินประจำปี: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,รายละเอียด Shopify Webhook
@@ -2934,7 +2963,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,ประเภทการเปลี่ยน
 DocType: Student,Personal Details,รายละเอียดส่วนบุคคล
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},โปรดตั้ง &#39;ศูนย์สินทรัพย์ค่าเสื่อมราคาค่าใช้จ่ายใน บริษัท {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},โปรดตั้ง &#39;ศูนย์สินทรัพย์ค่าเสื่อมราคาค่าใช้จ่ายใน บริษัท {0}
 ,Maintenance Schedules,กำหนดการบำรุงรักษา
 DocType: Task,Actual End Date (via Time Sheet),ที่เกิดขึ้นจริงวันที่สิ้นสุด (ผ่านใบบันทึกเวลา)
 DocType: Soil Texture,Soil Type,ชนิดของดิน
@@ -2942,10 +2971,10 @@
 ,Quotation Trends,ใบเสนอราคา แนวโน้ม
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},กลุ่มสินค้าไม่ได้กล่าวถึงในหลักรายการสำหรับรายการที่ {0}
 DocType: GoCardless Mandate,GoCardless Mandate,หนังสือมอบอำนาจ GoLCless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,เดบิตในการบัญชีจะต้องเป็นบัญชีลูกหนี้
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,เดบิตในการบัญชีจะต้องเป็นบัญชีลูกหนี้
 DocType: Shipping Rule,Shipping Amount,จำนวนการจัดส่งสินค้า
 DocType: Supplier Scorecard Period,Period Score,ระยะเวลาคะแนน
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,เพิ่มลูกค้า
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,เพิ่มลูกค้า
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,จำนวนเงินที่ รอดำเนินการ
 DocType: Lab Test Template,Special,พิเศษ
 DocType: Loyalty Program,Conversion Factor,ปัจจัยการเปลี่ยนแปลง
@@ -2962,7 +2991,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,เพิ่มหัวจดหมาย
 DocType: Program Enrollment,Self-Driving Vehicle,รถยนต์ขับเอง
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,จัดทำ Scorecard ของผู้จัดหา
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},แถว {0}: Bill of Materials ไม่พบรายการ {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},แถว {0}: Bill of Materials ไม่พบรายการ {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ใบจัดสรรรวม {0} ไม่สามารถจะน้อยกว่าการอนุมัติแล้วใบ {1} สําหรับงวด
 DocType: Contract Fulfilment Checklist,Requirement,ความต้องการ
 DocType: Journal Entry,Accounts Receivable,ลูกหนี้
@@ -2978,16 +3007,16 @@
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,ตั้งค่าทรัพยากรบุคคล
 DocType: Salary Slip,net pay info,ข้อมูลค่าใช้จ่ายสุทธิ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,จำนวน CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,จำนวน CESS
 DocType: Woocommerce Settings,Enable Sync,เปิดใช้งานการซิงค์
 DocType: Tax Withholding Rate,Single Transaction Threshold,เกณฑ์การทำธุรกรรมเดี่ยว
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ค่านี้ได้รับการปรับปรุงในรายการราคาขายเริ่มต้น
 DocType: Email Digest,New Expenses,ค่าใช้จ่ายใหม่
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,จำนวน PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,จำนวน PDC / LC
 DocType: Shareholder,Shareholder,ผู้ถือหุ้น
 DocType: Purchase Invoice,Additional Discount Amount,จำนวนส่วนลดเพิ่มเติม
 DocType: Cash Flow Mapper,Position,ตำแหน่ง
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,รับสินค้าจากการกําหนด
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,รับสินค้าจากการกําหนด
 DocType: Patient,Patient Details,รายละเอียดผู้ป่วย
 DocType: Inpatient Record,B Positive,B บวก
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2999,8 +3028,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,กลุ่มที่ไม่ใช่กลุ่ม
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,กีฬา
 DocType: Loan Type,Loan Name,ชื่อเงินกู้
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,ทั้งหมดที่เกิดขึ้นจริง
-DocType: Lab Test UOM,Test UOM,ทดสอบ UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,ทั้งหมดที่เกิดขึ้นจริง
 DocType: Student Siblings,Student Siblings,พี่น้องนักศึกษา
 DocType: Subscription Plan Detail,Subscription Plan Detail,รายละเอียดแผนการสมัครสมาชิก
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,หน่วย
@@ -3028,7 +3056,6 @@
 DocType: Workstation,Wages per hour,ค่าจ้างต่อชั่วโมง
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},สมดุลหุ้นใน Batch {0} จะกลายเป็นเชิงลบ {1} สำหรับรายการ {2} ที่โกดัง {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ต่อไปนี้ขอวัสดุได้รับการยกโดยอัตโนมัติตามระดับสั่งซื้อใหม่ของรายการ
-DocType: Email Digest,Pending Sales Orders,รอดำเนินการคำสั่งขาย
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},บัญชี {0} ไม่ถูกต้อง สกุลเงินในบัญชีจะต้องเป็น {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},จากวันที่ {0} ไม่สามารถเป็นได้หลังจากที่พนักงานลบวันที่ {1}
 DocType: Supplier,Is Internal Supplier,เป็นผู้จัดหาภายใน
@@ -3037,13 +3064,14 @@
 DocType: Healthcare Settings,Remind Before,เตือนก่อน
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ปัจจัย UOM แปลง จะต้อง อยู่ในแถว {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อสินค้าขาย, การขายใบแจ้งหนี้หรือวารสารรายการ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อสินค้าขาย, การขายใบแจ้งหนี้หรือวารสารรายการ"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyalty Points = สกุลเงินหลักเท่าใด?
 DocType: Salary Component,Deduction,การหัก
 DocType: Item,Retain Sample,เก็บตัวอย่าง
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,แถว {0}: จากเวลาและต้องการเวลามีผลบังคับใช้
 DocType: Stock Reconciliation Item,Amount Difference,จำนวนเงินที่แตกต่าง
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},รายการสินค้าเพิ่มสำหรับ {0} ในราคา {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},รายการสินค้าเพิ่มสำหรับ {0} ในราคา {1}
+DocType: Delivery Stop,Order Information,ข้อมูลการสั่งซื้อ
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,กรุณากรอกพนักงาน Id นี้คนขาย
 DocType: Territory,Classification of Customers by region,การจำแนกประเภทของลูกค้าตามภูมิภาค
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,ในการผลิต
@@ -3054,8 +3082,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ธนาคารคำนวณยอดเงินงบ
 DocType: Normal Test Template,Normal Test Template,เทมเพลตการทดสอบปกติ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ผู้ใช้ที่ถูกปิดการใช้งาน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,ใบเสนอราคา
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,ไม่สามารถตั้งค่า RFQ ที่ได้รับเป็น No Quote
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,ใบเสนอราคา
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,ไม่สามารถตั้งค่า RFQ ที่ได้รับเป็น No Quote
 DocType: Salary Slip,Total Deduction,หักรวม
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,เลือกบัญชีที่จะพิมพ์ในสกุลเงินของบัญชี
 ,Production Analytics,Analytics ผลิต
@@ -3068,14 +3096,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,การตั้งค่า Scorecard ของผู้จัดหา
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,ชื่อแผนประเมิน
 DocType: Work Order Operation,Work Order Operation,การดำเนินการใบสั่งงาน
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},คำเตือน: ใบรับรอง SSL ที่ไม่ถูกต้องในสิ่งที่แนบมา {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},คำเตือน: ใบรับรอง SSL ที่ไม่ถูกต้องในสิ่งที่แนบมา {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",นำไปสู่การช่วยให้คุณได้รับธุรกิจเพิ่มรายชื่อทั้งหมดของคุณและมากขึ้นเป็นผู้นำของคุณ
 DocType: Work Order Operation,Actual Operation Time,เวลาการดำเนินงานที่เกิดขึ้นจริง
 DocType: Authorization Rule,Applicable To (User),ที่ใช้บังคับกับ (User)
 DocType: Purchase Taxes and Charges,Deduct,หัก
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,รายละเอียดตำแหน่งงาน
 DocType: Student Applicant,Applied,ประยุกต์
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Re - เปิด
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Re - เปิด
 DocType: Sales Invoice Item,Qty as per Stock UOM,จำนวนตามสต็อก UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ชื่อ Guardian2
 DocType: Attendance,Attendance Request,คำขอเข้าร่วม
@@ -3093,7 +3121,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},อนุกรม ไม่มี {0} อยู่ภายใต้การ รับประกัน ไม่เกิน {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ค่าที่อนุญาตต่ำสุด
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,ผู้ใช้ {0} มีอยู่แล้ว
-apps/erpnext/erpnext/hooks.py +114,Shipments,การจัดส่ง
+apps/erpnext/erpnext/hooks.py +115,Shipments,การจัดส่ง
 DocType: Payment Entry,Total Allocated Amount (Company Currency),รวมจัดสรร ( บริษัท สกุล)
 DocType: Purchase Order Item,To be delivered to customer,ที่จะส่งมอบให้กับลูกค้า
 DocType: BOM,Scrap Material Cost,ต้นทุนเศษวัสดุ
@@ -3101,11 +3129,12 @@
 DocType: Grant Application,Email Notification Sent,ส่งอีเมลแจ้งแล้ว
 DocType: Purchase Invoice,In Words (Company Currency),ในคำ (สกุลเงิน บริษัท)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,บริษัท มีบัญชีสำหรับ บริษัท
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",ต้องใช้รหัสรายการคลังสินค้าปริมาณในแถว
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",ต้องใช้รหัสรายการคลังสินค้าปริมาณในแถว
 DocType: Bank Guarantee,Supplier,ผู้จัดจำหน่าย
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,ได้รับจาก
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,นี่เป็นแผนกรากและไม่สามารถแก้ไขได้
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,แสดงรายละเอียดการชำระเงิน
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,ระยะเวลาในวัน
 DocType: C-Form,Quarter,ไตรมาส
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,ค่าใช้จ่าย เบ็ดเตล็ด
 DocType: Global Defaults,Default Company,บริษัท เริ่มต้น
@@ -3113,7 +3142,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ค่าใช้จ่าย หรือ ความแตกต่าง บัญชี มีผลบังคับใช้ กับ รายการ {0} ที่มัน มีผลกระทบต่อ มูลค่า หุ้น โดยรวม
 DocType: Bank,Bank Name,ชื่อธนาคาร
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,- ขึ้นไป
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,ปล่อยให้ฟิลด์ว่างเพื่อทำคำสั่งซื้อสำหรับซัพพลายเออร์ทั้งหมด
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,ปล่อยให้ฟิลด์ว่างเพื่อทำคำสั่งซื้อสำหรับซัพพลายเออร์ทั้งหมด
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,รายการเยี่ยมชมผู้ป่วยใน
 DocType: Vital Signs,Fluid,ของเหลว
 DocType: Leave Application,Total Leave Days,วันที่เดินทางทั้งหมด
@@ -3123,7 +3152,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,การตั้งค่าชุดตัวเลือกรายการ
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,เลือก บริษัท ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,เว้นไว้หากพิจารณาให้หน่วยงานทั้งหมด
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} ต้องระบุสำหรับ รายการ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} ต้องระบุสำหรับ รายการ {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","รายการ {0}: {1} จำนวนมากที่ผลิต,"
 DocType: Payroll Entry,Fortnightly,รายปักษ์
 DocType: Currency Exchange,From Currency,จากสกุลเงิน
@@ -3173,7 +3202,7 @@
 DocType: Account,Fixed Asset,สินทรัพย์ คงที่
 DocType: Amazon MWS Settings,After Date,หลังวันที่
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,เนื่องสินค้าคงคลัง
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Invalid {0} สำหรับ Invoice ของ บริษัท Inter
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Invalid {0} สำหรับ Invoice ของ บริษัท Inter
 ,Department Analytics,แผนก Analytics
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,ไม่พบอีเมลในรายชื่อติดต่อมาตรฐาน
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,สร้างความลับ
@@ -3192,6 +3221,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,ผู้บริหารสูงสุด
 DocType: Purchase Invoice,With Payment of Tax,การชำระภาษี
 DocType: Expense Claim Detail,Expense Claim Detail,รายละเอียดค่าใช้จ่ายสินไหม
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในการศึกษา&gt; การตั้งค่าการศึกษา
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE สำหรับซัพพลายเออร์
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,ยอดคงเหลือใหม่ในสกุลเงินหลัก
 DocType: Location,Is Container,เป็นคอนเทนเนอร์
@@ -3199,13 +3229,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,กรุณาเลือกบัญชีที่ถูกต้อง
 DocType: Salary Structure Assignment,Salary Structure Assignment,การกำหนดโครงสร้างเงินเดือน
 DocType: Purchase Invoice Item,Weight UOM,UOM น้ำหนัก
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,รายชื่อผู้ถือหุ้นที่มีหมายเลข folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,รายชื่อผู้ถือหุ้นที่มีหมายเลข folio
 DocType: Salary Structure Employee,Salary Structure Employee,พนักงานโครงสร้างเงินเดือน
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,แสดงแอ็ตทริบิวต์ Variant
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,แสดงแอ็ตทริบิวต์ Variant
 DocType: Student,Blood Group,กรุ๊ปเลือด
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,บัญชีเกตเวย์การชำระเงินในแผน {0} แตกต่างจากบัญชีเกตเวย์การชำระเงินในคำขอการชำระเงินนี้
 DocType: Course,Course Name,หลักสูตรการอบรม
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,ไม่มีข้อมูลหัก ณ ที่จ่ายทางภาษีสำหรับปีงบประมาณปัจจุบัน
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,ไม่มีข้อมูลหัก ณ ที่จ่ายทางภาษีสำหรับปีงบประมาณปัจจุบัน
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ผู้ใช้ที่สามารถอนุมัติพนักงานเฉพาะแอพพลิเคลา
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,อุปกรณ์ สำนักงาน
 DocType: Purchase Invoice Item,Qty,จำนวน
@@ -3213,6 +3243,7 @@
 DocType: Supplier Scorecard,Scoring Setup,ตั้งค่าการให้คะแนน
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,อิเล็กทรอนิกส์
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),เดบิต ({0})
+DocType: BOM,Allow Same Item Multiple Times,อนุญาตให้ใช้รายการเดียวกันหลายครั้ง
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ยกคำขอวัสดุเมื่อหุ้นถึงระดับใหม่สั่ง
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,เต็มเวลา
 DocType: Payroll Entry,Employees,พนักงาน
@@ -3224,11 +3255,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,การยืนยันการชำระเงิน
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ราคาจะไม่แสดงถ้าราคาไม่ได้ตั้งค่า
 DocType: Stock Entry,Total Incoming Value,ค่าเข้ามาทั้งหมด
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,เดบิตในการที่จะต้อง
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,เดบิตในการที่จะต้อง
 DocType: Clinical Procedure,Inpatient Record,บันทึกผู้ป่วย
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",Timesheets ช่วยให้การติดตามของเวลาค่าใช้จ่ายและการเรียกเก็บเงินสำหรับกิจกรรมที่ทำโดยทีมงานของคุณ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,ซื้อราคา
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,วันที่ทำรายการ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,ซื้อราคา
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,วันที่ทำรายการ
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,เทมเพลตของตัวแปรชี้วัดของซัพพลายเออร์
 DocType: Job Offer Term,Offer Term,ระยะเวลาเสนอ
 DocType: Asset,Quality Manager,ผู้จัดการคุณภาพ
@@ -3249,11 +3280,11 @@
 DocType: Cashier Closing,To Time,ถึงเวลา
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) สำหรับ {0}
 DocType: Authorization Rule,Approving Role (above authorized value),อนุมัติบทบาท (สูงกว่าค่าที่ได้รับอนุญาต)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,เครดิตการบัญชีจะต้องเป็นบัญชีเจ้าหนี้
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,เครดิตการบัญชีจะต้องเป็นบัญชีเจ้าหนี้
 DocType: Loan,Total Amount Paid,จำนวนเงินที่จ่าย
 DocType: Asset,Insurance End Date,วันที่สิ้นสุดการประกัน
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,โปรดเลือกการรับนักศึกษาซึ่งเป็นข้อบังคับสำหรับผู้สมัครที่ได้รับค่าเล่าเรียน
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM เรียกซ้ำ : {0} ไม่สามารถ เป็นผู้ปกครอง หรือเด็ก ของ {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM เรียกซ้ำ : {0} ไม่สามารถ เป็นผู้ปกครอง หรือเด็ก ของ {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,รายชื่องบประมาณ
 DocType: Work Order Operation,Completed Qty,จำนวนเสร็จ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",มีบัญชีประเภทเดบิตเท่านั้น ที่สามารถเชื่อมโยงกับรายการประเภทเครดิต สำหรับ {0}
@@ -3261,7 +3292,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",ไม่สามารถอัปเดตรายการแบบต่อเนื่อง {0} โดยใช้การสมานฉวนหุ้นโปรดใช้รายการสต็อก
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",ไม่สามารถอัปเดตรายการแบบต่อเนื่อง {0} โดยใช้การตรวจสอบความสอดคล้องกันได้โปรดใช้รายการสต็อก
 DocType: Training Event Employee,Training Event Employee,กิจกรรมการฝึกอบรมพนักงาน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ตัวอย่างสูงสุด - {0} สามารถเก็บไว้สำหรับแบทช์ {1} และรายการ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,ตัวอย่างสูงสุด - {0} สามารถเก็บไว้สำหรับแบทช์ {1} และรายการ {2}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,เพิ่มช่วงเวลา
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} เลขหมายประจำเครื่องจำเป็นสำหรับรายการ {1} คุณได้ให้ {2}
 DocType: Stock Reconciliation Item,Current Valuation Rate,อัตราการประเมินมูลค่าปัจจุบัน
@@ -3292,11 +3323,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,ไม่มี Serial {0} ไม่พบ
 DocType: Fee Schedule Program,Fee Schedule Program,ตารางค่าตอบแทน
 DocType: Fee Schedule Program,Student Batch,ชุดนักศึกษา
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","โปรดลบพนักงาน <a href=""#Form/Employee/{0}"">{0}</a> \ เพื่อยกเลิกเอกสารนี้"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,ทำให้นักศึกษา
 DocType: Supplier Scorecard Scoring Standing,Min Grade,เกรดต่ำสุด
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ประเภทหน่วยบริการสุขภาพ
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},คุณได้รับเชิญที่จะทำงานร่วมกันในโครงการ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},คุณได้รับเชิญที่จะทำงานร่วมกันในโครงการ: {0}
 DocType: Supplier Group,Parent Supplier Group,กลุ่มผู้ขายหลัก
+DocType: Email Digest,Purchase Orders to Bill,ซื้อใบสั่งซื้อให้ Bill
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,มูลค่าสะสมในกลุ่ม บริษัท
 DocType: Leave Block List Date,Block Date,บล็อกวันที่
 DocType: Crop,Crop,พืชผล
@@ -3309,6 +3343,7 @@
 DocType: Sales Order,Not Delivered,ไม่ได้ส่ง
 ,Bank Clearance Summary,ข้อมูลอย่างย่อ Clearance ธนาคาร
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",การสร้างและจัดการ รายวันรายสัปดาห์ และรายเดือน ย่อยสลาย ทางอีเมล์
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,ขึ้นอยู่กับการทำธุรกรรมกับผู้ขายรายนี้ ดูรายละเอียดจากเส้นเวลาด้านล่าง
 DocType: Appraisal Goal,Appraisal Goal,เป้าหมายการประเมิน
 DocType: Stock Reconciliation Item,Current Amount,จำนวนเงินในปัจจุบัน
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,สิ่งปลูกสร้าง
@@ -3335,7 +3370,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,โปรแกรม
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,ถัดไปติดต่อวันที่ไม่สามารถอยู่ในอดีตที่ผ่านมา
 DocType: Company,For Reference Only.,สำหรับการอ้างอิงเท่านั้น
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,เลือกแบทช์
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,เลือกแบทช์
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},ไม่ถูกต้อง {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Inv อ้างอิง
@@ -3353,16 +3388,16 @@
 DocType: Normal Test Items,Require Result Value,ต้องมีค่าผลลัพธ์
 DocType: Item,Show a slideshow at the top of the page,สไลด์โชว์ที่ด้านบนของหน้า
 DocType: Tax Withholding Rate,Tax Withholding Rate,อัตราการหักภาษี ณ ที่จ่าย
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,ร้านค้า
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,ร้านค้า
 DocType: Project Type,Projects Manager,ผู้จัดการโครงการ
 DocType: Serial No,Delivery Time,เวลาจัดส่งสินค้า
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,เอจจิ้ง อยู่ ที่
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,นัดยกเลิกแล้ว
 DocType: Item,End of Life,ในตอนท้ายของชีวิต
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,การเดินทาง
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,การเดินทาง
 DocType: Student Report Generation Tool,Include All Assessment Group,รวมกลุ่มการประเมินทั้งหมด
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,ไม่มีการใช้งานหรือเริ่มต้นโครงสร้างเงินเดือนของพนักงานพบ {0} สำหรับวันที่กำหนด
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,ไม่มีการใช้งานหรือเริ่มต้นโครงสร้างเงินเดือนของพนักงานพบ {0} สำหรับวันที่กำหนด
 DocType: Leave Block List,Allow Users,อนุญาตให้ผู้ใช้งาน
 DocType: Purchase Order,Customer Mobile No,มือถือของลูกค้าไม่มี
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,รายละเอียดแม่แบบการร่างกระแสเงินสด
@@ -3371,15 +3406,16 @@
 DocType: Rename Tool,Rename Tool,เปลี่ยนชื่อเครื่องมือ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,ปรับปรุง ค่าใช้จ่าย
 DocType: Item Reorder,Item Reorder,รายการ Reorder
+DocType: Delivery Note,Mode of Transport,โหมดการขนส่ง
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,สลิปเงินเดือนที่ต้องการแสดง
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,โอน วัสดุ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,โอน วัสดุ
 DocType: Fees,Send Payment Request,ส่งคำขอการชำระเงิน
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",ระบุการดำเนินการ ค่าใช้จ่าย ในการดำเนินงาน และให้การดำเนินการ ที่ไม่ซ้ำกัน ในการ ดำเนินงานของคุณ
 DocType: Travel Request,Any other details,รายละเอียดอื่น ๆ
 DocType: Water Analysis,Origin,ที่มา
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,เอกสารนี้เป็นเกินขีด จำกัด โดย {0} {1} สำหรับรายการ {4} คุณกำลังทำอีก {3} กับเดียวกัน {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,กรุณาตั้งค่าที่เกิดขึ้นหลังจากการบันทึก
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,บัญชีจำนวนเงินที่เลือกเปลี่ยน
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,กรุณาตั้งค่าที่เกิดขึ้นหลังจากการบันทึก
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,บัญชีจำนวนเงินที่เลือกเปลี่ยน
 DocType: Purchase Invoice,Price List Currency,สกุลเงินรายการราคา
 DocType: Naming Series,User must always select,ผู้ใช้จะต้องเลือก
 DocType: Stock Settings,Allow Negative Stock,อนุญาตให้สต็อกเชิงลบ
@@ -3400,9 +3436,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ตรวจสอบย้อนกลับ
 DocType: Asset Maintenance Log,Actions performed,ดำเนินการแล้ว
 DocType: Cash Flow Mapper,Section Leader,หัวหน้าแผนก
+DocType: Delivery Note,Transport Receipt No,เลขที่ใบขนส่ง
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),แหล่งที่มาของ เงินทุน ( หนี้สิน )
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,ที่มาและตำแหน่งเป้าหมายต้องไม่เหมือนกัน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},จำนวน ในแถว {0} ({1} ) จะต้อง เป็นเช่นเดียวกับ ปริมาณ การผลิต {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},จำนวน ในแถว {0} ({1} ) จะต้อง เป็นเช่นเดียวกับ ปริมาณ การผลิต {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,ลูกจ้าง
 DocType: Bank Guarantee,Fixed Deposit Number,หมายเลขเงินฝากประจำ
 DocType: Asset Repair,Failure Date,วันที่ล้มเหลว
@@ -3416,16 +3453,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,การหักเงินชำระเงินหรือการสูญเสีย
 DocType: Soil Analysis,Soil Analysis Criterias,เกณฑ์การวิเคราะห์ดิน
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,ข้อสัญญา มาตรฐานสำหรับ การขายหรือการ ซื้อ
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,คุณแน่ใจหรือว่าต้องการยกเลิกการนัดหมายนี้
+DocType: BOM Item,Item operation,การทำงานของรายการ
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,คุณแน่ใจหรือว่าต้องการยกเลิกการนัดหมายนี้
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,ราคาห้องพัก
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,ท่อขาย
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,ท่อขาย
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},กรุณาตั้งค่าบัญชีเริ่มต้นเงินเดือนตัวแทน {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ต้องใช้ใน
 DocType: Rename Tool,File to Rename,การเปลี่ยนชื่อไฟล์
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},กรุณาเลือก BOM สำหรับสินค้าในแถว {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,เรียกข้อมูลอัปเดตการสมัครสมาชิก
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},บัญชี {0} ไม่ตรงกับ บริษัท {1} ในโหมดบัญชี: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},ระบุ BOM {0} ไม่อยู่สำหรับรายการ {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},ระบุ BOM {0} ไม่อยู่สำหรับรายการ {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,หลักสูตร:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ตาราง การบำรุงรักษา {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้
@@ -3434,7 +3472,7 @@
 DocType: Notification Control,Expense Claim Approved,เรียกร้องค่าใช้จ่ายที่ได้รับอนุมัติ
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ตั้งค่าความก้าวหน้าและจัดสรร (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,ไม่มีการสร้างใบสั่งงาน
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับช่วงเวลานี้
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับช่วงเวลานี้
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,เภสัชกรรม
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,คุณสามารถส่ง Leave Encashment ได้เพียงจำนวนเงินที่ถูกต้องเท่านั้น
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ค่าใช้จ่ายของรายการที่ซื้อ
@@ -3442,7 +3480,8 @@
 DocType: Selling Settings,Sales Order Required,สั่งซื้อยอดขายที่ต้องการ
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,มาเป็นผู้ขาย
 DocType: Purchase Invoice,Credit To,เครดิต
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,นำไปสู่การใช้ / ลูกค้า
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,นำไปสู่การใช้ / ลูกค้า
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,เว้นว่างไว้เพื่อใช้รูปแบบการจัดส่งแบบมาตรฐาน
 DocType: Employee Education,Post Graduate,หลังจบการศึกษา
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,รายละเอียดกำหนดการซ่อมบำรุง
 DocType: Supplier Scorecard,Warn for new Purchase Orders,เตือนคำสั่งซื้อใหม่
@@ -3456,14 +3495,14 @@
 DocType: Support Search Source,Post Title Key,คีย์ชื่อเรื่องโพสต์
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,สำหรับบัตรงาน
 DocType: Warranty Claim,Raised By,โดยยก
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,ใบสั่งยา
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,ใบสั่งยา
 DocType: Payment Gateway Account,Payment Account,บัญชีการชำระเงิน
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,โปรดระบุ บริษัท ที่จะดำเนินการ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,โปรดระบุ บริษัท ที่จะดำเนินการ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,เปลี่ยนสุทธิในบัญชีลูกหนี้
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,ชดเชย ปิด
 DocType: Job Offer,Accepted,ได้รับการยอมรับแล้ว
 DocType: POS Closing Voucher,Sales Invoices Summary,สรุปใบกำกับสินค้าการขาย
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,ไปยังชื่อพรรค
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,ไปยังชื่อพรรค
 DocType: Grant Application,Organization,องค์กร
 DocType: Grant Application,Organization,องค์กร
 DocType: BOM Update Tool,BOM Update Tool,เครื่องมืออัปเดต BOM
@@ -3473,7 +3512,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,โปรดตรวจสอบว่าคุณต้องการที่จะลบการทำธุรกรรมทั้งหมดของ บริษัท นี้ ข้อมูลหลักของคุณจะยังคงอยู่อย่างที่มันเป็น การดำเนินการนี้ไม่สามารถยกเลิกได้
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,ผลการค้นหา
 DocType: Room,Room Number,หมายเลขห้อง
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},การอ้างอิงที่ไม่ถูกต้อง {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},การอ้างอิงที่ไม่ถูกต้อง {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ไม่สามารถกำหนดให้สูงกว่าปริมาณที่วางแผนไว้ ({2}) ในการสั่งผลิต {3}
 DocType: Shipping Rule,Shipping Rule Label,ป้ายกฎการจัดส่งสินค้า
 DocType: Journal Entry Account,Payroll Entry,รายการบัญชีเงินเดือน
@@ -3481,8 +3520,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,ทำแม่แบบภาษี
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ผู้ใช้งานฟอรั่ม
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,วัตถุดิบไม่สามารถมีช่องว่าง
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,แถว # {0} (ตารางการชำระเงิน): จำนวนเงินต้องเป็นค่าลบ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","ไม่สามารถอัปเดสต็อก, ใบแจ้งหนี้ที่มีรายการการขนส่งลดลง"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,แถว # {0} (ตารางการชำระเงิน): จำนวนเงินต้องเป็นค่าลบ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","ไม่สามารถอัปเดสต็อก, ใบแจ้งหนี้ที่มีรายการการขนส่งลดลง"
 DocType: Contract,Fulfilment Status,สถานะ Fulfillment
 DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample
 DocType: Item Variant Settings,Allow Rename Attribute Value,อนุญาตให้เปลี่ยนชื่อค่าแอตทริบิวต์
@@ -3524,11 +3563,11 @@
 DocType: BOM,Show Operations,แสดงการดำเนินงาน
 ,Minutes to First Response for Opportunity,นาทีเพื่อตอบสนองแรกโอกาส
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,ขาดทั้งหมด
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,สินค้าหรือ โกดัง แถว {0} ไม่ตรงกับที่ ขอ วัสดุ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,สินค้าหรือ โกดัง แถว {0} ไม่ตรงกับที่ ขอ วัสดุ
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,หน่วยของการวัด
 DocType: Fiscal Year,Year End Date,วันสิ้นปี
 DocType: Task Depends On,Task Depends On,ขึ้นอยู่กับงาน
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,โอกาส
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,โอกาส
 DocType: Operation,Default Workstation,เวิร์คสเตชั่เริ่มต้น
 DocType: Notification Control,Expense Claim Approved Message,เรียกร้องค่าใช้จ่ายที่ได้รับอนุมัติข้อความ
 DocType: Payment Entry,Deductions or Loss,การหักเงินหรือการสูญเสีย
@@ -3566,21 +3605,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,อนุมัติ ผู้ใช้ ไม่สามารถเป็น เช่นเดียวกับ ผู้ ปกครองใช้กับ
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),อัตราขั้นพื้นฐาน (ตามหุ้น UOM)
 DocType: SMS Log,No of Requested SMS,ไม่มีของ SMS ขอ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,ทิ้งไว้โดยไม่ต้องจ่ายไม่ตรงกับที่ได้รับอนุมัติบันทึกออกจากแอพลิเคชัน
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,ทิ้งไว้โดยไม่ต้องจ่ายไม่ตรงกับที่ได้รับอนุมัติบันทึกออกจากแอพลิเคชัน
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ขั้นตอนถัดไป
 DocType: Travel Request,Domestic,ในประเทศ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,กรุณาจัดหารายการที่ระบุในอัตราที่ดีที่สุด
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,กรุณาจัดหารายการที่ระบุในอัตราที่ดีที่สุด
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,ไม่สามารถส่งการโอนพนักงานได้ก่อนวันที่โอนย้าย
 DocType: Certification Application,USD,ดอลล่าร์
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,ทำให้ ใบแจ้งหนี้
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,ยอดคงเหลือที่เหลืออยู่
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,ยอดคงเหลือที่เหลืออยู่
 DocType: Selling Settings,Auto close Opportunity after 15 days,รถยนต์ใกล้โอกาสหลังจาก 15 วัน
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,คำสั่งซื้อซื้อไม่ได้รับอนุญาตสำหรับ {0} เนื่องจากมีการจดแต้มที่ {1}
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,บาร์โค้ด {0} ไม่ใช่รหัส {1} ที่ถูกต้อง
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,บาร์โค้ด {0} ไม่ใช่รหัส {1} ที่ถูกต้อง
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,ปีที่จบ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,วันที่สิ้นสุด สัญญา จะต้องมากกว่า วันที่ เข้าร่วม
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,วันที่สิ้นสุด สัญญา จะต้องมากกว่า วันที่ เข้าร่วม
 DocType: Driver,Driver,คนขับรถ
 DocType: Vital Signs,Nutrition Values,คุณค่าทางโภชนาการ
 DocType: Lab Test Template,Is billable,เรียกเก็บเงินได้
@@ -3591,7 +3630,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,เว็บไซต์ นี้เป็น ตัวอย่างที่สร้างขึ้นโดยอัตโนมัติ จาก ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,ช่วงสูงอายุ 1
 DocType: Shopify Settings,Enable Shopify,เปิดใช้ Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,จำนวนเงินล่วงหน้าทั้งหมดต้องไม่เกินจำนวนที่เรียกร้อง
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,จำนวนเงินล่วงหน้าทั้งหมดต้องไม่เกินจำนวนที่เรียกร้อง
 DocType: Purchase Taxes and Charges Template,"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
@@ -3638,12 +3677,12 @@
 DocType: Employee Separation,Employee Separation,แยกพนักงาน
 DocType: BOM Item,Original Item,รายการต้นฉบับ
 DocType: Purchase Receipt Item,Recd Quantity,จำนวน Recd
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Date
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},ค่าธรรมเนียมระเบียนที่สร้าง - {0}
 DocType: Asset Category Account,Asset Category Account,บัญชีสินทรัพย์ประเภท
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,แถว # {0} (ตารางการชำระเงิน): จำนวนเงินต้องเป็นบวก
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,แถว # {0} (ตารางการชำระเงิน): จำนวนเงินต้องเป็นบวก
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},ไม่สามารถผลิต สินค้า ได้มากขึ้น {0} กว่าปริมาณ การขายสินค้า {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,เลือกค่าแอตทริบิวต์
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,เลือกค่าแอตทริบิวต์
 DocType: Purchase Invoice,Reason For Issuing document,เหตุผลในการออกเอกสาร
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,หุ้นรายการ {0} ไม่ได้ส่ง
 DocType: Payment Reconciliation,Bank / Cash Account,บัญชีเงินสด / ธนาคาร
@@ -3652,8 +3691,10 @@
 DocType: Asset,Manual,คู่มือ
 DocType: Salary Component Account,Salary Component Account,บัญชีเงินเดือนตัวแทน
 DocType: Global Defaults,Hide Currency Symbol,ซ่อนสัญลักษณ์สกุลเงิน
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,โอกาสทางการขายตามแหล่งที่มา
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,ข้อมูลผู้บริจาค
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","เช่น ธนาคาร, เงินสด, บัตรเครดิต"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,กรุณาตั้งหมายเลขชุดสำหรับการเข้าร่วมประชุมผ่านทาง Setup&gt; Numbering Series
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","เช่น ธนาคาร, เงินสด, บัตรเครดิต"
 DocType: Job Applicant,Source Name,แหล่งที่มาของชื่อ
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",ปกติความดันโลหิตในผู้ป่วยประมาณ 120 mmHg systolic และ 80 mmHg diastolic ย่อมาจาก &quot;120/80 mmHg&quot;
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",กำหนดอายุการเก็บรักษาของรายการในวันที่กำหนดหมดอายุตามวันที่ผลิตพร้อมกับชีวิตตนเอง
@@ -3683,7 +3724,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},สำหรับปริมาณต้องน้อยกว่าปริมาณ {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,แถว {0}: วันที่ เริ่มต้น ต้องอยู่ก่อน วันที่สิ้นสุด
 DocType: Salary Component,Max Benefit Amount (Yearly),จำนวนเงินสวัสดิการสูงสุด (รายปี)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS อัตรา%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS อัตรา%
 DocType: Crop,Planting Area,พื้นที่เพาะปลูก
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),รวม (จำนวน)
 DocType: Installation Note Item,Installed Qty,จำนวนการติดตั้ง
@@ -3705,8 +3746,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,ออกประกาศการอนุมัติ
 DocType: Buying Settings,Default Buying Price List,รายการราคาซื้อเริ่มต้น
 DocType: Payroll Entry,Salary Slip Based on Timesheet,สลิปเงินเดือนจาก Timesheet
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,อัตราการซื้อ
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},แถว {0}: ป้อนตำแหน่งสำหรับไอเท็มเนื้อหา {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,อัตราการซื้อ
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},แถว {0}: ป้อนตำแหน่งสำหรับไอเท็มเนื้อหา {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,เกี่ยวกับ บริษัท
 DocType: Notification Control,Sales Order Message,ข้อความสั่งซื้อขาย
@@ -3773,10 +3814,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,สำหรับแถว {0}: ป้อนจำนวนที่วางแผนไว้
 DocType: Account,Income Account,บัญชีรายได้
 DocType: Payment Request,Amount in customer's currency,จำนวนเงินในสกุลเงินของลูกค้า
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,การจัดส่งสินค้า
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,การจัดส่งสินค้า
 DocType: Volunteer,Weekdays,วันธรรมดา
 DocType: Stock Reconciliation Item,Current Qty,จำนวนปัจจุบัน
 DocType: Restaurant Menu,Restaurant Menu,เมนูร้านอาหาร
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,เพิ่มซัพพลายเออร์
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,ส่วนช่วยเหลือ
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,ก่อนหน้า
@@ -3788,19 +3830,20 @@
 												fullfill Sales Order {2}",ไม่สามารถส่ง Serial No {0} ของไอเท็ม {1} ได้ตามที่จองไว้ {fullfill Sales Order {2}
 DocType: Item Reorder,Material Request Type,ประเภทของการขอวัสดุ
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,ส่งอีเมลจาก Grant Review
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",LocalStorage เต็มไม่ได้บันทึก
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,แถว {0}: UOM ปัจจัยการแปลงมีผลบังคับใช้
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",LocalStorage เต็มไม่ได้บันทึก
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,แถว {0}: UOM ปัจจัยการแปลงมีผลบังคับใช้
 DocType: Employee Benefit Claim,Claim Date,วันที่อ้างสิทธิ์
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,ความจุของห้องพัก
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},มีรายการบันทึกสำหรับรายการ {0} อยู่แล้ว
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,อ้าง
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,คุณจะสูญเสียบันทึกของใบแจ้งหนี้ที่สร้างขึ้นก่อนหน้านี้ แน่ใจหรือไม่ว่าคุณต้องการรีสตาร์ทการสมัครรับข้อมูลนี้
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,ค่าลงทะเบียน
 DocType: Loyalty Program Collection,Loyalty Program Collection,การสะสมโปรแกรมความภักดี
 DocType: Stock Entry Detail,Subcontracted Item,รายการที่รับเหมาช่วง
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},นักเรียน {0} ไม่ได้อยู่ในกลุ่ม {1}
 DocType: Budget,Cost Center,ศูนย์ต้นทุน
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,บัตรกำนัล #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,บัตรกำนัล #
 DocType: Notification Control,Purchase Order Message,ข้อความใบสั่งซื้อ
 DocType: Tax Rule,Shipping Country,การจัดส่งสินค้าประเทศ
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ซ่อนประจำตัวผู้เสียภาษีของลูกค้าจากการทำธุรกรรมการขาย
@@ -3819,23 +3862,22 @@
 DocType: Subscription,Cancel At End Of Period,ยกเลิกเมื่อสิ้นสุดระยะเวลา
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,เพิ่มคุณสมบัติแล้ว
 DocType: Item Supplier,Item Supplier,ผู้ผลิตรายการ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},กรุณาเลือก ค่าสำหรับ {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},กรุณาเลือก ค่าสำหรับ {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,ไม่มีรายการที่เลือกสำหรับการถ่ายโอน
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ที่อยู่ทั้งหมด
 DocType: Company,Stock Settings,การตั้งค่าหุ้น
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",การควบรวมจะเป็นไปได้ถ้าคุณสมบัติต่อไปนี้จะเหมือนกันทั้งในบันทึก เป็นกลุ่มประเภทราก บริษัท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",การควบรวมจะเป็นไปได้ถ้าคุณสมบัติต่อไปนี้จะเหมือนกันทั้งในบันทึก เป็นกลุ่มประเภทราก บริษัท
 DocType: Vehicle,Electric,ไฟฟ้า
 DocType: Task,% Progress,% ความคืบหน้า
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,กำไร / ขาดทุนจากการขายสินทรัพย์
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",เฉพาะผู้สมัครนักเรียนที่มีสถานะ &quot;อนุมัติ&quot; เท่านั้นในตารางด้านล่างนี้
 DocType: Tax Withholding Category,Rates,ราคา
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,หมายเลขบัญชีสำหรับบัญชี {0} ไม่พร้อมใช้งาน <br> โปรดตั้งค่าแผนภูมิบัญชีให้ถูกต้อง
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,หมายเลขบัญชีสำหรับบัญชี {0} ไม่พร้อมใช้งาน <br> โปรดตั้งค่าแผนภูมิบัญชีให้ถูกต้อง
 DocType: Task,Depends on Tasks,ขึ้นอยู่กับงาน
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,จัดการ กลุ่ม ลูกค้า ต้นไม้
 DocType: Normal Test Items,Result Value,มูลค่าผลลัพธ์
 DocType: Hotel Room,Hotels,โรงแรม
-DocType: Delivery Note,Transporter Date,วันที่โอนย้าย
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,ใหม่ ชื่อ ศูนย์ต้นทุน
 DocType: Leave Control Panel,Leave Control Panel,ฝากแผงควบคุม
 DocType: Project,Task Completion,เสร็จงาน
@@ -3882,11 +3924,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,ทุกกลุ่มการประเมิน
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,ชื่อคลังสินค้าใหม่
 DocType: Shopify Settings,App Type,ประเภทแอป
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),รวม {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),รวม {0} ({1})
 DocType: C-Form Invoice Detail,Territory,อาณาเขต
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,กรุณาระบุ ไม่ จำเป็นต้องมี การเข้าชม
 DocType: Stock Settings,Default Valuation Method,วิธีการประเมินค่าเริ่มต้น
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ค่าธรรมเนียม
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,แสดงจำนวนเงินสะสม
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,กำลังอัปเดตอยู่ระหว่างดำเนินการ มันอาจจะใช้เวลาสักครู่.
 DocType: Production Plan Item,Produced Qty,จำนวนที่ผลิต
 DocType: Vehicle Log,Fuel Qty,น้ำมันเชื้อเพลิงจำนวน
@@ -3894,7 +3937,7 @@
 DocType: Work Order Operation,Planned Start Time,เวลาเริ่มต้นการวางแผน
 DocType: Course,Assessment,การประเมินผล
 DocType: Payment Entry Reference,Allocated,จัดสรร
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ
 DocType: Student Applicant,Application Status,สถานะการสมัคร
 DocType: Additional Salary,Salary Component Type,เงินเดือนประเภทคอมโพเนนต์
 DocType: Sensitivity Test Items,Sensitivity Test Items,รายการทดสอบความไว
@@ -3905,10 +3948,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,ยอดคงค้างทั้งหมด
 DocType: Sales Partner,Targets,เป้าหมาย
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,โปรดลงทะเบียนหมายเลข SIREN ในไฟล์ข้อมูล บริษัท
+DocType: Email Digest,Sales Orders to Bill,ใบสั่งขายให้ Bill
 DocType: Price List,Price List Master,ราคาโท
 DocType: GST Account,CESS Account,บัญชี CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ขายทำธุรกรรมทั้งหมดสามารถติดแท็กกับหลายบุคคลที่ขาย ** ** เพื่อให้คุณสามารถตั้งค่าและตรวจสอบเป้าหมาย
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,ลิงก์ไปยังคำขอ Material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,ลิงก์ไปยังคำขอ Material
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,กิจกรรมฟอรัม
 ,S.O. No.,เลขที่ใบสั่งขาย
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,รายการการตั้งค่ารายการบัญชีธนาคาร
@@ -3923,7 +3967,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,นี่คือกลุ่ม ลูกค้าราก และ ไม่สามารถแก้ไขได้
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,การดำเนินการหากงบประมาณรายเดือนสะสมมากกว่าที่ PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,ไปยังสถานที่
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,ไปยังสถานที่
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,การตีราคาอัตราแลกเปลี่ยน
 DocType: POS Profile,Ignore Pricing Rule,ละเว้นกฎการกำหนดราคา
 DocType: Employee Education,Graduate,จบการศึกษา
@@ -3972,6 +4016,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,โปรดตั้งค่าลูกค้าเริ่มต้นในการตั้งค่าร้านอาหาร
 ,Salary Register,เงินเดือนที่ต้องการสมัครสมาชิก
 DocType: Warehouse,Parent Warehouse,คลังสินค้าผู้ปกครอง
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,แผนภูมิ
 DocType: Subscription,Net Total,สุทธิ
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},ไม่พบรายการ BOM เริ่มต้นสำหรับรายการ {0} และโครงการ {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,กำหนดประเภทสินเชื่อต่างๆ
@@ -4004,24 +4049,26 @@
 DocType: Membership,Membership Status,สถานะการเป็นสมาชิก
 DocType: Travel Itinerary,Lodging Required,ต้องการที่พัก
 ,Requested,ร้องขอ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,หมายเหตุไม่มี
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,หมายเหตุไม่มี
 DocType: Asset,In Maintenance,ในการบำรุงรักษา
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,คลิกที่ปุ่มนี้เพื่อดึงข้อมูลใบสั่งขายจาก Amazon MWS
 DocType: Vital Signs,Abdomen,ท้อง
 DocType: Purchase Invoice,Overdue,เกินกำหนด
 DocType: Account,Stock Received But Not Billed,สินค้าที่ได้รับ แต่ไม่ได้เรียกเก็บ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,บัญชีรากจะต้องเป็นกลุ่ม
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,บัญชีรากจะต้องเป็นกลุ่ม
 DocType: Drug Prescription,Drug Prescription,การกําหนดยา
 DocType: Loan,Repaid/Closed,ชำระคืน / ปิด
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,รวมประมาณการจำนวน
 DocType: Monthly Distribution,Distribution Name,ชื่อการแจกจ่าย
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,รวม UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",ไม่พบอัตราการประเมินสำหรับรายการ {0} ซึ่งจำเป็นต้องทำรายการทางบัญชีสำหรับ {1} {2} หากรายการกำลังทำธุรกรรมเป็นรายการอัตราการเสียค่าเป็นศูนย์ใน {1} โปรดระบุว่าในตาราง {1} รายการ มิฉะนั้นโปรดสร้างธุรกรรมขาเข้าของรายการหรือระบุอัตราการประเมินค่าในเร็กคอร์ดรายการจากนั้นลองส่ง / ยกเลิกรายการนี้
 DocType: Course,Course Code,รหัสรายวิชา
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},การตรวจสอบคุณภาพ ที่จำเป็นสำหรับ รายการ {0}
 DocType: Location,Parent Location,ที่ตั้งหลัก
 DocType: POS Settings,Use POS in Offline Mode,ใช้ POS ในโหมดออฟไลน์
 DocType: Supplier Scorecard,Supplier Variables,ตัวแปรผู้จัดจำหน่าย
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} เป็นข้อบังคับ อาจมีการสร้างเรกคอร์ดการแลกเปลี่ยนเงินตราสำหรับ {1} ถึง {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,อัตราที่สกุลเงินของลูกค้าจะถูกแปลงเป็นสกุลเงินหลักของ บริษัท
 DocType: Purchase Invoice Item,Net Rate (Company Currency),อัตราการสุทธิ (บริษัท สกุลเงิน)
 DocType: Salary Detail,Condition and Formula Help,เงื่อนไขและสูตรช่วยเหลือ
@@ -4030,19 +4077,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,ขายใบแจ้งหนี้
 DocType: Journal Entry Account,Party Balance,ยอดคงเหลือพรรค
 DocType: Cash Flow Mapper,Section Subtotal,ส่วนยอดรวม
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,กรุณาเลือกใช้ส่วนลด
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,กรุณาเลือกใช้ส่วนลด
 DocType: Stock Settings,Sample Retention Warehouse,ตัวอย่างคลังสินค้าการเก็บรักษา
 DocType: Company,Default Receivable Account,บัญชีเริ่มต้นลูกหนี้
 DocType: Purchase Invoice,Deemed Export,ถือว่าส่งออก
 DocType: Stock Entry,Material Transfer for Manufacture,โอนวัสดุสำหรับการผลิต
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ร้อยละส่วนลดสามารถนำไปใช้อย่างใดอย่างหนึ่งกับราคาหรือราคาตามรายการทั้งหมด
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,เข้าบัญชีสำหรับสต็อก
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,เข้าบัญชีสำหรับสต็อก
 DocType: Lab Test,LabTest Approver,ผู้ประเมิน LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,คุณได้รับการประเมินเกณฑ์การประเมินแล้ว {}
 DocType: Vehicle Service,Engine Oil,น้ำมันเครื่อง
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},สร้างคำสั่งงาน: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},สร้างคำสั่งงาน: {0}
 DocType: Sales Invoice,Sales Team1,ขาย Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,รายการที่ {0} ไม่อยู่
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,รายการที่ {0} ไม่อยู่
 DocType: Sales Invoice,Customer Address,ที่อยู่ของลูกค้า
 DocType: Loan,Loan Details,รายละเอียดเงินกู้
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,ไม่สามารถติดตั้งการติดตั้ง บริษัท โพสต์ได้
@@ -4063,34 +4110,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,แสดงภาพสไลด์นี้ที่ด้านบนของหน้า
 DocType: BOM,Item UOM,UOM รายการ
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),จํานวนเงินภาษีหลังจากที่จำนวนส่วนลด (บริษัท สกุลเงิน)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},คลังสินค้า เป้าหมาย จำเป็นสำหรับ แถว {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},คลังสินค้า เป้าหมาย จำเป็นสำหรับ แถว {0}
 DocType: Cheque Print Template,Primary Settings,การตั้งค่าหลัก
 DocType: Attendance Request,Work From Home,ทำงานที่บ้าน
 DocType: Purchase Invoice,Select Supplier Address,เลือกที่อยู่ผู้ผลิต
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,เพิ่มพนักงาน
 DocType: Purchase Invoice Item,Quality Inspection,การตรวจสอบคุณภาพ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,ขนาดเล็กเป็นพิเศษ
 DocType: Company,Standard Template,แม่แบบมาตรฐาน
 DocType: Training Event,Theory,ทฤษฎี
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,คำเตือน: ขอ วัสดุ จำนวน น้อยกว่า จำนวน สั่งซื้อขั้นต่ำ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,คำเตือน: ขอ วัสดุ จำนวน น้อยกว่า จำนวน สั่งซื้อขั้นต่ำ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,บัญชี {0} จะถูก แช่แข็ง
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,นิติบุคคล / สาขา ที่มีผังบัญชีแยกกัน ภายใต้องค์กร
 DocType: Payment Request,Mute Email,ปิดเสียงอีเมล์
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","อาหาร, เครื่องดื่ม และ ยาสูบ"
 DocType: Account,Account Number,หมายเลขบัญชี
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},สามารถชำระเงินยังไม่เรียกเก็บกับ {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,อัตราค่านายหน้า ไม่สามารถ จะมากกว่า 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},สามารถชำระเงินยังไม่เรียกเก็บกับ {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,อัตราค่านายหน้า ไม่สามารถ จะมากกว่า 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),จัดสรรเงินทดรองโดยอัตโนมัติ (FIFO)
 DocType: Volunteer,Volunteer,อาสาสมัคร
 DocType: Buying Settings,Subcontract,สัญญารับช่วง
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,กรุณากรอก {0} แรก
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,ไม่มีการตอบกลับจาก
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,ไม่มีการตอบกลับจาก
 DocType: Work Order Operation,Actual End Time,เวลาสิ้นสุดที่เกิดขึ้นจริง
 DocType: Item,Manufacturer Part Number,หมายเลขชิ้นส่วนของผู้ผลิต
 DocType: Taxable Salary Slab,Taxable Salary Slab,แผ่นเงินเดือนที่ต้องเสียภาษี
 DocType: Work Order Operation,Estimated Time and Cost,เวลาโดยประมาณและค่าใช้จ่าย
 DocType: Bin,Bin,ถังขยะ
 DocType: Crop,Crop Name,ชื่อ Crop
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,เฉพาะผู้ใช้ที่มีบทบาท {0} เท่านั้นที่สามารถลงทะเบียนได้ใน Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,เฉพาะผู้ใช้ที่มีบทบาท {0} เท่านั้นที่สามารถลงทะเบียนได้ใน Marketplace
 DocType: SMS Log,No of Sent SMS,ไม่มี SMS ที่ส่ง
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,การนัดหมายและการเผชิญหน้า
@@ -4119,7 +4167,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,เปลี่ยนรหัส
 DocType: Purchase Invoice Item,Valuation Rate,อัตราการประเมิน
 DocType: Vehicle,Diesel,ดีเซล
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,สกุลเงิน ราคา ไม่ได้เลือก
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,สกุลเงิน ราคา ไม่ได้เลือก
 DocType: Purchase Invoice,Availed ITC Cess,มี ITC Cess
 ,Student Monthly Attendance Sheet,นักศึกษาแผ่นเข้าร่วมประชุมรายเดือน
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,กฎการจัดส่งสำหรับการขายเท่านั้น
@@ -4136,7 +4184,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,การจัดการหุ้นส่วนขาย
 DocType: Quality Inspection,Inspection Type,ประเภทการตรวจสอบ
 DocType: Fee Validity,Visited yet,เยี่ยมชมแล้ว
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงไปยังกลุ่ม
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงไปยังกลุ่ม
 DocType: Assessment Result Tool,Result HTML,ผล HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,บ่อยครั้งที่โครงการและ บริษัท ควรได้รับการปรับปรุงตามธุรกรรมการขาย
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,หมดอายุเมื่อวันที่
@@ -4144,7 +4192,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},กรุณาเลือก {0}
 DocType: C-Form,C-Form No,C-Form ไม่มี
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,ระยะทาง
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,ระยะทาง
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,แสดงรายการผลิตภัณฑ์หรือบริการที่คุณซื้อหรือขาย
 DocType: Water Analysis,Storage Temperature,อุณหภูมิในการจัดเก็บ
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4160,19 +4208,19 @@
 DocType: Shopify Settings,Delivery Note Series,Series การจัดส่งสินค้า
 DocType: Purchase Order Item,Returned Qty,จำนวนกลับ
 DocType: Student,Exit,ทางออก
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,ประเภท ราก มีผลบังคับใช้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,ประเภท ราก มีผลบังคับใช้
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,ไม่สามารถติดตั้งค่าที่ตั้งล่วงหน้า
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,การแปลง UOM เป็นชั่วโมง
 DocType: Contract,Signee Details,Signee รายละเอียด
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",ขณะนี้ {0} มีสถานะ {1} Scorecard ของผู้จัดหาและ RFQs สำหรับผู้จัดจำหน่ายรายนี้ควรได้รับการเตือนด้วยความระมัดระวัง
 DocType: Certified Consultant,Non Profit Manager,ผู้จัดการฝ่ายกำไร
 DocType: BOM,Total Cost(Company Currency),ค่าใช้จ่ายรวม ( บริษัท สกุล)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,อนุกรม ไม่มี {0} สร้าง
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,อนุกรม ไม่มี {0} สร้าง
 DocType: Homepage,Company Description for website homepage,รายละเอียด บริษัท สำหรับหน้าแรกของเว็บไซต์
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",เพื่อความสะดวกของลูกค้า รหัสเหล่านี้จะถูกใช้ในการพิมพ์เอกสาร เช่น ใบแจ้งหนี้ และใบนำส่งสินค้า
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,ชื่อ suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,ไม่สามารถเรียกข้อมูลสำหรับ {0}
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,บันทึกรายการเปิด
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,บันทึกรายการเปิด
 DocType: Contract,Fulfilment Terms,Fulfillment Terms
 DocType: Sales Invoice,Time Sheet List,เวลารายการแผ่น
 DocType: Employee,You can enter any date manually,คุณสามารถป้อนวันที่ได้ด้วยตนเอง
@@ -4208,7 +4256,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,องค์กรของคุณ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",ข้ามการให้สิทธิ์การจัดสรรสำหรับพนักงานต่อไปนี้เนื่องจากมีการเก็บบันทึกการจัดสรรไว้แล้วกับพนักงานเหล่านั้น {0}
 DocType: Fee Component,Fees Category,ค่าธรรมเนียมหมวดหมู่
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,กรุณากรอก วันที่ บรรเทา
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,กรุณากรอก วันที่ บรรเทา
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)",รายละเอียดผู้สนับสนุน (ชื่อตำแหน่ง)
 DocType: Supplier Scorecard,Notify Employee,แจ้งพนักงาน
@@ -4221,9 +4269,9 @@
 DocType: Company,Chart Of Accounts Template,ผังบัญชีแม่แบบ
 DocType: Attendance,Attendance Date,วันที่เข้าร่วม
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},ต้องเปิดใช้สต็อคการอัปเดตสำหรับใบแจ้งหนี้การซื้อ {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},รายการราคาปรับปรุงสำหรับ {0} ในราคา {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},รายการราคาปรับปรุงสำหรับ {0} ในราคา {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,การล่มสลายเงินเดือนขึ้นอยู่กับกำไรและหัก
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,บัญชีที่มี ต่อมน้ำเด็ก ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,บัญชีที่มี ต่อมน้ำเด็ก ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
 DocType: Purchase Invoice Item,Accepted Warehouse,คลังสินค้าได้รับการยอมรับ
 DocType: Bank Reconciliation Detail,Posting Date,โพสต์วันที่
 DocType: Item,Valuation Method,วิธีการประเมิน
@@ -4260,6 +4308,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,โปรดเลือกแบทช์
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,การเรียกร้องค่าเดินทางและค่าเดินทาง
 DocType: Sales Invoice,Redemption Cost Center,ศูนย์ต้นทุนการไถ่ถอน
+DocType: QuickBooks Migrator,Scope,ขอบเขต
 DocType: Assessment Group,Assessment Group Name,ชื่อกลุ่มการประเมิน
 DocType: Manufacturing Settings,Material Transferred for Manufacture,โอนวัสดุเพื่อการผลิต
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,เพิ่มในรายละเอียด
@@ -4267,6 +4316,7 @@
 DocType: Shopify Settings,Last Sync Datetime,ซิงค์ Datetime ล่าสุด
 DocType: Landed Cost Item,Receipt Document Type,ใบเสร็จรับเงินประเภทเอกสาร
 DocType: Daily Work Summary Settings,Select Companies,เลือก บริษัท
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,ข้อเสนอราคา / ราคา
 DocType: Antibiotic,Healthcare,ดูแลสุขภาพ
 DocType: Target Detail,Target Detail,รายละเอียดเป้าหมาย
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Single Variant
@@ -4276,6 +4326,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,ระยะเวลาการเข้าปิดบัญชี
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,เลือกแผนก ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,ศูนย์ต้นทุน กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม
+DocType: QuickBooks Migrator,Authorization URL,URL การให้สิทธิ์
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},จำนวน {0} {1} {2} {3}
 DocType: Account,Depreciation,ค่าเสื่อมราคา
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,จำนวนหุ้นและจำนวนหุ้นมีความไม่สอดคล้องกัน
@@ -4298,13 +4349,14 @@
 DocType: Support Search Source,Source DocType,DocType แหล่งที่มา
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,เปิดตั๋วใหม่
 DocType: Training Event,Trainer Email,เทรนเนอร์อีเมล์
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,ขอ วัสดุ {0} สร้าง
 DocType: Restaurant Reservation,No of People,ไม่มีผู้คน
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,แม่ของข้อตกลงหรือสัญญา
 DocType: Bank Account,Address and Contact,ที่อยู่และการติดต่อ
 DocType: Vital Signs,Hyper,ไฮเปอร์
 DocType: Cheque Print Template,Is Account Payable,เป็นเจ้าหนี้
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},หุ้นไม่สามารถปรับปรุงกับใบเสร็จรับเงิน {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},หุ้นไม่สามารถปรับปรุงกับใบเสร็จรับเงิน {0}
 DocType: Support Settings,Auto close Issue after 7 days,รถยนต์ใกล้ฉบับหลังจาก 7 วัน
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",ออกจากไม่สามารถได้รับการจัดสรรก่อน {0} เป็นสมดุลลาได้รับแล้วนำติดตัวส่งต่อไปในอนาคตอันลาบันทึกจัดสรร {1}
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),หมายเหตุ: เนื่องจาก / วันอ้างอิงเกินวันที่ได้รับอนุญาตให้เครดิตของลูกค้าโดย {0} วัน (s)
@@ -4322,7 +4374,7 @@
 ,Qty to Deliver,จำนวนที่จะส่งมอบ
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon จะซิงค์ข้อมูลหลังจากวันที่นี้
 ,Stock Analytics,สต็อก Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,การดำเนินงานไม่สามารถเว้นว่าง
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,การดำเนินงานไม่สามารถเว้นว่าง
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Lab Test (s)
 DocType: Maintenance Visit Purpose,Against Document Detail No,กับรายละเอียดของเอกสารเลขที่
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},ไม่อนุญาตให้มีการลบประเทศ {0}
@@ -4330,13 +4382,12 @@
 DocType: Quality Inspection,Outgoing,ขาออก
 DocType: Material Request,Requested For,สำหรับ การร้องขอ
 DocType: Quotation Item,Against Doctype,กับ ประเภทเอกสาร
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} ถูกยกเลิกหรือปิดแล้ว
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} ถูกยกเลิกหรือปิดแล้ว
 DocType: Asset,Calculate Depreciation,คำนวณค่าเสื่อมราคา
 DocType: Delivery Note,Track this Delivery Note against any Project,ติดตามการจัดส่งสินค้าหมายเหตุนี้กับโครงการใด ๆ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,เงินสดสุทธิจากการลงทุน
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ลูกค้า&gt; กลุ่มลูกค้า&gt; เขตแดน
 DocType: Work Order,Work-in-Progress Warehouse,คลังสินค้าทำงานในความคืบหน้า
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,สินทรัพย์ {0} จะต้องส่ง
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,สินทรัพย์ {0} จะต้องส่ง
 DocType: Fee Schedule Program,Total Students,นักเรียนรวม
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ผู้เข้าร่วมบันทึก {0} อยู่กับนักศึกษา {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},อ้างอิง # {0} วันที่ {1}
@@ -4356,7 +4407,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,ไม่สามารถสร้างโบนัสการเก็บรักษาสำหรับพนักงานที่เหลือได้
 DocType: Lead,Market Segment,ส่วนตลาด
 DocType: Agriculture Analysis Criteria,Agriculture Manager,ผู้จัดการฝ่ายการเกษตร
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},ที่เรียกชำระแล้วจำนวนเงินที่ไม่สามารถจะสูงกว่ายอดรวมที่โดดเด่นในเชิงลบ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},ที่เรียกชำระแล้วจำนวนเงินที่ไม่สามารถจะสูงกว่ายอดรวมที่โดดเด่นในเชิงลบ {0}
 DocType: Supplier Scorecard Period,Variables,ตัวแปร
 DocType: Employee Internal Work History,Employee Internal Work History,ประวัติการทำงานของพนักงานภายใน
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),ปิด (Dr)
@@ -4381,22 +4432,24 @@
 DocType: Amazon MWS Settings,Synch Products,ผลิตภัณฑ์ Synch
 DocType: Loyalty Point Entry,Loyalty Program,โปรแกรมความภักดี
 DocType: Student Guardian,Father,พ่อ
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,ตั๋วสนับสนุน
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,ไม่สามารถตรวจสอบ 'การปรับสต๊อก' สำหรับการขายสินทรัพย์ถาวร
 DocType: Bank Reconciliation,Bank Reconciliation,กระทบยอดธนาคาร
 DocType: Attendance,On Leave,ลา
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ได้รับการปรับปรุง
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: บัญชี {2} ไม่ได้เป็นของ บริษัท {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,เลือกค่าอย่างน้อยหนึ่งค่าจากแต่ละแอตทริบิวต์
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,เลือกค่าอย่างน้อยหนึ่งค่าจากแต่ละแอตทริบิวต์
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,คำขอใช้วัสดุ {0} ถูกยกเลิก หรือ ระงับแล้ว
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,รัฐส่ง
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,รัฐส่ง
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,ออกจากการบริหารจัดการ
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,กลุ่ม
 DocType: Purchase Invoice,Hold Invoice,ระงับใบแจ้งหนี้
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,โปรดเลือกพนักงาน
 DocType: Sales Order,Fully Delivered,จัดส่งอย่างเต็มที่
-DocType: Lead,Lower Income,รายได้ต่ำ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,รายได้ต่ำ
 DocType: Restaurant Order Entry,Current Order,คำสั่งซื้อปัจจุบัน
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,จำนวนของอนุกรมและปริมาณต้องเหมือนกัน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},แหล่งที่มาและ คลังสินค้า เป้าหมาย ไม่สามารถเป็น เหมือนกันสำหรับ แถว {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},แหล่งที่มาและ คลังสินค้า เป้าหมาย ไม่สามารถเป็น เหมือนกันสำหรับ แถว {0}
 DocType: Account,Asset Received But Not Billed,ได้รับสินทรัพย์ แต่ยังไม่ได้เรียกเก็บเงิน
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",บัญชีที่แตกต่างจะต้องเป็นสินทรัพย์ / รับผิดบัญชีประเภทตั้งแต่นี้กระทบยอดสต็อกเป็นรายการเปิด
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},การเบิกจ่ายจำนวนเงินที่ไม่สามารถจะสูงกว่าจำนวนเงินกู้ {0}
@@ -4405,7 +4458,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},จำนวน การสั่งซื้อ สินค้า ที่จำเป็นสำหรับ {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','จาก วันที่ ' ต้อง เป็นหลังจากที่ ' นัด '
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,ไม่มีแผนการจัดหาพนักงานสำหรับการกำหนดนี้
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,ชุด {0} ของรายการ {1} ถูกปิดใช้งาน
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,ชุด {0} ของรายการ {1} ถูกปิดใช้งาน
 DocType: Leave Policy Detail,Annual Allocation,การจัดสรรรายปี
 DocType: Travel Request,Address of Organizer,ที่อยู่ของผู้จัดงาน
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,เลือกผู้ประกอบการด้านการรักษาพยาบาล ...
@@ -4414,12 +4467,12 @@
 DocType: Asset,Fully Depreciated,ค่าเสื่อมราคาหมด
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,หุ้น ที่คาดการณ์ จำนวน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},ลูกค้า {0} ไม่ได้อยู่ใน โครงการ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},ลูกค้า {0} ไม่ได้อยู่ใน โครงการ {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,ผู้เข้าร่วมการทำเครื่องหมาย HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",ใบเสนอราคาข้อเสนอการเสนอราคาที่คุณส่งให้กับลูกค้าของคุณ
 DocType: Sales Invoice,Customer's Purchase Order,การสั่งซื้อของลูกค้า
 DocType: Clinical Procedure,Patient,ผู้ป่วย
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,ตรวจสอบเครดิตการเบิกจ่ายตามใบสั่งขาย
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,ตรวจสอบเครดิตการเบิกจ่ายตามใบสั่งขาย
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,กิจกรรมการเปิดรับพนักงาน
 DocType: Location,Check if it is a hydroponic unit,ตรวจสอบว่าเป็นหน่วย hydroponic หรือไม่
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ไม่มี Serial และแบทช์
@@ -4429,7 +4482,7 @@
 DocType: Supplier Scorecard Period,Calculations,การคำนวณ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,ค่าหรือ จำนวน
 DocType: Payment Terms Template,Payment Terms,เงื่อนไขการชำระเงิน
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,สั่งซื้อโปรดักชั่นไม่สามารถยกขึ้นเพื่อ:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,สั่งซื้อโปรดักชั่นไม่สามารถยกขึ้นเพื่อ:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,นาที
 DocType: Purchase Invoice,Purchase Taxes and Charges,ภาษีซื้อและค่าบริการ
 DocType: Chapter,Meetup Embed HTML,Meetup ฝัง HTML
@@ -4437,7 +4490,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,ไปที่ Suppliers
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Voucher Closing Voucher Taxes
 ,Qty to Receive,จำนวน การรับ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",วันที่เริ่มต้นและวันที่สิ้นสุดที่ไม่อยู่ในช่วงเวลาการจ่ายเงินเดือนที่ถูกต้องไม่สามารถคำนวณได้ {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",วันที่เริ่มต้นและวันที่สิ้นสุดที่ไม่อยู่ในช่วงเวลาการจ่ายเงินเดือนที่ถูกต้องไม่สามารถคำนวณได้ {0}
 DocType: Leave Block List,Leave Block List Allowed,ฝากรายการบล็อกอนุญาตให้นำ
 DocType: Grading Scale Interval,Grading Scale Interval,การวัดผลการชั่งช่วงเวลา
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},การเรียกร้องค่าใช้จ่ายสำหรับยานพาหนะเข้าสู่ระบบ {0}
@@ -4445,10 +4498,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ส่วนลด (%) ของราคาตามราคาตลาด
 DocType: Healthcare Service Unit Type,Rate / UOM,อัตรา / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,โกดังทั้งหมด
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,ไม่พบ {0} รายการระหว่าง บริษัท
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,ไม่พบ {0} รายการระหว่าง บริษัท
 DocType: Travel Itinerary,Rented Car,เช่ารถ
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,เกี่ยวกับ บริษัท ของคุณ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,เครดิตไปยังบัญชีจะต้องเป็นบัญชีงบดุล
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,เครดิตไปยังบัญชีจะต้องเป็นบัญชีงบดุล
 DocType: Donor,Donor,ผู้บริจาค
 DocType: Global Defaults,Disable In Words,ปิดการใช้งานในคำพูด
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,รหัสสินค้า ที่จำเป็น เพราะ สินค้า ไม่ เลขโดยอัตโนมัติ
@@ -4460,14 +4513,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,บัญชี เงินเบิกเกินบัญชี ธนาคาร
 DocType: Patient,Patient ID,ID ผู้ป่วย
 DocType: Practitioner Schedule,Schedule Name,ชื่อกำหนดการ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,ท่อขายตามขั้นตอน
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,สร้างสลิปเงินเดือน
 DocType: Currency Exchange,For Buying,สำหรับการซื้อ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,เพิ่มซัพพลายเออร์ทั้งหมด
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,เพิ่มซัพพลายเออร์ทั้งหมด
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,แถว # {0}: จำนวนที่จัดสรรไว้ต้องไม่เกินยอดค้างชำระ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,ดู BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,เงินให้กู้ยืม ที่มีหลักประกัน
 DocType: Purchase Invoice,Edit Posting Date and Time,แก้ไขวันที่โพสต์และเวลา
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},กรุณาตั้งค่าบัญชีที่เกี่ยวข้องกับค่าเสื่อมราคาสินทรัพย์ในหมวดหมู่ {0} หรือ บริษัท {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},กรุณาตั้งค่าบัญชีที่เกี่ยวข้องกับค่าเสื่อมราคาสินทรัพย์ในหมวดหมู่ {0} หรือ บริษัท {1}
 DocType: Lab Test Groups,Normal Range,ช่วงปกติ
 DocType: Academic Term,Academic Year,ปีการศึกษา
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,ขายได้
@@ -4496,26 +4550,26 @@
 DocType: Patient Appointment,Patient Appointment,นัดหมายผู้ป่วย
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,อนุมัติ บทบาท ไม่สามารถเป็น เช่นเดียวกับ บทบาทของ กฎใช้กับ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ยกเลิกการรับอีเมล์ Digest นี้
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,รับซัพพลายเออร์โดย
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,รับซัพพลายเออร์โดย
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},ไม่พบ {0} สำหรับรายการ {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,ไปที่หลักสูตร
 DocType: Accounts Settings,Show Inclusive Tax In Print,แสดงภาษีแบบรวมในการพิมพ์
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",บัญชีธนาคารตั้งแต่วันที่และถึงวันที่บังคับ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,ข้อความส่งแล้ว
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,บัญชีที่มีโหนดลูกไม่สามารถกำหนดให้เป็นบัญชีแยกประเภท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,บัญชีที่มีโหนดลูกไม่สามารถกำหนดให้เป็นบัญชีแยกประเภท
 DocType: C-Form,II,ครั้งที่สอง
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,อัตราที่สกุลเงินรายการราคาจะถูกแปลงเป็นสกุลเงินหลักของลูกค้า
 DocType: Purchase Invoice Item,Net Amount (Company Currency),ปริมาณสุทธิ (บริษัท สกุลเงิน)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,จำนวนเงินที่ต้องชำระล่วงหน้าทั้งหมดต้องไม่เกินจำนวนเงินที่ได้รับอนุมัติทั้งหมด
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,จำนวนเงินที่ต้องชำระล่วงหน้าทั้งหมดต้องไม่เกินจำนวนเงินที่ได้รับอนุมัติทั้งหมด
 DocType: Salary Slip,Hour Rate,อัตราชั่วโมง
 DocType: Stock Settings,Item Naming By,รายการการตั้งชื่อตาม
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},อีก รายการ ระยะเวลา ปิด {0} ได้รับการทำ หลังจาก {1}
 DocType: Work Order,Material Transferred for Manufacturing,โอนวัสดุเพื่อไปผลิต
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,บัญชี {0} ไม่อยู่
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,เลือกโปรแกรมความภักดี
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,เลือกโปรแกรมความภักดี
 DocType: Project,Project Type,ประเภทโครงการ
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,งานลูกมีอยู่สำหรับงานนี้ คุณไม่สามารถลบงานนี้ได้
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,ทั้ง จำนวน เป้าหมาย หรือจำนวน เป้าหมายที่ มีผลบังคับใช้
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,ทั้ง จำนวน เป้าหมาย หรือจำนวน เป้าหมายที่ มีผลบังคับใช้
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,ค่าใช้จ่ายของกิจกรรมต่างๆ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",การตั้งค่ากิจกรรมเพื่อ {0} เนื่องจากพนักงานที่แนบมาด้านล่างนี้พนักงานขายไม่ได้ User ID {1}
 DocType: Timesheet,Billing Details,รายละเอียดการเรียกเก็บเงิน
@@ -4573,13 +4627,13 @@
 DocType: Inpatient Record,A Negative,เป็นลบ
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ไม่มีอะไรมากที่จะแสดง
 DocType: Lead,From Customer,จากลูกค้า
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,โทร
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,โทร
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,ผลิตภัณฑ์
 DocType: Employee Tax Exemption Declaration,Declarations,การประกาศ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,ชุด
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,สร้างตารางค่าธรรมเนียม
 DocType: Purchase Order Item Supplied,Stock UOM,UOM สต็อก
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,สั่งซื้อ {0} ไม่ได้ ส่ง
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,สั่งซื้อ {0} ไม่ได้ ส่ง
 DocType: Account,Expenses Included In Asset Valuation,รวมค่าใช้จ่ายในการประเมินมูลค่าทรัพย์สิน
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),ช่วงอ้างอิงปกติสำหรับผู้ใหญ่คือ 16-20 ครั้ง / นาที (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,จำนวนภาษี
@@ -4592,6 +4646,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,โปรดบันทึกผู้ป่วยก่อน
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,ผู้เข้าร่วมได้รับการประสบความสำเร็จในการทำเครื่องหมาย
 DocType: Program Enrollment,Public Transport,การคมนาคมสาธารณะ
+DocType: Delivery Note,GST Vehicle Type,ประเภทรถยนต์ GST
 DocType: Soil Texture,Silt Composition (%),องค์ประกอบ Silt (%)
 DocType: Journal Entry,Remark,คำพูด
 DocType: Healthcare Settings,Avoid Confirmation,หลีกเลี่ยงการยืนยัน
@@ -4601,11 +4656,10 @@
 DocType: Education Settings,Current Academic Term,ระยะเวลาการศึกษาปัจจุบัน
 DocType: Education Settings,Current Academic Term,ระยะเวลาการศึกษาปัจจุบัน
 DocType: Sales Order,Not Billed,ไม่ได้เรียกเก็บ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,ทั้ง คลังสินค้า ต้องอยู่ใน บริษัท เดียวกัน
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,ทั้ง คลังสินค้า ต้องอยู่ใน บริษัท เดียวกัน
 DocType: Employee Grade,Default Leave Policy,Default Leave Policy
 DocType: Shopify Settings,Shop URL,URL ร้านค้า
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,ไม่มีที่ติดต่อเข้ามาเลย
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,กรุณาตั้งหมายเลขชุดสำหรับการเข้าร่วมประชุมผ่านทาง Setup&gt; Numbering Series
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ที่ดินจํานวนเงินค่าใช้จ่ายคูปอง
 ,Item Balance (Simple),ยอดรายการ (เรียบง่าย)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ตั๋วเงินยกโดยซัพพลายเออร์
@@ -4630,7 +4684,7 @@
 DocType: Shopping Cart Settings,Quotation Series,ชุดใบเสนอราคา
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",รายการที่มีอยู่ ที่มีชื่อเดียวกัน ({0}) กรุณาเปลี่ยนชื่อกลุ่ม รายการ หรือเปลี่ยนชื่อ รายการ
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,เกณฑ์การวิเคราะห์ดิน
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,กรุณาเลือกลูกค้า
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,กรุณาเลือกลูกค้า
 DocType: C-Form,I,ผม
 DocType: Company,Asset Depreciation Cost Center,สินทรัพย์ศูนย์ต้นทุนค่าเสื่อมราคา
 DocType: Production Plan Sales Order,Sales Order Date,วันที่สั่งซื้อขาย
@@ -4643,8 +4697,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,ไม่มีคลังสินค้าในคลังสินค้าใด ๆ
 ,Payment Period Based On Invoice Date,ระยะเวลา ในการชำระเงิน ตาม ใบแจ้งหนี้ ใน วันที่
 DocType: Sample Collection,No. of print,จำนวนการพิมพ์
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,คำเตือนวันเกิด
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,จองห้องพักโรงแรม
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},สกุลเงินที่หายไปอัตราแลกเปลี่ยนสำหรับ {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},สกุลเงินที่หายไปอัตราแลกเปลี่ยนสำหรับ {0}
 DocType: Employee Health Insurance,Health Insurance Name,ชื่อประกันสุขภาพ
 DocType: Assessment Plan,Examiner,ผู้ตรวจสอบ
 DocType: Student,Siblings,พี่น้อง
@@ -4661,19 +4716,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,ลูกค้าใหม่
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,% กำไรขั้นต้น
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,การแต่งตั้ง {0} และใบกำกับการขาย {1} ถูกยกเลิกแล้ว
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,โอกาสโดยนำแหล่งที่มา
 DocType: Appraisal Goal,Weightage (%),weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,เปลี่ยนโพรไฟล์ POS
 DocType: Bank Reconciliation Detail,Clearance Date,วันที่กวาดล้าง
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",มีสินทรัพย์อยู่แล้วกับรายการ {0} คุณจะไม่สามารถเปลี่ยนได้ไม่มีค่าอนุกรม
+DocType: Delivery Settings,Dispatch Notification Template,เทมเพลตการแจ้งเตือนการจัดส่ง
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",มีสินทรัพย์อยู่แล้วกับรายการ {0} คุณจะไม่สามารถเปลี่ยนได้ไม่มีค่าอนุกรม
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,รายงานการประเมินผล
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,รับพนักงาน
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,จำนวนการสั่งซื้อขั้นต้นมีผลบังคับใช้
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,ชื่อ บริษัท ไม่เหมือนกัน
 DocType: Lead,Address Desc,ลักษณะ ของ ที่อยู่
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,พรรคมีผลบังคับใช้
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},แถวที่มีวันครบกำหนดที่ซ้ำกันในแถวอื่น ๆ พบ: {list}
 DocType: Topic,Topic Name,ชื่อกระทู้
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,โปรดตั้งค่าเทมเพลตมาตรฐานสำหรับ Leave Approval Notification ใน HR Settings
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,โปรดตั้งค่าเทมเพลตมาตรฐานสำหรับ Leave Approval Notification ใน HR Settings
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,อย่างน้อยต้องเลือกหนึ่งในการขาย หรือการซื้อ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,เลือกพนักงานเพื่อรับพนักงานล่วงหน้า
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,โปรดเลือกวันที่ที่ถูกต้อง
@@ -4707,6 +4763,7 @@
 DocType: Stock Entry,Customer or Supplier Details,ลูกค้าหรือผู้ผลิตรายละเอียด
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,มูลค่าทรัพย์สินปัจจุบัน
+DocType: QuickBooks Migrator,Quickbooks Company ID,รหัส บริษัท Quickbooks
 DocType: Travel Request,Travel Funding,Travel Funding
 DocType: Loan Application,Required by Date,จำเป็นโดยวันที่
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ลิงก์ไปยังตำแหน่งที่ตั้งทั้งหมดที่พืชมีการเติบโต
@@ -4720,9 +4777,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,จำนวนรุ่นที่มีจำหน่ายที่จากคลังสินค้า
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,จ่ายขั้นต้น - ลดรวม - การชำระคืนเงินกู้
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM ปัจจุบันและ ใหม่ BOM ไม่สามารถ จะเหมือนกัน
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM ปัจจุบันและ ใหม่ BOM ไม่สามารถ จะเหมือนกัน
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,เงินเดือน ID สลิป
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,วันที่ ของ การเกษียณอายุ ต้องมากกว่า วันที่ เข้าร่วม
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,วันที่ ของ การเกษียณอายุ ต้องมากกว่า วันที่ เข้าร่วม
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,หลายรูปแบบ
 DocType: Sales Invoice,Against Income Account,กับบัญชีรายได้
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% ส่งแล้ว
@@ -4751,7 +4808,7 @@
 DocType: POS Profile,Update Stock,อัพเดทสต็อก
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ที่แตกต่างกัน สำหรับรายการที่ จะ นำไปสู่การ ที่ไม่ถูกต้อง ( รวม ) ค่า น้ำหนักสุทธิ ให้แน่ใจว่า น้ำหนักสุทธิ ของแต่ละรายการ ที่อยู่ในUOM เดียวกัน
 DocType: Certification Application,Payment Details,รายละเอียดการชำระเงิน
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,อัตรา BOM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,อัตรา BOM
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",หยุดการทำงานสั่งซื้อสินค้าไม่สามารถยกเลิกได้ยกเลิกการยกเลิกก่อนจึงจะยกเลิก
 DocType: Asset,Journal Entry for Scrap,วารสารรายการเศษ
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,กรุณา ดึง รายการจาก การจัดส่งสินค้า หมายเหตุ
@@ -4774,11 +4831,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,จำนวนรวมตามทำนองคลองธรรม
 ,Purchase Analytics,Analytics ซื้อ
 DocType: Sales Invoice Item,Delivery Note Item,รายการจัดส่งสินค้าหมายเหตุ
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,ไม่มีใบแจ้งหนี้ปัจจุบัน {0}
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,ไม่มีใบแจ้งหนี้ปัจจุบัน {0}
 DocType: Asset Maintenance Log,Task,งาน
 DocType: Purchase Taxes and Charges,Reference Row #,อ้างอิง แถว #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},หมายเลข Batch มีผลบังคับใช้สำหรับสินค้า {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,นี้เป็น คนขาย ราก และ ไม่สามารถแก้ไขได้
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,นี้เป็น คนขาย ราก และ ไม่สามารถแก้ไขได้
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",หากเลือกค่าที่ระบุหรือคำนวณในองค์ประกอบนี้จะไม่นำไปสู่รายได้หรือการหักเงิน อย่างไรก็ตามค่านี้สามารถอ้างอิงโดยส่วนประกอบอื่น ๆ ที่สามารถเพิ่มหรือหักล้างได้
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",หากเลือกค่าที่ระบุหรือคำนวณในองค์ประกอบนี้จะไม่นำไปสู่รายได้หรือการหักเงิน อย่างไรก็ตามค่านี้สามารถอ้างอิงโดยส่วนประกอบอื่น ๆ ที่สามารถเพิ่มหรือหักล้างได้
 DocType: Asset Settings,Number of Days in Fiscal Year,จำนวนวันในปีงบประมาณ
@@ -4787,7 +4844,7 @@
 DocType: Company,Exchange Gain / Loss Account,กำไรจากอัตราแลกเปลี่ยน / บัญชีการสูญเสีย
 DocType: Amazon MWS Settings,MWS Credentials,ข้อมูลรับรอง MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,พนักงานและพนักงาน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},จุดประสงค์ ต้องเป็นหนึ่งใน {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},จุดประสงค์ ต้องเป็นหนึ่งใน {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,กรอกแบบฟอร์ม และบันทึกไว้
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,ฟอรั่มชุมชน
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,จำนวนจริงในสต็อก
@@ -4803,7 +4860,7 @@
 DocType: Lab Test Template,Standard Selling Rate,มาตรฐานอัตราการขาย
 DocType: Account,Rate at which this tax is applied,อัตราที่ภาษีนี้จะถูกใช้
 DocType: Cash Flow Mapper,Section Name,ชื่อส่วน
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,สั่งซื้อใหม่จำนวน
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,สั่งซื้อใหม่จำนวน
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},ค่าเสื่อมราคาแถว {0}: มูลค่าที่คาดว่าจะได้รับหลังจากอายุการใช้งานต้องมากกว่าหรือเท่ากับ {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,เปิดงานปัจจุบัน
 DocType: Company,Stock Adjustment Account,การปรับบัญชีสินค้า
@@ -4813,8 +4870,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",ผู้ใช้ระบบ (login) ID ถ้าชุดก็จะกลายเป็นค่าเริ่มต้นสำหรับทุกรูปแบบทรัพยากรบุคคล
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,ป้อนรายละเอียดค่าเสื่อมราคา
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: จาก {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},ปล่อยให้แอปพลิเคชัน {0} มีอยู่แล้วสำหรับนักเรียน {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,จัดคิวเพื่ออัปเดตราคาล่าสุดในบิลวัสดุทั้งหมด อาจใช้เวลาสักครู่
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,จัดคิวเพื่ออัปเดตราคาล่าสุดในบิลวัสดุทั้งหมด อาจใช้เวลาสักครู่
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ชื่อของบัญชีใหม่ หมายเหตุ: กรุณาอย่าสร้างบัญชีสำหรับลูกค้าและผู้จำหน่าย
 DocType: POS Profile,Display Items In Stock,แสดงรายการในสต็อก
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,แม่แบบของประเทศที่อยู่เริ่มต้นอย่างชาญฉลาด
@@ -4844,16 +4902,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,ช่องสำหรับ {0} จะไม่ถูกเพิ่มลงในกำหนดการ
 DocType: Product Bundle,List items that form the package.,รายการที่สร้างแพคเกจ
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,ไม่อนุญาต โปรดปิดเทมเพลตการทดสอบ
+DocType: Delivery Note,Distance (in km),ระยะทาง (ในกม.)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ร้อยละ จัดสรร ควรจะเท่ากับ 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,กรุณาเลือกวันที่โพสต์ก่อนที่จะเลือกพรรค
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,กรุณาเลือกวันที่โพสต์ก่อนที่จะเลือกพรรค
 DocType: Program Enrollment,School House,โรงเรียนบ้าน
 DocType: Serial No,Out of AMC,ออกของ AMC
+DocType: Opportunity,Opportunity Amount,จำนวนโอกาส
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,จำนวนค่าเสื่อมราคาจองไม่สามารถจะสูงกว่าจำนวนค่าเสื่อมราคา
 DocType: Purchase Order,Order Confirmation Date,วันที่ยืนยันการสั่งซื้อ
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,ทำให้ การบำรุงรักษา เยี่ยมชม
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","วันที่เริ่มต้นและวันที่สิ้นสุดซ้อนทับกับบัตรงาน <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,รายละเอียดการโอนย้ายพนักงาน
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,กรุณาติดต่อผู้ใช้ที่มีผู้จัดการฝ่ายขายโท {0} บทบาท
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,กรุณาติดต่อผู้ใช้ที่มีผู้จัดการฝ่ายขายโท {0} บทบาท
 DocType: Company,Default Cash Account,บัญชีเงินสดเริ่มต้น
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,บริษัท (ไม่ใช่ ลูกค้า หรือ ซัพพลายเออร์ ) เจ้านาย
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,นี้ขึ้นอยู่กับการเข้าร่วมประชุมของนักศึกษานี้
@@ -4861,9 +4922,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,เพิ่มรายการมากขึ้นหรือเต็มรูปแบบเปิด
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ใบนำส่งสินค้า {0} ต้องถูกยกเลิก ก่อนยกเลิกคำสั่งขายนี้
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,ไปที่ผู้ใช้
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,ชำระ เงิน + เขียน ปิด จำนวน ไม่สามารถ จะสูงกว่า แกรนด์ รวม
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,ชำระ เงิน + เขียน ปิด จำนวน ไม่สามารถ จะสูงกว่า แกรนด์ รวม
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ไม่ได้เป็น จำนวน ชุดที่ถูกต้องสำหรับ รายการ {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},หมายเหตุ : มี ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},หมายเหตุ : มี ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN ไม่ถูกต้องหรือป้อน NA สำหรับที่ไม่ได้ลงทะเบียน
 DocType: Training Event,Seminar,สัมมนา
 DocType: Program Enrollment Fee,Program Enrollment Fee,ค่าลงทะเบียนหลักสูตร
@@ -4880,7 +4941,7 @@
 DocType: Fee Schedule,Fee Schedule,ตารางอัตราค่าธรรมเนียม
 DocType: Company,Create Chart Of Accounts Based On,สร้างผังบัญชีอยู่บนพื้นฐานของ
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,ไม่สามารถแปลงเป็นกลุ่มที่ไม่ใช่กลุ่มได้ งานเด็กมีอยู่แล้ว
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,วันเกิดไม่สามารถจะสูงกว่าวันนี้
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,วันเกิดไม่สามารถจะสูงกว่าวันนี้
 ,Stock Ageing,เอจจิ้งสต็อก
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",ได้รับการสนับสนุนบางส่วนต้องใช้เงินทุนบางส่วน
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},นักศึกษา {0} อยู่กับผู้สมัครนักเรียน {1}
@@ -4927,11 +4988,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,ก่อนที่จะกลับไปคืนดี
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ไปที่ {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ภาษีและค่าใช้จ่ายเพิ่ม (สกุลเงิน บริษัท )
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,รายการ แถว ภาษี {0} ต้องมีบัญชี ภาษี ประเภท หรือ รายได้ หรือ ค่าใช้จ่าย หรือ คิดค่าบริการได้
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,รายการ แถว ภาษี {0} ต้องมีบัญชี ภาษี ประเภท หรือ รายได้ หรือ ค่าใช้จ่าย หรือ คิดค่าบริการได้
 DocType: Sales Order,Partly Billed,จำนวนมากที่สุดเป็นส่วนใหญ่
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,รายการ {0} จะต้องเป็นรายการสินทรัพย์ถาวร
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,ทำ Variants
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,ทำ Variants
 DocType: Item,Default BOM,BOM เริ่มต้น
 DocType: Project,Total Billed Amount (via Sales Invoices),จำนวนเงินที่เรียกเก็บเงินทั้งหมด (ผ่านใบกำกับการขาย)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,วงเงินเดบิตหมายเหตุ
@@ -4960,14 +5021,14 @@
 DocType: Notification Control,Custom Message,ข้อความที่กำหนดเอง
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,วาณิชธนกิจ
 DocType: Purchase Invoice,input,อินพุต
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,เงินสดหรือ บัญชีธนาคาร มีผลบังคับใช้ สำหรับการทำ รายการ ชำระเงิน
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,เงินสดหรือ บัญชีธนาคาร มีผลบังคับใช้ สำหรับการทำ รายการ ชำระเงิน
 DocType: Loyalty Program,Multiple Tier Program,โปรแกรมหลายชั้น
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ที่อยู่ของนักเรียน
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ที่อยู่ของนักเรียน
 DocType: Purchase Invoice,Price List Exchange Rate,ราคาอัตราแลกเปลี่ยนรายชื่อ
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,กลุ่มผู้จัดจำหน่ายทั้งหมด
 DocType: Employee Boarding Activity,Required for Employee Creation,จำเป็นสำหรับการสร้างพนักงาน
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},เลขที่บัญชี {0} ใช้ไปแล้วในบัญชี {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},เลขที่บัญชี {0} ใช้ไปแล้วในบัญชี {1}
 DocType: GoCardless Mandate,Mandate,อาณัติ
 DocType: POS Profile,POS Profile Name,ชื่อโปรไฟล์ POS
 DocType: Hotel Room Reservation,Booked,จอง
@@ -4983,18 +5044,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,ไม่มี การอ้างอิง มีผลบังคับใช้ ถ้า คุณป้อน วันที่ อ้างอิง
 DocType: Bank Reconciliation Detail,Payment Document,เอกสารการชำระเงิน
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,ข้อผิดพลาดในการประเมินสูตรเกณฑ์
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,วันที่ เข้าร่วม จะต้องมากกว่า วันเกิด
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,วันที่ เข้าร่วม จะต้องมากกว่า วันเกิด
 DocType: Subscription,Plans,แผน
 DocType: Salary Slip,Salary Structure,โครงสร้างเงินเดือน
 DocType: Account,Bank,ธนาคาร
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,สายการบิน
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,ฉบับวัสดุ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,ฉบับวัสดุ
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,เชื่อมต่อ Shopify กับ ERPNext
 DocType: Material Request Item,For Warehouse,สำหรับโกดัง
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,บันทึกการจัดส่ง {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,บันทึกการจัดส่ง {0}
 DocType: Employee,Offer Date,ข้อเสนอ วันที่
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ใบเสนอราคา
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,คุณกำลังอยู่ในโหมดออฟไลน์ คุณจะไม่สามารถที่จะโหลดจนกว่าคุณจะมีเครือข่าย
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,ใบเสนอราคา
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,คุณกำลังอยู่ในโหมดออฟไลน์ คุณจะไม่สามารถที่จะโหลดจนกว่าคุณจะมีเครือข่าย
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,แกรนท์
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,ไม่มีกลุ่มนักศึกษาสร้าง
 DocType: Purchase Invoice Item,Serial No,อนุกรมไม่มี
@@ -5006,24 +5067,26 @@
 DocType: Sales Invoice,Customer PO Details,รายละเอียดใบสั่งซื้อของลูกค้า
 DocType: Stock Entry,Including items for sub assemblies,รวมทั้งรายการสำหรับส่วนประกอบย่อย
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,บัญชีเปิดชั่วคราว
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,ค่าใส่ต้องเป็นบวก
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,ค่าใส่ต้องเป็นบวก
 DocType: Asset,Finance Books,หนังสือทางการเงิน
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,หมวดหมู่การประกาศยกเว้นภาษีของพนักงาน
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,ดินแดน ทั้งหมด
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,โปรดตั้งค่านโยบายสำหรับพนักงาน {0} ในระเบียน Employee / Grade
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,คำสั่งซื้อผ้าห่มไม่ถูกต้องสำหรับลูกค้าและสินค้าที่เลือก
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,คำสั่งซื้อผ้าห่มไม่ถูกต้องสำหรับลูกค้าและสินค้าที่เลือก
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,เพิ่มงานหลายรายการ
 DocType: Purchase Invoice,Items,รายการ
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,วันที่สิ้นสุดต้องเป็นวันที่เริ่มต้น
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,นักศึกษาลงทะเบียนเรียนแล้ว
 DocType: Fiscal Year,Year Name,ชื่อปี
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,มี วันหยุด มากขึ้นกว่าที่ เป็น วันทำการ ในเดือนนี้
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,มี วันหยุด มากขึ้นกว่าที่ เป็น วันทำการ ในเดือนนี้
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,รายการต่อไปนี้ {0} ไม่ได้ทำเครื่องหมายเป็น {1} รายการ คุณสามารถเปิดใช้งานรายการเป็น {1} รายการจากต้นแบบรายการ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Bundle รายการสินค้า
 DocType: Sales Partner,Sales Partner Name,ชื่อพันธมิตรขาย
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,การขอใบเสนอราคา
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,การขอใบเสนอราคา
 DocType: Payment Reconciliation,Maximum Invoice Amount,จำนวนใบแจ้งหนี้สูงสุด
 DocType: Normal Test Items,Normal Test Items,รายการทดสอบปกติ
+DocType: QuickBooks Migrator,Company Settings,การตั้งค่าของ บริษัท
 DocType: Additional Salary,Overwrite Salary Structure Amount,เขียนทับโครงสร้างเงินเดือน
 DocType: Student Language,Student Language,ภาษานักศึกษา
 apps/erpnext/erpnext/config/selling.py +23,Customers,ลูกค้า
@@ -5036,22 +5099,24 @@
 DocType: Issue,Opening Time,เปิดเวลา
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,จากและถึง วันที่คุณต้องการ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,หลักทรัพย์และ การแลกเปลี่ยน สินค้าโภคภัณฑ์
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',เริ่มต้นหน่วยวัดสำหรับตัวแปร &#39;{0}&#39; จะต้องเป็นเช่นเดียวกับในแม่แบบ &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',เริ่มต้นหน่วยวัดสำหรับตัวแปร &#39;{0}&#39; จะต้องเป็นเช่นเดียวกับในแม่แบบ &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,การคำนวณพื้นฐานตาม
 DocType: Contract,Unfulfilled,ไม่ได้ผล
 DocType: Delivery Note Item,From Warehouse,จากคลังสินค้า
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,ไม่มีพนักงานสำหรับเกณฑ์ดังกล่าว
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,ไม่มีรายการที่มี Bill of Materials การผลิต
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,ไม่มีรายการที่มี Bill of Materials การผลิต
 DocType: Shopify Settings,Default Customer,ลูกค้าเริ่มต้น
+DocType: Sales Stage,Stage Name,ชื่อเวที
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,ชื่อผู้บังคับบัญชา
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,อย่ายืนยันว่ามีการสร้างการนัดหมายสำหรับวันเดียวกันหรือไม่
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,ส่งไปยัง State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,ส่งไปยัง State
 DocType: Program Enrollment Course,Program Enrollment Course,หลักสูตรการลงทะเบียนเรียน
 DocType: Program Enrollment Course,Program Enrollment Course,หลักสูตรการลงทะเบียนเรียน
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},ผู้ใช้ {0} ได้รับมอบหมายให้ดูแลผู้ปฏิบัติงานด้านการดูแลสุขภาพแล้ว {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,สร้างรายการเก็บรักษาตัวอย่าง
 DocType: Purchase Taxes and Charges,Valuation and Total,การประเมินและรวม
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,การเจรจาต่อรอง / รีวิว
 DocType: Leave Encashment,Encashment Amount,จำนวนเงินในการขาย
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,ดัชนีชี้วัด
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,ชุดที่หมดอายุแล้ว
@@ -5061,7 +5126,7 @@
 DocType: Staffing Plan Detail,Current Openings,ช่องว่างปัจจุบัน
 DocType: Notification Control,Customize the Notification,กำหนดประกาศ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,กระแสเงินสดจากการดำเนินงาน
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Amount
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Amount
 DocType: Purchase Invoice,Shipping Rule,กฎการจัดส่งสินค้า
 DocType: Patient Relation,Spouse,คู่สมรส
 DocType: Lab Test Groups,Add Test,เพิ่มการทดสอบ
@@ -5075,14 +5140,14 @@
 DocType: Payroll Entry,Payroll Frequency,เงินเดือนความถี่
 DocType: Lab Test Template,Sensitivity,ความไวแสง
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,การซิงค์ถูกปิดใช้งานชั่วคราวเนื่องจากมีการลองใหม่เกินแล้ว
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,วัตถุดิบ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,วัตถุดิบ
 DocType: Leave Application,Follow via Email,ผ่านทางอีเมล์ตาม
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,พืชและไบ
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,จำนวน ภาษี หลังจากที่ จำนวน ส่วนลด
 DocType: Patient,Inpatient Status,สถานะผู้ป่วย
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,การตั้งค่าการทำงานในชีวิตประจำวันอย่างย่อ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,รายการราคาที่เลือกควรได้รับการตรวจสอบการซื้อและขาย
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,โปรดป้อน Reqd by Date
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,รายการราคาที่เลือกควรได้รับการตรวจสอบการซื้อและขาย
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,โปรดป้อน Reqd by Date
 DocType: Payment Entry,Internal Transfer,โอนภายใน
 DocType: Asset Maintenance,Maintenance Tasks,งานบำรุงรักษา
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ทั้ง จำนวน เป้าหมาย หรือจำนวน เป้าหมายที่ มีผลบังคับใช้
@@ -5103,7 +5168,7 @@
 DocType: Mode of Payment,General,ทั่วไป
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,การสื่อสารครั้งล่าสุด
 ,TDS Payable Monthly,TDS จ่ายรายเดือน
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,จัดคิวสำหรับการเปลี่ยน BOM อาจใช้เวลาสักครู่
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,จัดคิวสำหรับการเปลี่ยน BOM อาจใช้เวลาสักครู่
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ไม่ สามารถหัก เมื่อ เป็น หมวดหมู่ สำหรับ ' ประเมิน ' หรือ ' การประเมิน และการ รวม
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},อนุกรม Nos จำเป็นสำหรับ รายการ เนื่อง {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,การชำระเงินการแข่งขันกับใบแจ้งหนี้
@@ -5116,7 +5181,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,ใส่ในรถเข็น
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,กลุ่มตาม
 DocType: Guardian,Interests,ความสนใจ
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,เปิด / ปิดการใช้งาน สกุลเงิน
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,เปิด / ปิดการใช้งาน สกุลเงิน
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,ไม่สามารถส่งสลิปเงินเดือนบางส่วนได้
 DocType: Exchange Rate Revaluation,Get Entries,รับรายการ
 DocType: Production Plan,Get Material Request,ได้รับวัสดุที่ขอ
@@ -5138,15 +5203,16 @@
 DocType: Lead,Lead Type,ชนิดช่องทาง
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,คุณไม่ได้รับอนุญาตในการอนุมัติวันลา ในวันที่ถูกบล็อก
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,รายการทั้งหมด เหล่านี้ได้รับ ใบแจ้งหนี้ แล้ว
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,กำหนดวันที่เผยแพร่ใหม่
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,กำหนดวันที่เผยแพร่ใหม่
 DocType: Company,Monthly Sales Target,เป้าหมายการขายรายเดือน
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},สามารถ ได้รับการอนุมัติ โดย {0}
 DocType: Hotel Room,Hotel Room Type,ประเภทห้องพัก
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,ผู้จัดจำหน่าย&gt; ประเภทผู้จัดจำหน่าย
 DocType: Leave Allocation,Leave Period,ปล่อยช่วงเวลา
 DocType: Item,Default Material Request Type,เริ่มต้นขอประเภทวัสดุ
 DocType: Supplier Scorecard,Evaluation Period,ระยะเวลาการประเมินผล
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,ไม่ทราบ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,ไม่ได้สร้างใบสั่งงาน
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,ไม่ได้สร้างใบสั่งงาน
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","จำนวน {0} อ้างสิทธิ์แล้วสำหรับคอมโพเนนต์ {1}, \ กำหนดจำนวนเงินที่เท่ากันหรือมากกว่า {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,เงื่อนไขกฎการจัดส่งสินค้า
@@ -5181,15 +5247,15 @@
 DocType: Batch,Source Document Name,ชื่อเอกสารต้นทาง
 DocType: Production Plan,Get Raw Materials For Production,รับวัตถุดิบสำหรับการผลิต
 DocType: Job Opening,Job Title,ตำแหน่งงาน
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0} ระบุว่า {1} จะไม่ให้ใบเสนอราคา แต่มีการยกรายการทั้งหมด \ quot กำลังอัปเดตสถานะใบเสนอราคา RFQ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ตัวอย่างสูงสุด - {0} ถูกเก็บไว้สำหรับ Batch {1} และ Item {2} ใน Batch {3} แล้ว
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ตัวอย่างสูงสุด - {0} ถูกเก็บไว้สำหรับ Batch {1} และ Item {2} ใน Batch {3} แล้ว
 DocType: Manufacturing Settings,Update BOM Cost Automatically,อัพเดตค่าใช้จ่าย BOM โดยอัตโนมัติ
 DocType: Lab Test,Test Name,ชื่อการทดสอบ
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,ขั้นตอนทางคลินิก
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,สร้างผู้ใช้
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,กรัม
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,การสมัครรับข้อมูล
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,การสมัครรับข้อมูล
 DocType: Supplier Scorecard,Per Month,ต่อเดือน
 DocType: Education Settings,Make Academic Term Mandatory,กำหนดระยะเวลาการศึกษา
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,ปริมาณการผลิตจะต้องมากกว่า 0
@@ -5198,10 +5264,10 @@
 DocType: Stock Entry,Update Rate and Availability,ปรับปรุงอัตราและความพร้อมใช้งาน
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,เปอร์เซ็นต์ที่คุณได้รับอนุญาตให้ได้รับหรือส่งมอบมากขึ้นกับปริมาณที่สั่งซื้อ ตัวอย่างเช่นหากคุณได้สั่งซื้อ 100 หน่วย และค่าเผื่อของคุณจะ 10% แล้วคุณจะได้รับอนุญาตจะได้รับ 110 หน่วย
 DocType: Loyalty Program,Customer Group,กลุ่มลูกค้า
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,แถว # {0}: การดำเนินการ {1} ไม่เสร็จสมบูรณ์สำหรับ {2} จำนวนสินค้าสำเร็จรูปในใบสั่งงาน # {3} โปรดอัปเดตสถานะการดำเนินงานผ่านบันทึกเวลา
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,แถว # {0}: การดำเนินการ {1} ไม่เสร็จสมบูรณ์สำหรับ {2} จำนวนสินค้าสำเร็จรูปในใบสั่งงาน # {3} โปรดอัปเดตสถานะการดำเนินงานผ่านบันทึกเวลา
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),รหัสแบทช์ใหม่ (ไม่บังคับ)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),รหัสแบทช์ใหม่ (ไม่บังคับ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},บัญชีค่าใช้จ่าย ที่จำเป็น สำหรับรายการที่ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},บัญชีค่าใช้จ่าย ที่จำเป็น สำหรับรายการที่ {0}
 DocType: BOM,Website Description,คำอธิบายเว็บไซต์
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,เปลี่ยนแปลงสุทธิในส่วนของเจ้าของ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,กรุณายกเลิกการซื้อใบแจ้งหนี้ {0} แรก
@@ -5216,7 +5282,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,ไม่มีอะไรที่จะ แก้ไข คือ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,มุมมองแบบฟอร์ม
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ค่าใช้จ่ายที่จำเป็นในการเรียกร้องค่าใช้จ่าย
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,สรุปในเดือนนี้และกิจกรรมที่อยู่ระหว่างดำเนินการ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,สรุปในเดือนนี้และกิจกรรมที่อยู่ระหว่างดำเนินการ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},โปรดตั้งค่าบัญชีกำไรขาดทุนที่ยังไม่เกิดขึ้นจริงใน บริษัท {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",เพิ่มผู้ใช้ในองค์กรของคุณนอกเหนือจากตัวคุณเอง
 DocType: Customer Group,Customer Group Name,ชื่อกลุ่มลูกค้า
@@ -5226,14 +5292,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,ไม่ได้สร้างคำขอเนื้อหา
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},วงเงินกู้ไม่เกินจำนวนเงินกู้สูงสุดของ {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,การอนุญาต
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},กรุณาลบนี้ใบแจ้งหนี้ {0} จาก C-แบบฟอร์ม {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},กรุณาลบนี้ใบแจ้งหนี้ {0} จาก C-แบบฟอร์ม {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,เลือกดำเนินการต่อถ้าคุณยังต้องการที่จะรวมถึงความสมดุลในปีงบประมาณก่อนหน้านี้ออกไปในปีงบการเงิน
 DocType: GL Entry,Against Voucher Type,กับประเภทบัตร
 DocType: Healthcare Practitioner,Phone (R),โทรศัพท์ (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,เพิ่มช่องเวลาแล้ว
 DocType: Item,Attributes,คุณลักษณะ
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,เปิดใช้เทมเพลต
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,กรุณากรอกตัวอักษร เขียน ปิด บัญชี
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,กรุณากรอกตัวอักษร เขียน ปิด บัญชี
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,วันที่สั่งซื้อล่าสุด
 DocType: Salary Component,Is Payable,เป็นเจ้าหนี้
 DocType: Inpatient Record,B Negative,B ลบ
@@ -5244,7 +5310,7 @@
 DocType: Hotel Room,Hotel Room,ห้องพักโรงแรม
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},บัญชี {0} ไม่ได้เป็นของ บริษัท {1}
 DocType: Leave Type,Rounding,การล้อม
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,หมายเลขซีเรียลในแถว {0} ไม่ตรงกับหมายเหตุการจัดส่ง
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,หมายเลขซีเรียลในแถว {0} ไม่ตรงกับหมายเหตุการจัดส่ง
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),จำนวนเงินที่จ่าย (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",กฎราคาจะถูกกรองออกตามลูกค้ากลุ่มลูกค้ากลุ่มผู้จัดหากลุ่มผู้จัดจำหน่ายแคมเปญพันธมิตรการขาย ฯลฯ
 DocType: Student,Guardian Details,รายละเอียดผู้ปกครอง
@@ -5253,10 +5319,10 @@
 DocType: Vehicle,Chassis No,แชสซีไม่มี
 DocType: Payment Request,Initiated,ริเริ่ม
 DocType: Production Plan Item,Planned Start Date,เริ่มต้นการวางแผนวันที่สมัคร
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,โปรดเลือก BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,โปรดเลือก BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,มีภาษี ITC Integrated Tax
 DocType: Purchase Order Item,Blanket Order Rate,อัตราการสั่งซื้อผ้าห่ม
-apps/erpnext/erpnext/hooks.py +156,Certification,การรับรอง
+apps/erpnext/erpnext/hooks.py +157,Certification,การรับรอง
 DocType: Bank Guarantee,Clauses and Conditions,ข้อและเงื่อนไข
 DocType: Serial No,Creation Document Type,ประเภท การสร้าง เอกสาร
 DocType: Project Task,View Timesheet,ดู Timesheet
@@ -5281,6 +5347,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,ผู้ปกครองรายการ {0} ต้องไม่เป็นรายการสต็อก
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,รายชื่อเว็บไซต์
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ผลิตภัณฑ์หรือบริการ  ทั้งหมด
+DocType: Email Digest,Open Quotations,เปิดใบเสนอราคา
 DocType: Expense Claim,More Details,รายละเอียดเพิ่มเติม
 DocType: Supplier Quotation,Supplier Address,ที่อยู่ผู้ผลิต
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} งบประมาณสำหรับบัญชี {1} กับ {2} {3} คือ {4} บัญชีจะเกินโดย {5}
@@ -5295,12 +5362,11 @@
 DocType: Training Event,Exam,การสอบ
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,ข้อผิดพลาดในตลาด
 DocType: Complaint,Complaint,การร้องเรียน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0}
 DocType: Leave Allocation,Unused leaves,ใบที่ไม่ได้ใช้
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,ทำรายการชำระคืน
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,แผนกทั้งหมด
 DocType: Healthcare Service Unit,Vacant,ว่าง
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,ผู้จัดจำหน่าย&gt; ประเภทผู้จัดจำหน่าย
 DocType: Patient,Alcohol Past Use,การใช้แอลกอฮอล์ในอดีต
 DocType: Fertilizer Content,Fertilizer Content,เนื้อหาปุ๋ย
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5308,7 +5374,7 @@
 DocType: Tax Rule,Billing State,สถานะ เรียกเก็บเงิน
 DocType: Share Transfer,Transfer,โอน
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,สั่งซื้องาน {0} ต้องถูกยกเลิกก่อนที่จะยกเลิกใบสั่งขายนี้
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),เรียก BOM ระเบิด (รวมถึงการ ประกอบย่อย )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),เรียก BOM ระเบิด (รวมถึงการ ประกอบย่อย )
 DocType: Authorization Rule,Applicable To (Employee),ที่ใช้บังคับกับ (พนักงาน)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,วันที่ครบกำหนดมีผลบังคับใช้
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,เพิ่มสำหรับแอตทริบิวต์ {0} ไม่สามารถเป็น 0
@@ -5324,7 +5390,7 @@
 DocType: Disease,Treatment Period,ระยะเวลาการรักษา
 DocType: Travel Itinerary,Travel Itinerary,กำหนดการเดินทาง
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,ผลลัพธ์ที่ได้รับแล้ว
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,คลังสำรองเป็นข้อบังคับสำหรับรายการ {0} ในวัตถุดิบที่จัดให้
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,คลังสำรองเป็นข้อบังคับสำหรับรายการ {0} ในวัตถุดิบที่จัดให้
 ,Inactive Customers,ลูกค้าที่ไม่ได้ใช้งาน
 DocType: Student Admission Program,Maximum Age,อายุสูงสุด
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,โปรดรอ 3 วันก่อนส่งการแจ้งเตือนอีกครั้ง
@@ -5333,7 +5399,6 @@
 DocType: Stock Entry,Delivery Note No,หมายเหตุจัดส่งสินค้าไม่มี
 DocType: Cheque Print Template,Message to show,ข้อความที่จะแสดง
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,ค้าปลีก
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,จัดการการนัดหมายใบแจ้งหนี้โดยอัตโนมัติ
 DocType: Student Attendance,Absent,ขาด
 DocType: Staffing Plan,Staffing Plan Detail,รายละเอียดแผนการจัดหาพนักงาน
 DocType: Employee Promotion,Promotion Date,วันที่โปรโมชัน
@@ -5355,7 +5420,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,ทำให้ตะกั่ว
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,พิมพ์และเครื่องเขียน
 DocType: Stock Settings,Show Barcode Field,แสดงฟิลด์บาร์โค้ด
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,ส่งอีเมลผู้ผลิต
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,ส่งอีเมลผู้ผลิต
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",เงินเดือนที่ต้องการการประมวลผลแล้วสำหรับรอบระยะเวลาระหว่าง {0} และ {1} ฝากรับสมัครไม่สามารถอยู่ระหว่างช่วงวันที่นี้
 DocType: Fiscal Year,Auto Created,สร้างอัตโนมัติแล้ว
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,ส่งสิ่งนี้เพื่อสร้างเรคคอร์ด Employee
@@ -5364,7 +5429,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,ใบแจ้งหนี้ {0} ไม่มีอยู่แล้ว
 DocType: Guardian Interest,Guardian Interest,ผู้ปกครองที่น่าสนใจ
 DocType: Volunteer,Availability,ความพร้อมใช้งาน
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,ตั้งค่าเริ่มต้นสำหรับใบแจ้งหนี้ POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,ตั้งค่าเริ่มต้นสำหรับใบแจ้งหนี้ POS
 apps/erpnext/erpnext/config/hr.py +248,Training,การอบรม
 DocType: Project,Time to send,เวลาที่จะส่ง
 DocType: Timesheet,Employee Detail,รายละเอียดการทำงานของพนักงาน
@@ -5388,7 +5453,7 @@
 DocType: Training Event Employee,Optional,ไม่จำเป็น
 DocType: Salary Slip,Earning & Deduction,รายได้และการหัก
 DocType: Agriculture Analysis Criteria,Water Analysis,การวิเคราะห์น้ำ
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} ตัวแปรที่สร้างขึ้น
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} ตัวแปรที่สร้างขึ้น
 DocType: Amazon MWS Settings,Region,ภูมิภาค
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ไม่จำเป็น การตั้งค่านี้ จะถูก ใช้ในการกรอง ในการทำธุรกรรม ต่างๆ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,อัตรา การประเมิน เชิงลบ ไม่ได้รับอนุญาต
@@ -5407,7 +5472,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,ราคาทุนของสินทรัพย์ทะเลาะวิวาท
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: จำเป็นต้องระบุศูนย์ต้นทุนสำหรับรายการ {2}
 DocType: Vehicle,Policy No,ไม่มีนโยบาย
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,รับรายการจาก Bundle สินค้า
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,รับรายการจาก Bundle สินค้า
 DocType: Asset,Straight Line,เส้นตรง
 DocType: Project User,Project User,ผู้ใช้โครงการ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,แยก
@@ -5416,7 +5481,7 @@
 DocType: GL Entry,Is Advance,ล่วงหน้า
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,วงจรชีวิตของพนักงาน
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,เข้าร่วมประชุม จาก วันที่และ การเข้าร่วมประชุม เพื่อให้ มีผลบังคับใช้ วันที่
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,กรุณากรอก ' คือ รับเหมา ' เป็น ใช่หรือไม่ใช่
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,กรุณากรอก ' คือ รับเหมา ' เป็น ใช่หรือไม่ใช่
 DocType: Item,Default Purchase Unit of Measure,ชุดซื้อหน่วยวัดเริ่มต้น
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,วันที่ผ่านรายการล่าสุด
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,วันที่ผ่านรายการล่าสุด
@@ -5426,7 +5491,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,ไม่สามารถเข้าถึงโทเค็นหรือ Shopify URL
 DocType: Location,Latitude,ละติจูด
 DocType: Work Order,Scrap Warehouse,เศษคลังสินค้า
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",ต้องการคลังสินค้าที่แถวไม่ใช่ {0} โปรดตั้งค่าคลังสินค้าเริ่มต้นสำหรับรายการ {1} สำหรับ บริษัท {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",ต้องการคลังสินค้าที่แถวไม่ใช่ {0} โปรดตั้งค่าคลังสินค้าเริ่มต้นสำหรับรายการ {1} สำหรับ บริษัท {2}
 DocType: Work Order,Check if material transfer entry is not required,ตรวจสอบว่ารายการโอนวัสดุไม่จำเป็นต้องใช้
 DocType: Work Order,Check if material transfer entry is not required,ตรวจสอบว่ารายการโอนวัสดุไม่จำเป็นต้องใช้
 DocType: Program Enrollment Tool,Get Students From,รับนักเรียนจาก
@@ -5443,6 +5508,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,จำนวนแบทช์ใหม่
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,เครื่องแต่งกาย และอุปกรณ์เสริม
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,ไม่สามารถแก้ฟังก์ชันการถ่วงน้ำหนักได้ ตรวจสอบให้แน่ใจว่าสูตรถูกต้อง
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,ซื้อรายการสั่งซื้อที่ไม่ได้รับตามเวลา
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,จำนวนการสั่งซื้อ
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / แบนเนอร์ที่จะแสดงอยู่ด้านบนของรายการสินค้า
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,ระบุเงื่อนไขในการคำนวณปริมาณการจัดส่งสินค้า
@@ -5451,9 +5517,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,เส้นทาง
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,ไม่สามารถแปลง ศูนย์ต้นทุน ไปยัง บัญชีแยกประเภท ที่มี ต่อมน้ำเด็ก
 DocType: Production Plan,Total Planned Qty,จำนวนตามแผนทั้งหมด
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,ราคาเปิด
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,ราคาเปิด
 DocType: Salary Component,Formula,สูตร
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,เทมเพลตการทดสอบ Lab
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,บัญชีขาย
 DocType: Purchase Invoice Item,Total Weight,น้ำหนักรวม
@@ -5471,7 +5537,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,ทำให้วัสดุที่ขอ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},เปิดรายการ {0}
 DocType: Asset Finance Book,Written Down Value,มูลค่าที่เขียนลง
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,กรุณาติดตั้ง System Employee Naming System ใน Human Resource&gt; HR Settings
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ใบแจ้งหนี้ การขาย {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้
 DocType: Clinical Procedure,Age,อายุ
 DocType: Sales Invoice Timesheet,Billing Amount,จำนวนเงินที่เรียกเก็บ
@@ -5480,11 +5545,11 @@
 DocType: Company,Default Employee Advance Account,บัญชี Advance Employee ล่วงหน้า
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),ค้นหารายการ (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,บัญชี ที่มีอยู่ กับการทำธุรกรรม ไม่สามารถลบได้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,บัญชี ที่มีอยู่ กับการทำธุรกรรม ไม่สามารถลบได้
 DocType: Vehicle,Last Carbon Check,ตรวจสอบคาร์บอนล่าสุด
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,ค่าใช้จ่ายทางกฎหมาย
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,โปรดเลือกปริมาณในแถว
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,เปิดบัญชีขายและใบแจ้งหนี้ซื้อ
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,เปิดบัญชีขายและใบแจ้งหนี้ซื้อ
 DocType: Purchase Invoice,Posting Time,โพสต์เวลา
 DocType: Timesheet,% Amount Billed,% ของยอดเงินที่เรียกเก็บแล้ว
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,ค่าใช้จ่าย โทรศัพท์
@@ -5499,14 +5564,14 @@
 DocType: Maintenance Visit,Breakdown,การเสีย
 DocType: Travel Itinerary,Vegetarian,มังสวิรัติ
 DocType: Patient Encounter,Encounter Date,พบวันที่
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,บัญชี: {0} กับสกุลเงิน: {1} ไม่สามารถเลือกได้
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,บัญชี: {0} กับสกุลเงิน: {1} ไม่สามารถเลือกได้
 DocType: Bank Statement Transaction Settings Item,Bank Data,ข้อมูลธนาคาร
 DocType: Purchase Receipt Item,Sample Quantity,ตัวอย่างปริมาณ
 DocType: Bank Guarantee,Name of Beneficiary,ชื่อผู้รับประโยชน์
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",อัพเดตค่าใช้จ่าย BOM โดยอัตโนมัติผ่าน Scheduler ตามอัตราการประเมินล่าสุด / อัตราราคา / อัตราการซื้อวัตถุดิบครั้งล่าสุด
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,วันที่เช็ค
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่ได้เป็นของ บริษัท : {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่ได้เป็นของ บริษัท : {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,ประสบความสำเร็จในการทำธุรกรรมที่ถูกลบทั้งหมดที่เกี่ยวข้องกับ บริษัท นี้!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,ขณะที่ในวันที่
 DocType: Additional Salary,HR,ทรัพยากรบุคคล
@@ -5514,7 +5579,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,แจ้งเตือน SMS สำหรับผู้ป่วยรายใหญ่
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,การทดลอง
 DocType: Program Enrollment Tool,New Academic Year,ปีการศึกษาใหม่
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,กลับมา / หมายเหตุเครดิต
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,กลับมา / หมายเหตุเครดิต
 DocType: Stock Settings,Auto insert Price List rate if missing,แทรกอัตโนมัติราคาอัตรารายชื่อถ้าขาดหายไป
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,รวมจำนวนเงินที่จ่าย
 DocType: GST Settings,B2C Limit,ขีด จำกัด B2C
@@ -5532,10 +5597,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,โหนดลูกจะสามารถสร้างได้ภายใต้ &#39;กลุ่ม&#39; ต่อมน้ำประเภท
 DocType: Attendance Request,Half Day Date,ครึ่งวันวัน
 DocType: Academic Year,Academic Year Name,ชื่อปีการศึกษา
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} ไม่สามารถทำธุรกรรมกับ {1} ได้ โปรดเปลี่ยน บริษัท
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} ไม่สามารถทำธุรกรรมกับ {1} ได้ โปรดเปลี่ยน บริษัท
 DocType: Sales Partner,Contact Desc,Desc ติดต่อ
 DocType: Email Digest,Send regular summary reports via Email.,ส่งรายงานสรุปปกติผ่านทางอีเมล์
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},กรุณาตั้งค่าบัญชีเริ่มต้นในการเรียกร้องค่าใช้จ่ายประเภท {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},กรุณาตั้งค่าบัญชีเริ่มต้นในการเรียกร้องค่าใช้จ่ายประเภท {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,มีใบ
 DocType: Assessment Result,Student Name,ชื่อนักเรียน
 DocType: Hub Tracked Item,Item Manager,ผู้จัดการฝ่ายรายการ
@@ -5560,9 +5625,10 @@
 DocType: Subscription,Trial Period End Date,วันที่สิ้นสุดของรอบระยะทดลอง
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,ไม่ authroized ตั้งแต่ {0} เกินขีด จำกัด
 DocType: Serial No,Asset Status,สถานะสินทรัพย์
+DocType: Delivery Note,Over Dimensional Cargo (ODC),การขนส่งสินค้าแบบ Over Dimensional Cargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,โต๊ะอาหาร
 DocType: Hotel Room,Hotel Manager,ผู้จัดการโรงแรม
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ตั้งกฎภาษีสำหรับรถเข็น
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,ตั้งกฎภาษีสำหรับรถเข็น
 DocType: Purchase Invoice,Taxes and Charges Added,ภาษีและค่าบริการเพิ่ม
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,แถวค่าเสื่อมราคา {0}: วันที่คิดค่าเสื่อมราคาต่อไปไม่ได้ก่อนวันที่ที่พร้อมใช้งาน
 ,Sales Funnel,ช่องทาง ขาย
@@ -5578,10 +5644,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,ทุกกลุ่ม ลูกค้า
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,สะสมรายเดือน
 DocType: Attendance Request,On Duty,กำลังปฏิบัติหน้าที่
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} มีความจำเป็น รายการบันทึกอัตราแลกเปลี่ยนเงินตราไม่ได้สร้างขึ้นสำหรับ {1} เป็น {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} มีความจำเป็น รายการบันทึกอัตราแลกเปลี่ยนเงินตราไม่ได้สร้างขึ้นสำหรับ {1} เป็น {2}
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},มีแผนงานการรับพนักงาน {0} อยู่แล้วสำหรับการกำหนด {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,แม่แบบภาษีมีผลบังคับใช้
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่อยู่
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่อยู่
 DocType: POS Closing Voucher,Period Start Date,ช่วงวันที่เริ่มต้น
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),อัตราราคาปกติ (สกุลเงิน บริษัท )
 DocType: Products Settings,Products Settings,การตั้งค่าผลิตภัณฑ์
@@ -5601,7 +5667,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,การดำเนินการนี้จะระงับการเรียกเก็บเงินในอนาคต คุณแน่ใจหรือไม่ว่าต้องการยกเลิกการสมัครนี้
 DocType: Serial No,Distinct unit of an Item,หน่วยที่แตกต่างของสินค้า
 DocType: Supplier Scorecard Criteria,Criteria Name,ชื่อเกณฑ์
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,โปรดตั้ง บริษัท
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,โปรดตั้ง บริษัท
 DocType: Procedure Prescription,Procedure Created,สร้างกระบวนงานแล้ว
 DocType: Pricing Rule,Buying,การซื้อ
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,โรคและปุ๋ย
@@ -5618,43 +5684,44 @@
 DocType: Employee Onboarding,Job Offer,เสนองาน
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,สถาบันชื่อย่อ
 ,Item-wise Price List Rate,รายการ ฉลาด อัตรา ราคาตามรายการ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,ใบเสนอราคาของผู้ผลิต
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,ใบเสนอราคาของผู้ผลิต
 DocType: Quotation,In Words will be visible once you save the Quotation.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบเสนอราคา
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},จำนวน ({0}) ไม่สามารถเป็นเศษส่วนในแถว {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},จำนวน ({0}) ไม่สามารถเป็นเศษเล็กเศษน้อยในแถว {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},จำนวน ({0}) ไม่สามารถเป็นเศษส่วนในแถว {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},จำนวน ({0}) ไม่สามารถเป็นเศษเล็กเศษน้อยในแถว {1}
 DocType: Contract,Unsigned,ไม่ได้ลงนาม
 DocType: Selling Settings,Each Transaction,แต่ละรายการ
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},บาร์โค้ด {0} ได้ใช้แล้วในรายการ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},บาร์โค้ด {0} ได้ใช้แล้วในรายการ {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,กฎระเบียบ สำหรับการเพิ่ม ค่าใช้จ่ายใน การจัดส่งสินค้า
 DocType: Hotel Room,Extra Bed Capacity,ความจุเตียงเสริม
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,เปิดการแจ้ง
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ลูกค้า จะต้อง
 DocType: Lab Test,Result Date,วันที่ผลลัพธ์
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,วันที่ PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,วันที่ PDC / LC
 DocType: Purchase Order,To Receive,ที่จะได้รับ
 DocType: Leave Period,Holiday List for Optional Leave,รายการวันหยุดสำหรับการลาตัวเลือก
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,เจ้าของสินทรัพย์
 DocType: Purchase Invoice,Reason For Putting On Hold,เหตุผลในการระงับ
 DocType: Employee,Personal Email,อีเมลส่วนตัว
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,ความแปรปรวนทั้งหมด
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,ความแปรปรวนทั้งหมด
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",ถ้าเปิดใช้งานระบบจะโพสต์รายการบัญชีสำหรับสินค้าคงคลังโดยอัตโนมัติ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,ค่านายหน้า
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,การเข้าร่วมประชุมสำหรับพนักงาน {0} ถูกทำเครื่องหมายแล้วสำหรับวันนี้
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,การเข้าร่วมประชุมสำหรับพนักงาน {0} ถูกทำเครื่องหมายแล้วสำหรับวันนี้
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",เป็นนาที ปรับปรุงผ่านทาง 'บันทึกเวลา'
 DocType: Customer,From Lead,จากช่องทาง
 DocType: Amazon MWS Settings,Synch Orders,สั่งซื้อซิงโคร
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,คำสั่งปล่อยให้การผลิต
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,เลือกปีงบประมาณ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,รายละเอียด จุดขาย จำเป็นต้องทำให้ จุดขาย บันทึกได้
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,รายละเอียด จุดขาย จำเป็นต้องทำให้ จุดขาย บันทึกได้
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",คะแนนความภักดีจะคำนวณจากการใช้จ่ายที่ทำ (ผ่านทางใบแจ้งหนี้การขาย) ตามปัจจัยการเรียกเก็บเงินที่กล่าวถึง
 DocType: Program Enrollment Tool,Enroll Students,รับสมัครนักเรียน
 DocType: Company,HRA Settings,การตั้งค่า HRA
 DocType: Employee Transfer,Transfer Date,วันโอน
 DocType: Lab Test,Approved Date,วันที่อนุมัติ
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ขาย มาตรฐาน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้ามีผลบังคับใช้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้ามีผลบังคับใช้
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.",กำหนดค่าฟิลด์รายการเช่น UOM กลุ่มรายการคำอธิบายและจำนวนของชั่วโมง
 DocType: Certification Application,Certification Status,สถานะการรับรอง
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,ตลาด
@@ -5674,6 +5741,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,การจับคู่ใบแจ้งหนี้
 DocType: Work Order,Required Items,รายการที่ต้องการ
 DocType: Stock Ledger Entry,Stock Value Difference,ความแตกต่างมูลค่าหุ้น
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,แถวสินค้า {0}: {1} {2} ไม่มีอยู่ในตารางด้านบน &#39;{1}&#39;
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,ทรัพยากรมนุษย์
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,กระทบยอดการชำระเงิน
 DocType: Disease,Treatment Task,งานบำบัด
@@ -5691,7 +5759,8 @@
 DocType: Account,Debit,หักบัญชี
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,ใบ จะต้องมีการ จัดสรร หลายรายการ 0.5
 DocType: Work Order,Operation Cost,ค่าใช้จ่ายในการดำเนินงาน
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Amt ดีเด่น
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,การระบุผู้ตัดสินใจ
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Amt ดีเด่น
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ตั้งเป้ากลุ่มสินค้าที่ชาญฉลาดสำหรับการนี้คนขาย
 DocType: Stock Settings,Freeze Stocks Older Than [Days],ตรึง หุ้น เก่า กว่า [ วัน ]
 DocType: Payment Request,Payment Ordered,สั่งจ่ายเงินแล้ว
@@ -5703,14 +5772,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,อนุญาตให้ผู้ใช้ต่อไปเพื่อขออนุมัติการใช้งานออกวันบล็อก
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,วงจรชีวิต
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,ทำ BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},อัตราการขายสำหรับรายการ {0} ต่ำกว่า {1} อัตราการขายต้องน้อยที่สุด {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},อัตราการขายสำหรับรายการ {0} ต่ำกว่า {1} อัตราการขายต้องน้อยที่สุด {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},อัตราการขายสำหรับรายการ {0} ต่ำกว่า {1} อัตราการขายต้องน้อยที่สุด {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},อัตราการขายสำหรับรายการ {0} ต่ำกว่า {1} อัตราการขายต้องน้อยที่สุด {2}
 DocType: Subscription,Taxes,ภาษี
 DocType: Purchase Invoice,capital goods,สินค้าทุน
 DocType: Purchase Invoice Item,Weight Per Unit,น้ำหนักต่อหน่วย
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,การชำระเงินและไม่ได้ส่งมอบ
-DocType: Project,Default Cost Center,เริ่มต้นที่ศูนย์ต้นทุน
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,เริ่มต้นที่ศูนย์ต้นทุน
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ทำธุรกรรมซื้อขายหุ้น
 DocType: Budget,Budget Accounts,บัญชีงบประมาณ
 DocType: Employee,Internal Work History,ประวัติการทำงานภายใน
@@ -5743,7 +5811,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},ผู้ประกอบการด้านการดูแลสุขภาพไม่มีให้บริการใน {0}
 DocType: Stock Entry Detail,Additional Cost,ค่าใช้จ่ายเพิ่มเติม
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",ไม่สามารถกรอง ตาม คูปอง ไม่ ถ้า จัดกลุ่มตาม คูปอง
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,ทำ ใบเสนอราคา ของผู้ผลิต
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,ทำ ใบเสนอราคา ของผู้ผลิต
 DocType: Quality Inspection,Incoming,ขาเข้า
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,เทมเพลตภาษีที่เป็นค่าเริ่มต้นสำหรับการขายและซื้อจะสร้างขึ้น
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,บันทึกผลลัพธ์การประเมิน {0} มีอยู่แล้ว
@@ -5759,7 +5827,7 @@
 DocType: Batch,Batch ID,ID ชุด
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},หมายเหตุ : {0}
 ,Delivery Note Trends,แนวโน้มหมายเหตุการจัดส่งสินค้า
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,ข้อมูลอย่างนี้สัปดาห์
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,ข้อมูลอย่างนี้สัปดาห์
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,ในสต็อกจำนวน
 ,Daily Work Summary Replies,สรุปการทำงานสรุปรายวัน
 DocType: Delivery Trip,Calculate Estimated Arrival Times,คำนวณเวลาเข้าพักโดยประมาณ
@@ -5769,7 +5837,7 @@
 DocType: Bank Account,Party,งานเลี้ยง
 DocType: Healthcare Settings,Patient Name,ชื่อผู้ป่วย
 DocType: Variant Field,Variant Field,ฟิลด์ Variant
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ตำแหน่งเป้าหมาย
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ตำแหน่งเป้าหมาย
 DocType: Sales Order,Delivery Date,วันที่ส่ง
 DocType: Opportunity,Opportunity Date,วันที่มีโอกาส
 DocType: Employee,Health Insurance Provider,ผู้ให้บริการประกันสุขภาพ
@@ -5788,7 +5856,7 @@
 DocType: Employee,History In Company,ประวัติใน บริษัท
 DocType: Customer,Customer Primary Address,ที่อยู่หลักของลูกค้า
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,จดหมายข่าว
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,เลขอ้างอิง.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,เลขอ้างอิง.
 DocType: Drug Prescription,Description/Strength,คำอธิบาย / ความแข็งแรง
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,สร้างรายการการชำระเงิน / สมุดรายวันใหม่
 DocType: Certification Application,Certification Application,ใบสมัครรับรอง
@@ -5799,10 +5867,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,รายการเดียวกันได้รับการป้อนหลายครั้ง
 DocType: Department,Leave Block List,ฝากรายการบล็อก
 DocType: Purchase Invoice,Tax ID,เลขประจำตัวผู้เสียภาษี
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,รายการที่ {0} ไม่ได้ ติดตั้งสำหรับ คอลัมน์ อนุกรม เลขที่ จะต้องมี ที่ว่างเปล่า
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,รายการที่ {0} ไม่ได้ ติดตั้งสำหรับ คอลัมน์ อนุกรม เลขที่ จะต้องมี ที่ว่างเปล่า
 DocType: Accounts Settings,Accounts Settings,ตั้งค่าบัญชี
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,อนุมัติ
 DocType: Loyalty Program,Customer Territory,เขตแดนของลูกค้า
+DocType: Email Digest,Sales Orders to Deliver,ใบสั่งขายเพื่อส่งมอบ
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",หมายเลขบัญชีใหม่จะรวมอยู่ในชื่อบัญชีเป็นคำนำหน้า
 DocType: Maintenance Team Member,Team Member,สมาชิกในทีม
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,ไม่มีผลลัพธ์ที่จะส่ง
@@ -5812,7 +5881,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",รวม {0} สำหรับรายการทั้งหมดเป็นศูนย์อาจจะเป็นคุณควรเปลี่ยน &#39;กระจายค่าใช้จ่ายขึ้นอยู่กับ&#39;
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,ในวันที่จะต้องไม่น้อยกว่าจากวันที่
 DocType: Opportunity,To Discuss,เพื่อหารือเกี่ยวกับ
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,นี่เป็นการทำธุรกรรมกับผู้สมัครสมาชิกรายนี้ ดูรายละเอียดจากเส้นเวลาด้านล่าง
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,ต้องการ {1} อย่างน้อย {0} หน่วย ใน {2} เพื่อที่จะทำธุรกรรมนี้
 DocType: Loan Type,Rate of Interest (%) Yearly,อัตราดอกเบี้ย (%) ประจำปี
 DocType: Support Settings,Forum URL,URL ของ Forum
@@ -5827,7 +5895,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,เรียนรู้เพิ่มเติม
 DocType: Cheque Print Template,Distance from top edge,ระยะห่างจากขอบด้านบน
 DocType: POS Closing Voucher Invoices,Quantity of Items,จำนวนรายการ
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,ราคา {0} เป็นคนพิการหรือไม่มีอยู่
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,ราคา {0} เป็นคนพิการหรือไม่มีอยู่
 DocType: Purchase Invoice,Return,กลับ
 DocType: Pricing Rule,Disable,ปิดการใช้งาน
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,โหมดการชำระเงินจะต้องชำระเงิน
@@ -5835,18 +5903,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","แก้ไขในแบบเต็มหน้าสำหรับตัวเลือกเพิ่มเติมเช่นสินทรัพย์, nos อนุกรม ฯลฯ แบทช์"
 DocType: Leave Type,Maximum Continuous Days Applicable,สามารถใช้งานต่อเนื่องได้สูงสุด
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ไม่ได้ลงทะเบียนในชุด{2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",สินทรัพย์ {0} ไม่สามารถทิ้งขณะที่มันมีอยู่แล้ว {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",สินทรัพย์ {0} ไม่สามารถทิ้งขณะที่มันมีอยู่แล้ว {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,ต้องการตรวจสอบ
 DocType: Task,Total Expense Claim (via Expense Claim),การเรียกร้องค่าใช้จ่ายรวม (ผ่านการเรียกร้องค่าใช้จ่าย)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,มาร์คขาด
 DocType: Job Applicant Source,Job Applicant Source,แหล่งที่มาของผู้สมัครงาน
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Amount
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Amount
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,ไม่สามารถตั้งค่า บริษัท
 DocType: Asset Repair,Asset Repair,การซ่อมแซมสินทรัพย์
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},แถว {0}: สกุลเงินของ BOM # {1} ควรจะเท่ากับสกุลเงินที่เลือก {2}
 DocType: Journal Entry Account,Exchange Rate,อัตราแลกเปลี่ยน
 DocType: Patient,Additional information regarding the patient,ข้อมูลเพิ่มเติมเกี่ยวกับผู้ป่วย
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,การขายสินค้า {0} ไม่ได้ ส่ง
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,การขายสินค้า {0} ไม่ได้ ส่ง
 DocType: Homepage,Tag Line,สายแท็ก
 DocType: Fee Component,Fee Component,ค่าบริการตัวแทน
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,การจัดการ Fleet
@@ -5861,7 +5929,7 @@
 DocType: Healthcare Practitioner,Mobile,โทรศัพท์มือถือ
 ,Sales Person-wise Transaction Summary,การขายอย่างย่อรายการคนฉลาด
 DocType: Training Event,Contact Number,เบอร์ติดต่อ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,ไม่พบคลังสินค้า {0} ในระบบ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,ไม่พบคลังสินค้า {0} ในระบบ
 DocType: Cashier Closing,Custody,การดูแล
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,รายละเอียดการส่งหลักฐานการยกเว้นภาษีพนักงาน
 DocType: Monthly Distribution,Monthly Distribution Percentages,เปอร์เซ็นต์การกระจายรายเดือน
@@ -5876,7 +5944,7 @@
 DocType: Payment Entry,Paid Amount,จำนวนเงินที่ชำระ
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,สำรวจรอบการขาย
 DocType: Assessment Plan,Supervisor,ผู้ดูแล
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,การเก็บรักษารายการสินค้าคงคลัง
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,การเก็บรักษารายการสินค้าคงคลัง
 ,Available Stock for Packing Items,สต็อกสำหรับการบรรจุรายการ
 DocType: Item Variant,Item Variant,รายการตัวแปร
 ,Work Order Stock Report,สร้างรายงานการสั่งซื้องาน
@@ -5885,9 +5953,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,เป็นหัวหน้างาน
 DocType: Leave Policy Detail,Leave Policy Detail,ออกจากรายละเอียดนโยบาย
 DocType: BOM Scrap Item,BOM Scrap Item,BOM เศษรายการ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,คำสั่งที่ส่งมาไม่สามารถลบได้
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ยอดเงินในบัญชีแล้วในเดบิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เครดิต
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,การบริหารจัดการคุณภาพ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,คำสั่งที่ส่งมาไม่สามารถลบได้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ยอดเงินในบัญชีแล้วในเดบิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เครดิต
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,การบริหารจัดการคุณภาพ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,รายการ {0} ถูกปิดใช้งาน
 DocType: Project,Total Billable Amount (via Timesheets),ยอดรวม Billable Amount (ผ่าน Timesheets)
 DocType: Agriculture Task,Previous Business Day,วันทำการก่อนหน้า
@@ -5910,15 +5978,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,ศูนย์ต้นทุน
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,รีสตาร์ทการสมัครสมาชิกใหม่
 DocType: Linked Plant Analysis,Linked Plant Analysis,การวิเคราะห์โรงงานที่เชื่อมโยง
-DocType: Delivery Note,Transporter ID,รหัสผู้ขนย้าย
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,รหัสผู้ขนย้าย
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,ข้อเสนอที่มีค่า
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,อัตราที่สกุลเงินของซัพพลายเออร์จะถูกแปลงเป็นสกุลเงินหลักของ บริษัท
-DocType: Sales Invoice Item,Service End Date,วันที่สิ้นสุดการบริการ
+DocType: Purchase Invoice Item,Service End Date,วันที่สิ้นสุดการบริการ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},แถว # {0}: ความขัดแย้งกับจังหวะแถว {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,อนุญาตให้ใช้อัตราการประเมินค่าเป็นศูนย์
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,อนุญาตให้ใช้อัตราการประเมินค่าเป็นศูนย์
 DocType: Bank Guarantee,Receiving,การได้รับ
 DocType: Training Event Employee,Invited,ได้รับเชิญ
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,บัญชีการติดตั้งเกตเวย์
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,บัญชีการติดตั้งเกตเวย์
 DocType: Employee,Employment Type,ประเภทการจ้างงาน
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,สินทรัพย์ถาวร
 DocType: Payment Entry,Set Exchange Gain / Loss,ตั้งแลกเปลี่ยนกำไร / ขาดทุน
@@ -5934,7 +6003,7 @@
 DocType: Tax Rule,Sales Tax Template,แม่แบบภาษีการขาย
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,เรียกร้องค่าสินไหมทดแทน
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,อัปเดตหมายเลขศูนย์ต้นทุน
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้
 DocType: Employee,Encashment Date,วันที่การได้เป็นเงินสด
 DocType: Training Event,Internet,อินเทอร์เน็ต
 DocType: Special Test Template,Special Test Template,เทมเพลตการทดสอบพิเศษ
@@ -5942,13 +6011,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},ค่าใช้จ่ายเริ่มต้นกิจกรรมที่มีอยู่สำหรับประเภทกิจกรรม - {0}
 DocType: Work Order,Planned Operating Cost,ต้นทุนการดำเนินงานตามแผน
 DocType: Academic Term,Term Start Date,ในระยะวันที่เริ่มต้น
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,รายชื่อการทำธุรกรรมร่วมกันทั้งหมด
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,รายชื่อการทำธุรกรรมร่วมกันทั้งหมด
+DocType: Supplier,Is Transporter,Transporter คือ
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,นำเข้าใบแจ้งหนี้การขายจาก Shopify หากมีการทำเครื่องหมายการชำระเงิน
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,ต้องตั้งค่าวันที่เริ่มต้นทดลองใช้และวันที่สิ้นสุดระยะทดลองใช้
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,อัตราเฉลี่ย
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,จำนวนเงินที่ชำระในตารางการชำระเงินต้องเท่ากับยอดรวม / ยอดรวม
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,จำนวนเงินที่ชำระในตารางการชำระเงินต้องเท่ากับยอดรวม / ยอดรวม
 DocType: Subscription Plan Detail,Plan,วางแผน
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,ยอดเงินบัญชีธนาคารตามบัญชีแยกประเภททั่วไป
 DocType: Job Applicant,Applicant Name,ชื่อผู้ยื่นคำขอ
@@ -5976,7 +6046,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,จำนวนที่มีอยู่ที่ Source Warehouse
 apps/erpnext/erpnext/config/support.py +22,Warranty,การรับประกัน
 DocType: Purchase Invoice,Debit Note Issued,หมายเหตุเดบิตที่ออก
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ตัวกรองตามศูนย์ต้นทุนจะใช้ได้เฉพาะเมื่อเลือก Budget Against เป็นศูนย์ต้นทุน
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ตัวกรองตามศูนย์ต้นทุนจะใช้ได้เฉพาะเมื่อเลือก Budget Against เป็นศูนย์ต้นทุน
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",ค้นหาตามรหัสรายการเลขที่ประจำผลิตภัณฑ์เลขที่แบทช์หรือบาร์โค้ด
 DocType: Work Order,Warehouses,โกดัง
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} สินทรัพย์ ไม่สามารถโอนได้
@@ -5987,9 +6057,9 @@
 DocType: Workstation,per hour,ต่อชั่วโมง
 DocType: Blanket Order,Purchasing,การจัดซื้อ
 DocType: Announcement,Announcement,การประกาศ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,ลูกค้า LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,ลูกค้า LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",สำหรับกลุ่มนักเรียนที่เป็นกลุ่มแบบแบทช์ชุดนักเรียนจะได้รับการตรวจสอบสำหรับนักเรียนทุกคนจากการลงทะเบียนเรียนของโปรแกรม
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,คลังสินค้า ไม่สามารถลบได้ เนื่องจากรายการบัญชีแยกประเภท มีไว้สำหรับคลังสินค้านี้
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,คลังสินค้า ไม่สามารถลบได้ เนื่องจากรายการบัญชีแยกประเภท มีไว้สำหรับคลังสินค้านี้
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,การกระจาย
 DocType: Journal Entry Account,Loan,เงินกู้
 DocType: Expense Claim Advance,Expense Claim Advance,การเรียกร้องค่าสินไหมทดแทนล่วงหน้า
@@ -5998,7 +6068,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,ผู้จัดการโครงการ
 ,Quoted Item Comparison,เปรียบเทียบรายการที่ยกมา
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},ซ้อนกันระหว่างการให้คะแนนระหว่าง {0} ถึง {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,ส่งไป
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,ส่งไป
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,ส่วนลดสูงสุดที่ได้รับอนุญาตสำหรับรายการ: {0} เป็น {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,มูลค่าทรัพย์สินสุทธิ ณ วันที่
 DocType: Crop,Produce,ก่อ
@@ -6008,20 +6078,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,การใช้วัสดุเพื่อการผลิต
 DocType: Item Alternative,Alternative Item Code,รหัสรายการทางเลือก
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,บทบาทที่ได้รับอนุญาตให้ส่งการทำธุรกรรมที่เกินวงเงินที่กำหนด
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,เลือกรายการที่จะผลิต
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,เลือกรายการที่จะผลิต
 DocType: Delivery Stop,Delivery Stop,หยุดการจัดส่ง
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา"
 DocType: Item,Material Issue,บันทึกการใช้วัสดุ
 DocType: Employee Education,Qualification,คุณสมบัติ
 DocType: Item Price,Item Price,ราคาสินค้า
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,สบู่ และ ผงซักฟอก
 DocType: BOM,Show Items,แสดงรายการ
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,จากเวลาที่ไม่สามารถมีค่ามากกว่าการเวลา
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,คุณต้องการแจ้งให้ลูกค้าทราบทางอีเมลหรือไม่?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,คุณต้องการแจ้งให้ลูกค้าทราบทางอีเมลหรือไม่?
 DocType: Subscription Plan,Billing Interval,ช่วงเวลาการเรียกเก็บเงิน
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,ภาพยนตร์ และวิดีโอ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,ได้รับคำสั่ง
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,วันที่เริ่มต้นจริงและวันที่สิ้นสุดตามจริงเป็นข้อบังคับ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,ลูกค้า&gt; กลุ่มลูกค้า&gt; เขตแดน
 DocType: Salary Detail,Component,ตัวแทน
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,แถว {0}: {1} ต้องมีค่ามากกว่า 0
 DocType: Assessment Criteria,Assessment Criteria Group,กลุ่มเกณฑ์การประเมิน
@@ -6052,11 +6123,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,ป้อนชื่อธนาคารหรือสถาบันสินเชื่อก่อนส่ง
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,ต้องส่ง {0} รายการ
 DocType: POS Profile,Item Groups,กลุ่มรายการ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,วันนี้เป็นวัน {0} 'วันเกิด!
 DocType: Sales Order Item,For Production,สำหรับการผลิต
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,ยอดคงเหลือในสกุลเงินของบัญชี
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,โปรดเพิ่มบัญชีเปิดชั่วคราวในแผนภูมิบัญชี
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,โปรดเพิ่มบัญชีเปิดชั่วคราวในแผนภูมิบัญชี
 DocType: Customer,Customer Primary Contact,ติดต่อหลักของลูกค้า
 DocType: Project Task,View Task,ดูงาน
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -6070,11 +6140,11 @@
 DocType: Sales Invoice,Get Advances Received,รับเงินรับล่วงหน้า
 DocType: Email Digest,Add/Remove Recipients,เพิ่ม / ลบ ชื่อผู้รับ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",การตั้งค่า นี้ ปีงบประมาณ เป็นค่าเริ่มต้น ให้คลิกที่ 'ตั้ง เป็นค่าเริ่มต้น '
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,จำนวนเงินที่หักแล้วของ TDS
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,จำนวนเงินที่หักแล้วของ TDS
 DocType: Production Plan,Include Subcontracted Items,รวมรายการรับเหมาช่วง
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,ร่วม
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,ปัญหาการขาดแคลนจำนวน
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,ร่วม
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,ปัญหาการขาดแคลนจำนวน
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน
 DocType: Loan,Repay from Salary,ชำระคืนจากเงินเดือน
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},ร้องขอการชำระเงินจาก {0} {1} สำหรับจำนวนเงิน {2}
 DocType: Additional Salary,Salary Slip,สลิปเงินเดือน
@@ -6090,7 +6160,7 @@
 DocType: Patient,Dormant,อยู่เฉยๆ
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,หักภาษีสำหรับผลประโยชน์ของพนักงานที่ไม่มีการอ้างสิทธิ์
 DocType: Salary Slip,Total Interest Amount,จำนวนดอกเบี้ยทั้งหมด
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,โกดังกับโหนดลูกไม่สามารถแปลงบัญชีแยกประเภท
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,โกดังกับโหนดลูกไม่สามารถแปลงบัญชีแยกประเภท
 DocType: BOM,Manage cost of operations,จัดการค่าใช้จ่ายในการดำเนินงาน
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,มาถึง Datetime
@@ -6102,7 +6172,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,การประเมินผลรายละเอียด
 DocType: Employee Education,Employee Education,การศึกษาการทำงานของพนักงาน
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,กลุ่มรายการที่ซ้ำกันที่พบในตารางกลุ่มรายการ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,มันเป็นสิ่งจำเป็นที่จะดึงรายละเอียดสินค้า
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,มันเป็นสิ่งจำเป็นที่จะดึงรายละเอียดสินค้า
 DocType: Fertilizer,Fertilizer Name,ชื่อปุ๋ย
 DocType: Salary Slip,Net Pay,จ่ายสุทธิ
 DocType: Cash Flow Mapping Accounts,Account,บัญชี
@@ -6113,14 +6183,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,สร้างรายการการชำระเงินแยกต่างหากจากการเรียกร้องค่าสินไหมทดแทน
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),การมีไข้ (อุณหภูมิ&gt; 38.5 ° C / 101.3 ° F หรืออุณหภูมิคงที่&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,ขายรายละเอียดทีม
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,ลบอย่างถาวร?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,ลบอย่างถาวร?
 DocType: Expense Claim,Total Claimed Amount,จำนวนรวมอ้าง
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,โอกาสที่มีศักยภาพสำหรับการขาย
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},ไม่ถูกต้อง {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,ป่วย ออกจาก
 DocType: Email Digest,Email Digest,ข่าวสารทางอีเมล
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,ไม่ได้
 DocType: Delivery Note,Billing Address Name,ชื่อที่อยู่การเรียกเก็บเงิน
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ห้างสรรพสินค้า
 ,Item Delivery Date,วันที่จัดส่งสินค้า
@@ -6136,16 +6205,16 @@
 DocType: Account,Chargeable,รับผิดชอบ
 DocType: Company,Change Abbreviation,เปลี่ยนชื่อย่อ
 DocType: Contract,Fulfilment Details,รายละเอียด Fulfillment
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},ชำระเงิน {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},ชำระเงิน {0} {1}
 DocType: Employee Onboarding,Activities,กิจกรรม
 DocType: Expense Claim Detail,Expense Date,วันที่ค่าใช้จ่าย
 DocType: Item,No of Months,ไม่กี่เดือน
 DocType: Item,Max Discount (%),ส่วนลดสูงสุด (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,วันเครดิตไม่สามารถเป็นตัวเลขเชิงลบได้
-DocType: Sales Invoice Item,Service Stop Date,Service Stop Date
+DocType: Purchase Invoice Item,Service Stop Date,Service Stop Date
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,คำสั่งสุดท้ายจำนวนเงิน
 DocType: Cash Flow Mapper,e.g Adjustments for:,เช่นการปรับค่าใช้จ่ายสำหรับ:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} Retain Sample ขึ้นอยู่กับแบทช์โปรดตรวจสอบมี Batch No เพื่อเก็บตัวอย่างไอเท็ม
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} Retain Sample ขึ้นอยู่กับแบทช์โปรดตรวจสอบมี Batch No เพื่อเก็บตัวอย่างไอเท็ม
 DocType: Task,Is Milestone,เป็น Milestone
 DocType: Certification Application,Yet to appear,ยังไม่ปรากฏ
 DocType: Delivery Stop,Email Sent To,อีเมลที่ส่งไป
@@ -6153,16 +6222,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,อนุญาตศูนย์ต้นทุนในรายการบัญชีงบดุล
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,ผสานกับบัญชีที่มีอยู่
 DocType: Budget,Warn,เตือน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,รายการทั้งหมดได้รับการโอนไปแล้วสำหรับใบสั่งงานนี้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,รายการทั้งหมดได้รับการโอนไปแล้วสำหรับใบสั่งงานนี้
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",ใด ๆ ข้อสังเกตอื่น ๆ ความพยายามที่น่าสังเกตว่าควรจะไปในบันทึก
 DocType: Asset Maintenance,Manufacturing User,ผู้ใช้การผลิต
 DocType: Purchase Invoice,Raw Materials Supplied,วัตถุดิบ
 DocType: Subscription Plan,Payment Plan,แผนการชำระเงิน
 DocType: Shopping Cart Settings,Enable purchase of items via the website,เปิดใช้การซื้อสินค้าผ่านทางเว็บไซต์
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},สกุลเงินของรายการราคา {0} ต้องเป็น {1} หรือ {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,การจัดการการสมัครสมาชิก
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,การจัดการการสมัครสมาชิก
 DocType: Appraisal,Appraisal Template,แม่แบบการประเมิน
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,การตรึงรหัส
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,การตรึงรหัส
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,ทำเครื่องหมายที่ช่องนี้เพื่อเปิดใช้งานซิงโครไนซ์รายวันที่กำหนดตามตารางเวลา
 DocType: Item Group,Item Classification,การจัดประเภทรายการ
@@ -6172,6 +6241,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,ลงทะเบียนผู้ป่วยใบแจ้งหนี้
 DocType: Crop,Period,ระยะเวลา
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,บัญชีแยกประเภท
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,เป็นปีงบประมาณ
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,ดูนำ
 DocType: Program Enrollment Tool,New Program,โปรแกรมใหม่
 DocType: Item Attribute Value,Attribute Value,ค่าแอตทริบิวต์
@@ -6180,11 +6250,11 @@
 ,Itemwise Recommended Reorder Level,แนะนำ Itemwise Reorder ระดับ
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,พนักงาน {0} ของเกรด {1} ไม่มีนโยบายลาออกเริ่มต้น
 DocType: Salary Detail,Salary Detail,รายละเอียดเงินเดือน
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,กรุณาเลือก {0} ครั้งแรก
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,กรุณาเลือก {0} ครั้งแรก
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,เพิ่ม {0} ผู้ใช้แล้ว
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",ในกรณีของโปรแกรมแบบหลายชั้นลูกค้าจะได้รับการกำหนดให้โดยอัตโนมัติตามระดับที่เกี่ยวข้องตามการใช้จ่าย
 DocType: Appointment Type,Physician,แพทย์
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,รุ่นที่ {0} ของรายการ {1} หมดอายุ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,รุ่นที่ {0} ของรายการ {1} หมดอายุ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,การให้คำปรึกษา
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,เสร็จเรียบร้อยแล้ว
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",ราคาสินค้าจะปรากฏขึ้นหลายครั้งตามราคารายการผู้ขาย / ลูกค้าสกุลเงินสินค้า UOM จำนวนและวันที่
@@ -6193,22 +6263,21 @@
 DocType: Certification Application,Name of Applicant,ชื่อผู้สมัคร
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ใบบันทึกเวลาการผลิต
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ไม่ทั้งหมด
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,ไม่สามารถเปลี่ยนแปลงคุณสมบัติ Variant ภายหลังการทำธุรกรรมหุ้น คุณจะต้องทำรายการใหม่เพื่อทำสิ่งนี้
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,ไม่สามารถเปลี่ยนแปลงคุณสมบัติ Variant ภายหลังการทำธุรกรรมหุ้น คุณจะต้องทำรายการใหม่เพื่อทำสิ่งนี้
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,mandate SEPA GoCardless
 DocType: Healthcare Practitioner,Charges,ค่าใช้จ่าย
 DocType: Production Plan,Get Items For Work Order,รับสินค้าสำหรับสั่งทำงาน
 DocType: Salary Detail,Default Amount,จำนวนเงินที่เริ่มต้น
 DocType: Lab Test Template,Descriptive,พรรณนา
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,ไม่พบในโกดัง ระบบ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,ข้อมูลอย่างเดือนนี้
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,ข้อมูลอย่างเดือนนี้
 DocType: Quality Inspection Reading,Quality Inspection Reading,การตรวจสอบคุณภาพการอ่าน
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,ค่าของ `อายัด (freeze) Stock ที่เก่ากว่า ` ควรจะ มีขนาดเล็กกว่า % d วัน
 DocType: Tax Rule,Purchase Tax Template,ซื้อแม่แบบภาษี
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,ตั้งเป้าหมายการขายที่คุณต้องการเพื่อให้ได้สำหรับ บริษัท ของคุณ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,บริการสุขภาพ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,บริการสุขภาพ
 ,Project wise Stock Tracking,หุ้นติดตามโครงการที่ชาญฉลาด
 DocType: GST HSN Code,Regional,ของแคว้น
-DocType: Delivery Note,Transport Mode,โหมดการขนส่ง
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,ห้องปฏิบัติการ
 DocType: UOM Category,UOM Category,หมวดหมู่ UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),จำนวนที่เกิดขึ้นจริง (ที่มา / เป้าหมาย)
@@ -6231,17 +6300,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,ไม่สามารถสร้างเว็บไซต์
 DocType: Soil Analysis,Mg/K,มก. / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,รายละเอียดการแปลง UOM
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,เก็บสต็อกสินค้าที่จัดเก็บไว้แล้วหรือไม่ได้ระบุจำนวนตัวอย่าง
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,เก็บสต็อกสินค้าที่จัดเก็บไว้แล้วหรือไม่ได้ระบุจำนวนตัวอย่าง
 DocType: Program,Program Abbreviation,ชื่อย่อโปรแกรม
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,ใบสั่งผลิตไม่สามารถขึ้นกับแม่แบบรายการ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ค่าใช้จ่ายที่มีการปรับปรุงในใบเสร็จรับเงินกับแต่ละรายการ
 DocType: Warranty Claim,Resolved By,แก้ไขได้โดยการ
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,ยกเลิกการจัดตารางเวลา
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,เช็คและเงินฝากล้างไม่ถูกต้อง
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,บัญชี {0}: คุณไม่สามารถกำหนดตัวเองเป็นบัญชีผู้ปกครอง
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,บัญชี {0}: คุณไม่สามารถกำหนดตัวเองเป็นบัญชีผู้ปกครอง
 DocType: Purchase Invoice Item,Price List Rate,อัตราราคาตามรายการ
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,สร้างคำพูดของลูกค้า
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,วันที่หยุดให้บริการไม่สามารถใช้หลังจากวันที่สิ้นสุดการให้บริการ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,วันที่หยุดให้บริการไม่สามารถใช้หลังจากวันที่สิ้นสุดการให้บริการ
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",แสดง &quot;ในสต็อก&quot; หรือ &quot;ไม่อยู่ในสต็อก&quot; บนพื้นฐานของหุ้นที่มีอยู่ในคลังสินค้านี้
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),บิลวัสดุ (BOM)
 DocType: Item,Average time taken by the supplier to deliver,เวลาเฉลี่ยที่ถ่ายโดยผู้ผลิตเพื่อส่งมอบ
@@ -6253,11 +6322,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ชั่วโมง
 DocType: Project,Expected Start Date,วันที่เริ่มต้นคาดว่า
 DocType: Purchase Invoice,04-Correction in Invoice,04- แก้ไขในใบแจ้งหนี้
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,สั่งซื้องานที่สร้างไว้แล้วสำหรับทุกรายการที่มี BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,สั่งซื้องานที่สร้างไว้แล้วสำหรับทุกรายการที่มี BOM
 DocType: Payment Request,Party Details,รายละเอียดของบุคคลที่
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,รายงานรายละเอียดชุดค่าผสม
 DocType: Setup Progress Action,Setup Progress Action,ตั้งค่าความคืบหน้าการดำเนินการ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,รายการราคาซื้อ
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,รายการราคาซื้อ
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ลบรายการค่าใช้จ่ายถ้าไม่สามารถใช้ได้กับรายการที่
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,ยกเลิกการสมัครสมาชิก
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,โปรดเลือกสถานะการซ่อมบำรุงเป็นเสร็จสิ้นหรือลบวันที่เสร็จสิ้น
@@ -6275,7 +6344,7 @@
 DocType: Asset,Disposal Date,วันที่จำหน่าย
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",อีเมลจะถูกส่งไปยังพนักงานที่ใช้งานทั้งหมดของ บริษัท ในเวลาที่กำหนดหากพวกเขาไม่ได้มีวันหยุด บทสรุปของการตอบสนองจะถูกส่งในเวลาเที่ยงคืน
 DocType: Employee Leave Approver,Employee Leave Approver,อนุมัติพนักงานออก
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},แถว {0}: รายการสั่งซื้อใหม่อยู่แล้วสำหรับคลังสินค้านี้ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},แถว {0}: รายการสั่งซื้อใหม่อยู่แล้วสำหรับคลังสินค้านี้ {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",ไม่ สามารถประกาศ เป็น หายไป เพราะ ใบเสนอราคา ได้รับการทำ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,บัญชี CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,การฝึกอบรมผลตอบรับ
@@ -6287,7 +6356,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,วันที่ ไม่สามารถ ก่อนที่จะ นับจากวันที่
 DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc
 DocType: Cash Flow Mapper,Section Footer,ส่วนท้ายส่วน
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,เพิ่ม / แก้ไขราคา
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,เพิ่ม / แก้ไขราคา
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,โปรโมชันของพนักงานไม่สามารถส่งได้ก่อนวันที่โปรโมชัน
 DocType: Batch,Parent Batch,กลุ่มผู้ปกครอง
 DocType: Batch,Parent Batch,กลุ่มผู้ปกครอง
@@ -6298,6 +6367,7 @@
 DocType: Clinical Procedure Template,Sample Collection,การเก็บตัวอย่าง
 ,Requested Items To Be Ordered,รายการที่ได้รับการร้องขอที่จะสั่งซื้อ
 DocType: Price List,Price List Name,ชื่อรายการราคา
+DocType: Delivery Stop,Dispatch Information,ข้อมูลการจัดส่ง
 DocType: Blanket Order,Manufacturing,การผลิต
 ,Ordered Items To Be Delivered,รายการที่สั่งซื้อจะถูกส่ง
 DocType: Account,Income,เงินได้
@@ -6316,17 +6386,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} หน่วย {1} จำเป็นใน {2} ใน {3} {4} สำหรับ {5} ในการทำธุรกรรมนี้
 DocType: Fee Schedule,Student Category,หมวดหมู่นักศึกษา
 DocType: Announcement,Student,นักเรียน
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ปริมาณสต็อคที่จะเริ่มขั้นตอนไม่สามารถใช้ได้ในคลังสินค้า คุณต้องการบันทึกการโอนสต็อค
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ปริมาณสต็อคที่จะเริ่มขั้นตอนไม่สามารถใช้ได้ในคลังสินค้า คุณต้องการบันทึกการโอนสต็อค
 DocType: Shipping Rule,Shipping Rule Type,ประเภทกฎการจัดส่ง
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,ไปที่ห้อง
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","บริษัท , บัญชีการชำระเงิน, ตั้งแต่วันที่และถึงวันที่มีผลบังคับใช้"
 DocType: Company,Budget Detail,รายละเอียดงบประมาณ
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,กรุณาใส่ข้อความ ก่อนที่จะส่ง
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ทำซ้ำสำหรับซัพพลายเออร์
-DocType: Email Digest,Pending Quotations,ที่รอการอนุมัติใบเสนอราคา
-DocType: Delivery Note,Distance (KM),ระยะทาง (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,ผู้จัดจำหน่าย&gt; กลุ่มผู้จัดจำหน่าย
 DocType: Asset,Custodian,ผู้ปกครอง
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,จุดขายข้อมูลส่วนตัว
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,จุดขายข้อมูลส่วนตัว
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} ควรเป็นค่าระหว่าง 0 ถึง 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},การชำระเงิน {0} จาก {1} ถึง {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,เงินให้กู้ยืม ที่ไม่มีหลักประกัน
@@ -6358,10 +6427,10 @@
 DocType: Lead,Converted,แปลง
 DocType: Item,Has Serial No,มีซีเรียลไม่มี
 DocType: Employee,Date of Issue,วันที่ออก
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",ตามการตั้งค่าการซื้อหาก Purchase Reciept Required == &#39;YES&#39; จากนั้นสำหรับการสร้าง Invoice ซื้อผู้ใช้ต้องสร้างใบเสร็จการรับสินค้าเป็นอันดับแรกสำหรับรายการ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",ตามการตั้งค่าการซื้อหาก Purchase Reciept Required == &#39;YES&#39; จากนั้นสำหรับการสร้าง Invoice ซื้อผู้ใช้ต้องสร้างใบเสร็จการรับสินค้าเป็นอันดับแรกสำหรับรายการ {0}
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},แถว # {0}: ตั้งผู้ผลิตสำหรับรายการ {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,แถว {0}: ค่าเวลาทำการต้องมีค่ามากกว่าศูนย์
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,ภาพ Website {0} แนบไปกับรายการ {1} ไม่สามารถพบได้
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,ภาพ Website {0} แนบไปกับรายการ {1} ไม่สามารถพบได้
 DocType: Issue,Content Type,ประเภทเนื้อหา
 DocType: Asset,Assets,สินทรัพย์
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,คอมพิวเตอร์
@@ -6372,7 +6441,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,ไม่มี {0} {1} ในระบบ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,กรุณาตรวจสอบตัวเลือกสกุลเงินที่จะอนุญาตให้มีหลายบัญชีที่มีสกุลเงินอื่น ๆ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,รายการ: {0} ไม่อยู่ในระบบ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,คุณยังไม่ได้ รับอนุญาตให้ กำหนดค่า แช่แข็ง
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,คุณยังไม่ได้ รับอนุญาตให้ กำหนดค่า แช่แข็ง
 DocType: Payment Reconciliation,Get Unreconciled Entries,คอมเมนต์ได้รับ Unreconciled
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},พนักงาน {0} อยู่ในสถานะ Leave on {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,ไม่มีการชำระคืนที่เลือกสำหรับรายการบันทึก
@@ -6390,13 +6459,14 @@
 ,Average Commission Rate,อัตราเฉลี่ยของค่าคอมมิชชั่น
 DocType: Share Balance,No of Shares,จำนวนหุ้น
 DocType: Taxable Salary Slab,To Amount,เป็นจำนวนเงิน
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'มีเลขซีเรียล' ไม่สามารถเป็น 'ใช่' สำหรับรายการที่ไม่ใช่สต็อก
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'มีเลขซีเรียล' ไม่สามารถเป็น 'ใช่' สำหรับรายการที่ไม่ใช่สต็อก
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,เลือกสถานะ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,ผู้เข้าร่วมไม่สามารถทำเครื่องหมายสำหรับวันที่ในอนาคต
 DocType: Support Search Source,Post Description Key,คีย์คำอธิบายโพสต์
 DocType: Pricing Rule,Pricing Rule Help,กฎการกำหนดราคาช่วยเหลือ
 DocType: School House,House Name,ชื่อบ้าน
 DocType: Fee Schedule,Total Amount per Student,จำนวนเงินรวมต่อนักศึกษา
+DocType: Opportunity,Sales Stage,ขั้นตอนการขาย
 DocType: Purchase Taxes and Charges,Account Head,หัวบัญชี
 DocType: Company,HRA Component,คอมโพเนนต์ HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,ไฟฟ้า
@@ -6404,15 +6474,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),ความแตกต่างมูลค่ารวม (Out - In)
 DocType: Grant Application,Requested Amount,จำนวนที่ขอ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,แถว {0}: อัตราแลกเปลี่ยนที่มีผลบังคับใช้
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},รหัสผู้ใช้ ไม่ได้ ตั้งไว้สำหรับ พนักงาน {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},รหัสผู้ใช้ ไม่ได้ ตั้งไว้สำหรับ พนักงาน {0}
 DocType: Vehicle,Vehicle Value,ค่ายานพาหนะ
 DocType: Crop Cycle,Detected Diseases,โรคที่ตรวจพบ
 DocType: Stock Entry,Default Source Warehouse,คลังสินค้าที่มาเริ่มต้น
 DocType: Item,Customer Code,รหัสลูกค้า
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},เตือนวันเกิดสำหรับ {0}
 DocType: Asset Maintenance Task,Last Completion Date,วันที่เสร็จสมบูรณ์ล่าสุด
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,เพื่อเดบิตบัญชีจะต้องเป็นบัญชีงบดุล
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,เพื่อเดบิตบัญชีจะต้องเป็นบัญชีงบดุล
 DocType: Asset,Naming Series,การตั้งชื่อซีรีส์
 DocType: Vital Signs,Coated,เคลือบ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,แถว {0}: มูลค่าที่คาดว่าจะได้รับหลังจากชีวิตที่มีประโยชน์ต้องน้อยกว่ายอดรวมการสั่งซื้อ
@@ -6430,15 +6499,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,หมายเหตุ การจัดส่ง {0} จะต้องไม่ถูก ส่งมา
 DocType: Notification Control,Sales Invoice Message,ข้อความขายใบแจ้งหนี้
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,บัญชีปิด {0} ต้องเป็นชนิดรับผิด / ผู้ถือหุ้น
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับแผ่นเวลา {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับแผ่นเวลา {1}
 DocType: Vehicle Log,Odometer,วัดระยะทาง
 DocType: Production Plan Item,Ordered Qty,สั่งซื้อ จำนวน
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,รายการ {0} ถูกปิดใช้งาน
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,รายการ {0} ถูกปิดใช้งาน
 DocType: Stock Settings,Stock Frozen Upto,สต็อกไม่เกิน Frozen
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM ไม่ได้มีรายการสินค้าใด ๆ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM ไม่ได้มีรายการสินค้าใด ๆ
 DocType: Chapter,Chapter Head,หัวหน้าบท
 DocType: Payment Term,Month(s) after the end of the invoice month,เดือนหลังจากสิ้นเดือนใบแจ้งหนี้
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,โครงสร้างค่าจ้างควรมีองค์ประกอบของผลประโยชน์ที่ยืดหยุ่นในการจ่ายผลประโยชน์
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,โครงสร้างค่าจ้างควรมีองค์ประกอบของผลประโยชน์ที่ยืดหยุ่นในการจ่ายผลประโยชน์
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,กิจกรรมของโครงการ / งาน
 DocType: Vital Signs,Very Coated,เคลือบมาก
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),เฉพาะผลกระทบทางภาษี (ไม่สามารถเรียกร้อง แต่เป็นส่วนหนึ่งของรายได้ที่ต้องเสียภาษี)
@@ -6456,7 +6525,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,ชั่วโมงทำการเรียกเก็บเงิน
 DocType: Project,Total Sales Amount (via Sales Order),ยอดขายรวม (ผ่านใบสั่งขาย)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM เริ่มต้นสำหรับ {0} ไม่พบ
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,แถว # {0}: กรุณาตั้งค่าปริมาณการสั่งซื้อ
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,แถว # {0}: กรุณาตั้งค่าปริมาณการสั่งซื้อ
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,แตะรายการเพื่อเพิ่มที่นี่
 DocType: Fees,Program Enrollment,การลงทะเบียนโปรแกรม
 DocType: Share Transfer,To Folio No,ไปยัง Folio No
@@ -6499,9 +6568,9 @@
 DocType: SG Creation Tool Course,Max Strength,ความแรงของแม็กซ์
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,การติดตั้งค่าที่ตั้งล่วงหน้า
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU ที่ FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},ไม่ได้เลือกหมายเหตุการจัดส่งสำหรับลูกค้า {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},ไม่ได้เลือกหมายเหตุการจัดส่งสำหรับลูกค้า {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,พนักงาน {0} ไม่มีผลประโยชน์สูงสุด
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,เลือกรายการตามวันที่จัดส่ง
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,เลือกรายการตามวันที่จัดส่ง
 DocType: Grant Application,Has any past Grant Record,มี Grant Record ที่ผ่านมา
 ,Sales Analytics,Analytics ขาย
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},ที่มีจำหน่าย {0}
@@ -6510,12 +6579,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,การตั้งค่าการผลิต
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,การตั้งค่าอีเมล์
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 มือถือไม่มี
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,กรุณาใส่ สกุลเงินเริ่มต้น ใน บริษัท มาสเตอร์
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,กรุณาใส่ สกุลเงินเริ่มต้น ใน บริษัท มาสเตอร์
 DocType: Stock Entry Detail,Stock Entry Detail,รายละเอียดรายการสินค้า
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,การแจ้งเตือนทุกวัน
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,การแจ้งเตือนทุกวัน
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,ดูตั๋วเปิดทั้งหมด
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,โครงสร้างหน่วยบริการด้านการดูแลสุขภาพ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,สินค้า
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,สินค้า
 DocType: Products Settings,Home Page is Products,หน้าแรกคือผลิตภัณฑ์
 ,Asset Depreciation Ledger,บัญชีแยกประเภทค่าเสื่อมราคาสินทรัพย์
 DocType: Salary Structure,Leave Encashment Amount Per Day,ปล่อยจำนวนการขายต่อวัน
@@ -6525,8 +6594,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,วัตถุดิบที่จำหน่ายค่าใช้จ่าย
 DocType: Selling Settings,Settings for Selling Module,การตั้งค่าสำหรับการขายโมดูล
 DocType: Hotel Room Reservation,Hotel Room Reservation,สำรองห้องพักในโรงแรม
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,บริการลูกค้า
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,บริการลูกค้า
 DocType: BOM,Thumbnail,รูปขนาดย่อ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ไม่พบรายชื่อติดต่อที่มีรหัสอีเมล
 DocType: Item Customer Detail,Item Customer Detail,รายละเอียดรายการของลูกค้า
 DocType: Notification Control,Prompt for Email on Submission of,แจ้งอีเมลในการยื่น
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},จำนวนเงินที่ได้รับประโยชน์สูงสุดของพนักงาน {0} เกินกว่า {1}
@@ -6536,7 +6606,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,รายการ {0} จะต้องมี รายการ หุ้น
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,เริ่มต้นการทำงานในความคืบหน้าโกดัง
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",กำหนดเวลาสำหรับ {0} การทับซ้อนกันคุณต้องการดำเนินการต่อหลังจากข้ามช่องที่ทับซ้อนกันหรือไม่
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,ตั้งค่าเริ่มต้น สำหรับการทำธุรกรรม ทางบัญชี
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,ตั้งค่าเริ่มต้น สำหรับการทำธุรกรรม ทางบัญชี
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grant Leaves
 DocType: Restaurant,Default Tax Template,เทมเพลตภาษีที่ผิดนัด
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} นักเรียนลงทะเบียนแล้ว
@@ -6544,6 +6614,7 @@
 DocType: Purchase Invoice Item,Stock Qty,จำนวนหุ้น
 DocType: Purchase Invoice Item,Stock Qty,จำนวนหุ้น
 DocType: Contract,Requires Fulfilment,ต้องการการเติมเต็ม
+DocType: QuickBooks Migrator,Default Shipping Account,บัญชีจัดส่งเริ่มต้น
 DocType: Loan,Repayment Period in Months,ระยะเวลาชำระหนี้ในเดือน
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ข้อผิดพลาด: ไม่ได้รหัสที่ถูกต้อง?
 DocType: Naming Series,Update Series Number,จำนวน Series ปรับปรุง
@@ -6557,11 +6628,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,จำนวนเงินสูงสุด
 DocType: Journal Entry,Total Amount Currency,รวมสกุลเงินจำนวนเงิน
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ค้นหาประกอบย่อย
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},รหัสสินค้า ที่จำเป็น ที่ แถว ไม่มี {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},รหัสสินค้า ที่จำเป็น ที่ แถว ไม่มี {0}
 DocType: GST Account,SGST Account,บัญชี SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,ไปที่รายการ
 DocType: Sales Partner,Partner Type,ประเภทคู่
-DocType: Purchase Taxes and Charges,Actual,ตามความเป็นจริง
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,ตามความเป็นจริง
 DocType: Restaurant Menu,Restaurant Manager,ผู้จัดการร้านอาหาร
 DocType: Authorization Rule,Customerwise Discount,ส่วนลด Customerwise
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet สำหรับงาน
@@ -6582,7 +6653,7 @@
 DocType: Employee,Cheque,เช็ค
 DocType: Training Event,Employee Emails,อีเมลพนักงาน
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,ชุด ล่าสุด
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,ประเภทรายงาน มีผลบังคับใช้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,ประเภทรายงาน มีผลบังคับใช้
 DocType: Item,Serial Number Series,ชุด หมายเลข
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},คลังสินค้า จำเป็นสำหรับ รายการสต๊อก {0} ในแถว {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,ค้าปลีกและ ขายส่ง
@@ -6613,7 +6684,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,อัปเดตจำนวนเงินที่เรียกเก็บจากใบสั่งขาย
 DocType: BOM,Materials,วัสดุ
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",ถ้าไม่ได้ตรวจสอบรายชื่อจะต้องมีการเพิ่มแต่ละแผนกที่มันจะต้องมีการใช้
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,วันที่โพสต์และโพสต์เวลามีผลบังคับใช้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,วันที่โพสต์และโพสต์เวลามีผลบังคับใช้
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,แม่แบบภาษี สำหรับการทำธุรกรรมการซื้อ
 ,Item Prices,รายการราคาสินค้า
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบสั่งซื้อ
@@ -6629,12 +6700,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),ชุดค่าเสื่อมราคาสินทรัพย์ (บันทึกประจำวัน)
 DocType: Membership,Member Since,สมาชิกตั้งแต่
 DocType: Purchase Invoice,Advance Payments,การชำระเงินล่วงหน้า
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,กรุณาเลือก Healthcare Service
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,กรุณาเลือก Healthcare Service
 DocType: Purchase Taxes and Charges,On Net Total,เมื่อรวมสุทธิ
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ค่าสำหรับแอตทริบิวต์ {0} จะต้องอยู่ในช่วงของ {1} เป็น {2} ในการเพิ่มขึ้นของ {3} สำหรับรายการ {4}
 DocType: Restaurant Reservation,Waitlisted,waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,หมวดการยกเว้น
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,สกุลเงินไม่สามารถเปลี่ยนแปลงได้หลังจากการทำรายการโดยใช้เงินสกุลอื่น
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,สกุลเงินไม่สามารถเปลี่ยนแปลงได้หลังจากการทำรายการโดยใช้เงินสกุลอื่น
 DocType: Shipping Rule,Fixed,คงที่
 DocType: Vehicle Service,Clutch Plate,จานคลัทช์
 DocType: Company,Round Off Account,ปิดรอบบัญชี
@@ -6643,7 +6714,7 @@
 DocType: Subscription Plan,Based on price list,ขึ้นอยู่กับราคา
 DocType: Customer Group,Parent Customer Group,กลุ่มลูกค้าผู้ปกครอง
 DocType: Vehicle Service,Change,เปลี่ยนแปลง
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,การสมัครสมาชิก
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,การสมัครสมาชิก
 DocType: Purchase Invoice,Contact Email,ติดต่ออีเมล์
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,การสร้างค่าธรรมเนียมที่รอดำเนินการ
 DocType: Appraisal Goal,Score Earned,คะแนนที่ได้รับ
@@ -6671,23 +6742,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,ลูกหนี้ / เจ้าหนี้การค้า
 DocType: Delivery Note Item,Against Sales Order Item,กับการขายรายการสั่งซื้อ
 DocType: Company,Company Logo,โลโก้ บริษัท
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},โปรดระบุคุณสมบัติราคาแอตทริบิวต์ {0}
-DocType: Item Default,Default Warehouse,คลังสินค้าเริ่มต้น
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},โปรดระบุคุณสมบัติราคาแอตทริบิวต์ {0}
+DocType: QuickBooks Migrator,Default Warehouse,คลังสินค้าเริ่มต้น
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},งบประมาณไม่สามารถกำหนดกลุ่มกับบัญชี {0}
 DocType: Shopping Cart Settings,Show Price,แสดงราคา
 DocType: Healthcare Settings,Patient Registration,การลงทะเบียนผู้ป่วย
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,กรุณาใส่ ศูนย์ ค่าใช้จ่าย ของผู้ปกครอง
 DocType: Delivery Note,Print Without Amount,พิมพ์ที่ไม่มีจำนวน
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,วันค่าเสื่อมราคา
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,วันค่าเสื่อมราคา
 ,Work Orders in Progress,กำลังดำเนินการใบสั่งงาน
 DocType: Issue,Support Team,ทีมสนับสนุน
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),หมดอายุ (ในวัน)
 DocType: Appraisal,Total Score (Out of 5),คะแนนรวม (out of 5)
 DocType: Student Attendance Tool,Batch,ชุด
 DocType: Support Search Source,Query Route String,สายการสืบค้นเส้นทาง
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,อัปเดตอัตราตามการซื้อครั้งล่าสุด
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,อัปเดตอัตราตามการซื้อครั้งล่าสุด
 DocType: Donor,Donor Type,ชนิดของผู้บริจาค
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,อัปเดตเอกสารซ้ำอัตโนมัติแล้ว
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,อัปเดตเอกสารซ้ำอัตโนมัติแล้ว
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,สมดุล
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,โปรดเลือก บริษัท
 DocType: Job Card,Job Card,บัตรงาน
@@ -6701,7 +6772,7 @@
 DocType: Assessment Result,Total Score,คะแนนรวม
 DocType: Crop Cycle,ISO 8601 standard,มาตรฐาน ISO 8601
 DocType: Journal Entry,Debit Note,หมายเหตุเดบิต
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,คุณสามารถแลกคะแนนสูงสุด {0} คะแนนตามลำดับนี้ได้
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,คุณสามารถแลกคะแนนสูงสุด {0} คะแนนตามลำดับนี้ได้
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,โปรดป้อนความลับของผู้บริโภค API
 DocType: Stock Entry,As per Stock UOM,เป็นต่อสต็อก UOM
@@ -6715,10 +6786,11 @@
 DocType: Journal Entry,Total Debit,เดบิตรวม
 DocType: Travel Request Costing,Sponsored Amount,จำนวนเงินที่ได้รับการสนับสนุน
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,เริ่มต้นโกดังสินค้าสำเร็จรูป
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,โปรดเลือกผู้ป่วย
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,โปรดเลือกผู้ป่วย
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,พนักงานขาย
 DocType: Hotel Room Package,Amenities,สิ่งอำนวยความสะดวก
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,งบประมาณและศูนย์ต้นทุน
+DocType: QuickBooks Migrator,Undeposited Funds Account,บัญชีกองทุนสำรองเลี้ยงชีพ
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,งบประมาณและศูนย์ต้นทุน
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,โหมดการชำระเงินเริ่มต้นหลายรูปแบบไม่ได้รับอนุญาต
 DocType: Sales Invoice,Loyalty Points Redemption,แลกคะแนนความภักดี
 ,Appointment Analytics,การแต่งตั้ง Analytics
@@ -6732,6 +6804,7 @@
 DocType: Batch,Manufacturing Date,วันผลิต
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,การสร้างค่าธรรมเนียมล้มเหลว
 DocType: Opening Invoice Creation Tool,Create Missing Party,สร้างปาร์ตี้ที่หายไป
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,งบประมาณรวม
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,เว้นว่างไว้ถ้าคุณทำกลุ่มนักเรียนต่อปี
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,เว้นว่างไว้ถ้าคุณทำกลุ่มนักเรียนต่อปี
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",ถ้าการตรวจสอบรวมกัน ของวันทําการจะรวมถึงวันหยุดและนี้จะช่วยลดค่าของเงินเดือนที่ต้องการต่อวัน
@@ -6749,20 +6822,19 @@
 DocType: Opportunity Item,Basic Rate,อัตราขั้นพื้นฐาน
 DocType: GL Entry,Credit Amount,จำนวนเครดิต
 DocType: Cheque Print Template,Signatory Position,ตำแหน่งลงนาม
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,ตั้งเป็น ที่หายไป
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,ตั้งเป็น ที่หายไป
 DocType: Timesheet,Total Billable Hours,รวมเวลาที่เรียกเก็บเงิน
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,จำนวนวันที่สมาชิกต้องชำระเงินตามใบแจ้งหนี้ที่สร้างโดยการสมัครรับข้อมูลนี้
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,รายละเอียดการสมัครลูกจ้าง
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ใบเสร็จรับเงินการชำระเงินหมายเหตุ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,นี้ขึ้นอยู่กับการทำธุรกรรมกับลูกค้านี้ ดูระยะเวลารายละเอียดด้านล่าง
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},แถว {0}: จัดสรร {1} &#39;จะต้องน้อยกว่าหรือเท่ากับจำนวนเงินที่ชำระเงินเข้า {2}
 DocType: Program Enrollment Tool,New Academic Term,ระยะเวลาการศึกษาใหม่
 ,Course wise Assessment Report,รายงานการประเมินหลักสูตรอย่างชาญฉลาด
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ใช้ภาษี ITC State / UT
 DocType: Tax Rule,Tax Rule,กฎภาษี
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,รักษาอัตราเดียวตลอดวงจรการขาย
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,โปรดเข้าสู่ระบบในฐานะผู้ใช้รายอื่นเพื่อลงทะเบียนใน Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,โปรดเข้าสู่ระบบในฐานะผู้ใช้รายอื่นเพื่อลงทะเบียนใน Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,บันทึกเวลานอกแผนเวิร์คสเตชั่ชั่วโมงทำงาน
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,ลูกค้าที่อยู่ในคิว
 DocType: Driver,Issuing Date,วันที่ออก
@@ -6771,11 +6843,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,ส่งใบสั่งงานนี้เพื่อดำเนินการต่อ
 ,Items To Be Requested,รายการที่จะ ได้รับการร้องขอ
 DocType: Company,Company Info,ข้อมูล บริษัท
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,เลือกหรือเพิ่มลูกค้าใหม่
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,เลือกหรือเพิ่มลูกค้าใหม่
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,ศูนย์ต้นทุนจะต้องสำรองการเรียกร้องค่าใช้จ่าย
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),การใช้ประโยชน์กองทุน (สินทรัพย์)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,นี้ขึ้นอยู่กับการเข้าร่วมของพนักงานนี้
-DocType: Assessment Result,Summary,สรุป
 DocType: Payment Request,Payment Request Type,ประเภทคำขอการชำระเงิน
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,ทำเครื่องหมายการเข้าร่วม
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,บัญชีเดบิต
@@ -6783,7 +6854,7 @@
 DocType: Additional Salary,Employee Name,ชื่อของพนักงาน
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,รายการรายการสั่งซื้อของร้านอาหาร
 DocType: Purchase Invoice,Rounded Total (Company Currency),รวมกลม (สกุลเงิน บริษัท )
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,ไม่สามารถแอบแฝงเข้ากลุ่มเพราะประเภทบัญชีถูกเลือก
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,ไม่สามารถแอบแฝงเข้ากลุ่มเพราะประเภทบัญชีถูกเลือก
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} ถูกแก้ไขแล้ว กรุณาโหลดใหม่อีกครั้ง
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,หยุดผู้ใช้จากการทำแอพพลิเคที่เดินทางในวันที่ดังต่อไปนี้
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",หากหมดอายุไม่ จำกัด สำหรับคะแนนความภักดีให้กำหนดระยะเวลาหมดอายุว่างหรือ 0
@@ -6804,11 +6875,12 @@
 DocType: Asset,Out of Order,ชำรุด
 DocType: Purchase Receipt Item,Accepted Quantity,จำนวนที่ยอมรับ
 DocType: Projects Settings,Ignore Workstation Time Overlap,ละเว้นเวิร์กสเตชัน Time Overlap
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},กรุณาตั้งค่าเริ่มต้นรายการวันหยุดสำหรับพนักงาน {0} หรือ บริษัท {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},กรุณาตั้งค่าเริ่มต้นรายการวันหยุดสำหรับพนักงาน {0} หรือ บริษัท {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: ไม่พบ {1}
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,เลือกเลขแบทช์
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,ไปที่ GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,ไปที่ GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ตั๋วเงินยกให้กับลูกค้า
+DocType: Healthcare Settings,Invoice Appointments Automatically,การนัดหมายใบแจ้งหนี้โดยอัตโนมัติ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id โครงการ
 DocType: Salary Component,Variable Based On Taxable Salary,ตัวแปรตามเงินเดือนที่ต้องเสียภาษี
 DocType: Company,Basic Component,ส่วนประกอบพื้นฐาน
@@ -6821,10 +6893,10 @@
 DocType: Stock Entry,Source Warehouse Address,ที่อยู่คลังสินค้าต้นทาง
 DocType: GL Entry,Voucher Type,ประเภทบัตรกำนัล
 DocType: Amazon MWS Settings,Max Retry Limit,ขีด จำกัด การเรียกซ้ำสูงสุด
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,ราคาไม่พบหรือคนพิการ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ราคาไม่พบหรือคนพิการ
 DocType: Student Applicant,Approved,ได้รับการอนุมัติ
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,ราคา
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',พนักงาน โล่งใจ ที่ {0} จะต้องตั้งค่า เป็น ' ซ้าย '
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',พนักงาน โล่งใจ ที่ {0} จะต้องตั้งค่า เป็น ' ซ้าย '
 DocType: Marketplace Settings,Last Sync On,ซิงค์ล่าสุดเปิด
 DocType: Guardian,Guardian,ผู้ปกครอง
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,การสื่อสารทั้งหมดที่รวมถึงประเด็นนี้จะถูกย้ายไปสู่ฉบับใหม่
@@ -6847,14 +6919,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,รายชื่อโรคที่ตรวจพบบนสนาม เมื่อเลือกมันจะเพิ่มรายการของงานเพื่อจัดการกับโรค
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,นี่คือหน่วยบริการด้านการดูแลสุขภาพรากและไม่สามารถแก้ไขได้
 DocType: Asset Repair,Repair Status,สถานะการซ่อมแซม
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,เพิ่มพันธมิตรการขาย
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,รายการบันทึกบัญชี
 DocType: Travel Request,Travel Request,คำขอท่องเที่ยว
 DocType: Delivery Note Item,Available Qty at From Warehouse,จำนวนที่จำหน่ายจากคลังสินค้า
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,กรุณาเลือกพนักงานบันทึกครั้งแรก
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,การเข้าร่วมไม่ได้ส่งสำหรับ {0} เนื่องจากเป็นวันหยุด
 DocType: POS Profile,Account for Change Amount,บัญชีเพื่อการเปลี่ยนแปลงจำนวน
+DocType: QuickBooks Migrator,Connecting to QuickBooks,การเชื่อมต่อกับ QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,รวมกำไร / ขาดทุน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,บริษัท ที่ไม่เกี่ยวข้องกับใบกำกับสินค้าของ บริษัท ระหว่าง
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,บริษัท ที่ไม่เกี่ยวข้องกับใบกำกับสินค้าของ บริษัท ระหว่าง
 DocType: Purchase Invoice,input service,บริการอินพุต
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},แถว {0}: ปาร์ตี้ / บัญชีไม่ตรงกับ {1} / {2} ใน {3} {4}
 DocType: Employee Promotion,Employee Promotion,การส่งเสริมพนักงาน
@@ -6863,12 +6937,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,รหัสรายวิชา:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,กรุณากรอกบัญชีค่าใช้จ่าย
 DocType: Account,Stock,คลังสินค้า
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อ, ซื้อใบแจ้งหนี้หรือวารสารรายการ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อ, ซื้อใบแจ้งหนี้หรือวารสารรายการ"
 DocType: Employee,Current Address,ที่อยู่ปัจจุบัน
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","หากรายการเป็นตัวแปรของรายการอื่นแล้วคำอธิบายภาพ, การกำหนดราคาภาษี ฯลฯ จะถูกตั้งค่าจากแม่นอกจากที่ระบุไว้อย่างชัดเจน"
 DocType: Serial No,Purchase / Manufacture Details,รายละเอียด การซื้อ / การผลิต
 DocType: Assessment Group,Assessment Group,กลุ่มประเมินผล
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,รุ่นที่สินค้าคงคลัง
+DocType: Supplier,GST Transporter ID,รหัสผู้ขนย้าย GST
 DocType: Procedure Prescription,Procedure Name,ชื่อขั้นตอน
 DocType: Employee,Contract End Date,วันที่สิ้นสุดสัญญา
 DocType: Amazon MWS Settings,Seller ID,รหัสผู้ขาย
@@ -6888,12 +6963,12 @@
 DocType: Company,Date of Incorporation,วันที่จดทะเบียน
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ภาษีทั้งหมด
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,ราคาซื้อครั้งสุดท้าย
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,สำหรับปริมาณ (ผลิตจำนวน) มีผลบังคับใช้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,สำหรับปริมาณ (ผลิตจำนวน) มีผลบังคับใช้
 DocType: Stock Entry,Default Target Warehouse,คลังสินค้าเป้าหมายเริ่มต้น
 DocType: Purchase Invoice,Net Total (Company Currency),รวมสุทธิ (สกุลเงิน บริษัท )
 DocType: Delivery Note,Air,อากาศ
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ปีวันที่สิ้นสุดไม่สามารถจะเร็วกว่าปีวันเริ่มต้น โปรดแก้ไขวันและลองอีกครั้ง
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ไม่อยู่ในรายการวันหยุดเสริม
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ไม่อยู่ในรายการวันหยุดเสริม
 DocType: Notification Control,Purchase Receipt Message,ซื้อใบเสร็จรับเงินข้อความ
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,รายการเศษ
@@ -6916,23 +6991,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,การบรรลุเป้าหมาย
 DocType: Purchase Taxes and Charges,On Previous Row Amount,เกี่ยวกับจำนวนเงินแถวก่อนหน้า
 DocType: Item,Has Expiry Date,มีวันหมดอายุ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,การโอนสินทรัพย์
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,การโอนสินทรัพย์
 DocType: POS Profile,POS Profile,รายละเอียด จุดขาย
 DocType: Training Event,Event Name,ชื่องาน
 DocType: Healthcare Practitioner,Phone (Office),โทรศัพท์ (สำนักงาน)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance",ไม่สามารถส่งพนักงานออกจากการเข้าร่วมประชุมได้
 DocType: Inpatient Record,Admission,การรับเข้า
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},การรับสมัครสำหรับ {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับงบประมาณการตั้งค่าเป้าหมาย ฯลฯ
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับงบประมาณการตั้งค่าเป้าหมาย ฯลฯ
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ชื่อตัวแปร
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",รายการ {0} เป็นแม่แบบโปรดเลือกหนึ่งในตัวแปรของมัน
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,กรุณาติดตั้ง System Employee Naming System ใน Human Resource&gt; HR Settings
+DocType: Purchase Invoice Item,Deferred Expense,ค่าใช้จ่ายรอตัดบัญชี
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},จากวันที่ {0} ต้องไม่ใช่วันที่พนักงานเข้าร่วมวันที่ {1}
 DocType: Asset,Asset Category,ประเภทสินทรัพย์
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,จ่ายสุทธิ ไม่สามารถ ลบ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,จ่ายสุทธิ ไม่สามารถ ลบ
 DocType: Purchase Order,Advance Paid,จ่ายล่วงหน้า
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,เปอร์เซ็นต์การผลิตเกินสำหรับใบสั่งขาย
 DocType: Item,Item Tax,ภาษีสินค้า
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,วัสดุในการจัดจำหน่าย
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,วัสดุในการจัดจำหน่าย
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,การวางแผนคำขอวัสดุ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,สรรพสามิตใบแจ้งหนี้
@@ -6954,11 +7031,11 @@
 DocType: Scheduling Tool,Scheduling Tool,เครื่องมือการตั้งเวลา
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,บัตรเครดิต
 DocType: BOM,Item to be manufactured or repacked,รายการที่จะผลิตหรือ repacked
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},ข้อผิดพลาดของไวยากรณ์อยู่ในสภาพ: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},ข้อผิดพลาดของไวยากรณ์อยู่ในสภาพ: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU ที่ FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,วิชาเอก / เสริม
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,โปรดตั้งกลุ่มผู้จัดจำหน่ายในการตั้งค่าการซื้อ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,โปรดตั้งกลุ่มผู้จัดจำหน่ายในการตั้งค่าการซื้อ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",จำนวนคอมโพเนนต์ประโยชน์ที่ยืดหยุ่น {0} ไม่ควรน้อยกว่าผลประโยชน์สูงสุด {1}
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,ที่ถูกระงับ
@@ -6978,7 +7055,7 @@
 DocType: Customer,Commission Rate,อัตราค่าคอมมิชชั่น
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,สร้างรายการการชำระเงินเรียบร้อยแล้ว
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,สร้าง {0} หน้าต่างสรุปสำหรับ {1} ระหว่าง:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,ทำให้ตัวแปร
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,ทำให้ตัวแปร
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",ประเภทการชำระเงินต้องเป็นหนึ่งในการรับชำระเงินและการโอนเงินภายใน
 DocType: Travel Itinerary,Preferred Area for Lodging,พื้นที่ที่ต้องการสำหรับที่พัก
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics
@@ -6989,7 +7066,7 @@
 DocType: Work Order,Actual Operating Cost,ต้นทุนการดำเนินงานที่เกิดขึ้นจริง
 DocType: Payment Entry,Cheque/Reference No,เช็ค / อ้างอิง
 DocType: Soil Texture,Clay Loam,ดินเหนียว
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,ราก ไม่สามารถแก้ไขได้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,ราก ไม่สามารถแก้ไขได้
 DocType: Item,Units of Measure,หน่วยวัด
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,เช่าในเมโทรซิตี้
 DocType: Supplier,Default Tax Withholding Config,การหักภาษี ณ ที่จ่ายเริ่มต้น
@@ -7007,21 +7084,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,หลังจากเสร็จสิ้นการชำระเงินเปลี่ยนเส้นทางผู้ใช้ไปยังหน้าเลือก
 DocType: Company,Existing Company,บริษัท ที่มีอยู่
 DocType: Healthcare Settings,Result Emailed,ผลการส่งอีเมล
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",หมวดหมู่ภาษีได้เปลี่ยนเป็น &quot;ยอดรวม&quot; แล้วเนื่องจากรายการทั้งหมดเป็นรายการที่ไม่ใช่สต็อค
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",หมวดหมู่ภาษีได้เปลี่ยนเป็น &quot;ยอดรวม&quot; แล้วเนื่องจากรายการทั้งหมดเป็นรายการที่ไม่ใช่สต็อค
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,ในวันที่ไม่สามารถเท่ากับหรือน้อยกว่าจากวันที่
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,ไม่มีอะไรเปลี่ยนแปลง
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,เลือกไฟล์ CSV
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,เลือกไฟล์ CSV
 DocType: Holiday List,Total Holidays,รวมวันหยุด
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,ไม่มีเทมเพลตอีเมลสำหรับจัดส่ง โปรดตั้งค่าในการตั้งค่าการจัดส่ง
 DocType: Student Leave Application,Mark as Present,มาร์คเป็นปัจจุบัน
 DocType: Supplier Scorecard,Indicator Color,สีตัวบ่งชี้
 DocType: Purchase Order,To Receive and Bill,การรับและบิล
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,แถว # {0}: คำแนะนำตามวันที่ไม่สามารถเป็นได้ก่อนวันที่ทำรายการ
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,แถว # {0}: คำแนะนำตามวันที่ไม่สามารถเป็นได้ก่อนวันที่ทำรายการ
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,แนะนำผลิตภัณฑ์
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,เลือก Serial No
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,เลือก Serial No
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,นักออกแบบ
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,ข้อตกลงและเงื่อนไขของแม่แบบ
 DocType: Serial No,Delivery Details,รายละเอียดการจัดส่งสินค้า
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},ศูนย์ต้นทุน ที่จะต้อง อยู่ในแถว {0} ในตาราง ภาษี สำหรับประเภท {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},ศูนย์ต้นทุน ที่จะต้อง อยู่ในแถว {0} ในตาราง ภาษี สำหรับประเภท {1}
 DocType: Program,Program Code,รหัสโปรแกรม
 DocType: Terms and Conditions,Terms and Conditions Help,ข้อตกลงและเงื่อนไขช่วยเหลือ
 ,Item-wise Purchase Register,สมัครสมาชิกสั่งซื้อสินค้าที่ชาญฉลาด
@@ -7034,15 +7112,16 @@
 DocType: Contract,Contract Terms,ข้อกำหนดในสัญญา
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ไม่แสดงสัญลักษณ์ใด ๆ เช่น ฯลฯ $ ต่อไปกับเงินสกุล
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},จำนวนเงินที่ได้รับประโยชน์สูงสุดของคอมโพเนนต์ {0} เกินกว่า {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(ครึ่งวัน)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(ครึ่งวัน)
 DocType: Payment Term,Credit Days,วันเครดิต
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,โปรดเลือกผู้ป่วยเพื่อรับการทดสอบ Lab
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,สร้างกลุ่มนักศึกษา
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,อนุญาตให้มีการถ่ายโอนสำหรับการผลิต
 DocType: Leave Type,Is Carry Forward,เป็น Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,รับสินค้า จาก BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,รับสินค้า จาก BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,นำวันเวลา
 DocType: Cash Flow Mapping,Is Income Tax Expense,เป็นค่าใช้จ่ายภาษีเงินได้
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,คำสั่งซื้อของคุณไม่ได้จัดส่ง!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},แถว # {0}: โพสต์วันที่ต้องเป็นเช่นเดียวกับวันที่ซื้อ {1} สินทรัพย์ {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ตรวจสอบว่านักเรียนอาศัยอยู่ที่ Hostel ของสถาบันหรือไม่
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,โปรดป้อนคำสั่งขายในตารางข้างต้น
@@ -7050,10 +7129,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,โอนสินทรัพย์จากที่หนึ่งไปยังอีกคลังสินค้า
 DocType: Vehicle,Petrol,เบนซิน
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),สิทธิประโยชน์ที่เหลือ (รายปี)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,สูตรการผลิต
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,สูตรการผลิต
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},แถว {0}: ประเภทพรรคและพรรคเป็นสิ่งจำเป็นสำหรับลูกหนี้ / เจ้าหนี้บัญชี {1}
 DocType: Employee,Leave Policy,ออกจากนโยบาย
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,ปรับปรุงรายการ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,ปรับปรุงรายการ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref วันที่สมัคร
 DocType: Employee,Reason for Leaving,เหตุผลที่ลาออก
 DocType: BOM Operation,Operating Cost(Company Currency),ต้นทุนการดำเนินงาน ( บริษัท สกุล)
@@ -7064,7 +7143,7 @@
 DocType: Department,Expense Approvers,ผู้อนุมัติค่าใช้จ่าย
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},แถว {0}: รายการเดบิตไม่สามารถเชื่อมโยงกับ {1}
 DocType: Journal Entry,Subscription Section,ส่วนการสมัครสมาชิก
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,บัญชี {0} ไม่อยู่
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,บัญชี {0} ไม่อยู่
 DocType: Training Event,Training Program,หลักสูตรการฝึกอบรม
 DocType: Account,Cash,เงินสด
 DocType: Employee,Short biography for website and other publications.,ชีวประวัติสั้นสำหรับเว็บไซต์และสิ่งพิมพ์อื่น ๆ
diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv
index d446da3..ebd508f 100644
--- a/erpnext/translations/tr.csv
+++ b/erpnext/translations/tr.csv
@@ -13,10 +13,11 @@
 DocType: Item,Customer Items,Müşteri Öğeler
 DocType: Project,Costing and Billing,Maliyet ve Faturalandırma
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},"Avans hesap para birimi, şirket para birimi {0} ile aynı olmalıdır."
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz
+DocType: QuickBooks Migrator,Token Endpoint,Token Bitiş Noktası
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz
 DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com için Öğe Yayınla
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Aktif İzin Dönemi bulunamıyor
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Aktif İzin Dönemi bulunamıyor
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Değerlendirme
 DocType: Item,Default Unit of Measure,Varsayılan Ölçü Birimi
 DocType: SMS Center,All Sales Partner Contact,Bütün Satış Ortağı İrtibatları
@@ -27,16 +28,16 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Şifre, API Anahtarı veya Shopify URL için eksik değer"
 DocType: Employee,Rented,Kiralanmış
 DocType: Employee,Rented,Kiralanmış
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Bütün hesaplar
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Bütün hesaplar
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Çalışan durumu Sola aktarılamıyor
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Durduruldu Üretim Sipariş iptal edilemez, iptal etmek için ilk önce unstop"
 DocType: Vehicle Service,Mileage,Kilometre
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Bu varlığı gerçekten hurda etmek istiyor musunuz?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Bu varlığı gerçekten hurda etmek istiyor musunuz?
 DocType: Drug Prescription,Update Schedule,Programı Güncelle
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Seç Varsayılan Tedarikçi
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Çalışanı Göster
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Yeni Döviz Kuru
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Döviz Fiyat Listesi için gereklidir {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Döviz Fiyat Listesi için gereklidir {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* İşlemde hesaplanacaktır.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Müşteri İletişim
@@ -46,8 +47,9 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Bu Bu Satıcıya karşı işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesini bakın
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,İş Emri İçin Aşırı Üretim Yüzdesi
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Yasal
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Yasal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Yasal
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Yasal
+DocType: Delivery Note,Transport Receipt Date,Taşıma Fişi Tarihi
 DocType: Shopify Settings,Sales Order Series,Satış Siparişi Serisi
 DocType: Vital Signs,Tongue,Dil
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -65,17 +67,17 @@
 DocType: Sales Invoice,Customer Name,Müşteri Adı
 DocType: Sales Invoice,Customer Name,Müşteri Adı
 DocType: Vehicle,Natural Gas,Doğal gaz
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Banka hesabı adı {0} olamaz
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Banka hesabı adı {0} olamaz
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,Maaş Yapısına Göre İHD
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kafaları (veya gruplar) kendisine karşı Muhasebe Girişler yapılır ve dengeler korunur.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),{0} için bekleyen sıfırdan az olamaz ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,"Hizmet Durdurma Tarihi, Hizmet Başlangıç Tarihi&#39;nden önce olamaz"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,"Hizmet Durdurma Tarihi, Hizmet Başlangıç Tarihi&#39;nden önce olamaz"
 DocType: Manufacturing Settings,Default 10 mins,10 dakika Standart
 DocType: Leave Type,Leave Type Name,İzin Tipi Adı
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Açık olanları göster
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Açık olanları göster
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Seri Başarıyla güncellendi
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Çıkış yapmak
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{1} satırında {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{1} satırında {0}
 DocType: Asset Finance Book,Depreciation Start Date,Amortisman Başlangıç Tarihi
 DocType: Pricing Rule,Apply On,Uygula
 DocType: Item Price,Multiple Item prices.,Çoklu Ürün fiyatları.
@@ -85,7 +87,7 @@
 DocType: Support Settings,Support Settings,Destek Ayarları
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Beklenen Bitiş Tarihi Beklenen Başlangıç Tarihinden daha az olamaz
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Ayarları
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Satır # {0}: Puan aynı olmalıdır {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Satır # {0}: Puan aynı olmalıdır {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Toplu Öğe Bitiş Durumu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Banka Havalesi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Banka poliçesi
@@ -117,7 +119,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Birincil İletişim Bilgileri
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Açık sorunlar
 DocType: Production Plan Item,Production Plan Item,Üretim Planı nesnesi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Kullanıcı {0} zaten Çalışan {1} e atanmış
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Kullanıcı {0} zaten Çalışan {1} e atanmış
 DocType: Lab Test Groups,Add new line,Yeni satır ekle
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Sağlık hizmeti
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Sağlık hizmeti
@@ -128,13 +130,12 @@
 DocType: Lab Prescription,Lab Prescription,Laboratuar Reçetesi
 ,Delay Days,Gecikme günleri
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,hizmet Gideri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},"Seri Numarası: {0}, Satış Faturasında zaten atıfta bulunuldu: {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},"Seri Numarası: {0}, Satış Faturasında zaten atıfta bulunuldu: {1}"
 DocType: Bank Statement Transaction Invoice Item,Invoice,Fatura
 DocType: Purchase Invoice Item,Item Weight Details,Öğe Ağırlık Ayrıntılar
 DocType: Asset Maintenance Log,Periodicity,Periyodik olarak tekrarlanma
 DocType: Asset Maintenance Log,Periodicity,Periyodik olarak tekrarlanma
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Mali yıl {0} gereklidir
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Tedarikçi&gt; Tedarikçi Grubu
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Optimum büyüme için bitki sıraları arasındaki minimum mesafe
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Savunma
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Savunma
@@ -158,11 +159,12 @@
 DocType: Daily Work Summary Group,Holiday List,Tatil Listesi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Muhasebeci
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Muhasebeci
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Satış Fiyatı Listesi
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Satış Fiyatı Listesi
 DocType: Patient,Tobacco Current Use,Tütün Mevcut Kullanımı
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Satış oranı
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Satış oranı
 DocType: Cost Center,Stock User,Hisse Senedi Kullanıcı
 DocType: Soil Analysis,(Ca+Mg)/K,"(Mg + Ca) / K,"
+DocType: Delivery Stop,Contact Information,İletişim bilgileri
 DocType: Company,Phone No,Telefon No
 DocType: Delivery Trip,Initial Email Notification Sent,Gönderilen İlk E-posta Bildirimi
 DocType: Bank Statement Settings,Statement Header Mapping,Deyim Üstbilgisi Eşlemesi
@@ -188,12 +190,11 @@
 DocType: Subscription,Subscription Start Date,Abonelik Başlangıç Tarihi
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Randevu masrafları için Hasta&#39;da ayarlanmadıysa kullanılacak varsayılan alacak hesapları.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Iki sütun, eski adı diğeri yeni isim biriyle .csv dosya eklemek"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Adres 2&#39;den
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Ürün Kodu&gt; Ürün Grubu&gt; Marka
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Adres 2&#39;den
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} Aktif mali dönem içinde değil.
 DocType: Packed Item,Parent Detail docname,Ana Detay belgesi adı
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referans: {0}, Ürün Kodu: {1} ve Müşteri: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} ana şirkette mevcut değil
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} ana şirkette mevcut değil
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Deneme Süresi Bitiş Tarihi Deneme Süresi Başlangıç Tarihinden önce olamaz
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kilogram
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kilogram
@@ -212,12 +213,12 @@
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Aynı şirket birden fazla girilir
 DocType: Patient,Married,Evli
 DocType: Patient,Married,Evli
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Izin verilmez {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Izin verilmez {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Öğeleri alın
 DocType: Price List,Price Not UOM Dependant,Fiyat UOM Bağımlı Değil
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Vergi Stopaj Tutarını Uygula
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stok İrsaliye {0} karşısı güncellenmez
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Kredili Toplam Tutar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stok İrsaliye {0} karşısı güncellenmez
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Kredili Toplam Tutar
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Ürün {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Listelenen öğe yok
 DocType: Asset Repair,Error Description,Hata tanımlaması
@@ -234,8 +235,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Özel Nakit Akışı Biçimini Kullan
 DocType: SMS Center,All Sales Person,Bütün Satıcılar
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,İşinizde sezonluk değişkenlik varsa **Aylık Dağılım** Bütçe/Hedef'i aylara dağıtmanıza yardımcı olur.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,ürün bulunamadı
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Maaş Yapısı Eksik
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,ürün bulunamadı
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Maaş Yapısı Eksik
 DocType: Lead,Person Name,Kişi Adı
 DocType: Sales Invoice Item,Sales Invoice Item,Satış Faturası Ürünü
 DocType: Account,Credit,Kredi
@@ -244,19 +245,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Stok Raporları
 DocType: Warehouse,Warehouse Detail,Depo Detayı
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Dönem Bitiş Tarihi sonradan terim bağlantılı olduğu için Akademik Yılı Yıl Sonu tarihi daha olamaz (Akademik Yılı {}). tarihleri düzeltmek ve tekrar deneyin.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","'Sabit Varlıktır' seçimi kaldırılamaz, çünkü Varlık kayıtları bulunuyor"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","'Sabit Varlıktır' seçimi kaldırılamaz, çünkü Varlık kayıtları bulunuyor"
 DocType: Delivery Trip,Departure Time,Hareket saati
 DocType: Vehicle Service,Brake Oil,Fren Yağı
 DocType: Tax Rule,Tax Type,Vergi Türü
 ,Completed Work Orders,Tamamlanmış İş Emri
 DocType: Support Settings,Forum Posts,Forum Mesajları
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Vergilendirilebilir Tutar
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Vergilendirilebilir Tutar
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},{0} dan önceki girdileri ekleme veya güncelleme yetkiniz yok
 DocType: Leave Policy,Leave Policy Details,İlke Ayrıntılarını Bırak
 DocType: BOM,Item Image (if not slideshow),Ürün Görüntü (yoksa slayt)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Saat Hızı / 60) * Gerçek Çalışma Süresi
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,"Sıra # {0}: Referans Belge Türü, Gider Talebi veya Günlük Girişi olmalıdır"
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,seç BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,"Sıra # {0}: Referans Belge Türü, Gider Talebi veya Günlük Girişi olmalıdır"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,seç BOM
 DocType: SMS Log,SMS Log,SMS Kayıtları
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Teslim Öğeler Maliyeti
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} üzerinde tatil Tarihten itibaren ve Tarihi arasında değil
@@ -265,16 +266,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Tedarikçi sıralamaları şablonları.
 DocType: Lead,Interested,İlgili
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Açılış
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Gönderen {0} için {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Gönderen {0} için {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Programı:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Vergiler ayarlanamadı.
 DocType: Item,Copy From Item Group,Ürün Grubundan kopyalayın
-DocType: Delivery Trip,Delivery Notification,Teslim bildirimi
 DocType: Journal Entry,Opening Entry,Açılış Girdisi
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Hesabı yalnızca öde
 DocType: Loan,Repay Over Number of Periods,Sürelerinin Üzeri sayısı Repay
 DocType: Stock Entry,Additional Costs,Ek maliyetler
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,İşlem görmüş hesaplar gruba dönüştürülemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,İşlem görmüş hesaplar gruba dönüştürülemez.
 DocType: Lead,Product Enquiry,Ürün Sorgulama
 DocType: Lead,Product Enquiry,Ürün Sorgulama
 DocType: Education Settings,Validate Batch for Students in Student Group,Öğrenci Topluluğundaki Öğrenciler İçin Toplu İşi Doğrula
@@ -283,7 +283,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Lütfen ilk önce şirketi girin
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,İlk Şirket seçiniz
 DocType: Employee Education,Under Graduate,Lisans
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Lütfen HR Ayarları&#39;nda Durum Bildirimi Bırakma için varsayılan şablonu ayarlayın.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Lütfen HR Ayarları&#39;nda Durum Bildirimi Bırakma için varsayılan şablonu ayarlayın.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Hedefi
 DocType: BOM,Total Cost,Toplam Maliyet
 DocType: BOM,Total Cost,Toplam Maliyet
@@ -298,7 +298,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Hesap Beyanı
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Ecza
 DocType: Purchase Invoice Item,Is Fixed Asset,Sabit Varlık
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Uygun miktar {0}, ihtiyacınız {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Uygun miktar {0}, ihtiyacınız {1}"
 DocType: Expense Claim Detail,Claim Amount,Hasar Tutarı
 DocType: Expense Claim Detail,Claim Amount,Hasar Tutarı
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
@@ -335,13 +335,13 @@
 DocType: BOM,Quality Inspection Template,Kalite Kontrol Şablonu
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Eğer yoklama güncellemek istiyor musunuz? <br> Mevcut: {0} \ <br> Yok: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Onaylanan ve reddedilen miktarların toplamı alınan ürün miktarına eşit olmak zorundadır. {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Onaylanan ve reddedilen miktarların toplamı alınan ürün miktarına eşit olmak zorundadır. {0}
 DocType: Item,Supply Raw Materials for Purchase,Tedarik Hammadde Satın Alma için
 DocType: Agriculture Analysis Criteria,Fertilizer,Gübre
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Serial No ile teslim edilemedi \ Item {0}, \ Serial No."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Ödeme en az bir mod POS fatura için gereklidir.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Ödeme en az bir mod POS fatura için gereklidir.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Banka ekstresi İşlem Fatura Öğesi
 DocType: Products Settings,Show Products as a List,Ürünlerine bir liste olarak
 DocType: Salary Detail,Tax on flexible benefit,Esnek fayda vergisi
@@ -352,7 +352,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Adet
 DocType: Production Plan,Material Request Detail,Malzeme İstek Ayrıntısı
 DocType: Selling Settings,Default Quotation Validity Days,Varsayılan Teklif Geçerlilik Günleri
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Satır {0} a vergi eklemek için  {1} satırlarındaki vergiler de dahil edilmelidir
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Satır {0} a vergi eklemek için  {1} satırlarındaki vergiler de dahil edilmelidir
 DocType: SMS Center,SMS Center,SMS Merkezi
 DocType: SMS Center,SMS Center,SMS Merkezi
 DocType: Payroll Entry,Validate Attendance,Katılımı Doğrula
@@ -360,7 +360,7 @@
 DocType: Party Tax Withholding Config,Certificate Received,Alınan Sertifika
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C için Fatura Değeri ayarlayın. Bu fatura değerine dayanarak B2CL ve B2CS hesaplanır.
 DocType: BOM Update Tool,New BOM,Yeni BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Öngörülen Prosedürler
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Öngörülen Prosedürler
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Sadece POS göster
 DocType: Supplier Group,Supplier Group Name,Tedarikçi Grubu Adı
 DocType: Driver,Driving License Categories,Sürücü Belgesi Kategorileri
@@ -377,7 +377,7 @@
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Çalışan Girişi Yap
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Yayın
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Yayın
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS&#39;un kurulum modu (Çevrimiçi / Çevrimdışı)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS&#39;un kurulum modu (Çevrimiçi / Çevrimdışı)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,İş Emirlerine karşı zaman kayıtlarının oluşturulmasını devre dışı bırakır. İş emrine karşı operasyonlar izlenmez
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Yerine Getirme
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Yerine Getirme
@@ -415,7 +415,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Fiyat Listesi Puan İndirim (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Öğe Şablonu
 DocType: Job Offer,Select Terms and Conditions,Şartlar ve Koşulları Seç
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,out Değeri
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,out Değeri
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Banka ekstresi ayar öğesi
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Ayarları
 DocType: Production Plan,Sales Orders,Satış Siparişleri
@@ -430,7 +430,7 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,tırnak talebi aşağıdaki linke tıklayarak ulaşabilirsiniz
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Oluşturma Aracı Kursu
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Ödeme Açıklaması
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Yetersiz Stok
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Yetersiz Stok
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Devre Dışı Bırak Kapasite Planlama ve Zaman Takip
 DocType: Email Digest,New Sales Orders,Yeni Satış Emirleri
 DocType: Bank Account,Bank Account,Banka Hesabı
@@ -438,14 +438,14 @@
 DocType: Travel Itinerary,Check-out Date,Tarihi kontrol et
 DocType: Leave Type,Allow Negative Balance,Negatif bakiyeye izin ver
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',&#39;Dış&#39; Proje Türünü silemezsiniz.
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Alternatif Öğe Seç
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Alternatif Öğe Seç
 DocType: Employee,Create User,Kullanıcı Oluştur
 DocType: Selling Settings,Default Territory,Standart Bölge
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televizyon
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televizyon
 DocType: Work Order Operation,Updated via 'Time Log','Zaman Log' aracılığıyla Güncelleme
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Müşteri veya tedarikçiyi seçin.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Peşin miktar daha büyük olamaz {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Peşin miktar daha büyük olamaz {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Zaman aralığı atlandı, {0} - {1} arasındaki yuva {2} çıkış yuvasına {3} uzanıyor"
 DocType: Naming Series,Series List for this Transaction,Bu İşlem için Seri Listesi
 DocType: Naming Series,Series List for this Transaction,Bu İşlem için Seri Listesi
@@ -467,7 +467,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Satış Fatura Kalemi karşılığı
 DocType: Agriculture Analysis Criteria,Linked Doctype,Bağlı Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Finansman Sağlanan Net Nakit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","YerelDepolama dolu, tasarruf etmedi"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","YerelDepolama dolu, tasarruf etmedi"
 DocType: Lead,Address & Contact,Adres ve İrtibat
 DocType: Leave Allocation,Add unused leaves from previous allocations,Önceki tahsisleri kullanılmayan yaprakları ekleyin
 DocType: Sales Partner,Partner website,Ortak web sitesi
@@ -490,10 +490,10 @@
 ,Open Work Orders,İş Emirlerini Aç
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Out Hasta Danışmanlık Ücreti Öğesi
 DocType: Payment Term,Credit Months,Kredi Ayları
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Net Ücret az 0 olamaz
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Net Ücret az 0 olamaz
 DocType: Contract,Fulfilled,Karşılanan
 DocType: Inpatient Record,Discharge Scheduled,Planlanan Deşarj
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Ayrılma tarihi Katılma tarihinden sonra olmalıdır
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Ayrılma tarihi Katılma tarihinden sonra olmalıdır
 DocType: POS Closing Voucher,Cashier,kasiyer
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Yıl başına bırakır
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Satır {0}: kontrol edin Hesabı karşı 'Advance mı' {1} Bu bir avans giriş ise.
@@ -505,8 +505,8 @@
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Komple İş
 DocType: Item Website Specification,Item Website Specification,Ürün Web Sitesi Özellikleri
 DocType: Item Website Specification,Item Website Specification,Ürün Web Sitesi Özellikleri
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,İzin engellendi
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Ürün {0} {1}de kullanım ömrünün sonuna gelmiştir.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,İzin engellendi
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Ürün {0} {1}de kullanım ömrünün sonuna gelmiştir.
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Banka Girişleri
 DocType: Customer,Is Internal Customer,İç Müşteri mi
 DocType: Crop,Annual,Yıllık
@@ -514,7 +514,7 @@
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Otomatik Yanıtlama seçeneği işaretliyse, müşteriler ilgili Bağlılık Programı ile otomatik olarak ilişkilendirilecektir (kaydetme sırasında)."
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stok Mutabakat Kalemi
 DocType: Stock Entry,Sales Invoice No,Satış Fatura No
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Tedarik türü
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Tedarik türü
 DocType: Material Request Item,Min Order Qty,Minimum sipariş miktarı
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Öğrenci Grubu Oluşturma Aracı Kursu
 DocType: Lead,Do Not Contact,İrtibata Geçmeyin
@@ -530,15 +530,15 @@
 DocType: Item,Publish in Hub,Hub Yayınla
 DocType: Student Admission,Student Admission,Öğrenci Kabulü
 ,Terretory,Bölge
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Ürün {0} iptal edildi
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Ürün {0} iptal edildi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Amortisman Satırı {0}: Amortisman Başlangıç Tarihi geçmiş olarak girildi
 DocType: Contract Template,Fulfilment Terms and Conditions,Yerine Getirme Koşulları ve Koşulları
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Malzeme Talebi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Malzeme Talebi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Malzeme Talebi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Malzeme Talebi
 DocType: Bank Reconciliation,Update Clearance Date,Güncelleme Alma Tarihi
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Satın alma Detayları
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Satın Alma Emri &#39;Hammadde Tedarik&#39; tablosunda bulunamadı Item {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Satın Alma Emri &#39;Hammadde Tedarik&#39; tablosunda bulunamadı Item {0} {1}
 DocType: Salary Slip,Total Principal Amount,Toplam Anapara Tutarı
 DocType: Student Guardian,Relation,İlişki
 DocType: Student Guardian,Mother,Anne
@@ -588,10 +588,11 @@
 DocType: Tax Rule,Shipping County,Kargo İlçe
 DocType: Currency Exchange,For Selling,Satmak için
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Öğrenin
+DocType: Purchase Invoice Item,Enable Deferred Expense,Ertelenmiş Gider&#39;i Etkinleştir
 DocType: Asset,Next Depreciation Date,Bir sonraki değer kaybı tarihi
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Çalışan başına Etkinlik Maliyeti
 DocType: Accounts Settings,Settings for Accounts,Hesaplar için Ayarlar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},"Tedarikçi Fatura Numarası, {0} nolu Satınalma Faturasında bulunuyor."
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},"Tedarikçi Fatura Numarası, {0} nolu Satınalma Faturasında bulunuyor."
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Satış Elemanı Ağacını Yönetin.
 DocType: Job Applicant,Cover Letter,Ön yazı
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Üstün Çekler ve temizlemek için Mevduat
@@ -606,7 +607,7 @@
 DocType: Employee,External Work History,Dış Çalışma Geçmişi
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Dairesel Referans Hatası
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Öğrenci Rapor Kartı
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Pin Kodundan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Pin Kodundan
 DocType: Appointment Type,Is Inpatient,Yatan hasta mı
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Adı
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Tutarın Yazılı Hali (İhracat) İrsaliyeyi kaydettiğinizde görünür olacaktır.
@@ -622,19 +623,20 @@
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fatura Türü
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fatura Türü
 DocType: Employee Benefit Claim,Expense Proof,Gider kanıtı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,İrsaliye
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},{0} kaydediliyor
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,İrsaliye
 DocType: Patient Encounter,Encounter Impression,Karşılaşma İzlenim
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Vergiler kurma
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Satılan Varlığın Maliyeti
 DocType: Volunteer,Morning,Sabah
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Bunu çekti sonra Ödeme Giriş modifiye edilmiştir. Tekrar çekin lütfen.
 DocType: Program Enrollment Tool,New Student Batch,Yeni Öğrenci Toplu İşi
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} iki kere ürün vergisi girildi
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Bu hafta ve bekleyen aktiviteler için Özet
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} iki kere ürün vergisi girildi
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Bu hafta ve bekleyen aktiviteler için Özet
 DocType: Student Applicant,Admitted,Başvuruldu
 DocType: Workstation,Rent Cost,Kira Bedeli
 DocType: Workstation,Rent Cost,Kira Bedeli
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Değer kaybı sonrası miktar
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Değer kaybı sonrası miktar
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Yaklaşan Takvim Olayları
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Varyant Nitelikler
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Ay ve yıl seçiniz
@@ -673,8 +675,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Sadece Şirket&#39;in başına 1 Hesap olabilir {0} {1}
 DocType: Support Search Source,Response Result Key Path,Yanıt Sonuç Anahtar Yolu
 DocType: Journal Entry,Inter Company Journal Entry,Inter Şirket Dergisi Giriş
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},{0} miktarı için {1} iş emri miktarından daha fazla olmamalıdır.
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Eke bakın
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},{0} miktarı için {1} iş emri miktarından daha fazla olmamalıdır.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Eke bakın
 DocType: Purchase Order,% Received,% Alındı
 DocType: Purchase Order,% Received,% Alındı
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Öğrenci Grupları Oluşturma
@@ -723,7 +725,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Toplam Üstün
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Varolan bir serinin başlangıç / geçerli sıra numarasını değiştirin.
 DocType: Dosage Strength,Strength,kuvvet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Yeni müşteri oluştur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Yeni müşteri oluştur
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Süresi doldu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Birden fazla fiyatlandırma Kuralo hakimse, kullanıcılardan zorunu çözmek için Önceliği elle ayarlamaları istenir"
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Satınalma Siparişleri oluşturun
@@ -736,19 +738,20 @@
 DocType: Purchase Receipt,Vehicle Date,Araç Tarihi
 DocType: Student Log,Medical,Tıbbi
 DocType: Student Log,Medical,Tıbbi
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Kaybetme nedeni
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Kaybetme nedeni
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Lütfen Uyuşturucu Seçiniz
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Kaybetme nedeni
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Kaybetme nedeni
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Lütfen Uyuşturucu Seçiniz
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Müşteri Aday Kaydı Sahibi Müşteri Adayı olamaz
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,"Ayrılmış miktar, ayarlanmamış miktardan büyük olamaz."
 DocType: Announcement,Receiver,Alıcı
 DocType: Location,Area UOM,Alan UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},İş İstasyonu Tatil List göre aşağıdaki tarihlerde kapalı: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Fırsatlar
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Fırsatlar
 DocType: Lab Test Template,Single,Tek
 DocType: Lab Test Template,Single,Bireysel
 DocType: Compensatory Leave Request,Work From Date,Tarihten Çalışma
 DocType: Salary Slip,Total Loan Repayment,Toplam Kredi Geri Ödeme
+DocType: Project User,View attachments,Ekleri görüntüle
 DocType: Account,Cost of Goods Sold,Satışların Maliyeti
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Maliyet Merkezi giriniz
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Maliyet Merkezi giriniz
@@ -761,7 +764,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Miktarı ve Oranı
 DocType: Delivery Note,% Installed,% Montajlanan
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Derslik / dersler planlanmış olabilir Laboratuvarlar vb.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Her iki şirketin şirket para birimleri Inter Şirket İşlemleri için eşleşmelidir.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Her iki şirketin şirket para birimleri Inter Şirket İşlemleri için eşleşmelidir.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Lütfen ilk önce şirket adını girin
 DocType: Travel Itinerary,Non-Vegetarian,Vejeteryan olmayan
 DocType: Purchase Invoice,Supplier Name,Tedarikçi Adı
@@ -772,7 +775,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Geçici Olarak Beklemede
 DocType: Account,Is Group,Is Grubu
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Kredi Notu {0} otomatik olarak oluşturuldu
-DocType: Email Digest,Pending Purchase Orders,Satınalma Siparişleri Bekleyen
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Otomatik olarak FIFO göre Nos Seri Set
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Benzersiz Tedarikçi Fatura Numarasını Kontrol Edin
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Birincil Adres Ayrıntıları
@@ -791,12 +793,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"E-postanın bir parçası olarak giden giriş metnini özelleştirin, her işlemin ayrı giriş metni vardır"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},{0} Satırı: {1} hammadde öğesine karşı işlem yapılması gerekiyor
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Lütfen {0} şirketi için varsayılan ödenebilir hesabı ayarlayın.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},İşlem durdurulmuş iş emrine karşı izin verilmiyor {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},İşlem durdurulmuş iş emrine karşı izin verilmiyor {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Sayısı
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Tüm üretim süreçleri için genel ayarlar.
 DocType: Accounts Settings,Accounts Frozen Upto,Dondurulmuş hesaplar
 DocType: SMS Log,Sent On,Gönderim Zamanı
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Özellik {0} Nitelikler Tablo birden çok kez seçilmiş
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Özellik {0} Nitelikler Tablo birden çok kez seçilmiş
 DocType: HR Settings,Employee record is created using selected field. ,Çalışan kaydı seçilen alan kullanılarak yapılmıştır
 DocType: Sales Order,Not Applicable,Uygulanamaz
 DocType: Sales Order,Not Applicable,Uygulanamaz
@@ -829,22 +831,23 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,{0} çalışanı {1} tarihinde {1} tarihinde zaten başvurdu:
 DocType: Inpatient Record,AB Positive,AB Pozitif
 DocType: Job Opening,Description of a Job Opening,İş Açılış Açıklaması
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Bugün için Bekleyen faaliyetler
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Bugün için Bekleyen faaliyetler
 DocType: Salary Structure,Salary Component for timesheet based payroll.,zaman çizelgesi tabanlı bordro için maaş Bileşeni.
+DocType: Driver,Applicable for external driver,Harici sürücü için geçerli
 DocType: Sales Order Item,Used for Production Plan,Üretim Planı için kullanılan
 DocType: Sales Order Item,Used for Production Plan,Üretim Planı için kullanılan
 DocType: Loan,Total Payment,Toplam ödeme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Tamamlanmış İş Emri için işlem iptal edilemez.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Tamamlanmış İş Emri için işlem iptal edilemez.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(Dakika içinde) Operasyonlar Arası Zaman
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,"PO, tüm satış siparişi öğeleri için zaten oluşturuldu"
 DocType: Healthcare Service Unit,Occupied,Meşgul
 DocType: Clinical Procedure,Consumables,Sarf
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} iptal edildi, bu nedenle eylem tamamlanamadı"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} iptal edildi, bu nedenle eylem tamamlanamadı"
 DocType: Customer,Buyer of Goods and Services.,Mal ve Hizmet Alıcı.
 DocType: Journal Entry,Accounts Payable,Vadesi gelmiş hesaplar
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Bu ödeme isteğinde belirlenen {0} tutarı, tüm ödeme planlarının hesaplanan tutarından farklı: {1}. Belgeyi göndermeden önce bunun doğru olduğundan emin olun."
 DocType: Patient,Allergies,Alerjiler
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Seçilen malzeme listeleri aynı madde için değildir
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Seçilen malzeme listeleri aynı madde için değildir
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Öğe Kodunu Değiştir
 DocType: Supplier Scorecard Standing,Notify Other,Diğerini bildir
 DocType: Vital Signs,Blood Pressure (systolic),Kan Basıncı (sistolik)
@@ -856,7 +859,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Yeter Parçaları Build
 DocType: POS Profile User,POS Profile User,POS Profil Kullanıcıları
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Satır {0}: Amortisman Başlangıç Tarihi gerekli
-DocType: Sales Invoice Item,Service Start Date,Servis Başlangıç Tarihi
+DocType: Purchase Invoice Item,Service Start Date,Servis Başlangıç Tarihi
 DocType: Subscription Invoice,Subscription Invoice,Abonelik Faturası
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Doğrudan Gelir
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Doğrudan Gelir
@@ -879,7 +882,7 @@
 DocType: Lab Test Template,Lab Routine,Laboratuar rutini
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Bakım ürünleri
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Tamamlanan Varlık Bakım Günlüğü için Tamamlanma Tarihi&#39;ni seçin
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Birleştirmek için, aşağıdaki özellikler her iki Ürün için de aynı olmalıdır"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Birleştirmek için, aşağıdaki özellikler her iki Ürün için de aynı olmalıdır"
 DocType: Supplier,Block Supplier,Tedarikçi
 DocType: Shipping Rule,Net Weight,Net Ağırlık
 DocType: Job Opening,Planned number of Positions,Planlanan Pozisyon Sayısı
@@ -903,7 +906,7 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Nakit Akışı Eşleme Şablonu
 DocType: Travel Request,Costing Details,Maliyet Ayrıntıları
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,İade Girişlerini Göster
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Seri hiçbir öğe bir kısmını olamaz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Seri hiçbir öğe bir kısmını olamaz
 DocType: Journal Entry,Difference (Dr - Cr),Fark (Dr - Cr)
 DocType: Journal Entry,Difference (Dr - Cr),Fark (Dr - Cr)
 DocType: Bank Guarantee,Providing,Sağlama
@@ -912,12 +915,14 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","İzin verilmediğinde, Lab Test Şablonunu gerektiği gibi yapılandırın"
 DocType: Patient,Risk Factors,Risk faktörleri
 DocType: Patient,Occupational Hazards and Environmental Factors,Mesleki Tehlikeler ve Çevresel Faktörler
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,İş Emri için önceden hazırlanmış Stok Girişleri
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,İş Emri için önceden hazırlanmış Stok Girişleri
 DocType: Vital Signs,Respiratory rate,Solunum hızı
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Yönetme Taşeronluk
 DocType: Vital Signs,Body Temperature,Vücut Sıcaklığı
 DocType: Project,Project will be accessible on the website to these users,Proje internet sitesinde şu kullanıcılar için erişilebilir olacak
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"{0} {1} tarihinde iptal edilemedi, çünkü Seri No {2} depoya {3} ait değil."
 DocType: Detected Disease,Disease,hastalık
+DocType: Company,Default Deferred Expense Account,Varsayılan Ertelenmiş Gider Hesabı
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Proje türünü tanımlayın.
 DocType: Supplier Scorecard,Weighting Function,Ağırlıklandırma İşlevi
 DocType: Healthcare Practitioner,OP Consulting Charge,OP Danışmanlık Ücreti
@@ -935,7 +940,7 @@
 DocType: Crop,Produced Items,Üretilen Ürünler
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,İşlemlerin Faturalara Eşleştirilmesi
 DocType: Sales Order Item,Gross Profit,Brüt Kar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Faturanın Engellenmesini Kaldır
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Faturanın Engellenmesini Kaldır
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Artım 0 olamaz
 DocType: Company,Delete Company Transactions,Şirket İşlemleri sil
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Referans No ve Referans Tarih Banka işlem için zorunludur
@@ -960,11 +965,11 @@
 DocType: Budget,Ignore,Yoksay
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} aktif değil
 DocType: Woocommerce Settings,Freight and Forwarding Account,Yük ve Nakliyat Hesabı
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Baskı için Kurulum onay boyutları
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Baskı için Kurulum onay boyutları
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Maaş Fişleri Oluştur
 DocType: Vital Signs,Bloated,şişmiş
 DocType: Salary Slip,Salary Slip Timesheet,Maaş Kayma Zaman Çizelgesi
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Alt Sözleşmeye bağlı Alım makbuzu için Tedarikçi deposu zorunludur
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Alt Sözleşmeye bağlı Alım makbuzu için Tedarikçi deposu zorunludur
 DocType: Item Price,Valid From,Itibaren geçerli
 DocType: Item Price,Valid From,Itibaren geçerli
 DocType: Sales Invoice,Total Commission,Toplam Komisyon
@@ -975,13 +980,13 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Tüm Tedarikçi puan kartları.
 DocType: Buying Settings,Purchase Receipt Required,Gerekli Satın alma makbuzu
 DocType: Delivery Note,Rail,Demiryolu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,"{0} satırındaki hedef depo, İş Emri ile aynı olmalıdır"
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Açılış Stok girdiyseniz Değerleme Oranı zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,"{0} satırındaki hedef depo, İş Emri ile aynı olmalıdır"
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Açılış Stok girdiyseniz Değerleme Oranı zorunludur
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Fatura tablosunda kayıt bulunamadı
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Fatura tablosunda kayıt bulunamadı
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,İlk Şirket ve Parti Tipi seçiniz
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","{1} kullanıcısı için {0} pos profilinde varsayılan olarak varsayılan değer ayarladınız, varsayılan olarak lütfen devre dışı bırakıldı"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Mali / Muhasebe yılı.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Mali / Muhasebe yılı.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Birikmiş Değerler
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Üzgünüz, seri numaraları birleştirilemiyor"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Müşteri Grubu, Shopify&#39;tan müşterileri senkronize ederken seçilen gruba ayarlanacak"
@@ -996,7 +1001,7 @@
 DocType: C-Form Invoice Detail,Grand Total,Genel Toplam
 DocType: C-Form Invoice Detail,Grand Total,Genel Toplam
 DocType: Assessment Plan,Course,kurs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Bölüm Kodu
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Bölüm Kodu
 DocType: Timesheet,Payslip,maaş bordrosu
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Yarım gün tarih ile bugünden itibaren arasında olmalıdır
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Ürün Sepeti
@@ -1006,7 +1011,8 @@
 DocType: Employee,Personal Bio,Kişisel biyo
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Üyelik Kimliği
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Teslim: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Teslim: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks’a bağlandı
 DocType: Bank Statement Transaction Entry,Payable Account,Ödenecek Hesap
 DocType: Payment Entry,Type of Payment,Ödeme Türü
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Yarım Gün Tarih zorunludur
@@ -1018,7 +1024,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Nakliye Faturası Tarihi
 DocType: Production Plan,Production Plan,Üretim planı
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Fatura Yaratma Aracını Açma
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Satış İade
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Satış İade
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Not: Toplam tahsis edilen yaprakları {0} zaten onaylanmış yaprakları daha az olmamalıdır {1} dönem için
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Seri No Girdisine Göre İşlemlerde Miktar Ayarla
 ,Total Stock Summary,Toplam Stok Özeti
@@ -1032,11 +1038,11 @@
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Müşteri veritabanı.
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Müşteri veritabanı.
 DocType: Quotation,Quotation To,Teklif Etmek
-DocType: Lead,Middle Income,Orta Gelir
-DocType: Lead,Middle Income,Orta Gelir
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Orta Gelir
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Orta Gelir
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Açılış (Cr)
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Açılış (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Zaten başka Ölçü Birimi bazı işlem (ler) yaptık çünkü Öğe için Ölçü Varsayılan Birim {0} doğrudan değiştirilemez. Farklı Standart Ölçü Birimi kullanmak için yeni bir öğe oluşturmanız gerekecektir.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Zaten başka Ölçü Birimi bazı işlem (ler) yaptık çünkü Öğe için Ölçü Varsayılan Birim {0} doğrudan değiştirilemez. Farklı Standart Ölçü Birimi kullanmak için yeni bir öğe oluşturmanız gerekecektir.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Atama yapılan miktar negatif olamaz
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Lütfen şirketi ayarlayın.
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Lütfen şirketi ayarlayın.
@@ -1054,7 +1060,7 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Seç Ödeme Hesabı Banka girişi yapmak için
 DocType: Hotel Settings,Default Invoice Naming Series,Varsayılan Fatura Adlandırma Dizisi
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Yaprakları, harcama talepleri ve bordro yönetmek için Çalışan kaydı oluşturma"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Güncelleme işlemi sırasında bir hata oluştu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Güncelleme işlemi sırasında bir hata oluştu
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant Rezervasyonu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Teklifi Yazma
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Teklifi Yazma
@@ -1062,8 +1068,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Sarma
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Müşterileri e-postayla bilgilendirin
 DocType: Item,Batch Number Series,Parti Numarası Serisi
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Başka Satış Kişi {0} aynı Çalışan kimliği ile var
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Başka Satış Kişi {0} aynı Çalışan kimliği ile var
 DocType: Employee Advance,Claimed Amount,İddia Edilen Tutar
+DocType: QuickBooks Migrator,Authorization Settings,Yetkilendirme Ayarları
 DocType: Travel Itinerary,Departure Datetime,Kalkış Datetime
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Seyahat Talebi Maliyeti
@@ -1106,8 +1113,8 @@
 DocType: Activity Type,Default Costing Rate,Standart Maliyetlendirme Oranı
 DocType: Maintenance Schedule,Maintenance Schedule,Bakım Programı
 DocType: Maintenance Schedule,Maintenance Schedule,Bakım Programı
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"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"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"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"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"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"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"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"
 DocType: Employee Promotion,Employee Promotion Details,Çalışan Tanıtım Detayları
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Envanter Net Değişim
 DocType: Employee,Passport Number,Pasaport Numarası
@@ -1116,20 +1123,23 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Yönetici
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Yönetici
 DocType: Payment Entry,Payment From / To,From / To Ödeme
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Mali Yıldan
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Yeni kredi limiti müşteri için geçerli kalan miktar daha azdır. Kredi limiti en az olmak zorundadır {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Lütfen deposunu {0} &#39;da hesaba koy
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Lütfen deposunu {0} &#39;da hesaba koy
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Dayalıdır' ve 'Grubundadır' aynı olamaz
 DocType: Sales Person,Sales Person Targets,Satış Personeli Hedefleri
 DocType: Work Order Operation,In minutes,Dakika içinde
 DocType: Issue,Resolution Date,Karar Tarihi
 DocType: Issue,Resolution Date,Karar Tarihi
 DocType: Lab Test Template,Compound,bileşik
+DocType: Opportunity,Probability (%),Olasılık (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Sevk Bildirimi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Emlak Seç
 DocType: Student Batch Name,Batch Name,Parti Adı
 DocType: Fee Validity,Max number of visit,Maks Ziyaret Sayısı
 ,Hotel Room Occupancy,Otel Odasının Kullanımı
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Mesai Kartı oluşturuldu:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},{0} Ödeme şeklinde varsayılan nakit veya banka hesabı ayarlayınız
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},{0} Ödeme şeklinde varsayılan nakit veya banka hesabı ayarlayınız
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,kaydetmek
 DocType: GST Settings,GST Settings,GST Ayarları
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},"Para birimi, Fiyat Listesi Para Birimi ile aynı olmalıdır: {0}"
@@ -1175,12 +1185,12 @@
 DocType: Loan,Total Interest Payable,Ödenecek Toplam Faiz
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Indi Maliyet Vergiler ve Ücretler
 DocType: Work Order Operation,Actual Start Time,Gerçek Başlangıç Zamanı
+DocType: Purchase Invoice Item,Deferred Expense Account,Ertelenmiş Gider Hesabı
 DocType: BOM Operation,Operation Time,Çalışma Süresi
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Bitiş
 DocType: Salary Structure Assignment,Base,baz
 DocType: Timesheet,Total Billed Hours,Toplam Faturalı Saat
 DocType: Travel Itinerary,Travel To,Seyahat
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,değil
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Şüpheli Alacak Miktarı
 DocType: Leave Block List Allow,Allow User,Kullanıcıya izin ver
 DocType: Journal Entry,Bill No,Fatura No
@@ -1200,9 +1210,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Mesai Kartı
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Hammaddeleri Dayalı
 DocType: Sales Invoice,Port Code,Liman Kodu
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Depo Deposu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Depo Deposu
 DocType: Lead,Lead is an Organization,Kurşun bir Teşkilattır
-DocType: Guardian Interest,Interest,Faiz
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Ön satış
 DocType: Instructor Log,Other Details,Diğer Detaylar
 DocType: Instructor Log,Other Details,Diğer Detaylar
@@ -1214,8 +1223,8 @@
 DocType: Account,Accounts,Hesaplar
 DocType: Vehicle,Odometer Value (Last),Sayaç Değeri (Son)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Tedarikçi puan kartı kriterlerinin şablonları.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Pazarlama
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Pazarlama
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Pazarlama
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Pazarlama
 DocType: Sales Invoice,Redeem Loyalty Points,Bağlılık Puanlarını Kullan
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Ödeme giriş zaten yaratılır
 DocType: Request for Quotation,Get Suppliers,Tedarikçiler Al
@@ -1233,17 +1242,15 @@
 DocType: Crop,Crop Spacing UOM,Kırpma Aralığı UOM
 DocType: Loyalty Program,Single Tier Program,Tek Katmanlı Program
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Yalnızca nakit Akış Eşleştiricisi belgelerinizi kurduysanız seçin
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Adres 1&#39;den
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Adres 1&#39;den
 DocType: Email Digest,Next email will be sent on:,Sonraki e-posta gönderilecek:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master","Aşağıdaki öğe {item} {fiil}, {message} item olarak işaretlendi. Bu öğeleri, Item ana öğesinden {message} öğe olarak etkinleştirebilirsiniz"
 DocType: Supplier Scorecard,Per Week,Haftada
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Öğe varyantları vardır.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Öğe varyantları vardır.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Toplam Öğrenci
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Ürün {0} bulunamadı
 DocType: Bin,Stock Value,Stok Değeri
 DocType: Bin,Stock Value,Stok Değeri
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Şirket {0} yok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Şirket {0} yok
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},"{0}, {1} yılına kadar ücret geçerliliğine sahiptir."
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Ağaç Tipi
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Birim Başına Tüketilen Miktar
@@ -1261,7 +1268,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Kredi Kartı Girişi
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Şirket ve Hesaplar
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Değer
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Değer
 DocType: Asset Settings,Depreciation Options,Amortisman Seçenekleri
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Yer veya çalışan gerekli olmalıdır
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Geçersiz Gönderme Süresi
@@ -1280,21 +1287,22 @@
 DocType: Purchase Order,Supply Raw Materials,Tedarik Hammaddeler
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Mevcut Varlıklar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Mevcut Varlıklar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} bir stok ürünü değildir.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} bir stok ürünü değildir.
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Eğitime geribildiriminizi &#39;Eğitim Geri Bildirimi&#39; ve ardından &#39;Yeni&#39;
 DocType: Mode of Payment Account,Default Account,Varsayılan Hesap
 DocType: Mode of Payment Account,Default Account,Varsayılan Hesap
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,"Lütfen önce Stok Ayarlarında Numune Alma Deposu&#39;nu seçin,"
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,"Lütfen önce Stok Ayarlarında Numune Alma Deposu&#39;nu seçin,"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Birden fazla koleksiyon kuralları için lütfen Birden Çok Katmanlı Program türü seçin.
 DocType: Payment Entry,Received Amount (Company Currency),Alınan Tutar (Şirket Para Birimi)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Talepten fırsat oluşturuldu ise talep ayarlanmalıdır
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Ödeme iptal edildi. Daha fazla bilgi için lütfen GoCardless Hesabınızı kontrol edin
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Ek ile Gönder
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Haftalık izin gününü seçiniz
 DocType: Inpatient Record,O Negative,O Negatif
 DocType: Work Order Operation,Planned End Time,Planlanan Bitiş Zamanı
 ,Sales Person Target Variance Item Group-Wise,Satış Personeli Hedef Varyans Ürün Grup Bilgisi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,İşlem görmüş hesaplar muhasebe defterine dönüştürülemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,İşlem görmüş hesaplar muhasebe defterine dönüştürülemez.
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership Türü Ayrıntılar
 DocType: Delivery Note,Customer's Purchase Order No,Müşterinin Sipariş numarası
 DocType: Clinical Procedure,Consume Stock,Stok tüketmek
@@ -1309,27 +1317,27 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Enerji
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Enerji
 DocType: Opportunity,Opportunity From,Fırsattan itibaren
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} Satırı: {1} {2} Numarası için seri numarası gerekli. {3} adresini verdiniz.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} Satırı: {1} {2} Numarası için seri numarası gerekli. {3} adresini verdiniz.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Lütfen bir tablo seçin
 DocType: BOM,Website Specifications,Web Sitesi Özellikleri
 DocType: Special Test Items,Particulars,Ayrıntılar
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: gönderen {0} çeşidi {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Satır {0}: Dönüşüm katsayısı zorunludur
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Satır {0}: Dönüşüm katsayısı zorunludur
 DocType: Student,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Çoklu Fiyat Kuralları aynı kriterler ile var, öncelik atayarak çatışma çözmek lütfen. Fiyat Kuralları: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Çoklu Fiyat Kuralları aynı kriterler ile var, öncelik atayarak çatışma çözmek lütfen. Fiyat Kuralları: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Döviz Kuru Yeniden Değerleme Hesabı
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Devre dışı bırakmak veya diğer ürün ağaçları ile bağlantılı olarak BOM iptal edilemiyor
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Devre dışı bırakmak veya diğer ürün ağaçları ile bağlantılı olarak BOM iptal edilemiyor
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Giriş almak için lütfen Şirket ve Gönderme Tarihi&#39;ni seçin.
 DocType: Asset,Maintenance,Bakım
 DocType: Asset,Maintenance,Bakım
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Hasta Envanterinden Alın
 DocType: Subscriber,Subscriber,Abone
 DocType: Item Attribute Value,Item Attribute Value,Ürün Özellik Değeri
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Lütfen Proje Durumunuzu Güncelleyin
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Lütfen Proje Durumunuzu Güncelleyin
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Döviz Alış Alış veya Satış için geçerli olmalıdır.
 DocType: Item,Maximum sample quantity that can be retained,Tutulabilen maksimum numune miktarı
 DocType: Project Update,How is the Project Progressing Right Now?,Proje şu anda nasıl ilerliyor?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},"{0} Satırı # Ürün {1}, Satın Alma Siparişi {3} &#39;den {2}&#39; den fazla transfer edilemiyor"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},"{0} Satırı # Ürün {1}, Satın Alma Siparişi {3} &#39;den {2}&#39; den fazla transfer edilemiyor"
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Satış kampanyaları.
 DocType: Project Task,Make Timesheet,Zaman Çizelgesi olun
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1377,39 +1385,40 @@
 DocType: Lab Test,Lab Test,Laboratuvar testi
 DocType: Student Report Generation Tool,Student Report Generation Tool,Öğrenci Raporu Oluşturma Aracı
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Sağlık Programı Zaman Aralığı
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doküman adı
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doküman adı
 DocType: Expense Claim Detail,Expense Claim Type,Gideri Talebi Türü
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Alışveriş Sepeti Varsayılan ayarları
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Timeslots ekle
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},"Varlık, Kayıt Girdisi {0} ile hurda edildi"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},"Varlık, Kayıt Girdisi {0} ile hurda edildi"
 DocType: Loan,Interest Income Account,Faiz Gelir Hesabı
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Maksimum faydalar, faydaları dağıtmak için sıfırdan büyük olmalıdır"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Maksimum faydalar, faydaları dağıtmak için sıfırdan büyük olmalıdır"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Gönderilen Davetiyeyi İnceleme
 DocType: Shift Assignment,Shift Assignment,Vardiya Atama
 DocType: Employee Transfer Property,Employee Transfer Property,Çalışan Transfer Mülkiyeti
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Zaman Zamandan Daha Az Olmalı
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biyoteknoloji
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biyoteknoloji
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.","{0} öğesi (Seri No: {1}), Satış Siparişi {2} &#39;ni doldurmak için reserverd \ olduğu gibi tüketilemez."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Ofis Bakım Giderleri
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Gidin
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ERPNext Fiyat Listesinden Shopify&#39;a Güncelleme Fiyatı
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,E-posta Hesabı Oluşturma
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Ürün Kodu girin
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,İhtiyaç Analizi
 DocType: Asset Repair,Downtime,Kesinti
 DocType: Account,Liability,Borç
 DocType: Account,Liability,Borç
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Yaptırıma Tutar Satır talep miktarı daha büyük olamaz {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Yaptırıma Tutar Satır talep miktarı daha büyük olamaz {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademik Dönem:
 DocType: Salary Component,Do not include in total,Toplamda yer almama
 DocType: Company,Default Cost of Goods Sold Account,Ürünler Satılan Hesabı Varsayılan Maliyeti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},"Örnek miktarı {0}, alınan miktardan {1} fazla olamaz."
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Fiyat Listesi seçilmemiş
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},"Örnek miktarı {0}, alınan miktardan {1} fazla olamaz."
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Fiyat Listesi seçilmemiş
 DocType: Employee,Family Background,Aile Geçmişi
 DocType: Request for Quotation Supplier,Send Email,E-posta Gönder
 DocType: Request for Quotation Supplier,Send Email,E-posta Gönder
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Uyarı: Geçersiz Eklenti {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Uyarı: Geçersiz Eklenti {0}
 DocType: Item,Max Sample Quantity,Maksimum Numune Miktarı
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,İzin yok
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Sözleşme Yerine Getirilmesi Kontrol Listesi
@@ -1443,16 +1452,16 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Maliyet Merkezi {2} Şirket&#39;e ait olmayan {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Mektup başınızı yükleyin (900px x 100px gibi web dostu tutun)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Hesap {2} Grup olamaz
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Ürün Satır {idx}: {doctype} {docname} Yukarıdaki mevcut değildir &#39;{doctype}&#39; tablosu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Mesai Kartı {0} tamamlanmış veya iptal edilmiş
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Mesai Kartı {0} tamamlanmış veya iptal edilmiş
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,görev yok
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Satış faturası {0} ödenmiş olarak oluşturuldu
 DocType: Item Variant Settings,Copy Fields to Variant,Alanları Varyanta Kopyala
 DocType: Asset,Opening Accumulated Depreciation,Birikmiş Amortisman Açılış
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Skor 5'ten az veya eşit olmalıdır
 DocType: Program Enrollment Tool,Program Enrollment Tool,Programı Kaydı Aracı
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form kayıtları
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-Form kayıtları
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form kayıtları
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-Form kayıtları
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Paylar zaten var
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Müşteri ve Tedarikçi
 DocType: Email Digest,Email Digest Settings,E-Mail Bülteni ayarları
@@ -1465,12 +1474,12 @@
 DocType: Production Plan,Select Items,Ürünleri Seçin
 DocType: Share Transfer,To Shareholder,Hissedarya
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} Bill karşı {1} tarihli {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Devletten
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Devletten
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Kurulum kurumu
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Yaprakları tahsis ...
 DocType: Program Enrollment,Vehicle/Bus Number,Araç / Otobüs Numarası
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kurs programı
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Bordro Döneminin Son Maaş Kaydında Bulunmayan Vergi Muafiyet Belgesi ve Sahip Olulmamış \ Çalışanlara Sağlanan Faydalar için Vergi İndirimi Yapmalısınız
 DocType: Request for Quotation Supplier,Quote Status,Alıntı Durumu
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Sırrı
@@ -1498,13 +1507,13 @@
 DocType: Sales Invoice,Payment Due Date,Son Ödeme Tarihi
 DocType: Drug Prescription,Interval UOM,Aralık UOM&#39;sı
 DocType: Customer,"Reselect, if the chosen address is edited after save",Seçilen adres kaydedildikten sonra değiştirilirse yeniden seç
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Öğe Variant {0} zaten aynı özelliklere sahip bulunmaktadır
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Öğe Variant {0} zaten aynı özelliklere sahip bulunmaktadır
 DocType: Item,Hub Publishing Details,Hub Yayınlama Ayrıntıları
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&#39;Açılış&#39;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&#39;Açılış&#39;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,To Do Aç
 DocType: Issue,Via Customer Portal,Müşteri Portalı üzerinden
 DocType: Notification Control,Delivery Note Message,İrsaliye Mesajı
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST Tutarı
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST Tutarı
 DocType: Lab Test Template,Result Format,Sonuç Biçimi
 DocType: Expense Claim,Expenses,Giderler
 DocType: Expense Claim,Expenses,Giderler
@@ -1513,16 +1522,14 @@
 DocType: Payroll Entry,Bimonthly,İki ayda bir
 DocType: Vehicle Service,Brake Pad,Fren pedalı
 DocType: Fertilizer,Fertilizer Contents,Gübre İçeriği
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Araştırma ve Geliştirme
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Araştırma ve Geliştirme
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Araştırma ve Geliştirme
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Araştırma ve Geliştirme
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Faturalanacak Tutar
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Başlangıç tarihi ve bitiş tarihi, iş kartı <a href=""#Form/Job Card/{0}"">{1}</a> ile çakışıyor"
 DocType: Company,Registration Details,Kayıt Detayları
 DocType: Company,Registration Details,Kayıt Detayları
 DocType: Timesheet,Total Billed Amount,Toplam Faturalı Tutar
 DocType: Item Reorder,Re-Order Qty,Yeniden sipariş Adet
 DocType: Leave Block List Date,Leave Block List Date,İzin engel listesi tarihi
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Lütfen Eğitimde Eğitmen Adlandırma Sistemi&gt; Eğitim Ayarları&#39;nı kurun
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,Ürün ağacı #{0}: Hammadde ana madde ile aynı olamaz
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Satın Alma Makbuzu Öğeler tablosundaki toplam Uygulanabilir Masraflar Toplam Vergi ve Masraflar aynı olmalıdır
 DocType: Sales Team,Incentives,Teşvikler
@@ -1537,7 +1544,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Satış Noktası
 DocType: Fee Schedule,Fee Creation Status,Ücret Oluşturma Durumu
 DocType: Vehicle Log,Odometer Reading,Kilometre sayacı okuma
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Bakiye alacaklı durumdaysa borçlu duruma çevrilemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Bakiye alacaklı durumdaysa borçlu duruma çevrilemez.
 DocType: Account,Balance must be,Bakiye şu olmalıdır
 DocType: Notification Control,Expense Claim Rejected Message,Gider Talebi Reddedildi Mesajı
 ,Available Qty,Mevcut Adet
@@ -1550,7 +1557,7 @@
 DocType: Delivery Trip,Delivery Stops,Teslimat Durakları
 DocType: Salary Slip,Working Days,Çalışma Günleri
 DocType: Salary Slip,Working Days,Çalışma Günleri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},{0} numaralı satırdaki öğe için Hizmet Durdurma Tarihi değiştirilemez
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},{0} numaralı satırdaki öğe için Hizmet Durdurma Tarihi değiştirilemez
 DocType: Serial No,Incoming Rate,Gelen Oranı
 DocType: Packing Slip,Gross Weight,Brüt Ağırlık
 DocType: Packing Slip,Gross Weight,Brüt Ağırlık
@@ -1571,31 +1578,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimum Oturma
 DocType: Item Attribute,Item Attribute Values,Ürün Özellik Değerler
 DocType: Examination Result,Examination Result,Sınav Sonucu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Satın Alma İrsaliyesi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Satın Alma İrsaliyesi
 ,Received Items To Be Billed,Faturalanacak  Alınan Malzemeler
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Ana Döviz Kuru.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Ana Döviz Kuru.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Referans Doctype biri olmalı {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Toplam Sıfır Miktar Filtresi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Çalışma için bir sonraki {0} günlerde Zaman Slot bulamayan {1}
 DocType: Work Order,Plan material for sub-assemblies,Alt-montajlar Plan malzeme
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Satış Ortakları ve Bölge
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Ürün Ağacı {0} aktif olmalıdır
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Ürün Ağacı {0} aktif olmalıdır
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Hayır Öğeler transfer için kullanılabilir
 DocType: Employee Boarding Activity,Activity Name,Etkinlik adı
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Yayın Tarihi Değiştir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Bitmiş ürün miktarı <b>{0}</b> ve Miktar <b>{1}</b> için farklı olamaz
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Yayın Tarihi Değiştir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Bitmiş ürün miktarı <b>{0}</b> ve Miktar <b>{1}</b> için farklı olamaz
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Kapanış (Açılış + Toplam)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Ürün Kodu&gt; Ürün Grubu&gt; Marka
+DocType: Delivery Settings,Dispatch Notification Attachment,Sevk Bildirimi Eki
 DocType: Payroll Entry,Number Of Employees,Çalışan Sayısı
 DocType: Journal Entry,Depreciation Entry,Amortisman kayıt
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Önce belge türünü seçiniz
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Önce belge türünü seçiniz
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Bu Bakım Ziyaretini iptal etmeden önce Malzeme Ziyareti {0} iptal edin
 DocType: Pricing Rule,Rate or Discount,Oran veya İndirim
 DocType: Vital Signs,One Sided,Tek taraflı
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Seri No {0} Ürün {1} e ait değil
 DocType: Purchase Receipt Item Supplied,Required Qty,Gerekli Adet
 DocType: Marketplace Settings,Custom Data,Özel veri
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Mevcut işlem ile depolar defterine dönüştürülür edilemez.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},{0} öğesi için seri no zorunludur
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Mevcut işlem ile depolar defterine dönüştürülür edilemez.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},{0} öğesi için seri no zorunludur
 DocType: Bank Reconciliation,Total Amount,Toplam Tutar
 DocType: Bank Reconciliation,Total Amount,Toplam Tutar
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Tarihten ve Tarihe kadar farklı Mali Yılda yalan
@@ -1607,9 +1616,9 @@
 DocType: Soil Texture,Clay Composition (%),Kil Kompozisyonu (%)
 DocType: Item Group,Item Group Defaults,Öğe Grubu Varsayılanları
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Görev atamadan önce lütfen kaydedin.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Denge Değeri
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Denge Değeri
 DocType: Lab Test,Lab Technician,Laboratuvar teknisyeni
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Satış Fiyat Listesi
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Satış Fiyat Listesi
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","İşaretlenirse, Hasta ile eşleştirilen bir müşteri oluşturulur. Bu Müşteri&#39;ye karşı hasta faturaları oluşturulacaktır. Hasta oluşturulurken mevcut Müşteri&#39;yi seçebilirsiniz."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Müşteri herhangi bir Bağlılık Programına kayıtlı değil
@@ -1625,15 +1634,15 @@
 DocType: Item Barcode,Item Barcode,Ürün Barkodu
 DocType: Item Barcode,Item Barcode,Ürün Barkodu
 DocType: Woocommerce Settings,Endpoints,Endpoints
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Öğe Türevleri {0} güncellendi
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Öğe Türevleri {0} güncellendi
 DocType: Quality Inspection Reading,Reading 6,6 Okuma
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,değil {0} {1} {2} olmadan herhangi bir olumsuz ödenmemiş fatura Can
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,değil {0} {1} {2} olmadan herhangi bir olumsuz ödenmemiş fatura Can
 DocType: Share Transfer,From Folio No,Folio No&#39;dan
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Fatura peşin alım
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Satır {0}: Kredi giriş ile bağlantılı edilemez bir {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Bir mali yıl için bütçeyi tanımlayın.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Bir mali yıl için bütçeyi tanımlayın.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext Hesabı
-apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} engellendi, bu işlem devam edemiyor"
+apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} engellendi, bu işleme devam edilemiyor"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,MR Üzerinde Birikmiş Aylık Bütçe Aşıldıysa Eylem
 DocType: Employee,Permanent Address Is,Kalıcı Adres
 DocType: Work Order Operation,Operation completed for how many finished goods?,Operasyon kaç mamul tamamlandı?
@@ -1648,7 +1657,7 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Alış Faturası
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Bir İş Emrine karşı birden fazla Malzeme Tüketimine İzin Verme
 DocType: GL Entry,Voucher Detail No,Föy Detay no
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Yeni Satış Faturası
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Yeni Satış Faturası
 DocType: Stock Entry,Total Outgoing Value,Toplam Giden Değeri
 DocType: Healthcare Practitioner,Appointments,randevular
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Tarih ve Kapanış Tarihi Açılış aynı Mali Yılı içinde olmalıdır
@@ -1656,12 +1665,12 @@
 DocType: Lead,Request for Information,Bilgi İsteği
 ,LeaderBoard,Liderler Sıralaması
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Marjla Oran (Şirket Para Birimi)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar
 DocType: Payment Request,Paid,Ücretli
 DocType: Program Fee,Program Fee,Program Ücreti
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Kullanılan diğer BOM&#39;larda belirli bir BOM&#39;u değiştirin. Eski BOM bağlantısının yerini alacak, maliyeti güncelleyecek ve &quot;BOM Patlama Maddesi&quot; tablosunu yeni BOM&#39;ya göre yenileyecektir. Ayrıca tüm BOM&#39;larda en son fiyatı günceller."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Aşağıdaki İş Emirleri oluşturuldu:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Aşağıdaki İş Emirleri oluşturuldu:
 DocType: Salary Slip,Total in words,Sözlü Toplam
 DocType: Inpatient Record,Discharged,taburcu
 DocType: Material Request Item,Lead Time Date,Teslim Zamanı Tarihi
@@ -1672,16 +1681,16 @@
 DocType: Support Settings,Get Started Sections,Başlarken Bölümleri
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-KURŞUN-.YYYY.-
 DocType: Loan,Sanctioned,onaylanmış
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,zorunludur. Döviz kur kayıdının yaratılamadığı hesap
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Satır # {0}: Ürün{1} için seri no belirtiniz
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Toplam Katkı Payı: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Satır # {0}: Ürün{1} için seri no belirtiniz
 DocType: Payroll Entry,Salary Slips Submitted,Maaş Fişleri Gönderildi
 DocType: Crop Cycle,Crop Cycle,Mahsul Çevrimi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;Ürün Bundle&#39; öğeler, Depo, Seri No ve Toplu No &#39;Ambalaj Listesi&#39; tablodan kabul edilecektir. Depo ve Toplu Hayır herhangi bir &#39;Ürün Bundle&#39; öğe için tüm ambalaj öğeler için aynı ise, bu değerler ana Öğe tabloda girilebilir, değerler tablosu &#39;Listesi Ambalaj&#39; kopyalanacaktır."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&#39;Ürün Bundle&#39; öğeler, Depo, Seri No ve Toplu No &#39;Ambalaj Listesi&#39; tablodan kabul edilecektir. Depo ve Toplu Hayır herhangi bir &#39;Ürün Bundle&#39; öğe için tüm ambalaj öğeler için aynı ise, bu değerler ana Öğe tabloda girilebilir, değerler tablosu &#39;Listesi Ambalaj&#39; kopyalanacaktır."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Yerden
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Ödeme negatif olamaz
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Yerden
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Ödeme negatif olamaz
 DocType: Student Admission,Publish on website,Web sitesinde yayımlamak
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,"Tedarikçi Fatura Tarihi, postalama tarihinden büyük olamaz"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,"Tedarikçi Fatura Tarihi, postalama tarihinden büyük olamaz"
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,İptal Tarihi
 DocType: Purchase Invoice Item,Purchase Order Item,Satınalma Siparişi Ürünleri
@@ -1691,7 +1700,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Öğrenci Devam Aracı
 DocType: Restaurant Menu,Price List (Auto created),Fiyat Listesi (Otomatik oluşturuldu)
 DocType: Cheque Print Template,Date Settings,Tarih Ayarları
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varyans
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varyans
 DocType: Employee Promotion,Employee Promotion Detail,Çalışan Promosyonu Detayı
 ,Company Name,Firma Adı
 ,Company Name,Firma Adı
@@ -1725,7 +1734,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Çalışanların Doğumgünü Hatırlatmalarını gönderme
 DocType: Expense Claim,Total Advance Amount,Toplam Avans Tutarı
 DocType: Delivery Stop,Estimated Arrival,tahmini varış
-DocType: Delivery Stop,Notified by Email,E-posta ile bildirilir
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Tüm Makaleleri Gör
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Rezervasyonsuz Müşteri
 DocType: Item,Inspection Criteria,Muayene Kriterleri
@@ -1735,23 +1743,22 @@
 DocType: Timesheet Detail,Bill,Fatura
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Beyaz
 DocType: SMS Center,All Lead (Open),Bütün Müşteri Adayları (Açık)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Satır {0}: için Adet mevcut değil {4} depoda {1} giriş saati gönderme de ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Satır {0}: için Adet mevcut değil {4} depoda {1} giriş saati gönderme de ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Onay kutuları listesinden yalnızca en fazla bir seçenek seçebilirsiniz.
 DocType: Purchase Invoice,Get Advances Paid,Avansları Öde
 DocType: Item,Automatically Create New Batch,Otomatik olarak Yeni Toplu Oluştur
 DocType: Item,Automatically Create New Batch,Otomatik olarak Yeni Toplu Oluştur
 DocType: Supplier,Represents Company,Şirketi temsil eder
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Oluştur
 DocType: Student Admission,Admission Start Date,Kabul Başlangıç Tarihi
 DocType: Journal Entry,Total Amount in Words,Sözlü Toplam Tutar
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Yeni çalışan
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Hata oluştu. Bunun sebebi formu kaydetmemeniz olabilir. Sorun devam ederse support@erpnext.com adresi ile iltişime geçiniz
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Alışveriş Sepetim
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Sipariş türü şunlardan biri olmalıdır {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Sipariş türü şunlardan biri olmalıdır {0}
 DocType: Lead,Next Contact Date,Sonraki İrtibat Tarihi
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Açılış Miktarı
 DocType: Healthcare Settings,Appointment Reminder,Randevu Hatırlatıcısı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Değişim Miktarı Hesabı giriniz
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Değişim Miktarı Hesabı giriniz
 DocType: Program Enrollment Tool Student,Student Batch Name,Öğrenci Toplu Adı
 DocType: Holiday List,Holiday List Name,Tatil Listesi Adı
 DocType: Holiday List,Holiday List Name,Tatil Listesi Adı
@@ -1763,7 +1770,7 @@
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Alışveriş sepetine ürün eklenmedi
 DocType: Journal Entry Account,Expense Claim,Gider Talebi
 DocType: Journal Entry Account,Expense Claim,Gider Talebi
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Eğer gerçekten bu hurdaya varlığın geri yüklemek istiyor musunuz?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Eğer gerçekten bu hurdaya varlığın geri yüklemek istiyor musunuz?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Için Adet {0}
 DocType: Leave Application,Leave Application,İzin uygulaması
 DocType: Patient,Patient Relation,Hasta ilişkisi
@@ -1785,17 +1792,19 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Lütfen belirtin a {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Miktar veya değer hiçbir değişiklik ile kaldırıldı öğeler.
 DocType: Delivery Note,Delivery To,Teslim
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Varyant oluşturma işlemi sıraya alındı.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} için iş özeti
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Varyant oluşturma işlemi sıraya alındı.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} için iş özeti
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,"Listedeki ilk İzin Verici, varsayılan İzin Verme Onaylayıcı olarak ayarlanır."
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Özellik tablosu zorunludur
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Özellik tablosu zorunludur
 DocType: Production Plan,Get Sales Orders,Satış Şiparişlerini alın
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} negatif olamaz
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} negatif olamaz
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Quickbooks&#39;a bağlan
 DocType: Training Event,Self-Study,Bireysel çalışma
 DocType: POS Closing Voucher,Period End Date,Dönem Sonu Tarihi
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Zemin kompozisyonları 100&#39;e kadar eklemez
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Indirim
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,{2} Satırını Açmak için {0} Satırı: {1} gereklidir.
 DocType: Membership,Membership,Üyelik
 DocType: Asset,Total Number of Depreciations,Amortismanlar Sayısı
 DocType: Sales Invoice Item,Rate With Margin,Marjla Oran
@@ -1808,7 +1817,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Tablodaki satır {0} için geçerli Satır kimliği belirtiniz {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Değişken bulunamadı:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Lütfen numpad&#39;den düzenlemek için bir alan seçin
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Stok Defteri oluşturulduğunda sabit bir varlık kalemi olamaz.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Stok Defteri oluşturulduğunda sabit bir varlık kalemi olamaz.
 DocType: Subscription Plan,Fixed rate,Sabit oran
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Kabul et
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Masaüstüne gidip ERPNext 'i kullanmaya başlayabilirsiniz
@@ -1843,7 +1852,7 @@
 DocType: Tax Rule,Shipping State,Nakliye Devlet
 ,Projected Quantity as Source,Kaynak olarak Öngörülen Miktarı
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Ürün düğmesi 'satın alma makbuzlarını Öğeleri alın' kullanılarak eklenmelidir
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Teslimat Gezisi
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Teslimat Gezisi
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Aktarım Türü
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Satış Giderleri
@@ -1859,8 +1868,9 @@
 DocType: Item Default,Default Selling Cost Center,Standart Satış Maliyet Merkezi
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disk
 DocType: Buying Settings,Material Transferred for Subcontract,Taşeron için Malzeme Transferi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Posta Kodu
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Satış Sipariş {0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Satın alınan siparişler gecikmiş ürünler
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Posta Kodu
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Satış Sipariş {0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},{0} kredisinde faiz gelir hesabını seçin
 DocType: Opportunity,Contact Info,İletişim Bilgileri
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Stok Girişleri Yapımı
@@ -1874,12 +1884,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,"Fatura, sıfır faturalandırma saati için yapılamaz"
 DocType: Company,Date of Commencement,Başlama tarihi
 DocType: Sales Person,Select company name first.,Önce şirket adı seçiniz
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},E-posta gönderildi {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},E-posta gönderildi {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Tedarikçilerden alınan teklifler.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Tüm BOM&#39;larda BOM&#39;u değiştirin ve en son fiyatı güncelleyin.
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Şu kişi(lere) {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Bu bir kök tedarikçi grubudur ve düzenlenemez.
-DocType: Delivery Trip,Driver Name,Sürücü adı
+DocType: Delivery Note,Driver Name,Sürücü adı
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Ortalama Yaş
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Ortalama Yaş
 DocType: Education Settings,Attendance Freeze Date,Seyirci Dondurma Tarihi
@@ -1893,7 +1903,7 @@
 DocType: Company,Parent Company,Ana Şirket
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},"{1} türündeki Otel Odaları, {1}"
 DocType: Healthcare Practitioner,Default Currency,Varsayılan Para Birimi
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,{0} Öğesi için maksimum indirim {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,{0} Öğesi için maksimum indirim {1}%
 DocType: Asset Movement,From Employee,Çalışanlardan
 DocType: Driver,Cellphone Number,cep telefonu numarası
 DocType: Project,Monitor Progress,İzleme İlerlemesi
@@ -1910,20 +1920,21 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Miktara göre daha az veya ona eşit olmalıdır {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},{0} bileşenine uygun maksimum tutar {1} değerini aşıyor
 DocType: Department Approver,Department Approver,Bölüm Onaycısı
+DocType: QuickBooks Migrator,Application Settings,Uygulama ayarları
 DocType: SMS Center,Total Characters,Toplam Karakterler
 DocType: SMS Center,Total Characters,Toplam Karakterler
 DocType: Employee Advance,Claimed,İddia Edilen
 DocType: Crop,Row Spacing,Satır Aralığı
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Ürün için BOM BOM alanında seçiniz {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Ürün için BOM BOM alanında seçiniz {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Seçilen öğe için herhangi bir öğe varyantı yok
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Fatura Ayrıntısı
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Ödeme Mutabakat Faturası
 DocType: Clinical Procedure,Procedure Template,Prosedür şablonu
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Katkı%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Satın Alma Siparişi Gereklise Satın Alma Ayarlarına göre == &#39;EVET&#39;, ardından Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Siparişi yaratmalıdır."
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Katkı%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Satın Alma Siparişi Gereklise Satın Alma Ayarlarına göre == &#39;EVET&#39;, ardından Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Siparişi yaratmalıdır."
 ,HSN-wise-summary of outward supplies,Dışa açık malzemelerin HSN-bilge özeti
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Referans için şirket kayıt numaraları. Vergi numaraları vb
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Devlete
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Devlete
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Dağıtımcı
 DocType: Asset Finance Book,Asset Finance Book,Varlık Finans Kitabı
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Alışveriş Sepeti Nakliye Kural
@@ -1932,7 +1943,7 @@
 ,Ordered Items To Be Billed,Faturalanacak Sipariş Edilen Ürünler
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Menzil az olmak zorundadır Kimden daha Range için
 DocType: Global Defaults,Global Defaults,Küresel Varsayılanlar
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Proje Ortak Çalışma Daveti
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Proje Ortak Çalışma Daveti
 DocType: Salary Slip,Deductions,Kesintiler
 DocType: Salary Slip,Deductions,Kesintiler
 DocType: Setup Progress Action,Action Name,İşlem Adı
@@ -1948,11 +1959,12 @@
 DocType: Lead,Consultant,Danışman
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Ebeveynler Öğretmen Toplantısı Katılımı
 DocType: Salary Slip,Earnings,Kazanç
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Öğe bitirdi {0} imalatı tipi giriş için girilmelidir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Öğe bitirdi {0} imalatı tipi giriş için girilmelidir
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Açılış Muhasebe Dengesi
 ,GST Sales Register,GST Satış Kaydı
 DocType: Sales Invoice Advance,Sales Invoice Advance,Satış Fatura Avansı
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Talep edecek bir şey yok
+DocType: Stock Settings,Default Return Warehouse,Varsayılan İade Depo
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Çalışma alanlarınızı seçin
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify Tedarikçi
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ödeme Faturası Öğeleri
@@ -1962,16 +1974,17 @@
 DocType: Setup Progress Action,Domains,Çalışma Alanları
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"'Fiili Başlangıç Tarihi', 'Fiili Bitiş Tarihi' den büyük olamaz"
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"'Fiili Başlangıç Tarihi', 'Fiili Bitiş Tarihi' den büyük olamaz"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Yönetim
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Yönetim
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Yönetim
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Yönetim
 DocType: Cheque Print Template,Payer Settings,ödeyici Ayarları
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Verilen öğeler için bağlantı bekleyen herhangi bir Malzeme Talebi bulunamadı.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Önce şirketi seç
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Bu varyant Ürün Kodu eklenecektir. Senin kısaltması ""SM"", ve eğer, örneğin, ürün kodu ""T-Shirt"", ""T-Shirt-SM"" olacak varyantın madde kodu"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Ödeme (sözlü) Maaş Makbuzunu kaydettiğinizde görünecektir
 DocType: Delivery Note,Is Return,İade mi
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Dikkat
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',"Başlangıç günü, &#39;{0}&#39; görevi bitiş günden daha büyük"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,İade / Borç Dekontu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,İade / Borç Dekontu
 DocType: Price List Country,Price List Country,Fiyat Listesi Ülke
 DocType: Item,UOMs,Ölçü Birimleri
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},Ürün {1} için {0} geçerli bir seri numarası
@@ -1985,14 +1998,14 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Bilgi verin.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tedarikçi Veritabanı.
 DocType: Contract Template,Contract Terms and Conditions,Sözleşme Hüküm ve Koşulları
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,İptal edilmeyen bir Aboneliği başlatamazsınız.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,İptal edilmeyen bir Aboneliği başlatamazsınız.
 DocType: Account,Balance Sheet,Bilanço
 DocType: Account,Balance Sheet,Bilanço
 DocType: Leave Type,Is Earned Leave,Kazanılmış izin
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ','Ürün Kodu Ürün için Merkezi'ni Maliyet
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ','Ürün Kodu Ürün için Merkezi'ni Maliyet
 DocType: Fee Validity,Valid Till,Kadar geçerli
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Toplam Veliler Öğretmen Toplantısı
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Ödeme Modu yapılandırılmamış. Hesap Ödemeler Modu veya POS Profili ayarlanmış olup olmadığını kontrol edin.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Ödeme Modu yapılandırılmamış. Hesap Ödemeler Modu veya POS Profili ayarlanmış olup olmadığını kontrol edin.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Aynı madde birden çok kez girilemez.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ek hesaplar Gruplar altında yapılabilir, ancak girişler olmayan Gruplar karşı yapılabilir"
 DocType: Lead,Lead,Talep Yaratma
@@ -2002,11 +2015,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Jetonu
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stok Giriş {0} oluşturuldu
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Kullanılması gereken sadakat puanlarına sahip değilsiniz
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Satır # {0}: Miktar Satınalma Return girilemez Reddedildi
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Lütfen ilgili hesabı {1} Şirketine Karşı Vergi Stopaj Kategorisinde {1} ayarlayın
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Satır # {0}: Miktar Satınalma Return girilemez Reddedildi
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Seçilen Müşteri için Müşteri Grubunu değiştirmeye izin verilmiyor.
 ,Purchase Order Items To Be Billed,Faturalanacak Satınalma Siparişi Kalemleri
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Tahmini varış zamanları güncelleniyor.
 DocType: Program Enrollment Tool,Enrollment Details,Kayıt Ayrıntıları
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Bir şirket için birden fazla Öğe Varsayılanı belirlenemiyor.
 DocType: Purchase Invoice Item,Net Rate,Net Hızı
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Lütfen bir müşteri seçin
 DocType: Leave Policy,Leave Allocations,Tahsisleri Bırak
@@ -2040,7 +2055,7 @@
 DocType: Loan Application,Repayment Info,Geri Ödeme Bilgisi
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,'Girdiler' boş olamaz
 DocType: Maintenance Team Member,Maintenance Role,Bakım Rolü
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Satır {0} ı  {1} ile aynı biçimde kopyala
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Satır {0} ı  {1} ile aynı biçimde kopyala
 DocType: Marketplace Settings,Disable Marketplace,Marketplace&#39;i Devre Dışı Bırak
 ,Trial Balance,Mizan
 ,Trial Balance,Mizan
@@ -2052,10 +2067,10 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Abonelik ayarları
 DocType: Purchase Invoice,Update Auto Repeat Reference,Otomatik Tekrar Referansı Güncelle
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},"İsteğe bağlı Tatil Listesi, {0} izin dönemi için ayarlanmamış"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},"İsteğe bağlı Tatil Listesi, {0} izin dönemi için ayarlanmamış"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Araştırma
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Araştırma
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Adres 2&#39;ye
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Adres 2&#39;ye
 DocType: Maintenance Visit Purpose,Work Done,Yapılan İş
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Nitelikler masada en az bir özellik belirtin
 DocType: Announcement,All Students,Tüm Öğrenciler
@@ -2066,16 +2081,16 @@
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,En erken
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,En erken
 DocType: Crop Cycle,Linked Location,Bağlantılı Konum
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Bir Ürün grubu aynı isimle bulunuyorsa, lütfen Ürün veya Ürün grubu adını değiştirin"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Bir Ürün grubu aynı isimle bulunuyorsa, lütfen Ürün veya Ürün grubu adını değiştirin"
 DocType: Crop Cycle,Less than a year,Bir yıldan daha az
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Öğrenci Mobil No
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Dünyanın geri kalanı
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Dünyanın geri kalanı
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Öğe {0} Toplu olamaz
 DocType: Crop,Yield UOM,Verim UOM
 ,Budget Variance Report,Bütçe Fark Raporu
 DocType: Salary Slip,Gross Pay,Brüt Ödeme
 DocType: Item,Is Item from Hub,Hub&#39;dan Öğe Var mı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Sağlık Hizmetlerinden Ürün Alın
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Sağlık Hizmetlerinden Ürün Alın
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Satır {0}: Etkinlik Türü zorunludur.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Temettü Ücretli
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Muhasebe Defteri
@@ -2090,6 +2105,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Ödeme Modu
 DocType: Purchase Invoice,Supplied Items,Verilen Öğeler
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Lütfen restoran {0} için etkin bir menü ayarlayın.
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Komisyon oranı %
 DocType: Work Order,Qty To Manufacture,Üretilecek Miktar
 DocType: Email Digest,New Income,yeni Gelir
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Alım döngüsü boyunca aynı oranı koruyun
@@ -2105,14 +2121,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Arka arkaya Ürün için gerekli değerleme Oranı {0}
 DocType: Supplier Scorecard,Scorecard Actions,Kart Kartı İşlemleri
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Örnek: Bilgisayar Bilimleri Yüksek Lisans
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Tedarikçi {0} {1} konumunda bulunamadı
 DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo
 DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo
 DocType: GL Entry,Against Voucher,Dekont karşılığı
 DocType: Item Default,Default Buying Cost Center,Standart Alış Maliyet Merkezi
 DocType: Item Default,Default Buying Cost Center,Standart Alış Maliyet Merkezi
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext en iyi sonucu almak için, biraz zaman ayırın ve bu yardım videoları izlemek öneririz."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Varsayılan Tedarikçi için (isteğe bağlı)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,için
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Varsayılan Tedarikçi için (isteğe bağlı)
 DocType: Supplier Quotation Item,Lead Time in days,Teslim Zamanı gün olarak
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Ödeme Hesabı Özeti
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Dondurulmuş Hesabı {0} düzenleme yetkisi yok
@@ -2121,7 +2137,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Teklifler için yeni İstek uyarısı yapın
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Satın alma siparişleri planı ve alışverişlerinizi takip
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Testi Reçeteleri
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Malzeme Talebi toplam Sayı / Aktarım miktarı {0} {1} \ Ürün için istenen miktar {2} daha büyük olamaz {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Küçük
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Shopify siparişte bir müşteri içermiyorsa, siparişleri senkronize ederken, sistem sipariş için varsayılan müşteriyi dikkate alır."
@@ -2133,6 +2149,7 @@
 DocType: Project,% Completed,% Tamamlanan
 ,Invoiced Amount (Exculsive Tax),Faturalanan Tutar (Vergi Hariç)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Madde 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Yetkilendirme Bitiş Noktası
 DocType: Travel Request,International,Uluslararası
 DocType: Training Event,Training Event,Eğitim Etkinlik
 DocType: Item,Auto re-order,Otomatik yeniden sipariş
@@ -2142,28 +2159,28 @@
 DocType: Contract,Contract,Sözleşme
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratuvar Testi Datetime
 DocType: Email Digest,Add Quote,Alıntı ekle
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Ürün {1} de Ölçü Birimi: {0} için Ölçü Birimi dönüştürme katsayısı gereklidir.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Ürün {1} de Ölçü Birimi: {0} için Ölçü Birimi dönüştürme katsayısı gereklidir.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Dolaylı Giderler
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Dolaylı Giderler
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur
 DocType: Agriculture Analysis Criteria,Agriculture,Tarım
 DocType: Agriculture Analysis Criteria,Agriculture,Tarım
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Müşteri Siparişi Yaratın
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Varlık için Muhasebe Girişi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Faturayı Engelle
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Varlık için Muhasebe Girişi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Faturayı Engelle
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Miktarı
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Senkronizasyon Ana Veri
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Senkronizasyon Ana Veri
 DocType: Asset Repair,Repair Cost,Tamir Ücreti
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Ürünleriniz veya hizmetleriniz
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Giriş yapılamadı
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Öğe {0} oluşturuldu
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Öğe {0} oluşturuldu
 DocType: Special Test Items,Special Test Items,Özel Test Öğeleri
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace&#39;e kayıt olmak için Sistem Yöneticisi ve Ürün Yöneticisi rolleri olan bir kullanıcı olmanız gerekir.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Ödeme Şekli
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Ödeme Şekli
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"Atanan Maaş Yapınıza göre, faydalar için başvuruda bulunamazsınız."
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Web Sitesi Resim kamu dosya veya web sitesi URL olmalıdır
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Web Sitesi Resim kamu dosya veya web sitesi URL olmalıdır
 DocType: Purchase Invoice Item,BOM,Ürün Ağacı
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Bu bir kök Ürün grubudur ve düzenlenemez.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,birleşmek
@@ -2173,7 +2190,8 @@
 DocType: Warehouse,Warehouse Contact Info,Depo İletişim Bilgileri
 DocType: Payment Entry,Write Off Difference Amount,Şüpheli Alacak Fark Hesabı
 DocType: Volunteer,Volunteer Name,Gönüllülük Adı
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: Çalışanın e-posta adresi bulunamadığı için e-posta gönderilemedi
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Diğer satırlardaki yinelenen teslim tarihlerine sahip satırlar bulundu: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: Çalışanın e-posta adresi bulunamadığı için e-posta gönderilemedi
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},{1} belirli bir tarihte Çalışana {0} atanan Maaş Yapısı yok
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Nakliye kuralı {0} ülkesi için geçerli değil
 DocType: Item,Foreign Trade Details,Dış Ticaret Detayları
@@ -2183,18 +2201,18 @@
 DocType: Serial No,Serial No Details,Seri No Detayları
 DocType: Purchase Invoice Item,Item Tax Rate,Ürün Vergi Oranı
 DocType: Purchase Invoice Item,Item Tax Rate,Ürün Vergi Oranı
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Parti isminden
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Parti isminden
 DocType: Student Group Student,Group Roll Number,Grup Rulosu Numarası
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","{0}, sadece kredi hesapları başka bir ödeme girişine karşı bağlantılı olabilir için"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmedi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmedi
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Ürün {0} bir taşeron ürünü olmalıdır
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Sermaye Ekipmanları
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Sermaye Ekipmanları
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Fiyatlandırma Kuralı ilk olarak 'Uygula' alanı üzerinde seçilir, bu bir Ürün, Grup veya Marka olabilir."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Lütfen Önce Öğe Kodunu ayarlayın
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doküman Türü
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Satış ekibi için ayrılan toplam yüzde 100 olmalıdır
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Satış ekibi için ayrılan toplam yüzde 100 olmalıdır
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doküman Türü
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Satış ekibi için ayrılan toplam yüzde 100 olmalıdır
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Satış ekibi için ayrılan toplam yüzde 100 olmalıdır
 DocType: Subscription Plan,Billing Interval Count,Faturalama Aralığı Sayısı
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Randevular ve Hasta Buluşmaları
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Değer eksik
@@ -2208,6 +2226,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Baskı Biçimi oluştur
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Ücretlendirildi
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},{0} kalemi bulunamadı
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Öğeler Filtre
 DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterler Formül
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Toplam Giden
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"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"
@@ -2217,15 +2236,15 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Bir öğe için {0}, miktar pozitif sayı olmalıdır"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Not: Bu Maliyet Merkezi bir Grup. Gruplara karşı muhasebe kayıtları yapamazsınız.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Telafi izin isteme günleri geçerli tatil günlerinde geçerli değildir
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Çocuk depo bu depo için vardır. Bu depo silemezsiniz.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Çocuk depo bu depo için vardır. Bu depo silemezsiniz.
 DocType: Item,Website Item Groups,Web Sitesi Ürün Grupları
 DocType: Item,Website Item Groups,Web Sitesi Ürün Grupları
 DocType: Purchase Invoice,Total (Company Currency),Toplam (Şirket Para)
 DocType: Daily Work Summary Group,Reminder,Hatırlatma
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Erişilebilir Değer
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Erişilebilir Değer
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Seri numarası {0} birden çok girilmiş
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Kayıt Girdisi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN&#39;den
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN&#39;den
 DocType: Expense Claim Advance,Unclaimed amount,Talep edilmeyen tutar
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} ürün işlemde
 DocType: Workstation,Workstation Name,İş İstasyonu Adı
@@ -2234,7 +2253,7 @@
 DocType: POS Item Group,POS Item Group,POS Ürün Grubu
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Digest e-posta:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,"Alternatif öğe, ürün koduyla aynı olmamalıdır"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Ürün Ağacı {0} {1} Kalemine ait değil
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Ürün Ağacı {0} {1} Kalemine ait değil
 DocType: Sales Partner,Target Distribution,Hedef Dağıtımı
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06- Geçici değerlendirme sonuçlandırması
 DocType: Salary Slip,Bank Account No.,Banka Hesap No
@@ -2243,7 +2262,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Puan kartı değişkenleri yanı sıra: {total_score} (o dönemin toplam puanı), {period_number} (mevcut gün sayısının sayısı)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Tüm daraltmak
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Tüm daraltmak
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Satınalma Siparişi Yaratın
 DocType: Quality Inspection Reading,Reading 8,8 Okuma
 DocType: Inpatient Record,Discharge Note,Deşarj Notu
@@ -2265,7 +2284,7 @@
 DocType: Purchase Invoice,Supplier Invoice Date,Tedarikçi Fatura Tarihi
 DocType: Purchase Invoice,Supplier Invoice Date,Tedarikçi Fatura Tarihi
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,"Bu değer, geçici zamansal hesaplama için kullanılır"
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Alışveriş sepetini etkinleştirmeniz gereklidir
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Alışveriş sepetini etkinleştirmeniz gereklidir
 DocType: Payment Entry,Writeoff,Hurdaya çıkarmak
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Seri Öneki Adlandırma
@@ -2280,12 +2299,11 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Şunların arasında çakışan koşullar bulundu:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Journal Karşı giriş {0} zaten başka çeki karşı ayarlanır
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Toplam Sipariş Miktarı
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Yiyecek Grupları
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Yiyecek Grupları
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Yiyecek Grupları
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Yiyecek Grupları
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Yaşlanma Aralığı 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Kapanış Makbuzu Detayları
 DocType: Shopify Log,Shopify Log,Shopify Günlüğü
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Lütfen {0} için İsimlendirme Serisini Kurulum&gt; Ayarlar&gt; İsimlendirme Dizisi ile ayarlayın
 DocType: Inpatient Occupancy,Check In,Giriş
 DocType: Maintenance Schedule Item,No of Visits,Ziyaret sayısı
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},{1} ile ilgili Bakım Çizelgesi {0} var
@@ -2332,6 +2350,7 @@
 DocType: Purchase Invoice,Contact Person,İrtibat Kişi
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz"
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz"
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Bu süre için veri yok
 DocType: Course Scheduling Tool,Course End Date,Kurs Bitiş Tarihi
 DocType: Holiday List,Holidays,Bayram
 DocType: Holiday List,Holidays,Bayram
@@ -2346,7 +2365,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Sabit Varlık Net Değişim
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Adet
 DocType: Leave Control Panel,Leave blank if considered for all designations,Tüm tanımları için kabul ise boş bırakın
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Satır {0}'daki 'Gerçek' ücret biçimi Ürün Br.Fiyatına dahil edilemez
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Satır {0}'daki 'Gerçek' ücret biçimi Ürün Br.Fiyatına dahil edilemez
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,DateTime Gönderen
 DocType: Shopify Settings,For Company,Şirket için
@@ -2360,9 +2379,9 @@
 DocType: Material Request,Terms and Conditions Content,Şartlar ve Koşullar İçeriği
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Ders Programı Oluşturma Hataları Oluştu
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Listedeki ilk Gider Onaycısı varsayılan Gider Onaylayıcı olarak ayarlanacaktır.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 'den daha büyük olamaz
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 'den daha büyük olamaz
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Marketplace&#39;e kayıt olmak için Sistem Yöneticisi ve Ürün Yöneticisi rolleriyle Yönetici dışında bir kullanıcı olmanız gerekir.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Ürün {0} bir stok ürünü değildir
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Ürün {0} bir stok ürünü değildir
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Plânlanmamış
 DocType: Employee,Owned,Hisseli
@@ -2393,7 +2412,7 @@
 DocType: HR Settings,Employee Settings,Çalışan Ayarları
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Ödeme Sistemi Yükleniyor
 ,Batch-Wise Balance History,Parti Geneli Bakiye Geçmişi
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Satır # {0}: Öğe {1} için faturalanan tutardan daha büyükse Oran ayarlanamaz.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Satır # {0}: Öğe {1} için faturalanan tutardan daha büyükse Oran ayarlanamaz.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,"Yazdırma ayarları, ilgili baskı biçiminde güncellendi"
 DocType: Package Code,Package Code,Paket Kodu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Çırak
@@ -2403,7 +2422,7 @@
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges","Bir dize olarak madde ustadan getirilen ve bu alanda depolanan vergi detay tablo.
  Vergi ve Ücretleri için kullanılır"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Çalışan kendi kendine rapor olamaz.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Çalışan kendi kendine rapor olamaz.
 DocType: Leave Type,Max Leaves Allowed,İzin Verilen Maksimum Yaprak
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hesap dondurulmuş ise, girdiler kısıtlı kullanıcılara açıktır."
 DocType: Email Digest,Bank Balance,Banka Bakiyesi
@@ -2431,6 +2450,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Banka İşlem Girişleri
 DocType: Quality Inspection,Readings,Okumalar
 DocType: Stock Entry,Total Additional Costs,Toplam Ek Maliyetler
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Etkileşimler Yok
 DocType: BOM,Scrap Material Cost(Company Currency),Hurda Malzeme Maliyeti (Şirket Para Birimi)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Alt Kurullar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Alt Kurullar
@@ -2440,10 +2460,10 @@
 DocType: Shipping Rule Condition,To Value,Değer Vermek
 DocType: Loyalty Program,Loyalty Program Type,Bağlılık Programı Türü
 DocType: Asset Movement,Stock Manager,Stok Müdürü
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Satır {0} Kaynak depo zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Satır {0} Kaynak depo zorunludur
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,"{0} Satırındaki Ödeme Süresi, muhtemelen bir kopyadır."
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Tarım (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Ambalaj Makbuzu
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Ambalaj Makbuzu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Ofis Kiraları
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Ofis Kiraları
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Kurulum SMS ağ geçidi ayarları
@@ -2480,22 +2500,19 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Çalışan e-posta Maaş Kayma
 DocType: Cost Center,Parent Cost Center,Ana Maliyet Merkezi
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Olası Tedarikçi seçin
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Olası Tedarikçi seçin
 DocType: Sales Invoice,Source,Kaynak
 DocType: Sales Invoice,Source,Kaynak
 DocType: Customer,"Select, to make the customer searchable with these fields",Müşteriyi bu alanlarla aranabilir yapmak için seçin
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Gönderide Shopify&#39;tan Teslim Alma Notları
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Kapalı olanları göster
 DocType: Leave Type,Is Leave Without Pay,Pay Yapmadan mı
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Sabit Varlık için Varlık Kategorisi zorunludur
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Sabit Varlık için Varlık Kategorisi zorunludur
 DocType: Fee Validity,Fee Validity,Ücret Geçerliği
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Ödeme tablosunda kayıt bulunamadı
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Ödeme tablosunda kayıt bulunamadı
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Bu {0} çatışmalar {1} için {2} {3}
 DocType: Student Attendance Tool,Students HTML,Öğrenciler HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Lütfen bu dokümanı iptal etmek için <a href=""#Form/Employee/{0}"">{0}</a> \ çalışanını silin."
 DocType: POS Profile,Apply Discount,İndirim uygula
 DocType: GST HSN Code,GST HSN Code,GST HSN Kodu
 DocType: Employee External Work History,Total Experience,Toplam Deneyim
@@ -2520,7 +2537,7 @@
 DocType: Maintenance Schedule,Schedules,Programlar
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,"POS Profili, Satış Noktasını Kullanmak için Gereklidir"
 DocType: Cashier Closing,Net Amount,Net Miktar
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} gönderilmedi, bu nedenle eylem tamamlanamadı"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} gönderilmedi, bu nedenle eylem tamamlanamadı"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detay yok
 DocType: Landed Cost Voucher,Additional Charges,Ek ücretler
 DocType: Support Search Source,Result Route Field,Sonuç Rota Alanı
@@ -2550,11 +2567,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Faturaları Açma
 DocType: Contract,Contract Details,Sözleşme Detayları
 DocType: Employee,Leave Details,Ayrıntıları Ayrıl
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Çalışan Rolü ayarlamak için Çalışan kaydındaki Kullanıcı Kimliği alanını Lütfen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Çalışan Rolü ayarlamak için Çalışan kaydındaki Kullanıcı Kimliği alanını Lütfen
 DocType: UOM,UOM Name,Ölçü Birimi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Adrese 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Adrese 1
 DocType: GST HSN Code,HSN Code,HSN Kodu
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Katkı Tutarı
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Katkı Tutarı
 DocType: Inpatient Record,Patient Encounter,Hasta Encounter
 DocType: Purchase Invoice,Shipping Address,Teslimat Adresi
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Bu araç, güncellemek veya sistemde stok miktarı ve değerleme düzeltmek için yardımcı olur. Genellikle sistem değerlerini ve ne aslında depolarda var eşitlemek için kullanılır."
@@ -2572,10 +2589,10 @@
 DocType: Sales Invoice Item,Brand Name,Marka Adı
 DocType: Sales Invoice Item,Brand Name,Marka Adı
 DocType: Purchase Receipt,Transporter Details,Taşıyıcı Detayları
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Standart depo seçilen öğe için gereklidir
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Standart depo seçilen öğe için gereklidir
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Kutu
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Kutu
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Olası Tedarikçi
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Olası Tedarikçi
 DocType: Budget,Monthly Distribution,Aylık Dağılımı
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Alıcı listesi boş. Alıcı listesi oluşturunuz
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Sağlık (beta)
@@ -2600,6 +2617,7 @@
 ,Lead Name,Talep Yaratma Adı
 ,POS,POS
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Maden
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Açılış Stok Dengesi
 DocType: Asset Category Account,Capital Work In Progress Account,İlerleme Hesabında Sermaye Çalışması
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Varlık Değeri Ayarlaması
@@ -2608,8 +2626,8 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},İzinler {0} için başarıyla tahsis edildi
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Ambalajlanacak Ürün Yok
 DocType: Shipping Rule Condition,From Value,Değerden
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
 DocType: Loan,Repayment Method,Geri Ödeme Yöntemi
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Seçili ise, Ana sayfa web sitesi için varsayılan Ürün Grubu olacak"
 DocType: Quality Inspection Reading,Reading 4,4 Okuma
@@ -2635,7 +2653,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,İşçi başvurusu
 DocType: Student Group,Set 0 for no limit,hiçbir sınırı 0 olarak ayarlayın
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Eğer izin için başvuruda edildiği gün (ler) tatildir. Sen izin talebinde gerekmez.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Satır {idx}: {field} Açılış {invoice_type} Faturalar oluşturmak için gereklidir
 DocType: Customer,Primary Address and Contact Detail,Birincil Adres ve İletişim Ayrıntısı
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Ödeme E-posta tekrar gönder
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Yeni görev
@@ -2645,8 +2662,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Lütfen en az bir alan adı seçin.
 DocType: Dependent Task,Dependent Task,Bağımlı Görev
 DocType: Shopify Settings,Shopify Tax Account,Vergi Hesabı Shopify
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Tedbir varsayılan Birimi için dönüşüm faktörü satırda 1 olmalıdır {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Tip{0} izin  {1}'den uzun olamaz
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Tedbir varsayılan Birimi için dönüşüm faktörü satırda 1 olmalıdır {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Tip{0} izin  {1}'den uzun olamaz
 DocType: Delivery Trip,Optimize Route,Rotayı Optimize Et
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Peşin X gün için operasyonlar planlama deneyin.
 DocType: HR Settings,Stop Birthday Reminders,Doğum günü hatırlatıcılarını durdur
@@ -2654,14 +2671,14 @@
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Vergi&#39;nin mali ayrılığını al ve Amazon tarafından veri topla
 DocType: SMS Center,Receiver List,Alıcı Listesi
 DocType: SMS Center,Receiver List,Alıcı Listesi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Arama Öğe
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Arama Öğe
 DocType: Payment Schedule,Payment Amount,Ödeme Tutarı
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,"Yarım Gün Tarih, İş Başlangıç Tarihi ile İş Bitiş Tarihi arasında olmalıdır."
 DocType: Healthcare Settings,Healthcare Service Items,Sağlık Hizmet Öğeleri
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Tüketilen Tutar
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Nakit Net Değişim
 DocType: Assessment Plan,Grading Scale,Notlandırma ölçeği
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Ölçü Birimi {0} Dönüşüm katsayısı tablosunda birden fazla kez girildi.
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Ölçü Birimi {0} Dönüşüm katsayısı tablosunda birden fazla kez girildi.
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Zaten tamamlandı
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Elde Edilen Stoklar
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2686,27 +2703,27 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Seri No {0} miktar {1} kesir olamaz
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Lütfen Woocommerce Sunucusu URL&#39;sini girin
 DocType: Purchase Order Item,Supplier Part Number,Tedarikçi Parti Numarası
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Dönüşüm oranı 0 veya 1 olamaz
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Dönüşüm oranı 0 veya 1 olamaz
 DocType: Share Balance,To No,Hayır için
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Çalışan yaratmak için tüm zorunlu görev henüz yapılmamış.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} iptal edilmiş veya durdurulmuş
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} iptal edilmiş veya durdurulmuş
 DocType: Accounts Settings,Credit Controller,Kredi Kontrolü
 DocType: Loan,Applicant Type,Başvuru Sahibi Türü
 DocType: Purchase Invoice,03-Deficiency in services,03-Hizmetlerdeki yetersizlik
 DocType: Healthcare Settings,Default Medical Code Standard,Varsayılan Tıbbi Kod Standardı
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Satın alma makbuzu {0} teslim edilmedi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Satın alma makbuzu {0} teslim edilmedi
 DocType: Company,Default Payable Account,Standart Ödenecek Hesap
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Böyle nakliye kuralları, fiyat listesi vb gibi online alışveriş sepeti için Ayarlar"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-ÖN .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Faturalandırıldı
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Ayrılmış Miktar
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Ayrılmış Miktar
 DocType: Party Account,Party Account,Taraf Hesabı
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Lütfen Şirket ve Atama&#39;yı seçiniz
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,İnsan Kaynakları
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,İnsan Kaynakları
-DocType: Lead,Upper Income,Üst Gelir
-DocType: Lead,Upper Income,Üst Gelir
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Üst Gelir
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Üst Gelir
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,reddetmek
 DocType: Journal Entry Account,Debit in Company Currency,Şirket Para Birimi Bankamatik
 DocType: BOM Item,BOM Item,BOM Ürün
@@ -2723,7 +2740,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",{0} atama için iş açılışları zaten açıldı \ veya işe alımlar İşe Alma Planı {1} uyarınca tamamlandı
 DocType: Vital Signs,Constipated,kabız
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},{1} tarihli {0} Tedarikçi Faturası karşılığı
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},{1} tarihli {0} Tedarikçi Faturası karşılığı
 DocType: Customer,Default Price List,Standart Fiyat Listesi
 DocType: Customer,Default Price List,Standart Fiyat Listesi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Varlık Hareket kaydı {0} oluşturuldu
@@ -2740,10 +2757,11 @@
 DocType: Journal Entry,Entry Type,Girdi Türü
 ,Customer Credit Balance,Müşteri Kredi Bakiyesi
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Borç Hesapları Net Değişim
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Müşteri {0} için ({1} / {2}) kredi limiti geçti.
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Lütfen {0} için İsimlendirme Serisini Kurulum&gt; Ayarlar&gt; İsimlendirme Dizisi ile ayarlayın
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Müşteri {0} için ({1} / {2}) kredi limiti geçti.
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Müşteri indirimi' için gereken müşteri
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Günlüklerle ödeme tarihlerini güncelle.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Fiyatlandırma
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Fiyatlandırma
 DocType: Quotation,Term Details,Dönem Ayrıntıları
 DocType: Quotation,Term Details,Dönem Ayrıntıları
 DocType: Employee Incentive,Employee Incentive,Çalışan Teşviki
@@ -2751,7 +2769,7 @@
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Toplam (Vergisiz)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Müşteri Adayı Sayısı
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Müşteri Adayı Sayısı
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Stok mevcut
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Stok mevcut
 DocType: Manufacturing Settings,Capacity Planning For (Days),(Gün) için Kapasite Planlama
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,tedarik
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Öğelerin hiçbiri miktar veya değer bir değişiklik var.
@@ -2777,7 +2795,8 @@
 DocType: Asset,Comprehensive Insurance,Kapsamlı Sigorta
 DocType: Maintenance Visit,Partially Completed,Kısmen Tamamlandı
 DocType: Maintenance Visit,Partially Completed,Kısmen Tamamlandı
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Bağlılık Noktası: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Bağlılık Noktası: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Teklif Ekle
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Orta Hassasiyet
 DocType: Leave Type,Include holidays within leaves as leaves,Yapraklar gibi yaprakları içinde tatil dahil
 DocType: Loyalty Program,Redemption,ödeme
@@ -2816,7 +2835,7 @@
 ,Item Shortage Report,Ürün Yetersizliği Raporu
 ,Item Shortage Report,Ürün Yetersizliği Raporu
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Standart ölçütler oluşturulamıyor. Lütfen ölçütleri yeniden adlandırın
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Ağırlık çok ""Ağırlık Ölçü Birimi"" belirtiniz \n, söz edilmektedir"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Ağırlık çok ""Ağırlık Ölçü Birimi"" belirtiniz \n, söz edilmektedir"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Bu stok girdisini yapmak için kullanılan Malzeme Talebi
 DocType: Hub User,Hub Password,Hub Parolası
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Her Toplu İş için Ayrılmış Kurs Tabanlı Grup
@@ -2831,16 +2850,17 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Randevu Süresi (dk.)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Her Stok Hareketi için Muhasebe kaydı oluştur
 DocType: Leave Allocation,Total Leaves Allocated,Ayrılan toplam izinler
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Geçerli Mali Yılı Başlangıç ve Bitiş Tarihleri girin
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Geçerli Mali Yılı Başlangıç ve Bitiş Tarihleri girin
 DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz
 DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz
 DocType: Upload Attendance,Get Template,Şablon alın
+,Sales Person Commission Summary,Satış Personeli Komisyon Özeti
 DocType: Additional Salary Component,Additional Salary Component,Ek Maaş Bileşeni
 DocType: Material Request,Transferred,aktarılan
 DocType: Vehicle,Doors,Kapılar
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Kurulumu Tamamlandı!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Kurulumu Tamamlandı!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Hasta Kayıt için Toplama Ücreti
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Hisse senedi işleminden sonra nitelikleri değiştiremezsiniz. Yeni Bir Öğe Yapın ve Stokları Yeni Öğe Taşı
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Hisse senedi işleminden sonra nitelikleri değiştiremezsiniz. Yeni Bir Öğe Yapın ve Stokları Yeni Öğe Taşı
 DocType: Course Assessment Criteria,Weightage,Ağırlık
 DocType: Purchase Invoice,Tax Breakup,Vergi dağılımı
 DocType: Employee,Joining Details,Ayrıntıları Birleştirme
@@ -2869,7 +2889,7 @@
 DocType: Lead,Next Contact By,Sonraki İrtibat
 DocType: Compensatory Leave Request,Compensatory Leave Request,Telafi Bırakma Talebi
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Satır {1} deki Ürün {0} için gereken miktar
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Ürün {1} için miktar mevcut olduğundan depo {0} silinemez
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Ürün {1} için miktar mevcut olduğundan depo {0} silinemez
 DocType: Blanket Order,Order Type,Sipariş Türü
 DocType: Blanket Order,Order Type,Sipariş Türü
 ,Item-wise Sales Register,Ürün bilgisi Satış Kaydı
@@ -2877,7 +2897,8 @@
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Açılış Bakiyeleri
 DocType: Asset,Depreciation Method,Amortisman Yöntemi
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Bu Vergi Temel Br.Fiyata dahil mi?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Toplam Hedef
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Toplam Hedef
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Algı Analizi
 DocType: Soil Texture,Sand Composition (%),Kum Bileşimi (%)
 DocType: Job Applicant,Applicant for a Job,İş için aday
 DocType: Production Plan Material Request,Production Plan Material Request,Üretim Planı Malzeme Talebi
@@ -2896,18 +2917,19 @@
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobil yok
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Ana
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Ana
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,"Aşağıdaki {0} öğesi, {1} öğesi olarak işaretlenmemiş. Öğeleri ana öğesinden {1} öğe olarak etkinleştirebilirsiniz"
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Varyant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","{0} öğesinde, miktar negatif sayı olmalıdır"
 DocType: Naming Series,Set prefix for numbering series on your transactions,İşlemlerinizde seri numaralandırma için ön ek ayarlayın
 DocType: Employee Attendance Tool,Employees HTML,"Çalışanlar, HTML"
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Standart BOM ({0}) Bu öğe veya şablon için aktif olmalıdır
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Standart BOM ({0}) Bu öğe veya şablon için aktif olmalıdır
 DocType: Employee,Leave Encashed?,İzin Tahsil Edilmiş mi?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Kimden alanında Fırsat zorunludur
 DocType: Email Digest,Annual Expenses,yıllık giderler
 DocType: Item,Variants,Varyantlar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Satın Alma Emri verin
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Satın Alma Emri verin
 DocType: SMS Center,Send To,Gönder
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},İzin tipi{0} için yeterli izin bakiyesi yok
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},İzin tipi{0} için yeterli izin bakiyesi yok
 DocType: Payment Reconciliation Payment,Allocated amount,Ayrılan miktar
 DocType: Sales Team,Contribution to Net Total,Net Toplam Katkı
 DocType: Sales Invoice Item,Customer's Item Code,Müşterinin Ürün Kodu
@@ -2915,6 +2937,7 @@
 DocType: Stock Reconciliation,Stock Reconciliation,Stok Mutabakatı
 DocType: Stock Reconciliation,Stock Reconciliation,Stok Mutabakatı
 DocType: Territory,Territory Name,Bölge Adı
+DocType: Email Digest,Purchase Orders to Receive,Almak için Emir Al
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Devam eden depo işi teslimden önce gereklidir
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Abonelikte yalnızca aynı faturalandırma döngüsüne sahip Planlarınız olabilir
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Eşlenmiş Veri
@@ -2934,9 +2957,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Çoğaltın Seri No Ürün için girilen {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Lead Source tarafından Leads izleyin.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Nakliye Kuralı için koşul
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Girin lütfen
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Girin lütfen
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Bakım Günlüğü
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Madde veya Depo dayalı filtre ayarlayın
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Madde veya Depo dayalı filtre ayarlayın
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Bu paketin net ağırlığı (Ürünlerin net toplamından otomatik olarak hesaplanır)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Şirket Dergisinin Girişini Yapın
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,İndirim tutarı% 100&#39;den fazla olamaz
@@ -2945,16 +2968,16 @@
 DocType: Sales Order,To Deliver and Bill,Teslim edilecek ve Faturalanacak
 DocType: Student Group,Instructors,Ders
 DocType: GL Entry,Credit Amount in Account Currency,Hesap Para Birimi Kredi Tutarı
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Ürün Ağacı {0} devreye alınmalıdır
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Paylaşım Yönetimi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Ürün Ağacı {0} devreye alınmalıdır
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Paylaşım Yönetimi
 DocType: Authorization Control,Authorization Control,Yetki Kontrolü
 DocType: Authorization Control,Authorization Control,Yetki Kontrolü
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Satır # {0}: Depo Reddedildi reddedilen Öğe karşı zorunludur {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Tahsilat
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Satır # {0}: Depo Reddedildi reddedilen Öğe karşı zorunludur {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Tahsilat
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Depo {0} herhangi bir hesaba bağlı değil, lütfen depo kaydındaki hesaptaki sözcükten veya {1} şirketindeki varsayılan envanter hesabını belirtin."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,siparişlerinizi yönetin
 DocType: Work Order Operation,Actual Time and Cost,Gerçek Zaman ve Maliyet
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Maksimum {0} Malzeme Talebi Malzeme {1} için Satış Emri {2} karşılığında yapılabilir
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Maksimum {0} Malzeme Talebi Malzeme {1} için Satış Emri {2} karşılığında yapılabilir
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Kırpma Aralığı
 DocType: Course,Course Abbreviation,Ders Kısaltma
@@ -2966,6 +2989,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Toplam çalışma süresi maksimum çalışma saatleri fazla olmamalıdır {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Üzerinde
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Satış zamanı toplam Ürünler.
+DocType: Delivery Settings,Dispatch Settings,Sevk Ayarları
 DocType: Material Request Plan Item,Actual Qty,Gerçek Adet
 DocType: Sales Invoice Item,References,Kaynaklar
 DocType: Quality Inspection Reading,Reading 10,10 Okuma
@@ -2976,11 +3000,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Ortak
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Ortak
 DocType: Asset Movement,Asset Movement,Varlık Hareketi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,İş emri {0} sunulmalıdır
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Yeni Sepet
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,İş emri {0} sunulmalıdır
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Yeni Sepet
 DocType: Taxable Salary Slab,From Amount,Miktardan
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Ürün {0} bir seri Ürün değildir
 DocType: Leave Type,Encashment,paraya çevirme
+DocType: Delivery Settings,Delivery Settings,Teslimat Ayarları
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Veriyi getir
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},{0} izin türünde izin verilen maksimum izin {1}
 DocType: SMS Center,Create Receiver List,Alıcı listesi oluşturma
 DocType: Vehicle,Wheels,Tekerlekler
@@ -2997,7 +3023,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,"Faturalandırma para birimi, varsayılan şirketin para birimi veya parti hesabı para birimine eşit olmalıdır"
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Paketin bu teslimatın bir parçası olduğunu gösterir (Sadece Taslak)
 DocType: Soil Texture,Loam,verimli toprak
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Satır {0}: Teslim Tarihi gönderim tarihinden önce olamaz
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Satır {0}: Teslim Tarihi gönderim tarihinden önce olamaz
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Ödeme Girdisi Oluştur
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Ürün {0} için miktar{1} den az olmalıdır
 ,Sales Invoice Trends,Satış Faturası Trendler
@@ -3006,12 +3032,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Eğer ücret biçimi 'Önceki Ham Miktar' veya 'Önceki Ham Totk' ise referans verebilir
 DocType: Sales Order Item,Delivery Warehouse,Teslim Depo
 DocType: Leave Type,Earned Leave Frequency,Kazanılmış Bırakma Frekansı
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Finansal Maliyet Merkezleri Ağacı.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Alt türü
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Finansal Maliyet Merkezleri Ağacı.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Alt türü
 DocType: Serial No,Delivery Document No,Teslim Belge No
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Üretilen Seri No&#39;ya Göre Teslimatı Sağlayın
 DocType: Vital Signs,Furry,Kürklü
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Lütfen 'Varlık Elden Çıkarılmasına İlişkin Kâr / Zarar Hesabı''nı {0} şirketi için ayarlayın
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Lütfen 'Varlık Elden Çıkarılmasına İlişkin Kâr / Zarar Hesabı''nı {0} şirketi için ayarlayın
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Satınalma Makbuzlar Gönderen Ürünleri alın
 DocType: Serial No,Creation Date,Oluşturulma Tarihi
 DocType: Serial No,Creation Date,Oluşturulma Tarihi
@@ -3026,10 +3052,11 @@
 DocType: Item,Has Variants,Varyasyoları var
 DocType: Employee Benefit Claim,Claim Benefit For,Için hak talebi
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Yanıt Güncelle
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Zaten öğeleri seçtiniz {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Zaten öğeleri seçtiniz {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Aylık Dağıtım Adı
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Parti numarası zorunludur
 DocType: Sales Person,Parent Sales Person,Ana Satış Elemanı
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Alınacak hiçbir öğe gecikmedi
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Satıcı ve alıcı aynı olamaz
 DocType: Project,Collect Progress,İlerlemeyi topla
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -3046,7 +3073,7 @@
 DocType: Budget,Budget,Bütçe
 DocType: Budget,Budget,Bütçe
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Aç ayarla
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Sabit Kıymet Öğe olmayan bir stok kalemi olmalıdır.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Sabit Kıymet Öğe olmayan bir stok kalemi olmalıdır.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bir gelir ya da gider hesabı değil gibi Bütçe, karşı {0} atanamaz"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} için maksimum muafiyet miktarı {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Arşivlendi
@@ -3066,9 +3093,9 @@
 ,Amount to Deliver,Teslim edilecek tutar
 DocType: Asset,Insurance Start Date,Sigorta Başlangıç Tarihi
 DocType: Salary Component,Flexible Benefits,Esnek Faydalar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Aynı öğe birden çok kez girildi. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Aynı öğe birden çok kez girildi. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Dönem Başlangıç Tarihi terim bağlantılı olduğu için Akademik Yılı Year Başlangıç Tarihi daha önce olamaz (Akademik Yılı {}). tarihleri düzeltmek ve tekrar deneyin.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Hatalar vardı
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Hatalar vardı
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,"Çalışan {0}, {1} için {2} ve {3} arasında zaten başvuruda bulundu:"
 DocType: Guardian,Guardian Interests,Guardian İlgi
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Hesap Adını / Numarasını Güncelle
@@ -3113,9 +3140,9 @@
 ,Item-wise Purchase History,Ürün bilgisi Satın Alma Geçmişi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Ürün {0} seri numarası eklemek için 'Program Ekle' ye tıklayınız
 DocType: Account,Frozen,Dondurulmuş
-DocType: Delivery Note,Vehicle Type,araç tipi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,araç tipi
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Esas Tutar (Şirket Para Birimi)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,İşlenmemiş içerikler
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,İşlenmemiş içerikler
 DocType: Payment Reconciliation Payment,Reference Row,referans Satır
 DocType: Installation Note,Installation Time,Kurulum Zaman
 DocType: Installation Note,Installation Time,Kurulum Zaman
@@ -3127,12 +3154,13 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Yatırımlar
 DocType: Issue,Resolution Details,Karar Detayları
 DocType: Issue,Resolution Details,Karar Detayları
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,işlem tipi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,işlem tipi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Onaylanma Kriterleri
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Yukarıdaki tabloda Malzeme İstekleri giriniz
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Dergi Girişi için geri ödeme yok
 DocType: Hub Tracked Item,Image List,Görüntü listesi
 DocType: Item Attribute,Attribute Name,Öznitelik Adı
+DocType: Subscription,Generate Invoice At Beginning Of Period,Dönem Başında Fatura Yaratın
 DocType: BOM,Show In Website,Web sitesinde Göster
 DocType: Loan Application,Total Payable Amount,Toplam Ödenecek Tutar
 DocType: Task,Expected Time (in hours),(Saat) Beklenen Zaman
@@ -3173,8 +3201,8 @@
 DocType: Employee,Resignation Letter Date,İstifa Mektubu Tarihi
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Fiyatlandırma Kuralları miktara dayalı olarak tekrar filtrelenir.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Ayarlanmadı
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Lütfen çalışan {0} için Katılma Tarihi&#39;ni ayarlayın.
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Lütfen çalışan {0} için Katılma Tarihi&#39;ni ayarlayın.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Lütfen çalışan {0} için Katılma Tarihi&#39;ni ayarlayın.
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Lütfen çalışan {0} için Katılma Tarihi&#39;ni ayarlayın.
 DocType: Inpatient Record,Discharge,Deşarj
 DocType: Task,Total Billing Amount (via Time Sheet),Toplam Fatura Tutarı (Zaman Sheet yoluyla)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Tekrar Müşteri Gelir
@@ -3185,13 +3213,13 @@
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Çift
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Çift
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Bu mod seçildiğinde, POS Fatura&#39;da varsayılan hesap otomatik olarak güncellenecektir."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Üretim için BOM ve Miktar seçin
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Üretim için BOM ve Miktar seçin
 DocType: Asset,Depreciation Schedule,Amortisman Programı
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Satış Ortağı Adresleri ve Kişiler
 DocType: Bank Reconciliation Detail,Against Account,Hesap karşılığı
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Yarım Gün Tarih Tarihinden ve Tarihi arasında olmalıdır
 DocType: Maintenance Schedule Detail,Actual Date,Gerçek Tarih
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Lütfen {0} şirketindeki Varsayılan Maliyet Merkezi&#39;ni ayarlayın.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Lütfen {0} şirketindeki Varsayılan Maliyet Merkezi&#39;ni ayarlayın.
 DocType: Item,Has Batch No,Parti No Var
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Yıllık Fatura: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detayı
@@ -3204,7 +3232,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Vardiya Türü
 DocType: Student,Personal Details,Kişisel Bilgiler
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Lütfen firma {0} için 'Varlık Değer Kaybı Maliyet Merkezi' tanımlayın
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Lütfen firma {0} için 'Varlık Değer Kaybı Maliyet Merkezi' tanımlayın
 ,Maintenance Schedules,Bakım Programları
 DocType: Task,Actual End Date (via Time Sheet),Gerçek tamamlanma tarihi (Zaman Tablosu'ndan)
 DocType: Soil Texture,Soil Type,Toprak tipi
@@ -3212,11 +3240,11 @@
 ,Quotation Trends,Teklif Trendleri
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Ürün {0} içim Ürün alanında Ürün grubu belirtilmemiş
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Hesaba için Bankamatik bir Alacak hesabı olması gerekir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Hesaba için Bankamatik bir Alacak hesabı olması gerekir
 DocType: Shipping Rule,Shipping Amount,Kargo Tutarı
 DocType: Shipping Rule,Shipping Amount,Kargo Tutarı
 DocType: Supplier Scorecard Period,Period Score,Dönem Notu
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Müşteri(ler) Ekle
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Müşteri(ler) Ekle
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bekleyen Tutar
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bekleyen Tutar
 DocType: Lab Test Template,Special,Özel
@@ -3234,7 +3262,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Antetli Kağıt Ekle
 DocType: Program Enrollment,Self-Driving Vehicle,Kendinden Sürüşlü Araç
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tedarikçi Puan Kartı Daimi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Satır {0}: Malzeme Listesi Öğe için bulunamadı {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Satır {0}: Malzeme Listesi Öğe için bulunamadı {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Toplam ayrılan yapraklar {0} az olamaz dönem için önceden onaylanmış yaprakları {1} den
 DocType: Contract Fulfilment Checklist,Requirement,gereklilik
 DocType: Journal Entry,Accounts Receivable,Alacak hesapları
@@ -3253,16 +3281,16 @@
 DocType: HR Settings,HR Settings,İK Ayarları
 DocType: HR Settings,HR Settings,İK Ayarları
 DocType: Salary Slip,net pay info,net ücret bilgisi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS Tutarı
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS Tutarı
 DocType: Woocommerce Settings,Enable Sync,Senkronizasyonu Etkinleştir
 DocType: Tax Withholding Rate,Single Transaction Threshold,Tek İşlem Eşiği
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Bu değer Varsayılan Satış Fiyatı Listesinde güncellenir.
 DocType: Email Digest,New Expenses,yeni giderler
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Miktarı
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Miktarı
 DocType: Shareholder,Shareholder,Hissedar
 DocType: Purchase Invoice,Additional Discount Amount,Ek İndirim Tutarı
 DocType: Cash Flow Mapper,Position,pozisyon
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Reçeteden Öğeleri Al
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Reçeteden Öğeleri Al
 DocType: Patient,Patient Details,Hasta Ayrıntıları
 DocType: Inpatient Record,B Positive,B Olumlu
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -3275,8 +3303,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Spor
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Spor
 DocType: Loan Type,Loan Name,kredi Ad
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Gerçek Toplam
-DocType: Lab Test UOM,Test UOM,UOM testi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Gerçek Toplam
 DocType: Student Siblings,Student Siblings,Öğrenci Kardeşleri
 DocType: Subscription Plan Detail,Subscription Plan Detail,Abonelik Planı Ayrıntısı
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Birim
@@ -3309,7 +3336,6 @@
 DocType: Workstation,Wages per hour,Saatlik ücret
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Toplu stok bakiyesi {0} olacak olumsuz {1} Warehouse Ürün {2} için {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Malzeme İstekleri ardından öğesinin yeniden sipariş seviyesine göre otomatik olarak gündeme gelmiş
-DocType: Email Digest,Pending Sales Orders,Satış Siparişleri Bekleyen
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Hesap {0} geçersiz. Hesap Para olmalıdır {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},{0} tarihinden itibaren çalışanın işten ayrılmasından sonra tarih {1} olamaz
 DocType: Supplier,Is Internal Supplier,İç Tedarikçi mi
@@ -3318,14 +3344,15 @@
 DocType: Healthcare Settings,Remind Before,Daha Önce Hatırlat
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Ölçü Birimi Dönüşüm katsayısı satır {0} da gereklidir
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",Satır # {0}: Referans Doküman Türü Satış Sipariş biri Satış Fatura veya günlük girdisi olmalıdır
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",Satır # {0}: Referans Doküman Türü Satış Sipariş biri Satış Fatura veya günlük girdisi olmalıdır
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Sadakat Puanı = Ne kadar para birimi?
 DocType: Salary Component,Deduction,Kesinti
 DocType: Salary Component,Deduction,Kesinti
 DocType: Item,Retain Sample,Numune Alın
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Satır {0}: From Time ve Zaman için zorunludur.
 DocType: Stock Reconciliation Item,Amount Difference,tutar Farkı
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Ürün Fiyatı için katma {0} Fiyat Listesi {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Ürün Fiyatı için katma {0} Fiyat Listesi {1}
+DocType: Delivery Stop,Order Information,Sipariş Bilgisi
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Bu satış kişinin Çalışan Kimliği giriniz
 DocType: Territory,Classification of Customers by region,Bölgelere göre Müşteriler sınıflandırılması
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Üretimde
@@ -3336,8 +3363,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Hesaplanan Banka Hesap bakiyesi
 DocType: Normal Test Template,Normal Test Template,Normal Test Şablonu
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Engelli kullanıcı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Fiyat Teklifi
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Alınan bir RFQ&#39;yi Teklif Değil olarak ayarlayamıyorum
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Fiyat Teklifi
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Alınan bir RFQ&#39;yi Teklif Değil olarak ayarlayamıyorum
 DocType: Salary Slip,Total Deduction,Toplam Kesinti
 DocType: Salary Slip,Total Deduction,Toplam Kesinti
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Hesap para birimi cinsinden yazdırılacak bir hesap seçin
@@ -3352,14 +3379,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tedarikçi Puan Kartı Kurulumu
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Değerlendirme Planı Adı
 DocType: Work Order Operation,Work Order Operation,İş Emri Operasyonu
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Uyarı: eki Geçersiz SSL sertifikası {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Uyarı: eki Geçersiz SSL sertifikası {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","İlanlar iş, tüm kişileri ve daha fazla potansiyel müşteri olarak eklemek yardımcı"
 DocType: Work Order Operation,Actual Operation Time,Gerçek Çalışma Süresi
 DocType: Authorization Rule,Applicable To (User),(Kullanıcıya) Uygulanabilir
 DocType: Purchase Taxes and Charges,Deduct,Düşmek
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,İş Tanımı
 DocType: Student Applicant,Applied,Başvuruldu
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Yeniden açın
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Yeniden açın
 DocType: Sales Invoice Item,Qty as per Stock UOM,Her Stok Ölçü Birimi (birim) için miktar
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Adı
 DocType: Attendance,Attendance Request,Katılım Talebi
@@ -3380,7 +3407,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Seri No {0} {1} uyarınca garantide
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimum İzin Verilebilir Değer
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,{0} kullanıcısı zaten mevcut
-apps/erpnext/erpnext/hooks.py +114,Shipments,Gönderiler
+apps/erpnext/erpnext/hooks.py +115,Shipments,Gönderiler
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Toplam Ayrılan Tutar (Şirket Para Birimi)
 DocType: Purchase Order Item,To be delivered to customer,Müşteriye teslim edilmek üzere
 DocType: BOM,Scrap Material Cost,Hurda Malzeme Maliyet
@@ -3388,12 +3415,13 @@
 DocType: Grant Application,Email Notification Sent,Gönderilen E-posta Bildirimi
 DocType: Purchase Invoice,In Words (Company Currency),Sözlü (Firma para birimi) olarak
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Şirket hesabı için şirket
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Öğe Kod, depo, miktar miktar satırında gereklidir"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Öğe Kod, depo, miktar miktar satırında gereklidir"
 DocType: Bank Guarantee,Supplier,Tedarikçi
 DocType: Bank Guarantee,Supplier,Tedarikçi
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Gönderen alın
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Bu bir kök departmanıdır ve düzenlenemez.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Ödeme Ayrıntılarını Göster
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Günlerde Süre
 DocType: C-Form,Quarter,Çeyrek
 DocType: C-Form,Quarter,Çeyrek
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Çeşitli Giderler
@@ -3404,7 +3432,7 @@
 DocType: Bank,Bank Name,Banka Adı
 DocType: Bank,Bank Name,Banka Adı
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Üstte
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Tüm tedarikçiler için satın alma siparişi vermek için alanı boş bırakın
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Tüm tedarikçiler için satın alma siparişi vermek için alanı boş bırakın
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Yatan Hasta Ziyaret Ücreti
 DocType: Vital Signs,Fluid,akışkan
 DocType: Leave Application,Total Leave Days,Toplam bırak Günler
@@ -3414,7 +3442,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Öğe Varyant Ayarları
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Firma Seçin ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Tüm bölümler için kabul ise boş bırakın
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} Ürün {1} için zorunludur
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} Ürün {1} için zorunludur
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Ürün {0}: {1} adet üretildi,"
 DocType: Payroll Entry,Fortnightly,iki haftada bir
 DocType: Currency Exchange,From Currency,Para biriminden
@@ -3467,7 +3495,7 @@
 DocType: Account,Fixed Asset,Sabit Varlık
 DocType: Amazon MWS Settings,After Date,Tarihten sonra
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Serileştirilmiş Envanteri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Şirket İçi Fatura için geçersiz {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Şirket İçi Fatura için geçersiz {0}.
 ,Department Analytics,Departman Analitiği
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Varsayılan iletişimde e-posta bulunamadı
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Gizli Oluştur
@@ -3486,6 +3514,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Vergi Ödeme İle
 DocType: Expense Claim Detail,Expense Claim Detail,Gideri Talebi Detayı
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Lütfen Eğitimde Eğitmen Adlandırma Sistemi&gt; Eğitim Ayarları&#39;nı kurun
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Tedarikçi için TRIPLICATE
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Baz Dövizinde Yeni Bakiye
 DocType: Location,Is Container,Konteyner mu
@@ -3493,14 +3522,14 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Doğru hesabı seçin
 DocType: Salary Structure Assignment,Salary Structure Assignment,Maaş Yapısı Atama
 DocType: Purchase Invoice Item,Weight UOM,Ağırlık Ölçü Birimi
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Folio numaraları ile mevcut Hissedarların listesi
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Folio numaraları ile mevcut Hissedarların listesi
 DocType: Salary Structure Employee,Salary Structure Employee,Maaş Yapısı Çalışan
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Varyant Özelliklerini Göster
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Varyant Özelliklerini Göster
 DocType: Student,Blood Group,Kan grubu
 DocType: Student,Blood Group,Kan grubu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,"{0} planındaki ödeme ağ geçidi hesabı, bu ödeme isteğindeki ödeme ağ geçidi hesabından farklıdır"
 DocType: Course,Course Name,Ders Adı
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Mevcut Mali Yılı için Vergi Stopajı verileri bulunamadı.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Mevcut Mali Yılı için Vergi Stopajı verileri bulunamadı.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Belirli bir çalışanın izni uygulamalarını onaylayabilir Kullanıcılar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Ofis Gereçleri
 DocType: Purchase Invoice Item,Qty,Miktar
@@ -3510,6 +3539,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronik
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronik
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Borçlanma ({0})
+DocType: BOM,Allow Same Item Multiple Times,Aynı Öğe Birden Fazla Duruma İzin Ver
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Stok yeniden sipariş düzeyine ulaştığında Malzeme talebinde bulun
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Tam zamanlı
 DocType: Payroll Entry,Employees,Çalışanlar
@@ -3521,11 +3551,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Ödeme onaylama
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Fiyat Listesi ayarlı değilse fiyatları gösterilmeyecektir
 DocType: Stock Entry,Total Incoming Value,Toplam Gelen Değeri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Bankamatik To gereklidir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Bankamatik To gereklidir
 DocType: Clinical Procedure,Inpatient Record,Yatan Kayıt
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Zaman çizelgeleri ekip tarafından yapılan aktiviteler için zaman, maliyet ve fatura izlemenize yardımcı"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Satınalma Fiyat Listesi
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,İşlem tarihi
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Satınalma Fiyat Listesi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,İşlem tarihi
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Tedarikçi puan kartı değişkenlerinin şablonları.
 DocType: Job Offer Term,Offer Term,Teklif Dönem
 DocType: Asset,Quality Manager,Kalite Müdürü
@@ -3547,11 +3577,11 @@
 DocType: Cashier Closing,To Time,Zamana
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) {0} için
 DocType: Authorization Rule,Approving Role (above authorized value),(Yetkili değerin üstünde) Rolü onaylanması
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Hesaba için Kredi bir Ödenecek hesabı olması gerekir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Hesaba için Kredi bir Ödenecek hesabı olması gerekir
 DocType: Loan,Total Amount Paid,Toplamda ödenen miktar
 DocType: Asset,Insurance End Date,Sigorta Bitiş Tarihi
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Lütfen ödenen öğrenci başvurusu için zorunlu Öğrenci Kabulünü seçin
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM özyineleme: {0} ebeveyn veya çocuk olamaz {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM özyineleme: {0} ebeveyn veya çocuk olamaz {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Bütçe Listesi
 DocType: Work Order Operation,Completed Qty,Tamamlanan Adet
 DocType: Work Order Operation,Completed Qty,Tamamlanan Adet
@@ -3560,7 +3590,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serileştirilmiş Öğe {0} Stok Mutabakatı kullanılarak güncellenemez, lütfen Stok Girişi kullanın"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serileştirilmiş Öğe {0} Stok Mutabakatı kullanılarak güncellenemez, lütfen Stok Girişi kullanın"
 DocType: Training Event Employee,Training Event Employee,Eğitim Etkinlik Çalışan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,"Maksimum Örnekler - {0}, Toplu İş {1} ve Madde {2} için tutulabilir."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,"Maksimum Örnekler - {0}, Toplu İş {1} ve Madde {2} için tutulabilir."
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Zaman Dilimleri Ekleme
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Öğe için gerekli Seri Numaraları {1}. Sağladığınız {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Güncel Değerleme Oranı
@@ -3593,11 +3623,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Bulunamadı Seri No {0}
 DocType: Fee Schedule Program,Fee Schedule Program,Ücret Programı Programı
 DocType: Fee Schedule Program,Student Batch,Öğrenci Toplu
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Lütfen bu dokümanı iptal etmek için <a href=""#Form/Employee/{0}"">{0}</a> \ çalışanını silin."
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Öğrenci olun
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Sağlık Hizmeti Birim Türü
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},{0} projesine katkıda bulunmak için davet edildiniz
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},{0} projesine katkıda bulunmak için davet edildiniz
 DocType: Supplier Group,Parent Supplier Group,Ana Tedarikçi Grubu
+DocType: Email Digest,Purchase Orders to Bill,Siparişleri Faturaya Alın
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Grup Şirketi&#39;nde Birikmiş Değerler
 DocType: Leave Block List Date,Block Date,Blok Tarih
 DocType: Crop,Crop,ekin
@@ -3611,6 +3644,7 @@
 DocType: Sales Order,Not Delivered,Teslim Edilmedi
 ,Bank Clearance Summary,Banka Gümrükleme Özet
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Günlük, haftalık ve aylık e-posta özetleri oluştur."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,"Bu, bu Satış Kişisine karşı yapılan işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesine bakın"
 DocType: Appraisal Goal,Appraisal Goal,Değerlendirme Hedefi
 DocType: Stock Reconciliation Item,Current Amount,Güncel Tutar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Binalar
@@ -3639,7 +3673,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Yazılımlar
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Sonraki İletişim Tarih geçmişte olamaz
 DocType: Company,For Reference Only.,Başvuru için sadece.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Toplu İş Numarayı Seç
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Toplu İş Numarayı Seç
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Geçersiz {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Referans Inv
@@ -3659,19 +3693,19 @@
 DocType: Normal Test Items,Require Result Value,Sonuç Değerini Gerektir
 DocType: Item,Show a slideshow at the top of the page,Sayfanın üstünde bir slayt gösterisi göster
 DocType: Tax Withholding Rate,Tax Withholding Rate,Vergi Stopaj Oranı
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Ürün Ağaçları
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Mağazalar
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Mağazalar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Ürün Ağaçları
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Mağazalar
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Mağazalar
 DocType: Project Type,Projects Manager,Proje Yöneticisi
 DocType: Serial No,Delivery Time,İrsaliye Zamanı
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Yaşlandırma Temeli
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Dayalı Yaşlanma
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Randevu iptal edildi
 DocType: Item,End of Life,Kullanım süresi Sonu
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Gezi
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Gezi
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Gezi
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Gezi
 DocType: Student Report Generation Tool,Include All Assessment Group,Tüm Değerlendirme Grubunu Dahil Et
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Verilen tarihler için çalışan {0} için bulunamadı aktif veya varsayılan Maaş Yapısı
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Verilen tarihler için çalışan {0} için bulunamadı aktif veya varsayılan Maaş Yapısı
 DocType: Leave Block List,Allow Users,Kullanıcılara izin ver
 DocType: Purchase Order,Customer Mobile No,Müşteri Mobil Hayır
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Nakit Akışı Eşleme Şablonu Ayrıntıları
@@ -3681,15 +3715,16 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Güncelleme Maliyeti
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Güncelleme Maliyeti
 DocType: Item Reorder,Item Reorder,Ürün Yeniden Sipariş
+DocType: Delivery Note,Mode of Transport,Ulaşım modu
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Göster Maaş Kayma
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer Malzemesi
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer Malzemesi
 DocType: Fees,Send Payment Request,Ödeme Talebi Gönderme
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","İşlemleri, işlem maliyetlerini belirtiniz ve işlemlerinize kendilerine özgü işlem numaraları veriniz."
 DocType: Travel Request,Any other details,Diğer detaylar
 DocType: Water Analysis,Origin,Menşei
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Bu belge ile sınırı üzerinde {0} {1} öğe için {4}. yapıyoruz aynı karşı başka {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,kaydettikten sonra yinelenen ayarlayın
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Seç değişim miktarı hesabı
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,kaydettikten sonra yinelenen ayarlayın
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Seç değişim miktarı hesabı
 DocType: Purchase Invoice,Price List Currency,Fiyat Listesi Para Birimi
 DocType: Purchase Invoice,Price List Currency,Fiyat Listesi Para Birimi
 DocType: Naming Series,User must always select,Kullanıcı her zaman seçmelidir
@@ -3713,9 +3748,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,izlenebilirlik
 DocType: Asset Maintenance Log,Actions performed,Yapılan eylemler
 DocType: Cash Flow Mapper,Section Leader,Bölüm Lideri
+DocType: Delivery Note,Transport Receipt No,Taşıma Makbuzu No
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Fon kaynakları (Yükümlülükler)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Kaynak ve Hedef Konumu aynı olamaz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Satır {0} ({1}) deki miktar üretilen miktar {2} ile aynı olmalıdır
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Satır {0} ({1}) deki miktar üretilen miktar {2} ile aynı olmalıdır
 DocType: Supplier Scorecard Scoring Standing,Employee,Çalışan
 DocType: Supplier Scorecard Scoring Standing,Employee,Çalışan
 DocType: Bank Guarantee,Fixed Deposit Number,Sabit Mevduat Numarası
@@ -3731,16 +3767,17 @@
 DocType: Soil Analysis,Soil Analysis Criterias,Toprak Analiz Kriterleri
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Satış veya Satın Alma için standart sözleşme şartları.
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Satış veya Satın Alma için standart sözleşme şartları.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Bu randevuyu iptal etmek istediğinize emin misiniz?
+DocType: BOM Item,Item operation,Öğe operasyonu
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Bu randevuyu iptal etmek istediğinize emin misiniz?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Otel Odasında Fiyatlandırma Paketi
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,satış Hattı
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,satış Hattı
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Maaş Bileşeni varsayılan hesabı ayarlamak Lütfen {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Gerekli Açık
 DocType: Rename Tool,File to Rename,Rename Dosya
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Satır Öğe için BOM seçiniz {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Abonelik Güncellemeleri Al
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},"Hesap {0}, Şirket {1} Hesap Modu'yla eşleşmiyor: {2}"
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Ürün için yok Belirtilen BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Ürün için yok Belirtilen BOM {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Ders:
 DocType: Soil Texture,Sandy Loam,Kumlu kumlu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Bakım Programı {0} bu Satış Emri iptal edilmeden önce iptal edilmelidir
@@ -3749,7 +3786,7 @@
 DocType: Notification Control,Expense Claim Approved,Gideri Talebi Onaylandı
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Avansları ve Tahsisleri Ayarla (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,İş emri oluşturulmadı
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,çalışanın maaş Kuponu {0} zaten bu dönem için oluşturulan
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,çalışanın maaş Kuponu {0} zaten bu dönem için oluşturulan
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Ecza
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,İzin Depozitini geçerli bir nakit miktarı için gönderebilirsiniz.
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Satın Öğeler Maliyeti
@@ -3758,7 +3795,8 @@
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Satıcı Olun
 DocType: Purchase Invoice,Credit To,Kredi için
 DocType: Purchase Invoice,Credit To,Kredi için
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Aktif Potansiyeller / Müşteriler
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Aktif Potansiyeller / Müşteriler
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Standart Teslimat Not formatını kullanmak için boş bırakın
 DocType: Employee Education,Post Graduate,Lisans Üstü
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Bakım Programı Detayı
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Bakım Programı Detayı
@@ -3773,15 +3811,15 @@
 DocType: Support Search Source,Post Title Key,Yazı Başlığı Anahtarı
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,İş Kartı için
 DocType: Warranty Claim,Raised By,Talep eden
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,reçeteler
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,reçeteler
 DocType: Payment Gateway Account,Payment Account,Ödeme Hesabı
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Devam etmek için Firma belirtin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Devam etmek için Firma belirtin
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Devam etmek için Firma belirtin
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Devam etmek için Firma belirtin
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Alacak Hesapları Net Değişim
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Telafi İzni
 DocType: Job Offer,Accepted,Onaylanmış
 DocType: POS Closing Voucher,Sales Invoices Summary,Satış Faturaları Özeti
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Parti Adına
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Parti Adına
 DocType: Grant Application,Organization,organizasyon
 DocType: Grant Application,Organization,organizasyon
 DocType: BOM Update Tool,BOM Update Tool,BOM Güncelleme Aracı
@@ -3791,7 +3829,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Bu şirkete ait bütün işlemleri silmek istediğinizden emin olun. Ana veriler olduğu gibi kalacaktır. Bu işlem geri alınamaz.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,arama sonuçları
 DocType: Room,Room Number,Oda numarası
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Geçersiz referans {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Geçersiz referans {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) planlanan quanitity daha büyük olamaz ({2}) Üretim Sipariş {3}
 DocType: Shipping Rule,Shipping Rule Label,Kargo Kural Etiketi
 DocType: Journal Entry Account,Payroll Entry,Bordro Girişi
@@ -3799,8 +3837,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Vergi Şablonu Yap
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,kullanıcı Forumu
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Hammaddeler boş olamaz.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Satır # {0} (Ödeme Tablosu): Tutar negatif olmalı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Stok güncelleme olamazdı, fatura damla nakliye öğe içeriyor."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Satır # {0} (Ödeme Tablosu): Tutar negatif olmalı
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Stok güncelleme olamazdı, fatura damla nakliye öğe içeriyor."
 DocType: Contract,Fulfilment Status,Yerine Getirilme Durumu
 DocType: Lab Test Sample,Lab Test Sample,Laboratuvar Testi Örneği
 DocType: Item Variant Settings,Allow Rename Attribute Value,Öznitelik Değerini Yeniden Adlandırmaya İzin Ver
@@ -3843,14 +3881,14 @@
 DocType: BOM,Show Operations,göster İşlemleri
 ,Minutes to First Response for Opportunity,Fırsat İlk Tepki Dakika
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Toplam Yok
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Satır {0} daki Ürün veya Depo Ürün isteğini karşılamıyor
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Satır {0} daki Ürün veya Depo Ürün isteğini karşılamıyor
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Ölçü Birimi
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Ölçü Birimi
 DocType: Fiscal Year,Year End Date,Yıl Bitiş Tarihi
 DocType: Fiscal Year,Year End Date,Yıl Bitiş Tarihi
 DocType: Task Depends On,Task Depends On,Görev Bağlıdır
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Fırsat
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Fırsat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Fırsat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Fırsat
 DocType: Operation,Default Workstation,Standart İstasyonu
 DocType: Notification Control,Expense Claim Approved Message,Gideri Talebi Onay Mesajı
 DocType: Payment Entry,Deductions or Loss,Kesintiler veya Zararı
@@ -3891,21 +3929,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Onaylayan Kullanıcı kuralın uygulanabilir olduğu kullanıcı ile aynı olamaz
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Temel Oranı (Stok Ölçü Birimi göre)
 DocType: SMS Log,No of Requested SMS,İstenen SMS Sayısı
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,onaylanmış bırakın Uygulama kayıtları ile eşleşmiyor Öde Yapmadan
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,onaylanmış bırakın Uygulama kayıtları ile eşleşmiyor Öde Yapmadan
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Sonraki adımlar
 DocType: Travel Request,Domestic,yerli
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Lütfen belirtilen ürünleri mümkün olan en rekabetçi fiyatlarla sununuz
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Lütfen belirtilen ürünleri mümkün olan en rekabetçi fiyatlarla sununuz
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Devir tarihinden önce çalışan transferi yapılamaz.
 DocType: Certification Application,USD,Amerikan Doları
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Fatura Oluştur
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Kalan Bakiye
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Kalan Bakiye
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 gün sonra otomatik yakın Fırsat
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} hesap kartının puan durumu nedeniyle {0} için Satın Alma Siparişlerine izin verilmiyor.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,"Barkod {0}, geçerli bir {1} kodu değil"
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,"Barkod {0}, geçerli bir {1} kodu değil"
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,bitiş yılı
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Teklif/Müşteri Adayı yüzdesi
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Teklif/Müşteri Adayı yüzdesi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Sözleşme Bitiş tarihi Katılma tarihinden büyük olmalıdır
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Sözleşme Bitiş tarihi Katılma tarihinden büyük olmalıdır
 DocType: Driver,Driver,sürücü
 DocType: Vital Signs,Nutrition Values,Beslenme Değerleri
 DocType: Lab Test Template,Is billable,Faturalandırılabilir mi
@@ -3916,7 +3954,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Bu ERPNextten otomatik olarak üretilmiş bir örnek web sitedir.
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Yaşlanma Aralığı 1
 DocType: Shopify Settings,Enable Shopify,Shopify&#39;ı etkinleştir
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,"Toplam avans miktarı, talep edilen toplam tutar kadar olamaz"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,"Toplam avans miktarı, talep edilen toplam tutar kadar olamaz"
 DocType: Purchase Taxes and Charges Template,"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
@@ -3963,12 +4001,12 @@
 DocType: Employee Separation,Employee Separation,Çalışan Ayrılığı
 DocType: BOM Item,Original Item,Orijinal öğe
 DocType: Purchase Receipt Item,Recd Quantity,Alınan Miktar
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doküman Tarihi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doküman Tarihi
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Ücret Kayıtları düzenlendi - {0}
 DocType: Asset Category Account,Asset Category Account,Varlık Tipi Hesabı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Sıra # {0} (Ödeme Tablosu): Miktarın pozitif olması gerekir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Sıra # {0} (Ödeme Tablosu): Miktarın pozitif olması gerekir
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Satış Sipariş Miktarı {1} den fazla Ürün {0} üretilemez
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Özellik Değerlerini Seç
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Özellik Değerlerini Seç
 DocType: Purchase Invoice,Reason For Issuing document,Belgenin Verilmesi Nedeni
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stok Giriş {0} teslim edilmez
 DocType: Payment Reconciliation,Bank / Cash Account,Banka / Kasa Hesabı
@@ -3978,8 +4016,10 @@
 DocType: Asset,Manual,Manuel
 DocType: Salary Component Account,Salary Component Account,Maaş Bileşen Hesabı
 DocType: Global Defaults,Hide Currency Symbol,Para birimi simgesini gizle
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Kaynağa Göre Satış Olanakları
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Bağışçı bilgileri.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","Örneğin: Banka, Nakit, Kredi Kartı"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Lütfen Kurulum&gt; Numaralandırma Serileri ile Katılım için numaralandırma dizisini ayarlayın
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","Örneğin: Banka, Nakit, Kredi Kartı"
 DocType: Job Applicant,Source Name,kaynak Adı
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",Yetişkinlerde normal istirahat tansiyonu sistolik olarak yaklaşık 120 mmHg ve &quot;120/80 mmHg&quot; olarak kısaltılan 80 mmHg diastoliktir
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Öğe raf ömrünü günler halinde ayarla, üretim süresine ve yaşam ömrüne dayalı olarak dolum süresinin ayarlanması"
@@ -4013,7 +4053,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Miktar için {0} miktarından daha az olmalıdır
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Satır {0}: Başlangıç tarihi bitiş tarihinden önce olmalıdır
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimum Fayda Tutarı (Yıllık)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Oranı%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Oranı%
 DocType: Crop,Planting Area,Dikim Alanı
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Toplam (Adet)
 DocType: Installation Note Item,Installed Qty,Kurulan Miktar
@@ -4039,8 +4079,8 @@
 DocType: Buying Settings,Default Buying Price List,Standart Alış Fiyat Listesi
 DocType: Buying Settings,Default Buying Price List,Standart Alış Fiyat Listesi
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Çizelgesi dayanarak maaş Kayma
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Alış oranı
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Satır {0}: {1} varlık öğesi için yer girin
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Alış oranı
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Satır {0}: {1} varlık öğesi için yer girin
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-TT-.YYYY.-
 DocType: Company,About the Company,Şirket hakkında
 DocType: Notification Control,Sales Order Message,Satış Sipariş Mesajı
@@ -4112,10 +4152,11 @@
 DocType: Account,Income Account,Gelir Hesabı
 DocType: Account,Income Account,Gelir Hesabı
 DocType: Payment Request,Amount in customer's currency,Müşterinin para miktarı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,İrsaliye
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,İrsaliye
 DocType: Volunteer,Weekdays,Hafta içi
 DocType: Stock Reconciliation Item,Current Qty,Güncel Adet
 DocType: Restaurant Menu,Restaurant Menu,Restaurant Menü
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Tedarikçi Ekle
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Yardım Bölümü
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Önceki
@@ -4128,21 +4169,22 @@
 DocType: Item Reorder,Material Request Type,Malzeme İstek Türü
 DocType: Item Reorder,Material Request Type,Malzeme İstek Türü
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Grant İnceleme E-postasını gönder
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",YerelDepolama dolu kurtarmadı
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Satır {0}: Ölçü Birimi Dönüşüm Faktörü zorunludur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",YerelDepolama dolu kurtarmadı
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Satır {0}: Ölçü Birimi Dönüşüm Faktörü zorunludur
 DocType: Employee Benefit Claim,Claim Date,Talep Tarihi
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Oda Kapasitesi
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Zaten {0} öğesi için kayıt var
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Önceden oluşturulan faturaların kayıtlarını kaybedersiniz. Bu aboneliği tekrar başlatmak istediğinizden emin misiniz?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Kayıt ücreti
 DocType: Loyalty Program Collection,Loyalty Program Collection,Sadakat Programı Koleksiyonu
 DocType: Stock Entry Detail,Subcontracted Item,Taşeronluk kalemi
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},{0} öğrencisi {1} grubuna ait değil
 DocType: Budget,Cost Center,Maliyet Merkezi
 DocType: Budget,Cost Center,Maliyet Merkezi
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Föy #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Föy #
 DocType: Notification Control,Purchase Order Message,Satınalma Siparişi Mesajı
 DocType: Tax Rule,Shipping Country,Nakliye Ülke
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Satış İşlemler gelen Müşterinin Vergi Kimliği gizleme
@@ -4164,25 +4206,24 @@
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Özellik zaten eklendi
 DocType: Item Supplier,Item Supplier,Ürün Tedarikçisi
 DocType: Item Supplier,Item Supplier,Ürün Tedarikçisi
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Toplu almak için Ürün Kodu girin
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{0} - {1} teklifi için bir değer seçiniz
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Toplu almak için Ürün Kodu girin
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{0} - {1} teklifi için bir değer seçiniz
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Transfer için hiçbir öğe seçilmedi
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tüm adresler.
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tüm adresler.
 DocType: Company,Stock Settings,Stok Ayarları
 DocType: Company,Stock Settings,Stok Ayarları
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Aşağıdaki özelliklerin her ikisi, kayıtlarında aynı ise birleştirme mümkündür. Grup, Kök tipi, Şirket"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Aşağıdaki özelliklerin her ikisi, kayıtlarında aynı ise birleştirme mümkündür. Grup, Kök tipi, Şirket"
 DocType: Vehicle,Electric,Elektrik
 DocType: Task,% Progress,% İlerleme
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Varlık Bertaraf Kâr / Zarar
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Aşağıdaki tabloda yalnızca &quot;Onaylandı&quot; durumuna sahip Öğrenci Başvurusu seçilecektir.
 DocType: Tax Withholding Category,Rates,Oranlar
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Hesap {0} için hesap numarası mevcut değil. <br> Lütfen Hesap Tablonuzu doğru ayarlayın.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Hesap {0} için hesap numarası mevcut değil. <br> Lütfen Hesap Tablonuzu doğru ayarlayın.
 DocType: Task,Depends on Tasks,Görevler bağlıdır
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Müşteri Grupbu Ağacını Yönetin.
 DocType: Normal Test Items,Result Value,Sonuç Değeri
 DocType: Hotel Room,Hotels,Oteller
-DocType: Delivery Note,Transporter Date,Taşıyıcı Tarih
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Yeni Maliyet Merkezi Adı
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Yeni Maliyet Merkezi Adı
 DocType: Leave Control Panel,Leave Control Panel,İzin Kontrol Paneli
@@ -4234,13 +4275,14 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Bütün Değerlendirme Grupları
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Yeni Depo Adı
 DocType: Shopify Settings,App Type,Uygulama Türü
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Toplam {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Toplam {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Bölge
 DocType: C-Form Invoice Detail,Territory,Bölge
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Lütfen gerekli ziyaretlerin sayısını belirtin
 DocType: Stock Settings,Default Valuation Method,Standart Değerleme Yöntemi
 DocType: Stock Settings,Default Valuation Method,Standart Değerleme Yöntemi
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,ücret
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Kümülatif Tutarı Göster
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Güncelleme devam ediyor. Bu biraz zaman alabilir.
 DocType: Production Plan Item,Produced Qty,Üretilen Adet
 DocType: Vehicle Log,Fuel Qty,yakıt Adet
@@ -4248,7 +4290,7 @@
 DocType: Work Order Operation,Planned Start Time,Planlanan Başlangıç Zamanı
 DocType: Course,Assessment,Değerlendirme
 DocType: Payment Entry Reference,Allocated,Ayrılan
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Bilançoyu Kapat ve Kar veya Zararı ayır.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Bilançoyu Kapat ve Kar veya Zararı ayır.
 DocType: Student Applicant,Application Status,Başvuru Durumu
 DocType: Additional Salary,Salary Component Type,Maaş Bileşeni Türü
 DocType: Sensitivity Test Items,Sensitivity Test Items,Duyarlılık Testi Öğeleri
@@ -4259,10 +4301,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Toplam Alacakların Tutarı
 DocType: Sales Partner,Targets,Hedefler
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Lütfen SİREN numarasını şirket bilgi dosyasına kaydettirin
+DocType: Email Digest,Sales Orders to Bill,Bill&#39;e Satış Siparişleri
 DocType: Price List,Price List Master,Fiyat Listesi Ana
 DocType: GST Account,CESS Account,CESS Hesabı
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Ayarlamak ve hedefleri izleyebilirsiniz böylece tüm satış işlemleri birden ** Satış Kişilerin ** karşı etiketlenmiş olabilir.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Malzeme İsteğine Bağlantı
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Malzeme İsteğine Bağlantı
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forum Etkinliği
 ,S.O. No.,Satış Emri No
 ,S.O. No.,Satış Emri No
@@ -4278,7 +4321,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Bu bir kök müşteri grubudur ve düzenlenemez.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Birikmiş Aylık Bütçe Bütçesi Aşıldıysa Eylem
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Yerleştirmek
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Yerleştirmek
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Döviz Kuru Yeniden Değerleme
 DocType: POS Profile,Ignore Pricing Rule,Fiyatlandırma Kuralı Yoksay
 DocType: Employee Education,Graduate,Mezun
@@ -4328,6 +4371,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Lütfen Restoran Ayarları&#39;nda varsayılan müşteriyi ayarlayın
 ,Salary Register,Maaş Kayıt
 DocType: Warehouse,Parent Warehouse,Ana Depo
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Grafik
 DocType: Subscription,Net Total,Net Toplam
 DocType: Subscription,Net Total,Net Toplam
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Öğe {0} ve Proje {1} için varsayılan BOM bulunamadı
@@ -4362,25 +4406,27 @@
 DocType: Travel Itinerary,Lodging Required,Konaklama Gerekli
 ,Requested,Talep
 ,Requested,Talep
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Hiçbir Açıklamalar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Hiçbir Açıklamalar
 DocType: Asset,In Maintenance,Bakımda
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon SMM&#39;den Satış Siparişi verilerinizi çekmek için bu düğmeyi tıklayın.
-DocType: Vital Signs,Abdomen,karın
+DocType: Vital Signs,Abdomen,karın bölgesi
 DocType: Purchase Invoice,Overdue,Vadesi geçmiş
 DocType: Account,Stock Received But Not Billed,Alınmış ancak faturalanmamış stok
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Kök Hesabı bir grup olmalı
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Kök Hesabı bir grup olmalı
 DocType: Drug Prescription,Drug Prescription,İlaç Reçetesi
 DocType: Loan,Repaid/Closed,/ Ödenmiş Kapalı
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Tahmini toplam Adet
 DocType: Monthly Distribution,Distribution Name,Dağıtım Adı
 DocType: Monthly Distribution,Distribution Name,Dağıtım Adı
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM&#39;yi dahil et
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","{1} {2} için muhasebe kayıtları yapmak için gerekli olan {0} Öğesi için değerleme oranı bulunamadı. Öğe {1} &#39;de sıfır değerleme oranı maddesi olarak işlem yapıyorsa, lütfen bunu {1} Öğe tablosunda belirtin. Aksi takdirde, lütfen öğe için gelen bir hisse senedi işlemini oluşturun veya Öğe kayıtlarında değerleme oranını belirtin ve daha sonra bu girişi göndermeyi / iptal etmeyi deneyin"
 DocType: Course,Course Code,Kurs kodu
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Ürün  {0} için gerekli Kalite Kontrol
 DocType: Location,Parent Location,Ana Konum
 DocType: POS Settings,Use POS in Offline Mode,Çevrimdışı Modda POS kullanın
 DocType: Supplier Scorecard,Supplier Variables,Tedarikçi Değişkenleri
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} zorunludur. Belki de {1} - {2} için Döviz Kuru kaydı oluşturulmamıştır
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Müşterinin para biriminin şirketin temel para birimine dönüştürülme oranı
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Oranı (Şirket Para)
 DocType: Salary Detail,Condition and Formula Help,Kondisyon ve Formula Yardım
@@ -4390,20 +4436,20 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Satış Faturası
 DocType: Journal Entry Account,Party Balance,Parti Dengesi
 DocType: Cash Flow Mapper,Section Subtotal,Bölüm Toplamı
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,İndirim Açık Uygula seçiniz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,İndirim Açık Uygula seçiniz
 DocType: Stock Settings,Sample Retention Warehouse,Numune Alma Deposu
 DocType: Company,Default Receivable Account,Standart Alacak Hesabı
 DocType: Purchase Invoice,Deemed Export,İhracatın Dengesi
 DocType: Stock Entry,Material Transfer for Manufacture,Üretim için Materyal Transfer
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,İndirim Yüzdesi bir Fiyat listesine veya bütün fiyat listelerine karşı uygulanabilir.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Stokta Muhasebe Giriş
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Stokta Muhasebe Giriş
 DocType: Lab Test,LabTest Approver,LabTest Onaylayıcısı
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Zaten değerlendirme kriteri {} için değerlendirdiniz.
 DocType: Vehicle Service,Engine Oil,Motor yağı
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Oluşturulan İş Emirleri: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Oluşturulan İş Emirleri: {0}
 DocType: Sales Invoice,Sales Team1,Satış Ekibi1
 DocType: Sales Invoice,Sales Team1,Satış Ekibi1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Ürün {0} yoktur
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Ürün {0} yoktur
 DocType: Sales Invoice,Customer Address,Müşteri Adresi
 DocType: Sales Invoice,Customer Address,Müşteri Adresi
 DocType: Loan,Loan Details,kredi Detayları
@@ -4426,16 +4472,17 @@
 DocType: Item Group,Show this slideshow at the top of the page,Sayfanın üstünde bu slayt gösterisini göster
 DocType: BOM,Item UOM,Ürün Ölçü Birimi
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),İndirim Tutarından sonraki Vergi Tutarı (Şirket Para Biriminde)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Satır {0} için hedef depo zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Satır {0} için hedef depo zorunludur
 DocType: Cheque Print Template,Primary Settings,İlköğretim Ayarlar
 DocType: Attendance Request,Work From Home,Evden çalışmak
 DocType: Purchase Invoice,Select Supplier Address,Seç Tedarikçi Adresi
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Çalışan ekle
 DocType: Purchase Invoice Item,Quality Inspection,Kalite Kontrol
 DocType: Purchase Invoice Item,Quality Inspection,Kalite Kontrol
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Extra Small
 DocType: Company,Standard Template,standart Şablon
 DocType: Training Event,Theory,teori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Uyarı: İstenen Ürün Miktarı Minimum Sipariş Miktarından az
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Uyarı: İstenen Ürün Miktarı Minimum Sipariş Miktarından az
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Hesap {0} dondurulmuş
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Hesap {0} donduruldu
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Örgüte ait Hesap ayrı Planı Tüzel Kişilik / Yardımcı.
@@ -4443,14 +4490,14 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün"
 DocType: Account,Account Number,Hesap numarası
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Sadece karşı ödeme yapabilirsiniz faturalanmamış {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Komisyon oranı 100'den fazla olamaz
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Sadece karşı ödeme yapabilirsiniz faturalanmamış {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Komisyon oranı 100'den fazla olamaz
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Otomatik Olarak Avans Verme (FIFO)
 DocType: Volunteer,Volunteer,Gönüllü
 DocType: Buying Settings,Subcontract,Alt sözleşme
 DocType: Buying Settings,Subcontract,Alt sözleşme
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,İlk {0} giriniz
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,dan cevap yok
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,dan cevap yok
 DocType: Work Order Operation,Actual End Time,Gerçek Bitiş Zamanı
 DocType: Item,Manufacturer Part Number,Üretici kısım numarası
 DocType: Taxable Salary Slab,Taxable Salary Slab,Vergilendirilebilir Maaş Slab
@@ -4458,7 +4505,7 @@
 DocType: Bin,Bin,Kutu
 DocType: Bin,Bin,Kutu
 DocType: Crop,Crop Name,Bitki Adı
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Yalnızca {0} rolü olan kullanıcılar Marketplace&#39;e kayıt olabilir
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Yalnızca {0} rolü olan kullanıcılar Marketplace&#39;e kayıt olabilir
 DocType: SMS Log,No of Sent SMS,Gönderilen SMS sayısı
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Randevular ve Karşılaşmalar
@@ -4490,7 +4537,7 @@
 DocType: Purchase Invoice Item,Valuation Rate,Değerleme Oranı
 DocType: Purchase Invoice Item,Valuation Rate,Değerleme Oranı
 DocType: Vehicle,Diesel,Dizel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Fiyat Listesi para birimi seçilmemiş
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Fiyat Listesi para birimi seçilmemiş
 DocType: Purchase Invoice,Availed ITC Cess,Bilinen ITC Cess
 ,Student Monthly Attendance Sheet,Öğrenci Aylık Hazirun Cetveli
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Nakliye kuralı yalnızca Satış için geçerlidir
@@ -4508,7 +4555,7 @@
 DocType: Quality Inspection,Inspection Type,Muayene Türü
 DocType: Quality Inspection,Inspection Type,Muayene Türü
 DocType: Fee Validity,Visited yet,Henüz ziyaret edilmedi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Mevcut işlem ile depolar grubuna dönüştürülemez.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Mevcut işlem ile depolar grubuna dönüştürülemez.
 DocType: Assessment Result Tool,Result HTML,Sonuç HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Satış İşlemlerine göre proje ve şirket ne sıklıkla güncellenmelidir.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Tarihinde sona eriyor
@@ -4517,7 +4564,7 @@
 DocType: C-Form,C-Form No,C-Form No
 DocType: C-Form,C-Form No,C-Form No
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Mesafe
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Mesafe
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Satın aldığınız veya sattığınız ürünleri veya hizmetleri listeleyin.
 DocType: Water Analysis,Storage Temperature,Depolama sıcaklığı
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4535,21 +4582,21 @@
 DocType: Purchase Order Item,Returned Qty,İade edilen Adet
 DocType: Student,Exit,Çıkış
 DocType: Student,Exit,Çıkış
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Kök Tipi zorunludur
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Kök Tipi zorunludur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Kök Tipi zorunludur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Kök Tipi zorunludur
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Önayarlar yüklenemedi
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Saatlerde UOM Dönüşüm
 DocType: Contract,Signee Details,Signee Detayları
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} şu anda bir {1} Tedarikçi Puan Kartı&#39;na sahip ve bu tedarikçinin RFQ&#39;ları dikkatli bir şekilde verilmelidir.
 DocType: Certified Consultant,Non Profit Manager,Kâr Dışı Müdür
 DocType: BOM,Total Cost(Company Currency),Toplam Maliyet (Şirket Para Birimi)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Seri No {0} oluşturuldu
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Seri No {0} oluşturuldu
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Seri No {0} oluşturuldu
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Seri No {0} oluşturuldu
 DocType: Homepage,Company Description for website homepage,web sitesinin ana Firma Açıklaması
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Müşterilerinin rahatlığı için, bu kodlar faturalarda ve irsaliyelerde olduğu gibi basılı formatta kullanılabilir."
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Adı
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} için bilgi alınamadı.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Açılış Giriş Dergisi
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Açılış Giriş Dergisi
 DocType: Contract,Fulfilment Terms,Yerine Getirme Koşulları
 DocType: Sales Invoice,Time Sheet List,Mesai Kartı Listesi
 DocType: Employee,You can enter any date manually,Elle herhangi bir tarihi girebilirsiniz
@@ -4585,7 +4632,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Kuruluşunuz
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Atlama Ayrıştırma kayıtları zaten onlara karşı olduğundan, aşağıdaki çalışanlar için Ayrılmayı Bırakma. {0}"
 DocType: Fee Component,Fees Category,Ücretler Kategori
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Lütfen Boşaltma tarihi girin.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Lütfen Boşaltma tarihi girin.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Sponsorun Detayları (İsim, Yer)"
 DocType: Supplier Scorecard,Notify Employee,Çalışana bildir
@@ -4599,9 +4646,9 @@
 DocType: Attendance,Attendance Date,Katılım Tarihi
 DocType: Attendance,Attendance Date,Katılım Tarihi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Satınalma faturası {0} satın alım faturası için etkinleştirilmelidir
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Ürün Fiyatı {0} Fiyat Listesi için güncellenmiş {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Ürün Fiyatı {0} Fiyat Listesi için güncellenmiş {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Kazanç ve Kesintiye göre Maaş Aralığı.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Alt hesapları bulunan hesaplar muhasebe defterine dönüştürülemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Alt hesapları bulunan hesaplar muhasebe defterine dönüştürülemez.
 DocType: Purchase Invoice Item,Accepted Warehouse,Kabul edilen depo
 DocType: Bank Reconciliation Detail,Posting Date,Gönderme Tarihi
 DocType: Bank Reconciliation Detail,Posting Date,Gönderme Tarihi
@@ -4648,6 +4695,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Lütfen bir parti seçin
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Seyahat ve Gider Talebi
 DocType: Sales Invoice,Redemption Cost Center,Kefaret Maliyet Merkezi
+DocType: QuickBooks Migrator,Scope,kapsam
 DocType: Assessment Group,Assessment Group Name,Değerlendirme Grubu Adı
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Üretim için Materyal Transfer
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Ayrıntılara ekle
@@ -4655,6 +4703,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Son Senkronizasyon Tarihi
 DocType: Landed Cost Item,Receipt Document Type,Makbuz Belge Türü
 DocType: Daily Work Summary Settings,Select Companies,seç şirketler
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Teklif / Fiyat Teklifi
 DocType: Antibiotic,Healthcare,Sağlık hizmeti
 DocType: Target Detail,Target Detail,Hedef Detayı
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Tek Çeşit
@@ -4664,6 +4713,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Dönem Kapanış Girişi
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Bölümü seçin ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Maliyet Merkezi mevcut işlemlere gruba dönüştürülemez
+DocType: QuickBooks Migrator,Authorization URL,Yetkilendirme URL&#39;si
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Miktar {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortisman
 DocType: Account,Depreciation,Amortisman
@@ -4687,13 +4737,14 @@
 DocType: Support Search Source,Source DocType,Kaynak DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Yeni bir bilet aç
 DocType: Training Event,Trainer Email,eğitmen E-posta
+DocType: Driver,Transporter,Taşıyıcı
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Malzeme Talepleri {0} oluşturuldu
 DocType: Restaurant Reservation,No of People,İnsanlar Sayısı
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Şart veya sözleşmeler şablonu.
 DocType: Bank Account,Address and Contact,Adresler ve Kontaklar
 DocType: Vital Signs,Hyper,Aşırı
 DocType: Cheque Print Template,Is Account Payable,Ödenecek Hesap mı
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Stok Satın Alma Makbuzu karşı güncellenmiş edilemez {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Stok Satın Alma Makbuzu karşı güncellenmiş edilemez {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 gün sonra otomatik yakın Sayı
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Önce tahsis edilemez bırakın {0}, izin dengesi zaten carry iletilen gelecek izin tahsisi kayıtlarında olduğu gibi {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Not: nedeniyle / Referans Tarihi {0} gün izin müşteri kredi günü aştığı (ler)
@@ -4711,7 +4762,7 @@
 ,Qty to Deliver,Teslim Edilecek Miktar
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon bu tarihten sonra güncellenen verileri senkronize edecek
 ,Stock Analytics,Stok Analizi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operasyon boş bırakılamaz
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operasyon boş bırakılamaz
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Laboratuvar testleri)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Karşılık Belge Detay No.
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},{0} ülke için silme işlemine izin verilmiyor
@@ -4721,13 +4772,12 @@
 DocType: Material Request,Requested For,Için talep
 DocType: Material Request,Requested For,Için talep
 DocType: Quotation Item,Against Doctype,Karşılık Belge Türü
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} iptal edildi veya kapatıldı
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} iptal edildi veya kapatıldı
 DocType: Asset,Calculate Depreciation,Amortisman Hesapla
 DocType: Delivery Note,Track this Delivery Note against any Project,Bu irsaliyeyi bütün Projelere karşı takip et
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Yatırım Kaynaklanan Net Nakit
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Müşteri&gt; Müşteri Grubu&gt; Bölge
 DocType: Work Order,Work-in-Progress Warehouse,Devam eden depo işi
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,{0} ın varlığı onaylanmalı
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,{0} ın varlığı onaylanmalı
 DocType: Fee Schedule Program,Total Students,Toplam Öğrenci
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Seyirci Tutanak {0} Öğrenci karşı var {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Referans # {0} tarihli {1}
@@ -4749,7 +4799,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Sol Çalışanlar için Tutma Bonusu oluşturulamıyor
 DocType: Lead,Market Segment,Pazar Segmenti
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Tarım Müdürü
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},"Ödenen Tutar, toplam negatif ödenmemiş miktardan daha fazla olamaz {0}"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},"Ödenen Tutar, toplam negatif ödenmemiş miktardan daha fazla olamaz {0}"
 DocType: Supplier Scorecard Period,Variables,Değişkenler
 DocType: Employee Internal Work History,Employee Internal Work History,Çalışan Dahili İş Geçmişi
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Kapanış (Dr)
@@ -4775,24 +4825,27 @@
 DocType: Amazon MWS Settings,Synch Products,Ürünleri senkronize et
 DocType: Loyalty Point Entry,Loyalty Program,Sadakat programı
 DocType: Student Guardian,Father,baba
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,destek biletleri
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Stoğu Güncelle' sabit varlık satışları için kullanılamaz
 DocType: Bank Reconciliation,Bank Reconciliation,Banka Mutabakatı
 DocType: Bank Reconciliation,Bank Reconciliation,Banka Uzlaşma
 DocType: Attendance,On Leave,İzinli
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Güncellemeler Alın
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Hesap {2} Şirket&#39;e ait olmayan {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Her bir özellikten en az bir değer seçin.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Her bir özellikten en az bir değer seçin.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Malzeme Talebi {0} iptal edilmiş veya durdurulmuştur
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Sevk devlet
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Sevk devlet
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Yönetim bırakın
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Gruplar
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Gruplar
 DocType: Purchase Invoice,Hold Invoice,Faturayı Tut
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Lütfen Çalışan seçin
 DocType: Sales Order,Fully Delivered,Tamamen Teslim Edilmiş
-DocType: Lead,Lower Income,Alt Gelir
-DocType: Lead,Lower Income,Alt Gelir
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Alt Gelir
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Alt Gelir
 DocType: Restaurant Order Entry,Current Order,Geçerli Sipariş
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Seri numarası ve miktarı aynı olmalıdır
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Kaynak ve hedef depo Satır {0} için aynu olamaz
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Kaynak ve hedef depo Satır {0} için aynu olamaz
 DocType: Account,Asset Received But Not Billed,Alınan ancak Faturalandırılmayan Öğe
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",Bu Stok Mutabakatı bir Hesap Açılış Kaydı olduğundan fark hesabının aktif ya da pasif bir hesap tipi olması gerekmektedir
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Bir Kullanım Tutarı Kredi Miktarı daha büyük olamaz {0}
@@ -4801,7 +4854,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Ürüni {0} için Satınalma Siparişi numarası gerekli
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Tarihten itibaren ' Tarihine Kadar' dan sonra olmalıdır
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Bu tayin için hiçbir personel planı bulunamadı
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Öğe {1} öğesinin {0} tanesi devre dışı bırakıldı.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Öğe {1} öğesinin {0} tanesi devre dışı bırakıldı.
 DocType: Leave Policy Detail,Annual Allocation,Yıllık Tahsis
 DocType: Travel Request,Address of Organizer,Organizatörün Adresi
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Sağlık Uygulayıcılarını Seçiniz ...
@@ -4810,12 +4863,12 @@
 DocType: Asset,Fully Depreciated,Değer kaybı tamamlanmış
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Öngörülen Stok Miktarı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Müşteri {0} projeye ait değil {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Müşteri {0} projeye ait değil {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,İşaretlenmiş Devamlılık HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Alıntılar, müşterilerinize gönderilen adres teklifler önerileri şunlardır"
 DocType: Sales Invoice,Customer's Purchase Order,Müşterinin Sipariş
 DocType: Clinical Procedure,Patient,Hasta
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Satış Siparişinde kredi kontrolünü atla
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Satış Siparişinde kredi kontrolünü atla
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Çalışan Katılımı Etkinliği
 DocType: Location,Check if it is a hydroponic unit,Hidroponik bir birim olup olmadığını kontrol edin
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Seri No ve Toplu
@@ -4825,7 +4878,7 @@
 DocType: Supplier Scorecard Period,Calculations,Hesaplamalar
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Değer veya Miktar
 DocType: Payment Terms Template,Payment Terms,Ödeme şartları
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Productions Siparişler için yükseltilmiş olamaz:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Productions Siparişler için yükseltilmiş olamaz:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Dakika
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Dakika
 DocType: Purchase Invoice,Purchase Taxes and Charges,Alım Vergi ve Harçları
@@ -4834,7 +4887,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Tedarikçiler Listesine Git
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Kapanış Kuponu Vergileri
 ,Qty to Receive,Alınacak Miktar
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Başlangıç ve bitiş tarihleri geçerli bir Bordro Döneminde değil, {0} değerini hesaplayamaz."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Başlangıç ve bitiş tarihleri geçerli bir Bordro Döneminde değil, {0} değerini hesaplayamaz."
 DocType: Leave Block List,Leave Block List Allowed,Müsaade edilen izin engel listesi
 DocType: Grading Scale Interval,Grading Scale Interval,Not Verme Ölçeği Aralığı
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Araç giriş için Gider Talep {0}
@@ -4842,10 +4895,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Fiyat Listesindeki İndirim (%) Marjlı Oran
 DocType: Healthcare Service Unit Type,Rate / UOM,Oran / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tüm Depolar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Inter Şirket İşlemleri için {0} bulunamadı.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Inter Şirket İşlemleri için {0} bulunamadı.
 DocType: Travel Itinerary,Rented Car,Kiralanmış araba
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Şirketiniz hakkında
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Hesabın için Kredi bir bilanço hesabı olmalıdır
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Hesabın için Kredi bir bilanço hesabı olmalıdır
 DocType: Donor,Donor,verici
 DocType: Global Defaults,Disable In Words,Words devre dışı bırak
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,Ürün Kodu zorunludur çünkü Ürün otomatik olarak numaralandırmaz
@@ -4858,15 +4911,16 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Banka Kredili Mevduat Hesabı
 DocType: Patient,Patient ID,Hasta Kimliği
 DocType: Practitioner Schedule,Schedule Name,Program Adı
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Aşamaya Göre Satış Hattı
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Maaş Makbuzu Oluştur
 DocType: Currency Exchange,For Buying,Satın almak için
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Tüm Tedarikçiler Ekleyin
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Tüm Tedarikçiler Ekleyin
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"Sıra # {0}: Tahsis Edilen Miktar, ödenmemiş tutardan büyük olamaz."
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,BOM Araştır
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Teminatlı Krediler
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Teminatlı Krediler
 DocType: Purchase Invoice,Edit Posting Date and Time,Düzenleme Gönderme Tarihi ve Saati
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Lütfen Değer Kaybı ile ilgili Hesapları, Varlık Kategori {0} veya Firma {1} içinde belirleyin"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Lütfen Değer Kaybı ile ilgili Hesapları, Varlık Kategori {0} veya Firma {1} içinde belirleyin"
 DocType: Lab Test Groups,Normal Range,Normal aralık
 DocType: Academic Term,Academic Year,Akademik Yıl
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Mevcut Satış
@@ -4895,29 +4949,29 @@
 DocType: Patient Appointment,Patient Appointment,Hasta Randevusu
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Onaylama Rolü kuralın uygulanabilir olduğu rolle aynı olamaz
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Bu e-posta Digest aboneliğinden çık
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Tarafından Satıcı Alın
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Tarafından Satıcı Alın
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{1} öğesi için {0} bulunamadı
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Kurslara Git
 DocType: Accounts Settings,Show Inclusive Tax In Print,Yazdırılacak Dahil Vergilerini Göster
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Banka Hesabı, Tarihten ve Tarihe Göre Zorunludur"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Gönderilen Mesaj
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Gönderilen Mesaj
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Alt düğümleri olan hesaplar Hesap Defteri olarak ayarlanamaz
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Alt düğümleri olan hesaplar Hesap Defteri olarak ayarlanamaz
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Fiyat listesi para biriminin müşterinin temel para birimine dönüştürülme oranı
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Net Tutar (Şirket Para)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,"Toplam avans miktarı, toplam onaylanan tutardan fazla olamaz"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,"Toplam avans miktarı, toplam onaylanan tutardan fazla olamaz"
 DocType: Salary Slip,Hour Rate,Saat Hızı
 DocType: Salary Slip,Hour Rate,Saat Hızı
 DocType: Stock Settings,Item Naming By,Ürün adlandırma
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},{1} den sonra başka bir dönem kapatma girdisi {0} yapılmıştır
 DocType: Work Order,Material Transferred for Manufacturing,Üretim için Transfer edilen Materyal
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Hesap {0} yok
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Bağlılık Programı Seç
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Bağlılık Programı Seç
 DocType: Project,Project Type,Proje Tipi
 DocType: Project,Project Type,Proje Tipi
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Bu Görev için Çocuk Görevi var. Bu görevi silemezsiniz.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Hedef miktarı veya hedef tutarı zorunludur.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Hedef miktarı veya hedef tutarı zorunludur.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Çeşitli faaliyetler Maliyeti
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Olaylar ayarlanması {0}, Satış Kişilerin altına bağlı çalışan bir kullanıcı kimliğine sahip olmadığından {1}"
 DocType: Timesheet,Billing Details,Fatura Detayları
@@ -4978,14 +5032,14 @@
 DocType: Inpatient Record,A Negative,A Negatif
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Hiçbir şey daha göstermek için.
 DocType: Lead,From Customer,Müşteriden
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Aramalar
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Aramalar
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Aramalar
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Aramalar
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Ürün
 DocType: Employee Tax Exemption Declaration,Declarations,Beyannameler
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Partiler
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Ücreti Ayarla
 DocType: Purchase Order Item Supplied,Stock UOM,Stok Ölçü Birimi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Satınalma Siparişi {0} teslim edilmedi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Satınalma Siparişi {0} teslim edilmedi
 DocType: Account,Expenses Included In Asset Valuation,Varlık Değerlemesine Dahil Olan Giderler
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Bir yetişkin için normal referans aralığı 16-20 nefes / dakika&#39;dır (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tarife Numarası
@@ -5000,6 +5054,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Lütfen önce hastayı kaydedin
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Mevcudiyet başarıyla işaretlendi
 DocType: Program Enrollment,Public Transport,Toplu taşıma
+DocType: Delivery Note,GST Vehicle Type,GST Araç Türü
 DocType: Soil Texture,Silt Composition (%),Silt Kompozisyonu (%)
 DocType: Journal Entry,Remark,Dikkat
 DocType: Healthcare Settings,Avoid Confirmation,Doğrulama önlemek
@@ -5009,11 +5064,10 @@
 DocType: Education Settings,Current Academic Term,Mevcut Akademik Dönem
 DocType: Education Settings,Current Academic Term,Mevcut Akademik Dönem
 DocType: Sales Order,Not Billed,Faturalanmamış
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Her iki depo da aynı şirkete ait olmalıdır
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Her iki depo da aynı şirkete ait olmalıdır
 DocType: Employee Grade,Default Leave Policy,Varsayılan Ayrılma Politikası
 DocType: Shopify Settings,Shop URL,Mağaza URL&#39;si
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Hiç kişiler Henüz eklenmiş.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Lütfen Kurulum&gt; Numaralandırma Serileri ile Katılım için numaralandırma dizisini ayarlayın
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Bindirilmiş Maliyet Tutarı
 ,Item Balance (Simple),Öğe Dengesi (Basit)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Tedarikçiler tarafından artırılan faturalar
@@ -5039,7 +5093,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Teklif Serisi
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Bir Ürün aynı isimle bulunuyorsa ({0}), lütfen madde grubunun veya maddenin adını değiştirin"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Toprak Analiz Kriterleri
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,müşteri seçiniz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,müşteri seçiniz
 DocType: C-Form,I,ben
 DocType: Company,Asset Depreciation Cost Center,Varlık Değer Kaybı Maliyet Merkezi
 DocType: Production Plan Sales Order,Sales Order Date,Satış Sipariş Tarihi
@@ -5053,8 +5107,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Şu an herhangi bir depoda stok yok
 ,Payment Period Based On Invoice Date,Fatura Tarihine Dayalı Ödeme Süresi
 DocType: Sample Collection,No. of print,Baskı sayısı
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Doğum Günü Hatırlatıcısı
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Otel Odasında Rezervasyon Öğesi
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Eksik Döviz Kurları {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Eksik Döviz Kurları {0}
 DocType: Employee Health Insurance,Health Insurance Name,Sağlık Sigortası Adı
 DocType: Assessment Plan,Examiner,müfettiş
 DocType: Student,Siblings,Kardeşler
@@ -5071,19 +5126,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Yeni Müşteriler
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Brüt Kazanç%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Randevu {0} ve Satış Faturası {1} iptal edildi
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Başlıca kaynak olan fırsatlar
 DocType: Appraisal Goal,Weightage (%),Ağırlık (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS Profilini Değiştir
 DocType: Bank Reconciliation Detail,Clearance Date,Gümrükleme Tarih
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Öğe, {0} öğesinde zaten var, seri numarası yok değiştiremezsiniz"
+DocType: Delivery Settings,Dispatch Notification Template,Sevk Bildirim Şablonu
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Öğe, {0} öğesinde zaten var, seri numarası yok değiştiremezsiniz"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Değerlendirme raporu
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Çalışanları al
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Brüt sipariş tutarı zorunludur
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Şirket adı aynı değil
 DocType: Lead,Address Desc,Azalan Adres
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Parti zorunludur
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Diğer satırlarda yinelenen son tarih bulunan satırlar bulundu: {list}
 DocType: Topic,Topic Name,Konu Adı
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Lütfen HR Ayarları&#39;nda Onay Onay Bildirimi için varsayılan şablonu ayarlayın.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Lütfen HR Ayarları&#39;nda Onay Onay Bildirimi için varsayılan şablonu ayarlayın.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Satış veya Alıştan en az biri seçilmelidir
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Çalışan avansını elde etmek için bir çalışan seçin.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Lütfen geçerli bir tarih seçiniz
@@ -5120,9 +5176,10 @@
 DocType: Stock Entry,Customer or Supplier Details,Müşteri ya da Tedarikçi Detayları
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-ÖDE .YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Mevcut Varlık Değeri
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Şirket Kimliği
 DocType: Travel Request,Travel Funding,Seyahat Fonu
 DocType: Loan Application,Required by Date,Tarihe Göre Gerekli
-DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Mahsulün büyüdüğü tüm Konumlara bir bağlantı
+DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Mahsulün büyüdüğü tüm Konumlara bağlı bir bağlantı
 DocType: Lead,Lead Owner,Talep Yaratma Sahibi
 DocType: Production Plan,Sales Orders Detail,Satış Siparişleri Ayrıntısı
 DocType: Bin,Requested Quantity,istenen Miktar
@@ -5134,10 +5191,10 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Depodaki mevcut Parti Miktarı
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Brüt Ücret - Toplam Kesintisi - Kredi Geri Ödeme
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Cari BOM ve Yeni BOM aynı olamaz
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Cari BOM ve Yeni BOM aynı olamaz
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Cari BOM ve Yeni BOM aynı olamaz
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Cari BOM ve Yeni BOM aynı olamaz
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Maaş Kayma kimliği
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Emeklilik Tarihi katılım tarihinden büyük olmalıdır
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Emeklilik Tarihi katılım tarihinden büyük olmalıdır
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Çoklu Varyantlar
 DocType: Sales Invoice,Against Income Account,Karşılık Gelir Hesabı
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Teslim Edildi
@@ -5167,7 +5224,7 @@
 DocType: POS Profile,Update Stock,Stok güncelle
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ürünler için farklı Ölçü Birimi yanlış (Toplam) net ağırlıklı değere yol açacaktır. Net ağırlıklı değerin aynı olduğundan emin olun.
 DocType: Certification Application,Payment Details,Ödeme detayları
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Ürün Ağacı Oranı
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Ürün Ağacı Oranı
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Durdurulan İş Emri iptal edilemez, İptal etmeden önce kaldır"
 DocType: Asset,Journal Entry for Scrap,Hurda için kayıt girişi
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,İrsaliyeden Ürünleri çekin
@@ -5190,12 +5247,12 @@
 DocType: Expense Claim,Total Sanctioned Amount,Toplam Tasdiklenmiş Tutar
 ,Purchase Analytics,Satın alma analizleri
 DocType: Sales Invoice Item,Delivery Note Item,İrsaliye Ürünleri
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Şu fatura {0} eksik
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Şu fatura {0} eksik
 DocType: Asset Maintenance Log,Task,Görev
 DocType: Asset Maintenance Log,Task,Görev
 DocType: Purchase Taxes and Charges,Reference Row #,Referans Satırı #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},{0} ürünü için parti numarası zorunludur
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Bu bir kök satış kişisidir ve düzenlenemez.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Bu bir kök satış kişisidir ve düzenlenemez.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Seçilirse, bu bileşen içinde belirtilen veya hesaplanan değer kazanç veya kesintilere katkıda bulunmaz. Bununla birlikte, bu değer, eklenebilecek veya düşülebilecek diğer bileşenler tarafından referans alınabilir."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Seçilirse, bu bileşen içinde belirtilen veya hesaplanan değer kazanç veya kesintilere katkıda bulunmaz. Bununla birlikte, bu değer, eklenebilecek veya düşülebilecek diğer bileşenler tarafından referans alınabilir."
 DocType: Asset Settings,Number of Days in Fiscal Year,Mali Yılındaki Gün Sayısı
@@ -5204,7 +5261,7 @@
 DocType: Company,Exchange Gain / Loss Account,Kambiyo Kâr / Zarar Hesabı
 DocType: Amazon MWS Settings,MWS Credentials,MWS Kimlik Bilgileri
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Çalışan ve Seyirci
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Amaç şunlardan biri olmalıdır: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Amaç şunlardan biri olmalıdır: {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Formu doldurun ve kaydedin
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Güncel stok miktarı
@@ -5221,7 +5278,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standart Satış Oranı
 DocType: Account,Rate at which this tax is applied,Vergi uygulanma oranı
 DocType: Cash Flow Mapper,Section Name,Bölüm adı
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Yeniden Sipariş Adet
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Yeniden Sipariş Adet
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},"Amortisör Satırı {0}: Faydalı ömür sonrasında beklenen değer, {1} değerinden büyük veya ona eşit olmalıdır."
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Güncel İş Olanakları
 DocType: Company,Stock Adjustment Account,Stok Düzeltme Hesabı
@@ -5232,8 +5289,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistem kullanıcı (giriş) kimliği, bütün İK formları için varsayılan olacaktır"
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Amortisman bilgilerini girin
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: gönderen {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},{1} öğrencisine karşı {0} uygulamasını zaten bırakın
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Tüm Malzeme Listesi&#39;nde en son fiyatı güncellemek için bekletildi. Birkaç dakika sürebilir.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Tüm Malzeme Listesi&#39;nde en son fiyatı güncellemek için bekletildi. Birkaç dakika sürebilir.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Yeni Hesabın Adı. Not: Müşteriler ve Tedarikçiler için hesap oluşturmayın
 DocType: POS Profile,Display Items In Stock,Stoktaki Ürünleri Görüntüle
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Ülke bilgisi varsayılan adres şablonları
@@ -5264,16 +5322,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} için yuvalar programa eklenmez
 DocType: Product Bundle,List items that form the package.,Ambalajı oluşturan Ürünleri listeleyin
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,İzin verilmedi. Lütfen Test Şablonu&#39;nu devre dışı bırakın
+DocType: Delivery Note,Distance (in km),Mesafe (km olarak)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Yüzde Tahsisi % 100'e eşit olmalıdır
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Partiyi seçmeden önce Gönderme Tarihi seçiniz
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Partiyi seçmeden önce Gönderme Tarihi seçiniz
 DocType: Program Enrollment,School House,Okul Evi
 DocType: Serial No,Out of AMC,Çıkış AMC
+DocType: Opportunity,Opportunity Amount,Fırsat Tutarı
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Rezervasyon amortismanları sayısı amortismanlar Toplam Sayısı fazla olamaz
 DocType: Purchase Order,Order Confirmation Date,Sipariş Onay Tarihi
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Bakım Ziyareti Yapın
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Başlangıç tarihi ve bitiş tarihi, iş kartı <a href=""#Form/Job Card/{0}"">{1}</a> ile çakışıyor"
 DocType: Employee Transfer,Employee Transfer Details,Çalışan Transfer Detayları
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Satış Usta Müdürü {0} role sahip kullanıcıya irtibata geçiniz
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Satış Usta Müdürü {0} role sahip kullanıcıya irtibata geçiniz
 DocType: Company,Default Cash Account,Standart Kasa Hesabı
 DocType: Company,Default Cash Account,Standart Kasa Hesabı
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Şirket (değil Müşteri veya alanı) usta.
@@ -5282,9 +5343,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Daha fazla ürün ekle veya Tam formu aç
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Satış Emri iptal edilmeden önce İrsaliyeler {0} iptal edilmelidir
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Kullanıcılara Git
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Ödenen Tutar ve Şüpheli Alacak Tutarı toplamı Genel Toplamdan fazla olamaz
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Ödenen Tutar ve Şüpheli Alacak Tutarı toplamı Genel Toplamdan fazla olamaz
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} Ürün {1} için geçerli bir parti numarası değildir
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Not: İzin tipi {0} için yeterli izin günü kalmamış
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Not: İzin tipi {0} için yeterli izin günü kalmamış
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Kayıtlı Olmadığı İçin Geçersiz GSTIN veya Gir NA
 DocType: Training Event,Seminar,seminer
 DocType: Program Enrollment Fee,Program Enrollment Fee,Program Kayıt Ücreti
@@ -5303,7 +5364,7 @@
 DocType: Fee Schedule,Fee Schedule,Ücret tarifesi
 DocType: Company,Create Chart Of Accounts Based On,Hesaplar Tabanlı On Of grafik oluşturma
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Grup dışı olarak dönüştürülemez. Çocuk Görevleri var.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Doğum Tarihi bugünkünden daha büyük olamaz.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Doğum Tarihi bugünkünden daha büyük olamaz.
 ,Stock Ageing,Stok Yaşlanması
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Kısmen Sponsorlu, Kısmi Finansman Gerektirir"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Öğrenci {0} öğrenci başvuru karşı mevcut {1}
@@ -5352,11 +5413,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Mutabakat öncesinde
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Şu kişiye {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Eklenen Vergi ve Harçlar (Şirket Para Birimi)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ürün Vergi Satırı {0} Vergi Gelir Gider veya Ödenebilir türde hesabı olmalıdır.
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ürün Vergi Satırı {0} Vergi Gelir Gider veya Ödenebilir türde hesabı olmalıdır.
 DocType: Sales Order,Partly Billed,Kısmen Faturalandı
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Öğe {0} Sabit Kıymet Öğe olmalı
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Varyasyonları Oluşturun
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Varyasyonları Oluşturun
 DocType: Item,Default BOM,Standart BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Toplam Faturalandırılan Tutar (Satış Faturaları ile)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Borç Not Tutarı
@@ -5388,14 +5449,14 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Yatırım Bankacılığı
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Yatırım Bankacılığı
 DocType: Purchase Invoice,input,giriş
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Kasa veya Banka Hesabı ödeme girişi yapmak için zorunludur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Kasa veya Banka Hesabı ödeme girişi yapmak için zorunludur
 DocType: Loyalty Program,Multiple Tier Program,Çok Katmanlı Program
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Öğrenci Adresi
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Öğrenci Adresi
 DocType: Purchase Invoice,Price List Exchange Rate,Fiyat Listesi Döviz Kuru
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Tüm Tedarikçi Grupları
 DocType: Employee Boarding Activity,Required for Employee Creation,Çalışan Yaratma için Gerekli
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},{1} hesapta {0} hesap numarası zaten kullanıldı
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},{1} hesapta {0} hesap numarası zaten kullanıldı
 DocType: GoCardless Mandate,Mandate,manda
 DocType: POS Profile,POS Profile Name,POS Profil Adı
 DocType: Hotel Room Reservation,Booked,ayrılmış
@@ -5413,7 +5474,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Referans Tarihi girdiyseniz Referans No zorunludur
 DocType: Bank Reconciliation Detail,Payment Document,Ödeme Belgesi
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Kriter formülünü değerlendirirken hata oluştu
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Katılım Tarihi Doğum Tarihinden büyük olmalıdır
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Katılım Tarihi Doğum Tarihinden büyük olmalıdır
 DocType: Subscription,Plans,Planlar
 DocType: Salary Slip,Salary Structure,Maaş Yapısı
 DocType: Salary Slip,Salary Structure,Maaş Yapısı
@@ -5421,15 +5482,15 @@
 DocType: Account,Bank,Banka
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Havayolu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Havayolu
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Sayı Malzeme
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Sayı Malzeme
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext ile Shopify&#39;ı bağlayın
 DocType: Material Request Item,For Warehouse,Depo için
 DocType: Material Request Item,For Warehouse,Depo için
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Teslimat Notları {0} güncellendi
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Teslimat Notları {0} güncellendi
 DocType: Employee,Offer Date,Teklif Tarihi
 DocType: Employee,Offer Date,Teklif Tarihi
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Özlü Sözler
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Çevrimdışı moddasınız. Bağlantıyı sağlayıncaya kadar yenileneme yapamayacaksınız.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Özlü Sözler
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Çevrimdışı moddasınız. Bağlantıyı sağlayıncaya kadar yenileneme yapamayacaksınız.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,hibe
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Hiçbir Öğrenci Grupları oluşturuldu.
 DocType: Purchase Invoice Item,Serial No,Seri No
@@ -5442,12 +5503,12 @@
 DocType: Sales Invoice,Customer PO Details,Müşteri PO Ayrıntıları
 DocType: Stock Entry,Including items for sub assemblies,Alt montajlar için öğeleri içeren
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Geçici Açılış Hesabı
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Enter değeri pozitif olmalıdır
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Enter değeri pozitif olmalıdır
 DocType: Asset,Finance Books,Finans Kitapları
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Çalışan Vergisi İstisna Beyannamesi Kategorisi
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Bütün Bölgeler
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Lütfen Çalışan / Not kaydındaki {0} çalışanı için izin politikası ayarlayın
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Seçilen Müşteri ve Öğe için Geçersiz Battaniye Siparişi
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Seçilen Müşteri ve Öğe için Geçersiz Battaniye Siparişi
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Birden Fazla Görev Ekle
 DocType: Purchase Invoice,Items,Ürünler
 DocType: Purchase Invoice,Items,Ürünler
@@ -5455,14 +5516,17 @@
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Öğrenci zaten kayıtlı olduğu.
 DocType: Fiscal Year,Year Name,Yıl Adı
 DocType: Fiscal Year,Year Name,Yıl Adı
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Bu ayda çalışma günlerinden daha fazla tatil vardır.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Bu ayda çalışma günlerinden daha fazla tatil vardır.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,"Aşağıdaki {0} öğeler, {1} öğe olarak işaretlenmemiş. Öğeleri ana öğesinden {1} öğe olarak etkinleştirebilirsiniz"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Ürün Paketi Ürün
 DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı
 DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Fiyat Teklif Talepleri
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Fiyat Teklif Talepleri
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum Fatura Tutarı
 DocType: Normal Test Items,Normal Test Items,Normal Test Öğeleri
+DocType: QuickBooks Migrator,Company Settings,Firma Ayarları
+DocType: QuickBooks Migrator,Company Settings,Firma Ayarları
 DocType: Additional Salary,Overwrite Salary Structure Amount,Maaş Yapısı Miktarının Üzerine Yaz
 DocType: Student Language,Student Language,Öğrenci Dili
 apps/erpnext/erpnext/config/selling.py +23,Customers,Müşteriler
@@ -5475,23 +5539,25 @@
 DocType: Issue,Opening Time,Açılış Zamanı
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Tarih aralığı gerekli
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Teminatlar ve Emtia Borsaları
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant için Ölçü Varsayılan Birim &#39;{0}&#39; Şablon aynı olmalıdır &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant için Ölçü Varsayılan Birim &#39;{0}&#39; Şablon aynı olmalıdır &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Tabanlı hesaplayın
 DocType: Contract,Unfulfilled,yerine getirilmemiş
 DocType: Delivery Note Item,From Warehouse,Atölyesi&#39;nden
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Sözü edilen ölçütler için çalışan yok
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Malzeme Listesine Öğe Yok İmalat için
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Malzeme Listesine Öğe Yok İmalat için
 DocType: Shopify Settings,Default Customer,Varsayılan Müşteri
+DocType: Sales Stage,Stage Name,Sahne adı
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-UYR-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Süpervizör Adı
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Aynı gün için randevu oluşturulup oluşturulmadığını teyit etmeyin
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Devlete Gemi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Devlete Gemi
 DocType: Program Enrollment Course,Program Enrollment Course,Program Kayıt Kursu
 DocType: Program Enrollment Course,Program Enrollment Course,Program Kayıt Kursu
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},"{0} kullanıcısı, Sağlık Uzmanına {1} atandı"
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Örnek Saklama Stok Girişi
 DocType: Purchase Taxes and Charges,Valuation and Total,Değerleme ve Toplam
 DocType: Purchase Taxes and Charges,Valuation and Total,Değerleme ve Toplam
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Müzakere / İnceleme
 DocType: Leave Encashment,Encashment Amount,Muhafaza Tutarı
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Skor kartları
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Süresi dolan Toplu İşler
@@ -5501,7 +5567,7 @@
 DocType: Staffing Plan Detail,Current Openings,Mevcut Açıklıklar
 DocType: Notification Control,Customize the Notification,Bildirim özelleştirin
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Faaliyetlerden Nakit Akışı
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST Tutarı
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST Tutarı
 DocType: Purchase Invoice,Shipping Rule,Sevkiyat Kuralı
 DocType: Patient Relation,Spouse,eş
 DocType: Lab Test Groups,Add Test,Test Ekle
@@ -5516,16 +5582,16 @@
 DocType: Payroll Entry,Payroll Frequency,Bordro Frekansı
 DocType: Lab Test Template,Sensitivity,Duyarlılık
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Maksimum deneme sayısı aşıldığı için senkronizasyon geçici olarak devre dışı bırakıldı
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Hammadde
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Hammadde
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Hammadde
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Hammadde
 DocType: Leave Application,Follow via Email,E-posta ile takip
 DocType: Leave Application,Follow via Email,E-posta ile takip
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Bitkiler ve Makinaları
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,İndirim Tutarından sonraki vergi miktarı
 DocType: Patient,Inpatient Status,Yatan Hasta Durumu
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Günlük Çalışma Özet Ayarları
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Seçilen Fiyat Listesi alım satım alanlarına sahip olmalıdır.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Lütfen Reqd&#39;yi Tarihe Göre Girin
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Seçilen Fiyat Listesi alım satım alanlarına sahip olmalıdır.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Lütfen Reqd&#39;yi Tarihe Göre Girin
 DocType: Payment Entry,Internal Transfer,İç transfer
 DocType: Asset Maintenance,Maintenance Tasks,Bakım Görevleri
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Hedef miktarı veya hedef tutarı zorunludur
@@ -5550,7 +5616,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Son İletişim
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Son İletişim
 ,TDS Payable Monthly,TDS Aylık Ücretli
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOM&#39;u değiştirmek için sıraya alındı. Birkaç dakika sürebilir.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOM&#39;u değiştirmek için sıraya alındı. Birkaç dakika sürebilir.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kategori 'Değerleme' veya 'Toplam ve Değerleme' olduğu zaman çıkarılamaz
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Seri Ürün{0} için Seri numaraları gereklidir
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Faturalar ile maç Ödemeleri
@@ -5564,7 +5630,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Sepete ekle
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Grup tarafından
 DocType: Guardian,Interests,İlgi
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,/ Para birimlerini etkinleştir/devre dışı bırak.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,/ Para birimlerini etkinleştir/devre dışı bırak.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Bazı Maaş Fişleri gönderilemedi
 DocType: Exchange Rate Revaluation,Get Entries,Girişleri Alın
 DocType: Production Plan,Get Material Request,Malzeme İsteği alın
@@ -5590,15 +5656,16 @@
 DocType: Lead,Lead Type,Talep Yaratma Tipi
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Blok Tarihlerdeki çıkışları onaylama yetkiniz yok
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Bütün bu ürünler daha önce faturalandırılmıştır
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Yeni Yayın Tarihi Ayarla
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Yeni Yayın Tarihi Ayarla
 DocType: Company,Monthly Sales Target,Aylık Satış Hedefi
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} tarafından onaylanmış
 DocType: Hotel Room,Hotel Room Type,Otel Oda Tipi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Tedarikçi&gt; Tedarikçi Türü
 DocType: Leave Allocation,Leave Period,Dönme Süresi
 DocType: Item,Default Material Request Type,Standart Malzeme Talebi Tipi
 DocType: Supplier Scorecard,Evaluation Period,Değerlendirme Süresi
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Bilinmeyen
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,İş Emri oluşturulmadı
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,İş Emri oluşturulmadı
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{1} bileşeni için halihazırda talep edilen {0} miktarı, tutarı {2} &#39;ye eşit veya daha büyük olacak şekilde ayarla"
 DocType: Shipping Rule,Shipping Rule Conditions,Kargo Kural Koşulları
@@ -5635,15 +5702,15 @@
 DocType: Batch,Source Document Name,Kaynak Belge Adı
 DocType: Production Plan,Get Raw Materials For Production,Üretim İçin Hammaddeleri Alın
 DocType: Job Opening,Job Title,İş Unvanı
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0}, {1} &#39;in teklif vermeyeceğini, ancak tüm maddelerin \ teklif edildiğini belirtir. RFQ teklif durumu güncelleniyor."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,"Maksimum Örnekler - {0}, Toplu İş {1} ve Öğe {2} için Toplu İş Alma İşlemi {3} içinde zaten tutuldu."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,"Maksimum Örnekler - {0}, Toplu İş {1} ve Öğe {2} için Toplu İş Alma İşlemi {3} içinde zaten tutuldu."
 DocType: Manufacturing Settings,Update BOM Cost Automatically,BOM Maliyetini Otomatik Olarak Güncelleyin
 DocType: Lab Test,Test Name,Test Adı
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinik Prosedür Sarf Malzemesi
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Kullanıcılar oluştur
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Abonelikler
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Abonelikler
 DocType: Supplier Scorecard,Per Month,Her ay
 DocType: Education Settings,Make Academic Term Mandatory,Akademik Şartı Zorunlu Yap
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Üretim Miktar 0&#39;dan büyük olmalıdır.
@@ -5653,10 +5720,10 @@
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Sipariş edilen miktara karşı alabileceğiniz veya teslim edebileceğiniz daha fazla miktar. Örneğin, 100 birim sipariş verdiyseniz,izniniz %10'dur, bu durumda 110 birim almaya izniniz vardır."
 DocType: Loyalty Program,Customer Group,Müşteri Grubu
 DocType: Loyalty Program,Customer Group,Müşteri Grubu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Satır # {0}: {1} işlemi, {2} İş Emri # {3} öğesinde tamamlanmış ürünler için tamamlanmadı. Lütfen çalışma durumlarını Time Logs ile güncelleyin"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Satır # {0}: {1} işlemi, {2} İş Emri # {3} öğesinde tamamlanmış ürünler için tamamlanmadı. Lütfen çalışma durumlarını Time Logs ile güncelleyin"
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Yeni Toplu İşlem Kimliği (İsteğe Bağlı)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Yeni Toplu İşlem Kimliği (İsteğe Bağlı)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Ürün {0} için gider hesabı zorunludur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Ürün {0} için gider hesabı zorunludur
 DocType: BOM,Website Description,Web Sitesi Açıklaması
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Özkaynak Net Değişim
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Lütfen önce iptal edin: Satınalma Faturası {0}
@@ -5672,7 +5739,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Düzenlenecek bir şey yok
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Form Görünümü
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Gider Talebi&#39;nde Harcama Uygunluğu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Bu ay ve bekleyen aktiviteler için Özet
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Bu ay ve bekleyen aktiviteler için Özet
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Lütfen {0} Şirketindeki Gerçekleşmemiş Döviz Kazası / Zarar Hesabını ayarlayın
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",Kendiniz dışındaki kullanıcılarınızı kuruluşunuza ekleyin.
 DocType: Customer Group,Customer Group Name,Müşteri Grup Adı
@@ -5683,14 +5750,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Malzeme isteği oluşturulmadı
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredi Miktarı Maksimum Kredi Tutarı geçemez {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lisans
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},C-Form bu Fatura {0} kaldırın lütfen {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},C-Form bu Fatura {0} kaldırın lütfen {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Geçen mali yılın bakiyelerini bu mali yıla dahil etmek isterseniz Lütfen İleri Taşıyı seçin
 DocType: GL Entry,Against Voucher Type,Dekont Tipi karşılığı
 DocType: Healthcare Practitioner,Phone (R),Telefon (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Zaman aralıkları eklendi
 DocType: Item,Attributes,Nitelikler
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Şablonu Etkinleştir
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Lütfen Şüpheli Alacak Hesabını Girin
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Lütfen Şüpheli Alacak Hesabını Girin
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Son Sipariş Tarihi
 DocType: Salary Component,Is Payable,Ödenebilir
 DocType: Inpatient Record,B Negative,B Negatif
@@ -5701,7 +5768,7 @@
 DocType: Hotel Room,Hotel Room,Otel odası
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Hesap {0} yapan şirkete ait değil {1}
 DocType: Leave Type,Rounding,yuvarlatma
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,{0} satırındaki Seri Numaraları Teslimat Notu ile eşleşmiyor
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,{0} satırındaki Seri Numaraları Teslimat Notu ile eşleşmiyor
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Dağıtım Miktarı (Pro dereceli)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Daha sonra Fiyatlandırma Kuralları Müşteri, Müşteri Grubu, Bölge, Tedarikçi, Tedarikçi Grubu, Kampanya, Satış Ortağı vb."
 DocType: Student,Guardian Details,Guardian Detayları
@@ -5711,10 +5778,10 @@
 DocType: Vehicle,Chassis No,şasi No
 DocType: Payment Request,Initiated,Başlatılan
 DocType: Production Plan Item,Planned Start Date,Planlanan Başlangıç Tarihi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Lütfen bir BOM seçin
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Lütfen bir BOM seçin
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Bilinen ITC Entegre Vergi
 DocType: Purchase Order Item,Blanket Order Rate,Battaniye Sipariş Hızı
-apps/erpnext/erpnext/hooks.py +156,Certification,belgeleme
+apps/erpnext/erpnext/hooks.py +157,Certification,belgeleme
 DocType: Bank Guarantee,Clauses and Conditions,Şartlar ve Koşullar
 DocType: Serial No,Creation Document Type,Oluşturulan Belge Türü
 DocType: Project Task,View Timesheet,Çizelgeyi görüntüle
@@ -5741,6 +5808,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Veli Öğe {0} Stok Öğe olmamalıdır
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Web sitesi listesi
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Bütün Ürünler veya Hizmetler.
+DocType: Email Digest,Open Quotations,Teklifleri Aç
 DocType: Expense Claim,More Details,Daha Fazla Detay
 DocType: Expense Claim,More Details,Daha Fazla Detay
 DocType: Supplier Quotation,Supplier Address,Tedarikçi Adresi
@@ -5758,12 +5826,11 @@
 DocType: Training Event,Exam,sınav
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Marketplace Hatası
 DocType: Complaint,Complaint,şikâyet
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Stok Ürünü {0} için depo gereklidir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Stok Ürünü {0} için depo gereklidir
 DocType: Leave Allocation,Unused leaves,Kullanılmayan yapraklar
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Geri Ödeme Girişi Yap
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Bütün bölümler
 DocType: Healthcare Service Unit,Vacant,Boş
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Tedarikçi&gt; Tedarikçi Türü
 DocType: Patient,Alcohol Past Use,Alkol Geçmiş Kullanım
 DocType: Fertilizer Content,Fertilizer Content,Gübre İçerik
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5772,7 +5839,7 @@
 DocType: Share Transfer,Transfer,Transfer
 DocType: Share Transfer,Transfer,Transfer
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Bu Müşteri Siparişi iptal edilmeden önce İş Emri {0} iptal edilmelidir
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(Alt-montajlar dahil) patlamış BOM'ları getir
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(Alt-montajlar dahil) patlamış BOM'ları getir
 DocType: Authorization Rule,Applicable To (Employee),(Çalışana) uygulanabilir
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Due Date zorunludur
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Attribute için Artım {0} 0 olamaz
@@ -5789,7 +5856,7 @@
 DocType: Disease,Treatment Period,Tedavi Süresi
 DocType: Travel Itinerary,Travel Itinerary,Seyahat güzergahı
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Sonuç zaten gönderildi
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Teslim Edilen Hammaddelerde {0} Öğe için Ayrılmış Depo zorunlu
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Teslim Edilen Hammaddelerde {0} Öğe için Ayrılmış Depo zorunlu
 ,Inactive Customers,Etkin olmayan müşteriler
 DocType: Student Admission Program,Maximum Age,Maksimum Yaş
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Hatırlatıcıyı tekrar göndermeden önce lütfen 3 gün bekleyin.
@@ -5799,7 +5866,6 @@
 DocType: Cheque Print Template,Message to show,Mesaj göstermek
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Perakende
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Perakende
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Randevu Faturasını Otomatik Olarak Yönet
 DocType: Student Attendance,Absent,Eksik
 DocType: Staffing Plan,Staffing Plan Detail,Kadro Planı Detayı
 DocType: Employee Promotion,Promotion Date,Tanıtım Tarihi
@@ -5822,7 +5888,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Müşteri Adayı Oluştur
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Baskı ve Kırtasiye
 DocType: Stock Settings,Show Barcode Field,Göster Barkod Alanı
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Tedarikçi E-postalarını Gönder
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Tedarikçi E-postalarını Gönder
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Maaş zaten {0} ve {1}, bu tarih aralığında olamaz başvuru süresini bırakın arasındaki dönem için işlenmiş."
 DocType: Fiscal Year,Auto Created,Otomatik Oluşturuldu
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Çalışan kaydını oluşturmak için bunu gönderin
@@ -5831,7 +5897,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Fatura {0} artık mevcut değil
 DocType: Guardian Interest,Guardian Interest,Guardian İlgi
 DocType: Volunteer,Availability,Kullanılabilirlik
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS Faturaları için varsayılan değerleri ayarlayın
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS Faturaları için varsayılan değerleri ayarlayın
 apps/erpnext/erpnext/config/hr.py +248,Training,Eğitim
 DocType: Project,Time to send,Gönderme zamanı
 DocType: Timesheet,Employee Detail,Çalışan Detay
@@ -5855,7 +5921,7 @@
 DocType: Training Event Employee,Optional,İsteğe bağlı
 DocType: Salary Slip,Earning & Deduction,Kazanma & Kesintisi
 DocType: Agriculture Analysis Criteria,Water Analysis,Su Analizi
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} varyant oluşturuldu.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} varyant oluşturuldu.
 DocType: Amazon MWS Settings,Region,Bölge
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,İsteğe bağlı. Bu ayar çeşitli işlemlerde filtreleme yapmak için kullanılacaktır
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Negatif Değerleme Br.Fiyatına izin verilmez
@@ -5877,7 +5943,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Hurdaya Varlığın Maliyeti
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},Ürün{2} için {0} {1}: Maliyert Merkezi zorunludur
 DocType: Vehicle,Policy No,Politika yok
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Ürün Bundle Öğeleri alın
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Ürün Bundle Öğeleri alın
 DocType: Asset,Straight Line,Düz Çizgi
 DocType: Project User,Project User,Proje Kullanıcısı
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Bölünmüş
@@ -5885,7 +5951,7 @@
 DocType: GL Entry,Is Advance,Avans
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Çalışan Yaşam Döngüsü
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,tarihinden  Tarihine kadar katılım zorunludur
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,'Taşeron var mı' alanına Evet veya Hayır giriniz
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,'Taşeron var mı' alanına Evet veya Hayır giriniz
 DocType: Item,Default Purchase Unit of Measure,Varsayılan Satın Alma Önlemi Birimi
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Son İletişim Tarihi
 DocType: Clinical Procedure Item,Clinical Procedure Item,Klinik Prosedür Öğesi
@@ -5894,7 +5960,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Erişim belirteci veya Shopify URL&#39;si eksik
 DocType: Location,Latitude,Enlem
 DocType: Work Order,Scrap Warehouse,hurda Depo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","{0} numaralı Satırda gerekli depo lütfen, {2} şirketi için {1} öğesinin varsayılan depolamasını lütfen ayarlayın"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","{0} numaralı Satırda gerekli depo lütfen, {2} şirketi için {1} öğesinin varsayılan depolamasını lütfen ayarlayın"
 DocType: Work Order,Check if material transfer entry is not required,Malzeme aktarım girişi gerekli değil mi kontrol edin
 DocType: Work Order,Check if material transfer entry is not required,Malzeme aktarım girişi gerekli değil mi kontrol edin
 DocType: Program Enrollment Tool,Get Students From,Gönderen Öğrenciler alın
@@ -5914,6 +5980,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Giyim ve Aksesuar
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Giyim ve Aksesuar
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Ağırlıklı skor fonksiyonunu çözemedim. Formülün geçerli olduğundan emin olun.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Satınalma Siparişi zamanında alınmamış
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Sipariş Sayısı
 DocType: Item Group,HTML / Banner that will show on the top of product list.,Ürün listesinin tepesinde görünecek HTML / Banner.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Nakliye miktarını hesaplamak için koşulları belirtin
@@ -5922,9 +5989,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,yol
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Çocuk nodları olduğundan Maliyet Merkezi ana deftere dönüştürülemez
 DocType: Production Plan,Total Planned Qty,Toplam Planlanan Adet
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,açılış Değeri
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,açılış Değeri
 DocType: Salary Component,Formula,formül
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Seri #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Seri #
 DocType: Lab Test Template,Lab Test Template,Lab Test Şablonu
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Satış hesabı
 DocType: Purchase Invoice Item,Total Weight,Toplam ağırlık
@@ -5945,7 +6012,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Malzeme İsteği olun
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Açık Öğe {0}
 DocType: Asset Finance Book,Written Down Value,Yazılı Değer
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini Kurun&gt; HR Ayarları
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Satış Faturası {0} bu Satış Siparişi iptal edilmeden önce iptal edilmelidir
 DocType: Clinical Procedure,Age,Yaş
 DocType: Sales Invoice Timesheet,Billing Amount,Fatura Tutarı
@@ -5954,12 +6020,12 @@
 DocType: Company,Default Employee Advance Account,Varsayılan Çalışan Vadeli Hesap
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Öğe Ara (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,İşlem görmüş hesaplar silinemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,İşlem görmüş hesaplar silinemez.
 DocType: Vehicle,Last Carbon Check,Son Karbon Kontrol
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Yasal Giderler
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Yasal Giderler
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Lütfen satırdaki miktarı seçin
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Açılış Satış Yapmak ve Fatura Almak
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Açılış Satış Yapmak ve Fatura Almak
 DocType: Purchase Invoice,Posting Time,Gönderme Zamanı
 DocType: Purchase Invoice,Posting Time,Gönderme Zamanı
 DocType: Timesheet,% Amount Billed,% Faturalanan Tutar
@@ -5980,14 +6046,14 @@
 DocType: Maintenance Visit,Breakdown,Arıza
 DocType: Travel Itinerary,Vegetarian,Vejetaryen
 DocType: Patient Encounter,Encounter Date,Karşılaşma Tarihi
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Hesap: {0} para ile: {1} seçilemez
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Hesap: {0} para ile: {1} seçilemez
 DocType: Bank Statement Transaction Settings Item,Bank Data,Banka Verileri
 DocType: Purchase Receipt Item,Sample Quantity,Numune Miktarı
 DocType: Bank Guarantee,Name of Beneficiary,Yararlanıcının Adı
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","BOM maliyetini, son değerleme oranı / fiyat listesi oranı / son hammadde alım oranı temel alınarak, Zamanlayıcı aracılığıyla otomatik olarak güncelleyin."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Çek Tarih
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Hesap {0}: Ana hesap {1} şirkete ait değil: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Hesap {0}: Ana hesap {1} şirkete ait değil: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Başarıyla bu şirket ile ilgili tüm işlemleri silindi!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Tarihinde gibi
 DocType: Additional Salary,HR,İK
@@ -5996,7 +6062,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Deneme Süresi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Deneme Süresi
 DocType: Program Enrollment Tool,New Academic Year,Yeni Akademik Yıl
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,İade / Kredi Notu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,İade / Kredi Notu
 DocType: Stock Settings,Auto insert Price List rate if missing,Otomatik ekleme Fiyat Listesi oranı eksik ise
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Toplam Ödenen Tutar
 DocType: GST Settings,B2C Limit,B2C Sınırı
@@ -6015,10 +6081,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Çocuk düğümleri sadece &#39;Grup&#39; tür düğüm altında oluşturulabilir
 DocType: Attendance Request,Half Day Date,Yarım Gün Tarih
 DocType: Academic Year,Academic Year Name,Akademik Yıl Adı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,"{0}, {1} ile işlem yapmasına izin verilmiyor. Lütfen Şirketi değiştirin."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,"{0}, {1} ile işlem yapmasına izin verilmiyor. Lütfen Şirketi değiştirin."
 DocType: Sales Partner,Contact Desc,İrtibat Desc
 DocType: Email Digest,Send regular summary reports via Email.,E-posta yoluyla düzenli özet raporlar gönder.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Gider Talep Tip varsayılan hesap ayarlayın {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Gider Talep Tip varsayılan hesap ayarlayın {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Mevcut yaprakları
 DocType: Assessment Result,Student Name,Öğrenci adı
 DocType: Hub Tracked Item,Item Manager,Ürün Yöneticisi
@@ -6046,9 +6112,10 @@
 DocType: Subscription,Trial Period End Date,Deneme Süresi Bitiş Tarihi
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} Yetkili değil {0} sınırı aşar
 DocType: Serial No,Asset Status,Varlık Durumu
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Aşırı Boyutlu Kargo (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Restaurant Masası
 DocType: Hotel Room,Hotel Manager,Otel yöneticisi
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Alışveriş sepeti için ayarla Vergi Kural
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Alışveriş sepeti için ayarla Vergi Kural
 DocType: Purchase Invoice,Taxes and Charges Added,Eklenen Vergi ve Harçlar
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,"Amortisör Satırı {0}: Sonraki Amortisman Tarihi, Kullanıma hazır Tarih&#39;ten önce olamaz"
 ,Sales Funnel,Satış Yolu
@@ -6064,10 +6131,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Bütün Müşteri Grupları
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Aylık Birikim
 DocType: Attendance Request,On Duty,Görevde
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} zorunludur. {1} ve {2} için Döviz kaydı oluşturulmayabilir.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} zorunludur. {1} ve {2} için Döviz kaydı oluşturulmayabilir.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},{1} atanması için {0} Personel Planı zaten mevcut
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Vergi şablonu zorunludur.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Hesap {0}: Ana hesap {1} yok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Hesap {0}: Ana hesap {1} yok
 DocType: POS Closing Voucher,Period Start Date,Dönem Başlangıç Tarihi
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Fiyat Listesi Oranı (Şirket para birimi)
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Fiyat Listesi Oranı (Şirket para birimi)
@@ -6090,7 +6157,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,"Bu işlem, gelecekteki faturalandırmayı durduracak. Bu aboneliği iptal etmek istediğinizden emin misiniz?"
 DocType: Serial No,Distinct unit of an Item,Bir Öğe Farklı birim
 DocType: Supplier Scorecard Criteria,Criteria Name,Ölçütler Adı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Lütfen şirket ayarlayın
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Lütfen şirket ayarlayın
 DocType: Procedure Prescription,Procedure Created,Oluşturulan Prosedür
 DocType: Pricing Rule,Buying,Satın alma
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Hastalıklar ve Gübreler
@@ -6107,20 +6174,21 @@
 DocType: Employee Onboarding,Job Offer,İş teklifi
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Enstitü Kısaltma
 ,Item-wise Price List Rate,Ürün bilgisi Fiyat Listesi Oranı
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Tedarikçi Teklifi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Tedarikçi Teklifi
 DocType: Quotation,In Words will be visible once you save the Quotation.,fiyat teklifini kaydettiğinizde görünür olacaktır
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Miktar ({0}) {1} sırasındaki kesir olamaz
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Miktar ({0}) {1} sırasındaki kesir olamaz
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Miktar ({0}) {1} sırasındaki kesir olamaz
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Miktar ({0}) {1} sırasındaki kesir olamaz
 DocType: Contract,Unsigned,imzasız
 DocType: Selling Settings,Each Transaction,Her İşlem
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},{0} barkodu zaten {1} ürününde kullanılmış
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},{0} barkodu zaten {1} ürününde kullanılmış
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Nakliye maliyetleri ekleme  Kuralları.
 DocType: Hotel Room,Extra Bed Capacity,Ekstra Yatak Kapasitesi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Açılış Stok
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Müşteri gereklidir
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Müşteri gereklidir
 DocType: Lab Test,Result Date,Sonuç Tarihi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Tarihi
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Tarihi
 DocType: Purchase Order,To Receive,Almak
 DocType: Leave Period,Holiday List for Optional Leave,İsteğe Bağlı İzin İçin Tatil Listesi
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
@@ -6128,11 +6196,11 @@
 DocType: Purchase Invoice,Reason For Putting On Hold,Beklemeye Alma Nedeni
 DocType: Employee,Personal Email,Kişisel E-posta
 DocType: Employee,Personal Email,Kişisel E-posta
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Toplam Varyans
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Toplam Varyans
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Etkinse, sistem otomatik olarak envanter için muhasebe kayıtlarını yayınlayacaktır"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Komisyonculuk
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Komisyonculuk
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,çalışan {0} için Seyirci zaten bu gün için işaretlenmiş
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,çalışan {0} için Seyirci zaten bu gün için işaretlenmiş
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","Dakika 
  'Zaman Log' aracılığıyla Güncelleme"
@@ -6141,7 +6209,7 @@
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Üretim için verilen emirler.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Mali Yıl Seçin ...
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Mali Yıl Seçin ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS Profil POS Girişi yapmak için gerekli
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS Profil POS Girişi yapmak için gerekli
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Sadakat Puanları, belirtilen tahsilat faktörüne göre harcanan tutardan (Satış Faturası aracılığıyla) hesaplanacaktır."
 DocType: Program Enrollment Tool,Enroll Students,Öğrenciler kayıt
 DocType: Company,HRA Settings,İHRA Ayarları
@@ -6149,8 +6217,8 @@
 DocType: Lab Test,Approved Date,Onaylanmış Tarih
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standart Satış
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standart Satış
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,En az bir depo zorunludur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,En az bir depo zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,En az bir depo zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,En az bir depo zorunludur
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, Öğe Grubu, Açıklama ve Saat Sayısı gibi Öğeleri Yapılandırın."
 DocType: Certification Application,Certification Status,Sertifika Durumu
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Pazaryeri
@@ -6173,6 +6241,7 @@
 DocType: Work Order,Required Items,gerekli Öğeler
 DocType: Stock Ledger Entry,Stock Value Difference,Stok Değer Farkı
 DocType: Stock Ledger Entry,Stock Value Difference,Stok Değer Farkı
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,"Öğe Satırı {0}: {1} {2}, yukarıdaki &#39;{1}&#39; tablosunda mevcut değil"
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,İnsan Kaynakları
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Ödeme Mutabakat Ödemesi
 DocType: Disease,Treatment Task,Tedavi Görevi
@@ -6192,7 +6261,8 @@
 DocType: Account,Debit,Borç
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,İzinler 0.5 katlanarak tahsis edilmelidir
 DocType: Work Order,Operation Cost,Operasyon Maliyeti
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Alacak tutarı
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Karar Vericileri Tanımlamak
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Alacak tutarı
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Bu Satış Kişisi için Ürün Grubu hedefleri ayarlayın
 DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] daha eski donmuş stoklar
 DocType: Payment Request,Payment Ordered,Ödeme Siparişi
@@ -6205,15 +6275,14 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Blok günleri için aşağıdaki kullanıcıların izin uygulamalarını onaylamasına izin ver.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Yaşam döngüsü
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM yap
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"{0} öğesinin satış oranı, onun {1} değerinden düşük. Satış oranı atleast olmalıdır {2}"
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"{0} öğesinin satış oranı, onun {1} değerinden düşük. Satış oranı atleast olmalıdır {2}"
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"{0} öğesinin satış oranı, onun {1} değerinden düşük. Satış oranı atleast olmalıdır {2}"
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"{0} öğesinin satış oranı, onun {1} değerinden düşük. Satış oranı atleast olmalıdır {2}"
 DocType: Subscription,Taxes,Vergiler
 DocType: Subscription,Taxes,Vergiler
 DocType: Purchase Invoice,capital goods,sermaye malları
 DocType: Purchase Invoice Item,Weight Per Unit,Birim Ağırlığı
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Ödendi ancak Teslim Edilmedi
-DocType: Project,Default Cost Center,Standart Maliyet Merkezi
-DocType: Delivery Note,Transporter Doc No,Taşıyıcı Doküman No
+DocType: QuickBooks Migrator,Default Cost Center,Standart Maliyet Merkezi
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stok İşlemleri
 DocType: Budget,Budget Accounts,Bütçe Hesapları
 DocType: Employee,Internal Work History,İç Çalışma Geçmişi
@@ -6249,7 +6318,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Sağlık Uygulayıcısı {0} tarihinde mevcut değil
 DocType: Stock Entry Detail,Additional Cost,Ek maliyet
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Dekont, olarak gruplandırıldı ise Makbuz numarasına dayalı filtreleme yapamaz"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Tedarikçi Teklifi Oluştur
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Tedarikçi Teklifi Oluştur
 DocType: Quality Inspection,Incoming,Alınan
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Satışlar ve satın alımlar için varsayılan vergi şablonları oluşturulmuştur.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Değerlendirme Sonuç kaydı {0} zaten var.
@@ -6266,7 +6335,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Not: {0}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Not: {0}
 ,Delivery Note Trends,Teslimat Analizi
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Bu Haftanın Özeti
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Bu Haftanın Özeti
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Stok Adet
 ,Daily Work Summary Replies,Günlük İş Özeti Cevapları
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Tahmini Varış Sürelerini Hesaplayın
@@ -6276,7 +6345,7 @@
 DocType: Bank Account,Party,Taraf
 DocType: Healthcare Settings,Patient Name,Hasta adı
 DocType: Variant Field,Variant Field,Varyant Alanı
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Hedef konum
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Hedef konum
 DocType: Sales Order,Delivery Date,İrsaliye Tarihi
 DocType: Opportunity,Opportunity Date,Fırsat tarihi
 DocType: Employee,Health Insurance Provider,Sağlık Sigortası Sağlayıcısı
@@ -6296,21 +6365,22 @@
 DocType: Employee,History In Company,Şirketteki Geçmişi
 DocType: Customer,Customer Primary Address,Müşteri Birincil Adres
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Haber Bültenleri
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Referans Numarası.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Referans Numarası.
 DocType: Drug Prescription,Description/Strength,Açıklama / Güç
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Yeni Ödeme Oluştur / Günlük Girişi
 DocType: Certification Application,Certification Application,Sertifika Başvurusu
 DocType: Leave Type,Is Optional Leave,İsteğe Bağlı Bırakılıyor
 DocType: Share Balance,Is Company,Şirket midir
 DocType: Stock Ledger Entry,Stock Ledger Entry,Stok Defter Girdisi
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +190,{0} on Half day Leave on {1},Yarım gün {0} tarihinde bırakın {1} tarihinde bırakın
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +190,{0} on Half day Leave on {1},{1}  {0} tarihinde Yarım gün Tatilinde
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Aynı madde birden çok kez girildi
 DocType: Department,Leave Block List,İzin engel listesi
 DocType: Purchase Invoice,Tax ID,Vergi numarası
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Ürün {0} Seri No kurulumu değildir. Sütun boş bırakılmalıdır
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Ürün {0} Seri No kurulumu değildir. Sütun boş bırakılmalıdır
 DocType: Accounts Settings,Accounts Settings,Hesap ayarları
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Onayla
 DocType: Loyalty Program,Customer Territory,Müşteri bölge
+DocType: Email Digest,Sales Orders to Deliver,Teslim Satış Siparişleri
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Yeni Hesap numarası, hesap adına bir ön ek olarak eklenecektir"
 DocType: Maintenance Team Member,Team Member,Takım üyesi
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Gönderilecek Sonuç Yok
@@ -6320,7 +6390,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",Toplam {0} tüm öğeler için size &#39;Dayalı Suçlamaları dağıtın&#39; değişmelidir olabilir sıfırdır
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Bugüne kadar bugünden daha az olamaz
 DocType: Opportunity,To Discuss,Görüşülecek
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,"Bu, bu Aboneye karşı yapılan işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesine bakın"
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,Bu işlemi tamamlamak için {2} içinde {0} birim {1} gerekli.
 DocType: Loan Type,Rate of Interest (%) Yearly,İlgi Oranı (%) Yıllık
 DocType: Support Settings,Forum URL,Forum URL&#39;si
@@ -6335,7 +6404,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Daha fazla bilgi edin
 DocType: Cheque Print Template,Distance from top edge,üst kenarından uzaklık
 DocType: POS Closing Voucher Invoices,Quantity of Items,Ürünlerin Miktarı
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Fiyat Listesi {0} devre dışı veya yok
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Fiyat Listesi {0} devre dışı veya yok
 DocType: Purchase Invoice,Return,Dönüş
 DocType: Pricing Rule,Disable,Devre Dışı Bırak
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Ödeme Modu ödeme yapmak için gereklidir
@@ -6343,18 +6412,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Öğeler, seri no&#39;lar, gruplar vb. Gibi daha fazla seçenek için tam sayfayı düzenleyin."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksimum Sürekli Günler Uygulanabilir
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} Küme {2} &#39;ye kayıtlı değil
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","{0} varlığı hurda edilemez, {1} da var olarak gözüküyor"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","{0} varlığı hurda edilemez, {1} da var olarak gözüküyor"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Çekler Gerekli
 DocType: Task,Total Expense Claim (via Expense Claim),(Gider İstem aracılığıyla) Toplam Gider İddiası
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Gelmedi işaretle
 DocType: Job Applicant Source,Job Applicant Source,İş Başvurusu Kaynağı
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST Tutarı
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST Tutarı
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Kurulum şirketi başarısız oldu
 DocType: Asset Repair,Asset Repair,Varlık Tamiri
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Satır {0}: BOM # Döviz {1} seçilen para birimi eşit olmalıdır {2}
 DocType: Journal Entry Account,Exchange Rate,Döviz Kuru
 DocType: Patient,Additional information regarding the patient,Hastaya ilişkin ek bilgiler
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Satış Sipariş {0} teslim edilmedi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Satış Sipariş {0} teslim edilmedi
 DocType: Homepage,Tag Line,Etiket Hattı
 DocType: Fee Component,Fee Component,ücret Bileşeni
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Filo yönetimi
@@ -6370,7 +6439,7 @@
 DocType: Healthcare Practitioner,Mobile,seyyar
 ,Sales Person-wise Transaction Summary,Satış Personeli bilgisi İşlem Özeti
 DocType: Training Event,Contact Number,İletişim numarası
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Depo {0} yoktur
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Depo {0} yoktur
 DocType: Cashier Closing,Custody,gözaltı
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Çalışan Vergi Muafiyeti Proof Gönderme Detayı
 DocType: Monthly Distribution,Monthly Distribution Percentages,Aylık Dağılımı Yüzdeler
@@ -6388,7 +6457,7 @@
 DocType: Payment Entry,Paid Amount,Ödenen Tutar
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Satış Döngüsünü Keşfedin
 DocType: Assessment Plan,Supervisor,supervisor
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Stok Saklama Stokları
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Stok Saklama Stokları
 ,Available Stock for Packing Items,Ambalajlama Ürünleri için mevcut stok
 DocType: Item Variant,Item Variant,Öğe Varyant
 ,Work Order Stock Report,İş Emri Stok Raporu
@@ -6397,10 +6466,10 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Süpervizör olarak
 DocType: Leave Policy Detail,Leave Policy Detail,Politika Ayrıntısından Ayrıl
 DocType: BOM Scrap Item,BOM Scrap Item,Ürün Ağacı Hurda Kalemi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Gönderilen emir silinemez
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Bakiye borçlu durumdaysa alacaklı duruma çevrilemez.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Kalite Yönetimi
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Kalite Yönetimi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Gönderilen emir silinemez
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Bakiye borçlu durumdaysa alacaklı duruma çevrilemez.
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Kalite Yönetimi
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Kalite Yönetimi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,{0} devredışı bırakılmış
 DocType: Project,Total Billable Amount (via Timesheets),Toplam Faturalandırılabilir Tutar (Çalışma Sayfası Tablosu ile)
 DocType: Agriculture Task,Previous Business Day,Önceki İş Günü
@@ -6423,15 +6492,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Maliyet Merkezleri
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Aboneliği Yeniden Başlat
 DocType: Linked Plant Analysis,Linked Plant Analysis,Bağlı Bitki Analizi
-DocType: Delivery Note,Transporter ID,Taşıyıcı kimliği
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Taşıyıcı kimliği
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Değer Önerisi
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tedarikçinin para biriminin şirketin temel para birimine dönüştürülme oranı
-DocType: Sales Invoice Item,Service End Date,Servis Bitiş Tarihi
+DocType: Purchase Invoice Item,Service End Date,Servis Bitiş Tarihi
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Satır # {0}: satır ile Gecikme çatışmalar {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Sıfır Değerleme Oranına izin ver
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Sıfır Değerleme Oranına izin ver
 DocType: Bank Guarantee,Receiving,kabul
 DocType: Training Event Employee,Invited,davetli
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Kur Gateway hesapları.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Kur Gateway hesapları.
 DocType: Employee,Employment Type,İstihdam Tipi
 DocType: Employee,Employment Type,İstihdam Tipi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Duran Varlıklar
@@ -6450,7 +6520,7 @@
 DocType: Tax Rule,Sales Tax Template,Satış Vergisi Şablon
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Fayda Talebine Karşı Ödeme
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Maliyet Merkezi Numarası Güncelleme
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,fatura kaydetmek için öğeleri seçin
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,fatura kaydetmek için öğeleri seçin
 DocType: Employee,Encashment Date,Nakit Çekim Tarihi
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Özel Test Şablonu
@@ -6459,13 +6529,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Standart Etkinliği Maliyet Etkinlik Türü için var - {0}
 DocType: Work Order,Planned Operating Cost,Planlı İşletme Maliyeti
 DocType: Academic Term,Term Start Date,Dönem Başlangıç Tarihi
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Tüm hisse senedi işlemlerinin listesi
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Tüm hisse senedi işlemlerinin listesi
+DocType: Supplier,Is Transporter,Taşıyıcı
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Ödeme işaretliyse Satış Faturasını Shopify&#39;dan içe aktarın
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Sayısı
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Sayısı
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Her iki Deneme Süresi Başlangıç Tarihi ve Deneme Dönemi Bitiş Tarihi ayarlanmalıdır
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Ortalama oran
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ödeme Planındaki Toplam Ödeme Tutarı Grand / Rounded Total&#39;e eşit olmalıdır.
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ödeme Planındaki Toplam Ödeme Tutarı Grand / Rounded Total&#39;e eşit olmalıdır.
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Genel Muhasebe uyarınca Banka Hesap bakiyesi
 DocType: Job Applicant,Applicant Name,Başvuru sahibinin adı
@@ -6496,7 +6567,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Kaynak Ambarında Mevcut Miktar
 apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti
 DocType: Purchase Invoice,Debit Note Issued,Borç Dekontu İhraç
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Maliyet Merkezine dayalı filtre, yalnızca Bütçe Karşıtı Maliyet Merkezi olarak seçildiğinde uygulanabilir"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Maliyet Merkezine dayalı filtre, yalnızca Bütçe Karşıtı Maliyet Merkezi olarak seçildiğinde uygulanabilir"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Ürün kodu, seri numarası, parti numarası veya barkod ile arama"
 DocType: Work Order,Warehouses,Depolar
 DocType: Work Order,Warehouses,Depolar
@@ -6508,9 +6579,9 @@
 DocType: Workstation,per hour,saat başına
 DocType: Blanket Order,Purchasing,satın alma
 DocType: Announcement,Announcement,Duyuru
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Müşteri LPO&#39;sı
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Müşteri LPO&#39;sı
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Toplu İş Tabanlı Öğrenci Grubu için, Öğrenci Toplu işlemi, Program Kayıt&#39;tan her Öğrenci için geçerliliğini alacaktır."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Bu depo için defter girdisi mevcutken depo silinemez.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Bu depo için defter girdisi mevcutken depo silinemez.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Dağıtım
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Dağıtım
 DocType: Journal Entry Account,Loan,borç
@@ -6521,8 +6592,8 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Proje Müdürü
 ,Quoted Item Comparison,Kote Ürün Karşılaştırma
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} ile {1} arasındaki skorlamanın üst üste gelmesi
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Sevk
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Sevk
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Sevk
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Sevk
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Malzeme {0 }için izin verilen maksimum indirim} {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Net Aktif değeri olarak
 DocType: Crop,Produce,Üretmek
@@ -6533,9 +6604,9 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Üretimde Malzeme Tüketimi
 DocType: Item Alternative,Alternative Item Code,Alternatif Ürün Kodu
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Kredi limiti ayarlarını geçen işlemleri teslim etmeye izinli rol
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,İmalat Öğe seç
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,İmalat Öğe seç
 DocType: Delivery Stop,Delivery Stop,Teslimat Durdur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Ana veri senkronizasyonu, bu biraz zaman alabilir"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Ana veri senkronizasyonu, bu biraz zaman alabilir"
 DocType: Item,Material Issue,Malzeme Verilişi
 DocType: Employee Education,Qualification,{0}Yeterlilik{/0} {1} {/1}
 DocType: Item Price,Item Price,Ürün Fiyatı
@@ -6544,13 +6615,14 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sabun ve Deterjan
 DocType: BOM,Show Items,göster Öğeler
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Zaman zaman daha büyük olamaz.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Tüm müşterilere e-posta ile haber vermek istiyor musunuz?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Tüm müşterilere e-posta ile haber vermek istiyor musunuz?
 DocType: Subscription Plan,Billing Interval,Faturalama Aralığı
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Sipariş Edildi
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Sipariş Edildi
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Gerçek başlangıç tarihi ve gerçek bitiş tarihi zorunludur
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Müşteri&gt; Müşteri Grubu&gt; Bölge
 DocType: Salary Detail,Component,Bileşen
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,{0} satırı: {1} 0&#39;dan büyük olmalı
 DocType: Assessment Criteria,Assessment Criteria Group,Değerlendirme Ölçütleri Grup
@@ -6584,12 +6656,11 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Göndermeden önce banka veya kredi kurumunun adını girin.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} gönderilmelidir
 DocType: POS Profile,Item Groups,Öğe Grupları
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Bugün {0} 'in doğum günü!
 DocType: Sales Order Item,For Production,Üretim için
 DocType: Sales Order Item,For Production,Üretim için
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Hesap Para Birimi Dengesi
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Lütfen Hesap Planında bir Geçici Açılış hesabı ekleyin
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Lütfen Hesap Planında bir Geçici Açılış hesabı ekleyin
 DocType: Customer,Customer Primary Contact,Müşteri Birincil Temas
 DocType: Project Task,View Task,Görevleri Göster
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Satış Fırsatı/Müşteri Adayı yüzdesi
@@ -6604,11 +6675,11 @@
 DocType: Email Digest,Add/Remove Recipients,Alıcı Ekle/Kaldır
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Varsayılan olarak bu Mali Yılı ayarlamak için, 'Varsayılan olarak ayarla' seçeneğini tıklayın"
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Varsayılan olarak bu Mali Yılı ayarlamak için, 'Varsayılan olarak ayarla' seçeneğini tıklayın"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS&#39;den Düşülen Tutar
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS&#39;den Düşülen Tutar
 DocType: Production Plan,Include Subcontracted Items,Taahhütlü Öğeleri Dahil Et
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Birleştir
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Yetersizlik adeti
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Birleştir
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Yetersizlik adeti
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır
 DocType: Loan,Repay from Salary,Maaş dan ödemek
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},"karşı ödeme talep {0}, {1} miktarda {2}"
 DocType: Additional Salary,Salary Slip,Bordro
@@ -6624,7 +6695,7 @@
 DocType: Patient,Dormant,Uykuda
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Sahipsiz Çalışanlara Sağlanan Faydalar İçin Vergi İndirimi
 DocType: Salary Slip,Total Interest Amount,Toplam Faiz Tutarı
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,alt düğümleri ile depolar Ledger dönüştürülebilir olamaz
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,alt düğümleri ile depolar Ledger dönüştürülebilir olamaz
 DocType: BOM,Manage cost of operations,İşlem Maliyetlerini Yönetin
 DocType: Accounts Settings,Stale Days,Bayat günler
 DocType: Travel Itinerary,Arrival Datetime,Varış Datetime
@@ -6637,7 +6708,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Değerlendirme Sonuçlarının Ayrıntıları
 DocType: Employee Education,Employee Education,Çalışan Eğitimi
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,öğe grubu tablosunda bulunan yinelenen öğe grubu
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Bu Ürün Detayları getirmesi için gereklidir.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Bu Ürün Detayları getirmesi için gereklidir.
 DocType: Fertilizer,Fertilizer Name,Gübre Adı
 DocType: Salary Slip,Net Pay,Net Ödeme
 DocType: Cash Flow Mapping Accounts,Account,Hesap
@@ -6650,7 +6721,7 @@
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Ateşin varlığı (sıcaklık&gt; 38.5 ° C / 101.3 ° F veya sürekli&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Satış Ekibi Ayrıntıları
 DocType: Customer,Sales Team Details,Satış Ekibi Ayrıntıları
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Kalıcı olarak silinsin mi?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Kalıcı olarak silinsin mi?
 DocType: Expense Claim,Total Claimed Amount,Toplam İade edilen Tutar
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Satış için potansiyel Fırsatlar.
 DocType: Shareholder,Folio no.,Folyo numarası.
@@ -6658,7 +6729,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Hastalık izni
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Hastalık izni
 DocType: Email Digest,Email Digest,E-Mail Bülteni
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,değiller
 DocType: Delivery Note,Billing Address Name,Fatura Adresi Adı
 DocType: Delivery Note,Billing Address Name,Fatura Adresi Adı
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Departman mağazaları
@@ -6676,16 +6746,16 @@
 DocType: Account,Chargeable,Ücretli
 DocType: Company,Change Abbreviation,Değişim Kısaltma
 DocType: Contract,Fulfilment Details,Yerine Getirme Detayları
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1} öde
-DocType: Employee Onboarding,Activities,faaliyetler
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1} öde
+DocType: Employee Onboarding,Activities,Faaliyetler
 DocType: Expense Claim Detail,Expense Date,Gider Tarih
 DocType: Item,No of Months,Ayların Sayısı
 DocType: Item,Max Discount (%),En fazla İndirim (%
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kredi Günleri negatif sayı olamaz
-DocType: Sales Invoice Item,Service Stop Date,Servis Durdurma Tarihi
+DocType: Purchase Invoice Item,Service Stop Date,Servis Durdurma Tarihi
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Son Sipariş Miktarı
 DocType: Cash Flow Mapper,e.g Adjustments for:,örneğin için ayarlamalar:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retain Örnek toplu işlemi temel alır, lütfen numuneyi tutmak için Has Part No&#39;yu kontrol edin."
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retain Örnek toplu işlemi temel alır, lütfen numuneyi tutmak için Has Part No&#39;yu kontrol edin."
 DocType: Task,Is Milestone,Milestone mu?
 DocType: Certification Application,Yet to appear,Henüz görünmek
 DocType: Delivery Stop,Email Sent To,E-posta Gönderilen
@@ -6693,16 +6763,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Bilanço Tablosu Hesabına Girerken Maliyet Merkezine İzin Ver
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Mevcut Hesapla Birleştir
 DocType: Budget,Warn,Uyarmak
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Bu İş Emri için tüm öğeler zaten aktarıldı.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Bu İş Emri için tüm öğeler zaten aktarıldı.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Başka bir konuşmasında, kayıtlarda gitmeli kayda değer çaba."
 DocType: Asset Maintenance,Manufacturing User,Üretim Kullanıcı
 DocType: Purchase Invoice,Raw Materials Supplied,Tedarik edilen Hammaddeler
 DocType: Subscription Plan,Payment Plan,Ödeme planı
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Web sitesi üzerinden öğelerin satın alınmasını etkinleştirin
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},{0} fiyat listesinin para birimi {1} veya {2} olmalıdır.
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Abonelik Yönetimi
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Abonelik Yönetimi
 DocType: Appraisal,Appraisal Template,Değerlendirme Şablonu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,PIN Kodu&#39;na
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,PIN Kodu&#39;na
 DocType: Soil Texture,Ternary Plot,Üç parsel
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Zamanlayıcı ile programlanmış Günlük senkronizasyon rutinini etkinleştirmek için bunu kontrol edin.
 DocType: Item Group,Item Classification,Ürün Sınıflandırması
@@ -6714,6 +6784,7 @@
 DocType: Crop,Period,Dönem
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Genel Muhasebe
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Genel Muhasebe
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Mali Yıla
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Görünüm İlanlar
 DocType: Program Enrollment Tool,New Program,yeni Program
 DocType: Item Attribute Value,Attribute Value,Değer Özellik
@@ -6722,11 +6793,11 @@
 ,Itemwise Recommended Reorder Level,Ürünnin Önerilen Yeniden Sipariş Düzeyi
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,{1} notunun {0} çalışanında varsayılan izin yok politikası yoktur
 DocType: Salary Detail,Salary Detail,Maaş Detay
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Önce {0} seçiniz
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Önce {0} seçiniz
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} kullanıcı eklendi
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Çok katmanlı program söz konusu olduğunda, Müşteriler harcanan esasa göre ilgili kademeye otomatik olarak atanacaktır."
 DocType: Appointment Type,Physician,Doktor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,{0} partisindeki {1} ürününün ömrü doldu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,{0} partisindeki {1} ürününün ömrü doldu
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,istişareler
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,İyi bitti
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Ürün Fiyatı, Fiyat Listesi, Tedarikçi / Müşteri, Para Birimi, Öğe, UOM, Miktar ve Tarihlere göre birden çok kez görüntülenir."
@@ -6736,7 +6807,7 @@
 DocType: Certification Application,Name of Applicant,Başvuru sahibinin adı
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Üretim için Mesai Kartı.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ara toplam
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Stok işleminden sonra Varyant özellikleri değiştirilemez. Bunu yapmak için yeni bir öğe yapmanız gerekecek.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Stok işleminden sonra Varyant özellikleri değiştirilemez. Bunu yapmak için yeni bir öğe yapmanız gerekecek.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA Mandate
 DocType: Healthcare Practitioner,Charges,Masraflar
 DocType: Production Plan,Get Items For Work Order,İş Emri İçin Öğeleri Alın
@@ -6744,16 +6815,15 @@
 DocType: Salary Detail,Default Amount,Standart Tutar
 DocType: Lab Test Template,Descriptive,Tanımlayıcı
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Sistemde depo bulunmadı
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Bu Ayın Özeti
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Bu Ayın Özeti
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kalite Kontrol Okuma
 DocType: Quality Inspection Reading,Quality Inspection Reading,Kalite Kontrol Okuma
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` %d günden daha kısa olmalıdır.
 DocType: Tax Rule,Purchase Tax Template,Vergi Şablon Satınalma
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Şirketiniz için ulaşmak istediğiniz bir satış hedefi belirleyin.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Sağlık Hizmetleri
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Sağlık Hizmetleri
 ,Project wise Stock Tracking,Proje bilgisi Stok Takibi
 DocType: GST HSN Code,Regional,Bölgesel
-DocType: Delivery Note,Transport Mode,Taşıma modu
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,laboratuvar
 DocType: UOM Category,UOM Category,UOM Kategorisi
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Fiili Miktar (kaynak / hedef)
@@ -6780,18 +6850,18 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Web sitesi oluşturulamadı
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Ölçü Birimi Dönüşüm Detayı
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Elde edilen stok tutarı girişi veya Numune Miktarı mevcut değil
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Elde edilen stok tutarı girişi veya Numune Miktarı mevcut değil
 DocType: Program,Program Abbreviation,Program Kısaltma
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Üretim siparişi Ürün Şablon karşı yükseltilmiş edilemez
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Ücretler her öğenin karşı Satınalma Fiş güncellenir
 DocType: Warranty Claim,Resolved By,Tarafından Çözülmüştür
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Program Deşarjı
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Çekler ve Mevduat yanlış temizlenir
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Hesap {0}: Kendisini bir ana hesap olarak atayamazsınız
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Hesap {0}: Kendisini bir ana hesap olarak atayamazsınız
 DocType: Purchase Invoice Item,Price List Rate,Fiyat Listesi Oranı
 DocType: Purchase Invoice Item,Price List Rate,Fiyat Listesi Oranı
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Müşteri tırnak oluşturun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Hizmet Bitiş Tarihi Servis Sonu Tarihinden sonra olamaz
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Hizmet Bitiş Tarihi Servis Sonu Tarihinden sonra olamaz
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Depodaki mevcut stok durumuna göre ""Stokta"" veya ""Stokta değil"" olarak göster"
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Malzeme Listesi (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Tedarikçinin ortalama teslim süresi
@@ -6804,11 +6874,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Saat
 DocType: Project,Expected Start Date,Beklenen BaşlangıçTarihi
 DocType: Purchase Invoice,04-Correction in Invoice,04-Faturada Düzeltme
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,BOM ile tüm öğeler için önceden oluşturulmuş olan İş Emri
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,BOM ile tüm öğeler için önceden oluşturulmuş olan İş Emri
 DocType: Payment Request,Party Details,Parti Detayları
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Varyant Detayları Raporu
 DocType: Setup Progress Action,Setup Progress Action,Kurulum İlerleme Eylemi
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Alış Fiyatı Listesi
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Alış Fiyatı Listesi
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Ücretleri bu öğeye geçerli değilse öğeyi çıkar
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Aboneliği iptal et
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Lütfen Bakım Durumunu Tamamlandı olarak seçin veya Bitiş Tarihi kaldırın
@@ -6826,7 +6896,7 @@
 DocType: Asset,Disposal Date,Bertaraf tarihi
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Onlar tatil yoksa e-postalar, verilen saatte şirketin tüm Aktif Çalışanların gönderilecektir. Yanıtların Özeti gece yarısı gönderilecektir."
 DocType: Employee Leave Approver,Employee Leave Approver,Çalışan izin Onayı
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Satır {0}: Bir Yeniden Sipariş girişi zaten bu depo için var {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Satır {0}: Bir Yeniden Sipariş girişi zaten bu depo için var {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Kayıp olarak Kotasyon yapılmış çünkü, ilan edemez."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP Hesabı
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Eğitim Görüşleri
@@ -6839,7 +6909,7 @@
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Bölüm Altbilgisi
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Fiyatları Ekle / Düzenle
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Fiyatları Ekle / Düzenle
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Çalışan Promosyonu Promosyon Tarihinden önce gönderilemez
 DocType: Batch,Parent Batch,Ana Parti
 DocType: Batch,Parent Batch,Ana Parti
@@ -6851,6 +6921,7 @@
 ,Requested Items To Be Ordered,Sipariş edilmesi istenen Ürünler
 DocType: Price List,Price List Name,Fiyat Listesi Adı
 DocType: Price List,Price List Name,Fiyat Listesi Adı
+DocType: Delivery Stop,Dispatch Information,Sevk Bilgileri
 DocType: Blanket Order,Manufacturing,Üretim
 DocType: Blanket Order,Manufacturing,Üretim
 ,Ordered Items To Be Delivered,Teslim edilecek Sipariş Edilen Ürünler
@@ -6874,17 +6945,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,Bu işlemi tamamlamak için {2} içinde {3} {4} üstünde {5} için {0} miktar {1} gerekli.
 DocType: Fee Schedule,Student Category,Öğrenci Kategorisi
 DocType: Announcement,Student,Öğrenci
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,İşlemi başlatmak için stok miktarı depoda mevcut değildir. Stok Aktarımı kaydetmek ister misiniz?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,İşlemi başlatmak için stok miktarı depoda mevcut değildir. Stok Aktarımı kaydetmek ister misiniz?
 DocType: Shipping Rule,Shipping Rule Type,Nakliye Kuralı Türü
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Odalara Git
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Şirket, Ödeme Hesabı, Tarihten ve Tarihe kadar zorunludur"
 DocType: Company,Budget Detail,Bütçe Detay
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Lütfen Göndermeden önce mesajı giriniz
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,TEDARİKÇİ ÇEŞİTLİLİĞİ
-DocType: Email Digest,Pending Quotations,Teklif hazırlaması Bekleyen
-DocType: Delivery Note,Distance (KM),Mesafe (km)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Tedarikçi&gt; Tedarikçi Grubu
 DocType: Asset,Custodian,bekçi
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Satış Noktası Profili
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Satış Noktası Profili
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,"{0}, 0 ile 100 arasında bir değer olmalıdır"
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1} ile {2} arasındaki {0} ödemesi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Teminatsız Krediler
@@ -6920,10 +6990,10 @@
 DocType: Item,Has Serial No,Seri no Var
 DocType: Employee,Date of Issue,Veriliş tarihi
 DocType: Employee,Date of Issue,Veriliş tarihi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Satın Alma Gerekliliği Alımı == &#39;EVET&#39; ise Satın Alma Ayarlarına göre, Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Makbuzu oluşturmalıdır."
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Satın Alma Gerekliliği Alımı == &#39;EVET&#39; ise Satın Alma Ayarlarına göre, Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Makbuzu oluşturmalıdır."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Satır # {0}: öğe için Set Tedarikçi {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Satır {0}: Saat değeri sıfırdan büyük olmalıdır.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Öğe {1} bağlı Web Sitesi Resmi {0} bulunamıyor
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Öğe {1} bağlı Web Sitesi Resmi {0} bulunamıyor
 DocType: Issue,Content Type,İçerik Türü
 DocType: Issue,Content Type,İçerik Türü
 DocType: Asset,Assets,Varlıklar
@@ -6936,7 +7006,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} mevcut değil
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Diğer para ile hesap izin Çoklu Para Birimi seçeneğini kontrol edin
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Ürün: {0} sistemde mevcut değil
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Donmuş değeri ayarlama yetkiniz yok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Donmuş değeri ayarlama yetkiniz yok
 DocType: Payment Reconciliation,Get Unreconciled Entries,Mutabık olmayan girdileri alın
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},"{0} çalışanı, {1} tarihinde devam ediyor"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Dergi Girişi için herhangi bir geri ödeme seçilmedi
@@ -6956,13 +7026,14 @@
 ,Average Commission Rate,Ortalama Komisyon Oranı
 DocType: Share Balance,No of Shares,Pay Sayısı
 DocType: Taxable Salary Slab,To Amount,Tutarına
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,Stokta olmayan ürünün 'Seri Nosu Var' 'Evet' olamaz
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,Stokta olmayan ürünün 'Seri Nosu Var' 'Evet' olamaz
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Durum Seç
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,İlerideki tarihler için katılım işaretlenemez
 DocType: Support Search Source,Post Description Key,Mesaj Açıklaması Anahtarı
 DocType: Pricing Rule,Pricing Rule Help,Fiyatlandırma Kuralı Yardım
 DocType: School House,House Name,Evin adı
 DocType: Fee Schedule,Total Amount per Student,Öğrenci Başına Toplam Tutar
+DocType: Opportunity,Sales Stage,Satış aşaması
 DocType: Purchase Taxes and Charges,Account Head,Hesap Başlığı
 DocType: Purchase Taxes and Charges,Account Head,Hesap Başlığı
 DocType: Company,HRA Component,İHD Bileşeni
@@ -6972,17 +7043,16 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Toplam Değer Farkı (Out - In)
 DocType: Grant Application,Requested Amount,Talep edilen miktar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Satır {0}: Döviz Kuru zorunludur
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Çalışan {0} için kullanıcı kimliği ayarlanmamış
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Çalışan {0} için kullanıcı kimliği ayarlanmamış
 DocType: Vehicle,Vehicle Value,araç Değeri
 DocType: Crop Cycle,Detected Diseases,Algılanan Hastalıklar
 DocType: Stock Entry,Default Source Warehouse,Varsayılan Kaynak Deposu
 DocType: Stock Entry,Default Source Warehouse,Varsayılan Kaynak Deposu
 DocType: Item,Customer Code,Müşteri Kodu
 DocType: Item,Customer Code,Müşteri Kodu
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Için Doğum Günü Hatırlatıcı {0}
 DocType: Asset Maintenance Task,Last Completion Date,Son Bitiş Tarihi
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Son siparişten bu yana geçen günler
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Hesabın için Bankamatik bir bilanço hesabı olmalıdır
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Hesabın için Bankamatik bir bilanço hesabı olmalıdır
 DocType: Asset,Naming Series,Seri Adlandırma
 DocType: Vital Signs,Coated,Kaplanmış
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Satır {0}: Faydalı Ömürden Sonra Beklenen Değer Brüt Alım Tutarından daha az olmalıdır
@@ -7002,16 +7072,16 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,İrsaliye {0} teslim edilmemelidir
 DocType: Notification Control,Sales Invoice Message,Satış Faturası Mesajı
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Hesap {0} Kapanış tipi Sorumluluk / Özkaynak olmalıdır
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},çalışanın maaş Kuponu {0} zaten zaman çizelgesi için oluşturulan {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},çalışanın maaş Kuponu {0} zaten zaman çizelgesi için oluşturulan {1}
 DocType: Vehicle Log,Odometer,Kilometre sayacı
 DocType: Production Plan Item,Ordered Qty,Sipariş Miktarı
 DocType: Production Plan Item,Ordered Qty,Sipariş Miktarı
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Öğe {0} devre dışı
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Öğe {0} devre dışı
 DocType: Stock Settings,Stock Frozen Upto,Stok Dondurulmuş
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,Ürün Ağacı hiç stoklanan kalem içermiyor
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,Ürün Ağacı hiç stoklanan kalem içermiyor
 DocType: Chapter,Chapter Head,Bölüm Başkanı
 DocType: Payment Term,Month(s) after the end of the invoice month,Fatura ayının bitiminden sonraki aylar
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Maaş Yapısı, fayda miktarını dağıtmak için esnek fayda bileşenlerine sahip olmalıdır."
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Maaş Yapısı, fayda miktarını dağıtmak için esnek fayda bileşenlerine sahip olmalıdır."
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Proje faaliyeti / görev.
 DocType: Vital Signs,Very Coated,Çok Kaplamalı
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Sadece Vergi Etkisi (Talep Edilemez, Vergilendirilebilir Gelirin Bir Parçası)"
@@ -7029,7 +7099,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Fatura Saatleri
 DocType: Project,Total Sales Amount (via Sales Order),Toplam Satış Tutarı (Satış Siparişi Yoluyla)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} bulunamadı için varsayılan BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Satır # {0}: yeniden sipariş miktarını ayarlamak Lütfen
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Satır # {0}: yeniden sipariş miktarını ayarlamak Lütfen
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Buraya eklemek için öğelere dokunun
 DocType: Fees,Program Enrollment,programı Kaydı
 DocType: Share Transfer,To Folio No,Folio No&#39;ya
@@ -7076,9 +7146,9 @@
 DocType: SG Creation Tool Course,Max Strength,Maksimum Güç
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Önayarları yükleme
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH .YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Müşteri için {} dağıtım Notu seçilmedi
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Müşteri için {} dağıtım Notu seçilmedi
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,{0} çalışanının maksimum fayda miktarı yok
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Teslimat Tarihine Göre Öğe Seç
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Teslimat Tarihine Göre Öğe Seç
 DocType: Grant Application,Has any past Grant Record,Geçmiş Hibe Kayıtları var mı
 ,Sales Analytics,Satış Analizleri
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Uygun {0}
@@ -7087,12 +7157,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Üretim Ayarları
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,E-posta kurma
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobil yok
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,Lütfen Şirket Alanına varsayılan para birimini girin
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,Lütfen Şirket Alanına varsayılan para birimini girin
 DocType: Stock Entry Detail,Stock Entry Detail,Stok Girdisi Detayı
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Günlük Hatırlatmalar
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Günlük Hatırlatmalar
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Tüm açık biletlere bakın
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Sağlık hizmeti birim ağacı
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Ürün
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Ürün
 DocType: Products Settings,Home Page is Products,Ana Sayfa Ürünler konumundadır
 ,Asset Depreciation Ledger,Varlık Değer Kaybı Defteri
 DocType: Salary Structure,Leave Encashment Amount Per Day,Günde Muhafaza Miktarını Bırak
@@ -7103,9 +7173,10 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Tedarik edilen Hammadde  Maliyeti
 DocType: Selling Settings,Settings for Selling Module,Modülü Satış için Ayarlar
 DocType: Hotel Room Reservation,Hotel Room Reservation,Otel Odaları Rezervasyonu
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Müşteri Hizmetleri
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Müşteri Hizmetleri
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Müşteri Hizmetleri
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Müşteri Hizmetleri
 DocType: BOM,Thumbnail,Başparmak tırnağı
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,E-posta kimlikleri olan hiç kişi bulunamadı.
 DocType: Item Customer Detail,Item Customer Detail,Ürün Müşteri Detayı
 DocType: Notification Control,Prompt for Email on Submission of,Başvuru üzerine E-posta cevabı
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},{0} çalışanının maksimum fayda miktarı {1} değerini aşıyor
@@ -7115,7 +7186,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Ürün {0} bir stok ürünü olmalıdır
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,İlerleme Ambarlar&#39;da Standart Çalışma
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} için program çakışıyor, çakışan yuvaları atladıktan sonra devam etmek istiyor musunuz?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Muhasebe işlemleri için varsayılan ayarlar.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Muhasebe işlemleri için varsayılan ayarlar.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Hibe Yaprakları
 DocType: Restaurant,Default Tax Template,Varsayılan Vergi Şablonu
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Öğrenciler kaydoldu
@@ -7123,6 +7194,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Stok Miktarı
 DocType: Purchase Invoice Item,Stock Qty,Stok Miktarı
 DocType: Contract,Requires Fulfilment,Yerine Getirilmesi Gerekir
+DocType: QuickBooks Migrator,Default Shipping Account,Varsayılan Kargo Hesabı
 DocType: Loan,Repayment Period in Months,Aylar içinde Geri Ödeme Süresi
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Hata: Geçerli bir kimliği?
 DocType: Naming Series,Update Series Number,Seri Numaralarını Güncelle
@@ -7140,13 +7212,13 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksimum Tutar
 DocType: Journal Entry,Total Amount Currency,Toplam Tutar Para Birimi
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Arama Alt Kurullar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},{0} Numaralı satırda Ürün Kodu gereklidir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},{0} Numaralı satırda Ürün Kodu gereklidir
 DocType: GST Account,SGST Account,SGST Hesabı
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Ürünlere Git
 DocType: Sales Partner,Partner Type,Ortak Türü
 DocType: Sales Partner,Partner Type,Ortak Türü
-DocType: Purchase Taxes and Charges,Actual,Gerçek
-DocType: Purchase Taxes and Charges,Actual,Gerçek
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Gerçek
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Gerçek
 DocType: Restaurant Menu,Restaurant Manager,Restaurant yöneticisi
 DocType: Authorization Rule,Customerwise Discount,Müşteri İndirimi
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Görevler için mesai kartı.
@@ -7173,8 +7245,8 @@
 DocType: Employee,Cheque,Çek
 DocType: Training Event,Employee Emails,Çalışan E-postaları
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Serisi Güncellendi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Rapor Tipi zorunludur
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Rapor Tipi zorunludur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Rapor Tipi zorunludur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Rapor Tipi zorunludur
 DocType: Item,Serial Number Series,Seri Numarası Serisi
 DocType: Item,Serial Number Series,Seri Numarası Serisi
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Satır {1} de stok Ürünü {0} için depo zorunludur
@@ -7208,7 +7280,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Satış Siparişindeki Fatura Tutarını Güncelle
 DocType: BOM,Materials,Materyaller
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","İşaretli değilse, liste uygulanması gereken her Departmana eklenmelidir"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Gönderme tarihi ve gönderme zamanı zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Gönderme tarihi ve gönderme zamanı zorunludur
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Alım işlemleri için vergi şablonu.
 ,Item Prices,Ürün Fiyatları
 ,Item Prices,Ürün Fiyatları
@@ -7225,12 +7297,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Varlık Amortismanı Girişi Dizisi (Dergi Girişi)
 DocType: Membership,Member Since,Den beri üye
 DocType: Purchase Invoice,Advance Payments,Avans Ödemeleri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Lütfen Sağlık Hizmeti seçiniz
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Lütfen Sağlık Hizmeti seçiniz
 DocType: Purchase Taxes and Charges,On Net Total,Net toplam
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} Attribute değer aralığında olmalıdır {1} {2} artışlarla {3} Öğe için {4}
 DocType: Restaurant Reservation,Waitlisted,Bekleme listesindeki
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Muafiyet Kategorisi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Para başka bir para birimini kullanarak girdileri yaptıktan sonra değiştirilemez
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Para başka bir para birimini kullanarak girdileri yaptıktan sonra değiştirilemez
 DocType: Shipping Rule,Fixed,Sabit
 DocType: Vehicle Service,Clutch Plate,Debriyaj Plakası
 DocType: Company,Round Off Account,Yuvarlama Hesabı
@@ -7241,7 +7313,7 @@
 DocType: Subscription Plan,Based on price list,Fiyat listesine göre
 DocType: Customer Group,Parent Customer Group,Ana Müşteri Grubu
 DocType: Vehicle Service,Change,Değişiklik
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,abone
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,abone
 DocType: Purchase Invoice,Contact Email,İletişim E-Posta
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Ücret Oluşturma Bekliyor
 DocType: Appraisal Goal,Score Earned,Kazanılan Puan
@@ -7269,24 +7341,24 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Alacak / Borç Hesap
 DocType: Delivery Note Item,Against Sales Order Item,Satış Sipariş Kalemi karşılığı
 DocType: Company,Company Logo,Şirket logosu
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Öznitelik için değeri Özellik belirtiniz {0}
-DocType: Item Default,Default Warehouse,Standart Depo
-DocType: Item Default,Default Warehouse,Standart Depo
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Öznitelik için değeri Özellik belirtiniz {0}
+DocType: QuickBooks Migrator,Default Warehouse,Standart Depo
+DocType: QuickBooks Migrator,Default Warehouse,Standart Depo
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Bütçe Grubu Hesabı karşı atanamayan {0}
 DocType: Shopping Cart Settings,Show Price,Fiyatı Göster
 DocType: Healthcare Settings,Patient Registration,Hasta Kayıt
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Lütfen ana maliyet merkezi giriniz
 DocType: Delivery Note,Print Without Amount,Tutarı olmadan yazdır
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Amortisman tarihi
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Amortisman tarihi
 ,Work Orders in Progress,Devam Eden İş Emirleri
 DocType: Issue,Support Team,Destek Ekibi
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(Gün) Son Kullanma
 DocType: Appraisal,Total Score (Out of 5),Toplam Puan (5 üzerinden)
 DocType: Student Attendance Tool,Batch,Yığın
 DocType: Support Search Source,Query Route String,Sorgu Rota Dizesi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Son satın alma oranına göre güncelleme oranı
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Son satın alma oranına göre güncelleme oranı
 DocType: Donor,Donor Type,Donör Türü
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Otomatik tekrar dokümanı güncellendi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Otomatik tekrar dokümanı güncellendi
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Bakiye
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Lütfen Şirketi Seçiniz
 DocType: Job Card,Job Card,İş kartı
@@ -7300,7 +7372,7 @@
 DocType: Assessment Result,Total Score,Toplam puan
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standardı
 DocType: Journal Entry,Debit Note,Borç dekontu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Bu sırayla yalnızca maksimum {0} noktayı kullanabilirsiniz.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Bu sırayla yalnızca maksimum {0} noktayı kullanabilirsiniz.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Lütfen API Tüketici Sırrı girin
 DocType: Stock Entry,As per Stock UOM,Stok Ölçü Birimi gereğince
@@ -7314,10 +7386,11 @@
 DocType: Journal Entry,Total Debit,Toplam Borç
 DocType: Travel Request Costing,Sponsored Amount,Sponsorlu Tutar
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standart bitirdi Eşya Depo
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Lütfen hastayı seçin
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Lütfen hastayı seçin
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Satış Personeli
 DocType: Hotel Room Package,Amenities,Kolaylıklar
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Bütçe ve Maliyet Merkezi
+DocType: QuickBooks Migrator,Undeposited Funds Account,Belirtilmemiş Fon Hesabı
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Bütçe ve Maliyet Merkezi
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Birden fazla varsayılan ödeme moduna izin verilmiyor
 DocType: Sales Invoice,Loyalty Points Redemption,Sadakat Puanları Redemption
 ,Appointment Analytics,Randevu Analizi
@@ -7332,6 +7405,7 @@
 DocType: Batch,Manufacturing Date,Üretim tarihi
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Ücret Oluşturma Başarısız Oldu
 DocType: Opening Invoice Creation Tool,Create Missing Party,Kayıp Parti Yarat
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Toplam bütçe
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Öğrenci gruplarını yılda bir kere yaparsanız boş bırakın.
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Seçili ise,toplam çalışma günleri sayısı tatilleri içerecektir ve bu da Günlük ücreti düşürecektir"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Geçerli anahtarı kullanan uygulamalar erişemez, emin misiniz?"
@@ -7349,21 +7423,20 @@
 DocType: Opportunity Item,Basic Rate,Temel Oran
 DocType: GL Entry,Credit Amount,Kredi miktarı
 DocType: Cheque Print Template,Signatory Position,İmzacı pozisyonu
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Kayıp olarak ayarla
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Kayıp olarak ayarla
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Kayıp olarak ayarla
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Kayıp olarak ayarla
 DocType: Timesheet,Total Billable Hours,Toplam Faturalanabilir Saat
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Abonenin bu abonelik tarafından oluşturulan faturaları ödemek zorunda olduğu gün sayısı
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Çalışanlara Sağlanan Fayda Uygulama Detayı
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Ödeme Makbuzu Not
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,"Bu, bu Müşteriye karşı işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesini bakın"
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Satır {0}: Ayrılan miktarı {1} daha az olması veya Ödeme giriş miktarı eşittir gerekir {2}
 DocType: Program Enrollment Tool,New Academic Term,Yeni Akademik Dönem
 ,Course wise Assessment Report,Akıllıca Hazırlanan Değerlendirme Raporu
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Availed ITC Eyalet / VAT Vergisi
 DocType: Tax Rule,Tax Rule,Vergi Kuralı
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Satış döngüsü boyunca aynı oranı koruyun
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Lütfen Marketplace&#39;e kayıt olmak için başka bir kullanıcı olarak giriş yapın
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Lütfen Marketplace&#39;e kayıt olmak için başka bir kullanıcı olarak giriş yapın
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Workstation Çalışma Saatleri dışında zaman günlükleri planlayın.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Kuyruk Müşteriler
 DocType: Driver,Issuing Date,Veriliş tarihi
@@ -7373,11 +7446,10 @@
 ,Items To Be Requested,İstenecek Ürünler
 DocType: Company,Company Info,Şirket Bilgisi
 DocType: Company,Company Info,Şirket Bilgisi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Seçmek veya yeni müşteri eklemek
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Seçmek veya yeni müşteri eklemek
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Maliyet merkezi gider iddiayı kitaba gereklidir
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Fon (varlık) başvurusu
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,"Bu, bu Çalışan katılımı esas alır"
-DocType: Assessment Result,Summary,özet
 DocType: Payment Request,Payment Request Type,Ödeme İsteği Türü
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Seyirci İzleme
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Borç Hesabı
@@ -7387,7 +7459,7 @@
 DocType: Additional Salary,Employee Name,Çalışan Adı
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restaurant Sipariş Girişi Maddesi
 DocType: Purchase Invoice,Rounded Total (Company Currency),Yuvarlanmış Toplam (Şirket Kuru)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Hesap Türü seçili olduğundan Grup gizli olamaz.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Hesap Türü seçili olduğundan Grup gizli olamaz.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0}, {1} düzenlenmiştir. Lütfen yenileyin."
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Kullanıcıların şu günlerde İzin almasını engelle.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Sadakat Puanı için sınırsız süre dolduğunda, Son Kullanım Süresini boş veya 0 olarak tutun."
@@ -7407,11 +7479,12 @@
 DocType: Purchase Receipt Item,Accepted Quantity,Kabul edilen Miktar
 DocType: Purchase Receipt Item,Accepted Quantity,Kabul edilen Miktar
 DocType: Projects Settings,Ignore Workstation Time Overlap,İş İstasyonu Zaman Çakışmasını Yoksay
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Çalışan bir varsayılan Tatil Listesi set Lütfen {0} veya Şirket {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Çalışan bir varsayılan Tatil Listesi set Lütfen {0} veya Şirket {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} mevcut değil
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Toplu Numaraları Seç
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN&#39;e
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN&#39;e
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Müşterilere artırılan faturalar
+DocType: Healthcare Settings,Invoice Appointments Automatically,Fatura Randevuları Otomatik Olarak
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Proje Kimliği
 DocType: Salary Component,Variable Based On Taxable Salary,Vergilendirilebilir Maaşlara Dayalı Değişken
 DocType: Company,Basic Component,Temel bileşen
@@ -7426,11 +7499,11 @@
 DocType: Stock Entry,Source Warehouse Address,Kaynak Depo Adresi
 DocType: GL Entry,Voucher Type,Föy Türü
 DocType: Amazon MWS Settings,Max Retry Limit,Maksimum Yeniden Deneme Sınırı
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil
 DocType: Student Applicant,Approved,Onaylandı
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Fiyat
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Fiyat
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',"{0} üzerinde bırakılan işçi 'ayrılı' olarak ayarlanmalıdır"""
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',"{0} üzerinde bırakılan işçi 'ayrılı' olarak ayarlanmalıdır"""
 DocType: Marketplace Settings,Last Sync On,Son Senkronizasyon Açık
 DocType: Guardian,Guardian,vasi
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Bunları içeren ve bunun üstündeki tüm iletişim, yeni sayıya taşınacaktır."
@@ -7454,14 +7527,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Sahada tespit edilen hastalıkların listesi. Seçildiğinde, hastalıkla başa çıkmak için görevlerin bir listesi otomatik olarak eklenir."
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Bu bir kök sağlık hizmeti birimidir ve düzenlenemez.
 DocType: Asset Repair,Repair Status,Onarım Durumu
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Satış Ortakları Ekleyin
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Muhasebe günlük girişleri.
 DocType: Travel Request,Travel Request,Seyahat isteği
 DocType: Delivery Note Item,Available Qty at From Warehouse,Depodaki Boş Adet
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,İlk Çalışan Kaydı seçiniz.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Katılım, bir Tatil olduğu için {0} için gönderilmemiş."
 DocType: POS Profile,Account for Change Amount,Değişim Miktarı Hesabı
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks&#39;a Bağlanma
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Toplam Kazanç / Zarar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Şirket İçi Fatura için Geçersiz Şirket.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Şirket İçi Fatura için Geçersiz Şirket.
 DocType: Purchase Invoice,input service,girdi hizmeti
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Satır {0}: Parti / Hesap ile eşleşmiyor {1} / {2} içinde {3} {4}
 DocType: Employee Promotion,Employee Promotion,Çalışan Tanıtımı
@@ -7472,12 +7547,13 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Gider Hesabı girin
 DocType: Account,Stock,Stok
 DocType: Account,Stock,Stok
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Satır # {0}: Referans Doküman Tipi Satın Alma Emri biri, Satın Alma Fatura veya günlük girdisi olmalıdır"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Satır # {0}: Referans Doküman Tipi Satın Alma Emri biri, Satın Alma Fatura veya günlük girdisi olmalıdır"
 DocType: Employee,Current Address,Mevcut Adresi
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Açıkça belirtilmediği sürece madde daha sonra açıklama, resim, fiyatlandırma, vergiler şablondan kurulacak vb başka bir öğe bir varyantı ise"
 DocType: Serial No,Purchase / Manufacture Details,Satın alma / Üretim Detayları
 DocType: Assessment Group,Assessment Group,Değerlendirme Grubu
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Parti Envanteri
+DocType: Supplier,GST Transporter ID,GST Transporter Kimliği
 DocType: Procedure Prescription,Procedure Name,Prosedür adı
 DocType: Employee,Contract End Date,Sözleşme Bitiş Tarihi
 DocType: Employee,Contract End Date,Sözleşme Bitiş Tarihi
@@ -7501,12 +7577,12 @@
 DocType: Company,Date of Incorporation,Kuruluş tarihi
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Toplam Vergi
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Son satın alma fiyatı
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Miktar (Adet Üretilen) zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Miktar (Adet Üretilen) zorunludur
 DocType: Stock Entry,Default Target Warehouse,Standart Hedef Depo
 DocType: Purchase Invoice,Net Total (Company Currency),Net Toplam (ޞirket para birimi)
 DocType: Delivery Note,Air,Hava
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Yıl Bitiş Tarihi Yil Başlangıç Tarihi daha önce olamaz. tarihleri düzeltmek ve tekrar deneyin.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} İsteğe Bağlı Tatil Listesinde değil
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} İsteğe Bağlı Tatil Listesinde değil
 DocType: Notification Control,Purchase Receipt Message,Satın alma makbuzu mesajı
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,hurda Ürünleri
@@ -7532,25 +7608,27 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,yerine getirme
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Önceki satır toplamı
 DocType: Item,Has Expiry Date,Vade Sonu Var
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,aktarım Varlık
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,aktarım Varlık
 DocType: POS Profile,POS Profile,POS Profili
 DocType: Training Event,Event Name,Etkinlik Adı
 DocType: Healthcare Practitioner,Phone (Office),Telefon (Ofis)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Gönderilemiyor, Çalışanlar katılım için ayrıldı"
 DocType: Inpatient Record,Admission,Başvuru
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},{0} için Kabul
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Ayar bütçeler, hedefler vb Mevsimselliği"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Ayar bütçeler, hedefler vb Mevsimselliği"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Değişken Adı
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} Öğe bir şablon, türevleri birini seçiniz"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini Kurun&gt; HR Ayarları
+DocType: Purchase Invoice Item,Deferred Expense,Ertelenmiş Gider
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},{0} tarihinden itibaren çalışanın {1} tarihine katılmadan önce olamaz.
 DocType: Asset,Asset Category,Varlık Kategorisi
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Net ödeme negatif olamaz
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Net ödeme negatif olamaz
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Net ödeme negatif olamaz
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Net ödeme negatif olamaz
 DocType: Purchase Order,Advance Paid,Peşin Ödenen
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Satış Siparişi İçin Aşırı Üretim Yüzdesi
 DocType: Item,Item Tax,Ürün Vergisi
 DocType: Item,Item Tax,Ürün Vergisi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Tedarikçi Malzeme
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Tedarikçi Malzeme
 DocType: Soil Texture,Loamy Sand,Loanty Sand
 DocType: Production Plan,Material Request Planning,Malzeme İstek Planlaması
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Tüketim Fatura
@@ -7572,10 +7650,10 @@
 DocType: Scheduling Tool,Scheduling Tool,zamanlama Aracı
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kredi kartı
 DocType: BOM,Item to be manufactured or repacked,Üretilecek veya yeniden paketlenecek Ürün
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Durumdaki sözdizimi hatası: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Durumdaki sözdizimi hatası: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EGT-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Ana / Opsiyonel Konular
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Lütfen Satın Alma Ayarlarında Tedarikçi Grubunu Ayarlayın.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Lütfen Satın Alma Ayarlarında Tedarikçi Grubunu Ayarlayın.
 DocType: Sales Invoice Item,Drop Ship,Bırak Gemi
 DocType: Driver,Suspended,Askıya alındı
 DocType: Training Event,Attendees,katılımcılar
@@ -7594,7 +7672,7 @@
 DocType: Customer,Commission Rate,Komisyon Oranı
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Başarıyla ödeme girişleri oluşturuldu
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1} için {0} puan kartını şu aralıklarla oluşturdu:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Variant oluştur
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Variant oluştur
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Ödeme Şekli, Alma biri Öde ve İç Transferi gerekir"
 DocType: Travel Itinerary,Preferred Area for Lodging,Konaklama için Tercih Edilen Alan
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analitikler
@@ -7605,8 +7683,8 @@
 DocType: Work Order,Actual Operating Cost,Gerçek İşletme Maliyeti
 DocType: Payment Entry,Cheque/Reference No,Çek / Referans No
 DocType: Soil Texture,Clay Loam,Killi toprak
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Kök düzenlenemez.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Kök düzenlenemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Kök düzenlenemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Kök düzenlenemez.
 DocType: Item,Units of Measure,Ölçü birimleri
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Metro şehrinde kiralık
 DocType: Supplier,Default Tax Withholding Config,Varsayılan Vergi Stopaj Yapılandırması
@@ -7625,22 +7703,23 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Ödeme tamamlandıktan sonra kullanıcıyı seçilen sayfaya yönlendir.
 DocType: Company,Existing Company,mevcut Şirket
 DocType: Healthcare Settings,Result Emailed,E-postayla gönderilen sonuç
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tüm Maddeler stokta bulunmayan maddeler olduğundan, Vergi Kategorisi &quot;Toplam&quot; olarak değiştirildi"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tüm Maddeler stokta bulunmayan maddeler olduğundan, Vergi Kategorisi &quot;Toplam&quot; olarak değiştirildi"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Bugüne kadar aynı tarihte eşit veya daha az olamaz
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Değiştirecek bir şey yok
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Bir csv dosyası seçiniz
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Bir csv dosyası seçiniz
 DocType: Holiday List,Total Holidays,Toplam Tatiller
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Sevk için e-posta şablonu eksik. Lütfen Teslimat Ayarları&#39;nda bir tane ayarlayın.
 DocType: Student Leave Application,Mark as Present,Şimdiki olarak işaretle
 DocType: Supplier Scorecard,Indicator Color,Gösterge Rengi
 DocType: Purchase Order,To Receive and Bill,Teslimat ve Ödeme
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,"Sıra # {0}: Reqd by Date, İşlem Tarihinden önce olamaz"
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,"Sıra # {0}: Reqd by Date, İşlem Tarihinden önce olamaz"
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Özel Ürünler
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Seri Numarası Seç
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Seri Numarası Seç
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Tasarımcı
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Şartlar ve Koşullar Şablon
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Şartlar ve Koşullar Şablon
 DocType: Serial No,Delivery Details,Teslim Bilgileri
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Satır {0} da Vergiler Tablosunda tip {1} için Maliyet Merkezi gereklidir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Satır {0} da Vergiler Tablosunda tip {1} için Maliyet Merkezi gereklidir
 DocType: Program,Program Code,Program Kodu
 DocType: Terms and Conditions,Terms and Conditions Help,Şartlar ve Koşullar Yardım
 ,Item-wise Purchase Register,Ürün bilgisi Alım Kaydı
@@ -7654,15 +7733,16 @@
 DocType: Contract,Contract Terms,Anlaşma koşulları
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Para birimlerinin yanında $ vb semboller kullanmayın.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},{0} bileşeninin maksimum fayda miktarı {1} değerini aşıyor
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Yarım Gün)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Yarım Gün)
 DocType: Payment Term,Credit Days,Kredi Günleri
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Lab Testleri almak için lütfen Hasta&#39;yı seçin
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Öğrenci Toplu yapın
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Üretim Transferi İzin Ver
 DocType: Leave Type,Is Carry Forward,İleri taşınmış
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM dan Ürünleri alın
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM dan Ürünleri alın
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Teslim zamanı Günü
 DocType: Cash Flow Mapping,Is Income Tax Expense,Gelir Vergisi Gideridir?
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Siparişiniz teslimat için dışarıda!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Satır # {0}: Tarihi Gönderme satın alma tarihi olarak aynı olmalıdır {1} varlığın {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Öğrenci Enstitü Pansiyonunda ikamet ediyorsa bunu kontrol edin.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Yukarıdaki tabloda Satış Siparişleri giriniz
@@ -7670,10 +7750,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,başka bir depodan bir varlık transfer
 DocType: Vehicle,Petrol,Petrol
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Kalan Faydalar (Yıllık)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Malzeme Listesi
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Malzeme Listesi
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Satır {0}: Parti Tipi ve Parti Alacak / Borç hesabı için gerekli olan {1}
 DocType: Employee,Leave Policy,Politikadan Ayrıl
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Öğeleri Güncelle
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Öğeleri Güncelle
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref Tarihi
 DocType: Employee,Reason for Leaving,Ayrılma Nedeni
 DocType: Employee,Reason for Leaving,Ayrılma Nedeni
@@ -7685,7 +7765,7 @@
 DocType: Department,Expense Approvers,Gider Onaylayanları
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Satır {0}: Banka giriş ile bağlantılı edilemez bir {1}
 DocType: Journal Entry,Subscription Section,Abonelik Bölümü
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Hesap {0} yok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Hesap {0} yok
 DocType: Training Event,Training Program,Eğitim programı
 DocType: Account,Cash,Nakit
 DocType: Account,Cash,Nakit
diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv
index 4d9532b..1217546 100644
--- a/erpnext/translations/uk.csv
+++ b/erpnext/translations/uk.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Предмети з клієнтами
 DocType: Project,Costing and Billing,Калькуляція і білінг
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},"Авансова валюта рахунку повинна бути такою ж, як валюта компанії {0}"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Рахунок {0}: Батьки рахунку {1} не може бути книга
+DocType: QuickBooks Migrator,Token Endpoint,Кінцева точка Token
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Рахунок {0}: Батьки рахунку {1} не може бути книга
 DocType: Item,Publish Item to hub.erpnext.com,Опублікувати пункт в hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Не вдається знайти активний період залишення
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Не вдається знайти активний період залишення
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,оцінка
 DocType: Item,Default Unit of Measure,Одиниця виміру за замовчуванням
 DocType: SMS Center,All Sales Partner Contact,Усі контакти торгового партнеру
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Натисніть «Ввести додати»
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Відсутнє значення для пароля, ключа API або Shopify URL"
 DocType: Employee,Rented,Орендовані
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Усі рахунки
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Усі рахунки
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Неможливо перенести працівника зі статусом &quot;ліворуч&quot;
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Призупинене виробниче замовлення не може бути скасоване, зніміть призупинку спочатку"
 DocType: Vehicle Service,Mileage,пробіг
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Ви дійсно хочете відмовитися від цього активу?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Ви дійсно хочете відмовитися від цього активу?
 DocType: Drug Prescription,Update Schedule,Оновити розклад
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Виберіть постачальника за замовчуванням
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Показати працівника
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Новий обмінний курс
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Валюта необхідна для Прайс-листа {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Валюта необхідна для Прайс-листа {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Розраховуватиметься у операції
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Контакти з клієнтами
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Це засновано на операціях проти цього постачальника. Див графік нижче для отримання докладної інформації
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Відсоток перевиробництва для робочого замовлення
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Правовий
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Правовий
+DocType: Delivery Note,Transport Receipt Date,Дата надходження транспортних засобів
 DocType: Shopify Settings,Sales Order Series,Серія продажів замовлень
 DocType: Vital Signs,Tongue,Язик
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Звільнення від сплати ПДВ
 DocType: Sales Invoice,Customer Name,Ім&#39;я клієнта
 DocType: Vehicle,Natural Gas,Природний газ
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Банківський рахунок не може бути названий {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Банківський рахунок не може бути названий {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA за структурою заробітної плати
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Керівники (або групи), проти якого Бухгалтерські записи виробляються і залишки зберігаються."
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Видатний {0} не може бути менше нуля ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Дата сервісна зупинка не може бути до Дата початку служби
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Дата сервісна зупинка не може бути до Дата початку служби
 DocType: Manufacturing Settings,Default 10 mins,За замовчуванням 10 хвилин
 DocType: Leave Type,Leave Type Name,Назва типу відпустки
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Показати відкритий
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Показати відкритий
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Серії оновлені успішно
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Перевірити
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} в рядку {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} в рядку {1}
 DocType: Asset Finance Book,Depreciation Start Date,Дата початку амортизації
 DocType: Pricing Rule,Apply On,Віднести до
 DocType: Item Price,Multiple Item prices.,Кілька ціни товару.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,налаштування підтримки
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,"Очікувана Дата закінчення не може бути менше, ніж очікувалося Дата початку"
 DocType: Amazon MWS Settings,Amazon MWS Settings,Налаштування Amazon MWS
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Ряд # {0}: ціна повинна бути такою ж, як {1}: {2} ({3} / {4})"
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Ряд # {0}: ціна повинна бути такою ж, як {1}: {2} ({3} / {4})"
 ,Batch Item Expiry Status,Пакетна Пункт експірації Статус
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Банківський чек
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Основна контактна інформація
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,відкриті питання
 DocType: Production Plan Item,Production Plan Item,Виробничий план товару
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Користувач {0} вже присвоєний працівникові {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Користувач {0} вже присвоєний працівникові {1}
 DocType: Lab Test Groups,Add new line,Додати нову лінію
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Охорона здоров&#39;я
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Затримка в оплаті (дні)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Лабораторна рецептура
 ,Delay Days,Затримки днів
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,послуги Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Серійний номер: {0} вже згадується в продажу рахунку: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Серійний номер: {0} вже згадується в продажу рахунку: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Рахунок-фактура
 DocType: Purchase Invoice Item,Item Weight Details,Деталі ваги Деталі
 DocType: Asset Maintenance Log,Periodicity,Періодичність
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Треба зазначити бюджетний період {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Постачальник&gt; Група постачальників
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Мінімальна відстань між рядами рослин для оптимального зростання
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Захист
 DocType: Salary Component,Abbr,Абревіатура
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Список вихідних
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Бухгалтер
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Ціновий продаж
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Ціновий продаж
 DocType: Patient,Tobacco Current Use,Використання тютюну
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Рейтинг продажів
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Рейтинг продажів
 DocType: Cost Center,Stock User,Складській користувач
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Контактна інформація
 DocType: Company,Phone No,№ Телефону
 DocType: Delivery Trip,Initial Email Notification Sent,Початкове сповіщення електронною поштою надіслано
 DocType: Bank Statement Settings,Statement Header Mapping,Заголовок картки
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Дата початку передплати
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,"Дебіторська заборгованість за замовчуванням, яка використовується, якщо не встановлено в Пацієнтці, щоб платити за збір за посаду."
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Долучіть файл .csv з двома колонками, одна для старої назви і одна для нової назви"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,З адреси 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Код товару&gt; Група предметів&gt; Бренд
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,З адреси 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} не існує в жодному активному бюджетному періоді
 DocType: Packed Item,Parent Detail docname,Батько Подробиці DOCNAME
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Посилання: {0}, Код товару: {1} і клієнта: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} не присутній у материнській компанії
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} не присутній у материнській компанії
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Дата закінчення випробувального періоду Не може бути до Дата початку випробувального періоду
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Кг
 DocType: Tax Withholding Category,Tax Withholding Category,Категорія оподаткування
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Реклама
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Те ж компанія увійшла більш ніж один раз
 DocType: Patient,Married,Одружений
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Не допускається для {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Не допускається для {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Отримати елементи з
 DocType: Price List,Price Not UOM Dependant,Ціна не залежить від УОМ
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Застосувати податкову суму втримання
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Запаси не можуть оновитися Накладною {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Загальна сума кредитується
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Запаси не можуть оновитися Накладною {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Загальна сума кредитується
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Продукт {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,немає Перелічене
 DocType: Asset Repair,Error Description,Опис помилки
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Використовуйте спеціальний формат потоку грошових потоків
 DocType: SMS Center,All Sales Person,Всі Відповідальні з продажу
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"**Щомісячний розподіл** дозволяє розподілити Бюджет/Мету по місяцях, якщо у вашому бізнесі є сезонність."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Чи не знайшли товар
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Відсутня Структура зарплати
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Чи не знайшли товар
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Відсутня Структура зарплати
 DocType: Lead,Person Name,Ім&#39;я особи
 DocType: Sales Invoice Item,Sales Invoice Item,Позиція вихідного рахунку
 DocType: Account,Credit,Кредит
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Складські звіти
 DocType: Warehouse,Warehouse Detail,Детальна інформація по складу
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Термін Дата закінчення не може бути пізніше, ніж за рік Дата закінчення навчального року, до якого цей термін пов&#39;язаний (навчальний рік {}). Будь ласка, виправте дату і спробуйте ще раз."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Є основним засобом"" не може бути знято, оскільки існує запис засобу відносно об’єкту"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Є основним засобом"" не може бути знято, оскільки існує запис засобу відносно об’єкту"
 DocType: Delivery Trip,Departure Time,Час відправлення
 DocType: Vehicle Service,Brake Oil,гальмівні масла
 DocType: Tax Rule,Tax Type,Тип податку
 ,Completed Work Orders,Завершені робочі замовлення
 DocType: Support Settings,Forum Posts,Повідомлення форуму
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Оподатковувана сума
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Оподатковувана сума
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},"У Вас немає прав, щоб додавати або оновлювати записи до {0}"
 DocType: Leave Policy,Leave Policy Details,Залиште детальну інформацію про політику
 DocType: BOM,Item Image (if not slideshow),Пункт зображення (якщо не слайд-шоу)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Тарифна ставка / 60) * Фактичний Час роботи
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Рядок # {0}: Тип довідкового документа повинен бути одним із претензій на витрати або Журнал
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Виберіть BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Рядок # {0}: Тип довідкового документа повинен бути одним із претензій на витрати або Журнал
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Виберіть BOM
 DocType: SMS Log,SMS Log,SMS Log
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Вартість комплектності
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,"Вихідні {0} не між ""Дата з"" та ""Дата По"""
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Шаблони таблиці постачальників.
 DocType: Lead,Interested,Зацікавлений
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Відкриття/На початок
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},З {0} до {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},З {0} до {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Програма:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Не вдалося встановити податки
 DocType: Item,Copy From Item Group,Копіювати з групи товарів
-DocType: Delivery Trip,Delivery Notification,Повідомлення про доставку
 DocType: Journal Entry,Opening Entry,Операція введення залишків
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Рахунок Оплатити тільки
 DocType: Loan,Repay Over Number of Periods,Погашати Over Кількість періодів
 DocType: Stock Entry,Additional Costs,Додаткові витрати
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Рахунок з існуючою транзакції не можуть бути перетворені в групі.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Рахунок з існуючою транзакції не можуть бути перетворені в групі.
 DocType: Lead,Product Enquiry,Запит про продукт
 DocType: Education Settings,Validate Batch for Students in Student Group,Перевірка Batch для студентів в студентській групі
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Немає відпустки знайдена запис для співробітника {0} для {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Будь ласка, введіть компанія вперше"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Будь ласка, виберіть компанію спочатку"
 DocType: Employee Education,Under Graduate,Під Випускник
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,"Будь ласка, встановіть шаблон за замовчуванням для сповіщення про стан залишення в налаштуваннях персоналу."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,"Будь ласка, встановіть шаблон за замовчуванням для сповіщення про стан залишення в налаштуваннях персоналу."
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Цільова На
 DocType: BOM,Total Cost,Загальна вартість
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Виписка
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Фармацевтика
 DocType: Purchase Invoice Item,Is Fixed Asset,Основний засіб
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Доступна к-сть: {0}, необхідно {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Доступна к-сть: {0}, необхідно {1}"
 DocType: Expense Claim Detail,Claim Amount,Сума претензії
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Порядок роботи був {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Шаблон перевірки якості
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Ви хочете оновити відвідуваність? <br> Присутні: {0} \ <br> Були відсутні: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прийнята+Відхилена к-сть має дорівнювати кількостіЮ що надійшла для позиції {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прийнята+Відхилена к-сть має дорівнювати кількостіЮ що надійшла для позиції {0}
 DocType: Item,Supply Raw Materials for Purchase,Постачання сировини для покупки
 DocType: Agriculture Analysis Criteria,Fertilizer,Добрива
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","Неможливо забезпечити доставку послідовним номером, оскільки \ Item {0} додається з та без забезпечення доставки по \ серійному номеру."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Принаймні один спосіб оплати потрібно для POS рахунку.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Принаймні один спосіб оплати потрібно для POS рахунку.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Банківська виписка Звіт про транзакцію
 DocType: Products Settings,Show Products as a List,Показувати продукцію списком
 DocType: Salary Detail,Tax on flexible benefit,Податок на гнучку вигоду
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Детальний опис матеріалів
 DocType: Selling Settings,Default Quotation Validity Days,Дня довіреності щодо котирувань
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Щоб включити податок у рядку {0} у розмірі Item, податки в рядках {1} повинні бути також включені"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Щоб включити податок у рядку {0} у розмірі Item, податки в рядках {1} повинні бути також включені"
 DocType: SMS Center,SMS Center,SMS-центр
 DocType: Payroll Entry,Validate Attendance,Підтвердити відвідуваність
 DocType: Sales Invoice,Change Amount,Сума змін
 DocType: Party Tax Withholding Config,Certificate Received,Сертифікат отримано
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,"Встановити вартість рахунку для B2C. B2CL та B2CS, розраховані на основі цього рахунку-фактури."
 DocType: BOM Update Tool,New BOM,Новий документ Норми витрат
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Прописані процедури
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Прописані процедури
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Показати тільки POS
 DocType: Supplier Group,Supplier Group Name,Назва групи постачальників
 DocType: Driver,Driving License Categories,Категорії авторизації
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Зарплатні періоди
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,зробити Employee
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Радіомовлення
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Режим налаштування POS (онлайн / офлайн)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Режим налаштування POS (онлайн / офлайн)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Вимикає створення журналів часу проти робочих замовлень. Операції не відстежуються з робочого замовлення
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Виконання
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Детальна інформація про виконані операції.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Знижка на ціну з прайсу (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Шаблон елемента
 DocType: Job Offer,Select Terms and Conditions,Виберіть умови та положення
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Розхід у Сумі
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Розхід у Сумі
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Параметри банківського звіту
 DocType: Woocommerce Settings,Woocommerce Settings,Налаштування Woocommerce
 DocType: Production Plan,Sales Orders,Замовлення клієнта
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,"Запит котирувань можна отримати, перейшовши за наступним посиланням"
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG Створення курсу інструменту
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис оплати
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,недостатній запас
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,недостатній запас
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Відключити планування ємності і відстеження часу
 DocType: Email Digest,New Sales Orders,Нові Замовлення клієнтів
 DocType: Bank Account,Bank Account,Банківський рахунок
 DocType: Travel Itinerary,Check-out Date,Дата виїзду
 DocType: Leave Type,Allow Negative Balance,Дозволити негативний баланс
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Ви не можете видалити тип проекту &quot;Зовнішній&quot;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Виберіть альтернативний елемент
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Виберіть альтернативний елемент
 DocType: Employee,Create User,створити користувача
 DocType: Selling Settings,Default Territory,Територія за замовчуванням
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Телебачення
 DocType: Work Order Operation,Updated via 'Time Log',Оновлене допомогою &#39;Час Вхід &quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Виберіть клієнта або постачальника.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},"Сума авансу не може бути більше, ніж {0} {1}"
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},"Сума авансу не може бути більше, ніж {0} {1}"
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Часовий проміжок пропущений, слот {0} - {1} перекриває існуючий слот {2} - {3}"
 DocType: Naming Series,Series List for this Transaction,Список серій для даної транзакції
 DocType: Company,Enable Perpetual Inventory,Включення перманентної інвентаризації
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,По позиціях вхідного рахунку-фактури
 DocType: Agriculture Analysis Criteria,Linked Doctype,Зв&#39;язаний Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Чисті грошові кошти від фінансової
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage сповнений, не врятувало"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage сповнений, не врятувало"
 DocType: Lead,Address & Contact,Адреса та контакти
 DocType: Leave Allocation,Add unused leaves from previous allocations,Додати невикористані дні відпустки від попередніх призначень
 DocType: Sales Partner,Partner website,Веб-сайт партнера
@@ -447,10 +447,10 @@
 ,Open Work Orders,Відкрити робочі замовлення
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Зарплатний пункт консультування пацієнта
 DocType: Payment Term,Credit Months,Кредитні місяці
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,"Net Pay не може бути менше, ніж 0"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,"Net Pay не може бути менше, ніж 0"
 DocType: Contract,Fulfilled,Виконано
 DocType: Inpatient Record,Discharge Scheduled,Вивантаження заплановано
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,"Дата звільнення повинна бути більше, ніж дата влаштування"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,"Дата звільнення повинна бути більше, ніж дата влаштування"
 DocType: POS Closing Voucher,Cashier,Касир
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Листя на рік
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ряд {0}: Будь ласка, поставте відмітку 'Аванс"" у рахунку {1}, якщо це авансовий запис."
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,"Будь-ласка, налаштуйте студентів за групами студентів"
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Завершити роботу
 DocType: Item Website Specification,Item Website Specification,Пункт Сайт Специфікація
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Залишити Заблоковані
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Товар {0} досяг кінцевої дати роботи з ним {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Залишити Заблоковані
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Товар {0} досяг кінцевої дати роботи з ним {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Банківські записи
 DocType: Customer,Is Internal Customer,Є внутрішнім замовником
 DocType: Crop,Annual,Річний
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Якщо вибрано Автоматичний вибір, клієнти автоматично зв&#39;язуються з відповідною Програмою лояльності (за збереженням)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Позиція Інвентаризації
 DocType: Stock Entry,Sales Invoice No,Номер вихідного рахунку-фактури
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Тип постачання
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Тип постачання
 DocType: Material Request Item,Min Order Qty,Мін. к-сть замовлення
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Курс Студентська група Інструмент створення
 DocType: Lead,Do Not Contact,Чи не Контакти
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Опублікувати в Hub
 DocType: Student Admission,Student Admission,прийому студентів
 ,Terretory,Територія
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Пункт {0} скасовується
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Пункт {0} скасовується
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Амортизаційна рядок {0}: Дата початку амортизації вводиться як минула дата
 DocType: Contract Template,Fulfilment Terms and Conditions,Умови та умови виконання
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Замовлення матеріалів
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Замовлення матеріалів
 DocType: Bank Reconciliation,Update Clearance Date,Оновити Clearance дату
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Закупівля детальніше
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Товар {0} не знайдений у таблиці ""поставлена давальницька сировина"" у Замовленні на придбання {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Товар {0} не знайдений у таблиці ""поставлена давальницька сировина"" у Замовленні на придбання {1}"
 DocType: Salary Slip,Total Principal Amount,Загальна сума основної суми
 DocType: Student Guardian,Relation,Відношення
 DocType: Student Guardian,Mother,мати
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,Область доставки
 DocType: Currency Exchange,For Selling,Для продажу
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Навчитися
+DocType: Purchase Invoice Item,Enable Deferred Expense,Увімкнути відстрочені витрати
 DocType: Asset,Next Depreciation Date,Наступна дата амортизації
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Діяльність Вартість одного працівника
 DocType: Accounts Settings,Settings for Accounts,Налаштування для рахунків
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Номер рахунку постачальника існує у вхідному рахунку {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Номер рахунку постачальника існує у вхідному рахунку {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управління деревом Відповідальних з продажу.
 DocType: Job Applicant,Cover Letter,супровідний лист
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"""Неочищені"" чеки та депозити"
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Зовнішній роботи Історія
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Циклічна посилання Помилка
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Студентська карта звітів
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Від PIN-коду
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Від PIN-коду
 DocType: Appointment Type,Is Inpatient,Є стаціонарним
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ім&#39;я Guardian1
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Прописом (експорт) буде видно, як тільки ви збережете накладну."
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Мультивалютна
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип рахунку-фактури
 DocType: Employee Benefit Claim,Expense Proof,Доказ витрат
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Накладна
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Збереження {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Накладна
 DocType: Patient Encounter,Encounter Impression,Зустрічне враження
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Налаштування податків
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Собівартість проданих активів
 DocType: Volunteer,Morning,Ранок
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата була змінена після pull. Ласка, pull it знову."
 DocType: Program Enrollment Tool,New Student Batch,Новий студенський пакет
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,"{0} введений двічі в ""Податки"""
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Результати для цього тижня та незакінчена діяльність
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,"{0} введений двічі в ""Податки"""
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Результати для цього тижня та незакінчена діяльність
 DocType: Student Applicant,Admitted,зізнався
 DocType: Workstation,Rent Cost,Вартість оренди
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Залишкова вартість
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Залишкова вартість
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Майбутні Календар подій
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Варіантні атрибути
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Будь-ласка, виберіть місяць та рік"
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Там може бути тільки 1 аккаунт на компанію в {0} {1}
 DocType: Support Search Source,Response Result Key Path,Відповідь Результат Ключовий шлях
 DocType: Journal Entry,Inter Company Journal Entry,Вхід журналу &quot;Інтер&quot;
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},"Для кількості {0} не повинно бути більше, ніж робочого замовлення {1}"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Будь ласка, див вкладення"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},"Для кількості {0} не повинно бути більше, ніж робочого замовлення {1}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Будь ласка, див вкладення"
 DocType: Purchase Order,% Received,% Отримано
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Створення студентських груп
 DocType: Volunteer,Weekends,Вихідні
@@ -660,7 +662,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Усього видатних
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Змінити стартову / поточний порядковий номер існуючого ряду.
 DocType: Dosage Strength,Strength,Сила
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Створення нового клієнта
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Створення нового клієнта
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Закінчується
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Якщо кілька правил ціноутворення продовжують переважати, користувачам пропонується встановити пріоритет вручну та вирішити конфлікт."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Створення замовлень на поставку
@@ -671,17 +673,18 @@
 DocType: Workstation,Consumable Cost,Вартість витратних
 DocType: Purchase Receipt,Vehicle Date,Дата
 DocType: Student Log,Medical,Медична
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Причина втрати
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,"Будь ласка, виберіть препарат"
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Причина втрати
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,"Будь ласка, виберіть препарат"
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,"Ведучий власник не може бути такою ж, як свинець"
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Розподілена сума не може перевищувати неврегульовану
 DocType: Announcement,Receiver,приймач
 DocType: Location,Area UOM,Площа УОМ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Робоча станція закрита в наступні терміни відповідно до списку вихідних: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Нагоди
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Нагоди
 DocType: Lab Test Template,Single,Одиночний
 DocType: Compensatory Leave Request,Work From Date,Робота з датою
 DocType: Salary Slip,Total Loan Repayment,Загальна сума погашення кредиту
+DocType: Project User,View attachments,Переглянути вкладення
 DocType: Account,Cost of Goods Sold,Вартість проданих товарів
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,"Будь ласка, введіть центр витрат"
 DocType: Drug Prescription,Dosage,Дозування
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Кількість та ціна
 DocType: Delivery Note,% Installed,% Встановлено
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабінети / лабораторії і т.д., де лекції можуть бути заплановані."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Облігації компаній обох компаній повинні відповідати операціям &quot;Інтер&quot;.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Облігації компаній обох компаній повинні відповідати операціям &quot;Інтер&quot;.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,"Будь ласка, введіть назву компанії в першу чергу"
 DocType: Travel Itinerary,Non-Vegetarian,Не-вегетаріанець
 DocType: Purchase Invoice,Supplier Name,Назва постачальника
@@ -702,7 +705,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Тимчасово утримано
 DocType: Account,Is Group,це група
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Кредитна заява {0} була створена автоматично
-DocType: Email Digest,Pending Purchase Orders,Замовлення на придбання в очікуванні
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Автоматично встановити серійні номери на основі FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Перевіряти унікальність номеру вхідного рахунку-фактури
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Основна адреса інформації
@@ -720,12 +722,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Налаштуйте вступний текст, який йде як частина цього e-mail. Кожна операція має окремий вступний текст."
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Рядок {0}: операція потрібна для елемента сировини {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},"Будь ласка, встановіть за замовчуванням заборгованості рахунки для компанії {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Транзакція не дозволена проти зупинки Робочий наказ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Транзакція не дозволена проти зупинки Робочий наказ {0}
 DocType: Setup Progress Action,Min Doc Count,Міні-графа доктора
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобальні налаштування для всіх виробничих процесів.
 DocType: Accounts Settings,Accounts Frozen Upto,Рахунки заблоковано по
 DocType: SMS Log,Sent On,Відправлено На
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} вибрано кілька разів в таблиці атрибутів
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} вибрано кілька разів в таблиці атрибутів
 DocType: HR Settings,Employee record is created using selected field. ,Співробітник запис створено за допомогою обраного поля.
 DocType: Sales Order,Not Applicable,Не застосовується
 DocType: Amazon MWS Settings,UK,Великобританія
@@ -754,21 +756,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Співробітник {0} вже подав заявку на {1} на {2}:
 DocType: Inpatient Record,AB Positive,AB Positive
 DocType: Job Opening,Description of a Job Opening,Опис роботу Відкриття
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,В очікуванні діяльність на сьогоднішній день
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,В очікуванні діяльність на сьогоднішній день
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Компонент зарплати для відомостей основаних на тебелях
+DocType: Driver,Applicable for external driver,Застосовується для зовнішнього драйвера
 DocType: Sales Order Item,Used for Production Plan,Використовується для виробничого плану
 DocType: Loan,Total Payment,Загальна оплата
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Неможливо скасувати транзакцію для завершеного робочого замовлення.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Неможливо скасувати транзакцію для завершеного робочого замовлення.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Час між операціями (в хв)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO вже створено для всіх елементів замовлення клієнта
 DocType: Healthcare Service Unit,Occupied,Окупована
 DocType: Clinical Procedure,Consumables,Витратні матеріали
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} є скасованим так що дія не може бути завершена
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} є скасованим так що дія не може бути завершена
 DocType: Customer,Buyer of Goods and Services.,Покупець товарів і послуг.
 DocType: Journal Entry,Accounts Payable,Кредиторська заборгованість
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,"Сума {0}, зазначена у цьому запиті на оплату, відрізняється від обчисленої суми всіх планів платежів: {1}. Перш ніж надсилати документ, переконайтеся, що це правильно."
 DocType: Patient,Allergies,Алергія
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Вибрані Норми не для тієї ж позиції
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Вибрані Норми не для тієї ж позиції
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Змінити код продукту
 DocType: Supplier Scorecard Standing,Notify Other,Повідомити про інше
 DocType: Vital Signs,Blood Pressure (systolic),Артеріальний тиск (систолічний)
@@ -780,7 +783,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Досить частини для зборки
 DocType: POS Profile User,POS Profile User,Користувач POS Профіль
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Рядок {0}: Дата початку амортизації потрібна
-DocType: Sales Invoice Item,Service Start Date,Дата початку служби
+DocType: Purchase Invoice Item,Service Start Date,Дата початку служби
 DocType: Subscription Invoice,Subscription Invoice,Рахунок передплати
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Пряма прибуток
 DocType: Patient Appointment,Date TIme,"Дата, час"
@@ -800,7 +803,7 @@
 DocType: Lab Test Template,Lab Routine,Лабораторна програма
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Косметика
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,"Будь ласка, виберіть Дата завершення для завершеного журналу обслуговування активів"
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Щоб об&#39;єднати, наступні властивості повинні бути однаковими для обох пунктів"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Щоб об&#39;єднати, наступні властивості повинні бути однаковими для обох пунктів"
 DocType: Supplier,Block Supplier,Блок постачальника
 DocType: Shipping Rule,Net Weight,Вага нетто
 DocType: Job Opening,Planned number of Positions,Запланована кількість посад
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Шаблон картирования грошових потоків
 DocType: Travel Request,Costing Details,Детальна інформація про вартість
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Показати записи повернення
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Серійний номер не може бути дробовим
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Серійний номер не може бути дробовим
 DocType: Journal Entry,Difference (Dr - Cr),Різниця (Д - Cr)
 DocType: Bank Guarantee,Providing,Надання
 DocType: Account,Profit and Loss,Про прибутки та збитки
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Не дозволяється налаштувати шаблон тестування лабораторії, якщо потрібно"
 DocType: Patient,Risk Factors,Фактори ризику
 DocType: Patient,Occupational Hazards and Environmental Factors,Професійні небезпеки та фактори навколишнього середовища
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Запаси стовпців вже створені для замовлення роботи
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Запаси стовпців вже створені для замовлення роботи
 DocType: Vital Signs,Respiratory rate,Частота дихання
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Управління субпідрядом
 DocType: Vital Signs,Body Temperature,Температура тіла
 DocType: Project,Project will be accessible on the website to these users,Проект буде доступний на веб-сайті для цих користувачів
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"Неможливо скасувати {0} {1}, тому що серійний номер {2} не належить до складу {3}"
 DocType: Detected Disease,Disease,Захворювання
+DocType: Company,Default Deferred Expense Account,Стандартний рахунок відстрочених витрат
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Визначте тип проекту.
 DocType: Supplier Scorecard,Weighting Function,Вагова функція
 DocType: Healthcare Practitioner,OP Consulting Charge,ОП Консалтинговий збір
@@ -851,7 +856,7 @@
 DocType: Crop,Produced Items,Вироблені предмети
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Матч-транзакція до рахунків-фактур
 DocType: Sales Order Item,Gross Profit,Загальний прибуток
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Розблокувати рахунок-фактуру
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Розблокувати рахунок-фактуру
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Приріст не може бути 0
 DocType: Company,Delete Company Transactions,Видалити операції компанії
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Посилання № та дата Reference є обов&#39;язковим для операції банку
@@ -872,11 +877,11 @@
 DocType: Budget,Ignore,Ігнорувати
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} не активний
 DocType: Woocommerce Settings,Freight and Forwarding Account,Транспортна та експедиторська рахунок
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Встановіть розміри чеку для друку
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Встановіть розміри чеку для друку
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Створити плату зарплати
 DocType: Vital Signs,Bloated,Роздутий
 DocType: Salary Slip,Salary Slip Timesheet,Табель зарплатного розрахунку
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Склад постачальника - обов'язковий для прихідних накладних субпідрядників
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Склад постачальника - обов'язковий для прихідних накладних субпідрядників
 DocType: Item Price,Valid From,Діє з
 DocType: Sales Invoice,Total Commission,Всього комісія
 DocType: Tax Withholding Account,Tax Withholding Account,Податковий рахунок утримання
@@ -884,12 +889,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Усі постачальники показників.
 DocType: Buying Settings,Purchase Receipt Required,Потрібна прихідна накладна
 DocType: Delivery Note,Rail,Залізниця
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,"Цільовий склад у рядку {0} повинен бути таким самим, як робочий замовлення"
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Собівартість обов'язкова при введенні залишків
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,"Цільовий склад у рядку {0} повинен бути таким самим, як робочий замовлення"
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Собівартість обов'язкова при введенні залишків
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Не знайдено записів у таблиці рахунку-фактури
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,"Будь ласка, виберіть компанію та контрагента спершу"
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Вже встановлено стандарт в профілі {0} для користувача {1}, люб&#39;язно відключений за замовчуванням"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Фінансова / звітний рік.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Фінансова / звітний рік.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,накопичені значення
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","На жаль, серійні номери не можуть бути об'єднані"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Клієнтська група встановить вибрану групу під час синхронізації клієнтів із Shopify
@@ -903,7 +908,7 @@
 ,Lead Id,Lead Id
 DocType: C-Form Invoice Detail,Grand Total,Загальний підсумок
 DocType: Assessment Plan,Course,курс
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Код розділу
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Код розділу
 DocType: Timesheet,Payslip,листка
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Дата половини дня повинна бути в діапазоні від дати до дати
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,пункт Кошик
@@ -912,7 +917,8 @@
 DocType: Employee,Personal Bio,Особиста біографія
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Ідентифікатор членства
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Доставлено: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Доставлено: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Підключено до QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Оплачується аккаунт
 DocType: Payment Entry,Type of Payment,Тип платежу
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Дата півдня - обов&#39;язкова
@@ -924,7 +930,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Дата про доставку
 DocType: Production Plan,Production Plan,План виробництва
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Інструмент створення відкритого рахунку-фактури
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Продажі Повернутися
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Продажі Повернутися
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Примітка: Сумарна кількість виділених листя {0} не повинно бути менше, ніж вже затверджених листя {1} на період"
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Вкажіть кількість в операціях на основі послідовного введення
 ,Total Stock Summary,Всі Резюме Фото
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,Клієнт або товару
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Бази даних клієнтів.
 DocType: Quotation,Quotation To,Пропозиція для
-DocType: Lead,Middle Income,Середній дохід
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Середній дохід
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),На початок (Кт)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"За замовчуванням Одиниця виміру для п {0} не може бути змінений безпосередньо, тому що ви вже зробили деякі угоди (угод) з іншим UOM. Вам потрібно буде створити новий пункт для використання іншого замовчуванням одиниця виміру."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"За замовчуванням Одиниця виміру для п {0} не може бути змінений безпосередньо, тому що ви вже зробили деякі угоди (угод) з іншим UOM. Вам потрібно буде створити новий пункт для використання іншого замовчуванням одиниця виміру."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Розподілена сума не може бути негативною
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,"Будь ласка, встановіть компанії"
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,"Будь ласка, встановіть компанії"
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Виберіть Обліковий запис Оплата зробити Банк Стажер
 DocType: Hotel Settings,Default Invoice Naming Series,Серія присвоєння імен за замовчуванням
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Створення записів співробітників для управління листя, витрат і заробітної плати претензій"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Під час процесу оновлення сталася помилка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Під час процесу оновлення сталася помилка
 DocType: Restaurant Reservation,Restaurant Reservation,Бронювання ресторану
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Пропозиція Написання
 DocType: Payment Entry Deduction,Payment Entry Deduction,Відрахування з Оплати
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Підведенню
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Повідомте клієнтів електронною поштою
 DocType: Item,Batch Number Series,Серія пакетних номерів
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Інший Відповідальний з продажу {0} існує з тим же ідентифікатором працівника
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Інший Відповідальний з продажу {0} існує з тим же ідентифікатором працівника
 DocType: Employee Advance,Claimed Amount,Заявлена сума
+DocType: QuickBooks Migrator,Authorization Settings,Параметри авторизації
 DocType: Travel Itinerary,Departure Datetime,Дата вихідної дати
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Оцінка витрат на подорожі
@@ -1004,26 +1011,29 @@
 DocType: Buying Settings,Supplier Naming By,Називання постачальника за
 DocType: Activity Type,Default Costing Rate,Собівартість за замовчуванням
 DocType: Maintenance Schedule,Maintenance Schedule,Графік регламентних робіт
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Тоді Цінові правила фільтруються на основі Замовника, Групи покупця, Території, Постачальника, Типу постачальника, Кампанії, Торгового партнера і т.д."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Тоді Цінові правила фільтруються на основі Замовника, Групи покупця, Території, Постачальника, Типу постачальника, Кампанії, Торгового партнера і т.д."
 DocType: Employee Promotion,Employee Promotion Details,Інформація про акцію для працівників
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Чиста зміна в інвентаризації
 DocType: Employee,Passport Number,Номер паспорта
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Зв&#39;язок з Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Менеджер
 DocType: Payment Entry,Payment From / To,Оплата с / з
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,З фіскального року
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Новий кредитний ліміт менше поточної суми заборгованості для клієнта. Кредитний ліміт повинен бути зареєстровано не менше {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},"Будь ласка, встановіть обліковий запис у складі {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},"Будь ласка, встановіть обліковий запис у складі {0}"
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Базується на"" і ""Згруповано за"" не можуть бути однаковими"
 DocType: Sales Person,Sales Person Targets,Цілі відповідального з продажу
 DocType: Work Order Operation,In minutes,У хвилини
 DocType: Issue,Resolution Date,Дозвіл Дата
 DocType: Lab Test Template,Compound,Сполука
+DocType: Opportunity,Probability (%),Ймовірність (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Повідомлення про відправлення
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Виберіть властивість
 DocType: Student Batch Name,Batch Name,пакетна Ім&#39;я
 DocType: Fee Validity,Max number of visit,Максимальна кількість відвідувань
 ,Hotel Room Occupancy,Приміщення номеру готелю
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Табель робочого часу створено:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Будь ласка, встановіть Cash замовчуванням або банківського рахунку в режимі з оплати {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Будь ласка, встановіть Cash замовчуванням або банківського рахунку в режимі з оплати {0}"
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,зараховувати
 DocType: GST Settings,GST Settings,налаштування GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},"Валюта повинна бути такою ж, як Валюта цін: {0}"
@@ -1064,12 +1074,12 @@
 DocType: Loan,Total Interest Payable,Загальний відсоток кредиторів
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Податки та збори з кінцевої вартості
 DocType: Work Order Operation,Actual Start Time,Фактичний початок Час
+DocType: Purchase Invoice Item,Deferred Expense Account,Відстрочений рахунок витрат
 DocType: BOM Operation,Operation Time,Час роботи
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,обробка
 DocType: Salary Structure Assignment,Base,база
 DocType: Timesheet,Total Billed Hours,Всього Оплачувані Годинник
 DocType: Travel Itinerary,Travel To,Подорожувати до
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,не
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Списання Сума
 DocType: Leave Block List Allow,Allow User,Дозволити користувачеві
 DocType: Journal Entry,Bill No,Bill №
@@ -1087,9 +1097,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Розклад
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,З зворотним промиванням Сировина матеріали на основі
 DocType: Sales Invoice,Port Code,Код порту
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Резервний склад
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Резервний склад
 DocType: Lead,Lead is an Organization,Ведуча є організацією
-DocType: Guardian Interest,Interest,інтерес
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Препродаж
 DocType: Instructor Log,Other Details,Інші подробиці
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1099,7 +1108,7 @@
 DocType: Account,Accounts,Бухгалтерські рахунки
 DocType: Vehicle,Odometer Value (Last),Одометр Value (Last)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Шаблони критеріїв показників постачальників.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Маркетинг
 DocType: Sales Invoice,Redeem Loyalty Points,Очистити бали лояльності
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Оплату вже створено
 DocType: Request for Quotation,Get Suppliers,Отримайте Постачальників
@@ -1116,16 +1125,14 @@
 DocType: Crop,Crop Spacing UOM,Розміщення посіву UOM
 DocType: Loyalty Program,Single Tier Program,Однорівнева програма
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Виберіть лише, якщо ви встановили документи Cash Flow Mapper"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,З адреси 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,З адреси 1
 DocType: Email Digest,Next email will be sent on:,Наступна буде відправлено листа на:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Наступний елемент {items} {verb} позначено як {message} item. Ви можете ввімкнути їх як {message} елемент з майстра Item
 DocType: Supplier Scorecard,Per Week,На тиждень
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Номенклатурна позиція має варіанти.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Номенклатурна позиція має варіанти.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Загальна кількість студентів
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Пункт {0} знайдений
 DocType: Bin,Stock Value,Значення запасів
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Компанія {0} не існує
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Компанія {0} не існує
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} діє до {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Тип Дерева
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Кількість Споживана за одиницю
@@ -1141,7 +1148,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Вступ Кредитна карта
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Компанія та Рахунки
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,У Сумі
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,У Сумі
 DocType: Asset Settings,Depreciation Options,Вартість амортизації
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Будь-яке місце або працівник повинен бути обов&#39;язковим
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Неправильний час публікації
@@ -1158,20 +1165,21 @@
 DocType: Leave Allocation,Allocation,Розподіл
 DocType: Purchase Order,Supply Raw Materials,Постачання сировини
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Оборотні активи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} не відноситься до інвентаря
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} не відноситься до інвентаря
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Будь ласка, поділіться своїм відгуком до тренінгу, натиснувши &quot;Навчальний відгук&quot;, а потім &quot;Нове&quot;"
 DocType: Mode of Payment Account,Default Account,Рахунок/обліковий запис за замовчуванням
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,"Перш за все, виберіть спочатку &quot;Зберігання запасів&quot; у налаштуваннях запасів"
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,"Перш за все, виберіть спочатку &quot;Зберігання запасів&quot; у налаштуваннях запасів"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,"Будь-ласка, виберіть тип програми для кількох рівнів для декількох правил зібрання."
 DocType: Payment Entry,Received Amount (Company Currency),Отримана сума (Компанія Валюта)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Lead повинен бути встановлений, якщо Нагода зроблена з Lead"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"Оплата скасована. Будь ласка, перевірте свій GoCardless рахунок для отримання додаткової інформації"
 DocType: Contract,N/A,Н / З
+DocType: Delivery Settings,Send with Attachment,Надіслати з додаванням
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,"Будь ласка, виберіть щотижневий вихідний день"
 DocType: Inpatient Record,O Negative,O негативний
 DocType: Work Order Operation,Planned End Time,Плановані Час закінчення
 ,Sales Person Target Variance Item Group-Wise,Розбіжності цілей Відповідальних з продажу (по групах товарів)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Рахунок з існуючою транзакції не можуть бути перетворені в бухгалтерській книзі
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Рахунок з існуючою транзакції не можуть бути перетворені в бухгалтерській книзі
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Метод типу деталі
 DocType: Delivery Note,Customer's Purchase Order No,Номер оригінала замовлення клієнта
 DocType: Clinical Procedure,Consume Stock,Споживати запас
@@ -1184,26 +1192,26 @@
 DocType: Soil Texture,Sand,Пісок
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Енергія
 DocType: Opportunity,Opportunity From,Нагода від
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Рядок {0}: {1} Серійні номери, необхідні для пункту {2}. Ви надали {3}."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Рядок {0}: {1} Серійні номери, необхідні для пункту {2}. Ви надали {3}."
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,"Будь ласка, виберіть таблицю"
 DocType: BOM,Website Specifications,Характеристики веб-сайту
 DocType: Special Test Items,Particulars,Особливості
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: З {0} типу {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення є обов&#39;язковим
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення є обов&#39;язковим
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Кілька Ціна Правила існує з тими ж критеріями, будь ласка вирішити конфлікт шляхом присвоєння пріоритету. Ціна Правила: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Кілька Ціна Правила існує з тими ж критеріями, будь ласка вирішити конфлікт шляхом присвоєння пріоритету. Ціна Правила: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Сальдо переоцінки валютного курсу
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете деактивувати або скасувати норми витрат, якщо вони пов'язані з іншими"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете деактивувати або скасувати норми витрат, якщо вони пов'язані з іншими"
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,"Будь ласка, виберіть компанію та дату публікації, щоб отримувати записи"
 DocType: Asset,Maintenance,Технічне обслуговування
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Отримайте від зустрічі з пацієнтом
 DocType: Subscriber,Subscriber,Абонент
 DocType: Item Attribute Value,Item Attribute Value,Стан Значення атрибуту
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,"Будь ласка, оновіть свій статус проекту"
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,"Будь ласка, оновіть свій статус проекту"
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Валютна біржа повинна бути застосована для покупки чи продажу.
 DocType: Item,Maximum sample quantity that can be retained,"Максимальна кількість зразків, яку можна зберегти"
 DocType: Project Update,How is the Project Progressing Right Now?,Як проходить проект зараз?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Рядок {0} # Item {1} не може бути передано більше {2} до замовлення на купівлю {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Рядок {0} # Item {1} не може бути передано більше {2} до замовлення на купівлю {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампанії з продажу.
 DocType: Project Task,Make Timesheet,Створити табель робочого часу
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1232,36 +1240,38 @@
 DocType: Lab Test,Lab Test,Лабораторний тест
 DocType: Student Report Generation Tool,Student Report Generation Tool,Інструмент створення студента звітів
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Часовий розклад Охорони здоров&#39;я
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Док Ім&#39;я
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Док Ім&#39;я
 DocType: Expense Claim Detail,Expense Claim Type,Тип Авансового звіту
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Налаштування за замовчуванням для кошик
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Додати часові ділянки
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Зіпсовані активи згідно проводки{0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Будь ласка, встановіть обліковий запис у складі {0} або обліковий запис за замовчуванням у компанії {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Зіпсовані активи згідно проводки{0}
 DocType: Loan,Interest Income Account,Рахунок Процентні доходи
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,"Максимум переваг повинен бути більшим, ніж нуль, щоб виплатити пільги"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,"Максимум переваг повинен бути більшим, ніж нуль, щоб виплатити пільги"
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Оприлюднений запрошення надіслано
 DocType: Shift Assignment,Shift Assignment,Накладення на зміну
 DocType: Employee Transfer Property,Employee Transfer Property,Передача майна працівника
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,"З часу має бути менше, ніж до часу"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Біотехнологія
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Пункт {0} (серійний номер: {1}) не може бути використаний як reserverd \ для заповнення замовлення на продаж {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Витрати утримання офісу
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Йти до
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Оновити ціну з Shopify на ERPNext Прайс-лист
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Налаштування облікового запису електронної пошти
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Будь ласка, введіть перший пункт"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Аналіз потреб
 DocType: Asset Repair,Downtime,Простій
 DocType: Account,Liability,Відповідальність
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкціонований сума не може бути більше, ніж претензії Сума в рядку {0}."
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкціонований сума не може бути більше, ніж претензії Сума в рядку {0}."
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Академічний термін:
 DocType: Salary Component,Do not include in total,Не включайте в цілому
 DocType: Company,Default Cost of Goods Sold Account,Рахунок собівартості проданих товарів за замовчуванням
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Обсяг вибірки {0} не може перевищувати отриману кількість {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Прайс-лист не вибраний
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Обсяг вибірки {0} не може перевищувати отриману кількість {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Прайс-лист не вибраний
 DocType: Employee,Family Background,Сімейні обставини
 DocType: Request for Quotation Supplier,Send Email,Відправити e-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Увага: Невірне долучення {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Увага: Невірне долучення {0}
 DocType: Item,Max Sample Quantity,Максимальна кількість примірників
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Немає доступу
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контрольний перелік виконання контракту
@@ -1293,15 +1303,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Центр витрат {2} не належить Компанії {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Завантажте свою листа головою (тримайте її в Інтернеті як 900 пікс. По 100 пікс.)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Рахунок {2} не може бути групою
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Пункт Рядок {IDX}: {доктайпів} {DOCNAME} не існує в вище &#39;{доктайпів}&#39; таблиця
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Табель {0} вже завершено або скасовано
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Табель {0} вже завершено або скасовано
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,немає завдання
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Рахунок продаж {0} створено як платний
 DocType: Item Variant Settings,Copy Fields to Variant,Копіювати поля до варіанта
 DocType: Asset,Opening Accumulated Depreciation,Накопичений знос на момент відкриття
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Оцінка повинна бути менше або дорівнює 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Програма Зарахування Tool
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,С-Form записи
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,С-Form записи
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Акції вже існують
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Покупець та Постачальник
 DocType: Email Digest,Email Digest Settings,Налаштування відправлення дайджестів
@@ -1314,12 +1324,12 @@
 DocType: Production Plan,Select Items,Оберіть товари
 DocType: Share Transfer,To Shareholder,Акціонерам
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} проти рахунку {1} від {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Від держави
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Від держави
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Інститут встановлення
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Виділяючи листя ...
 DocType: Program Enrollment,Vehicle/Bus Number,Автомобіль / Автобус №
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Розклад курсу
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Ви повинні відраховувати податок за невикористаний податковий звільнення та підтвердження невиправданих \ Виплати працівникам за останній строк заробітної плати заробітної плати
 DocType: Request for Quotation Supplier,Quote Status,Статус цитати
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1345,13 +1355,13 @@
 DocType: Sales Invoice,Payment Due Date,Дата платежу
 DocType: Drug Prescription,Interval UOM,Інтервал УОМ
 DocType: Customer,"Reselect, if the chosen address is edited after save","Змініть вибір, якщо обрана адреса буде відредагована після збереження"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
 DocType: Item,Hub Publishing Details,Публікація концентратора
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',"""Відкривається"""
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',"""Відкривається"""
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Відкрити To Do
 DocType: Issue,Via Customer Portal,Через портал клієнтів
 DocType: Notification Control,Delivery Note Message,Доставка Примітка Повідомлення
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Сума SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Сума SGST
 DocType: Lab Test Template,Result Format,Формат результатів
 DocType: Expense Claim,Expenses,Витрати
 DocType: Item Variant Attribute,Item Variant Attribute,Атрибут варіантів
@@ -1359,14 +1369,12 @@
 DocType: Payroll Entry,Bimonthly,два рази на місяць
 DocType: Vehicle Service,Brake Pad,Гальмівна колодка
 DocType: Fertilizer,Fertilizer Contents,Зміст добрив
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Дослідження і розвиток
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Дослідження і розвиток
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Сума до оплати
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Дата початку та дата завершення збігаються з картою роботи <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Реєстраційні дані
 DocType: Timesheet,Total Billed Amount,Загальна сума Оголошений
 DocType: Item Reorder,Re-Order Qty,Кількість Дозамовлення
 DocType: Leave Block List Date,Leave Block List Date,Дата списку блокування відпусток
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Будь-ласка, встановіть систему іменування інструкторів в освіті&gt; Параметри освіти"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,"BOM # {0}: сировина не може бути такою ж, як основний елемент"
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Всього Застосовуються збори в таблиці Purchase квитанцій Елементів повинні бути такими ж, як всі податки і збори"
 DocType: Sales Team,Incentives,Стимули
@@ -1380,7 +1388,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,POS
 DocType: Fee Schedule,Fee Creation Status,Статус створення плати
 DocType: Vehicle Log,Odometer Reading,показання одометра
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс рахунку вже в кредит, ви не можете встановити &quot;баланс повинен бути&quot;, як &quot;дебет&quot;"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс рахунку вже в кредит, ви не можете встановити &quot;баланс повинен бути&quot;, як &quot;дебет&quot;"
 DocType: Account,Balance must be,Сальдо повинно бути
 DocType: Notification Control,Expense Claim Rejected Message,Повідомлення при відхиленні Авансового звіту
 ,Available Qty,Доступна к-сть
@@ -1392,7 +1400,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Завжди синхронізуйте свої продукти з Amazon MWS перед синхронізацією деталей замовлень
 DocType: Delivery Trip,Delivery Stops,Доставка зупиняється
 DocType: Salary Slip,Working Days,Робочі дні
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Неможливо змінити дату зупинки сервісу для елемента у рядку {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Неможливо змінити дату зупинки сервісу для елемента у рядку {0}
 DocType: Serial No,Incoming Rate,Прихідна вартість
 DocType: Packing Slip,Gross Weight,Вага брутто
 DocType: Leave Type,Encashment Threshold Days,Порогові дні інкасації
@@ -1411,31 +1419,33 @@
 DocType: Restaurant Table,Minimum Seating,Мінімальна кількість сидінь
 DocType: Item Attribute,Item Attribute Values,Пункт значень атрибутів
 DocType: Examination Result,Examination Result,експертиза Результат
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Прихідна накладна
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Прихідна накладна
 ,Received Items To Be Billed,"Отримані позиції, на які не виставлені рахунки"
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Майстер курсів валют.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Майстер курсів валют.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Довідник Doctype повинен бути одним з {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Фільтрувати Всього Нуль Кількість
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Неможливо знайти часовий інтервал в найближчі {0} днів для роботи {1}
 DocType: Work Order,Plan material for sub-assemblies,План матеріал для суб-вузлів
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Торгові партнери та території
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,Документ Норми витрат {0} повинен бути активним
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,Документ Норми витрат {0} повинен бути активним
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,"Немає елементів, доступних для передачі"
 DocType: Employee Boarding Activity,Activity Name,Назва активності
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Змінити дату випуску
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Кількість готової продукції <b>{0}</b> та для кількості <b>{1}</b> не може бути іншою
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Змінити дату випуску
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Кількість готової продукції <b>{0}</b> та для кількості <b>{1}</b> не може бути іншою
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Закриття (Відкриття + Усього)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Код товару&gt; Група предметів&gt; Бренд
+DocType: Delivery Settings,Dispatch Notification Attachment,Вкладення сповіщення про відправлення
 DocType: Payroll Entry,Number Of Employees,Кількість працівників
 DocType: Journal Entry,Depreciation Entry,Операція амортизації
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Будь ласка, виберіть тип документа в першу чергу"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Будь ласка, виберіть тип документа в першу чергу"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Скасування матеріалів переглядів {0} до скасування цього обслуговування візит
 DocType: Pricing Rule,Rate or Discount,Ставка або знижка
 DocType: Vital Signs,One Sided,Односторонній
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Серійний номер {0} не належить до номенклатурної позиції {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Необхідна к-сть
 DocType: Marketplace Settings,Custom Data,Спеціальні дані
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Склади з існуючої транзакції не можуть бути перетворені в бухгалтерській книзі.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Серійний номер обов&#39;язковий для елемента {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Склади з існуючої транзакції не можуть бути перетворені в бухгалтерській книзі.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Серійний номер обов&#39;язковий для елемента {0}
 DocType: Bank Reconciliation,Total Amount,Загалом
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Від дати та до дати лежить у різному фінансовому році
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Пацієнт {0} не має заявок на отримання рахунків-фактур
@@ -1446,9 +1456,9 @@
 DocType: Soil Texture,Clay Composition (%),Композиція глини (%)
 DocType: Item Group,Item Group Defaults,Стандартні параметри групи товарів
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,"Будь ласка, збережіть перед призначенням завдання."
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Значення сальдо
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Значення сальдо
 DocType: Lab Test,Lab Technician,Технічна лабораторія
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Продажі Прайс-лист
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Продажі Прайс-лист
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Якщо буде встановлено прапорець, клієнт буде створений, підключений до пацієнта. З цією Клієнтом буде створено рахунки-пацієнти. Ви також можете вибрати існуючого Клієнта під час створення пацієнта."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Клієнт не бере участі в жодній програмі лояльності
@@ -1462,13 +1472,13 @@
 DocType: Support Search Source,Search Term Param Name,Пошуковий термін Назва пароля
 DocType: Item Barcode,Item Barcode,Пункт Штрих
 DocType: Woocommerce Settings,Endpoints,Кінцеві точки
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Варіанти позиції {0} оновлено
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Варіанти позиції {0} оновлено
 DocType: Quality Inspection Reading,Reading 6,Читання 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Може не {0} {1} {2} без будь-якого негативного видатний рахунок-фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Може не {0} {1} {2} без будь-якого негативного видатний рахунок-фактура
 DocType: Share Transfer,From Folio No,Від Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Передоплата по вхідному рахунку
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Ряд {0}: Кредитна запис не може бути пов&#39;язаний з {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Визначити бюджет на бюджетний період
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Визначити бюджет на бюджетний період
 DocType: Shopify Tax Account,ERPNext Account,ERPNext Account
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} заблоковано, тому цю транзакцію неможливо продовжити"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Дія, якщо накопичений місячний бюджет перевищено на ЗМ"
@@ -1484,19 +1494,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Вхідний рахунок-фактура
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Дозволити кілька витрат матеріалу на робочий замовлення
 DocType: GL Entry,Voucher Detail No,Документ номер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Новий вихідний рахунок
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Новий вихідний рахунок
 DocType: Stock Entry,Total Outgoing Value,Загальна сума розходу
 DocType: Healthcare Practitioner,Appointments,Призначення
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Дата відкриття та дата закриття повинні бути в межах одного фінансового року
 DocType: Lead,Request for Information,Запит інформації
 ,LeaderBoard,LEADERBOARD
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Оцінка з маржі (валюта компанії)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Синхронізація Offline рахунків-фактур
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Синхронізація Offline рахунків-фактур
 DocType: Payment Request,Paid,Оплачений
 DocType: Program Fee,Program Fee,вартість програми
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Замініть певну BOM на всі інші БОМ, де вона використовується. Він замінить стару посилання на BOM, оновити вартість та відновити таблицю &quot;Вибуховий елемент BOM&quot; відповідно до нової BOM. Також оновлюється остання ціна у всіх БОМ."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Створені наступні робочі замовлення:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Створені наступні робочі замовлення:
 DocType: Salary Slip,Total in words,Разом прописом
 DocType: Inpatient Record,Discharged,Скидається
 DocType: Material Request Item,Lead Time Date,Дата з врахування часу на поставку
@@ -1507,16 +1517,16 @@
 DocType: Support Settings,Get Started Sections,Розпочніть розділи
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,санкціоновані
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,"є обов'язковим. Можливо, що запис ""Обмін валюти"" не створений"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Будь ласка, сформулюйте Серійний номер, вказаний в п {1}"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Сума загального внеску: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Будь ласка, сформулюйте Серійний номер, вказаний в п {1}"
 DocType: Payroll Entry,Salary Slips Submitted,Заробітна плата подано
 DocType: Crop Cycle,Crop Cycle,Цикл вирощування
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для елементів ""комплекту"" , склад, серійний номер та № пакету будуть братися з таблиці ""комплектації"". Якщо склад та партія є однаковими для всіх пакувальних компонентів для будь-якого ""комплекту"", ці значення можуть бути введені в основній таблиці позицій, значення будуть скопійовані в таблицю ""комлектації""."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для елементів ""комплекту"" , склад, серійний номер та № пакету будуть братися з таблиці ""комплектації"". Якщо склад та партія є однаковими для всіх пакувальних компонентів для будь-якого ""комплекту"", ці значення можуть бути введені в основній таблиці позицій, значення будуть скопійовані в таблицю ""комлектації""."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,З місця
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Чистий платіж не може бути від&#39;ємним
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,З місця
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Чистий платіж не може бути від&#39;ємним
 DocType: Student Admission,Publish on website,Опублікувати на веб-сайті
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Дата рахунку постачальника не може бути більше за дату створення
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Дата рахунку постачальника не може бути більше за дату створення
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Дата скасування
 DocType: Purchase Invoice Item,Purchase Order Item,Позиція замовлення на придбання
@@ -1525,7 +1535,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Student Учасники Інструмент
 DocType: Restaurant Menu,Price List (Auto created),Прайс-лист (авто створений)
 DocType: Cheque Print Template,Date Settings,Налаштування дати
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Розбіжність
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Розбіжність
 DocType: Employee Promotion,Employee Promotion Detail,Детальний просування працівника
 ,Company Name,Назва компанії
 DocType: SMS Center,Total Message(s),Загалом повідомлень
@@ -1555,7 +1565,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Не посилати Employee народження Нагадування
 DocType: Expense Claim,Total Advance Amount,Загальна сума авансового платежу
 DocType: Delivery Stop,Estimated Arrival,Очікуване прибуття
-DocType: Delivery Stop,Notified by Email,Повідомлення електронною поштою
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Див. Всі статті
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Заходити
 DocType: Item,Inspection Criteria,Інспекційні Критерії
@@ -1565,23 +1574,22 @@
 DocType: Timesheet Detail,Bill,Bill
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Білий
 DocType: SMS Center,All Lead (Open),Всі Lead (відкрито)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Рядок {0}: К-сть недоступна для {4} на складі {1} на час проведення ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Рядок {0}: К-сть недоступна для {4} на складі {1} на час проведення ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Ви можете вибрати максимум одного параметра зі списку прапорців.
 DocType: Purchase Invoice,Get Advances Paid,Взяти видані аванси
 DocType: Item,Automatically Create New Batch,Автоматичне створення нового пакета
 DocType: Item,Automatically Create New Batch,Автоматичне створення нового пакета
 DocType: Supplier,Represents Company,Представляє компанію
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Зробити
 DocType: Student Admission,Admission Start Date,Прийом Початкова дата
 DocType: Journal Entry,Total Amount in Words,Загальна сума прописом
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Новий працівник
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Був помилка. Одна з можливих причин може бути те, що ви не зберегли форму. Будь ласка, зв&#39;яжіться з support@erpnext.com якщо проблема не усунена."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Мій кошик
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Тип замовлення повинна бути однією з {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Тип замовлення повинна бути однією з {0}
 DocType: Lead,Next Contact Date,Наступна контактна дата
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,К-сть на початок роботи
 DocType: Healthcare Settings,Appointment Reminder,Нагадування про призначення
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,"Будь ласка, введіть рахунок для суми змін"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,"Будь ласка, введіть рахунок для суми змін"
 DocType: Program Enrollment Tool Student,Student Batch Name,Student Пакетне Ім&#39;я
 DocType: Holiday List,Holiday List Name,Ім'я списку вихідних
 DocType: Repayment Schedule,Balance Loan Amount,Баланс Сума кредиту
@@ -1591,13 +1599,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Опціони
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Немає елементів до кошика
 DocType: Journal Entry Account,Expense Claim,Авансовий звіт
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Ви дійсно хочете відновити цей актив на злам?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Ви дійсно хочете відновити цей актив на злам?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Кількість для {0}
 DocType: Leave Application,Leave Application,Заява на відпустку
 DocType: Patient,Patient Relation,Відносини пацієнта
 DocType: Item,Hub Category to Publish,Категорія концентратора для публікації
 DocType: Leave Block List,Leave Block List Dates,Дати списку блокування відпусток
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Замовлення на продаж {0} має резерв для пункту {1}, ви можете доставити зарезервовані {1} лише {0}. Серійний номер {2} не може бути доставлений"
 DocType: Sales Invoice,Billing Address GSTIN,Платіжна адреса GSTIN
@@ -1615,16 +1623,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Введіть {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Вилучені пункти без зміни в кількості або вартості.
 DocType: Delivery Note,Delivery To,Доставка Для
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Варіант створення було поставлено в чергу.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Резюме робіт для {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Варіант створення було поставлено в чергу.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Резюме робіт для {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Перший Затверджувач залишків у списку буде встановлено як Затверджувач залишення за замовчуванням.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Атрибут стіл є обов&#39;язковим
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Атрибут стіл є обов&#39;язковим
 DocType: Production Plan,Get Sales Orders,Отримати Замовлення клієнта
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} не може бути від’ємним
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Підключіться до Quickbooks
 DocType: Training Event,Self-Study,Самоосвіта
 DocType: POS Closing Voucher,Period End Date,Дата закінчення періоду
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Композиції грунту не дорівнюють 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Знижка
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Для створення відкритої {2} рахунки-фактури потрібна рядок {0}: {1}
 DocType: Membership,Membership,Членство
 DocType: Asset,Total Number of Depreciations,Загальна кількість амортизацій
 DocType: Sales Invoice Item,Rate With Margin,Швидкість З полями
@@ -1636,7 +1646,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},"Будь ласка, вкажіть дійсний ідентифікатор рядка для рядка {0} в таблиці {1}"
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Не вдається знайти змінну:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Будь ласка, виберіть поле для редагування з цифри"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Не може бути елементом основних засобів, оскільки створюється фондова книга."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Не може бути елементом основних засобів, оскільки створюється фондова книга."
 DocType: Subscription Plan,Fixed rate,Фіксована ставка
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Приймати
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Перейти до стільниці і почати користування ERPNext
@@ -1670,7 +1680,7 @@
 DocType: Tax Rule,Shipping State,Штат доставки
 ,Projected Quantity as Source,Запланована кількість як джерело
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,"Позиція повинна додаватися за допомогою кнопки ""Отримати позиції з прихідної накладної"""
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Подорож доставки
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Подорож доставки
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Тип передачі
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Витрати на збут
@@ -1683,8 +1693,9 @@
 DocType: Item Default,Default Selling Cost Center,Центр витрат продажу за замовчуванням
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,диск
 DocType: Buying Settings,Material Transferred for Subcontract,Матеріал передається на субпідряд
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Поштовий індекс
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Замовлення клієнта {0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Пункти замовлення на купівлю прострочені
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Поштовий індекс
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Замовлення клієнта {0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Виберіть обліковий запис процентних доходів у кредиті {0}
 DocType: Opportunity,Contact Info,Контактна інформація
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Створення Руху ТМЦ
@@ -1697,12 +1708,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Рахунок не може бути зроблено за нульову годину оплати
 DocType: Company,Date of Commencement,Дата початку
 DocType: Sales Person,Select company name first.,Виберіть назву компанії в першу чергу.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Електронна пошта надіслано {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Електронна пошта надіслано {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Пропозиції отримані від постачальників
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Замініть BOM та оновіть останню ціну у всіх BOMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Для {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Це група корінних постачальників і не може бути відредагована.
-DocType: Delivery Trip,Driver Name,Ім&#39;я водія
+DocType: Delivery Note,Driver Name,Ім&#39;я водія
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Середній вік
 DocType: Education Settings,Attendance Freeze Date,Учасники Заморожування Дата
 DocType: Education Settings,Attendance Freeze Date,Учасники Заморожування Дата
@@ -1715,7 +1726,7 @@
 DocType: Company,Parent Company,Материнська компанія
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Готель Номери типу {0} недоступні на {1}
 DocType: Healthcare Practitioner,Default Currency,Валюта за замовчуванням
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Максимальна знижка для пункту {0} становить {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Максимальна знижка для пункту {0} становить {1}%
 DocType: Asset Movement,From Employee,Від працівника
 DocType: Driver,Cellphone Number,Номер мобільного телефону
 DocType: Project,Monitor Progress,Прогрес монітора
@@ -1731,19 +1742,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Кількість повинна бути менше або дорівнює {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},"Максимальна сума, що відповідає компоненту {0}, перевищує {1}"
 DocType: Department Approver,Department Approver,Урядовий затверджувач
+DocType: QuickBooks Migrator,Application Settings,Налаштування програми
 DocType: SMS Center,Total Characters,Загалом символів
 DocType: Employee Advance,Claimed,Заявлено
 DocType: Crop,Row Spacing,Пробіл рядків
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Будь ласка, виберіть Норми в полі Норми витрат для позиції {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Будь ласка, виберіть Норми в полі Норми витрат для позиції {0}"
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Немає вибраного елемента для вибраного елемента
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,С-форма рахунки-фактури Подробиці
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Рахунок-фактура на корегуючу оплату
 DocType: Clinical Procedure,Procedure Template,Шаблон процедури
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Внесок%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Згідно Налаштування Купівля якщо Purchase Order Required == «YES», то для створення рахунку-фактурі, користувачеві необхідно створити замовлення на поставку першої для пункту {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Внесок%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Згідно Налаштування Купівля якщо Purchase Order Required == «YES», то для створення рахунку-фактурі, користувачеві необхідно створити замовлення на поставку першої для пункту {0}"
 ,HSN-wise-summary of outward supplies,HSN-мудрий - резюме зовнішніх поставок
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Реєстраційні номери компанії для вашої довідки. Податкові номери і т.д.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,В стан
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,В стан
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Дистриб&#39;ютор
 DocType: Asset Finance Book,Asset Finance Book,Кредит на активи
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Правило доставки для кошику
@@ -1752,7 +1764,7 @@
 ,Ordered Items To Be Billed,"Замовлені товари, на які не виставлені рахунки"
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"С Діапазон повинен бути менше, ніж діапазон"
 DocType: Global Defaults,Global Defaults,Глобальні значення за замовчуванням
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Співпраця Запрошення проекту
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Співпраця Запрошення проекту
 DocType: Salary Slip,Deductions,Відрахування
 DocType: Setup Progress Action,Action Name,Назва дії
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,рік початку
@@ -1766,11 +1778,12 @@
 DocType: Lead,Consultant,Консультант
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Батьківські вчителі зустрічі присутності
 DocType: Salary Slip,Earnings,Доходи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Готові товару {0} має бути введений для вступу типу Виробництво
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Готові товару {0} має бути введений для вступу типу Виробництво
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Бухгалтерський баланс на початок
 ,GST Sales Register,GST продажів Реєстрація
 DocType: Sales Invoice Advance,Sales Invoice Advance,Передоплата по вихідному рахунку
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Нічого не просити
+DocType: Stock Settings,Default Return Warehouse,Стандартний Склад запасу
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Виберіть свої домени
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify постачальник
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Облікові суми рахунків-фактур
@@ -1779,15 +1792,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Поля будуть скопійовані лише в момент створення.
 DocType: Setup Progress Action,Domains,Галузі
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',"""Дата фактичного початку"" не може бути пізніше, ніж ""Дата фактичного завершення"""
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Управління
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Управління
 DocType: Cheque Print Template,Payer Settings,Налаштування платника
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,"Жодних незавершених Матеріальних запитів не знайдено, щоб пов&#39;язати ці елементи."
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Спочатку виберіть компанію
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Це буде додано до коду варіанту. Наприклад, якщо ваша абревіатура ""СМ"", і код товару ""Футболки"", тоді код варіанту буде ""Футболки-СМ"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Сума ""на руки"" (прописом) буде видно, як тільки ви збережете Зарплатний розрахунок."
 DocType: Delivery Note,Is Return,Повернення
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Обережно
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',"Початковий день більше, ніж кінець дня в задачі &#39;{0}&#39;"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Повернення / дебетові Примітка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Повернення / дебетові Примітка
 DocType: Price List Country,Price List Country,Ціни Країна
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} дійсні серійні номери для позиції {1}
@@ -1800,13 +1814,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Надайте інформацію.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,База даних постачальника
 DocType: Contract Template,Contract Terms and Conditions,Умови та умови договору
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,"Ви не можете перезапустити підписку, яку не скасовано."
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,"Ви не можете перезапустити підписку, яку не скасовано."
 DocType: Account,Balance Sheet,Бухгалтерський баланс
 DocType: Leave Type,Is Earned Leave,Зароблений залишок
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Центр витрат для позиції з кодом
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Центр витрат для позиції з кодом
 DocType: Fee Validity,Valid Till,Дійсний до
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Загальна зустріч батьків з вчителями
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплати не налаштований. Будь ласка, перевірте, чи вибрний рахунок у Режимі Оплати або у POS-профілі."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплати не налаштований. Будь ласка, перевірте, чи вибрний рахунок у Режимі Оплати або у POS-профілі."
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Той же елемент не може бути введений кілька разів.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Подальші рахунки можуть бути зроблені відповідно до груп, але Ви можете бути проти НЕ-груп"
 DocType: Lead,Lead,Lead
@@ -1815,11 +1829,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Рух ТМЦ {0} створено
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,"Ви не маєте впевнених точок лояльності, щоб викупити"
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Відхилену к-сть не можна вводити у Повернення постачальнику
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},"Будь ласка, встановіть пов&#39;язаний обліковий запис у категорії податкових відрахувань {0} проти компанії {1}"
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Відхилену к-сть не можна вводити у Повернення постачальнику
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Зміна Групи Клієнтів для обраного Клієнта не допускається.
 ,Purchase Order Items To Be Billed,"Позиції Замовлення на придбання, на які не виставлені рахунки"
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Оновлення очікуваного часу прибуття.
 DocType: Program Enrollment Tool,Enrollment Details,Подробиці про реєстрацію
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Неможливо встановити декілька елементів за промовчанням для компанії.
 DocType: Purchase Invoice Item,Net Rate,Нетто-ставка
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,"Будь ласка, виберіть покупця"
 DocType: Leave Policy,Leave Allocations,Залиште розподіл
@@ -1850,7 +1866,7 @@
 DocType: Loan Application,Repayment Info,погашення інформація
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&quot;Записи&quot; не може бути порожнім
 DocType: Maintenance Team Member,Maintenance Role,Роль обслуговування
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Дублікат ряд {0} з такою ж {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Дублікат ряд {0} з такою ж {1}
 DocType: Marketplace Settings,Disable Marketplace,Вимкнути Marketplace
 ,Trial Balance,Оборотно-сальдова відомість
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Фінансовий рік {0} не знайдений
@@ -1861,9 +1877,9 @@
 DocType: Student,O-,О
 DocType: Subscription Settings,Subscription Settings,Параметри передплати
 DocType: Purchase Invoice,Update Auto Repeat Reference,Оновити довідку про автоматичне повторення
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Необов&#39;язковий список святкових не встановлений для відпустки {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Необов&#39;язковий список святкових не встановлений для відпустки {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Дослідження
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,На адресу 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,На адресу 2
 DocType: Maintenance Visit Purpose,Work Done,Зроблено
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Будь ласка, вкажіть як мінімум один атрибут в таблиці атрибутів"
 DocType: Announcement,All Students,всі студенти
@@ -1873,16 +1889,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Узгоджені операції
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Найперша
 DocType: Crop Cycle,Linked Location,Пов&#39;язане місце
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Існує група з такою самою назвою, будь ласка, змініть назву елементу або перейменуйте групу"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Існує група з такою самою назвою, будь ласка, змініть назву елементу або перейменуйте групу"
 DocType: Crop Cycle,Less than a year,Менше року
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Решта світу
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Решта світу
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Позиція {0} не може мати партій
 DocType: Crop,Yield UOM,Вихід UOM
 ,Budget Variance Report,Звіт по розбіжностях бюджету
 DocType: Salary Slip,Gross Pay,Повна Платне
 DocType: Item,Is Item from Hub,Є товар від центру
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Отримайте товари від медичних послуг
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Отримайте товари від медичних послуг
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Рядок {0}: Вид діяльності є обов&#39;язковим.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,"Дивіденди, що сплачуються"
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Бухгалтерська книга
@@ -1897,6 +1913,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Режим компенсації
 DocType: Purchase Invoice,Supplied Items,Поставлені номенклатурні позиції
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},"Будь ласка, встановіть активне меню для ресторану {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Коефіцієнт комісії%
 DocType: Work Order,Qty To Manufacture,К-сть для виробництва
 DocType: Email Digest,New Income,нові надходження
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Підтримувати ціну протягом циклу закупівлі
@@ -1911,12 +1928,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Собівартість обов'язкова для рядка {0}
 DocType: Supplier Scorecard,Scorecard Actions,Дії Scorecard
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Приклад: магістр комп'ютерних наук
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Постачальник {0} не знайдено в {1}
 DocType: Purchase Invoice,Rejected Warehouse,Склад для відхиленого
 DocType: GL Entry,Against Voucher,Згідно документу
 DocType: Item Default,Default Buying Cost Center,Центр витрат закупівлі за замовчуванням
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Щоб мати змогу використовувати ERPNext на повну, ми радимо вам приділити увагу цим довідковим відео."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Для постачальника за замовчуванням (необов&#39;язково)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,для
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Для постачальника за замовчуванням (необов&#39;язково)
 DocType: Supplier Quotation Item,Lead Time in days,Час на поставку в днях
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Зведена кредиторська заборгованість
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Не дозволено редагувати заблокований рахунок {0}
@@ -1925,7 +1942,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Попереджати новий запит на котирування
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,Замовлення допоможуть вам планувати і стежити за ваші покупки
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Лабораторія тестових рецептів
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Загальна кількість  / Переміщена кількість {0} у Замовленні матеріалів {1} \ не може бути більше необхідної кількості {2} для позиції {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Невеликий
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Якщо в Shopify немає замовника в замовленні, то під час синхронізації замовлень система буде розглядати замовлення за замовчуванням за умовчанням"
@@ -1937,6 +1954,7 @@
 DocType: Project,% Completed,% Виконано
 ,Invoiced Amount (Exculsive Tax),Сума за рахунками (Exculsive вартість)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Пункт 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Кінцева точка авторизації
 DocType: Travel Request,International,Міжнародний
 DocType: Training Event,Training Event,навчальний захід
 DocType: Item,Auto re-order,Авто-дозамовлення
@@ -1945,24 +1963,24 @@
 DocType: Contract,Contract,Контракт
 DocType: Plant Analysis,Laboratory Testing Datetime,Лабораторне випробування Datetime
 DocType: Email Digest,Add Quote,Додати Цитата
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Одиниця виміру фактором Coversion потрібно для UOM: {0} в пункті: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Одиниця виміру фактором Coversion потрібно для UOM: {0} в пункті: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Непрямі витрати
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Ряд {0}: Кількість обов&#39;язково
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Ряд {0}: Кількість обов&#39;язково
 DocType: Agriculture Analysis Criteria,Agriculture,Сільське господарство
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Створити замовлення на продаж
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Облік входження до активів
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Блок-рахунок-фактура
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Облік входження до активів
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Блок-рахунок-фактура
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,"Кількість, яку потрібно зробити"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Дані майстра синхронізації
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Дані майстра синхронізації
 DocType: Asset Repair,Repair Cost,Вартість ремонту
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Ваші продукти або послуги
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Не вдалося ввійти
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Актив {0} створено
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Актив {0} створено
 DocType: Special Test Items,Special Test Items,Спеціальні тестові елементи
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Щоб зареєструватися в Marketplace, вам потрібно бути користувачем з Роль менеджера системи та менеджера елементів."
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Спосіб платежу
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Відповідно до вашої призначеної структури заробітної плати ви не можете подати заявку на отримання пільг
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Зображення для веб-сайту має бути загальнодоступним файлом або адресою веб-сайту
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Зображення для веб-сайту має бути загальнодоступним файлом або адресою веб-сайту
 DocType: Purchase Invoice Item,BOM,Норми
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Це кореневий елемент групи і не можуть бути змінені.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Об&#39;єднати
@@ -1971,7 +1989,8 @@
 DocType: Warehouse,Warehouse Contact Info,Контактні дані складу
 DocType: Payment Entry,Write Off Difference Amount,Списання різниця в
 DocType: Volunteer,Volunteer Name,Ім&#39;я волонтера
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Не знайдено електронної пошти працівника, тому e-mail не відправлено"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Були виявлені рядки з дубльованими термінами в інших рядках: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Не знайдено електронної пошти працівника, тому e-mail не відправлено"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Структура заробітної плати не призначена працівнику {0} на певну дату {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Правило доставки не застосовується до країни {0}
 DocType: Item,Foreign Trade Details,зовнішньоторговельна Детальніше
@@ -1979,17 +1998,17 @@
 DocType: Email Digest,Annual Income,Річний дохід
 DocType: Serial No,Serial No Details,Серійний номер деталі
 DocType: Purchase Invoice Item,Item Tax Rate,Податкова ставка
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Від партійного імені
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Від партійного імені
 DocType: Student Group Student,Group Roll Number,Група Ролл Кількість
 DocType: Student Group Student,Group Roll Number,Група Ролл Кількість
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Для {0}, тільки кредитні рахунки можуть бути пов&#39;язані з іншою дебету"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Накладна {0} не проведена
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Накладна {0} не проведена
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Позиція {0} має бути субпідрядною
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Капітальні обладнання
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цінове правило базується на полі ""Застосовується до"", у якому можуть бути: номенклатурна позиція, група або бренд."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,"Будь ласка, спочатку встановіть Код товару"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Док Тип
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Всього виділено відсоток для відділу продажів повинна бути 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Док Тип
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Всього виділено відсоток для відділу продажів повинна бути 100
 DocType: Subscription Plan,Billing Interval Count,Графік інтервалу платежів
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Призначення та зустрічі з пацієнтами
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Значення відсутнє
@@ -2003,6 +2022,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Створення Формат друку
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Плата створений
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Чи не знайшли будь-який пункт під назвою {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Фільтр елементів
 DocType: Supplier Scorecard Criteria,Criteria Formula,Критерії формули
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Загальний розхід
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Там може бути тільки один доставка Умови Правило з 0 або пусте значення для &quot;до значення&quot;
@@ -2011,14 +2031,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",Для елемента {0} кількість повинна бути позитивною
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примітка: Цей центр витрат є групою. Не можна робити проводок по групі.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Заявки на компенсаційну відпустку не діють на дійсних вихідних днях
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дитячий склад існує для цього складу. Ви не можете видалити цей склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дитячий склад існує для цього складу. Ви не можете видалити цей склад.
 DocType: Item,Website Item Groups,Групи об’єктів веб-сайту
 DocType: Purchase Invoice,Total (Company Currency),Загалом (у валюті компанії)
 DocType: Daily Work Summary Group,Reminder,Нагадування
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Доступна цінність
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Доступна цінність
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Серійний номер {0} введений більше ніж один раз
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Проводка
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,З GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,З GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Незатребована сума
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} виготовляються товари
 DocType: Workstation,Workstation Name,Назва робочої станції
@@ -2026,7 +2046,7 @@
 DocType: POS Item Group,POS Item Group,POS Item Group
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Електронна пошта Дайджест:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,"Альтернативний елемент не повинен бути таким самим, як код елемента"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},Норми {0} не належать до позиції {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},Норми {0} не належать до позиції {1}
 DocType: Sales Partner,Target Distribution,Розподіл цілей
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Завершення попередньої оцінки
 DocType: Salary Slip,Bank Account No.,№ банківського рахунку
@@ -2035,7 +2055,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Змінні показники можуть бути використані, а також: {total_score} (загальна оцінка від цього періоду), {period_number} (кількість періодів до сьогоднішнього дня)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Згорнути все
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Згорнути все
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Створити замовлення на купівлю
 DocType: Quality Inspection Reading,Reading 8,Читання 8
 DocType: Inpatient Record,Discharge Note,Примітка про випуск
@@ -2052,7 +2072,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Привілейований Залишити
 DocType: Purchase Invoice,Supplier Invoice Date,Дата рахунку постачальника
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Це значення використовується для розрахунку про-рата temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Вам необхідно включити Кошик
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Вам необхідно включити Кошик
 DocType: Payment Entry,Writeoff,списання
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Префікс серії імен
@@ -2067,11 +2087,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Перекриття умови знайдені між:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,За проводкою {0} вже є прив'язані інші документи
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Загальна вартість замовлення
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Їжа
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Їжа
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Старіння Діапазон 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Деталі ваучера закриття POS
 DocType: Shopify Log,Shopify Log,Shopify Log
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Будь-ласка, встановіть серію імен для {0} через Налаштування&gt; Налаштування&gt; Серія імен"
 DocType: Inpatient Occupancy,Check In,Перевірь
 DocType: Maintenance Schedule Item,No of Visits,Кількість відвідувань
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Графік обслуговування {0} існує проти {1}
@@ -2111,6 +2130,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Максимальні вигоди (сума)
 DocType: Purchase Invoice,Contact Person,Контактна особа
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',"""Дата очікуваного початку"" не може бути пізніше, ніж ""Дата очікуваного закінчення"""
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Немає даних для цього періоду
 DocType: Course Scheduling Tool,Course End Date,Курс Дата закінчення
 DocType: Holiday List,Holidays,Вихідні
 DocType: Sales Order Item,Planned Quantity,Плановані Кількість
@@ -2122,7 +2142,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Чиста зміна в основних фондів
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Кількість учасників
 DocType: Leave Control Panel,Leave blank if considered for all designations,"Залиште порожнім, якщо для всіх посад"
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Нарахування типу &quot;Актуальні &#39;в рядку {0} не можуть бути включені в п Оцінити
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Нарахування типу &quot;Актуальні &#39;в рядку {0} не можуть бути включені в п Оцінити
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Макс: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,З DateTime
 DocType: Shopify Settings,For Company,За компанію
@@ -2135,9 +2155,9 @@
 DocType: Material Request,Terms and Conditions Content,Зміст положень та умов
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,"Були помилки, створюючи Розклад курсу"
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Перший підтверджувач витрат у списку буде встановлено як затверджувач витрат за замовчуванням.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,не може бути більше ніж 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,не може бути більше ніж 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,"Щоб зареєструватися в Marketplace, вам потрібно бути іншим користувачем, окрім адміністратора, з Менеджером систем та Ролика."
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Номенклатурна позиція {0} не є інвентарною
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Номенклатурна позиція {0} не є інвентарною
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Позапланові
 DocType: Employee,Owned,Бувший
@@ -2165,7 +2185,7 @@
 DocType: HR Settings,Employee Settings,Налаштування співробітників
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Завантаження платіжної системи
 ,Batch-Wise Balance History,Попартійна історія залишків
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Рядок # {0}: неможливо встановити рейтинг, якщо сума є більшою, ніж сума рахунку для пункту {1}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"Рядок # {0}: неможливо встановити рейтинг, якщо сума є більшою, ніж сума рахунку для пункту {1}."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Налаштування друку оновлено у відповідності до формату друку
 DocType: Package Code,Package Code,код пакету
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Учень
@@ -2173,7 +2193,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Негативний Кількість не допускається
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Податковий деталь стіл вуха від майстра пункт у вигляді рядка і зберігаються в цій галузі. Використовується з податків і зборів
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Співробітник не може повідомити собі.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Співробітник не може повідомити собі.
 DocType: Leave Type,Max Leaves Allowed,Максимальна кількість листів допускається
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Якщо обліковий запис заморожується, записи дозволяється заборонених користувачів."
 DocType: Email Digest,Bank Balance,Банківський баланс
@@ -2199,6 +2219,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Записи банківських транзакцій
 DocType: Quality Inspection,Readings,Показання
 DocType: Stock Entry,Total Additional Costs,Всього Додаткові витрати
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Немає взаємодій
 DocType: BOM,Scrap Material Cost(Company Currency),Скрапу Вартість (Компанія Валюта)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,підвузли
 DocType: Asset,Asset Name,Найменування активів
@@ -2206,10 +2227,10 @@
 DocType: Shipping Rule Condition,To Value,До вартості
 DocType: Loyalty Program,Loyalty Program Type,Тип програми лояльності
 DocType: Asset Movement,Stock Manager,Товарознавець
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Вихідний склад є обов'язковим для рядка {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Вихідний склад є обов'язковим для рядка {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,"Термін оплати в рядку {0}, можливо, дублює."
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Сільське господарство (бета-версія)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Пакувальний лист
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Пакувальний лист
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Оренда площі для офісу
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Встановіть налаштування шлюзу SMS
 DocType: Disease,Common Name,Звичайне ім&#39;я
@@ -2241,20 +2262,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Відправити Зарплатний розрахунок працівнику e-mail-ом
 DocType: Cost Center,Parent Cost Center,Батьківський центр витрат
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Вибір можливого постачальника
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Вибір можливого постачальника
 DocType: Sales Invoice,Source,Джерело
 DocType: Customer,"Select, to make the customer searchable with these fields","Виберіть, щоб зробити клієнта доступними для пошуку за цими полями"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Імпортуйте примітки доставки з Shopify на відправку
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Показати закрито
 DocType: Leave Type,Is Leave Without Pay,Є відпустці без
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Категорія активів є обов&#39;язковим для фіксованого елемента активів
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Категорія активів є обов&#39;язковим для фіксованого елемента активів
 DocType: Fee Validity,Fee Validity,Ступінь сплати
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Записи не знайдені в таблиці Оплата
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},Це {0} конфлікти з {1} для {2} {3}
 DocType: Student Attendance Tool,Students HTML,студенти HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Будь ласка, видаліть співробітника <a href=""#Form/Employee/{0}"">{0}</a> \ щоб скасувати цей документ"
 DocType: POS Profile,Apply Discount,застосувати знижку
 DocType: GST HSN Code,GST HSN Code,GST HSN код
 DocType: Employee External Work History,Total Experience,Загальний досвід
@@ -2277,7 +2295,7 @@
 DocType: Maintenance Schedule,Schedules,Розклади
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Позиційний профіль вимагає використання Point-of-Sale
 DocType: Cashier Closing,Net Amount,Чиста сума
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не був підтвердженим таким чином, дія не може бути завершена"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не був підтвердженим таким чином, дія не може бути завершена"
 DocType: Purchase Order Item Supplied,BOM Detail No,Номер деталі у нормах
 DocType: Landed Cost Voucher,Additional Charges,додаткові збори
 DocType: Support Search Source,Result Route Field,Поле маршруту результату
@@ -2306,11 +2324,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Відкриття рахунків-фактур
 DocType: Contract,Contract Details,Докладна інформація про контракт
 DocType: Employee,Leave Details,Залиште подробиці
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Будь ласка, встановіть ID користувача поле в записі Employee, щоб встановити роль Employee"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Будь ласка, встановіть ID користувача поле в записі Employee, щоб встановити роль Employee"
 DocType: UOM,UOM Name,Ім&#39;я Одиниця виміру
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Адреса 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Адреса 1
 DocType: GST HSN Code,HSN Code,HSN код
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Сума внеску
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Сума внеску
 DocType: Inpatient Record,Patient Encounter,Зустріч пацієнта
 DocType: Purchase Invoice,Shipping Address,Адреса доставки
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Цей інструмент допоможе вам оновити або виправити кількість та вартість запасів у системі. Це, як правило, використовується для синхронізації значень у системі з тими, що насправді є у Вас на складах."
@@ -2327,9 +2345,9 @@
 DocType: Travel Itinerary,Mode of Travel,Режим подорожі
 DocType: Sales Invoice Item,Brand Name,Назва бренду
 DocType: Purchase Receipt,Transporter Details,Transporter Деталі
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,За замовчуванням склад потрібно для обраного елемента
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,За замовчуванням склад потрібно для обраного елемента
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Коробка
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,можливий постачальник
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,можливий постачальник
 DocType: Budget,Monthly Distribution,Місячний розподіл
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Список отримувачів порожній. Створіть його будь-ласка
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Охорона здоров&#39;я (бета-версія)
@@ -2351,6 +2369,7 @@
 ,Lead Name,Назва Lead-а
 ,POS,POS-
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Розвідка
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Залишок на початок роботи
 DocType: Asset Category Account,Capital Work In Progress Account,Капітальна робота на рахунку
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Коригування вартості активів
@@ -2359,7 +2378,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Листя номером Успішно для {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,"Немає нічого, щоб упакувати"
 DocType: Shipping Rule Condition,From Value,Від вартості
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Виробництво Кількість є обов&#39;язковим
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Виробництво Кількість є обов&#39;язковим
 DocType: Loan,Repayment Method,спосіб погашення
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Якщо позначено, то головною сторінкою веб-сайту буде ""Група об’єктів"" за замовчуванням"
 DocType: Quality Inspection Reading,Reading 4,Читання 4
@@ -2384,7 +2403,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Відрядження співробітників
 DocType: Student Group,Set 0 for no limit,Встановіть 0 для жодних обмежень
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"День(дні), на якій ви подаєте заяву на відпустку - вихідні. Вам не потрібно подавати заяву."
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Ряд {idx}: {поле} необхідний для створення відкритої {invoice_type} рахунків-фактур
 DocType: Customer,Primary Address and Contact Detail,Основна адреса та контактні дані
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Повторно оплати на e-mail
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Нове завдання
@@ -2394,8 +2412,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,"Будь ласка, виберіть принаймні один домен."
 DocType: Dependent Task,Dependent Task,Залежить Завдання
 DocType: Shopify Settings,Shopify Tax Account,Shopify Податковий рахунок
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Коефіцієнт для замовчуванням Одиниця виміру повинні бути 1 в рядку {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Відпустка типу {0} не може бути довше ніж {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Коефіцієнт для замовчуванням Одиниця виміру повинні бути 1 в рядку {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Відпустка типу {0} не може бути довше ніж {1}
 DocType: Delivery Trip,Optimize Route,Оптимізувати маршрут
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Спробуйте планувати операції X днів вперед.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2404,14 +2422,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},"Будь ласка, встановіть за замовчуванням Payroll розрахунковий рахунок в компанії {0}"
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Отримати фінансовий розрив податків і стягує дані Amazon
 DocType: SMS Center,Receiver List,Список отримувачів
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Пошук товару
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Пошук товару
 DocType: Payment Schedule,Payment Amount,Сума оплати
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Дата півдня має бути між роботою від дати та датою завершення роботи
 DocType: Healthcare Settings,Healthcare Service Items,Сервісні пункти охорони здоров&#39;я
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Споживана Сума
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Чиста зміна грошових коштів
 DocType: Assessment Plan,Grading Scale,оціночна шкала
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Одиниця виміру {0} був введений більш ніж один раз в таблицю перетворення фактора
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Одиниця виміру {0} був введений більш ніж один раз в таблицю перетворення фактора
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Вже завершено
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,товарна готівку
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2434,25 +2452,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Серійний номер {0} кількість {1} не може бути дробною
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,"Будь ласка, введіть URL-адресу сервера Woocommerce"
 DocType: Purchase Order Item,Supplier Part Number,Номер деталі постачальника
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Коефіцієнт конверсії не може бути 0 або 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Коефіцієнт конверсії не може бути 0 або 1
 DocType: Share Balance,To No,Ні
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Всі обов&#39;язкові завдання для створення співробітників ще не виконані.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} скасовано або припинено
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} скасовано або припинено
 DocType: Accounts Settings,Credit Controller,Кредитний контролер
 DocType: Loan,Applicant Type,Тип заявника
 DocType: Purchase Invoice,03-Deficiency in services,03-дефіцит послуг
 DocType: Healthcare Settings,Default Medical Code Standard,Стандартний стандарт медичного коду
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Прихідна накладна {0} не проведена
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Прихідна накладна {0} не проведена
 DocType: Company,Default Payable Account,Рахунок оплат за замовчуванням
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Налаштування для онлайн кошика, такі як правила доставки, прайс-лист і т.д."
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% Оплачено
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Зарезервована к-сть
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Зарезервована к-сть
 DocType: Party Account,Party Account,Рахунок контрагента
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,"Будь ласка, виберіть компанію та позначення"
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Кадри
-DocType: Lead,Upper Income,Верхня прибуток
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Верхня прибуток
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,відхиляти
 DocType: Journal Entry Account,Debit in Company Currency,Дебет у валюті компанії
 DocType: BOM Item,BOM Item,Позиція Норм витрат
@@ -2469,7 +2487,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Вакансії для призначення {0} вже відкриті або найняті відповідно до Плану персоналу {1}
 DocType: Vital Signs,Constipated,Запор
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Згідно вхідного рахунку-фактури {0} від {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Згідно вхідного рахунку-фактури {0} від {1}
 DocType: Customer,Default Price List,Прайс-лист за замовчуванням
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Рух активів {0} створено
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Немає елементів.
@@ -2485,17 +2503,18 @@
 DocType: Journal Entry,Entry Type,Тип запису
 ,Customer Credit Balance,Кредитний Баланс клієнтів
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Чиста зміна кредиторської заборгованості
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Клієнтський ліміт був перехрещений для клієнта {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Будь-ласка, встановіть серію імен для {0} через Налаштування&gt; Налаштування&gt; Серія імен"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Клієнтський ліміт був перехрещений для клієнта {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Замовник вимагає для &#39;&#39; Customerwise Знижка
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Оновлення банківські платіжні дати з журналів.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,ціноутворення
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,ціноутворення
 DocType: Quotation,Term Details,Термін Детальніше
 DocType: Employee Incentive,Employee Incentive,Працівник стимулювання
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не зміг зареєструвати більш {0} студентів для цієї групи студентів.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Усього (без податку)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ведучий граф
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ведучий граф
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Наявна акція
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Наявна акція
 DocType: Manufacturing Settings,Capacity Planning For (Days),Планування потужності протягом (днів)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Закупівля
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Жоден з пунктів не мають яких-небудь змін в кількості або вартості.
@@ -2520,7 +2539,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Відпустки та відвідуваність
 DocType: Asset,Comprehensive Insurance,Всебічне страхування
 DocType: Maintenance Visit,Partially Completed,Частково завершено
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Точка лояльності: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Точка лояльності: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Додати підписки
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Помірна чутливість
 DocType: Leave Type,Include holidays within leaves as leaves,Включити вихідні у відпустках як відпустку
 DocType: Loyalty Program,Redemption,Викуп
@@ -2554,7 +2574,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Маркетингові витрати
 ,Item Shortage Report,Повідомлення про нестачу номенклатурних позицій
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,"Неможливо створити стандартні критерії. Будь ласка, перейменуйте критерії"
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вагу вказано, \ nБудь ласка, вкажіть ""Одиницю виміру ваги"" теж"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вагу вказано, \ nБудь ласка, вкажіть ""Одиницю виміру ваги"" теж"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Замовлення матеріалів, що зробило цей Рух ТМЦ"
 DocType: Hub User,Hub Password,Пароль Hub
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Окремий курс на основі групи для кожної партії
@@ -2569,15 +2589,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Тривалість призначення (mins)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Робити бух. проводку для кожного руху запасів
 DocType: Leave Allocation,Total Leaves Allocated,Загалом призначено днів відпустки
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Будь ласка, введіть дійсні дати початку та закінчення бюджетного періоду"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Будь ласка, введіть дійсні дати початку та закінчення бюджетного періоду"
 DocType: Employee,Date Of Retirement,Дата вибуття
 DocType: Upload Attendance,Get Template,Отримати шаблон
+,Sales Person Commission Summary,Короткі відомості про комісію продавця
 DocType: Additional Salary Component,Additional Salary Component,Додатковий компонент заробітної плати
 DocType: Material Request,Transferred,передано
 DocType: Vehicle,Doors,двері
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,Встановлення ERPNext завершено!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,Встановлення ERPNext завершено!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Збір плати за реєстрацію пацієнтів
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Неможливо змінити Атрибути після транзакції з акціями. Зробіть новий предмет і перемістіть товар до нового пункту
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Неможливо змінити Атрибути після транзакції з акціями. Зробіть новий предмет і перемістіть товар до нового пункту
 DocType: Course Assessment Criteria,Weightage,Weightage
 DocType: Purchase Invoice,Tax Breakup,податки Розпад
 DocType: Employee,Joining Details,Приєднання до деталей
@@ -2605,14 +2626,15 @@
 DocType: Lead,Next Contact By,Наступний контакт від
 DocType: Compensatory Leave Request,Compensatory Leave Request,Запит на відшкодування компенсації
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Кількість для Пункт {0} в рядку {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може бути вилучений, поки існує кількість для позиції {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може бути вилучений, поки існує кількість для позиції {1}"
 DocType: Blanket Order,Order Type,Тип замовлення
 ,Item-wise Sales Register,Попозиційний реєстр продаж
 DocType: Asset,Gross Purchase Amount,Загальна вартість придбання
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Відкриття залишків
 DocType: Asset,Depreciation Method,Метод нарахування зносу
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Це податок Включено в базовій ставці?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Всього Цільовий
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Всього Цільовий
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Аналіз сприйняття
 DocType: Soil Texture,Sand Composition (%),Склад композиції (%)
 DocType: Job Applicant,Applicant for a Job,Претендент на роботу
 DocType: Production Plan Material Request,Production Plan Material Request,Замовлення матеріалів за планом виробництва
@@ -2628,23 +2650,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Оцінка (з 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Немає
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Головна
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Наступний елемент {0} не позначено як {1} елемент. Ви можете включити їх як елемент {1} з майстра пункту
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Варіант
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",Для елемента {0} кількість має бути негативним
 DocType: Naming Series,Set prefix for numbering series on your transactions,Встановіть префікс нумерації серії ваших операцій
 DocType: Employee Attendance Tool,Employees HTML,співробітники HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Норми за замовчуванням ({0}) мають бути активними для даного елемента або його шаблону
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Норми за замовчуванням ({0}) мають бути активними для даного елемента або його шаблону
 DocType: Employee,Leave Encashed?,Оплачуване звільнення?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"Поле ""З"" у Нагоді є обов'язковим"
 DocType: Email Digest,Annual Expenses,річні витрати
 DocType: Item,Variants,Варіанти
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Зробіть Замовлення на придбання
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Зробіть Замовлення на придбання
 DocType: SMS Center,Send To,Відправити
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Недостатньо днів залишилося для типу відпусток {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Недостатньо днів залишилося для типу відпусток {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Розподілена сума
 DocType: Sales Team,Contribution to Net Total,Внесок у Net Total
 DocType: Sales Invoice Item,Customer's Item Code,Клієнтам Код товара
 DocType: Stock Reconciliation,Stock Reconciliation,Інвентаризація
 DocType: Territory,Territory Name,Територія Ім&#39;я
+DocType: Email Digest,Purchase Orders to Receive,Замовлення на купівлю для отримання
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,"Склад ""в роботі"" необхідний щоб провести"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,У Підписках можна використовувати лише Плани з тим самим платіжним циклом
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Маповані дані
@@ -2663,9 +2687,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Повторювані Серійний номер вводиться для Пункт {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Відслідковування потенційних клієнтів.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Умова для Правила доставки
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Будь ласка введіть
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Будь ласка введіть
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Журнал технічного обслуговування
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Будь ласка, встановіть фільтр, заснований на пункті або на складі"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Будь ласка, встановіть фільтр, заснований на пункті або на складі"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Вага нетто цього пакета. (розраховується автоматично як сума чистого ваги товарів)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Зробити інтерв&#39;ю в журналі
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Сума дисконту не може перевищувати 100%
@@ -2674,15 +2698,15 @@
 DocType: Sales Order,To Deliver and Bill,Для доставки та виставлення рахунків
 DocType: Student Group,Instructors,інструктори
 DocType: GL Entry,Credit Amount in Account Currency,Сума кредиту у валюті рахунку
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,Норми витрат {0} потрібно провести
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Управління акціями
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,Норми витрат {0} потрібно провести
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Управління акціями
 DocType: Authorization Control,Authorization Control,Контроль Авторизація
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Відхилено Склад є обов&#39;язковим відносно відхилив Пункт {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Оплата
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Відхилено Склад є обов&#39;язковим відносно відхилив Пункт {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Оплата
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Склад {0} не пов&#39;язаний з якою-небудь обліковим записом, будь ласка, вкажіть обліковий запис в складської записи або встановити обліковий запис за замовчуванням інвентаризації в компанії {1}."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Керуйте свої замовлення
 DocType: Work Order Operation,Actual Time and Cost,Фактичний час і вартість
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Замовлення матеріалів на максимум {0} можуть бути зроблено для позиції {1} за Замовленням клієнта {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Замовлення матеріалів на максимум {0} можуть бути зроблено для позиції {1} за Замовленням клієнта {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Розсіювання
 DocType: Course,Course Abbreviation,Абревіатура курсу
@@ -2694,6 +2718,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},"Всього тривалість робочого часу не повинна бути більше, ніж максимальний робочий час {0}"
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,на
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Комплектувати у момент продажу.
+DocType: Delivery Settings,Dispatch Settings,Параметри відправлення
 DocType: Material Request Plan Item,Actual Qty,Фактична к-сть
 DocType: Sales Invoice Item,References,Посилання
 DocType: Quality Inspection Reading,Reading 10,Читання 10
@@ -2703,11 +2728,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Ви ввели елементи, що повторюються. Будь-ласка, виправіть та спробуйте ще раз."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Асоціювати
 DocType: Asset Movement,Asset Movement,Рух активів
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Замовлення на роботі {0} необхідно подати
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Нова кошик
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Замовлення на роботі {0} необхідно подати
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Нова кошик
 DocType: Taxable Salary Slab,From Amount,Від суми
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} серіалізовані товару
 DocType: Leave Type,Encashment,Інкасація
+DocType: Delivery Settings,Delivery Settings,Налаштування доставки
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Завантажте дані
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Максимальна дозволена відпустка у вигляді відпустки {0} {1}
 DocType: SMS Center,Create Receiver List,Створити список отримувачів
 DocType: Vehicle,Wheels,колеса
@@ -2723,7 +2750,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Платіжна валюта повинна дорівнювати валюті чи валюті облікового запису партії компанії за умовчанням
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),"Вказує, що пакет є частиною цієї поставки (тільки проекту)"
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Рядок {0}: Дата закінчення не може бути до дати опублікування
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Рядок {0}: Дата закінчення не може бути до дати опублікування
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Створити Оплату
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},"Кількість для пункту {0} має бути менше, ніж {1}"
 ,Sales Invoice Trends,Динаміка вихідних рахунків
@@ -2731,12 +2758,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете посилатися на рядок, тільки якщо тип стягнення ""На суму попереднього рядка» або «На загальну суму попереднього рядка"""
 DocType: Sales Order Item,Delivery Warehouse,Доставка Склад
 DocType: Leave Type,Earned Leave Frequency,Зароблена частота залишення
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Дерево центрів фінансових витрат.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Підтип
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Дерево центрів фінансових витрат.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Підтип
 DocType: Serial No,Delivery Document No,Доставка Документ №
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Забезпечити доставку на основі серійного номеру виробництва
 DocType: Vital Signs,Furry,Пухнастий
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Будь ласка, встановіть &quot;прибуток / збиток Рахунок по поводженню з відходами активу в компанії {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Будь ласка, встановіть &quot;прибуток / збиток Рахунок по поводженню з відходами активу в компанії {0}"
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Отримати позиції з прихідної накладної
 DocType: Serial No,Creation Date,Дата створення
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Цільове розташування необхідне для об&#39;єкта {0}
@@ -2750,11 +2777,12 @@
 DocType: Item,Has Variants,Має Варіанти
 DocType: Employee Benefit Claim,Claim Benefit For,Поскаржитися на виплату
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Оновити відповідь
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Ви вже вибрали елементи з {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Ви вже вибрали елементи з {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Назва помісячного розподілу
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID є обов&#39;язковим
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Batch ID є обов&#39;язковим
 DocType: Sales Person,Parent Sales Person,Батьківський Відповідальний з продажу
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,"Жодних предметів, що підлягають отриманню, не пізніше"
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Продавець і покупець не можуть бути однаковими
 DocType: Project,Collect Progress,Збір прогресу
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2770,7 +2798,7 @@
 DocType: Bank Guarantee,Margin Money,Маржинальні гроші
 DocType: Budget,Budget,Бюджет
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Встановити Відкрити
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Основний засіб повинен бути нескладським .
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Основний засіб повинен бути нескладським .
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не може бути призначений на {0}, так як це не доход або витрата рахунки"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Максимальна сума вилучення за {0} - {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Досягнутий
@@ -2788,9 +2816,9 @@
 ,Amount to Deliver,Сума Поставте
 DocType: Asset,Insurance Start Date,Дата початку страхування
 DocType: Salary Component,Flexible Benefits,Гнучкі переваги
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Той самий пункт введено кілька разів. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Той самий пункт введено кілька разів. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Термін Дата початку не може бути раніше, ніж рік Дата початку навчального року, до якого цей термін пов&#39;язаний (навчальний рік {}). Будь ласка, виправте дату і спробуйте ще раз."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Трапились помилки.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Трапились помилки.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Працівник {0} вже подав заявку на {1} між {2} і {3}:
 DocType: Guardian,Guardian Interests,хранителі Інтереси
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Оновити ім&#39;я / номер облікового запису
@@ -2829,9 +2857,9 @@
 ,Item-wise Purchase History,Попозиційна історія закупівель
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Будь ласка, натисніть на кнопку ""Згенерувати розклад"" щоб отримати серійний номер позиції {0}"
 DocType: Account,Frozen,Заблоковано
-DocType: Delivery Note,Vehicle Type,Тип автомобіля
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Тип автомобіля
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Базова сума (Компанія Валюта)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Сировина
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Сировина
 DocType: Payment Reconciliation Payment,Reference Row,посилання Row
 DocType: Installation Note,Installation Time,Час встановлення
 DocType: Sales Invoice,Accounting Details,Бухгалтеський облік. Детальніше
@@ -2840,12 +2868,13 @@
 DocType: Inpatient Record,O Positive,O Позитивний
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Інвестиції
 DocType: Issue,Resolution Details,Дозвіл Подробиці
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Тип транзакції
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Тип транзакції
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерії приймання
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Будь ласка, введіть Замовлення матеріалів у наведену вище таблицю"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Немає виплат для вступу до журналу
 DocType: Hub Tracked Item,Image List,Список зображень
 DocType: Item Attribute,Attribute Name,Ім'я атрибуту
+DocType: Subscription,Generate Invoice At Beginning Of Period,Створіть рахунок-фактуру на початку періоду
 DocType: BOM,Show In Website,Показувати на веб-сайті
 DocType: Loan Application,Total Payable Amount,Загальна сума оплачується
 DocType: Task,Expected Time (in hours),Очікуваний час (в годинах)
@@ -2882,8 +2911,8 @@
 DocType: Employee,Resignation Letter Date,Дата листа про відставка
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Ціни Правила далі фільтруються на основі кількості.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Не вказано
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},"Будь ласка, встановіть дати приєднання для працівника {0}"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},"Будь ласка, встановіть дати приєднання для працівника {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},"Будь ласка, встановіть дати приєднання для працівника {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},"Будь ласка, встановіть дати приєднання для працівника {0}"
 DocType: Inpatient Record,Discharge,Скидання
 DocType: Task,Total Billing Amount (via Time Sheet),Загальна сума оплат (через табель)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Виручка від постійних клієнтів
@@ -2893,13 +2922,13 @@
 DocType: Chapter,Chapter,Глава
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Пара
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Стандартний обліковий запис буде автоматично оновлено в рахунку-фактурі POS, коли вибрано цей режим."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Виберіть BOM і Кількість для виробництва
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Виберіть BOM і Кількість для виробництва
 DocType: Asset,Depreciation Schedule,Запланована амортизація
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Партнер з продажу Адреси та контакти
 DocType: Bank Reconciliation Detail,Against Account,Кор.рахунок
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Поаяся Дата повинна бути в межах від дати і до теперішнього часу
 DocType: Maintenance Schedule Detail,Actual Date,Фактична дата
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Установіть Центр заощаджень за замовчуванням у компанії {0}.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Установіть Центр заощаджень за замовчуванням у компанії {0}.
 DocType: Item,Has Batch No,Має номер партії
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Річні оплати: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Детальніше про Shopify Webhook
@@ -2911,7 +2940,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Тип зміни
 DocType: Student,Personal Details,Особиста інформація
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},"Будь ласка, вкажіть ""Центр витрат амортизації"" в компанії {0}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},"Будь ласка, вкажіть ""Центр витрат амортизації"" в компанії {0}"
 ,Maintenance Schedules,Розклад запланованих обслуговувань
 DocType: Task,Actual End Date (via Time Sheet),Фактична дата закінчення (за допомогою табеля робочого часу)
 DocType: Soil Texture,Soil Type,Тип грунту
@@ -2919,10 +2948,10 @@
 ,Quotation Trends,Тренд пропозицій
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},Група елемента не згадується у майстрі для елементу {0}
 DocType: GoCardless Mandate,GoCardless Mandate,Mandate GoCardless
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Дебетом рахунка повинні бути заборгованість рахунок
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Дебетом рахунка повинні бути заборгованість рахунок
 DocType: Shipping Rule,Shipping Amount,Сума доставки
 DocType: Supplier Scorecard Period,Period Score,Оцінка періоду
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Додати Клієнти
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Додати Клієнти
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,До Сума
 DocType: Lab Test Template,Special,Спеціальний
 DocType: Loyalty Program,Conversion Factor,Коефіцієнт перетворення
@@ -2939,7 +2968,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Додати бланк
 DocType: Program Enrollment,Self-Driving Vehicle,Самостійне водіння автомобіля
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Поставщик Scorecard Standing
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Рядок {0}: Відомість матеріалів не знайдено для елемента {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Рядок {0}: Відомість матеріалів не знайдено для елемента {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Всього виділені листя {0} не може бути менше, ніж вже затверджених листя {1} за період"
 DocType: Contract Fulfilment Checklist,Requirement,Вимога
 DocType: Journal Entry,Accounts Receivable,Дебіторська заборгованість
@@ -2956,16 +2985,16 @@
 DocType: Projects Settings,Timesheets,Табелі робочого часу
 DocType: HR Settings,HR Settings,Налаштування HR
 DocType: Salary Slip,net pay info,Чистий інформація платити
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Сума CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Сума CESS
 DocType: Woocommerce Settings,Enable Sync,Увімкнути синхронізацію
 DocType: Tax Withholding Rate,Single Transaction Threshold,Порогова одинична транзакція
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Це значення оновлюється за умовчанням за цінами продажу.
 DocType: Email Digest,New Expenses,нові витрати
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC Сума
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC Сума
 DocType: Shareholder,Shareholder,Акціонер
 DocType: Purchase Invoice,Additional Discount Amount,Додаткова знижка Сума
 DocType: Cash Flow Mapper,Position,Позиція
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Отримайте предмети від рецептів
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Отримайте предмети від рецептів
 DocType: Patient,Patient Details,Деталі пацієнта
 DocType: Inpatient Record,B Positive,B Позитивний
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2977,8 +3006,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Група не-групи
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Спортивний
 DocType: Loan Type,Loan Name,кредит Ім&#39;я
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Загальний фактичний
-DocType: Lab Test UOM,Test UOM,Випробувати UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Загальний фактичний
 DocType: Student Siblings,Student Siblings,"Студентські Брати, сестри"
 DocType: Subscription Plan Detail,Subscription Plan Detail,Детальний план підписки
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Блок
@@ -3006,7 +3034,6 @@
 DocType: Workstation,Wages per hour,Заробітна плата на годину
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Залишок в партії {0} стане негативним {1} для позиції {2} на складі {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Наступне Замовлення матеріалів буде створено автоматично згідно рівня дозамовлення для даної позиції
-DocType: Email Digest,Pending Sales Orders,Замовлення клієнтів в очікуванні
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Рахунок {0} є неприпустимим. Валюта рахунку повинні бути {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Від дати {0} не може бути після звільнення працівника Дата {1}
 DocType: Supplier,Is Internal Supplier,Є внутрішнім постачальником
@@ -3015,13 +3042,14 @@
 DocType: Healthcare Settings,Remind Before,Нагадаю раніше
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Коефіцієнт перетворення Одиниця виміру потрібно в рядку {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: замовлення клієнта, вихідний рахунок-фактура або запис журналу"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: замовлення клієнта, вихідний рахунок-фактура або запис журналу"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 балів лояльності = скільки базова валюта?
 DocType: Salary Component,Deduction,Відрахування
 DocType: Item,Retain Sample,Зберегти зразок
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Рядок {0}: Від часу і часу є обов&#39;язковим.
 DocType: Stock Reconciliation Item,Amount Difference,сума різниця
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Ціна товару додається для {0} у прайс-листі {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Ціна товару додається для {0} у прайс-листі {1}
+DocType: Delivery Stop,Order Information,Інформація про замовлення
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Будь ласка, введіть ідентифікатор працівника для цього Відповідального з продажу"
 DocType: Territory,Classification of Customers by region,Класифікація клієнтів по регіонах
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,У виробництві
@@ -3032,8 +3060,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Розрахунковий банк собі баланс
 DocType: Normal Test Template,Normal Test Template,Шаблон нормального тесту
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,відключений користувач
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Пропозиція
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Не вдається встановити отриманий RFQ без котирування
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Пропозиція
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Не вдається встановити отриманий RFQ без котирування
 DocType: Salary Slip,Total Deduction,Всього відрахування
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Виберіть обліковий запис для друку в валюті рахунку
 ,Production Analytics,виробництво Аналітика
@@ -3046,14 +3074,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Установка Scorecard постачальника
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Назва плану оцінки
 DocType: Work Order Operation,Work Order Operation,Робота на замовлення
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Увага: Невірний сертифікат SSL на прихильності {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Увага: Невірний сертифікат SSL на прихильності {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Веде допомогти вам отримати бізнес, додати всі ваші контакти і багато іншого в ваших потенційних клієнтів"
 DocType: Work Order Operation,Actual Operation Time,Фактична Час роботи
 DocType: Authorization Rule,Applicable To (User),Застосовується до (Користувач)
 DocType: Purchase Taxes and Charges,Deduct,Відняти
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Описання роботи
 DocType: Student Applicant,Applied,прикладна
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Знову відкрийте
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Знову відкрийте
 DocType: Sales Invoice Item,Qty as per Stock UOM,Кількість у складській од.вим.
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ім&#39;я Guardian2
 DocType: Attendance,Attendance Request,Запит на участь
@@ -3071,7 +3099,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серійний номер {0} знаходиться на гарантії до {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Мінімальна допустима величина
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Користувач {0} вже існує
-apps/erpnext/erpnext/hooks.py +114,Shipments,Поставки
+apps/erpnext/erpnext/hooks.py +115,Shipments,Поставки
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Загальна розподілена сума (валюта компанії)
 DocType: Purchase Order Item,To be delivered to customer,Для поставлятися замовнику
 DocType: BOM,Scrap Material Cost,Лом Матеріал Вартість
@@ -3079,11 +3107,12 @@
 DocType: Grant Application,Email Notification Sent,Надіслано сповіщення електронною поштою
 DocType: Purchase Invoice,In Words (Company Currency),Прописом (Валюта Компанії)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Компанія є адміністратором облікового запису компанії
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Код товару, склад, кількість необхідні по рядку"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Код товару, склад, кількість необхідні по рядку"
 DocType: Bank Guarantee,Supplier,Постачальник
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Отримати від
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,"Це кореневий відділ, і його не можна редагувати."
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Показати деталі платежу
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Тривалість у дні
 DocType: C-Form,Quarter,Чверть
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Різні витрати
 DocType: Global Defaults,Default Company,За замовчуванням Компанія
@@ -3091,7 +3120,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Рахунок витрат або рахунок різниці є обов'язковим для {0}, оскільки впливає на вартість запасів"
 DocType: Bank,Bank Name,Назва банку
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-вище
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,"Залиште поле порожнім, щоб зробити замовлення на купівлю для всіх постачальників"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,"Залиште поле порожнім, щоб зробити замовлення на купівлю для всіх постачальників"
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Стаціонарний відрядковий пункт відвідання
 DocType: Vital Signs,Fluid,Рідина
 DocType: Leave Application,Total Leave Days,Всього днів відпустки
@@ -3101,7 +3130,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Параметр Варіантні налаштування
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Виберіть компанію ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,"Залиште порожнім, якщо розглядати для всіх відділів"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} є обов'язковим для товару {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} є обов'язковим для товару {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Пункт {0}: {1} кількість, що випускається"
 DocType: Payroll Entry,Fortnightly,раз на два тижні
 DocType: Currency Exchange,From Currency,З валюти
@@ -3151,7 +3180,7 @@
 DocType: Account,Fixed Asset,Основних засобів
 DocType: Amazon MWS Settings,After Date,Після дати
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Серійний Інвентар
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Невірний {0} для рахунку компанії &quot;Інтер&quot;.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Невірний {0} для рахунку компанії &quot;Інтер&quot;.
 ,Department Analytics,Департамент аналітики
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Електронна пошта не знайдено у контакті за замовчуванням
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Генерувати таємницю
@@ -3170,6 +3199,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,генеральний директор
 DocType: Purchase Invoice,With Payment of Tax,Із сплатою податку
 DocType: Expense Claim Detail,Expense Claim Detail,Деталі Авансового звіту
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Будь-ласка, встановіть систему іменування інструкторів в освіті&gt; Параметри освіти"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Triplicate ДЛЯ ПОСТАЧАЛЬНИКІВ
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Новий баланс у базовій валюті
 DocType: Location,Is Container,Є контейнер
@@ -3177,13 +3207,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Будь ласка, виберіть правильний рахунок"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Назначення структури заробітної плати
 DocType: Purchase Invoice Item,Weight UOM,Одиниця ваги
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Список доступних акціонерів з номерами фоліо
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Список доступних акціонерів з номерами фоліо
 DocType: Salary Structure Employee,Salary Structure Employee,Працівник Структури зарплати
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Показати варіанти атрибутів
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Показати варіанти атрибутів
 DocType: Student,Blood Group,Група крові
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Платіжний шлюзовий обліковий запис у плані {0} відрізняється від облікового запису шлюзу платежу в цьому платіжному запиті
 DocType: Course,Course Name,Назва курсу
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Немає даних щодо оподаткування за поточний фінансовий рік.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Немає даних щодо оподаткування за поточний фінансовий рік.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Користувачі, які можуть погодити  заяви на відпустки певного працівника"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Устаткування офісу
 DocType: Purchase Invoice Item,Qty,К-сть
@@ -3191,6 +3221,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Налаштування підрахунку голосів
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Електроніка
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Дебет ({0})
+DocType: BOM,Allow Same Item Multiple Times,Дозволити одночасне кілька разів
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Створити Замовлення матеріалів коли залишки дійдуть до рівня дозамовлення
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Повний день
 DocType: Payroll Entry,Employees,співробітники
@@ -3202,11 +3233,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Підтвердження платежу
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ціни не будуть показані, якщо прайс-лист не встановлено"
 DocType: Stock Entry,Total Incoming Value,Загальна суму приходу
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Дебет вимагається
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Дебет вимагається
 DocType: Clinical Procedure,Inpatient Record,Стаціонарна запис
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets допоможе відстежувати час, вартість і виставлення рахунків для Активності зробленої вашої команди"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Прайс-лист закупівлі
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Дата здійснення операції
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Прайс-лист закупівлі
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Дата здійснення операції
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Шаблони постачальників показників змінної.
 DocType: Job Offer Term,Offer Term,Пропозиція термін
 DocType: Asset,Quality Manager,Менеджер з якості
@@ -3227,11 +3258,11 @@
 DocType: Cashier Closing,To Time,Часу
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) за {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Затвердження роль (вище статутного вартості)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Кредит на рахунку повинен бути оплачується рахунок
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Кредит на рахунку повинен бути оплачується рахунок
 DocType: Loan,Total Amount Paid,Загальна сума сплачена
 DocType: Asset,Insurance End Date,Дата закінчення страхування
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Будь-ласка, оберіть Student Admission, який є обов&#39;язковим для платника заявника"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},Рекурсія у Нормах: {0} не може бути батьківським або підлеглим елементом {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},Рекурсія у Нормах: {0} не може бути батьківським або підлеглим елементом {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Список бюджету
 DocType: Work Order Operation,Completed Qty,Завершена к-сть
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Для {0}, тільки дебетові рахунки можуть бути пов&#39;язані з іншою кредитною вступу"
@@ -3239,7 +3270,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Пункт {0} не може бути оновлений за допомогою Stock Примирення, будь ласка, використовуйте стік запис"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Пункт {0} не може бути оновлений за допомогою Stock Примирення, будь ласка, використовуйте стік запис"
 DocType: Training Event Employee,Training Event Employee,Навчання співробітників Подія
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максимальна кількість зразків - {0} можна зберегти для партії {1} та елемента {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Максимальна кількість зразків - {0} можна зберегти для партії {1} та елемента {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Додати часові слоти
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} Серійні номери, необхідні для позиції {1}. Ви надали {2}."
 DocType: Stock Reconciliation Item,Current Valuation Rate,Поточна собівартість
@@ -3270,11 +3301,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серійний номер {0} не знайдений
 DocType: Fee Schedule Program,Fee Schedule Program,Програма розкладів платежів
 DocType: Fee Schedule Program,Student Batch,Student Batch
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Будь ласка, видаліть співробітника <a href=""#Form/Employee/{0}"">{0}</a> \ щоб скасувати цей документ"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,зробити Студент
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Мінімальна оцінка
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Тип служби охорони здоров&#39;я
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Ви були запрошені для спільної роботи над проектом: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Ви були запрошені для спільної роботи над проектом: {0}
 DocType: Supplier Group,Parent Supplier Group,Група батьків постачальників
+DocType: Email Digest,Purchase Orders to Bill,Замовлення на купівлю Біллу
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Накопичені цінності в групі компаній
 DocType: Leave Block List Date,Block Date,Блок Дата
 DocType: Crop,Crop,Урожай
@@ -3287,6 +3321,7 @@
 DocType: Sales Order,Not Delivered,Не доставлено
 ,Bank Clearance Summary,Результат банківського клірінгу
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Створення і управління щоденні, щотижневі та щомісячні дайджести новин."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Це базується на операціях проти цього продавця. Нижче наведено докладну інформацію про часовій шкалі
 DocType: Appraisal Goal,Appraisal Goal,Оцінка Мета
 DocType: Stock Reconciliation Item,Current Amount,Поточна сума
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,будівлі
@@ -3313,7 +3348,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Softwares
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Наступна контактна дата не може бути у минулому
 DocType: Company,For Reference Only.,Для довідки тільки.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Виберіть Batch Немає
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Виберіть Batch Немає
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Невірний {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Довідкова інв
@@ -3331,16 +3366,16 @@
 DocType: Normal Test Items,Require Result Value,Вимагати значення результату
 DocType: Item,Show a slideshow at the top of the page,Показати слайд-шоу у верхній частині сторінки
 DocType: Tax Withholding Rate,Tax Withholding Rate,Податковий рівень утримання
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Магазини
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Магазини
 DocType: Project Type,Projects Manager,Менеджер проектів
 DocType: Serial No,Delivery Time,Час доставки
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,На підставі проблем старіння
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Призначення скасовано
 DocType: Item,End of Life,End of Life (дата завершення роботи з товаром)
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Подорож
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Подорож
 DocType: Student Report Generation Tool,Include All Assessment Group,Включити всю оціночну групу
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Незнайдено жодної активної Структури зарплати або Структури зарплати за замовчуванням для співробітника {0} для зазначених дат
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Незнайдено жодної активної Структури зарплати або Структури зарплати за замовчуванням для співробітника {0} для зазначених дат
 DocType: Leave Block List,Allow Users,Надання користувачам
 DocType: Purchase Order,Customer Mobile No,Замовник Мобільна Немає
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Інформація про шаблон картки грошових потоків
@@ -3349,15 +3384,16 @@
 DocType: Rename Tool,Rename Tool,Перейменувати інструмент
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Оновлення Вартість
 DocType: Item Reorder,Item Reorder,Пункт Змінити порядок
+DocType: Delivery Note,Mode of Transport,Режим транспорту
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Показати Зарплатний розрахунок
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Передача матеріалів
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Передача матеріалів
 DocType: Fees,Send Payment Request,Надіслати запит на оплату
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Вкажіть операцій, операційні витрати та дають унікальну операцію не в Ваших операцій."
 DocType: Travel Request,Any other details,Будь-які інші подробиці
 DocType: Water Analysis,Origin,Походження
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Цей документ знаходиться над межею {0} {1} для елемента {4}. Ви робите інший {3} проти того ж {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,"Будь ласка, встановіть повторювані після збереження"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,Вибрати рахунок для суми змін
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,"Будь ласка, встановіть повторювані після збереження"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,Вибрати рахунок для суми змін
 DocType: Purchase Invoice,Price List Currency,Валюта прайс-листа
 DocType: Naming Series,User must always select,Користувач завжди повинен вибрати
 DocType: Stock Settings,Allow Negative Stock,Дозволити від'ємні залишки
@@ -3378,9 +3414,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,простежуваність
 DocType: Asset Maintenance Log,Actions performed,Виконані дії
 DocType: Cash Flow Mapper,Section Leader,Лідер розділу
+DocType: Delivery Note,Transport Receipt No,Транспортний квитанція №
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Джерело фінансування (зобов&#39;язання)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Джерело та цільове місцезнаходження не можуть бути однаковими
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Кількість в рядку {0} ({1}) повинен бути такий же, як кількість виготовленої {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Кількість в рядку {0} ({1}) повинен бути такий же, як кількість виготовленої {2}"
 DocType: Supplier Scorecard Scoring Standing,Employee,Працівник
 DocType: Bank Guarantee,Fixed Deposit Number,Номер фіксованого депозиту
 DocType: Asset Repair,Failure Date,Дата невдачі
@@ -3394,16 +3431,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Відрахування з оплат або збиток
 DocType: Soil Analysis,Soil Analysis Criterias,Критерії аналізу грунту
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандартні умови договору для продажу або покупки.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,"Ви впевнені, що хочете скасувати цю зустріч?"
+DocType: BOM Item,Item operation,Елемент операції
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,"Ви впевнені, що хочете скасувати цю зустріч?"
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Пакет бронювання номерів у готелі
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Воронка продаж
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Воронка продаж
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},"Будь ласка, встановіть обліковий запис стандартним записом в компоненті Зарплатний {0}"
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обов&#39;язково На
 DocType: Rename Tool,File to Rename,Файл Перейменувати
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Будь ласка, виберіть Норми для елемента в рядку {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Отримати оновлення підписки
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Рахунок {0} не збігається з Компанією {1} в режимі рахунку: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Зазначених Норм витрат {0} не існує для позиції {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Зазначених Норм витрат {0} не існує для позиції {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Курс:
 DocType: Soil Texture,Sandy Loam,Сенді-Лоам
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Потрібно відмінити заплановане обслуговування {0} перед скасуванням цього Замовлення клієнта
@@ -3412,7 +3450,7 @@
 DocType: Notification Control,Expense Claim Approved,Авансовий звіт погоджено
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Встановити аванси та виділити (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,"Немає робочих замовлень, створених"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Зарплатний розрахунок для працівника {0} вже створено за цей період
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Зарплатний розрахунок для працівника {0} вже створено за цей період
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Фармацевтична
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Ви можете залишити залишкову інкасацію лише за дійсну суму інкасації
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Вартість куплених виробів
@@ -3420,7 +3458,8 @@
 DocType: Selling Settings,Sales Order Required,Необхідне Замовлення клієнта
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Стати продавцем
 DocType: Purchase Invoice,Credit To,Кредит на
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Активні Lead-и / Клієнти
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Активні Lead-и / Клієнти
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,"Залиште порожнім, щоб використовувати стандартний формат нотатки доставки"
 DocType: Employee Education,Post Graduate,Аспірантура
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Деталі Запланованого обслуговування
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Попереджайте про нові замовлення на купівлю
@@ -3434,14 +3473,14 @@
 DocType: Support Search Source,Post Title Key,Ключ заголовка публікації
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Для роботи карти
 DocType: Warranty Claim,Raised By,Raised By
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Рецепти
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Рецепти
 DocType: Payment Gateway Account,Payment Account,Рахунок оплати
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,"Будь ласка, сформулюйте компанії, щоб продовжити"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,"Будь ласка, сформулюйте компанії, щоб продовжити"
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Чиста зміна дебіторської заборгованості
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Компенсаційні Викл
 DocType: Job Offer,Accepted,Прийняті
 DocType: POS Closing Voucher,Sales Invoices Summary,Підсумки продажних рахунків
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Назва партії
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Назва партії
 DocType: Grant Application,Organization,організація
 DocType: Grant Application,Organization,організація
 DocType: BOM Update Tool,BOM Update Tool,Інструмент оновлення BOM
@@ -3451,7 +3490,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Будь ласка, переконайтеся, що ви дійсно хочете видалити всі транзакції для компанії. Ваші основні дані залишиться, як є. Ця дія не може бути скасовано."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Результати пошуку
 DocType: Room,Room Number,Номер кімнати
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Неприпустима посилання {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Неприпустима посилання {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не може бути більше, ніж запланована кількість ({2}) у Виробничому замовленні {3}"
 DocType: Shipping Rule,Shipping Rule Label,Ярлик правил доставки
 DocType: Journal Entry Account,Payroll Entry,Заробітна плата за вхід
@@ -3459,8 +3498,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Зробити податковий шаблон
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Форум користувачів
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Сировина не може бути порожнім.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Рядок # {0} (таблиця платежів): сума має бути від&#39;ємною
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Не вдалося оновити запаси, рахунок-фактура містить позиції прямої доставки."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Рядок # {0} (таблиця платежів): сума має бути від&#39;ємною
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Не вдалося оновити запаси, рахунок-фактура містить позиції прямої доставки."
 DocType: Contract,Fulfilment Status,Статус виконання
 DocType: Lab Test Sample,Lab Test Sample,Лабораторія випробувань зразка
 DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволити значення атрибуту &quot;Перейменувати&quot;
@@ -3502,11 +3541,11 @@
 DocType: BOM,Show Operations,Показати операції
 ,Minutes to First Response for Opportunity,Хвилини до першої реакції на нагоду
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Всього Відсутня
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Номенклатурна позиція або Склад у рядку {0} не відповідає Замовленню матеріалів
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Номенклатурна позиція або Склад у рядку {0} не відповідає Замовленню матеріалів
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Одиниця виміру
 DocType: Fiscal Year,Year End Date,Дата закінчення року
 DocType: Task Depends On,Task Depends On,Завдання залежить від
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Нагода
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Нагода
 DocType: Operation,Default Workstation,За замовчуванням робоча станція
 DocType: Notification Control,Expense Claim Approved Message,Повідомлення при погодженні авансового звіту
 DocType: Payment Entry,Deductions or Loss,Відрахування або збиток
@@ -3544,21 +3583,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,"Затвердження користувач не може бути таким же, як користувач правило застосовно до"
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (як у фондовій UOM)
 DocType: SMS Log,No of Requested SMS,Кількість requested SMS
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Відпустка за свій рахунок не відповідає затвердженим записам заяв на відпустку
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Відпустка за свій рахунок не відповідає затвердженим записам заяв на відпустку
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Наступні кроки
 DocType: Travel Request,Domestic,Вітчизняний
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,"Будь ласка, надайте зазначені пункти в найкращих можливих ставок"
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,"Будь ласка, надайте зазначені пункти в найкращих можливих ставок"
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Передача працівників не може бути подана до дати переказу
 DocType: Certification Application,USD,Дол. США
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Зробити рахунок-фактуру
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Залишковий баланс
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Залишковий баланс
 DocType: Selling Settings,Auto close Opportunity after 15 days,Авто близько Можливість через 15 днів
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Замовлення на придбання не дозволено на {0} через показник показника показника {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Штрих-код {0} не є правильним {1} кодом
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Штрих-код {0} не є правильним {1} кодом
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,кінець року
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Свинець%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Свинець%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Кінцева дата контракту повинна бути більше ніж дата влаштування
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Кінцева дата контракту повинна бути більше ніж дата влаштування
 DocType: Driver,Driver,Водій
 DocType: Vital Signs,Nutrition Values,Харчування цінності
 DocType: Lab Test Template,Is billable,Оплачується
@@ -3569,7 +3608,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Цей зразок сайту згенерований автоматично з ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Старіння Діапазон 1
 DocType: Shopify Settings,Enable Shopify,Увімкнути Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Загальна авансова сума не може перевищувати загальну заявлену суму
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Загальна авансова сума не може перевищувати загальну заявлену суму
 DocType: Purchase Taxes and Charges Template,"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
@@ -3596,12 +3635,12 @@
 DocType: Employee Separation,Employee Separation,Розподіл працівників
 DocType: BOM Item,Original Item,Оригінальний предмет
 DocType: Purchase Receipt Item,Recd Quantity,Кількість RECD
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Дата документа
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Дата документа
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Плата записи Створено - {0}
 DocType: Asset Category Account,Asset Category Account,Категорія активів Рахунок
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Рядок # {0} (таблиця платежів): сума повинна бути позитивною
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Рядок # {0} (таблиця платежів): сума повинна бути позитивною
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете виробляти більше Пункт {0}, ніж кількість продажів Замовити {1}"
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Виберіть значення атрибута
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Виберіть значення атрибута
 DocType: Purchase Invoice,Reason For Issuing document,Причина для видачі документа
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Рух ТМЦ {0} не проведено
 DocType: Payment Reconciliation,Bank / Cash Account,Банк / Готівковий рахунок
@@ -3610,8 +3649,10 @@
 DocType: Asset,Manual,керівництво
 DocType: Salary Component Account,Salary Component Account,Рахунок компоненту зарплати
 DocType: Global Defaults,Hide Currency Symbol,Приховати символ валюти
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Можливості продажу за джерелом
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Інформація донорів.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","наприклад банк, готівка, кредитна карта"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Будь ласка, налаштуйте серію нумерації для участі в Наборі&gt; Нумерована серія"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","наприклад банк, готівка, кредитна карта"
 DocType: Job Applicant,Source Name,ім&#39;я джерела
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормальний спокійний артеріальний тиск у дорослої людини становить приблизно 120 мм рт. Ст. Систолічний і 80 мм рт. Ст. Діастолічний, скорочено &quot;120/80 мм рт. Ст.&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Встановіть термін зберігання елементів у дні, щоб встановити термін дії, виходячи з manufacturing_date плюс самостійної життя"
@@ -3641,7 +3682,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},"Для кількості повинно бути менше, ніж кількість {0}"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ряд {0}: Дата початку повинна бути раніше дати закінчення
 DocType: Salary Component,Max Benefit Amount (Yearly),Максимальна сума виплат (щороку)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS Rate%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS Rate%
 DocType: Crop,Planting Area,Посадка площі
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Всього (Кількість)
 DocType: Installation Note Item,Installed Qty,Встановлена к-сть
@@ -3663,8 +3704,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Залишити повідомлення про схвалення
 DocType: Buying Settings,Default Buying Price List,Прайс-лист закупівлі за замовчуванням
 DocType: Payroll Entry,Salary Slip Based on Timesheet,"Зарплатний розрахунок, на основі табелю-часу"
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Ціна покупки
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Рядок {0}: Введіть місце для об&#39;єкта активу {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Ціна покупки
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Рядок {0}: Введіть місце для об&#39;єкта активу {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Про компанію
 DocType: Notification Control,Sales Order Message,Повідомлення замовлення клієнта
@@ -3730,10 +3771,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Для рядка {0}: введіть заплановане число
 DocType: Account,Income Account,Рахунок доходів
 DocType: Payment Request,Amount in customer's currency,Сума в валюті клієнта
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Доставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Доставка
 DocType: Volunteer,Weekdays,Будні дні
 DocType: Stock Reconciliation Item,Current Qty,Поточна к-сть
 DocType: Restaurant Menu,Restaurant Menu,Меню ресторану
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Додати постачальників
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Розділ довідки
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Попередня
@@ -3745,19 +3787,20 @@
 												fullfill Sales Order {2}","Неможливо доставити серійний номер {0} елемента {1}, оскільки він зарезервований для \ fillfill замовлення на продаж {2}"
 DocType: Item Reorder,Material Request Type,Тип Замовлення матеріалів
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Надіслати електронний лист перегляду гранту
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage повна, не врятувало"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення Одиниця виміру є обов&#39;язковим
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage повна, не врятувало"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення Одиниця виміру є обов&#39;язковим
 DocType: Employee Benefit Claim,Claim Date,Дати претензії
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Ємність кімнати
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Уже існує запис для елемента {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Посилання
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,"Ви втратите записи про раніше сформовані рахунки-фактури. Ви впевнені, що хочете перезапустити цю підписку?"
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Реєстраційний внесок
 DocType: Loyalty Program Collection,Loyalty Program Collection,Колекція програми лояльності
 DocType: Stock Entry Detail,Subcontracted Item,Субконтрактований пункт
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Студент {0} не належить до групи {1}
 DocType: Budget,Cost Center,Центр витрат
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Документ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Документ #
 DocType: Notification Control,Purchase Order Message,Повідомлення Замовлення на придбання
 DocType: Tax Rule,Shipping Country,Країна доставки
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Приховати Податковий ідентифікатор клієнта від угоди купівлі-продажу
@@ -3776,23 +3819,22 @@
 DocType: Subscription,Cancel At End Of Period,Скасувати наприкінці періоду
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Власність вже додана
 DocType: Item Supplier,Item Supplier,Пункт Постачальник
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Будь ласка, введіть код позиції, щоб отримати номер партії"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Будь ласка, виберіть значення для {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Будь ласка, введіть код позиції, щоб отримати номер партії"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Будь ласка, виберіть значення для {0} quotation_to {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Немає елементів для переміщення
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Всі адреси.
 DocType: Company,Stock Settings,Налаштування інвентаря
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Об&#39;єднання можливе тільки, якщо такі властивості однакові в обох звітах. Є група, кореневої тип, компанія"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Об&#39;єднання можливе тільки, якщо такі властивості однакові в обох звітах. Є група, кореневої тип, компанія"
 DocType: Vehicle,Electric,електричний
 DocType: Task,% Progress,% Прогрес
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Прибуток / збиток від вибуття основних засобів
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",У таблиці нижче буде виділено лише студент-заявник із статусом &quot;Затверджено&quot;.
 DocType: Tax Withholding Category,Rates,Тарифи
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Номер рахунку для облікового запису {0} недоступний. <br> Будь ласка, правильно налаштуйте свою схему рахунків."
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"Номер рахунку для облікового запису {0} недоступний. <br> Будь ласка, правильно налаштуйте свою схему рахунків."
 DocType: Task,Depends on Tasks,Залежно від завдань
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управління груповою клієнтів дерево.
 DocType: Normal Test Items,Result Value,Значення результату
 DocType: Hotel Room,Hotels,Готелі
-DocType: Delivery Note,Transporter Date,Дата перевізника
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Назва нового центру витрат
 DocType: Leave Control Panel,Leave Control Panel,Залишити Панель управління
 DocType: Project,Task Completion,завершення завдання
@@ -3839,11 +3881,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Всі групи по оцінці
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Новий склад Ім&#39;я
 DocType: Shopify Settings,App Type,Тип програми
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Підсумок {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Підсумок {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Територія
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Не кажучи вже про НЕ ласка відвідувань, необхідних"
 DocType: Stock Settings,Default Valuation Method,Метод оцінка за замовчуванням
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,плата
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Показати сукупну суму
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Оновлення в процесі Це може зайняти деякий час.
 DocType: Production Plan Item,Produced Qty,Вироблена кількість
 DocType: Vehicle Log,Fuel Qty,Паливо Кількість
@@ -3851,7 +3894,7 @@
 DocType: Work Order Operation,Planned Start Time,Плановані Час
 DocType: Course,Assessment,оцінка
 DocType: Payment Entry Reference,Allocated,Розподілено
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Закрити Баланс і книга Прибуток або збиток.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Закрити Баланс і книга Прибуток або збиток.
 DocType: Student Applicant,Application Status,статус заявки
 DocType: Additional Salary,Salary Component Type,Зарплата компонентного типу
 DocType: Sensitivity Test Items,Sensitivity Test Items,Тестування чутливості
@@ -3862,10 +3905,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Загальна непогашена сума
 DocType: Sales Partner,Targets,Цільові
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,"Будь ласка, зареєструйте номер SIREN у файлі інформації компанії"
+DocType: Email Digest,Sales Orders to Bill,Замовлення на продаж до Білла
 DocType: Price List,Price List Master,Майстер Прайс-листа
 DocType: GST Account,CESS Account,Обліковий запис CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Для всіх операцій продажу можна вказувати декількох ""Відповідальних з продажу"", так що ви можете встановлювати та контролювати цілі."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Посилання на запит на матеріали
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Посилання на запит на матеріали
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Діяльність форуму
 ,S.O. No.,КО №
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Банківська виписка &quot;Параметри транзакції&quot;
@@ -3880,7 +3924,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Це корінь групи клієнтів і не можуть бути змінені.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Дія, якщо накопичений місячний бюджет перевищено на ОЗ"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,До місця
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,До місця
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Переоцінка валютного курсу
 DocType: POS Profile,Ignore Pricing Rule,Ігнорувати цінове правило
 DocType: Employee Education,Graduate,Випускник
@@ -3917,6 +3961,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,"Будь ласка, встановіть клієнт за замовчуванням у налаштуваннях ресторану"
 ,Salary Register,дохід Реєстрація
 DocType: Warehouse,Parent Warehouse,Батьківський елемент складу
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Діаграма
 DocType: Subscription,Net Total,Чистий підсумок
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Стандартна BOM не знайдена для елемента {0} та Project {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Визначення різних видів кредиту
@@ -3949,24 +3994,26 @@
 DocType: Membership,Membership Status,Статус членства
 DocType: Travel Itinerary,Lodging Required,Приміщення для проживання обов&#39;язкове
 ,Requested,Запитаний
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Немає зауважень
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Немає зауважень
 DocType: Asset,In Maintenance,У технічному обслуговуванні
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Натисніть цю кнопку, щоб витягнути дані замовлення клієнта з Amazon MWS."
 DocType: Vital Signs,Abdomen,Живіт
 DocType: Purchase Invoice,Overdue,Прострочені
 DocType: Account,Stock Received But Not Billed,"Отримані товари, на які не виставлені рахунки"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Корінь аккаунт має бути група
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Корінь аккаунт має бути група
 DocType: Drug Prescription,Drug Prescription,Препарат для наркотиків
 DocType: Loan,Repaid/Closed,Повернений / Closed
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Загальна запланована Кількість
 DocType: Monthly Distribution,Distribution Name,Розподіл Ім&#39;я
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Включити UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Коефіцієнт оцінки не знайдено для елемента {0}, який необхідний для ведення облікових записів за {1} {2}. Якщо позиція веде транзакцію як нульова ставка оцінки вартості в {1}, будь-ласка, зазначте це в таблиці {1} Item. В іншому випадку, будь ласка, створіть вхідну транзакцію за каталогію або зазначте оцінку ставки в запису елемента, а потім спробуйте подати / скасувати цю статтю"
 DocType: Course,Course Code,код курсу
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Для позиції {0} необхідний сертифікат якості
 DocType: Location,Parent Location,Батьківське місцезнаходження
 DocType: POS Settings,Use POS in Offline Mode,Використовувати POS в автономному режимі
 DocType: Supplier Scorecard,Supplier Variables,Змінні постачальника
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},"{0} є обов&#39;язковим. Може бути, реєстрація валютної біржі не створена для {1} до {2}"
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Курс, за яким валюта покупця конвертується у базову валюту компанії"
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Нетто-ставка (Валюта компанії)
 DocType: Salary Detail,Condition and Formula Help,Довідка з умов і формул
@@ -3975,19 +4022,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Вихідний рахунок-фактура
 DocType: Journal Entry Account,Party Balance,Баланс контрагента
 DocType: Cash Flow Mapper,Section Subtotal,Розділ Інтерв&#39;ю
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Будь ласка, виберіть Застосувати знижки на"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Будь ласка, виберіть Застосувати знижки на"
 DocType: Stock Settings,Sample Retention Warehouse,Зразковий склад для зберігання
 DocType: Company,Default Receivable Account,Рахунок дебеторської заборгованості за замовчуванням
 DocType: Purchase Invoice,Deemed Export,Розглянуто Експорт
 DocType: Stock Entry,Material Transfer for Manufacture,Матеріал для виробництва передачі
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Знижка у відсотках можна застосовувати або стосовно прайс-листа або для всіх прайс-лист.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Проводки по запасах
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Проводки по запасах
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ви вже оцінили за критеріями оцінки {}.
 DocType: Vehicle Service,Engine Oil,Машинне мастило
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Створено робочі замовлення: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Створено робочі замовлення: {0}
 DocType: Sales Invoice,Sales Team1,Команда1 продажів
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Пункт {0} не існує
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Пункт {0} не існує
 DocType: Sales Invoice,Customer Address,Адреса клієнта
 DocType: Loan,Loan Details,кредит Детальніше
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Не вдалося налаштувати світове обладнання
@@ -4008,34 +4055,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Показати це слайд-шоу на верху сторінки
 DocType: BOM,Item UOM,Пункт Одиниця виміру
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сума податку після скидки Сума (Компанія валют)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Склад призначення є обов'язковим для рядку {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Склад призначення є обов'язковим для рядку {0}
 DocType: Cheque Print Template,Primary Settings,Основні налаштування
 DocType: Attendance Request,Work From Home,Працювати вдома
 DocType: Purchase Invoice,Select Supplier Address,Виберіть адресу постачальника
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Додати співробітників
 DocType: Purchase Invoice Item,Quality Inspection,Сертифікат якості
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Дуже невеликий
 DocType: Company,Standard Template,Стандартний шаблон
 DocType: Training Event,Theory,теорія
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Увага: Кількість замовленого матеріалу менша за мінімально допустиму
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Увага: Кількість замовленого матеріалу менша за мінімально допустиму
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Рахунок {0} заблоковано
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридична особа / Допоміжний з окремим Плану рахунків, що належать Організації."
 DocType: Payment Request,Mute Email,Відключення E-mail
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Продукти харчування, напої і тютюнові вироби"
 DocType: Account,Account Number,Номер рахунку
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Може здійснити платіж тільки по невиставлених {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,"Ставка комісії не може бути більше, ніж 100"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Може здійснити платіж тільки по невиставлених {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,"Ставка комісії не може бути більше, ніж 100"
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Автоматично розподіляти аванси (FIFO)
 DocType: Volunteer,Volunteer,Волонтер
 DocType: Buying Settings,Subcontract,Субпідряд
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,"Будь ласка, введіть {0} в першу чергу"
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Немає відповідей від
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Немає відповідей від
 DocType: Work Order Operation,Actual End Time,Фактична Час закінчення
 DocType: Item,Manufacturer Part Number,Номер в каталозі виробника
 DocType: Taxable Salary Slab,Taxable Salary Slab,Оподаткована плата заробітної плати
 DocType: Work Order Operation,Estimated Time and Cost,Розрахунковий час і вартість
 DocType: Bin,Bin,Бункер
 DocType: Crop,Crop Name,Назва обрізання
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Лише користувачі з роллю {0} можуть зареєструватися на ринку Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Лише користувачі з роллю {0} можуть зареєструватися на ринку Marketplace
 DocType: SMS Log,No of Sent SMS,Кількість відправлених SMS
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Призначення та зустрічі
@@ -4064,7 +4112,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Змінити код
 DocType: Purchase Invoice Item,Valuation Rate,Собівартість
 DocType: Vehicle,Diesel,дизель
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Валюту прайс-листа не вибрано
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Валюту прайс-листа не вибрано
 DocType: Purchase Invoice,Availed ITC Cess,Отримав ITC Cess
 ,Student Monthly Attendance Sheet,Student Щомісячна відвідуваність Sheet
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Правило доставки застосовується тільки для продажу
@@ -4081,7 +4129,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управління торговими партнерами
 DocType: Quality Inspection,Inspection Type,Тип інспекції
 DocType: Fee Validity,Visited yet,Відвідано ще
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Склади з існуючої транзакцією не можуть бути перетворені у групу.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Склади з існуючої транзакцією не можуть бути перетворені у групу.
 DocType: Assessment Result Tool,Result HTML,результат HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Як часто слід оновлювати проект та компанію на основі операцій продажу.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Діє до
@@ -4089,7 +4137,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Будь ласка, виберіть {0}"
 DocType: C-Form,C-Form No,С-Форма Немає
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Відстань
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Відстань
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,"Перелічіть свої товари чи послуги, які ви купуєте або продаєте."
 DocType: Water Analysis,Storage Temperature,Температура зберігання
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4105,19 +4153,19 @@
 DocType: Shopify Settings,Delivery Note Series,Серія доставки
 DocType: Purchase Order Item,Returned Qty,Повернута к-сть
 DocType: Student,Exit,Вихід
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Корінь Тип обов&#39;язково
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Корінь Тип обов&#39;язково
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Не вдалося встановити пресетів
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Конвертація UOM у години
 DocType: Contract,Signee Details,Signee Детальніше
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} наразі має {1} Поставку Scorecard Постачальника, і запити на поставку цього постачальника повинні бути випущені з обережністю."
 DocType: Certified Consultant,Non Profit Manager,Неприбутковий менеджер
 DocType: BOM,Total Cost(Company Currency),Загальна вартість (Компанія Валюта)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Серійний номер {0} створено
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Серійний номер {0} створено
 DocType: Homepage,Company Description for website homepage,Опис компанії для головної сторінки веб-сайту
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Для зручності клієнтів, ці коди можуть бути використані в друкованих формах, таких, як рахунки-фактури та розхідні накладні"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,ім&#39;я Suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Не вдалося отримати інформацію для {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Вступний журнал
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Вступний журнал
 DocType: Contract,Fulfilment Terms,Умови виконання
 DocType: Sales Invoice,Time Sheet List,Список табелів робочого часу
 DocType: Employee,You can enter any date manually,Ви можете ввести будь-яку дату вручну
@@ -4153,7 +4201,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Ваша організація
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Пропуск відкладеного відпустки для наступних співробітників, оскільки записи про розподіл залишків вже існують проти них. {0}"
 DocType: Fee Component,Fees Category,тарифи Категорія
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Будь ласка, введіть дату зняття."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Будь ласка, введіть дату зняття."
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Сум
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Подробиці спонсора (ім&#39;я, місце)"
 DocType: Supplier Scorecard,Notify Employee,Повідомити співробітника
@@ -4166,9 +4214,9 @@
 DocType: Company,Chart Of Accounts Template,План рахунків бухгалтерського обліку шаблону
 DocType: Attendance,Attendance Date,Дата
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Оновити запас повинен бути включений для рахунку-фактури покупки {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Ціна товару оновлена для {0} у прайс-листі {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Ціна товару оновлена для {0} у прайс-листі {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Розшифровка зарплати по нарахуваннях та відрахуваннях.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,"Рахунок з дочірніх вузлів, не можуть бути перетворені в бухгалтерській книзі"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,"Рахунок з дочірніх вузлів, не можуть бути перетворені в бухгалтерській книзі"
 DocType: Purchase Invoice Item,Accepted Warehouse,Прийнято на склад
 DocType: Bank Reconciliation Detail,Posting Date,Дата створення/розміщення
 DocType: Item,Valuation Method,Метод Оцінка
@@ -4205,6 +4253,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,"Будь ласка, виберіть партію"
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Подорож та витрати
 DocType: Sales Invoice,Redemption Cost Center,Центр викупу витрат
+DocType: QuickBooks Migrator,Scope,Сфера застосування
 DocType: Assessment Group,Assessment Group Name,Назва групи по оцінці
 DocType: Manufacturing Settings,Material Transferred for Manufacture,"Матеріал, переданий для виробництва"
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Додати до подробиць
@@ -4212,6 +4261,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Остання синхронізація Datetime
 DocType: Landed Cost Item,Receipt Document Type,Тип прихідного документу
 DocType: Daily Work Summary Settings,Select Companies,вибір компаній
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Пропозиція / Цитата ціни
 DocType: Antibiotic,Healthcare,Охорона здоров&#39;я
 DocType: Target Detail,Target Detail,Цільова Подробиці
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Одиночний варіант
@@ -4221,6 +4271,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Операції закриття періоду
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Виберіть відділ ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,"Центр витрат з існуючими операціями, не може бути перетворений у групу"
+DocType: QuickBooks Migrator,Authorization URL,URL-адреса авторизації
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Сума {0} {1} {2} {3}
 DocType: Account,Depreciation,Амортизація
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Кількість акцій та кількість акцій непослідовна
@@ -4243,13 +4294,14 @@
 DocType: Support Search Source,Source DocType,Джерело DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Відкрий новий квиток
 DocType: Training Event,Trainer Email,тренер Email
+DocType: Driver,Transporter,Транспортер
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,"Замовлення матеріалів {0}, створені"
 DocType: Restaurant Reservation,No of People,Ні людей
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Шаблон умов договору
 DocType: Bank Account,Address and Contact,Адреса та контакти
 DocType: Vital Signs,Hyper,Гіпер
 DocType: Cheque Print Template,Is Account Payable,Чи є кредиторська заборгованість
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Запаси не можуть оновитися Прихідною накладною {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Запаси не можуть оновитися Прихідною накладною {0}
 DocType: Support Settings,Auto close Issue after 7 days,Авто близько Issue через 7 днів
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Відпустка не може бути призначена до{0}, оскільки залишок днів вже перенесений у наступний документ Призначення відпусток{1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примітка: Через / Вихідна дата перевищує дозволений кредит клієнт дня {0} день (їй)
@@ -4267,7 +4319,7 @@
 ,Qty to Deliver,К-сть для доставки
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon буде синхронізувати дані, оновлені після цієї дати"
 ,Stock Analytics,Аналіз складських залишків
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,"Операції, що не може бути залишено порожнім"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,"Операції, що не може бути залишено порожнім"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Лабораторні тести (і)
 DocType: Maintenance Visit Purpose,Against Document Detail No,На деталях документа немає
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Видалення заборонено для країни {0}
@@ -4275,13 +4327,12 @@
 DocType: Quality Inspection,Outgoing,Вихідний
 DocType: Material Request,Requested For,Замовляється для
 DocType: Quotation Item,Against Doctype,На DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} скасовано або закрито
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} скасовано або закрито
 DocType: Asset,Calculate Depreciation,Обчислити амортизацію
 DocType: Delivery Note,Track this Delivery Note against any Project,Підписка на накладну проти будь-якого проекту
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Чисті грошові кошти від інвестиційної
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Клієнт&gt; Група клієнтів&gt; Територія
 DocType: Work Order,Work-in-Progress Warehouse,"Склад ""В роботі"""
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} повинен бути представлений
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} повинен бути представлений
 DocType: Fee Schedule Program,Total Students,Всього студентів
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Рекордне {0} існує проти Student {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},Посилання # {0} від {1}
@@ -4301,7 +4352,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Неможливо створити бонус утримання для залишених співробітників
 DocType: Lead,Market Segment,Сегмент ринку
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Менеджер з сільського господарства
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Сплачена сума не може бути більше сумарного негативного непогашеної {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Сплачена сума не може бути більше сумарного негативного непогашеної {0}
 DocType: Supplier Scorecard Period,Variables,Змінні
 DocType: Employee Internal Work History,Employee Internal Work History,Співробітник внутрішньої історії роботи
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),На кінець (Дт)
@@ -4326,22 +4377,24 @@
 DocType: Amazon MWS Settings,Synch Products,Synch Products
 DocType: Loyalty Point Entry,Loyalty Program,Програма лояльності
 DocType: Student Guardian,Father,батько
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Квитки на підтримку
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""Оновити запаси"" не може бути позначено для продажу основних засобів"
 DocType: Bank Reconciliation,Bank Reconciliation,Звірка з банком
 DocType: Attendance,On Leave,У відпустці
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Підписатись на новини
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Рахунок {2} не належить Компанії {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Виберіть принаймні одне значення для кожного з атрибутів.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Виберіть принаймні одне значення для кожного з атрибутів.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Замовлення матеріалів {0} відмінено або призупинено
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Державна доставка
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Державна доставка
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Управління відпустками
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Групи
 DocType: Purchase Invoice,Hold Invoice,Утримувати рахунок-фактуру
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,"Будь ласка, виберіть співробітника"
 DocType: Sales Order,Fully Delivered,Повністю доставлено
-DocType: Lead,Lower Income,Нижня дохід
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Нижня дохід
 DocType: Restaurant Order Entry,Current Order,Поточний порядок
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Кількість серійних носів та кількість має бути однаковою
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Вихідний та цільовий склад не можуть бути однаковими у рядку {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Вихідний та цільовий склад не можуть бути однаковими у рядку {0}
 DocType: Account,Asset Received But Not Billed,"Активи отримані, але не виставлені"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Рахунок різниці повинен бути типу актив / зобов'язання, оскільки ця Інвентаризація - це введення залишків"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},"Освоєно Сума не може бути більше, ніж сума позики {0}"
@@ -4350,7 +4403,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},"Номер Замовлення на придбання, необхідний для {0}"
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Від дати"" має бути раніше ""До дати"""
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Жодних кадрових планів не знайдено для цього призначення
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Пакет {0} елемента {1} вимкнено.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Пакет {0} елемента {1} вимкнено.
 DocType: Leave Policy Detail,Annual Allocation,Річне розподіл
 DocType: Travel Request,Address of Organizer,Адреса Організатора
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Виберіть медичного працівника ...
@@ -4359,12 +4412,12 @@
 DocType: Asset,Fully Depreciated,повністю амортизується
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Прогнозований складський залишок
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Замовник {0} не належить до проекту {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Замовник {0} не належить до проекту {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Внесена відвідуваність HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Котирування є пропозиціями, пропозиціями відправлених до своїх клієнтів"
 DocType: Sales Invoice,Customer's Purchase Order,Оригінал замовлення клієнта
 DocType: Clinical Procedure,Patient,Пацієнт
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Обхід перевірки кредиту в замовленні клієнта
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Обхід перевірки кредиту в замовленні клієнта
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Співробітник бортової діяльності
 DocType: Location,Check if it is a hydroponic unit,"Перевірте, чи це гідропонічний пристрій"
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Серійний номер та партія
@@ -4374,7 +4427,7 @@
 DocType: Supplier Scorecard Period,Calculations,Розрахунки
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Значення або Кількість
 DocType: Payment Terms Template,Payment Terms,Терміни оплати
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Продукції Замовлення не можуть бути підняті для:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Продукції Замовлення не можуть бути підняті для:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Хвилин
 DocType: Purchase Invoice,Purchase Taxes and Charges,Податки та збори закупівлі
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4382,7 +4435,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Перейдіть до Постачальників
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Позиції за ваучером закриття POS
 ,Qty to Receive,К-сть на отримання
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Початок і закінчення дат не в чинному періоді заробітної плати, не можуть обчислити {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Початок і закінчення дат не в чинному періоді заробітної плати, не можуть обчислити {0}."
 DocType: Leave Block List,Leave Block List Allowed,Список блокування відпусток дозволено
 DocType: Grading Scale Interval,Grading Scale Interval,Інтервал Градація шкали
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Expense Вимога про автомобіль Вхід {0}
@@ -4390,10 +4443,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Знижка (%) на Прейскурант ставкою з Margin
 DocType: Healthcare Service Unit Type,Rate / UOM,Оцінити / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,всі склади
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Ні {0} знайдено для транзакцій компанії «Інтер».
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Ні {0} знайдено для транзакцій компанії «Інтер».
 DocType: Travel Itinerary,Rented Car,Орендований автомобіль
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Про вашу компанію
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Кредит на рахунку повинен бути баланс рахунку
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Кредит на рахунку повинен бути баланс рахунку
 DocType: Donor,Donor,Донор
 DocType: Global Defaults,Disable In Words,"Відключити ""прописом"""
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Код товару є обов&#39;язковим, оскільки товар не автоматично нумеруються"
@@ -4405,14 +4458,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Овердрафт рахунок
 DocType: Patient,Patient ID,Ідентифікатор пацієнта
 DocType: Practitioner Schedule,Schedule Name,Назва розкладу
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Трубопровід збуту на етапі
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Зробити Зарплатний розрахунок
 DocType: Currency Exchange,For Buying,Для покупки
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Додати всіх постачальників
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Додати всіх постачальників
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Рядок # {0}: Виділена сума не може бути більше суми заборгованості.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,Переглянути норми
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Забезпечені кредити
 DocType: Purchase Invoice,Edit Posting Date and Time,Редагування проводок Дата і час
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Будь ласка, встановіть рахунки, що відносяться до амортизації у категорії активу {0} або компанії {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Будь ласка, встановіть рахунки, що відносяться до амортизації у категорії активу {0} або компанії {1}"
 DocType: Lab Test Groups,Normal Range,Нормальний діапазон
 DocType: Academic Term,Academic Year,Навчальний рік
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Доступні продажі
@@ -4441,26 +4495,26 @@
 DocType: Patient Appointment,Patient Appointment,Призначення пацієнта
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Затвердження роль не може бути такою ж, як роль правило застосовно до"
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Відмовитися від цієї Email Дайджест
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Отримати постачальників за
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Отримати постачальників за
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} не знайдено для Продукту {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Перейти до курсів
 DocType: Accounts Settings,Show Inclusive Tax In Print,Покажіть інклюзивний податок у друку
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Банківський рахунок, з дати та до дати є обов&#39;язковими"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Повідомлення відправлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,"Рахунок з дочірніх вузлів, не може бути встановлений як книгу"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,"Рахунок з дочірніх вузлів, не може бути встановлений як книгу"
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Курс, за яким валюта прайс-листа конвертується у базову валюту покупця"
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Чиста сума (Компанія валют)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Сума авансового платежу не може перевищувати загальної санкціонованої суми
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Сума авансового платежу не може перевищувати загальної санкціонованої суми
 DocType: Salary Slip,Hour Rate,Тарифна ставка
 DocType: Stock Settings,Item Naming By,Найменування номенклатурних позицій за
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Ще одна операція закриття періоду {0} була зроблена після {1}
 DocType: Work Order,Material Transferred for Manufacturing,Матеріал для виготовлення Переведений
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Рахунок {0} не існує робить
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Виберіть програму лояльності
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Виберіть програму лояльності
 DocType: Project,Project Type,Тип проекту
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Дитяча задача існує для цієї задачі. Ви не можете видалити це завдання.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Кінцева к-сть або сума є обов'язковими
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Кінцева к-сть або сума є обов'язковими
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Вартість різних видів діяльності
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Призначення подій до {0}, оскільки працівник приєднаний до нижчевказаного Відповідального з продажуі не має ідентифікатора користувача {1}"
 DocType: Timesheet,Billing Details,платіжна інформація
@@ -4518,13 +4572,13 @@
 DocType: Inpatient Record,A Negative,Негативний
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Нічого більше не показувати.
 DocType: Lead,From Customer,Від Замовника
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Дзвінки
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Дзвінки
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Продукт
 DocType: Employee Tax Exemption Declaration,Declarations,Декларації
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,порції
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Зробити розклад заробітної плати
 DocType: Purchase Order Item Supplied,Stock UOM,Одиниця виміру запасів
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Замовлення на придбання {0} не проведено
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Замовлення на придбання {0} не проведено
 DocType: Account,Expenses Included In Asset Valuation,"Витрати, включені в вартість активів"
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Нормальний діапазон відліку для дорослого становить 16-20 вдихів в хвилину (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,тарифний номер
@@ -4537,6 +4591,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,"Будь ласка, спочатку збережіть пацієнта"
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Глядачі були успішно відзначені.
 DocType: Program Enrollment,Public Transport,Громадський транспорт
+DocType: Delivery Note,GST Vehicle Type,Тип автомобіля GST
 DocType: Soil Texture,Silt Composition (%),Композиція іл (%)
 DocType: Journal Entry,Remark,Зауваження
 DocType: Healthcare Settings,Avoid Confirmation,Уникати підтвердження
@@ -4546,11 +4601,10 @@
 DocType: Education Settings,Current Academic Term,Поточний Academic термін
 DocType: Education Settings,Current Academic Term,Поточний Academic термін
 DocType: Sales Order,Not Billed,Не включено у рахунки
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Обидва Склад повинен належати тій же компанії
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Обидва Склад повинен належати тій же компанії
 DocType: Employee Grade,Default Leave Policy,Політика відхилення за умовчанням
 DocType: Shopify Settings,Shop URL,URL-адреса магазину
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Немає контактів ще не додавали.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Будь ласка, налаштуйте серію нумерації для участі в Наборі&gt; Нумерована серія"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Сума документу кінцевої вартості
 ,Item Balance (Simple),Баланс позиції (простий)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Законопроекти, підняті постачальників."
@@ -4575,7 +4629,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Серії пропозицій
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Пункт існує з таким же ім&#39;ям ({0}), будь ласка, змініть назву групи товарів або перейменувати пункт"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Критерії аналізу грунту
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,"Будь ласка, виберіть клієнта"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,"Будь ласка, виберіть клієнта"
 DocType: C-Form,I,Я
 DocType: Company,Asset Depreciation Cost Center,Центр витрат амортизації
 DocType: Production Plan Sales Order,Sales Order Date,Дата Замовлення клієнта
@@ -4588,8 +4642,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,На даний момент немає запасів на будь-якому складі
 ,Payment Period Based On Invoice Date,Затримка оплати після виставлення рахунку
 DocType: Sample Collection,No. of print,Номер друку
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Нагадування про день народження
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Номер бронювання номера готелю
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Відсутні курси валют для {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Відсутні курси валют для {0}
 DocType: Employee Health Insurance,Health Insurance Name,Назва медичного страхування
 DocType: Assessment Plan,Examiner,екзаменатор
 DocType: Student,Siblings,Брати і сестри
@@ -4606,19 +4661,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Нові клієнти
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Загальний прибуток %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Призначення {0} та продаж рахунків-фактур {1} скасовано
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Можливості від джерела свинцю
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Змінити профіль POS
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance дата
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Актив вже існує щодо елемента {0}, ви не можете змінити серійне значення немає"
+DocType: Delivery Settings,Dispatch Notification Template,Шаблон сповіщення про відправлення
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Актив вже існує щодо елемента {0}, ви не можете змінити серійне значення немає"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Оціночний звіт
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Отримати співробітників
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Загальна вартість придбання є обов'язковою
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Назва компанії не однакова
 DocType: Lead,Address Desc,Опис адреси
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Контрагент є обов'язковим
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Були знайдені рядки з дубльованими термінами в інших рядках: {list}
 DocType: Topic,Topic Name,Назва теми
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,"Будь ласка, встановіть шаблон за замовчуванням для сповіщення про затвердження залишення в налаштуваннях персоналу."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,"Будь ласка, встановіть шаблон за замовчуванням для сповіщення про затвердження залишення в налаштуваннях персоналу."
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Принаймні один з продажу або покупки повинен бути обраний
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,"Виберіть співробітника, щоб заздалегідь отримати працівника."
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,"Будь ласка, виберіть дійсну дату"
@@ -4652,6 +4708,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Замовник або Постачальник Подробиці
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Поточна вартість активів
+DocType: QuickBooks Migrator,Quickbooks Company ID,Ідентифікатор компанії Quickbooks
 DocType: Travel Request,Travel Funding,Фінансування подорожей
 DocType: Loan Application,Required by Date,потрібно Дата
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Посилання на всі Місця, в яких зростає культура"
@@ -4665,9 +4722,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Доступна кількість партії на складі відправлення
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Разом Відрахування - Погашення кредиту
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Нові норми не можуть бути такими ж як поточні
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Нові норми не можуть бути такими ж як поточні
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ID Зарплатного розрахунку
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,"Дата виходу на пенсію повинен бути більше, ніж дата влаштування"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,"Дата виходу на пенсію повинен бути більше, ніж дата влаштування"
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Кілька варіантів
 DocType: Sales Invoice,Against Income Account,На рахунок доходів
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Доставлено
@@ -4696,7 +4753,7 @@
 DocType: POS Profile,Update Stock,Оновити запас
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Різні Одиниця виміру для елементів призведе до неправильної (всього) значення маси нетто. Переконайтеся, що вага нетто кожного елемента знаходиться в тій же UOM."
 DocType: Certification Application,Payment Details,Платіжні реквізити
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Вартість згідно норми
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Вартість згідно норми
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Завершений робочий ордер не може бути скасований, перш ніж скасувати, зупинити його"
 DocType: Asset,Journal Entry for Scrap,Проводка для брухту
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Ласка, витягнути речі з накладної"
@@ -4719,11 +4776,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Всього санкціоновані Сума
 ,Purchase Analytics,Аналітика закупівель
 DocType: Sales Invoice Item,Delivery Note Item,Позиція накладної
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Поточний рахунок {0} відсутній
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Поточний рахунок {0} відсутній
 DocType: Asset Maintenance Log,Task,Завдання
 DocType: Purchase Taxes and Charges,Reference Row #,Посилання ряд #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Номер партії є обов'язковим для позиції {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Це корінний Відповідальний з продажу та не може бути змінений.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Це корінний Відповідальний з продажу та не може бути змінений.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Якщо вибрано, то значення, задане або розраховане в цьому компоненті не вноситиме свій внесок в доходи або відрахування. Проте, це значення може посилатися на інші компоненти, які можуть бути додані або віднімаються."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Якщо вибрано, то значення, задане або розраховане в цьому компоненті не вноситиме свій внесок в доходи або відрахування. Проте, це значення може посилатися на інші компоненти, які можуть бути додані або віднімаються."
 DocType: Asset Settings,Number of Days in Fiscal Year,Кількість днів у фінансовому році
@@ -4732,7 +4789,7 @@
 DocType: Company,Exchange Gain / Loss Account,Прибутки/збитки від курсової різниці
 DocType: Amazon MWS Settings,MWS Credentials,MWS Повноваження
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Працівник та відвідування
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Мета повинна бути одним з {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Мета повинна бути одним з {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Заповніть форму і зберегти його
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Форум
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Фактичне кількість на складі
@@ -4748,7 +4805,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Стандартна вартість продажу
 DocType: Account,Rate at which this tax is applied,Вартість при якій застосовується цей податок
 DocType: Cash Flow Mapper,Section Name,Назва розділу
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Кількість перезамовлення
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Кількість перезамовлення
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Рента амортизації {0}: очікувана вартість після корисного використання повинна бути більшою або рівною {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Поточні вакансії Вакансії
 DocType: Company,Stock Adjustment Account,Рахунок підлаштування інвентаря
@@ -4758,8 +4815,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Ім’я Системного користувача. Якщо зазначене, то воно стане за замовчуванням для всіх форм відділу кадрів."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Введіть дані про амортизацію
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: З {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Залишити заявку {0} вже існує проти студента {1}
 DocType: Task,depends_on,залежить від
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очікується оновлення останньої ціни у всіх Білльових Матеріалах. Це може зайняти кілька хвилин.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очікується оновлення останньої ціни у всіх Білльових Матеріалах. Це може зайняти кілька хвилин.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Ім&#39;я нового Користувача. Примітка: Будь ласка, не створювати облікові записи для клієнтів і постачальників"
 DocType: POS Profile,Display Items In Stock,Відображати елементи на складі
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Країнозалежний шаблон адреси за замовчуванням
@@ -4789,16 +4847,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Слоти для {0} не додаються до розкладу
 DocType: Product Bundle,List items that form the package.,"Список предметів, які утворюють пакет."
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Не дозволено. Вимкніть тестовий шаблон
+DocType: Delivery Note,Distance (in km),Відстань (в км)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Розподіл відсотків має дорівнювати 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,"Будь ласка, виберіть дату запису, перш ніж вибрати контрагента"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,"Будь ласка, виберіть дату запису, перш ніж вибрати контрагента"
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,З Контракту на річне обслуговування
+DocType: Opportunity,Opportunity Amount,Сума можливостей
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Кількість проведених амортизацій не може бути більше за загальну кількість амортизацій
 DocType: Purchase Order,Order Confirmation Date,Дата підтвердження замовлення
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Зробити Візит тех. обслуговування
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Дата початку та дата завершення збігаються з картою роботи <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Інформація про передачу працівників
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,"Будь ласка, зв&#39;яжіться з користувачем, які мають по продажах Майстер диспетчера {0} роль"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,"Будь ласка, зв&#39;яжіться з користувачем, які мають по продажах Майстер диспетчера {0} роль"
 DocType: Company,Default Cash Account,Грошовий рахунок за замовчуванням
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Компанії (не клієнтів або постачальників) господар.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Це засновано на відвідуваності цього студента
@@ -4806,10 +4867,10 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Додайте більше деталей або відкриту повну форму
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Доставка Примітки {0} має бути скасований до скасування цього замовлення клієнта
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Перейти до Користувачів
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,"Оплачена сума + Сума списання не може бути більше, ніж загальний підсумок"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,"Оплачена сума + Сума списання не може бути більше, ніж загальний підсумок"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},"{0} не є допустимим номером партії 
 для товару {1}"
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Примітка: Недостатньо днів залишилося для типу відпусток {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Примітка: Недостатньо днів залишилося для типу відпусток {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Invalid GSTIN або Enter NA для Незареєстрований
 DocType: Training Event,Seminar,семінар
 DocType: Program Enrollment Fee,Program Enrollment Fee,Програма Зарахування Плата
@@ -4826,7 +4887,7 @@
 DocType: Fee Schedule,Fee Schedule,плата Розклад
 DocType: Company,Create Chart Of Accounts Based On,"Створення плану рахунків бухгалтерського обліку, засновані на"
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Неможливо перетворити його в негрупу. Дитячі завдання існують.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,"Дата народження не може бути більше, ніж сьогодні."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,"Дата народження не може бути більше, ніж сьогодні."
 ,Stock Ageing,Застарівання інвентаря
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Частково спонсоровані, вимагають часткового фінансування"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Student {0} існує проти студента заявника {1}
@@ -4873,11 +4934,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Перед інвентаризацією
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Для {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Податки та збори додано (Валюта компанії)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Податковий ряд {0} повинен мати обліковий запис типу податку або доходів або витрат або платно
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Податковий ряд {0} повинен мати обліковий запис типу податку або доходів або витрат або платно
 DocType: Sales Order,Partly Billed,Частково є у виставлених рахунках
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Пункт {0} повинен бути Fixed Asset Item
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Зробити варіанти
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Зробити варіанти
 DocType: Item,Default BOM,Норми за замовчуванням
 DocType: Project,Total Billed Amount (via Sales Invoices),Загальна сума виставлених рахунків (через рахунки-фактури)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Дебет Примітка Сума
@@ -4906,14 +4967,14 @@
 DocType: Notification Control,Custom Message,Текст повідомлення
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Інвестиційний банкінг
 DocType: Purchase Invoice,input,вхід
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Готівковий або банківський рахунок є обов'язковим для здійснення оплати
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,Готівковий або банківський рахунок є обов'язковим для здійснення оплати
 DocType: Loyalty Program,Multiple Tier Program,Багаторівнева програма
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса
 DocType: Purchase Invoice,Price List Exchange Rate,Обмінний курс прайс-листа
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Усі групи постачальників
 DocType: Employee Boarding Activity,Required for Employee Creation,Обов&#39;язково для створення працівників
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Номер рахунку {0} вже використовувався на рахунку {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Номер рахунку {0} вже використовувався на рахунку {1}
 DocType: GoCardless Mandate,Mandate,Мандат
 DocType: POS Profile,POS Profile Name,Назва профілю POS
 DocType: Hotel Room Reservation,Booked,Заброньовано
@@ -4929,18 +4990,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Посилання № є обов&#39;язковим, якщо ви увійшли Reference Дата"
 DocType: Bank Reconciliation Detail,Payment Document,платіжний документ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Помилка при оцінці формули критеріїв
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,"Дата влаштування повинні бути більше, ніж дата народження"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,"Дата влаштування повинні бути більше, ніж дата народження"
 DocType: Subscription,Plans,Плани
 DocType: Salary Slip,Salary Structure,Структура зарплати
 DocType: Account,Bank,Банк
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Авіакомпанія
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Матеріал Випуск
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Матеріал Випуск
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,З&#39;єднати Shopify з ERPNext
 DocType: Material Request Item,For Warehouse,Для складу
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Примітки щодо доставки {0} оновлено
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Примітки щодо доставки {0} оновлено
 DocType: Employee,Offer Date,Дата пропозиції
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Пропозиції
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Ви перебуваєте в автономному режимі. Ви не зможете оновити доки не відновите зв’язок.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Пропозиції
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Ви перебуваєте в автономному режимі. Ви не зможете оновити доки не відновите зв’язок.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Жоден студент групи не створено.
 DocType: Purchase Invoice Item,Serial No,Серійний номер
@@ -4952,24 +5013,26 @@
 DocType: Sales Invoice,Customer PO Details,Інформація про замовлення PO
 DocType: Stock Entry,Including items for sub assemblies,Включаючи позиції для наівфабрикатів
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Тимчасовий відкритий рахунок
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Значення має бути позитивним
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Значення має бути позитивним
 DocType: Asset,Finance Books,Фінанси Книги
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Категорія декларації про звільнення від сплати працівників
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Всі території
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,"Будь ласка, встановіть політику відпустки для співробітника {0} у службовій / класній запису"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Недійсний замовлення ковдри для обраного клієнта та елемента
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Недійсний замовлення ковдри для обраного клієнта та елемента
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Додати кілька завдань
 DocType: Purchase Invoice,Items,Номенклатура
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Дата завершення не може передувати даті початку.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Студент вже надійшов.
 DocType: Fiscal Year,Year Name,Назва року
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,У цьому місяці більше вихідних ніж робочих днів.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,У цьому місяці більше вихідних ніж робочих днів.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Наступні елементи {0} не позначені як {1} елемент. Ви можете включити їх як елемент {1} з майстра пункту
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Комплект
 DocType: Sales Partner,Sales Partner Name,Назва торгового партнеру
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Запит на надання пропозицій
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Запит на надання пропозицій
 DocType: Payment Reconciliation,Maximum Invoice Amount,Максимальна Сума рахунку
 DocType: Normal Test Items,Normal Test Items,Нормальні тестові елементи
+DocType: QuickBooks Migrator,Company Settings,Налаштування компанії
 DocType: Additional Salary,Overwrite Salary Structure Amount,Переписати суму структури заробітної плати
 DocType: Student Language,Student Language,Student Мова
 apps/erpnext/erpnext/config/selling.py +23,Customers,клієнти
@@ -4982,22 +5045,24 @@
 DocType: Issue,Opening Time,Час відкриття
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,"Від і До дати, необхідних"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Цінні папери та бірж
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"За од.вим. за замовчуванням для варіанту '{0}' має бути такою ж, як в шаблоні ""{1} '"
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"За од.вим. за замовчуванням для варіанту '{0}' має бути такою ж, як в шаблоні ""{1} '"
 DocType: Shipping Rule,Calculate Based On,"Розрахувати, засновані на"
 DocType: Contract,Unfulfilled,Невиконаний
 DocType: Delivery Note Item,From Warehouse,Від Склад
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Немає працівників за вказаними критеріями
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Ні предметів з Біллом матеріалів не повинна Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Ні предметів з Біллом матеріалів не повинна Manufacture
 DocType: Shopify Settings,Default Customer,За замовчуванням клієнт
+DocType: Sales Stage,Stage Name,Творчий псевдонім
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Ім'я супервайзера
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,"Не підтверджуйте, якщо зустріч призначена для того самого дня"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Корабель до держави
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Корабель до держави
 DocType: Program Enrollment Course,Program Enrollment Course,Програма Зарахування курс
 DocType: Program Enrollment Course,Program Enrollment Course,Програма Зарахування курс
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Користувач {0} вже призначений лікарем-медиком {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Зробіть зразки запасу запасу
 DocType: Purchase Taxes and Charges,Valuation and Total,Оцінка і Загальна
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Переговори / Огляд
 DocType: Leave Encashment,Encashment Amount,Сума інкасації
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Системи показників
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Закінчилися партії
@@ -5007,7 +5072,7 @@
 DocType: Staffing Plan Detail,Current Openings,Поточні отвори
 DocType: Notification Control,Customize the Notification,Налаштувати повідомлення
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Рух грошових коштів від операцій
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Сума CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Сума CGST
 DocType: Purchase Invoice,Shipping Rule,Правило доставки
 DocType: Patient Relation,Spouse,Подружжя
 DocType: Lab Test Groups,Add Test,Додати тест
@@ -5021,14 +5086,14 @@
 DocType: Payroll Entry,Payroll Frequency,Розрахунок заробітної плати Частота
 DocType: Lab Test Template,Sensitivity,Чутливість
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Синхронізацію було тимчасово вимкнено, оскільки перевищено максимальні спроби"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Сировина
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Сировина
 DocType: Leave Application,Follow via Email,З наступною відправкою e-mail
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Рослини і Механізмів
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сума податку після скидки Сума
 DocType: Patient,Inpatient Status,Стан стаціонару
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Щоденні Налаштування роботи Резюме
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,У вибраному прайс-листі повинні бути перевірені сфери купівлі та продажу.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,"Будь ласка, введіть Reqd за датою"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,У вибраному прайс-листі повинні бути перевірені сфери купівлі та продажу.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,"Будь ласка, введіть Reqd за датою"
 DocType: Payment Entry,Internal Transfer,внутрішній переказ
 DocType: Asset Maintenance,Maintenance Tasks,Забезпечення завдань
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Кінцева к-сть або сума є обов'язковими
@@ -5050,7 +5115,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Останній зв&#39;язок
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Останній зв&#39;язок
 ,TDS Payable Monthly,TDS виплачується щомісяця
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Очікується заміщення BOM. Це може зайняти кілька хвилин.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Очікується заміщення BOM. Це може зайняти кілька хвилин.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете відняти, коли категорія для &quot;Оцінка&quot; або &quot;Оцінка і Total &#39;"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Серійні номери обов'язкові для серіалізованої позиції номенклатури {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Зв'язати платежі з рахунками-фактурами
@@ -5063,7 +5128,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Додати в кошик
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Групувати за
 DocType: Guardian,Interests,інтереси
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Включити / відключити валюти.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Включити / відключити валюти.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Не вдалося надіслати деякі Зарплатні Слайди
 DocType: Exchange Rate Revaluation,Get Entries,Отримати записи
 DocType: Production Plan,Get Material Request,Отримати Замовлення матеріалів
@@ -5085,15 +5150,16 @@
 DocType: Lead,Lead Type,Тип Lead-а
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Ви не уповноважений погоджувати відпустки на заблоковані дати
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,На всі ці позиції вже виставлений рахунок
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Встановити нову дату випуску
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Встановити нову дату випуску
 DocType: Company,Monthly Sales Target,Місячний ціль продажу
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Може бути схвалене {0}
 DocType: Hotel Room,Hotel Room Type,Тип номеру готелю
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Постачальник&gt; Тип постачальника
 DocType: Leave Allocation,Leave Period,Залишити період
 DocType: Item,Default Material Request Type,Тип Замовлення матеріалів за замовчуванням
 DocType: Supplier Scorecard,Evaluation Period,Період оцінки
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,невідомий
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Порядок роботи не створено
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Порядок роботи не створено
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Сума {0}, яка вже претендувала на компонент {1}, \ встановити суму, рівну або більшу {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Умови правил доставки
@@ -5128,15 +5194,15 @@
 DocType: Batch,Source Document Name,Джерело Назва документа
 DocType: Production Plan,Get Raw Materials For Production,Отримайте сировину для виробництва
 DocType: Job Opening,Job Title,Професія
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} вказує на те, що {1} не буде надавати котирування, але котируються всі елементи \. Оновлення стану цитати RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимальна кількість зразків - {0} вже збережено для партії {1} та елемента {2} у пакеті {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимальна кількість зразків - {0} вже збережено для партії {1} та елемента {2} у пакеті {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Оновити вартість BOM автоматично
 DocType: Lab Test,Test Name,Назва тесту
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Клінічна процедура витратної позиції
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,створення користувачів
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,грам
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Підписки
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Підписки
 DocType: Supplier Scorecard,Per Month,На місяць
 DocType: Education Settings,Make Academic Term Mandatory,Зробити академічний термін обов&#39;язковим
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,"Кількість, Виготовлення повинні бути більше, ніж 0."
@@ -5145,10 +5211,10 @@
 DocType: Stock Entry,Update Rate and Availability,Частота оновлення і доступність
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Відсоток, на який вам дозволено отримати або доставити більше порівняно з замовленої кількістю. Наприклад: Якщо ви замовили 100 одиниць, а Ваш Дозволений відсоток перевищення складає 10%, то ви маєте право отримати 110 одиниць."
 DocType: Loyalty Program,Customer Group,Група клієнтів
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Рядок # {0}: операція {1} не завершена для {2} qty готової продукції в порядку замовлення № {3}. Будь ласка, оновіть статус операції за допомогою журналів часу"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,"Рядок # {0}: операція {1} не завершена для {2} qty готової продукції в порядку замовлення № {3}. Будь ласка, оновіть статус операції за допомогою журналів часу"
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Нова партія ID (Необов&#39;язково)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Нова партія ID (Необов&#39;язково)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Витрати рахунку є обов&#39;язковим для пункту {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Витрати рахунку є обов&#39;язковим для пункту {0}
 DocType: BOM,Website Description,Опис веб-сайту
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Чиста зміна в капіталі
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,"Будь ласка, відмініть спочатку вхідний рахунок {0}"
@@ -5163,7 +5229,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Нема що редагувати
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Вид форми
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,"Затверджувач витрат, обов&#39;язковий для заявки на витрати"
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Результати для цього місяця та незакінчена діяльність
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Результати для цього місяця та незакінчена діяльність
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Будь-ласка, встановіть обліковий звіт про прибутки та збитки в компанії Unrealized Exchange у компанії {0}"
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Додайте користувачів до своєї організації, крім вас."
 DocType: Customer Group,Customer Group Name,Група Ім&#39;я клієнта
@@ -5173,14 +5239,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Не було створено жодного матеріального запиту
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Сума кредиту не може перевищувати максимальний Сума кредиту {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ліцензія
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},"Будь ласка, видаліть цю фактуру {0} з C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},"Будь ласка, видаліть цю фактуру {0} з C-Form {1}"
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year
 DocType: GL Entry,Against Voucher Type,Згідно док-ту типу
 DocType: Healthcare Practitioner,Phone (R),Телефон (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Часові інтервали додані
 DocType: Item,Attributes,Атрибути
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Увімкнути шаблон
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Будь ласка, введіть рахунок списання"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Будь ласка, введіть рахунок списання"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Остання дата замовлення
 DocType: Salary Component,Is Payable,Оплачується
 DocType: Inpatient Record,B Negative,B Негативний
@@ -5191,7 +5257,7 @@
 DocType: Hotel Room,Hotel Room,Кімната в готелі
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Рахунок {0} не належить компанії {1}
 DocType: Leave Type,Rounding,Округлення
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Серійні номери в рядку {0} не збігається з накладною
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Серійні номери в рядку {0} не збігається з накладною
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Розподілена сума (прорахована)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Потім правила ціноутворення відфільтровуються на основі клієнтів, груп клієнтів, територій, постачальників, групи постачальників, кампанії, партнера з продажу та ін."
 DocType: Student,Guardian Details,Детальніше Гардіан
@@ -5200,10 +5266,10 @@
 DocType: Vehicle,Chassis No,шасі Немає
 DocType: Payment Request,Initiated,З ініціативи
 DocType: Production Plan Item,Planned Start Date,Планована дата початку
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,"Будь ласка, виберіть BOM"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,"Будь ласка, виберіть BOM"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Отримав інтегрований податок ІТЦ
 DocType: Purchase Order Item,Blanket Order Rate,Швидкість замовлення ковдри
-apps/erpnext/erpnext/hooks.py +156,Certification,Сертифікація
+apps/erpnext/erpnext/hooks.py +157,Certification,Сертифікація
 DocType: Bank Guarantee,Clauses and Conditions,Статті та умови
 DocType: Serial No,Creation Document Type,Створення типу документа
 DocType: Project Task,View Timesheet,Переглянути таблиці розкладів
@@ -5228,6 +5294,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Батьківській елемент {0} не повинен бути складським
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Перелік веб-сайтів
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Всі продукти або послуги.
+DocType: Email Digest,Open Quotations,Відкриті котирування
 DocType: Expense Claim,More Details,Детальніше
 DocType: Supplier Quotation,Supplier Address,Адреса постачальника
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет рахунку {1} проти {2} {3} одно {4}. Він буде перевищувати {5}
@@ -5242,12 +5309,11 @@
 DocType: Training Event,Exam,іспит
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Помилка Marketplace
 DocType: Complaint,Complaint,Скарга
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},Необхідно вказати склад для номенклатури {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},Необхідно вказати склад для номенклатури {0}
 DocType: Leave Allocation,Unused leaves,Невикористані дні відпустки
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Внести рахунок на погашення
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Всі кафедри
 DocType: Healthcare Service Unit,Vacant,Вакантний
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Постачальник&gt; Тип постачальника
 DocType: Patient,Alcohol Past Use,Спиртне минуле використання
 DocType: Fertilizer Content,Fertilizer Content,Вміст добрив
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5255,7 +5321,7 @@
 DocType: Tax Rule,Billing State,Штат (оплата)
 DocType: Share Transfer,Transfer,Переклад
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,"Замовлення на роботі {0} потрібно скасувати, перш ніж скасовувати цей замовлення на продаж"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Зібрати розібрані норми (у тому числі вузлів)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Зібрати розібрані норми (у тому числі вузлів)
 DocType: Authorization Rule,Applicable To (Employee),Застосовується до (Співробітник)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Завдяки Дата є обов&#39;язковим
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Приріст за атрибут {0} не може бути 0
@@ -5271,7 +5337,7 @@
 DocType: Disease,Treatment Period,Період лікування
 DocType: Travel Itinerary,Travel Itinerary,Маршрут подорожі
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Результат вже представлений
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Зарезервований склад є обов&#39;язковим для Пункту {0} в постачанні сировини
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Зарезервований склад є обов&#39;язковим для Пункту {0} в постачанні сировини
 ,Inactive Customers,Неактивні Клієнти
 DocType: Student Admission Program,Maximum Age,Максимальний вік
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,"Будь ласка, зачекайте 3 дні до повторного надсилання нагадування."
@@ -5280,7 +5346,6 @@
 DocType: Stock Entry,Delivery Note No,Доставка Примітка Немає
 DocType: Cheque Print Template,Message to show,Повідомлення
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Роздрібна торгівля
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Управління рахунками про призначення автоматично
 DocType: Student Attendance,Absent,Відсутній
 DocType: Staffing Plan,Staffing Plan Detail,Детальний план персоналу
 DocType: Employee Promotion,Promotion Date,Дата просування
@@ -5302,7 +5367,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,зробити Lead
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Друк та канцелярські
 DocType: Stock Settings,Show Barcode Field,Показати поле штрих-коду
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Надіслати Постачальник електронних листів
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Надіслати Постачальник електронних листів
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Зарплата вже оброблена за період між {0} і {1}, Період відпустки не може бути в межах цього діапазону дат."
 DocType: Fiscal Year,Auto Created,Авто створений
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,"Надішліть це, щоб створити запис працівника"
@@ -5311,7 +5376,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Рахунок-фактура {0} більше не існує
 DocType: Guardian Interest,Guardian Interest,опікун Відсотки
 DocType: Volunteer,Availability,Наявність
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Встановити значення за замовчуванням для рахунків-фактур POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Встановити значення за замовчуванням для рахунків-фактур POS
 apps/erpnext/erpnext/config/hr.py +248,Training,навчання
 DocType: Project,Time to send,Час відправити
 DocType: Timesheet,Employee Detail,Дані працівника
@@ -5335,7 +5400,7 @@
 DocType: Training Event Employee,Optional,Необов&#39;язково
 DocType: Salary Slip,Earning & Deduction,Нарахування та відрахування
 DocType: Agriculture Analysis Criteria,Water Analysis,Аналіз води
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Створено {0} варіанти.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Створено {0} варіанти.
 DocType: Amazon MWS Settings,Region,Область
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Необов'язково. Цей параметр буде використовуватися для фільтрації в різних операціях.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Від'ємна собівартість не допускається
@@ -5354,7 +5419,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Вартість списаних активів
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Центр витрат є обов'язковим для елементу {2}
 DocType: Vehicle,Policy No,політика Ні
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Отримати елементи з комплекту
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Отримати елементи з комплекту
 DocType: Asset,Straight Line,Лінійний
 DocType: Project User,Project User,проект Користувач
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,розщеплений
@@ -5363,7 +5428,7 @@
 DocType: GL Entry,Is Advance,Є попередня
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Життєвий цикл працівників
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Відвідуваність з дати та по дату є обов'язковими
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,"Будь ласка, введіть ""субпідряджено"", як так чи ні"
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,"Будь ласка, введіть ""субпідряджено"", як так чи ні"
 DocType: Item,Default Purchase Unit of Measure,За замовчуванням одиниця виміру закупівлі
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Остання дата зв&#39;язку
 DocType: Clinical Procedure Item,Clinical Procedure Item,Пункт клінічної процедури
@@ -5388,6 +5453,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Нова партія Кількість
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Одяг та аксесуари
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,"Не вдалося вирішити вагова функцію. Переконайтеся, що формула дійсна."
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Пункти замовлення на купівлю не отримані вчасно
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Номер замовлення
 DocType: Item Group,HTML / Banner that will show on the top of product list.,"HTML / банер, який буде відображатися у верхній частині списку продукції."
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Вкажіть умови для розрахунку суми доставки
@@ -5396,9 +5462,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Шлях
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Неможливо перетворити центр витрат у книгу, оскільки він має дочірні вузли"
 DocType: Production Plan,Total Planned Qty,Загальна кількість запланованих
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Сума на початок роботи
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Сума на початок роботи
 DocType: Salary Component,Formula,формула
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Серійний #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Серійний #
 DocType: Lab Test Template,Lab Test Template,Шаблон Lab Test
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Рахунок продажів
 DocType: Purchase Invoice Item,Total Weight,Загальна вага
@@ -5416,7 +5482,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Зробити запит Матеріал
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Відкрити Пункт {0}
 DocType: Asset Finance Book,Written Down Value,Записана вартість
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Будь ласка, встановіть систему найменування працівників у людських ресурсах&gt; Параметри персоналу"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Вихідний рахунок {0} має бути скасований до скасування цього Замовлення клієнта
 DocType: Clinical Procedure,Age,Вік
 DocType: Sales Invoice Timesheet,Billing Amount,До оплати
@@ -5425,11 +5490,11 @@
 DocType: Company,Default Employee Advance Account,Авансовий рахунок працівника за замовчуванням
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Елемент пошуку (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Рахунок з існуючою транзакції не можуть бути вилучені
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Рахунок з існуючою транзакції не можуть бути вилучені
 DocType: Vehicle,Last Carbon Check,Останній Carbon Перевірити
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Судові витрати
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,"Будь ласка, виберіть кількість по ряду"
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Зробити відкриття рахунків-фактур для продажу та придбання
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Зробити відкриття рахунків-фактур для продажу та придбання
 DocType: Purchase Invoice,Posting Time,Час запису
 DocType: Timesheet,% Amount Billed,Виставлено рахунків на %
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Телефон Витрати
@@ -5444,14 +5509,14 @@
 DocType: Maintenance Visit,Breakdown,Зламатися
 DocType: Travel Itinerary,Vegetarian,Вегетаріанець
 DocType: Patient Encounter,Encounter Date,Дата зустрічі
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Рахунок: {0} з валютою: {1} не може бути обраний
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Рахунок: {0} з валютою: {1} не може бути обраний
 DocType: Bank Statement Transaction Settings Item,Bank Data,Банківські дані
 DocType: Purchase Receipt Item,Sample Quantity,Обсяг вибірки
 DocType: Bank Guarantee,Name of Beneficiary,Назва Бенефіціара
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Оновити вартість BOM автоматично за допомогою Планувальника, виходячи з останньої норми курсу / цінового списку / останньої ціни закупівлі сировини."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Дата чеку
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Рахунок {0}: Батьківський рахунок {1} не належить компанії: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Рахунок {0}: Батьківський рахунок {1} не належить компанії: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,"Всі операції, пов'язані з цією компанією успішно видалено!"
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Станом на Дата
 DocType: Additional Salary,HR,HR
@@ -5459,7 +5524,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Отримати оповіщення про пацієнта SMS
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Випробувальний термін
 DocType: Program Enrollment Tool,New Academic Year,Новий навчальний рік
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Повернення / Кредит Примітка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Повернення / Кредит Примітка
 DocType: Stock Settings,Auto insert Price List rate if missing,Відсутня прайс-лист ціна для автовставки
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Всього сплачена сума
 DocType: GST Settings,B2C Limit,Ліміт B2C
@@ -5477,10 +5542,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дочірні вузли можуть бути створені тільки в вузлах типу &quot;Група&quot;
 DocType: Attendance Request,Half Day Date,півдня Дата
 DocType: Academic Year,Academic Year Name,Назва Академічний рік
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,"{0} не дозволено здійснювати трансакції за допомогою {1}. Будь ласка, змініть компанію."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,"{0} не дозволено здійснювати трансакції за допомогою {1}. Будь ласка, змініть компанію."
 DocType: Sales Partner,Contact Desc,Опис Контакту
 DocType: Email Digest,Send regular summary reports via Email.,Відправити регулярні зведені звіти по електронній пошті.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Будь-ласка, встановіть рахунок за замовчуванням у Авансових звітах типу {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Будь-ласка, встановіть рахунок за замовчуванням у Авансових звітах типу {0}"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Доступні листи
 DocType: Assessment Result,Student Name,Ім&#39;я студента
 DocType: Hub Tracked Item,Item Manager,Стан менеджер
@@ -5505,9 +5570,10 @@
 DocType: Subscription,Trial Period End Date,Дата закінчення випробувального періоду
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не так Authroized {0} перевищує межі
 DocType: Serial No,Asset Status,Статус активів
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Над величиною вантажу (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Ресторанний стіл
 DocType: Hotel Room,Hotel Manager,Адміністратор готелю
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Встановіть податкове правило для кошику
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Встановіть податкове правило для кошику
 DocType: Purchase Invoice,Taxes and Charges Added,Податки та збори додано
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Рядок амортизації {0}: Далі Датою амортизації не може бути до Дати доступної для використання
 ,Sales Funnel,Воронка продажів
@@ -5523,10 +5589,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Всі групи покупців
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Накопичений в місяць
 DocType: Attendance Request,On Duty,На чергуванні
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} є обов'язковим. Може бути, Обмін валюти запис не створена для {1} до {2}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} є обов'язковим. Може бути, Обмін валюти запис не створена для {1} до {2}."
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},План персоналу {0} вже існує для позначення {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Податковий шаблон є обов'язковим
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Рахунок {0}: Батьківський рахунок не існує {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Рахунок {0}: Батьківський рахунок не існує {1}
 DocType: POS Closing Voucher,Period Start Date,Дата початку періоду
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ціна з прайс-листа (валюта компанії)
 DocType: Products Settings,Products Settings,Налаштування виробів
@@ -5546,7 +5612,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,"Ця дія призведе до призупинення майбутніх платежів. Ви впевнені, що хочете скасувати цю підписку?"
 DocType: Serial No,Distinct unit of an Item,Окремий підрозділ в пункті
 DocType: Supplier Scorecard Criteria,Criteria Name,Назва критерію
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,"Будь ласка, встановіть компанії"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,"Будь ласка, встановіть компанії"
 DocType: Procedure Prescription,Procedure Created,Процедура створена
 DocType: Pricing Rule,Buying,Купівля
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Хвороби та добрива
@@ -5563,43 +5629,44 @@
 DocType: Employee Onboarding,Job Offer,Пропозиція про роботу
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Абревіатура інституту
 ,Item-wise Price List Rate,Ціни прайс-листів по-товарно
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Пропозиція постачальника
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Пропозиція постачальника
 DocType: Quotation,In Words will be visible once you save the Quotation.,"""Прописом"" буде видно, як тільки ви збережете пропозицію."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Кількість ({0}) не може бути фракцією в рядку {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Кількість ({0}) не може бути фракцією в рядку {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Кількість ({0}) не може бути фракцією в рядку {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Кількість ({0}) не може бути фракцією в рядку {1}
 DocType: Contract,Unsigned,Непідписаний
 DocType: Selling Settings,Each Transaction,Кожна Транзакція
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Штрихкод {0} вже використовується у номенклатурній позиції {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Штрихкод {0} вже використовується у номенклатурній позиції {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для додавання транспортні витрати.
 DocType: Hotel Room,Extra Bed Capacity,Додаткова місткість
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Варянс
 DocType: Item,Opening Stock,Початкові залишки
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Потрібно клієнтів
 DocType: Lab Test,Result Date,Дата результату
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC Date
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC Date
 DocType: Purchase Order,To Receive,Отримати
 DocType: Leave Period,Holiday List for Optional Leave,Святковий список для необов&#39;язкового відпустки
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Власник майна
 DocType: Purchase Invoice,Reason For Putting On Hold,Причина утримання
 DocType: Employee,Personal Email,Особиста електронна пошта
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Всього розбіжність
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Всього розбіжність
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Якщо опція включена, то система буде автоматично створювати бухгалтерські проводки для номенклатури."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Брокерська діяльність
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Участь для працівника {0} вже позначено на цей день
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Участь для працівника {0} вже позначено на цей день
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",у хвилинах Оновлене допомогою &#39;Час Вхід &quot;
 DocType: Customer,From Lead,З Lead-а
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Замовлення випущений у виробництво.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Виберіть фінансовий рік ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,"Необхідний POS-профіль, щоб зробити POS-операцію"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,"Необхідний POS-профіль, щоб зробити POS-операцію"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Оригінали лояльності будуть розраховуватися з витрачених витрат (через рахунок-фактуру з продажів) на основі вказаного коефіцієнту збору.
 DocType: Program Enrollment Tool,Enroll Students,зарахувати студентів
 DocType: Company,HRA Settings,Налаштування HRA
 DocType: Employee Transfer,Transfer Date,Дата передачі
 DocType: Lab Test,Approved Date,Затверджена дата
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандартний Продаж
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Принаймні одне склад є обов&#39;язковим
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Принаймні одне склад є обов&#39;язковим
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Налаштуйте поля предметів, такі як UOM, група елементів, опис та кількість годин."
 DocType: Certification Application,Certification Status,Статус сертифікації
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Торговий майданчик
@@ -5619,6 +5686,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Відповідні рахунки-фактури
 DocType: Work Order,Required Items,необхідні товари
 DocType: Stock Ledger Entry,Stock Value Difference,Різниця значень запасів
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Елемент Рядок {0}: {1} {2} не існує у таблиці &quot;{1}&quot; вище
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Людський ресурс
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Оплата узгодження
 DocType: Disease,Treatment Task,Задача лікування
@@ -5636,7 +5704,8 @@
 DocType: Account,Debit,Дебет
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Листя повинні бути виділені в упаковці 0,5"
 DocType: Work Order,Operation Cost,Операція Вартість
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Неоплачена сума
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Визначення відповідальних осіб
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Неоплачена сума
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Встановити цілі по групах для цього Відповідального з продажу.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Заморожувати запаси старше ніж [днiв]
 DocType: Payment Request,Payment Ordered,Оплата замовлена
@@ -5648,14 +5717,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Дозволити наступним користувачам погоджувати відпустки на заблоковані дні.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Життєвий цикл
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Зробити BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"ставка для пункту продажу {0} нижче, ніж його {1}. курс продажу повинен бути принаймні {2}"
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"ставка для пункту продажу {0} нижче, ніж його {1}. курс продажу повинен бути принаймні {2}"
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"ставка для пункту продажу {0} нижче, ніж його {1}. курс продажу повинен бути принаймні {2}"
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"ставка для пункту продажу {0} нижче, ніж його {1}. курс продажу повинен бути принаймні {2}"
 DocType: Subscription,Taxes,Податки
 DocType: Purchase Invoice,capital goods,капітальні товари
 DocType: Purchase Invoice Item,Weight Per Unit,Вага на одиницю
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,Платні і не доставляється
-DocType: Project,Default Cost Center,Центр доходів/витрат за замовчуванням
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Центр доходів/витрат за замовчуванням
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Операції з інвентарем
 DocType: Budget,Budget Accounts,рахунки бюджету
 DocType: Employee,Internal Work History,Внутрішня Історія роботи
@@ -5688,7 +5756,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Працівник охорони здоров&#39;я недоступний на {0}
 DocType: Stock Entry Detail,Additional Cost,Додаткова вартість
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",Неможливо фільтрувати по номеру документу якщо згруповано по документах
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Зробити пропозицію постачальника
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Зробити пропозицію постачальника
 DocType: Quality Inspection,Incoming,Вхідний
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Шаблони податку за замовчуванням для продажу та покупки створені.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Приклад: ABCD. #####. Якщо серія встановлена і пакетний номер не згадується в транзакції, автоматичний номер партії буде створено на основі цієї серії. Якщо ви завжди хочете чітко вказати Batch No для цього елемента, залиште це порожнім. Примітка: цей параметр буде мати пріоритет над префіксом серії імен у розділі Налаштування запасу."
@@ -5703,7 +5771,7 @@
 DocType: Batch,Batch ID,Ідентифікатор партії
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Примітка: {0}
 ,Delivery Note Trends,Тренд розхідних накладних
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Резюме цього тижня
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Резюме цього тижня
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,В наявності Кількість
 ,Daily Work Summary Replies,Щоденні резюме роботи
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Обчислити розрахунковий час прибуття
@@ -5713,7 +5781,7 @@
 DocType: Bank Account,Party,Контрагент
 DocType: Healthcare Settings,Patient Name,Ім&#39;я пацієнта
 DocType: Variant Field,Variant Field,Вариантне поле
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Цільове розташування
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Цільове розташування
 DocType: Sales Order,Delivery Date,Дата доставки
 DocType: Opportunity,Opportunity Date,Дата Нагоди
 DocType: Employee,Health Insurance Provider,Постачальник медичного страхування
@@ -5732,7 +5800,7 @@
 DocType: Employee,History In Company,Історія У Компанії
 DocType: Customer,Customer Primary Address,Основна адреса клієнта
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Розсилка
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Довідковий номер
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Довідковий номер
 DocType: Drug Prescription,Description/Strength,Опис / Сила
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Створити новий платіж / запис журналу
 DocType: Certification Application,Certification Application,Заява про сертифікацію
@@ -5743,10 +5811,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Той же пункт був введений кілька разів
 DocType: Department,Leave Block List,Список блокування відпусток
 DocType: Purchase Invoice,Tax ID,ІПН
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не налаштований на послідовний пп. Колонка повинна бути порожньою
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не налаштований на послідовний пп. Колонка повинна бути порожньою
 DocType: Accounts Settings,Accounts Settings,Налаштування рахунків
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,затвердити
 DocType: Loyalty Program,Customer Territory,Територія замовника
+DocType: Email Digest,Sales Orders to Deliver,Замовлення на поставку для доставки
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Кількість нових акаунтів, вона буде включена в назву облікового запису як префікс"
 DocType: Maintenance Team Member,Team Member,Член команди
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Немає результатів для надсилання
@@ -5756,7 +5825,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Всього {0} для всіх елементів дорівнює нулю, може бути, ви повинні змінити «Розподілити плату на основі»"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,"На сьогоднішній день не може бути менше, ніж з дати"
 DocType: Opportunity,To Discuss,Обговорити
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Це базується на операціях проти цього Абонента. Нижче наведено докладну інформацію про часовій шкалі
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,"{0} одиниць {1} необхідні {2}, щоб завершити цю угоду."
 DocType: Loan Type,Rate of Interest (%) Yearly,Процентна ставка (%) Річний
 DocType: Support Settings,Forum URL,URL-адреса форуму
@@ -5771,7 +5839,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Вивчайте більше
 DocType: Cheque Print Template,Distance from top edge,Відстань від верхнього краю
 DocType: POS Closing Voucher Invoices,Quantity of Items,Кількість предметів
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Прайс-лист {0} відключений або не існує
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Прайс-лист {0} відключений або не існує
 DocType: Purchase Invoice,Return,Повернення
 DocType: Pricing Rule,Disable,Відключити
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Спосіб оплати потрібно здійснити оплату
@@ -5779,18 +5847,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Редагувати повну сторінку для отримання додаткових параметрів, таких як активи, серійні номери, партії тощо."
 DocType: Leave Type,Maximum Continuous Days Applicable,Максимальний безперервний день застосовується
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не надійшов у Batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не може бути утилізовані, як це вже {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не може бути утилізовані, як це вже {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Потрібні чеки
 DocType: Task,Total Expense Claim (via Expense Claim),Всього витрат (за Авансовим звітом)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Марк Відсутня
 DocType: Job Applicant Source,Job Applicant Source,Джерело претендента на роботу
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Сума IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Сума IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Не вдалося встановити компанію
 DocType: Asset Repair,Asset Repair,Ремонт майна
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Рядок {0}: Валюта BOM # {1} має дорівнювати вибрану валюту {2}
 DocType: Journal Entry Account,Exchange Rate,Курс валюти
 DocType: Patient,Additional information regarding the patient,Додаткова інформація щодо пацієнта
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Замовлення клієнта {0} не проведено
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Замовлення клієнта {0} не проведено
 DocType: Homepage,Tag Line,Tag Line
 DocType: Fee Component,Fee Component,плата компонентів
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Управління флотом
@@ -5805,7 +5873,7 @@
 DocType: Healthcare Practitioner,Mobile,Мобільний
 ,Sales Person-wise Transaction Summary,Операції у розрізі Відповідальних з продажу
 DocType: Training Event,Contact Number,Контактний номер
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Склад {0} не існує
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Склад {0} не існує
 DocType: Cashier Closing,Custody,Опіка
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Договір про подання доказів про звільнення від сплати працівника
 DocType: Monthly Distribution,Monthly Distribution Percentages,Щомісячні Відсотки розподілу
@@ -5820,7 +5888,7 @@
 DocType: Payment Entry,Paid Amount,Виплачена сума
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Дослідіть цикл продажу
 DocType: Assessment Plan,Supervisor,Супервайзер
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Вхід утримання запасу
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Вхід утримання запасу
 ,Available Stock for Packing Items,Доступно для пакування
 DocType: Item Variant,Item Variant,Варіант номенклатурної позиції
 ,Work Order Stock Report,Звіт про стан роботи на замовлення
@@ -5829,9 +5897,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Як керівник
 DocType: Leave Policy Detail,Leave Policy Detail,Залиште детальну політику
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Лом Пункт
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Відправив замовлення не можуть бути видалені
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс рахунку в дебет вже, ви не можете встановити &quot;баланс повинен бути&quot;, як &quot;Кредит»"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Управління якістю
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Відправив замовлення не можуть бути видалені
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс рахунку в дебет вже, ви не можете встановити &quot;баланс повинен бути&quot;, як &quot;Кредит»"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Управління якістю
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Пункт {0} відключена
 DocType: Project,Total Billable Amount (via Timesheets),"Загальна сума, що підлягає обігу (через розсилки)"
 DocType: Agriculture Task,Previous Business Day,Попередній робочий день
@@ -5854,15 +5922,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Центри витрат
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Перезапустити підписку
 DocType: Linked Plant Analysis,Linked Plant Analysis,Пов&#39;язаний аналіз рослин
-DocType: Delivery Note,Transporter ID,Ідентифікатор транспортера
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Ідентифікатор транспортера
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Значення пропозиції
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Курс, за яким валюта постачальника конвертується у базову валюту компанії"
-DocType: Sales Invoice Item,Service End Date,Дата завершення сервісу
+DocType: Purchase Invoice Item,Service End Date,Дата завершення сервісу
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ряд # {0}: таймінги конфлікти з низкою {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволити нульову Незалежну оцінку Оцінити
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволити нульову Незалежну оцінку Оцінити
 DocType: Bank Guarantee,Receiving,Прийом
 DocType: Training Event Employee,Invited,запрошений
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Налаштування шлюзу рахунку.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Налаштування шлюзу рахунку.
 DocType: Employee,Employment Type,Вид зайнятості
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Основні активи
 DocType: Payment Entry,Set Exchange Gain / Loss,Встановити Курсова прибуток / збиток
@@ -5878,7 +5947,7 @@
 DocType: Tax Rule,Sales Tax Template,Шаблон податків на продаж
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Платити за претензію на пільги
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Оновити номер центру витрат
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури
 DocType: Employee,Encashment Date,Дата виплати
 DocType: Training Event,Internet,інтернет
 DocType: Special Test Template,Special Test Template,Спеціальний шаблон тесту
@@ -5886,13 +5955,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},За замовчуванням активність Вартість існує для виду діяльності - {0}
 DocType: Work Order,Planned Operating Cost,Планована операційна Вартість
 DocType: Academic Term,Term Start Date,Термін дата початку
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Список всіх транзакцій угоди
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Список всіх транзакцій угоди
+DocType: Supplier,Is Transporter,Є транспортер
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Імпортуйте рахунок-фактуру з Shopify, якщо платіж позначено"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp граф
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp граф
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,"Потрібно встановити як початкову, так і кінцеву дату пробного періоду"
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Середня ставка
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Загальна сума платежу у графіку платежів повинна дорівнювати величині / округленому загальному
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Загальна сума платежу у графіку платежів повинна дорівнювати величині / округленому загальному
 DocType: Subscription Plan Detail,Plan,Планувати
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Банк балансовий звіт за Головну книгу
 DocType: Job Applicant,Applicant Name,Заявник Ім&#39;я
@@ -5920,7 +5990,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Доступний Кількість на складі Джерело
 apps/erpnext/erpnext/config/support.py +22,Warranty,гарантія
 DocType: Purchase Invoice,Debit Note Issued,Дебет Примітка Випущений
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Фільтр, заснований на Центрі витрат, застосовується лише у тому разі, якщо для параметра Бюджет проти. Вибрано Центр витрат"
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Фільтр, заснований на Центрі витрат, застосовується лише у тому разі, якщо для параметра Бюджет проти. Вибрано Центр витрат"
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Пошук за кодом елемента, серійним номером, партією чи штрих-кодом"
 DocType: Work Order,Warehouses,Склади
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} актив не може бути передано
@@ -5931,9 +6001,9 @@
 DocType: Workstation,per hour,в годину
 DocType: Blanket Order,Purchasing,Закупівля
 DocType: Announcement,Announcement,Оголошення
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Замовник LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Замовник LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Для заснованої Batch Student Group, студентський Batch буде перевірятися для кожного студента з програми Зарахування."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може бути видалений, поки для нього існує запис у складській книзі."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може бути видалений, поки для нього існує запис у складській книзі."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Збут
 DocType: Journal Entry Account,Loan,Кредит
 DocType: Expense Claim Advance,Expense Claim Advance,Попередня вимога про витрати
@@ -5942,7 +6012,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Керівник проекту
 ,Quoted Item Comparison,Цитується Порівняння товару
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},"Перехрещення, забиваючи від {0} і {1}"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Відправка
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Відправка
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Макс дозволена знижка для позиції: {0} = {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,"Чиста вартість активів, як на"
 DocType: Crop,Produce,Продукувати
@@ -5952,20 +6022,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Матеріальний потік для виробництва
 DocType: Item Alternative,Alternative Item Code,Код альтернативного елемента
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роль, що дозволяє проводити операції, які перевищують ліміти кредитів."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Вибір елементів для виготовлення
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Вибір елементів для виготовлення
 DocType: Delivery Stop,Delivery Stop,Зупинка доставки
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час"
 DocType: Item,Material Issue,Матеріал Випуск
 DocType: Employee Education,Qualification,Кваліфікація
 DocType: Item Price,Item Price,Ціна товару
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Мило та миючі засоби
 DocType: BOM,Show Items,Показати товари
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Від часу не може бути більше часу.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Ви хочете повідомити всіх клієнтів електронною поштою?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Ви хочете повідомити всіх клієнтів електронною поштою?
 DocType: Subscription Plan,Billing Interval,Інтервал платежів
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Кіно & Відео
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Замовлено
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Фактична дата початку та фактична дата завершення є обов&#39;язковою
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Клієнт&gt; Група клієнтів&gt; Територія
 DocType: Salary Detail,Component,компонент
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Рядок {0}: {1} має бути більше 0
 DocType: Assessment Criteria,Assessment Criteria Group,Критерії оцінки Група
@@ -5996,11 +6067,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Перед подачею введіть назву банку або кредитної установи.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} потрібно затвердити
 DocType: POS Profile,Item Groups,Групи товарів
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Сьогодні {0} &#39;день народження!
 DocType: Sales Order Item,For Production,Для виробництва
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Баланс у валюті рахунку
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,"Будь ласка, додайте тимчасовий обліковий запис на карті рахунків"
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,"Будь ласка, додайте тимчасовий обліковий запис на карті рахунків"
 DocType: Customer,Customer Primary Contact,Початковий контакт з клієнтом
 DocType: Project Task,View Task,Подивитися Завдання
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ОПП / Свинець%
@@ -6014,11 +6084,11 @@
 DocType: Sales Invoice,Get Advances Received,Взяти отримані аванси
 DocType: Email Digest,Add/Remove Recipients,Додати / Видалити Одержувачів
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Щоб встановити цей фінансовий рік, за замовчуванням, натисніть на кнопку &quot;Встановити за замовчуванням&quot;"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Сума TDS відрахована
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Сума TDS відрахована
 DocType: Production Plan,Include Subcontracted Items,Включіть субпідрядні елементи
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,приєднатися
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Брак к-сті
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,приєднатися
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Брак к-сті
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
 DocType: Loan,Repay from Salary,Погашати із заробітної плати
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Запит платіж проти {0} {1} на суму {2}
 DocType: Additional Salary,Salary Slip,Зарплатний розрахунок
@@ -6034,7 +6104,7 @@
 DocType: Patient,Dormant,бездіяльний
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Податок від оподаткування для незатребуваних виплат працівникам
 DocType: Salary Slip,Total Interest Amount,Загальна сума процентів
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Склади з дочірніми вузлами не можуть бути перетворені в бухгалтерській книзі
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Склади з дочірніми вузлами не можуть бути перетворені в бухгалтерській книзі
 DocType: BOM,Manage cost of operations,Управління вартість операцій
 DocType: Accounts Settings,Stale Days,Сталі дні
 DocType: Travel Itinerary,Arrival Datetime,Прибуття Datetime
@@ -6046,7 +6116,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Оцінка результату Detail
 DocType: Employee Education,Employee Education,Співробітник Освіта
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Повторювана група знахідку в таблиці групи товарів
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Він необхідний для вилучення Подробиці Елементу.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Він необхідний для вилучення Подробиці Елементу.
 DocType: Fertilizer,Fertilizer Name,Назва мінеральних добрив
 DocType: Salary Slip,Net Pay,"Сума ""на руки"""
 DocType: Cash Flow Mapping Accounts,Account,Рахунок
@@ -6057,14 +6127,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Створити окрему платіжну заявку на отримання виплат
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Наявність лихоманки (температура&gt; 38,5 ° С / 101,3 ° F або стійка температура&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Продажі команд Детальніше
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Видалити назавжди?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Видалити назавжди?
 DocType: Expense Claim,Total Claimed Amount,Усього сума претензії
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенційні можливості для продажу.
 DocType: Shareholder,Folio no.,Фоліо №
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Невірний {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Лікарняний
 DocType: Email Digest,Email Digest,E-mail Дайджест
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,не
 DocType: Delivery Note,Billing Address Name,Назва адреси для рахунків
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Універмаги
 ,Item Delivery Date,Дата доставки товару
@@ -6080,16 +6149,16 @@
 DocType: Account,Chargeable,Оплаті
 DocType: Company,Change Abbreviation,Змінити абревіатуру
 DocType: Contract,Fulfilment Details,Виконання деталей
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Заплатити {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Заплатити {0} {1}
 DocType: Employee Onboarding,Activities,Діяльності
 DocType: Expense Claim Detail,Expense Date,Витрати Дата
 DocType: Item,No of Months,Кількість місяців
 DocType: Item,Max Discount (%),Макс Знижка (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Кредитні дні не можуть бути негативними числами
-DocType: Sales Invoice Item,Service Stop Date,Дата завершення сервісу
+DocType: Purchase Invoice Item,Service Stop Date,Дата завершення сервісу
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Останнє Сума замовлення
 DocType: Cash Flow Mapper,e.g Adjustments for:,"наприклад, коригування для:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Зберігати зразок грунтується на пакеті, будь ласка, перевірте, чи має пакетний номер для збереження зразка елемента"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Зберігати зразок грунтується на пакеті, будь ласка, перевірте, чи має пакетний номер для збереження зразка елемента"
 DocType: Task,Is Milestone,Чи є Milestone
 DocType: Certification Application,Yet to appear,Все-таки з&#39;являтися
 DocType: Delivery Stop,Email Sent To,E-mail Надіслати
@@ -6097,16 +6166,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Дозволити центр витрат при введенні рахунку балансу
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Об&#39;єднати з існуючим рахунком
 DocType: Budget,Warn,Попереджати
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Всі предмети вже були передані для цього робочого замовлення.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Всі предмети вже були передані для цього робочого замовлення.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Будь-які інші зауваження, відзначити зусилля, які повинні йти в записах."
 DocType: Asset Maintenance,Manufacturing User,Виробництво користувача
 DocType: Purchase Invoice,Raw Materials Supplied,Давальна сировина
 DocType: Subscription Plan,Payment Plan,План платежів
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Увімкніть покупку товарів через веб-сайт
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Валюта прайс-листа {0} має бути {1} або {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Управління підпискою
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Управління підпискою
 DocType: Appraisal,Appraisal Template,Оцінка шаблону
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Закріпити код
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Закріпити код
 DocType: Soil Texture,Ternary Plot,Трінарний ділянка
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,"Позначте це, щоб увімкнути заплановане щоденне процедуру синхронізації за допомогою планувальника"
 DocType: Item Group,Item Classification,Пункт Класифікація
@@ -6116,6 +6185,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Реєстрація рахунків-пацієнтів
 DocType: Crop,Period,Період
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Головна бухгалтерська книга
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,До фінансового року
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Подивитися Lead-и
 DocType: Program Enrollment Tool,New Program,Нова програма
 DocType: Item Attribute Value,Attribute Value,Значення атрибуту
@@ -6124,11 +6194,11 @@
 ,Itemwise Recommended Reorder Level,Рекомендовані рівні перезамовлення по товарах
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Працівник {0} класу {1} не має політики відпустки
 DocType: Salary Detail,Salary Detail,Заробітна плата: Подробиці
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,"Будь ласка, виберіть {0} в першу чергу"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,"Будь ласка, виберіть {0} в першу чергу"
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Додано {0} користувачів
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","У випадку багаторівневої програми, Клієнти будуть автоматично призначені для відповідного рівня відповідно до витрачених ними витрат"
 DocType: Appointment Type,Physician,Лікар
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Партія {0} номенклатурної позиції {1} протермінована.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Партія {0} номенклатурної позиції {1} протермінована.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Консультації
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Готово Добре
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Товар Ціна з&#39;являється кілька разів на підставі Прайсу, Постачальника / Клієнта, Валюти, Пункту, КУП, Квитка та Дат."
@@ -6137,22 +6207,21 @@
 DocType: Certification Application,Name of Applicant,Ім&#39;я заявника
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Час Лист для виготовлення.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,проміжний підсумок
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Не вдається змінити властивості Variant після транзакції з цінними паперами. Щоб зробити це, вам доведеться створити новий елемент."
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,"Не вдається змінити властивості Variant після транзакції з цінними паперами. Щоб зробити це, вам доведеться створити новий елемент."
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless Mandate SEPA
 DocType: Healthcare Practitioner,Charges,Збори
 DocType: Production Plan,Get Items For Work Order,Отримати елементи для замовлення роботи
 DocType: Salary Detail,Default Amount,За замовчуванням сума
 DocType: Lab Test Template,Descriptive,Описовий
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Склад не знайдений у системі
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Резюме цього місяця
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Резюме цього місяця
 DocType: Quality Inspection Reading,Quality Inspection Reading,Зчитування сертифікату якості
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,"Значення `Заморозити активи старіші ніж` повинно бути менше, ніж %d днів."
 DocType: Tax Rule,Purchase Tax Template,Шаблон податку на закупку
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,"Встановіть ціль продажу, яку хочете досягти для своєї компанії."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Послуги охорони здоров&#39;я
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Послуги охорони здоров&#39;я
 ,Project wise Stock Tracking,Стеження за запасами у рамках проекту
 DocType: GST HSN Code,Regional,регіональний
-DocType: Delivery Note,Transport Mode,Транспортний режим
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Лабораторія
 DocType: UOM Category,UOM Category,UOM Категорія
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Фактична к-сть (в джерелі / цілі)
@@ -6175,17 +6244,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Не вдалося створити веб-сайт
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Одиниця виміру Перетворення Деталь
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Внесені запаси запасу вже створені або кількість проб не вказана
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Внесені запаси запасу вже створені або кількість проб не вказана
 DocType: Program,Program Abbreviation,Абревіатура програми
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Виробниче замовлення не може бути зроблене на шаблон номенклатурної позиції
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Збори у прихідній накладній оновлюються по кожній позиції
 DocType: Warranty Claim,Resolved By,Вирішили За
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Розкладу розряду
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,"Чеки та депозити неправильно ""очищені"""
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Рахунок {0}: Ви не можете призначити рахунок як батьківський до себе
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Рахунок {0}: Ви не можете призначити рахунок як батьківський до себе
 DocType: Purchase Invoice Item,Price List Rate,Ціна з прайс-листа
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Створення котирування клієнтів
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Дата сервісна зупинка не може бути після закінчення терміну служби
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Дата сервісна зупинка не може бути після закінчення терміну служби
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Показати ""На складі"" або ""немає на складі"", базуючись на наявності на цьому складі."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),"Норми витрат (НВ),"
 DocType: Item,Average time taken by the supplier to deliver,Середній час потрібний постачальникові для поставки
@@ -6197,11 +6266,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Часів
 DocType: Project,Expected Start Date,Очікувана дата початку
 DocType: Purchase Invoice,04-Correction in Invoice,04-виправлення в рахунку-фактурі
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Замовлення на роботу вже створено для всіх елементів з BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Замовлення на роботу вже створено для всіх елементів з BOM
 DocType: Payment Request,Party Details,Інформація про партію
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Звіт про деталі варіантів
 DocType: Setup Progress Action,Setup Progress Action,Налаштування виконання дій
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Купівля прайс-листа
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Купівля прайс-листа
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Видалити елемент, якщо стяхгнення не застосовуються до нього"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Скасувати підписку
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,"Будь-ласка, виберіть технічне обслуговування як завершено або видаліть дату завершення"
@@ -6219,7 +6288,7 @@
 DocType: Asset,Disposal Date,Утилізація Дата
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Електронні листи будуть відправлені до всіх активні працівники компанії на даний час, якщо у них немає відпустки. Резюме відповідей буде відправлений опівночі."
 DocType: Employee Leave Approver,Employee Leave Approver,Погоджувач відпустки працівника
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: Перезамовлення вже існує для цього складу {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: Перезамовлення вже існує для цього складу {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Не можете бути оголошений як втрачений, бо вже зроблена пропозиція."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP Account
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Навчання Зворотній зв&#39;язок
@@ -6231,7 +6300,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,На сьогоднішній день не може бути раніше від дати
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Підручник секції
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Додати / Редагувати Ціни
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Додати / Редагувати Ціни
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Покращення працівників не може бути подано до дати просування
 DocType: Batch,Parent Batch,батько Batch
 DocType: Batch,Parent Batch,батько Batch
@@ -6242,6 +6311,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Збірка зразків
 ,Requested Items To Be Ordered,Номенклатура до замовлення
 DocType: Price List,Price List Name,Назва прайс-листа
+DocType: Delivery Stop,Dispatch Information,Інформація про відправлення
 DocType: Blanket Order,Manufacturing,Виробництво
 ,Ordered Items To Be Delivered,Замовлені недоставлені товари
 DocType: Account,Income,Дохід
@@ -6260,17 +6330,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,"{0} одиниць {1} необхідні {2} на {3} {4} для {5}, щоб завершити цю транзакцію."
 DocType: Fee Schedule,Student Category,студент Категорія
 DocType: Announcement,Student,студент
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Кількість запасів для початку процедури недоступна на складі. Ви хочете записати реквізити акцій
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Кількість запасів для початку процедури недоступна на складі. Ви хочете записати реквізити акцій
 DocType: Shipping Rule,Shipping Rule Type,Тип правила доставки
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Перейти в Номери
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Компанія, платіжний рахунок, від дати та до дати є обов&#39;язковим"
 DocType: Company,Budget Detail,Бюджет Подробиці
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Будь ласка, введіть повідомлення перед відправкою"
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Дублює ДЛЯ ПОСТАЧАЛЬНИКІВ
-DocType: Email Digest,Pending Quotations,до Котирування
-DocType: Delivery Note,Distance (KM),Відстань (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Постачальник&gt; Група постачальників
 DocType: Asset,Custodian,Зберігач
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,POS- Профіль
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,POS- Профіль
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} має бути значення від 0 до 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Оплата {0} від {1} до {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Незабезпечені кредити
@@ -6302,10 +6371,10 @@
 DocType: Lead,Converted,Перероблений
 DocType: Item,Has Serial No,Має серійний номер
 DocType: Employee,Date of Issue,Дата випуску
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Згідно Настройці Покупки якщо Купівля Reciept Обов&#39;язково == «YES», то для створення рахунку-фактури, користувач необхідний створити квитанцію про покупку першим за пунктом {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Згідно Настройці Покупки якщо Купівля Reciept Обов&#39;язково == «YES», то для створення рахунку-фактури, користувач необхідний створити квитанцію про покупку першим за пунктом {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Ряд # {0}: Встановити Постачальник по пункту {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Рядок {0}: значення годин має бути більше нуля.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,"Зображення для веб-сайту {0}, долучене до об’єкту {1} не може бути знайдене"
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,"Зображення для веб-сайту {0}, долучене до об’єкту {1} не може бути знайдене"
 DocType: Issue,Content Type,Тип вмісту
 DocType: Asset,Assets,Активи
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Комп&#39;ютер
@@ -6316,7 +6385,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} не існує
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,"Будь ласка, перевірте мультивалютний варіант, що дозволяє рахунки іншій валюті"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Пункт: {0} не існує в системі
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Вам не дозволено встановлювати блокування
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Вам не дозволено встановлювати блокування
 DocType: Payment Reconciliation,Get Unreconciled Entries,Отримати Неузгоджені Записи
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Працівник {0} перебуває на відпустці {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Жодні виплати не вибрані для вступу до журналу
@@ -6334,13 +6403,14 @@
 ,Average Commission Rate,Середня ставка комісії
 DocType: Share Balance,No of Shares,Кількість акцій
 DocType: Taxable Salary Slab,To Amount,До суми
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,"""Має серійний номер"" не може бути ""Так"" для неінвентарного об’єкту"
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,"""Має серійний номер"" не може бути ""Так"" для неінвентарного об’єкту"
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Виберіть статус
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Відвідуваність не можна вносити для майбутніх дат
 DocType: Support Search Source,Post Description Key,Ключове слово Опис
 DocType: Pricing Rule,Pricing Rule Help,Довідка з цінових правил
 DocType: School House,House Name,Назва будинку
 DocType: Fee Schedule,Total Amount per Student,Загальна сума на одного студента
+DocType: Opportunity,Sales Stage,Сезон продажів
 DocType: Purchase Taxes and Charges,Account Head,Рахунок
 DocType: Company,HRA Component,Компонент HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Електричний
@@ -6348,15 +6418,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Загальна різниця (Розх - Прих)
 DocType: Grant Application,Requested Amount,Запитана сума
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Ряд {0}: Курс є обов&#39;язковим
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Ідентифікатор користувача не встановлений Employee {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Ідентифікатор користувача не встановлений Employee {0}
 DocType: Vehicle,Vehicle Value,значення автомобіля
 DocType: Crop Cycle,Detected Diseases,Виявлені захворювання
 DocType: Stock Entry,Default Source Warehouse,Склад - джерело за замовчуванням
 DocType: Item,Customer Code,Код клієнта
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Нагадування про день народження для {0}
 DocType: Asset Maintenance Task,Last Completion Date,Дата завершення останнього завершення
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дні з останнього ордена
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Дебетом рахунка повинні бути баланс рахунку
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Дебетом рахунка повинні бути баланс рахунку
 DocType: Asset,Naming Series,Іменування серії
 DocType: Vital Signs,Coated,Покритий
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,"Рядок {0}: очікувана вартість після корисної служби повинна бути меншою, ніж сума вашої покупки"
@@ -6374,15 +6443,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Накладна {0} не повинні бути проведеною
 DocType: Notification Control,Sales Invoice Message,Повідомлення вихідного рахунку
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Закриття рахунку {0} повинен бути типу відповідальністю / власний капітал
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Зарплатний розрахунок для працівника {0} вже створений на основі табелю {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Зарплатний розрахунок для працівника {0} вже створений на основі табелю {1}
 DocType: Vehicle Log,Odometer,одометр
 DocType: Production Plan Item,Ordered Qty,Замовлена (ordered) к-сть
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Пункт {0} відключена
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Пункт {0} відключена
 DocType: Stock Settings,Stock Frozen Upto,Рухи ТМЦ заблоковано по
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,Норми не містять жодного елементу запасів
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,Норми не містять жодного елементу запасів
 DocType: Chapter,Chapter Head,Глава глави
 DocType: Payment Term,Month(s) after the end of the invoice month,Місяць після закінчення місяця рахунка-фактури
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Зарплата Структура повинна мати гнучку компонент (и) вигоди, щоб відмовитися від суми допомоги"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Зарплата Структура повинна мати гнучку компонент (и) вигоди, щоб відмовитися від суми допомоги"
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Проектна діяльність / завдання.
 DocType: Vital Signs,Very Coated,Дуже покритий
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Тільки податковий вплив (не можу претендувати, але частина оподатковуваного доходу)"
@@ -6400,7 +6469,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Оплачувані години
 DocType: Project,Total Sales Amount (via Sales Order),Загальна сума продажів (через замовлення клієнта)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,За замовчуванням BOM для {0} не найден
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,"Ряд # {0}: Будь ласка, встановіть кількість перезамовлення"
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,"Ряд # {0}: Будь ласка, встановіть кількість перезамовлення"
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Натисніть пункти, щоб додати їх тут"
 DocType: Fees,Program Enrollment,Програма подачі заявок
 DocType: Share Transfer,To Folio No,Фоліо №
@@ -6441,9 +6510,9 @@
 DocType: SG Creation Tool Course,Max Strength,Максимальна міцність
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Встановлення пресетів
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Примітка доставки не вибрана для Клієнта {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Примітка доставки не вибрана для Клієнта {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Працівник {0} не має максимальної суми допомоги
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Виберіть елементи на основі дати доставки
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Виберіть елементи на основі дати доставки
 DocType: Grant Application,Has any past Grant Record,Має будь-яку минулу реєстр грантів
 ,Sales Analytics,Аналітика продажів
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Доступно {0}
@@ -6452,12 +6521,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Налаштування виробництва
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Налаштування e-mail
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Немає
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Будь ласка, введіть валюту за замовчуванням в компанії Master"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Будь ласка, введіть валюту за замовчуванням в компанії Master"
 DocType: Stock Entry Detail,Stock Entry Detail,Деталі Руху ТМЦ
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Щоденні нагадування
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Щоденні нагадування
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Переглянути всі відкриті квитки
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Одиниця служби охорони здоров&#39;я
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Продукт
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Продукт
 DocType: Products Settings,Home Page is Products,Головна сторінка є продукти
 ,Asset Depreciation Ledger,Книга амортизації
 DocType: Salary Structure,Leave Encashment Amount Per Day,Залиште суму інкасації за день
@@ -6467,8 +6536,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Вартість давальної сировини
 DocType: Selling Settings,Settings for Selling Module,Налаштування модуля Продаж
 DocType: Hotel Room Reservation,Hotel Room Reservation,Бронювання номеру готелю
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Обслуговування клієнтів
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Обслуговування клієнтів
 DocType: BOM,Thumbnail,Мініатюра
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Немає контактів з ідентифікаторами електронної пошти.
 DocType: Item Customer Detail,Item Customer Detail,Пункт Подробиці клієнтів
 DocType: Notification Control,Prompt for Email on Submission of,Запитувати Email про подання
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Максимальна сума виплат працівника {0} перевищує {1}
@@ -6478,7 +6548,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Номенклатурна позиція {0} має бути інвентарною
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,За замовчуванням роботи на складі Прогрес
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Розклади для {0} накладання, ви хочете продовжити після пропуску слотів, що перекриваються?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Налаштування за замовчуванням для обліку операцій.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Налаштування за замовчуванням для обліку операцій.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Грантові листи
 DocType: Restaurant,Default Tax Template,Шаблон податку за замовчуванням
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Студенти були зараховані
@@ -6486,6 +6556,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Фото Кількість
 DocType: Purchase Invoice Item,Stock Qty,Фото Кількість
 DocType: Contract,Requires Fulfilment,Потрібно виконати
+DocType: QuickBooks Migrator,Default Shipping Account,Обліковий запис доставки за умовчанням
 DocType: Loan,Repayment Period in Months,Період погашення в місцях
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Помилка: Чи не діє ID?
 DocType: Naming Series,Update Series Number,Оновлення Кількість Серія
@@ -6499,11 +6570,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Максимальна сума
 DocType: Journal Entry,Total Amount Currency,Загальна сума валюти
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Пошук Sub Асамблей
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Код товара потрібно в рядку Немає {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Код товара потрібно в рядку Немає {0}
 DocType: GST Account,SGST Account,Обліковий запис SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Перейти до елементів
 DocType: Sales Partner,Partner Type,Тип Партнер
-DocType: Purchase Taxes and Charges,Actual,Фактичний
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Фактичний
 DocType: Restaurant Menu,Restaurant Manager,Менеджер ресторану
 DocType: Authorization Rule,Customerwise Discount,Customerwise Знижка
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Timesheet для виконання завдань.
@@ -6524,7 +6595,7 @@
 DocType: Employee,Cheque,Чек
 DocType: Training Event,Employee Emails,Співробітники електронні листи
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Серії оновлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Тип звіту є обов&#39;язковим
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Тип звіту є обов&#39;язковим
 DocType: Item,Serial Number Series,Серії серійних номерів
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Склад є обов'язковим для номенклатури {0} в рядку {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Роздрібна та оптова
@@ -6554,7 +6625,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Оновити орендовану суму в замовленні клієнта
 DocType: BOM,Materials,Матеріали
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Якщо не позначено, то список буде потрібно додати до кожного відділу, де він має бути застосований."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Дата та час розміщення/створення є обов'язковими
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Дата та час розміщення/створення є обов'язковими
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Податковий шаблон для операцій покупки.
 ,Item Prices,Ціни
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Прописом буде видно, як тільки ви збережете Замовлення на придбання."
@@ -6570,12 +6641,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серія для амортизаційних відрахувань (вступ до журналу)
 DocType: Membership,Member Since,Учасник з
 DocType: Purchase Invoice,Advance Payments,Авансові платежі
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,"Будь ласка, виберіть Сервіс охорони здоров&#39;я"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,"Будь ласка, виберіть Сервіс охорони здоров&#39;я"
 DocType: Purchase Taxes and Charges,On Net Total,На чистий підсумок
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Значення атрибуту {0} має бути в діапазоні від {1} до {2} в збільшень {3} для п {4}
 DocType: Restaurant Reservation,Waitlisted,Чекав на розсилку
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорія звільнення
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,"Валюта не може бути змінена після внесення запису, використовуючи інший валюти"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,"Валюта не може бути змінена після внесення запису, використовуючи інший валюти"
 DocType: Shipping Rule,Fixed,Виправлено
 DocType: Vehicle Service,Clutch Plate,диск зчеплення
 DocType: Company,Round Off Account,Рахунок заокруглення
@@ -6584,7 +6655,7 @@
 DocType: Subscription Plan,Based on price list,На підставі прайс-листа
 DocType: Customer Group,Parent Customer Group,Батько Група клієнтів
 DocType: Vehicle Service,Change,Зміна
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Підписка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Підписка
 DocType: Purchase Invoice,Contact Email,Контактний Email
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Очікує створити плату
 DocType: Appraisal Goal,Score Earned,Оцінка Зароблені
@@ -6612,23 +6683,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Рахунок Кредиторської / Дебіторської заборгованості
 DocType: Delivery Note Item,Against Sales Order Item,На Sales Order Пункт
 DocType: Company,Company Logo,Логотип компанії
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Будь ласка, сформулюйте Значення атрибуту для атрибуту {0}"
-DocType: Item Default,Default Warehouse,Склад за замовчуванням
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Будь ласка, сформулюйте Значення атрибуту для атрибуту {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Склад за замовчуванням
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Бюджет не може бути призначений на обліковий запис групи {0}
 DocType: Shopping Cart Settings,Show Price,Показати ціну
 DocType: Healthcare Settings,Patient Registration,Реєстрація пацієнта
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Будь ласка, введіть батьківський центр витрат"
 DocType: Delivery Note,Print Without Amount,Друк без розмірі
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Дата амортизації
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Дата амортизації
 ,Work Orders in Progress,Робочі замовлення в процесі роботи
 DocType: Issue,Support Team,Команда підтримки
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Термін дії (в днях)
 DocType: Appraisal,Total Score (Out of 5),Всього балів (з 5)
 DocType: Student Attendance Tool,Batch,Партія
 DocType: Support Search Source,Query Route String,Строка маршруту запиту
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Коефіцієнт оновлення за останньою покупкою
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Коефіцієнт оновлення за останньою покупкою
 DocType: Donor,Donor Type,Тип донора
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Автоматичний повторення документа оновлено
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Автоматичний повторення документа оновлено
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Баланс
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,"Будь ласка, виберіть компанію"
 DocType: Job Card,Job Card,Карта вакансій
@@ -6642,7 +6713,7 @@
 DocType: Assessment Result,Total Score,Загальний рахунок
 DocType: Crop Cycle,ISO 8601 standard,Стандарт ISO 8601
 DocType: Journal Entry,Debit Note,Повідомлення про повернення
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Ви можете викупити максимум {0} балів у цьому порядку.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Ви можете викупити максимум {0} балів у цьому порядку.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,"Будь ласка, введіть API Consumer Secret"
 DocType: Stock Entry,As per Stock UOM,як од.вим.
@@ -6656,10 +6727,11 @@
 DocType: Journal Entry,Total Debit,Всього Дебет
 DocType: Travel Request Costing,Sponsored Amount,Спонсорована сума
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Склад готової продукції за замовчуванням
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,"Будь ласка, виберіть пацієнта"
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,"Будь ласка, виберіть пацієнта"
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Відповідальний з продажу
 DocType: Hotel Room Package,Amenities,Зручності
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Бюджет та центр витрат
+DocType: QuickBooks Migrator,Undeposited Funds Account,Непогашений рахунок Фонду
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Бюджет та центр витрат
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Кілька типовий спосіб оплати за замовчуванням заборонено
 DocType: Sales Invoice,Loyalty Points Redemption,Виплати балів лояльності
 ,Appointment Analytics,Призначення Analytics
@@ -6673,6 +6745,7 @@
 DocType: Batch,Manufacturing Date,Дата виготовлення
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Не вдалося створити плату
 DocType: Opening Invoice Creation Tool,Create Missing Party,Створити пропущену партію
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Загальний бюджет
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Залиште поле порожнім, якщо ви робите груп студентів на рік"
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Залиште поле порожнім, якщо ви робите груп студентів на рік"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Якщо позначено, ""Загальна кількість робочих днів"" буде включати в себе свята, і це призведе до зниження розміру ""Зарплати за день"""
@@ -6690,20 +6763,19 @@
 DocType: Opportunity Item,Basic Rate,Базова ціна
 DocType: GL Entry,Credit Amount,Сума кредиту
 DocType: Cheque Print Template,Signatory Position,Положення підпису
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Встановити як Втрачений
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Встановити як Втрачений
 DocType: Timesheet,Total Billable Hours,Всього оплачуваних годин
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Кількість днів, протягом яких абонент повинен оплатити рахунки-фактури, створені за цією підпискою"
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Професійна допомога співробітникам
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Оплата Отримання Примітка
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Згідно операцій по цьому клієнту. Див графік нижче для отримання докладної інформації
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Рядок {0}: Розподілена сума {1} повинна бути менше або дорівнювати сумі Оплати {2}
 DocType: Program Enrollment Tool,New Academic Term,Новий академічний термін
 ,Course wise Assessment Report,Доповідь Курсу мудрої Оцінки
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Отримав державний податковий інститут / ОТ
 DocType: Tax Rule,Tax Rule,Податкове правило
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Підтримувати ціну протягом циклу продажу
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,"Будь ласка, увійдіть як інший користувач, щоб зареєструватися в Marketplace"
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,"Будь ласка, увійдіть як інший користувач, щоб зареєструватися в Marketplace"
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планувати час журнали за межами робочої станції робочих годин.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Клієнти в черзі
 DocType: Driver,Issuing Date,Дата випуску
@@ -6712,11 +6784,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Подайте цей робочий замовлення для подальшої обробки.
 ,Items To Be Requested,Товари до відвантаження
 DocType: Company,Company Info,Інформація про компанію
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Вибрати або додати нового клієнта
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Вибрати або додати нового клієнта
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,МВЗ потрібно замовити вимога про витрати
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Застосування засобів (активів)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Це засновано на відвідуваності цього співробітника
-DocType: Assessment Result,Summary,Резюме
 DocType: Payment Request,Payment Request Type,Тип запиту на оплату
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Позначити присутність
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Дебетовий рахунок
@@ -6724,7 +6795,7 @@
 DocType: Additional Salary,Employee Name,Ім'я працівника
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Замовлення на замовлення ресторану
 DocType: Purchase Invoice,Rounded Total (Company Currency),Заокруглений підсумок (Валюта компанії)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,"Не можете приховані в групу, тому що обрано тип рахунку."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,"Не можете приховані в групу, тому що обрано тип рахунку."
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0} {1} був змінений. Будь ласка, поновіть."
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Завадити користувачам створювати заяви на відпустки на наступні дні.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Якщо необмежений термін дії балів за лояльність, тривалість терміну дії закінчується порожнім або 0."
@@ -6745,11 +6816,12 @@
 DocType: Asset,Out of Order,Вийшов з ладу
 DocType: Purchase Receipt Item,Accepted Quantity,Прийнята кількість
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ігнорувати час перекриття робочої станції
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Будь ласка, встановіть список вихідних за замовчуванням для працівника {0} або Компанії {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Будь ласка, встановіть список вихідних за замовчуванням для працівника {0} або Компанії {1}"
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} не існує
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Вибір номер партії
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,До ГСТІН
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,До ГСТІН
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,"Законопроекти, підняті клієнтам."
+DocType: Healthcare Settings,Invoice Appointments Automatically,Автоматичне призначення рахунків-фактур
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Проект Id
 DocType: Salary Component,Variable Based On Taxable Salary,Змінна на основі оподатковуваної заробітної плати
 DocType: Company,Basic Component,Основний компонент
@@ -6762,10 +6834,10 @@
 DocType: Stock Entry,Source Warehouse Address,Адреса джерела зберігання
 DocType: GL Entry,Voucher Type,Тип документа
 DocType: Amazon MWS Settings,Max Retry Limit,Максимальна межа повторної спроби
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Прайс-лист не знайдений або відключений
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Прайс-лист не знайдений або відключений
 DocType: Student Applicant,Approved,Затверджений
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Ціна
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',Співробітник звільняється від {0} повинен бути встановлений як &quot;ліві&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Співробітник звільняється від {0} повинен бути встановлений як &quot;ліві&quot;
 DocType: Marketplace Settings,Last Sync On,Остання синхронізація включена
 DocType: Guardian,Guardian,охоронець
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,"Всі повідомлення, включаючи та вище, повинні бути перенесені в новий випуск"
@@ -6788,14 +6860,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Список захворювань, виявлених на полі. Коли буде обрано, він автоматично додасть список завдань для боротьби з хворобою"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Це коренева служба охорони здоров&#39;я і не може бути відредагована.
 DocType: Asset Repair,Repair Status,Ремонт статусу
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Додайте Партнерів продажу
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Бухгалтерських журналів.
 DocType: Travel Request,Travel Request,Запит на подорож
 DocType: Delivery Note Item,Available Qty at From Warehouse,Доступна к-сть на вихідному складі
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,"Будь ласка, виберіть Employee Record перший."
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,"Учасники не подаються за {0}, оскільки це свято."
 DocType: POS Profile,Account for Change Amount,Рахунок для суми змін
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Підключення до QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Загальний прибуток / збиток
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Недійсна компанія для рахунків-фактур компанії &quot;Інтер&quot;.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Недійсна компанія для рахунків-фактур компанії &quot;Інтер&quot;.
 DocType: Purchase Invoice,input service,служба введення
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ряд {0}: Партія / рахунку не відповідає {1} / {2} в {3} {4}
 DocType: Employee Promotion,Employee Promotion,Заохочення працівників
@@ -6804,12 +6878,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Код курсу:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Будь ласка, введіть видатковий рахунок"
 DocType: Account,Stock,Інвентар
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: Замовлення на придбання, Вхідний рахунок-фактура або Запис журналу"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: Замовлення на придбання, Вхідний рахунок-фактура або Запис журналу"
 DocType: Employee,Current Address,Поточна адреса
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Якщо товар є варіантом іншого, то опис, зображення, ціноутворення, податки і т.д. будуть встановлені на основі шаблону, якщо явно не вказано інше"
 DocType: Serial No,Purchase / Manufacture Details,Закупівля / Виробництво: Детальніше
 DocType: Assessment Group,Assessment Group,Група по оцінці
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,"Інвентар, що обліковується партіями"
+DocType: Supplier,GST Transporter ID,GST Transporter ID
 DocType: Procedure Prescription,Procedure Name,Назва процедури
 DocType: Employee,Contract End Date,Дата закінчення контракту
 DocType: Amazon MWS Settings,Seller ID,Ідентифікатор продавця
@@ -6829,12 +6904,12 @@
 DocType: Company,Date of Incorporation,Дата реєстрації
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Усього податків
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Остання ціна покупки
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Для Кількість (Виробник Кількість) є обов&#39;язковим
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Для Кількість (Виробник Кількість) є обов&#39;язковим
 DocType: Stock Entry,Default Target Warehouse,Склад призначення за замовчуванням
 DocType: Purchase Invoice,Net Total (Company Currency),Чистий підсумок (у валюті компанії)
 DocType: Delivery Note,Air,Повітря
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Рік Кінцева дата не може бути раніше, ніж рік Дата початку. Будь ласка, виправте дату і спробуйте ще раз."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} не входить до додаткового списку свят
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} не входить до додаткового списку свят
 DocType: Notification Control,Purchase Receipt Message,Повідомлення прихідної накладної
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,скрап товари
@@ -6857,23 +6932,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Виконання
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На Попередня Сума Row
 DocType: Item,Has Expiry Date,Дата закінчення терміну дії
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,передача активів
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,передача активів
 DocType: POS Profile,POS Profile,POS-профіль
 DocType: Training Event,Event Name,Назва події
 DocType: Healthcare Practitioner,Phone (Office),Телефон (офіс)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Неможливо надіслати, співробітники залишили, щоб відзначити відвідуваність"
 DocType: Inpatient Record,Admission,вхід
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Вступникам для {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Сезонність для установки бюджети, цільові тощо"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Сезонність для установки бюджети, цільові тощо"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Назва змінної
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Номенклатурна позиція {0} - шаблон, виберіть один з його варіантів"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Будь ласка, встановіть систему найменування працівників у людських ресурсах&gt; Параметри персоналу"
+DocType: Purchase Invoice Item,Deferred Expense,Відстрочені витрати
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},З дати {0} не може бути до приходу працівника Дата {1}
 DocType: Asset,Asset Category,Категорія активів
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,"Сума ""на руки"" не може бути від'ємною"
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,"Сума ""на руки"" не може бути від'ємною"
 DocType: Purchase Order,Advance Paid,Попередньо оплачено
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Відсоток перевиробництва за замовленням на продаж
 DocType: Item,Item Tax,Податки
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Матеріал Постачальнику
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Матеріал Постачальнику
 DocType: Soil Texture,Loamy Sand,Лиственний пісок
 DocType: Production Plan,Material Request Planning,Планування запиту матеріалів
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Акцизний Рахунок
@@ -6895,11 +6972,11 @@
 DocType: Scheduling Tool,Scheduling Tool,планування Інструмент
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Кредитна карта
 DocType: BOM,Item to be manufactured or repacked,Пункт має бути виготовлений чи перепакована
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Синтаксична помилка в стані: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Синтаксична помилка в стані: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Основні / Додаткові Суб&#39;єкти
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,"Будь ласка, встановіть групу постачальників у налаштуваннях покупки."
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,"Будь ласка, встановіть групу постачальників у налаштуваннях покупки."
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}","Сума гнучкої суми компонентів вигоди {0} не повинна бути меншою, ніж максимальна вигода {1}"
 DocType: Sales Invoice Item,Drop Ship,Пряма доставка
 DocType: Driver,Suspended,Призупинено
@@ -6919,7 +6996,7 @@
 DocType: Customer,Commission Rate,Ставка комісії
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Успішно створено платіжні записи
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Створено {0} показників для {1} між:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Зробити варіанти
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Зробити варіанти
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Тип оплати повинен бути одним з Надсилати, Pay і внутрішній переказ"
 DocType: Travel Itinerary,Preferred Area for Lodging,Пріоритетний район для проживання
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Аналітика
@@ -6930,7 +7007,7 @@
 DocType: Work Order,Actual Operating Cost,Фактична Операційна Вартість
 DocType: Payment Entry,Cheque/Reference No,Номер Чеку / Посилання
 DocType: Soil Texture,Clay Loam,Клей-Лоам
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Корінь не може бути змінений.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Корінь не може бути змінений.
 DocType: Item,Units of Measure,одиниці виміру
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Оренда в метро
 DocType: Supplier,Default Tax Withholding Config,Конфігурація за утримання за замовчуванням
@@ -6948,21 +7025,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Після завершення оплати перенаправити користувача на обрану сторінку.
 DocType: Company,Existing Company,існуючі компанії
 DocType: Healthcare Settings,Result Emailed,Результат відправлено по електронній пошті
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tax Категорія було змінено на «Total», тому що всі деталі, немає в наявності"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tax Категорія було змінено на «Total», тому що всі деталі, немає в наявності"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,На сьогоднішній день не може бути рівним або меншим за дату
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Нічого не змінювати
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Будь ласка, виберіть файл CSV з"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,"Будь ласка, виберіть файл CSV з"
 DocType: Holiday List,Total Holidays,Всього свят
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Відсутній шаблон електронної пошти для відправлення. Установіть його в налаштуваннях доставки.
 DocType: Student Leave Application,Mark as Present,Повідомити про Present
 DocType: Supplier Scorecard,Indicator Color,Колір індикатора
 DocType: Purchase Order,To Receive and Bill,Отримати та виставити рахунки
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Рядок # {0}: Reqd за датою не може бути перед датою транзакції
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Рядок # {0}: Reqd за датою не може бути перед датою транзакції
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Рекомендовані товари
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Виберіть серійний номер
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Виберіть серійний номер
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Дизайнер
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Шаблон положень та умов
 DocType: Serial No,Delivery Details,Деталі доставки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Вартість Центр потрібно в рядку {0} в таблиці податків для типу {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Вартість Центр потрібно в рядку {0} в таблиці податків для типу {1}
 DocType: Program,Program Code,програмний код
 DocType: Terms and Conditions,Terms and Conditions Help,Довідка з правил та умов
 ,Item-wise Purchase Register,Попозиційний реєстр закупівель
@@ -6975,15 +7053,16 @@
 DocType: Contract,Contract Terms,Умови договору
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Не показувати жодних символів на кшталт ""₴"" і подібних поряд з валютами."
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Максимальна сума вигоди компонента {0} перевищує {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Половина дня)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Половина дня)
 DocType: Payment Term,Credit Days,Кредитні Дні
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Будь ласка, виберіть Пацієнта, щоб отримати лабораторні тести"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Make Student Batch
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Дозволити передачу для виробництва
 DocType: Leave Type,Is Carry Forward,Є переносити
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Отримати елементи з норм
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Отримати елементи з норм
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Час на поставку в днях
 DocType: Cash Flow Mapping,Is Income Tax Expense,Витрати з податку на прибуток
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Ваше замовлення на доставку!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Рядок # {0}: Дата створення повинна бути такою ж, як дата покупки {1} активу {2}"
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Перевірте це, якщо студент проживає в гуртожитку інституту."
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,"Будь ласка, введіть Замовлення клієнтів у наведеній вище таблиці"
@@ -6991,10 +7070,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Передача активу з одного складу на інший
 DocType: Vehicle,Petrol,бензин
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Залишкові пільги (щорічно)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Відомість матеріалів
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Відомість матеріалів
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ряд {0}: Партія Тип і партія необхідна для / дебіторська заборгованість увагу {1}
 DocType: Employee,Leave Policy,Залишити політику
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Оновити елементи
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Оновити елементи
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Підстава: Дата
 DocType: Employee,Reason for Leaving,Причина звільнення
 DocType: BOM Operation,Operating Cost(Company Currency),Експлуатаційні витрати (Компанія Валюта)
@@ -7005,7 +7084,7 @@
 DocType: Department,Expense Approvers,Затвердження витрат
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Ряд {0}: Дебет запис не може бути пов&#39;язаний з {1}
 DocType: Journal Entry,Subscription Section,Передплатна секція
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Рахунок {0} не існує
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Рахунок {0} не існує
 DocType: Training Event,Training Program,Тренувальна програма
 DocType: Account,Cash,Грошові кошти
 DocType: Employee,Short biography for website and other publications.,Коротка біографія для веб-сайту та інших публікацій.
diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv
index b3be505..00f115b 100644
--- a/erpnext/translations/ur.csv
+++ b/erpnext/translations/ur.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,کسٹمر اشیاء
 DocType: Project,Costing and Billing,لاگت اور بلنگ
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},ایڈورڈز اکاؤنٹ کرنسی کو کمپنی کی کرنسی {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,اکاؤنٹ {0}: والدین اکاؤنٹ {1} ایک اکاؤنٹ نہیں ہو سکتا
+DocType: QuickBooks Migrator,Token Endpoint,ٹوکن اختتام پوائنٹ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,اکاؤنٹ {0}: والدین اکاؤنٹ {1} ایک اکاؤنٹ نہیں ہو سکتا
 DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com کرنے آئٹم شائع
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,فعال چھوڑ مدت نہیں مل سکا
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,فعال چھوڑ مدت نہیں مل سکا
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,تشخیص
 DocType: Item,Default Unit of Measure,پیمائش کی پہلے سے طے شدہ یونٹ
 DocType: SMS Center,All Sales Partner Contact,تمام سیلز پارٹنر رابطہ
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,شامل کرنے کیلئے درج کریں پر کلک کریں
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",پاسورڈ، API کی کلید یا Shopify یو آر ایل کے لئے لاپتہ قدر
 DocType: Employee,Rented,کرایے
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,تمام اکاؤنٹس
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,تمام اکاؤنٹس
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,اسٹیٹ بائیں کے ساتھ ملازم کو منتقل نہیں کر سکتا
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",روک پروڈکشن آرڈر منسوخ نہیں کیا جا سکتا، منسوخ کرنے کے لئے سب سے پہلے اس Unstop
 DocType: Vehicle Service,Mileage,میلانہ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,اگر تم واقعی اس اثاثہ کو ختم کرنا چاہتے ہیں؟
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,اگر تم واقعی اس اثاثہ کو ختم کرنا چاہتے ہیں؟
 DocType: Drug Prescription,Update Schedule,شیڈول اپ ڈیٹ کریں
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,طے شدہ پردایک
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,ملازم دکھائیں
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,نیو ایکسچینج کی شرح
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},کرنسی قیمت کی فہرست کے لئے ضروری ہے {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},کرنسی قیمت کی فہرست کے لئے ضروری ہے {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ٹرانزیکشن میں حساب کیا جائے گا.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,میٹ - ڈی ٹی - .YYYY-
 DocType: Purchase Order,Customer Contact,اپرنٹسشپس
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,یہ اس سپلائر خلاف لین دین کی بنیاد پر ہے. تفصیلات کے لئے نیچے ٹائم لائن ملاحظہ کریں
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,کام آرڈر کے لئے اضافی پیداوار کا فیصد
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,میٹ - ایل سی وی - .YYYY-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,قانونی
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,قانونی
+DocType: Delivery Note,Transport Receipt Date,ٹرانسمیشن رسید تاریخ
 DocType: Shopify Settings,Sales Order Series,سیلز آرڈر سیریز
 DocType: Vital Signs,Tongue,زبان
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA چھوٹ
 DocType: Sales Invoice,Customer Name,گاہک کا نام
 DocType: Vehicle,Natural Gas,قدرتی گیس
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},بینک اکاؤنٹ کے طور پر نامزد نہیں کیا جا سکتا {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},بینک اکاؤنٹ کے طور پر نامزد نہیں کیا جا سکتا {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,تنخواہ کی ساخت کے مطابق HRA
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سربراہان (یا گروپ) جس کے خلاف اکاؤنٹنگ اندراجات بنا رہے ہیں اور توازن برقرار رکھا جاتا ہے.
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),بقایا {0} نہیں ہو سکتا کے لئے صفر سے بھی کم ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,سروس سٹاپ کی تاریخ خدمت کی تاریخ سے پہلے نہیں ہوسکتی ہے
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,سروس سٹاپ کی تاریخ خدمت کی تاریخ سے پہلے نہیں ہوسکتی ہے
 DocType: Manufacturing Settings,Default 10 mins,10 منٹس پہلے سے طے شدہ
 DocType: Leave Type,Leave Type Name,قسم کا نام چھوڑ دو
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,کھلی دکھائیں
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,کھلی دکھائیں
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,سیریز کو کامیابی سے حالیہ
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,اس کو دیکھو
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} قطار میں {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} قطار میں {1}
 DocType: Asset Finance Book,Depreciation Start Date,قیمت کی قیمت کی قیمت
 DocType: Pricing Rule,Apply On,پر لگائیں
 DocType: Item Price,Multiple Item prices.,ایک سے زیادہ اشیاء کی قیمتوں.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,سپورٹ ترتیبات
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,متوقع تاریخ اختتام متوقع شروع کرنے کی تاریخ کے مقابلے میں کم نہیں ہو سکتا
 DocType: Amazon MWS Settings,Amazon MWS Settings,ایمیزون MWS ترتیبات
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,صف # {0}: شرح کے طور پر ایک ہی ہونا چاہیے {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,صف # {0}: شرح کے طور پر ایک ہی ہونا چاہیے {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,بیچ آئٹم ختم ہونے کی حیثیت
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,بینک ڈرافٹ
 DocType: Journal Entry,ACC-JV-.YYYY.-,اے اے اے جی وی- .YYYY-
@@ -105,7 +107,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,بنیادی رابطے کی تفصیلات
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,کھولیں مسائل
 DocType: Production Plan Item,Production Plan Item,پیداوار کی منصوبہ بندی آئٹم
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},صارف {0} پہلے ہی ملازم کو تفویض کیا جاتا ہے {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},صارف {0} پہلے ہی ملازم کو تفویض کیا جاتا ہے {1}
 DocType: Lab Test Groups,Add new line,نئی لائن شامل کریں
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,صحت کی دیکھ بھال
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ادائیگی میں تاخیر (دن)
@@ -115,12 +117,11 @@
 DocType: Lab Prescription,Lab Prescription,لیب نسخہ
 ,Delay Days,تاخیر کے دن
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,سروس کے اخراجات
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},سیریل نمبر: {0} نے پہلے ہی فروخت انوائس میں محولہ ہے: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},سیریل نمبر: {0} نے پہلے ہی فروخت انوائس میں محولہ ہے: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,انوائس
 DocType: Purchase Invoice Item,Item Weight Details,آئٹم وزن کی تفصیلات
 DocType: Asset Maintenance Log,Periodicity,مدت
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,مالی سال {0} کی ضرورت ہے
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,سپلائر&gt; سپلائر گروپ
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,زیادہ سے زیادہ ترقی کے لئے پودوں کی صفوں کے درمیان کم از کم فاصلے
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,دفاع
 DocType: Salary Component,Abbr,Abbr
@@ -139,11 +140,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC ENC-YYYY.-
 DocType: Daily Work Summary Group,Holiday List,چھٹیوں فہرست
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,اکاؤنٹنٹ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,قیمت کی فہرست فروخت
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,قیمت کی فہرست فروخت
 DocType: Patient,Tobacco Current Use,تمباکو موجودہ استعمال
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,فروخت کی شرح
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,فروخت کی شرح
 DocType: Cost Center,Stock User,اسٹاک صارف
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + MG) / K
+DocType: Delivery Stop,Contact Information,رابطے کی معلومات
 DocType: Company,Phone No,فون نمبر
 DocType: Delivery Trip,Initial Email Notification Sent,ابتدائی ای میل کی اطلاع بھیجا
 DocType: Bank Statement Settings,Statement Header Mapping,بیان ہیڈر نقشہ جات
@@ -167,12 +169,11 @@
 DocType: Subscription,Subscription Start Date,سبسکرائب کریں شروع کی تاریخ
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,پہلے سے طے شدہ رسید کرنے والے اکاؤنٹس استعمال کرنے کے لئے مریضوں کو مقرر کرنے کے لئے تعیناتی چارجز کو لاگو نہیں کرتے.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",دو کالموں، پرانے نام کے لئے ایک اور نئے نام کے لئے ایک کے ساتھ CSV فائل منسلک کریں
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,ایڈریس 2 سے
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,آئٹم کوڈ&gt; آئٹم گروپ&gt; برانڈ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,ایڈریس 2 سے
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} میں کوئی فعال مالی سال نہیں.
 DocType: Packed Item,Parent Detail docname,والدین تفصیل docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",حوالہ: {0}، آئٹم کوڈ: {1} اور کسٹمر: {2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} والدین کی کمپنی میں موجود نہیں ہے
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} والدین کی کمپنی میں موجود نہیں ہے
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,آزمائشی مدت کے اختتام تاریخ آزمائشی دورہ شروع ہونے سے پہلے نہیں ہوسکتی ہے
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,کلو
 DocType: Tax Withholding Category,Tax Withholding Category,ٹیکس کو روکنے والے زمرہ
@@ -187,12 +188,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,ایڈورٹائزنگ
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ایک ہی کمپنی ایک سے زیادہ بار داخل کیا جاتا ہے
 DocType: Patient,Married,شادی
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},کی اجازت نہیں {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},کی اجازت نہیں {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,سے اشیاء حاصل
 DocType: Price List,Price Not UOM Dependant,قیمت UOM انحصار نہیں ہے
 DocType: Purchase Invoice,Apply Tax Withholding Amount,ٹیکس کو ضائع کرنے کی رقم کا اطلاق
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,کریڈٹ کل رقم
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,کریڈٹ کل رقم
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},پروڈکٹ {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,کوئی آئٹم مندرج
 DocType: Asset Repair,Error Description,خرابی کی تفصیل
@@ -206,8 +207,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,اپنی مرضی کیش فلو فارمیٹ استعمال کریں
 DocType: SMS Center,All Sales Person,تمام فروخت شخص
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ماہانہ ڈسٹریبیوش ** آپ کو مہینوں بھر بجٹ / نشانے کی تقسیم سے آپ کو آپ کے کاروبار میں seasonality کے ہو تو میں مدد ملتی ہے.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,آئٹم نہیں ملا
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,تنخواہ ساخت لاپتہ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,آئٹم نہیں ملا
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,تنخواہ ساخت لاپتہ
 DocType: Lead,Person Name,شخص کا نام
 DocType: Sales Invoice Item,Sales Invoice Item,فروخت انوائس آئٹم
 DocType: Account,Credit,کریڈٹ
@@ -216,19 +217,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,اسٹاک کی رپورٹ
 DocType: Warehouse,Warehouse Detail,گودام تفصیل
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,اصطلاح آخر تاریخ بعد میں جس چیز کی اصطلاح منسلک ہے کے تعلیمی سال کے سال آخر تاریخ سے زیادہ نہیں ہو سکتا ہے (تعلیمی سال {}). تاریخوں درست کریں اور دوبارہ کوشش کریں براہ مہربانی.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",&quot;فکسڈ اثاثہ ہے&quot; اثاثہ ریکارڈ کی شے کے خلاف موجود نہیں کے طور پر، انینترت ہو سکتا ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",&quot;فکسڈ اثاثہ ہے&quot; اثاثہ ریکارڈ کی شے کے خلاف موجود نہیں کے طور پر، انینترت ہو سکتا ہے
 DocType: Delivery Trip,Departure Time,روانگی کا وقت
 DocType: Vehicle Service,Brake Oil,وقفے تیل
 DocType: Tax Rule,Tax Type,ٹیکس کی قسم
 ,Completed Work Orders,مکمل کام کے حکم
 DocType: Support Settings,Forum Posts,فورم کے مراسلے
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,قابل ٹیکس رقم
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,قابل ٹیکس رقم
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},تم سے پہلے اندراجات شامل کرنے یا اپ ڈیٹ کرنے کی اجازت نہیں ہے {0}
 DocType: Leave Policy,Leave Policy Details,پالیسی کی تفصیلات چھوڑ دو
 DocType: BOM,Item Image (if not slideshow),آئٹم تصویر (سلائڈ شو نہیں تو)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,ڰنٹےکی شرح / 60) * اصل آپریشن کے وقت)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,قطار # {0}: ریفرنس دستاویز کی قسم میں اخراجات کا دعوی یا جرنل انٹری ہونا لازمی ہے
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM منتخب
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,قطار # {0}: ریفرنس دستاویز کی قسم میں اخراجات کا دعوی یا جرنل انٹری ہونا لازمی ہے
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM منتخب
 DocType: SMS Log,SMS Log,ایس ایم ایس لاگ ان
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ہونے والا اشیا کی لاگت
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} پر چھٹی تاریخ سے اور تاریخ کے درمیان نہیں ہے
@@ -237,16 +238,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,سپلائر اسٹینڈنگ کے سانچے.
 DocType: Lead,Interested,دلچسپی رکھنے والے
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,افتتاحی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},سے {0} سے {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},سے {0} سے {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,پروگرام:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,ٹیکس سیٹ کرنے میں ناکام
 DocType: Item,Copy From Item Group,آئٹم گروپ سے کاپی
-DocType: Delivery Trip,Delivery Notification,ترسیل کی اطلاع
 DocType: Journal Entry,Opening Entry,افتتاحی انٹری
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,اکاؤنٹ تنخواہ صرف
 DocType: Loan,Repay Over Number of Periods,دوران ادوار کی تعداد ادا
 DocType: Stock Entry,Additional Costs,اضافی اخراجات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,موجودہ لین دین کے ساتھ اکاؤنٹ گروپ میں تبدیل نہیں کیا جا سکتا.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,موجودہ لین دین کے ساتھ اکاؤنٹ گروپ میں تبدیل نہیں کیا جا سکتا.
 DocType: Lead,Product Enquiry,مصنوعات کی انکوائری
 DocType: Education Settings,Validate Batch for Students in Student Group,طالب علم گروپ کے طلبا کے بیچ کی توثیق
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},ملازم کیلئے کوئی چھٹی ریکارڈ {0} کے لئے {1}
@@ -254,7 +254,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,پہلی کمپنی داخل کریں
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,پہلی کمپنی کا انتخاب کریں
 DocType: Employee Education,Under Graduate,گریجویٹ کے تحت
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,براہ کرم انسانی حقوق کی ترتیبات میں چھوڑ اسٹیٹ نوٹیفیکیشن کے لئے ڈیفالٹ سانچے مقرر کریں.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,براہ کرم انسانی حقوق کی ترتیبات میں چھوڑ اسٹیٹ نوٹیفیکیشن کے لئے ڈیفالٹ سانچے مقرر کریں.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ہدف پر
 DocType: BOM,Total Cost,کل لاگت
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -267,7 +267,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,اکاؤنٹ کا بیان
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,دواسازی
 DocType: Purchase Invoice Item,Is Fixed Asset,فکسڈ اثاثہ ہے
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",دستیاب کی مقدار {0}، آپ کی ضرورت ہے {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",دستیاب کی مقدار {0}، آپ کی ضرورت ہے {1}
 DocType: Expense Claim Detail,Claim Amount,دعوے کی رقم
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},کام آرڈر {0}
@@ -301,13 +301,13 @@
 DocType: BOM,Quality Inspection Template,کوالٹی معائنہ سانچہ
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",آپ کی حاضری کو اپ ڈیٹ کرنا چاہتے ہیں؟ <br> موجودہ: {0} \ <br> غائب: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},مقدار مسترد منظور + شے کے لئے موصول مقدار کے برابر ہونا چاہیے {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},مقدار مسترد منظور + شے کے لئے موصول مقدار کے برابر ہونا چاہیے {0}
 DocType: Item,Supply Raw Materials for Purchase,خام مال کی سپلائی کی خریداری کے لئے
 DocType: Agriculture Analysis Criteria,Fertilizer,کھاد
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",سیریل نمبر کی طرف سے \ آئٹم {0} کے ذریعے ترسیل کو یقینی بنانے کے بغیر اور سیریل نمبر کی طرف سے یقینی بنانے کے بغیر شامل نہیں کیا جاسکتا ہے.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,بینک بیان ٹرانزیکشن انوائس آئٹم
 DocType: Products Settings,Show Products as a List,شو کی مصنوعات ایک فہرست کے طور
 DocType: Salary Detail,Tax on flexible benefit,لچکدار فائدہ پر ٹیکس
@@ -318,14 +318,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,مختلف مقدار
 DocType: Production Plan,Material Request Detail,مواد کی درخواست کی تفصیل
 DocType: Selling Settings,Default Quotation Validity Days,پہلے سے طے شدہ کوٹمنٹ والوتی دن
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شے کی درجہ بندی میں صف {0} میں ٹیکس شامل کرنے کے لئے، قطار میں ٹیکس {1} بھی شامل کیا جانا چاہئے
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شے کی درجہ بندی میں صف {0} میں ٹیکس شامل کرنے کے لئے، قطار میں ٹیکس {1} بھی شامل کیا جانا چاہئے
 DocType: SMS Center,SMS Center,ایس ایم ایس مرکز
 DocType: Payroll Entry,Validate Attendance,حاضری درست کریں
 DocType: Sales Invoice,Change Amount,رقم تبدیل
 DocType: Party Tax Withholding Config,Certificate Received,سرٹیفکیٹ موصول ہوا
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C کے لئے انوائس ویلیو سیٹ کریں. اس رسید قیمت پر مبنی B2CL اور B2CS کی حساب سے.
 DocType: BOM Update Tool,New BOM,نیا BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,مقرر کردہ طریقہ کار
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,مقرر کردہ طریقہ کار
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,صرف POS دکھائیں
 DocType: Supplier Group,Supplier Group Name,سپلائر گروپ کا نام
 DocType: Driver,Driving License Categories,ڈرائیونگ لائسنس زمرہ جات
@@ -340,7 +340,7 @@
 DocType: Payroll Period,Payroll Periods,ادائیگی کا وقت
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,ملازم بنائیں
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,نشریات
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS کی سیٹ اپ موڈ (آن لائن / آف لائن)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS کی سیٹ اپ موڈ (آن لائن / آف لائن)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,کام کے حکم کے خلاف وقت کی لاگت کی تخلیق کو غیر فعال کرتا ہے. آپریشن آرڈر کے خلاف کارروائی نہیں کی جائے گی
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,پھانسی
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,آپریشن کی تفصیلات سے کئے گئے.
@@ -374,7 +374,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),قیمت کی فہرست کی شرح پر ڈسکاؤنٹ (٪)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,آئٹم سانچہ
 DocType: Job Offer,Select Terms and Conditions,منتخب کریں شرائط و ضوابط
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,آؤٹ ویلیو
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,آؤٹ ویلیو
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,بینک بیان کی ترتیبات آئٹم
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ترتیبات
 DocType: Production Plan,Sales Orders,فروخت کے احکامات
@@ -387,20 +387,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,کوٹیشن کے لئے درخواست مندرجہ ذیل لنک پر کلک کر کے حاصل کیا جا سکتا
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG تخلیق کا آلہ کورس
 DocType: Bank Statement Transaction Invoice Item,Payment Description,ادائیگی کی تفصیل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,ناکافی اسٹاک
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,ناکافی اسٹاک
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,غیر فعال صلاحیت کی منصوبہ بندی اور وقت سے باخبر رہنا
 DocType: Email Digest,New Sales Orders,نئے فروخت کے احکامات
 DocType: Bank Account,Bank Account,بینک اکاؤنٹ
 DocType: Travel Itinerary,Check-out Date,چیک آؤٹ تاریخ
 DocType: Leave Type,Allow Negative Balance,منفی بیلنس کی اجازت دیں
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',آپ پراجیکٹ کی قسم کو خارج نہیں کرسکتے ہیں &#39;بیرونی&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,متبادل آئٹم منتخب کریں
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,متبادل آئٹم منتخب کریں
 DocType: Employee,Create User,یوزر بنائیں
 DocType: Selling Settings,Default Territory,پہلے سے طے شدہ علاقہ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,ٹیلی ویژن
 DocType: Work Order Operation,Updated via 'Time Log',&#39;وقت لاگ ان&#39; کے ذریعے اپ ڈیٹ
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,کسٹمر یا سپلائر منتخب کریں.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},ایڈوانس رقم سے زیادہ نہیں ہو سکتا {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},ایڈوانس رقم سے زیادہ نہیں ہو سکتا {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",ٹائم سلاٹ کو چھپا دیا گیا، سلاٹ {0} سے {1} سے باہر نکلنے والی سلاٹ {2} سے {3}
 DocType: Naming Series,Series List for this Transaction,اس ٹرانزیکشن کے لئے سیریز
 DocType: Company,Enable Perpetual Inventory,ہمیشہ انوینٹری فعال
@@ -421,7 +421,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,فروخت انوائس آئٹم خلاف
 DocType: Agriculture Analysis Criteria,Linked Doctype,لنک ڈیکائپ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,فنانسنگ کی طرف سے نیٹ کیش
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا
 DocType: Lead,Address & Contact,ایڈریس اور رابطہ
 DocType: Leave Allocation,Add unused leaves from previous allocations,گزشتہ آونٹن سے غیر استعمال شدہ پتے شامل
 DocType: Sales Partner,Partner website,شراکت دار کا ویب سائٹ
@@ -444,10 +444,10 @@
 ,Open Work Orders,کھولیں کام آرڈر
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,باہر مریض کی مشاورت چارج آئٹم
 DocType: Payment Term,Credit Months,کریڈٹ مہینے
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,نیٹ پے 0 سے کم نہیں ہو سکتا
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,نیٹ پے 0 سے کم نہیں ہو سکتا
 DocType: Contract,Fulfilled,پوری
 DocType: Inpatient Record,Discharge Scheduled,خارج ہونے والے مادہ کا تعین
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,تاریخ حاجت میں شمولیت کی تاریخ سے زیادہ ہونا چاہیے
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,تاریخ حاجت میں شمولیت کی تاریخ سے زیادہ ہونا چاہیے
 DocType: POS Closing Voucher,Cashier,کیشیر
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,سال پتے فی
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,صف {0}: براہ مہربانی چیک کریں کے اکاؤنٹ کے خلاف &#39;ایڈوانس ہے&#39; {1} اس پیشگی اندراج ہے.
@@ -458,15 +458,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,برائے مہربانی طالب علموں کے طلبا کے تحت طلب کریں
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,مکمل ملازمت
 DocType: Item Website Specification,Item Website Specification,شے کی ویب سائٹ کی تفصیلات
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,چھوڑ کریں
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},آئٹم {0} پر زندگی کے اس کے آخر تک پہنچ گیا ہے {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,چھوڑ کریں
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},آئٹم {0} پر زندگی کے اس کے آخر تک پہنچ گیا ہے {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,بینک لکھے
 DocType: Customer,Is Internal Customer,اندرونی کسٹمر ہے
 DocType: Crop,Annual,سالانہ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",اگر آٹو آپٹ ان کی جانچ پڑتال کی جاتی ہے تو، گاہکوں کو خود بخود متعلقہ وفادار پروگرام (محفوظ کرنے پر) سے منسلک کیا جائے گا.
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,اسٹاک مصالحتی آئٹم
 DocType: Stock Entry,Sales Invoice No,فروخت انوائس کوئی
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,سپلائی کی قسم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,سپلائی کی قسم
 DocType: Material Request Item,Min Order Qty,کم از کم آرڈر کی مقدار
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,طالب علم گروپ کی تخلیق کا آلہ کورس
 DocType: Lead,Do Not Contact,سے رابطہ نہیں کرتے
@@ -480,14 +480,14 @@
 DocType: Item,Publish in Hub,حب میں شائع
 DocType: Student Admission,Student Admission,طالب علم داخلہ
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} آئٹم منسوخ کر دیا ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} آئٹم منسوخ کر دیا ہے
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,استحکام صف {0}: استحکام شروع کی تاریخ گزشتہ تاریخ کے طور پر درج کی گئی ہے
 DocType: Contract Template,Fulfilment Terms and Conditions,مکمل شرائط و ضوابط
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,مواد کی درخواست
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,مواد کی درخواست
 DocType: Bank Reconciliation,Update Clearance Date,اپ ڈیٹ کی کلیئرنس تاریخ
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,خریداری کی تفصیلات
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},خریداری کے آرڈر میں خام مال کی فراہمی &#39;کے ٹیبل میں شے نہیں مل سکا {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},خریداری کے آرڈر میں خام مال کی فراہمی &#39;کے ٹیبل میں شے نہیں مل سکا {0} {1}
 DocType: Salary Slip,Total Principal Amount,کل پرنسپل رقم
 DocType: Student Guardian,Relation,ریلیشن
 DocType: Student Guardian,Mother,ماں
@@ -531,10 +531,11 @@
 DocType: Tax Rule,Shipping County,شپنگ کاؤنٹی
 DocType: Currency Exchange,For Selling,فروخت کے لئے
 apps/erpnext/erpnext/config/desktop.py +159,Learn,جانیے
+DocType: Purchase Invoice Item,Enable Deferred Expense,منتقل شدہ اخراج کو فعال کریں
 DocType: Asset,Next Depreciation Date,اگلا ہراس تاریخ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,فی ملازم سرگرمی لاگت
 DocType: Accounts Settings,Settings for Accounts,اکاؤنٹس کے لئے ترتیبات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},خریدار انوائس میں سپلائر انوائس موجود نہیں ہے {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},خریدار انوائس میں سپلائر انوائس موجود نہیں ہے {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,فروخت شخص درخت کا انتظام کریں.
 DocType: Job Applicant,Cover Letter,تعارفی خط
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,بقایا چیک اور صاف کرنے کے لئے جمع
@@ -549,7 +550,7 @@
 DocType: Employee,External Work History,بیرونی کام کی تاریخ
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,سرکلر حوالہ خرابی
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,طالب علم کی رپورٹ کارڈ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,پن کوڈ سے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,پن کوڈ سے
 DocType: Appointment Type,Is Inpatient,بیمار ہے
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 نام
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,آپ ڈلیوری نوٹ بچانے بار الفاظ (ایکسپورٹ) میں نظر آئے گا.
@@ -563,18 +564,19 @@
 DocType: Journal Entry,Multi Currency,ملٹی کرنسی
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,انوائس کی قسم
 DocType: Employee Benefit Claim,Expense Proof,اخراجات کا ثبوت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,ترسیل کے نوٹ
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},{0} محفوظ کرنا
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,ترسیل کے نوٹ
 DocType: Patient Encounter,Encounter Impression,تصادم کا اثر
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ٹیکس قائم
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,فروخت اثاثہ کی قیمت
 DocType: Volunteer,Morning,صبح
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,آپ اسے نکالا بعد ادائیگی انٹری پر نظر ثانی کر دیا گیا ہے. اسے دوبارہ ھیںچو براہ مہربانی.
 DocType: Program Enrollment Tool,New Student Batch,نیا طالب علم بیچ
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} آئٹم ٹیکس میں دو بار میں داخل
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,اس ہفتے اور زیر التواء سرگرمیوں کا خلاصہ
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} آئٹم ٹیکس میں دو بار میں داخل
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,اس ہفتے اور زیر التواء سرگرمیوں کا خلاصہ
 DocType: Student Applicant,Admitted,اعتراف کیا
 DocType: Workstation,Rent Cost,کرایہ لاگت
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,رقم ہراس کے بعد
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,رقم ہراس کے بعد
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,انے والے واقعات کے کیلنڈر
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,مختلف خصوصیات
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,مہینے اور سال براہ مہربانی منتخب کریں
@@ -612,8 +614,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},صرف فی کمپنی 1 اکاؤنٹ نہیں ہو سکتا {0} {1}
 DocType: Support Search Source,Response Result Key Path,جوابی نتیجہ کلیدی راستہ
 DocType: Journal Entry,Inter Company Journal Entry,انٹر کمپنی جرنل انٹری
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},مقدار کے لئے {0} کام کے حکم کی مقدار سے زیادہ نہیں ہونا چاہئے {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,منسلکہ ملاحظہ کریں
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},مقدار کے لئے {0} کام کے حکم کی مقدار سے زیادہ نہیں ہونا چاہئے {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,منسلکہ ملاحظہ کریں
 DocType: Purchase Order,% Received,٪ موصول
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,طلبہ تنظیموں بنائیں
 DocType: Volunteer,Weekends,اختتام ہفتہ
@@ -653,7 +655,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,کل بقایا
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ایک موجودہ سیریز کے شروع / موجودہ ترتیب تعداد کو تبدیل کریں.
 DocType: Dosage Strength,Strength,طاقت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ایک نئے گاہک بنائیں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,ایک نئے گاہک بنائیں
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,ختم ہونے پر
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ایک سے زیادہ قیمتوں کا تعین قواعد غالب کرنے کے لئے جاری ہے، صارفین تنازعہ کو حل کرنے دستی طور پر ترجیح مقرر کرنے کو کہا جاتا.
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,خریداری کے آرڈر بنائیں
@@ -664,17 +666,18 @@
 DocType: Workstation,Consumable Cost,فراہمی لاگت
 DocType: Purchase Receipt,Vehicle Date,گاڑی تاریخ
 DocType: Student Log,Medical,میڈیکل
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,کھونے کے لئے کی وجہ سے
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,براہ کرم منشیات کا انتخاب کریں
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,کھونے کے لئے کی وجہ سے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,براہ کرم منشیات کا انتخاب کریں
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,لیڈ مالک لیڈ کے طور پر ہی نہیں ہو سکتا
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,مختص رقم اسایڈجت رقم سے زیادہ نہیں کر سکتے ہیں
 DocType: Announcement,Receiver,وصول
 DocType: Location,Area UOM,علاقائی UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},کارگاہ چھٹیوں فہرست کے مطابق مندرجہ ذیل تاریخوں پر بند کر دیا ہے: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,مواقع
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,مواقع
 DocType: Lab Test Template,Single,سنگل
 DocType: Compensatory Leave Request,Work From Date,تاریخ سے کام
 DocType: Salary Slip,Total Loan Repayment,کل قرض کی واپسی
+DocType: Project User,View attachments,منسلکات دیکھیں
 DocType: Account,Cost of Goods Sold,فروخت سامان کی قیمت
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,لاگت مرکز درج کریں
 DocType: Drug Prescription,Dosage,خوراک
@@ -685,7 +688,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,مقدار اور شرح
 DocType: Delivery Note,% Installed,٪ نصب
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس روم / لیبارٹریز وغیرہ جہاں لیکچر شیڈول کر سکتے ہیں.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,دونوں کمپنیوں کی کمپنی کی کرنسیوں کو انٹر کمپنی کے تبادلوں کے لئے ملنا چاہئے.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,دونوں کمپنیوں کی کمپنی کی کرنسیوں کو انٹر کمپنی کے تبادلوں کے لئے ملنا چاہئے.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,پہلی کمپنی کا نام درج کریں
 DocType: Travel Itinerary,Non-Vegetarian,غیر سبزیاں
 DocType: Purchase Invoice,Supplier Name,سپلائر کے نام
@@ -695,7 +698,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,عارضی طور پر ہولڈنگ پر
 DocType: Account,Is Group,ہے گروپ
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,کریڈٹ نوٹ {0} کو خود کار طریقے سے بنایا گیا ہے
-DocType: Email Digest,Pending Purchase Orders,خریداری کے آرڈر زیر التوا
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,خود کار طریقے سے فیفو پر مبنی نمبر سیریل سیٹ
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,چیک سپلائر انوائس نمبر انفرادیت
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,ابتدائی ایڈریس کی تفصیلات
@@ -713,12 +715,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,اس ای میل کا ایک حصہ کے طور پر چلا جاتا ہے کہ تعارفی متن کی تخصیص کریں. ہر ٹرانزیکشن ایک علیحدہ تعارفی متن ہے.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},قطار {0}: خام مال کے سامان کے خلاف کارروائی کی ضرورت ہے {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},کمپنی کے لیے ڈیفالٹ قابل ادائیگی اکاؤنٹ سیٹ مہربانی {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},کام آرڈر {0} کو روکنے کے خلاف ٹرانزیکشن کی اجازت نہیں دی گئی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},کام آرڈر {0} کو روکنے کے خلاف ٹرانزیکشن کی اجازت نہیں دی گئی
 DocType: Setup Progress Action,Min Doc Count,کم از کم ڈیک شمار
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,تمام مینوفیکچرنگ کے عمل کے لئے عالمی ترتیبات.
 DocType: Accounts Settings,Accounts Frozen Upto,منجمد تک اکاؤنٹس
 DocType: SMS Log,Sent On,پر بھیجا
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,خاصیت {0} صفات ٹیبل میں ایک سے زیادہ مرتبہ منتخب
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,خاصیت {0} صفات ٹیبل میں ایک سے زیادہ مرتبہ منتخب
 DocType: HR Settings,Employee record is created using selected field. ,ملازم ریکارڈ منتخب کردہ میدان کا استعمال کرتے ہوئے تخلیق کیا جاتا ہے.
 DocType: Sales Order,Not Applicable,قابل اطلاق نہیں
 DocType: Amazon MWS Settings,UK,برطانیہ
@@ -747,20 +749,21 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,ملازم {0} پہلے ہی {1} پر {2} کے لئے درخواست کر چکے ہیں:
 DocType: Inpatient Record,AB Positive,AB مثبت
 DocType: Job Opening,Description of a Job Opening,ایک کام افتتاحی تفصیل
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,آج کے لئے زیر غور سرگرمیوں
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,آج کے لئے زیر غور سرگرمیوں
 DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet بنیاد پے رول کے لئے تنخواہ کے اجزاء.
+DocType: Driver,Applicable for external driver,بیرونی ڈرائیور کے لئے قابل اطلاق
 DocType: Sales Order Item,Used for Production Plan,پیداوار کی منصوبہ بندی کے لئے استعمال کیا جاتا ہے
 DocType: Loan,Total Payment,کل ادائیگی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,مکمل کام کے آرڈر کے لئے ٹرانزیکشن منسوخ نہیں کر سکتا.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,مکمل کام کے آرڈر کے لئے ٹرانزیکشن منسوخ نہیں کر سکتا.
 DocType: Manufacturing Settings,Time Between Operations (in mins),(منٹ میں) آپریشنز کے درمیان وقت
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,پی پی پہلے سے ہی تمام سیلز آرڈر کی اشیاء کے لئے تیار کیا
 DocType: Healthcare Service Unit,Occupied,قبضہ کر لیا
 DocType: Clinical Procedure,Consumables,استعمال اطلاع دیں
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} لہذا کارروائی مکمل نہیں کیا جا سکتا ہے منسوخ کر دیا ہے
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} لہذا کارروائی مکمل نہیں کیا جا سکتا ہے منسوخ کر دیا ہے
 DocType: Customer,Buyer of Goods and Services.,اشیا اور خدمات کی خریدار.
 DocType: Journal Entry,Accounts Payable,واجب الادا کھاتہ
 DocType: Patient,Allergies,الرجی
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,منتخب شدہ BOMs ہی شے کے لئے نہیں ہیں
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,منتخب شدہ BOMs ہی شے کے لئے نہیں ہیں
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,آئٹم کوڈ کو تبدیل کریں
 DocType: Supplier Scorecard Standing,Notify Other,دیگر مطلع کریں
 DocType: Vital Signs,Blood Pressure (systolic),بلڈ پریشر (systolic)
@@ -772,7 +775,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,بس بہت کچھ حصوں کی تعمیر
 DocType: POS Profile User,POS Profile User,POS پروفائل صارف
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,قطار {0}: استحکام شروع کی تاریخ کی ضرورت ہے
-DocType: Sales Invoice Item,Service Start Date,سروس شروع کی تاریخ
+DocType: Purchase Invoice Item,Service Start Date,سروس شروع کی تاریخ
 DocType: Subscription Invoice,Subscription Invoice,سبسکرپشن انوائس
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,براہ راست آمدنی
 DocType: Patient Appointment,Date TIme,تاریخ وقت
@@ -792,7 +795,7 @@
 DocType: Lab Test Template,Lab Routine,لیب روٹین
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,کاسمیٹک
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,مکمل شدہ اثاثہ کی بحالی کی لاگت کے لئے براہ کرم تاریخ کا انتخاب کریں
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",ضم کرنے کے لئے، مندرجہ ذیل خصوصیات دونوں اشیاء کے لئے ایک ہی ہونا چاہیے
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",ضم کرنے کے لئے، مندرجہ ذیل خصوصیات دونوں اشیاء کے لئے ایک ہی ہونا چاہیے
 DocType: Supplier,Block Supplier,بلاک سپلائر
 DocType: Shipping Rule,Net Weight,سارا وزن
 DocType: Job Opening,Planned number of Positions,پوزیشن کی منصوبہ بندی کی تعداد
@@ -814,19 +817,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,کیش فلو تعریفیں سانچہ
 DocType: Travel Request,Costing Details,قیمتوں کا تعین
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,واپسی اندراج دکھائیں
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,سیریل کوئی شے ایک حصہ نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,سیریل کوئی شے ایک حصہ نہیں ہو سکتا
 DocType: Journal Entry,Difference (Dr - Cr),فرق (ڈاکٹر - CR)
 DocType: Bank Guarantee,Providing,فراہم کرنا
 DocType: Account,Profit and Loss,نفع اور نقصان
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",اجازت نہیں ہے، ضرورت کے مطابق لیب ٹیسٹ سانچہ کو ترتیب دیں
 DocType: Patient,Risk Factors,خطرہ عوامل
 DocType: Patient,Occupational Hazards and Environmental Factors,پیشہ ورانہ خطرات اور ماحولیاتی عوامل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,اسٹاک انٹریز پہلے سے ہی کام آرڈر کے لئے تیار ہیں
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,اسٹاک انٹریز پہلے سے ہی کام آرڈر کے لئے تیار ہیں
 DocType: Vital Signs,Respiratory rate,سوزش کی شرح
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,منیجنگ ذیلی سمجھوتے
 DocType: Vital Signs,Body Temperature,جسمانی درجہ حرارت
 DocType: Project,Project will be accessible on the website to these users,منصوبہ ان کے صارفین کو ویب سائٹ پر قابل رسائی ہو جائے گا
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},{0} {1} منسوخ نہیں کر سکتا کیونکہ سیریل نمبر {2} گودام سے متعلق نہیں ہے {3}
 DocType: Detected Disease,Disease,بیماری
+DocType: Company,Default Deferred Expense Account,ڈیفالٹ منتقل شدہ اخراجات اکاؤنٹ
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,پروجیکٹ کی قسم کی وضاحت کریں.
 DocType: Supplier Scorecard,Weighting Function,وزن کی فنکشن
 DocType: Healthcare Practitioner,OP Consulting Charge,اوپی کنسلٹنگ چارج
@@ -843,7 +848,7 @@
 DocType: Crop,Produced Items,تیار کردہ اشیاء
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,انوائس پر ٹرانزیکشن ملائیں
 DocType: Sales Order Item,Gross Profit,کل منافع
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,انوائس انوائس
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,انوائس انوائس
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,اضافہ 0 نہیں ہو سکتا
 DocType: Company,Delete Company Transactions,کمپنی معاملات حذف
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,حوالہ نمبر اور ریفرنس تاریخ بینک ٹرانزیکشن کے لئے لازمی ہے
@@ -864,11 +869,11 @@
 DocType: Budget,Ignore,نظر انداز
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} فعال نہیں ہے
 DocType: Woocommerce Settings,Freight and Forwarding Account,فریٹ اور فارورڈنگ اکاؤنٹ
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,پرنٹنگ کے لئے سیٹ اپ کے چیک جہتوں
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,پرنٹنگ کے لئے سیٹ اپ کے چیک جہتوں
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,تنخواہ سلپس بنائیں
 DocType: Vital Signs,Bloated,پھولا ہوا
 DocType: Salary Slip,Salary Slip Timesheet,تنخواہ کی پرچی Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ذیلی کنٹریکٹڈ خریداری کی رسید کے لئے لازمی پردایک گودام
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ذیلی کنٹریکٹڈ خریداری کی رسید کے لئے لازمی پردایک گودام
 DocType: Item Price,Valid From,سے درست
 DocType: Sales Invoice,Total Commission,کل کمیشن
 DocType: Tax Withholding Account,Tax Withholding Account,ٹیکس کو روکنے کے اکاؤنٹ
@@ -876,12 +881,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,تمام سپلائر سکور کارڈ.
 DocType: Buying Settings,Purchase Receipt Required,خریداری کی رسید کی ضرورت ہے
 DocType: Delivery Note,Rail,ریل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,قطار {0} میں ہدف گودام کام کام کے طور پر ہی ہونا ضروری ہے
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,اسٹاک کھولنے میں داخل ہوئے تو اندازہ شرح لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,قطار {0} میں ہدف گودام کام کام کے طور پر ہی ہونا ضروری ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,اسٹاک کھولنے میں داخل ہوئے تو اندازہ شرح لازمی ہے
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,انوائس ٹیبل میں پایا کوئی ریکارڈ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,پہلی کمپنی اور پارٹی کی قسم منتخب کریں
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",پہلے ہی صارف پروفائل {1} کے لئے {0} پے پروفائل میں ڈیفالٹ مقرر کیا ہے، تو پہلے سے طے شدہ طور پر غیر فعال کر دیا گیا ہے
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,مالی / اکاؤنٹنگ سال.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,مالی / اکاؤنٹنگ سال.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,جمع اقدار
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",معذرت، سیریل نمبر ضم نہیں کیا جا سکتا
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,گاہکوں کو Shopify سے مطابقت پذیری کرتے وقت گروپ منتخب کیا جائے گا
@@ -895,7 +900,7 @@
 ,Lead Id,لیڈ کی شناخت
 DocType: C-Form Invoice Detail,Grand Total,مجموعی عدد
 DocType: Assessment Plan,Course,کورس
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,سیکشن کوڈ
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,سیکشن کوڈ
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,نصف تاریخ تاریخ اور تاریخ کے درمیان ہونا چاہئے
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,آئٹم کی ٹوکری
@@ -904,7 +909,8 @@
 DocType: Employee,Personal Bio,ذاتی بیو
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,رکنیت کی شناخت
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},نجات: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},نجات: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks سے منسلک
 DocType: Bank Statement Transaction Entry,Payable Account,قابل ادائیگی اکاؤنٹ
 DocType: Payment Entry,Type of Payment,ادائیگی کی قسم
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,نصف دن کی تاریخ لازمی ہے
@@ -916,7 +922,7 @@
 DocType: Sales Invoice,Shipping Bill Date,شپنگ بل کی تاریخ
 DocType: Production Plan,Production Plan,پیداوار کی منصوبہ بندی
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,افتتاحی انوائس تخلیق کا آلہ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,سیلز واپس
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,سیلز واپس
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,نوٹ: کل روانہ مختص {0} پہلے ہی منظور پتیوں سے کم نہیں ہونا چاہئے {1} مدت کے لئے
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,سیریل نمبر ان پٹ پر مبنی ٹرانزیکشن میں مقدار مقرر کریں
 ,Total Stock Summary,کل اسٹاک خلاصہ
@@ -929,9 +935,9 @@
 DocType: Authorization Rule,Customer or Item,کسٹمر یا شے
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,کسٹمر ڈیٹا بیس.
 DocType: Quotation,Quotation To,کے لئے کوٹیشن
-DocType: Lead,Middle Income,درمیانی آمدنی
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,درمیانی آمدنی
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),افتتاحی (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,آپ نے پہلے ہی ایک UOM ساتھ کچھ لین دین (ے) بنا دیا ہے کی وجہ سے اشیاء کے لئے پیمائش کی پہلے سے طے شدہ یونٹ {0} براہ راست تبدیل نہیں کیا جا سکتا. آپ کو ایک مختلف پہلے سے طے شدہ UOM استعمال کرنے کے لئے ایک نیا آئٹم تخلیق کرنے کے لئے کی ضرورت ہو گی.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,آپ نے پہلے ہی ایک UOM ساتھ کچھ لین دین (ے) بنا دیا ہے کی وجہ سے اشیاء کے لئے پیمائش کی پہلے سے طے شدہ یونٹ {0} براہ راست تبدیل نہیں کیا جا سکتا. آپ کو ایک مختلف پہلے سے طے شدہ UOM استعمال کرنے کے لئے ایک نیا آئٹم تخلیق کرنے کے لئے کی ضرورت ہو گی.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,مختص رقم منفی نہیں ہو سکتا
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,کمپنی قائم کی مہربانی
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,کمپنی قائم کی مہربانی
@@ -949,15 +955,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,بینک اندراج کرنے کے لئے منتخب ادائیگی اکاؤنٹ
 DocType: Hotel Settings,Default Invoice Naming Series,ڈیفالٹ انوائس نامی سیریز
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",پتیوں، اخراجات دعووں اور پے رول انتظام کرنے کے لئے ملازم ریکارڈز تخلیق کریں
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,اپ ڈیٹ کی کارروائی کے دوران ایک خرابی واقع ہوئی
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,اپ ڈیٹ کی کارروائی کے دوران ایک خرابی واقع ہوئی
 DocType: Restaurant Reservation,Restaurant Reservation,ریسٹورانٹ ریزرویشن
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,تجویز تحریری طور پر
 DocType: Payment Entry Deduction,Payment Entry Deduction,ادائیگی انٹری کٹوتی
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,ختم کرو
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,گاہکوں کو ای میل کے ذریعے مطلع کریں
 DocType: Item,Batch Number Series,بیچ نمبر سیریز
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,ایک فروخت شخص {0} اسی ملازم ID کے ساتھ موجود
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,ایک فروخت شخص {0} اسی ملازم ID کے ساتھ موجود
 DocType: Employee Advance,Claimed Amount,دعوی رقم
+DocType: QuickBooks Migrator,Authorization Settings,اجازت کی ترتیبات
 DocType: Travel Itinerary,Departure Datetime,دور دورہ
 DocType: Customer,CUST-.YYYY.-,CUST -YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,سفر کی درخواست لاگت
@@ -997,26 +1004,29 @@
 DocType: Buying Settings,Supplier Naming By,سے پردایک نام دینے
 DocType: Activity Type,Default Costing Rate,پہلے سے طے شدہ لاگت کی شرح
 DocType: Maintenance Schedule,Maintenance Schedule,بحالی کے شیڈول
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",پھر قیمتوں کا تعین قواعد وغیرہ کسٹمر، کسٹمر گروپ، علاقہ، سپلائر، سپلائر کی قسم، مہم، سیلز پارٹنر کی بنیاد پر فلٹر کر رہے ہیں
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",پھر قیمتوں کا تعین قواعد وغیرہ کسٹمر، کسٹمر گروپ، علاقہ، سپلائر، سپلائر کی قسم، مہم، سیلز پارٹنر کی بنیاد پر فلٹر کر رہے ہیں
 DocType: Employee Promotion,Employee Promotion Details,ملازم فروغ کی تفصیلات
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,انوینٹری میں خالص تبدیلی
 DocType: Employee,Passport Number,پاسپورٹ نمبر
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 ساتھ تعلق
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,مینیجر
 DocType: Payment Entry,Payment From / To,/ سے ادائیگی
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,مالی سال سے
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},کسٹمر کے لئے موجودہ کریڈٹ کی حد سے کم نئی کریڈٹ کی حد کم ہے. کریڈٹ کی حد کم از کم ہے {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},برائے مہربانی گودام میں اکاؤنٹ مقرر کریں {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},برائے مہربانی گودام میں اکاؤنٹ مقرر کریں {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,اور گروپ سے &#39;&#39; کی بنیاد پر &#39;ہی نہیں ہو سکتا
 DocType: Sales Person,Sales Person Targets,فروخت شخص اہداف
 DocType: Work Order Operation,In minutes,منٹوں میں
 DocType: Issue,Resolution Date,قرارداد تاریخ
 DocType: Lab Test Template,Compound,کمپاؤنڈ
+DocType: Opportunity,Probability (%),امکان (٪)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,ڈسپیچ کی اطلاع
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,پراپرٹی کا انتخاب کریں
 DocType: Student Batch Name,Batch Name,بیچ کا نام
 DocType: Fee Validity,Max number of visit,دورے کی زیادہ سے زیادہ تعداد
 ,Hotel Room Occupancy,ہوٹل کمرہ ہستی
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Timesheet پیدا کیا:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},ادائیگی کے موڈ میں پہلے سے طے شدہ نقد یا بینک اکاؤنٹ مقرر کریں {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},ادائیگی کے موڈ میں پہلے سے طے شدہ نقد یا بینک اکاؤنٹ مقرر کریں {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,اندراج کریں
 DocType: GST Settings,GST Settings,GST ترتیبات
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},کرنسی قیمت کی قیمت کرنسی کے طور پر ہی ہونا چاہئے: {0}
@@ -1057,12 +1067,12 @@
 DocType: Loan,Total Interest Payable,کل سود قابل ادائیگی
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,لینڈڈ لاگت ٹیکسز اور چارجز
 DocType: Work Order Operation,Actual Start Time,اصل وقت آغاز
+DocType: Purchase Invoice Item,Deferred Expense Account,جمع شدہ اخراجات کا اکاؤنٹ
 DocType: BOM Operation,Operation Time,آپریشن کے وقت
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,ختم
 DocType: Salary Structure Assignment,Base,بنیاد
 DocType: Timesheet,Total Billed Hours,کل بل گھنٹے
 DocType: Travel Itinerary,Travel To,سفر کرنے کے لئے
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,نہیں ہے
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,رقم لکھیں
 DocType: Leave Block List Allow,Allow User,صارف کی اجازت
 DocType: Journal Entry,Bill No,بل نہیں
@@ -1081,9 +1091,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,وقت شیٹ
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush خام مال کی بنیاد پر
 DocType: Sales Invoice,Port Code,پورٹ کوڈ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,ریزرو گودام
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,ریزرو گودام
 DocType: Lead,Lead is an Organization,لیڈ تنظیم ہے
-DocType: Guardian Interest,Interest,دلچسپی
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,پہلی فروخت
 DocType: Instructor Log,Other Details,دیگر تفصیلات
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1093,7 +1102,7 @@
 DocType: Account,Accounts,اکاؤنٹس
 DocType: Vehicle,Odometer Value (Last),odometer قیمت (سابقہ)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,سپلائر سکور کارڈ کے معیار کے سانچے.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,مارکیٹنگ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,مارکیٹنگ
 DocType: Sales Invoice,Redeem Loyalty Points,وفادار پوائنٹس کو مسترد کریں
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,ادائیگی انٹری پہلے ہی تخلیق کیا جاتا ہے
 DocType: Request for Quotation,Get Suppliers,سپلائرز حاصل کریں
@@ -1110,16 +1119,14 @@
 DocType: Crop,Crop Spacing UOM,فصلوں کی جگہ UOM
 DocType: Loyalty Program,Single Tier Program,واحد ٹائر پروگرام
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,صرف منتخب کریں اگر آپ نے کیش فلو میپر دستاویزات کو سیٹ اپ کیا ہے
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,ایڈریس 1 سے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,ایڈریس 1 سے
 DocType: Email Digest,Next email will be sent on:,پیچھے اگلا، دوسرا ای میل پر بھیجا جائے گا:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",مندرجہ ذیل آئٹم {اشیاء} {فعل} آئٹم {آئٹم} کے طور پر نشان لگا دیا گیا ہے. \ n آپ ان کو اپنے پیغام ماسٹر سے {پیغام} آئٹم کے طور پر فعال کرسکتے ہیں
 DocType: Supplier Scorecard,Per Week,فی ہفتہ
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,آئٹم مختلف حالتوں ہے.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,آئٹم مختلف حالتوں ہے.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,کل طالب علم
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,آئٹم {0} نہیں ملا
 DocType: Bin,Stock Value,اسٹاک کی قیمت
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,کمپنی {0} موجود نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,کمپنی {0} موجود نہیں ہے
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} تک فیس کی توثیق ہے {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,درخت کی قسم
 DocType: BOM Explosion Item,Qty Consumed Per Unit,مقدار فی یونٹ بسم
@@ -1134,7 +1141,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,کریڈٹ کارڈ انٹری
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,کمپنی اور اکاؤنٹس
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,قدر میں
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,قدر میں
 DocType: Asset Settings,Depreciation Options,استحصال کے اختیارات
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,کسی جگہ یا ملازم کی ضرورت ہو گی
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,غلط پوسٹنگ وقت
@@ -1151,20 +1158,21 @@
 DocType: Leave Allocation,Allocation,مختص کرنے
 DocType: Purchase Order,Supply Raw Materials,خام مال کی سپلائی
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,موجودہ اثاثہ جات
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} اسٹاک شے نہیں ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} اسٹاک شے نہیں ہے
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',براہ کرم &#39;ٹریننگ فیڈریشن&#39; پر کلک کرکے تربیت کے لۓ اپنی رائے کا اشتراک کریں اور پھر &#39;نیا&#39;
 DocType: Mode of Payment Account,Default Account,پہلے سے طے شدہ اکاؤنٹ
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,سب سے پہلے سٹاک کی ترتیبات میں نمونہ برقرار رکھنے گودام کا انتخاب کریں
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,سب سے پہلے سٹاک کی ترتیبات میں نمونہ برقرار رکھنے گودام کا انتخاب کریں
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,ایک سے زائد مجموعہ کے قواعد کے لۓ ایک سے زیادہ ٹائر پروگرام کی قسم منتخب کریں.
 DocType: Payment Entry,Received Amount (Company Currency),موصولہ رقم (کمپنی کرنسی)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,مواقع لیڈ سے بنایا گیا ہے تو قیادت مرتب کیا جانا چاہئے
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,ادائیگی منسوخ کردی گئی. مزید تفصیلات کے لئے براہ کرم اپنے گوشورڈ اکاؤنٹ چیک کریں
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,منسلک کے ساتھ بھیجیں
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,ہفتہ وار چھٹی کا دن منتخب کریں
 DocType: Inpatient Record,O Negative,اے منفی
 DocType: Work Order Operation,Planned End Time,منصوبہ بندی اختتام وقت
 ,Sales Person Target Variance Item Group-Wise,فروخت شخص ہدف تغیر آئٹم گروپ حکیم
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,موجودہ لین دین کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,موجودہ لین دین کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,یادداشت کی قسم کی تفصیلات
 DocType: Delivery Note,Customer's Purchase Order No,گاہک کی خریداری آرڈر نمبر
 DocType: Clinical Procedure,Consume Stock,اسٹاک کا استعمال
@@ -1177,26 +1185,26 @@
 DocType: Soil Texture,Sand,ریت
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,توانائی
 DocType: Opportunity,Opportunity From,سے مواقع
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,قطار {0}: {1} آئٹم {2} کے لئے سیریل نمبر ضروری ہے. آپ نے {3} فراہم کیا ہے.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,قطار {0}: {1} آئٹم {2} کے لئے سیریل نمبر ضروری ہے. آپ نے {3} فراہم کیا ہے.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,براہ کرم میز منتخب کریں
 DocType: BOM,Website Specifications,ویب سائٹ نردجیکرن
 DocType: Special Test Items,Particulars,نصاب
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: سے {0} قسم کا {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,صف {0}: تبادلوں فیکٹر لازمی ہے
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,صف {0}: تبادلوں فیکٹر لازمی ہے
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",اسی معیار کے ساتھ ایک سے زیادہ قیمت کے قوانین موجود ہیں، براہ کرم ترجیحات کو تفویض کرکے تنازعات کو حل کریں. قیمت کے قواعد: {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",اسی معیار کے ساتھ ایک سے زیادہ قیمت کے قوانین موجود ہیں، براہ کرم ترجیحات کو تفویض کرکے تنازعات کو حل کریں. قیمت کے قواعد: {0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,ایکسچینج کی شرح ریفریجریشن اکاؤنٹ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,غیر فعال یا اسے دوسرے BOMs ساتھ منسلک کیا جاتا کے طور پر BOM منسوخ نہیں کر سکتے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,غیر فعال یا اسے دوسرے BOMs ساتھ منسلک کیا جاتا کے طور پر BOM منسوخ نہیں کر سکتے
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,برائے مہربانی اندراجات حاصل کرنے کے لئے کمپنی اور پوسٹنگ کی تاریخ کا انتخاب کریں
 DocType: Asset,Maintenance,بحالی
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,مریض کے مباحثے سے حاصل کریں
 DocType: Subscriber,Subscriber,سبسکرائب
 DocType: Item Attribute Value,Item Attribute Value,شے کی قیمت خاصیت
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,براہ کرم اپنی پراجیکٹ کی حیثیت کو اپ ڈیٹ کریں
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,براہ کرم اپنی پراجیکٹ کی حیثیت کو اپ ڈیٹ کریں
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,خریدنے یا فروخت کے لئے کرنسی ایکسچینج لازمی طور پر نافذ ہونا ضروری ہے.
 DocType: Item,Maximum sample quantity that can be retained,زیادہ سے زیادہ نمونہ کی مقدار جو برقرار رکھی جا سکتی ہے
 DocType: Project Update,How is the Project Progressing Right Now?,پروجیکٹ پیش رفت اب تک کس طرح ہے؟
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},قطار {0} # آئٹم {1} کو خریداری آرڈر کے خلاف {2} سے زیادہ منتقل نہیں کیا جا سکتا {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},قطار {0} # آئٹم {1} کو خریداری آرڈر کے خلاف {2} سے زیادہ منتقل نہیں کیا جا سکتا {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,سیلز مہمات.
 DocType: Project Task,Make Timesheet,Timesheet بنائیں
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1225,36 +1233,38 @@
 DocType: Lab Test,Lab Test,لیب ٹیسٹ
 DocType: Student Report Generation Tool,Student Report Generation Tool,طالب علم کی رپورٹ جنریشن کا آلہ
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ہیلتھ کیئر شیڈول ٹائم سلاٹ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,ڈاکٹر کا نام
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,ڈاکٹر کا نام
 DocType: Expense Claim Detail,Expense Claim Type,اخراجات دعوی کی قسم
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,خریداری کی ٹوکری کے لئے پہلے سے طے شدہ ترتیبات
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Timeslots شامل کریں
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},جرنل انٹری {0} کے ذریعے گرا دیا اثاثہ
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},براہ کرم گودام میں اکاؤنٹ مقرر کریں {0} یا پہلے سے طے شدہ انوینٹری اکاؤنٹس کمپنی میں {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},جرنل انٹری {0} کے ذریعے گرا دیا اثاثہ
 DocType: Loan,Interest Income Account,سودی آمدنی اکاؤنٹ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,فوائد کو تقسیم کرنے کے لئے صفر سے زیادہ سے زیادہ فوائد ہونا چاہئے
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,فوائد کو تقسیم کرنے کے لئے صفر سے زیادہ سے زیادہ فوائد ہونا چاہئے
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,دعوت نامہ بھیجنے کا جائزہ لیں
 DocType: Shift Assignment,Shift Assignment,شفٹ کی تفویض
 DocType: Employee Transfer Property,Employee Transfer Property,ملازم ٹرانسمیشن پراپرٹی
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,وقت سے کم وقت ہونا چاہئے
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,جیو ٹیکنالوجی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",آئٹم {0} (سیریل نمبر: {1}) استعمال نہیں کیا جا سکتا جیسا کہ reserverd \ سیلز آرڈر {2} کو مکمل کرنے کے لئے ہے.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,آفس دیکھ بھال کے اخراجات
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,کے پاس جاؤ
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify سے ERPNext قیمت قیمت کی فہرست سے اپ ڈیٹ کریں
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ای میل اکاؤنٹ سیٹ اپ کیا
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,پہلی شے داخل کریں
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,تجزیہ کی ضرورت ہے
 DocType: Asset Repair,Downtime,Downtime
 DocType: Account,Liability,ذمہ داری
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,منظور رقم صف میں دعوے کی رقم سے زیادہ نہیں ہو سکتا {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,منظور رقم صف میں دعوے کی رقم سے زیادہ نہیں ہو سکتا {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,تعلیمی اصطلاح:
 DocType: Salary Component,Do not include in total,کل میں شامل نہ کریں
 DocType: Company,Default Cost of Goods Sold Account,سامان فروخت اکاؤنٹ کے پہلے سے طے شدہ لاگت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},نمونہ مقدار {0} وصول شدہ مقدار سے زیادہ نہیں ہوسکتا ہے {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,قیمت کی فہرست منتخب نہیں
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},نمونہ مقدار {0} وصول شدہ مقدار سے زیادہ نہیں ہوسکتا ہے {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,قیمت کی فہرست منتخب نہیں
 DocType: Employee,Family Background,خاندانی پس منظر
 DocType: Request for Quotation Supplier,Send Email,ای میل بھیجیں
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},انتباہ: غلط لف دستاویز {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},انتباہ: غلط لف دستاویز {0}
 DocType: Item,Max Sample Quantity,زیادہ سے زیادہ نمونہ مقدار
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,کوئی اجازت
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,معاہدے کی مکمل جانچ پڑتال کی فہرست
@@ -1286,15 +1296,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: لاگت مرکز {2} کمپنی سے تعلق نہیں ہے {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),اپنا خط سر اپ لوڈ کریں (اسے 100px تک 900px کے طور پر ویب دوستانہ رکھیں)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: اکاؤنٹ {2} ایک گروپ نہیں ہو سکتا
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,آئٹم صف {IDX): (DOCTYPE} {} DOCNAME مندرجہ بالا میں موجود نہیں ہے &#39;{DOCTYPE}&#39; کے ٹیبل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Timesheet {0} پہلے ہی مکمل یا منسوخ کر دیا ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Timesheet {0} پہلے ہی مکمل یا منسوخ کر دیا ہے
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks مگراٹر
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,کوئی کاموں
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,سیلز انوائس {0} ادا کی گئی ہے
 DocType: Item Variant Settings,Copy Fields to Variant,مختلف قسم کے فیلڈز
 DocType: Asset,Opening Accumulated Depreciation,جمع ہراس کھولنے
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,اسکور 5 سے کم یا برابر ہونا چاہیے
 DocType: Program Enrollment Tool,Program Enrollment Tool,پروگرام کے اندراج کے آلے
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,سی فارم ریکارڈز
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,سی فارم ریکارڈز
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,حصص پہلے ہی موجود ہیں
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,کسٹمر اور سپلائر
 DocType: Email Digest,Email Digest Settings,ای میل ڈائجسٹ ترتیبات
@@ -1307,12 +1317,12 @@
 DocType: Production Plan,Select Items,منتخب شدہ اشیاء
 DocType: Share Transfer,To Shareholder,شیئر ہولڈر کے لئے
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} بل کے خلاف {1} ء {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,ریاست سے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,ریاست سے
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,سیٹ اپ انسٹی ٹیوٹ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,پتیوں کو مختص کرنا ...
 DocType: Program Enrollment,Vehicle/Bus Number,گاڑی / بس نمبر
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,کورس شیڈول
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",آپ کو پیسول مدت کے آخری تنخواہ پر غیر مقفل شدہ ٹیکس چھوٹ پروف اور غیر اعلان شدہ \ ملازم فوائد کے لئے ٹیکس کم کرنا ہوگا
 DocType: Request for Quotation Supplier,Quote Status,اقتباس کی حیثیت
 DocType: GoCardless Settings,Webhooks Secret,Webhooks خفیہ
@@ -1338,13 +1348,13 @@
 DocType: Sales Invoice,Payment Due Date,ادائیگی کی وجہ سے تاریخ
 DocType: Drug Prescription,Interval UOM,انٹرا UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",منتخب کرنے کے بعد، منتخب کردہ ایڈریس کو بچانے کے بعد میں ترمیم کیا جاتا ہے
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,آئٹم مختلف {0} پہلے ہی صفات کے ساتھ موجود
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,آئٹم مختلف {0} پہلے ہی صفات کے ساتھ موجود
 DocType: Item,Hub Publishing Details,ہب پبلشنگ کی تفصیلات
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',افتتاحی'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',افتتاحی'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ایسا کرنے کے لئے کھلے
 DocType: Issue,Via Customer Portal,کسٹمر پورٹل کے ذریعے
 DocType: Notification Control,Delivery Note Message,ترسیل کے نوٹ پیغام
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,ایس جی ایس ایس کی رقم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,ایس جی ایس ایس کی رقم
 DocType: Lab Test Template,Result Format,نتیجہ کی شکل
 DocType: Expense Claim,Expenses,اخراجات
 DocType: Item Variant Attribute,Item Variant Attribute,آئٹم مختلف خاصیت
@@ -1352,14 +1362,12 @@
 DocType: Payroll Entry,Bimonthly,دو ماہی
 DocType: Vehicle Service,Brake Pad,وقفے پیڈ
 DocType: Fertilizer,Fertilizer Contents,کھاد
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,ریسرچ اینڈ ڈیولپمنٹ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,ریسرچ اینڈ ڈیولپمنٹ
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,بل رقم
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","آغاز کی تاریخ اور اختتام تاریخ نوکری کارڈ کے ساتھ اوورلوپنگ ہے <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,رجسٹریشن کی تفصیلات
 DocType: Timesheet,Total Billed Amount,کل بل کی رقم
 DocType: Item Reorder,Re-Order Qty,دوبارہ آرڈر کی مقدار
 DocType: Leave Block List Date,Leave Block List Date,بلاک فہرست تاریخ چھوڑ دو
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,براہ کرم تعلیمی&gt; تعلیمی ترتیبات میں انسٹرکٹر نامیاتی نظام قائم کریں
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,بوم # {0}: خام مال اہم آئٹم کی طرح نہیں ہوسکتی ہے
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,خریداری کی رسید اشیا ٹیبل میں تمام قابل اطلاق چارجز کل ٹیکس اور الزامات طور پر ایک ہی ہونا چاہیے
 DocType: Sales Team,Incentives,ترغیبات
@@ -1373,7 +1381,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,پوائنٹ کے فروخت
 DocType: Fee Schedule,Fee Creation Status,فیس تخلیق کی حیثیت
 DocType: Vehicle Log,Odometer Reading,odometer پڑھنے
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",پہلے سے ہی کریڈٹ اکاؤنٹ بیلنس، آپ ڈیبٹ &#39;کے طور پر کی بیلنس ہونا چاہئے&#39; قائم کرنے کی اجازت نہیں کر رہے ہیں
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",پہلے سے ہی کریڈٹ اکاؤنٹ بیلنس، آپ ڈیبٹ &#39;کے طور پر کی بیلنس ہونا چاہئے&#39; قائم کرنے کی اجازت نہیں کر رہے ہیں
 DocType: Account,Balance must be,بیلنس ہونا ضروری ہے
 DocType: Notification Control,Expense Claim Rejected Message,اخراجات دعوے کو مسترد پیغام
 ,Available Qty,دستیاب مقدار
@@ -1385,7 +1393,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,احکامات کی تفصیلات کو سنبھالنے سے پہلے اپنی مصنوعات کو ایمیزون میگاواٹ سے ہمیشہ سنبھالیں
 DocType: Delivery Trip,Delivery Stops,ترسیل بند
 DocType: Salary Slip,Working Days,کام کے دنوں میں
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},صف میں آئٹم کے لئے سروس سٹاپ کی تاریخ کو تبدیل نہیں کر سکتا {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},صف میں آئٹم کے لئے سروس سٹاپ کی تاریخ کو تبدیل نہیں کر سکتا {0}
 DocType: Serial No,Incoming Rate,موصولہ کی شرح
 DocType: Packing Slip,Gross Weight,مجموعی وزن
 DocType: Leave Type,Encashment Threshold Days,تھراشولڈ دن کا سراغ لگانا
@@ -1404,31 +1412,33 @@
 DocType: Restaurant Table,Minimum Seating,کم سے کم نشست
 DocType: Item Attribute,Item Attribute Values,آئٹم خاصیت فہرست
 DocType: Examination Result,Examination Result,امتحان کے نتائج
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,خریداری کی رسید
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,خریداری کی رسید
 ,Received Items To Be Billed,موصول ہونے والی اشیاء بل بھیجا جائے کرنے کے لئے
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,کرنسی کی شرح تبادلہ ماسٹر.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,کرنسی کی شرح تبادلہ ماسٹر.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},حوالۂ ڈاٹپائپ میں سے ایک ہونا لازمی ہے {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,فلرو مقدار فلٹر
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},آپریشن کے لئے اگلے {0} دنوں میں وقت سلاٹ تلاش کرنے سے قاصر {1}
 DocType: Work Order,Plan material for sub-assemblies,ذیلی اسمبلیوں کے لئے منصوبہ مواد
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,سیلز شراکت دار اور علاقہ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} فعال ہونا ضروری ہے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} فعال ہونا ضروری ہے
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,منتقلی کے لئے دستیاب اشیاء نہیں
 DocType: Employee Boarding Activity,Activity Name,سرگرمی کا نام
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,تبدیلی کی تاریخ تبدیل کریں
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,تیار کردہ مصنوعات کی مقدار <b>{0}</b> اور مقدار کے لئے <b>{1}</b> مختلف نہیں ہوسکتا
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,تبدیلی کی تاریخ تبدیل کریں
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,تیار کردہ مصنوعات کی مقدار <b>{0}</b> اور مقدار کے لئے <b>{1}</b> مختلف نہیں ہوسکتا
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),بند (کھولنے + کل)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,آئٹم کوڈ&gt; آئٹم گروپ&gt; برانڈ
+DocType: Delivery Settings,Dispatch Notification Attachment,ڈسپیچ نوٹیفیکیشن منسلک
 DocType: Payroll Entry,Number Of Employees,ملازمین کی تعداد
 DocType: Journal Entry,Depreciation Entry,ہراس انٹری
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,پہلی دستاویز کی قسم منتخب کریں
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,پہلی دستاویز کی قسم منتخب کریں
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,اس کی بحالی کا منسوخ کرنے سے پہلے منسوخ مواد دورہ {0}
 DocType: Pricing Rule,Rate or Discount,شرح یا ڈسکاؤنٹ
 DocType: Vital Signs,One Sided,یک طرفہ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},سیریل نمبر {0} آئٹم سے تعلق نہیں ہے {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,مطلوبہ مقدار
 DocType: Marketplace Settings,Custom Data,اپنی مرضی کے مطابق ڈیٹا
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,موجودہ منتقلی کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},آئٹم کے لئے سیریل نمبر ضروری نہیں ہے {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,موجودہ منتقلی کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},آئٹم کے لئے سیریل نمبر ضروری نہیں ہے {0}
 DocType: Bank Reconciliation,Total Amount,کل رقم
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,تاریخ اور تاریخ سے مختلف مالی سال میں جھوٹ بولتے ہیں
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,مریض {0} انوائس پر کسٹمر ریفنس نہیں ہے
@@ -1439,9 +1449,9 @@
 DocType: Soil Texture,Clay Composition (%),مٹی ساخت (٪)
 DocType: Item Group,Item Group Defaults,آئٹم گروپ کی غلطیاں
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,کام کو تفویض کرنے سے قبل براہ کرم محفوظ کریں.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,بیلنس ویلیو
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,بیلنس ویلیو
 DocType: Lab Test,Lab Technician,ماہر تجربہ گاہ
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,سیلز قیمت کی فہرست
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,سیلز قیمت کی فہرست
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",اگر جانچ پڑتال ہو تو، ایک کسٹمر تخلیق کیا جائے گا، مریض کو نقدی. اس گاہک کے خلاف مریض انوائس بنائے جائیں گے. آپ مریض پیدا کرنے کے دوران موجودہ کسٹمر بھی منتخب کرسکتے ہیں.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,کسٹمر کسی بھی وفادار پروگرام میں داخل نہیں ہوا ہے
@@ -1455,13 +1465,13 @@
 DocType: Support Search Source,Search Term Param Name,تلاش ٹرم پیر نام
 DocType: Item Barcode,Item Barcode,آئٹم بارکوڈ
 DocType: Woocommerce Settings,Endpoints,اختتام
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,آئٹم متغیرات {0} اپ ڈیٹ
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,آئٹم متغیرات {0} اپ ڈیٹ
 DocType: Quality Inspection Reading,Reading 6,6 پڑھنا
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,نہ {0} {1} {2} بھی منفی بقایا انوائس کے بغیر کر سکتے ہیں
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,نہ {0} {1} {2} بھی منفی بقایا انوائس کے بغیر کر سکتے ہیں
 DocType: Share Transfer,From Folio No,فولیو نمبر سے
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,انوائس پیشگی خریداری
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},صف {0}: کریڈٹ اندراج کے ساتھ منسلک نہیں کیا جا سکتا ہے {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,ایک مالی سال کے لئے بجٹ کی وضاحت کریں.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,ایک مالی سال کے لئے بجٹ کی وضاحت کریں.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext اکاؤنٹ
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} بلاک ہے لہذا یہ ٹرانزیکشن آگے بڑھا نہیں سکتا
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,اگر ماہانہ بجٹ جمع ہوئی تو ایم کیو ایم سے ایکشن ختم ہوگئی
@@ -1477,19 +1487,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,خریداری کی رسید
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,ایک کام آرڈر کے خلاف متعدد مواد کی کھپت کی اجازت دیں
 DocType: GL Entry,Voucher Detail No,واؤچر تفصیل کوئی
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,نئے فروخت انوائس
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,نئے فروخت انوائس
 DocType: Stock Entry,Total Outgoing Value,کل سبکدوش ہونے والے ویلیو
 DocType: Healthcare Practitioner,Appointments,اپیلمنٹ
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,تاریخ اور آخری تاریخ کھولنے اسی مالی سال کے اندر اندر ہونا چاہئے
 DocType: Lead,Request for Information,معلومات کے لئے درخواست
 ,LeaderBoard,لیڈر
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),مارجن کے ساتھ شرح (کمپنی کی کرنسی)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,مطابقت پذیری حاضر انوائس
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,مطابقت پذیری حاضر انوائس
 DocType: Payment Request,Paid,ادائیگی
 DocType: Program Fee,Program Fee,پروگرام کی فیس
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",کسی خاص BOM کو دوسرے دوسرے BOM میں تبدیل کریں جہاں اسے استعمال کیا جاتا ہے. یہ پرانے BOM لنک کی جگہ لے لے گی، تازہ کاری کے اخراجات اور نئے BOM کے مطابق &quot;بوم دھماکہ آئٹم&quot; ٹیبل دوبارہ بنائے گا. یہ تمام بی ایمز میں تازہ ترین قیمت بھی اپ ڈیٹ کرتا ہے.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,مندرجہ ذیل کام کرنے والوں کو تشکیل دیا گیا تھا:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,مندرجہ ذیل کام کرنے والوں کو تشکیل دیا گیا تھا:
 DocType: Salary Slip,Total in words,الفاظ میں کل
 DocType: Inpatient Record,Discharged,ڈسچارج
 DocType: Material Request Item,Lead Time Date,لیڈ وقت تاریخ
@@ -1500,16 +1510,16 @@
 DocType: Support Settings,Get Started Sections,شروع حصوں
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM- LEAD-YYYY.-
 DocType: Loan,Sanctioned,منظور
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ موجودنھئں
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},صف # {0}: شے کے لئے کوئی سیریل کی وضاحت کریں {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},کل شراکت کی رقم: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},صف # {0}: شے کے لئے کوئی سیریل کی وضاحت کریں {1}
 DocType: Payroll Entry,Salary Slips Submitted,تنخواہ سلپس پیش کی گئی
 DocType: Crop Cycle,Crop Cycle,فصل کا سائیکل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",&#39;پروڈکٹ بنڈل&#39; اشیاء، گودام، سیریل نمبر اور بیچ کے لئے نہیں &#39;پیکنگ کی فہرست کی میز سے غور کیا جائے گا. گودام اور بیچ کسی بھی &#39;پروڈکٹ بنڈل&#39; شے کے لئے تمام پیکنگ اشیاء کے لئے ایک ہی ہیں، ان اقدار بنیادی شے کے ٹیبل میں داخل کیا جا سکتا، اقدار ٹیبل &#39;پیکنگ کی فہرست&#39; کے لئے کاپی کیا جائے گا.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",&#39;پروڈکٹ بنڈل&#39; اشیاء، گودام، سیریل نمبر اور بیچ کے لئے نہیں &#39;پیکنگ کی فہرست کی میز سے غور کیا جائے گا. گودام اور بیچ کسی بھی &#39;پروڈکٹ بنڈل&#39; شے کے لئے تمام پیکنگ اشیاء کے لئے ایک ہی ہیں، ان اقدار بنیادی شے کے ٹیبل میں داخل کیا جا سکتا، اقدار ٹیبل &#39;پیکنگ کی فہرست&#39; کے لئے کاپی کیا جائے گا.
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,جگہ سے
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,نیٹ ورک کینن منفی ہو
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,جگہ سے
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,نیٹ ورک کینن منفی ہو
 DocType: Student Admission,Publish on website,ویب سائٹ پر شائع کریں
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,سپلائر انوائس تاریخ پوسٹنگ کی تاریخ سے زیادہ نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,سپلائر انوائس تاریخ پوسٹنگ کی تاریخ سے زیادہ نہیں ہو سکتا
 DocType: Installation Note,MAT-INS-.YYYY.-,میٹ - انس - .YYYY-
 DocType: Subscription,Cancelation Date,منسوخ تاریخ
 DocType: Purchase Invoice Item,Purchase Order Item,آرڈر شے کی خریداری
@@ -1518,7 +1528,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,طلبا کی حاضری کا آلہ
 DocType: Restaurant Menu,Price List (Auto created),قیمت کی فہرست (آٹو تخلیق)
 DocType: Cheque Print Template,Date Settings,تاریخ کی ترتیبات
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,بادبانی
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,بادبانی
 DocType: Employee Promotion,Employee Promotion Detail,ملازم فروغ کی تفصیل
 ,Company Name,کمپنی کا نام
 DocType: SMS Center,Total Message(s),کل پیغام (ے)
@@ -1548,7 +1558,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,ملازم سالگرہ کی یاددہانیاں نہ بھیجیں
 DocType: Expense Claim,Total Advance Amount,مجموعی رقم کی رقم
 DocType: Delivery Stop,Estimated Arrival,متوقع آمد
-DocType: Delivery Stop,Notified by Email,ای میل کے ذریعہ مطلع کیا گیا ہے
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,تمام مضامین دیکھیں
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,میں چلنے
 DocType: Item,Inspection Criteria,معائنہ کا کلیہ
@@ -1558,23 +1567,22 @@
 DocType: Timesheet Detail,Bill,بل
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,وائٹ
 DocType: SMS Center,All Lead (Open),تمام لیڈ (کھولیں) تیار
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: کے لئے مقدار دستیاب نہیں {4} گودام میں {1} اندراج کے وقت پوسٹنگ میں ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: کے لئے مقدار دستیاب نہیں {4} گودام میں {1} اندراج کے وقت پوسٹنگ میں ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,آپ چیک بکس کی فہرست سے زیادہ سے زیادہ ایک اختیار منتخب کرسکتے ہیں.
 DocType: Purchase Invoice,Get Advances Paid,پیشگی ادا کرنے
 DocType: Item,Automatically Create New Batch,خود کار طریقے سے نئی کھیپ بنائیں
 DocType: Item,Automatically Create New Batch,خود کار طریقے سے نئی کھیپ بنائیں
 DocType: Supplier,Represents Company,کمپنی کی واپسی
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,بنائیں
 DocType: Student Admission,Admission Start Date,داخلے شروع کرنے کی تاریخ
 DocType: Journal Entry,Total Amount in Words,الفاظ میں کل رقم
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,نیا کارکن
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,میں ایک خامی تھی. ایک ممکنہ وجہ آپ کو فارم محفوظ نہیں ہے کہ ہو سکتا ہے. اگر مسئلہ برقرار رہے support@erpnext.com سے رابطہ کریں.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,میری کارڈز
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},آرڈر کی قسم سے ایک ہونا ضروری {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},آرڈر کی قسم سے ایک ہونا ضروری {0}
 DocType: Lead,Next Contact Date,اگلی رابطہ تاریخ
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,مقدار کھولنے
 DocType: Healthcare Settings,Appointment Reminder,تقرری یاد دہانی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,تبدیلی کی رقم کے اکاؤنٹ درج کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,تبدیلی کی رقم کے اکاؤنٹ درج کریں
 DocType: Program Enrollment Tool Student,Student Batch Name,Student کی بیچ کا نام
 DocType: Holiday List,Holiday List Name,چھٹیوں فہرست کا نام
 DocType: Repayment Schedule,Balance Loan Amount,بیلنس قرض کی رقم
@@ -1584,13 +1592,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,اسٹاک اختیارات
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,ٹوکری میں شامل نہیں کردہ اشیاء
 DocType: Journal Entry Account,Expense Claim,اخراجات کا دعوی
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,اگر تم واقعی اس کو ختم کر دیا اثاثہ بحال کرنا چاہتے ہیں؟
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,اگر تم واقعی اس کو ختم کر دیا اثاثہ بحال کرنا چاہتے ہیں؟
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},کے لئے مقدار {0}
 DocType: Leave Application,Leave Application,چھٹی کی درخواست
 DocType: Patient,Patient Relation,مریض تعلقات
 DocType: Item,Hub Category to Publish,حب زمرہ شائع کرنے کے لئے
 DocType: Leave Block List,Leave Block List Dates,بلاک فہرست تاریخوں چھوڑ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",سیلز آرڈر {0} کے پاس آئٹم {1} کے لئے بکنگ ہے، آپ صرف {1} کے خلاف {0} محفوظ کر سکتے ہیں. سیریل نمبر {2} پہنچا نہیں جا سکتا
 DocType: Sales Invoice,Billing Address GSTIN,بلنگ ایڈریس GSTIN
@@ -1608,16 +1616,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},وضاحت کریں ایک {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,مقدار یا قدر میں کوئی تبدیلی نہیں کے ساتھ ختم اشیاء.
 DocType: Delivery Note,Delivery To,کی ترسیل کے
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,مختلف تخلیق کی گئی ہے.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} کے لئے کام کا خلاصہ
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,مختلف تخلیق کی گئی ہے.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} کے لئے کام کا خلاصہ
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,فہرست میں پہلے سے ہی جانے والے پہلے سے ہی پہلے سے طے شدہ وقت کے طور پر مقرر کی جائے گی.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,وصف میز لازمی ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,وصف میز لازمی ہے
 DocType: Production Plan,Get Sales Orders,سیلز احکامات حاصل
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} منفی نہیں ہو سکتا
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,فوری کتابوں سے رابطہ کریں
 DocType: Training Event,Self-Study,خود مطالعہ
 DocType: POS Closing Voucher,Period End Date,مدت ختم ہونے کی تاریخ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,مٹی کی ترکیبیں 100 تک شامل نہیں ہیں
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,ڈسکاؤنٹ
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,صف {0}: {1} کھولنے کے لئے ضروری ہے {2} انوائس
 DocType: Membership,Membership,رکنیت
 DocType: Asset,Total Number of Depreciations,Depreciations کی کل تعداد
 DocType: Sales Invoice Item,Rate With Margin,مارجن کے ساتھ کی شرح
@@ -1629,7 +1639,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},ٹیبل میں قطار {0} کے لئے ایک درست صف ID کی وضاحت براہ کرم {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,متغیر تلاش کرنے میں ناکام
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,براہ مہربانی numpad سے ترمیم کرنے کے لئے فیلڈ کا انتخاب کریں
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,اسٹاک لیزر کی تشکیل کے طور پر ایک مقررہ اثاثہ اشیاء نہیں ہوسکتی ہے.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,اسٹاک لیزر کی تشکیل کے طور پر ایک مقررہ اثاثہ اشیاء نہیں ہوسکتی ہے.
 DocType: Subscription Plan,Fixed rate,فکسڈ کی شرح
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,تسلیم
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,ڈیسک ٹاپ پر جائیں اور ERPNext استعمال کرتے ہوئے شروع
@@ -1663,7 +1673,7 @@
 DocType: Tax Rule,Shipping State,شپنگ ریاست
 ,Projected Quantity as Source,ماخذ کے طور پر پیش مقدار
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,آئٹم بٹن &#39;خریداری رسیدیں سے اشیاء حاصل کا استعمال کرتے ہوئے شامل کیا جانا چاہیے
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,ترسیل کا دورہ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,ترسیل کا دورہ
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,ٹرانسمیشن کی قسم
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,فروخت کے اخراجات
@@ -1676,8 +1686,9 @@
 DocType: Item Default,Default Selling Cost Center,پہلے سے طے شدہ فروخت لاگت مرکز
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,ڈسک
 DocType: Buying Settings,Material Transferred for Subcontract,ذیلی ذیلی تقسیم کے لئے منتقل شدہ مواد
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,زپ کوڈ
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},سیلز آرڈر {0} ہے {1}
+DocType: Email Digest,Purchase Orders Items Overdue,خریداری کے احکامات کو آگے بڑھانا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,زپ کوڈ
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},سیلز آرڈر {0} ہے {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},قرض میں دلچسپی آمدنی کا اکاؤنٹ منتخب کریں {0}
 DocType: Opportunity,Contact Info,رابطے کی معلومات
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,اسٹاک اندراجات کر رہے ہیں
@@ -1690,12 +1701,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,صفر بلنگ گھنٹے کے لئے انوائس نہیں بنایا جا سکتا
 DocType: Company,Date of Commencement,آغاز کی تاریخ
 DocType: Sales Person,Select company name first.,پہلے منتخب کمپنی کا نام.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},{0} کو ای میل بھیج دیا گیا
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},{0} کو ای میل بھیج دیا گیا
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,کوٹیشن سپلائر کی طرف سے موصول.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,بوم تبدیل کریں اور تمام بی ایمز میں تازہ ترین قیمت کو اپ ڈیٹ کریں
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},کرنے کے لئے {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,یہ جڑ سپلائر گروپ ہے اور اس میں ترمیم نہیں کیا جاسکتا ہے.
-DocType: Delivery Trip,Driver Name,ڈرائیور کا نام
+DocType: Delivery Note,Driver Name,ڈرائیور کا نام
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,اوسط عمر
 DocType: Education Settings,Attendance Freeze Date,حاضری جھروکے تاریخ
 DocType: Education Settings,Attendance Freeze Date,حاضری جھروکے تاریخ
@@ -1708,7 +1719,7 @@
 DocType: Company,Parent Company,والدین کی کمپنی
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},{1} قسم کے ہوٹل کے کمرے دستیاب نہیں ہیں {1}
 DocType: Healthcare Practitioner,Default Currency,پہلے سے طے شدہ کرنسی
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,آئٹم {0} کے لئے زیادہ سے زیادہ رعایت ہے {1}٪
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,آئٹم {0} کے لئے زیادہ سے زیادہ رعایت ہے {1}٪
 DocType: Asset Movement,From Employee,ملازم سے
 DocType: Driver,Cellphone Number,موبائل نمبر
 DocType: Project,Monitor Progress,نگرانی کی ترقی
@@ -1724,19 +1735,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},مقدار {0} سے کم یا برابر ہونا ضروری ہے
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},اجزاء {0} سے زیادہ {1} سے زائد زیادہ رقم اہل ہے
 DocType: Department Approver,Department Approver,محکمہ تقریبا
+DocType: QuickBooks Migrator,Application Settings,درخواست کی ترتیبات
 DocType: SMS Center,Total Characters,کل کردار
 DocType: Employee Advance,Claimed,دعوی کیا
 DocType: Crop,Row Spacing,قطار کی جگہ
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},آئٹم کے لئے BOM میدان میں BOM منتخب کریں {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},آئٹم کے لئے BOM میدان میں BOM منتخب کریں {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,منتخب کردہ آئٹم کے لئے کوئی آئٹم متغیر نہیں ہے
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,سی فارم انوائس تفصیل
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ادائیگی مصالحتی انوائس
 DocType: Clinical Procedure,Procedure Template,پروسیسنگ سانچہ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,شراکت٪
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",خریدنے کی ترتیبات کے مطابق اگر خریداری کی ضرورت ہوتی ہے تو == &#39;ہاں&#39;، پھر خریداری انوائس کی تخلیق کے لۓ، صارف کو شے کے لئے سب سے پہلے خریداری آرڈر تیار کرنے کی ضرورت ہے {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,شراکت٪
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",خریدنے کی ترتیبات کے مطابق اگر خریداری کی ضرورت ہوتی ہے تو == &#39;ہاں&#39;، پھر خریداری انوائس کی تخلیق کے لۓ، صارف کو شے کے لئے سب سے پہلے خریداری آرڈر تیار کرنے کی ضرورت ہے {0}
 ,HSN-wise-summary of outward supplies,بیرونی سامان کی HSN وار - خلاصہ
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,آپ کا حوالہ کے لئے کمپنی کی رجسٹریشن نمبر. ٹیکس نمبر وغیرہ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,ریاست کے لئے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,ریاست کے لئے
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,ڈسٹریبیوٹر
 DocType: Asset Finance Book,Asset Finance Book,اثاثہ فنانس کتاب
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خریداری کی ٹوکری شپنگ حکمرانی
@@ -1745,7 +1757,7 @@
 ,Ordered Items To Be Billed,کو حکم دیا اشیاء بل بھیجا جائے کرنے کے لئے
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,رینج کم ہونا ضروری ہے کے مقابلے میں رینج کے لئے
 DocType: Global Defaults,Global Defaults,گلوبل ڈیفالٹس
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,منصوبے کے تعاون کا دعوت نامہ
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,منصوبے کے تعاون کا دعوت نامہ
 DocType: Salary Slip,Deductions,کٹوتیوں
 DocType: Setup Progress Action,Action Name,ایکشن کا نام
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,شروع سال
@@ -1759,11 +1771,12 @@
 DocType: Lead,Consultant,کنسلٹنٹ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,والدین ٹیچر میٹنگ حاضری
 DocType: Salary Slip,Earnings,آمدنی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,ختم آئٹم {0} تیاری قسم اندراج کے لئے داخل ہونا ضروری ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,ختم آئٹم {0} تیاری قسم اندراج کے لئے داخل ہونا ضروری ہے
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,کھولنے اکاؤنٹنگ بیلنس
 ,GST Sales Register,جی ایس ٹی سیلز رجسٹر
 DocType: Sales Invoice Advance,Sales Invoice Advance,فروخت انوائس ایڈوانس
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,کچھ درخواست کرنے کے لئے
+DocType: Stock Settings,Default Return Warehouse,پہلے سے طے شدہ واپسی گودام
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,اپنا ڈومین منتخب کریں
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify سپلائر
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ادائیگی انوائس اشیاء
@@ -1772,14 +1785,15 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,صرف تخلیق کے وقت فیلڈز کو کاپی کیا جائے گا.
 DocType: Setup Progress Action,Domains,ڈومینز
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&#39;اصل تاریخ آغاز&#39; &#39;اصل تاریخ اختتام&#39; سے زیادہ نہیں ہو سکتا
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,مینجمنٹ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,مینجمنٹ
 DocType: Cheque Print Template,Payer Settings,بوگتانکرتا ترتیبات
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,دیئے گئے اشیاء کے لئے لنک کرنے کے لئے کوئی زیر التواء مواد کی درخواست نہیں ملی.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,سب سے پہلے کمپنی کا انتخاب کریں
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",یہ مختلف کی آئٹم کوڈ منسلک کیا جائے گا. آپ مخفف &quot;ایس ایم&quot; ہے، اور اگر مثال کے طور پر، شے کے کوڈ &quot;ٹی شرٹ&quot;، &quot;ٹی شرٹ-ایس ایم&quot; ہو جائے گا ویرینٹ کی شے کوڈ آن ہے
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,آپ کو تنخواہ پرچی بچانے بار (الفاظ میں) نیٹ پے نظر آئے گا.
 DocType: Delivery Note,Is Return,واپسی ہے
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,احتیاط
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,واپس / ڈیبٹ نوٹ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,واپس / ڈیبٹ نوٹ
 DocType: Price List Country,Price List Country,قیمت کی فہرست ملک
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} شے کے لئے درست سیریل نمبر {1}
@@ -1792,13 +1806,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,گرانٹ معلومات
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,پردایک ڈیٹا بیس.
 DocType: Contract Template,Contract Terms and Conditions,معاہدہ شرائط و ضوابط
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,آپ ایک سبسکرپشن کو دوبارہ شروع نہیں کرسکتے جو منسوخ نہیں ہوسکتا.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,آپ ایک سبسکرپشن کو دوبارہ شروع نہیں کرسکتے جو منسوخ نہیں ہوسکتا.
 DocType: Account,Balance Sheet,بیلنس شیٹ
 DocType: Leave Type,Is Earned Leave,کم آمدنی ہے
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',&#39;آئٹم کوڈ شے کے لئے مرکز لاگت
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',&#39;آئٹم کوڈ شے کے لئے مرکز لاگت
 DocType: Fee Validity,Valid Till,تک مؤثر
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,کل والدین ٹیچر میٹنگ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ادائیگی موڈ تشکیل نہیں ہے. چاہے اکاؤنٹ ادائیگیاں کے موڈ پر یا POS پروفائل پر قائم کیا گیا ہے، براہ مہربانی چیک کریں.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ادائیگی موڈ تشکیل نہیں ہے. چاہے اکاؤنٹ ادائیگیاں کے موڈ پر یا POS پروفائل پر قائم کیا گیا ہے، براہ مہربانی چیک کریں.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ایک ہی شے کے کئی بار داخل نہیں کیا جا سکتا.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",مزید اکاؤنٹس گروپوں کے تحت بنایا جا سکتا ہے، لیکن اندراجات غیر گروپوں کے خلاف بنایا جا سکتا ہے
 DocType: Lead,Lead,لیڈ
@@ -1807,11 +1821,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth ٹوکن
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,اسٹاک انٹری {0} پیدا
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,آپ کو بہت زیادہ وفادار پوائنٹس حاصل کرنے کے لئے نہیں ہے
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,صف # {0}: مقدار خریداری واپس میں داخل نہیں کیا جا سکتا مسترد
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},برائے مہربانی کمپنی {1} کے خلاف ٹیکس ہولڈنگ زمرہ {0} میں منسلک اکاؤنٹ مقرر کریں.
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,صف # {0}: مقدار خریداری واپس میں داخل نہیں کیا جا سکتا مسترد
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,منتخب کسٹمر کے لئے کسٹمر گروپ کو تبدیل کرنے کی اجازت نہیں ہے.
 ,Purchase Order Items To Be Billed,خریداری کے آرڈر اشیا بل بھیجا جائے کرنے کے لئے
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,متوقع آنے والے اوقات کو اپ ڈیٹ کرنا.
 DocType: Program Enrollment Tool,Enrollment Details,اندراج کی تفصیلات
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,ایک کمپنی کے لئے متعدد آئٹم ڈیفالٹ مقرر نہیں کرسکتے ہیں.
 DocType: Purchase Invoice Item,Net Rate,نیٹ کی شرح
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,برائے مہربانی ایک کسٹمر منتخب کریں
 DocType: Leave Policy,Leave Allocations,تخصیص چھوڑ دو
@@ -1842,7 +1858,7 @@
 DocType: Loan Application,Repayment Info,باز ادائیگی کی معلومات
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""entries"" خالی نہیں ہو سکتا"
 DocType: Maintenance Team Member,Maintenance Role,بحالی رول
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},کے ساتھ ڈپلیکیٹ قطار {0} اسی {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},کے ساتھ ڈپلیکیٹ قطار {0} اسی {1}
 DocType: Marketplace Settings,Disable Marketplace,مارکیٹ کی جگہ کو غیر فعال کریں
 ,Trial Balance,مقدمے کی سماعت توازن
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,مالی سال {0} نہیں ملا
@@ -1853,9 +1869,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,سبسکرائب کی ترتیبات
 DocType: Purchase Invoice,Update Auto Repeat Reference,خود کار طریقے سے ریفرنس دوبارہ اپ ڈیٹ کریں
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},اختیاری چھٹیوں کی فہرست کو چھوڑنے کیلئے مدت مقرر نہیں کی گئی ہے {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},اختیاری چھٹیوں کی فہرست کو چھوڑنے کیلئے مدت مقرر نہیں کی گئی ہے {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,ریسرچ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,2 ایڈریس کرنے کے لئے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,2 ایڈریس کرنے کے لئے
 DocType: Maintenance Visit Purpose,Work Done,کام ہو گیا
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,صفات ٹیبل میں کم از کم ایک وصف کی وضاحت کریں
 DocType: Announcement,All Students,تمام طلباء
@@ -1865,16 +1881,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,منسلک لین دین
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,قدیم ترین
 DocType: Crop Cycle,Linked Location,لنک کردہ مقام
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",ایک آئٹم گروپ ایک ہی نام کے ساتھ موجود ہے، شے کے نام کو تبدیل کرنے یا شے کے گروپ کو دوسرا نام کریں
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",ایک آئٹم گروپ ایک ہی نام کے ساتھ موجود ہے، شے کے نام کو تبدیل کرنے یا شے کے گروپ کو دوسرا نام کریں
 DocType: Crop Cycle,Less than a year,ایک سال سے کم
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,طالب علم کے موبائل نمبر
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,باقی دنیا کے
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,باقی دنیا کے
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,آئٹم {0} بیچ نہیں کر سکتے ہیں
 DocType: Crop,Yield UOM,یوم UOM
 ,Budget Variance Report,بجٹ تغیر رپورٹ
 DocType: Salary Slip,Gross Pay,مجموعی ادائیگی
 DocType: Item,Is Item from Hub,ہب سے آئٹم ہے
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,صحت کی خدمات سے متعلق اشیاء حاصل کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,صحت کی خدمات سے متعلق اشیاء حاصل کریں
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,صف {0}: سرگرمی کی قسم لازمی ہے.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,فائدہ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,اکاؤنٹنگ لیجر
@@ -1889,6 +1905,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,ادائیگی کے موڈ
 DocType: Purchase Invoice,Supplied Items,فراہم کی اشیا
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},برائے مہربانی ریستوران کے لئے ایک فعال مینو مقرر کریں {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,کمیشن کی شرح٪
 DocType: Work Order,Qty To Manufacture,تیار کرنے کی مقدار
 DocType: Email Digest,New Income,نئی آمدنی
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,خریداری سائیکل بھر میں ایک ہی شرح کو برقرار رکھنے
@@ -1903,12 +1920,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},قطار میں آئٹم کیلئے مطلوب شرح کی ضرورت {0}
 DocType: Supplier Scorecard,Scorecard Actions,اسکور کارڈ کے اعمال
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,مثال: کمپیوٹر سائنس میں ماسٹرز
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},سپلائر {0} میں نہیں مل سکا {1}
 DocType: Purchase Invoice,Rejected Warehouse,مسترد گودام
 DocType: GL Entry,Against Voucher,واؤچر کے خلاف
 DocType: Item Default,Default Buying Cost Center,پہلے سے طے شدہ خرید لاگت مرکز
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",ERPNext باہر سب سے بہترین حاصل کرنے کے لئے، ہم نے آپ کو کچھ وقت لینے کے لئے اور ان کی مدد کی ویڈیوز دیکھنے کے لئے مشورہ ہے کہ.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),ڈیفالٹ سپلائر کے لئے (اختیاری)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,کے لئے
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),ڈیفالٹ سپلائر کے لئے (اختیاری)
 DocType: Supplier Quotation Item,Lead Time in days,دنوں میں وقت کی قیادت
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,قابل ادائیگی اکاؤنٹس کے خلاصے
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},منجمد اکاؤنٹ میں ترمیم کرنے کی اجازت نہیں {0}
@@ -1917,7 +1934,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,کوٹیشن کے لئے نئی درخواست کے لئے انتباہ
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,خریداری کے احکامات کو آپ کی منصوبہ بندی کی مدد کرنے اور آپ کی خریداری پر عمل
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,لیب ٹیسٹ نسخہ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",کل مسئلہ / ٹرانسفر کی مقدار {0} مواد کی درخواست میں {1} \ {2} کی درخواست کی مقدار آئٹم کے لئے سے زیادہ نہیں ہو سکتا {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,چھوٹے
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",اگر Shopify میں آرڈر میں کوئی گاہک پر مشتمل نہیں ہے، تو حکم کے مطابقت پذیر ہونے پر، نظام کو ڈیفالٹ کسٹمر کو آرڈر کے لۓ غور کرے گا
@@ -1929,6 +1946,7 @@
 DocType: Project,% Completed,٪ مکمل
 ,Invoiced Amount (Exculsive Tax),انوائس کی رقم (Exculsive ٹیکس)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,آئٹم 2
+DocType: QuickBooks Migrator,Authorization Endpoint,اجازت کے آخر پوائنٹ
 DocType: Travel Request,International,بین اقوامی
 DocType: Training Event,Training Event,تربیت ایونٹ
 DocType: Item,Auto re-order,آٹو دوبارہ آرڈر
@@ -1937,24 +1955,24 @@
 DocType: Contract,Contract,معاہدہ
 DocType: Plant Analysis,Laboratory Testing Datetime,لیبارٹری ٹیسٹنگ ڈیٹیٹ ٹائم
 DocType: Email Digest,Add Quote,اقتباس میں شامل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM لئے ضروری UOM coversion عنصر: {0} آئٹم میں: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM لئے ضروری UOM coversion عنصر: {0} آئٹم میں: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,بالواسطہ اخراجات
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,صف {0}: مقدار لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,صف {0}: مقدار لازمی ہے
 DocType: Agriculture Analysis Criteria,Agriculture,زراعت
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,سیلز آرڈر بنائیں
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,اثاثہ کے لئے اکاؤنٹنگ انٹری
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,بلاک انوائس
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,اثاثہ کے لئے اکاؤنٹنگ انٹری
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,بلاک انوائس
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,مقدار بنانے کے لئے
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,مطابقت پذیری ماسٹر ڈیٹا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,مطابقت پذیری ماسٹر ڈیٹا
 DocType: Asset Repair,Repair Cost,مرمت کی لاگت
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,اپنی مصنوعات یا خدمات
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,لاگ ان کرنے میں ناکام
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,پیدا کردہ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,پیدا کردہ {0}
 DocType: Special Test Items,Special Test Items,خصوصی ٹیسٹ اشیا
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,مارکیٹ میں رجسٹر کرنے کے لئے آپ کو سسٹم مینیجر اور آئٹم مینیجر کے کردار کے ساتھ ایک صارف بنانا ہوگا.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,ادائیگی کا طریقہ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,آپ کے مکلف تنخواہ کی تشکیل کے مطابق آپ فوائد کے لئے درخواست نہیں دے سکتے ہیں
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,ویب سائٹ تصویری ایک عوامی فائل یا ویب سائٹ یو آر ایل ہونا چاہئے
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,ویب سائٹ تصویری ایک عوامی فائل یا ویب سائٹ یو آر ایل ہونا چاہئے
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,یہ ایک جڑ شے گروپ ہے اور میں ترمیم نہیں کیا جا سکتا.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,ضم
@@ -1963,24 +1981,25 @@
 DocType: Warehouse,Warehouse Contact Info,گودام معلومات رابطہ کریں
 DocType: Payment Entry,Write Off Difference Amount,فرق رقم لکھنے
 DocType: Volunteer,Volunteer Name,رضاکارانہ نام
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: ملازم کے ای میل نہیں ملا، اس وجہ سے نہیں بھیجے گئے ای میل
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},دوسرے صفوں میں ڈپلیکیٹ ہونے والے تاریخوں کے ساتھ ریلوے پایا گیا: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: ملازم کے ای میل نہیں ملا، اس وجہ سے نہیں بھیجے گئے ای میل
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},ملک کے لئے شپنگ ضابطے لاگو نہیں ہے {0}
 DocType: Item,Foreign Trade Details,فارن ٹریڈ کی تفصیلات
 ,Assessment Plan Status,تشخیص منصوبہ کی حیثیت
 DocType: Email Digest,Annual Income,سالانہ آمدنی
 DocType: Serial No,Serial No Details,سیریل کوئی تفصیلات
 DocType: Purchase Invoice Item,Item Tax Rate,آئٹم ٹیکس کی شرح
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,پارٹی کا نام سے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,پارٹی کا نام سے
 DocType: Student Group Student,Group Roll Number,گروپ رول نمبر
 DocType: Student Group Student,Group Roll Number,گروپ رول نمبر
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0}، صرف کریڈٹ اکاؤنٹس ایک ڈیبٹ داخلے کے خلاف منسلک کیا جا سکتا ہے
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,ترسیل کے نوٹ {0} پیش نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,ترسیل کے نوٹ {0} پیش نہیں ہے
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,آئٹم {0} ایک ذیلی کنٹریکٹڈ آئٹم ہونا ضروری ہے
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,کیپٹل سازوسامان
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",قیمتوں کا تعین اصول سب سے پہلے کی بنیاد پر منتخب کیا جاتا ہے آئٹم آئٹم گروپ یا برانڈ ہو سکتا ہے، میدان &#39;پر لگائیں&#39;.
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,براہ مہربانی سب سے پہلے آئٹم کا کوڈ مقرر کریں
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,ڈاکٹر قسم
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,فروخت کی ٹیم کے لئے مختص کل فی صد 100 ہونا چاہئے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,ڈاکٹر قسم
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,فروخت کی ٹیم کے لئے مختص کل فی صد 100 ہونا چاہئے
 DocType: Subscription Plan,Billing Interval Count,بلنگ انٹراول شمار
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,اپیلمنٹ اور مریض کے اختتام
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,قیمت لاپتہ ہے
@@ -1994,6 +2013,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,پرنٹ کی شکل بنائیں
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,فیس پیدا
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},{0} نامی کسی چیز کو تلاش نہیں کیا
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,اشیاء فلٹر
 DocType: Supplier Scorecard Criteria,Criteria Formula,معیار فارمولہ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,کل سبکدوش ہونے والے
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",صرف &quot;VALUE&quot; 0 یا خالی کی قیمت کے ساتھ ایک شپنگ حکمرانی شرط ہو سکتا ہے
@@ -2002,14 +2022,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",ایک آئٹم {0} کے لئے، مقدار مثبت نمبر ہونا ضروری ہے
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,نوٹ: اس کی قیمت سینٹر ایک گروپ ہے. گروپوں کے خلاف اکاؤنٹنگ اندراجات نہیں بنا سکتے.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,معاوضہ کی درخواست کی درخواست درست تعطیلات میں نہیں
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,چائلڈ گودام اس گودام کے لئے موجود ہے. آپ نے اس کے گودام حذف نہیں کر سکتے.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,چائلڈ گودام اس گودام کے لئے موجود ہے. آپ نے اس کے گودام حذف نہیں کر سکتے.
 DocType: Item,Website Item Groups,ویب سائٹ آئٹم گروپس
 DocType: Purchase Invoice,Total (Company Currency),کل (کمپنی کرنسی)
 DocType: Daily Work Summary Group,Reminder,یاد دہانی
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,قابل رسائی قدر
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,قابل رسائی قدر
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,{0} سیریل نمبر ایک سے زائد بار میں داخل
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,جرنل اندراج
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTIN سے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTIN سے
 DocType: Expense Claim Advance,Unclaimed amount,اعلان شدہ رقم
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} رفت میں اشیاء
 DocType: Workstation,Workstation Name,کارگاہ نام
@@ -2017,7 +2037,7 @@
 DocType: POS Item Group,POS Item Group,POS آئٹم گروپ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ڈائجسٹ ای میل کریں:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,متبادل شے کو شے کوڈ کے طور پر ہی نہیں ہونا چاہئے
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} آئٹم سے تعلق نہیں ہے {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} آئٹم سے تعلق نہیں ہے {1}
 DocType: Sales Partner,Target Distribution,ہدف تقسیم
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - حتمی تجزیہ کی حتمی
 DocType: Salary Slip,Bank Account No.,بینک اکاؤنٹ نمبر
@@ -2026,7 +2046,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ",اسکور کارڈ متغیر استعمال کیا جا سکتا ہے، ساتھ ساتھ: {total_score} (اس مدت کے مجموعی سکور)، {period_number} (موجودہ دن کی مدت کی تعداد)
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,تمام مختصر کریں
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,تمام مختصر کریں
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,خریداری آرڈر بنائیں
 DocType: Quality Inspection Reading,Reading 8,8 پڑھنا
 DocType: Inpatient Record,Discharge Note,خارج ہونے والے مادہ نوٹ
@@ -2042,7 +2062,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,استحقاق رخصت
 DocType: Purchase Invoice,Supplier Invoice Date,سپلائر انوائس تاریخ
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,یہ قیمت پرو راٹا ٹارپورٹ حساب کے لئے استعمال کیا جاتا ہے
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,آپ کی خریداری کی ٹوکری کو چالو کرنے کی ضرورت ہے
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,آپ کی خریداری کی ٹوکری کو چالو کرنے کی ضرورت ہے
 DocType: Payment Entry,Writeoff,لکھ دینا
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,میٹ - MVS- .YYYY-
 DocType: Stock Settings,Naming Series Prefix,سیرنگ پریفکس کا نام
@@ -2057,11 +2077,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,کے درمیان پایا اتیویاپی حالات:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,جرنل کے خلاف اندراج {0} پہلے سے ہی کچھ دیگر واؤچر کے خلاف ایڈجسٹ کیا جاتا ہے
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,کل آرڈر ویلیو
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,خوراک
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,خوراک
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,خستہ رینج 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,پی او ایس کل واؤچر تفصیلات
 DocType: Shopify Log,Shopify Log,Shopify لاگ ان
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,براہ کرم سیٹ اپ کے ذریعے {0} کے سلسلے میں ناممکن سیریز ترتیب دیں
 DocType: Inpatient Occupancy,Check In,چیک کریں
 DocType: Maintenance Schedule Item,No of Visits,دوروں کی کوئی
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},بحالی کا شیڈول {0} کے خلاف موجود ہے {1}
@@ -2101,6 +2120,7 @@
 DocType: Salary Structure,Max Benefits (Amount),زیادہ سے زیادہ فوائد (رقم)
 DocType: Purchase Invoice,Contact Person,رابطے کا بندہ
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',کی متوقع شروع کرنے کی تاریخ &#39;سے زیادہ&#39; متوقع تاریخ اختتام &#39;نہیں ہو سکتا
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,اس مدت کے لئے کوئی ڈیٹا نہیں
 DocType: Course Scheduling Tool,Course End Date,کورس کی آخری تاریخ
 DocType: Holiday List,Holidays,چھٹیاں
 DocType: Sales Order Item,Planned Quantity,منصوبہ بندی کی مقدار
@@ -2112,7 +2132,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,فکسڈ اثاثہ میں خالص تبدیلی
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,رقیہ مقدار
 DocType: Leave Control Panel,Leave blank if considered for all designations,تمام مراتب کے لئے غور کیا تو خالی چھوڑ دیں
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,قسم &#39;اصل&#39; قطار میں کے انچارج {0} شے کی درجہ بندی میں شامل نہیں کیا جا سکتا
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,قسم &#39;اصل&#39; قطار میں کے انچارج {0} شے کی درجہ بندی میں شامل نہیں کیا جا سکتا
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},زیادہ سے زیادہ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,تریخ ویلہ سے
 DocType: Shopify Settings,For Company,کمپنی کے لئے
@@ -2125,9 +2145,9 @@
 DocType: Material Request,Terms and Conditions Content,شرائط و ضوابط مواد
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,کورس شیڈول بنانے میں غلطیاں موجود تھیں
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,اس فہرست میں پہلی اخراجات کا تعین ڈیفالٹ اخراجات کے طور پر مقرر کیا جائے گا.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,زیادہ سے زیادہ 100 سے زائد نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,زیادہ سے زیادہ 100 سے زائد نہیں ہو سکتا
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,آپ کو ایڈمنسٹریٹر کے مقابلے میں کسی دوسرے صارف کو سسٹم مینیجر اور آئٹم مینیجر کے رول کے ساتھ مارکیٹ میں رجسٹر کرنے کی ضرورت ہے.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} آئٹم اسٹاک شے نہیں ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} آئٹم اسٹاک شے نہیں ہے
 DocType: Packing Slip,MAT-PAC-.YYYY.-,میٹ - پی اے سی --YYYY-
 DocType: Maintenance Visit,Unscheduled,شیڈول کا اعلان
 DocType: Employee,Owned,ملکیت
@@ -2162,7 +2182,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,منفی مقدار کی اجازت نہیں ہے
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",ایک تار کے طور پر اشیاء کے مالک سے دلوایا اور اس میدان میں ذخیرہ ٹیکس تفصیل میز. ٹیکسز اور چارجز کے لئے استعمال کیا جاتا ہے
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,ملازم خود کو رپورٹ نہیں دے سکتے.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,ملازم خود کو رپورٹ نہیں دے سکتے.
 DocType: Leave Type,Max Leaves Allowed,اجازت دیتا ہے
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",اکاؤنٹ منجمد ہے، اندراجات محدود صارفین کو اجازت دی جاتی ہے.
 DocType: Email Digest,Bank Balance,بینک کی بیلنس
@@ -2188,6 +2208,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,بینک ٹرانزیکشن اندراج
 DocType: Quality Inspection,Readings,ریڈنگ
 DocType: Stock Entry,Total Additional Costs,کل اضافی اخراجات
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,بات چیت کی کوئی بھی نہیں
 DocType: BOM,Scrap Material Cost(Company Currency),سکریپ مواد کی لاگت (کمپنی کرنسی)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,ذیلی اسمبلی
 DocType: Asset,Asset Name,ایسیٹ نام
@@ -2195,10 +2216,10 @@
 DocType: Shipping Rule Condition,To Value,قدر میں
 DocType: Loyalty Program,Loyalty Program Type,وفادار پروگرام کی قسم
 DocType: Asset Movement,Stock Manager,اسٹاک مینیجر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},ماخذ گودام صف کے لئے لازمی ہے {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},ماخذ گودام صف کے لئے لازمی ہے {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,قطار {0} پر ادائیگی کی اصطلاح ممکنہ طور پر ایک نقل ہے.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),زراعت (بیٹا)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,پیکنگ پرچی
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,پیکنگ پرچی
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,دفتر کرایہ پر دستیاب
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,سیٹ اپ SMS گیٹ وے کی ترتیبات
 DocType: Disease,Common Name,عام نام
@@ -2230,20 +2251,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,ملازم کو ای میل تنخواہ کی پرچی
 DocType: Cost Center,Parent Cost Center,والدین لاگت مرکز
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,ممکنہ سپلائر کریں
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,ممکنہ سپلائر کریں
 DocType: Sales Invoice,Source,ماخذ
 DocType: Customer,"Select, to make the customer searchable with these fields",منتخب کریں، کسٹمر کو ان شعبوں کے ساتھ تلاش کرنے کے لۓ
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Shopify پر شپمنٹ سے ترسیل کے نوٹس درآمد کریں
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,بند کر کے دکھائیں
 DocType: Leave Type,Is Leave Without Pay,تنخواہ کے بغیر چھوڑ
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT -YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,ایسیٹ قسم فکسڈ اثاثہ شے کے لئے لازمی ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,ایسیٹ قسم فکسڈ اثاثہ شے کے لئے لازمی ہے
 DocType: Fee Validity,Fee Validity,فیس وادی
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,ادائیگی ٹیبل میں پایا کوئی ریکارڈ
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},اس {0} کے ساتھ تنازعات {1} کو {2} {3}
 DocType: Student Attendance Tool,Students HTML,طلباء HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","برائے مہربانی اس دستاویز کو منسوخ کرنے کے لئے ملازم <a href=""#Form/Employee/{0}"">{0}</a> کو حذف کریں"
 DocType: POS Profile,Apply Discount,رعایت کا اطلاق کریں
 DocType: GST HSN Code,GST HSN Code,GST HSN کوڈ
 DocType: Employee External Work History,Total Experience,کل تجربہ
@@ -2266,7 +2284,7 @@
 DocType: Maintenance Schedule,Schedules,شیڈول
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,پوائنٹ آف فروخت کا استعمال کرنے کے لئے پی ایس کی پروفائل ضروری ہے
 DocType: Cashier Closing,Net Amount,اصل رقم
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لہذا کارروائی مکمل نہیں کیا جا سکتا ہے جمع نہیں کیا گیا ہے
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لہذا کارروائی مکمل نہیں کیا جا سکتا ہے جمع نہیں کیا گیا ہے
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM تفصیل کوئی
 DocType: Landed Cost Voucher,Additional Charges,اضافی چارجز
 DocType: Support Search Source,Result Route Field,نتیجہ راستہ فیلڈ
@@ -2295,11 +2313,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,افتتاحی انوائس
 DocType: Contract,Contract Details,معاہدہ تفصیلات
 DocType: Employee,Leave Details,تفصیلات چھوڑ دو
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,ملازم کردار کو قائم کرنے کا ملازم ریکارڈ میں صارف کی شناخت میدان مقرر کریں
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,ملازم کردار کو قائم کرنے کا ملازم ریکارڈ میں صارف کی شناخت میدان مقرر کریں
 DocType: UOM,UOM Name,UOM نام
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,1 ایڈریس کرنے کے لئے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,1 ایڈریس کرنے کے لئے
 DocType: GST HSN Code,HSN Code,HSN کوڈ
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,شراکت رقم
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,شراکت رقم
 DocType: Inpatient Record,Patient Encounter,مریض کا تصادم
 DocType: Purchase Invoice,Shipping Address,شپنگ ایڈریس
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,یہ آلہ آپ کو اپ ڈیٹ یا نظام میں اسٹاک کی مقدار اور تشخیص کو حل کرنے میں مدد ملتی ہے. یہ عام طور پر نظام اقدار اور جو اصل میں آپ کے گوداموں میں موجود مطابقت کرنے کے لئے استعمال کیا جاتا ہے.
@@ -2316,9 +2334,9 @@
 DocType: Travel Itinerary,Mode of Travel,سفر کا موڈ
 DocType: Sales Invoice Item,Brand Name,برانڈ کا نام
 DocType: Purchase Receipt,Transporter Details,ٹرانسپورٹر تفصیلات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,پہلے سے طے شدہ گودام منتخب شے کے لئے کی ضرورت ہے
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,پہلے سے طے شدہ گودام منتخب شے کے لئے کی ضرورت ہے
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,باکس
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,ممکنہ سپلائر
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,ممکنہ سپلائر
 DocType: Budget,Monthly Distribution,ماہانہ تقسیم
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,وصول فہرست خالی ہے. وصول فہرست تشکیل دے براہ مہربانی
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),صحت کی دیکھ بھال (بیٹا)
@@ -2338,6 +2356,7 @@
 ,Lead Name,لیڈ نام
 ,POS,پی او ایس
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,متوقع
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,افتتاحی اسٹاک توازن
 DocType: Asset Category Account,Capital Work In Progress Account,کیپٹل کام میں پیش رفت اکاؤنٹ
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,اثاثہ قیمت ایڈجسٹمنٹ
@@ -2346,7 +2365,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},کے لئے کامیابی روانہ مختص {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,کوئی شے پیک کرنے کے لئے
 DocType: Shipping Rule Condition,From Value,قیمت سے
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,مینوفیکچرنگ مقدار لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,مینوفیکچرنگ مقدار لازمی ہے
 DocType: Loan,Repayment Method,باز ادائیگی کا طریقہ
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",جانچ پڑتال کی تو، گھر کے صفحے ویب سائٹ کے لئے پہلے سے طے شدہ آئٹم گروپ ہو جائے گا
 DocType: Quality Inspection Reading,Reading 4,4 پڑھنا
@@ -2370,7 +2389,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,ملازم ریفرل
 DocType: Student Group,Set 0 for no limit,کوئی حد 0 سیٹ کریں
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,آپ کی چھٹی کے لئے درخواست دے رہے ہیں جس دن (ے) تعطیلات ہیں. آپ کو چھوڑ کے لئے درخواست دینے کی ضرورت نہیں ہے.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,صف {بت): {فیلڈ} کھولنے {invoice_type} انوائس تخلیق کرنے کی ضرورت ہے
 DocType: Customer,Primary Address and Contact Detail,ابتدائی پتہ اور رابطے کی تفصیل
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,ادائیگی ای میل بھیج
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,نیا کام
@@ -2380,8 +2398,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,براہ کرم کم سے کم ایک ڈومین منتخب کریں.
 DocType: Dependent Task,Dependent Task,منحصر ٹاسک
 DocType: Shopify Settings,Shopify Tax Account,Shopify ٹیکس اکاؤنٹ
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},پیمائش کی یونٹ کے لئے پہلے سے طے شدہ تبادلوں عنصر قطار میں ہونا چاہیے 1 {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},قسم کے حکم {0} سے زیادہ نہیں ہو سکتا {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},پیمائش کی یونٹ کے لئے پہلے سے طے شدہ تبادلوں عنصر قطار میں ہونا چاہیے 1 {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},قسم کے حکم {0} سے زیادہ نہیں ہو سکتا {1}
 DocType: Delivery Trip,Optimize Route,روٹ کو بہتر بنائیں
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,پیشگی ایکس دنوں کے لئے کی منصوبہ بندی کرنے کی کوشش کریں.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2390,14 +2408,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},کمپنی میں پہلے سے طے شدہ پے رول قابل ادائیگی اکاؤنٹ سیٹ مہربانی {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,ٹیکس اور ایمیزون کے الزامات کے اعداد و شمار کے مالی بریک اپ حاصل کریں
 DocType: SMS Center,Receiver List,وصول کی فہرست
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,تلاش آئٹم
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,تلاش آئٹم
 DocType: Payment Schedule,Payment Amount,ادائیگی کی رقم
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,نصف دن کی تاریخ تاریخ اور کام کے اختتام کی تاریخ کے درمیان ہونا چاہئے
 DocType: Healthcare Settings,Healthcare Service Items,ہیلتھ کیئر سروس اشیاء
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,بسم رقم
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,کیش میں خالص تبدیلی
 DocType: Assessment Plan,Grading Scale,گریڈنگ پیمانے
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,پیمائش {0} کے یونٹ تبادلوں فیکٹر ٹیبل میں ایک سے زائد بار میں داخل کر دیا گیا ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,پیمائش {0} کے یونٹ تبادلوں فیکٹر ٹیبل میں ایک سے زائد بار میں داخل کر دیا گیا ہے
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,پہلے ہی مکمل
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,ہاتھ میں اسٹاک
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2420,25 +2438,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,سیریل نمبر {0} مقدار {1} ایک حصہ نہیں ہو سکتا
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,برائے مہربانی Woocommerce سرور URL
 DocType: Purchase Order Item,Supplier Part Number,پردایک حصہ نمبر
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,تبادلے کی شرح 0 یا 1 نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,تبادلے کی شرح 0 یا 1 نہیں ہو سکتا
 DocType: Share Balance,To No,نہیں
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,ملازمین کی تخلیق کے لئے لازمی کام ابھی تک نہیں کیا گیا ہے.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} منسوخ یا بند کر دیا ہے
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} منسوخ یا بند کر دیا ہے
 DocType: Accounts Settings,Credit Controller,کریڈٹ کنٹرولر
 DocType: Loan,Applicant Type,درخواست دہندگان کی قسم
 DocType: Purchase Invoice,03-Deficiency in services,خدمات میں 03 کی کمی
 DocType: Healthcare Settings,Default Medical Code Standard,پہلے سے طے شدہ میڈیکل کوڈ سٹینڈرڈ
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,خریداری کی رسید {0} پیش نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,خریداری کی رسید {0} پیش نہیں ہے
 DocType: Company,Default Payable Account,پہلے سے طے شدہ قابل ادائیگی اکاؤنٹ
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",اس طرح کے شپنگ کے قوانین، قیمت کی فہرست وغیرہ کے طور پر آن لائن خریداری کی ٹوکری کے لئے ترتیبات
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,میٹ - پری - .YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}٪ بل
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,محفوظ مقدار
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,محفوظ مقدار
 DocType: Party Account,Party Account,پارٹی کے اکاؤنٹ
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,براہ مہربانی کمپنی اور عہدہ کا انتخاب کریں
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,انسانی وسائل
-DocType: Lead,Upper Income,بالائی آمدنی
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,بالائی آمدنی
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,مسترد
 DocType: Journal Entry Account,Debit in Company Currency,کمپنی کرنسی میں ڈیبٹ
 DocType: BOM Item,BOM Item,BOM آئٹم
@@ -2455,7 +2473,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",درجہ بندی کھولنے کے لئے ملازمت کے افتتاحی {0} پہلے ہی کھولے گئے \ یا اسٹافنگ پلان کے مطابق مکمل کرائے گئے ہیں {1}
 DocType: Vital Signs,Constipated,قبضہ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},پردایک خلاف انوائس {0} ء {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},پردایک خلاف انوائس {0} ء {1}
 DocType: Customer,Default Price List,پہلے سے طے شدہ قیمت کی فہرست
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,اثاثہ تحریک ریکارڈ {0} پیدا
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,کوئی چیز نہیں ملی.
@@ -2471,17 +2489,18 @@
 DocType: Journal Entry,Entry Type,اندراج کی قسم
 ,Customer Credit Balance,کسٹمر کے کریڈٹ بیلنس
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,قابل ادائیگی اکاؤنٹس میں خالص تبدیلی
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),گاہک کے لئے کریڈٹ کی حد کو کراس کر دیا گیا ہے {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,براہ کرم سیٹ اپ کے ذریعے {0} کے سلسلے میں ناممکن سیریز ترتیب دیں
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),گاہک کے لئے کریڈٹ کی حد کو کراس کر دیا گیا ہے {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&#39;Customerwise ڈسکاؤنٹ کے لئے کی ضرورت ہے کسٹمر
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,روزنامچے کے ساتھ بینک کی ادائیگی کی تاریخوں کو اپ ڈیٹ کریں.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,قیمتوں کا تعین
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,قیمتوں کا تعین
 DocType: Quotation,Term Details,ٹرم تفصیلات
 DocType: Employee Incentive,Employee Incentive,ملازمت انوائشی
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} اس طالب علم گروپ کے لیے طالب علموں کو داخلہ سے زیادہ نہیں ہوسکتی.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),کل (ٹیکس کے بغیر)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,لیڈ شمار
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,لیڈ شمار
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,اسٹاک دستیاب ہے
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,اسٹاک دستیاب ہے
 DocType: Manufacturing Settings,Capacity Planning For (Days),(دن) کے لئے صلاحیت کی منصوبہ بندی
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,حصولی کے
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,اشیاء میں سے کوئی بھی مقدار یا قدر میں کوئی تبدیلی ہے.
@@ -2505,7 +2524,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,چھوڑ دو اور حاضری
 DocType: Asset,Comprehensive Insurance,جامع بیمہ
 DocType: Maintenance Visit,Partially Completed,جزوی طور پر مکمل
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},وفاداری پوائنٹ: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},وفاداری پوائنٹ: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,لیڈز شامل کریں
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,اعتدال پسند حساسیت
 DocType: Leave Type,Include holidays within leaves as leaves,پتے کے طور پر پتیوں کے اندر تعطیلات شامل
 DocType: Loyalty Program,Redemption,رہائی
@@ -2539,7 +2559,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,مارکیٹنگ کے اخراجات
 ,Item Shortage Report,آئٹم کمی رپورٹ
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,معیاری معیار نہیں بن سکتا. براہ کرم معیار کا نام تبدیل کریں
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن \ n براہ مہربانی بھی &quot;وزن UOM&quot; کا ذکر، ذکر کیا جاتا ہے
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن \ n براہ مہربانی بھی &quot;وزن UOM&quot; کا ذکر، ذکر کیا جاتا ہے
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,مواد کی درخواست یہ اسٹاک اندراج کرنے کے لئے استعمال کیا جاتا ہے
 DocType: Hub User,Hub Password,حب پاس ورڈ
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,ہر بیچ کے لئے الگ الگ کورس مبنی گروپ
@@ -2554,15 +2574,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),تقرری مدت (منٹ)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ہر اسٹاک تحریک کے لئے اکاؤنٹنگ اندراج
 DocType: Leave Allocation,Total Leaves Allocated,کل پتے مختص
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,درست مالی سال شروع کریں اور انتھاء داخل کریں
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,درست مالی سال شروع کریں اور انتھاء داخل کریں
 DocType: Employee,Date Of Retirement,ریٹائرمنٹ کے تاریخ
 DocType: Upload Attendance,Get Template,سانچے حاصل
+,Sales Person Commission Summary,سیلز شخص کمیشن خلاصہ
 DocType: Additional Salary Component,Additional Salary Component,اضافی تنخواہ اجزاء
 DocType: Material Request,Transferred,منتقل
 DocType: Vehicle,Doors,دروازے
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext سیٹ اپ مکمل!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext سیٹ اپ مکمل!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,مریض کے رجسٹریشن کے لئے فیس جمع کریں
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,سٹاک ٹرانزیکشن کے بعد خصوصیات تبدیل نہیں کر سکتے ہیں. نیا آئٹم بنائیں اور نئے آئٹم کو اسٹاک منتقل کریں
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,سٹاک ٹرانزیکشن کے بعد خصوصیات تبدیل نہیں کر سکتے ہیں. نیا آئٹم بنائیں اور نئے آئٹم کو اسٹاک منتقل کریں
 DocType: Course Assessment Criteria,Weightage,اہمیت
 DocType: Purchase Invoice,Tax Breakup,ٹیکس بریک اپ
 DocType: Employee,Joining Details,تفصیلات میں شمولیت
@@ -2590,14 +2611,15 @@
 DocType: Lead,Next Contact By,کی طرف سے اگلے رابطہ
 DocType: Compensatory Leave Request,Compensatory Leave Request,معاوضہ چھوڑ دو
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},قطار میں آئٹم {0} کے لئے ضروری مقدار {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},مقدار شے کے لئے موجود ہے کے طور پر گودام {0} خارج نہیں کیا جا سکتا {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},مقدار شے کے لئے موجود ہے کے طور پر گودام {0} خارج نہیں کیا جا سکتا {1}
 DocType: Blanket Order,Order Type,آرڈر کی قسم
 ,Item-wise Sales Register,آئٹم وار سیلز رجسٹر
 DocType: Asset,Gross Purchase Amount,مجموعی خریداری کی رقم
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,کھولنے کے بیلنس
 DocType: Asset,Depreciation Method,ہراس کا طریقہ
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,بنیادی شرح میں شامل اس ٹیکس ہے؟
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,کل ہدف
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,کل ہدف
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,تصور تجزیہ
 DocType: Soil Texture,Sand Composition (%),ریت کی ساخت (٪)
 DocType: Job Applicant,Applicant for a Job,ایک کام کے لئے درخواست
 DocType: Production Plan Material Request,Production Plan Material Request,پیداوار کی منصوبہ بندی مواد گذارش
@@ -2617,19 +2639,20 @@
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",ایک آئٹم {0} کے لئے، مقدار منفی نمبر ہونا ضروری ہے
 DocType: Naming Series,Set prefix for numbering series on your transactions,آپ کے لین دین پر سیریز تعداد کے لئے مقرر اپسرگ
 DocType: Employee Attendance Tool,Employees HTML,ملازمین ایچ ٹی ایم ایل
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,پہلے سے طے شدہ BOM ({0}) یہ آئٹم یا اس سانچے کے لئے فعال ہونا ضروری ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,پہلے سے طے شدہ BOM ({0}) یہ آئٹم یا اس سانچے کے لئے فعال ہونا ضروری ہے
 DocType: Employee,Leave Encashed?,Encashed چھوڑ دیں؟
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,میدان سے مواقع لازمی ہے
 DocType: Email Digest,Annual Expenses,سالانہ اخراجات
 DocType: Item,Variants,متغیرات
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,خریداری کے آرڈر بنائیں
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,خریداری کے آرڈر بنائیں
 DocType: SMS Center,Send To,کے لئے بھیج
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},رخصت قسم کافی چھوڑ توازن نہیں ہے {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},رخصت قسم کافی چھوڑ توازن نہیں ہے {0}
 DocType: Payment Reconciliation Payment,Allocated amount,مختص رقم
 DocType: Sales Team,Contribution to Net Total,نیٹ کل کی شراکت
 DocType: Sales Invoice Item,Customer's Item Code,گاہک کی آئٹم کوڈ
 DocType: Stock Reconciliation,Stock Reconciliation,اسٹاک مصالحتی
 DocType: Territory,Territory Name,علاقے کا نام
+DocType: Email Digest,Purchase Orders to Receive,خریدنے کے لئے خریداروں کو خریدنے کے لئے
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,کام میں پیش رفت گودام جمع کرانے سے پہلے کی ضرورت ہے
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,آپ صرف ایک رکنیت میں اسی بلنگ سائیکل کے ساتھ منصوبوں کو صرف کرسکتے ہیں
 DocType: Bank Statement Transaction Settings Item,Mapped Data,موڈ ڈیٹا
@@ -2644,9 +2667,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},سیریل کوئی آئٹم کے لئے داخل نقل {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,لیڈ ماخذ کی طرف سے لیڈز کو ٹریک کریں.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,ایک شپنگ حکمرانی کے لئے ایک شرط
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,درج کریں
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,درج کریں
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,بحالی لاگ ان
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,شے یا گودام کی بنیاد پر فلٹر مقرر کریں
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,شے یا گودام کی بنیاد پر فلٹر مقرر کریں
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),اس پیکج کی خالص وزن. (اشیاء کی خالص وزن کی رقم کے طور پر خود کار طریقے سے شمار کیا جاتا)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,انٹر کمپنی جرنل انٹری بنائیں
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,ڈسکاؤنٹ رقم 100٪ سے زائد نہیں ہوسکتی
@@ -2655,15 +2678,15 @@
 DocType: Sales Order,To Deliver and Bill,نجات اور بل میں
 DocType: Student Group,Instructors,انسٹرکٹر
 DocType: GL Entry,Credit Amount in Account Currency,اکاؤنٹ کی کرنسی میں قرضے کی رقم
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} پیش کرنا ضروری ہے
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,اشتراک مینجمنٹ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} پیش کرنا ضروری ہے
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,اشتراک مینجمنٹ
 DocType: Authorization Control,Authorization Control,اجازت کنٹرول
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},صف # {0}: گودام مسترد مسترد آئٹم خلاف لازمی ہے {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,ادائیگی
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},صف # {0}: گودام مسترد مسترد آئٹم خلاف لازمی ہے {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,ادائیگی
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",گودام {0} کسی بھی اکاؤنٹ سے منسلک نہیں ہے، براہ مہربانی کمپنی میں گودام ریکارڈ میں اکاؤنٹ یا سیٹ ڈیفالٹ انوینٹری اکاؤنٹ ذکر {1}.
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,آپ کے احکامات کو منظم کریں
 DocType: Work Order Operation,Actual Time and Cost,اصل وقت اور لاگت
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},زیادہ سے زیادہ {0} کے مواد کی درخواست {1} سیلز آرڈر کے خلاف شے کے لئے بنایا جا سکتا ہے {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},زیادہ سے زیادہ {0} کے مواد کی درخواست {1} سیلز آرڈر کے خلاف شے کے لئے بنایا جا سکتا ہے {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,فصل کا فاصلہ
 DocType: Course,Course Abbreviation,کورس مخفف
@@ -2675,6 +2698,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},کل کام کرنے کا گھنٹوں زیادہ سے زیادہ کام کے گھنٹوں سے زیادہ نہیں ہونا چاہئے {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,پر
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,فروخت کے وقت بنڈل اشیاء.
+DocType: Delivery Settings,Dispatch Settings,ڈسپلے کی ترتیبات
 DocType: Material Request Plan Item,Actual Qty,اصل مقدار
 DocType: Sales Invoice Item,References,حوالہ جات
 DocType: Quality Inspection Reading,Reading 10,10 پڑھنا
@@ -2684,11 +2708,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,آپ کو ڈپلیکیٹ اشیاء میں داخل ہے. کو بہتر بنانے اور دوبارہ کوشش کریں.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,ایسوسی ایٹ
 DocType: Asset Movement,Asset Movement,ایسیٹ موومنٹ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,کام آرڈر {0} جمع ہونا ضروری ہے
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,نیا ٹوکری
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,کام آرڈر {0} جمع ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,نیا ٹوکری
 DocType: Taxable Salary Slab,From Amount,رقم سے
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} آئٹم وجہ سے serialized شے نہیں ہے
 DocType: Leave Type,Encashment,شناخت
+DocType: Delivery Settings,Delivery Settings,ڈلیوری ترتیبات
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,ڈیٹا لاؤ
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},چھوڑنے کی قسم میں {0} زیادہ سے زیادہ اجازت کی اجازت ہے {1}
 DocType: SMS Center,Create Receiver List,وصول فہرست بنائیں
 DocType: Vehicle,Wheels,پہیے
@@ -2704,7 +2730,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,بلنگ کی کرنسی کو پہلے ہی ڈیفالٹ کمپنی کی کرنسی یا پارٹی اکاؤنٹ کرنسی کے برابر ہونا ضروری ہے
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),پیکیج اس کی ترسیل (صرف ڈرافٹ) کا ایک حصہ ہے کہ اشارہ کرتا ہے
 DocType: Soil Texture,Loam,لوام
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,صف {0}: تاریخ کی تاریخ تاریخ سے پہلے نہیں ہوسکتی ہے
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,صف {0}: تاریخ کی تاریخ تاریخ سے پہلے نہیں ہوسکتی ہے
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,ادائیگی اندراج
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},شے کے لئے مقدار {0} سے کم ہونا چاہئے {1}
 ,Sales Invoice Trends,فروخت انوائس رجحانات
@@ -2712,12 +2738,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',یا &#39;پچھلے صف کل&#39; &#39;پچھلے صف کی رقم پر انچارج قسم ہے صرف اس صورت میں رجوع کر سکتے ہیں صف
 DocType: Sales Order Item,Delivery Warehouse,ڈلیوری گودام
 DocType: Leave Type,Earned Leave Frequency,کم شدہ تعدد فریکوئینسی
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,مالیاتی لاگت کے مراکز کا درخت.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,ذیلی قسم
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,مالیاتی لاگت کے مراکز کا درخت.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,ذیلی قسم
 DocType: Serial No,Delivery Document No,ڈلیوری دستاویز
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,تیار سیریل نمبر پر مبنی ترسیل کو یقینی بنائیں
 DocType: Vital Signs,Furry,پیارے
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},کمپنی میں &#39;اثاثہ تلفی پر حاصل / نقصان اکاؤنٹ&#39; مقرر مہربانی {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},کمپنی میں &#39;اثاثہ تلفی پر حاصل / نقصان اکاؤنٹ&#39; مقرر مہربانی {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,خریداری کی رسیدیں سے اشیاء حاصل
 DocType: Serial No,Creation Date,بنانے کی تاریخ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},شناخت {0} کے لئے ھدف کی جگہ کی ضرورت ہے
@@ -2731,10 +2757,11 @@
 DocType: Item,Has Variants,مختلف حالتوں ہے
 DocType: Employee Benefit Claim,Claim Benefit For,دعوی کے لئے فائدہ
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,جواب اپ ڈیٹ کریں
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},آپ نے پہلے ہی سے اشیاء کو منتخب کیا ہے {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},آپ نے پہلے ہی سے اشیاء کو منتخب کیا ہے {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,ماہانہ تقسیم کے نام
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,بیچ ID لازمی ہے
 DocType: Sales Person,Parent Sales Person,والدین فروخت شخص
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,موصول ہونے والی کوئی چیز غالب نہیں ہیں
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,بیچنے والا اور خریدار ایک ہی نہیں ہو سکتا
 DocType: Project,Collect Progress,پیش رفت جمع کرو
 DocType: Delivery Note,MAT-DN-.YYYY.-,میٹ - ڈی این - .YYYY.-
@@ -2749,7 +2776,7 @@
 DocType: Bank Guarantee,Margin Money,مارجن منی
 DocType: Budget,Budget,بجٹ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,کھولیں مقرر کریں
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,فکسڈ اثاثہ آئٹم ایک غیر اسٹاک شے ہونا ضروری ہے.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,فکسڈ اثاثہ آئٹم ایک غیر اسٹاک شے ہونا ضروری ہے.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",یہ ایک آمدنی یا اخراجات کے اکاؤنٹ نہیں ہے کے طور پر بجٹ کے خلاف {0} تفویض نہیں کیا جا سکتا
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} کے لئے زیادہ سے زیادہ چھوٹ رقم {1} ہے
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,حاصل کیا
@@ -2767,9 +2794,9 @@
 ,Amount to Deliver,رقم فراہم کرنے
 DocType: Asset,Insurance Start Date,انشورنس شروع کی تاریخ
 DocType: Salary Component,Flexible Benefits,لچکدار فوائد
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},اسی چیز کو کئی بار درج کیا گیا ہے. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},اسی چیز کو کئی بار درج کیا گیا ہے. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ٹرم شروع کرنے کی تاریخ جس کی اصطلاح منسلک ہے کے تعلیمی سال سال شروع تاریخ سے پہلے نہیں ہو سکتا (تعلیمی سال {}). تاریخوں درست کریں اور دوبارہ کوشش کریں براہ مہربانی.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,غلطیاں تھیں.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,غلطیاں تھیں.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,ملازم {0} پہلے ہی {1} کے درمیان {2} اور {3} کے لئے درخواست کر چکے ہیں:
 DocType: Guardian,Guardian Interests,گارڈین دلچسپیاں
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,اکاؤنٹ کا نام / نمبر اپ ڈیٹ کریں
@@ -2807,9 +2834,9 @@
 ,Item-wise Purchase History,آئٹم وار خریداری کی تاریخ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},سیریل کوئی آئٹم کے لئے شامل کی بازیافت کرنے کے لئے &#39;پیدا شیڈول&#39; پر کلک کریں براہ مہربانی {0}
 DocType: Account,Frozen,منجمد
-DocType: Delivery Note,Vehicle Type,گاڑی کی قسم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,گاڑی کی قسم
 DocType: Sales Invoice Payment,Base Amount (Company Currency),بنیادی مقدار (کمپنی کرنسی)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,خام مال
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,خام مال
 DocType: Payment Reconciliation Payment,Reference Row,حوالہ صف
 DocType: Installation Note,Installation Time,کی تنصیب کا وقت
 DocType: Sales Invoice,Accounting Details,اکاؤنٹنگ تفصیلات
@@ -2818,12 +2845,13 @@
 DocType: Inpatient Record,O Positive,اے مثبت
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,سرمایہ کاری
 DocType: Issue,Resolution Details,قرارداد کی تفصیلات
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,ٹرانزیکشن کی قسم
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,ٹرانزیکشن کی قسم
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,قبولیت کا کلیہ
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,مندرجہ بالا جدول میں مواد درخواستیں داخل کریں
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,جرنل اندراج کیلئے کوئی ادائیگی نہیں
 DocType: Hub Tracked Item,Image List,تصویر کی فہرست
 DocType: Item Attribute,Attribute Name,نام وصف
+DocType: Subscription,Generate Invoice At Beginning Of Period,مدت کے آغاز میں انوائس بنائیں
 DocType: BOM,Show In Website,ویب سائٹ میں دکھائیں
 DocType: Loan Application,Total Payable Amount,کل قابل ادائیگی رقم
 DocType: Task,Expected Time (in hours),(گھنٹوں میں) متوقع وقت
@@ -2861,7 +2889,7 @@
 DocType: Employee,Resignation Letter Date,استعفی تاریخ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,قیمتوں کا تعین کے قواعد مزید مقدار کی بنیاد پر فلٹر کر رہے ہیں.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,مقرر نہیں
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},ملازم کے لئے شامل ہونے کے تاریخ مقرر مہربانی {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},ملازم کے لئے شامل ہونے کے تاریخ مقرر مہربانی {0}
 DocType: Inpatient Record,Discharge,خارج ہونے والے مادہ
 DocType: Task,Total Billing Amount (via Time Sheet),کل بلنگ کی رقم (وقت شیٹ کے ذریعے)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,گاہک ریونیو
@@ -2871,13 +2899,13 @@
 DocType: Chapter,Chapter,باب
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,جوڑی
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,جب اس موڈ کو منتخب کیا جاتا ہے تو ڈیفالٹ اکاؤنٹ خود کار طریقے سے پی ایس او انوائس میں اپ ڈیٹ کیا جائے گا.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,پیداوار کے لئے BOM اور قی کریں
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,پیداوار کے لئے BOM اور قی کریں
 DocType: Asset,Depreciation Schedule,ہراس کا شیڈول
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,فروخت پارٹنر پتے اور روابط
 DocType: Bank Reconciliation Detail,Against Account,کے اکاؤنٹ کے خلاف
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,آدھا دن تاریخ تاریخ سے اور تاریخ کے درمیان ہونا چاہئے
 DocType: Maintenance Schedule Detail,Actual Date,اصل تاریخ
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,براہ کرم کمپنی {0} میں ڈیفالٹ لاگت سینٹر مقرر کریں.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,براہ کرم کمپنی {0} میں ڈیفالٹ لاگت سینٹر مقرر کریں.
 DocType: Item,Has Batch No,بیچ نہیں ہے
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},سالانہ بلنگ: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook تفصیل
@@ -2889,7 +2917,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,اے اے پی پی آر- .YYYY-
 DocType: Shift Assignment,Shift Type,شفٹ کی قسم
 DocType: Student,Personal Details,ذاتی تفصیلات
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},کمپنی میں &#39;اثاثہ ہراس لاگت سینٹر&#39; مقرر مہربانی {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},کمپنی میں &#39;اثاثہ ہراس لاگت سینٹر&#39; مقرر مہربانی {0}
 ,Maintenance Schedules,بحالی شیڈول
 DocType: Task,Actual End Date (via Time Sheet),اصل تاریخ اختتام (وقت شیٹ کے ذریعے)
 DocType: Soil Texture,Soil Type,مٹی کی قسم
@@ -2897,10 +2925,10 @@
 ,Quotation Trends,کوٹیشن رجحانات
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},آئٹم گروپ شے کے لئے شے ماسٹر میں ذکر نہیں {0}
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless منڈیٹ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,اکاؤنٹ ڈیبٹ ایک وصولی اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,اکاؤنٹ ڈیبٹ ایک وصولی اکاؤنٹ ہونا ضروری ہے
 DocType: Shipping Rule,Shipping Amount,شپنگ رقم
 DocType: Supplier Scorecard Period,Period Score,مدت کا اسکور
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,صارفین کا اضافہ کریں
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,صارفین کا اضافہ کریں
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,زیر التواء رقم
 DocType: Lab Test Template,Special,خصوصی
 DocType: Loyalty Program,Conversion Factor,تبادلوں فیکٹر
@@ -2917,7 +2945,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,لیٹر ہیڈ شامل کریں
 DocType: Program Enrollment,Self-Driving Vehicle,خود ڈرائیونگ وہیکل
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,سپلائر اسکور کارڈ اسٹینڈنگ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},صف {0}: مواد کے بل آئٹم کے لئے نہیں پایا {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},صف {0}: مواد کے بل آئٹم کے لئے نہیں پایا {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,کل مختص پتے {0} کم نہیں ہو سکتا مدت کے لئے پہلے سے ہی منظور پتے {1} سے
 DocType: Contract Fulfilment Checklist,Requirement,ضرورت
 DocType: Journal Entry,Accounts Receivable,وصولی اکاؤنٹس
@@ -2934,16 +2962,16 @@
 DocType: Projects Settings,Timesheets,timesheets کو
 DocType: HR Settings,HR Settings,HR ترتیبات
 DocType: Salary Slip,net pay info,نیٹ تنخواہ کی معلومات
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS رقم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS رقم
 DocType: Woocommerce Settings,Enable Sync,مطابقت پذیری فعال کریں
 DocType: Tax Withholding Rate,Single Transaction Threshold,سنگل ٹرانزیکشن تھریڈولڈ
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,یہ قیمت ڈیفالٹ سیلز قیمت کی قیمت میں اپ ڈیٹ کیا جاتا ہے.
 DocType: Email Digest,New Expenses,نیا اخراجات
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC رقم
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC رقم
 DocType: Shareholder,Shareholder,شیئر ہولڈر
 DocType: Purchase Invoice,Additional Discount Amount,اضافی ڈسکاؤنٹ رقم
 DocType: Cash Flow Mapper,Position,مقام
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,نسخہ سے اشیا حاصل کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,نسخہ سے اشیا حاصل کریں
 DocType: Patient,Patient Details,مریض کی تفصیلات
 DocType: Inpatient Record,B Positive,بی مثبت
 apps/erpnext/erpnext/controllers/accounts_controller.py +655,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",صف # {0}: قی، 1 ہونا ضروری شے ایک مقررہ اثاثہ ہے کے طور پر. ایک سے زیادہ مقدار کے لئے علیحدہ صف استعمال کریں.
@@ -2953,8 +2981,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,غیر گروپ سے گروپ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,کھیل
 DocType: Loan Type,Loan Name,قرض نام
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,اصل کل
-DocType: Lab Test UOM,Test UOM,ٹیسٹ UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,اصل کل
 DocType: Student Siblings,Student Siblings,طالب علم بھائی بہن
 DocType: Subscription Plan Detail,Subscription Plan Detail,سبسکرپشن منصوبہ کی تفصیل
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,یونٹ
@@ -2982,7 +3009,6 @@
 DocType: Workstation,Wages per hour,فی گھنٹہ اجرت
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},بیچ میں اسٹاک توازن {0} بن جائے گا منفی {1} گودام شے {2} کے لئے {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,مواد درخواست درج ذیل آئٹم کی دوبارہ آرڈر کی سطح کی بنیاد پر خود کار طریقے سے اٹھایا گیا ہے
-DocType: Email Digest,Pending Sales Orders,سیلز احکامات زیر التواء
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},اکاؤنٹ {0} باطل ہے. اکاؤنٹ کی کرنسی ہونا ضروری ہے {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},تاریخ {0} سے ملازم کی رعایت کی تاریخ {1} کے بعد نہیں ہوسکتا ہے
 DocType: Supplier,Is Internal Supplier,اندرونی سپلائر ہے
@@ -2991,13 +3017,14 @@
 DocType: Healthcare Settings,Remind Before,پہلے یاد رکھیں
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM تبادلوں عنصر قطار میں کی ضرورت ہے {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم سیلز آرڈر میں سے ایک، فروخت انوائس یا جرنل اندراج ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم سیلز آرڈر میں سے ایک، فروخت انوائس یا جرنل اندراج ہونا ضروری ہے
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 وفادار پوائنٹس = کتنا بیس کرنسی؟
 DocType: Salary Component,Deduction,کٹوتی
 DocType: Item,Retain Sample,نمونہ برقرار رکھنا
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,صف {0}: وقت سے اور وقت کے لئے لازمی ہے.
 DocType: Stock Reconciliation Item,Amount Difference,رقم فرق
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},شے کی قیمت کے لئے شامل {0} قیمت کی فہرست میں {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},شے کی قیمت کے لئے شامل {0} قیمت کی فہرست میں {1}
+DocType: Delivery Stop,Order Information,آرڈر کی معلومات
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,اس کی فروخت کے شخص کے ملازم کی شناخت درج کریں
 DocType: Territory,Classification of Customers by region,خطے کی طرف سے صارفین کی درجہ بندی
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,پیداوار میں
@@ -3008,8 +3035,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,محسوب بینک کا گوشوارہ توازن
 DocType: Normal Test Template,Normal Test Template,عام ٹیسٹ سانچہ
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,معذور صارف
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,کوٹیشن
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,کوئی اقتباس نہیں موصول آر ایف آر مقرر نہیں کرسکتا
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,کوٹیشن
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,کوئی اقتباس نہیں موصول آر ایف آر مقرر نہیں کرسکتا
 DocType: Salary Slip,Total Deduction,کل کٹوتی
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,اکاؤنٹ کرنسی میں پرنٹ کرنے کا ایک اکاؤنٹ منتخب کریں
 ,Production Analytics,پیداوار کے تجزیات
@@ -3022,14 +3049,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,سپلائر اسکور کارڈ سیٹ اپ
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,تشخیص منصوبہ نام
 DocType: Work Order Operation,Work Order Operation,کام آرڈر آپریشن
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},انتباہ: منسلکہ پر غلط SSL سرٹیفکیٹ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},انتباہ: منسلکہ پر غلط SSL سرٹیفکیٹ {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",لیڈز آپ کو ملتا کاروبار، آپ لیڈز کے طور پر آپ کے تمام رابطوں اور مزید شامل کی مدد
 DocType: Work Order Operation,Actual Operation Time,اصل آپریشن کے وقت
 DocType: Authorization Rule,Applicable To (User),لاگو (صارف)
 DocType: Purchase Taxes and Charges,Deduct,منہا
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,کام کی تفصیل
 DocType: Student Applicant,Applied,اطلاقی
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,دوبارہ کھولنے
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,دوبارہ کھولنے
 DocType: Sales Invoice Item,Qty as per Stock UOM,مقدار اسٹاک UOM کے مطابق
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 نام
 DocType: Attendance,Attendance Request,حاضری کی درخواست
@@ -3047,7 +3074,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},سیریل نمبر {0} تک وارنٹی کے تحت ہے {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,کم از کم قابل قدر قدر
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,صارف {0} پہلے ہی موجود ہے
-apps/erpnext/erpnext/hooks.py +114,Shipments,ترسیل
+apps/erpnext/erpnext/hooks.py +115,Shipments,ترسیل
 DocType: Payment Entry,Total Allocated Amount (Company Currency),کل مختص رقم (کمپنی کرنسی)
 DocType: Purchase Order Item,To be delivered to customer,گاہک کے حوالے کیا جائے گا
 DocType: BOM,Scrap Material Cost,سکریپ مواد کی لاگت
@@ -3055,11 +3082,12 @@
 DocType: Grant Application,Email Notification Sent,ای میل کی اطلاع بھیجا
 DocType: Purchase Invoice,In Words (Company Currency),الفاظ میں (کمپنی کرنسی)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,کمپنی کمپنی اکاؤنٹ کے لئے منادی ہے
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",آئٹم کوڈ، گودام، مقدار قطار پر ضروری ہے
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",آئٹم کوڈ، گودام، مقدار قطار پر ضروری ہے
 DocType: Bank Guarantee,Supplier,پردایک
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,سے حاصل
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,یہ جڑ ڈپارٹمنٹ ہے اور ترمیم نہیں کیا جاسکتا ہے.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,ادائیگی کی تفصیلات دکھائیں
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,دنوں میں دورانیہ
 DocType: C-Form,Quarter,کوارٹر
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,متفرق اخراجات
 DocType: Global Defaults,Default Company,پہلے سے طے شدہ کمپنی
@@ -3067,7 +3095,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اخراجات یا فرق اکاؤنٹ آئٹم {0} کے طور پر اس کے اثرات مجموعی اسٹاک قیمت کے لئے لازمی ہے
 DocType: Bank,Bank Name,بینک کا نام
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,اوپر
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,تمام سپلائرز کے لئے خریداری کے احکامات کرنے کے لئے خالی فیلڈ چھوڑ دو
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,تمام سپلائرز کے لئے خریداری کے احکامات کرنے کے لئے خالی فیلڈ چھوڑ دو
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,انسپکٹر چارج چارج آئٹم
 DocType: Vital Signs,Fluid,سیال
 DocType: Leave Application,Total Leave Days,کل رخصت دنوں
@@ -3077,7 +3105,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,آئٹم مختلف ترتیبات
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,کمپنی کو منتخب کریں ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,تمام محکموں کے لئے تصور کیا جاتا ہے تو خالی چھوڑ دیں
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} شے کے لئے لازمی ہے {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} شے کے لئے لازمی ہے {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",آئٹم {0}: {1} مقدار کی پیداوار،
 DocType: Payroll Entry,Fortnightly,پندرہ روزہ
 DocType: Currency Exchange,From Currency,کرنسی سے
@@ -3127,7 +3155,7 @@
 DocType: Account,Fixed Asset,مستقل اثاثے
 DocType: Amazon MWS Settings,After Date,تاریخ کے بعد
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,serialized کی انوینٹری
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,انٹر کمپنی انوائس کے لئے غلط {0}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,انٹر کمپنی انوائس کے لئے غلط {0}.
 ,Department Analytics,ڈیپارٹمنٹ کے تجزیات
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,پہلے سے طے شدہ رابطہ میں ای میل نہیں مل سکا
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,خفیہ بنائیں
@@ -3146,6 +3174,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,سی ای او
 DocType: Purchase Invoice,With Payment of Tax,ٹیکس کی ادائیگی کے ساتھ
 DocType: Expense Claim Detail,Expense Claim Detail,اخراجات دعوی تفصیل
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,براہ کرم تعلیمی&gt; تعلیمی ترتیبات میں انسٹریکٹر نامی نظام قائم کریں
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,سپلائر کے لئے تین پرت
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,نئی بیلنس بیس بیس میں
 DocType: Location,Is Container,کنٹینر ہے
@@ -3153,13 +3182,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,درست اکاؤنٹ منتخب کریں
 DocType: Salary Structure Assignment,Salary Structure Assignment,تنخواہ کی ساخت کی تفویض
 DocType: Purchase Invoice Item,Weight UOM,وزن UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,فولیو نمبروں کے ساتھ دستیاب حصول داروں کی فہرست
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,فولیو نمبروں کے ساتھ دستیاب حصول داروں کی فہرست
 DocType: Salary Structure Employee,Salary Structure Employee,تنخواہ ساخت ملازم
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,مختلف خصوصیات دکھائیں
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,مختلف خصوصیات دکھائیں
 DocType: Student,Blood Group,خون کا گروپ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,ادائیگی میں گیٹ وے اکاؤنٹ {0} اس ادائیگی کی درخواست میں ادائیگی کے گیٹ وے اکاؤنٹ سے مختلف ہے
 DocType: Course,Course Name,کورس کا نام
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,موجودہ مالیاتی سال کے لئے کوئی ٹیکس سے متعلق ڈیٹا حاصل نہیں ہے.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,موجودہ مالیاتی سال کے لئے کوئی ٹیکس سے متعلق ڈیٹا حاصل نہیں ہے.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ایک مخصوص ملازم کی چھٹی ایپلی کیشنز منظور کر سکتے ہیں جو صارفین
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,آفس سازوسامان
 DocType: Purchase Invoice Item,Qty,مقدار
@@ -3167,6 +3196,7 @@
 DocType: Supplier Scorecard,Scoring Setup,سیٹنگ سیٹ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,الیکٹرانکس
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),ڈیبٹ ({0})
+DocType: BOM,Allow Same Item Multiple Times,اسی آئٹم کو ایک سے زیادہ ٹائمز کی اجازت دیں
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,اسٹاک دوبارہ آرڈر کی سطح تک پہنچ جاتا ہے مواد کی درخواست میں اضافہ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,پورا وقت
 DocType: Payroll Entry,Employees,ایمپلائز
@@ -3178,11 +3208,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,ادائیگی کی تصدیق
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,قیمت کی فہرست مقرر نہیں ہے تو قیمتیں نہیں دکھایا جائے گا
 DocType: Stock Entry,Total Incoming Value,کل موصولہ ویلیو
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,ڈیبٹ کرنے کی ضرورت ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,ڈیبٹ کرنے کی ضرورت ہے
 DocType: Clinical Procedure,Inpatient Record,بیماری کا ریکارڈ
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",timesheets کو آپ کی ٹیم کی طرف سے کیا سرگرمیوں کے لئے وقت، لاگت اور بلنگ کا ٹریک رکھنے میں مدد
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,قیمت خرید کی فہرست
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,ٹرانزیکشن کی تاریخ
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,قیمت خرید کی فہرست
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,ٹرانزیکشن کی تاریخ
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,سپلائر سکور کارڈ متغیر کے سانچے.
 DocType: Job Offer Term,Offer Term,پیشکش ٹرم
 DocType: Asset,Quality Manager,کوالٹی منیجر
@@ -3203,11 +3233,11 @@
 DocType: Cashier Closing,To Time,وقت
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) کے لئے {0}
 DocType: Authorization Rule,Approving Role (above authorized value),(مجاز کی قیمت سے اوپر) کردار منظوری
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,اکاؤنٹ کریڈٹ ایک قابل ادائیگی اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,اکاؤنٹ کریڈٹ ایک قابل ادائیگی اکاؤنٹ ہونا ضروری ہے
 DocType: Loan,Total Amount Paid,ادا کردہ کل رقم
 DocType: Asset,Insurance End Date,انشورنس اختتام کی تاریخ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,برائے مہربانی طالب علم داخلہ منتخب کریں جو ادا طلبہ کے درخواست دہندگان کے لئے لازمی ہے
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM تکرار: {0} کے والدین یا بچے نہیں ہو سکتا {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM تکرار: {0} کے والدین یا بچے نہیں ہو سکتا {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,بجٹ کی فہرست
 DocType: Work Order Operation,Completed Qty,مکمل مقدار
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0}، صرف ڈیبٹ اکاؤنٹس دوسرے کریڈٹ داخلے کے خلاف منسلک کیا جا سکتا ہے
@@ -3215,7 +3245,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",serialized کی آئٹم {0} اسٹاک انٹری اسٹاک مصالحت کا استعمال کرتے ہوئے استعمال کریں اپ ڈیٹ نہیں کیا جا سکتا
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",serialized کی آئٹم {0} اسٹاک انٹری اسٹاک مصالحت کا استعمال کرتے ہوئے استعمال کریں اپ ڈیٹ نہیں کیا جا سکتا
 DocType: Training Event Employee,Training Event Employee,تربیت ایونٹ ملازم
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,زیادہ سے زیادہ نمونے - {1} بیچ {1} اور آئٹم {2} کے لئے برقرار رکھا جا سکتا ہے.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,زیادہ سے زیادہ نمونے - {1} بیچ {1} اور آئٹم {2} کے لئے برقرار رکھا جا سکتا ہے.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,ٹائم سلاٹس شامل کریں
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} شے کے لئے کی ضرورت ہے سیریل نمبر {1}. آپ کی فراہم کردہ {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,موجودہ تشخیص کی شرح
@@ -3245,11 +3275,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,نہیں ملا سیریل کوئی {0}
 DocType: Fee Schedule Program,Fee Schedule Program,فیس شیڈول پروگرام
 DocType: Fee Schedule Program,Student Batch,Student کی بیچ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","برائے مہربانی اس دستاویز کو منسوخ کرنے کے لئے ملازم <a href=""#Form/Employee/{0}"">{0}</a> کو حذف کریں"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,طالب علم بنائیں
 DocType: Supplier Scorecard Scoring Standing,Min Grade,کم گریڈ
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ہیلتھ کیئر سروس یونٹ کی قسم
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},آپ کو منصوبے پر تعاون کرنے کیلئے مدعو کیا گیا ہے: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},آپ کو منصوبے پر تعاون کرنے کیلئے مدعو کیا گیا ہے: {0}
 DocType: Supplier Group,Parent Supplier Group,والدین سپلائر گروپ
+DocType: Email Digest,Purchase Orders to Bill,بلڈر کو خریدنے کے لئے خریداری کریں
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,گروپ کمپنی میں جمع کردہ اقدار
 DocType: Leave Block List Date,Block Date,بلاک تاریخ
 DocType: Crop,Crop,فصل
@@ -3262,6 +3295,7 @@
 DocType: Sales Order,Not Delivered,نجات نہیں
 ,Bank Clearance Summary,بینک کلیئرنس خلاصہ
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",بنائیں اور، یومیہ، ہفتہ وار اور ماہانہ ای میل ڈائجسٹ کا انتظام.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,یہ اس سیلز شخص کے خلاف ٹرانزیکشنز پر مبنی ہے. تفصیلات کے لئے ذیل میں ٹائم لائن ملاحظہ کریں
 DocType: Appraisal Goal,Appraisal Goal,تشخیص گول
 DocType: Stock Reconciliation Item,Current Amount,موجودہ رقم
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,عمارات
@@ -3288,7 +3322,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,سافٹ ویئر
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,اگلی تاریخ سے رابطہ ماضی میں نہیں ہو سکتا
 DocType: Company,For Reference Only.,صرف ریفرنس کے لئے.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,بیچ منتخب نہیں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,بیچ منتخب نہیں
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},غلط {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,حوالہ انو
@@ -3306,16 +3340,16 @@
 DocType: Normal Test Items,Require Result Value,ضرورت کے نتائج کی ضرورت ہے
 DocType: Item,Show a slideshow at the top of the page,صفحے کے سب سے اوپر ایک سلائڈ شو دکھانے کے
 DocType: Tax Withholding Rate,Tax Withholding Rate,ٹیکس کو روکنے کی شرح
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,سٹورز
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,سٹورز
 DocType: Project Type,Projects Manager,منصوبوں کے مینیجر
 DocType: Serial No,Delivery Time,ڈیلیوری کا وقت
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,کی بنیاد پر خستہ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,اپیل منسوخ کردی گئی
 DocType: Item,End of Life,زندگی کے اختتام
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,سفر
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,سفر
 DocType: Student Report Generation Tool,Include All Assessment Group,تمام تشخیص گروپ شامل کریں
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,ملازم {0} کے لئے مل دی گئی تاریخوں کے لئے کوئی فعال یا ڈیفالٹ تنخواہ کی ساخت
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,ملازم {0} کے لئے مل دی گئی تاریخوں کے لئے کوئی فعال یا ڈیفالٹ تنخواہ کی ساخت
 DocType: Leave Block List,Allow Users,صارفین کو اجازت دے
 DocType: Purchase Order,Customer Mobile No,کسٹمر موبائل نہیں
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,کیش فلو تعریفیں سانچہ کی تفصیلات
@@ -3324,15 +3358,16 @@
 DocType: Rename Tool,Rename Tool,آلہ کا نام تبدیل کریں
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,اپ ڈیٹ لاگت
 DocType: Item Reorder,Item Reorder,آئٹم ترتیب
+DocType: Delivery Note,Mode of Transport,نقل و حمل کے موڈ
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,دکھائیں تنخواہ کی پرچی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,منتقلی مواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,منتقلی مواد
 DocType: Fees,Send Payment Request,ادائیگی کی درخواست بھیجیں
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",آپریشن، آپریٹنگ لاگت کی وضاحت کریں اور اپنے آپریشن کی کوئی ایک منفرد آپریشن دے.
 DocType: Travel Request,Any other details,کوئی اور تفصیلات
 DocType: Water Analysis,Origin,اصل
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,یہ دستاویز کی طرف سے حد سے زیادہ ہے {0} {1} شے کے لئے {4}. آپ کر رہے ہیں ایک اور {3} اسی کے خلاف {2}؟
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,کو بچانے کے بعد بار بار چلنے والی مقرر کریں
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,تبدیلی منتخب رقم اکاؤنٹ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,کو بچانے کے بعد بار بار چلنے والی مقرر کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,تبدیلی منتخب رقم اکاؤنٹ
 DocType: Purchase Invoice,Price List Currency,قیمت کی فہرست کرنسی
 DocType: Naming Series,User must always select,صارف نے ہمیشہ منتخب کرنا ضروری ہے
 DocType: Stock Settings,Allow Negative Stock,منفی اسٹاک کی اجازت دیں
@@ -3353,9 +3388,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability کے
 DocType: Asset Maintenance Log,Actions performed,عمل انجام دیا
 DocType: Cash Flow Mapper,Section Leader,سیکشن لیڈر
+DocType: Delivery Note,Transport Receipt No,ٹرانسپورٹ رسید نمبر
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),فنڈز کا ماخذ (واجبات)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,ماخذ اور ہدف مقام ایک ہی نہیں ہوسکتا
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},قطار میں مقدار {0} ({1}) تیار مقدار کے طور پر ایک ہی ہونا چاہیے {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},قطار میں مقدار {0} ({1}) تیار مقدار کے طور پر ایک ہی ہونا چاہیے {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,ملازم
 DocType: Bank Guarantee,Fixed Deposit Number,مقررہ جمع رقم
 DocType: Asset Repair,Failure Date,ناکامی کی تاریخ
@@ -3369,16 +3405,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,ادائیگی کٹوتیوں یا گمشدگی
 DocType: Soil Analysis,Soil Analysis Criterias,مٹی تجزیہ کارواریوں
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,سیلز یا خریداری کے لئے معیاری معاہدہ شرائط.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,کیا آپ واقعی اس مقررہ کو منسوخ کرنا چاہتے ہیں؟
+DocType: BOM Item,Item operation,آئٹم آپریشن
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,کیا آپ واقعی اس مقررہ کو منسوخ کرنا چاہتے ہیں؟
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,ہوٹل کمرہ قیمتوں کا تعین پیکیج
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,فروخت کی پائپ لائن
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,فروخت کی پائپ لائن
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},تنخواہ کے اجزاء میں ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,مطلوب پر
 DocType: Rename Tool,File to Rename,فائل کا نام تبدیل کرنے
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},براہ کرم بوم میں آئٹم کیلئے صف {0} منتخب کریں.
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,سبسکرائب کریں تازہ ترین معلومات
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},اکاؤنٹ {0} کمپنی {1} اکاؤنٹ سے موڈ میں نہیں ملتا ہے: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},شے کے لئے موجود نہیں ہے واضع BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},شے کے لئے موجود نہیں ہے واضع BOM {0} {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,کورس:
 DocType: Soil Texture,Sandy Loam,سینڈی لوام
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,بحالی کے شیڈول {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے
@@ -3387,7 +3424,7 @@
 DocType: Notification Control,Expense Claim Approved,اخراجات کلیم منظور
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),بڑھانے اور مختص کریں (فیفا)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,کوئی کام آرڈر نہیں بنایا گیا
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,ملازم کی تنخواہ کی پرچی {0} نے پہلے ہی اس کی مدت کے لئے پیدا
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,ملازم کی تنخواہ کی پرچی {0} نے پہلے ہی اس کی مدت کے لئے پیدا
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,دواسازی
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,آپ کو صرف ایک جائز شناختی رقم کے لۓ چھوڑ کر Encashment جمع کر سکتے ہیں
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,خریدی اشیاء کی لاگت
@@ -3395,7 +3432,8 @@
 DocType: Selling Settings,Sales Order Required,سیلز آرڈر کی ضرورت ہے
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,بیچنے والا بن
 DocType: Purchase Invoice,Credit To,کریڈٹ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,ایکٹو لیڈز / گاہکوں
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,ایکٹو لیڈز / گاہکوں
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,معیاری ڈلیوری نوٹ کی شکل کا استعمال کرنے کیلئے خالی چھوڑ دیں
 DocType: Employee Education,Post Graduate,پوسٹ گریجویٹ
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,بحالی کے شیڈول تفصیل
 DocType: Supplier Scorecard,Warn for new Purchase Orders,نئے خریداری کے حکم کے لئے انتباہ کریں
@@ -3409,14 +3447,14 @@
 DocType: Support Search Source,Post Title Key,پوسٹ عنوان کلید
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,ملازمت کے لئے
 DocType: Warranty Claim,Raised By,طرف سے اٹھائے گئے
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,نسخہ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,نسخہ
 DocType: Payment Gateway Account,Payment Account,ادائیگی اکاؤنٹ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,آگے بڑھنے کے لئے کمپنی کی وضاحت کریں
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,آگے بڑھنے کے لئے کمپنی کی وضاحت کریں
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,اکاؤنٹس وصولی میں خالص تبدیلی
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,مائکر آف
 DocType: Job Offer,Accepted,قبول کر لیا
 DocType: POS Closing Voucher,Sales Invoices Summary,سیلز انوائس خلاصہ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,پارٹی کا نام
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,پارٹی کا نام
 DocType: Grant Application,Organization,ادارہ
 DocType: Grant Application,Organization,ادارہ
 DocType: BOM Update Tool,BOM Update Tool,BOM اپ ڈیٹ کا آلہ
@@ -3426,7 +3464,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,تم واقعی میں اس کمپنی کے لئے تمام لین دین کو حذف کرنا چاہتے براہ کرم یقینی بنائیں. یہ ہے کے طور پر آپ ماسٹر ڈیٹا رہیں گے. اس کارروائی کو رد نہیں کیا جا سکتا.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,تلاش کے نتائج
 DocType: Room,Room Number,کمرہ نمبر
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},غلط حوالہ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},غلط حوالہ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) منصوبہ بندی quanitity سے زیادہ نہیں ہو سکتا ({2}) پیداوار میں آرڈر {3}
 DocType: Shipping Rule,Shipping Rule Label,شپنگ حکمرانی لیبل
 DocType: Journal Entry Account,Payroll Entry,پے رول انٹری
@@ -3434,8 +3472,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,ٹیکس سانچہ بنائیں
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,صارف فورم
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,خام مال خالی نہیں ہو سکتا.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,قطار # {0} (ادائیگی کی میز): رقم منفی ہونا ضروری ہے
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.",اسٹاک کو اپ ڈیٹ نہیں کیا جا سکا، انوائس ڈراپ شپنگ آئٹم پر مشتمل ہے.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,قطار # {0} (ادائیگی کی میز): رقم منفی ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.",اسٹاک کو اپ ڈیٹ نہیں کیا جا سکا، انوائس ڈراپ شپنگ آئٹم پر مشتمل ہے.
 DocType: Contract,Fulfilment Status,مکمل حیثیت
 DocType: Lab Test Sample,Lab Test Sample,لیب ٹیسٹنگ نمونہ
 DocType: Item Variant Settings,Allow Rename Attribute Value,خصوصیت قیمت کا نام تبدیل کرنے کی اجازت دیں
@@ -3477,11 +3515,11 @@
 DocType: BOM,Show Operations,آپریشنز دکھائیں
 ,Minutes to First Response for Opportunity,موقع کے لئے پہلا رسپانس منٹ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,کل غائب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,صف {0} سے مماثل نہیں ہے مواد کی درخواست کے لئے شے یا گودام
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,صف {0} سے مماثل نہیں ہے مواد کی درخواست کے لئے شے یا گودام
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,پیمائش کی اکائی
 DocType: Fiscal Year,Year End Date,سال کے آخر تاریخ
 DocType: Task Depends On,Task Depends On,کام پر انحصار کرتا ہے
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,موقع
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,موقع
 DocType: Operation,Default Workstation,پہلے سے طے شدہ کارگاہ
 DocType: Notification Control,Expense Claim Approved Message,اخراجات کلیم منظور پیغام
 DocType: Payment Entry,Deductions or Loss,کٹوتیوں یا گمشدگی
@@ -3519,21 +3557,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,صارف منظوری حکمرانی کے لئے لاگو ہوتا ہے صارف کے طور پر ہی نہیں ہو سکتا
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),بنیادی شرح (اسٹاک UOM کے مطابق)
 DocType: SMS Log,No of Requested SMS,درخواست ایس ایم ایس کی کوئی
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,بغیر تنخواہ چھٹی منظور شدہ رخصت کی درخواست ریکارڈ کے ساتھ میل نہیں کھاتا
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,بغیر تنخواہ چھٹی منظور شدہ رخصت کی درخواست ریکارڈ کے ساتھ میل نہیں کھاتا
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,اگلے مراحل
 DocType: Travel Request,Domestic,گھریلو
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,بہترین ممکنہ شرح پر بیان کردہ اشیاء فراہم مہربانی
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,بہترین ممکنہ شرح پر بیان کردہ اشیاء فراہم مہربانی
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,منتقلی کی تاریخ سے پہلے ملازم کی منتقلی جمع نہیں کی جا سکتی
 DocType: Certification Application,USD,امریکن روپے
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,انوائس بنائیں
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,بقیہ رقم
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,بقیہ رقم
 DocType: Selling Settings,Auto close Opportunity after 15 days,15 دنوں کے بعد آٹو بند مواقع
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} کے سکور کارڈ کارڈ کے سبب {0} کے لئے خریداری کے حکم کی اجازت نہیں ہے.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,بارکوڈ {0} ایک درست {1} کوڈ نہیں ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,بارکوڈ {0} ایک درست {1} کوڈ نہیں ہے
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,اختتام سال
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,عمومی quot / لیڈ٪
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,عمومی quot / لیڈ٪
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,معاہدہ اختتام تاریخ شمولیت کی تاریخ سے زیادہ ہونا چاہیے
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,معاہدہ اختتام تاریخ شمولیت کی تاریخ سے زیادہ ہونا چاہیے
 DocType: Driver,Driver,ڈرائیور
 DocType: Vital Signs,Nutrition Values,غذائی اقدار
 DocType: Lab Test Template,Is billable,قابل ہے
@@ -3544,7 +3582,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,یہ ایک مثال ویب سائٹ ERPNext سے آٹو پیدا کیا جاتا ہے
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,خستہ رینج 1
 DocType: Shopify Settings,Enable Shopify,Shopify کو فعال کریں
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,کل پیشگی رقم کل دعوی رقم سے زیادہ نہیں ہوسکتی ہے
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,کل پیشگی رقم کل دعوی رقم سے زیادہ نہیں ہوسکتی ہے
 DocType: Purchase Taxes and Charges Template,"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
@@ -3571,12 +3609,12 @@
 DocType: Employee Separation,Employee Separation,ملازم علیحدگی
 DocType: BOM Item,Original Item,اصل آئٹم
 DocType: Purchase Receipt Item,Recd Quantity,Recd مقدار
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,ڈاکٹر کی تاریخ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,ڈاکٹر کی تاریخ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},فیس ریکارڈز کی تشکیل - {0}
 DocType: Asset Category Account,Asset Category Account,ایسیٹ زمرہ اکاؤنٹ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,قطار # {0} (ادائیگی کی میز): رقم مثبت ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,قطار # {0} (ادائیگی کی میز): رقم مثبت ہونا ضروری ہے
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},سیلز آرڈر کی مقدار سے زیادہ آئٹم {0} پیدا نہیں کر سکتے ہیں {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,خصوصیت اقدار منتخب کریں
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,خصوصیت اقدار منتخب کریں
 DocType: Purchase Invoice,Reason For Issuing document,دستاویز جاری کرنے کے لۓ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,اسٹاک انٹری {0} پیش نہیں ہے
 DocType: Payment Reconciliation,Bank / Cash Account,بینک / کیش اکاؤنٹ
@@ -3585,8 +3623,10 @@
 DocType: Asset,Manual,دستی
 DocType: Salary Component Account,Salary Component Account,تنخواہ اجزاء اکاؤنٹ
 DocType: Global Defaults,Hide Currency Symbol,کرنسی کی علامت چھپائیں
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,ماخذ کے ذریعہ سیلز مواقع
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,ڈونر کی معلومات.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card",مثال کے طور پر بینک، کیش، کریڈٹ کارڈ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,سیٹ اپ&gt; نمبر نمبر کے ذریعے حاضری کے لئے براہ کرم سلسلہ نمبر سیٹ کریں
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card",مثال کے طور پر بینک، کیش، کریڈٹ کارڈ
 DocType: Job Applicant,Source Name,ماخذ نام
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",بالغ میں عام آرام دہ بلڈ پریشر تقریبا 120 ملی میٹر ہیزیسولول ہے، اور 80 ملی میٹر ایچ جی ڈاسکولک، مختصر &quot;120/80 ملی میٹر&quot;
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",مینوفیکچرنگ_ ڈییٹ اور خود کی زندگی پر مبنی ختم ہونے کے لئے، دنوں میں شیلف زندگی مقرر کریں
@@ -3616,7 +3656,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},مقدار کے لئے مقدار سے کم ہونا ضروری ہے {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,صف {0}: شروع کرنے کی تاریخ تاریخ اختتام سے پہلے ہونا ضروری ہے
 DocType: Salary Component,Max Benefit Amount (Yearly),زیادہ سے زیادہ منافع رقم (سالانہ)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS شرح٪
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS شرح٪
 DocType: Crop,Planting Area,پودے لگانا ایریا
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),کل (مقدار)
 DocType: Installation Note Item,Installed Qty,نصب مقدار
@@ -3638,8 +3678,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,منظوری کی اطلاع چھوڑ دو
 DocType: Buying Settings,Default Buying Price List,پہلے سے طے شدہ خرید قیمت کی فہرست
 DocType: Payroll Entry,Salary Slip Based on Timesheet,تنخواہ کی پرچی Timesheet کی بنیاد پر
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,خریداری کی شرح
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},قطار {0}: اثاثہ شے کے لئے مقام درج کریں {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,خریداری کی شرح
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},قطار {0}: اثاثہ شے کے لئے مقام درج کریں {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ -YYYY-
 DocType: Company,About the Company,کمپنی کے بارے میں
 DocType: Notification Control,Sales Order Message,سیلز آرڈر پیغام
@@ -3706,10 +3746,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,قطار {0} کے لئے: منصوبہ بندی کی مقدار درج کریں
 DocType: Account,Income Account,انکم اکاؤنٹ
 DocType: Payment Request,Amount in customer's currency,کسٹمر کی کرنسی میں رقم
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,ڈلیوری
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,ڈلیوری
 DocType: Volunteer,Weekdays,ہفتے کے دن
 DocType: Stock Reconciliation Item,Current Qty,موجودہ مقدار
 DocType: Restaurant Menu,Restaurant Menu,ریسٹورانٹ مینو
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,سپلائر شامل کریں
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,اے اے سی - این - .YYYY-
 DocType: Loyalty Program,Help Section,مدد سیکشن
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,پچھلا
@@ -3721,19 +3762,20 @@
 												fullfill Sales Order {2}",آئٹم {1} کے سیریل نمبر {0} کو نہیں فراہم کر سکتا ہے کیونکہ یہ \ &quot;مکمل سیل سیل آرڈر {2}
 DocType: Item Reorder,Material Request Type,مواد درخواست کی قسم
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,گرانٹ کا جائزہ ای میل بھیجیں
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,صف {0}: UOM تبادلوں فیکٹر لازمی ہے
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,صف {0}: UOM تبادلوں فیکٹر لازمی ہے
 DocType: Employee Benefit Claim,Claim Date,دعوی کی تاریخ
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,کمرہ کی صلاحیت
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},آئٹم کے لئے پہلے ہی ریکارڈ موجود ہے {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,ممبران
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,آپ پہلے سے تیار کردہ انوائس کے ریکارڈ کھو جائیں گے. کیا آپ واقعی اس رکنیت کو دوبارہ شروع کرنا چاہتے ہیں؟
+DocType: Lab Test,LP-,ایل پی-
 DocType: Healthcare Settings,Registration Fee,رجسٹریشن فیس
 DocType: Loyalty Program Collection,Loyalty Program Collection,وفادار پروگرام مجموعہ
 DocType: Stock Entry Detail,Subcontracted Item,ذیلی کنکریٹ آئٹم
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},طالب علم {0} گروپ سے تعلق رکھتا ہے {1}
 DocType: Budget,Cost Center,لاگت مرکز
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,واؤچر #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,واؤچر #
 DocType: Notification Control,Purchase Order Message,آرڈر پیغام خریدیں
 DocType: Tax Rule,Shipping Country,شپنگ ملک
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,سیلز معاملات سے گاہک کی ٹیکس ID چھپائیں
@@ -3752,23 +3794,22 @@
 DocType: Subscription,Cancel At End Of Period,مدت کے آخر میں منسوخ کریں
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,پراپرٹی پہلے سے شامل ہے
 DocType: Item Supplier,Item Supplier,آئٹم پردایک
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,بیچ کوئی حاصل کرنے کے لئے آئٹم کوڈ درج کریں
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},{0} quotation_to کے لئے ایک قیمت منتخب کریں {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,بیچ کوئی حاصل کرنے کے لئے آئٹم کوڈ درج کریں
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},{0} quotation_to کے لئے ایک قیمت منتخب کریں {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,منتقلی کے لئے منتخب کردہ کوئی آئٹم نہیں
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,تمام پتے.
 DocType: Company,Stock Settings,اسٹاک ترتیبات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",مندرجہ ذیل خصوصیات دونوں کے ریکارڈ میں ایک ہی ہیں تو ولی ہی ممکن ہے. گروپ، جڑ کی قسم، کمپنی ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",مندرجہ ذیل خصوصیات دونوں کے ریکارڈ میں ایک ہی ہیں تو ولی ہی ممکن ہے. گروپ، جڑ کی قسم، کمپنی ہے
 DocType: Vehicle,Electric,بجلی
 DocType: Task,% Progress,٪ پروگریس
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,حاصل / ایسیٹ تلفی پر نقصان
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",حیثیت &quot;منظور شدہ&quot; کے ساتھ صرف طالب علم درخواست دہندگان کو مندرجہ ذیل میز میں منتخب کیا جائے گا.
 DocType: Tax Withholding Category,Rates,قیمتیں
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,اکاؤنٹ {0} کے لئے اکاؤنٹ نمبر دستیاب نہیں ہے. <br> برائے مہربانی اپنے اکاؤنٹس کے چارٹ درست طریقے سے ترتیب دیں.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,اکاؤنٹ {0} کے لئے اکاؤنٹ نمبر دستیاب نہیں ہے. <br> برائے مہربانی اپنے اکاؤنٹس کے چارٹ درست طریقے سے ترتیب دیں.
 DocType: Task,Depends on Tasks,ٹاسکس پر انحصار کرتا ہے
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,گاہک گروپ درخت کا انتظام کریں.
 DocType: Normal Test Items,Result Value,نتیجہ قیمت
 DocType: Hotel Room,Hotels,ہوٹل
-DocType: Delivery Note,Transporter Date,ٹرانزٹر تاریخ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,نیا لاگت مرکز نام
 DocType: Leave Control Panel,Leave Control Panel,کنٹرول پینل چھوڑنا
 DocType: Project,Task Completion,ٹاسک کی تکمیل
@@ -3815,11 +3856,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,تمام تعین گروپ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,نیا گودام نام
 DocType: Shopify Settings,App Type,ایپ کی قسم
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),کل {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),کل {0} ({1})
 DocType: C-Form Invoice Detail,Territory,علاقہ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,ضرورت دوروں کا کوئی ذکر کریں
 DocType: Stock Settings,Default Valuation Method,پہلے سے طے شدہ تشخیص کا طریقہ
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,فیس
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,مجموعی رقم دکھائیں
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,اپ ڈیٹ جاری ہے. یہ تھوڑی دیر لگتی ہے.
 DocType: Production Plan Item,Produced Qty,تیار مقدار
 DocType: Vehicle Log,Fuel Qty,ایندھن کی مقدار
@@ -3827,7 +3869,7 @@
 DocType: Work Order Operation,Planned Start Time,منصوبہ بندی کے آغاز کا وقت
 DocType: Course,Assessment,اسسمنٹ
 DocType: Payment Entry Reference,Allocated,مختص
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,بند بیلنس شیٹ اور کتاب نفع یا نقصان.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,بند بیلنس شیٹ اور کتاب نفع یا نقصان.
 DocType: Student Applicant,Application Status,ایپلیکیشن اسٹیٹس
 DocType: Additional Salary,Salary Component Type,تنخواہ کے اجزاء کی قسم
 DocType: Sensitivity Test Items,Sensitivity Test Items,حساسیت ٹیسٹ اشیا
@@ -3838,10 +3880,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,کل بقایا رقم
 DocType: Sales Partner,Targets,اہداف
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,براہ مہربانی کمپنی کی معلومات کی فائل میں سیر نمبر درج کریں
+DocType: Email Digest,Sales Orders to Bill,سیلز کی فروخت بل پر ہے
 DocType: Price List,Price List Master,قیمت کی فہرست ماسٹر
 DocType: GST Account,CESS Account,CESS اکاؤنٹ
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,آپ کی مقرر کردہ اور اہداف کی نگرانی کر سکتے ہیں تاکہ تمام سیلز معاملات سے زیادہ ** سیلز افراد ** خلاف ٹیگ کیا جا سکتا.
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,مواد کی درخواست سے رابطہ کریں
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,مواد کی درخواست سے رابطہ کریں
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,فورم سرگرمی
 ,S.O. No.,تو نمبر
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,بینک بیان ٹرانزیکشن کی ترتیبات آئٹم
@@ -3856,7 +3899,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,یہ ایک جڑ کسٹمر گروپ ہے اور میں ترمیم نہیں کیا جا سکتا.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,اگر ایک ماہانہ بجٹ جمع ہو چکا ہے تو پیسہ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,جگہ پر
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,جگہ پر
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ایکسچینج کی شرح ریفریجریشن
 DocType: POS Profile,Ignore Pricing Rule,قیمتوں کا تعین اصول نظر انداز
 DocType: Employee Education,Graduate,گریجویٹ
@@ -3893,6 +3936,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,براہ کرم ریستوران ترتیبات میں ڈیفالٹ کسٹمر مقرر کریں
 ,Salary Register,تنخواہ رجسٹر
 DocType: Warehouse,Parent Warehouse,والدین گودام
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,چارٹ
 DocType: Subscription,Net Total,نیٹ کل
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},پہلے سے طے شدہ BOM آئٹم کے لئے نہیں پایا {0} اور پروجیکٹ {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,مختلف قرض کی اقسام کی وضاحت کریں
@@ -3925,18 +3969,19 @@
 DocType: Membership,Membership Status,رکنیت کی حیثیت
 DocType: Travel Itinerary,Lodging Required,جذبہ کی ضرورت ہے
 ,Requested,درخواست
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,کوئی ریمارکس
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,کوئی ریمارکس
 DocType: Asset,In Maintenance,بحالی میں
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ایمیزون MWS سے اپنے سیلز آرڈر ڈیٹا کو ھیںچو کرنے کیلئے اس بٹن کو کلک کریں.
 DocType: Vital Signs,Abdomen,پیٹ
 DocType: Purchase Invoice,Overdue,اتدیئ
 DocType: Account,Stock Received But Not Billed,اسٹاک موصول ہوئی ہے لیکن بل نہیں
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,روٹ اکاؤنٹ ایک گروپ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,روٹ اکاؤنٹ ایک گروپ ہونا ضروری ہے
 DocType: Drug Prescription,Drug Prescription,دوا نسخہ
 DocType: Loan,Repaid/Closed,چکایا / بند کر دیا
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,کل متوقع مقدار
 DocType: Monthly Distribution,Distribution Name,ڈسٹری بیوشن کا نام
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM شامل کریں
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",آئٹم {0} کے لئے وابستہ کی شرح نہیں، جس میں {1} {2} کے اکاؤنٹنگ اندراج کرنا ضروری ہے. اگر آئٹم 1 {1} میں صفر کی قیمتوں کی شرح کی شرح کے طور پر ٹرانسمیشن کررہا ہے تو، براہ کرم اسے {1} آئٹم ٹیبل میں بتائیں. دوسری صورت میں، براہ کرم شے کے لئے آنے والا اسٹاک ٹرانزیکشن بنائیں یا شے کی ریکارڈ میں قیمتوں کی شرح کا ذکر کریں، اور پھر اس اندراج جمع کرانے / منسوخ کرنے کی کوشش کریں.
 DocType: Course,Course Code,کورس کوڈ
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},آئٹم کے لئے ضروری معیار معائنہ {0}
@@ -3951,19 +3996,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,فروخت انوائس
 DocType: Journal Entry Account,Party Balance,پارٹی بیلنس
 DocType: Cash Flow Mapper,Section Subtotal,سیکشن ذیلیٹول
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,ڈسکاؤنٹ پر لاگو براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,ڈسکاؤنٹ پر لاگو براہ مہربانی منتخب کریں
 DocType: Stock Settings,Sample Retention Warehouse,نمونہ برقرار رکھنے کے گودام
 DocType: Company,Default Receivable Account,پہلے سے طے شدہ وصولی اکاؤنٹ
 DocType: Purchase Invoice,Deemed Export,ڈیمیٹڈ برآمد
 DocType: Stock Entry,Material Transfer for Manufacture,تیاری کے لئے مواد کی منتقلی
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ڈسکاؤنٹ فی صد قیمت کی فہرست کے خلاف یا تمام قیمت کی فہرست کے لئے یا تو لاگو کیا جا سکتا.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,اسٹاک کے لئے اکاؤنٹنگ انٹری
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,اسٹاک کے لئے اکاؤنٹنگ انٹری
 DocType: Lab Test,LabTest Approver,LabTest کے قریب
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,آپ نے پہلے ہی تشخیص کے معیار کے تعین کی ہے {}.
 DocType: Vehicle Service,Engine Oil,انجن کا تیل
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},کام کے حکموں کو تشکیل دیا گیا: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},کام کے حکموں کو تشکیل دیا گیا: {0}
 DocType: Sales Invoice,Sales Team1,سیلز Team1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,آئٹم {0} موجود نہیں ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,آئٹم {0} موجود نہیں ہے
 DocType: Sales Invoice,Customer Address,گاہک پتہ
 DocType: Loan,Loan Details,قرض کی تفصیلات
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,پوسٹ کمپنی کے فکسچر کو قائم کرنے میں ناکام
@@ -3984,34 +4029,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,صفحے کے سب سے اوپر اس سلائڈ شو دکھانے کے
 DocType: BOM,Item UOM,آئٹم UOM
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ڈسکاؤنٹ رقم کے بعد ٹیکس کی رقم (کمپنی کرنسی)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},ہدف گودام صف کے لئے لازمی ہے {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},ہدف گودام صف کے لئے لازمی ہے {0}
 DocType: Cheque Print Template,Primary Settings,بنیادی ترتیبات
 DocType: Attendance Request,Work From Home,گھر سے کام
 DocType: Purchase Invoice,Select Supplier Address,منتخب سپلائر ایڈریس
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,ملازمین شامل کریں
 DocType: Purchase Invoice Item,Quality Inspection,معیار معائنہ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,اضافی چھوٹے
 DocType: Company,Standard Template,سٹینڈرڈ سانچہ
 DocType: Training Event,Theory,نظریہ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,انتباہ: مقدار درخواست مواد کم از کم آرڈر کی مقدار سے کم ہے
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,انتباہ: مقدار درخواست مواد کم از کم آرڈر کی مقدار سے کم ہے
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,اکاؤنٹ {0} منجمد ہے
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,تنظیم سے تعلق رکھنے والے اکاؤنٹس کی ایک علیحدہ چارٹ کے ساتھ قانونی / ماتحت.
 DocType: Payment Request,Mute Email,گونگا ای میل
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco",کھانا، مشروب اور تمباکو
 DocType: Account,Account Number,اکاؤنٹ نمبر
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},صرف خلاف ادائیگی کر سکتے ہیں unbilled {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,کمیشن کی شرح زیادہ سے زیادہ 100 نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},صرف خلاف ادائیگی کر سکتے ہیں unbilled {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,کمیشن کی شرح زیادہ سے زیادہ 100 نہیں ہو سکتا
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),خود کار طریقے سے بڑھانے کا مختص کریں (فیفا)
 DocType: Volunteer,Volunteer,رضاکارانہ
 DocType: Buying Settings,Subcontract,اپپٹا
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,پہلے {0} درج کریں
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,کوئی جوابات سے
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,کوئی جوابات سے
 DocType: Work Order Operation,Actual End Time,اصل وقت اختتام
 DocType: Item,Manufacturer Part Number,ڈویلپر حصہ نمبر
 DocType: Taxable Salary Slab,Taxable Salary Slab,ٹیکس قابل تنخواہ سلیب
 DocType: Work Order Operation,Estimated Time and Cost,متوقع وقت اور لاگت
 DocType: Bin,Bin,بن
 DocType: Crop,Crop Name,فصل کا نام
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,صرف {0} کردار کے ساتھ صارفین کو مارکیٹ میں رجسٹر کرسکتے ہیں
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,صرف {0} کردار کے ساتھ صارفین کو مارکیٹ میں رجسٹر کرسکتے ہیں
 DocType: SMS Log,No of Sent SMS,بھیجے گئے SMS کی کوئی
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,اپیلیٹس اور اکاؤنٹس
@@ -4040,7 +4086,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,کوڈ تبدیل کریں
 DocType: Purchase Invoice Item,Valuation Rate,تشخیص کی شرح
 DocType: Vehicle,Diesel,ڈیزل
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,قیمت کی فہرست کرنسی منتخب نہیں
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,قیمت کی فہرست کرنسی منتخب نہیں
 DocType: Purchase Invoice,Availed ITC Cess,آئی ٹی سی سیس کا دورہ
 ,Student Monthly Attendance Sheet,Student کی ماہانہ حاضری شیٹ
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,فروخت کے لئے صرف شپنگ اصول لاگو ہوتا ہے
@@ -4057,7 +4103,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,سیلز شراکت داروں کا انتظام کریں.
 DocType: Quality Inspection,Inspection Type,معائنہ کی قسم
 DocType: Fee Validity,Visited yet,ابھی تک ملاحظہ کی
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,موجودہ منتقلی کے ساتھ گوداموں گروپ کو تبدیل نہیں کیا جا سکتا.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,موجودہ منتقلی کے ساتھ گوداموں گروپ کو تبدیل نہیں کیا جا سکتا.
 DocType: Assessment Result Tool,Result HTML,نتیجہ HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,سیلز ٹرانسمیشن کی بنیاد پر پروجیکٹ اور کمپنی کو اپ ڈیٹ کیا جانا چاہئے.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,اختتامی میعاد
@@ -4065,7 +4111,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},براہ مہربانی منتخب کریں {0}
 DocType: C-Form,C-Form No,سی فارم نہیں
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,فاصلے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,فاصلے
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,آپ کی مصنوعات یا خدمات جو آپ خریدتے ہیں یا فروخت کرتے ہیں وہ فہرست کریں.
 DocType: Water Analysis,Storage Temperature,ذخیرہ اندوزی کا درجہ حرارت
 DocType: Sales Order,SAL-ORD-.YYYY.-,سیل- ORD -YYYY-
@@ -4081,19 +4127,19 @@
 DocType: Shopify Settings,Delivery Note Series,ڈلیوری نوٹ سیریز
 DocType: Purchase Order Item,Returned Qty,واپس مقدار
 DocType: Student,Exit,سے باہر نکلیں
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,جڑ کی قسم لازمی ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,جڑ کی قسم لازمی ہے
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,presets کو انسٹال کرنے میں ناکام
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,گھنٹوں میں UOM تبادلوں
 DocType: Contract,Signee Details,دستخط کی تفصیلات
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} فی الحال ایک {1} سپلائر اسکور کارڈ کھڑا ہے، اور اس سپلائر کو آر ایف پی کو احتیاط سے جاری کیا جاسکتا ہے.
 DocType: Certified Consultant,Non Profit Manager,غیر منافع بخش مینیجر
 DocType: BOM,Total Cost(Company Currency),کل لاگت (کمپنی کرنسی)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,{0} پیدا سیریل نمبر
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,{0} پیدا سیریل نمبر
 DocType: Homepage,Company Description for website homepage,ویب سائٹ کے ہوم پیج کے لئے کمپنی کی تفصیل
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",گاہکوں کی سہولت کے لئے، یہ کوڈ انوائس اور ترسیل نوٹوں کی طرح پرنٹ کی شکل میں استعمال کیا جا سکتا
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier نام
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} کے لئے معلومات کو دوبارہ حاصل نہیں کیا جا سکا.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,کھولیں انٹری جرنل
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,کھولیں انٹری جرنل
 DocType: Contract,Fulfilment Terms,مکمل شرائط
 DocType: Sales Invoice,Time Sheet List,وقت شیٹ کی فہرست
 DocType: Employee,You can enter any date manually,آپ کو دستی طور کسی بھی تاریخ درج کر سکتے ہیں
@@ -4128,7 +4174,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,اپنی تنظیم
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",مندرجہ ذیل ملازمتوں کے لئے چھوڑ کر مختص کی جگہ چھوڑ دیں، کیونکہ ڈیوائس مختص ریکارڈز پہلے ہی ان کے خلاف موجود ہیں. {0}
 DocType: Fee Component,Fees Category,فیس زمرہ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,تاریخ حاجت کوڈ داخل کریں.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,تاریخ حاجت کوڈ داخل کریں.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Travel Request,"Details of Sponsor (Name, Location)",اسپانسر کی تفصیلات (نام، مقام)
 DocType: Supplier Scorecard,Notify Employee,ملازم مطلع کریں
@@ -4141,9 +4187,9 @@
 DocType: Company,Chart Of Accounts Template,اکاؤنٹس سانچے کا چارٹ
 DocType: Attendance,Attendance Date,حاضری تاریخ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},اپ ڈیٹ اسٹاک کو خریداری انوائس کے لئے فعال ہونا ضروری ہے {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},شے کی قیمت {0} میں قیمت کی فہرست کے لئے اپ ڈیٹ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},شے کی قیمت {0} میں قیمت کی فہرست کے لئے اپ ڈیٹ {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,کمائی اور کٹوتی کی بنیاد پر تنخواہ ٹوٹنے.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
 DocType: Purchase Invoice Item,Accepted Warehouse,منظور گودام
 DocType: Bank Reconciliation Detail,Posting Date,پوسٹنگ کی تاریخ
 DocType: Item,Valuation Method,تشخیص کا طریقہ
@@ -4180,6 +4226,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,ایک بیچ براہ مہربانی منتخب کریں
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,سفر اور اخراج دعوی
 DocType: Sales Invoice,Redemption Cost Center,چھٹی لاگت سینٹر
+DocType: QuickBooks Migrator,Scope,دائرہ کار
 DocType: Assessment Group,Assessment Group Name,تجزیہ گروپ کا نام
 DocType: Manufacturing Settings,Material Transferred for Manufacture,مواد کی تیاری کے لئے منتقل
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,تفصیلات میں شامل کریں
@@ -4187,6 +4234,7 @@
 DocType: Shopify Settings,Last Sync Datetime,آخری ہم آہنگی ڈیٹیٹ ٹائم
 DocType: Landed Cost Item,Receipt Document Type,رسید دستاویز کی قسم
 DocType: Daily Work Summary Settings,Select Companies,کمپنیاں منتخب
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,تجویز / قیمت اقتباس
 DocType: Antibiotic,Healthcare,صحت کی دیکھ بھال
 DocType: Target Detail,Target Detail,ہدف تفصیل
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,سنگل مختلف
@@ -4196,6 +4244,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,مدت بند انٹری
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,ڈیپارٹمنٹ منتخب کریں ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,موجودہ لین دین کے ساتھ لاگت مرکز گروپ کو تبدیل نہیں کیا جا سکتا
+DocType: QuickBooks Migrator,Authorization URL,اجازت URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},رقم {0} {1} {2} {3}
 DocType: Account,Depreciation,فرسودگی
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,حصص کی تعداد اور حصص کی تعداد متضاد ہیں
@@ -4218,13 +4267,14 @@
 DocType: Support Search Source,Source DocType,ماخذ ڈیک ٹائپ
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,نئی ٹکٹ کھولیں
 DocType: Training Event,Trainer Email,ٹرینر کوارسال کریں
+DocType: Driver,Transporter,ٹرانسپورٹر
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,پیدا مواد درخواستوں {0}
 DocType: Restaurant Reservation,No of People,لوگ نہیں
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,شرائط یا معاہدے کے سانچے.
 DocType: Bank Account,Address and Contact,ایڈریس اور رابطہ
 DocType: Vital Signs,Hyper,ہائپر
 DocType: Cheque Print Template,Is Account Payable,اکاؤنٹ قابل ادائیگی ہے
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},اسٹاک خریداری رسید کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},اسٹاک خریداری رسید کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 دن کے بعد آٹو بند مسئلہ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",پہلے مختص نہیں کیا جا سکتا چھوڑ {0}، چھٹی توازن پہلے ہی کیری فارورڈ مستقبل چھٹی مختص ریکارڈ میں کیا گیا ہے کے طور پر {1}
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوٹ: کی وجہ / حوالہ تاریخ {0} دن کی طرف سے کی اجازت کسٹمر کے کریڈٹ دن سے زیادہ (ے)
@@ -4242,7 +4292,7 @@
 ,Qty to Deliver,نجات کے لئے مقدار
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ایمیزون اس تاریخ کے بعد ڈیٹا کو اپ ڈیٹ کرے گا
 ,Stock Analytics,اسٹاک تجزیات
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,آپریشنز خالی نہیں چھوڑا جا سکتا
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,آپریشنز خالی نہیں چھوڑا جا سکتا
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,لیب ٹیسٹنگ
 DocType: Maintenance Visit Purpose,Against Document Detail No,دستاویز تفصیل کے خلاف کوئی
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},ملک کے لئے حذف کرنے کی اجازت نہیں ہے {0}
@@ -4250,13 +4300,12 @@
 DocType: Quality Inspection,Outgoing,سبکدوش ہونے والے
 DocType: Material Request,Requested For,کے لئے درخواست
 DocType: Quotation Item,Against Doctype,DOCTYPE خلاف
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} منسوخ یا بند کر دیا ہے
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} منسوخ یا بند کر دیا ہے
 DocType: Asset,Calculate Depreciation,استحکام کا حساب
 DocType: Delivery Note,Track this Delivery Note against any Project,کسی بھی منصوبے کے خلاف اس کی ترسیل نوٹ ٹریک
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,سرمایہ کاری سے نیٹ کیش
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,کسٹمر&gt; کسٹمر گروپ&gt; علاقہ
 DocType: Work Order,Work-in-Progress Warehouse,کام میں پیش رفت گودام
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,اثاثہ {0} پیش کرنا ضروری ہے
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,اثاثہ {0} پیش کرنا ضروری ہے
 DocType: Fee Schedule Program,Total Students,کل طلباء
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},حاضری کا ریکارڈ {0} طالب علم کے خلاف موجود {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},حوالہ # {0} ء {1}
@@ -4276,7 +4325,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,بائیں ملازمتوں کے لئے رکاوٹ بونس نہیں بنا سکتا
 DocType: Lead,Market Segment,مارکیٹ کے علاقے
 DocType: Agriculture Analysis Criteria,Agriculture Manager,زراعت مینیجر
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},ادائیگی کی رقم مجموعی منفی بقایا رقم {0} سے زیادہ نہیں ہوسکتی ہے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},ادائیگی کی رقم مجموعی منفی بقایا رقم {0} سے زیادہ نہیں ہوسکتی ہے
 DocType: Supplier Scorecard Period,Variables,متغیرات
 DocType: Employee Internal Work History,Employee Internal Work History,ملازم اندرونی کام تاریخ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),بند (ڈاکٹر)
@@ -4301,22 +4350,24 @@
 DocType: Amazon MWS Settings,Synch Products,ہم آہنگی مصنوعات
 DocType: Loyalty Point Entry,Loyalty Program,وفادار پروگرام
 DocType: Student Guardian,Father,فادر
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,معاون ٹکٹ
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;اپ ڈیٹ اسٹاک&#39; فکسڈ اثاثہ کی فروخت کے لئے نہیں کی جانچ پڑتال کی جا سکتی ہے
 DocType: Bank Reconciliation,Bank Reconciliation,بینک مصالحتی
 DocType: Attendance,On Leave,چھٹی پر
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,تازہ ترین معلومات حاصل کریں
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: اکاؤنٹ {2} کمپنی سے تعلق نہیں ہے {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,ہر صفات سے کم سے کم ایک قدر منتخب کریں.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,ہر صفات سے کم سے کم ایک قدر منتخب کریں.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,مواد درخواست {0} منسوخ یا بند کر دیا ہے
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,ڈسپیچ اسٹیٹ
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,ڈسپیچ اسٹیٹ
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,مینجمنٹ چھوڑ دو
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,گروپ
 DocType: Purchase Invoice,Hold Invoice,انوائس پکڑو
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,براہ کرم ملازم کا انتخاب کریں
 DocType: Sales Order,Fully Delivered,مکمل طور پر ہونے والا
-DocType: Lead,Lower Income,کم آمدنی
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,کم آمدنی
 DocType: Restaurant Order Entry,Current Order,موجودہ آرڈر
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,سیریل نمبر اور مقدار کی تعداد ایک ہی ہونا ضروری ہے
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},ذریعہ اور ہدف گودام صف کے لئے ہی نہیں ہو سکتا {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},ذریعہ اور ہدف گودام صف کے لئے ہی نہیں ہو سکتا {0}
 DocType: Account,Asset Received But Not Billed,اثاثہ موصول ہوئی لیکن بل نہیں
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",یہ اسٹاک مصالحتی ایک افتتاحی انٹری ہے کے بعد سے فرق اکاؤنٹ، ایک اثاثہ / ذمہ داری قسم اکاؤنٹ ہونا ضروری ہے
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},معاوضہ رقم قرض کی رقم سے زیادہ نہیں ہوسکتی ہے {0}
@@ -4325,7 +4376,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},آئٹم کے لئے ضروری آرڈر نمبر خریداری {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&#39;تاریخ سے&#39; کے بعد &#39;تاریخ کے لئے&#39; ہونا ضروری ہے
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,اس عہدہ کے لئے کوئی اسٹافنگ منصوبہ نہیں ملا
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,آئٹم {1} کا بیچ {0} غیر فعال ہے.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,آئٹم {1} کا بیچ {0} غیر فعال ہے.
 DocType: Leave Policy Detail,Annual Allocation,سالانہ مختص
 DocType: Travel Request,Address of Organizer,آرگنائزر کا پتہ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,ہیلتھ کیئر پریکٹیشنر منتخب کریں ...
@@ -4334,12 +4385,12 @@
 DocType: Asset,Fully Depreciated,مکمل طور پر فرسودگی
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,اسٹاک مقدار متوقع
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},تعلق نہیں ہے {0} کسٹمر منصوبے کی {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},تعلق نہیں ہے {0} کسٹمر منصوبے کی {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,نشان حاضری ایچ ٹی ایم ایل
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",کوٹیشن، تجاویز ہیں بولیاں آپ اپنے گاہکوں کو بھیجا ہے
 DocType: Sales Invoice,Customer's Purchase Order,گاہک کی خریداری کے آرڈر
 DocType: Clinical Procedure,Patient,صبر
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,سیلز آرڈر پر کریڈٹ چیک چیک کریں
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,سیلز آرڈر پر کریڈٹ چیک چیک کریں
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,ملازمت Onboarding سرگرمی
 DocType: Location,Check if it is a hydroponic unit,چیک کریں کہ یہ ایک ہائیڈرولوون یونٹ ہے
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,سیریل نمبر اور بیچ
@@ -4349,7 +4400,7 @@
 DocType: Supplier Scorecard Period,Calculations,حساب
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,قیمت یا مقدار
 DocType: Payment Terms Template,Payment Terms,ادائیگی کی شرائط
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,پروڈکشنز احکامات کو نہیں اٹھایا جا سکتا ہے:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,پروڈکشنز احکامات کو نہیں اٹھایا جا سکتا ہے:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,منٹ
 DocType: Purchase Invoice,Purchase Taxes and Charges,ٹیکس اور الزامات کی خریداری
 DocType: Chapter,Meetup Embed HTML,میٹنگ اپ ایچ ٹی ایم ایل کو شامل کریں
@@ -4364,10 +4415,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ڈسکاؤنٹ (٪) پر مارجن کے ساتھ قیمت کی فہرست شرح
 DocType: Healthcare Service Unit Type,Rate / UOM,شرح / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,تمام گوداموں
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,انٹر کمپنی کی ٹرانسمیشن کے لئے کوئی {0} نہیں ملا.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,انٹر کمپنی کی ٹرانسمیشن کے لئے کوئی {0} نہیں ملا.
 DocType: Travel Itinerary,Rented Car,کرایہ کار
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,آپ کی کمپنی کے بارے میں
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,اکاؤنٹ کریڈٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,اکاؤنٹ کریڈٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
 DocType: Donor,Donor,ڈونر
 DocType: Global Defaults,Disable In Words,الفاظ میں غیر فعال کریں
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,آئٹم خود کار طریقے سے شمار نہیں ہے کیونکہ آئٹم کوڈ لازمی ہے
@@ -4379,14 +4430,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,بینک وورڈرافٹ اکاؤنٹ
 DocType: Patient,Patient ID,مریض کی شناخت
 DocType: Practitioner Schedule,Schedule Name,شیڈول کا نام
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,اسٹیج کی طرف سے فروخت پائپ لائن
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,تنخواہ پرچی بنائیں
 DocType: Currency Exchange,For Buying,خریدنے کے لئے
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,تمام سپلائرز شامل کریں
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,تمام سپلائرز شامل کریں
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,صف # {0}: مختص رقم بقایا رقم سے زیادہ نہیں ہو سکتا.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,براؤز BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,محفوظ قرضوں
 DocType: Purchase Invoice,Edit Posting Date and Time,ترمیم پوسٹنگ کی تاریخ اور وقت
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},میں اثاثہ زمرہ {0} یا کمپنی ہراس متعلقہ اکاؤنٹس مقرر مہربانی {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},میں اثاثہ زمرہ {0} یا کمپنی ہراس متعلقہ اکاؤنٹس مقرر مہربانی {1}
 DocType: Lab Test Groups,Normal Range,عام رینج
 DocType: Academic Term,Academic Year,تعلیمی سال
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,دستیاب فروخت
@@ -4414,26 +4466,26 @@
 DocType: Patient Appointment,Patient Appointment,مریض کی تقرری
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,کردار منظوری حکمرانی کے لئے لاگو ہوتا ہے کردار کے طور پر ہی نہیں ہو سکتا
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,اس ای میل ڈائجسٹ سے رکنیت ختم
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,سپلائرز کی طرف سے حاصل کریں
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,سپلائرز کی طرف سے حاصل کریں
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{1} آئٹم کے لئے نہیں مل سکا {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,کورسز پر جائیں
 DocType: Accounts Settings,Show Inclusive Tax In Print,پرنٹ میں شامل ٹیکس دکھائیں
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",بینک اکاؤنٹ، تاریخ اور تاریخ سے لازمی ہیں
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,پیغام بھیجا
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ کے طور پر مقرر نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ کے طور پر مقرر نہیں کیا جا سکتا
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,شرح جس قیمت کی فہرست کرنسی میں گاہکوں کی بنیاد کرنسی تبدیل کیا جاتا ہے
 DocType: Purchase Invoice Item,Net Amount (Company Currency),نیول رقم (کمپنی کرنسی)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,کل پیشگی رقم مجموعی منظور شدہ رقم سے زیادہ نہیں ہوسکتی ہے
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,کل پیشگی رقم مجموعی منظور شدہ رقم سے زیادہ نہیں ہوسکتی ہے
 DocType: Salary Slip,Hour Rate,گھنٹے کی شرح
 DocType: Stock Settings,Item Naming By,شے کی طرف سے نام
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},ایک اور مدت بند انٹری {0} کے بعد بنایا گیا ہے {1}
 DocType: Work Order,Material Transferred for Manufacturing,مواد مینوفیکچرنگ کے لئے منتقل
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,اکاؤنٹ {0} نہیں موجود
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,وفادار پروگرام منتخب کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,وفادار پروگرام منتخب کریں
 DocType: Project,Project Type,منصوبے کی قسم
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,اس ٹاسک کے لئے بچے کا کام موجود ہے. آپ اس ٹاسک کو حذف نہیں کر سکتے ہیں.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,بہر ہدف مقدار یا ہدف رقم لازمی ہے.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,بہر ہدف مقدار یا ہدف رقم لازمی ہے.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,مختلف سرگرمیوں کی لاگت
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",کرنے کے واقعات کی ترتیب {0}، سیلز افراد کو ذیل میں کے ساتھ منسلک ملازم ایک صارف کی شناخت کی ضرورت نہیں ہے کے بعد سے {1}
 DocType: Timesheet,Billing Details,بلنگ کی تفصیلات
@@ -4490,13 +4542,13 @@
 DocType: Inpatient Record,A Negative,ایک منفی
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,زیادہ کچھ نہیں دکھانے کے لئے.
 DocType: Lead,From Customer,کسٹمر سے
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,کالیں
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,کالیں
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,ایک مصنوعات
 DocType: Employee Tax Exemption Declaration,Declarations,اعلامیہ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,بیچز
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,فیس شیڈول بنائیں
 DocType: Purchase Order Item Supplied,Stock UOM,اسٹاک UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,آرڈر {0} پیش نہیں کی خریداری
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,آرڈر {0} پیش نہیں کی خریداری
 DocType: Account,Expenses Included In Asset Valuation,اثاثوں کی تشخیص میں شامل اخراجات
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),بالغ کے لئے عام حوالہ رینج 16-20 سانس / منٹ (RCP 2012) ہے.
 DocType: Customs Tariff Number,Tariff Number,ٹیرف نمبر
@@ -4509,6 +4561,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,براہ کرم سب سے پہلے مریض کو محفوظ کریں
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,حاضری کامیابی سے نشان لگا دیا گیا ہے.
 DocType: Program Enrollment,Public Transport,پبلک ٹرانسپورٹ
+DocType: Delivery Note,GST Vehicle Type,جی ایس ایس گاڑی کی قسم
 DocType: Soil Texture,Silt Composition (%),سلت ساختہ (٪)
 DocType: Journal Entry,Remark,تبصرہ
 DocType: Healthcare Settings,Avoid Confirmation,تصدیق سے بچیں
@@ -4517,11 +4570,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,پتے اور چھٹیوں
 DocType: Education Settings,Current Academic Term,موجودہ تعلیمی مدت
 DocType: Sales Order,Not Billed,بل نہیں
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,دونوں گودام ایک ہی کمپنی سے تعلق رکھتے ہیں چاہئے
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,دونوں گودام ایک ہی کمپنی سے تعلق رکھتے ہیں چاہئے
 DocType: Employee Grade,Default Leave Policy,پہلے سے طے شدہ چھوڑ پالیسی
 DocType: Shopify Settings,Shop URL,دکان URL
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,کوئی رابطے نے ابھی تک اکائونٹ.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,سیٹ اپ&gt; نمبر نمبر کے ذریعے حاضری کے لئے براہ کرم سلسلہ نمبر سیٹ کریں
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,لینڈڈ لاگت واؤچر رقم
 ,Item Balance (Simple),آئٹم بیلنس (سادہ)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,سپلائر کی طرف سے اٹھائے بل.
@@ -4546,7 +4598,7 @@
 DocType: Shopping Cart Settings,Quotation Series,کوٹیشن سیریز
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",ایک شے کے اسی نام کے ساتھ موجود ({0})، شے گروپ کا نام تبدیل یا شے کا نام تبدیل کریں
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,مٹی تجزیہ معیار
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,کسٹمر براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,کسٹمر براہ مہربانی منتخب کریں
 DocType: C-Form,I,میں
 DocType: Company,Asset Depreciation Cost Center,اثاثہ ہراس لاگت سینٹر
 DocType: Production Plan Sales Order,Sales Order Date,سیلز آرڈر کی تاریخ
@@ -4559,8 +4611,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,فی الحال کوئی اسٹاک کسی بھی گودام میں دستیاب نہیں ہے
 ,Payment Period Based On Invoice Date,انوائس کی تاریخ کی بنیاد پر ادائیگی کی مدت
 DocType: Sample Collection,No. of print,پرنٹ نمبر نہیں
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,سالگرہ کا یاد دہانی
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ہوٹل کمرہ ریزرویشن آئٹم
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},کے لئے لاپتہ کرنسی ایکسچینج قیمتیں {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},کے لئے لاپتہ کرنسی ایکسچینج قیمتیں {0}
 DocType: Employee Health Insurance,Health Insurance Name,ہیلتھ انشورینس کا نام
 DocType: Assessment Plan,Examiner,آڈیٹر
 DocType: Student,Siblings,بھائی بہن
@@ -4577,19 +4630,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,نئے گاہکوں
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,کل منافع ٪
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,تقرری {0} اور سیلز انوائس {1} منسوخ کردی گئی
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,قیادت کے ذریعہ مواقع
 DocType: Appraisal Goal,Weightage (%),اہمیت (٪)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS پروفائل کو تبدیل کریں
 DocType: Bank Reconciliation Detail,Clearance Date,کلیئرنس تاریخ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",شے {0} کے خلاف اثاثہ پہلے ہی موجود ہے، آپ سیریل کوئی قدر نہیں بدل سکتے ہیں
+DocType: Delivery Settings,Dispatch Notification Template,ڈسپیچ نوٹیفیکیشن سانچہ
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",شے {0} کے خلاف اثاثہ پہلے ہی موجود ہے، آپ سیریل کوئی قدر نہیں بدل سکتے ہیں
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,تشخیص کی رپورٹ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,ملازمین حاصل کریں
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,مجموعی خریداری کی رقم لازمی ہے
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,کمپنی کا نام ہی نہیں
 DocType: Lead,Address Desc,DESC ایڈریس
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,پارٹی لازمی ہے
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},دوسرے صفوں میں ڈپلیکیٹ کی تاریخوں کے ساتھ ریلوے پایا گیا: {فہرست}
 DocType: Topic,Topic Name,موضوع کا نام
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,براہ کرم HR ترتیبات میں اجازت منظوری کی اطلاع کیلئے ڈیفالٹ سانچے مقرر کریں.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,براہ کرم HR ترتیبات میں اجازت منظوری کی اطلاع کیلئے ڈیفالٹ سانچے مقرر کریں.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,فروخت یا خرید کی کم سے کم ایک منتخب ہونا ضروری ہے
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,ملازم کو پیش کرنے کے لئے ملازم کا انتخاب کریں.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,براہ کرم ایک درست تاریخ منتخب کریں
@@ -4623,6 +4677,7 @@
 DocType: Stock Entry,Customer or Supplier Details,مستقل خریدار یا سپلائر تفصیلات
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY -YYYY-
 DocType: Asset Value Adjustment,Current Asset Value,موجودہ اثاثہ قیمت
+DocType: QuickBooks Migrator,Quickbooks Company ID,فوری کتابیں کمپنی کی شناخت
 DocType: Travel Request,Travel Funding,سفر فنڈ
 DocType: Loan Application,Required by Date,تاریخ کی طرف سے کی ضرورت
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,تمام مقامات پر ایک لنک جس میں فصل بڑھ رہی ہے
@@ -4636,9 +4691,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,گودام سے پر دستیاب بیچ مقدار
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,مجموعی پے - کل کٹوتی - قرض کی واپسی
 DocType: Bank Account,IBAN,آئی بیان
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,موجودہ BOM اور نئی BOM ہی نہیں ہو سکتا
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,موجودہ BOM اور نئی BOM ہی نہیں ہو سکتا
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,تنخواہ کی پرچی ID
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,ریٹائرمنٹ کے تاریخ شمولیت کی تاریخ سے زیادہ ہونا چاہیے
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,ریٹائرمنٹ کے تاریخ شمولیت کی تاریخ سے زیادہ ہونا چاہیے
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,ایک سے زیادہ متغیرات
 DocType: Sales Invoice,Against Income Account,انکم اکاؤنٹ کے خلاف
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}٪ پھنچ گیا
@@ -4667,7 +4722,7 @@
 DocType: POS Profile,Update Stock,اپ ڈیٹ اسٹاک
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,اشیاء کے لئے مختلف UOM غلط (کل) نیٹ وزن کی قیمت کی قیادت کریں گے. ہر شے کے نیٹ وزن اسی UOM میں ہے اس بات کو یقینی بنائیں.
 DocType: Certification Application,Payment Details,ادائیگی کی تفصیلات
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM کی شرح
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM کی شرح
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",روک دیا کام کا آرڈر منسوخ نہیں کیا جاسکتا، اسے منسوخ کرنے کے لئے سب سے پہلے غیرقانونی
 DocType: Asset,Journal Entry for Scrap,سکریپ کے لئے جرنل اندراج
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ترسیل کے نوٹ سے اشیاء پر ھیںچو کریں
@@ -4690,11 +4745,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,کل منظوری رقم
 ,Purchase Analytics,خریداری کے تجزیات
 DocType: Sales Invoice Item,Delivery Note Item,ترسیل کے نوٹ آئٹم
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,موجودہ انوائس {0} غائب ہے
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,موجودہ انوائس {0} غائب ہے
 DocType: Asset Maintenance Log,Task,ٹاسک
 DocType: Purchase Taxes and Charges,Reference Row #,حوالہ صف #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},بیچ نمبر شے کے لئے لازمی ہے {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,یہ ایک جڑ فروخت شخص ہے اور میں ترمیم نہیں کیا جا سکتا.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,یہ ایک جڑ فروخت شخص ہے اور میں ترمیم نہیں کیا جا سکتا.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",منتخب شدہ ہیں، بیان کردہ یا اس کے اتحادیوں میں شمار کیا قدر آمدنی یا کٹوتیوں میں شراکت نہیں ہوں گے. تاہم، یہ قدر دوسرے اجزاء شامل یا منہا کیا جا سکتا ہے کی طرف سے محولہ کیا جا سکتا ہے.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",منتخب شدہ ہیں، بیان کردہ یا اس کے اتحادیوں میں شمار کیا قدر آمدنی یا کٹوتیوں میں شراکت نہیں ہوں گے. تاہم، یہ قدر دوسرے اجزاء شامل یا منہا کیا جا سکتا ہے کی طرف سے محولہ کیا جا سکتا ہے.
 DocType: Asset Settings,Number of Days in Fiscal Year,مالی سال میں دن کی تعداد
@@ -4703,7 +4758,7 @@
 DocType: Company,Exchange Gain / Loss Account,ایکسچینج حاصل / نقصان کے اکاؤنٹ
 DocType: Amazon MWS Settings,MWS Credentials,MWS تصدیق نامہ
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,ملازم اور حاضری
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},مقصد میں سے ایک ہونا ضروری ہے {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},مقصد میں سے ایک ہونا ضروری ہے {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,فارم بھریں اور اس کو بچانے کے
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,فورم
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,اسٹاک میں اصل قی
@@ -4718,7 +4773,7 @@
 DocType: Lab Test Template,Standard Selling Rate,سٹینڈرڈ فروخت کی شرح
 DocType: Account,Rate at which this tax is applied,اس ٹیکس لاگو کیا جاتا ہے جس میں شرح
 DocType: Cash Flow Mapper,Section Name,سیکشن کا نام
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,ترتیب مقدار
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,ترتیب مقدار
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},استحکام صف {0}: مفید زندگی کے بعد متوقع قدر {1} سے زیادہ یا برابر ہونا ضروری ہے.
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,موجودہ کام سوراخ
 DocType: Company,Stock Adjustment Account,اسٹاک ایڈجسٹمنٹ بلنگ
@@ -4728,8 +4783,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",نظام صارف (لاگ ان) کی شناخت. مقرر کیا ہے تو، یہ سب HR فارم کے لئے پہلے سے طے شدہ ہو جائے گا.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,استحصال کی تفصیلات درج کریں
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: سے {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},طالب علم کے خلاف درخواست {0} پہلے ہی موجود ہے {1}
 DocType: Task,depends_on,منحصرکرتاہے
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,مواد کے تمام بلوں میں تازہ ترین قیمت کو اپ ڈیٹ کرنے کے لئے قطع نظر. یہ چند منٹ لگ سکتا ہے.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,مواد کے تمام بلوں میں تازہ ترین قیمت کو اپ ڈیٹ کرنے کے لئے قطع نظر. یہ چند منٹ لگ سکتا ہے.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,نئے اکاؤنٹ کا نام. نوٹ: صارفین اور سپلائرز کے اکاؤنٹس کی تخلیق نہیں کرتے ہیں براہ مہربانی
 DocType: POS Profile,Display Items In Stock,سٹاک میں اشیا ڈسپلے کریں
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,ملک وار طے شدہ ایڈریس سانچے
@@ -4759,16 +4815,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,شیڈول {0} شیڈول میں شامل نہیں ہیں
 DocType: Product Bundle,List items that form the package.,پیکیج کی تشکیل کہ فہرست اشیاء.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,اجازت نہیں. برائے مہربانی ٹیسٹ سانچہ کو غیر فعال کریں
+DocType: Delivery Note,Distance (in km),فاصلے (کلومیٹر میں)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,فیصدی ایلوکیشن 100٪ کے برابر ہونا چاہئے
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,پارٹی منتخب کرنے سے پہلے پوسٹنگ کی تاریخ براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,پارٹی منتخب کرنے سے پہلے پوسٹنگ کی تاریخ براہ مہربانی منتخب کریں
 DocType: Program Enrollment,School House,سکول ہاؤس
 DocType: Serial No,Out of AMC,اے ایم سی کے باہر
+DocType: Opportunity,Opportunity Amount,موقع کی رقم
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,بک Depreciations کی تعداد کل Depreciations کی تعداد سے زیادہ نہیں ہو سکتی
 DocType: Purchase Order,Order Confirmation Date,آرڈر کی توثیق کی تاریخ
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,بحالی دورہ
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","آغاز کی تاریخ اور اختتام تاریخ نوکری کارڈ کے ساتھ اوورلوپنگ ہے <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,ملازمت کی منتقلی کی تفصیلات
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,سیلز ماسٹر مینیجر {0} کردار ہے جو صارف سے رابطہ کریں
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,سیلز ماسٹر مینیجر {0} کردار ہے جو صارف سے رابطہ کریں
 DocType: Company,Default Cash Account,پہلے سے طے شدہ کیش اکاؤنٹ
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,کمپنی (نہیں مستقل خریدار یا سپلائر) ماسٹر.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,یہ اس طالب علم کی حاضری پر مبنی ہے
@@ -4776,9 +4835,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,مزید آئٹمز یا کھلی مکمل فارم شامل کریں
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ترسیل نوٹوں {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,صارفین پر جائیں
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,ادائیگی کی رقم رقم گرینڈ کل سے زیادہ نہیں ہو سکتا لکھنے +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,ادائیگی کی رقم رقم گرینڈ کل سے زیادہ نہیں ہو سکتا لکھنے +
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} شے کے لئے ایک درست بیچ نمبر نہیں ہے {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},نوٹ: حکم کی قسم کے لئے کافی چھٹی توازن نہیں ہے {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},نوٹ: حکم کی قسم کے لئے کافی چھٹی توازن نہیں ہے {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,غلط GSTIN یا غیر رجسٹرڈ لئے NA درج
 DocType: Training Event,Seminar,سیمینار
 DocType: Program Enrollment Fee,Program Enrollment Fee,پروگرام کے اندراج کی فیس
@@ -4795,7 +4854,7 @@
 DocType: Fee Schedule,Fee Schedule,فیس شیڈول
 DocType: Company,Create Chart Of Accounts Based On,اکاؤنٹس کی بنیاد پر چارٹ بنائیں
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,اسے غیر گروپ میں تبدیل نہیں کر سکتا. بچے کے کام موجود ہیں.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,تاریخ پیدائش آج کے مقابلے میں زیادہ نہیں ہو سکتا.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,تاریخ پیدائش آج کے مقابلے میں زیادہ نہیں ہو سکتا.
 ,Stock Ageing,اسٹاک خستہ
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",جزوی طور پر سپانسر، جزوی فنڈ کی ضرورت ہے
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},طالب علم {0} طالب علم کے درخواست دہندگان کے خلاف موجود ہے {1}
@@ -4842,11 +4901,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,مفاہمت پہلے
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},کرنے کے لئے {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ٹیکس اور الزامات شامل کر دیا گیا (کمپنی کرنسی)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,آئٹم ٹیکس صف {0} قسم ٹیکس یا آمدنی یا اخراجات یا ادائیگی کے اکاؤنٹ ہونا لازمی ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,آئٹم ٹیکس صف {0} قسم ٹیکس یا آمدنی یا اخراجات یا ادائیگی کے اکاؤنٹ ہونا لازمی ہے
 DocType: Sales Order,Partly Billed,جزوی طور پر بل
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,آئٹم {0} ایک فکسڈ اثاثہ آئٹم ہونا ضروری ہے
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,متغیرات بنائیں
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,متغیرات بنائیں
 DocType: Item,Default BOM,پہلے سے طے شدہ BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),کل بل رقم (سیلز انوائس کے ذریعہ)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,ڈیبٹ نوٹ رقم
@@ -4875,14 +4934,14 @@
 DocType: Notification Control,Custom Message,اپنی مرضی کے پیغام
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,سرمایہ کاری بینکنگ
 DocType: Purchase Invoice,input,ان پٹ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,نقد یا بینک اکاؤنٹ کی ادائیگی کے اندراج بنانے کے لئے لازمی ہے
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,نقد یا بینک اکاؤنٹ کی ادائیگی کے اندراج بنانے کے لئے لازمی ہے
 DocType: Loyalty Program,Multiple Tier Program,ایک سے زیادہ ٹائر پروگرام
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,طالب علم ایڈریس
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,طالب علم ایڈریس
 DocType: Purchase Invoice,Price List Exchange Rate,قیمت کی فہرست زر مبادلہ کی شرح
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,تمام سپلائر گروپ
 DocType: Employee Boarding Activity,Required for Employee Creation,ملازم تخلیق کے لئے ضروری ہے
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},اکاؤنٹ نمبر {0} پہلے ہی اکاؤنٹ میں استعمال کیا جاتا ہے {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},اکاؤنٹ نمبر {0} پہلے ہی اکاؤنٹ میں استعمال کیا جاتا ہے {1}
 DocType: GoCardless Mandate,Mandate,مینڈیٹ
 DocType: POS Profile,POS Profile Name,POS پروفائل کا نام
 DocType: Hotel Room Reservation,Booked,بکری
@@ -4898,18 +4957,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,آپ کے ریفرنس کے تاریخ میں داخل ہوئے تو حوالہ کوئی لازمی ہے
 DocType: Bank Reconciliation Detail,Payment Document,ادائیگی دستاویز
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,معیار فارمولہ کا اندازہ کرنے میں خرابی
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,شمولیت کی تاریخ پیدائش کی تاریخ سے زیادہ ہونا چاہیے
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,شمولیت کی تاریخ پیدائش کی تاریخ سے زیادہ ہونا چاہیے
 DocType: Subscription,Plans,منصوبوں
 DocType: Salary Slip,Salary Structure,تنخواہ ساخت
 DocType: Account,Bank,بینک
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,ایئرلائن
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,مسئلہ مواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,مسئلہ مواد
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,ERPNext کے ساتھ Shopify کو مربوط کریں
 DocType: Material Request Item,For Warehouse,گودام کے لئے
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,ڈلیوری نوٹس {0} اپ ڈیٹ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,ڈلیوری نوٹس {0} اپ ڈیٹ
 DocType: Employee,Offer Date,پیشکش تاریخ
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,کوٹیشن
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,آپ آف لائن موڈ میں ہیں. آپ آپ کو نیٹ ورک ہے جب تک دوبارہ لوڈ کرنے کے قابل نہیں ہو گا.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,کوٹیشن
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,آپ آف لائن موڈ میں ہیں. آپ آپ کو نیٹ ورک ہے جب تک دوبارہ لوڈ کرنے کے قابل نہیں ہو گا.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,عطا
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,کوئی بھی طالب علم گروپ بنائے.
 DocType: Purchase Invoice Item,Serial No,سیریل نمبر
@@ -4921,24 +4980,25 @@
 DocType: Sales Invoice,Customer PO Details,کسٹمر PO تفصیلات
 DocType: Stock Entry,Including items for sub assemblies,ذیلی اسمبلیوں کے لئے اشیاء سمیت
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,عارضی افتتاحی اکاؤنٹ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,درج قدر مثبت ہونا چاہئے
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,درج قدر مثبت ہونا چاہئے
 DocType: Asset,Finance Books,فنانس کتب
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ملازم ٹیکس چھوٹ اعلامیہ زمرہ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,تمام علاقوں
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,ملازم / گریڈ ریکارڈ میں ملازم {0} کے لئے براہ کرم پالیسی چھوڑ دیں
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,منتخب کردہ کسٹمر اور آئٹم کے لئے غلط کنکریٹ آرڈر
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,منتخب کردہ کسٹمر اور آئٹم کے لئے غلط کنکریٹ آرڈر
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,ایک سے زیادہ ٹاسکس شامل کریں
 DocType: Purchase Invoice,Items,اشیا
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,اختتام تاریخ شروع تاریخ سے پہلے نہیں ہوسکتی ہے.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,طالب علم پہلے سے ہی مندرج ہے.
 DocType: Fiscal Year,Year Name,سال نام
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,کام کے دنوں کے مقابلے میں زیادہ کی تعطیلات اس ماہ ہیں.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC ریفریجریشن
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,کام کے دنوں کے مقابلے میں زیادہ کی تعطیلات اس ماہ ہیں.
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC ریفریجریشن
 DocType: Production Plan Item,Product Bundle Item,پروڈکٹ بنڈل آئٹم
 DocType: Sales Partner,Sales Partner Name,سیلز پارٹنر نام
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,کوٹیشن کے لئے درخواست
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,کوٹیشن کے لئے درخواست
 DocType: Payment Reconciliation,Maximum Invoice Amount,زیادہ سے زیادہ انوائس کی رقم
 DocType: Normal Test Items,Normal Test Items,عام ٹیسٹ اشیا
+DocType: QuickBooks Migrator,Company Settings,کمپنی کی ترتیبات
 DocType: Additional Salary,Overwrite Salary Structure Amount,تنخواہ کی ساخت کی رقم کو خارج کر دیں
 DocType: Student Language,Student Language,Student کی زبان
 apps/erpnext/erpnext/config/selling.py +23,Customers,گاہکوں
@@ -4951,22 +5011,24 @@
 DocType: Issue,Opening Time,افتتاحی وقت
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,سے اور مطلوبہ تاریخوں کے لئے
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,سیکورٹیز اینڈ ایکسچینج کماڈٹی
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',مختلف کے لئے پیمائش کی پہلے سے طے شدہ یونٹ &#39;{0}&#39; سانچے میں کے طور پر ایک ہی ہونا چاہیے &#39;{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',مختلف کے لئے پیمائش کی پہلے سے طے شدہ یونٹ &#39;{0}&#39; سانچے میں کے طور پر ایک ہی ہونا چاہیے &#39;{1}
 DocType: Shipping Rule,Calculate Based On,کی بنیاد پر حساب
 DocType: Contract,Unfulfilled,ناقابل یقین
 DocType: Delivery Note Item,From Warehouse,گودام سے
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,ذکر کردہ معیار کے لئے کوئی ملازم نہیں
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,تیار کرنے کی مواد کے بل کے ساتھ کوئی شے
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,تیار کرنے کی مواد کے بل کے ساتھ کوئی شے
 DocType: Shopify Settings,Default Customer,ڈیفالٹ کسٹمر
+DocType: Sales Stage,Stage Name,مرحلے کا نام
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN -YYYY-
 DocType: Assessment Plan,Supervisor Name,سپروائزر کا نام
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,اس بات کی توثیق نہ کریں کہ ایک ہی دن کے لئے اپوزیشن کا قیام کیا گیا ہے
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,ریاست پر جہاز
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,ریاست پر جہاز
 DocType: Program Enrollment Course,Program Enrollment Course,پروگرام اندراج کورس
 DocType: Program Enrollment Course,Program Enrollment Course,پروگرام اندراج کورس
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},صارف {0} پہلے سے ہی ہیلتھ کیئر پریکٹیشنر {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,نمونہ برقرار رکھنا اسٹاک انٹری بنائیں
 DocType: Purchase Taxes and Charges,Valuation and Total,تشخیص اور کل
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,مذاکرات / جائزہ
 DocType: Leave Encashment,Encashment Amount,شناختی رقم
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,اسکورकार्ड
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,متوقع بیچ
@@ -4976,7 +5038,7 @@
 DocType: Staffing Plan Detail,Current Openings,موجودہ اوپننگ
 DocType: Notification Control,Customize the Notification,اطلاع کو حسب ضرورت
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,آپریشنز سے کیش فلو
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST رقم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST رقم
 DocType: Purchase Invoice,Shipping Rule,شپنگ حکمرانی
 DocType: Patient Relation,Spouse,بیوی
 DocType: Lab Test Groups,Add Test,ٹیسٹ شامل کریں
@@ -4990,14 +5052,14 @@
 DocType: Payroll Entry,Payroll Frequency,پے رول فریکوئینسی
 DocType: Lab Test Template,Sensitivity,حساسیت
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,ہم آہنگی سے عارضی طور پر معذور ہوگئی ہے کیونکہ زیادہ سے زیادہ دوبارہ کوششیں زیادہ ہو چکی ہیں
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,خام مال
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,خام مال
 DocType: Leave Application,Follow via Email,ای میل کے ذریعے عمل کریں
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,پودے اور مشینری
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ڈسکاؤنٹ رقم کے بعد ٹیکس کی رقم
 DocType: Patient,Inpatient Status,بیماری کی حیثیت
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,روز مرہ کے کام کا خلاصہ ترتیبات
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,منتخب شدہ قیمت کی فہرست کو جانچ پڑتال اور فروخت کے شعبوں کو ہونا چاہئے.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,براہ مہربانی دوبارہ کوشش کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,منتخب شدہ قیمت کی فہرست کو جانچ پڑتال اور فروخت کے شعبوں کو ہونا چاہئے.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,براہ مہربانی دوبارہ کوشش کریں
 DocType: Payment Entry,Internal Transfer,اندرونی منتقلی
 DocType: Asset Maintenance,Maintenance Tasks,بحالی کے کام
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,بہر ہدف مقدار یا ہدف رقم لازمی ہے
@@ -5019,7 +5081,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخری مواصلات
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخری مواصلات
 ,TDS Payable Monthly,قابل ادائیگی TDS ماہانہ
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,بوم کو تبدیل کرنے کے لئے قطار یہ چند منٹ لگ سکتا ہے.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,بوم کو تبدیل کرنے کے لئے قطار یہ چند منٹ لگ سکتا ہے.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',زمرہ &#39;تشخیص&#39; یا &#39;تشخیص اور کل&#39; کے لئے ہے جب کٹوتی نہیں کر سکتے ہیں
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},serialized کی شے کے لئے سیریل نمبر مطلوب {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,انوائس کے ساتھ ملائیں ادائیگیاں
@@ -5032,7 +5094,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,ٹوکری میں شامل کریں
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,گروپ سے
 DocType: Guardian,Interests,دلچسپیاں
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,کو فعال / غیر فعال کریں کرنسیاں.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,کو فعال / غیر فعال کریں کرنسیاں.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,کچھ تنخواہ سلپس نہیں پیش کی جا سکتی
 DocType: Exchange Rate Revaluation,Get Entries,اندراج حاصل کریں
 DocType: Production Plan,Get Material Request,مواد گذارش حاصل کریں
@@ -5054,15 +5116,16 @@
 DocType: Lead,Lead Type,لیڈ کی قسم
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,آپ کو بلاک تاریخوں پر پتے کو منظور کرنے کی اجازت نہیں ہے
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,ان تمام اشیاء کو پہلے ہی انوائس کیا گیا ہے
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,نئی رہائی کی تاریخ مقرر کریں
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,نئی رہائی کی تاریخ مقرر کریں
 DocType: Company,Monthly Sales Target,ماہانہ سیلز کا نشانہ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},کی طرف سے منظور کیا جا سکتا ہے {0}
 DocType: Hotel Room,Hotel Room Type,ہوٹل کے کمرے کی قسم
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,سپلائر&gt; سپلائی کی قسم
 DocType: Leave Allocation,Leave Period,مدت چھوڑ دو
 DocType: Item,Default Material Request Type,پہلے سے طے شدہ مواد کی گذارش پروپوزل کی گذارش
 DocType: Supplier Scorecard,Evaluation Period,تشخیص کا دورہ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,نامعلوم
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,کام آرڈر نہیں بنایا گیا
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,کام آرڈر نہیں بنایا گیا
 DocType: Shipping Rule,Shipping Rule Conditions,شپنگ حکمرانی ضوابط
 DocType: Purchase Invoice,Export Type,برآمد کی قسم
 DocType: Salary Slip Loan,Salary Slip Loan,تنخواہ سلپ قرض
@@ -5095,15 +5158,15 @@
 DocType: Batch,Source Document Name,ماخذ دستاویز کا نام
 DocType: Production Plan,Get Raw Materials For Production,پیداوار کے لئے خام مال حاصل کریں
 DocType: Job Opening,Job Title,ملازمت کا عنوان
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0} یہ اشارہ کرتا ہے کہ {1} کوٹیشن فراہم نہیں کرے گا، لیکن تمام اشیاء \ کو حوالہ دیا گیا ہے. آر ایف پی کی اقتباس کی حیثیت کو اپ ڈیٹ کرنا.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,زیادہ سے زیادہ نمونے - {1} بیچ {1} اور آئٹم {2} بیچ میں {3} پہلے ہی برقرار رکھے ہیں.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,زیادہ سے زیادہ نمونے - {1} بیچ {1} اور آئٹم {2} بیچ میں {3} پہلے ہی برقرار رکھے ہیں.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,خود بخود بی ایم ایم کی قیمت اپ ڈیٹ کریں
 DocType: Lab Test,Test Name,ٹیسٹ کا نام
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,کلینیکل طریقہ کار قابل اطمینان آئٹم
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,صارفین تخلیق
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,گرام
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,سبسکرائب
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,سبسکرائب
 DocType: Supplier Scorecard,Per Month,فی مہینہ
 DocType: Education Settings,Make Academic Term Mandatory,تعلیمی ٹائم لازمی بنائیں
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,تیار کرنے کی مقدار 0 سے زیادہ ہونا چاہیے.
@@ -5112,10 +5175,10 @@
 DocType: Stock Entry,Update Rate and Availability,اپ ڈیٹ کی شرح اور دستیابی
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,فی صد آپ کو موصول ہونے یا حکم دیا مقدار کے خلاف زیادہ فراہم کرنے کے لئے اجازت دی جاتی ہے. مثال کے طور پر: آپ کو 100 یونٹس کا حکم دیا ہے تو. اور آپ الاؤنس تو آپ کو 110 یونٹس حاصل کرنے کے لئے اجازت دی جاتی ہے 10٪ ہے.
 DocType: Loyalty Program,Customer Group,گاہک گروپ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,قطار # {0}: آپریشن {1} کام کے آرڈر # {3} میں {2} مقدار کے سامان کی مقدار کے لئے مکمل نہیں کیا جاتا ہے. براہ کرم ٹائم لاگز کے ذریعہ آپریشن کی حیثیت کو اپ ڈیٹ کریں
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,قطار # {0}: آپریشن {1} کام کے آرڈر # {3} میں {2} مقدار کے سامان کی مقدار کے لئے مکمل نہیں کیا جاتا ہے. براہ کرم ٹائم لاگز کے ذریعہ آپریشن کی حیثیت کو اپ ڈیٹ کریں
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),نیا بیچ ID (اختیاری)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),نیا بیچ ID (اختیاری)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},اخراجات کے اکاؤنٹ شے کے لئے لازمی ہے {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},اخراجات کے اکاؤنٹ شے کے لئے لازمی ہے {0}
 DocType: BOM,Website Description,ویب سائٹ تفصیل
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,ایکوئٹی میں خالص تبدیلی
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,انوائس خریداری {0} منسوخ مہربانی سب سے پہلے
@@ -5130,7 +5193,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,ترمیم کرنے کے لئے کچھ بھی نہیں ہے.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,فارم دیکھیں
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,اخراجات کا دعوی
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,اس مہینے اور زیر التواء سرگرمیوں کا خلاصہ
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,اس مہینے اور زیر التواء سرگرمیوں کا خلاصہ
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},براہ کرم کمپنی میں غیر حقیقی تبادلہ ایکسچینج / نقصان کا اکاؤنٹ مقرر کریں {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",اپنے آپ کے علاوہ اپنے تنظیم میں صارفین کو شامل کریں.
 DocType: Customer Group,Customer Group Name,گاہک گروپ کا نام
@@ -5140,14 +5203,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,کوئی مادی درخواست نہیں کی گئی
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},قرض کی رقم {0} کی زیادہ سے زیادہ قرض کی رقم سے زیادہ نہیں ہوسکتی
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,لائسنس
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},سی فارم سے اس انوائس {0} کو دور کریں {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},سی فارم سے اس انوائس {0} کو دور کریں {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,آپ کو بھی گزشتہ مالی سال کے توازن رواں مالی سال کے لئے چھوڑ دیتا شامل کرنے کے لئے چاہتے ہیں تو آگے بڑھانے براہ مہربانی منتخب کریں
 DocType: GL Entry,Against Voucher Type,واؤچر قسم کے خلاف
 DocType: Healthcare Practitioner,Phone (R),فون (آر)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,ٹائم سلاٹس شامل ہیں
 DocType: Item,Attributes,صفات
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,سانچہ کو فعال کریں
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,اکاؤنٹ لکھنے داخل کریں
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,اکاؤنٹ لکھنے داخل کریں
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,آخری آرڈر کی تاریخ
 DocType: Salary Component,Is Payable,قابل ادائیگی ہے
 DocType: Inpatient Record,B Negative,بی منفی
@@ -5158,7 +5221,7 @@
 DocType: Hotel Room,Hotel Room,ہوٹل کا کمرہ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},اکاؤنٹ {0} کرتا کمپنی سے تعلق رکھتا نہیں {1}
 DocType: Leave Type,Rounding,رائڈنگ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,{0} قطار میں سیریل نمبر ڈلیوری نوٹ کے ساتھ میل نہیں کھاتا
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,{0} قطار میں سیریل نمبر ڈلیوری نوٹ کے ساتھ میل نہیں کھاتا
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),ڈسپنس شدہ رقم (پرو-درجہ بندی)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",پھر قیمتوں کا تعین کے قوانین کسٹمر، کسٹمر گروپ، علاقہ، سپلائر، سپلائر گروپ، مہم، سیلز پارٹنر وغیرہ کی بنیاد پر فلٹر کیا جاتا ہے.
 DocType: Student,Guardian Details,گارڈین کی تفصیلات دیکھیں
@@ -5167,10 +5230,10 @@
 DocType: Vehicle,Chassis No,چیسی کوئی
 DocType: Payment Request,Initiated,شروع
 DocType: Production Plan Item,Planned Start Date,منصوبہ بندی شروع کرنے کی تاریخ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,براہ کرم ایک BOM منتخب کریں
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,براہ کرم ایک BOM منتخب کریں
 DocType: Purchase Invoice,Availed ITC Integrated Tax,آئی ٹی سی انٹیگریٹڈ ٹیکس کو حاصل کیا
 DocType: Purchase Order Item,Blanket Order Rate,کمبل آرڈر کی شرح
-apps/erpnext/erpnext/hooks.py +156,Certification,تصدیق
+apps/erpnext/erpnext/hooks.py +157,Certification,تصدیق
 DocType: Bank Guarantee,Clauses and Conditions,بندوں اور شرائط
 DocType: Serial No,Creation Document Type,تخلیق دستاویز کی قسم
 DocType: Project Task,View Timesheet,ٹائم شیٹ دیکھیں
@@ -5195,6 +5258,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,والدین آئٹم {0} اسٹاک آئٹم نہیں ہونا چاہئے
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,ویب سائٹ کی فہرست
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,تمام مصنوعات یا خدمات.
+DocType: Email Digest,Open Quotations,کھولیں کوٹیشن
 DocType: Expense Claim,More Details,مزید تفصیلات
 DocType: Supplier Quotation,Supplier Address,پردایک ایڈریس
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} اکاؤنٹ کے بجٹ {1} خلاف {2} {3} ہے {4}. اس کی طرف سے تجاوز کرے گا {5}
@@ -5209,12 +5273,11 @@
 DocType: Training Event,Exam,امتحان
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,مارکیٹ کی خرابی
 DocType: Complaint,Complaint,شکایت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},گودام اسٹاک آئٹم کے لئے ضروری {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},گودام اسٹاک آئٹم کے لئے ضروری {0}
 DocType: Leave Allocation,Unused leaves,غیر استعمال شدہ پتے
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,تنخواہ داخلہ بنائیں
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,تمام محکموں
 DocType: Healthcare Service Unit,Vacant,خالی
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,سپلائر&gt; سپلائی کی قسم
 DocType: Patient,Alcohol Past Use,شراب ماضی کا استعمال
 DocType: Fertilizer Content,Fertilizer Content,ارورائزر مواد
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,کروڑ
@@ -5222,7 +5285,7 @@
 DocType: Tax Rule,Billing State,بلنگ ریاست
 DocType: Share Transfer,Transfer,منتقلی
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,اس سیلز آرڈر کو منسوخ کرنے سے پہلے کام کا آرڈر {0} منسوخ ہونا ضروری ہے
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),(ذیلی اسمبلیوں سمیت) پھٹا BOM آوردہ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),(ذیلی اسمبلیوں سمیت) پھٹا BOM آوردہ
 DocType: Authorization Rule,Applicable To (Employee),لاگو (ملازم)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,کی وجہ سے تاریخ لازمی ہے
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,وصف کے لئے اضافہ {0} 0 نہیں ہو سکتا
@@ -5238,7 +5301,7 @@
 DocType: Disease,Treatment Period,علاج کا دورہ
 DocType: Travel Itinerary,Travel Itinerary,سفر سفر کا پروگرام
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,نتیجہ پہلے ہی پیش کیا گیا
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ریسکیو گودام میں سامان {0} کے لئے محفوظ گودام لازمی ہے
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,ریسکیو گودام میں سامان {0} کے لئے محفوظ گودام لازمی ہے
 ,Inactive Customers,غیر فعال کسٹمرز
 DocType: Student Admission Program,Maximum Age,زیادہ سے زیادہ عمر
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,یاد دہانی کا اشتراک کرنے سے پہلے 3 دن انتظار کریں.
@@ -5247,7 +5310,6 @@
 DocType: Stock Entry,Delivery Note No,ترسیل کے نوٹ نہیں
 DocType: Cheque Print Template,Message to show,ظاہر کرنے کے لئے پیغام
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,پرچون
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,خود بخود تقرری انوائس کا انتظام کریں
 DocType: Student Attendance,Absent,غائب
 DocType: Staffing Plan,Staffing Plan Detail,اسٹافنگ پلان تفصیل
 DocType: Employee Promotion,Promotion Date,فروغ کی تاریخ
@@ -5269,7 +5331,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,لیڈ بنائیں
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,پرنٹ اور سٹیشنری
 DocType: Stock Settings,Show Barcode Field,دکھائیں بارکوڈ فیلڈ
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,پردایک ای میلز بھیجیں
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,پردایک ای میلز بھیجیں
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",تنخواہ پہلے سے ہی درمیان {0} اور {1}، درخواست مدت چھوڑیں اس تاریخ کی حد کے درمیان نہیں ہو سکتا مدت کے لئے کارروائی کی.
 DocType: Fiscal Year,Auto Created,آٹو تیار
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,ملازم کا ریکارڈ بنانے کے لئے اسے جمع کرو
@@ -5278,7 +5340,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,انوائس {0} اب موجود نہیں ہے
 DocType: Guardian Interest,Guardian Interest,گارڈین دلچسپی
 DocType: Volunteer,Availability,دستیابی
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS انوائس کے لئے ڈیفالٹ اقدار سیٹ کریں
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS انوائس کے لئے ڈیفالٹ اقدار سیٹ کریں
 apps/erpnext/erpnext/config/hr.py +248,Training,ٹریننگ
 DocType: Project,Time to send,بھیجنے کا وقت
 DocType: Timesheet,Employee Detail,ملازم کی تفصیل
@@ -5302,7 +5364,7 @@
 DocType: Training Event Employee,Optional,اختیاری
 DocType: Salary Slip,Earning & Deduction,کمائی اور کٹوتی
 DocType: Agriculture Analysis Criteria,Water Analysis,پانی تجزیہ
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} مختلف قسم کی تخلیق
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} مختلف قسم کی تخلیق
 DocType: Amazon MWS Settings,Region,ریجن
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاری. یہ ترتیب مختلف لین دین میں فلٹر کیا جائے گا.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,منفی تشخیص کی شرح کی اجازت نہیں ہے
@@ -5321,7 +5383,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,ختم کر دیا اثاثہ کی قیمت
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: لاگت سینٹر شے کے لئے لازمی ہے {2}
 DocType: Vehicle,Policy No,پالیسی نہیں
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,پروڈکٹ بنڈل سے اشیاء حاصل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,پروڈکٹ بنڈل سے اشیاء حاصل
 DocType: Asset,Straight Line,سیدھی لکیر
 DocType: Project User,Project User,پروجیکٹ صارف
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,سپلٹ
@@ -5329,7 +5391,7 @@
 DocType: GL Entry,Is Advance,ایڈوانس ہے
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,ملازم لائف سائیکل
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,تاریخ کے لئے تاریخ اور حاضری سے حاضری لازمی ہے
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,ہاں یا نہیں کے طور پر &#39;ٹھیکے ہے&#39; درج کریں
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,ہاں یا نہیں کے طور پر &#39;ٹھیکے ہے&#39; درج کریں
 DocType: Item,Default Purchase Unit of Measure,پیمائش کی ڈیفالٹ خریداری یونٹ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,آخری مواصلات تاریخ
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,آخری مواصلات تاریخ
@@ -5339,7 +5401,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,رسائی ٹوکری یا Shopify یو آر ایل کو لاپتہ
 DocType: Location,Latitude,طول
 DocType: Work Order,Scrap Warehouse,سکریپ گودام
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",صف نمبر {0} میں گودام کی ضرورت ہے، براہ کرم کمپنی {2} کے لئے آئٹم {1} کے لئے ڈیفالٹ گودام مقرر کریں.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",صف نمبر {0} میں گودام کی ضرورت ہے، براہ کرم کمپنی {2} کے لئے آئٹم {1} کے لئے ڈیفالٹ گودام مقرر کریں.
 DocType: Work Order,Check if material transfer entry is not required,مواد کی منتقلی کے اندراج کی ضرورت نہیں ہے چیک کریں
 DocType: Work Order,Check if material transfer entry is not required,مواد کی منتقلی کے اندراج کی ضرورت نہیں ہے چیک کریں
 DocType: Program Enrollment Tool,Get Students From,سے طالب علموں کو حاصل کریں
@@ -5356,6 +5418,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,نئی کھیپ قی
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,ملبوسات اور لوازمات
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,وزن میں سکور کی تقریب کو حل نہیں کیا جا سکا. یقینی بنائیں کہ فارمولہ درست ہے.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,وقت پر موصول نہیں آرڈر آرڈر
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,آرڈر کی تعداد
 DocType: Item Group,HTML / Banner that will show on the top of product list.,مصنوعات کی فہرست کے سب سے اوپر پر دکھایا جائے گا کہ ایچ ٹی ایم ایل / بینر.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,شپنگ رقم کا حساب کرنے کی شرائط کی وضاحت
@@ -5364,9 +5427,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,راستہ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,یہ بچے نوڈ ہے کے طور پر لیجر لاگت مرکز میں تبدیل نہیں کرسکتا
 DocType: Production Plan,Total Planned Qty,کل منصوبہ بندی کی مقدار
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,افتتاحی ویلیو
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,افتتاحی ویلیو
 DocType: Salary Component,Formula,فارمولہ
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,سیریل نمبر
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,سیریل نمبر
 DocType: Lab Test Template,Lab Test Template,لیب ٹیسٹنگ سانچہ
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,سیلز اکاؤنٹ
 DocType: Purchase Invoice Item,Total Weight,کل وزن
@@ -5384,7 +5447,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,مواد درخواست کر
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},اوپن آئٹم {0}
 DocType: Asset Finance Book,Written Down Value,لکھا ہوا ویلیو
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,براہ کرم انسانی وسائل&gt; HR ترتیبات میں ملازم نامی کا نظام قائم کریں
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,اس سیلز آرڈر منسوخ کرنے سے پہلے انوائس {0} منسوخ کر دیا جائے ضروری ہے سیلز
 DocType: Clinical Procedure,Age,عمر
 DocType: Sales Invoice Timesheet,Billing Amount,بلنگ رقم
@@ -5393,11 +5455,11 @@
 DocType: Company,Default Employee Advance Account,ڈیفالٹ ملازم ایڈوانس اکاؤنٹ
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),تلاش آئٹم (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,موجودہ لین دین کے ساتھ اکاؤنٹ خارج کر دیا نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,موجودہ لین دین کے ساتھ اکاؤنٹ خارج کر دیا نہیں کیا جا سکتا
 DocType: Vehicle,Last Carbon Check,آخری کاربن چیک کریں
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,قانونی اخراجات
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,صف پر مقدار براہ مہربانی منتخب کریں
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,کھولنے کی فروخت اور خریداری انوائس بنائیں
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,کھولنے کی فروخت اور خریداری انوائس بنائیں
 DocType: Purchase Invoice,Posting Time,پوسٹنگ وقت
 DocType: Timesheet,% Amount Billed,٪ رقم بل
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,ٹیلی فون اخراجات
@@ -5412,14 +5474,14 @@
 DocType: Maintenance Visit,Breakdown,خرابی
 DocType: Travel Itinerary,Vegetarian,سبزیوں
 DocType: Patient Encounter,Encounter Date,تصادم کی تاریخ
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,اکاؤنٹ: {0} کرنسی: {1} منتخب نہیں کیا جا سکتا
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,اکاؤنٹ: {0} کرنسی: {1} منتخب نہیں کیا جا سکتا
 DocType: Bank Statement Transaction Settings Item,Bank Data,بینک ڈیٹا
 DocType: Purchase Receipt Item,Sample Quantity,نمونہ مقدار
 DocType: Bank Guarantee,Name of Beneficiary,فائدہ مند کا نام
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",تازہ ترین قیمتوں کی شرح / قیمت کی فہرست کی شرح / خام مال کی آخری خریداری کی شرح پر مبنی بوم خود بخود لاگت کریں.
 DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,چیک تاریخ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},اکاؤنٹ {0}: والدین اکاؤنٹ {1} کمپنی سے تعلق نہیں ہے: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},اکاؤنٹ {0}: والدین اکاؤنٹ {1} کمپنی سے تعلق نہیں ہے: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,کامیابی کے ساتھ اس کمپنی سے متعلق تمام لین دین کو خارج کر دیا!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,تاریخ کے طور پر
 DocType: Additional Salary,HR,HR
@@ -5427,7 +5489,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,باہر مریض ایس ایم ایس الرٹ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,پروبیشن
 DocType: Program Enrollment Tool,New Academic Year,نئے تعلیمی سال
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,واپسی / کریڈٹ نوٹ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,واپسی / کریڈٹ نوٹ
 DocType: Stock Settings,Auto insert Price List rate if missing,آٹو ڈالیں قیمت کی فہرست شرح لاپتہ ہے
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,کل ادا کی گئی رقم
 DocType: GST Settings,B2C Limit,B2C حد
@@ -5445,10 +5507,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,بچے نوڈس صرف &#39;گروپ&#39; قسم نوڈس کے تحت پیدا کیا جا سکتا
 DocType: Attendance Request,Half Day Date,آدھا دن تاریخ
 DocType: Academic Year,Academic Year Name,تعلیمی سال کا نام
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{1} {1} کے ساتھ ٹرانسمیشن کرنے کی اجازت نہیں دی گئی. براہ مہربانی کمپنی کو تبدیل کریں.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{1} {1} کے ساتھ ٹرانسمیشن کرنے کی اجازت نہیں دی گئی. براہ مہربانی کمپنی کو تبدیل کریں.
 DocType: Sales Partner,Contact Desc,رابطہ DESC
 DocType: Email Digest,Send regular summary reports via Email.,ای میل کے ذریعے باقاعدہ سمری رپورٹ بھیجنے.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},میں اخراجات دعوی کی قسم ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},میں اخراجات دعوی کی قسم ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,دستیاب پتیوں
 DocType: Assessment Result,Student Name,طالب علم کا نام
 DocType: Hub Tracked Item,Item Manager,آئٹم مینیجر
@@ -5473,9 +5535,10 @@
 DocType: Subscription,Trial Period End Date,آزمائشی مدت کے اختتام کی تاریخ
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} حدود سے تجاوز کے بعد authroized نہیں
 DocType: Serial No,Asset Status,اثاثہ حیثیت
+DocType: Delivery Note,Over Dimensional Cargo (ODC),طول و عرض کارگو (او ڈی سی)
 DocType: Restaurant Order Entry,Restaurant Table,ریسٹورانٹ ٹیبل
 DocType: Hotel Room,Hotel Manager,ہوٹل کا مینیجر
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,خریداری کی ٹوکری کے لئے مقرر ٹیکس اصول
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,خریداری کی ٹوکری کے لئے مقرر ٹیکس اصول
 DocType: Purchase Invoice,Taxes and Charges Added,ٹیکس اور الزامات شامل کر دیا گیا
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,استحکام صف {0}: اگلے قیمتوں کا تعین تاریخ دستیاب - استعمال کے لئے تاریخ سے پہلے نہیں ہوسکتا ہے
 ,Sales Funnel,سیلز قیف
@@ -5491,10 +5554,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,تمام کسٹمر گروپوں
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,جمع ماہانہ
 DocType: Attendance Request,On Duty,کام پر
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ {1} {2} کرنے کے لئے پیدا نہیں کر رہا ہے.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ {1} {2} کرنے کے لئے پیدا نہیں کر رہا ہے.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},اسٹافنگ منصوبہ {0} پہلے ہی نامزد ہونے کے لئے موجود ہے {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,ٹیکس سانچہ لازمی ہے.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,اکاؤنٹ {0}: والدین اکاؤنٹ {1} موجود نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,اکاؤنٹ {0}: والدین اکاؤنٹ {1} موجود نہیں ہے
 DocType: POS Closing Voucher,Period Start Date,مدت کی تاریخ شروع
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),قیمت کی فہرست شرح (کمپنی کرنسی)
 DocType: Products Settings,Products Settings,مصنوعات ترتیبات
@@ -5514,7 +5577,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,یہ عمل مستقبل بلنگ کو روک دے گا. کیا آپ واقعی اس رکنیت کو منسوخ کرنا چاہتے ہیں؟
 DocType: Serial No,Distinct unit of an Item,آئٹم کے مخصوص یونٹ
 DocType: Supplier Scorecard Criteria,Criteria Name,معیار کا نام
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,کمپنی قائم کی مہربانی
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,کمپنی قائم کی مہربانی
 DocType: Procedure Prescription,Procedure Created,طریقہ کار تشکیل
 DocType: Pricing Rule,Buying,خرید
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,بیماریوں اور کھادیں
@@ -5531,43 +5594,44 @@
 DocType: Employee Onboarding,Job Offer,ملازمت کی پیشکش
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,انسٹی ٹیوٹ مخفف
 ,Item-wise Price List Rate,آئٹم وار قیمت کی فہرست شرح
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,پردایک کوٹیشن
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,پردایک کوٹیشن
 DocType: Quotation,In Words will be visible once you save the Quotation.,آپ کوٹیشن بچانے بار الفاظ میں نظر آئے گا.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) قطار میں ایک حصہ نہیں ہو سکتا {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) قطار میں ایک حصہ نہیں ہو سکتا {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) قطار میں ایک حصہ نہیں ہو سکتا {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) قطار میں ایک حصہ نہیں ہو سکتا {1}
 DocType: Contract,Unsigned,غیر منظم
 DocType: Selling Settings,Each Transaction,ہر ٹرانزیکشن
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},بارکوڈ {0} پہلے ہی آئٹم میں استعمال {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},بارکوڈ {0} پہلے ہی آئٹم میں استعمال {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,شپنگ کے اخراجات شامل کرنے کے لئے رولز.
 DocType: Hotel Room,Extra Bed Capacity,اضافی بستر کی صلاحیت
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,تشریح
 DocType: Item,Opening Stock,اسٹاک کھولنے
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,کسٹمر کی ضرورت ہے
 DocType: Lab Test,Result Date,نتائج کی تاریخ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC تاریخ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC تاریخ
 DocType: Purchase Order,To Receive,وصول کرنے کے لئے
 DocType: Leave Period,Holiday List for Optional Leave,اختیاری اجازت کے لئے چھٹیوں کی فہرست
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,اثاثہ مالک
 DocType: Purchase Invoice,Reason For Putting On Hold,ہولڈنگ پر ڈالنے کی وجہ
 DocType: Employee,Personal Email,ذاتی ای میل
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,کل تغیر
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,کل تغیر
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",فعال ہے تو، نظام خود کار طریقے کی انوینٹری کے لئے اکاؤنٹنگ اندراجات پوسٹ کریں گے.
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,بروکریج
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,ملازم {0} کے لئے حاضری پہلے ہی اس دن کے لئے نشان لگا دیا گیا
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,ملازم {0} کے لئے حاضری پہلے ہی اس دن کے لئے نشان لگا دیا گیا
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",منٹ میں &#39;وقت لاگ ان&#39; کے ذریعے اپ ڈیٹ
 DocType: Customer,From Lead,لیڈ سے
 DocType: Amazon MWS Settings,Synch Orders,ہم آہنگ آرڈر
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,احکامات کی پیداوار کے لئے جاری.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,مالی سال منتخب کریں ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,پی او ایس پی او ایس پروفائل اندراج کرنے کے لئے کی ضرورت ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,پی او ایس پی او ایس پروفائل اندراج کرنے کے لئے کی ضرورت ہے
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",وفاداری پوائنٹس کا حساب کردہ عنصر کے حساب سے خرچ کردہ (سیلز انوائس کے ذریعہ) کے حساب سے شمار کیا جائے گا.
 DocType: Program Enrollment Tool,Enroll Students,طلباء اندراج کریں
 DocType: Company,HRA Settings,HRA ترتیبات
 DocType: Employee Transfer,Transfer Date,منتقلی کی تاریخ
 DocType: Lab Test,Approved Date,منظور شدہ تاریخ
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,سٹینڈرڈ فروخت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,کم سے کم ایک گودام لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,کم سے کم ایک گودام لازمی ہے
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.",UOM، آئٹم گروپ، تفصیل اور گھنٹوں کی تعداد جیسے آئٹم فیلڈز کو تشکیل دیں.
 DocType: Certification Application,Certification Status,سرٹیفیکیشن کی حیثیت
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,مارکیٹ
@@ -5587,6 +5651,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,ملاپ کے انوائس
 DocType: Work Order,Required Items,مطلوبہ اشیاء
 DocType: Stock Ledger Entry,Stock Value Difference,اسٹاک کی قیمت فرق
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,آئٹم صف {0}: {1} {2} مندرجہ بالا &#39;{1}&#39; کی میز میں موجود نہیں ہے
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,انسانی وسائل
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ادائیگی مفاہمت ادائیگی
 DocType: Disease,Treatment Task,علاج کا کام
@@ -5603,7 +5668,8 @@
 DocType: Account,Debit,ڈیبٹ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,پتے 0.5 ملٹی میں مختص ہونا ضروری ہے
 DocType: Work Order,Operation Cost,آپریشن کی لاگت
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,بقایا AMT
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,فیصلہ ساز سازوں کی شناخت
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,بقایا AMT
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,مقرر مقاصد آئٹم گروپ وار اس کی فروخت کے شخص کے لئے.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],جھروکے سٹاکس بڑی عمر کے مقابلے [دنوں]
 DocType: Payment Request,Payment Ordered,ادائیگی آرڈر
@@ -5615,13 +5681,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,مندرجہ ذیل صارفین بلاک دنوں کے لئے چھوڑ درخواستیں منظور کرنے کی اجازت دیں.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,دورانیۂ حیات
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,بوم بنائیں
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},آئٹم {0} کے لئے فروخت کی شرح اس سے کم ہے {1}. فروخت کی شرح کو کم از کم ہونا چاہئے {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},آئٹم {0} کے لئے فروخت کی شرح اس سے کم ہے {1}. فروخت کی شرح کو کم از کم ہونا چاہئے {2}
 DocType: Subscription,Taxes,ٹیکسز
 DocType: Purchase Invoice,capital goods,دارالحکومت سامان
 DocType: Purchase Invoice Item,Weight Per Unit,یونٹ فی وزن
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,ادا کی اور نجات نہیں
-DocType: Project,Default Cost Center,پہلے سے طے شدہ لاگت مرکز
-DocType: Delivery Note,Transporter Doc No,ٹرانسپورٹر ڈو نمبر
+DocType: QuickBooks Migrator,Default Cost Center,پہلے سے طے شدہ لاگت مرکز
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,اسٹاک معاملات
 DocType: Budget,Budget Accounts,بجٹ کے اکاؤنٹس
 DocType: Employee,Internal Work History,اندرونی کام تاریخ
@@ -5654,7 +5719,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},صحت کی دیکھ بھال کے عملدرآمد {0} پر دستیاب نہیں ہے
 DocType: Stock Entry Detail,Additional Cost,اضافی لاگت
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",واؤچر نمبر کی بنیاد پر فلٹر کر سکتے ہیں، واؤچر کی طرف سے گروپ ہے
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,پردایک کوٹیشن بنائیں
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,پردایک کوٹیشن بنائیں
 DocType: Quality Inspection,Incoming,موصولہ
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,سیلز اور خریداری کے لئے پہلے سے طے شدہ ٹیکس ٹیمپلیٹس بنائے جاتے ہیں.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,تشخیص کا نتیجہ ریکارڈ {0} پہلے ہی موجود ہے.
@@ -5670,7 +5735,7 @@
 DocType: Batch,Batch ID,بیچ کی شناخت
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},نوٹ: {0}
 ,Delivery Note Trends,ترسیل کے نوٹ رجحانات
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,اس ہفتے کے خلاصے
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,اس ہفتے کے خلاصے
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,اسٹاک قی میں
 ,Daily Work Summary Replies,ڈیلی کام خلاصہ جوابات
 DocType: Delivery Trip,Calculate Estimated Arrival Times,متوقع آنے والے ٹائمز کا حساب لگائیں
@@ -5680,7 +5745,7 @@
 DocType: Bank Account,Party,پارٹی
 DocType: Healthcare Settings,Patient Name,مریض کا نام
 DocType: Variant Field,Variant Field,مختلف فیلڈ
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,ھدف کی جگہ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,ھدف کی جگہ
 DocType: Sales Order,Delivery Date,ادئیگی کی تاریخ
 DocType: Opportunity,Opportunity Date,موقع تاریخ
 DocType: Employee,Health Insurance Provider,ہیلتھ انشورنس فراہم کنندہ
@@ -5699,7 +5764,7 @@
 DocType: Employee,History In Company,کمپنی کی تاریخ
 DocType: Customer,Customer Primary Address,کسٹمر پرائمری ایڈریس
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرنامے
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,حوالہ نمبر
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,حوالہ نمبر
 DocType: Drug Prescription,Description/Strength,تفصیل / طاقت
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,نیا ادائیگی / جرنل انٹری بنائیں
 DocType: Certification Application,Certification Application,سرٹیفیکیشن کی درخواست
@@ -5710,10 +5775,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,ایک ہی شے کے کئی بار داخل کیا گیا ہے
 DocType: Department,Leave Block List,بلاک فہرست چھوڑ دو
 DocType: Purchase Invoice,Tax ID,ٹیکس شناخت
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} آئٹم سیریل نمبر کے لئے سیٹ اپ نہیں ہے. کالم خالی ہونا ضروری ہے
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} آئٹم سیریل نمبر کے لئے سیٹ اپ نہیں ہے. کالم خالی ہونا ضروری ہے
 DocType: Accounts Settings,Accounts Settings,ترتیبات اکاؤنٹس
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,منظور کریں
 DocType: Loyalty Program,Customer Territory,کسٹمر علاقے
+DocType: Email Digest,Sales Orders to Deliver,فروخت کرنے کے لئے فروخت کے حکم
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",نیا اکاؤنٹ کی تعداد، اس اکاؤنٹ کا نام میں ایک سابقہ طور پر شامل کیا جائے گا
 DocType: Maintenance Team Member,Team Member,ٹیم کے رکن
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,جمع کرنے کا کوئی نتیجہ نہیں
@@ -5723,7 +5789,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",تمام اشیاء کے لئے کل {0} صفر ہے، کیا آپ کو تبدیل کرنا چاہئے &#39;پر مبنی چارج تقسیم&#39;
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,تاریخ سے کم سے کم نہیں ہوسکتی ہے
 DocType: Opportunity,To Discuss,بحث کرنے کے لئے
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,یہ اس سبسکرائب کے خلاف ٹرانزیکشن پر مبنی ہے. تفصیلات کے لئے ذیل میں ٹائم لائن ملاحظہ کریں
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} کی اکائیوں {1} {2} اس لین دین کو مکمل کرنے میں ضرورت.
 DocType: Loan Type,Rate of Interest (%) Yearly,سود کی شرح (٪) سالانہ
 DocType: Support Settings,Forum URL,فورم یو آر ایل
@@ -5738,7 +5803,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,اورجانیے
 DocType: Cheque Print Template,Distance from top edge,اوپر کے کنارے سے فاصلہ
 DocType: POS Closing Voucher Invoices,Quantity of Items,اشیا کی مقدار
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,قیمت کی فہرست {0} غیر فعال ہے یا موجود نہیں ہے
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,قیمت کی فہرست {0} غیر فعال ہے یا موجود نہیں ہے
 DocType: Purchase Invoice,Return,واپس
 DocType: Pricing Rule,Disable,غیر فعال کریں
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,ادائیگی کا طریقہ ایک ادائیگی کرنے کے لئے کی ضرورت ہے
@@ -5746,18 +5811,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.",اثاثوں، سیریل نو، بیچ وغیرہ جیسے زیادہ اختیارات کیلئے مکمل صفحہ میں ترمیم کریں.
 DocType: Leave Type,Maximum Continuous Days Applicable,لاگو زیادہ سے زیادہ مسلسل دن
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} بیچ میں اندراج نہیں ہے {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",یہ پہلے سے ہی ہے کے طور پر اثاثہ {0}، ختم نہیں کیا جا سکتا {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",یہ پہلے سے ہی ہے کے طور پر اثاثہ {0}، ختم نہیں کیا جا سکتا {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,چیک کی ضرورت ہے
 DocType: Task,Total Expense Claim (via Expense Claim),(خرچ دعوی ذریعے) کل اخراجات کا دعوی
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,مارک غائب
 DocType: Job Applicant Source,Job Applicant Source,ملازمت درخواست دہندگان ماخذ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST رقم
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST رقم
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,کمپنی قائم کرنے میں ناکام
 DocType: Asset Repair,Asset Repair,اثاثہ کی مرمت
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},صف {0}: BOM کی کرنسی # {1} کو منتخب کردہ کرنسی کے برابر ہونا چاہئے {2}
 DocType: Journal Entry Account,Exchange Rate,زر مبادلہ کی شرح
 DocType: Patient,Additional information regarding the patient,مریض کے متعلق اضافی معلومات
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,سیلز آرڈر {0} پیش نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,سیلز آرڈر {0} پیش نہیں ہے
 DocType: Homepage,Tag Line,ٹیگ لائن
 DocType: Fee Component,Fee Component,فیس اجزاء
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,بیڑے کے انتظام
@@ -5772,7 +5837,7 @@
 DocType: Healthcare Practitioner,Mobile,موبائل
 ,Sales Person-wise Transaction Summary,فروخت شخص وار ٹرانزیکشن کا خلاصہ
 DocType: Training Event,Contact Number,رابطہ نمبر
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,گودام {0} موجود نہیں ہے
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,گودام {0} موجود نہیں ہے
 DocType: Cashier Closing,Custody,تحمل
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ملازم ٹیکس چھوٹ ثبوت جمع کرانے کی تفصیل
 DocType: Monthly Distribution,Monthly Distribution Percentages,ماہانہ تقسیم فی صد
@@ -5787,7 +5852,7 @@
 DocType: Payment Entry,Paid Amount,ادائیگی کی رقم
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,سیلز سائیکل کا پتہ لگائیں
 DocType: Assessment Plan,Supervisor,سپروائزر
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,ریٹری اسٹاک انٹری
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,ریٹری اسٹاک انٹری
 ,Available Stock for Packing Items,پیکنگ اشیاء کے لئے دستیاب اسٹاک
 DocType: Item Variant,Item Variant,آئٹم مختلف
 ,Work Order Stock Report,کام آرڈر سٹاک کی رپورٹ
@@ -5796,9 +5861,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,سپروائزر کے طور پر
 DocType: Leave Policy Detail,Leave Policy Detail,پالیسی کی تفصیل چھوڑ دو
 DocType: BOM Scrap Item,BOM Scrap Item,BOM سکریپ آئٹم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,پیش احکامات خارج کر دیا نہیں کیا جا سکتا
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",پہلے سے ڈیبٹ میں اکاؤنٹ بیلنس، آپ کو کریڈٹ &#39;کے طور پر کی بیلنس ہونا چاہئے&#39; قائم کرنے کی اجازت نہیں کر رہے ہیں
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,معیار منظم رکھنا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,پیش احکامات خارج کر دیا نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",پہلے سے ڈیبٹ میں اکاؤنٹ بیلنس، آپ کو کریڈٹ &#39;کے طور پر کی بیلنس ہونا چاہئے&#39; قائم کرنے کی اجازت نہیں کر رہے ہیں
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,معیار منظم رکھنا
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,{0} آئٹم غیر فعال ہوگئی ہے
 DocType: Project,Total Billable Amount (via Timesheets),کل بلبل رقم (ٹائم شیشے کے ذریعہ)
 DocType: Agriculture Task,Previous Business Day,پچھلے کاروباری دن
@@ -5821,15 +5886,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,لاگت کے مراکز
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,سبسکرائب کریں دوبارہ شروع کریں
 DocType: Linked Plant Analysis,Linked Plant Analysis,منسلک پلانٹ تجزیہ
-DocType: Delivery Note,Transporter ID,ٹرانزٹر ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ٹرانزٹر ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,قیمت کی تجویز
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,جس سپلائر کی کرنسی میں شرح کمپنی کے اساسی کرنسی میں تبدیل کیا جاتا
-DocType: Sales Invoice Item,Service End Date,سروس اختتام کی تاریخ
+DocType: Purchase Invoice Item,Service End Date,سروس اختتام کی تاریخ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},صف # {0}: صف کے ساتھ اوقات تنازعات {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازت دیں زیرو تشخیص کی شرح
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازت دیں زیرو تشخیص کی شرح
 DocType: Bank Guarantee,Receiving,وصول کرنا
 DocType: Training Event Employee,Invited,مدعو
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,سیٹ اپ گیٹ وے اکاؤنٹس.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,سیٹ اپ گیٹ وے اکاؤنٹس.
 DocType: Employee,Employment Type,ملازمت کی قسم
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,مقرر اثاثے
 DocType: Payment Entry,Set Exchange Gain / Loss,ایکسچینج حاصل مقرر کریں / خسارہ
@@ -5845,7 +5911,7 @@
 DocType: Tax Rule,Sales Tax Template,سیلز ٹیکس سانچہ
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,فائدہ کے دعوی کے خلاف ادائیگی کریں
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,اپ ڈیٹ لاگت سینٹر نمبر
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں
 DocType: Employee,Encashment Date,معاوضہ تاریخ
 DocType: Training Event,Internet,انٹرنیٹ
 DocType: Special Test Template,Special Test Template,خصوصی ٹیسٹ سانچہ
@@ -5853,13 +5919,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},پہلے سے طے شدہ سرگرمی لاگت سرگرمی کی قسم کے لئے موجود ہے - {0}
 DocType: Work Order,Planned Operating Cost,منصوبہ بندی کی آپریٹنگ لاگت
 DocType: Academic Term,Term Start Date,ٹرم شروع کرنے کی تاریخ
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,سب ٹرانزیکشن کی فہرست
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,سب ٹرانزیکشن کی فہرست
+DocType: Supplier,Is Transporter,ٹرانسپورٹر ہے
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ادائیگی کی نشاندہی کی جائے تو Shopify سے درآمد کی فروخت کی انوائس
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,بالمقابل شمار
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,بالمقابل شمار
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,آزمائشی مدت کے دوران شروع کی تاریخ اور آزمائشی مدت کے اختتام کی تاریخ کو مقرر کیا جانا چاہئے
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,اوسط قیمت
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ادائیگی شیڈول میں کل ادائیگی کی رقم گرینڈ / گولڈ کل کے برابر ہونا ضروری ہے
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ادائیگی شیڈول میں کل ادائیگی کی رقم گرینڈ / گولڈ کل کے برابر ہونا ضروری ہے
 DocType: Subscription Plan Detail,Plan,منصوبہ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,جنرل لیجر کے مطابق بینک کا گوشوارہ توازن
 DocType: Job Applicant,Applicant Name,درخواست گزار کا نام
@@ -5887,7 +5954,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,ماخذ گودام پر دستیاب قی
 apps/erpnext/erpnext/config/support.py +22,Warranty,وارنٹی
 DocType: Purchase Invoice,Debit Note Issued,ڈیبٹ نوٹ اجراء
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,لاگت سینٹر پر مبنی فلٹر صرف لاگو ہوتا ہے اگر بجٹ کے خلاف لاگت کا انتخاب مرکز کے طور پر منتخب کیا جائے
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,لاگت سینٹر پر مبنی فلٹر صرف لاگو ہوتا ہے اگر بجٹ کے خلاف لاگت کا انتخاب مرکز کے طور پر منتخب کیا جائے
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",شے کوڈ، سیریل نمبر، بیچ نمبر یا بارکوڈ کی طرف سے تلاش کریں
 DocType: Work Order,Warehouses,گوداموں
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} اثاثہ منتقل نہیں کیا جا سکتا
@@ -5898,9 +5965,9 @@
 DocType: Workstation,per hour,فی گھنٹہ
 DocType: Blanket Order,Purchasing,پرچیزنگ
 DocType: Announcement,Announcement,اعلان
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,کسٹمر ایل پی او
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,کسٹمر ایل پی او
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",بیچ مبنی طالب علم گروپ کے طور پر، طالب علم بیچ پروگرام کے اندراج سے ہر طالب علم کے لئے جائز قرار دیا جائے گا.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,اسٹاک بہی اندراج یہ گودام کے لئے موجود ہے کے طور پر گودام خارج نہیں کیا جا سکتا.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,اسٹاک بہی اندراج یہ گودام کے لئے موجود ہے کے طور پر گودام خارج نہیں کیا جا سکتا.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,تقسیم
 DocType: Journal Entry Account,Loan,قرض
 DocType: Expense Claim Advance,Expense Claim Advance,اخراج دعوی ایڈانسنس
@@ -5909,7 +5976,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,پروجیکٹ مینیجر
 ,Quoted Item Comparison,نقل آئٹم موازنہ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} اور {1} کے درمیان اسکور میں اوورلوپ
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,ڈسپیچ
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,ڈسپیچ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,شے کے لئے کی اجازت زیادہ سے زیادہ ڈسکاؤنٹ: {0} {1}٪ ہے
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,خالص اثاثہ قدر کے طور پر
 DocType: Crop,Produce,پیدا
@@ -5919,20 +5986,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,تعمیر کے لئے مواد کی کھپت
 DocType: Item Alternative,Alternative Item Code,متبادل آئٹم کوڈ
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,مقرر کریڈٹ کی حد سے تجاوز ہے کہ لین دین پیش کرنے کی اجازت ہے کہ کردار.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,تیار کرنے کی اشیا منتخب کریں
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,تیار کرنے کی اشیا منتخب کریں
 DocType: Delivery Stop,Delivery Stop,ترسیل بند
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے
 DocType: Item,Material Issue,مواد مسئلہ
 DocType: Employee Education,Qualification,اہلیت
 DocType: Item Price,Item Price,شے کی قیمت
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,صابن اور ڈٹرجنٹ
 DocType: BOM,Show Items,اشیا دکھائیں
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,وقت سے وقت سے زیادہ نہیں ہو سکتا.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,کیا آپ ای میل کے ذریعے تمام گاہکوں کو مطلع کرنا چاہتے ہیں؟
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,کیا آپ ای میل کے ذریعے تمام گاہکوں کو مطلع کرنا چاہتے ہیں؟
 DocType: Subscription Plan,Billing Interval,بلنگ کے وقفہ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,موشن پکچر اور ویڈیو
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,کا حکم دیا
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,اصل آغاز کی تاریخ اور حقیقی اختتامی تاریخ لازمی ہے
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,کسٹمر&gt; کسٹمر گروپ&gt; علاقہ
 DocType: Salary Detail,Component,اجزاء
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,صف {0}: {1} 0 سے زیادہ ہونا ضروری ہے
 DocType: Assessment Criteria,Assessment Criteria Group,تشخیص کا معیار گروپ
@@ -5963,11 +6031,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,جمع کرنے سے پہلے بینک یا قرض دینے والے ادارے کا نام درج کریں.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} جمع ہونا لازمی ہے
 DocType: POS Profile,Item Groups,آئٹم گروپس
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,آج {0} کی سالگرہ ہے!
 DocType: Sales Order Item,For Production,پیداوار کے لئے
 DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,بیلنس اکاؤنٹ کی کرنسی میں
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,برائے مہربانی اکاؤنٹس کے چارٹ میں عارضی افتتاحی اکاؤنٹ شامل کریں
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,برائے مہربانی اکاؤنٹس کے چارٹ میں عارضی افتتاحی اکاؤنٹ شامل کریں
 DocType: Customer,Customer Primary Contact,کسٹمر پرائمری رابطہ
 DocType: Project Task,View Task,لنک ٹاسک
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,بالمقابل / لیڈ٪
@@ -5981,11 +6048,11 @@
 DocType: Sales Invoice,Get Advances Received,پیشگی موصول ہو جاؤ
 DocType: Email Digest,Add/Remove Recipients,وصول کنندگان کو ہٹا دیں شامل کریں /
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",، پہلے سے طے شدہ طور پر اس مالی سال مقرر کرنے کیلئے &#39;پہلے سے طے شدہ طور پر مقرر کریں&#39; پر کلک کریں
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,ٹی ڈی ڈی کی رقم کم ہوگئی
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,ٹی ڈی ڈی کی رقم کم ہوگئی
 DocType: Production Plan,Include Subcontracted Items,ذیلی کنسریٹڈ اشیاء شامل کریں
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,شامل ہوں
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,کمی کی مقدار
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,شامل ہوں
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,کمی کی مقدار
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود
 DocType: Loan,Repay from Salary,تنخواہ سے ادا
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},{2} {1} کے خلاف ادائیگی {2}
 DocType: Additional Salary,Salary Slip,تنخواہ پرچی
@@ -6001,7 +6068,7 @@
 DocType: Patient,Dormant,امن
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,لاپتہ ملازم فوائد کے لئے ٹیکس کٹوتی
 DocType: Salary Slip,Total Interest Amount,کل دلچسپی کی رقم
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا
 DocType: BOM,Manage cost of operations,آپریشن کے اخراجات کا انتظام
 DocType: Accounts Settings,Stale Days,اسٹیل دن
 DocType: Travel Itinerary,Arrival Datetime,آمد تاریخ
@@ -6013,7 +6080,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,تشخیص کے نتائج کا تفصیل
 DocType: Employee Education,Employee Education,ملازم تعلیم
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,مثنی شے گروپ شے گروپ کے ٹیبل میں پایا
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,یہ شے کی تفصیلات بازیافت کرنے کی ضرورت ہے.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,یہ شے کی تفصیلات بازیافت کرنے کی ضرورت ہے.
 DocType: Fertilizer,Fertilizer Name,کھاد کا نام
 DocType: Salary Slip,Net Pay,نقد ادائیگی
 DocType: Cash Flow Mapping Accounts,Account,اکاؤنٹ
@@ -6024,14 +6091,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,فوائد کے دعوی کے خلاف علیحدہ ادائیگی کی داخلہ بنائیں
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),بخار کی موجودگی (طلبا&gt; 38.5 ° C / 101.3 ° F یا مستحکم طے شدہ&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,سیلز ٹیم تفصیلات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,مستقل طور پر خارج کر دیں؟
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,مستقل طور پر خارج کر دیں؟
 DocType: Expense Claim,Total Claimed Amount,کل دعوی رقم
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فروخت کے لئے ممکنہ مواقع.
 DocType: Shareholder,Folio no.,فولیو نمبر.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},غلط {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,بیماری کی چھٹی
 DocType: Email Digest,Email Digest,ای میل ڈائجسٹ
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,نہیں ہیں
 DocType: Delivery Note,Billing Address Name,بلنگ ایڈریس کا نام
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,ڈیپارٹمنٹ سٹور
 ,Item Delivery Date,آئٹم ترسیل کی تاریخ
@@ -6047,16 +6113,16 @@
 DocType: Account,Chargeable,ادائیگی
 DocType: Company,Change Abbreviation,پیج مخفف
 DocType: Contract,Fulfilment Details,مکمل تفصیلات
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},ادائیگی {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},ادائیگی {0} {1}
 DocType: Employee Onboarding,Activities,سرگرمیاں
 DocType: Expense Claim Detail,Expense Date,اخراجات تاریخ
 DocType: Item,No of Months,مہینہ میں سے کوئی نہیں
 DocType: Item,Max Discount (%),زیادہ سے زیادہ ڈسکاؤنٹ (٪)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,کریڈٹ دن منفی نمبر نہیں ہوسکتا ہے
-DocType: Sales Invoice Item,Service Stop Date,سروس کی روک تھام کی تاریخ
+DocType: Purchase Invoice Item,Service Stop Date,سروس کی روک تھام کی تاریخ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,آخری آرڈر رقم
 DocType: Cash Flow Mapper,e.g Adjustments for:,مثال کے طور پر:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} نمونہ برقرار رکھنے بیچ پر مبنی ہے، براہ کرم شے کے نمونے کو برقرار رکھنے کے لئے ہی بیچ نمبر چیک کریں
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0} نمونہ برقرار رکھنے بیچ پر مبنی ہے، براہ کرم شے کے نمونے کو برقرار رکھنے کے لئے ہی بیچ نمبر چیک کریں
 DocType: Task,Is Milestone,سنگ میل ہے
 DocType: Certification Application,Yet to appear,ابھی تک ظاہر ہوتا ہے
 DocType: Delivery Stop,Email Sent To,ای میل بھیجا
@@ -6064,16 +6130,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,لاگت سینٹر میں داخلہ بیلنس شیٹ اکاؤنٹ کی اجازت دیں
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,موجودہ اکاؤنٹ کے ساتھ ضم کریں
 DocType: Budget,Warn,انتباہ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,تمام اشیاء پہلے سے ہی اس ورک آرڈر کے لئے منتقل کردیئے گئے ہیں.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,تمام اشیاء پہلے سے ہی اس ورک آرڈر کے لئے منتقل کردیئے گئے ہیں.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",کسی بھی دوسرے ریمارکس، ریکارڈ میں جانا چاہئے کہ قابل ذکر کوشش.
 DocType: Asset Maintenance,Manufacturing User,مینوفیکچرنگ صارف
 DocType: Purchase Invoice,Raw Materials Supplied,خام مال فراہم
 DocType: Subscription Plan,Payment Plan,ادائیگی کی منصوبہ بندی
 DocType: Shopping Cart Settings,Enable purchase of items via the website,ویب سائٹ کے ذریعہ اشیاء کی خریداری کو فعال کریں
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},قیمت فہرست {0} کی کرنسی ہونا ضروری ہے {1} یا {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,سبسکرپشن مینجمنٹ
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,سبسکرپشن مینجمنٹ
 DocType: Appraisal,Appraisal Template,تشخیص سانچہ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,پن کوڈ کرنے کے لئے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,پن کوڈ کرنے کے لئے
 DocType: Soil Texture,Ternary Plot,ٹرنری پلاٹ
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,شیڈولر کے ذریعہ مقرر کردہ روزانہ ہم آہنگی کا معمول کو فعال کرنے کیلئے اسے چیک کریں
 DocType: Item Group,Item Classification,آئٹم کی درجہ بندی
@@ -6083,6 +6149,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,انوائس کے مریض رجسٹریشن
 DocType: Crop,Period,مدت
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,جنرل لیجر
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,مالی سال تک
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,لنک لیڈز
 DocType: Program Enrollment Tool,New Program,نیا پروگرام
 DocType: Item Attribute Value,Attribute Value,ویلیو وصف
@@ -6091,10 +6158,10 @@
 ,Itemwise Recommended Reorder Level,Itemwise ترتیب لیول سفارش
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,ملازم {0} کی گریڈ {1} میں کوئی ڈیفالٹ چھوڑ پالیسی نہیں ہے
 DocType: Salary Detail,Salary Detail,تنخواہ تفصیل
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,پہلے {0} براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,پہلے {0} براہ مہربانی منتخب کریں
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",کثیر درجے کے پروگرام کے معاملے میں، صارفین اپنے اخراجات کے مطابق متعلقہ درجے کو خود کار طریقے سے تفویض کریں گے
 DocType: Appointment Type,Physician,ڈاکٹر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,آئٹم کے بیچ {0} {1} ختم ہو گیا ہے.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,آئٹم کے بیچ {0} {1} ختم ہو گیا ہے.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,مشاورت
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,ختم ہوا
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",قیمت کی قیمت، قیمت کی فہرست، سپلائر / کسٹمر، کرنسی، آئٹم، UOM، مقدار اور تاریخوں پر مبنی ایک سے زیادہ مرتبہ ظاہر ہوتا ہے.
@@ -6103,22 +6170,21 @@
 DocType: Certification Application,Name of Applicant,درخواست گزار کا نام
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,مینوفیکچرنگ کے لئے وقت شیٹ.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ذیلی کل
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,سٹاک ٹرانزیکشن کے بعد مختلف خصوصیات کو تبدیل نہیں کر سکتے ہیں. ایسا کرنا آپ کو نیا آئٹم بنانا ہوگا.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,سٹاک ٹرانزیکشن کے بعد مختلف خصوصیات کو تبدیل نہیں کر سکتے ہیں. ایسا کرنا آپ کو نیا آئٹم بنانا ہوگا.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA مینڈیٹ
 DocType: Healthcare Practitioner,Charges,چارجز
 DocType: Production Plan,Get Items For Work Order,کام آرڈر کے لئے اشیاء حاصل کریں
 DocType: Salary Detail,Default Amount,پہلے سے طے شدہ رقم
 DocType: Lab Test Template,Descriptive,تشریحی
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,گودام کے نظام میں نہیں ملا
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,اس ماہ کے خلاصے
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,اس ماہ کے خلاصے
 DocType: Quality Inspection Reading,Quality Inspection Reading,معیار معائنہ پڑھنا
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`جھروکے سٹاکس پرانے Than`٪ d دن سے چھوٹا ہونا چاہئے.
 DocType: Tax Rule,Purchase Tax Template,ٹیکس سانچہ خریداری
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,آپ کی کمپنی کے لئے حاصل کرنے کے لئے ایک فروخت کا مقصد مقرر کریں.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,صحت کی خدمات
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,صحت کی خدمات
 ,Project wise Stock Tracking,پروجیکٹ وار اسٹاک ٹریکنگ
 DocType: GST HSN Code,Regional,علاقائی
-DocType: Delivery Note,Transport Mode,ٹرانسپورٹ موڈ
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,لیبارٹری
 DocType: UOM Category,UOM Category,UOM زمرہ
 DocType: Clinical Procedure Item,Actual Qty (at source/target),(ماخذ / ہدف میں) اصل مقدار
@@ -6141,17 +6207,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,ویب سائٹ بنانے میں ناکام
 DocType: Soil Analysis,Mg/K,MG / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM تبادلوں تفصیل
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,رکنیت اسٹاک انٹری نے پہلے ہی تشکیل یا نمونہ مقدار فراہم نہیں کی
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,رکنیت اسٹاک انٹری نے پہلے ہی تشکیل یا نمونہ مقدار فراہم نہیں کی
 DocType: Program,Program Abbreviation,پروگرام کا مخفف
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,پروڈکشن آرڈر شے سانچہ خلاف اٹھایا نہیں کیا جا سکتا
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,چارجز ہر شے کے خلاف خریداری کی رسید میں اپ ڈیٹ کیا جاتا ہے
 DocType: Warranty Claim,Resolved By,کی طرف سے حل
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,شیڈول ڈسچارج
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,چیک اور ڈپازٹس غلط کی منظوری دے دی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,اکاؤنٹ {0}: آپ والدین کے اکاؤنٹ کے طور پر خود کی وضاحت نہیں کر سکتے ہیں
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,اکاؤنٹ {0}: آپ والدین کے اکاؤنٹ کے طور پر خود کی وضاحت نہیں کر سکتے ہیں
 DocType: Purchase Invoice Item,Price List Rate,قیمت کی فہرست شرح
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,کسٹمر کی قیمت درج بنائیں
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,سروس کی روک تھام تاریخ سروس کے اختتام کی تاریخ کے بعد نہیں ہوسکتی ہے
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,سروس کی روک تھام تاریخ سروس کے اختتام کی تاریخ کے بعد نہیں ہوسکتی ہے
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",&quot;اسٹاک میں&quot; یا اس گودام میں دستیاب اسٹاک کی بنیاد پر &quot;نہیں اسٹاک میں&quot; دکھائیں.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),مواد کے بل (BOM)
 DocType: Item,Average time taken by the supplier to deliver,سپلائر کی طرف سے اٹھائے اوسط وقت فراہم کرنے کے لئے
@@ -6163,11 +6229,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,گھنٹے
 DocType: Project,Expected Start Date,متوقع شروع کرنے کی تاریخ
 DocType: Purchase Invoice,04-Correction in Invoice,انوائس میں 04-اصلاح
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,کام آرڈر پہلے ہی BOM کے ساتھ تمام اشیاء کے لئے تیار کیا
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,کام آرڈر پہلے ہی BOM کے ساتھ تمام اشیاء کے لئے تیار کیا
 DocType: Payment Request,Party Details,پارٹی کی تفصیلات
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,مختلف تفصیلات کی رپورٹ
 DocType: Setup Progress Action,Setup Progress Action,سیٹ اپ ترقی ایکشن
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,قیمت کی فہرست خریدنا
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,قیمت کی فہرست خریدنا
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,الزامات اس شے پر لاگو نہیں ہے تو ہم شے کو ہٹا دیں
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,سبسکرائب کریں منسوخ کریں
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,براہ کرم مکمل طور پر بحالی کی حیثیت کا انتخاب کریں یا ختم ہونے کی تاریخ کو ہٹائیں
@@ -6185,7 +6251,7 @@
 DocType: Asset,Disposal Date,ڈسپوزل تاریخ
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ای میلز، دی وقت کمپنی کے تمام فعال ملازمین کو بھیجی جائے گی وہ چھٹی نہیں ہے تو. جوابات کا خلاصہ آدھی رات کو بھیجا جائے گا.
 DocType: Employee Leave Approver,Employee Leave Approver,ملازم کی رخصت کی منظوری دینے والا
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: ایک ترتیب اندراج پہلے ہی اس گودام کے لئے موجود ہے {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: ایک ترتیب اندراج پہلے ہی اس گودام کے لئے موجود ہے {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",کوٹیشن بنا دیا گیا ہے کیونکہ، کے طور پر کھو نہیں بتا سکتے.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP اکاؤنٹ
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,ٹریننگ کی رائے
@@ -6197,7 +6263,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تاریخ کی تاریخ کی طرف سے پہلے نہیں ہو سکتا
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
 DocType: Cash Flow Mapper,Section Footer,سیکشن فوٹر
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,/ ترمیم قیمتیں شامل
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,/ ترمیم قیمتیں شامل
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,ملازمت فروغ فروغ کی تاریخ سے پہلے جمع نہیں کیا جا سکتا
 DocType: Batch,Parent Batch,والدین بیچ
 DocType: Batch,Parent Batch,والدین بیچ
@@ -6208,6 +6274,7 @@
 DocType: Clinical Procedure Template,Sample Collection,نمونہ مجموعہ
 ,Requested Items To Be Ordered,درخواست کی اشیاء حکم دیا جائے گا
 DocType: Price List,Price List Name,قیمت کی فہرست کا نام
+DocType: Delivery Stop,Dispatch Information,ڈسپلے کی معلومات
 DocType: Blanket Order,Manufacturing,مینوفیکچرنگ
 ,Ordered Items To Be Delivered,کو حکم دیا اشیاء فراہم کرنے کے لئے
 DocType: Account,Income,انکم
@@ -6226,17 +6293,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1} میں ضرورت {2} پر {3} {4} کو {5} اس ٹرانزیکشن مکمل کرنے کے یونٹوں.
 DocType: Fee Schedule,Student Category,Student کی قسم
 DocType: Announcement,Student,طالب علم
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,اسٹاک کی مقدار شروع کرنے کے لئے گودام میں دستیاب نہیں ہے. کیا آپ اسٹاک ٹرانسمیشن ریکارڈ کرنا چاہتے ہیں
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,اسٹاک کی مقدار شروع کرنے کے لئے گودام میں دستیاب نہیں ہے. کیا آپ اسٹاک ٹرانسمیشن ریکارڈ کرنا چاہتے ہیں
 DocType: Shipping Rule,Shipping Rule Type,شپنگ کی قسم
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,کمرے میں جاؤ
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory",کمپنی، ادائیگی کا اکاؤنٹ، تاریخ اور تاریخ سے لازمی ہے
 DocType: Company,Budget Detail,بجٹ تفصیل
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,بھیجنے سے پہلے پیغام درج کریں
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,سپلائر کے لئے نقل
-DocType: Email Digest,Pending Quotations,کوٹیشن زیر التوا
-DocType: Delivery Note,Distance (KM),فاصلہ (کلومیٹر)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,سپلائر&gt; سپلائر گروپ
 DocType: Asset,Custodian,نگران
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,پوائنٹ کے فروخت پروفائل
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,پوائنٹ کے فروخت پروفائل
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 اور 100 کے درمیان ایک قدر ہونا چاہئے
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1} سے {1} سے {2} تک ادائیگی
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,امائبھوت قرض
@@ -6268,10 +6334,10 @@
 DocType: Lead,Converted,تبدیل
 DocType: Item,Has Serial No,سیریل نہیں ہے
 DocType: Employee,Date of Issue,تاریخ اجراء
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",خریدنے کی ترتیبات کے مطابق اگر خریداری کی ضرورت ہو تو == &#39;YES&#39;، پھر خریداری انوائس کی تخلیق کے لۓ، صارف کو شے کے لئے سب سے پہلے خریداری رسید بنانے کی ضرورت ہے {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",خریدنے کی ترتیبات کے مطابق اگر خریداری کی ضرورت ہو تو == &#39;YES&#39;، پھر خریداری انوائس کی تخلیق کے لۓ، صارف کو شے کے لئے سب سے پہلے خریداری رسید بنانے کی ضرورت ہے {0}
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},صف # {0}: شے کے لئے مقرر پردایک {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,صف {0}: گھنٹے قدر صفر سے زیادہ ہونا چاہیے.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,ویب سائٹ تصویری {0} آئٹم {1} سے منسلک نہیں مل سکتا
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,ویب سائٹ تصویری {0} آئٹم {1} سے منسلک نہیں مل سکتا
 DocType: Issue,Content Type,مواد کی قسم
 DocType: Asset,Assets,اثاثہ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,کمپیوٹر
@@ -6282,7 +6348,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} کا کوئی وجود نہیں
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,دوسری کرنسی کے ساتھ اکاؤنٹس کی اجازت دینے ملٹی کرنسی آپشن کو چیک کریں براہ مہربانی
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,آئٹم: {0} نظام میں موجود نہیں ہے
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,آپ منجمد قیمت مقرر کرنے کی اجازت نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,آپ منجمد قیمت مقرر کرنے کی اجازت نہیں ہے
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled لکھے حاصل
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},ملازم {0} چھوڑ دو {2}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,جرنل اندراج کیلئے کوئی ادائیگی نہیں کی گئی
@@ -6300,13 +6366,14 @@
 ,Average Commission Rate,اوسط کمیشن کی شرح
 DocType: Share Balance,No of Shares,حصوں میں سے کوئی نہیں
 DocType: Taxable Salary Slab,To Amount,رقم پر
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&#39;ہاں&#39; ہونا غیر اسٹاک شے کے لئے نہیں کر سکتے ہیں &#39;سیریل نہیں ہے&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&#39;ہاں&#39; ہونا غیر اسٹاک شے کے لئے نہیں کر سکتے ہیں &#39;سیریل نہیں ہے&#39;
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,حیثیت کا انتخاب کریں
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,حاضری مستقبل کی تاریخوں کے لئے نشان لگا دیا گیا نہیں کیا جا سکتا
 DocType: Support Search Source,Post Description Key,پوسٹ کی تفصیل پوسٹ
 DocType: Pricing Rule,Pricing Rule Help,قیمتوں کا تعین حکمرانی کی مدد
 DocType: School House,House Name,ایوان نام
 DocType: Fee Schedule,Total Amount per Student,طالب علم فی کل رقم
+DocType: Opportunity,Sales Stage,فروخت کے مرحلے
 DocType: Purchase Taxes and Charges,Account Head,اکاؤنٹ ہیڈ
 DocType: Company,HRA Component,HRA اجزاء
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,الیکٹریکل
@@ -6314,15 +6381,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),کل قیمت فرق (باہر - میں)
 DocType: Grant Application,Requested Amount,درخواست کی رقم
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,صف {0}: زر مبادلہ کی شرح لازمی ہے
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},صارف ID ملازم کے لئے مقرر نہیں {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},صارف ID ملازم کے لئے مقرر نہیں {0}
 DocType: Vehicle,Vehicle Value,وہیکل ویلیو
 DocType: Crop Cycle,Detected Diseases,پتہ چلا بیماری
 DocType: Stock Entry,Default Source Warehouse,پہلے سے طے شدہ ماخذ گودام
 DocType: Item,Customer Code,کسٹمر کوڈ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},کے لئے سالگرہ کی یاد دہانی {0}
 DocType: Asset Maintenance Task,Last Completion Date,آخری تکمیل کی تاریخ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,آخری آرڈر کے بعد دن
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,اکاؤنٹ ڈیبٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,اکاؤنٹ ڈیبٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
 DocType: Asset,Naming Series,نام سیریز
 DocType: Vital Signs,Coated,لیپت
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,قطار {0}: متوقع قدر مفید زندگی کے بعد مجموعی خریداری کی رقم سے کم ہونا ضروری ہے
@@ -6340,15 +6406,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,ترسیل کے نوٹ {0} پیش نہیں کیا جانا چاہئے
 DocType: Notification Control,Sales Invoice Message,فروخت انوائس پیغام
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,اکاؤنٹ {0} بند قسم ذمہ داری / اکوئٹی کا ہونا ضروری ہے
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},ملازم کی تنخواہ کی پرچی {0} کے پاس پہلے وقت شیٹ کے لئے پیدا {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},ملازم کی تنخواہ کی پرچی {0} کے پاس پہلے وقت شیٹ کے لئے پیدا {1}
 DocType: Vehicle Log,Odometer,مسافت پیما
 DocType: Production Plan Item,Ordered Qty,کا حکم دیا مقدار
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,آئٹم {0} غیر فعال ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,آئٹم {0} غیر فعال ہے
 DocType: Stock Settings,Stock Frozen Upto,اسٹاک منجمد تک
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM کسی بھی اسٹاک شے پر مشتمل نہیں ہے
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM کسی بھی اسٹاک شے پر مشتمل نہیں ہے
 DocType: Chapter,Chapter Head,باب سر
 DocType: Payment Term,Month(s) after the end of the invoice month,انوائس مہینے کے اختتام کے بعد مہینے
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,تنخواہ کی ساخت میں لچکدار فائدے کے اجزاء کو فائدہ اٹھانے کی رقم کو تقسیم کرنا ہونا چاہئے
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,تنخواہ کی ساخت میں لچکدار فائدے کے اجزاء کو فائدہ اٹھانے کی رقم کو تقسیم کرنا ہونا چاہئے
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,پروجیکٹ سرگرمی / کام.
 DocType: Vital Signs,Very Coated,بہت لیپت
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),صرف ٹیکس اثر (دعوی نہیں کر سکتے ہیں لیکن ٹیکس قابل آمدنی کا حصہ)
@@ -6366,7 +6432,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,بلنگ کے اوقات
 DocType: Project,Total Sales Amount (via Sales Order),کل سیلز رقم (سیلز آرڈر کے ذریعے)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} نہیں پایا کیلئے ڈیفالٹ BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,صف # {0}: ترتیب مقدار مقرر کریں
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,صف # {0}: ترتیب مقدار مقرر کریں
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,انہیں یہاں شامل کرنے کے لئے اشیاء کو تھپتھپائیں
 DocType: Fees,Program Enrollment,پروگرام کا اندراج
 DocType: Share Transfer,To Folio No,فولیو نمبر پر
@@ -6407,9 +6473,9 @@
 DocType: SG Creation Tool Course,Max Strength,زیادہ سے زیادہ طاقت
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,presets انسٹال
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH -YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},کسٹمر {}} کے لئے کوئی ترسیل نوٹ منتخب نہیں کیا گیا
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},کسٹمر {}} کے لئے کوئی ترسیل نوٹ منتخب نہیں کیا گیا
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,ملازم {0} میں زیادہ سے زیادہ فائدہ نہیں ہے
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,ترسیل کی تاریخ پر مبنی اشیاء منتخب کریں
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,ترسیل کی تاریخ پر مبنی اشیاء منتخب کریں
 DocType: Grant Application,Has any past Grant Record,پچھلے گرانٹ ریکارڈ ہے
 ,Sales Analytics,سیلز تجزیات
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},دستیاب {0}
@@ -6418,12 +6484,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,مینوفیکچرنگ کی ترتیبات
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ای میل کے قیام
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 موبائل نمبر
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,کمپنی ماسٹر میں پہلے سے طے شدہ کرنسی داخل کریں
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,کمپنی ماسٹر میں پہلے سے طے شدہ کرنسی داخل کریں
 DocType: Stock Entry Detail,Stock Entry Detail,اسٹاک انٹری تفصیل
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,ڈیلی یاددہانی
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,ڈیلی یاددہانی
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,تمام کھلی ٹکٹ دیکھیں
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,ہیلتھ کیئر سروس یونٹ درخت
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,مصنوعات
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,مصنوعات
 DocType: Products Settings,Home Page is Products,ہوم پیج مصنوعات ہے
 ,Asset Depreciation Ledger,اثاثہ ہراس لیجر
 DocType: Salary Structure,Leave Encashment Amount Per Day,فی دن شناختی رقم چھوڑ دو
@@ -6433,8 +6499,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,خام مال فراہم لاگت
 DocType: Selling Settings,Settings for Selling Module,ماڈیول فروخت کے لئے ترتیبات
 DocType: Hotel Room Reservation,Hotel Room Reservation,ہوٹل کمرہ ریزرویشن
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,کسٹمر سروس
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,کسٹمر سروس
 DocType: BOM,Thumbnail,تھمب نیل
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,ای میل کی شناخت کے ساتھ کوئی رابطہ نہیں ملا.
 DocType: Item Customer Detail,Item Customer Detail,آئٹم کسٹمر تفصیل سے
 DocType: Notification Control,Prompt for Email on Submission of,جمع کرانے کے ای میل کے لئے فوری طور پر
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},ملازم {0} زیادہ سے زیادہ فائدہ رقم {1} سے زائد ہے
@@ -6443,13 +6510,14 @@
 DocType: Pricing Rule,Percentage,پرسنٹیج
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,آئٹم {0} اسٹاک آئٹم ہونا ضروری ہے
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,پیش رفت گودام میں پہلے سے طے شدہ کام
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,اکاؤنٹنگ لین دین کے لئے پہلے سے طے شدہ ترتیبات.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,اکاؤنٹنگ لین دین کے لئے پہلے سے طے شدہ ترتیبات.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,گرانٹ پتے
 DocType: Restaurant,Default Tax Template,ڈیفالٹ ٹیکس سانچہ
 DocType: Fees,Student Details,طالب علم کی تفصیلات
 DocType: Purchase Invoice Item,Stock Qty,اسٹاک قی
 DocType: Purchase Invoice Item,Stock Qty,اسٹاک قی
 DocType: Contract,Requires Fulfilment,مکمل ضرورت ہے
+DocType: QuickBooks Migrator,Default Shipping Account,پہلے سے طے شدہ شپنگ اکاؤنٹ
 DocType: Loan,Repayment Period in Months,مہینے میں واپسی کی مدت
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,خرابی: ایک درست شناختی نمبر؟
 DocType: Naming Series,Update Series Number,اپ ڈیٹ سلسلہ نمبر
@@ -6463,11 +6531,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,زیادہ سے زیادہ رقم
 DocType: Journal Entry,Total Amount Currency,کل رقم ست
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,تلاش ذیلی اسمبلی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},آئٹم کوڈ صف کوئی ضرورت {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},آئٹم کوڈ صف کوئی ضرورت {0}
 DocType: GST Account,SGST Account,ایس جی ایس ایس اکاؤنٹ
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,اشیاء پر جائیں
 DocType: Sales Partner,Partner Type,پارٹنر کی قسم
-DocType: Purchase Taxes and Charges,Actual,اصل
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,اصل
 DocType: Restaurant Menu,Restaurant Manager,ریسٹورانٹ مینیجر
 DocType: Authorization Rule,Customerwise Discount,Customerwise ڈسکاؤنٹ
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,کاموں کے لئے Timesheet.
@@ -6488,7 +6556,7 @@
 DocType: Employee,Cheque,چیک
 DocType: Training Event,Employee Emails,ملازم ای میل
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,سیریز کو اپ ڈیٹ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,رپورٹ کی قسم لازمی ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,رپورٹ کی قسم لازمی ہے
 DocType: Item,Serial Number Series,سیریل نمبر سیریز
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},گودام قطار میں اسٹاک آئٹم {0} کے لئے لازمی ہے {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,خوردہ اور تھوک فروشی
@@ -6519,7 +6587,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,سیلز آرڈر میں بل شدہ رقم اپ ڈیٹ کریں
 DocType: BOM,Materials,مواد
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",نہیں کی جانچ پڑتال تو، فہرست یہ لاگو کیا جا کرنے کے لئے ہے جہاں ہر سیکشن میں شامل کرنا پڑے گا.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,تاریخ پوسٹنگ اور وقت پوسٹنگ لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,تاریخ پوسٹنگ اور وقت پوسٹنگ لازمی ہے
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,لین دین کی خریداری کے لئے ٹیکس سانچے.
 ,Item Prices,آئٹم کی قیمتوں میں اضافہ
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,آپ کی خریداری آرڈر کو بچانے کے ایک بار الفاظ میں نظر آئے گا.
@@ -6535,11 +6603,11 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),اثاثہ قیمتوں کا تعین داخلہ (جرنل انٹری) کے لئے سیریز
 DocType: Membership,Member Since,چونکہ اراکین
 DocType: Purchase Invoice,Advance Payments,ایڈوانس ادائیگی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,براہ کرم ہیلتھ کیئر سروس منتخب کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,براہ کرم ہیلتھ کیئر سروس منتخب کریں
 DocType: Purchase Taxes and Charges,On Net Total,نیٹ کل پر
 DocType: Restaurant Reservation,Waitlisted,انتظار کیا
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,چھوٹ کی قسم
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,کرنسی کسی دوسرے کرنسی استعمال اندراجات کرنے کے بعد تبدیل کر دیا گیا نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,کرنسی کسی دوسرے کرنسی استعمال اندراجات کرنے کے بعد تبدیل کر دیا گیا نہیں کیا جا سکتا
 DocType: Shipping Rule,Fixed,فکسڈ
 DocType: Vehicle Service,Clutch Plate,کلچ پلیٹ
 DocType: Company,Round Off Account,اکاؤنٹ گول
@@ -6548,7 +6616,7 @@
 DocType: Subscription Plan,Based on price list,قیمت کی فہرست کے مطابق
 DocType: Customer Group,Parent Customer Group,والدین گاہک گروپ
 DocType: Vehicle Service,Change,پیج
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,سبسکرائب کریں
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,سبسکرائب کریں
 DocType: Purchase Invoice,Contact Email,رابطہ ای میل
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,فیس تخلیق کی منتقلی
 DocType: Appraisal Goal,Score Earned,سکور حاصل کی
@@ -6576,23 +6644,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,وصولی / قابل ادائیگی اکاؤنٹ
 DocType: Delivery Note Item,Against Sales Order Item,سیلز آرڈر آئٹم خلاف
 DocType: Company,Company Logo,کمپنی کی علامت
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},وصف کے لئے قدر وصف کی وضاحت کریں {0}
-DocType: Item Default,Default Warehouse,پہلے سے طے شدہ گودام
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},وصف کے لئے قدر وصف کی وضاحت کریں {0}
+DocType: QuickBooks Migrator,Default Warehouse,پہلے سے طے شدہ گودام
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},بجٹ گروپ کے اکاؤنٹ کے خلاف مقرر نہیں کیا جا سکتا {0}
 DocType: Shopping Cart Settings,Show Price,قیمت دکھائیں
 DocType: Healthcare Settings,Patient Registration,مریض کا رجسٹریشن
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,والدین لاگت مرکز درج کریں
 DocType: Delivery Note,Print Without Amount,رقم کے بغیر پرنٹ
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,ہراس تاریخ
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,ہراس تاریخ
 ,Work Orders in Progress,پیشرفت میں کام کے حکم
 DocType: Issue,Support Team,سپورٹ ٹیم
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),ختم ہونے کی (دن میں)
 DocType: Appraisal,Total Score (Out of 5),(5 میں سے) کل اسکور
 DocType: Student Attendance Tool,Batch,بیچ
 DocType: Support Search Source,Query Route String,سوال روٹری سٹرنگ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,آخری خریداری کے مطابق اپ ڈیٹ کی شرح
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,آخری خریداری کے مطابق اپ ڈیٹ کی شرح
 DocType: Donor,Donor Type,ڈونر کی قسم
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,خود بخود دستاویز کو اپ ڈیٹ کیا
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,خود بخود دستاویز کو اپ ڈیٹ کیا
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,بیلنس
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,براہ مہربانی کمپنی کا انتخاب کریں
 DocType: Job Card,Job Card,نوکری کارڈ
@@ -6606,7 +6674,7 @@
 DocType: Assessment Result,Total Score,مجموعی سکور
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 معیاری
 DocType: Journal Entry,Debit Note,ڈیبٹ نوٹ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,آپ اس حکم میں زیادہ سے زیادہ {0} پوائنٹس کو صرف ریڈیم کرسکتے ہیں.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,آپ اس حکم میں زیادہ سے زیادہ {0} پوائنٹس کو صرف ریڈیم کرسکتے ہیں.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP -YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,برائے مہربانی API کنسرٹر خفیہ درج کریں
 DocType: Stock Entry,As per Stock UOM,اسٹاک UOM کے مطابق
@@ -6620,10 +6688,11 @@
 DocType: Journal Entry,Total Debit,کل ڈیبٹ
 DocType: Travel Request Costing,Sponsored Amount,سپانسر کردہ رقم
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,پہلے سے طے شدہ تیار مال گودام
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,براہ کرم مریض کو منتخب کریں
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,براہ کرم مریض کو منتخب کریں
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,فروخت شخص
 DocType: Hotel Room Package,Amenities,سہولیات
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,بجٹ اور لاگت سینٹر
+DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited فنڈز اکاؤنٹ
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,بجٹ اور لاگت سینٹر
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,ادائیگی کے ایک سے زیادہ ڈیفالٹ موڈ کی اجازت نہیں ہے
 DocType: Sales Invoice,Loyalty Points Redemption,وفاداری پوائنٹس کو چھٹکارا
 ,Appointment Analytics,تقرری تجزیات
@@ -6637,6 +6706,7 @@
 DocType: Batch,Manufacturing Date,مینوفیکچرنگ کی تاریخ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,فیس تخلیق ناکام ہوگئی
 DocType: Opening Invoice Creation Tool,Create Missing Party,لاپتہ پارٹی بنائیں
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,کل بجٹ
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,آپ ہر سال طلباء گروپوں بنا دیں تو خالی چھوڑ دیں
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,آپ ہر سال طلباء گروپوں بنا دیں تو خالی چھوڑ دیں
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",جانچ پڑتال تو، کل کوئی. کام کے دنوں کے چھٹیوں کے شامل ہوں گے، اور اس تنخواہ فی دن کی قیمت کم ہو جائے گا
@@ -6654,20 +6724,19 @@
 DocType: Opportunity Item,Basic Rate,بنیادی شرح
 DocType: GL Entry,Credit Amount,کریڈٹ کی رقم
 DocType: Cheque Print Template,Signatory Position,دستخط پوزیشن
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,رکن کی نمائندہ تصویر کے طور پر مقرر
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,رکن کی نمائندہ تصویر کے طور پر مقرر
 DocType: Timesheet,Total Billable Hours,کل بل قابل گھنٹے
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,اس رکنیت کی طرف سے پیدا ہونے والے انوائسوں کو سبسکرائب کرنے والے دن کی تعداد
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ملازم فوائد درخواست کی تفصیل
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ادائیگی کی رسید نوٹ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,یہ کسٹمر کے خلاف لین دین کی بنیاد پر ہے. تفصیلات کے لئے نیچے ٹائم لائن ملاحظہ کریں
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},قطار {0}: اختصاص کردہ رقم {1} ادائیگی کی ادائیگی کی رقم {2} سے کم یا مساوی ہونا ضروری ہے
 DocType: Program Enrollment Tool,New Academic Term,نیا تعلیمی اصطلاح
 ,Course wise Assessment Report,کورس وار جائزہ رپورٹ
 DocType: Purchase Invoice,Availed ITC State/UT Tax,آئی ٹی سی اسٹیٹ / یو این ٹیک ٹیکس حاصل
 DocType: Tax Rule,Tax Rule,ٹیکس اصول
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,سیلز سائیکل بھر میں ایک ہی شرح کو برقرار رکھنے
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,مارکیٹ میں رجسٹر کرنے کیلئے کسی اور صارف کے طور پر لاگ ان کریں
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,مارکیٹ میں رجسٹر کرنے کیلئے کسی اور صارف کے طور پر لاگ ان کریں
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,کارگاہ کام کے گھنٹے باہر وقت نوشتہ کی منصوبہ بندی.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,قطار میں صارفین
 DocType: Driver,Issuing Date,جاری تاریخ
@@ -6676,11 +6745,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,مزید پروسیسنگ کے لئے یہ کام آرڈر جمع کریں.
 ,Items To Be Requested,اشیا درخواست کی جائے
 DocType: Company,Company Info,کمپنی کی معلومات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,منتخب یا نئے گاہک شامل
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,منتخب یا نئے گاہک شامل
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,لاگت مرکز ایک اخراجات کے دعوی کی بکنگ کے لئے کی ضرورت ہے
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),فنڈز (اثاثے) کی درخواست
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,یہ اس ملازم کی حاضری پر مبنی ہے
-DocType: Assessment Result,Summary,خلاصہ
 DocType: Payment Request,Payment Request Type,ادائیگی کی درخواست کی قسم
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,حاضری مارک کریں
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,ڈیبٹ اکاؤنٹ
@@ -6688,7 +6756,7 @@
 DocType: Additional Salary,Employee Name,ملازم کا نام
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,ریسٹورنٹ آرڈر انٹری آئٹم
 DocType: Purchase Invoice,Rounded Total (Company Currency),مدور کل (کمپنی کرنسی)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,اکاؤنٹ کی قسم منتخب کیا جاتا ہے کی وجہ سے گروپ کو خفیہ نہیں کر سکتے ہیں.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,اکاؤنٹ کی قسم منتخب کیا جاتا ہے کی وجہ سے گروپ کو خفیہ نہیں کر سکتے ہیں.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} نظر ثانی کی گئی ہے. ریفریش کریں.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,مندرجہ ذیل دنوں میں رخصت کی درخواستیں کرنے سے صارفین کو روکنے کے.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",اگر وفادار پوائنٹس کے لئے لامحدود اختتام پذیر ہو تو، اختتامی مدت خالی یا 0 دور رکھیں.
@@ -6707,11 +6775,12 @@
 DocType: Asset,Out of Order,حکم سے باہر
 DocType: Purchase Receipt Item,Accepted Quantity,منظور مقدار
 DocType: Projects Settings,Ignore Workstation Time Overlap,ورکاسٹیشن ٹائم اوورلوپ کو نظر انداز کریں
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},براہ کرم ملازمت {0} یا کمپنی {1} کیلئے پہلے سے طے شدہ چھٹی کی فہرست مقرر کریں.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},براہ کرم ملازمت {0} یا کمپنی {1} کیلئے پہلے سے طے شدہ چھٹی کی فہرست مقرر کریں.
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} نہیں موجود
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,منتخب بیچ نمبر
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTIN کرنے کے لئے
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTIN کرنے کے لئے
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,گاہکوں کو اٹھایا بل.
+DocType: Healthcare Settings,Invoice Appointments Automatically,خود بخود انوائس کی تقرری
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,پروجیکٹ کی شناخت
 DocType: Salary Component,Variable Based On Taxable Salary,ٹیکس قابل تنخواہ پر مبنی متغیر
 DocType: Company,Basic Component,بنیادی اجزاء
@@ -6724,10 +6793,10 @@
 DocType: Stock Entry,Source Warehouse Address,ماخذ گودام ایڈریس
 DocType: GL Entry,Voucher Type,واؤچر کی قسم
 DocType: Amazon MWS Settings,Max Retry Limit,زیادہ سے زیادہ دوبارہ کوشش کریں
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں
 DocType: Student Applicant,Approved,منظور
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,قیمت
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} مقرر کیا جانا چاہئے پر فارغ ملازم &#39;بائیں&#39; کے طور پر
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} مقرر کیا جانا چاہئے پر فارغ ملازم &#39;بائیں&#39; کے طور پر
 DocType: Marketplace Settings,Last Sync On,آخری مطابقت پذیری
 DocType: Guardian,Guardian,گارڈین
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,اس سمیت اور اس سے اوپر تمام مواصلات کو نئے مسئلہ میں منتقل کیا جائے گا
@@ -6750,14 +6819,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,میدان پر موجود بیماریوں کی فہرست. جب منتخب ہوجائے تو یہ خود بخود کاموں کی فہرست میں اضافہ کرے گی تاکہ بیماری سے نمٹنے کے لئے
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,یہ جڑ صحت کی دیکھ بھال سروس یونٹ ہے اور اس میں ترمیم نہیں کیا جاسکتا ہے.
 DocType: Asset Repair,Repair Status,مرمت کی حیثیت
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,سیلز شراکت دار شامل کریں
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,اکاؤنٹنگ جرنل اندراج.
 DocType: Travel Request,Travel Request,سفر کی درخواست
 DocType: Delivery Note Item,Available Qty at From Warehouse,گودام سے پر دستیاب مقدار
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,پہلی ملازم ریکارڈ منتخب کریں.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,حاضری {0} کے لئے پیش نہیں کی گئی کیونکہ یہ ایک چھٹی ہے.
 DocType: POS Profile,Account for Change Amount,رقم تبدیلی کے لئے اکاؤنٹ
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks سے منسلک
 DocType: Exchange Rate Revaluation,Total Gain/Loss,کل حاصل / نقصان
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,انٹر کمپنی انوائس کے لئے غلط کمپنی.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,انٹر کمپنی انوائس کے لئے غلط کمپنی.
 DocType: Purchase Invoice,input service,ان پٹ سروس
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},صف {0}: پارٹی / اکاؤنٹ کے ساتھ میل نہیں کھاتا {1} / {2} میں {3} {4}
 DocType: Employee Promotion,Employee Promotion,ملازم فروغ
@@ -6766,12 +6837,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,کورس کا کوڈ:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,ایکسپینس اکاؤنٹ درج کریں
 DocType: Account,Stock,اسٹاک
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم خریداری کے آرڈر میں سے ایک، انوائس خریداری یا جرنل اندراج ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم خریداری کے آرڈر میں سے ایک، انوائس خریداری یا جرنل اندراج ہونا ضروری ہے
 DocType: Employee,Current Address,موجودہ پتہ
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",واضح طور پر مخصوص جب تک شے تو وضاحت، تصویر، قیمتوں کا تعین، ٹیکس سانچے سے مقرر کیا جائے گا وغیرہ کسی اور شے کی ایک مختلف ہے تو
 DocType: Serial No,Purchase / Manufacture Details,خریداری / تیاری تفصیلات
 DocType: Assessment Group,Assessment Group,تجزیہ گروپ
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,بیچ انوینٹری
+DocType: Supplier,GST Transporter ID,GST ٹرانسپورٹر ID
 DocType: Procedure Prescription,Procedure Name,طریقہ کار کا نام
 DocType: Employee,Contract End Date,معاہدہ اختتام تاریخ
 DocType: Amazon MWS Settings,Seller ID,بیچنے والے کی شناخت
@@ -6791,12 +6863,12 @@
 DocType: Company,Date of Incorporation,ادارے کی تاریخ
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,کل ٹیکس
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,آخری خریداری کی قیمت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,مقدار کے لئے (مقدار تیار) لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,مقدار کے لئے (مقدار تیار) لازمی ہے
 DocType: Stock Entry,Default Target Warehouse,پہلے سے طے شدہ ہدف گودام
 DocType: Purchase Invoice,Net Total (Company Currency),نیٹ کل (کمپنی کرنسی)
 DocType: Delivery Note,Air,ایئر
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,سال کے آخر تاریخ کا سال شروع کرنے کی تاریخ سے پہلے نہیں ہو سکتا. تاریخوں درست کریں اور دوبارہ کوشش کریں براہ مہربانی.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} اختیاری چھٹیوں کی فہرست میں نہیں ہے
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} اختیاری چھٹیوں کی فہرست میں نہیں ہے
 DocType: Notification Control,Purchase Receipt Message,خریداری کی رسید پیغام
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,سکریپ اشیا
@@ -6818,23 +6890,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,مکمل
 DocType: Purchase Taxes and Charges,On Previous Row Amount,پچھلے صف کی رقم پر
 DocType: Item,Has Expiry Date,ختم ہونے کی تاریخ ہے
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,منتقلی ایسیٹ
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,منتقلی ایسیٹ
 DocType: POS Profile,POS Profile,پی او ایس پروفائل
 DocType: Training Event,Event Name,واقعہ کا نام
 DocType: Healthcare Practitioner,Phone (Office),فون (آفس)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance",جمع نہیں کر سکتے، ملازمتوں کو حاضری کو نشان زد کرنے کے لئے چھوڑ دیا
 DocType: Inpatient Record,Admission,داخلہ
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},{0} کے لئے داخلہ
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",ترتیب بجٹ، اہداف وغیرہ کے لئے seasonality کے
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",ترتیب بجٹ، اہداف وغیرہ کے لئے seasonality کے
 DocType: Supplier Scorecard Scoring Variable,Variable Name,متغیر نام
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",{0} آئٹم ایک ٹیمپلیٹ ہے، اس کی مختلف حالتوں میں سے ایک کو منتخب کریں
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,براہ کرم انسانی وسائل&gt; HR ترتیبات میں ملازم نامی کا نظام قائم کریں
+DocType: Purchase Invoice Item,Deferred Expense,معاوضہ خرچ
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},تاریخ {0} سے ملازم کی شمولیت کی تاریخ سے پہلے نہیں ہوسکتا ہے {1}
 DocType: Asset,Asset Category,ایسیٹ زمرہ
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,نیٹ تنخواہ منفی نہیں ہو سکتا
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,نیٹ تنخواہ منفی نہیں ہو سکتا
 DocType: Purchase Order,Advance Paid,ایڈوانس ادا
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,سیلز آرڈر کے لئے اضافی پیداوار کا فی صد
 DocType: Item,Item Tax,آئٹم ٹیکس
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,سپلائر مواد
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,سپلائر مواد
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,مواد کی درخواست کی منصوبہ بندی
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,ایکسائز انوائس
@@ -6856,11 +6930,11 @@
 DocType: Scheduling Tool,Scheduling Tool,شیڈولنگ کا آلہ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,کریڈٹ کارڈ
 DocType: BOM,Item to be manufactured or repacked,آئٹم تیار یا repacked جائے کرنے کے لئے
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},حالت میں مطابقت پذیری غلطی: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},حالت میں مطابقت پذیری غلطی: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY.-
 DocType: Employee Education,Major/Optional Subjects,میجر / اختیاری مضامین
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,براہ کرم خریداروں کی خریداری کی ترتیبات میں سیٹ کریں.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,براہ کرم خریداروں کی خریداری کی ترتیبات میں سیٹ کریں.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",کل لچکدار فائدہ جزو رقم {0} زیادہ سے زیادہ فوائد سے کم نہیں ہونا چاہئے {1}
 DocType: Sales Invoice Item,Drop Ship,ڈراپ جہاز
 DocType: Driver,Suspended,معطل
@@ -6880,7 +6954,7 @@
 DocType: Customer,Commission Rate,کمیشن کی شرح
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,کامیابی سے ادائیگی کی اندراجات پیدا
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,{1} کے لئے {1} اسکورकार्डز کے درمیان بنائیں:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,مختلف بنائیں
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,مختلف بنائیں
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",ادائیگی کی قسم، وصول میں سے ایک ہو تنخواہ اور اندرونی منتقلی ضروری ہے
 DocType: Travel Itinerary,Preferred Area for Lodging,چوک کے لئے پسندیدہ ایریا
 apps/erpnext/erpnext/config/selling.py +184,Analytics,تجزیات
@@ -6891,7 +6965,7 @@
 DocType: Work Order,Actual Operating Cost,اصل آپریٹنگ لاگت
 DocType: Payment Entry,Cheque/Reference No,چیک / حوالہ نمبر
 DocType: Soil Texture,Clay Loam,مٹی لوام
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,روٹ ترمیم نہیں کیا جا سکتا.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,روٹ ترمیم نہیں کیا جا سکتا.
 DocType: Item,Units of Measure,پیمائش کی اکائیوں
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,میٹرو شہر میں کرایہ پر
 DocType: Supplier,Default Tax Withholding Config,پہلے سے طے شدہ ٹیکس کو برقرار رکھنے کی ترتیب
@@ -6909,21 +6983,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ادائیگی مکمل ہونے کے بعد منتخب صفحے پر صارف ری.
 DocType: Company,Existing Company,موجودہ کمپنی
 DocType: Healthcare Settings,Result Emailed,نتیجہ ای میل
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ٹیکس زمرہ &quot;کل&quot; سے تبدیل کردیا گیا ہے تمام اشیا غیر اسٹاک اشیاء ہیں کیونکہ
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ٹیکس زمرہ &quot;کل&quot; سے تبدیل کردیا گیا ہے تمام اشیا غیر اسٹاک اشیاء ہیں کیونکہ
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,تاریخ کی تاریخ سے برابر یا کم نہیں ہوسکتی ہے
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,تبدیل کرنے کے لئے کچھ نہیں
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ایک CSV فائل منتخب کریں
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,ایک CSV فائل منتخب کریں
 DocType: Holiday List,Total Holidays,کل چھٹیاں
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,ڈسپلے کے لئے لاپتہ ای میل سانچے. براہ کرم ترسیل کی ترتیبات میں سے ایک مقرر کریں.
 DocType: Student Leave Application,Mark as Present,تحفے کے طور پر نشان زد کریں
 DocType: Supplier Scorecard,Indicator Color,اشارے رنگ
 DocType: Purchase Order,To Receive and Bill,وصول کرنے اور بل میں
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,قطار # {0}: ٹرانزیکشن کی تاریخ سے قبل تاریخ کی طرف سے ریقڈ نہیں ہوسکتی
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,قطار # {0}: ٹرانزیکشن کی تاریخ سے قبل تاریخ کی طرف سے ریقڈ نہیں ہوسکتی
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,نمایاں مصنوعات
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,سیریل نمبر منتخب کریں
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,سیریل نمبر منتخب کریں
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,ڈیزائنر
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,شرائط و ضوابط سانچہ
 DocType: Serial No,Delivery Details,ڈلیوری تفصیلات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},قسم کے لئے سرمایہ کاری مرکز کے صف میں کی ضرورت ہے {0} ٹیکس میں میز {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},قسم کے لئے سرمایہ کاری مرکز کے صف میں کی ضرورت ہے {0} ٹیکس میں میز {1}
 DocType: Program,Program Code,پروگرام کا کوڈ
 DocType: Terms and Conditions,Terms and Conditions Help,شرائط و ضوابط مدد
 ,Item-wise Purchase Register,آئٹم وار خریداری رجسٹر
@@ -6936,15 +7011,16 @@
 DocType: Contract,Contract Terms,معاہدہ شرائط
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,کرنسیاں وغیرہ $ طرح کسی بھی علامت اگلے ظاہر نہیں کیا.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},اجزاء {0} کی زیادہ سے زیادہ فائدہ رقم {1} سے زیادہ ہے
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),آدھا دن
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),آدھا دن
 DocType: Payment Term,Credit Days,کریڈٹ دنوں
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,لیب ٹیسٹ حاصل کرنے کے لئے مریض کا انتخاب کریں
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Student کی بیچ بنائیں
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,مینوفیکچرنگ کے لئے منتقلی کی اجازت دیں
 DocType: Leave Type,Is Carry Forward,فارورڈ لے
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM سے اشیاء حاصل
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM سے اشیاء حاصل
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,وقت دن کی قیادت
 DocType: Cash Flow Mapping,Is Income Tax Expense,آمدنی ٹیک خرچ ہے
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,آپ کا حکم ترسیل کے لئے ہے!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},صف # {0}: تاریخ پوسٹنگ خریداری کی تاریخ کے طور پر ایک ہی ہونا چاہیے {1} اثاثہ کی {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,طالب علم انسٹی ٹیوٹ کے ہاسٹل میں رہائش پذیر ہے تو اس کو چیک کریں.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,مندرجہ بالا جدول میں سیلز آرڈر درج کریں
@@ -6952,10 +7028,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,دوسرے ایک گودام سے ایک اثاثہ کی منتقلی
 DocType: Vehicle,Petrol,پیٹرول
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),باقی فوائد (سالانہ)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,سامان کا بل
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,سامان کا بل
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},صف {0}: پارٹی قسم اور پارٹی وصولی / قابل ادائیگی اکاؤنٹ کے لئے ضروری ہے {1}
 DocType: Employee,Leave Policy,پالیسی چھوڑ دو
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,اشیاء کو اپ ڈیٹ کریں
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,اشیاء کو اپ ڈیٹ کریں
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,ممبران تاریخ
 DocType: Employee,Reason for Leaving,جانے کی وجہ
 DocType: BOM Operation,Operating Cost(Company Currency),آپریٹنگ لاگت (کمپنی کرنسی)
@@ -6966,7 +7042,7 @@
 DocType: Department,Expense Approvers,اخراجات متنازعہ
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},صف {0}: ڈیبٹ اندراج کے ساتھ منسلک نہیں کیا جا سکتا ہے {1}
 DocType: Journal Entry,Subscription Section,سبسکرائب سیکشن
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,اکاؤنٹ {0} موجود نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,اکاؤنٹ {0} موجود نہیں ہے
 DocType: Training Event,Training Program,تربیتی پروگرام
 DocType: Account,Cash,کیش
 DocType: Employee,Short biography for website and other publications.,ویب سائٹ اور دیگر مطبوعات کے لئے مختصر سوانح عمری.
diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv
index 711a59a..adef3d4 100644
--- a/erpnext/translations/uz.csv
+++ b/erpnext/translations/uz.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Xaridor elementlari
 DocType: Project,Costing and Billing,Xarajatlar va billing
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Advance hisobvarag&#39;ining valyutasi kompaniyaning valyutasi {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Hisob {0}: Ota-hisob {1} hisob kitobi bo&#39;lishi mumkin emas
+DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Hisob {0}: Ota-hisob {1} hisob kitobi bo&#39;lishi mumkin emas
 DocType: Item,Publish Item to hub.erpnext.com,Ob&#39;ektni hub.erpnext.com ga joylashtiring
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Faol chiqish davri topilmadi
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Faol chiqish davri topilmadi
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Baholash
 DocType: Item,Default Unit of Measure,Standart o&#39;lchov birligi
 DocType: SMS Center,All Sales Partner Contact,Barcha Sotuvdagi hamkori bilan aloqa
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Qo&#39;shish uchun Enter ni bosing
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Parol, API kaliti yoki URL manzilini sotish uchun nuqsonli qiymat"
 DocType: Employee,Rented,Ijaraga olingan
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Barcha Hisoblar
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Barcha Hisoblar
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Xodimga statusni chapga bera olmaysiz
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","To&#39;xtatilgan ishlab chiqarish tartibi bekor qilinishi mumkin emas, bekor qilish uchun avval uni to&#39;xtatib turish"
 DocType: Vehicle Service,Mileage,Yugurish
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Haqiqatan ham ushbu obyektni yo&#39;qotmoqchimisiz?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Haqiqatan ham ushbu obyektni yo&#39;qotmoqchimisiz?
 DocType: Drug Prescription,Update Schedule,Jadvalni yangilash
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Standart etkazib beruvchini tanlang
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Xodim ko&#39;rsatish
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Yangi almashinuv kursi
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Narxlar ro&#39;yxati uchun valyuta talab qilinadi {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Narxlar ro&#39;yxati uchun valyuta talab qilinadi {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Jurnalda hisoblab chiqiladi.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Mijozlar bilan aloqa
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Bu Ta&#39;minotchi bilan tuzilgan bitimlarga asoslanadi. Tafsilotlar uchun quyidagi jadvalga qarang
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Buyurtma uchun ortiqcha ishlab chiqarish foizi
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Huquqiy
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Huquqiy
+DocType: Delivery Note,Transport Receipt Date,Yuk qabul qilish sanasi
 DocType: Shopify Settings,Sales Order Series,Savdo Buyurtma Seriyasi
 DocType: Vital Signs,Tongue,Til
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA ozod
 DocType: Sales Invoice,Customer Name,Xaridor nomi
 DocType: Vehicle,Natural Gas,Tabiiy gaz
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Bank hisobi {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Bank hisobi {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,Ish haqi tuzilmasi bo&#39;yicha HRA
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Buxgalteriya yozuvlari yozilgan va muvozanatlar saqlanib turadigan rahbarlar (yoki guruhlar).
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),{0} uchun ustunlik noldan kam bo&#39;lishi mumkin emas ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Sizga xizmat ko&#39;rsatuvchi Tugatish sanasi Xizmat Boshlanish sanasi oldin bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Sizga xizmat ko&#39;rsatuvchi Tugatish sanasi Xizmat Boshlanish sanasi oldin bo&#39;lishi mumkin emas
 DocType: Manufacturing Settings,Default 10 mins,Standart 10 daqiqa
 DocType: Leave Type,Leave Type Name,Tovar nomi qoldiring
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Ko&#39;rish ochiq
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Ko&#39;rish ochiq
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Series muvaffaqiyatli yangilandi
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Tekshirib ko&#39;rmoq
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} qatorda {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} qatorda {0}
 DocType: Asset Finance Book,Depreciation Start Date,Amortizatsiya boshlanishi sanasi
 DocType: Pricing Rule,Apply On,Ilova
 DocType: Item Price,Multiple Item prices.,Bir nechta mahsulot narxi.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Yordam sozlamalari
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Kutilayotgan yakunlangan sana kutilgan boshlanish sanasidan kam bo&#39;lishi mumkin emas
 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS sozlamalari
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Baho {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Baho {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Partiya mahsulotining amal qilish muddati
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Bank loyihasi
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Birlamchi aloqa ma&#39;lumotlari
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Muammolarni ochish
 DocType: Production Plan Item,Production Plan Item,Ishlab chiqarish rejasi elementi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},{0} {0} {{{}} foydalanuvchisi allaqachon tayinlangan
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},{0} {0} {{{}} foydalanuvchisi allaqachon tayinlangan
 DocType: Lab Test Groups,Add new line,Yangi qator qo&#39;shing
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Sog&#39;liqni saqlash
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),To&#39;lovni kechiktirish (kunlar)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Laboratoriya retsepti
 ,Delay Days,Kechikish kunlari
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Xizmat ketadi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriya raqami: {0} savdo faturasında zikr qilingan: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriya raqami: {0} savdo faturasında zikr qilingan: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Billing
 DocType: Purchase Invoice Item,Item Weight Details,Og&#39;irligi haqida ma&#39;lumot
 DocType: Asset Maintenance Log,Periodicity,Muntazamlik
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Moliyaviy yil {0} talab qilinadi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Yetkazib beruvchi&gt; Yetkazib beruvchi guruhi
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Eng yaxshi o&#39;sish uchun o&#39;simliklar qatorlari orasidagi minimal masofa
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Mudofaa
 DocType: Salary Component,Abbr,Abbr
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Dam olish ro&#39;yxati
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Hisobchi
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Sotuvlar narxlari
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Sotuvlar narxlari
 DocType: Patient,Tobacco Current Use,Tamaki foydalanish
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Sotish darajasi
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Sotish darajasi
 DocType: Cost Center,Stock User,Tayyor foydalanuvchi
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Bog&#39;lanish uchun ma&#39;lumot
 DocType: Company,Phone No,Telefon raqami
 DocType: Delivery Trip,Initial Email Notification Sent,Dastlabki elektron pochta xabari yuborildi
 DocType: Bank Statement Settings,Statement Header Mapping,Statistikani sarlavhasini xaritalash
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Obunani boshlash sanasi
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Bemorni Uchrashuv uchun sarflanadigan xarajatlar belgilanmagan taqdirda ishlatilishi mumkin bo&#39;lgan hisob-kitoblar.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Ikki ustunli .csv faylini qo&#39;shing, ulardan bittasi eski nom uchun, ikkinchisi esa yangi nom uchun"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Unvon: 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Mahsulot kodi&gt; Mahsulot guruhi&gt; Tovar
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Unvon: 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} har qanday faol Moliya yilida emas.
 DocType: Packed Item,Parent Detail docname,Ota-ona batafsil docname
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Malumot: {0}, mahsulot kodi: {1} va mijoz: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} kompaniyada mavjud emas
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} kompaniyada mavjud emas
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Sinov muddati tugash sanasi Sinov davri boshlanish sanasidan oldin bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Soliq to&#39;lash tartibi
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Reklama
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Xuddi shu kompaniya bir necha marta kiritilgan
 DocType: Patient,Married,Turmushga chiqdi
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} uchun ruxsat berilmagan
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} uchun ruxsat berilmagan
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Elementlarni oling
 DocType: Price List,Price Not UOM Dependant,Narx UOMga qaram emas
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Soliqni ushlab turish summasini qo&#39;llash
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Stokni etkazib berishga qarshi yangilanib bo&#39;lmaydi. {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Jami kredit miqdori
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Stokni etkazib berishga qarshi yangilanib bo&#39;lmaydi. {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Jami kredit miqdori
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Mahsulot {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Ro&#39;yxatda hech narsa yo&#39;q
 DocType: Asset Repair,Error Description,Xato tavsifi
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Maxsus pul oqimi formatini ishlatish
 DocType: SMS Center,All Sales Person,Barcha Sotuvdagi Shaxs
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Oylik tarqatish ** sizning biznesingizda mevsimlik mavjud bo&#39;lsa, byudjet / maqsadni oylar davomida tarqatishga yordam beradi."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Ma&#39;lumotlar topilmadi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Ish haqi tuzilmasi to&#39;liqsiz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Ma&#39;lumotlar topilmadi
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Ish haqi tuzilmasi to&#39;liqsiz
 DocType: Lead,Person Name,Shaxs ismi
 DocType: Sales Invoice Item,Sales Invoice Item,Savdo Billing elementi
 DocType: Account,Credit,Kredit
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Birja yangiliklari
 DocType: Warehouse,Warehouse Detail,QXI detali
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Davrning tugash sanasi atamalar bilan bog&#39;liq bo&#39;lgan Akademik yilning Yil oxiri sanasidan (Akademik yil) {} o&#39;tishi mumkin emas. Iltimos, sanalarni tahrirlang va qaytadan urinib ko&#39;ring."
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Ruxsat etilgan aktivlar&quot; ni belgilash mumkin emas, chunki ob&#39;ektga nisbatan Asset yozuvi mavjud"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;Ruxsat etilgan aktivlar&quot; ni belgilash mumkin emas, chunki ob&#39;ektga nisbatan Asset yozuvi mavjud"
 DocType: Delivery Trip,Departure Time,Chiqish vaqti
 DocType: Vehicle Service,Brake Oil,Tormoz yog&#39;i
 DocType: Tax Rule,Tax Type,Soliq turi
 ,Completed Work Orders,Tugallangan ish buyurtmalari
 DocType: Support Settings,Forum Posts,Foydalanuvchining profili Xabarlar
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Soliq summasi
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Soliq summasi
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},{0} dan oldin kiritilgan yozuvlarni qo&#39;shish yoki yangilash uchun ruxsat yo&#39;q
 DocType: Leave Policy,Leave Policy Details,Siyosat tafsilotlarini qoldiring
 DocType: BOM,Item Image (if not slideshow),Mavzu tasvir (agar slayd-shou bo&#39;lmasa)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Soat / 60) * Haqiqiy operatsiya vaqti
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,# {0} satri: Hujjatning Hujjat turi xarajat shikoyati yoki jurnali kiritmasidan biri bo&#39;lishi kerak
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,BOM-ni tanlang
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,# {0} satri: Hujjatning Hujjat turi xarajat shikoyati yoki jurnali kiritmasidan biri bo&#39;lishi kerak
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,BOM-ni tanlang
 DocType: SMS Log,SMS Log,SMS-jurnali
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Etkazib beriladigan mahsulotlarning narxi
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,{0} bayrami sanasi va sanasi o&#39;rtasidagi emas
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Yetkazib beruvchi reytinglarining namunalari.
 DocType: Lead,Interested,Qiziquvchan
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Ochilish
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},{0} dan {1} gacha
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},{0} dan {1} gacha
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Dastur:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Soliqlarni o&#39;rnatish amalga oshmadi
 DocType: Item,Copy From Item Group,Mavzu guruhidan nusxa olish
-DocType: Delivery Trip,Delivery Notification,Etkazib berish bayonoti
 DocType: Journal Entry,Opening Entry,Kirish ochish
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Hisob faqatgina to&#39;laydi
 DocType: Loan,Repay Over Number of Periods,Davr sonini qaytaring
 DocType: Stock Entry,Additional Costs,Qo&#39;shimcha xarajatlar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Mavjud tranzaktsiyadagi hisobni guruhga aylantirish mumkin emas.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Mavjud tranzaktsiyadagi hisobni guruhga aylantirish mumkin emas.
 DocType: Lead,Product Enquiry,Mahsulot so&#39;rovnomasi
 DocType: Education Settings,Validate Batch for Students in Student Group,Talaba guruhidagi talabalar uchun partiyani tasdiqlash
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},{1} uchun xodimlar uchun {0} yozuvi yo&#39;q
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Iltimos, kompaniyani birinchi kiriting"
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,"Iltimos, kompaniyani tanlang"
 DocType: Employee Education,Under Graduate,Magistr darajasida
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Chiqish sozlamalari uchun Leave Status Notification holatini ko&#39;rsatish uchun standart shablonni o&#39;rnating.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Chiqish sozlamalari uchun Leave Status Notification holatini ko&#39;rsatish uchun standart shablonni o&#39;rnating.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Nishonni yoqing
 DocType: BOM,Total Cost,Jami xarajat
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Hisob qaydnomasi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Dori vositalari
 DocType: Purchase Invoice Item,Is Fixed Asset,Ruxsat etilgan aktiv
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","Mavjud qty {0} bo&#39;lsa, siz {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","Mavjud qty {0} bo&#39;lsa, siz {1}"
 DocType: Expense Claim Detail,Claim Amount,Da&#39;vo miqdori
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-YYYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Ish tartibi {0}
@@ -303,13 +303,13 @@
 DocType: BOM,Quality Inspection Template,Sifat nazorati shabloni
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Ishtirokchilarni yangilashni xohlaysizmi? <br> Hozirgi: {0} \ <br> Yo'q: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},"Qabul qilingan + Rad etilgan Qty, {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},"Qabul qilingan + Rad etilgan Qty, {0}"
 DocType: Item,Supply Raw Materials for Purchase,Xarid qilish uchun xom ashyo etkazib berish
 DocType: Agriculture Analysis Criteria,Fertilizer,Go&#39;ng
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.","\ Serial No tomonidan etkazib berishni ta&#39;minlash mumkin emas, \ Subject {0} \ Serial No."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,POS-faktura uchun kamida bitta to&#39;lov tartibi talab qilinadi.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,POS-faktura uchun kamida bitta to&#39;lov tartibi talab qilinadi.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bank deklaratsiyasi bitimining bitimi
 DocType: Products Settings,Show Products as a List,Mahsulotlarni ro&#39;yxat sifatida ko&#39;rsatish
 DocType: Salary Detail,Tax on flexible benefit,Moslashuvchan foyda bo&#39;yicha soliq
@@ -320,14 +320,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Sts
 DocType: Production Plan,Material Request Detail,Materiallar bo&#39;yicha batafsil ma&#39;lumot
 DocType: Selling Settings,Default Quotation Validity Days,Standart quotatsiya amal qilish kunlari
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Mavzu kursiga {0} qatoridagi soliqni kiritish uchun qatorlar {1} da soliqlar ham kiritilishi kerak
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Mavzu kursiga {0} qatoridagi soliqni kiritish uchun qatorlar {1} da soliqlar ham kiritilishi kerak
 DocType: SMS Center,SMS Center,SMS markazi
 DocType: Payroll Entry,Validate Attendance,Ishtirokni tasdiqlang
 DocType: Sales Invoice,Change Amount,Miqdorni o&#39;zgartirish
 DocType: Party Tax Withholding Config,Certificate Received,Qabul qilingan sertifikat
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,B2C uchun Billing Value ni tanlang. B2CL va B2CS ushbu hisob-faktura qiymati asosida hisoblangan.
 DocType: BOM Update Tool,New BOM,Yangi BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Belgilangan protseduralar
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Belgilangan protseduralar
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Faqat qalinni ko&#39;rsatish
 DocType: Supplier Group,Supplier Group Name,Yetkazib beruvchining guruh nomi
 DocType: Driver,Driving License Categories,Haydovchilik guvohnomasi kategoriyalari
@@ -342,7 +342,7 @@
 DocType: Payroll Period,Payroll Periods,Ish haqi muddatlari
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Xodim yarat
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Radioeshittirish
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POSning sozlash rejimi (Onlayn / Offlayn)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POSning sozlash rejimi (Onlayn / Offlayn)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Ish buyurtmalariga qarshi vaqt jadvallarini yaratishni o&#39;chirib qo&#39;yadi. Operatsiyalarni Ish tartibi bo&#39;yicha kuzatib bo&#39;lmaydi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Ijroiya
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Faoliyatning tafsilotlari.
@@ -376,7 +376,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Narxlar ro&#39;yxati narxiga chegirma (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Mavzu shablonni
 DocType: Job Offer,Select Terms and Conditions,Qoidalar va shartlarni tanlang
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Chiqish qiymati
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Chiqish qiymati
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Bank deklaratsiyasi parametrlari elementi
 DocType: Woocommerce Settings,Woocommerce Settings,Woosommerce sozlamalari
 DocType: Production Plan,Sales Orders,Savdo buyurtmalarini
@@ -389,20 +389,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Qo&#39;shtirnoq so&#39;roviga quyidagi havolani bosish orqali kirish mumkin
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG yaratish vositasi kursi
 DocType: Bank Statement Transaction Invoice Item,Payment Description,To&#39;lov ta&#39;rifi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Qimmatli qog&#39;ozlar yetarli emas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Qimmatli qog&#39;ozlar yetarli emas
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Imkoniyatlarni rejalashtirishni va vaqtni kuzatishni o&#39;chirib qo&#39;yish
 DocType: Email Digest,New Sales Orders,Yangi Sotuvdagi Buyurtma
 DocType: Bank Account,Bank Account,Bank hisob raqami
 DocType: Travel Itinerary,Check-out Date,Chiqish sanasi
 DocType: Leave Type,Allow Negative Balance,Salbiy balansga ruxsat berish
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Siz &quot;Tashqi&quot; loyiha turini o&#39;chira olmaysiz
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Alternativ ob&#39;ektni tanlang
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Alternativ ob&#39;ektni tanlang
 DocType: Employee,Create User,Foydalanuvchi yarat
 DocType: Selling Settings,Default Territory,Default Territory
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Televizor
 DocType: Work Order Operation,Updated via 'Time Log',&quot;Time log&quot; orqali yangilangan
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Mijozni yoki yetkazib beruvchini tanlang.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},Avans miqdori {0} {1} dan ortiq bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},Avans miqdori {0} {1} dan ortiq bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vaqt oralig&#39;i skiped, {0} dan {1} gacha slot {2} dan {3}"
 DocType: Naming Series,Series List for this Transaction,Ushbu tranzaksiya uchun Series ro&#39;yxati
 DocType: Company,Enable Perpetual Inventory,Doimiy inventarizatsiyani yoqish
@@ -423,7 +423,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Sotuvdagi schyot-fakturaga qarshi
 DocType: Agriculture Analysis Criteria,Linked Doctype,Bog&#39;langan Doctype
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Moliyadan aniq pul
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","LocalStorage to&#39;liq, saqlanmadi"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","LocalStorage to&#39;liq, saqlanmadi"
 DocType: Lead,Address & Contact,Manzil &amp; Kontakt
 DocType: Leave Allocation,Add unused leaves from previous allocations,Oldindan ajratilgan mablag&#39;lardan foydalanilmagan barglarni qo&#39;shing
 DocType: Sales Partner,Partner website,Hamkorlik veb-sayti
@@ -446,10 +446,10 @@
 ,Open Work Orders,Ochiq ish buyurtmalari
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Kasal konsultatsiya uchun to&#39;lov elementi
 DocType: Payment Term,Credit Months,Kredit oylari
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Net ulush 0 dan kam bo&#39;lmasligi kerak
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Net ulush 0 dan kam bo&#39;lmasligi kerak
 DocType: Contract,Fulfilled,Tugallandi
 DocType: Inpatient Record,Discharge Scheduled,Chiqib ketish rejalashtirilgan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Ajratish sanasi qo&#39;shilish sanasidan katta bo&#39;lishi kerak
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,Ajratish sanasi qo&#39;shilish sanasidan katta bo&#39;lishi kerak
 DocType: POS Closing Voucher,Cashier,Kassir
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Yillar davomida barglar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: agar bu oldindan yoziladigan bo&#39;lsa, {1} hisobiga &quot;Ish haqi&quot; ni tekshiring."
@@ -460,15 +460,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Talabalar uchun Talabalar Guruhi ostida tanlansin
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,To&#39;liq ish
 DocType: Item Website Specification,Item Website Specification,Veb-saytning spetsifikatsiyasi
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Blokdan chiqing
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},{0} elementi {1} da umrining oxiriga yetdi
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Blokdan chiqing
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},{0} elementi {1} da umrining oxiriga yetdi
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bank yozuvlari
 DocType: Customer,Is Internal Customer,Ichki mijoz
 DocType: Crop,Annual,Yillik
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Avto-Opt-In ni belgilansa, mijozlar avtomatik ravishda ushbu sodiqlik dasturi bilan bog&#39;lanadi (saqlab qolish uchun)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Qimmatli qog&#39;ozlar bitimining elementi
 DocType: Stock Entry,Sales Invoice No,Sotuvdagi hisob-faktura №
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Ta&#39;minot turi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Ta&#39;minot turi
 DocType: Material Request Item,Min Order Qty,Eng kam Buyurtma miqdori
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Isoning shogirdi guruhini yaratish vositasi kursi
 DocType: Lead,Do Not Contact,Aloqa qilmang
@@ -482,14 +482,14 @@
 DocType: Item,Publish in Hub,Hubda nashr qiling
 DocType: Student Admission,Student Admission,Talabalarni qabul qilish
 ,Terretory,Teror
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,{0} mahsuloti bekor qilindi
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,{0} mahsuloti bekor qilindi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Amortizatsiya satrlari {0}: Amortizatsiya boshlanish sanasi o&#39;tgan sana sifatida kiritiladi
 DocType: Contract Template,Fulfilment Terms and Conditions,Tugatish shartlari va shartlari
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Materiallar talabi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Materiallar talabi
 DocType: Bank Reconciliation,Update Clearance Date,Bo&#39;shatish tarixini yangilash
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Xarid haqida ma&#39;lumot
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Buyurtma {1} da &quot;Xom moddalar bilan ta&#39;minlangan&quot; jadvalidagi {0} mahsuloti topilmadi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Buyurtma {1} da &quot;Xom moddalar bilan ta&#39;minlangan&quot; jadvalidagi {0} mahsuloti topilmadi
 DocType: Salary Slip,Total Principal Amount,Asosiy jami miqdori
 DocType: Student Guardian,Relation,Aloqalar
 DocType: Student Guardian,Mother,Ona
@@ -534,10 +534,11 @@
 DocType: Tax Rule,Shipping County,Yuk tashish hududi
 DocType: Currency Exchange,For Selling,Sotish uchun
 apps/erpnext/erpnext/config/desktop.py +159,Learn,O&#39;rganish
+DocType: Purchase Invoice Item,Enable Deferred Expense,Kechiktirilgan xarajatlarni yoqish
 DocType: Asset,Next Depreciation Date,Keyingi Amortizatsiya sanasi
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Xodimga ko&#39;ra harajatlar
 DocType: Accounts Settings,Settings for Accounts,Hisob sozlamalari
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Yetkazib beruvchi hisob-fakturasi yo&#39;q {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Yetkazib beruvchi hisob-fakturasi yo&#39;q {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Sotuvdagi shaxslar daraxti boshqaruvi.
 DocType: Job Applicant,Cover Letter,Biriktirilgan xat
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Olinadigan chexlar va depozitlar
@@ -552,7 +553,7 @@
 DocType: Employee,External Work History,Tashqi ish tarixi
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Dairesel mos yozuvlar xatosi
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Isoning shogirdi hisoboti kartasi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Pin kodidan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Pin kodidan
 DocType: Appointment Type,Is Inpatient,Statsionarmi?
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Ismi
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Etkazib berish eslatmasini saqlaganingizdan so&#39;ng so&#39;zlar (eksport) ko&#39;rinadi.
@@ -566,18 +567,19 @@
 DocType: Journal Entry,Multi Currency,Ko&#39;p valyuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura turi
 DocType: Employee Benefit Claim,Expense Proof,Eksportni isbotlash
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Yetkazib berish eslatmasi
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},{0} saqlash
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Yetkazib berish eslatmasi
 DocType: Patient Encounter,Encounter Impression,Ta&#39;sir bilan taaluqli
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Soliqni o&#39;rnatish
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Sotilgan aktivlarning qiymati
 DocType: Volunteer,Morning,Ertalab
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,"To&#39;lov kirish kiritilgandan keyin o&#39;zgartirildi. Iltimos, yana torting."
 DocType: Program Enrollment Tool,New Student Batch,Yangi talabalar partiyasi
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} - mahsulotni soliqqa ikki marta kirgan
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Bu hafta uchun xulosa va kutilayotgan tadbirlar
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} - mahsulotni soliqqa ikki marta kirgan
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Bu hafta uchun xulosa va kutilayotgan tadbirlar
 DocType: Student Applicant,Admitted,Qabul qilingan
 DocType: Workstation,Rent Cost,Ijara haqi
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Amortizatsiyadan keyin jami miqdor
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Amortizatsiyadan keyin jami miqdor
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Kelgusi taqvim tadbirlari
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Variant xususiyatlari
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,"Iltimos, oy va yilni tanlang"
@@ -614,7 +616,7 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},{0} {1} da Kompaniyaga 1 Hisob faqatgina bo&#39;lishi mumkin
 DocType: Support Search Source,Response Result Key Path,Response Natija Kaliti Yo&#39;l
 DocType: Journal Entry,Inter Company Journal Entry,Inter kompaniyasi jurnali kirish
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,"Iltimos, ilova-ga qarang"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,"Iltimos, ilova-ga qarang"
 DocType: Purchase Order,% Received,Qabul qilingan
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Talabalar guruhini yaratish
 DocType: Volunteer,Weekends,Dam olish kunlari
@@ -654,7 +656,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Umumiy natija
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mavjud ketma-ketlikning boshlang&#39;ich / to`g`ri qatorini o`zgartirish.
 DocType: Dosage Strength,Strength,Kuch-quvvat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Yangi xaridorni yarating
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Yangi xaridorni yarating
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Vaqt o&#39;tishi bilan
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Agar bir nechta narx qoidalari ustunlik qila boshlasa, foydalanuvchilardan nizoni hal qilish uchun birinchi o&#39;ringa qo&#39;l o&#39;rnatish talab qilinadi."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Buyurtma buyurtmalarini yaratish
@@ -665,17 +667,18 @@
 DocType: Workstation,Consumable Cost,Sarflanadigan narx
 DocType: Purchase Receipt,Vehicle Date,Avtomobil tarixi
 DocType: Student Log,Medical,Tibbiy
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Yo&#39;qotish sababi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,"Iltimos, Dori-ni tanlang"
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Yo&#39;qotish sababi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,"Iltimos, Dori-ni tanlang"
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Qo&#39;rg&#39;oshin egasi qo&#39;rg&#39;oshin bilan bir xil bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,Ajratilgan miqdordan tuzatilmaydigan miqdordan ortiq bo&#39;lmaydi
 DocType: Announcement,Receiver,Qabul qiluvchisi
 DocType: Location,Area UOM,Maydoni UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Ish stantsiyasi quyidagi holatlarda Dam olish Ro&#39;yxatiga binoan yopiladi: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Imkoniyatlar
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Imkoniyatlar
 DocType: Lab Test Template,Single,Yagona
 DocType: Compensatory Leave Request,Work From Date,Sana boshlab ishlash
 DocType: Salary Slip,Total Loan Repayment,Jami kreditni qaytarish
+DocType: Project User,View attachments,Ilovalarni ko&#39;rish
 DocType: Account,Cost of Goods Sold,Sotilgan mol-mulki
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Xarajat markazini kiriting
 DocType: Drug Prescription,Dosage,Dozaj
@@ -686,7 +689,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Miqdor va foiz
 DocType: Delivery Note,% Installed,O&#39;rnatilgan
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Darslar / laboratoriyalar va boshqalar.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Ham kompaniyaning kompaniyaning valyutalari Inter Company Transactions uchun mos kelishi kerak.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Ham kompaniyaning kompaniyaning valyutalari Inter Company Transactions uchun mos kelishi kerak.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Avval kompaniya nomini kiriting
 DocType: Travel Itinerary,Non-Vegetarian,Non-vegetarianlar
 DocType: Purchase Invoice,Supplier Name,Yetkazib beruvchi nomi
@@ -696,7 +699,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Vaqtinchalik ushlab turish
 DocType: Account,Is Group,Guruh
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,{0} kredit eslatmasi avtomatik ravishda yaratilgan
-DocType: Email Digest,Pending Purchase Orders,Buyurtma buyurtmalarini kutish
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,FIFO asosida avtomatik ravishda Serial Nosni sozlang
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Taqdim etuvchi Billing raqami yagonaligini tekshiring
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Birlamchi manzil ma&#39;lumotlari
@@ -713,12 +715,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Ushbu e-pochtaning bir qismi sifatida kiritilgan kirish matnini moslashtiring. Har bir bitim alohida kirish matnga ega.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Row {0}: {1} xom ashyo moddasiga qarshi operatsiyalar talab qilinadi
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},"Iltimos, {0} kompaniyangiz uchun to&#39;langan pulli hisobni tanlang"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Jarayon to&#39;xtatilgan ish tartibiga qarshi ruxsat etilmagan {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Jarayon to&#39;xtatilgan ish tartibiga qarshi ruxsat etilmagan {0}
 DocType: Setup Progress Action,Min Doc Count,Min Doc Count
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Barcha ishlab chiqarish jarayonlari uchun global sozlamalar.
 DocType: Accounts Settings,Accounts Frozen Upto,Hisoblar muzlatilgan
 DocType: SMS Log,Sent On,Yuborildi
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Xususiyat {0} xususiyati bir nechta marta Attributes jadvalida tanlangan
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Xususiyat {0} xususiyati bir nechta marta Attributes jadvalida tanlangan
 DocType: HR Settings,Employee record is created using selected field. ,Ishchi yozuvi tanlangan maydon yordamida yaratiladi.
 DocType: Sales Order,Not Applicable,Taalluqli emas
 DocType: Amazon MWS Settings,UK,Buyuk Britaniya
@@ -746,21 +748,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,{0} xizmatdoshi {1} uchun {2} da allaqachon murojaat qilgan:
 DocType: Inpatient Record,AB Positive,Evropa Ittifoqi ijobiy
 DocType: Job Opening,Description of a Job Opening,Ish ochilishi ta&#39;rifi
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Bugungi faoliyatni kutish
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Bugungi faoliyatni kutish
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Zamonaviy ish haqi bo&#39;yicha ish haqi komponenti.
+DocType: Driver,Applicable for external driver,Tashqi haydovchi uchun amal qiladi
 DocType: Sales Order Item,Used for Production Plan,Ishlab chiqarish rejasi uchun ishlatiladi
 DocType: Loan,Total Payment,Jami to&#39;lov
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Tugallangan ish tartibi uchun jurnali bekor qilolmaydi.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Tugallangan ish tartibi uchun jurnali bekor qilolmaydi.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Operatsiyalar o&#39;rtasida vaqt (daq.)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,Barcha savdo buyurtma ma&#39;lumotlar uchun yaratilgan PO
 DocType: Healthcare Service Unit,Occupied,Ishg&#39;ol qilindi
 DocType: Clinical Procedure,Consumables,Sarf materiallari
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} bekor qilinadi, shuning uchun amal bajarilmaydi"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,"{0} {1} bekor qilinadi, shuning uchun amal bajarilmaydi"
 DocType: Customer,Buyer of Goods and Services.,Mahsulot va xizmatlarni xaridor.
 DocType: Journal Entry,Accounts Payable,Kreditorlik qarzi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Ushbu to&#39;lov bo&#39;yicha so&#39;rovda belgilangan {0} miqdori barcha to&#39;lov rejalarining hisoblangan miqdoridan farq qiladi: {1}. Hujjatni topshirishdan oldin bu to&#39;g&#39;ri ekanligiga ishonch hosil qiling.
 DocType: Patient,Allergies,Allergiya
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Tanlangan BOMlar bir xil element uchun emas
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Tanlangan BOMlar bir xil element uchun emas
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Mahsulot kodini almashtirish
 DocType: Supplier Scorecard Standing,Notify Other,Boshqa xabar berish
 DocType: Vital Signs,Blood Pressure (systolic),Qon bosimi (sistolik)
@@ -772,7 +775,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Qurilish uchun yetarli qismlar
 DocType: POS Profile User,POS Profile User,Qalin Foydalanuvchining profili
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Row {0}: Amortizatsiya boshlanishi kerak
-DocType: Sales Invoice Item,Service Start Date,Xizmat boshlanish sanasi
+DocType: Purchase Invoice Item,Service Start Date,Xizmat boshlanish sanasi
 DocType: Subscription Invoice,Subscription Invoice,Obuna Billing
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,To&#39;g&#39;ridan-to&#39;g&#39;ri daromad
 DocType: Patient Appointment,Date TIme,Sana TIme
@@ -791,7 +794,7 @@
 DocType: Lab Test Template,Lab Routine,Laboratoriya muntazamligi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Kosmetika
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Tugallangan aktivlarga xizmat ko&#39;rsatish jurnalining tugallangan kunini tanlang
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",Birlashtirish uchun quyidagi xususiyatlar ikkala element uchun bir xil bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",Birlashtirish uchun quyidagi xususiyatlar ikkala element uchun bir xil bo&#39;lishi kerak
 DocType: Supplier,Block Supplier,Blokni yetkazib beruvchisi
 DocType: Shipping Rule,Net Weight,Sof og&#39;irlik
 DocType: Job Opening,Planned number of Positions,Pozitsiyalarning rejali soni
@@ -812,19 +815,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Pul oqimi xaritalash shabloni
 DocType: Travel Request,Costing Details,Xarajatlar haqida ma&#39;lumot
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Qaytish yozuvlarini ko&#39;rsatish
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Serial hech bir element qisman bo&#39;lolmaydi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Serial hech bir element qisman bo&#39;lolmaydi
 DocType: Journal Entry,Difference (Dr - Cr),Farq (shifokor - Cr)
 DocType: Bank Guarantee,Providing,Ta&#39;minlash
 DocType: Account,Profit and Loss,Qor va ziyon
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Hech qanday ruxsat berilmaydi, kerak bo&#39;lganda Lab viktorina jadvalini sozlang"
 DocType: Patient,Risk Factors,Xavf omillari
 DocType: Patient,Occupational Hazards and Environmental Factors,Kasbiy xavf va atrof-muhit omillari
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Ish tartibi uchun allaqachon yaratilgan aktsion yozuvlar
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Ish tartibi uchun allaqachon yaratilgan aktsion yozuvlar
 DocType: Vital Signs,Respiratory rate,Nafas olish darajasi
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Subpudrat shartnomasini boshqarish
 DocType: Vital Signs,Body Temperature,Tana harorati
 DocType: Project,Project will be accessible on the website to these users,Ushbu foydalanuvchilarning veb-saytida loyihaga kirish mumkin bo&#39;ladi
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},"{1} {1} bekor qila olmaydi, chunki ketma-ket No {2} omborga tegishli emas {3}"
 DocType: Detected Disease,Disease,Kasallik
+DocType: Company,Default Deferred Expense Account,Ajratilgan vaqtinchalik hisob qaydnomasi
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Loyiha turini belgilang.
 DocType: Supplier Scorecard,Weighting Function,Og&#39;irligi funktsiyasi
 DocType: Healthcare Practitioner,OP Consulting Charge,OP maslaxatchisi uchun to&#39;lov
@@ -841,7 +846,7 @@
 DocType: Crop,Produced Items,Ishlab chiqarilgan narsalar
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Xarajatlarni hisob-kitob qilish
 DocType: Sales Order Item,Gross Profit,Yalpi foyda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Billingni to&#39;siqdan olib tashlash
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Billingni to&#39;siqdan olib tashlash
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Artish 0 bo&#39;lishi mumkin emas
 DocType: Company,Delete Company Transactions,Kompaniya jarayonini o&#39;chirish
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Bank bo&#39;yicha bitim uchun Yo&#39;naltiruvchi Yo&#39;naltiruvchi va Yo&#39;nalish sanasi majburiy hisoblanadi
@@ -862,11 +867,11 @@
 DocType: Budget,Ignore,E&#39;tibor bering
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} faol emas
 DocType: Woocommerce Settings,Freight and Forwarding Account,Yuk va ekspeditorlik hisobi
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,Bosib chiqarishni tekshirish registrlarini sozlang
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,Bosib chiqarishni tekshirish registrlarini sozlang
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Ish haqi slipslarini yarating
 DocType: Vital Signs,Bloated,Buzilgan
 DocType: Salary Slip,Salary Slip Timesheet,Ish staji vaqt jadvalini
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Yetkazib beruvchi ombori subpudratli sotib olish uchun ariza uchun majburiydir
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Yetkazib beruvchi ombori subpudratli sotib olish uchun ariza uchun majburiydir
 DocType: Item Price,Valid From,Darvoqe
 DocType: Sales Invoice,Total Commission,Jami komissiya
 DocType: Tax Withholding Account,Tax Withholding Account,Soliq to&#39;lashni hisobga olish
@@ -874,12 +879,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Barcha etkazib beruvchi kartalari.
 DocType: Buying Settings,Purchase Receipt Required,Qabul qilish pulligizga.Albatta talab qilinadi
 DocType: Delivery Note,Rail,Rail
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,{0} qatoridagi maqsadli ombor Ish tartibi bilan bir xil bo&#39;lishi kerak
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Ochiq aktsiyadorlik jamg&#39;armasi kiritilgan taqdirda baholash mezonlari majburiydir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,{0} qatoridagi maqsadli ombor Ish tartibi bilan bir xil bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Ochiq aktsiyadorlik jamg&#39;armasi kiritilgan taqdirda baholash mezonlari majburiydir
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Billing-jadvalida yozuvlar topilmadi
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Marhamat qilib Kompaniya va Partiya turini tanlang
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",{0} uchun {0} profilidagi profilni sukut saqlab qo&#39;ygansiz
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Moliyaviy / hisobot yili.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Moliyaviy / hisobot yili.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Biriktirilgan qiymatlar
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Kechirasiz, Serial Nos birlashtirilmaydi"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Xaridorlar guruhi Shopify-dan mijozlarni sinxronlash paytida tanlangan guruhga o&#39;rnatadi
@@ -893,7 +898,7 @@
 ,Lead Id,Qurilish no
 DocType: C-Form Invoice Detail,Grand Total,Jami
 DocType: Assessment Plan,Course,Kurs
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Bo&#39;lim kodi
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Bo&#39;lim kodi
 DocType: Timesheet,Payslip,Payslip
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Yarim kunlik sana sana va sanalar orasida bo&#39;lishi kerak
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Mahsulot savatchasi
@@ -902,7 +907,8 @@
 DocType: Employee,Personal Bio,Shaxsiy Bio
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,Registratsiya raqami
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},Tasdiqlangan: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},Tasdiqlangan: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks-ga ulangan
 DocType: Bank Statement Transaction Entry,Payable Account,To&#39;lanadigan hisob
 DocType: Payment Entry,Type of Payment,To&#39;lov turi
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Yarim kunlik sana majburiydir
@@ -914,7 +920,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Yuk tashish kuni
 DocType: Production Plan,Production Plan,Ishlab chiqarish rejasi
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Billingni ochish vositasini ochish
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Sotishdan qaytish
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Sotishdan qaytish
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Eslatma: Ajratilgan jami {0} barglari davr uchun tasdiqlangan {1} barglaridan kam bo&#39;lmasligi kerak
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Serial No Input ga asoslangan operatsiyalarda Miqdorni belgilash
 ,Total Stock Summary,Jami Qisqacha Xulosa
@@ -925,9 +931,9 @@
 DocType: Authorization Rule,Customer or Item,Xaridor yoki mahsulot
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Mijozlar bazasi.
 DocType: Quotation,Quotation To,Qabul qilish
-DocType: Lead,Middle Income,O&#39;rta daromad
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,O&#39;rta daromad
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Ochilish (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"{0} elementi uchun standart o&#39;lchov birligi bevosita o&#39;zgartirilmaydi, chunki siz boshqa UOM bilan ba&#39;zi bitimlar (tranzaktsiyalar) qildingiz. Boshqa bir standart UOM dan foydalanish uchun yangi element yaratishingiz lozim."
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"{0} elementi uchun standart o&#39;lchov birligi bevosita o&#39;zgartirilmaydi, chunki siz boshqa UOM bilan ba&#39;zi bitimlar (tranzaktsiyalar) qildingiz. Boshqa bir standart UOM dan foydalanish uchun yangi element yaratishingiz lozim."
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Ajratilgan mablag&#39; salbiy bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,"Iltimos, kompaniyani tanlang"
 DocType: Share Balance,Share Balance,Hissa balansi
@@ -944,15 +950,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Bank hisobini yuritish uchun Hisobni tanlang
 DocType: Hotel Settings,Default Invoice Naming Series,Standart taqdim etgan nomlash seriyasi
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Barglarni, xarajat da&#39;vatlarini va ish haqini boshqarish uchun xodimlar yozuvlarini yarating"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Yangilash jarayonida xatolik yuz berdi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Yangilash jarayonida xatolik yuz berdi
 DocType: Restaurant Reservation,Restaurant Reservation,Restoran rezervasyoni
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Takliflarni Yozish
 DocType: Payment Entry Deduction,Payment Entry Deduction,To&#39;lovni to&#39;lashni kamaytirish
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Tiklash
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,E-pochta orqali mijozlarni xabardor qilish
 DocType: Item,Batch Number Series,Partiya raqami
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Boshqa bir Sotuvdagi Shaxs {0} bir xil xodim identifikatori mavjud
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Boshqa bir Sotuvdagi Shaxs {0} bir xil xodim identifikatori mavjud
 DocType: Employee Advance,Claimed Amount,Da&#39;vo qilingan miqdori
+DocType: QuickBooks Migrator,Authorization Settings,Avtorizatsiya sozlamalari
 DocType: Travel Itinerary,Departure Datetime,Datetime chiqish vaqti
 DocType: Customer,CUST-.YYYY.-,JUST YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Sayohat uchun sarf-xarajatlar
@@ -991,26 +998,29 @@
 DocType: Buying Settings,Supplier Naming By,Yetkazib beruvchi nomini berish
 DocType: Activity Type,Default Costing Rate,Standart narxlash darajasi
 DocType: Maintenance Schedule,Maintenance Schedule,Xizmat jadvali
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Keyin narxlash qoidalari xaridorlar, xaridorlar guruhi, hududi, yetkazib beruvchisi, yetkazib beruvchi turi, aksiya, savdo bo&#39;yicha hamkor va boshqalar asosida filtrlanadi."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Keyin narxlash qoidalari xaridorlar, xaridorlar guruhi, hududi, yetkazib beruvchisi, yetkazib beruvchi turi, aksiya, savdo bo&#39;yicha hamkor va boshqalar asosida filtrlanadi."
 DocType: Employee Promotion,Employee Promotion Details,Ishchilarni rag&#39;batlantirish ma&#39;lumotlari
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Inventarizatsiyada aniq o&#39;zgarishlar
 DocType: Employee,Passport Number,Pasport raqami
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 bilan aloqalar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Menejer
 DocType: Payment Entry,Payment From / To,To&#39;lov / To
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Moliyaviy yildan boshlab
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Yangi kredit limiti mijoz uchun mavjud summasidan kamroq. Kredit cheklovi atigi {0} bo&#39;lishi kerak
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},"Iltimos, hisob qaydnomasini {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},"Iltimos, hisob qaydnomasini {0}"
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,&#39;Based On&#39; va &#39;Group By&#39; bir xil bo&#39;lishi mumkin emas
 DocType: Sales Person,Sales Person Targets,Sotuvdagi shaxsning maqsadlari
 DocType: Work Order Operation,In minutes,Daqiqada
 DocType: Issue,Resolution Date,Ruxsatnoma sanasi
 DocType: Lab Test Template,Compound,Murakkab
+DocType: Opportunity,Probability (%),Ehtimollilik (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Dispetcher haqida bildirishnoma
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Ob&#39;ektni tanlang
 DocType: Student Batch Name,Batch Name,Partiya nomi
 DocType: Fee Validity,Max number of visit,Tashrifning maksimal soni
 ,Hotel Room Occupancy,Mehmonxona xonasi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Tuzilish sahifasi:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},"Iltimos, odatdagi Cash yoki Bank hisobini {0} To&#39;lov tartibi rejimida tanlang."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},"Iltimos, odatdagi Cash yoki Bank hisobini {0} To&#39;lov tartibi rejimida tanlang."
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Ro&#39;yxatga olish
 DocType: GST Settings,GST Settings,GST sozlamalari
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Valyuta bir xil bo&#39;lishi kerak Price List Valyuta: {0}
@@ -1051,12 +1061,12 @@
 DocType: Loan,Total Interest Payable,To&#39;lanadigan foizlar
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Foydali soliqlar va yig&#39;imlar
 DocType: Work Order Operation,Actual Start Time,Haqiqiy boshlash vaqti
+DocType: Purchase Invoice Item,Deferred Expense Account,Ertelenmiş ketadi hisob
 DocType: BOM Operation,Operation Time,Foydalanish muddati
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Tugatish
 DocType: Salary Structure Assignment,Base,Asosiy
 DocType: Timesheet,Total Billed Hours,Jami hisoblangan soat
 DocType: Travel Itinerary,Travel To,Sayohat qilish
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,emas
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Miqdorni yozing
 DocType: Leave Block List Allow,Allow User,Foydalanuvchiga ruxsat berish
 DocType: Journal Entry,Bill No,Bill №
@@ -1073,9 +1083,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Vaqt varaqasi
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Chuqur xomashyo asosida ishlab chiqarilgan
 DocType: Sales Invoice,Port Code,Port kodi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Zaxira ombori
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Zaxira ombori
 DocType: Lead,Lead is an Organization,Qo&#39;rg&#39;oshin tashkilot
-DocType: Guardian Interest,Interest,Foiz
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Old savdo
 DocType: Instructor Log,Other Details,Boshqa tafsilotlar
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
@@ -1085,7 +1094,7 @@
 DocType: Account,Accounts,Hisoblar
 DocType: Vehicle,Odometer Value (Last),Odometer qiymati (oxirgi)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Yetkazib beruvchilar koeffitsienti mezonlari namunalari.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Sadoqatli ballaringizni sotib oling
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,To&#39;lov kirish allaqachon yaratilgan
 DocType: Request for Quotation,Get Suppliers,Yetkazuvchilarni qabul qiling
@@ -1102,16 +1111,14 @@
 DocType: Crop,Crop Spacing UOM,O&#39;simliklar oralig&#39;i UOM
 DocType: Loyalty Program,Single Tier Program,Yagona darajali dastur
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Faqat sizda naqd pul oqimining Mapper hujjatlari mavjudligini tanlang
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,1-manzildan boshlab
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,1-manzildan boshlab
 DocType: Email Digest,Next email will be sent on:,Keyingi elektron pochta orqali yuboriladi:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master","{Item} {verb} elementi {message} elementi sifatida belgilangan bo&#39;lib, ularni {item} elementi sifatida Master"
 DocType: Supplier Scorecard,Per Week,Haftasiga
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Mavzu variantlarga ega.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Mavzu variantlarga ega.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Jami talabalar
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,{0} elementi topilmadi
 DocType: Bin,Stock Value,Qimmatli qog&#39;ozlar qiymati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Kompaniya {0} mavjud emas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Kompaniya {0} mavjud emas
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} {1} ga qadar pullik amal qiladi
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Daraxt turi
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Har bir birlikda iste&#39;mol miqdori
@@ -1126,7 +1133,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Kompartiyalari [FEC]
 DocType: Journal Entry,Credit Card Entry,Kredit kartalarini rasmiylashtirish
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Kompaniya va Hisoblar
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,Qiymatida
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,Qiymatida
 DocType: Asset Settings,Depreciation Options,Amortizatsiya imkoniyatlari
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Joy yoki ishchi kerak bo&#39;lishi kerak
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Noto&#39;g&#39;ri joylashtirish vaqti
@@ -1143,20 +1150,21 @@
 DocType: Leave Allocation,Allocation,Ajratish
 DocType: Purchase Order,Supply Raw Materials,Xom-ashyo etkazib berish
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Joriy aktivlar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} - bu aksiya elementi emas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} - bu aksiya elementi emas
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"&quot;Ta&#39;lim bo&#39;yicha hisobot&quot; ni bosing, so&#39;ngra &quot;Yangi&quot;"
 DocType: Mode of Payment Account,Default Account,Standart hisob
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Avval Stok Sozlamalarida Sample Retention Warehouse-ni tanlang
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Avval Stok Sozlamalarida Sample Retention Warehouse-ni tanlang
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,"Iltimos, bir nechta yig&#39;ish qoidalari uchun bir nechta darajali dastur turini tanlang."
 DocType: Payment Entry,Received Amount (Company Currency),Qabul qilingan summalar (Kompaniya valyutasi)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,"Imkoniyat Qo&#39;rg&#39;oshin qilinsa, qo&#39;rg&#39;oshin o&#39;rnatilishi kerak"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,"To&#39;lov bekor qilindi. Iltimos, batafsil ma&#39;lumot uchun GoCardsiz hisobingizni tekshiring"
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,Attachment bilan yuboring
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Haftalik yopiq kunni tanlang
 DocType: Inpatient Record,O Negative,O salbiy
 DocType: Work Order Operation,Planned End Time,Rejalashtirilgan muddat
 ,Sales Person Target Variance Item Group-Wise,Sotuvdagi shaxs Maqsad Varyans elementi Guruh-dono
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Mavjud bitim bilan hisob qaydnomasiga o&#39;tkazilmaydi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Mavjud bitim bilan hisob qaydnomasiga o&#39;tkazilmaydi
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Xodimlar haqida ma&#39;lumot
 DocType: Delivery Note,Customer's Purchase Order No,Xaridorning Buyurtma no
 DocType: Clinical Procedure,Consume Stock,Stoktni iste&#39;mol qiling
@@ -1169,22 +1177,22 @@
 DocType: Soil Texture,Sand,Qum
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Energiya
 DocType: Opportunity,Opportunity From,Imkoniyatdan foydalanish
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Serial raqamlari {2} uchun kerak. Siz {3} ni taqdim qildingiz.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Serial raqamlari {2} uchun kerak. Siz {3} ni taqdim qildingiz.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,"Iltimos, jadval tanlang"
 DocType: BOM,Website Specifications,Veb-saytning texnik xususiyatlari
 DocType: Special Test Items,Particulars,Xususan
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: {1} dan {0} dan
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Row {0}: Konvertatsiya qilish omillari majburiydir
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Row {0}: Konvertatsiya qilish omillari majburiydir
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Ko&#39;p narx qoidalari bir xil mezonlarga ega, iltimos, birinchi o&#39;ringa tayinlash orqali mojaroni hal qiling. Narxlar qoidalari: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Ko&#39;p narx qoidalari bir xil mezonlarga ega, iltimos, birinchi o&#39;ringa tayinlash orqali mojaroni hal qiling. Narxlar qoidalari: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Valyuta kursini qayta baholash hisobi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOMni boshqa BOMlar bilan bog&#39;langanidek o&#39;chirib qo&#39;yish yoki bekor qilish mumkin emas
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOMni boshqa BOMlar bilan bog&#39;langanidek o&#39;chirib qo&#39;yish yoki bekor qilish mumkin emas
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Yozuvlar olish uchun Kompaniya va Xabar yuborish tarixini tanlang
 DocType: Asset,Maintenance,Xizmat
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Bemor uchrashuvidan oling
 DocType: Subscriber,Subscriber,Abonent
 DocType: Item Attribute Value,Item Attribute Value,Mavzu xususiyati qiymati
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,"Iltimos, loyihangizning holatini yangilang"
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,"Iltimos, loyihangizning holatini yangilang"
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Valyuta almashinuvi xarid yoki sotish uchun tegishli bo&#39;lishi kerak.
 DocType: Item,Maximum sample quantity that can be retained,Tutilishi mumkin bo&#39;lgan maksimal namuna miqdori
 DocType: Project Update,How is the Project Progressing Right Now?,Loyiha hozirda qanday rivojlanmoqda?
@@ -1216,36 +1224,38 @@
 DocType: Lab Test,Lab Test,Laboratoriya tekshiruvi
 DocType: Student Report Generation Tool,Student Report Generation Tool,Isoning shogirdi hisoboti yaratish vositasi
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Sog&#39;liqni saqlash jadvali vaqtli uyasi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc nomi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc nomi
 DocType: Expense Claim Detail,Expense Claim Type,Xarajat shikoyati turi
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Savatga savatni uchun standart sozlamalar
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Timeslots-ni qo&#39;shish
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Aktivlar jurnal jurnali orqali {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Iltimos, hisob qaydnomasini {0} da saqlang yoki {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Aktivlar jurnal jurnali orqali {0}
 DocType: Loan,Interest Income Account,Foiz daromadi hisob
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Maksimal imtiyozlar imtiyozlar berish uchun noldan katta bo&#39;lishi kerak
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Maksimal imtiyozlar imtiyozlar berish uchun noldan katta bo&#39;lishi kerak
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Taklifni ko&#39;rib chiqish yuborildi
 DocType: Shift Assignment,Shift Assignment,Shift tayinlash
 DocType: Employee Transfer Property,Employee Transfer Property,Xodimlarning transfer huquqi
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Vaqtdan oz vaqtgacha bo&#39;lishi kerak
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Biotexnologiya
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Savdo Buyurtmani {2} to&#39;ldirish uchun {0} (ketma-ket No: {1}) mahsuloti reserverd sifatida iste&#39;mol qilinmaydi.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Xizmat uchun xizmat xarajatlari
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Boring
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify dan narxni yangilash uchun ERPNext narxini yangilash
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,E-pochta qayd yozuvini sozlash
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,"Iltimos, avval Elementni kiriting"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Ehtiyojlarni tahlil qilish
 DocType: Asset Repair,Downtime,Chaqiruv
 DocType: Account,Liability,Javobgarlik
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsiyalangan pul miqdori {0} qatorida da&#39;vo miqdori qiymatidan katta bo&#39;lmasligi kerak.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsiyalangan pul miqdori {0} qatorida da&#39;vo miqdori qiymatidan katta bo&#39;lmasligi kerak.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Akademik atamalar:
 DocType: Salary Component,Do not include in total,Hammaga qo&#39;shmang
 DocType: Company,Default Cost of Goods Sold Account,Sotilgan hisoblangan tovarlarning qiymati
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},{0} o&#39;rnak miqdori qabul qilingan miqdordan ortiq bo&#39;lishi mumkin emas {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Narxlar ro&#39;yxati tanlanmagan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},{0} o&#39;rnak miqdori qabul qilingan miqdordan ortiq bo&#39;lishi mumkin emas {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Narxlar ro&#39;yxati tanlanmagan
 DocType: Employee,Family Background,Oila fondi
 DocType: Request for Quotation Supplier,Send Email,Elektron pochta yuborish
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Ogohlantirish: yaroqsiz {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Ogohlantirish: yaroqsiz {0}
 DocType: Item,Max Sample Quantity,Maksimal namunalar miqdori
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Izoh yo&#39;q
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Shartnomani bajarish nazorat ro&#39;yxati
@@ -1276,15 +1286,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: xarajatlar markazi {2} Kompaniyaga tegishli emas {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Maktubingiz boshini yuklang (veb-sahifani do&#39;stingiz sifatida 900px sifatida 100px sifatida saqlang)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Hisob {2} guruh bo&#39;lolmaydi
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Mahsulot satr {idx}: {doctype} {docname} yuqoridagi &quot;{doctype}&quot; jadvalida mavjud emas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,Vaqt jadvalining {0} allaqachon tugallangan yoki bekor qilingan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,Vaqt jadvalining {0} allaqachon tugallangan yoki bekor qilingan
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Vazifalar yo&#39;q
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Sotuvdagi taqdim etgan {0} pullik qilib yaratilgan
 DocType: Item Variant Settings,Copy Fields to Variant,Maydonlarni Variantlarga nusxalash
 DocType: Asset,Opening Accumulated Depreciation,Biriktirilgan amortizatsiyani ochish
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Ballar 5dan kam yoki teng bo&#39;lishi kerak
 DocType: Program Enrollment Tool,Program Enrollment Tool,Dasturlarni ro&#39;yxatga olish vositasi
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-formasi yozuvlari
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-formasi yozuvlari
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Hisob-kitoblar allaqachon mavjud
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Xaridor va yetkazib beruvchi
 DocType: Email Digest,Email Digest Settings,E-pochtada elektron pochta sozlamalari
@@ -1297,12 +1307,12 @@
 DocType: Production Plan,Select Items,Elementlarni tanlang
 DocType: Share Transfer,To Shareholder,Aktsiyadorlarga
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{1} {2} kuni {0}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Davlatdan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Davlatdan
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,O&#39;rnatish tashkiloti
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Barglarni ajratish ...
 DocType: Program Enrollment,Vehicle/Bus Number,Avtomobil / avtobus raqami
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Kurs jadvali
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Ish beruvchi tomonidan to&#39;lanadigan soliqni to&#39;lashdan ozod qilinadigan va tasdiqlanmagan \ xodimlarning nafaqalari bo&#39;yicha ish haqi to&#39;lanishi kerak.
 DocType: Request for Quotation Supplier,Quote Status,Iqtibos holati
 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret
@@ -1328,13 +1338,13 @@
 DocType: Sales Invoice,Payment Due Date,To&#39;lov sanasi
 DocType: Drug Prescription,Interval UOM,Intervalli UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Tanlangan manzil saqlashdan so&#39;ng tahrirlangan taqdirda, qayta belgilanadi"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Mavzu Variant {0} allaqachon bir xil atributlarga ega
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Mavzu Variant {0} allaqachon bir xil atributlarga ega
 DocType: Item,Hub Publishing Details,Hub nashriyot tafsilotlari
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',&quot;Ochilish&quot;
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',&quot;Ochilish&quot;
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,To Do To Do
 DocType: Issue,Via Customer Portal,Mijozlar portali orqali
 DocType: Notification Control,Delivery Note Message,Yetkazib berish eslatmasi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST miqdori
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST miqdori
 DocType: Lab Test Template,Result Format,Natijada formati
 DocType: Expense Claim,Expenses,Xarajatlar
 DocType: Item Variant Attribute,Item Variant Attribute,Variant xususiyati
@@ -1342,14 +1352,12 @@
 DocType: Payroll Entry,Bimonthly,Ikki oyda
 DocType: Vehicle Service,Brake Pad,Tormoz paneli
 DocType: Fertilizer,Fertilizer Contents,Go&#39;ng tarkibi
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Tadqiqot va Loyihalash
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Tadqiqot va Loyihalash
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Bill miqdori
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Boshlanish sanasi va tugash sanasi <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Ro&#39;yxatga olish ma&#39;lumotlari
 DocType: Timesheet,Total Billed Amount,To&#39;lov miqdori
 DocType: Item Reorder,Re-Order Qty,Qayta buyurtma miqdori
 DocType: Leave Block List Date,Leave Block List Date,Blok ro&#39;yxatining sanasi qoldiring
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Marhamat, Ta&#39;lim bo&#39;yicha o&#39;qituvchilarni nomlash tizimini sozlash&gt; Ta&#39;lim sozlamalari"
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Xomashyo asosiy element bilan bir xil bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Buyurtma olish bo&#39;yicha ma&#39;lumotlar jamlanmasi jami soliqlar va yig&#39;imlar bilan bir xil bo&#39;lishi kerak
 DocType: Sales Team,Incentives,Rag&#39;batlantirish
@@ -1363,7 +1371,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Sotuv nuqtasi
 DocType: Fee Schedule,Fee Creation Status,Narxlarni yaratish holati
 DocType: Vehicle Log,Odometer Reading,Odometr o&#39;qish
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Hisob balansida allaqachon Kreditda &#39;Balans Must Be&#39; deb ataladigan &#39;Debit&#39;
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Hisob balansida allaqachon Kreditda &#39;Balans Must Be&#39; deb ataladigan &#39;Debit&#39;
 DocType: Account,Balance must be,Balans bo&#39;lishi kerak
 DocType: Notification Control,Expense Claim Rejected Message,Daromad da&#39;volari rad etildi
 ,Available Qty,Mavjud Miqdor
@@ -1375,7 +1383,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,"Buyurtmalar tafsilotlarini sinxronlashtirishdan oldin, mahsulotlaringizni Amazon MWS dan har doim sinxronlashtiring"
 DocType: Delivery Trip,Delivery Stops,Yetkazib berish to&#39;xtaydi
 DocType: Salary Slip,Working Days,Ish kunlari
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},{0} qatoridagi xizmat uchun xizmatni to&#39;xtatish sanasi o&#39;zgartirib bo&#39;lmadi
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},{0} qatoridagi xizmat uchun xizmatni to&#39;xtatish sanasi o&#39;zgartirib bo&#39;lmadi
 DocType: Serial No,Incoming Rate,Kiruvchi foiz
 DocType: Packing Slip,Gross Weight,Brutto vazni
 DocType: Leave Type,Encashment Threshold Days,Inkassatsiya chegara kunlari
@@ -1394,31 +1402,33 @@
 DocType: Restaurant Table,Minimum Seating,Minimal yashash joyi
 DocType: Item Attribute,Item Attribute Values,Xususiyatning qiymatlari
 DocType: Examination Result,Examination Result,Test natijalari
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Xarid qilish arizasi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Xarid qilish arizasi
 ,Received Items To Be Billed,Qabul qilinadigan buyumlar
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Ayirboshlash kursi ustasi.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Ayirboshlash kursi ustasi.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Malumot Doctype {0} dan biri bo&#39;lishi kerak
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Filtrni jami nolinchi son
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Operatsion {1} uchun keyingi {0} kunda Time Slotni topib bo&#39;lmadi
 DocType: Work Order,Plan material for sub-assemblies,Sub-assemblies uchun rejalashtirilgan material
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Savdo hamkorlari va hududi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} faol bo&#39;lishi kerak
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} faol bo&#39;lishi kerak
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,O&#39;tkazish uchun hech narsa mavjud emas
 DocType: Employee Boarding Activity,Activity Name,Faoliyat nomi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Chiqish sanasini o&#39;zgartirish
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Tugallangan mahsulot miqdori <b>{0}</b> va miqdori <b>{1}</b> uchun boshqacha bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Chiqish sanasini o&#39;zgartirish
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Tugallangan mahsulot miqdori <b>{0}</b> va miqdori <b>{1}</b> uchun boshqacha bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Yakunlovchi (ochilish + jami)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Mahsulot kodi&gt; Mahsulot guruhi&gt; Tovar
+DocType: Delivery Settings,Dispatch Notification Attachment,Xabarnoma yuborish ilovasi
 DocType: Payroll Entry,Number Of Employees,Ishchilar soni
 DocType: Journal Entry,Depreciation Entry,Amortizatsiyani kiritish
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,"Iltimos, avval hujjat turini tanlang"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,"Iltimos, avval hujjat turini tanlang"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Materialni bekor qilish Bu Xizmat tashrifini bekor qilishdan avval {0} tashrif
 DocType: Pricing Rule,Rate or Discount,Tezlik yoki chegirma
 DocType: Vital Signs,One Sided,Bir tomonlama
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},No {0} seriyasi {1} mahsulotiga tegishli emas
 DocType: Purchase Receipt Item Supplied,Required Qty,Kerakli son
 DocType: Marketplace Settings,Custom Data,Maxsus ma&#39;lumotlar
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Mavjud bitimlarga ega bo&#39;lgan omborlar kitobga o&#39;tkazilmaydi.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Seriya no {0} elementi uchun majburiy emas
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Mavjud bitimlarga ega bo&#39;lgan omborlar kitobga o&#39;tkazilmaydi.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Seriya no {0} elementi uchun majburiy emas
 DocType: Bank Reconciliation,Total Amount,Umumiy hisob
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,"Sana va tarixdan boshlab, har xil moliyaviy yilda joylashadi"
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Bemor {0} billing-faktura bo&#39;yicha mijozga befarq bo&#39;lolmaydi
@@ -1429,9 +1439,9 @@
 DocType: Soil Texture,Clay Composition (%),Gil tarkibi (%)
 DocType: Item Group,Item Group Defaults,Mavzu guruhining standartlari
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,"Iltimos, vazifani tayinlashdan oldin saqlab qo&#39;ying."
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Balans qiymati
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Balans qiymati
 DocType: Lab Test,Lab Technician,Laboratoriya bo&#39;yicha mutaxassis
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Sotuvlar narxlari ro&#39;yxati
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Sotuvlar narxlari ro&#39;yxati
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Agar belgilansa, mijoz yaratiladi, bemorga ko&#39;rsatiladi. Ushbu xaridorga qarshi bemor to&#39;lovlari yaratiladi. Siz shuningdek, mavjud bemorni yaratishda mavjud mijozni tanlashingiz mumkin."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Xaridor har qanday sodiqlik dasturiga kiritilmagan
@@ -1445,13 +1455,13 @@
 DocType: Support Search Source,Search Term Param Name,Qidiruv so&#39;zi Param nomi
 DocType: Item Barcode,Item Barcode,Mahsulot shtrix kodi
 DocType: Woocommerce Settings,Endpoints,Oxirgi fikrlar
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Mavzu Variantlari {0} yangilandi
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Mavzu Variantlari {0} yangilandi
 DocType: Quality Inspection Reading,Reading 6,O&#39;qish 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,{0} {1} {2} hech qanday salbiy taqdim etgan holda taqdim etilmaydi
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,{0} {1} {2} hech qanday salbiy taqdim etgan holda taqdim etilmaydi
 DocType: Share Transfer,From Folio No,Folyodan No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Xarid-faktura avansini sotib oling
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Row {0}: kredit yozuvini {1} bilan bog&#39;lash mumkin emas
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Moliyaviy yil uchun byudjetni belgilang.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Moliyaviy yil uchun byudjetni belgilang.
 DocType: Shopify Tax Account,ERPNext Account,ERPNext hisobi
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,"{0} blokirovka qilingan, shuning uchun bu tranzaksiya davom etolmaydi"
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Yig&#39;ilgan oylik byudjet MRdan oshib ketgan taqdirda harakat
@@ -1467,19 +1477,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Xarajatlarni xarid qiling
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Biror buyurtma bo&#39;yicha bir nechta materiallarni sarflashga ruxsat berish
 DocType: GL Entry,Voucher Detail No,Voucher batafsil No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Yangi Sotuvdagi Billing
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Yangi Sotuvdagi Billing
 DocType: Stock Entry,Total Outgoing Value,Jami chiquvchi qiymat
 DocType: Healthcare Practitioner,Appointments,Uchrashuvlar
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Ochilish sanasi va Yakunlovchi sanasi bir xil Moliya yili ichida bo&#39;lishi kerak
 DocType: Lead,Request for Information,Ma&#39;lumot uchun ma&#39;lumot
 ,LeaderBoard,LeaderBoard
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Ayirboshlash kursi (Kompaniya valyutasi)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Oflayn xaritalarni sinxronlash
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Oflayn xaritalarni sinxronlash
 DocType: Payment Request,Paid,To&#39;langan
 DocType: Program Fee,Program Fee,Dastur haqi
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Muayyan BOMni ishlatilgan barcha boshqa BOMlarda o&#39;zgartiring. Qadimgi BOM liniyasini almashtirish, yangilash narxini va &quot;BOM Explosion Item&quot; jadvalini yangi BOMga mos ravishda yangilaydi. Bundan tashqari, barcha BOM&#39;lerde so&#39;nggi narxlari yangilanadi."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Quyidagi ish buyurtmalari yaratildi:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Quyidagi ish buyurtmalari yaratildi:
 DocType: Salary Slip,Total in words,So&#39;zlarning umumiy soni
 DocType: Inpatient Record,Discharged,Chiqindi
 DocType: Material Request Item,Lead Time Date,Etkazib berish vaqti
@@ -1490,16 +1500,16 @@
 DocType: Support Settings,Get Started Sections,Boshlash bo&#39;limlari
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-YYYYY.-
 DocType: Loan,Sanctioned,Sanktsiya
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,"majburiydir. Ehtimol, valyuta ayirboshlash yozuvi yaratilmagan bo&#39;lishi mumkin"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Iltimos, mahsulot uchun {1}"
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Jami qo&#39;shilgan qiymat: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Iltimos, mahsulot uchun {1}"
 DocType: Payroll Entry,Salary Slips Submitted,Ish haqi miqdori berildi
 DocType: Crop Cycle,Crop Cycle,O&#39;simlik aylanishi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&quot;Paket ro&#39;yxati&quot; jadvalidan &#39;Mahsulot paketi&#39; elementlari, QXI, seriya raqami va lotin raqami ko&#39;rib chiqilmaydi. Qimmatli qog&#39;ozlar va partiyalar raqami &quot;mahsulot paketi&quot; elementi uchun barcha qadoqlash buyumlari uchun bir xil bo&#39;lsa, ushbu qiymatlar asosiy element jadvaliga kiritilishi mumkin, qadriyatlar &#39;Paket ro&#39;yxati&#39; jadvaliga ko&#39;chiriladi."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","&quot;Paket ro&#39;yxati&quot; jadvalidan &#39;Mahsulot paketi&#39; elementlari, QXI, seriya raqami va lotin raqami ko&#39;rib chiqilmaydi. Qimmatli qog&#39;ozlar va partiyalar raqami &quot;mahsulot paketi&quot; elementi uchun barcha qadoqlash buyumlari uchun bir xil bo&#39;lsa, ushbu qiymatlar asosiy element jadvaliga kiritilishi mumkin, qadriyatlar &#39;Paket ro&#39;yxati&#39; jadvaliga ko&#39;chiriladi."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Joydan
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Paynning salbiy bo&#39;lishi mumkin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Joydan
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Paynning salbiy bo&#39;lishi mumkin
 DocType: Student Admission,Publish on website,Saytda e&#39;lon qiling
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Yetkazib beruvchi hisob-fakturasi sanasi yuborish kunidan kattaroq bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Yetkazib beruvchi hisob-fakturasi sanasi yuborish kunidan kattaroq bo&#39;lishi mumkin emas
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-YYYYY.-
 DocType: Subscription,Cancelation Date,Bekor qilish sanasi
 DocType: Purchase Invoice Item,Purchase Order Item,Buyurtma Buyurtma Buyurtma
@@ -1508,7 +1518,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Isoning shogirdi qatnashish vositasi
 DocType: Restaurant Menu,Price List (Auto created),Narxlar ro&#39;yxati (Avtomatik yaratilgan)
 DocType: Cheque Print Template,Date Settings,Sana Sozlamalari
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,Varyans
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,Varyans
 DocType: Employee Promotion,Employee Promotion Detail,Ishchilarni rag&#39;batlantirish bo&#39;yicha batafsil
 ,Company Name,kopmaniya nomi
 DocType: SMS Center,Total Message(s),Jami xabar (lar)
@@ -1537,7 +1547,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Xodimlarga Tug&#39;ilgan kun eslatmalarini yubormang
 DocType: Expense Claim,Total Advance Amount,Umumiy avans miqdori
 DocType: Delivery Stop,Estimated Arrival,Bashoratli vorisi
-DocType: Delivery Stop,Notified by Email,E-pochta orqali xabar berildi
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Barcha maqolalarni ko&#39;ring
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Yuring
 DocType: Item,Inspection Criteria,Tekshiruv mezonlari
@@ -1547,22 +1556,21 @@
 DocType: Timesheet Detail,Bill,Bill
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Oq rang
 DocType: SMS Center,All Lead (Open),Barcha qo&#39;rg&#39;oshin (ochiq)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: ({2} {3}) kirish vaqtida {1} omborida {4} uchun mavjud emas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: ({2} {3}) kirish vaqtida {1} omborida {4} uchun mavjud emas
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Tekshirish qutilarining faqat bitta variantini tanlashingiz mumkin.
 DocType: Purchase Invoice,Get Advances Paid,Avanslarni to&#39;lang
 DocType: Item,Automatically Create New Batch,Avtomatik ravishda yangi guruh yaratish
 DocType: Supplier,Represents Company,Kompaniyani anglatadi
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Qilish
 DocType: Student Admission,Admission Start Date,Qabul boshlash sanasi
 DocType: Journal Entry,Total Amount in Words,So&#39;zlarning umumiy miqdori
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Yangi xodim
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Xatolik yuz berdi. Buning bir sababi, ariza saqlanmagan bo&#39;lishi mumkin. Muammo davom etsa, iltimos, support@erpnext.com bilan bog&#39;laning."
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mening savatim
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Buyurtma turi {0} dan biri bo&#39;lishi kerak
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Buyurtma turi {0} dan biri bo&#39;lishi kerak
 DocType: Lead,Next Contact Date,Keyingi aloqa kuni
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Miqdorni ochish
 DocType: Healthcare Settings,Appointment Reminder,Uchrashuv eslatmasi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,O&#39;zgarish uchun Hisobni kiriting
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,O&#39;zgarish uchun Hisobni kiriting
 DocType: Program Enrollment Tool Student,Student Batch Name,Isoning shogirdi nomi
 DocType: Holiday List,Holiday List Name,Dam olish ro&#39;yxati nomi
 DocType: Repayment Schedule,Balance Loan Amount,Kreditning qoldig&#39;i
@@ -1572,13 +1580,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Aksiyadorlik imkoniyatlari
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Savatga hech narsa qo&#39;shilmagan
 DocType: Journal Entry Account,Expense Claim,Xarajat shikoyati
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,"Chindan ham, bu eskirgan obyektni qayta tiklashni xohlaysizmi?"
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,"Chindan ham, bu eskirgan obyektni qayta tiklashni xohlaysizmi?"
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},{0} uchun son
 DocType: Leave Application,Leave Application,Ilovani qoldiring
 DocType: Patient,Patient Relation,Kasal munosabatlar
 DocType: Item,Hub Category to Publish,Nashr etiladigan tovush kategoriyasi
 DocType: Leave Block List,Leave Block List Dates,Bloklash ro&#39;yxatini qoldiring
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Savdo Buyurtmani {0} elementi {1} uchun buyurtmani oldi, faqat {1} ni {0} ga qarshi topshirishi mumkin. Seriya No {2} taslim qilinishi mumkin emas"
 DocType: Sales Invoice,Billing Address GSTIN,To&#39;lov manzili GSTIN
@@ -1596,16 +1604,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},"Iltimos, {0}"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Sifat yoki qiymat o&#39;zgarmasdan chiqarilgan elementlar.
 DocType: Delivery Note,Delivery To,Etkazib berish
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Variantni yaratish navbatga qo&#39;yildi.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0} uchun ish xulosasi
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Variantni yaratish navbatga qo&#39;yildi.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0} uchun ish xulosasi
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,"Ro&#39;yxatdagi birinchi Approverni jo&#39;natsangiz, asl qiymati &quot;Approver qoldiring&quot; deb belgilanadi."
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Xususiyat jadvali majburiydir
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Xususiyat jadvali majburiydir
 DocType: Production Plan,Get Sales Orders,Savdo buyurtmalarini oling
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} salbiy bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Tez kitoblarga ulanish
 DocType: Training Event,Self-Study,O&#39;z-o&#39;zini tadqiq qilish
 DocType: POS Closing Voucher,Period End Date,Davrining tugash sanasi
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Tuproq tarkibida 100 ga yaqin miqdor qo&#39;shilmaydi
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Dasturi
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,{0} qatori: {1} fursatni ochish uchun {2} foyda kerak
 DocType: Membership,Membership,A&#39;zolik
 DocType: Asset,Total Number of Depreciations,Amortismanlarning umumiy soni
 DocType: Sales Invoice Item,Rate With Margin,Marj bilan baholang
@@ -1616,7 +1626,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Iltimos {1} jadvalidagi {0} qatoriga tegishli joriy qatorni identifikatorini ko&#39;rsating
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Argumentlar topilmadi:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,"Iltimos, numpad dan tahrir qilish uchun maydonni tanlang"
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,"Qimmatli qog&#39;ozlar bazasi yaratilganligi sababli, asosiy vosita bo&#39;lishi mumkin emas."
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,"Qimmatli qog&#39;ozlar bazasi yaratilganligi sababli, asosiy vosita bo&#39;lishi mumkin emas."
 DocType: Subscription Plan,Fixed rate,Ruxsat etilgan raqam
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,E&#39;tiroz bering
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Ish stoliga o&#39;ting va ERPNext dasturini ishga tushiring
@@ -1650,7 +1660,7 @@
 DocType: Tax Rule,Shipping State,Yuk tashish holati
 ,Projected Quantity as Source,Bashoratli miqdori manba sifatida
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Buyumni &quot;Xarid qilish arizalaridan olish&quot; tugmachasi yordamida qo&#39;shib qo&#39;yish kerak
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Etkazib berish
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Etkazib berish
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Transfer turi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Savdo xarajatlari
@@ -1663,8 +1673,9 @@
 DocType: Item Default,Default Selling Cost Center,Standart sotish narxlari markazi
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Disk
 DocType: Buying Settings,Material Transferred for Subcontract,Subpudrat shartnomasi uchun berilgan material
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Pochta indeksi
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Savdo Buyurtma {0} - {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Buyurtma buyurtma qilish muddati kechiktirilgan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Pochta indeksi
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Savdo Buyurtma {0} - {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},{0} da kredit foizli daromad hisobini tanlang
 DocType: Opportunity,Contact Info,Aloqa ma&#39;lumotlari
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Aktsiyalarni kiritish
@@ -1677,12 +1688,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Hisob-kitob hisobini nol hisob-kitob qilish vaqtida amalga oshirish mumkin emas
 DocType: Company,Date of Commencement,Boshlanish sanasi
 DocType: Sales Person,Select company name first.,Avval kompaniya nomini tanlang.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},{0} ga yuborilgan elektron pochta
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},{0} ga yuborilgan elektron pochta
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ta&#39;minlovchilar tomonidan olingan takliflar.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,BOMni almashtiring va barcha BOM&#39;lardagi eng so&#39;nggi narxni yangilang
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} uchun {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Bu ildiz etkazib beruvchilar guruhidir va tahrirlanmaydi.
-DocType: Delivery Trip,Driver Name,Haydovchilar nomi
+DocType: Delivery Note,Driver Name,Haydovchilar nomi
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,O&#39;rtacha yoshi
 DocType: Education Settings,Attendance Freeze Date,Ishtirok etishni to&#39;xtatish sanasi
 DocType: Payment Request,Inward,Ichkarida
@@ -1693,7 +1704,7 @@
 DocType: Company,Parent Company,Bosh kompaniya
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},{0} turidagi mehmonxona xonalarida {1}
 DocType: Healthcare Practitioner,Default Currency,Standart valyuta
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,{0} elementiga maksimal chegirma {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,{0} elementiga maksimal chegirma {1}%
 DocType: Asset Movement,From Employee,Ishchidan
 DocType: Driver,Cellphone Number,Mobil telefon raqami
 DocType: Project,Monitor Progress,Monitoring jarayoni
@@ -1709,19 +1720,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Miqdori {0} dan kam yoki unga teng bo&#39;lishi kerak
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},{0} komponentiga mos keladigan maksimal miqdor {1} dan oshib ketdi
 DocType: Department Approver,Department Approver,Bo&#39;limni tasdiqlash
+DocType: QuickBooks Migrator,Application Settings,Ilova sozlamalari
 DocType: SMS Center,Total Characters,Jami belgilar
 DocType: Employee Advance,Claimed,Da&#39;vo qilingan
 DocType: Crop,Row Spacing,Qator oralig&#39;i
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},"Iltimos, {0} uchun BOM maydonida BOM-ni tanlang"
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},"Iltimos, {0} uchun BOM maydonida BOM-ni tanlang"
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Tanlangan element uchun biron-bir element varianti yo&#39;q
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-formasi faktura detallari
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,To&#39;lovni tasdiqlash uchun schyot-faktura
 DocType: Clinical Procedure,Procedure Template,Hujjat shablonni
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Qatnashish%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Buyurtma buyurtma qilish sharti bilan sotib olish buyurtmasi bo&#39;yicha == &#39;YES&#39; bo&#39;lsa, u holda Xarid-fakturani yaratishda foydalanuvchi avval {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Qatnashish%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Buyurtma buyurtma qilish sharti bilan sotib olish buyurtmasi bo&#39;yicha == &#39;YES&#39; bo&#39;lsa, u holda Xarid-fakturani yaratishda foydalanuvchi avval {0}"
 ,HSN-wise-summary of outward supplies,HSN-donasi - tashqi manbalar sarlavhalari
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Malumot uchun kompaniya raqamlarini ro&#39;yxatdan o&#39;tkazish. Soliq raqamlari va h.k.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Davlatga
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Davlatga
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Distribyutor
 DocType: Asset Finance Book,Asset Finance Book,Asset Moliya kitobi
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Xarid qilish savatni Yuk tashish qoidalari
@@ -1730,7 +1742,7 @@
 ,Ordered Items To Be Billed,Buyurtma qilingan narsalar to&#39;lanishi kerak
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Qatordan oraliq oralig&#39;idan kam bo&#39;lishi kerak
 DocType: Global Defaults,Global Defaults,Global standartlar
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Loyiha hamkorlik taklifi
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Loyiha hamkorlik taklifi
 DocType: Salary Slip,Deductions,Tahlikalar
 DocType: Setup Progress Action,Action Name,Ro&#39;yxatdan o&#39;tish nomi
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Boshlanish yili
@@ -1744,11 +1756,12 @@
 DocType: Lead,Consultant,Konsultant
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Ota-onalar o&#39;qituvchilari uchrashuvi
 DocType: Salary Slip,Earnings,Daromadlar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Ishlab chiqarish turi uchun {0} tugagan elementni kiritish kerak
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Ishlab chiqarish turi uchun {0} tugagan elementni kiritish kerak
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Buxgalteriya balansini ochish
 ,GST Sales Register,GST Sotuvdagi Ro&#39;yxatdan
 DocType: Sales Invoice Advance,Sales Invoice Advance,Sotuvdagi schyot-faktura Advance
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,So&#39;raladigan hech narsa yo&#39;q
+DocType: Stock Settings,Default Return Warehouse,Standart qaytariladigan ombor
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Domenlaringizni tanlang
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Ta&#39;minlovchini xarid qiling
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,To&#39;lov billing elementlari
@@ -1757,15 +1770,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Maydonlar faqat yaratilish vaqtida nusxalanadi.
 DocType: Setup Progress Action,Domains,Domenlar
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',&quot;Haqiqiy boshlanish sanasi&quot; &quot;haqiqiy tugatish sanasi&quot; dan katta bo&#39;lishi mumkin emas
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Boshqarish
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Boshqarish
 DocType: Cheque Print Template,Payer Settings,To&#39;lovchining sozlamalari
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Berilgan narsalar uchun bog&#39;lanmagan Material Talablari topilmadi.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Avval kompaniya tanlang
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Bunga Variantning Mahsulot kodiga qo&#39;shiladi. Misol uchun, qisqartma &quot;SM&quot; bo&#39;lsa va element kodi &quot;T-SHIRT&quot; bo&#39;lsa, variantning element kodi &quot;T-SHIRT-SM&quot;"
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Ish haqi miqdorini saqlaganingizdan so&#39;ng, aniq to&#39;lov (so&#39;zlar bilan) ko&#39;rinadi."
 DocType: Delivery Note,Is Return,Qaytish
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,E&#39;tibor bering
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Boshlanish kuni &quot;{0}&quot; vazifasida so&#39;nggi kundan katta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Qaytaring / Debet Eslatma
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Qaytaring / Debet Eslatma
 DocType: Price List Country,Price List Country,Narxlar ro&#39;yxati
 DocType: Item,UOMs,UOMlar
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{1} uchun {0} joriy ketma-ket nos
@@ -1778,13 +1792,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Grant haqida ma&#39;lumot.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Yetkazib beruvchi ma&#39;lumotlar bazasi.
 DocType: Contract Template,Contract Terms and Conditions,Shartnoma shartlari
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Bekor qilinmagan obunani qayta boshlash mumkin emas.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Bekor qilinmagan obunani qayta boshlash mumkin emas.
 DocType: Account,Balance Sheet,Balanslar varaqasi
 DocType: Leave Type,Is Earned Leave,Ishdan chiqdi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Xarajat markazi Mahsulot kodi bo&#39;lgan mahsulot uchun &#39;
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Xarajat markazi Mahsulot kodi bo&#39;lgan mahsulot uchun &#39;
 DocType: Fee Validity,Valid Till,Tilligacha amal qiling
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Ota-onalar o&#39;qituvchilari yig&#39;ilishi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",To&#39;lov tartibi sozlanmagan. Hisobni to&#39;lov usulida yoki Qalin profilda o&#39;rnatganligini tekshiring.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",To&#39;lov tartibi sozlanmagan. Hisobni to&#39;lov usulida yoki Qalin profilda o&#39;rnatganligini tekshiring.
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Xuddi shu element bir necha marta kiritilmaydi.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Boshqa hisoblar Guruhlar ostida amalga oshirilishi mumkin, lekin guruhlar bo&#39;lmagan guruhlarga qarshi yozuvlar kiritilishi mumkin"
 DocType: Lead,Lead,Qo&#39;rg&#39;oshin
@@ -1793,11 +1807,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Stock Entry {0} yaratildi
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Siz sotib olish uchun sodiqlik nuqtalari yo&#39;q
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,# {0} qatori: Rad etilgan Qty Xarid qilishni qaytarib bo&#39;lmaydi
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},"Iltimos, tegishli hisob qaydnomasini {0} soliqni ushlab turish turkumida {1}"
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,# {0} qatori: Rad etilgan Qty Xarid qilishni qaytarib bo&#39;lmaydi
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Tanlangan mijoz uchun xaridorlar guruhini o&#39;zgartirishga ruxsat berilmaydi.
 ,Purchase Order Items To Be Billed,Buyurtma buyurtmalarini sotib olish uchun to&#39;lovlar
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Bashoratli borar vaqtlarini yangilash.
 DocType: Program Enrollment Tool,Enrollment Details,Ro&#39;yxatga olish ma&#39;lumotlari
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Bir kompaniyaga bir nechta elementlar parametrlarini sozlab bo&#39;lmaydi.
 DocType: Purchase Invoice Item,Net Rate,Sof kurs
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,"Iltimos, mijozni tanlang"
 DocType: Leave Policy,Leave Allocations,Taqdimot qoldiring
@@ -1826,7 +1842,7 @@
 DocType: Loan Application,Repayment Info,To&#39;lov ma&#39;lumoti
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,&quot;Yozuvlar&quot; bo&#39;sh bo&#39;lishi mumkin emas
 DocType: Maintenance Team Member,Maintenance Role,Xizmat roli
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Shu {1} bilan {0} qatorini nusxalash
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Shu {1} bilan {0} qatorini nusxalash
 DocType: Marketplace Settings,Disable Marketplace,Bozorni o&#39;chirib qo&#39;ying
 ,Trial Balance,Sinov balansi
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Moliyaviy yil {0} topilmadi
@@ -1837,9 +1853,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Obuna sozlamalari
 DocType: Purchase Invoice,Update Auto Repeat Reference,Avto-takroriy referatni yangilang
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Majburiy bo&#39;lmagan bayramlar ro&#39;yxati {0} dam olish muddati uchun o&#39;rnatilmadi
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Majburiy bo&#39;lmagan bayramlar ro&#39;yxati {0} dam olish muddati uchun o&#39;rnatilmadi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Tadqiqot
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,2-manzilga murojaat qilish
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,2-manzilga murojaat qilish
 DocType: Maintenance Visit Purpose,Work Done,Ish tugadi
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,"Iltimos, atributlar jadvalidagi kamida bitta xususiyatni ko&#39;rsating"
 DocType: Announcement,All Students,Barcha talabalar
@@ -1849,16 +1865,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Qabul qilingan operatsiyalar
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Eng qadimgi
 DocType: Crop Cycle,Linked Location,Bog&#39;langan joylashuv
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Mavzu guruhi bir xil nom bilan mavjud bo&#39;lib, element nomini o&#39;zgartiring yoki element guruhini o&#39;zgartiring"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group","Mavzu guruhi bir xil nom bilan mavjud bo&#39;lib, element nomini o&#39;zgartiring yoki element guruhini o&#39;zgartiring"
 DocType: Crop Cycle,Less than a year,Bir yildan kamroq
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Talabalar uchun mobil telefon raqami
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Dunyoning qolgan qismi
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Dunyoning qolgan qismi
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,{0} bandda partiyalar mavjud emas
 DocType: Crop,Yield UOM,Hosildorlik
 ,Budget Variance Report,Byudjet o&#39;zgaruvchilari hisoboti
 DocType: Salary Slip,Gross Pay,Brüt to&#39;lov
 DocType: Item,Is Item from Hub,Uyadan uydir
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Sog&#39;liqni saqlash xizmatidan ma&#39;lumotlar oling
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Sog&#39;liqni saqlash xizmatidan ma&#39;lumotlar oling
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Row {0}: Faoliyat turi majburiydir.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,To&#39;langan mablag&#39;lar
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Buxgalterlik hisobi
@@ -1873,6 +1889,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,To&#39;lov tartibi
 DocType: Purchase Invoice,Supplied Items,Mahsulotlar bilan ta&#39;minlangan
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Restoran {0} uchun faol menyu tanlang
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Komissiya darajasi%
 DocType: Work Order,Qty To Manufacture,Ishlab chiqarish uchun miqdori
 DocType: Email Digest,New Income,Yangi daromad
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Xarid qilish davrida bir xil tezlikni saqlang
@@ -1887,12 +1904,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},{0} qatoridagi element uchun baholanish darajasi
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard faoliyati
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Misol: Kompyuter fanlari magistri
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Yetkazib beruvchi {0} {1} da topilmadi
 DocType: Purchase Invoice,Rejected Warehouse,Rad etilgan ombor
 DocType: GL Entry,Against Voucher,Voucherga qarshi
 DocType: Item Default,Default Buying Cost Center,Standart xarid maskani markazi
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext-dan eng yaxshisini olish uchun, sizga biroz vaqt ajratib, ushbu yordam videoslarini tomosha qilishingizni tavsiya qilamiz."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Standart yetkazib beruvchi (ixtiyoriy)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,uchun
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Standart yetkazib beruvchi (ixtiyoriy)
 DocType: Supplier Quotation Item,Lead Time in days,Bir necha kun ichida yetkazish vaqti
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,To&#39;lanadigan qarz hisoboti
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Muzlatilgan hisobni tahrirlash uchun vakolatli emas {0}
@@ -1911,6 +1928,7 @@
 DocType: Project,% Completed,% Bajarildi
 ,Invoiced Amount (Exculsive Tax),Xarajatlar miqdori (ortiqcha soliqlar)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,2-band
+DocType: QuickBooks Migrator,Authorization Endpoint,Avtorizatsiya yakuni
 DocType: Travel Request,International,Xalqaro
 DocType: Training Event,Training Event,O&#39;quv mashg&#39;uloti
 DocType: Item,Auto re-order,Avtomatik buyurtma
@@ -1919,24 +1937,24 @@
 DocType: Contract,Contract,Shartnoma
 DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoriya sinovlari Datetime
 DocType: Email Digest,Add Quote,Iqtibos qo&#39;shish
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},UOM uchun UOM koversion faktorlari talab qilinadi: {0}: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},UOM uchun UOM koversion faktorlari talab qilinadi: {0}: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Bilvosita xarajatlar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Row {0}: Miqdor majburiydir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Row {0}: Miqdor majburiydir
 DocType: Agriculture Analysis Criteria,Agriculture,Qishloq xo&#39;jaligi
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Savdo buyurtmasini yaratish
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Aktivlar uchun hisob yozuvi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Blokni to&#39;ldirish
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Aktivlar uchun hisob yozuvi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Blokni to&#39;ldirish
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Qilish uchun miqdori
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Master ma&#39;lumotlarini sinxronlash
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Master ma&#39;lumotlarini sinxronlash
 DocType: Asset Repair,Repair Cost,Ta&#39;mirlash qiymati
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Sizning Mahsulotlaringiz yoki Xizmatlaringiz
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Kirish amalga oshmadi
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,{0} obyekti yaratildi
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,{0} obyekti yaratildi
 DocType: Special Test Items,Special Test Items,Maxsus test buyumlari
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Bozorda ro&#39;yxatdan o&#39;tish uchun tizim menejeri va element menejeri vazifalarini bajaradigan foydalanuvchi bo&#39;lishingiz kerak.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,To&#39;lov tartibi
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,Sizning belgilangan Ma&#39;ruza tuzilishiga ko&#39;ra siz nafaqa olish uchun ariza bera olmaysiz
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Veb-sayt rasmiy umumiy fayl yoki veb-sayt URL bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Veb-sayt rasmiy umumiy fayl yoki veb-sayt URL bo&#39;lishi kerak
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,Bu ildiz elementlar guruhidir va tahrirlanmaydi.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Birlashtirish
@@ -1945,7 +1963,8 @@
 DocType: Warehouse,Warehouse Contact Info,Qoidalarga oid aloqa ma&#39;lumotlari
 DocType: Payment Entry,Write Off Difference Amount,Foiz miqdorini yozing
 DocType: Volunteer,Volunteer Name,Ko&#39;ngilli ism
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent","{0}: Xodimlarning elektron pochta manzili topilmadi, shuning uchun elektron pochta orqali yuborilmadi"
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Boshqa qatorlardagi takroriy sana bilan atalgan satrlar: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent","{0}: Xodimlarning elektron pochta manzili topilmadi, shuning uchun elektron pochta orqali yuborilmadi"
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Berilgan sana {1} da Employee {0} uchun ish haqi tuzilishi tayinlangan emas
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},{0} mamlakat uchun yuk qoidalari qo&#39;llanilmaydi
 DocType: Item,Foreign Trade Details,Tashqi savdo tafsilotlari
@@ -1953,16 +1972,16 @@
 DocType: Email Digest,Annual Income,Yillik daromad
 DocType: Serial No,Serial No Details,Seriya No Details
 DocType: Purchase Invoice Item,Item Tax Rate,Soliq to&#39;lovi stavkasi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Partiya nomidan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Partiya nomidan
 DocType: Student Group Student,Group Roll Number,Guruh Rulksi raqami
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0} uchun faqat kredit hisoblari boshqa to&#39;lov usullariga bog&#39;liq bo&#39;lishi mumkin
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Yetkazib berish eslatmasi {0} yuborilmadi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Yetkazib berish eslatmasi {0} yuborilmadi
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,{0} mahsuloti sub-shartnoma qo&#39;yilgan bo&#39;lishi kerak
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Kapital uskunalar
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Raqobatchilarimiz qoidasi &quot;Apply O&#39;n&quot; maydoniga asoslanib tanlangan, bular Item, Item Group yoki Tovar bo&#39;lishi mumkin."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Avval Mahsulot kodini o&#39;rnating
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Doc turi
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Savdo jamoasi uchun jami ajratilgan foiz 100 bo&#39;lishi kerak
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Doc turi
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Savdo jamoasi uchun jami ajratilgan foiz 100 bo&#39;lishi kerak
 DocType: Subscription Plan,Billing Interval Count,Billing oralig&#39;i soni
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Uchrashuvlar va bemor uchrashuvlari
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Qiymat kam
@@ -1976,6 +1995,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Chop etish formatini yaratish
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Ish haqi yaratildi
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},{0} nomli biron-bir element topilmadi
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Elements Filter
 DocType: Supplier Scorecard Criteria,Criteria Formula,Mezon formulasi
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Jami chiqish
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Faqatgina &quot;qiymat&quot; qiymati uchun 0 yoki bo&#39;sh qiymat bilan bitta &quot;Yuk tashish qoidasi&quot; sharti bo&#39;lishi mumkin.
@@ -1984,14 +2004,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",{0} elementi uchun miqdor musbat son bo&#39;lishi kerak
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Eslatma: Ushbu xarajatlar markazi - bu guruh. Guruhlarga nisbatan buxgalteriya yozuvlarini kiritib bo&#39;lmaydi.
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Kompensatsion ta&#39;til talablari joriy bayramlarda emas
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ushbu ombor uchun bolalar ombori mavjud. Ushbu omborni o&#39;chira olmaysiz.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ushbu ombor uchun bolalar ombori mavjud. Ushbu omborni o&#39;chira olmaysiz.
 DocType: Item,Website Item Groups,Veb-sayt elementlari guruhlari
 DocType: Purchase Invoice,Total (Company Currency),Jami (Kompaniya valyutasi)
 DocType: Daily Work Summary Group,Reminder,Eslatma
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Kirish mumkin bo&#39;lgan qiymat
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Kirish mumkin bo&#39;lgan qiymat
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Seriya raqami {0} bir necha marta kiritilgan
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Jurnalga kirish
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,GSTINdan
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,GSTINdan
 DocType: Expense Claim Advance,Unclaimed amount,Talab qilinmagan miqdor
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,Joriy {0} ta element
 DocType: Workstation,Workstation Name,Ish stantsiyasining nomi
@@ -1999,7 +2019,7 @@
 DocType: POS Item Group,POS Item Group,Qalin modda guruhi
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-pochtasi:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Shu bilan bir qatorda element element kodi bilan bir xil bo&#39;lmasligi kerak
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} {1} mahsulotiga tegishli emas
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} {1} mahsulotiga tegishli emas
 DocType: Sales Partner,Target Distribution,Nishon tarqatish
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06 - Vaqtinchalik baholashni yakunlash
 DocType: Salary Slip,Bank Account No.,Bank hisob raqami
@@ -2008,7 +2028,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Scorecard o&#39;zgaruvchilari, shuningdek: {total_score} (o&#39;sha davrdagi jami ball), {period_number} (hozirgi kunlar soni)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Hammasini ixchamlashtirish
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Hammasini ixchamlashtirish
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Buyurtma buyurtmasini yaratish
 DocType: Quality Inspection Reading,Reading 8,O&#39;qish 8
 DocType: Inpatient Record,Discharge Note,Ajratish Eslatma
@@ -2024,7 +2044,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Privilege Leave
 DocType: Purchase Invoice,Supplier Invoice Date,Yetkazib beruvchi hisob-fakturasi sanasi
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ushbu qiymat proportsan temporis hisoblash uchun ishlatiladi
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Savatga savatni faollashtirishingiz kerak
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Savatga savatni faollashtirishingiz kerak
 DocType: Payment Entry,Writeoff,Hisobdan o&#39;chirish
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Namunali nomlar uchun prefiks
@@ -2039,11 +2059,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Quyidagilar orasida o&#39;zaro kelishilgan shartlar:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Journal Entryga qarshi {0} da allaqachon boshqa bir kvotaga nisbatan o&#39;rnatilgan
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Umumiy Buyurtma qiymati
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Ovqat
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Ovqat
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Qarish oralig&#39;i 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Qalin yopish voucher tafsilotlari
 DocType: Shopify Log,Shopify Log,Jurnalni xarid qilish
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Iltimos, {0} uchun nomlash seriyasini Sozlamalar&gt; Sozlamalar&gt; Naming Series orqali sozlang"
 DocType: Inpatient Occupancy,Check In,Belgilanish
 DocType: Maintenance Schedule Item,No of Visits,Tashriflar soni
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +36,Enrolling student,Talabgorni ro&#39;yxatga olish
@@ -2082,6 +2101,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Maksimal imtiyozlar (miqdori)
 DocType: Purchase Invoice,Contact Person,Bog&#39;lanish uchun shahs
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',&quot;Bashoratli boshlanish sanasi&quot; kutilgan &quot;tugash sanasi&quot; dan kattaroq bo&#39;la olmaydi
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Ushbu davr uchun ma&#39;lumot yo&#39;q
 DocType: Course Scheduling Tool,Course End Date,Kurs tugash sanasi
 DocType: Holiday List,Holidays,Bayramlar
 DocType: Sales Order Item,Planned Quantity,Rejalashtirilgan miqdori
@@ -2093,7 +2113,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Ruxsat etilgan aktivlardagi aniq o&#39;zgarish
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Barcha belgilar uchun hisobga olingan holda bo&#39;sh qoldiring
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} qatoridagi &quot;Haqiqiy&quot; turidagi to&#39;lovni &quot;Oddiy qiymat&quot; ga qo&#39;shish mumkin emas
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} qatoridagi &quot;Haqiqiy&quot; turidagi to&#39;lovni &quot;Oddiy qiymat&quot; ga qo&#39;shish mumkin emas
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Maks: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime&#39;dan
 DocType: Shopify Settings,For Company,Kompaniya uchun
@@ -2106,9 +2126,9 @@
 DocType: Material Request,Terms and Conditions Content,Shartlar va shartlar tarkibi
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Dars jadvali yaratishda xatolar yuz berdi
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Ro&#39;yxatdagi dastlabki xarajatlarning dastlabki qiymatini tasdiqlash uchun standart Expense Approver deb belgilanadi.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,100 dan ortiq bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,100 dan ortiq bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Market Manager&#39;da ro&#39;yxatdan o&#39;tish uchun tizim menejeri va element menejeri vazifalarini bajaruvchi Administratordan boshqa foydalanuvchi bo&#39;lishingiz kerak.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,{0} elementi aktsiyalar elementi emas
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,{0} elementi aktsiyalar elementi emas
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Rejalashtirilmagan
 DocType: Employee,Owned,Egasi
@@ -2136,7 +2156,7 @@
 DocType: HR Settings,Employee Settings,Xodimlarning sozlashlari
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,To&#39;lov tizimini o&#39;rnatish
 ,Batch-Wise Balance History,Batch-Wise Balance History
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"# {0} satri: {1} element uchun taqdim etgan summa miqdoridan katta bo&#39;lsa, Rate ni o&#39;rnatib bo&#39;lmaydi."
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,"# {0} satri: {1} element uchun taqdim etgan summa miqdoridan katta bo&#39;lsa, Rate ni o&#39;rnatib bo&#39;lmaydi."
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Chop etish moslamalari tegishli bosib chiqarish formatida yangilanadi
 DocType: Package Code,Package Code,Paket kodi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Chiragcha
@@ -2144,7 +2164,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Salbiy miqdorda ruxsat berilmaydi
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Element ustasidan magistral sifatida olib kelingan va ushbu sohada saqlangan soliq batafsil jadvali. Soliqlar va yig&#39;imlar uchun ishlatiladi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Xodim o&#39;z oldiga hisobot bera olmaydi.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Xodim o&#39;z oldiga hisobot bera olmaydi.
 DocType: Leave Type,Max Leaves Allowed,Maks barglari ruxsat etilgan
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Agar hisob buzilgan bo&#39;lsa, kirishlar cheklangan foydalanuvchilarga ruxsat etiladi."
 DocType: Email Digest,Bank Balance,Bank balansi
@@ -2170,6 +2190,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Bank Tranzaktsiyasi Yozuvlari
 DocType: Quality Inspection,Readings,O&#39;qishlar
 DocType: Stock Entry,Total Additional Costs,Jami qo&#39;shimcha xarajatlar
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,O&#39;zaro aloqalar yo&#39;q
 DocType: BOM,Scrap Material Cost(Company Currency),Hurda Materiallar narxi (Kompaniya valyutasi)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Quyi majlislar
 DocType: Asset,Asset Name,Asset nomi
@@ -2177,10 +2198,10 @@
 DocType: Shipping Rule Condition,To Value,Qiymati uchun
 DocType: Loyalty Program,Loyalty Program Type,Sadoqat dasturi turi
 DocType: Asset Movement,Stock Manager,Aktsiyadorlar direktori
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Resurs ombori {0} qatoriga kiritilishi shart
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Resurs ombori {0} qatoriga kiritilishi shart
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,"{0} qatoridagi to&#39;lov muddati, ehtimol, ikki nusxadir."
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Qishloq xo&#39;jaligi (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Qoplamali sumkasi
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Qoplamali sumkasi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Ofis ijarasi
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,SMS-gateway sozlamalarini to&#39;g&#39;rilash
 DocType: Disease,Common Name,Umumiy nom
@@ -2212,20 +2233,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,E-pochtani ish haqi xodimiga aylantirish
 DocType: Cost Center,Parent Cost Center,Ota-xarajatlar markazi
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Mumkin etkazib beruvchini tanlang
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Mumkin etkazib beruvchini tanlang
 DocType: Sales Invoice,Source,Manba
 DocType: Customer,"Select, to make the customer searchable with these fields",Xaridorni ushbu maydonlar bo&#39;yicha qidirish uchun tanlang
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Taqdimotda Shopify&#39;dan etkazib berish eslatmalarini import qilish
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Yopiq ko&#39;rsatilsin
 DocType: Leave Type,Is Leave Without Pay,To&#39;lovsiz qoldirish
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Assot kategoriyasi Ruxsat etilgan obyektlar uchun majburiydir
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Assot kategoriyasi Ruxsat etilgan obyektlar uchun majburiydir
 DocType: Fee Validity,Fee Validity,Ish haqi amal qilish muddati
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,To&#39;lov jadvalida yozuvlar topilmadi
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},{0} {2} {3} uchun {1} bilan nizolar
 DocType: Student Attendance Tool,Students HTML,Talabalar HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Iltimos, ushbu hujjatni bekor qilish uchun &quot; <a href=""#Form/Employee/{0}"">{0}</a> \&quot; xodimini o&#39;chirib tashlang"
 DocType: POS Profile,Apply Discount,Dasturni qo&#39;llash
 DocType: GST HSN Code,GST HSN Code,GST HSN kodi
 DocType: Employee External Work History,Total Experience,Umumiy tajriba
@@ -2248,7 +2266,7 @@
 DocType: Maintenance Schedule,Schedules,Jadvallar
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Sotish nuqtasini ishlatish uchun qalin profil talab qilinadi
 DocType: Cashier Closing,Net Amount,Net miqdori
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} yuborilmadi, shuning uchun amal bajarilmaydi"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} yuborilmadi, shuning uchun amal bajarilmaydi"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM batafsil
 DocType: Landed Cost Voucher,Additional Charges,Qo&#39;shimcha ish haqi
 DocType: Support Search Source,Result Route Field,Natija yo&#39;nalishi maydoni
@@ -2277,11 +2295,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Xarajatlarni ochish
 DocType: Contract,Contract Details,Shartnomalar haqida ma&#39;lumot
 DocType: Employee,Leave Details,Batafsil ma&#39;lumotni qoldiring
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,"Iltimos, foydalanuvchi identifikatorini Xodimlar roliga o&#39;rnatish uchun Xodimlar ro&#39;yxatiga qo&#39;ying"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,"Iltimos, foydalanuvchi identifikatorini Xodimlar roliga o&#39;rnatish uchun Xodimlar ro&#39;yxatiga qo&#39;ying"
 DocType: UOM,UOM Name,UOM nomi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,1-manzilga murojaat qilish
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,1-manzilga murojaat qilish
 DocType: GST HSN Code,HSN Code,HSN kodi
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Qatnashchining miqdori
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Qatnashchining miqdori
 DocType: Inpatient Record,Patient Encounter,Bemor uchrashuvi
 DocType: Purchase Invoice,Shipping Address,Yetkazish manzili
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ushbu vosita tizimdagi aktsiyalar miqdorini va qiymatini yangilashga yordam beradi. Odatda tizim qiymatlarini va sizning omborlaringizda mavjud bo&#39;lgan narsalarni sinxronlashtirish uchun foydalaniladi.
@@ -2298,9 +2316,9 @@
 DocType: Travel Itinerary,Mode of Travel,Sayohat rejimi
 DocType: Sales Invoice Item,Brand Name,Brendning nomi
 DocType: Purchase Receipt,Transporter Details,Tashuvchi ma&#39;lumoti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Tanlangan element uchun odatiy ombor kerak
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Tanlangan element uchun odatiy ombor kerak
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,Box
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Mumkin bo&#39;lgan yetkazib beruvchi
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Mumkin bo&#39;lgan yetkazib beruvchi
 DocType: Budget,Monthly Distribution,Oylik tarqatish
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Qabul qiladiganlar ro&#39;yxati bo&#39;sh. Iltimos, qabul qiluvchi ro&#39;yxatini yarating"
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Sog&#39;liqni saqlash (beta)
@@ -2321,6 +2339,7 @@
 ,Lead Name,Qurilish nomi
 ,POS,Qalin
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Tadqiqotlar
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Qimmatli qog&#39;ozlar balansini ochish
 DocType: Asset Category Account,Capital Work In Progress Account,Sarmoyaviy ish olib borilmoqda
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Asset qiymatini sozlash
@@ -2329,7 +2348,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0} uchun muvaffaqiyatli tarzda ajratilgan qoldirilganlar
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,To&#39;plam uchun hech narsa yo&#39;q
 DocType: Shipping Rule Condition,From Value,Qiymatdan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Ishlab chiqarish miqdori majburiydir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Ishlab chiqarish miqdori majburiydir
 DocType: Loan,Repayment Method,Qaytarilish usuli
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Agar belgilansa, Bosh sahifa veb-sayt uchun standart elementlar guruhi bo&#39;ladi"
 DocType: Quality Inspection Reading,Reading 4,O&#39;qish 4
@@ -2354,7 +2373,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Xodimga murojaat
 DocType: Student Group,Set 0 for no limit,Hech qanday chegara uchun 0-ni tanlang
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dam olish uchun ariza topshirgan kun (lar) bayramdir. Siz ta&#39;tilga ariza berishingiz shart emas.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Roy {idx}: {field} Opening {invoice_type} Xarajatlarni yaratish uchun talab qilinadi
 DocType: Customer,Primary Address and Contact Detail,Birlamchi manzil va aloqa ma&#39;lumotlari
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,To&#39;lov E-pochtasini qayta yuboring
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Yangi topshiriq
@@ -2364,21 +2382,21 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,"Iltimos, kamida bitta domenni tanlang."
 DocType: Dependent Task,Dependent Task,Qaram vazifa
 DocType: Shopify Settings,Shopify Tax Account,Soliq hisobini sotish
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Birlamchi o&#39;lchov birligi uchun ishlab chiqarish omili {0} qatorida 1 bo&#39;lishi kerak
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},{0} tipidagi qoldiring {1} dan uzun bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Birlamchi o&#39;lchov birligi uchun ishlab chiqarish omili {0} qatorida 1 bo&#39;lishi kerak
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},{0} tipidagi qoldiring {1} dan uzun bo&#39;lishi mumkin emas
 DocType: Delivery Trip,Optimize Route,Marshrutni optimallashtirish
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,X kun oldin rejalashtirilgan operatsiyalarni sinab ko&#39;ring.
 DocType: HR Settings,Stop Birthday Reminders,Tug&#39;ilgan kunlar eslatmalarini to&#39;xtatish
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Amazon tomonidan soliq va yig&#39;im ma&#39;lumotlarini moliyaviy jihatdan taqsimlash
 DocType: SMS Center,Receiver List,Qabul qiluvchi ro&#39;yxati
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Qidiruv vositasi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Qidiruv vositasi
 DocType: Payment Schedule,Payment Amount,To&#39;lov miqdori
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Yarim kunlik sana Sana va Ish tugash sanasi o&#39;rtasida bo&#39;lishi kerak
 DocType: Healthcare Settings,Healthcare Service Items,Sog&#39;liqni saqlash xizmatlari
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Iste&#39;mol qilingan summalar
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Naqd pulning aniq o&#39;zgarishi
 DocType: Assessment Plan,Grading Scale,Baholash o&#39;lchovi
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,O&#39;lchov birligi {0} bir necha marta kiritilgan
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,O&#39;lchov birligi {0} bir necha marta kiritilgan
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,To&#39;liq bajarildi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Al-Qoida
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2401,25 +2419,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Seriya No {0} miqdori {1} bir qism emas
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,"Iltimos, Woocommerce Server URL manzilini kiriting"
 DocType: Purchase Order Item,Supplier Part Number,Yetkazib beruvchi qismi raqami
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Ishlab chiqarish darajasi 0 yoki 1 bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Ishlab chiqarish darajasi 0 yoki 1 bo&#39;lishi mumkin emas
 DocType: Share Balance,To No,Yo&#39;q
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Xodimlarni yaratish bo&#39;yicha barcha majburiy ishlar hali bajarilmadi.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} bekor qilindi yoki to&#39;xtatildi
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} bekor qilindi yoki to&#39;xtatildi
 DocType: Accounts Settings,Credit Controller,Kredit nazoratchisi
 DocType: Loan,Applicant Type,Ariza beruvchi turi
 DocType: Purchase Invoice,03-Deficiency in services,03 - Xizmatlarning etishmasligi
 DocType: Healthcare Settings,Default Medical Code Standard,Standart tibbiy standartlar standarti
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Xarid qilish shakli {0} yuborilmaydi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Xarid qilish shakli {0} yuborilmaydi
 DocType: Company,Default Payable Account,Foydalanuvchi to&#39;lanadigan hisob
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Yuk tashish qoidalari, narxlar ro&#39;yxati va h.k. kabi onlayn xarid qilish vositasi sozlamalari"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% to&#39;ldirildi
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Saqlandi Qty
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Saqlandi Qty
 DocType: Party Account,Party Account,Partiya hisoblari
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,"Marhamat, Kompaniya va Belgilash-ni tanlang"
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Kadrlar bo&#39;limi
-DocType: Lead,Upper Income,Yuqori daromad
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Yuqori daromad
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Rad etish
 DocType: Journal Entry Account,Debit in Company Currency,Kompaniya valyutasidagi debet
 DocType: BOM Item,BOM Item,BOM Item
@@ -2436,7 +2454,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",{0} belgilash uchun ish joylari allaqachon ochilgan yoki ishga yollanish {1}
 DocType: Vital Signs,Constipated,Qabirlangan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},{1} {0} etkazib beruvchi hisob-fakturasiga qarshi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},{1} {0} etkazib beruvchi hisob-fakturasiga qarshi
 DocType: Customer,Default Price List,Standart narx ro&#39;yxati
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,Aktivlar harakati qaydlari {0} yaratildi
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Hech qanday mahsulot topilmadi.
@@ -2452,16 +2470,17 @@
 DocType: Journal Entry,Entry Type,Kirish turi
 ,Customer Credit Balance,Xaridorlarning kredit balansi
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,To&#39;lanadigan qarzlarning sof o&#39;zgarishi
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Xaridor uchun {0} ({1} / {2}) krediti cheklanganligi
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Iltimos, {0} uchun nomlash seriyasini Sozlamalar&gt; Sozlamalar&gt; Naming Series orqali sozlang"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Xaridor uchun {0} ({1} / {2}) krediti cheklanganligi
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',&quot;Customerwise-ning dasturi&quot;
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,Bankdagi to&#39;lov kunlarini jurnallar bilan yangilang.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Raqobatchilar
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Raqobatchilar
 DocType: Quotation,Term Details,Terim detallari
 DocType: Employee Incentive,Employee Incentive,Ishchilarni rag&#39;batlantirish
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ushbu talabalar guruhida {0} dan ortiq talabalarni ro&#39;yxatdan o&#39;tkazib bo&#39;lmaydi.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Hammasi bo&#39;lib (soliqsiz)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Qo&#39;rg&#39;oshin soni
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Mavjudotlar mavjud
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Mavjudotlar mavjud
 DocType: Manufacturing Settings,Capacity Planning For (Days),Imkoniyatlarni rejalashtirish (kunlar)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Xarid qilish
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Hech qaysi mahsulot miqdori yoki qiymati o&#39;zgarmas.
@@ -2485,7 +2504,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Qoldiring va davom eting
 DocType: Asset,Comprehensive Insurance,To&#39;liq sug&#39;urta
 DocType: Maintenance Visit,Partially Completed,Qisman bajarildi
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Sadoqat nuqtasi: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Sadoqat nuqtasi: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Rahbarlar qo&#39;shing
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,O&#39;rtacha sezuvchanlik
 DocType: Leave Type,Include holidays within leaves as leaves,Bayramlardagi bayramlarni barglar sifatida qo&#39;shish
 DocType: Loyalty Program,Redemption,Qaytarilish
@@ -2517,7 +2537,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Marketing xarajatlari
 ,Item Shortage Report,Mavzu kamchiliklari haqida hisobot
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,"Standart mezonlarni yaratib bo&#39;lmaydi. Iltimos, mezonlarni qayta nomlash"
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Og&#39;irligi ko&#39;rsatilgan, \ n &quot;Og&#39;irligi UOM&quot; ni ham eslang"
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Og&#39;irligi ko&#39;rsatilgan, \ n &quot;Og&#39;irligi UOM&quot; ni ham eslang"
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Ushbu moddiy yordamni kiritish uchun foydalanilgan materiallar talabi
 DocType: Hub User,Hub Password,Uyadagi parol
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Har bir guruh uchun alohida kurs bo&#39;yicha guruh
@@ -2531,15 +2551,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Uchrashuv davomiyligi (daqiqa)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Har bir aktsiyadorlik harakati uchun buxgalteriya hisobini kiritish
 DocType: Leave Allocation,Total Leaves Allocated,Jami ajratmalar
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,"Iltimos, joriy moliyaviy yilni boshlash va tugatish sanasini kiriting"
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,"Iltimos, joriy moliyaviy yilni boshlash va tugatish sanasini kiriting"
 DocType: Employee,Date Of Retirement,Pensiya tarixi
 DocType: Upload Attendance,Get Template,Andoza olish
+,Sales Person Commission Summary,Sotuvchi Sotuvlar bo&#39;yicha Komissiya Xulosa
 DocType: Additional Salary Component,Additional Salary Component,Qo&#39;shimcha ish haqi komponenti
 DocType: Material Request,Transferred,O&#39;tkazildi
 DocType: Vehicle,Doors,Eshiklar
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext O&#39;rnatish tugallandi!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext O&#39;rnatish tugallandi!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Kasalni ro&#39;yxatdan o&#39;tkazish uchun yig&#39;im to&#39;lash
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Birja bitimidan keyin Xususiyatlarni o&#39;zgartirib bo&#39;lmaydi. Yangi mahsulotni yarating va yangi mahsulotga aktsiyalaringizni topshiring
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Birja bitimidan keyin Xususiyatlarni o&#39;zgartirib bo&#39;lmaydi. Yangi mahsulotni yarating va yangi mahsulotga aktsiyalaringizni topshiring
 DocType: Course Assessment Criteria,Weightage,Og&#39;irligi
 DocType: Purchase Invoice,Tax Breakup,Soliq to&#39;lash
 DocType: Employee,Joining Details,Tafsilotlar qo&#39;shilishi
@@ -2567,14 +2588,15 @@
 DocType: Lead,Next Contact By,Keyingi aloqa
 DocType: Compensatory Leave Request,Compensatory Leave Request,Compensatory Leave Request
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},{1} qatoridagi {0} element uchun zarur miqdori
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},{1} elementi uchun {0} ombori miqdorini yo&#39;q qilib bo&#39;lmaydi
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},{1} elementi uchun {0} ombori miqdorini yo&#39;q qilib bo&#39;lmaydi
 DocType: Blanket Order,Order Type,Buyurtma turi
 ,Item-wise Sales Register,Buyurtmalar savdosi
 DocType: Asset,Gross Purchase Amount,Xarid qilishning umumiy miqdori
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Ochilish balanslari
 DocType: Asset,Depreciation Method,Amortizatsiya usuli
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ushbu soliq asosiy narxga kiritilganmi?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Umumiy maqsad
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Umumiy maqsad
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Hisni tahlil qilish
 DocType: Soil Texture,Sand Composition (%),Qum tarkibi (%)
 DocType: Job Applicant,Applicant for a Job,Ish uchun murojaat etuvchi
 DocType: Production Plan Material Request,Production Plan Material Request,Ishlab chiqarish rejasi Materiallar talabi
@@ -2589,23 +2611,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Baholash belgisi (10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobil raqami
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Asosiy
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,{0} elementdan so&#39;ng {1} element sifatida belgilangani yo&#39;q. Ularni Item masterdan {1} element sifatida faollashtirishingiz mumkin
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Variant
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",{0} maqola uchun miqdori salbiy son bo&#39;lishi kerak
 DocType: Naming Series,Set prefix for numbering series on your transactions,Sizning operatsiyalaringizda raqamlash seriyasi uchun prefiksni o&#39;rnating
 DocType: Employee Attendance Tool,Employees HTML,Xodimlar HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,Ushbu element yoki uning shabloni uchun standart BOM ({0}) faol bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,Ushbu element yoki uning shabloni uchun standart BOM ({0}) faol bo&#39;lishi kerak
 DocType: Employee,Leave Encashed?,Encashed qoldiringmi?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Fursatdan dalolat majburiy
 DocType: Email Digest,Annual Expenses,Yillik xarajatlar
 DocType: Item,Variants,Variantlar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Buyurtma buyurtma qiling
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Buyurtma buyurtma qiling
 DocType: SMS Center,Send To,Yuborish
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},{0} to`g`ri to`g`ri uchun muvozanat etarli emas
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},{0} to`g`ri to`g`ri uchun muvozanat etarli emas
 DocType: Payment Reconciliation Payment,Allocated amount,Ajratilgan mablag&#39;
 DocType: Sales Team,Contribution to Net Total,Net jami hissa ulushi
 DocType: Sales Invoice Item,Customer's Item Code,Xaridorning mahsulot kodi
 DocType: Stock Reconciliation,Stock Reconciliation,Qimmatli qog&#39;ozlar bilan kelishuv
 DocType: Territory,Territory Name,Hududning nomi
+DocType: Email Digest,Purchase Orders to Receive,Qabul qilish buyurtmalarini sotib olish
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Yuborishdan oldin ishlaydigan ishlab chiqarish ombori talab qilinadi
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Obunada faqat bitta hisob-kitob davriga ega Planlar mavjud
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Maplangan ma&#39;lumotlar
@@ -2620,9 +2644,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Duplikat ketma-ket No {0} element uchun kiritilgan
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Qo&#39;rg&#39;oshin manbai yordamida kuzatib boring.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,Yuk tashish qoidalari uchun shart
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,"Iltimos, kiring"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,"Iltimos, kiring"
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Xizmat yozuvi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,"Iltimos, filtrni yoki odatiy ob&#39;ektni tanlang"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,"Iltimos, filtrni yoki odatiy ob&#39;ektni tanlang"
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Ushbu paketning sof og&#39;irligi. (mahsulotning sof og&#39;irligi yig&#39;indisi sifatida avtomatik ravishda hisoblanadi)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Inter kompaniyasiga jurnalni kiritish
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Diskontning miqdori 100% dan ortiq bo&#39;lishi mumkin emas.
@@ -2631,11 +2655,11 @@
 DocType: Sales Order,To Deliver and Bill,Taqdim etish va Bill
 DocType: Student Group,Instructors,O&#39;qituvchilar
 DocType: GL Entry,Credit Amount in Account Currency,Hisob valyutasida kredit summasi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} yuborilishi kerak
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Hissa boshqarish
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} yuborilishi kerak
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Hissa boshqarish
 DocType: Authorization Control,Authorization Control,Avtorizatsiya nazorati
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Roy # {0}: Rad etilgan QXI rad etilgan elementga qarshi majburiydir {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,To&#39;lov
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Roy # {0}: Rad etilgan QXI rad etilgan elementga qarshi majburiydir {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,To&#39;lov
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","{0} ombori har qanday hisobga bog&#39;lanmagan bo&#39;lsa, iltimos, zaxiradagi yozuvni qayd qiling yoki kompaniya {1} da odatiy inventarizatsiya hisobini o&#39;rnating."
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Buyurtmalarni boshqaring
 DocType: Work Order Operation,Actual Time and Cost,Haqiqiy vaqt va narx
@@ -2650,6 +2674,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Umumiy ish soatlari eng ko&#39;p ish vaqti {0} dan ortiq bo&#39;lmasligi kerak
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Yoqilgan
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Sotuv vaqtidagi narsalarni to&#39;plash.
+DocType: Delivery Settings,Dispatch Settings,Dispetcher sozlamalari
 DocType: Material Request Plan Item,Actual Qty,Haqiqiy Miqdor
 DocType: Sales Invoice Item,References,Manbalar
 DocType: Quality Inspection Reading,Reading 10,O&#39;qish 10
@@ -2659,11 +2684,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Siz ikki nusxadagi ma&#39;lumotlar kiritdingiz. Iltimos, tuzatish va qayta urinib ko&#39;ring."
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Birgalikda
 DocType: Asset Movement,Asset Movement,Asset harakati
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Buyurtma {0} topshirilishi kerak
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Yangi savat
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Buyurtma {0} topshirilishi kerak
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Yangi savat
 DocType: Taxable Salary Slab,From Amount,Miqdori bo&#39;yicha
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} mahsuloti seriyali element emas
 DocType: Leave Type,Encashment,Inkassatsiya
+DocType: Delivery Settings,Delivery Settings,Yetkazib berish sozlamalari
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Ma&#39;lumotlarni olish
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},{0} turidagi ruxsat etilgan maksimal ruxsatnoma {1}
 DocType: SMS Center,Create Receiver List,Qabul qiluvchining ro&#39;yxatini yaratish
 DocType: Vehicle,Wheels,Jantlar
@@ -2679,7 +2706,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,To&#39;lov valyutasi odatiy kompaniyaning valyutasiga yoki partiyaning hisobvaraqlariga teng bo&#39;lishi kerak
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Paket ushbu etkazib berishning bir qismi ekanligini ko&#39;rsatadi (faqat loyiha)
 DocType: Soil Texture,Loam,Loam
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Row {0}: sanasi sanasidan oldin sanasi bo&#39;lmaydi
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Row {0}: sanasi sanasidan oldin sanasi bo&#39;lmaydi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,To&#39;lovni kiritish
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},{0} uchun mahsulot miqdori {1} dan kam bo&#39;lishi kerak
 ,Sales Invoice Trends,Sotuvdagi taqdim etgan tendentsiyalari
@@ -2687,12 +2714,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Qatorni faqatgina &#39;On oldingi satr miqdori&#39; yoki &#39;oldingi qatorni jami&#39;
 DocType: Sales Order Item,Delivery Warehouse,Etkazib beriladigan ombor
 DocType: Leave Type,Earned Leave Frequency,Ishdan chiqish chastotasi
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Moliyaviy xarajatlar markazlarining daraxti.
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Pastki toifa
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Moliyaviy xarajatlar markazlarining daraxti.
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Pastki toifa
 DocType: Serial No,Delivery Document No,Yetkazib berish hujjati №
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Ishlab chiqarilgan seriya raqami asosida etkazib berishni ta&#39;minlash
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},{0} da kompaniyadagi aktivlarni yo&#39;qotish bo&#39;yicha &#39;Qimmatli /
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},{0} da kompaniyadagi aktivlarni yo&#39;qotish bo&#39;yicha &#39;Qimmatli /
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Buyurtma olimlaridan narsalarni oling
 DocType: Serial No,Creation Date,Yaratilish sanasi
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Ob&#39;ekt uchun {0}
@@ -2706,10 +2733,11 @@
 DocType: Item,Has Variants,Varyantlar mavjud
 DocType: Employee Benefit Claim,Claim Benefit For,Shikoyat uchun manfaat
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Javobni yangilash
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},{0} {1} dan tanlangan elementlarni tanladingiz
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},{0} {1} dan tanlangan elementlarni tanladingiz
 DocType: Monthly Distribution,Name of the Monthly Distribution,Oylik tarqatish nomi
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,Partiya identifikatori majburiydir
 DocType: Sales Person,Parent Sales Person,Ota-savdogar
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Qabul qilinadigan hech qanday ma&#39;lumot kechikmaydi
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Sotuvchi va xaridor bir xil bo&#39;lishi mumkin emas
 DocType: Project,Collect Progress,Harakatlanishni to&#39;plash
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2725,7 +2753,7 @@
 DocType: Bank Guarantee,Margin Money,Margin pul
 DocType: Budget,Budget,Byudjet
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Ochish-ni tanlang
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Ruxsat etilgan aktiv elementi qimmatli qog&#39;oz emas.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Ruxsat etilgan aktiv elementi qimmatli qog&#39;oz emas.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Byudjet {0} ga nisbatan tayinlanishi mumkin emas, chunki u daromad yoki xarajatlar hisobidir"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0} uchun maksimal ozod miqdori {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Saqlandi
@@ -2743,9 +2771,9 @@
 ,Amount to Deliver,Taqdim etiladigan summalar
 DocType: Asset,Insurance Start Date,Sug&#39;urta Boshlanish sanasi
 DocType: Salary Component,Flexible Benefits,Moslashuvchan imtiyozlar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Xuddi shu element bir necha marta kiritilgan. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Xuddi shu element bir necha marta kiritilgan. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Davrning boshlanishi sana atamasi bilan bog&#39;liq bo&#39;lgan Akademik yilning Yil boshlanishi sanasidan oldin bo&#39;lishi mumkin emas (Akademik yil (})). Iltimos, sanalarni tahrirlang va qaytadan urinib ko&#39;ring."
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Xatolar bor edi.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Xatolar bor edi.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,{0} xizmatdoshi {1} uchun {2} va {3}) orasida allaqachon murojaat qilgan:
 DocType: Guardian,Guardian Interests,Guardian manfaatlari
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Hisob nomi / raqamini yangilang
@@ -2784,9 +2812,9 @@
 ,Item-wise Purchase History,Ob&#39;ektga qarab sotib olish tarixi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},{0} elementiga qo&#39;shilgan ketma-ketlik uchun &quot;Jadvalni yarat&quot; tugmasini bosing
 DocType: Account,Frozen,Muzlatilgan
-DocType: Delivery Note,Vehicle Type,Avtomobil turi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Avtomobil turi
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Asosiy miqdor (Kompaniya valyutasi)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Xom ashyolar
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Xom ashyolar
 DocType: Payment Reconciliation Payment,Reference Row,Reference Row
 DocType: Installation Note,Installation Time,O&#39;rnatish vaqti
 DocType: Sales Invoice,Accounting Details,Hisobot tafsilotlari
@@ -2795,12 +2823,13 @@
 DocType: Inpatient Record,O Positive,U ijobiy
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Investitsiyalar
 DocType: Issue,Resolution Details,Qaror ma&#39;lumotlari
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Jurnal turi
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Jurnal turi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Qabul shartlari
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,"Iltimos, yuqoridagi jadvalda Materiallar talablarini kiriting"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Jurnalga kirish uchun to&#39;lovlar yo&#39;q
 DocType: Hub Tracked Item,Image List,Rasm ro&#39;yxati
 DocType: Item Attribute,Attribute Name,Xususiyat nomi
+DocType: Subscription,Generate Invoice At Beginning Of Period,Billing boshlang
 DocType: BOM,Show In Website,Saytda ko&#39;rsatish
 DocType: Loan Application,Total Payable Amount,To&#39;lanadigan qarz miqdori
 DocType: Task,Expected Time (in hours),Kutilgan vaqt (soatda)
@@ -2836,7 +2865,7 @@
 DocType: Employee,Resignation Letter Date,Ishdan bo&#39;shatish xati
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Raqobatchilar qoidalari miqdori bo&#39;yicha qo&#39;shimcha ravishda filtrlanadi.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,O&#39;rnatilmagan
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},"Iltimos, xodimingizga {0}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},"Iltimos, xodimingizga {0}"
 DocType: Inpatient Record,Discharge,Chikarish
 DocType: Task,Total Billing Amount (via Time Sheet),Jami to&#39;lov miqdori (vaqt jadvalidan)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Xaridor daromadini takrorlang
@@ -2846,13 +2875,13 @@
 DocType: Chapter,Chapter,Bo&#39;lim
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Juft
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Ushbu rejim tanlangach, standart hisob avtomatik ravishda qalin hisob-fakturada yangilanadi."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Ishlab chiqarish uchun BOM va Qty ni tanlang
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Ishlab chiqarish uchun BOM va Qty ni tanlang
 DocType: Asset,Depreciation Schedule,Amortizatsiya jadvali
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Savdo hamkorlari manzili va aloqalar
 DocType: Bank Reconciliation Detail,Against Account,Hisobga qarshi
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,Yarim kunlik sana Sana va Tarix orasida bo&#39;lishi kerak
 DocType: Maintenance Schedule Detail,Actual Date,Haqiqiy sana
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,"Iltimos, {0} kompaniyasidagi Standart xarajatlar markazini tanlang."
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,"Iltimos, {0} kompaniyasidagi Standart xarajatlar markazini tanlang."
 DocType: Item,Has Batch No,Partiya no
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Yillik to&#39;lov: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Webhook batafsil ma&#39;lumotlarini xarid qiling
@@ -2864,7 +2893,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Shift turi
 DocType: Student,Personal Details,Shaxsiy ma&#39;lumotlar
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},"Iltimos, {0} kompaniyasida &quot;Asset Amortizatsiya xarajatlari markazi&quot; ni belgilang"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},"Iltimos, {0} kompaniyasida &quot;Asset Amortizatsiya xarajatlari markazi&quot; ni belgilang"
 ,Maintenance Schedules,Xizmat jadvali
 DocType: Task,Actual End Date (via Time Sheet),Haqiqiy tugash sanasi (vaqt jadvalidan orqali)
 DocType: Soil Texture,Soil Type,Tuproq turi
@@ -2872,10 +2901,10 @@
 ,Quotation Trends,Iqtiboslar tendentsiyalari
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},{0} element uchun maqola ustidagi ob&#39;ektlar guruhi
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardsiz Mandate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,Debet Hisobni hisobvaraq deb hisoblash kerak
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,Debet Hisobni hisobvaraq deb hisoblash kerak
 DocType: Shipping Rule,Shipping Amount,Yuk tashish miqdori
 DocType: Supplier Scorecard Period,Period Score,Davr hisoboti
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Mijozlarni qo&#39;shish
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Mijozlarni qo&#39;shish
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kutilayotgan miqdor
 DocType: Lab Test Template,Special,Maxsus
 DocType: Loyalty Program,Conversion Factor,Ishlab chiqarish omili
@@ -2892,7 +2921,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Antetli qo&#39;shing
 DocType: Program Enrollment,Self-Driving Vehicle,O&#39;z-o&#39;zidan avtomashina vositasi
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Yetkazib beruvchi Koreya kartasi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Mahsulot {1} uchun topilmadi.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Mahsulot {1} uchun topilmadi.
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Berilgan jami {0} barglari davr uchun tasdiqlangan {1} barglaridan kam bo&#39;lishi mumkin emas
 DocType: Contract Fulfilment Checklist,Requirement,Talab
 DocType: Journal Entry,Accounts Receivable,Kutilgan tushim
@@ -2908,16 +2937,16 @@
 DocType: Projects Settings,Timesheets,Vaqt jadvallari
 DocType: HR Settings,HR Settings,HRni sozlash
 DocType: Salary Slip,net pay info,aniq to&#39;lov ma&#39;lumoti
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS miqdori
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS miqdori
 DocType: Woocommerce Settings,Enable Sync,Sinxronlashtirishni yoqish
 DocType: Tax Withholding Rate,Single Transaction Threshold,Bitta tranzaksiya eshigi
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ushbu qiymat Default Sales Price List&#39;da yangilanadi.
 DocType: Email Digest,New Expenses,Yangi xarajatlar
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC miqdori
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC miqdori
 DocType: Shareholder,Shareholder,Aktsioner
 DocType: Purchase Invoice,Additional Discount Amount,Qo&#39;shimcha chegirma miqdori
 DocType: Cash Flow Mapper,Position,Obyekt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Rezeptlardan narsalarni oling
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Rezeptlardan narsalarni oling
 DocType: Patient,Patient Details,Bemor batafsil
 DocType: Inpatient Record,B Positive,B ijobiy
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2929,8 +2958,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Guruh bo&#39;lmaganlar guruhiga
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Sport
 DocType: Loan Type,Loan Name,Kredit nomi
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Jami haqiqiy
-DocType: Lab Test UOM,Test UOM,UOMni sinab ko&#39;ring
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Jami haqiqiy
 DocType: Student Siblings,Student Siblings,Talaba birodarlari
 DocType: Subscription Plan Detail,Subscription Plan Detail,Obuna rejasi batafsil
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Birlik
@@ -2956,7 +2984,6 @@
 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +27,Please specify currency in Company,"Iltimos, kompaniyadagi valyutani ko&#39;rsating"
 DocType: Workstation,Wages per hour,Bir soatlik ish haqi
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,"Materiallar so&#39;rovlaridan so&#39;ng, Materiallar buyurtma buyurtma darajasi bo&#39;yicha avtomatik ravishda to&#39;ldirildi"
-DocType: Email Digest,Pending Sales Orders,Kutilayotgan Sotuvdagi Buyurtma
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Hisob {0} yaroqsiz. Hisob valyutasi {1} bo&#39;lishi kerak
 DocType: Supplier,Is Internal Supplier,Ichki ta&#39;minotchi
 DocType: Employee,Create User Permission,Foydalanuvchi uchun ruxsat yaratish
@@ -2964,13 +2991,14 @@
 DocType: Healthcare Settings,Remind Before,Avval eslatish
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},{0} qatorida UOM o&#39;tkazish faktori talab qilinadi
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","# {0} sath: Ariza Hujjat turi Sotuvdagi Buyurtma, Sotuvdagi Billing yoki Jurnal Yozuvi bo&#39;lishi kerak"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","# {0} sath: Ariza Hujjat turi Sotuvdagi Buyurtma, Sotuvdagi Billing yoki Jurnal Yozuvi bo&#39;lishi kerak"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Sadoqatli ballar = Qancha asosiy valyuta?
 DocType: Salary Component,Deduction,O&#39;chirish
 DocType: Item,Retain Sample,Namunani saqlang
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Row {0}: Vaqt va vaqtdan boshlab majburiydir.
 DocType: Stock Reconciliation Item,Amount Difference,Miqdori farqi
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},{1} narxlar ro&#39;yxatida {0} uchun qo&#39;shilgan narx
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},{1} narxlar ro&#39;yxatida {0} uchun qo&#39;shilgan narx
+DocType: Delivery Stop,Order Information,Buyurtma haqida ma&#39;lumot
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Iltimos, ushbu savdo vakili xodimining identifikatorini kiriting"
 DocType: Territory,Classification of Customers by region,Mintaqalar bo&#39;yicha mijozlarni tasniflash
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Ishlab chiqarishda
@@ -2981,8 +3009,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Bank hisob-kitob balansi hisoblangan
 DocType: Normal Test Template,Normal Test Template,Oddiy viktorina namunasi
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,o&#39;chirilgan foydalanuvchi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Tavsif
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Hechqisi taklif qilinmagan RFQni o&#39;rnatib bo&#39;lmaydi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Tavsif
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Hechqisi taklif qilinmagan RFQni o&#39;rnatib bo&#39;lmaydi
 DocType: Salary Slip,Total Deduction,Jami cheklov
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Hisob valyutasini chop etish uchun hisobni tanlang
 ,Production Analytics,Ishlab chiqarish tahlillari
@@ -2995,14 +3023,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Yetkazib beruvchi Koreya kartasi
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Baholash rejasining nomi
 DocType: Work Order Operation,Work Order Operation,Ish tartibi bo&#39;yicha operatsiyalar
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Ogohlantirish: {0} biriktirmasidagi SSL sertifikati noto&#39;g&#39;ri.
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Ogohlantirish: {0} biriktirmasidagi SSL sertifikati noto&#39;g&#39;ri.
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Rahbarlar sizning biznesingizga yordam beradi, sizning barcha kontaktlaringizni va boshqalaringizni yetakchilik qilishingiz mumkin"
 DocType: Work Order Operation,Actual Operation Time,Haqiqiy operatsiya vaqti
 DocType: Authorization Rule,Applicable To (User),Qo&#39;llaniladigan To (User)
 DocType: Purchase Taxes and Charges,Deduct,Deduct
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Ishning tavsifi
 DocType: Student Applicant,Applied,Amalga oshirildi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Qayta oching
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Qayta oching
 DocType: Sales Invoice Item,Qty as per Stock UOM,Qimmatli qog&#39;ozlar aktsiyadorlik jamiyati bo&#39;yicha
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Ismi
 DocType: Attendance,Attendance Request,Ishtirok etish uchun so&#39;rov
@@ -3020,7 +3048,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Har qanday {0} gacha {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimal ruxsat qiymati
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,{0} foydalanuvchisi allaqachon mavjud
-apps/erpnext/erpnext/hooks.py +114,Shipments,Yuklar
+apps/erpnext/erpnext/hooks.py +115,Shipments,Yuklar
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Jami ajratilgan mablag&#39;lar (Kompaniya valyutasi)
 DocType: Purchase Order Item,To be delivered to customer,Xaridorga etkazib berish
 DocType: BOM,Scrap Material Cost,Hurda Materiallari narxi
@@ -3028,11 +3056,12 @@
 DocType: Grant Application,Email Notification Sent,E-pochta xabari yuborildi
 DocType: Purchase Invoice,In Words (Company Currency),So&#39;zlarda (Kompaniya valyutasi)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Kompaniyaning kompaniya hisob raqamlari uchun ma&#39;muriy hisoblanadi
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Mahsulot kodi, omborxona, miqdor miqdori talab qilinadi"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Mahsulot kodi, omborxona, miqdor miqdori talab qilinadi"
 DocType: Bank Guarantee,Supplier,Yetkazib beruvchi
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Qabul qiling
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Bu ildiz bo&#39;limidir va tahrirlanmaydi.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,To&#39;lov ma&#39;lumotlarini ko&#39;rsatish
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Kunlarning davomiyligi
 DocType: C-Form,Quarter,Chorak
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Har xil xarajatlar
 DocType: Global Defaults,Default Company,Standart kompaniya
@@ -3040,7 +3069,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Xarajat yoki farq statistikasi {0} elementi uchun majburiy, chunki u umumiy qimmatbaho qiymatga ta&#39;sir qiladi"
 DocType: Bank,Bank Name,Bank nomi
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Uyni
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Barcha etkazib beruvchilar uchun buyurtma berish uchun maydonni bo&#39;sh qoldiring
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Barcha etkazib beruvchilar uchun buyurtma berish uchun maydonni bo&#39;sh qoldiring
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Statsionar tashrif buyurish uchun to&#39;lov elementi
 DocType: Vital Signs,Fluid,Suyuqlik
 DocType: Leave Application,Total Leave Days,Jami chiqish kunlari
@@ -3049,7 +3078,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Variant sozlamalari
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Kompaniyani tanlang ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Barcha bo&#39;limlarda ko&#39;rib chiqilsa bo&#39;sh qoldiring
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} {1} mahsulot uchun majburiydir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} {1} mahsulot uchun majburiydir
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Mahsulot {0}: {1} qty ishlab chiqarilgan,"
 DocType: Payroll Entry,Fortnightly,Ikki kun davomida
 DocType: Currency Exchange,From Currency,Valyutadan
@@ -3098,7 +3127,7 @@
 DocType: Account,Fixed Asset,Ruxsat etilgan aktiv
 DocType: Amazon MWS Settings,After Date,Sana so&#39;ng
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Seriyali inventar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Inter kompaniyasi taqdim etgani uchun {0} noto&#39;g&#39;ri.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Inter kompaniyasi taqdim etgani uchun {0} noto&#39;g&#39;ri.
 ,Department Analytics,Bo&#39;lim tahlillari
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,E-pochta manzili standart kontaktda topilmadi
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Yashirin yaratish
@@ -3116,6 +3145,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,Bosh ijrochi direktor
 DocType: Purchase Invoice,With Payment of Tax,Soliq to&#39;lash bilan
 DocType: Expense Claim Detail,Expense Claim Detail,Xarajatlar bo&#39;yicha da&#39;vo tafsiloti
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,"Marhamat, Ta&#39;lim bo&#39;yicha o&#39;qituvchilarni nomlash tizimini sozlash&gt; Ta&#39;lim sozlamalari"
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,Yetkazib beruvchiga TRIPLIKAT
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Asosiy valyutadagi yangi muvozanat
 DocType: Location,Is Container,Konteyner
@@ -3123,13 +3153,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,"Iltimos, to&#39;g&#39;ri hisobni tanlang"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Ish haqi tuzilmasini tayinlash
 DocType: Purchase Invoice Item,Weight UOM,Og&#39;irligi UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Folio raqamlari mavjud bo&#39;lgan aktsiyadorlar ro&#39;yxati
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Folio raqamlari mavjud bo&#39;lgan aktsiyadorlar ro&#39;yxati
 DocType: Salary Structure Employee,Salary Structure Employee,Ish haqi tuzilishi xodimi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Variant xususiyatlarini ko&#39;rsatish
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Variant xususiyatlarini ko&#39;rsatish
 DocType: Student,Blood Group,Qon guruhi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} da to&#39;lov gateway hisobi ushbu to&#39;lov bo&#39;yicha so&#39;rovda to&#39;lov shluzi hisobidan farq qiladi
 DocType: Course,Course Name,Kurs nomi
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Joriy moliya yili uchun Soliq to&#39;lash ma&#39;lumoti topilmadi.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Joriy moliya yili uchun Soliq to&#39;lash ma&#39;lumoti topilmadi.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Muayyan xodimning ruxsatnomalarini tasdiqlashi mumkin bo&#39;lgan foydalanuvchilar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Ofis uskunalari
 DocType: Purchase Invoice Item,Qty,Miqdor
@@ -3137,6 +3167,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Sozlamalarni baholash
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Elektronika
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Debet ({0})
+DocType: BOM,Allow Same Item Multiple Times,Xuddi shu elementga bir necha marta ruxsat berilsin
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Buyurtma qayta buyurtma darajasiga yetganida Materiallar so&#39;rovini ko&#39;taring
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,To&#39;liq stavka
 DocType: Payroll Entry,Employees,Xodimlar
@@ -3148,11 +3179,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,To&#39;lovlarni tasdiqlash
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Narxlar ro&#39;yxati o&#39;rnatilmagan bo&#39;lsa, narxlar ko&#39;rsatilmaydi"
 DocType: Stock Entry,Total Incoming Value,Jami kirish qiymati
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,Debet kerak
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,Debet kerak
 DocType: Clinical Procedure,Inpatient Record,Statsionar qaydnomasi
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","Vaqt jadvallari sizning jamoangiz tomonidan amalga oshiriladigan tadbirlar uchun vaqtni, narxni va hisob-kitoblarni kuzatish imkonini beradi"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Sotib olish narxlari ro&#39;yxati
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,Jurnal tarixi
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Sotib olish narxlari ro&#39;yxati
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,Jurnal tarixi
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Yetkazib beruvchilar kartalari o&#39;zgaruvchilari shabloni.
 DocType: Job Offer Term,Offer Term,Taklif muddati
 DocType: Asset,Quality Manager,Sifat menejeri
@@ -3173,18 +3204,18 @@
 DocType: Cashier Closing,To Time,Vaqtgacha
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) uchun {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Rolni tasdiqlash (vakolatli qiymatdan yuqoriroq)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Kredit Hisob uchun to&#39;lanadigan hisob bo&#39;lishi kerak
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Kredit Hisob uchun to&#39;lanadigan hisob bo&#39;lishi kerak
 DocType: Loan,Total Amount Paid,To&#39;langan pul miqdori
 DocType: Asset,Insurance End Date,Sug&#39;urta muddati tugashi
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,"Iltimos, to&#39;ldirilgan talaba nomzodiga majburiy bo&#39;lgan talabgor qabul qiling"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} ota-ona yoki {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} ota-ona yoki {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Byudjet ro&#39;yxati
 DocType: Work Order Operation,Completed Qty,Tugallangan son
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0} uchun faqat bank hisoblari boshqa kredit yozuvlari bilan bog&#39;lanishi mumkin
 DocType: Manufacturing Settings,Allow Overtime,Vaqtdan ortiq ishlashga ruxsat berish
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} orqali kabinetga kelishuvi yordamida yangilanib bo&#39;lmaydigan, Iltimos, kabinetga kirishini kiriting"
 DocType: Training Event Employee,Training Event Employee,O&#39;quv xodimini tayyorlash
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Eng ko&#39;p namuna - {0} Batch {1} va Item {2} uchun saqlanishi mumkin.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Eng ko&#39;p namuna - {0} Batch {1} va Item {2} uchun saqlanishi mumkin.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Vaqt oraliqlarini qo&#39;shish
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Seriya raqamlari {1} uchun kerak. Siz {2} berilgansiz.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Joriy baholash darajasi
@@ -3215,11 +3246,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Seriya no {0} topilmadi
 DocType: Fee Schedule Program,Fee Schedule Program,Ish haqi dasturi
 DocType: Fee Schedule Program,Student Batch,Talabalar guruhi
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Iltimos, ushbu hujjatni bekor qilish uchun &quot; <a href=""#Form/Employee/{0}"">{0}</a> \&quot; xodimini o&#39;chirib tashlang"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Talabani tayyorlang
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Eng kam sinf
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Sog&#39;liqni saqlash xizmati birligi turi
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Siz loyihada hamkorlik qilish uchun taklif qilingan: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Siz loyihada hamkorlik qilish uchun taklif qilingan: {0}
 DocType: Supplier Group,Parent Supplier Group,Ota-ona yetkazib beruvchilar guruhi
+DocType: Email Digest,Purchase Orders to Bill,Billingga buyurtma berish
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Guruh kompaniyalarida to&#39;plangan qiymatlar
 DocType: Leave Block List Date,Block Date,Bloklash sanasi
 DocType: Crop,Crop,O&#39;simliklar
@@ -3231,6 +3265,7 @@
 DocType: Sales Order,Not Delivered,Qabul qilinmadi
 ,Bank Clearance Summary,Bankni ochish xulosasi
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.","Kundalik, haftalik va oylik elektron pochta digestlarini yarating va boshqaring."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Bu ushbu Sotuvdagi Shaxsga qarshi tuzilgan bitimlar asosida amalga oshiriladi. Tafsilotlar uchun quyidagi jadvalga qarang
 DocType: Appraisal Goal,Appraisal Goal,Baholash maqsadi
 DocType: Stock Reconciliation Item,Current Amount,Joriy miqdor
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Binolar
@@ -3257,7 +3292,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,Dasturlar
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Keyingi kontakt tarixi o&#39;tmishda bo&#39;lishi mumkin emas
 DocType: Company,For Reference Only.,Faqat ma&#39;lumot uchun.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Partiya no. Ni tanlang
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Partiya no. Ni tanlang
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Noto&#39;g&#39;ri {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Malumot
@@ -3275,16 +3310,16 @@
 DocType: Normal Test Items,Require Result Value,Natijada qiymat talab qiling
 DocType: Item,Show a slideshow at the top of the page,Sahifaning yuqori qismidagi slayd-shouni ko&#39;rsatish
 DocType: Tax Withholding Rate,Tax Withholding Rate,Soliqni ushlab turish darajasi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Do&#39;konlar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Do&#39;konlar
 DocType: Project Type,Projects Manager,Loyiha menejeri
 DocType: Serial No,Delivery Time,Yetkazish vaqti
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Qarish asosli
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Uchrashuv bekor qilindi
 DocType: Item,End of Life,Hayotning oxiri
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Sayohat
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Sayohat
 DocType: Student Report Generation Tool,Include All Assessment Group,Barcha baholash guruhini qo&#39;shing
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Berilgan sana uchun ishlaydigan {0} uchun faol yoki standart ish haqi tuzilishi topilmadi
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Berilgan sana uchun ishlaydigan {0} uchun faol yoki standart ish haqi tuzilishi topilmadi
 DocType: Leave Block List,Allow Users,Foydalanuvchilarga ruxsat berish
 DocType: Purchase Order,Customer Mobile No,Mijozlar Mobil raqami
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pul oqimi xaritalash shablonini tafsilotlar
@@ -3293,15 +3328,16 @@
 DocType: Rename Tool,Rename Tool,Vositachi nomini o&#39;zgartirish
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Narxni yangilash
 DocType: Item Reorder,Item Reorder,Mahsulot qayta tartibga solish
+DocType: Delivery Note,Mode of Transport,Tashish tartibi
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Ish haqi slipini ko&#39;rsatish
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Transfer materiallari
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Transfer materiallari
 DocType: Fees,Send Payment Request,To&#39;lov talabnomasini yuboring
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Operatsiyalarni, operatsion narxini belgilang va sizning operatsiyalaringizni bajarish uchun noyob Operatsiyani taqdim eting."
 DocType: Travel Request,Any other details,Boshqa tafsilotlar
 DocType: Water Analysis,Origin,Kelib chiqishi
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ushbu hujjat {4} uchun {0} {1} tomonidan cheklangan. {2} ga qarshi yana bitta {3} qilyapsizmi?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Saqlaganingizdan keyin takroriy-ni tanlang
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,O&#39;zgarish miqdorini tanlang
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Saqlaganingizdan keyin takroriy-ni tanlang
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,O&#39;zgarish miqdorini tanlang
 DocType: Purchase Invoice,Price List Currency,Narxlari valyutasi
 DocType: Naming Series,User must always select,Foydalanuvchiga har doim tanlangan bo&#39;lishi kerak
 DocType: Stock Settings,Allow Negative Stock,Salbiy aksiyaga ruxsat berish
@@ -3322,6 +3358,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Izlanadiganlik
 DocType: Asset Maintenance Log,Actions performed,Amallar bajarildi
 DocType: Cash Flow Mapper,Section Leader,Bo&#39;lim rahbari
+DocType: Delivery Note,Transport Receipt No,Yuk qabul qilish no
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Jamg&#39;arma mablag&#39;lari (majburiyatlar)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Manba va maqsadlar joylashuvi bir xil bo`lishi mumkin emas
 DocType: Supplier Scorecard Scoring Standing,Employee,Xodim
@@ -3337,16 +3374,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,To&#39;lovni kamaytirish yoki yo&#39;qotish
 DocType: Soil Analysis,Soil Analysis Criterias,Tuproq tahlil qilish mezonlari
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Sotuv yoki sotib olish uchun standart shartnoma shartlari.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Siz ushbu uchrashuvni bekor qilmoqchimisiz?
+DocType: BOM Item,Item operation,Mavzu operatsiyalari
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Siz ushbu uchrashuvni bekor qilmoqchimisiz?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Mehmonxona Xona narxlash to&#39;plami
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Savdo Quvuri
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Savdo Quvuri
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},"Iltimos, ish haqi komponentida {0}"
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Majburiy On
 DocType: Rename Tool,File to Rename,Qayta nomlash uchun fayl
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},"Iltimos, Row {0} qatori uchun BOM-ni tanlang"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Obunani yangilang
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Hisob {0} Hisob holatida Kompaniya {1} bilan mos emas: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},{1} mahsulot uchun belgilangan BOM {0} mavjud emas
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},{1} mahsulot uchun belgilangan BOM {0} mavjud emas
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Kurs:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Ushbu Sotuvdagi Buyurtmani bekor qilishdan avval, {0} Xizmat jadvali bekor qilinishi kerak"
@@ -3355,7 +3393,7 @@
 DocType: Notification Control,Expense Claim Approved,Xarajat talabi ma&#39;qullangan
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Avanslarni belgilash va ajratish (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Ish buyurtmalari yaratilmagan
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Ish staji Bu davr uchun allaqachon yaratilgan {0} xodim
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Ish staji Bu davr uchun allaqachon yaratilgan {0} xodim
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Dori-darmon
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Siz faqatgina &quot;Inkassatsiya&quot; pul mablag&#39;ini haqiqiy inkassatsiya miqdori uchun yuborishingiz mumkin
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Xarid qilingan buyumlarning narxi
@@ -3363,7 +3401,8 @@
 DocType: Selling Settings,Sales Order Required,Savdo buyurtmasi kerak
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Sotuvchi bo&#39;l
 DocType: Purchase Invoice,Credit To,Kredit berish
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Faol yo&#39;riqchilar / mijozlar
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Faol yo&#39;riqchilar / mijozlar
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Standard Delivery Note formatini ishlatish uchun bo&#39;sh qoldiring
 DocType: Employee Education,Post Graduate,Post Graduate
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Xizmat jadvali batafsil
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Yangi Buyurtma Buyurtmalarini ogohlantiring
@@ -3377,14 +3416,14 @@
 DocType: Support Search Source,Post Title Key,Post sarlavhasi kalit
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Ish kartasi uchun
 DocType: Warranty Claim,Raised By,Ko&#39;tarilgan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Retseptlar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Retseptlar
 DocType: Payment Gateway Account,Payment Account,To&#39;lov qaydnomasi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Davom etish uchun kompaniyani ko&#39;rsating
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Davom etish uchun kompaniyani ko&#39;rsating
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Xarid oluvchilarning aniq o&#39;zgarishi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Compensatory Off
 DocType: Job Offer,Accepted,Qabul qilingan
 DocType: POS Closing Voucher,Sales Invoices Summary,Savdo Xarajatlarni Xulosa
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Partiya nomiga
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Partiya nomiga
 DocType: Grant Application,Organization,Tashkilot
 DocType: BOM Update Tool,BOM Update Tool,BOMni yangilash vositasi
 DocType: SG Creation Tool Course,Student Group Name,Isoning shogirdi guruhi nomi
@@ -3393,15 +3432,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Iltimos, ushbu kompaniya uchun barcha operatsiyalarni o&#39;chirib tashlamoqchimisiz. Sizning asosiy ma&#39;lumotlaringiz qoladi. Ushbu amalni bekor qilish mumkin emas."
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,Qidiruv natijalari
 DocType: Room,Room Number,Xona raqami
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Noto&#39;g&#39;ri reference {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Noto&#39;g&#39;ri reference {0} {1}
 DocType: Shipping Rule,Shipping Rule Label,Yuk tashish qoidalari yorlig&#39;i
 DocType: Journal Entry Account,Payroll Entry,Ish haqi miqdori
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js +76,View Fees Records,Narxlar yozuvlarini ko&#39;rish
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Soliq jadvalini yarating
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Foydalanuvchining forumi
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Xom ashyoni bo&#39;sh bo&#39;lishi mumkin emas.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Row # {0} (To&#39;lov jadvali): Miqdori salbiy bo&#39;lishi kerak
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Qimmatli qog&#39;ozlar yangilanib bo&#39;lmadi, hisob-faktura tomchi qoplama mahsulotini o&#39;z ichiga oladi."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Row # {0} (To&#39;lov jadvali): Miqdori salbiy bo&#39;lishi kerak
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Qimmatli qog&#39;ozlar yangilanib bo&#39;lmadi, hisob-faktura tomchi qoplama mahsulotini o&#39;z ichiga oladi."
 DocType: Contract,Fulfilment Status,Bajarilish holati
 DocType: Lab Test Sample,Lab Test Sample,Laborotoriya namunasi
 DocType: Item Variant Settings,Allow Rename Attribute Value,Nomini o&#39;zgartirish xususiyatiga ruxsat bering
@@ -3443,11 +3482,11 @@
 DocType: BOM,Show Operations,Operatsiyalarni ko&#39;rsatish
 ,Minutes to First Response for Opportunity,Imkoniyatlar uchun birinchi javob daqiqalari
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Hammasi yo&#39;q
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,{0} satriga yoki odatdagi materialga Material talabiga mos kelmaydi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,{0} satriga yoki odatdagi materialga Material talabiga mos kelmaydi
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,O&#39;lchov birligi
 DocType: Fiscal Year,Year End Date,Yil tugash sanasi
 DocType: Task Depends On,Task Depends On,Vazifa bog&#39;liq
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Imkoniyat
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Imkoniyat
 DocType: Operation,Default Workstation,Standart ish stantsiyani
 DocType: Notification Control,Expense Claim Approved Message,Xarajat da&#39;vo tasdiqlangan xabar
 DocType: Payment Entry,Deductions or Loss,O&#39;chirish yoki yo&#39;qotish
@@ -3485,20 +3524,20 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Foydalanuvchini tasdiqlash qoida sifatida qo&#39;llanilishi mumkin bo&#39;lgan foydalanuvchi sifatida bir xil bo&#39;lishi mumkin emas
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Asosiy stavkasi (Har bir O&#39;quv markazi uchun)
 DocType: SMS Log,No of Requested SMS,Talab qilingan SMSlarning soni
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,"Pulsiz qoldirish, tasdiqlangan Taqdimnoma arizalari bilan mos emas"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,"Pulsiz qoldirish, tasdiqlangan Taqdimnoma arizalari bilan mos emas"
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Keyingi qadamlar
 DocType: Travel Request,Domestic,Mahalliy
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,"Iltimos, ko&#39;rsatilgan narsalarni eng yaxshi narxlarda bering"
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,"Iltimos, ko&#39;rsatilgan narsalarni eng yaxshi narxlarda bering"
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Xodimlarning transferi topshirilgunga qadar topshirilishi mumkin emas
 DocType: Certification Application,USD,USD
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Billing-ni tanlang
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Qolgan muvozanat
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Qolgan muvozanat
 DocType: Selling Settings,Auto close Opportunity after 15 days,Avtomatik yopish 15 kundan keyin Imkoniyat
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,{1} belgisi tufayli buyurtma berish buyurtmalariga {0} uchun ruxsat berilmaydi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,{0} shtrix kodi joriy {1} kod emas
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,{0} shtrix kodi joriy {1} kod emas
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,End Year
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Qisqacha / qo&#39;rg&#39;oshin%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,Shartnoma tugash sanasi qo&#39;shilish sanasidan katta bo&#39;lishi kerak
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,Shartnoma tugash sanasi qo&#39;shilish sanasidan katta bo&#39;lishi kerak
 DocType: Driver,Driver,Drayv
 DocType: Vital Signs,Nutrition Values,Oziqlanish qiymati
 DocType: Lab Test Template,Is billable,To&#39;lanishi mumkin
@@ -3509,7 +3548,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Bu ERPNext-dan avtomatik tarzda yaratilgan veb-sayt
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Qarish oralig&#39;i 1
 DocType: Shopify Settings,Enable Shopify,Shopify-ni yoqish
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Umumiy avans miqdori jami talab qilingan miqdordan ko&#39;p bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Umumiy avans miqdori jami talab qilingan miqdordan ko&#39;p bo&#39;lishi mumkin emas
 DocType: Purchase Taxes and Charges Template,"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
@@ -3536,11 +3575,11 @@
 DocType: Employee Separation,Employee Separation,Xodimlarni ajratish
 DocType: BOM Item,Original Item,Asl modda
 DocType: Purchase Receipt Item,Recd Quantity,Raqamlar soni
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc tarixi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc tarixi
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Yaratilgan yozuvlar - {0}
 DocType: Asset Category Account,Asset Category Account,Aktiv turkumidagi hisob
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Row # {0} (To&#39;lov jadvali): Miqdor ijobiy bo&#39;lishi kerak
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Nitelik qiymatlarini tanlang
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Row # {0} (To&#39;lov jadvali): Miqdor ijobiy bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Nitelik qiymatlarini tanlang
 DocType: Purchase Invoice,Reason For Issuing document,Hujjatni berish uchun sabab
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Stock Entry {0} yuborilmadi
 DocType: Payment Reconciliation,Bank / Cash Account,Bank / pul hisob
@@ -3549,8 +3588,10 @@
 DocType: Asset,Manual,Qo&#39;llanma
 DocType: Salary Component Account,Salary Component Account,Ish haqi komponentining hisob raqami
 DocType: Global Defaults,Hide Currency Symbol,Valyuta belgisini yashirish
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Manba bo&#39;yicha Sotuvdagi Imkoniyatlar
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Donor ma&#39;lumoti.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","masalan, bank, naqd pul, kredit kartasi"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Iltimos, Setup&gt; Numbering Series orqali tomosha qilish uchun raqamlar seriyasini sozlang"
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","masalan, bank, naqd pul, kredit kartasi"
 DocType: Job Applicant,Source Name,Manba nomi
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Katta yoshdagi normal qon bosimi taxminan 120 mmHg sistolik va 80 mmHg diastolik, qisqartirilgan &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Mahsulotlar raf muddatini kunlarda belgilang, ishlab chiqarish_dati va o&#39;zingizning hayotingizga asoslangan muddatni belgilang"
@@ -3580,7 +3621,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Miqdor miqdori {0} dan kam bo&#39;lishi kerak
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Boshlanish sanasi tugash sanasidan oldin bo&#39;lishi kerak
 DocType: Salary Component,Max Benefit Amount (Yearly),Maksimal foyda miqdori (yillik)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS tezligi%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS tezligi%
 DocType: Crop,Planting Area,O&#39;sish maydoni
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Hammasi bo&#39;lib (Miqdor)
 DocType: Installation Note Item,Installed Qty,O&#39;rnatilgan Miqdor
@@ -3602,8 +3643,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Tasdiqlash xabarnomasidan chiqing
 DocType: Buying Settings,Default Buying Price List,Standart xarid narxlari
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Vaqt jadvaliga asosan ish haqi miqdori
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Xarid qilish darajasi
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Row {0}: {1} obyekti elementi uchun joyni kiriting
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Xarid qilish darajasi
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Row {0}: {1} obyekti elementi uchun joyni kiriting
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-YYYYY.-
 DocType: Company,About the Company,Kompaniya haqida
 DocType: Notification Control,Sales Order Message,Savdo buyurtma xabarlari
@@ -3668,10 +3709,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,{0} qatoriga: rejali qty kiriting
 DocType: Account,Income Account,Daromad hisobvarag&#39;i
 DocType: Payment Request,Amount in customer's currency,Mijozning valyutadagi miqdori
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Yetkazib berish
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Yetkazib berish
 DocType: Volunteer,Weekdays,Hafta kunlari
 DocType: Stock Reconciliation Item,Current Qty,Joriy Miqdor
 DocType: Restaurant Menu,Restaurant Menu,Restoran menyusi
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Ta&#39;minlovchilarni qo&#39;shish
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-YYYYY.-
 DocType: Loyalty Program,Help Section,Yordam bo&#39;limi
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Oldindan
@@ -3683,19 +3725,20 @@
 												fullfill Sales Order {2}","{1} mahsulotining yo&#39;q {0} sathini sotish mumkin emas, chunki \ fillfill Savdo Buyurtma {2}"
 DocType: Item Reorder,Material Request Type,Materiallar talabi turi
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Grantlar bo&#39;yicha ko&#39;rib chiqish elektron pochta manzilini yuboring
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","LocalStorage to&#39;liq, saqlanmadi"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor majburiydir
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","LocalStorage to&#39;liq, saqlanmadi"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor majburiydir
 DocType: Employee Benefit Claim,Claim Date,Da&#39;vo sanasi
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Xona hajmi
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},{0} elementi uchun allaqachon qayd mavjud
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Ref
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Siz ilgari ishlab chiqarilgan hisob-fakturalarni yo&#39;qotasiz. Ushbu obunani qayta ishga tushirishga ishonchingiz komilmi?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Ro&#39;yxatdan o&#39;tish badallari
 DocType: Loyalty Program Collection,Loyalty Program Collection,Sadoqat dasturini yig&#39;ish
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted Item
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Shogird {0} {1} guruhiga tegishli emas
 DocType: Budget,Cost Center,Xarajat markazi
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Voucher #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Voucher #
 DocType: Notification Control,Purchase Order Message,Buyurtma xabarni sotib olish
 DocType: Tax Rule,Shipping Country,Yuk tashish davlati
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Mijozning soliq kodini sotish operatsiyalaridan yashirish
@@ -3714,23 +3757,22 @@
 DocType: Subscription,Cancel At End Of Period,Davr oxirida bekor qilish
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Xususiyat allaqachon qo&#39;shilgan
 DocType: Item Supplier,Item Supplier,Mahsulot etkazib beruvchisi
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,"Iltimos, mahsulot kodini kiriting"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},"Iltimos, {0} uchun kotirovka qiymatini tanlang {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,"Iltimos, mahsulot kodini kiriting"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},"Iltimos, {0} uchun kotirovka qiymatini tanlang {1}"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,O&#39;tkazish uchun tanlangan ma&#39;lumotlar yo&#39;q
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Barcha manzillar.
 DocType: Company,Stock Settings,Kabinetga sozlamalari
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Birlashma faqatgina ikkita yozuvda bir xil xususiyatlar mavjud bo&#39;lganda mumkin. Guruh, Ildiz turi, Kompaniya"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Birlashma faqatgina ikkita yozuvda bir xil xususiyatlar mavjud bo&#39;lganda mumkin. Guruh, Ildiz turi, Kompaniya"
 DocType: Vehicle,Electric,Elektr
 DocType: Task,% Progress,% Progress
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Aktivlarni yo&#39;qotish bo&#39;yicha daromad / yo&#39;qotish
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Faqat &quot;Tasdiqlangan&quot; maqomiga ega bo&#39;lgan talabalar arizasi quyidagi jadvalda tanlanadi.
 DocType: Tax Withholding Category,Rates,Narxlar
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"{0} hisob qaydnomasi raqami mavjud emas. <br> Iltimos, Hisoblar jadvalini to'g'ri sozlang."
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,"{0} hisob qaydnomasi raqami mavjud emas. <br> Iltimos, Hisoblar jadvalini to'g'ri sozlang."
 DocType: Task,Depends on Tasks,Vazifalarga bog&#39;liq
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Mijozlar guruhi daraxtini boshqarish.
 DocType: Normal Test Items,Result Value,Natijada qiymat
 DocType: Hotel Room,Hotels,Mehmonxonalar
-DocType: Delivery Note,Transporter Date,Tashish sanasi
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Yangi narxlari markazi nomi
 DocType: Leave Control Panel,Leave Control Panel,Boshqarish panelidan chiqing
 DocType: Project,Task Completion,Vazifa yakuni
@@ -3777,11 +3819,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Barcha baholash guruhlari
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Yangi ombor nomi
 DocType: Shopify Settings,App Type,Ilova turi
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Jami {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Jami {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Hudud
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Iltimos, kerakli tashriflardan hech qanday foydalanmang"
 DocType: Stock Settings,Default Valuation Method,Standart baholash usuli
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Narxlar
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Kümülatiya miqdori ko&#39;rsatilsin
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Yangilanish davom etmoqda. Biroz vaqt talab etiladi.
 DocType: Production Plan Item,Produced Qty,Ishlab chiqarilgan Miqdor
 DocType: Vehicle Log,Fuel Qty,Yoqilg&#39;i miqdori
@@ -3789,7 +3832,7 @@
 DocType: Work Order Operation,Planned Start Time,Rejalashtirilgan boshlash vaqti
 DocType: Course,Assessment,Baholash
 DocType: Payment Entry Reference,Allocated,Ajratilgan
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,Balansni yopish va daromadni yo&#39;qotish.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Balansni yopish va daromadni yo&#39;qotish.
 DocType: Student Applicant,Application Status,Dastur holati
 DocType: Additional Salary,Salary Component Type,Ish haqi komponentining turi
 DocType: Sensitivity Test Items,Sensitivity Test Items,Sezuvchanlik sinovlari buyumlari
@@ -3800,10 +3843,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Umumiy natija miqdori
 DocType: Sales Partner,Targets,Maqsadlar
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,"Iltimos, kompaniya ma&#39;lumot faylida SIREN raqamini ro&#39;yxatdan o&#39;tkazing"
+DocType: Email Digest,Sales Orders to Bill,Sotish bo&#39;yicha buyurtmalarni sotish
 DocType: Price List,Price List Master,Narxlar ro&#39;yxati ustasi
 DocType: GST Account,CESS Account,CESS hisob
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Barcha Sotuvdagi Jurnallarni bir nechta ** Sotuvdagi Shaxslarga ** joylashtirishingiz mumkin, shunday qilib maqsadlarni belgilashingiz va monitoring qilishingiz mumkin."
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Materiallar talabiga havola
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Materiallar talabiga havola
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Forum faoliyati
 ,S.O. No.,Yo&#39;q.
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Bank deklaratsiyasi Jurnal sozlamalari elementi
@@ -3818,7 +3862,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Bu ildiz mijozlar guruhidir va tahrirlanmaydi.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Har oyda to&#39;plangan oylik byudjetga nisbatan amaliyot
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Joyga qo&#39;yish
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Joyga qo&#39;yish
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valyuta kursini qayta baholash
 DocType: POS Profile,Ignore Pricing Rule,Raqobatchilar qoidasiga e&#39;tibor bermang
 DocType: Employee Education,Graduate,Bitirmoq
@@ -3853,6 +3897,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Restoran sozlamalarida standart mijozni tanlang
 ,Salary Register,Ish haqi registrati
 DocType: Warehouse,Parent Warehouse,Ota-onalar
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Grafika
 DocType: Subscription,Net Total,Net Jami
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},{0} va Project {1} uchun standart BOM topilmadi
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Turli xil kredit turlarini aniqlang
@@ -3885,24 +3930,26 @@
 DocType: Membership,Membership Status,Registratsiya holati
 DocType: Travel Itinerary,Lodging Required,Turar joy kerak
 ,Requested,Talab qilingan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Izohlar yo&#39;q
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Izohlar yo&#39;q
 DocType: Asset,In Maintenance,Xizmatda
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Buyurtma ma&#39;lumotlarini Amazon MWS dan olish uchun ushbu tugmani bosing.
 DocType: Vital Signs,Abdomen,Qorin
 DocType: Purchase Invoice,Overdue,Vadesi o&#39;tgan
 DocType: Account,Stock Received But Not Billed,"Qabul qilingan, lekin olinmagan aktsiyalar"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Ildiz hisobi guruh bo&#39;lishi kerak
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Ildiz hisobi guruh bo&#39;lishi kerak
 DocType: Drug Prescription,Drug Prescription,Dori retsepti
 DocType: Loan,Repaid/Closed,Qaytarilgan / yopiq
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Jami loyiha miqdori
 DocType: Monthly Distribution,Distribution Name,Tarqatish nomi
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,UOM ni qo&#39;shing
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","{1} {2} uchun buxgalter yozuvlarini kiritish uchun talab qilinadigan {0} elementi uchun baholanish darajasi topilmadi. Agar element {1} da nol qiymatni baholash darajasi elementi sifatida ishlayotgan bo&#39;lsa, iltimos, {1} Mavzu jadvalidagi buni eslatib o&#39;ting. Aks holda, mahsulot ro&#39;yxatiga kiritilgan qimmatli qog&#39;ozlar bilan bog&#39;liq bitim tuzing yoki qiymat qaydini qaydlang va keyin ushbu yozuvni taqdim etishni / bekor qilib ko&#39;ring."
 DocType: Course,Course Code,Kurs kodi
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},{0} mahsulot uchun sifat nazorati zarur
 DocType: Location,Parent Location,Ota-ona
 DocType: POS Settings,Use POS in Offline Mode,Oflayn rejimida QO&#39;yi ishlatish
 DocType: Supplier Scorecard,Supplier Variables,Yetkazib beruvchi o&#39;zgaruvchilari
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},"{0} majburiydir. Ehtimol, valyuta ayirboshlash yozuvi {1} dan {2}"
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Qaysi mijoz valyutasi kompaniyaning asosiy valyutasiga aylantiriladigan darajasi
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Sof kurs (Kompaniya valyutasi)
 DocType: Salary Detail,Condition and Formula Help,Vaziyat va formulalar yordami
@@ -3911,19 +3958,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Savdo billing
 DocType: Journal Entry Account,Party Balance,Partiya balansi
 DocType: Cash Flow Mapper,Section Subtotal,Bo&#39;limning umumiy summasi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,"Iltimos, &quot;Ilovani yoqish&quot; ni tanlang"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,"Iltimos, &quot;Ilovani yoqish&quot; ni tanlang"
 DocType: Stock Settings,Sample Retention Warehouse,Namuna tutish ombori
 DocType: Company,Default Receivable Account,Oladigan schyot hisob
 DocType: Purchase Invoice,Deemed Export,Qabul qilingan eksport
 DocType: Stock Entry,Material Transfer for Manufacture,Ishlab chiqarish uchun material etkazib berish
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Chegirma foizlar yoki Narxlar ro&#39;yxatiga yoki barcha Narxlar ro&#39;yxatiga nisbatan qo&#39;llanilishi mumkin.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Qimmatli qog&#39;ozlar uchun hisob yozuvi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Qimmatli qog&#39;ozlar uchun hisob yozuvi
 DocType: Lab Test,LabTest Approver,LabTest Approval
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Siz allaqachon baholash mezonlari uchun baholagansiz {}.
 DocType: Vehicle Service,Engine Oil,Motor moyi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Yaratilgan ishlar: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Yaratilgan ishlar: {0}
 DocType: Sales Invoice,Sales Team1,Savdo guruhi1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,{0} elementi mavjud emas
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,{0} elementi mavjud emas
 DocType: Sales Invoice,Customer Address,Mijozlar manzili
 DocType: Loan,Loan Details,Kredit tafsilotlari
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Kompaniya korporatsiyalarini o&#39;rnatib bo&#39;lmadi
@@ -3944,34 +3991,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Ushbu slayd-shouni sahifaning yuqori qismida ko&#39;rsatish
 DocType: BOM,Item UOM,UOM mahsuloti
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Chegirma miqdori bo&#39;yicha soliq summasi (Kompaniya valyutasi)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Nishon ombor {0} satr uchun majburiydir.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Nishon ombor {0} satr uchun majburiydir.
 DocType: Cheque Print Template,Primary Settings,Asosiy sozlamalar
 DocType: Attendance Request,Work From Home,Uydan ish
 DocType: Purchase Invoice,Select Supplier Address,Ta&#39;minlovchining manzilini tanlang
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Ishchilarni qo&#39;shish
 DocType: Purchase Invoice Item,Quality Inspection,Sifatni tekshirish
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Qo&#39;shimcha kichik
 DocType: Company,Standard Template,Standart shablon
 DocType: Training Event,Theory,Nazariya
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Ogohlantirish: Kerakli ma&#39;lumot Minimum Buyurtma miqdori ostida
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Ogohlantirish: Kerakli ma&#39;lumot Minimum Buyurtma miqdori ostida
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,{0} hisobi muzlatilgan
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Yuridik shaxs / Tashkilotga qarashli alohida hisob-kitob rejasi bo&#39;lgan filial.
 DocType: Payment Request,Mute Email,E-pochtani o&#39;chirish
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Oziq-ovqat, ichgani va tamaki"
 DocType: Account,Account Number,Hisob raqami
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Faqat to&#39;ldirilmagan {0} ga to&#39;lovni amalga oshirishi mumkin
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Komissiya stavkasi 100 dan ortiq bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Faqat to&#39;ldirilmagan {0} ga to&#39;lovni amalga oshirishi mumkin
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Komissiya stavkasi 100 dan ortiq bo&#39;lishi mumkin emas
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Avtomatik avanslarni ajratish (FIFO)
 DocType: Volunteer,Volunteer,Ko&#39;ngilli
 DocType: Buying Settings,Subcontract,Subpudrat
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Avval {0} kiriting
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Javoblar yo&#39;q
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Javoblar yo&#39;q
 DocType: Work Order Operation,Actual End Time,Haqiqiy tugash vaqti
 DocType: Item,Manufacturer Part Number,Ishlab chiqaruvchi raqami
 DocType: Taxable Salary Slab,Taxable Salary Slab,Soliqqa tortiladigan maoshi
 DocType: Work Order Operation,Estimated Time and Cost,Bashoratli vaqt va narx
 DocType: Bin,Bin,Bin
 DocType: Crop,Crop Name,O&#39;simlik nomi
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Bozorda faqat {0} roli bo&#39;lgan foydalanuvchilar ro&#39;yxatga olinishi mumkin
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Bozorda faqat {0} roli bo&#39;lgan foydalanuvchilar ro&#39;yxatga olinishi mumkin
 DocType: SMS Log,No of Sent SMS,Yuborilgan SMS yo&#39;q
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Uchrashuvlar va uchrashuvlar
@@ -4000,7 +4048,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Kodni o&#39;zgartirish
 DocType: Purchase Invoice Item,Valuation Rate,Baholash darajasi
 DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Narxlar ro&#39;yxati Valyutasi tanlanmagan
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Narxlar ro&#39;yxati Valyutasi tanlanmagan
 DocType: Purchase Invoice,Availed ITC Cess,Qabul qilingan ITC Cess
 ,Student Monthly Attendance Sheet,Talabalar oylik davomiyligi varaqasi
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Yuk tashish qoidasi faqat Sotish uchun amal qiladi
@@ -4016,7 +4064,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Savdo hamkorlarini boshqarish.
 DocType: Quality Inspection,Inspection Type,Tekshirish turi
 DocType: Fee Validity,Visited yet,Hoziroq tashrif buyurdi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Mavjud bitimlarga ega bo&#39;lgan omborlar guruhga o&#39;tkazilmaydi.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Mavjud bitimlarga ega bo&#39;lgan omborlar guruhga o&#39;tkazilmaydi.
 DocType: Assessment Result Tool,Result HTML,Natijada HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Savdo bitimlari asosida loyiha va kompaniya qanday yangilanishi kerak.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Muddati tugaydi
@@ -4024,7 +4072,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},"Iltimos, {0}"
 DocType: C-Form,C-Form No,S-formasi №
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Masofa
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Masofa
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Siz sotib olgan yoki sotgan mahsulot va xizmatlarni ro&#39;yxatlang.
 DocType: Water Analysis,Storage Temperature,Saqlash harorati
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4040,19 +4088,19 @@
 DocType: Shopify Settings,Delivery Note Series,Etkazib beramiz
 DocType: Purchase Order Item,Returned Qty,Miqdori qaytarildi
 DocType: Student,Exit,Chiqish
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Ildiz turi majburiydir
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Ildiz turi majburiydir
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Avvalgi sozlamalarni o&#39;rnatib bo&#39;lmadi
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM ning soatlik ishlash vaqti
 DocType: Contract,Signee Details,Imzo tafsilotlari
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} hozirda {1} Yetkazib beruvchi hisoblagichi mavjud va bu yetkazib beruvchiga RFQ ehtiyotkorlik bilan berilishi kerak.
 DocType: Certified Consultant,Non Profit Manager,Qor bo&#39;lmagan menedjer
 DocType: BOM,Total Cost(Company Currency),Jami xarajat (Kompaniya valyutasi)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Seriya no {0} yaratildi
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Seriya no {0} yaratildi
 DocType: Homepage,Company Description for website homepage,Veb-saytning ota-sahifasi uchun Kompaniya tavsifi
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",Xaridorlar qulayligi uchun bu kodlar Xarajatlarni va etkazib berish eslatmalari kabi bosma formatlarda qo&#39;llanilishi mumkin
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Superial nomi
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,{0} uchun ma&#39;lumot topilmadi.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Kirish jurnalini ochish
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Kirish jurnalini ochish
 DocType: Contract,Fulfilment Terms,Tugatish shartlari
 DocType: Sales Invoice,Time Sheet List,Soat varaqlari ro&#39;yxati
 DocType: Employee,You can enter any date manually,Har qanday sanani qo&#39;lda kiritishingiz mumkin
@@ -4087,7 +4135,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Tashkilotingiz
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Quyidagi xodimlar uchun ajratish qoldiring, chunki ular uchun ajratilgan ajratmalar yozuvlari allaqachon mavjud. {0}"
 DocType: Fee Component,Fees Category,Narxlar toifasi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,"Iltimos, bo&#39;sh vaqtni kiriting."
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,"Iltimos, bo&#39;sh vaqtni kiriting."
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Homiyning tafsilotlari (Ismi, JoyXarita)"
 DocType: Supplier Scorecard,Notify Employee,Xodimlarni xabardor qiling
@@ -4101,7 +4149,7 @@
 DocType: Attendance,Attendance Date,Ishtirok etish sanasi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Yangilangan aktsiyalarni sotib olish uchun taqdim etgan {0}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Daromadni kamaytirish va tushirishga asosan ish haqi taqsimoti.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Bola tugunlari bilan hisob qaydnomasiga o&#39;tkazilmaydi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Bola tugunlari bilan hisob qaydnomasiga o&#39;tkazilmaydi
 DocType: Purchase Invoice Item,Accepted Warehouse,Qabul qilingan omborxona
 DocType: Bank Reconciliation Detail,Posting Date,O&#39;tilganlik sanasi
 DocType: Item,Valuation Method,Baholash usuli
@@ -4137,6 +4185,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,"Iltimos, partiyani tanlang"
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Sayohat va xarajatlar shikoyati
 DocType: Sales Invoice,Redemption Cost Center,Qaytarilish xarajatlari markazi
+DocType: QuickBooks Migrator,Scope,Tortib olsa
 DocType: Assessment Group,Assessment Group Name,Baholash guruhining nomi
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Ishlab chiqarish uchun mo&#39;ljallangan material
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Ma&#39;lumotlarga qo&#39;shish
@@ -4144,6 +4193,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Oxirgi Sinxronlash Datetime
 DocType: Landed Cost Item,Receipt Document Type,Hujjatning shakli
 DocType: Daily Work Summary Settings,Select Companies,Kompaniyalarni tanlang
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Taklif / narx taklifi
 DocType: Antibiotic,Healthcare,Sog&#39;liqni saqlash
 DocType: Target Detail,Target Detail,Maqsad tafsilotlari
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Bitta variant
@@ -4153,6 +4203,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Davrni yopish
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Bo&#39;limni tanlang ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Amalga oshirilgan operatsiyalar bilan Narx Markaziga guruhga o&#39;tish mumkin emas
+DocType: QuickBooks Migrator,Authorization URL,Avtorizatsiya URL manzili
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Miqdor {0} {1} {2} {3}
 DocType: Account,Depreciation,Amortizatsiya
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Aktsiyalar soni va aktsiyalarning soni nomuvofiqdir
@@ -4174,13 +4225,14 @@
 DocType: Support Search Source,Source DocType,Manba DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Yangi chipta oching
 DocType: Training Event,Trainer Email,Trainer Email
+DocType: Driver,Transporter,Transporter
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Materiallar talablari {0} yaratildi
 DocType: Restaurant Reservation,No of People,Odamlar yo&#39;q
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Atamalar yoki shartnoma namunalari.
 DocType: Bank Account,Address and Contact,Manzil va aloqa
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Hisobni to&#39;lash mumkinmi?
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Qimmatli qog&#39;ozlar oldi-sotdisi qabul qilinmasa {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Qimmatli qog&#39;ozlar oldi-sotdisi qabul qilinmasa {0}
 DocType: Support Settings,Auto close Issue after 7 days,7 kundan so&#39;ng avtomatik yopilish
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","{0} dan oldin qoldirib bo&#39;linmaydi, chunki kelajakda bo&#39;sh joy ajratish yozuvida {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),"Eslatma: Muddati o&#39;tgan / mos yozuvlar sanasi, mijozlar kredit kunlarini {0} kun (lar)"
@@ -4198,7 +4250,7 @@
 ,Qty to Deliver,Miqdorni etkazish
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon bu sana so&#39;ng yangilangan ma&#39;lumotlarni sinxronlashtiradi
 ,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Operatsiyalarni bo&#39;sh qoldirib bo&#39;lmaydi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Operatsiyalarni bo&#39;sh qoldirib bo&#39;lmaydi
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Laborotoriya sinovlari
 DocType: Maintenance Visit Purpose,Against Document Detail No,Hujjat bo&#39;yicha batafsil ma&#39;lumot yo&#39;q
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},{0} mamlakat uchun o&#39;chirishga ruxsat yo&#39;q
@@ -4206,13 +4258,12 @@
 DocType: Quality Inspection,Outgoing,Chiqish
 DocType: Material Request,Requested For,Talab qilingan
 DocType: Quotation Item,Against Doctype,Doctypega qarshi
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} bekor qilindi yoki yopildi
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} bekor qilindi yoki yopildi
 DocType: Asset,Calculate Depreciation,Amortizatsiyani hisoblang
 DocType: Delivery Note,Track this Delivery Note against any Project,Ushbu etkazib berishni kuzatib boring
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Investitsiyalardan tushgan aniq pul
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Xaridor&gt; Mijozlar guruhi&gt; Zonasi
 DocType: Work Order,Work-in-Progress Warehouse,Harakatlanuvchi ishchi stantsiyasi
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Asset {0} yuborilishi kerak
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Asset {0} yuborilishi kerak
 DocType: Fee Schedule Program,Total Students,Jami talabalar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},{{1}} {{0}
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +179,Depreciation Eliminated due to disposal of assets,Amortizatsiya Aktivlarni yo&#39;qotish oqibatida yo&#39;qotilgan
@@ -4230,7 +4281,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Chap xodimlar uchun &quot;Saqlash bonusi&quot; yarata olmadi
 DocType: Lead,Market Segment,Bozor segmenti
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Qishloq xo&#39;jalik boshqaruvchisi
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},To&#39;langan pul miqdori jami salbiy ortiqcha {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},To&#39;langan pul miqdori jami salbiy ortiqcha {0}
 DocType: Supplier Scorecard Period,Variables,Argumentlar
 DocType: Employee Internal Work History,Employee Internal Work History,Xodimning ichki ish tarixi
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Yakunlovchi (doktor)
@@ -4254,22 +4305,24 @@
 DocType: Amazon MWS Settings,Synch Products,Sinxronizatsiya mahsulotlari
 DocType: Loyalty Point Entry,Loyalty Program,Sadoqat dasturi
 DocType: Student Guardian,Father,Ota
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Yordam chiptalari
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,&#39;Qimmatli qog&#39;ozlar yangilanishi&#39; moddiy aktivlarni sotish uchun tekshirib bo&#39;lmaydi
 DocType: Bank Reconciliation,Bank Reconciliation,Bank bilan kelishuv
 DocType: Attendance,On Leave,Chiqishda
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Yangilanishlarni oling
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Hisob {2} Kompaniyaga tegishli emas {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Har bir atributdan kamida bitta qiymatni tanlang.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Har bir atributdan kamida bitta qiymatni tanlang.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Materialda so&#39;rov {0} bekor qilindi yoki to&#39;xtatildi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Shtat yuboring
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Shtat yuboring
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Boshqarishni qoldiring
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Guruhlar
 DocType: Purchase Invoice,Hold Invoice,Billingni ushlab turing
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,"Iltimos, Ishchi-ni tanlang"
 DocType: Sales Order,Fully Delivered,To&#39;liq topshirildi
-DocType: Lead,Lower Income,Kam daromad
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Kam daromad
 DocType: Restaurant Order Entry,Current Order,Joriy Buyurtma
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Seriya nos soni va miqdori bir xil bo&#39;lishi kerak
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Resurs va maqsadli omborlar {0} qatori uchun bir xil bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Resurs va maqsadli omborlar {0} qatori uchun bir xil bo&#39;lishi mumkin emas
 DocType: Account,Asset Received But Not Billed,"Qabul qilingan, lekin olinmagan aktivlar"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Farq Hisobi Hisob-kitobi bo&#39;lishi kerak, chunki bu fondning kelishuvi ochilish yozuvi"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Ish haqi miqdori Kredit summasidan katta bo&#39;lishi mumkin emas {0}
@@ -4278,7 +4331,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},{0} band uchun xaridni tartib raqami talab qilinadi
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',&quot;Sana&quot; kunidan keyin &quot;To Date&quot;
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Ushbu nom uchun kadrlar rejasi yo&#39;q
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,{1} banddagi {0} guruhining o&#39;chirilganligi o&#39;chirilgan.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,{1} banddagi {0} guruhining o&#39;chirilganligi o&#39;chirilgan.
 DocType: Leave Policy Detail,Annual Allocation,Yillik taqsimlash
 DocType: Travel Request,Address of Organizer,Tashkilotchi manzili
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Sog&#39;liqni saqlash amaliyoti tanlang ...
@@ -4286,12 +4339,12 @@
 DocType: Asset,Fully Depreciated,To&#39;liq Amortizatsiyalangan
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Qimmatli qog&#39;ozlar miqdori
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Xaridor {0} loyihaga {1} tegishli emas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Xaridor {0} loyihaga {1} tegishli emas
 DocType: Employee Attendance Tool,Marked Attendance HTML,Belgilangan tomoshabin HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Qabullar sizning mijozlaringizga yuborilgan takliflar, takliflar"
 DocType: Sales Invoice,Customer's Purchase Order,Xaridor buyurtma buyurtmasi
 DocType: Clinical Procedure,Patient,Kasal
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Savdo buyurtmasidan kredit chekini chetlab o&#39;ting
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Savdo buyurtmasidan kredit chekini chetlab o&#39;ting
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Ishchilarning tashqi boshqaruvi
 DocType: Location,Check if it is a hydroponic unit,Hidroponik birlikmi tekshiring
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Seriya raqami va to&#39;plami
@@ -4301,7 +4354,7 @@
 DocType: Supplier Scorecard Period,Calculations,Hisoblashlar
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Qiymati yoki kattaligi
 DocType: Payment Terms Template,Payment Terms,To&#39;lov shartlari
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Mahsulotlar buyurtmalarini quyidagi sabablarga ko&#39;ra olish mumkin:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Mahsulotlar buyurtmalarini quyidagi sabablarga ko&#39;ra olish mumkin:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Minut
 DocType: Purchase Invoice,Purchase Taxes and Charges,Soliqlar va yig&#39;imlar xarid qilish
 DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML
@@ -4309,16 +4362,16 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Ta&#39;minlovchilarga boring
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Qalin Voucher Soliqlar
 ,Qty to Receive,Qabul qiladigan Miqdor
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Boshlang&#39;ich va tugash sanalari amaldagi chegirma davrida emas, {0} hisoblab chiqolmaydi."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Boshlang&#39;ich va tugash sanalari amaldagi chegirma davrida emas, {0} hisoblab chiqolmaydi."
 DocType: Leave Block List,Leave Block List Allowed,Bloklash ro&#39;yxatini qoldiring
 DocType: Grading Scale Interval,Grading Scale Interval,Baholash o&#39;lchov oralig&#39;i
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Narh-navo bilan narx-navo bahosi bo&#39;yicha chegirma (%)
 DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Barcha saqlash
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Inter kompaniyasi operatsiyalari uchun {0} topilmadi.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Inter kompaniyasi operatsiyalari uchun {0} topilmadi.
 DocType: Travel Itinerary,Rented Car,Avtomobil lizing
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Sizning kompaniyangiz haqida
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Hisobga olish uchun Hisob balansi yozuvi bo&#39;lishi kerak
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Hisobga olish uchun Hisob balansi yozuvi bo&#39;lishi kerak
 DocType: Donor,Donor,Donor
 DocType: Global Defaults,Disable In Words,So&#39;zlarda o&#39;chirib qo&#39;yish
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,"Mahsulot kodi majburiydir, chunki ob&#39;ekt avtomatik ravishda raqamlangan emas"
@@ -4329,14 +4382,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Bankning omonat hisoboti
 DocType: Patient,Patient ID,Kasal kimligi
 DocType: Practitioner Schedule,Schedule Name,Jadval nomi
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Maydon orqali Sotuv Quvuri
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Ish haqini kamaytirish
 DocType: Currency Exchange,For Buying,Sotib olish uchun
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Barcha etkazib beruvchilarni qo&#39;shish
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Barcha etkazib beruvchilarni qo&#39;shish
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Ajratilgan miqdori uncha katta bo&#39;lmagan miqdordan ortiq bo&#39;lishi mumkin emas.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,BOM-ga ko&#39;z tashlang
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Kafolatlangan kreditlar
 DocType: Purchase Invoice,Edit Posting Date and Time,Kundalik sana va vaqtni tahrirlash
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Amalga oshirilgan hisob-kitoblarni {0} obyekti yoki Kompaniya {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Amalga oshirilgan hisob-kitoblarni {0} obyekti yoki Kompaniya {1}
 DocType: Lab Test Groups,Normal Range,Oddiy intervalli
 DocType: Academic Term,Academic Year,O&#39;quv yili
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Sotuvga tayyor
@@ -4365,26 +4419,26 @@
 DocType: Patient Appointment,Patient Appointment,Bemorni tayinlash
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Ishtirokni tasdiqlash qoida sifatida qo&#39;llanilishi mumkin bo&#39;lgan rolga o&#39;xshamaydi
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Ushbu e-pochta xujjatidan obunani bekor qilish
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Ta&#39;minlovchilarni qabul qiling
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Ta&#39;minlovchilarni qabul qiling
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{1} elementi uchun {0} topilmadi
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Kurslarga o&#39;ting
 DocType: Accounts Settings,Show Inclusive Tax In Print,Chop etish uchun inklyuziv soliqni ko&#39;rsating
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Bank hisobi, Sana va tarixdan boshlab majburiydir"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Xabar yuborildi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,"Bola düğümleri bo&#39;lgan hisob, kitoblar sifatida ayarlanamaz"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,"Bola düğümleri bo&#39;lgan hisob, kitoblar sifatida ayarlanamaz"
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Narxlar ro&#39;yxati valyutasi mijozning asosiy valyutasiga aylantirildi
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Sof miqdori (Kompaniya valyutasi)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Umumiy avans miqdori jami ruxsat etilgan miqdordan ortiq bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Umumiy avans miqdori jami ruxsat etilgan miqdordan ortiq bo&#39;lishi mumkin emas
 DocType: Salary Slip,Hour Rate,Soat darajasi
 DocType: Stock Settings,Item Naming By,Nomlanishi nomga ega
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Boshqa bir davrni yopish {0} {1}
 DocType: Work Order,Material Transferred for Manufacturing,Ishlab chiqarish uchun mo&#39;ljallangan material
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Hisob {0} mavjud emas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Sadoqat dasturini tanlang
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Sadoqat dasturini tanlang
 DocType: Project,Project Type,Loyiha turi
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Ushbu Vazifa uchun Bola vazifasi mavjud. Ushbu vazifani o&#39;chira olmaysiz.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Nishon miqdor yoki maqsad miqdori majburiydir.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,Nishon miqdor yoki maqsad miqdori majburiydir.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Turli faoliyat turlarining narxi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Tadbirlarni {0} ga sozlash, chunki quyida ko&#39;rsatilgan Sotish Sotuviga qo&#39;yilgan xodimlar uchun foydalanuvchi identifikatori yo&#39;q {1}"
 DocType: Timesheet,Billing Details,To&#39;lov ma&#39;lumoti
@@ -4441,13 +4495,13 @@
 DocType: Inpatient Record,A Negative,Salbiy
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ko&#39;rsatish uchun boshqa hech narsa yo&#39;q.
 DocType: Lead,From Customer,Xaridordan
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Qo&#39;ng&#39;iroqlar
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Qo&#39;ng&#39;iroqlar
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Mahsulot
 DocType: Employee Tax Exemption Declaration,Declarations,Deklaratsiya
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Kassalar
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Ish haqi jadvalini tuzing
 DocType: Purchase Order Item Supplied,Stock UOM,Qimmatli qog&#39;ozlar UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Buyurtma {0} topshirilmadi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Buyurtma {0} topshirilmadi
 DocType: Account,Expenses Included In Asset Valuation,Aktivlarni baholashga kiritiladigan xarajatlar
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Kattalar uchun oddiy mos yozuvlar diapazoni 16-20 nafar / daqiqa (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Tarif raqami
@@ -4460,6 +4514,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,"Iltimos, avvalo kasalni saqlang"
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Ishtirok etish muvaffaqiyatli o&#39;tdi.
 DocType: Program Enrollment,Public Transport,Jamoat transporti
+DocType: Delivery Note,GST Vehicle Type,GST Avtomobil turi
 DocType: Soil Texture,Silt Composition (%),Shiling tarkibi (%)
 DocType: Journal Entry,Remark,Izoh
 DocType: Healthcare Settings,Avoid Confirmation,Tasdiqdan saqlaning
@@ -4468,11 +4523,10 @@
 apps/erpnext/erpnext/config/hr.py +34,Leaves and Holiday,Barg va dam olish
 DocType: Education Settings,Current Academic Term,Joriy Akademik atamalar
 DocType: Sales Order,Not Billed,To&#39;lov olinmaydi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Har ikkisi ham bir xil kompaniyaga tegishli bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Har ikkisi ham bir xil kompaniyaga tegishli bo&#39;lishi kerak
 DocType: Employee Grade,Default Leave Policy,Standart holda qoldirish siyosati
 DocType: Shopify Settings,Shop URL,URL manzilini kiriting
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Hech qanday kontakt qo&#39;shilmagan.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Iltimos, Setup&gt; Numbering Series orqali tomosha qilish uchun raqamlar seriyasini sozlang"
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Belgilangan xarajatlarning dastlabki miqdori
 ,Item Balance (Simple),Mavzu balansi (oddiy)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Yetkazuvchilar tomonidan ko&#39;tarilgan qonun loyihalari.
@@ -4497,7 +4551,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Quotation Series
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item","Biror narsa ({0}) bir xil nom bilan mavjud bo&#39;lsa, iltimos, element guruh nomini o&#39;zgartiring yoki ob&#39;ektni qayta nomlang"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Tuproq tahlil mezonlari
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,"Iltimos, mijozni tanlang"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,"Iltimos, mijozni tanlang"
 DocType: C-Form,I,Men
 DocType: Company,Asset Depreciation Cost Center,Aktivlar Amortizatsiya Narxlari Markazi
 DocType: Production Plan Sales Order,Sales Order Date,Savdo Buyurtma sanasi
@@ -4510,8 +4564,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Hozirda biron-bir omborda stok yo&#39;q
 ,Payment Period Based On Invoice Date,Hisob-faktura sanasi asosida to&#39;lov davri
 DocType: Sample Collection,No. of print,Chop etish soni
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Tug&#39;ilgan kun eslatma
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Mehmonxona Xona Rezervasyon Mavzu
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} uchun yo&#39;qolgan valyuta kurslari
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},{0} uchun yo&#39;qolgan valyuta kurslari
 DocType: Employee Health Insurance,Health Insurance Name,Salomatlik sug&#39;urtasi nomi
 DocType: Assessment Plan,Examiner,Ekspert
 DocType: Student,Siblings,Birodarlar
@@ -4528,19 +4583,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Yangi mijozlar
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Yalpi foyda %
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Uchrashuv {0} va Sotuvdagi Billing {1} bekor qilindi
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Qurilma manbai yordamida imkoniyatlar
 DocType: Appraisal Goal,Weightage (%),Og&#39;irligi (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,POS profilini o&#39;zgartirish
 DocType: Bank Reconciliation Detail,Clearance Date,Bo&#39;shatish sanasi
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Assot allaqachon {0} elementiga nisbatan mavjud bo&#39;lsa, undagi o&#39;zgarishlarni ketma-ket qiymati yo&#39;q"
+DocType: Delivery Settings,Dispatch Notification Template,Xabarnoma shablonini yuborish
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Assot allaqachon {0} elementiga nisbatan mavjud bo&#39;lsa, undagi o&#39;zgarishlarni ketma-ket qiymati yo&#39;q"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Baholash bo&#39;yicha hisobot
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Ishchilarni oling
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Umumiy xarid miqdori majburiydir
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Kompaniya nomi bir xil emas
 DocType: Lead,Address Desc,Manzil raq
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Partiya majburiydir
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Boshqa qatorlardagi takroriy sanalarni ko&#39;rsatadigan qatorlar topildi: {list}
 DocType: Topic,Topic Name,Mavzu nomi
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Chiqish sozlamalarida tasdiqlashni tasdiqlash xabarnomasi uchun standart shablonni o&#39;rnating.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Chiqish sozlamalarida tasdiqlashni tasdiqlash xabarnomasi uchun standart shablonni o&#39;rnating.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Eng ko&#39;p sotilgan yoki sotilgan mahsulotlardan biri tanlangan bo&#39;lishi kerak
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Xodimni oldindan olish uchun xodimni tanlang.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,"Iltimos, to&#39;g&#39;ri Sana tanlang"
@@ -4574,6 +4630,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Xaridor yoki yetkazib beruvchi ma&#39;lumotlari
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-YYYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Joriy aktivlar qiymati
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Kompaniya identifikatori
 DocType: Travel Request,Travel Funding,Sayohat mablag&#39;lari
 DocType: Loan Application,Required by Date,Sana bo&#39;yicha talab qilinadi
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,O&#39;simliklar o&#39;sadigan barcha joylarga bog&#39;lanish
@@ -4587,9 +4644,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,QXIdan mavjud bo&#39;lgan ommaviy miqdori
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Brüt to&#39;lash - Jami cheklov - Kreditni qaytarish
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,Joriy BOM va yangi BOM bir xil bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,Joriy BOM va yangi BOM bir xil bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,Ish haqi miqdori
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Pensiya tarixi sanasi qo&#39;shilish sanasidan katta bo&#39;lishi kerak
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Pensiya tarixi sanasi qo&#39;shilish sanasidan katta bo&#39;lishi kerak
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Bir nechta varianti
 DocType: Sales Invoice,Against Income Account,Daromad hisobiga qarshi
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% taslim etildi
@@ -4618,7 +4675,7 @@
 DocType: POS Profile,Update Stock,Stokni yangilang
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ma&#39;lumotlar uchun turli UOM noto&#39;g&#39;ri (Total) Net Og&#39;irligi qiymatiga olib keladi. Har bir elementning aniq vazniga bir xil UOM ichida ekanligiga ishonch hosil qiling.
 DocType: Certification Application,Payment Details,To&#39;lov ma&#39;lumoti
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM darajasi
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM darajasi
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","To&#39;xtatilgan ish tartibi bekor qilinishi mumkin emas, bekor qilish uchun avval uni to&#39;xtatib turish"
 DocType: Asset,Journal Entry for Scrap,Hurda uchun jurnalni kiritish
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Iltimos, mahsulotni etkazib berish Eslatma"
@@ -4641,11 +4698,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Jami sanksiya miqdori
 ,Purchase Analytics,Analytics xarid qiling
 DocType: Sales Invoice Item,Delivery Note Item,Yetkazib berish eslatmasi elementi
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Joriy {0} hisob-kitobi yo&#39;q
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Joriy {0} hisob-kitobi yo&#39;q
 DocType: Asset Maintenance Log,Task,Vazifa
 DocType: Purchase Taxes and Charges,Reference Row #,Yo&#39;naltirilgan satr #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Partiya raqami {0} element uchun majburiydir.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Bu ildiz sotuvchisidir va tahrirlanmaydi.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,Bu ildiz sotuvchisidir va tahrirlanmaydi.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Agar tanlangan bo&#39;lsa, ushbu komponentda ko&#39;rsatilgan yoki hisoblangan qiymat daromad yoki ajratmalarga hissa qo&#39;shmaydi. Biroq, bu qiymatni qo&#39;shilishi yoki chiqarilishi mumkin bo&#39;lgan boshqa komponentlar bilan bog&#39;lash mumkin."
 DocType: Asset Settings,Number of Days in Fiscal Year,Moliyaviy yilda kunlar soni
 ,Stock Ledger,Qimmatli qog&#39;ozlar bozori
@@ -4653,7 +4710,7 @@
 DocType: Company,Exchange Gain / Loss Account,Birgalikdagi daromad / yo&#39;qotish hisobi
 DocType: Amazon MWS Settings,MWS Credentials,MWS hisobga olish ma&#39;lumotlari
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Xodimlar va qatnashish
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Maqsad {0} dan biri bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Maqsad {0} dan biri bo&#39;lishi kerak
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Shaklni to&#39;ldiring va uni saqlang
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Jamoa forumi
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Aksiyada haqiqiy miqdor
@@ -4668,7 +4725,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Standart sotish bahosi
 DocType: Account,Rate at which this tax is applied,Ushbu soliq qo&#39;llaniladigan stavka
 DocType: Cash Flow Mapper,Section Name,Bo&#39;lim nomi
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Miqdorni qayta tartiblashtirish
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Miqdorni qayta tartiblashtirish
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Amortizatsiya satri {0}: foydali muddat tugagandan keyin kutilgan qiymat {1} dan katta yoki teng bo&#39;lishi kerak
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Joriy ish o&#39;rinlari
 DocType: Company,Stock Adjustment Account,Qimmatli qog&#39;ozlarni tartibga solish hisobi
@@ -4678,8 +4735,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Tizim foydalanuvchisi (login) identifikatori. Agar belgilansa, u barcha HR formatlari uchun sukut bo&#39;ladi."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Amortizatsiya ma&#39;lumotlarini kiriting
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: {1} dan
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},{0} dasturidan chiqish uchun talaba {1}
 DocType: Task,depends_on,ga bog&#39;liq
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Barcha materiallar materiallarida eng so&#39;nggi narxni yangilash uchun navbatda turdi. Bir necha daqiqa o&#39;tishi mumkin.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Barcha materiallar materiallarida eng so&#39;nggi narxni yangilash uchun navbatda turdi. Bir necha daqiqa o&#39;tishi mumkin.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Yangi hisob nomi. Eslatma: Iltimos, mijozlar va etkazib beruvchilar uchun hisoblar yarating"
 DocType: POS Profile,Display Items In Stock,Stoktaki narsalarni ko&#39;rsatish
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Country wise wise manzili Shablonlar
@@ -4709,16 +4767,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0} uchun joylar jadvalga qo&#39;shilmaydi
 DocType: Product Bundle,List items that form the package.,Paketni tashkil etadigan elementlarni ro&#39;yxatlang.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Ruxsat berilmaydi. Viktorina jadvalini o&#39;chirib qo&#39;ying
+DocType: Delivery Note,Distance (in km),Masofa (km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Foizlarni taqsimlash 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Tomonni tanlashdan oldin sanasi sanasini tanlang
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Tomonni tanlashdan oldin sanasi sanasini tanlang
 DocType: Program Enrollment,School House,Maktab uyi
 DocType: Serial No,Out of AMC,AMCdan tashqarida
+DocType: Opportunity,Opportunity Amount,Imkoniyatlar miqdori
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Qayd qilingan amortizatsiya miqdori jami Amortizatsiya miqdoridan ko&#39;p bo&#39;lishi mumkin emas
 DocType: Purchase Order,Order Confirmation Date,Buyurtma Tasdiqlash sanasi
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-YYYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Xizmatga tashrif buyurish
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Boshlanish sanasi va tugash sanasi <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Xodimlarning transferi bo&#39;yicha ma&#39;lumotlar
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Sotish bo&#39;yicha Magistr Direktori {0} roli mavjud foydalanuvchi bilan bog&#39;laning
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Sotish bo&#39;yicha Magistr Direktori {0} roli mavjud foydalanuvchi bilan bog&#39;laning
 DocType: Company,Default Cash Account,Naqd pul hisobvarag&#39;i
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Kompaniya (mijoz yoki yetkazib beruvchi emas) ustasi.
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Bu talaba ushbu talabaga asoslanadi
@@ -4726,9 +4787,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Boshqa narsalarni qo&#39;shish yoki to&#39;liq shaklni oching
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Ushbu Sotuvdagi Buyurtmani bekor qilishdan oldin etkazib berish xatnomalarini {0} bekor qilish kerak
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Foydalanuvchilarga o&#39;ting
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,To&#39;langan pul miqdori + Write Off To&#39;lov miqdori Grand Totaldan katta bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,To&#39;langan pul miqdori + Write Off To&#39;lov miqdori Grand Totaldan katta bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} {1} element uchun haqiqiy partiya raqami emas
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Izoh: Tovar {0} uchun qoldirilgan muvozanat etarli emas.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Izoh: Tovar {0} uchun qoldirilgan muvozanat etarli emas.
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,GSTIN noto&#39;g&#39;ri yoki ro&#39;yxatdan o&#39;tish uchun NA kiriting
 DocType: Training Event,Seminar,Seminar
 DocType: Program Enrollment Fee,Program Enrollment Fee,Dasturni ro&#39;yxatga olish uchun to&#39;lov
@@ -4745,7 +4806,7 @@
 DocType: Fee Schedule,Fee Schedule,Ish haqi jadvali
 DocType: Company,Create Chart Of Accounts Based On,Hisoblar jadvalini tuzish
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Guruhni guruhga o&#39;tkazib bo&#39;lmadi. Bola vazifalari mavjud.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Tug&#39;ilgan sanasi bugungi kunda katta bo&#39;lmasligi mumkin.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Tug&#39;ilgan sanasi bugungi kunda katta bo&#39;lmasligi mumkin.
 ,Stock Ageing,Qarshi qarish
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Qisman homiylik, qisman moliyalashtirishni talab qilish"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Isoning shogirdi {0} talaba arizachiga nisbatan {1}
@@ -4792,11 +4853,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Yig&#39;ilishdan oldin
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} uchun
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Soliqlar va yig&#39;imlar qo&#39;shildi (Kompaniya valyutasi)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Mahsulot Soliq Royi {0} turidagi Soliq yoki daromad yoki xarajatlar yoki Ulanish uchun hisobga ega bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Mahsulot Soliq Royi {0} turidagi Soliq yoki daromad yoki xarajatlar yoki Ulanish uchun hisobga ega bo&#39;lishi kerak
 DocType: Sales Order,Partly Billed,Qisman taqsimlangan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,{0} elementi Ruxsat etilgan aktiv obyekti bo&#39;lishi kerak
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Variantlarni tanlang
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Variantlarni tanlang
 DocType: Item,Default BOM,Standart BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),Jami to&#39;lov miqdori (Savdo shkaflari orqali)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,Debet qaydnomasi miqdori
@@ -4825,13 +4886,13 @@
 DocType: Notification Control,Custom Message,Maxsus xabar
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Investitsiya banklari
 DocType: Purchase Invoice,input,kiritish
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,To&#39;lovni kiritish uchun naqd pul yoki bank hisobi majburiydir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,To&#39;lovni kiritish uchun naqd pul yoki bank hisobi majburiydir
 DocType: Loyalty Program,Multiple Tier Program,Ko&#39;p darajadagi darajali dastur
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Isoning shogirdi manzili
 DocType: Purchase Invoice,Price List Exchange Rate,Narxlar ro&#39;yxati almashuv kursi
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Barcha yetkazib beruvchi guruhlari
 DocType: Employee Boarding Activity,Required for Employee Creation,Xodimlarni yaratish uchun talab qilinadi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Hisob raqami {0} allaqachon {1} hisobida ishlatilgan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Hisob raqami {0} allaqachon {1} hisobida ishlatilgan
 DocType: GoCardless Mandate,Mandate,Majburiyat
 DocType: POS Profile,POS Profile Name,Qalin profil nomi
 DocType: Hotel Room Reservation,Booked,Qayd qilingan
@@ -4847,18 +4908,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,"Malumot sanasi kiritilgan bo&#39;lsa, Yo&#39;naltiruvchi raqami majburiy emas"
 DocType: Bank Reconciliation Detail,Payment Document,To&#39;lov hujjati
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Me&#39;riy formulani baholashda xato
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Kiritilgan sana Tug&#39;ilgan kundan katta bo&#39;lishi kerak
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Kiritilgan sana Tug&#39;ilgan kundan katta bo&#39;lishi kerak
 DocType: Subscription,Plans,Rejalar
 DocType: Salary Slip,Salary Structure,Ish haqi tuzilishi
 DocType: Account,Bank,Bank
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Aviakompaniya
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Muammo materiallari
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Muammo materiallari
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Shopifyni ERPNext bilan ulang
 DocType: Material Request Item,For Warehouse,QXI uchun
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Yetkazib berish xatlari {0} yangilandi
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Yetkazib berish xatlari {0} yangilandi
 DocType: Employee,Offer Date,Taklif sanasi
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Qo&#39;shtirnoq
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Siz oflayn rejasiz. Tarmoqqa ega bo&#39;lguncha qayta yuklay olmaysiz.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Qo&#39;shtirnoq
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Siz oflayn rejasiz. Tarmoqqa ega bo&#39;lguncha qayta yuklay olmaysiz.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Hech qanday talabalar guruhi yaratilmagan.
 DocType: Purchase Invoice Item,Serial No,Serial №
@@ -4870,24 +4931,26 @@
 DocType: Sales Invoice,Customer PO Details,Xaridor po ma&#39;lumotlari
 DocType: Stock Entry,Including items for sub assemblies,Sub assemblies uchun elementlarni o&#39;z ichiga oladi
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Vaqtinchalik ochilish hisobi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Qiymatni kiritish ijobiy bo&#39;lishi kerak
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Qiymatni kiritish ijobiy bo&#39;lishi kerak
 DocType: Asset,Finance Books,Moliyaviy kitoblar
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Ish beruvchi soliq imtiyozlari deklaratsiyasi
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Barcha hududlar
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,"Iltimos, Xodimga / Baho yozuvida ishlaydigan {0} uchun ta&#39;til tartib-qoidasini belgilang"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Tanlangan buyurtmachi va mahsulot uchun yorliqli buyurtma
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Tanlangan buyurtmachi va mahsulot uchun yorliqli buyurtma
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Ko&#39;p vazifalarni qo&#39;shing
 DocType: Purchase Invoice,Items,Mahsulotlar
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Tugash sanasi boshlanish sanasidan oldin bo&#39;lishi mumkin emas.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Talabalar allaqachon ro&#39;yxatdan o&#39;tgan.
 DocType: Fiscal Year,Year Name,Yil nomi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Bu oyda ish kunlaridan ko&#39;ra ko&#39;proq bayramlar bor.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Bu oyda ish kunlaridan ko&#39;ra ko&#39;proq bayramlar bor.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,{0} elementdan so&#39;ng {1} element sifatida belgilanmagan. Ularni Item masterdan {1} element sifatida faollashtirishingiz mumkin
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Mahsulot paketi elementi
 DocType: Sales Partner,Sales Partner Name,Savdo hamkorining nomi
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Takliflar uchun so&#39;rov
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Takliflar uchun so&#39;rov
 DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimal Billing miqdori
 DocType: Normal Test Items,Normal Test Items,Oddiy test buyumlari
+DocType: QuickBooks Migrator,Company Settings,Kompaniya sozlamalari
 DocType: Additional Salary,Overwrite Salary Structure Amount,Ish haqi tuzilishi miqdori haqida yozing
 DocType: Student Language,Student Language,Isoning shogirdi tili
 apps/erpnext/erpnext/config/selling.py +23,Customers,Iste&#39;molchilar
@@ -4899,21 +4962,23 @@
 DocType: Issue,Opening Time,Vaqtni ochish
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,Kerakli kunlardan boshlab
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Qimmatli qog&#39;ozlar va BUyuMLAR birjalari
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',&#39;{0}&#39; variantining standart o&#39;lchov birligi &#39;{1}&#39; shablonidagi kabi bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',&#39;{0}&#39; variantining standart o&#39;lchov birligi &#39;{1}&#39; shablonidagi kabi bo&#39;lishi kerak
 DocType: Shipping Rule,Calculate Based On,Oddiy qiymatni hisoblash
 DocType: Contract,Unfulfilled,Tugallanmagan
 DocType: Delivery Note Item,From Warehouse,QXIdan
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Ko&#39;rsatilgan mezonlarga xodimlar yo&#39;q
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Ishlab chiqarish uchun materiallar varaqasi yo&#39;q
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Ishlab chiqarish uchun materiallar varaqasi yo&#39;q
 DocType: Shopify Settings,Default Customer,Standart mijoz
+DocType: Sales Stage,Stage Name,Staj nomi
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-YYYYY.-
 DocType: Assessment Plan,Supervisor Name,Boshqaruvchi nomi
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Xuddi shu kuni Uchrashuvni tashkil etganligini tasdiqlamang
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Shtatga yuboriladi
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Shtatga yuboriladi
 DocType: Program Enrollment Course,Program Enrollment Course,Dasturlarni ro&#39;yxatga olish kursi
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Foydalanuvchining {0} allaqachon Sog&#39;liqni saqlash amaliyoti uchun {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Namunani ushlab turing
 DocType: Purchase Taxes and Charges,Valuation and Total,Baholash va jami
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Muzokara / Tadqiq
 DocType: Leave Encashment,Encashment Amount,Inkassatsiya miqdori
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Scorecards
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Muddati tugagan batareyalar
@@ -4923,7 +4988,7 @@
 DocType: Staffing Plan Detail,Current Openings,Joriy ochilishlar
 DocType: Notification Control,Customize the Notification,Xabarnomani moslashtiring
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Operatsiyalardan pul oqimi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST miqdori
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST miqdori
 DocType: Purchase Invoice,Shipping Rule,Yuk tashish qoidalari
 DocType: Patient Relation,Spouse,Turmush o&#39;rtog&#39;im
 DocType: Lab Test Groups,Add Test,Testni qo&#39;shish
@@ -4937,14 +5002,14 @@
 DocType: Payroll Entry,Payroll Frequency,Bordro chastotasi
 DocType: Lab Test Template,Sensitivity,Ta&#39;sirchanlik
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,"Sinxronlashtirish vaqtinchalik o&#39;chirib qo&#39;yilgan, chunki maksimal qayta ishlashlar oshirilgan"
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Xom ashyo
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Xom ashyo
 DocType: Leave Application,Follow via Email,Elektron pochta orqali qiling
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,O&#39;simliklar va mashinalari
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Chegirma summasi bo&#39;yicha soliq summasi
 DocType: Patient,Inpatient Status,Statsionar ahvoli
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Kundalik ish sarlavhalari sozlamalari
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Tanlangan narxlari ro&#39;yxatida sotib olish va sotish joylari tekshirilishi kerak.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Iltimos sanasi bo&#39;yicha Reqd kiriting
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Tanlangan narxlari ro&#39;yxatida sotib olish va sotish joylari tekshirilishi kerak.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Iltimos sanasi bo&#39;yicha Reqd kiriting
 DocType: Payment Entry,Internal Transfer,Ichki pul o&#39;tkazish
 DocType: Asset Maintenance,Maintenance Tasks,Xizmat vazifalari
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Nishon miqdor yoki maqsad miqdori majburiydir
@@ -4965,7 +5030,7 @@
 DocType: Mode of Payment,General,Umumiy
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Oxirgi muloqot
 ,TDS Payable Monthly,TDS to&#39;lanishi mumkin oylik
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,BOMni almashtirish uchun navbat. Bir necha daqiqa o&#39;tishi mumkin.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,BOMni almashtirish uchun navbat. Bir necha daqiqa o&#39;tishi mumkin.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',&quot;Baholash&quot; yoki &quot;Baholash va jami&quot;
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Serileştirilmiş Mahsulot uchun Serial Nos kerak {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Xarajatlarni hisob-kitob qilish
@@ -4978,7 +5043,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,savatchaga qo&#39;shish
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Guruh tomonidan
 DocType: Guardian,Interests,Qiziqishlar
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Pullarni yoqish / o&#39;chirish.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Pullarni yoqish / o&#39;chirish.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Ish haqi toifalarini topshirib bo&#39;lmadi
 DocType: Exchange Rate Revaluation,Get Entries,Yozib oling
 DocType: Production Plan,Get Material Request,Moddiy talablarni oling
@@ -5000,15 +5065,16 @@
 DocType: Lead,Lead Type,Qo&#39;rg&#39;oshin turi
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Siz bloklangan sana bo&#39;yicha barglarni tasdiqlash uchun vakolatga ega emassiz
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Bu barcha narsalar allaqachon faturalanmıştı
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Yangi chiqish sanasini belgilang
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Yangi chiqish sanasini belgilang
 DocType: Company,Monthly Sales Target,Oylik Sotuvdagi Nishon
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} tomonidan tasdiqlangan bo&#39;lishi mumkin
 DocType: Hotel Room,Hotel Room Type,Mehmonxona turi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Yetkazib beruvchi&gt; Yetkazib beruvchi turi
 DocType: Leave Allocation,Leave Period,Davrni qoldiring
 DocType: Item,Default Material Request Type,Standart material talabi turi
 DocType: Supplier Scorecard,Evaluation Period,Baholash davri
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,Noma&#39;lum
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Ish tartibi yaratilmadi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Ish tartibi yaratilmadi
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","{1} tarkibiy qismi uchun da&#39;vo qilingan {0} miqdori, {2} dan katta yoki katta miqdorni belgilash"
 DocType: Shipping Rule,Shipping Rule Conditions,Yuk tashish qoida shartlari
@@ -5041,15 +5107,15 @@
 DocType: Batch,Source Document Name,Manba hujjat nomi
 DocType: Production Plan,Get Raw Materials For Production,Ishlab chiqarish uchun xomashyodan foydalaning
 DocType: Job Opening,Job Title,Lavozim
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} {1} tirnoq taqdim etmasligini bildiradi, lekin barcha elementlar \ kote qilingan. RFQ Buyurtma holatini yangilash."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Eng ko&#39;p namuna - {0} ommaviy {1} va {2} elementlari uchun ommaviy {3} da allaqachon saqlangan.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Eng ko&#39;p namuna - {0} ommaviy {1} va {2} elementlari uchun ommaviy {3} da allaqachon saqlangan.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,BOM narxini avtomatik ravishda yangilang
 DocType: Lab Test,Test Name,Sinov nomi
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinik protsedura sarflanadigan mahsulot
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Foydalanuvchilarni yaratish
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Obunalar
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Obunalar
 DocType: Supplier Scorecard,Per Month,Oyiga
 DocType: Education Settings,Make Academic Term Mandatory,Akademik Muddatni bajarish shart
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Ishlab chiqarish miqdori 0dan katta bo&#39;lishi kerak.
@@ -5058,9 +5124,9 @@
 DocType: Stock Entry,Update Rate and Availability,Yangilash darajasi va mavjudligi
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Buyurtma berilgan miqdorga nisbatan ko&#39;proq miqdorda qabul qilishingiz yoki topshirishingiz mumkin bo&#39;lgan foiz. Misol uchun: Agar siz 100 ta buyurtma bergan bo&#39;lsangiz. va sizning Rag&#39;batingiz 10% bo&#39;lsa, sizda 110 ta bo&#39;linmaga ega bo&#39;lishingiz mumkin."
 DocType: Loyalty Program,Customer Group,Mijozlar guruhi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,# {0} qatori: {1} ishi {2} sonli buyurtma uchun ishchi buyurtma # {3} da bajarilmadi. Vaqt qaydnomalari orqali operatsiya holatini yangilang
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,# {0} qatori: {1} ishi {2} sonli buyurtma uchun ishchi buyurtma # {3} da bajarilmadi. Vaqt qaydnomalari orqali operatsiya holatini yangilang
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),Yangi partiya identifikatori (majburiy emas)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Xarajat hisobi {0} elementi uchun majburiydir.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Xarajat hisobi {0} elementi uchun majburiydir.
 DocType: BOM,Website Description,Veb-sayt ta&#39;rifi
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Özkaynakta aniq o&#39;zgarishlar
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Avval xaridlar fakturasini {0} bekor qiling
@@ -5074,7 +5140,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Tahrir qilish uchun hech narsa yo&#39;q.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Formasi ko&#39;rinishi
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Xarajatlarni majburiy hisobga olishda tasdiqlash
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Bu oy uchun xulosa va kutilayotgan tadbirlar
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Bu oy uchun xulosa va kutilayotgan tadbirlar
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Iltimos {0} kompaniyasida amalga oshirilmaydigan Exchange Gain / Loss Accountni tanlang
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",Foydalanuvchilarni o&#39;zingizning tashkilotingizdan tashqari tashkilotga qo&#39;shing.
 DocType: Customer Group,Customer Group Name,Mijozlar guruhi nomi
@@ -5090,7 +5156,7 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Vaqt oraliqlari qo&#39;shildi
 DocType: Item,Attributes,Xususiyatlar
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Shabloni yoqish
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,"Iltimos, hisob raqamini kiriting"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,"Iltimos, hisob raqamini kiriting"
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Oxirgi Buyurtma sanasi
 DocType: Salary Component,Is Payable,To&#39;lanishi kerak
 DocType: Inpatient Record,B Negative,B salbiy
@@ -5101,7 +5167,7 @@
 DocType: Hotel Room,Hotel Room,Mehmonxona xonasi
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Hisob {0} kompaniya {1} ga tegishli emas
 DocType: Leave Type,Rounding,Rounding
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,{0} qatoridagi ketma-ket raqamlar etkazib berish eslatmasiga mos kelmaydi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,{0} qatoridagi ketma-ket raqamlar etkazib berish eslatmasiga mos kelmaydi
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Tarqatilgan miqdor (Pro-rated)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Keyin narxlash qoidalari xaridorlar, xaridorlar guruhi, hududi, yetkazib beruvchisi, yetkazib beruvchi guruhi, aksiya, savdo bo&#39;yicha hamkor va boshqalar asosida filtrlanadi."
 DocType: Student,Guardian Details,Guardian tafsilotlari
@@ -5110,10 +5176,10 @@
 DocType: Vehicle,Chassis No,Yo&#39;lak No
 DocType: Payment Request,Initiated,Boshlandi
 DocType: Production Plan Item,Planned Start Date,Rejalashtirilgan boshlanish sanasi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,"Iltimos, BOM-ni tanlang"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,"Iltimos, BOM-ni tanlang"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC Integrated Tax solingan
 DocType: Purchase Order Item,Blanket Order Rate,Yorqinlik darajasi
-apps/erpnext/erpnext/hooks.py +156,Certification,Sertifikatlash
+apps/erpnext/erpnext/hooks.py +157,Certification,Sertifikatlash
 DocType: Bank Guarantee,Clauses and Conditions,Maqolalar va shartlar
 DocType: Serial No,Creation Document Type,Hujjatning tuzilishi
 DocType: Project Task,View Timesheet,Vaqt jadvalini ko&#39;rish
@@ -5138,6 +5204,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,{0} Ota-ona element Stock kabinetga bo&#39;lishi shart emas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Sayt listingi
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Barcha mahsulotlar yoki xizmatlar.
+DocType: Email Digest,Open Quotations,Ochiq takliflar
 DocType: Expense Claim,More Details,Batafsil ma&#39;lumot
 DocType: Supplier Quotation,Supplier Address,Yetkazib beruvchi manzili
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} {1} {2} {3} ga qarshi hisob qaydnomasi {4}. {5} dan oshib ketadi
@@ -5152,19 +5219,18 @@
 DocType: Training Event,Exam,Test
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Bozor xatosi
 DocType: Complaint,Complaint,Shikoyat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},{0} uchun kabinetga ombori kerak
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},{0} uchun kabinetga ombori kerak
 DocType: Leave Allocation,Unused leaves,Foydalanilmagan barglar
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,To&#39;lovni to&#39;lashni amalga oshiring
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Barcha bo&#39;limlar
 DocType: Healthcare Service Unit,Vacant,Bo&#39;sh
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Yetkazib beruvchi&gt; Yetkazib beruvchi turi
 DocType: Patient,Alcohol Past Use,Spirtli ichimliklarni o&#39;tmishda ishlatish
 DocType: Fertilizer Content,Fertilizer Content,Go&#39;ng tarkibi
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
 DocType: Project Update,Problematic/Stuck,Muammoli / Stuck
 DocType: Tax Rule,Billing State,Billing davlati
 DocType: Share Transfer,Transfer,Transfer
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),"Fetch portlash qilingan BOM (sub-assemblies, shu jumladan)"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),"Fetch portlash qilingan BOM (sub-assemblies, shu jumladan)"
 DocType: Authorization Rule,Applicable To (Employee),Qo&#39;llanilishi mumkin (xodim)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,To&#39;lov sanasi majburiydir
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,{0} xususiyati uchun ortish 0 bo&#39;lishi mumkin emas
@@ -5180,7 +5246,7 @@
 DocType: Disease,Treatment Period,Davolash davri
 DocType: Travel Itinerary,Travel Itinerary,Sayohat yo&#39;nalishi
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Yuborilgan natija
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Zahiralangan QXI mahsulotning {0} mahsuloti uchun berilgan xom ashyo uchun majburiydir
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Zahiralangan QXI mahsulotning {0} mahsuloti uchun berilgan xom ashyo uchun majburiydir
 ,Inactive Customers,Faol bo&#39;lmagan mijozlar
 DocType: Student Admission Program,Maximum Age,Maksimal yosh
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Eslatmani qayta yuborishdan oldin 3 kun kuting.
@@ -5189,7 +5255,6 @@
 DocType: Stock Entry,Delivery Note No,Etkazib berish Eslatma No
 DocType: Cheque Print Template,Message to show,Ko&#39;rsatiladigan xabar
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Chakana savdo
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Uchrashuv fakturasini avtomatik boshqarish
 DocType: Student Attendance,Absent,Yo&#39;q
 DocType: Staffing Plan,Staffing Plan Detail,Xodimlar rejasi batafsil
 DocType: Employee Promotion,Promotion Date,Rag&#39;batlantiruvchi sana
@@ -5211,7 +5276,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Qo&#39;rg&#39;oshin bo&#39;ling
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,Chop etish va ish yuritish
 DocType: Stock Settings,Show Barcode Field,Barcode maydonini ko&#39;rsatish
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Yetkazib beruvchi elektron pochta xabarlarini yuborish
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Yetkazib beruvchi elektron pochta xabarlarini yuborish
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} va {1} oralig&#39;idagi davrda allaqachon ishlov berilgan ish haqi, ushbu muddat oralig&#39;ida ariza berish muddati qoldirilmasligi kerak."
 DocType: Fiscal Year,Auto Created,Avtomatik yaratildi
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Xodimlar yozuvini yaratish uchun uni yuboring
@@ -5220,7 +5285,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Faktura {0} endi yo&#39;q
 DocType: Guardian Interest,Guardian Interest,Guardian qiziqishi
 DocType: Volunteer,Availability,Mavjudligi
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,POS hisob-fakturalarida standart qiymatlarni sozlash
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,POS hisob-fakturalarida standart qiymatlarni sozlash
 apps/erpnext/erpnext/config/hr.py +248,Training,Trening
 DocType: Project,Time to send,Yuborish vaqti
 DocType: Timesheet,Employee Detail,Xodimlar haqida batafsil
@@ -5242,7 +5307,7 @@
 DocType: Training Event Employee,Optional,Majburiy emas
 DocType: Salary Slip,Earning & Deduction,Mablag&#39;larni kamaytirish
 DocType: Agriculture Analysis Criteria,Water Analysis,Suvni tahlil qilish
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,{0} variantlar yaratildi.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0} variantlar yaratildi.
 DocType: Amazon MWS Settings,Region,Mintaqa
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Majburiy emas. Ushbu parametr turli operatsiyalarda filtrlash uchun ishlatiladi.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Salbiy baholash darajasi ruxsat etilmaydi
@@ -5261,7 +5326,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Chiqib ketgan aktivlarning qiymati
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: narxlari markazi {2}
 DocType: Vehicle,Policy No,Siyosat No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Mahsulot paketidagi narsalarni oling
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Mahsulot paketidagi narsalarni oling
 DocType: Asset,Straight Line,To&#39;g&#39;ri chiziq
 DocType: Project User,Project User,Loyiha foydalanuvchisi
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Split
@@ -5269,7 +5334,7 @@
 DocType: GL Entry,Is Advance,Advance
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Xodimlarning hayot muddati
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Sana va davomiylikdan Sana bo&#39;yicha ishtirok etish majburiydir
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,&quot;Yes&quot; yoki &quot;No&quot; deb nomlangan &quot;Subcontracted&quot; so&#39;zini kiriting
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,&quot;Yes&quot; yoki &quot;No&quot; deb nomlangan &quot;Subcontracted&quot; so&#39;zini kiriting
 DocType: Item,Default Purchase Unit of Measure,O&#39;lchamdagi standart sotib olish birligi
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Oxirgi aloqa davri
 DocType: Clinical Procedure Item,Clinical Procedure Item,Klinik protsedura
@@ -5278,7 +5343,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Kirish nishonchasini yoki URL manzilini yetkazib bo&#39;lmaydi
 DocType: Location,Latitude,Enlem
 DocType: Work Order,Scrap Warehouse,Hurda ombori
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","{0} satrida talab qilingan omborxona, iltimos, {2} uchun kompaniya {1} uchun odatiy omborni o&#39;rnating"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","{0} satrida talab qilingan omborxona, iltimos, {2} uchun kompaniya {1} uchun odatiy omborni o&#39;rnating"
 DocType: Work Order,Check if material transfer entry is not required,Moddiy uzatishni talab qilmasligini tekshiring
 DocType: Program Enrollment Tool,Get Students From,Shogirdlarni o&#39;zingizdan oling
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,Saytdagi ma&#39;lumotlar nashr qiling
@@ -5293,6 +5358,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Yangi Batch son
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,Tashqi va o&#39;smirlar
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Og&#39;irlikdagi ball vazifasini hal qila olmadi. Formulaning haqiqiyligiga ishonch hosil qiling.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Buyurtma Buyurtma Buyurtma vaqtida olinmagan
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Buyurtma soni
 DocType: Item Group,HTML / Banner that will show on the top of product list.,Mahsulot ro&#39;yxatining yuqori qismida ko&#39;rsatiladigan HTML / Banner.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Yuk tashish miqdorini hisoblash uchun shartlarni belgilang
@@ -5301,9 +5367,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Yo&#39;l
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,"Xarajatli markazni kitob nusxa ko&#39;chirish qurilmasiga aylantira olmaysiz, chunki u tugmachalarga ega"
 DocType: Production Plan,Total Planned Qty,Jami rejalashtirilgan miqdori
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Ochilish qiymati
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Ochilish qiymati
 DocType: Salary Component,Formula,Formulalar
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Seriya #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Seriya #
 DocType: Lab Test Template,Lab Test Template,Laboratoriya viktorina namunasi
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Savdo hisobi
 DocType: Purchase Invoice Item,Total Weight,Jami Og&#39;irligi
@@ -5321,7 +5387,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Materiallar talabini bajarish
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},{0} bandini ochish
 DocType: Asset Finance Book,Written Down Value,Yozilgan past qiymat
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Inson resurslari&gt; HR parametrlarini Xodimlar uchun nomlash tizimini sozlang
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Sotuvdagi Buyurtmani bekor qilishdan oldin {0} Sotuvdagi Billing bekor qilinishi kerak
 DocType: Clinical Procedure,Age,Yoshi
 DocType: Sales Invoice Timesheet,Billing Amount,To&#39;lov miqdori
@@ -5330,11 +5395,11 @@
 DocType: Company,Default Employee Advance Account,Standart ishchi Advance qaydnomasi
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Qidiruv vositasi (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Mavjud amal bilan hisob o&#39;chirilmaydi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Mavjud amal bilan hisob o&#39;chirilmaydi
 DocType: Vehicle,Last Carbon Check,Oxirgi Karbon nazorati
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Huquqiy xarajatlar
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,"Iltimos, qatordagi miqdorni tanlang"
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Savdo va Xaridlar Xarajatlarni ochish
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Savdo va Xaridlar Xarajatlarni ochish
 DocType: Purchase Invoice,Posting Time,Vaqtni yuborish vaqti
 DocType: Timesheet,% Amount Billed,% To&#39;lov miqdori
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Telefon xarajatlari
@@ -5349,14 +5414,14 @@
 DocType: Maintenance Visit,Breakdown,Buzilmoq
 DocType: Travel Itinerary,Vegetarian,Vejetaryen
 DocType: Patient Encounter,Encounter Date,Uchrashuv sanalari
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Hisob: {0} valyutaga: {1} tanlanmaydi
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Hisob: {0} valyutaga: {1} tanlanmaydi
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bank ma&#39;lumotlari
 DocType: Purchase Receipt Item,Sample Quantity,Namuna miqdori
 DocType: Bank Guarantee,Name of Beneficiary,Benefisiarning nomi
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",Tez-tez yangilanadigan narxlarni / narx ro&#39;yxatining nisbati / xom ashyoning so&#39;nggi sotib olish nisbati asosida Scheduler orqali BOM narxini avtomatik ravishda yangilang.
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Tekshirish sanasi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Hisob {0}: Ota-hisob {1} kompaniyaga tegishli emas: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Hisob {0}: Ota-hisob {1} kompaniyaga tegishli emas: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Ushbu kompaniya bilan bog&#39;liq barcha operatsiyalar muvaffaqiyatli o&#39;chirildi!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,Sana Sana bo&#39;yicha
 DocType: Additional Salary,HR,HR
@@ -5364,7 +5429,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Kasal SMS-ogohlantirishlari
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Sinov
 DocType: Program Enrollment Tool,New Academic Year,Yangi o&#39;quv yili
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Qaytaring / Kredit eslatma
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Qaytaring / Kredit eslatma
 DocType: Stock Settings,Auto insert Price List rate if missing,Avtotexnika uchun narxlash ro&#39;yxati mavjud emas
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,To&#39;langan pul miqdori
 DocType: GST Settings,B2C Limit,B2C limiti
@@ -5382,10 +5447,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Bolalar tugunlari faqat &quot;Guruh&quot; tipidagi tugunlar ostida yaratilishi mumkin
 DocType: Attendance Request,Half Day Date,Yarim kunlik sana
 DocType: Academic Year,Academic Year Name,O&#39;quv yili nomi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,"{0} {1} bilan ishlashga ruxsat berilmadi. Iltimos, kompaniyani o&#39;zgartiring."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,"{0} {1} bilan ishlashga ruxsat berilmadi. Iltimos, kompaniyani o&#39;zgartiring."
 DocType: Sales Partner,Contact Desc,Bilan aloqa Desc
 DocType: Email Digest,Send regular summary reports via Email.,Elektron pochta orqali muntazam abstrakt hisobotlar yuboring.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},"Iltimos, xarajat shikoyati toifasiga kiritilgan standart hisobni tanlang {0}"
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},"Iltimos, xarajat shikoyati toifasiga kiritilgan standart hisobni tanlang {0}"
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Mavjud barglar
 DocType: Assessment Result,Student Name,Isoning shogirdi nomi
 DocType: Hub Tracked Item,Item Manager,Mavzu menejeri
@@ -5410,9 +5475,10 @@
 DocType: Subscription,Trial Period End Date,Sinov muddati tugash sanasi
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} dan boshlab authroized emas
 DocType: Serial No,Asset Status,Aktivlar holati
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Hajmdagi yuk (ODK)
 DocType: Restaurant Order Entry,Restaurant Table,Restoran jadvalidan
 DocType: Hotel Room,Hotel Manager,Mehmonxona menejeri
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Xarid qilish vositasi uchun Soliq qoidasini o&#39;rnating
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Xarid qilish vositasi uchun Soliq qoidasini o&#39;rnating
 DocType: Purchase Invoice,Taxes and Charges Added,Soliqlar va to&#39;lovlar qo&#39;shildi
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Amortizatsiya sathi {0}: Keyingi Amortizatsiya tarixi foydalanish uchun tayyor bo&#39;lgan sanadan oldin bo&#39;lishi mumkin emas
 ,Sales Funnel,Savdo huni
@@ -5428,10 +5494,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Barcha xaridorlar guruhlari
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,Yil olingan oy
 DocType: Attendance Request,On Duty,Hizmatda
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} majburiydir. Ehtimol, valyuta ayirboshlash yozuvi {1} - {2} uchun yaratilmagan."
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} majburiydir. Ehtimol, valyuta ayirboshlash yozuvi {1} - {2} uchun yaratilmagan."
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},{0} Xodimlar rejasi {1} uchun mavjud.
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Soliq namunasi majburiydir.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Hisob {0}: Ota-hisob {1} mavjud emas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Hisob {0}: Ota-hisob {1} mavjud emas
 DocType: POS Closing Voucher,Period Start Date,Davr boshlanish sanasi
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Narhlar kursi (Kompaniya valyutasi)
 DocType: Products Settings,Products Settings,Mahsulotlar Sozlamalari
@@ -5451,7 +5517,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Ushbu amal kelajakdagi hisob-kitoblarni to&#39;xtatadi. Haqiqatan ham ushbu obunani bekor qilmoqchimisiz?
 DocType: Serial No,Distinct unit of an Item,Ob&#39;ektning aniq birligi
 DocType: Supplier Scorecard Criteria,Criteria Name,Kriterlar nomi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,"Iltimos, kompaniyani tanlang"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,"Iltimos, kompaniyani tanlang"
 DocType: Procedure Prescription,Procedure Created,Yaratilgan protsedura
 DocType: Pricing Rule,Buying,Sotib olish
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Kasallik va go&#39;ng
@@ -5468,42 +5534,43 @@
 DocType: Employee Onboarding,Job Offer,Ishga taklif
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Institut qisqartmasi
 ,Item-wise Price List Rate,Narh-navolar narxi ro&#39;yxati
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Yetkazib beruvchi kotirovkasi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Yetkazib beruvchi kotirovkasi
 DocType: Quotation,In Words will be visible once you save the Quotation.,So&#39;zlarni saqlaganingizdan so&#39;ng so&#39;zlar ko&#39;rinadi.
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Miqdor ({0}) qatorda {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Miqdor ({0}) qatorda {1}
 DocType: Contract,Unsigned,Belgisiz
 DocType: Selling Settings,Each Transaction,Har bir bitim
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},{1} {{1} shtrix kodi
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},{1} {{1} shtrix kodi
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Yuk tashish xarajatlarini qo&#39;shish qoidalari.
 DocType: Hotel Room,Extra Bed Capacity,Qo&#39;shimcha to&#39;shak hajmi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,Ochilish hisobi
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Xaridor talab qilinadi
 DocType: Lab Test,Result Date,Natija sanasi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC sanasi
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC sanasi
 DocType: Purchase Order,To Receive,Qabul qilmoq
 DocType: Leave Period,Holiday List for Optional Leave,Majburiy bo&#39;lmagan yo&#39;l uchun dam olish ro&#39;yxati
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Shaxs egasi
 DocType: Purchase Invoice,Reason For Putting On Hold,Tutish uchun sabab
 DocType: Employee,Personal Email,Shaxsiy Email
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Jami o&#39;zgarish
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Jami o&#39;zgarish
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Agar yoqilgan bo&#39;lsa, tizim avtomatik ravishda inventarizatsiyadan o&#39;tkazish uchun buxgalteriya yozuvlarini yuboradi."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Brokerlik
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Xodimga {0} davomi bu kun uchun belgilandi
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Xodimga {0} davomi bu kun uchun belgilandi
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",daqiqada &quot;Time log&quot; orqali yangilangan.
 DocType: Customer,From Lead,Qo&#39;rg&#39;oshin
 DocType: Amazon MWS Settings,Synch Orders,Sinxronizatsiya Buyurtma
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Ishlab chiqarish uchun chiqarilgan buyurtmalar.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Moliyaviy yilni tanlang ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,Qalin kirishni amalga oshirish uchun qalin profil talab qilinadi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,Qalin kirishni amalga oshirish uchun qalin profil talab qilinadi
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Sodiqlik ballari eslatilgan yig&#39;ish faktori asosida amalga oshirilgan sarf-xarajatlardan (Sotuvdagi schyot-faktura orqali) hisoblab chiqiladi.
 DocType: Program Enrollment Tool,Enroll Students,O&#39;quvchilarni ro&#39;yxatga olish
 DocType: Company,HRA Settings,HRA sozlamalari
 DocType: Employee Transfer,Transfer Date,O&#39;tkazish sanasi
 DocType: Lab Test,Approved Date,Tasdiqlangan sana
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standart sotish
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Eng kamida bir omborxona majburiydir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Eng kamida bir omborxona majburiydir
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","UOM, Mavzu guruhi, tavsifi va soatning yo&#39;qligi kabi ob&#39;ektlarni sozlash."
 DocType: Certification Application,Certification Status,Sertifikatlash holati
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Bozori
@@ -5523,6 +5590,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Xarajatlarni muvofiqlashtirish
 DocType: Work Order,Required Items,Kerakli ma&#39;lumotlar
 DocType: Stock Ledger Entry,Stock Value Difference,Hissa qiymatining o&#39;zgarishi
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Row {0}: {1} {2} yuqoridagi &quot;{1}&quot; jadvalida mavjud emas
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Inson resursi
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,To&#39;lovni tasdiqlash to&#39;lovi
 DocType: Disease,Treatment Task,Davolash vazifasi
@@ -5540,7 +5608,8 @@
 DocType: Account,Debit,Debet
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Barglari 0,5 foizga bo&#39;linadi"
 DocType: Work Order,Operation Cost,Operatsion qiymati
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Amaldor Amt
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Qabul qiluvchilarni aniqlash
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Amaldor Amt
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Ushbu Sotuvdagi Shaxs uchun Maqsadlar guruhini aniqlang.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Qimmatbaho qog&#39;ozlarni qisqartirish [Days]
 DocType: Payment Request,Payment Ordered,To&#39;lov buyurtma qilingan
@@ -5552,13 +5621,12 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Quyidagi foydalanuvchilarga bloklangan kunlar uchun Ilovalarni jo&#39;nating.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Hayot sikli
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,BOM qiling
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},{0} elementi uchun sotish darajasi {1} dan past. Sotish narxi atleast {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},{0} elementi uchun sotish darajasi {1} dan past. Sotish narxi atleast {2}
 DocType: Subscription,Taxes,Soliqlar
 DocType: Purchase Invoice,capital goods,kapital mollari
 DocType: Purchase Invoice Item,Weight Per Unit,Birlikning og&#39;irligi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,To&#39;langan va etkazib berilmagan
-DocType: Project,Default Cost Center,Standart xarajatlar markazi
-DocType: Delivery Note,Transporter Doc No,Transporter doc
+DocType: QuickBooks Migrator,Default Cost Center,Standart xarajatlar markazi
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock Transactions
 DocType: Budget,Budget Accounts,Byudjet hisobi
 DocType: Employee,Internal Work History,Ichki ishlash tarixi
@@ -5591,7 +5659,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},{0} da sog&#39;liqni saqlash bo&#39;yicha amaliyotchi mavjud emas
 DocType: Stock Entry Detail,Additional Cost,Qo&#39;shimcha xarajatlar
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Voucher tomonidan guruhlangan bo&#39;lsa, Voucher No ga asoslangan holda filtrlay olmaydi"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Yetkazib beruvchini taklif eting
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Yetkazib beruvchini taklif eting
 DocType: Quality Inspection,Incoming,Kiruvchi
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Savdo va xarid uchun odatiy soliq namunalari yaratilgan.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Baholash natijasi {0} allaqachon mavjud.
@@ -5607,7 +5675,7 @@
 DocType: Batch,Batch ID,Ommaviy ID raqami
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Eslatma: {0}
 ,Delivery Note Trends,Yetkazib berish bo&#39;yicha eslatma trend
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Ushbu xaftaning qisqacha bayoni
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Ushbu xaftaning qisqacha bayoni
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Qimmatli qog&#39;ozlar sonida
 ,Daily Work Summary Replies,Kundalik ish qisqacha javoblar
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Bashoratli keladigan vaqtni hisoblash
@@ -5617,7 +5685,7 @@
 DocType: Bank Account,Party,Partiya
 DocType: Healthcare Settings,Patient Name,Bemor nomi
 DocType: Variant Field,Variant Field,Variant maydoni
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Nishon joy
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Nishon joy
 DocType: Sales Order,Delivery Date,Yetkazib berish sanasi
 DocType: Opportunity,Opportunity Date,Imkoniyat tarixi
 DocType: Employee,Health Insurance Provider,Sog&#39;liqni saqlash sug&#39;urtasi provayderlari
@@ -5636,7 +5704,7 @@
 DocType: Employee,History In Company,Kompaniya tarixida
 DocType: Customer,Customer Primary Address,Xaridorning asosiy manzili
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Axborotnomalar
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Yo&#39;naltiruvchi raqami
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Yo&#39;naltiruvchi raqami
 DocType: Drug Prescription,Description/Strength,Tavsif / kuch
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Yangi To&#39;lov / Jurnal Yozishni yaratish
 DocType: Certification Application,Certification Application,Sertifikatlash uchun ariza
@@ -5647,10 +5715,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Xuddi shu element bir necha marta kiritilgan
 DocType: Department,Leave Block List,Bloklar ro&#39;yxatini qoldiring
 DocType: Purchase Invoice,Tax ID,Soliq identifikatori
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,{0} elementi ketma-ketlik uchun sozlanmagan. Ustun bo&#39;sh bo&#39;lishi kerak
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,{0} elementi ketma-ketlik uchun sozlanmagan. Ustun bo&#39;sh bo&#39;lishi kerak
 DocType: Accounts Settings,Accounts Settings,Hisob sozlamalari
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Tasdiqlang
 DocType: Loyalty Program,Customer Territory,Mijozlar hududi
+DocType: Email Digest,Sales Orders to Deliver,Sotish buyurtmalarini berish
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Yangi hisob raqami, u old nomdagi hisob nomiga kiritiladi"
 DocType: Maintenance Team Member,Team Member,Jamoa a&#39;zosi
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Yuborish uchun natija yo&#39;q
@@ -5660,7 +5729,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Barcha elementlar uchun {0} nolga teng bo&#39;lsa, siz &quot;Distribute Charges Based On&quot;"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Bugungi kunga nisbatan kamroq bo&#39;lishi mumkin emas
 DocType: Opportunity,To Discuss,Muhokama qilish
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Bu ushbu Abonentga qarshi tuzilgan bitimlar asosida amalga oshiriladi. Tafsilotlar uchun quyidagi jadvalga qarang
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,Ushbu amalni bajarish uchun {2} da {1} {1} kerak.
 DocType: Loan Type,Rate of Interest (%) Yearly,Foiz stavkasi (%) Yillik
 DocType: Support Settings,Forum URL,Forumning URL manzili
@@ -5675,7 +5743,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Ko&#39;proq ma&#39;lumot olish
 DocType: Cheque Print Template,Distance from top edge,Yuqori tomondan masofa
 DocType: POS Closing Voucher Invoices,Quantity of Items,Mahsulotlar soni
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Narxlar ro&#39;yxati {0} o&#39;chirib qo&#39;yilgan yoki mavjud emas
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Narxlar ro&#39;yxati {0} o&#39;chirib qo&#39;yilgan yoki mavjud emas
 DocType: Purchase Invoice,Return,Qaytish
 DocType: Pricing Rule,Disable,O&#39;chirish
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,To&#39;lovni amalga oshirish uchun to&#39;lov shakli talab qilinadi
@@ -5683,18 +5751,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Aktivlar, ketma-ket noslar, partiyalar va h.k. kabi qo&#39;shimcha variantlar uchun to&#39;liq sahifada tahrir qiling."
 DocType: Leave Type,Maximum Continuous Days Applicable,Maksimal doimo kunlar amal qiladi
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} Batch {2} ga kiritilmagan
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",{0} obyekti allaqachon {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",{0} obyekti allaqachon {1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Tekshirishlar kerak
 DocType: Task,Total Expense Claim (via Expense Claim),Jami xarajatlar bo&#39;yicha da&#39;vo (mablag &#39;to&#39;lovi bo&#39;yicha)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Luqo Absent
 DocType: Job Applicant Source,Job Applicant Source,Ish beruvchining manbasi
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST miqdori
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST miqdori
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Kompaniya o&#39;rnatilmadi
 DocType: Asset Repair,Asset Repair,Aktivlarni ta&#39;mirlash
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: BOM # {1} valyutasi tanlangan valyutaga teng bo&#39;lishi kerak {2}
 DocType: Journal Entry Account,Exchange Rate,Valyuta kursi
 DocType: Patient,Additional information regarding the patient,Bemor haqida qo&#39;shimcha ma&#39;lumot
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Savdo Buyurtma {0} yuborilmadi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Savdo Buyurtma {0} yuborilmadi
 DocType: Homepage,Tag Line,Tag qatori
 DocType: Fee Component,Fee Component,Narxlar komponenti
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Filo boshqarish
@@ -5709,7 +5777,7 @@
 DocType: Healthcare Practitioner,Mobile,Mobil
 ,Sales Person-wise Transaction Summary,Savdoni jismoniy shaxslar bilan ishlash xulosasi
 DocType: Training Event,Contact Number,Aloqa raqami
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,{0} ombori mavjud emas
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,{0} ombori mavjud emas
 DocType: Cashier Closing,Custody,Saqlash
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Xodimlarning soliq imtiyozlari tasdiqlanishi
 DocType: Monthly Distribution,Monthly Distribution Percentages,Oylik tarqatish foizi
@@ -5724,7 +5792,7 @@
 DocType: Payment Entry,Paid Amount,To&#39;langan pul miqdori
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Sotish tsiklini o&#39;rganing
 DocType: Assessment Plan,Supervisor,Boshqaruvchi
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Saqlash fondini kiritish
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Saqlash fondini kiritish
 ,Available Stock for Packing Items,Paket buyumlari mavjud
 DocType: Item Variant,Item Variant,Variant variantlari
 ,Work Order Stock Report,Ish staji bo&#39;yicha hisobot
@@ -5733,9 +5801,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Boshqaruvchi sifatida
 DocType: Leave Policy Detail,Leave Policy Detail,Siyosat tafsilotlarini qoldiring
 DocType: BOM Scrap Item,BOM Scrap Item,BOM Hurdası mahsulotlari
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,Berilgan buyurtmalarni o&#39;chirib bo&#39;lmaydi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Debet-da hisob balansi mavjud bo&#39;lsa, sizda &quot;Balance Must Be&quot; (&quot;Balans Must Be&quot;) &quot;Credit&quot;"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Sifat menejmenti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,Berilgan buyurtmalarni o&#39;chirib bo&#39;lmaydi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Debet-da hisob balansi mavjud bo&#39;lsa, sizda &quot;Balance Must Be&quot; (&quot;Balans Must Be&quot;) &quot;Credit&quot;"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Sifat menejmenti
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,{0} mahsuloti o&#39;chirib qo&#39;yildi
 DocType: Project,Total Billable Amount (via Timesheets),Jami to&#39;lov miqdori (vaqt jadvallari orqali)
 DocType: Agriculture Task,Previous Business Day,Avvalgi ish kuni
@@ -5758,14 +5826,15 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Xarajat markazlari
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Obunani qayta ishga tushiring
 DocType: Linked Plant Analysis,Linked Plant Analysis,Bog&#39;langan o&#39;simlik tahlili
-DocType: Delivery Note,Transporter ID,Tashuvchi identifikatori
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,Tashuvchi identifikatori
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Qiymat taklifi
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Ta&#39;minlovchining valyutasi qaysi kompaniyaning asosiy valyutasiga aylantiriladigan darajasi
-DocType: Sales Invoice Item,Service End Date,Xizmatni tugatish sanasi
+DocType: Purchase Invoice Item,Service End Date,Xizmatni tugatish sanasi
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},# {0} satr: vaqt {1} qatori bilan zid
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Nolinchi baholash darajasiga ruxsat berish
 DocType: Bank Guarantee,Receiving,Qabul qilish
 DocType: Training Event Employee,Invited,Taklif etilgan
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Gateway hisoblarini sozlash.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Gateway hisoblarini sozlash.
 DocType: Employee,Employment Type,Bandlik turi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Asosiy vositalar
 DocType: Payment Entry,Set Exchange Gain / Loss,Exchange Gain / Lossni o&#39;rnatish
@@ -5781,7 +5850,7 @@
 DocType: Tax Rule,Sales Tax Template,Savdo bo&#39;yicha soliq jadvalini
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Foyda olish da&#39;vosiga qarshi to&#39;lov
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Xarajat markazi raqamini yangilash
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Billingni saqlash uchun elementlarni tanlang
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Billingni saqlash uchun elementlarni tanlang
 DocType: Employee,Encashment Date,Inkassatsiya sanasi
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Maxsus test shablonni
@@ -5789,12 +5858,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Faoliyat turi - {0} uchun odatiy faoliyat harajati mavjud.
 DocType: Work Order,Planned Operating Cost,Rejalashtirilgan operatsion narx
 DocType: Academic Term,Term Start Date,Yil boshlanish sanasi
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Barcha ulushlarning bitimlar ro&#39;yxati
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Barcha ulushlarning bitimlar ro&#39;yxati
+DocType: Supplier,Is Transporter,Transporter
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"To&#39;lov belgilansa, Shopify&#39;dan savdo billingini import qiling"
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Sinov muddati boshlanish sanasi va Sinov muddati tugashi kerak
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,O&#39;rtacha narx
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,To&#39;lov tarifidagi umumiy to&#39;lov miqdori Grand / Rounded Totalga teng bo&#39;lishi kerak
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,To&#39;lov tarifidagi umumiy to&#39;lov miqdori Grand / Rounded Totalga teng bo&#39;lishi kerak
 DocType: Subscription Plan Detail,Plan,Reja
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bank Bosh balansidagi balans balansi
 DocType: Job Applicant,Applicant Name,Ariza beruvchi nomi
@@ -5822,7 +5892,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Manba omborida mavjud bo&#39;lgan son
 apps/erpnext/erpnext/config/support.py +22,Warranty,Kafolat
 DocType: Purchase Invoice,Debit Note Issued,Debet notasi chiqarildi
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Xarajat markaziga asoslangan filtr faqat xarajat markazi sifatida &quot;Byudjetga qarshilik&quot; tanlangan bo&#39;lsa qo&#39;llaniladi
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Xarajat markaziga asoslangan filtr faqat xarajat markazi sifatida &quot;Byudjetga qarshilik&quot; tanlangan bo&#39;lsa qo&#39;llaniladi
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Mahsulot kodi, seriya raqami, ommaviy no yoki shtrix kod bo&#39;yicha qidirish"
 DocType: Work Order,Warehouses,Omborlar
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} aktivni o&#39;tkazish mumkin emas
@@ -5833,9 +5903,9 @@
 DocType: Workstation,per hour,soatiga
 DocType: Blanket Order,Purchasing,Xarid qilish
 DocType: Announcement,Announcement,E&#39;lon
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Xaridor LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Xaridor LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Partiyalarga asoslangan talabalar guruhi uchun Talabalar partiyasi dasturni ro&#39;yxatga olishdan har bir talaba uchun tasdiqlanadi.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Ushbu ombor uchun kabinetga hisob yozuvi mavjud bo&#39;lib, omborni o&#39;chirib bo&#39;lmaydi."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Ushbu ombor uchun kabinetga hisob yozuvi mavjud bo&#39;lib, omborni o&#39;chirib bo&#39;lmaydi."
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Tarqatish
 DocType: Journal Entry Account,Loan,Kredit
 DocType: Expense Claim Advance,Expense Claim Advance,Xarajatlar bo&#39;yicha da&#39;vo Advance
@@ -5844,7 +5914,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Proyekt menejeri
 ,Quoted Item Comparison,Qisqartirilgan ob&#39;ektni solishtirish
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0} va {1} orasida
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Dispetcher
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Dispetcher
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Element uchun ruxsat etilgan maksimal chegirma: {0} {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,Net aktiv qiymati
 DocType: Crop,Produce,Mahsulot
@@ -5854,20 +5924,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Ishlab chiqarish uchun moddiy iste&#39;mol
 DocType: Item Alternative,Alternative Item Code,Muqobil mahsulot kodi
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Kredit limitlarini oshib ketadigan bitimlar taqdim etishga ruxsat berilgan rol.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Mahsulotni tayyorlash buyrug&#39;ini tanlang
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Mahsulotni tayyorlash buyrug&#39;ini tanlang
 DocType: Delivery Stop,Delivery Stop,Yetkazib berish to&#39;xtashi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Magistr ma&#39;lumotlarini sinxronlash, biroz vaqt talab qilishi mumkin"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Magistr ma&#39;lumotlarini sinxronlash, biroz vaqt talab qilishi mumkin"
 DocType: Item,Material Issue,Moddiy muammolar
 DocType: Employee Education,Qualification,Malakali
 DocType: Item Price,Item Price,Mahsulot narxi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Sovun va detarjen
 DocType: BOM,Show Items,Ma&#39;lumotlar ko&#39;rsatish
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Vaqtdan Vaqtga qaraganda Kattaroq bo&#39;la olmaydi.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Barcha mijozlarni elektron pochta orqali xabardor qilishni xohlaysizmi?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Barcha mijozlarni elektron pochta orqali xabardor qilishni xohlaysizmi?
 DocType: Subscription Plan,Billing Interval,Billing oralig&#39;i
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Motion Picture &amp; Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Buyurtma qilingan
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Haqiqiy boshlanish sanasi va haqiqiy tugash sanasi majburiydir
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Xaridor&gt; Mijozlar guruhi&gt; Zonasi
 DocType: Salary Detail,Component,Komponent
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Row {0}: {1} 0 dan katta bo&#39;lishi kerak
 DocType: Assessment Criteria,Assessment Criteria Group,Baholash mezonlari guruhi
@@ -5898,11 +5969,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Qabul qilishdan oldin bank yoki kredit tashkilotining nomini kiriting.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} yuborilishi kerak
 DocType: POS Profile,Item Groups,Mavzu guruhlari
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Bugun {0} tug&#39;ilgan kun!
 DocType: Sales Order Item,For Production,Ishlab chiqarish uchun
 DocType: Payment Request,payment_url,to&#39;lov_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Hisob valyutasida balans
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,"Iltimos, Hisoblar jadvalida vaqtinchalik ochilish hisobini qo&#39;shing"
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,"Iltimos, Hisoblar jadvalida vaqtinchalik ochilish hisobini qo&#39;shing"
 DocType: Customer,Customer Primary Contact,Birlamchi mijoz bilan aloqa
 DocType: Project Task,View Task,Vazifani ko&#39;ring
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -5915,11 +5985,11 @@
 DocType: Sales Invoice,Get Advances Received,Qabul qilingan avanslar oling
 DocType: Email Digest,Add/Remove Recipients,Qabul qiluvchilarni qo&#39;shish / o&#39;chirish
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",Ushbu moliyaviy yilni &quot;Standart&quot; deb belgilash uchun &quot;Default as default&quot; -ni bosing
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,TDS miqdori kamaydi
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,TDS miqdori kamaydi
 DocType: Production Plan,Include Subcontracted Items,Subpudratli narsalarni qo&#39;shish
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Ishtirok etish
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Miqdori miqdori
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,{0} mahsulot varianti bir xil xususiyatlarga ega
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Ishtirok etish
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Miqdori miqdori
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,{0} mahsulot varianti bir xil xususiyatlarga ega
 DocType: Loan,Repay from Salary,Ish haqidan to&#39;lash
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},{0} {1} dan {2}
 DocType: Additional Salary,Salary Slip,Ish haqi miqdori
@@ -5935,7 +6005,7 @@
 DocType: Patient,Dormant,Kutilmaganda
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Talab qilinmagan xodimlarga beriladigan nafaqalar uchun to&#39;lanadigan soliq
 DocType: Salary Slip,Total Interest Amount,Foiz miqdori
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Bolalar noduslari joylashgan omborlar kitobga o&#39;tkazilmaydi
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Bolalar noduslari joylashgan omborlar kitobga o&#39;tkazilmaydi
 DocType: BOM,Manage cost of operations,Amaliyot xarajatlarini boshqaring
 DocType: Accounts Settings,Stale Days,Eski kunlar
 DocType: Travel Itinerary,Arrival Datetime,Arrival Datetime
@@ -5947,7 +6017,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Ko&#39;rib natijasi batafsil
 DocType: Employee Education,Employee Education,Xodimlarni o&#39;qitish
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Elementlar guruhi jadvalida topilgan nusxalash elementlari guruhi
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Ma&#39;lumotlar ma&#39;lumotlarini olish kerak.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Ma&#39;lumotlar ma&#39;lumotlarini olish kerak.
 DocType: Fertilizer,Fertilizer Name,Go&#39;ng nomi
 DocType: Salary Slip,Net Pay,Net to&#39;lov
 DocType: Cash Flow Mapping Accounts,Account,Hisob
@@ -5958,14 +6028,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Foyda olish da&#39;vosiga qarshi alohida to&#39;lov kiritish
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),Isitmaning mavjudligi (temp&gt; 38.5 ° C / 101.3 ° F yoki doimiy temp&gt; 38 ° C / 100.4 ° F)
 DocType: Customer,Sales Team Details,Savdo jamoasining tafsilotlari
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Doimiy o&#39;chirilsinmi?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Doimiy o&#39;chirilsinmi?
 DocType: Expense Claim,Total Claimed Amount,Jami da&#39;vo miqdori
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Sotish uchun potentsial imkoniyatlar.
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Noto&#39;g&#39;ri {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,Yuqumli kasalliklar
 DocType: Email Digest,Email Digest,E-pochtaning elektron ko&#39;rinishi
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,emas
 DocType: Delivery Note,Billing Address Name,To&#39;lov manzili nomi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Savdo do&#39;konlari
 ,Item Delivery Date,Mahsulotni etkazib berish sanasi
@@ -5981,16 +6050,16 @@
 DocType: Account,Chargeable,To&#39;lanishi mumkin
 DocType: Company,Change Abbreviation,Qisqartishni o&#39;zgartiring
 DocType: Contract,Fulfilment Details,Tugatish detali
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},{0} {1} to&#39;lash
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},{0} {1} to&#39;lash
 DocType: Employee Onboarding,Activities,Faoliyatlar
 DocType: Expense Claim Detail,Expense Date,Xarajat sanasi
 DocType: Item,No of Months,Bir necha oy
 DocType: Item,Max Discount (%),Maksimal chegirma (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Kredit kuni salbiy raqam bo&#39;lishi mumkin emas
-DocType: Sales Invoice Item,Service Stop Date,Xizmatni to&#39;xtatish sanasi
+DocType: Purchase Invoice Item,Service Stop Date,Xizmatni to&#39;xtatish sanasi
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Oxirgi Buyurtma miqdori
 DocType: Cash Flow Mapper,e.g Adjustments for:,"Masalan, sozlash uchun:"
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Saqlash saqlab qoling, omborga asoslangan"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Saqlash saqlab qoling, omborga asoslangan"
 DocType: Task,Is Milestone,Milestone
 DocType: Certification Application,Yet to appear,Lekin paydo bo&#39;lishi kerak
 DocType: Delivery Stop,Email Sent To,E - mail yuborildi
@@ -5998,16 +6067,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Hisob-kitob hisobiga kirish uchun xarajatlar markaziga ruxsat berish
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Mavjud hisob bilan birlashtirilsin
 DocType: Budget,Warn,Ogoh bo&#39;ling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Barcha buyumlar ushbu Ish tartibi uchun allaqachon uzatilgan.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Barcha buyumlar ushbu Ish tartibi uchun allaqachon uzatilgan.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Boshqa yozuvlar, yozuvlardagi diqqat-e&#39;tiborli harakatlar."
 DocType: Asset Maintenance,Manufacturing User,Ishlab chiqarish foydalanuvchisi
 DocType: Purchase Invoice,Raw Materials Supplied,Xom-ashyo etkazib berildi
 DocType: Subscription Plan,Payment Plan,To&#39;lov rejasi
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Veb-sayt orqali narsalarni xarid qilishni yoqing
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Narxlar ro&#39;yxatining {0} valyutasi {1} yoki {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Obuna boshqarish
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Obuna boshqarish
 DocType: Appraisal,Appraisal Template,Baholash shabloni
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Kodni kiritish uchun
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Kodni kiritish uchun
 DocType: Soil Texture,Ternary Plot,Ternary uchastkasi
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Taymer yordamida rejalashtirilgan kunlik sinxronlashtirish tartibini yoqish uchun buni belgilang
 DocType: Item Group,Item Classification,Mavzu tasnifi
@@ -6017,6 +6086,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Billingni ro&#39;yxatdan o&#39;tkazish
 DocType: Crop,Period,Davr
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Umumiy Buxgalteriya
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Moliyaviy yil uchun
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Ko&#39;rsatmalarini ko&#39;rish
 DocType: Program Enrollment Tool,New Program,Yangi dastur
 DocType: Item Attribute Value,Attribute Value,Xususiyat bahosi
@@ -6025,11 +6095,11 @@
 ,Itemwise Recommended Reorder Level,Tavsiya etilgan buyurtmaning darajasi
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,{1} sinfidagi xodimlar {0} standart ta&#39;til siyosatiga ega emas
 DocType: Salary Detail,Salary Detail,Ish haqi bo&#39;yicha batafsil
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Avval {0} ni tanlang
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Avval {0} ni tanlang
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,{0} foydalanuvchi qo&#39;shilgan
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",Ko&#39;p qatlamli dasturda mijozlar o&#39;zlari sarflagan xarajatlariga muvofiq tegishli darajaga avtomatik tarzda topshiriladi
 DocType: Appointment Type,Physician,Shifokor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,{1} banddagi {0} guruhining amal qilish muddati tugadi.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,{1} banddagi {0} guruhining amal qilish muddati tugadi.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Maslahatlar
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Yaxshi tugadi
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Mahsulot narxi Prays-listga, Yetkazib beruvchiga / Xaridorga, Valyuta, Mavzu, UOM, Miqdor va Sana asosida bir necha marotaba paydo bo&#39;ladi."
@@ -6037,22 +6107,21 @@
 DocType: Certification Application,Name of Applicant,Ariza beruvchining nomi
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Ishlab chiqarish uchun vaqt jadvalini.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Jami summ
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Birja bitimidan so&#39;ng Variant xususiyatlarini o&#39;zgartirib bo&#39;lmaydi. Buning uchun yangi mahsulotni yaratish kerak bo&#39;ladi.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Birja bitimidan so&#39;ng Variant xususiyatlarini o&#39;zgartirib bo&#39;lmaydi. Buning uchun yangi mahsulotni yaratish kerak bo&#39;ladi.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA mandati
 DocType: Healthcare Practitioner,Charges,Narxlar
 DocType: Production Plan,Get Items For Work Order,Buyurtma ishlarini bajarish uchun narsalarni oling
 DocType: Salary Detail,Default Amount,Standart miqdor
 DocType: Lab Test Template,Descriptive,Ta&#39;riflovchi
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Tizimda mavjud bo&#39;lmagan ombor
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Ushbu oyning qisqacha bayoni
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Ushbu oyning qisqacha bayoni
 DocType: Quality Inspection Reading,Quality Inspection Reading,Sifatni tekshirishni o&#39;qish
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,&quot;Freeze Stocks Older&quot; dan kamida% d kun bo&#39;lishi kerak.
 DocType: Tax Rule,Purchase Tax Template,Xarid qilish shablonini sotib oling
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Sizning kompaniya uchun erishmoqchi bo&#39;lgan savdo maqsadini belgilang.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Sog&#39;liqni saqlash xizmatlari
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Sog&#39;liqni saqlash xizmatlari
 ,Project wise Stock Tracking,Loyihani oqilona kuzatish
 DocType: GST HSN Code,Regional,Hududiy
-DocType: Delivery Note,Transport Mode,Transport tartibi
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Laboratoriya
 DocType: UOM Category,UOM Category,UOM kategoriyasi
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Haqiqiy Miqdor (manba / maqsadda)
@@ -6075,17 +6144,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Veb-sayt yaratilmadi
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ishlab chiqarish ma&#39;lumoti
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Ta&#39;minlangan aktsiyadorlik jamg&#39;armasi yaratilgan yoki taqlid miqdori berilmagan
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Ta&#39;minlangan aktsiyadorlik jamg&#39;armasi yaratilgan yoki taqlid miqdori berilmagan
 DocType: Program,Program Abbreviation,Dastur qisqartmasi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Mahsulot shablonini ishlab chiqarish tartibi ko&#39;tarilmaydi
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,To&#39;lovlar har bir elementga nisbatan Buyurtmachnomada yangilanadi
 DocType: Warranty Claim,Resolved By,Qaror bilan
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Chiqib ketishni rejalashtirish
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Chexlar va depozitlar noto&#39;g&#39;ri tozalanadi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,Hisob {0}: Siz uni yuqori hisob sifatida belgilashingiz mumkin emas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,Hisob {0}: Siz uni yuqori hisob sifatida belgilashingiz mumkin emas
 DocType: Purchase Invoice Item,Price List Rate,Narxlar ro&#39;yxati darajasi
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Xaridor taklifini yarating
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Xizmatni to&#39;xtatish sanasi Xizmat tugatish sanasidan so&#39;ng bo&#39;lolmaydi
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Xizmatni to&#39;xtatish sanasi Xizmat tugatish sanasidan so&#39;ng bo&#39;lolmaydi
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Ushbu omborda mavjud bo&#39;lgan &quot;Stoktaki&quot; yoki &quot;Stokta emas&quot; aksiyalarini ko&#39;rsatish.
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Materiallar to&#39;plami (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Yetkazib beruvchi etkazib beradigan o&#39;rtacha vaqt
@@ -6097,11 +6166,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Soatlar
 DocType: Project,Expected Start Date,Kutilayotgan boshlanish sanasi
 DocType: Purchase Invoice,04-Correction in Invoice,04-fakturadagi tuzatish
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,BOM bilan ishlaydigan barcha elementlar uchun yaratilgan buyurtma
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,BOM bilan ishlaydigan barcha elementlar uchun yaratilgan buyurtma
 DocType: Payment Request,Party Details,Partiya tafsilotlari
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Variant tafsilotlari haqida hisobot
 DocType: Setup Progress Action,Setup Progress Action,O&#39;rnatish progress progress
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Narxlar ro&#39;yxatini sotib olish
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Narxlar ro&#39;yxatini sotib olish
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Ushbu elementga to&#39;lovlar tegishli bo&#39;lmasa, elementni olib tashlang"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Obunani bekor qilish
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Marhamat qilib Xizmat Statusini Tugallangan yoki tugatish sanasini tanlang
@@ -6119,7 +6188,7 @@
 DocType: Asset,Disposal Date,Chiqarish sanasi
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Agar dam olishlari bo&#39;lmasa, elektron pochta xabarlari kompaniyaning barcha faol xodimlariga berilgan vaqtda yuboriladi. Javoblarning qisqacha bayoni yarim tunda yuboriladi."
 DocType: Employee Leave Approver,Employee Leave Approver,Xodimga taxminan yo&#39;l qo&#39;ying
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Qayta buyurtmaning arizasi allaqachon {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Qayta buyurtmaning arizasi allaqachon {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Yo&#39;qotilgan deb e&#39;lon qilinmaydi, chunki takliflar qilingan."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP hisobi
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Ta&#39;lim bo&#39;yicha fikr-mulohazalar
@@ -6131,7 +6200,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Bugungi kunga qadar tarixdan oldin bo&#39;la olmaydi
 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
 DocType: Cash Flow Mapper,Section Footer,Bo&#39;lim pastki qismi
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Narxlarni qo&#39;shish / tahrirlash
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Narxlarni qo&#39;shish / tahrirlash
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Xodimlar Rag&#39;batlantirilishi Rag&#39;batlantiruvchi Kunidan oldin topshirilishi mumkin emas
 DocType: Batch,Parent Batch,Ota-ona partiyasi
 DocType: Cheque Print Template,Cheque Print Template,Chop shablonini tekshiring
@@ -6141,6 +6210,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Namunani yig&#39;ish
 ,Requested Items To Be Ordered,Buyurtma qilingan buyurtma qilingan narsalar
 DocType: Price List,Price List Name,Narhlar ro&#39;yxati nomi
+DocType: Delivery Stop,Dispatch Information,Dispetcher haqida ma&#39;lumot
 DocType: Blanket Order,Manufacturing,Ishlab chiqarish
 ,Ordered Items To Be Delivered,Buyurtma qilingan narsalar taslim qilinadi
 DocType: Account,Income,Daromad
@@ -6159,17 +6229,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,Ushbu bitimni bajarish uchun {1} {0} {2} da {3} {4} da {5} uchun kerak.
 DocType: Fee Schedule,Student Category,Talaba toifasi
 DocType: Announcement,Student,Talaba
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Amalga oshiriladigan aktsiyalar miqdori omborda mavjud emas. Stokto&#39;ldirishni ro&#39;yxatga olishni xohlaysizmi
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Amalga oshiriladigan aktsiyalar miqdori omborda mavjud emas. Stokto&#39;ldirishni ro&#39;yxatga olishni xohlaysizmi
 DocType: Shipping Rule,Shipping Rule Type,Yuk tashish qoidalari turi
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Xonalarga boring
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Kompaniya, To&#39;lov Hisobi, Sana va Sana bo&#39;yicha majburiydir"
 DocType: Company,Budget Detail,Byudjet detali
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Yuborishdan oldin xabarni kiriting
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,TAShQI TAQDIM ETILGAN
-DocType: Email Digest,Pending Quotations,Kutayotgan takliflar
-DocType: Delivery Note,Distance (KM),Masofa (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Yetkazib beruvchi&gt; Yetkazib beruvchi guruhi
 DocType: Asset,Custodian,Saqlanuvchi
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Sotuv nuqtasi profili
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Sotuv nuqtasi profili
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} 0 dan 100 orasida qiymat bo&#39;lishi kerak
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},{1} dan {2} gacha {0} to&#39;lovi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Ta&#39;minlanmagan kreditlar
@@ -6201,10 +6270,10 @@
 DocType: Lead,Converted,O&#39;tkazilgan
 DocType: Item,Has Serial No,Seriya raqami yo&#39;q
 DocType: Employee,Date of Issue,Berilgan sana
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Xarid qilish sozlamalari kerak bo&#39;lsa == &quot;YES&quot; ni xarid qilsangiz, u holda Xarid-fakturani yaratish uchun foydalanuvchi oldin {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Xarid qilish sozlamalari kerak bo&#39;lsa == &quot;YES&quot; ni xarid qilsangiz, u holda Xarid-fakturani yaratish uchun foydalanuvchi oldin {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},{0} qator: Ta&#39;minlovchini {1} elementiga sozlang
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Row {0}: soat qiymati noldan katta bo&#39;lishi kerak.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Veb-sayt {1} mahsulotiga biriktirilgan {0} rasm topilmadi
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Veb-sayt {1} mahsulotiga biriktirilgan {0} rasm topilmadi
 DocType: Issue,Content Type,Kontent turi
 DocType: Asset,Assets,Aktivlar
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Kompyuter
@@ -6215,7 +6284,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} mavjud emas
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Boshqa valyutadagi hisoblarga ruxsat berish uchun ko&#39;p valyuta opsiyasini tanlang
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Mavzu: {0} tizimda mavjud emas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Siz muzlatilgan qiymatni belgilash huquqiga ega emassiz
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Siz muzlatilgan qiymatni belgilash huquqiga ega emassiz
 DocType: Payment Reconciliation,Get Unreconciled Entries,Bog&#39;liq bo&#39;lmagan yozuvlarni qabul qiling
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Jurnalga kirish uchun to&#39;lovlar tanlanmadi
 DocType: Payment Reconciliation,From Invoice Date,Faktura sanasidan boshlab
@@ -6232,13 +6301,14 @@
 ,Average Commission Rate,O&#39;rtacha komissiya kursi
 DocType: Share Balance,No of Shares,Hissa yo&#39;q
 DocType: Taxable Salary Slab,To Amount,Miqdori uchun
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,&quot;Seriya Yo&#39;q&quot; yo&#39;q stokli mahsulot uchun &quot;Ha&quot; bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,&quot;Seriya Yo&#39;q&quot; yo&#39;q stokli mahsulot uchun &quot;Ha&quot; bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Status-ni tanlang
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Kelgusi sanalar uchun tomosha qilish mumkin emas
 DocType: Support Search Source,Post Description Key,Belgini ochish uchun kalit
 DocType: Pricing Rule,Pricing Rule Help,Raqobat qoidalari yordami
 DocType: School House,House Name,Uyning nomi
 DocType: Fee Schedule,Total Amount per Student,Talaba boshiga jami miqdor
+DocType: Opportunity,Sales Stage,Sotish bosqichi
 DocType: Purchase Taxes and Charges,Account Head,Hisob boshlig&#39;i
 DocType: Company,HRA Component,HRA komponenti
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Elektr
@@ -6246,15 +6316,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Jami qiymat farqi (Out - In)
 DocType: Grant Application,Requested Amount,Kerakli miqdor
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Row {0}: Valyuta kursi majburiydir
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Foydalanuvchining identifikatori {0} xizmatdoshiga o&#39;rnatilmagan
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},Foydalanuvchining identifikatori {0} xizmatdoshiga o&#39;rnatilmagan
 DocType: Vehicle,Vehicle Value,Avtomobil qiymati
 DocType: Crop Cycle,Detected Diseases,Aniqlangan kasalliklar
 DocType: Stock Entry,Default Source Warehouse,Standart manbalar ombori
 DocType: Item,Customer Code,Xaridor kodi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},{0} uchun tug&#39;ilgan kun eslatmasi
 DocType: Asset Maintenance Task,Last Completion Date,Oxirgi tugash sanasi
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Oxirgi Buyurtma berib o&#39;tgan kunlar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,Debet Hisobni balans hisoboti bo&#39;lishi kerak
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,Debet Hisobni balans hisoboti bo&#39;lishi kerak
 DocType: Asset,Naming Series,Namunaviy qator
 DocType: Vital Signs,Coated,Yopilgan
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Foydali Hayotdan keyin kutilgan qiymat Brüt Xarid Qabul qilingan miqdordan kam bo&#39;lishi kerak
@@ -6272,15 +6341,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Yetkazib berish eslatmasi {0} yuborilmasligi kerak
 DocType: Notification Control,Sales Invoice Message,Sotuvdagi hisob-faktura xabari
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Hisobni yopish {0} javobgarlik / tenglik turi bo&#39;lishi kerak
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Ish staji {1} vaqt jadvalini uchun yaratilgan ({0})
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Ish staji {1} vaqt jadvalini uchun yaratilgan ({0})
 DocType: Vehicle Log,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,Buyurtma miqdori
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,{0} element o&#39;chirib qo&#39;yilgan
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,{0} element o&#39;chirib qo&#39;yilgan
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOMda biron-bir mahsulot elementi yo&#39;q
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOMda biron-bir mahsulot elementi yo&#39;q
 DocType: Chapter,Chapter Head,Bo&#39;lim boshlig&#39;i
 DocType: Payment Term,Month(s) after the end of the invoice month,Hisob-fakturaning oyi tugagandan so&#39;ng oy (lar)
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Ish haqi tuzilmasi foydaning miqdori uchun moslashuvchan foyda komponenti (lar) ga ega bo&#39;lishi kerak
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Ish haqi tuzilmasi foydaning miqdori uchun moslashuvchan foyda komponenti (lar) ga ega bo&#39;lishi kerak
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Loyiha faoliyati / vazifasi.
 DocType: Vital Signs,Very Coated,Juda qoplangan
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Soliq ta&#39;siri faqat (soliqqa tortiladigan daromadning bir qismini da&#39;vo qila olmaydi)
@@ -6298,7 +6367,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,To&#39;lov vaqti
 DocType: Project,Total Sales Amount (via Sales Order),Jami Sotuvdagi miqdori (Sotuvdagi Buyurtma orqali)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,{0} uchun odatiy BOM topilmadi
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,"# {0} qatori: Iltimos, buyurtmaning miqdorini belgilang"
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,"# {0} qatori: Iltimos, buyurtmaning miqdorini belgilang"
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Bu yerga qo&#39;shish uchun narsalarni teging
 DocType: Fees,Program Enrollment,Dasturlarni ro&#39;yxatga olish
 DocType: Share Transfer,To Folio No,Folio yo&#39;q
@@ -6338,8 +6407,8 @@
 DocType: SG Creation Tool Course,Max Strength,Maks kuch
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Oldindan o&#39;rnatish
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-YYYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Buyurtmachilar uchun {}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Etkazib berish sanasi asosida narsalarni tanlang
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Buyurtmachilar uchun {}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Etkazib berish sanasi asosida narsalarni tanlang
 DocType: Grant Application,Has any past Grant Record,O&#39;tgan Grantlar rekordi mavjud
 ,Sales Analytics,Savdo tahlillari
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},{0} mavjud
@@ -6347,12 +6416,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Ishlab chiqarish sozlamalari
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,E-pochtani sozlash
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobil raqami
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,"Iltimos, kompaniyaning ustalidagi valyutani kiriting"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,"Iltimos, kompaniyaning ustalidagi valyutani kiriting"
 DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Kundalik eslatmalar
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Kundalik eslatmalar
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Barcha ochiq chiptalarni ko&#39;rish
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Sog&#39;liqni saqlash xizmatining xizmat daraxti daraxti
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Mahsulot
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Mahsulot
 DocType: Products Settings,Home Page is Products,Bosh sahifa - Mahsulotlar
 ,Asset Depreciation Ledger,Aktivlar amortizatsiyasi
 DocType: Salary Structure,Leave Encashment Amount Per Day,Bir kunda inkassatsiya miqdori qoldiring
@@ -6362,8 +6431,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Xom ashyo materiallari bilan ta&#39;minlangan
 DocType: Selling Settings,Settings for Selling Module,Sotuvdagi modulni sozlash
 DocType: Hotel Room Reservation,Hotel Room Reservation,Mehmonxona xonalari uchun rezervasyon
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Mijozlarga hizmat
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Mijozlarga hizmat
 DocType: BOM,Thumbnail,Kichik rasm
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,E-pochta identifikatorlari mavjud bo&#39;lgan kontaktlar topilmadi.
 DocType: Item Customer Detail,Item Customer Detail,Xaridorlar uchun batafsil ma&#39;lumot
 DocType: Notification Control,Prompt for Email on Submission of,E-pochtani topshirish haqida so&#39;rov
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Xodimning {0} maksimal foyda miqdori {1}
@@ -6373,13 +6443,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,{0} elementi birja elementi bo&#39;lishi kerak
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standart ishni bajarishda ombor
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","{0} uchun jadvallar bir-biri bilan chalkashtirilsa, ketma-ket qoplangan pog&#39;onalarni skripka qilgandan keyin davom etmoqchimisiz?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Buxgalteriya operatsiyalari uchun standart sozlamalar.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Buxgalteriya operatsiyalari uchun standart sozlamalar.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Grantlar barglari
 DocType: Restaurant,Default Tax Template,Standart soliq kodi
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Talabalar ro&#39;yxatga olindi
 DocType: Fees,Student Details,Talaba tafsilotlari
 DocType: Purchase Invoice Item,Stock Qty,Qissa soni
 DocType: Contract,Requires Fulfilment,Bajarilishini talab qiladi
+DocType: QuickBooks Migrator,Default Shipping Account,Foydalanuvchi yuk tashish qaydnomasi
 DocType: Loan,Repayment Period in Months,Oylardagi qaytarish davri
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Xato: haqiqiy emas kim?
 DocType: Naming Series,Update Series Number,Series raqamini yangilash
@@ -6393,11 +6464,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Maksimal miqdori
 DocType: Journal Entry,Total Amount Currency,Jami valyuta miqdori
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Qidiruv Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Yo&#39;q qatorida zarur bo&#39;lgan mahsulot kodi yo&#39;q {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Yo&#39;q qatorida zarur bo&#39;lgan mahsulot kodi yo&#39;q {0}
 DocType: GST Account,SGST Account,SGST hisobi
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Ma&#39;lumotlar bo&#39;limiga o&#39;ting
 DocType: Sales Partner,Partner Type,Hamkor turi
-DocType: Purchase Taxes and Charges,Actual,Haqiqiy
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Haqiqiy
 DocType: Restaurant Menu,Restaurant Manager,Restoran menejeri
 DocType: Authorization Rule,Customerwise Discount,Xaridor tomonidan taklif qilingan chegirmalar
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,Vazifalar uchun vaqt jadvalini.
@@ -6418,7 +6489,7 @@
 DocType: Employee,Cheque,Tekshiring
 DocType: Training Event,Employee Emails,Xodimlarning elektron pochta manzili
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Series yangilandi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Hisobot turi majburiydir
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Hisobot turi majburiydir
 DocType: Item,Serial Number Series,Seriya raqami
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},{1} qatoridagi kabinetga {0} uchun ombor kerak
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Chakana va ulgurji savdo
@@ -6448,7 +6519,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Savdo Buyurtma miqdorini to&#39;ldiring
 DocType: BOM,Materials,Materiallar
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Belgilangan bo&#39;lmasa, ro&#39;yxat qo&#39;llanilishi kerak bo&#39;lgan har bir Bo&#39;limga qo&#39;shilishi kerak."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Yozish sanasi va joylashtirish vaqti majburiydir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Yozish sanasi va joylashtirish vaqti majburiydir
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Jurnallarni sotib olish uchun soliq shablonni.
 ,Item Prices,Mahsulot bahosi
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Buyurtma buyurtmasini saqlaganingizdan so&#39;ng So&#39;zlar paydo bo&#39;ladi.
@@ -6464,12 +6535,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Assotsiatsiya uchun amortizatsiya qilish uchun jurnal (jurnalga yozilish)
 DocType: Membership,Member Since,Ro&#39;yxatdan bo&#39;lgan
 DocType: Purchase Invoice,Advance Payments,Advance to&#39;lovlar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,"Iltimos, Sog&#39;liqni saqlash xizmati tanlang"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,"Iltimos, Sog&#39;liqni saqlash xizmati tanlang"
 DocType: Purchase Taxes and Charges,On Net Total,Jami aniq
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} atributi uchun {4} belgisi uchun {1} - {2} oralig&#39;ida {3}
 DocType: Restaurant Reservation,Waitlisted,Kutib turildi
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Istisno kategoriyasi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Valyutani boshqa valyutani qo&#39;llagan holda kiritish o&#39;zgartirilmaydi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Valyutani boshqa valyutani qo&#39;llagan holda kiritish o&#39;zgartirilmaydi
 DocType: Shipping Rule,Fixed,Ruxsat etilgan
 DocType: Vehicle Service,Clutch Plate,Debriyaj plitasi
 DocType: Company,Round Off Account,Dumaloq hisob qaydnomasi
@@ -6478,7 +6549,7 @@
 DocType: Subscription Plan,Based on price list,Narxlar ro&#39;yxatiga asoslangan
 DocType: Customer Group,Parent Customer Group,Ota-xaridorlar guruhi
 DocType: Vehicle Service,Change,O&#39;zgartirish
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Obuna
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Obuna
 DocType: Purchase Invoice,Contact Email,E-pochtaga murojaat qiling
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Ish haqi yaratilishi kutilmoqda
 DocType: Appraisal Goal,Score Earned,Quloqqa erishildi
@@ -6505,23 +6576,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Oladigan / to&#39;lanadigan hisob
 DocType: Delivery Note Item,Against Sales Order Item,Savdo Buyurtma Mahsulotiga qarshi
 DocType: Company,Company Logo,Kompaniya logotipi
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},"Iltimos, attribut qiymati uchun {0}"
-DocType: Item Default,Default Warehouse,Standart ombor
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},"Iltimos, attribut qiymati uchun {0}"
+DocType: QuickBooks Migrator,Default Warehouse,Standart ombor
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Byudjetga {0} Guruh hisobi bo&#39;yicha topshirish mumkin emas
 DocType: Shopping Cart Settings,Show Price,Narxini ko&#39;rsatish
 DocType: Healthcare Settings,Patient Registration,Bemorni ro&#39;yxatdan o&#39;tkazish
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,"Iltimos, yuqori xarajat markazini kiriting"
 DocType: Delivery Note,Print Without Amount,Miqdorsiz chop etish
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Amortizatsiya sanasi
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Amortizatsiya sanasi
 ,Work Orders in Progress,Ishlar buyurtmasi
 DocType: Issue,Support Team,Yordam jamoasi
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Vaqt muddati (kunlar)
 DocType: Appraisal,Total Score (Out of 5),Jami ball (5 dan)
 DocType: Student Attendance Tool,Batch,Partiya
 DocType: Support Search Source,Query Route String,So&#39;rovni yo&#39;nalishli satr
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,So&#39;nggi xarid qilish bo&#39;yicha yangilanish tezligi
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,So&#39;nggi xarid qilish bo&#39;yicha yangilanish tezligi
 DocType: Donor,Donor Type,Donor turi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Avtomatik qayta-qayta hujjat yangilandi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Avtomatik qayta-qayta hujjat yangilandi
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Balans
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,"Iltimos, kompaniyani tanlang"
 DocType: Job Card,Job Card,Ish kartasi
@@ -6535,7 +6606,7 @@
 DocType: Assessment Result,Total Score,Umumiy reyting
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601 standarti
 DocType: Journal Entry,Debit Note,Debet eslatmasi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Siz maksimal {0} nuqtadan faqat ushbu tartibda foydalanishingiz mumkin.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Siz maksimal {0} nuqtadan faqat ushbu tartibda foydalanishingiz mumkin.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,"Iltimos, API iste&#39;molchi sirini kiriting"
 DocType: Stock Entry,As per Stock UOM,Har bir korxona uchun
@@ -6548,10 +6619,11 @@
 DocType: Journal Entry,Total Debit,Jami debet
 DocType: Travel Request Costing,Sponsored Amount,Homiylik mablag&#39;i
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standart tayyorlangan tovarlar ombori
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,"Marhamat, Klinik-ni tanlang"
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,"Marhamat, Klinik-ni tanlang"
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Savdo vakili
 DocType: Hotel Room Package,Amenities,Xususiyatlar
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Byudjet va xarajatlar markazi
+DocType: QuickBooks Migrator,Undeposited Funds Account,Qaytarilmagan mablag&#39;lar hisoblari
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Byudjet va xarajatlar markazi
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Ko&#39;p ko&#39;rsatiladigan to&#39;lov shakli yo&#39;l qo&#39;yilmaydi
 DocType: Sales Invoice,Loyalty Points Redemption,Sadoqatli ballarni qaytarish
 ,Appointment Analytics,Uchrashuv tahlillari
@@ -6565,6 +6637,7 @@
 DocType: Batch,Manufacturing Date,Ishlab chiqarish sanasi
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Narxni yaratish muvaffaqiyatsiz tugadi
 DocType: Opening Invoice Creation Tool,Create Missing Party,Yaroqsiz partiya yaratish
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Jami byudjet
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Agar talabalar guruhlarini yil davomida qilsangiz, bo&#39;sh qoldiring"
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Belgilangan bo&#39;lsa, Jami no. Ish kunlari davomida bayramlar bo&#39;ladi va bu kunlik ish haqining qiymatini kamaytiradi"
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?","Joriy kalitdan foydalanadigan ilovalar kirish imkoniga ega emas, ishonchingiz komilmi?"
@@ -6580,20 +6653,19 @@
 DocType: Opportunity Item,Basic Rate,Asosiy darajasi
 DocType: GL Entry,Credit Amount,Kredit miqdori
 DocType: Cheque Print Template,Signatory Position,Imzo varaqasi
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Lost sifatida sozlash
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Lost sifatida sozlash
 DocType: Timesheet,Total Billable Hours,Jami hisoblangan soatlar
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Abonent ushbu obuna orqali hisob-fakturalarni to&#39;lashi kerak bo&#39;lgan kunlar soni
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Xodimlar foydasi bo&#39;yicha batafsil ma&#39;lumot
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,To&#39;lov ma&#39;lumotnomasi
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,"Bu esa, ushbu xaridorga qarshi qilingan operatsiyalarga asoslanadi. Tafsilotlar uchun quyidagi jadvalga qarang"
-DocType: Delivery Note,ODC,ODK
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: ajratilgan miqdor {1} To&#39;lovni kiritish miqdoridan kam yoki teng bo&#39;lishi kerak {2}
 DocType: Program Enrollment Tool,New Academic Term,Yangi Akademik atamalar
 ,Course wise Assessment Report,Kursni dono baholash haqida hisobot
 DocType: Purchase Invoice,Availed ITC State/UT Tax,ITC Davlat / UT solig&#39;idan foydalanildi
 DocType: Tax Rule,Tax Rule,Soliq qoidalari
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Sotish davrida bir xil darajada ushlab turing
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Bozorda ro&#39;yxatdan o&#39;tish uchun boshqa foydalanuvchi sifatida tizimga kiring
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Bozorda ro&#39;yxatdan o&#39;tish uchun boshqa foydalanuvchi sifatida tizimga kiring
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Ish stantsiyasining ish soatlari tashqarisida vaqtni qayd etish.
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Navbatdagi mijozlar
 DocType: Driver,Issuing Date,Taqdim etilgan sana
@@ -6602,11 +6674,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Keyinchalik ishlash uchun ushbu Buyurtma yuborish.
 ,Items To Be Requested,Talab qilinadigan narsalar
 DocType: Company,Company Info,Kompaniya haqida ma&#39;lumot
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Yangi mijozni tanlang yoki qo&#39;shing
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Yangi mijozni tanlang yoki qo&#39;shing
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,Xarajat markazidan mablag &#39;sarflashni talab qilish kerak
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Jamg&#39;armalar (aktivlar) ni qo&#39;llash
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Bu ushbu xodimning ishtirokiga asoslangan
-DocType: Assessment Result,Summary,Xulosa
 DocType: Payment Request,Payment Request Type,To&#39;lov shakli
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Markni tomosha qilish
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Hisob qaydnomasi
@@ -6614,7 +6685,7 @@
 DocType: Additional Salary,Employee Name,Xodimlarning nomi
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Restoran Buyurtma bandini buyurtma qiling
 DocType: Purchase Invoice,Rounded Total (Company Currency),Yalpi jami (Kompaniya valyutasi)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Hisob turi tanlanganligi sababli guruhga yashirin bo&#39;lmaydi.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Hisob turi tanlanganligi sababli guruhga yashirin bo&#39;lmaydi.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,"{0} {1} o&#39;zgartirilgan. Iltimos, yangilang."
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Foydalanuvchilarni foydalanuvchilarga qo&#39;yishni keyingi kunlarda to&#39;xtatib turish.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Sodiqlik ballari uchun cheksiz muddat tugagandan so&#39;ng, muddat tugashini bo&#39;sh yoki 0 ushlab turing."
@@ -6635,11 +6706,12 @@
 DocType: Asset,Out of Order,Tartibsiz
 DocType: Purchase Receipt Item,Accepted Quantity,Qabul qilingan miqdor
 DocType: Projects Settings,Ignore Workstation Time Overlap,Ish stantsiyasining vaqtni uzib qo&#39;ymaslik
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},"Iltimos, xizmatdoshlar uchun {0} yoki Kompaniya {1}"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},"Iltimos, xizmatdoshlar uchun {0} yoki Kompaniya {1}"
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} mavjud emas
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Partiya raqamlarini tanlang
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,GSTINga
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,GSTINga
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Xarajatlar mijozlarga yetkazildi.
+DocType: Healthcare Settings,Invoice Appointments Automatically,Billingni avtomatik tarzda belgilash
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Loyiha Id
 DocType: Salary Component,Variable Based On Taxable Salary,Soliqqa tortiladigan maoshga asoslangan o&#39;zgaruvchi
 DocType: Company,Basic Component,Asosiy komponent
@@ -6652,10 +6724,10 @@
 DocType: Stock Entry,Source Warehouse Address,Resurs omborining manzili
 DocType: GL Entry,Voucher Type,Voucher turi
 DocType: Amazon MWS Settings,Max Retry Limit,Maks. Qayta harakatlanish limiti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Narxlar ro&#39;yxati topilmadi yoki o&#39;chirib qo&#39;yilgan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Narxlar ro&#39;yxati topilmadi yoki o&#39;chirib qo&#39;yilgan
 DocType: Student Applicant,Approved,Tasdiqlandi
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Narxlari
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',{0} da bo&#39;shagan xodim &quot;chapga&quot;
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',{0} da bo&#39;shagan xodim &quot;chapga&quot;
 DocType: Marketplace Settings,Last Sync On,So&#39;nggi sinxronlash yoqilgan
 DocType: Guardian,Guardian,Guardian
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Ushbu va undan yuqori qismdagi barcha xabarlar yangi nashrga o&#39;tkazilishi kerak
@@ -6678,14 +6750,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Bu sohada aniqlangan kasalliklar ro&#39;yxati. Tanlangan bo&#39;lsa, u avtomatik ravishda kasallik bilan shug&#39;ullanadigan vazifalar ro&#39;yxatini qo&#39;shib qo&#39;yadi"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Bu ildiz sog&#39;liqni saqlash xizmati bo&#39;linmasi va tahrir qilinishi mumkin emas.
 DocType: Asset Repair,Repair Status,Ta&#39;mirlash holati
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Savdo hamkorlarini qo&#39;shish
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Buxgalteriya jurnali yozuvlari.
 DocType: Travel Request,Travel Request,Sayohat so&#39;rovi
 DocType: Delivery Note Item,Available Qty at From Warehouse,QXIdagi mavjud Quti
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Avval Employee Record-ni tanlang.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Dam olish kuni sifatida {0} uchun yuborilmadi.
 DocType: POS Profile,Account for Change Amount,O&#39;zgarish miqdorini hisobga olish
+DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks-ga ulanish
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Jami daromad / zararlar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Inter kompaniyasi hisob-fakturasi uchun noto&#39;g&#39;ri Kompaniya.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Inter kompaniyasi hisob-fakturasi uchun noto&#39;g&#39;ri Kompaniya.
 DocType: Purchase Invoice,input service,kirish xizmati
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partiya / Hisob {3} {4} da {1} / {2}
 DocType: Employee Promotion,Employee Promotion,Ishchilarni rag&#39;batlantirish
@@ -6694,12 +6768,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Kurs kodi:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,"Marhamat, hisobni kiriting"
 DocType: Account,Stock,Aksiyalar
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","# {0} satri: Hujjatning Hujjat turi Buyurtma Buyurtma, Buyurtma Xarajati yoki Jurnal Yozuvi bo&#39;lishi kerak"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","# {0} satri: Hujjatning Hujjat turi Buyurtma Buyurtma, Buyurtma Xarajati yoki Jurnal Yozuvi bo&#39;lishi kerak"
 DocType: Employee,Current Address,Joriy manzil
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Agar element boshqa narsaning varianti bo&#39;lsa, u holda tavsif, tasvir, narxlanish, soliq va boshqalar shablondan aniq belgilanmagan bo&#39;lsa"
 DocType: Serial No,Purchase / Manufacture Details,Sotib olish / ishlab chiqarish detali
 DocType: Assessment Group,Assessment Group,Baholash guruhi
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Partiya inventarizatsiyasini
+DocType: Supplier,GST Transporter ID,GST tashuvchi identifikatori
 DocType: Procedure Prescription,Procedure Name,Protsedura nomi
 DocType: Employee,Contract End Date,Shartnoma tugash sanasi
 DocType: Amazon MWS Settings,Seller ID,Sotuvchi identifikatori
@@ -6719,12 +6794,12 @@
 DocType: Company,Date of Incorporation,Tashkilot sanasi
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Jami Soliq
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Oxirgi xarid narxi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Miqdor uchun (ishlab chiqarilgan Qty) majburiydir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Miqdor uchun (ishlab chiqarilgan Qty) majburiydir
 DocType: Stock Entry,Default Target Warehouse,Standart maqsadli ombor
 DocType: Purchase Invoice,Net Total (Company Currency),Net Jami (Kompaniya valyuta)
 DocType: Delivery Note,Air,Havo
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Yil oxiri kuni Yil boshlanish sanasidan oldingi bo&#39;la olmaydi. Iltimos, sanalarni tahrirlang va qaytadan urinib ko&#39;ring."
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} ixtiyoriy bayramlar ro&#39;yxatida yo&#39;q
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} ixtiyoriy bayramlar ro&#39;yxatida yo&#39;q
 DocType: Notification Control,Purchase Receipt Message,Qabul qaydnomasini sotib oling
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,Hurda buyumlari
@@ -6746,22 +6821,24 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Tugatish
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Oldingi qatorlar miqdori bo&#39;yicha
 DocType: Item,Has Expiry Date,Tugatish sanasi
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,Transfer vositasi
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,Transfer vositasi
 DocType: POS Profile,POS Profile,Qalin profil
 DocType: Training Event,Event Name,Voqealar nomi
 DocType: Healthcare Practitioner,Phone (Office),Telefon (ofis)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Ishtirok eta olmaydi, xodimlar ishtirok etishni belgilash uchun qoldirilgan"
 DocType: Inpatient Record,Admission,Qabul qilish
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},{0} uchun qabul
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Byudjetni belgilashning mavsumiyligi, maqsadlari va boshqalar."
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Byudjetni belgilashning mavsumiyligi, maqsadlari va boshqalar."
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Argumentlar nomi
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","{0} element shablon bo&#39;lib, uning variantlaridan birini tanlang"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Inson resurslari&gt; HR parametrlarini Xodimlar uchun nomlash tizimini sozlang
+DocType: Purchase Invoice Item,Deferred Expense,Ertelenmiş ketadi
 DocType: Asset,Asset Category,Asset kategoriyasi
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,Net to&#39;lov salbiy bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,Net to&#39;lov salbiy bo&#39;lishi mumkin emas
 DocType: Purchase Order,Advance Paid,Avans to&#39;langan
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Sotish tartibi uchun haddan tashqari ishlab chiqarish foizi
 DocType: Item,Item Tax,Mahsulot solig&#39;i
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Yetkazib beruvchiga material
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Yetkazib beruvchiga material
 DocType: Soil Texture,Loamy Sand,Loamy Sand
 DocType: Production Plan,Material Request Planning,Materialni rejalashtirishni rejalashtirish
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Aksiz billing
@@ -6783,10 +6860,10 @@
 DocType: Scheduling Tool,Scheduling Tool,Vositachi rejalashtirish
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Kredit karta
 DocType: BOM,Item to be manufactured or repacked,Mahsulot ishlab chiqariladi yoki qayta paketlanadi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Joylashuvda xatolik: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Joylashuvda xatolik: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Asosiy / Tanlovlar
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Buyurtma sozlamalarida iltimos etkazib beruvchi guruhini tanlang.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Buyurtma sozlamalarida iltimos etkazib beruvchi guruhini tanlang.
 DocType: Sales Invoice Item,Drop Ship,Drop Ship
 DocType: Driver,Suspended,To&#39;xtatildi
 DocType: Training Event,Attendees,Ishtirokchilar
@@ -6804,7 +6881,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +51,Stock Levels,Kabinetga darajalari
 DocType: Customer,Commission Rate,Komissiya stavkasi
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Muvaffaqiyatli to&#39;lov yozuvlari yaratildi
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Variant qiling
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Variant qiling
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","To&#39;lov shakli olish, to&#39;lash va ichki to&#39;lovlardan biri bo&#39;lishi kerak"
 DocType: Travel Itinerary,Preferred Area for Lodging,Turar joy uchun turar joy
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Tahlillar
@@ -6815,7 +6892,7 @@
 DocType: Work Order,Actual Operating Cost,Haqiqiy Operatsion Narx
 DocType: Payment Entry,Cheque/Reference No,Tekshirish / Yo&#39;naltiruvchi No
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Ildiz tahrirlanmaydi.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Ildiz tahrirlanmaydi.
 DocType: Item,Units of Measure,O&#39;lchov birliklari
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Metro shahrida ijaraga olingan
 DocType: Supplier,Default Tax Withholding Config,Standart Soliqni To&#39;xtatish Konfiguratsiya
@@ -6833,21 +6910,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"To&#39;lov tugagach, foydalanuvchini tanlangan sahifaga yo&#39;naltirish."
 DocType: Company,Existing Company,Mavjud kompaniya
 DocType: Healthcare Settings,Result Emailed,Elektron pochta orqali natija
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Soliq kategoriyasi &quot;Hammasi&quot; deb o&#39;zgartirildi, chunki barcha narsalar qimmatli qog&#39;ozlar emas"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Soliq kategoriyasi &quot;Hammasi&quot; deb o&#39;zgartirildi, chunki barcha narsalar qimmatli qog&#39;ozlar emas"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Bugungi kunga teng yoki undan kam bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,O&#39;zgarishga hech narsa yo&#39;q
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,CSV faylini tanlang
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,CSV faylini tanlang
 DocType: Holiday List,Total Holidays,Jami dam olish kunlari
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,"Yuborish uchun e-pochta shablonini yo&#39;q. Iltimos, etkazib berish sozlamalarini tanlang."
 DocType: Student Leave Application,Mark as Present,Mavjud deb belgilash
 DocType: Supplier Scorecard,Indicator Color,Ko&#39;rsatkich rangi
 DocType: Purchase Order,To Receive and Bill,Qabul qilish va tasdiqlash uchun
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Roy # {0}: Sana bo&#39;yicha Reqd Jurnal kunidan oldin bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Roy # {0}: Sana bo&#39;yicha Reqd Jurnal kunidan oldin bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Tanlangan mahsulotlar
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Seriya raqami-ni tanlang
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Seriya raqami-ni tanlang
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Dizayner
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Shartlar va shartlar shabloni
 DocType: Serial No,Delivery Details,Yetkazib berish haqida ma&#39;lumot
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Narxlar markazi {1} qatoridagi Vergiler jadvalidagi {0} qatorida talab qilinadi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Narxlar markazi {1} qatoridagi Vergiler jadvalidagi {0} qatorida talab qilinadi
 DocType: Program,Program Code,Dastur kodi
 DocType: Terms and Conditions,Terms and Conditions Help,Shartlar va shartlar Yordam
 ,Item-wise Purchase Register,Ob&#39;ektga qarab sotib olish Register
@@ -6860,15 +6938,16 @@
 DocType: Contract,Contract Terms,Shartnoma shartlari
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Valyutalar yonida $ va shunga o&#39;xshash biron bir belgi ko&#39;rsatilmasin.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},{0} komponentining maksimal foyda miqdori {1} dan oshib ketdi
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Yarim kun)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Yarim kun)
 DocType: Payment Term,Credit Days,Kredit kuni
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,"Lab Testlarini olish uchun Marhamat, Bemor-ni tanlang"
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Talabalar guruhini yaratish
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Ishlab chiqarish uchun transportga ruxsat berish
 DocType: Leave Type,Is Carry Forward,Oldinga harakat qilmoqda
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,BOM&#39;dan ma&#39;lumotlar ol
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,BOM&#39;dan ma&#39;lumotlar ol
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Uchrashuv vaqtlari
 DocType: Cash Flow Mapping,Is Income Tax Expense,Daromad solig&#39;i tushumi
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Buyurtma yetkazib berish uchun tayyor!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# {0} qatori: joylashtirish sanasi {1} aktivining {1} sotib olish sanasi bilan bir xil bo&#39;lishi kerak
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Talabaning Institut Pansionida istiqomat qilishini tekshiring.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Yuqoridagi jadvalda Savdo buyurtmalarini kiriting
@@ -6876,10 +6955,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Ob&#39;ektni bitta ombordan ikkinchisiga o&#39;tkazish
 DocType: Vehicle,Petrol,Benzin
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Qolgan imtiyozlar (yillik)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Materiallar to&#39;plami
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Materiallar to&#39;plami
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partiya turi va partiyasi oladigan / to&#39;lanadigan hisobvaraq uchun {1}
 DocType: Employee,Leave Policy,Siyosatni qoldiring
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Mahsulotlarni yangilash
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Mahsulotlarni yangilash
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Qayta sanasi
 DocType: Employee,Reason for Leaving,Ketish sababi
 DocType: BOM Operation,Operating Cost(Company Currency),Faoliyat xarajati (Kompaniya valyutasi)
@@ -6890,7 +6969,7 @@
 DocType: Department,Expense Approvers,Xarajatlarni tasdiqlovchi hujjatlar
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debit yozuvini {1} bilan bog&#39;lash mumkin emas
 DocType: Journal Entry,Subscription Section,Obuna bo&#39;limi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,{0} hisobi mavjud emas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,{0} hisobi mavjud emas
 DocType: Training Event,Training Program,O&#39;quv dasturi
 DocType: Account,Cash,Naqd pul
 DocType: Employee,Short biography for website and other publications.,Veb-sayt va boshqa adabiyotlar uchun qisqacha biografiya.
diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv
index 67d7494..93f79b5 100644
--- a/erpnext/translations/vi.csv
+++ b/erpnext/translations/vi.csv
@@ -12,9 +12,10 @@
 DocType: Item,Customer Items,Mục khách hàng
 DocType: Project,Costing and Billing,Chi phí và thanh toán
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},Đơn vị tiền tệ của tài khoản trước phải giống với đơn vị tiền tệ của công ty {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,Tài khoản {0}: tài khoản mẹ {1} không thể là một sổ cái
+DocType: QuickBooks Migrator,Token Endpoint,Điểm cuối mã thông báo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,Tài khoản {0}: tài khoản mẹ {1} không thể là một sổ cái
 DocType: Item,Publish Item to hub.erpnext.com,Xuất bản mẫu hàng tới hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,Không thể tìm thấy Khoảng thời gian rời khỏi hoạt động
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,Không thể tìm thấy Khoảng thời gian rời khỏi hoạt động
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Đánh giá
 DocType: Item,Default Unit of Measure,Đơn vị đo mặc định
 DocType: SMS Center,All Sales Partner Contact,Tất cả Liên hệ Đối tác Bán hàng
@@ -24,16 +25,16 @@
 DocType: Restaurant Order Entry,Click Enter To Add,Nhấp Enter để Thêm
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL","Thiếu giá trị cho Mật khẩu, Khóa API hoặc URL Shopify"
 DocType: Employee,Rented,Thuê
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,Tất cả các tài khoản
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,Tất cả các tài khoản
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,Không thể chuyển nhân viên có trạng thái sang trái
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Đơn đặt hàng không thể bị hủy, dẹp bỏ đơn hàng để hủy"
 DocType: Vehicle Service,Mileage,Cước phí
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,Bạn có thực sự muốn tháo dỡ tài sản này?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,Bạn có thực sự muốn tháo dỡ tài sản này?
 DocType: Drug Prescription,Update Schedule,Cập nhật Lịch trình
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Chọn Mặc định Nhà cung cấp
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,Hiển thị nhân viên
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,Tỷ giá hối đoái mới
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Tiền tệ là cần thiết cho Danh sách Price {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},Tiền tệ là cần thiết cho Danh sách Price {0}
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sẽ được tính toán trong giao dịch.
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,Liên hệ Khách hàng
@@ -43,7 +44,8 @@
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Điều này được dựa trên các giao dịch với nhà cung cấp này. Xem dòng thời gian dưới đây để biết chi tiết
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Phần trăm sản xuất quá mức cho đơn đặt hàng công việc
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,Hợp lêk
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,Hợp lêk
+DocType: Delivery Note,Transport Receipt Date,Ngày nhận vận chuyển
 DocType: Shopify Settings,Sales Order Series,Chuỗi đặt hàng bán hàng
 DocType: Vital Signs,Tongue,Lưỡi
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,Miễn phí HRA
 DocType: Sales Invoice,Customer Name,Tên khách hàng
 DocType: Vehicle,Natural Gas,Khí ga tự nhiên
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},Tài khoản ngân hàng không thể được đặt tên là {0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},Tài khoản ngân hàng không thể được đặt tên là {0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA theo cấu trúc lương
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Người đứng đầu (hoặc nhóm) đối với các bút toán kế toán được thực hiện và các số dư còn duy trì
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),Đặc biệt cho {0} không thể nhỏ hơn không ({1})
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,Ngày ngừng dịch vụ không được trước ngày bắt đầu dịch vụ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,Ngày ngừng dịch vụ không được trước ngày bắt đầu dịch vụ
 DocType: Manufacturing Settings,Default 10 mins,Mặc định 10 phút
 DocType: Leave Type,Leave Type Name,Loại bỏ Tên
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Hiện mở
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,Hiện mở
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,Loạt Cập nhật thành công
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,Kiểm tra
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{0} trong hàng {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{0} trong hàng {1}
 DocType: Asset Finance Book,Depreciation Start Date,Ngày bắt đầu khấu hao
 DocType: Pricing Rule,Apply On,Áp dụng trên
 DocType: Item Price,Multiple Item prices.,Nhiều giá mẫu hàng.
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,Cài đặt hỗ trợ
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,Ngày dự kiến kết thúc không thể nhỏ hơn Ngày bắt đầu dự kiến
 DocType: Amazon MWS Settings,Amazon MWS Settings,Cài đặt MWS của Amazon
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,hàng # {0}: giá phải giống {1}: {2} ({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,hàng # {0}: giá phải giống {1}: {2} ({3} / {4})
 ,Batch Item Expiry Status,Tình trạng hết lô hàng
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,Hối phiếu ngân hàng
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,Chi tiết liên hệ chính
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Các vấn đề mở
 DocType: Production Plan Item,Production Plan Item,Kế hoạch sản xuất hàng
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},Người sử dụng {0} đã được giao cho nhân viên {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},Người sử dụng {0} đã được giao cho nhân viên {1}
 DocType: Lab Test Groups,Add new line,Thêm dòng mới
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,Chăm sóc sức khỏe
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Chậm trễ trong thanh toán (Ngày)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,Lab Prescription
 ,Delay Days,Delay Days
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Chi phí dịch vụ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},Số sê-ri: {0} đã được tham chiếu trong Hóa đơn bán hàng: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},Số sê-ri: {0} đã được tham chiếu trong Hóa đơn bán hàng: {1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,Hóa đơn
 DocType: Purchase Invoice Item,Item Weight Details,Chi tiết Trọng lượng Chi tiết
 DocType: Asset Maintenance Log,Periodicity,Tính tuần hoàn
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Năm tài chính {0} là cần thiết
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Nhà cung cấp&gt; Nhà cung cấp nhóm
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Khoảng cách tối thiểu giữa các hàng cây để tăng trưởng tối ưu
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Quốc phòng
 DocType: Salary Component,Abbr,Viết tắt
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,Danh sách kỳ nghỉ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,Kế toán viên
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,Bảng giá bán
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,Bảng giá bán
 DocType: Patient,Tobacco Current Use,Sử dụng thuốc lá
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,Giá bán
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,Giá bán
 DocType: Cost Center,Stock User,Cổ khoản
 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K
+DocType: Delivery Stop,Contact Information,Thông tin liên lạc
 DocType: Company,Phone No,Số điện thoại
 DocType: Delivery Trip,Initial Email Notification Sent,Đã gửi Thông báo Email ban đầu
 DocType: Bank Statement Settings,Statement Header Mapping,Ánh xạ tiêu đề bản sao
@@ -169,12 +171,11 @@
 DocType: Subscription,Subscription Start Date,Ngày bắt đầu đăng ký
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,Các tài khoản phải thu được mặc định sẽ được sử dụng nếu không được đặt trong Bệnh nhân để tính các chi phí cuộc hẹn.
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Đính kèm tập tin .csv với hai cột, một cho tên tuổi và một cho tên mới"
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,Từ địa chỉ 2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Mã mục&gt; Nhóm sản phẩm&gt; Thương hiệu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,Từ địa chỉ 2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} không trong bất kỳ năm tài chính có hiệu lực nào.
 DocType: Packed Item,Parent Detail docname,chi tiết tên tài liệu gốc
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Tham khảo: {0}, Mã hàng: {1} và Khách hàng: {2}"
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,{0} {1} không có mặt trong công ty mẹ
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,{0} {1} không có mặt trong công ty mẹ
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,Ngày kết thúc giai đoạn dùng thử không thể trước ngày bắt đầu giai đoạn dùng thử
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,Kg
 DocType: Tax Withholding Category,Tax Withholding Category,Danh mục khấu trừ thuế
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,Quảng cáo
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Cùng Công ty được nhập nhiều hơn một lần
 DocType: Patient,Married,Kết hôn
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Không được phép cho {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Không được phép cho {0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,Lấy dữ liệu từ
 DocType: Price List,Price Not UOM Dependant,Giá Không phụ thuộc UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,Áp dụng số tiền khấu trừ thuế
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},Hàng tồn kho không thể được cập nhật gắn với giấy giao hàng {0}
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,Tổng số tiền được ghi có
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},Hàng tồn kho không thể được cập nhật gắn với giấy giao hàng {0}
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,Tổng số tiền được ghi có
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Sản phẩm {0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,Không có mẫu nào được liệt kê
 DocType: Asset Repair,Error Description,Mô tả lỗi
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,Sử dụng Định dạng Tiền mặt Tuỳ chỉnh
 DocType: SMS Center,All Sales Person,Tất cả nhân viên kd
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Đóng góp hàng tháng ** giúp bạn đóng góp vào Ngân sách/Mục tiêu qua các tháng nếu việc kinh doanh của bạn có tính thời vụ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,Không tìm thấy mặt hàng
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,Cơ cấu tiền lương Thiếu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,Không tìm thấy mặt hàng
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,Cơ cấu tiền lương Thiếu
 DocType: Lead,Person Name,Tên người
 DocType: Sales Invoice Item,Sales Invoice Item,Hóa đơn bán hàng hàng
 DocType: Account,Credit,Tín dụng
@@ -219,19 +220,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,Báo cáo hàng tồn kho
 DocType: Warehouse,Warehouse Detail,Chi tiết kho
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Những ngày cuối kỳ không thể muộn hơn so với ngày cuối năm của năm học mà điều khoản này được liên kết (Năm học {}). Xin vui lòng sửa ngày và thử lại.
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Là Tài Sản Cố Định"" không thể bỏ đánh dấu, vì bản ghi Tài Sản tồn tại đối nghịch với vật liệu"
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Là Tài Sản Cố Định"" không thể bỏ đánh dấu, vì bản ghi Tài Sản tồn tại đối nghịch với vật liệu"
 DocType: Delivery Trip,Departure Time,Giờ khởi hành
 DocType: Vehicle Service,Brake Oil,dầu phanh
 DocType: Tax Rule,Tax Type,Loại thuế
 ,Completed Work Orders,Đơn đặt hàng Hoàn thành
 DocType: Support Settings,Forum Posts,Bài đăng trên diễn đàn
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,Lượng nhập chịu thuế
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,Lượng nhập chịu thuế
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},Bạn không được phép thêm hoặc cập nhật bút toán trước ngày {0}
 DocType: Leave Policy,Leave Policy Details,Để lại chi tiết chính sách
 DocType: BOM,Item Image (if not slideshow),Hình ảnh mẫu hàng (nếu không phải là slideshow)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tỷ lệ giờ / 60) * Thời gian hoạt động thực tế
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Hàng # {0}: Loại tài liệu tham khảo phải là một trong Yêu cầu bồi thường hoặc Đăng ký tạp chí
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,Chọn BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Hàng # {0}: Loại tài liệu tham khảo phải là một trong Yêu cầu bồi thường hoặc Đăng ký tạp chí
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,Chọn BOM
 DocType: SMS Log,SMS Log,Đăng nhập tin nhắn SMS
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Chi phí của mục Delivered
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,Các kỳ nghỉ vào {0} không ở giữa 'từ ngày' và 'tới ngày'
@@ -240,16 +241,15 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,Mẫu bảng xếp hạng nhà cung cấp.
 DocType: Lead,Interested,Quan tâm
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,Mở ra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},Từ {0} đến {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},Từ {0} đến {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,Chương trình:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,Không thiết lập được thuế
 DocType: Item,Copy From Item Group,Sao chép Từ mục Nhóm
-DocType: Delivery Trip,Delivery Notification,Thông báo giao hàng
 DocType: Journal Entry,Opening Entry,Mở nhập
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Tài khoản Chỉ Thanh toán
 DocType: Loan,Repay Over Number of Periods,Trả Trong số kỳ
 DocType: Stock Entry,Additional Costs,Chi phí bổ sung
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,Không thể chuyển đổi sang loại nhóm vì Tài khoản vẫn còn giao dịch
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,Không thể chuyển đổi sang loại nhóm vì Tài khoản vẫn còn giao dịch
 DocType: Lead,Product Enquiry,Đặt hàng sản phẩm
 DocType: Education Settings,Validate Batch for Students in Student Group,Xác nhận tính hợp lệ cho sinh viên trong nhóm học sinh
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},Không có bản ghi để lại được tìm thấy cho nhân viên {0} với {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vui lòng nhập công ty đầu tiên
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,Vui lòng chọn Công ty đầu tiên
 DocType: Employee Education,Under Graduate,Chưa tốt nghiệp
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,Vui lòng đặt mẫu mặc định cho Thông báo trạng thái rời khỏi trong Cài đặt nhân sự.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,Vui lòng đặt mẫu mặc định cho Thông báo trạng thái rời khỏi trong Cài đặt nhân sự.
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Mục tiêu trên
 DocType: BOM,Total Cost,Tổng chi phí
 DocType: Soil Analysis,Ca/K,Ca / K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Báo cáo cuả  Tài khoản
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,Dược phẩm
 DocType: Purchase Invoice Item,Is Fixed Asset,Là cố định tài sản
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}","qty sẵn là {0}, bạn cần {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}","qty sẵn là {0}, bạn cần {1}"
 DocType: Expense Claim Detail,Claim Amount,Số tiền yêu cầu bồi thường
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},Đơn đặt hàng công việc đã được {0}
@@ -304,13 +304,13 @@
 DocType: BOM,Quality Inspection Template,Mẫu kiểm tra chất lượng
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",Bạn có muốn cập nhật tham dự? <br> Trình bày: {0} \ <br> Vắng mặt: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Số lượng chấp nhận + từ chối phải bằng số lượng giao nhận {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Số lượng chấp nhận + từ chối phải bằng số lượng giao nhận {0}
 DocType: Item,Supply Raw Materials for Purchase,Cung cấp nguyên liệu thô cho Purchase
 DocType: Agriculture Analysis Criteria,Fertilizer,Phân bón
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",Không thể đảm bảo phân phối theo Số sê-ri \ Item {0} được thêm vào và không có Phân phối đảm bảo bằng \ sê-ri số sê-ri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,Ít nhất một phương thức thanh toán là cần thiết cho POS hóa đơn.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,Ít nhất một phương thức thanh toán là cần thiết cho POS hóa đơn.
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Mục hóa đơn giao dịch báo cáo ngân hàng
 DocType: Products Settings,Show Products as a List,Hiện sản phẩm như một List
 DocType: Salary Detail,Tax on flexible benefit,Thuế lợi ích linh hoạt
@@ -321,14 +321,14 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,Diff Qty
 DocType: Production Plan,Material Request Detail,Yêu cầu Tài liệu Chi tiết
 DocType: Selling Settings,Default Quotation Validity Days,Các ngày hiệu lực mặc định
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Bao gồm thuế hàng {0} trong tỷ lệ khoản, các loại thuế tại hàng {1} cũng phải được thêm vào"
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Bao gồm thuế hàng {0} trong tỷ lệ khoản, các loại thuế tại hàng {1} cũng phải được thêm vào"
 DocType: SMS Center,SMS Center,Trung tâm nhắn tin
 DocType: Payroll Entry,Validate Attendance,Xác thực tham dự
 DocType: Sales Invoice,Change Amount,thay đổi Số tiền
 DocType: Party Tax Withholding Config,Certificate Received,Đã nhận được chứng chỉ
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,Đặt Giá trị Hoá đơn cho B2C. B2CL và B2CS được tính dựa trên giá trị hóa đơn này.
 DocType: BOM Update Tool,New BOM,Mới BOM
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,Thủ tục quy định
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,Thủ tục quy định
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,Chỉ hiển thị POS
 DocType: Supplier Group,Supplier Group Name,Tên nhóm nhà cung cấp
 DocType: Driver,Driving License Categories,Lái xe hạng mục
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,Kỳ tính lương
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,Tạo nhân viên
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,Phát thanh truyền hình
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),Chế độ cài đặt POS (Trực tuyến / Ngoại tuyến)
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),Chế độ cài đặt POS (Trực tuyến / Ngoại tuyến)
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Vô hiệu hóa việc tạo ra các bản ghi thời gian chống lại Đơn hàng làm việc. Các hoạt động sẽ không được theo dõi đối với Đơn đặt hàng Làm việc
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,Thực hiện
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Chi tiết về các hoạt động thực hiện.
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),Giảm giá Giá Tỷ lệ (%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,Mẫu mục
 DocType: Job Offer,Select Terms and Conditions,Chọn Điều khoản và Điều kiện
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,Giá trị hiện
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,Giá trị hiện
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,Mục cài đặt báo cáo ngân hàng
 DocType: Woocommerce Settings,Woocommerce Settings,Cài đặt Thương mại điện tử
 DocType: Production Plan,Sales Orders,Đơn đặt hàng bán hàng
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Các yêu cầu báo giá có thể được truy cập bằng cách nhấp vào liên kết sau
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG học Công cụ tạo
 DocType: Bank Statement Transaction Invoice Item,Payment Description,Mô tả thanh toán
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,Thiếu cổ Phiếu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,Thiếu cổ Phiếu
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Năng suất Disable và Thời gian theo dõi
 DocType: Email Digest,New Sales Orders,Hàng đơn đặt hàng mới
 DocType: Bank Account,Bank Account,Tài khoản ngân hàng
 DocType: Travel Itinerary,Check-out Date,Ngày trả phòng
 DocType: Leave Type,Allow Negative Balance,Cho phép cân đối tiêu cực
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',Bạn không thể xóa Loại Dự án &#39;Bên ngoài&#39;
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,Chọn mục thay thế
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,Chọn mục thay thế
 DocType: Employee,Create User,Tạo người dùng
 DocType: Selling Settings,Default Territory,Địa bàn mặc định
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,Tivi
 DocType: Work Order Operation,Updated via 'Time Log',Cập nhật thông qua 'Thời gian đăng nhập'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,Chọn khách hàng hoặc nhà cung cấp.
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},số tiền tạm ứng không có thể lớn hơn {0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},số tiền tạm ứng không có thể lớn hơn {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Đã bỏ qua khe thời gian, vị trí {0} đến {1} trùng lặp vị trí hiện tại {2} thành {3}"
 DocType: Naming Series,Series List for this Transaction,Danh sách loạt cho các giao dịch này
 DocType: Company,Enable Perpetual Inventory,Cấp quyền vĩnh viễn cho kho
@@ -424,7 +424,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,Theo hàng hóa có hóa đơn
 DocType: Agriculture Analysis Criteria,Linked Doctype,Doctype được liên kết
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,Tiền thuần từ tài chính
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save","Cục bộ là đầy đủ, không lưu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save","Cục bộ là đầy đủ, không lưu"
 DocType: Lead,Address & Contact,Địa chỉ & Liên hệ
 DocType: Leave Allocation,Add unused leaves from previous allocations,Thêm lá không sử dụng từ phân bổ trước
 DocType: Sales Partner,Partner website,trang web đối tác
@@ -447,10 +447,10 @@
 ,Open Work Orders,Mở đơn hàng
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,Chi phí tư vấn bệnh nhân
 DocType: Payment Term,Credit Months,Tháng tín dụng
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,Tiền thực trả không thể ít hơn 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,Tiền thực trả không thể ít hơn 0
 DocType: Contract,Fulfilled,Hoàn thành
 DocType: Inpatient Record,Discharge Scheduled,Discharge Scheduled
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,Giảm ngày phải lớn hơn ngày của Tham gia
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,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
 DocType: POS Closing Voucher,Cashier,Thu ngân
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,Các di dời mỗi năm
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Hàng {0}: Vui lòng kiểm tra 'là cấp cao' đối với tài khoản {1} nếu điều này là một  bút toán cấp cao.
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,Xin vui lòng thiết lập Sinh viên theo Nhóm sinh viên
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,Hoàn thành công việc
 DocType: Item Website Specification,Item Website Specification,Mục Trang Thông số kỹ thuật
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,Đã chặn việc dời đi
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},Mục {0} đã đạt đến kết thúc của sự sống trên {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,Đã chặn việc dời đi
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},Mục {0} đã đạt đến kết thúc của sự sống trên {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,Bút toán Ngân hàng
 DocType: Customer,Is Internal Customer,Là khách hàng nội bộ
 DocType: Crop,Annual,Hàng năm
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Nếu chọn Tự động chọn tham gia, khi đó khách hàng sẽ tự động được liên kết với Chương trình khách hàng thân thiết (khi lưu)"
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,Mẫu cổ phiếu hòa giải
 DocType: Stock Entry,Sales Invoice No,Hóa đơn bán hàng không
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,Loại nguồn cung cấp
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,Loại nguồn cung cấp
 DocType: Material Request Item,Min Order Qty,Đặt mua tối thiểu Số lượng
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Nhóm Sinh viên Công cụ tạo khóa học
 DocType: Lead,Do Not Contact,Không Liên hệ
@@ -483,14 +483,14 @@
 DocType: Item,Publish in Hub,Xuất bản trong trung tâm
 DocType: Student Admission,Student Admission,Nhập học sinh viên
 ,Terretory,Khu vực
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,Mục {0} bị hủy bỏ
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,Mục {0} bị hủy bỏ
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,Hàng khấu hao {0}: Ngày bắt đầu khấu hao được nhập vào ngày hôm qua
 DocType: Contract Template,Fulfilment Terms and Conditions,Điều khoản và điều kiện thực hiện
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,Yêu cầu nguyên liệu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,Yêu cầu nguyên liệu
 DocType: Bank Reconciliation,Update Clearance Date,Cập nhật thông quan ngày
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,Thông tin chi tiết mua hàng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Mục {0} không tìm thấy trong &#39;Nguyên liệu Supplied&#39; bảng trong Purchase Order {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Mục {0} không tìm thấy trong &#39;Nguyên liệu Supplied&#39; bảng trong Purchase Order {1}
 DocType: Salary Slip,Total Principal Amount,Tổng số tiền gốc
 DocType: Student Guardian,Relation,Mối quan hệ
 DocType: Student Guardian,Mother,Mẹ
@@ -535,10 +535,11 @@
 DocType: Tax Rule,Shipping County,vận Chuyển trong quận
 DocType: Currency Exchange,For Selling,Để bán
 apps/erpnext/erpnext/config/desktop.py +159,Learn,Học
+DocType: Purchase Invoice Item,Enable Deferred Expense,Bật chi phí hoãn lại
 DocType: Asset,Next Depreciation Date,Kỳ hạn khấu hao tiếp theo
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Chi phí hoạt động cho một nhân viên
 DocType: Accounts Settings,Settings for Accounts,Cài đặt cho tài khoản
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},Nhà cung cấp hóa đơn Không tồn tại trong hóa đơn mua hàng {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},Nhà cung cấp hóa đơn Không tồn tại trong hóa đơn mua hàng {0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Quản lý cây người bán hàng
 DocType: Job Applicant,Cover Letter,Thư xin việc
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Séc đặc biệt và tiền gửi để xóa
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,Bên ngoài Quá trình công tác
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,Thông tư tham khảo Lỗi
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,Thẻ Báo Cáo của Học Sinh
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,Từ mã pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,Từ mã pin
 DocType: Appointment Type,Is Inpatient,Là bệnh nhân nội trú
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Tên Guardian1
 DocType: Delivery Note,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 ý.
@@ -568,18 +569,19 @@
 DocType: Journal Entry,Multi Currency,Đa ngoại tệ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Loại hóa đơn
 DocType: Employee Benefit Claim,Expense Proof,Bằng chứng chi phí
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,Phiếu giao hàng
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},Đang lưu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,Phiếu giao hàng
 DocType: Patient Encounter,Encounter Impression,Gặp Ấn tượng
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Thiết lập Thuế
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,Chi phí của tài sản bán
 DocType: Volunteer,Morning,Buổi sáng
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,Bút toán thanh toán đã được sửa lại sau khi bạn kéo ra. Vui lòng kéo lại 1 lần nữa
 DocType: Program Enrollment Tool,New Student Batch,Batch Student mới
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0} Đã nhập hai lần vào Thuế vật tư
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,Tóm tắt cho tuần này và các hoạt động cấp phát
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0} Đã nhập hai lần vào Thuế vật tư
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,Tóm tắt cho tuần này và các hoạt động cấp phát
 DocType: Student Applicant,Admitted,Thừa nhận
 DocType: Workstation,Rent Cost,Chi phí thuê
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,Số tiền Sau khi khấu hao
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,Số tiền Sau khi khấu hao
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Sắp tới Lịch sự kiện
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,Thuộc tính Variant
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,Vui lòng chọn tháng và năm
@@ -617,8 +619,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},Chỉ có thể có 1 tài khoản cho mỗi công ty trong {0} {1}
 DocType: Support Search Source,Response Result Key Path,Đường dẫn khóa kết quả phản hồi
 DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},Đối với số lượng {0} không nên vắt hơn số lượng đơn đặt hàng công việc {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,Xin vui lòng xem file đính kèm
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},Đối với số lượng {0} không nên vắt hơn số lượng đơn đặt hàng công việc {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,Xin vui lòng xem file đính kèm
 DocType: Purchase Order,% Received,% đã nhận
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Tạo Sinh viên nhóm
 DocType: Volunteer,Weekends,Cuối tuần
@@ -659,7 +661,7 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,Tổng số
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Thay đổi bắt đầu / hiện số thứ tự của một loạt hiện có.
 DocType: Dosage Strength,Strength,Sức mạnh
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Tạo một khách hàng mới
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,Tạo một khách hàng mới
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,Hết hạn vào
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Nếu nhiều quy giá tiếp tục chiếm ưu thế, người dùng được yêu cầu để thiết lập ưu tiên bằng tay để giải quyết xung đột."
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Tạo đơn đặt hàng mua
@@ -670,17 +672,18 @@
 DocType: Workstation,Consumable Cost,Chi phí tiêu hao
 DocType: Purchase Receipt,Vehicle Date,Ngày của phương tiện
 DocType: Student Log,Medical,Y khoa
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,Lý do mất
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,Vui lòng chọn thuốc
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,Lý do mất
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,Vui lòng chọn thuốc
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,Người sở hữu Tiềm năng không thể trùng với Tiềm năng
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,số lượng phân bổ có thể không lớn hơn số tiền không điều chỉnh
 DocType: Announcement,Receiver,Người nhận
 DocType: Location,Area UOM,Khu vực UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Trạm được đóng cửa vào các ngày sau đây theo Danh sách kỳ nghỉ: {0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Cơ hội
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,Cơ hội
 DocType: Lab Test Template,Single,DUy nhất
 DocType: Compensatory Leave Request,Work From Date,Làm việc từ ngày
 DocType: Salary Slip,Total Loan Repayment,Tổng số trả nợ
+DocType: Project User,View attachments,Xem tệp đính kèm
 DocType: Account,Cost of Goods Sold,Chi phí hàng bán
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,Vui lòng nhập Bộ phận Chi phí
 DocType: Drug Prescription,Dosage,Liều dùng
@@ -691,7 +694,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,Số lượng và tỷ giá
 DocType: Delivery Note,% Installed,% Đã cài
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,Phòng học / phòng thí nghiệm vv nơi bài giảng có thể được sắp xếp.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,Tiền công ty của cả hai công ty phải khớp với Giao dịch của Công ty Liên doanh.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,Tiền công ty của cả hai công ty phải khớp với Giao dịch của Công ty Liên doanh.
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,Vui lòng nhập tên công ty đầu tiên
 DocType: Travel Itinerary,Non-Vegetarian,Người không ăn chay
 DocType: Purchase Invoice,Supplier Name,Tên nhà cung cấp
@@ -701,7 +704,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,Tạm thời giữ
 DocType: Account,Is Group,là Nhóm
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,Ghi chú tín dụng {0} đã được tạo tự động
-DocType: Email Digest,Pending Purchase Orders,Đơn đặt hàng cấp phát
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Tự động Đặt nối tiếp Nos dựa trên FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kiểm tra nhà cung cấp hóa đơn Số độc đáo
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,Chi tiết Địa chỉ Chính
@@ -719,12 +721,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Tùy chỉnh văn bản giới thiệu mà đi như một phần của email đó. Mỗi giao dịch có văn bản giới thiệu riêng biệt.
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},Hàng {0}: Hoạt động được yêu cầu đối với vật liệu thô {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},Vui lòng đặt tài khoản phải trả mặc định cho công ty {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},Giao dịch không được phép đối với lệnh đặt hàng bị ngừng hoạt động {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},Giao dịch không được phép đối với lệnh đặt hàng bị ngừng hoạt động {0}
 DocType: Setup Progress Action,Min Doc Count,Số liệu Min Doc
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Thiết lập chung cho tất cả quá trình sản xuất.
 DocType: Accounts Settings,Accounts Frozen Upto,Đóng băng tài khoản đến ngày
 DocType: SMS Log,Sent On,Gửi On
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,Thuộc tính {0} được chọn nhiều lần trong Thuộc tính Bảng
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,Thuộc tính {0} được chọn nhiều lần trong Thuộc tính Bảng
 DocType: HR Settings,Employee record is created using selected field. ,
 DocType: Sales Order,Not Applicable,Không áp dụng
 DocType: Amazon MWS Settings,UK,Nước anh
@@ -753,21 +755,22 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,Nhân viên {0} đã đăng ký {1} vào {2}:
 DocType: Inpatient Record,AB Positive,AB Tích cực
 DocType: Job Opening,Description of a Job Opening,Mô tả công việc một Opening
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,Hoạt động cấp phát cho ngày hôm nay
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,Hoạt động cấp phát cho ngày hôm nay
 DocType: Salary Structure,Salary Component for timesheet based payroll.,Phần lương cho bảng thời gian biểu dựa trên bảng lương
+DocType: Driver,Applicable for external driver,Áp dụng cho trình điều khiển bên ngoài
 DocType: Sales Order Item,Used for Production Plan,Sử dụng cho kế hoạch sản xuất
 DocType: Loan,Total Payment,Tổng tiền thanh toán
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,Không thể hủy giao dịch cho Đơn đặt hàng công việc đã hoàn thành.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,Không thể hủy giao dịch cho Đơn đặt hàng công việc đã hoàn thành.
 DocType: Manufacturing Settings,Time Between Operations (in mins),Thời gian giữa các thao tác (bằng phút)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,PO đã được tạo cho tất cả các mục đặt hàng
 DocType: Healthcare Service Unit,Occupied,Chiếm
 DocType: Clinical Procedure,Consumables,Vật tư tiêu hao
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} đã được hủy nên thao tác không thể hoàn thành
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} đã được hủy nên thao tác không thể hoàn thành
 DocType: Customer,Buyer of Goods and Services.,Người mua hàng hoá và dịch vụ.
 DocType: Journal Entry,Accounts Payable,Tài khoản Phải trả
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,Số tiền {0} được đặt trong yêu cầu thanh toán này khác với số tiền đã tính của tất cả các gói thanh toán: {1}. Đảm bảo điều này là chính xác trước khi gửi tài liệu.
 DocType: Patient,Allergies,Dị ứng
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,Các BOMs chọn không cho cùng một mục
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,Các BOMs chọn không cho cùng một mục
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,Thay đổi mã mặt hàng
 DocType: Supplier Scorecard Standing,Notify Other,Thông báo khác
 DocType: Vital Signs,Blood Pressure (systolic),Huyết áp (tâm thu)
@@ -779,7 +782,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,Phần đủ để xây dựng
 DocType: POS Profile User,POS Profile User,Người dùng Hồ sơ POS
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,Hàng {0}: Ngày bắt đầu khấu hao là bắt buộc
-DocType: Sales Invoice Item,Service Start Date,Ngày bắt đầu dịch vụ
+DocType: Purchase Invoice Item,Service Start Date,Ngày bắt đầu dịch vụ
 DocType: Subscription Invoice,Subscription Invoice,Hóa đơn đăng ký
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,Thu nhập trực tiếp
 DocType: Patient Appointment,Date TIme,Ngày giờ
@@ -799,7 +802,7 @@
 DocType: Lab Test Template,Lab Routine,Lab Routine
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,Mỹ phẩm
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,Vui lòng chọn Thời điểm hoàn thành cho nhật ký bảo dưỡng tài sản đã hoàn thành
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items","Để Sáp nhập, tài sản sau đây phải giống nhau cho cả hai mục"
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items","Để Sáp nhập, tài sản sau đây phải giống nhau cho cả hai mục"
 DocType: Supplier,Block Supplier,Nhà cung cấp khối
 DocType: Shipping Rule,Net Weight,Trọng lượng tịnh
 DocType: Job Opening,Planned number of Positions,Số lượng vị trí dự kiến
@@ -821,19 +824,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,Mẫu Bản đồ Lưu chuyển tiền tệ
 DocType: Travel Request,Costing Details,Chi tiết Chi phí
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,Hiển thị mục nhập trả về
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,Nối tiếp không có mục không thể là một phần
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,Nối tiếp không có mục không thể là một phần
 DocType: Journal Entry,Difference (Dr - Cr),Sự khác biệt (Tiến sĩ - Cr)
 DocType: Bank Guarantee,Providing,Cung cấp
 DocType: Account,Profit and Loss,Báo cáo kết quả hoạt động kinh doanh
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required","Không được phép, cấu hình Lab Test Template theo yêu cầu"
 DocType: Patient,Risk Factors,Các yếu tố rủi ro
 DocType: Patient,Occupational Hazards and Environmental Factors,Các nguy cơ nghề nghiệp và các yếu tố môi trường
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,Mục hàng đã được tạo cho Đơn hàng công việc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,Mục hàng đã được tạo cho Đơn hàng công việc
 DocType: Vital Signs,Respiratory rate,Tỉ lệ hô hấp
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,Quản lý Hợp đồng phụ
 DocType: Vital Signs,Body Temperature,Thân nhiệt
 DocType: Project,Project will be accessible on the website to these users,Dự án sẽ có thể truy cập vào các trang web tới những người sử dụng
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},Không thể hủy {0} {1} vì Serial No {2} không thuộc về nhà kho {3}
 DocType: Detected Disease,Disease,dịch bệnh
+DocType: Company,Default Deferred Expense Account,Tài khoản chi phí hoãn lại mặc định
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,Xác định loại Dự án.
 DocType: Supplier Scorecard,Weighting Function,Chức năng Trọng lượng
 DocType: Healthcare Practitioner,OP Consulting Charge,OP phí tư vấn
@@ -850,7 +855,7 @@
 DocType: Crop,Produced Items,Sản phẩm Sản phẩm
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,Giao dịch khớp với hóa đơn
 DocType: Sales Order Item,Gross Profit,Lợi nhuận gộp
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,Bỏ chặn hóa đơn
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,Bỏ chặn hóa đơn
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Tăng không thể là 0
 DocType: Company,Delete Company Transactions,Xóa Giao dịch Công ty
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,Số tham khảo và Kỳ hạn tham khảo là bắt buộc đối với giao dịch ngân hàng
@@ -871,11 +876,11 @@
 DocType: Budget,Ignore,Bỏ qua
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} không hoạt động
 DocType: Woocommerce Settings,Freight and Forwarding Account,Tài khoản vận chuyển và chuyển tiếp
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,kích thước thiết lập kiểm tra cho in ấn
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,kích thước thiết lập kiểm tra cho in ấn
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,Tạo phiếu lương
 DocType: Vital Signs,Bloated,Bloated
 DocType: Salary Slip,Salary Slip Timesheet,Bảng phiếu lương
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Kho nhà cung cấp là bắt buộc đối với biên lai nhận hàng của thầu phụ
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Kho nhà cung cấp là bắt buộc đối với biên lai nhận hàng của thầu phụ
 DocType: Item Price,Valid From,Từ hợp lệ
 DocType: Sales Invoice,Total Commission,Tổng tiền Hoa hồng
 DocType: Tax Withholding Account,Tax Withholding Account,Tài khoản khấu trừ thuế
@@ -883,12 +888,12 @@
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,Tất cả phiếu ghi của Nhà cung cấp.
 DocType: Buying Settings,Purchase Receipt Required,Yêu cầu biên lai nhận hàng
 DocType: Delivery Note,Rail,Đường sắt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,Nhắm mục tiêu kho theo hàng {0} phải giống như Đơn hàng công việc
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,Tỷ lệ đánh giá là bắt buộc nếu cổ phiếu mở đã được nhập vào
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,Nhắm mục tiêu kho theo hàng {0} phải giống như Đơn hàng công việc
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,Tỷ lệ đánh giá là bắt buộc nếu cổ phiếu mở đã được nhập vào
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,Không cóbản ghi được tìm thấy trong bảng hóa đơn
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,Vui lòng chọn Công ty và Đảng Loại đầu tiên
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default","Đã đặt mặc định trong tiểu sử vị trí {0} cho người dùng {1}, hãy vô hiệu hóa mặc định"
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,Năm tài chính / kế toán.
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,Năm tài chính / kế toán.
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Giá trị lũy kế
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged","Xin lỗi, không thể hợp nhất các số sê ri"
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Nhóm khách hàng sẽ đặt thành nhóm được chọn trong khi đồng bộ hóa khách hàng từ Shopify
@@ -902,7 +907,7 @@
 ,Lead Id,ID Tiềm năng
 DocType: C-Form Invoice Detail,Grand Total,Tổng cộng
 DocType: Assessment Plan,Course,Khóa học
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,Mã mục
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,Mã mục
 DocType: Timesheet,Payslip,Trong phiếu lương
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,Ngày nửa ngày phải ở giữa ngày và giờ
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Giỏ hàng mẫu hàng
@@ -911,7 +916,8 @@
 DocType: Employee,Personal Bio,Tiểu sử cá nhân
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,ID thành viên
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},đã giao: {0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},đã giao: {0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,Đã kết nối với QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Tài khoản phải trả
 DocType: Payment Entry,Type of Payment,Loại thanh toán
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,Ngày Nửa Ngày là bắt buộc
@@ -923,7 +929,7 @@
 DocType: Sales Invoice,Shipping Bill Date,Ngày gửi hóa đơn
 DocType: Production Plan,Production Plan,Kế hoạch sản xuất
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Mở Công cụ Tạo Hóa Đơn
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,Bán hàng trở lại
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,Bán hàng trở lại
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Lưu ý: Tổng di dời phân bổ {0} không được nhỏ hơn các di dời đã được phê duyệt {1} cho giai đoạn
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Đặt số lượng trong giao dịch dựa trên sê-ri không có đầu vào
 ,Total Stock Summary,Tóm tắt Tổng số
@@ -936,9 +942,9 @@
 DocType: Authorization Rule,Customer or Item,Khách hàng hoặc mục
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,Cơ sở dữ liệu khách hàng.
 DocType: Quotation,Quotation To,định giá tới
-DocType: Lead,Middle Income,Thu nhập trung bình
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,Thu nhập trung bình
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),Mở (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Mặc định Đơn vị đo lường cho mục {0} không thể thay đổi trực tiếp bởi vì bạn đã thực hiện một số giao dịch (s) với Ươm khác. Bạn sẽ cần phải tạo ra một khoản mới để sử dụng một định Ươm khác nhau.
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Mặc định Đơn vị đo lường cho mục {0} không thể thay đổi trực tiếp bởi vì bạn đã thực hiện một số giao dịch (s) với Ươm khác. Bạn sẽ cần phải tạo ra một khoản mới để sử dụng một định Ươm khác nhau.
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,Số lượng phân bổ không thể phủ định
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Hãy đặt Công ty
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,Hãy đặt Công ty
@@ -956,15 +962,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,Chọn tài khoản thanh toán để làm cho Ngân hàng nhập
 DocType: Hotel Settings,Default Invoice Naming Series,Chuỗi đặt tên mặc định của Hoá đơn
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll","Tạo hồ sơ nhân viên để quản lý lá, tuyên bố chi phí và biên chế"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,Đã xảy ra lỗi trong quá trình cập nhật
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,Đã xảy ra lỗi trong quá trình cập nhật
 DocType: Restaurant Reservation,Restaurant Reservation,Đặt phòng khách sạn
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,Đề nghị Viết
 DocType: Payment Entry Deduction,Payment Entry Deduction,Bút toán thanh toán khấu trừ
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,Đóng gói
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,Thông báo Khách hàng qua Email
 DocType: Item,Batch Number Series,Loạt số lô
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Nhân viên kd {0} đã tồn tại
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,Nhân viên kd {0} đã tồn tại
 DocType: Employee Advance,Claimed Amount,Số Tiền Yêu Cầu
+DocType: QuickBooks Migrator,Authorization Settings,Cài đặt ủy quyền
 DocType: Travel Itinerary,Departure Datetime,Thời gian khởi hành
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,Chi phí yêu cầu du lịch
@@ -1004,26 +1011,29 @@
 DocType: Buying Settings,Supplier Naming By,Nhà cung cấp đặt tên By
 DocType: Activity Type,Default Costing Rate,Mặc định Costing Rate
 DocType: Maintenance Schedule,Maintenance Schedule,Lịch trình bảo trì
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Và các quy tắc báo giá được lọc xem dựa trên khách hàng, nhóm khách hàng, địa bàn, NCC, loại NCC, Chiến dịch, đối tác bán hàng .v..v"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Và các quy tắc báo giá được lọc xem dựa trên khách hàng, nhóm khách hàng, địa bàn, NCC, loại NCC, Chiến dịch, đối tác bán hàng .v..v"
 DocType: Employee Promotion,Employee Promotion Details,Chi tiết quảng cáo nhân viên
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,Chênh lệch giá tịnh trong kho
 DocType: Employee,Passport Number,Số hộ chiếu
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Mối quan hệ với Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,Chi cục trưởng
 DocType: Payment Entry,Payment From / To,Thanh toán Từ / Đến
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,Từ năm tài chính
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},hạn mức tín dụng mới thấp hơn số tồn đọng chưa trả cho khách hàng. Hạn mức tín dụng phải ít nhất {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},Vui lòng đặt tài khoản trong Kho {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},Vui lòng đặt tài khoản trong Kho {0}
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Dựa Trên' và 'Nhóm Bởi' không thể giống nhau
 DocType: Sales Person,Sales Person Targets,Mục tiêu người bán hàng
 DocType: Work Order Operation,In minutes,Trong phút
 DocType: Issue,Resolution Date,Ngày giải quyết
 DocType: Lab Test Template,Compound,Hợp chất
+DocType: Opportunity,Probability (%),Xác suất (%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,Thông báo công văn
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,Chọn bất động sản
 DocType: Student Batch Name,Batch Name,Tên đợt hàng
 DocType: Fee Validity,Max number of visit,Số lần truy cập tối đa
 ,Hotel Room Occupancy,Phòng khách sạn
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,Thời gian biểu  đã tạo:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},Xin vui lòng thiết lập mặc định hoặc tiền trong tài khoản ngân hàng Phương thức thanh toán {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},Xin vui lòng thiết lập mặc định hoặc tiền trong tài khoản ngân hàng Phương thức thanh toán {0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,Ghi danh
 DocType: GST Settings,GST Settings,Cài đặt GST
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},Tiền tệ phải giống như Bảng giá Tiền tệ: {0}
@@ -1064,12 +1074,12 @@
 DocType: Loan,Total Interest Payable,Tổng số lãi phải trả
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Thuế Chi phí hạ cánh và Lệ phí
 DocType: Work Order Operation,Actual Start Time,Thời điểm bắt đầu thực tế
+DocType: Purchase Invoice Item,Deferred Expense Account,Tài khoản chi trả hoãn lại
 DocType: BOM Operation,Operation Time,Thời gian hoạt động
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,Hoàn thành
 DocType: Salary Structure Assignment,Base,Cơ sở
 DocType: Timesheet,Total Billed Hours,Tổng số giờ
 DocType: Travel Itinerary,Travel To,Đi du lịch tới
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,không phải là
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,Viết Tắt Số tiền
 DocType: Leave Block List Allow,Allow User,Cho phép tài
 DocType: Journal Entry,Bill No,Hóa đơn số
@@ -1088,9 +1098,8 @@
 DocType: Sales Invoice Timesheet,Time Sheet,Thời gian biểu
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Súc rửa nguyên liệu thô được dựa vào
 DocType: Sales Invoice,Port Code,Cảng Mã
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,Kho dự trữ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,Kho dự trữ
 DocType: Lead,Lead is an Organization,Tiềm năng là một Tổ chức
-DocType: Guardian Interest,Interest,Quan tâm
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pre Sales
 DocType: Instructor Log,Other Details,Các chi tiết khác
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
@@ -1100,7 +1109,7 @@
 DocType: Account,Accounts,Tài khoản kế toán
 DocType: Vehicle,Odometer Value (Last),Giá trị đo đường (cuối)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,Mẫu tiêu chí của nhà cung cấp thẻ điểm.
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,Marketing
 DocType: Sales Invoice,Redeem Loyalty Points,Đổi điểm khách hàng thân thiết
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,Bút toán thanh toán đã được tạo ra
 DocType: Request for Quotation,Get Suppliers,Nhận nhà cung cấp
@@ -1117,16 +1126,14 @@
 DocType: Crop,Crop Spacing UOM,Khoảng cách cây trồng UOM
 DocType: Loyalty Program,Single Tier Program,Chương trình Cấp đơn
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Chỉ cần chọn nếu bạn đã thiết lập tài liệu Lập biểu Cash Flow Mapper
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,Từ địa chỉ 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,Từ địa chỉ 1
 DocType: Email Digest,Next email will be sent on:,Email tiếp theo sẽ được gửi vào:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",Theo sau mục {items} {verb} được đánh dấu là mục {message}. \ Bạn có thể bật chúng dưới dạng mục {message} từ chủ mục của nó
 DocType: Supplier Scorecard,Per Week,Mỗi tuần
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,Mục có các biến thể.
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,Mục có các biến thể.
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,Tổng số sinh viên
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Mục {0} không tìm thấy
 DocType: Bin,Stock Value,Giá trị tồn
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,Công ty {0} không tồn tại
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,Công ty {0} không tồn tại
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0} có giá trị lệ phí đến {1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,Loại cây biểu thị
 DocType: BOM Explosion Item,Qty Consumed Per Unit,Số lượng tiêu thụ trung bình mỗi đơn vị
@@ -1142,7 +1149,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,Thẻ tín dụng nhập
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,Công ty và các tài khoản
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,trong Gía trị
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,trong Gía trị
 DocType: Asset Settings,Depreciation Options,Tùy chọn khấu hao
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,Vị trí hoặc nhân viên phải được yêu cầu
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,Thời gian gửi không hợp lệ
@@ -1159,20 +1166,21 @@
 DocType: Leave Allocation,Allocation,Phân bổ
 DocType: Purchase Order,Supply Raw Materials,Cung cấp Nguyên liệu thô
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Tài sản ngắn hạn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0} không phải là 1 vật liệu tồn kho
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0} không phải là 1 vật liệu tồn kho
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vui lòng chia sẻ phản hồi của bạn cho buổi tập huấn bằng cách nhấp vào &#39;Phản hồi đào tạo&#39; và sau đó &#39;Mới&#39;
 DocType: Mode of Payment Account,Default Account,Tài khoản mặc định
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,Vui lòng chọn Lưu trữ mẫu Mẫu trong Cài đặt Kho
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,Vui lòng chọn Lưu trữ mẫu Mẫu trong Cài đặt Kho
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,Vui lòng chọn loại Chương trình Nhiều Cấp cho nhiều quy tắc thu thập.
 DocType: Payment Entry,Received Amount (Company Currency),Số tiền nhận được (Công ty ngoại tệ)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,Tiềm năng phải được thiết lập nếu Cơ hội được tạo từ Tiềm năng
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,Thanh toán đã Hủy. Vui lòng kiểm tra Tài khoản GoCard của bạn để biết thêm chi tiết
 DocType: Contract,N/A,Không áp dụng
+DocType: Delivery Settings,Send with Attachment,Gửi kèm theo tệp đính kèm
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,Vui lòng chọn ngày nghỉ hàng tuần
 DocType: Inpatient Record,O Negative,O tiêu cực
 DocType: Work Order Operation,Planned End Time,Thời gian  kết thúc kế hoạch
 ,Sales Person Target Variance Item Group-Wise,Mục tiêu người bán mẫu hàng phương sai Nhóm - Thông minh
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,Tài khoản vẫn còn giao dịch nên không thể chuyển đổi sang sổ cái
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,Tài khoản vẫn còn giao dịch nên không thể chuyển đổi sang sổ cái
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Chi tiết loại khoản thanh toán
 DocType: Delivery Note,Customer's Purchase Order No,số hiệu đơn mua của khách
 DocType: Clinical Procedure,Consume Stock,Consume Stock
@@ -1185,26 +1193,26 @@
 DocType: Soil Texture,Sand,Cát
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,Năng lượng
 DocType: Opportunity,Opportunity From,CƠ hội từ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Hàng {0}: {1} Số sêri cần có cho mục {2}. Bạn đã cung cấp {3}.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Hàng {0}: {1} Số sêri cần có cho mục {2}. Bạn đã cung cấp {3}.
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,Vui lòng chọn một bảng
 DocType: BOM,Website Specifications,Thông số kỹ thuật website
 DocType: Special Test Items,Particulars,Các chi tiết
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}: Từ {0} của loại {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,Hàng {0}: Nhân tố chuyển đổi là bắt buộc
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,Hàng {0}: Nhân tố chuyển đổi là bắt buộc
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Nhiều quy Giá tồn tại với cùng một tiêu chuẩn, xin vui lòng giải quyết xung đột bằng cách gán ưu tiên. Nội quy Giá: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Nhiều quy Giá tồn tại với cùng một tiêu chuẩn, xin vui lòng giải quyết xung đột bằng cách gán ưu tiên. Nội quy Giá: {0}"
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,Tài khoản đánh giá lại tỷ giá hối đoái
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,Không thể tắt hoặc hủy bỏ BOM như nó được liên kết với BOMs khác
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,Không thể tắt hoặc hủy bỏ BOM như nó được liên kết với BOMs khác
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,Vui lòng chọn Công ty và Ngày đăng để nhận các mục nhập
 DocType: Asset,Maintenance,Bảo trì
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,Nhận từ Bệnh nhân gặp
 DocType: Subscriber,Subscriber,Người đăng kí
 DocType: Item Attribute Value,Item Attribute Value,GIá trị thuộc tính mẫu hàng
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,Vui lòng cập nhật trạng thái dự án của bạn
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,Vui lòng cập nhật trạng thái dự án của bạn
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,Trao đổi tiền tệ phải được áp dụng cho việc mua hoặc bán.
 DocType: Item,Maximum sample quantity that can be retained,Số lượng mẫu tối đa có thể được giữ lại
 DocType: Project Update,How is the Project Progressing Right Now?,Dự án đang tiến triển như thế nào?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Hàng {0} # Khoản {1} không thể chuyển được nhiều hơn {2} so với Đơn mua hàng {3}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Hàng {0} # Khoản {1} không thể chuyển được nhiều hơn {2} so với Đơn mua hàng {3}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Các chiến dịch bán hàng.
 DocType: Project Task,Make Timesheet,Tạo thời gian biểu
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1233,36 +1241,38 @@
 DocType: Lab Test,Lab Test,Lab Test
 DocType: Student Report Generation Tool,Student Report Generation Tool,Công cụ Tạo Báo cáo Sinh viên
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Thời gian lịch hẹn chăm sóc sức khỏe
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,Doc Tên
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,Doc Tên
 DocType: Expense Claim Detail,Expense Claim Type,Loại chi phí yêu cầu bồi thường
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,Các thiết lập mặc định cho Giỏ hàng
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,Thêm Timeslots
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},Tài sản bị tháo dỡ qua Journal nhập {0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vui lòng đặt Tài khoản trong kho {0} hoặc Tài khoản khoảng không quảng cáo mặc định trong Công ty {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},Tài sản bị tháo dỡ qua Journal nhập {0}
 DocType: Loan,Interest Income Account,Tài khoản thu nhập lãi
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,Lợi ích tối đa phải lớn hơn 0 để phân chia lợi ích
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,Lợi ích tối đa phải lớn hơn 0 để phân chia lợi ích
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,Đã gửi lời mời phản hồi
 DocType: Shift Assignment,Shift Assignment,Chuyển nhượng Shift
 DocType: Employee Transfer Property,Employee Transfer Property,Chuyển nhượng nhân viên
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,Từ thời gian nên ít hơn đến thời gian
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,Công nghệ sinh học
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",Không thể sử dụng mục {0} (Số sê-ri: {1}) như là reserverd \ để thực hiện Lệnh bán hàng {2}.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Chi phí bảo trì văn phòng
 apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,Đi đến
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Cập nhật giá từ Shopify lên ERPTiếp theo giá
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Thiết lập tài khoản email
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,Vui lòng nhập mục đầu tiên
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,Phân tích nhu cầu
 DocType: Asset Repair,Downtime,Thời gian chết
 DocType: Account,Liability,Trách nhiệm
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Số tiền bị xử phạt không thể lớn hơn so với yêu cầu bồi thường Số tiền trong Row {0}.
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Số tiền bị xử phạt không thể lớn hơn so với yêu cầu bồi thường Số tiền trong Row {0}.
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,Học thuật:
 DocType: Salary Component,Do not include in total,Không bao gồm trong tổng số
 DocType: Company,Default Cost of Goods Sold Account,Mặc định Chi phí tài khoản hàng bán
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},Số lượng mẫu {0} không được nhiều hơn số lượng nhận được {1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,Danh sách giá không được chọn
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},Số lượng mẫu {0} không được nhiều hơn số lượng nhận được {1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,Danh sách giá không được chọn
 DocType: Employee,Family Background,Gia đình nền
 DocType: Request for Quotation Supplier,Send Email,Gởi thư
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},Cảnh báo: Tập tin đính kèm {0} ko hợp lệ
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},Cảnh báo: Tập tin đính kèm {0} ko hợp lệ
 DocType: Item,Max Sample Quantity,Số lượng Mẫu Tối đa
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,Không quyền hạn
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Danh sách kiểm tra thực hiện hợp đồng
@@ -1294,15 +1304,15 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Trung tâm Chi Phí {2} không thuộc về Công ty {3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),Tải lên đầu thư của bạn (Giữ cho trang web thân thiện với kích thước 900px x 100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}: Tài khoản {2} không thể là một Nhóm
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Dãy mẫu vật {idx}: {DOCTYPE} {DOCNAME} không tồn tại trên '{DOCTYPE}' bảng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,thời gian biểu{0} đã được hoàn thành hoặc bị hủy bỏ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,thời gian biểu{0} đã được hoàn thành hoặc bị hủy bỏ
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,không nhiệm vụ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,Hóa đơn bán hàng {0} được tạo dưới dạng thanh toán
 DocType: Item Variant Settings,Copy Fields to Variant,Sao chép trường sang biến thể
 DocType: Asset,Opening Accumulated Depreciation,Mở Khấu hao lũy kế
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,Điểm số phải nhỏ hơn hoặc bằng 5
 DocType: Program Enrollment Tool,Program Enrollment Tool,Chương trình Công cụ ghi danh
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C - Bản ghi mẫu
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C - Bản ghi mẫu
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,Cổ phiếu đã tồn tại
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,Khách hàng và Nhà cung cấp
 DocType: Email Digest,Email Digest Settings,Thiết lập mục Email nhắc việc
@@ -1315,12 +1325,12 @@
 DocType: Production Plan,Select Items,Chọn mục
 DocType: Share Transfer,To Shareholder,Cho Cổ đông
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0} gắn với phiếu t.toán {1} ngày {2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,Từ tiểu bang
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,Từ tiểu bang
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,Thiết lập tổ chức
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,Phân bổ lá ...
 DocType: Program Enrollment,Vehicle/Bus Number,Phương tiện/Số xe buýt
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,Lịch khóa học
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",Bạn phải khấu trừ Thuế đối với Chứng minh miễn thuế chưa được gửi và Không nhận quyền lợi \ Lợi ích của nhân viên trong Thời gian tính lương cuối cùng
 DocType: Request for Quotation Supplier,Quote Status,Trạng thái xác nhận
 DocType: GoCardless Settings,Webhooks Secret,Webhooks bí mật
@@ -1346,13 +1356,13 @@
 DocType: Sales Invoice,Payment Due Date,Thanh toán đáo hạo
 DocType: Drug Prescription,Interval UOM,Interval UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save","Chọn lại, nếu địa chỉ đã chọn được chỉnh sửa sau khi lưu"
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,Biến thể mẫu hàng {0} đã tồn tại với cùng một thuộc tính
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,Biến thể mẫu hàng {0} đã tồn tại với cùng một thuộc tính
 DocType: Item,Hub Publishing Details,Chi tiết Xuất bản Trung tâm
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening','Đang mở'
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening','Đang mở'
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Mở để làm
 DocType: Issue,Via Customer Portal,Qua Cổng thông tin khách hàng
 DocType: Notification Control,Delivery Note Message,Tin nhắn lưu ý cho việc giao hàng
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,Số tiền SGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,Số tiền SGST
 DocType: Lab Test Template,Result Format,Định dạng kết quả
 DocType: Expense Claim,Expenses,Chi phí
 DocType: Item Variant Attribute,Item Variant Attribute,Thuộc tính biến thể mẫu hàng
@@ -1360,14 +1370,12 @@
 DocType: Payroll Entry,Bimonthly,hai tháng một lần
 DocType: Vehicle Service,Brake Pad,đệm phanh
 DocType: Fertilizer,Fertilizer Contents,Phân bón Nội dung
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,Nghiên cứu & Phát triể
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,Nghiên cứu & Phát triể
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Số tiền Bill
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Ngày bắt đầu và ngày kết thúc trùng lặp với thẻ công việc <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Company,Registration Details,Thông tin chi tiết đăng ký
 DocType: Timesheet,Total Billed Amount,Tổng số được lập hóa đơn
 DocType: Item Reorder,Re-Order Qty,Số lượng đặt mua lại
 DocType: Leave Block List Date,Leave Block List Date,Để lại kỳ hạn cho danh sách chặn
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vui lòng thiết lập Hệ thống Đặt tên Hướng dẫn trong Giáo dục&gt; Cài đặt Giáo dục
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,BOM # {0}: Nguyên liệu thô không thể giống với mặt hàng chính
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Tổng phí tại biên lai mua các mẫu hàng phải giống như tổng các loại thuế và phí
 DocType: Sales Team,Incentives,Ưu đãi
@@ -1381,7 +1389,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,Điểm bán hàng
 DocType: Fee Schedule,Fee Creation Status,Trạng thái tạo phí
 DocType: Vehicle Log,Odometer Reading,Đọc mét kế
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tài khoản đang dư Có, bạn không được phép thiết lập 'Số dư TK phải ' là 'Nợ'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tài khoản đang dư Có, bạn không được phép thiết lập 'Số dư TK phải ' là 'Nợ'"
 DocType: Account,Balance must be,Số dư phải là
 DocType: Notification Control,Expense Claim Rejected Message,Thông báo yêu cầu bồi thường chi phí từ chối
 ,Available Qty,Số lượng có sẵn
@@ -1393,7 +1401,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Luôn đồng bộ hóa các sản phẩm của bạn từ MWS của Amazon trước khi đồng bộ hóa các chi tiết Đơn đặt hàng
 DocType: Delivery Trip,Delivery Stops,Giao hàng Dừng
 DocType: Salary Slip,Working Days,Ngày làm việc
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},Không thể thay đổi Ngày Dừng dịch vụ cho mục trong hàng {0}
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},Không thể thay đổi Ngày Dừng dịch vụ cho mục trong hàng {0}
 DocType: Serial No,Incoming Rate,Tỷ lệ đến
 DocType: Packing Slip,Gross Weight,Tổng trọng lượng
 DocType: Leave Type,Encashment Threshold Days,Ngày ngưỡng mã hóa
@@ -1412,31 +1420,33 @@
 DocType: Restaurant Table,Minimum Seating,Ghế tối thiểu
 DocType: Item Attribute,Item Attribute Values,Các giá trị thuộc tính mẫu hàng
 DocType: Examination Result,Examination Result,Kết quả kiểm tra
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,Biên lai nhận hàng
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,Biên lai nhận hàng
 ,Received Items To Be Billed,Những mẫu hàng nhận được để lập hóa đơn
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,Tổng tỷ giá hối đoái.
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,Tổng tỷ giá hối đoái.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},Loại tài liệu tham khảo phải là 1 trong {0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,Lọc Số lượng Không có Tổng
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},Không thể tìm khe thời gian trong {0} ngày tới cho hoạt động {1}
 DocType: Work Order,Plan material for sub-assemblies,Lên nguyên liệu cho các lần lắp ráp phụ
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Đại lý bán hàng và địa bàn
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0} phải hoạt động
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0} phải hoạt động
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,Không có mục nào để chuyển
 DocType: Employee Boarding Activity,Activity Name,Tên hoạt động
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,Thay đổi ngày phát hành
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Số lượng sản phẩm hoàn thành <b>{0}</b> và Số lượng <b>{1}</b> không thể khác nhau
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,Thay đổi ngày phát hành
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,Số lượng sản phẩm hoàn thành <b>{0}</b> và Số lượng <b>{1}</b> không thể khác nhau
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),Đóng cửa (Mở + Tổng cộng)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,Mã mục&gt; Nhóm sản phẩm&gt; Thương hiệu
+DocType: Delivery Settings,Dispatch Notification Attachment,Gửi thông báo đính kèm
 DocType: Payroll Entry,Number Of Employees,Số lượng nhân viên
 DocType: Journal Entry,Depreciation Entry,Nhập Khấu hao
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,Hãy chọn các loại tài liệu đầu tiên
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,Hãy chọn các loại tài liệu đầu tiên
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Hủy bỏ {0} thăm Vật liệu trước khi hủy bỏ bảo trì đăng nhập này
 DocType: Pricing Rule,Rate or Discount,Xếp hạng hoặc Giảm giá
 DocType: Vital Signs,One Sided,Một mặt
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},Không nối tiếp {0} không thuộc về hàng {1}
 DocType: Purchase Receipt Item Supplied,Required Qty,Số lượng yêu cầu
 DocType: Marketplace Settings,Custom Data,Dữ liệu Tuỳ chỉnh
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang sổ cái.
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},Số sê-ri là bắt buộc đối với mặt hàng {0}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang sổ cái.
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},Số sê-ri là bắt buộc đối với mặt hàng {0}
 DocType: Bank Reconciliation,Total Amount,Tổng số
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,Từ ngày và đến ngày nằm trong năm tài chính khác nhau
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,Bệnh nhân {0} không có hóa đơn khách hàng cho hóa đơn
@@ -1447,9 +1457,9 @@
 DocType: Soil Texture,Clay Composition (%),Thành phần Sét (%)
 DocType: Item Group,Item Group Defaults,Mặc định nhóm mặt hàng
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,Vui lòng lưu trước khi phân công nhiệm vụ.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,Giá trị số dư
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,Giá trị số dư
 DocType: Lab Test,Lab Technician,Kỹ thuật viên phòng thí nghiệm
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,Danh sách bán hàng giá
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,Danh sách bán hàng giá
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.","Nếu được chọn, một khách hàng sẽ được tạo, được ánh xạ tới Bệnh nhân. Hoá đơn Bệnh nhân sẽ được tạo ra đối với Khách hàng này. Bạn cũng có thể chọn Khách hàng hiện tại trong khi tạo Bệnh nhân."
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,Khách hàng không được đăng ký trong bất kỳ Chương trình khách hàng thân thiết nào
@@ -1463,13 +1473,13 @@
 DocType: Support Search Source,Search Term Param Name,Tên thông số cụm từ tìm kiếm
 DocType: Item Barcode,Item Barcode,Mục mã vạch
 DocType: Woocommerce Settings,Endpoints,Điểm cuối
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,Các biến thể mục {0} cập nhật
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,Các biến thể mục {0} cập nhật
 DocType: Quality Inspection Reading,Reading 6,Đọc 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,Không thể {0} {1} {2} không có bất kỳ hóa đơn xuất sắc tiêu cực
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,Không thể {0} {1} {2} không có bất kỳ hóa đơn xuất sắc tiêu cực
 DocType: Share Transfer,From Folio No,Từ Folio Số
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,Hóa đơn mua hàng cao cấp
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},Hàng {0}: lối vào tín dụng không thể được liên kết với một {1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,Xác định ngân sách cho năm tài chính.
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,Xác định ngân sách cho năm tài chính.
 DocType: Shopify Tax Account,ERPNext Account,Tài khoản ERPNext
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0} bị chặn nên giao dịch này không thể tiến hành
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Hành động nếu Ngân sách hàng tháng tích luỹ vượt quá MR
@@ -1485,19 +1495,19 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Hóa đơn mua hàng
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,Cho phép tiêu thụ nhiều vật liệu so với một lệnh làm việc
 DocType: GL Entry,Voucher Detail No,Chứng từ chi tiết số
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,Hóa đơn bán hàng mới
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,Hóa đơn bán hàng mới
 DocType: Stock Entry,Total Outgoing Value,Tổng giá trị ngoài
 DocType: Healthcare Practitioner,Appointments,Các cuộc hẹn
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,Khai mạc Ngày và ngày kết thúc nên trong năm tài chính tương tự
 DocType: Lead,Request for Information,Yêu cầu thông tin
 ,LeaderBoard,Bảng thành tích
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tỷ lệ Giãn (Tiền tệ của Công ty)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn
 DocType: Payment Request,Paid,Đã trả
 DocType: Program Fee,Program Fee,Phí chương trình
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.","Thay thế một HĐQT cụ thể trong tất cả các HĐQT khác nơi nó được sử dụng. Nó sẽ thay thế liên kết BOM cũ, cập nhật chi phí và tạo lại bảng &quot;BOM Explosion Item&quot; theo một HĐQT mới. Nó cũng cập nhật giá mới nhất trong tất cả các BOMs."
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,Các lệnh Làm việc sau đây đã được tạo ra:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,Các lệnh Làm việc sau đây đã được tạo ra:
 DocType: Salary Slip,Total in words,Tổng số bằng chữ
 DocType: Inpatient Record,Discharged,Đã xả
 DocType: Material Request Item,Lead Time Date,Ngày Tiềm năng
@@ -1508,16 +1518,16 @@
 DocType: Support Settings,Get Started Sections,Mục bắt đầu
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,xử phạt
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},Hàng # {0}: Hãy xác định số sê ri cho mục {1}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},Tổng số tiền đóng góp: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},Hàng # {0}: Hãy xác định số sê ri cho mục {1}
 DocType: Payroll Entry,Salary Slips Submitted,Đã gửi phiếu lương
 DocType: Crop Cycle,Crop Cycle,Crop Cycle
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Đối với  'sản phẩm lô', Kho Hàng, Số Seri và Số Lô sẽ được xem xét từ bảng 'Danh sách đóng gói'. Nếu kho và số Lô giống nhau cho tất cả các mặt hàng đóng gói cho bất kỳ mặt hàng 'Hàng hóa theo lô', những giá trị có thể được nhập vào bảng hàng hóa chính, giá trị này sẽ được sao chép vào bảng 'Danh sách đóng gói'."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Đối với  'sản phẩm lô', Kho Hàng, Số Seri và Số Lô sẽ được xem xét từ bảng 'Danh sách đóng gói'. Nếu kho và số Lô giống nhau cho tất cả các mặt hàng đóng gói cho bất kỳ mặt hàng 'Hàng hóa theo lô', những giá trị có thể được nhập vào bảng hàng hóa chính, giá trị này sẽ được sao chép vào bảng 'Danh sách đóng gói'."
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,Từ địa điểm
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,Net Pay không thể là số âm
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,Từ địa điểm
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,Net Pay không thể là số âm
 DocType: Student Admission,Publish on website,Xuất bản trên trang web
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,Ngày trên h.đơn mua hàng không thể lớn hơn ngày hạch toán
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,Ngày trên h.đơn mua hàng không thể lớn hơn ngày hạch toán
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,Ngày hủy
 DocType: Purchase Invoice Item,Purchase Order Item,Mua hàng mục
@@ -1526,7 +1536,7 @@
 DocType: Student Attendance Tool,Student Attendance Tool,Công cụ điểm danh sinh viên
 DocType: Restaurant Menu,Price List (Auto created),Bảng Giá (Tự động tạo ra)
 DocType: Cheque Print Template,Date Settings,Cài đặt ngày
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,phương sai
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,phương sai
 DocType: Employee Promotion,Employee Promotion Detail,Chi tiết quảng cáo nhân viên
 ,Company Name,Tên công ty
 DocType: SMS Center,Total Message(s),Tổng số tin nhắn (s)
@@ -1556,7 +1566,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,Không gửi nhân viên sinh Nhắc nhở
 DocType: Expense Claim,Total Advance Amount,Tổng số tiền ứng trước
 DocType: Delivery Stop,Estimated Arrival,Ước tính đến
-DocType: Delivery Stop,Notified by Email,Được thông báo bằng Email
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,Xem tất cả các bài viết
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,Đi vào
 DocType: Item,Inspection Criteria,Tiêu chuẩn kiểm tra
@@ -1566,23 +1575,22 @@
 DocType: Timesheet Detail,Bill,Hóa đơn
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,Trắng
 DocType: SMS Center,All Lead (Open),Tất cả đầu mối kinh doanh (Mở)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Hàng {0}: Số lượng không có sẵn cho {4} trong kho {1} tại đăng thời gian nhập cảnh ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Hàng {0}: Số lượng không có sẵn cho {4} trong kho {1} tại đăng thời gian nhập cảnh ({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,Bạn chỉ có thể chọn tối đa một tùy chọn từ danh sách các hộp kiểm.
 DocType: Purchase Invoice,Get Advances Paid,Được trả tiền trước
 DocType: Item,Automatically Create New Batch,Tự động tạo hàng loạt
 DocType: Item,Automatically Create New Batch,Tự động tạo hàng loạt
 DocType: Supplier,Represents Company,Đại diện cho Công ty
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,Tạo
 DocType: Student Admission,Admission Start Date,Ngày bắt đầu nhập học
 DocType: Journal Entry,Total Amount in Words,Tổng tiền bằng chữ
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,Nhân viên mới
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Có một lỗi.Có thể là là bạn đã không lưu mẫu đơn. Vui lòng liên hệ support@erpnext.com nếu rắc rối vẫn tồn tại.
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Giỏ hàng
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},Loại thứ tự phải là một trong {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},Loại thứ tự phải là một trong {0}
 DocType: Lead,Next Contact Date,Ngày Liên hệ Tiếp theo
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Số lượng mở đầu
 DocType: Healthcare Settings,Appointment Reminder,Nhắc nhở bổ nhiệm
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,Vui lòng nhập tài khoản để thay đổi Số tiền
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,Vui lòng nhập tài khoản để thay đổi Số tiền
 DocType: Program Enrollment Tool Student,Student Batch Name,Tên sinh viên hàng loạt
 DocType: Holiday List,Holiday List Name,Tên Danh Sách Kỳ Nghỉ
 DocType: Repayment Schedule,Balance Loan Amount,Số dư vay nợ
@@ -1592,13 +1600,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,Tùy chọn hàng tồn kho
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,Không có mục nào được thêm vào giỏ hàng
 DocType: Journal Entry Account,Expense Claim,Chi phí khiếu nại
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,Bạn có thực sự muốn khôi phục lại tài sản bị tháo dỡ này?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,Bạn có thực sự muốn khôi phục lại tài sản bị tháo dỡ này?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},Số lượng cho {0}
 DocType: Leave Application,Leave Application,Để lại ứng dụng
 DocType: Patient,Patient Relation,Quan hệ Bệnh nhân
 DocType: Item,Hub Category to Publish,Danh mục Hub để Xuất bản
 DocType: Leave Block List,Leave Block List Dates,Để lại các kỳ hạn cho danh sách chặn
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered","Đơn đặt hàng {0} có đặt trước cho mặt hàng {1}, bạn chỉ có thể phân phối {1} được đặt trước {0}. Không thể gửi số sê-ri {2}"
 DocType: Sales Invoice,Billing Address GSTIN,Địa chỉ thanh toán GSTIN
@@ -1616,16 +1624,18 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vui lòng ghi rõ {0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,Các mục gỡ bỏ không có thay đổi về số lượng hoặc giá trị.
 DocType: Delivery Note,Delivery To,Để giao hàng
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,Sáng tạo biến thể đã được xếp hàng đợi.
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},Bản tóm tắt công việc cho {0}
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,Sáng tạo biến thể đã được xếp hàng đợi.
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},Bản tóm tắt công việc cho {0}
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Đầu tiên để lại phê duyệt trong danh sách sẽ được thiết lập như là mặc định để lại phê duyệt.
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,Bảng thuộc tính là bắt buộc
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,Bảng thuộc tính là bắt buộc
 DocType: Production Plan,Get Sales Orders,Chọn đơn đặt hàng
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0} không được âm
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,Kết nối với Quickbooks
 DocType: Training Event,Self-Study,Tự học
 DocType: POS Closing Voucher,Period End Date,Ngày kết thúc kỳ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,Thành phần đất không thêm đến 100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,Giảm giá
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,Hàng {0}: {1} là bắt buộc để tạo Hóa đơn mở {2}
 DocType: Membership,Membership,Thành viên
 DocType: Asset,Total Number of Depreciations,Tổng Số khấu hao
 DocType: Sales Invoice Item,Rate With Margin,Tỷ lệ chênh lệch
@@ -1637,7 +1647,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},Hãy xác định một ID Row hợp lệ cho {0} hàng trong bảng {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,Không thể tìm thấy biến:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,Vui lòng chọn một trường để chỉnh sửa từ numpad
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,Không thể là một mục tài sản cố định như Led Ledger được tạo ra.
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,Không thể là một mục tài sản cố định như Led Ledger được tạo ra.
 DocType: Subscription Plan,Fixed rate,Tỷ lệ cố định
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,Thừa nhận
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Tới màn h ình nền và bắt đầu sử dụng ERPNext
@@ -1671,7 +1681,7 @@
 DocType: Tax Rule,Shipping State,Vận Chuyển bang
 ,Projected Quantity as Source,Số lượng dự kiến như nguồn
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,Hàng hóa phải được bổ sung bằng cách sử dụng nút 'lấy hàng từ biên lai nhận hàng'
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,Giao hàng tận nơi
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,Giao hàng tận nơi
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,Loại Chuyển
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,Chi phí bán hàng
@@ -1684,8 +1694,9 @@
 DocType: Item Default,Default Selling Cost Center,Bộ phận chi phí bán hàng mặc định
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,Đĩa
 DocType: Buying Settings,Material Transferred for Subcontract,Tài liệu được chuyển giao cho hợp đồng phụ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Mã Bưu Chính
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},Đơn hàng {0} là {1}
+DocType: Email Digest,Purchase Orders Items Overdue,Các đơn hàng mua hàng quá hạn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,Mã Bưu Chính
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},Đơn hàng {0} là {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},Chọn tài khoản thu nhập lãi suất trong khoản vay {0}
 DocType: Opportunity,Contact Info,Thông tin Liên hệ
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,Làm Bút toán tồn kho
@@ -1698,12 +1709,12 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,Không thể lập hoá đơn cho giờ thanh toán bằng không
 DocType: Company,Date of Commencement,Ngày bắt đầu
 DocType: Sales Person,Select company name first.,Chọn tên công ty đầu tiên.
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},Email gửi đến {0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},Email gửi đến {0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Báo giá nhận được từ nhà cung cấp.
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Thay thế Hội đồng quản trị và cập nhật giá mới nhất trong tất cả các BOMs
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},Để {0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,Đây là nhóm nhà cung cấp gốc và không thể chỉnh sửa được.
-DocType: Delivery Trip,Driver Name,Tên tài xế
+DocType: Delivery Note,Driver Name,Tên tài xế
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,Tuổi trung bình
 DocType: Education Settings,Attendance Freeze Date,Ngày đóng băng
 DocType: Education Settings,Attendance Freeze Date,Ngày đóng băng
@@ -1716,7 +1727,7 @@
 DocType: Company,Parent Company,Công ty mẹ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},Khách sạn Các loại {0} không có mặt trên {1}
 DocType: Healthcare Practitioner,Default Currency,Mặc định tệ
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,Giảm giá tối đa cho Mặt hàng {0} là {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,Giảm giá tối đa cho Mặt hàng {0} là {1}%
 DocType: Asset Movement,From Employee,Từ nhân viên
 DocType: Driver,Cellphone Number,Số điện thoại di động
 DocType: Project,Monitor Progress,Theo dõi tiến độ
@@ -1732,19 +1743,20 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},Số lượng phải nhỏ hơn hoặc bằng {0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},Số tiền tối đa đủ điều kiện cho thành phần {0} vượt quá {1}
 DocType: Department Approver,Department Approver,Bộ phê duyệt
+DocType: QuickBooks Migrator,Application Settings,Cài đặt ứng dụng
 DocType: SMS Center,Total Characters,Tổng số chữ
 DocType: Employee Advance,Claimed,Đã yêu cầu
 DocType: Crop,Row Spacing,Khoảng cách hàng
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},Vui lòng chọn BOM BOM trong lĩnh vực cho hàng {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},Vui lòng chọn BOM BOM trong lĩnh vực cho hàng {0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,Không có bất kỳ biến thể nào cho mặt hàng đã chọn
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form hóa đơn chi tiết
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Hóa đơn hòa giải thanh toán
 DocType: Clinical Procedure,Procedure Template,Mẫu thủ tục
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,Đóng góp%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Theo các cài đặt mua bán, nếu đơn đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng,   người dùng cần phải tạo lập hóa đơn mua hàng đầu tiên cho danh mục {0}"
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,Đóng góp%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Theo các cài đặt mua bán, nếu đơn đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng,   người dùng cần phải tạo lập hóa đơn mua hàng đầu tiên cho danh mục {0}"
 ,HSN-wise-summary of outward supplies,HSN-wise-tóm tắt các nguồn cung cấp bên ngoài
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Số đăng ký công ty để bạn tham khảo. Số thuế vv
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,Đến tiểu bang
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,Đến tiểu bang
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,Nhà phân phối
 DocType: Asset Finance Book,Asset Finance Book,Tài chính tài sản
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Quy tắc vận chuyển giỏ hàng mua sắm
@@ -1753,7 +1765,7 @@
 ,Ordered Items To Be Billed,Các mặt hàng đã đặt hàng phải được thanh toán
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Từ Phạm vi có thể ít hơn Để Phạm vi
 DocType: Global Defaults,Global Defaults,Mặc định toàn cầu
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,Lời mời hợp tác dự án
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,Lời mời hợp tác dự án
 DocType: Salary Slip,Deductions,Các khoản giảm trừ
 DocType: Setup Progress Action,Action Name,Tên hành động
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,Năm bắt đầu
@@ -1767,11 +1779,12 @@
 DocType: Lead,Consultant,Tư vấn
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,Phụ huynh tham dự buổi họp của phụ huynh
 DocType: Salary Slip,Earnings,Thu nhập
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,Hoàn thành mục {0} phải được nhập cho loại Sản xuất nhập cảnh
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,Hoàn thành mục {0} phải được nhập cho loại Sản xuất nhập cảnh
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Mở cân đối kế toán
 ,GST Sales Register,Đăng ký mua GST
 DocType: Sales Invoice Advance,Sales Invoice Advance,Hóa đơn bán hàng trước
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,Không có gì để yêu cầu
+DocType: Stock Settings,Default Return Warehouse,Kho trả về mặc định
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,Chọn tên miền của bạn
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Nhà cung cấp Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Mục hóa đơn thanh toán
@@ -1780,15 +1793,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Các trường sẽ được sao chép chỉ trong thời gian tạo ra.
 DocType: Setup Progress Action,Domains,Tên miền
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date','Ngày Bắt đầu Thực tế' không thể sau 'Ngày Kết thúc Thực tế'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,Quản lý
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,Quản lý
 DocType: Cheque Print Template,Payer Settings,Cài đặt người trả tiền
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,Không tìm thấy yêu cầu vật liệu đang chờ xử lý nào để liên kết cho các mục nhất định.
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,Chọn công ty trước
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Điều này sẽ được nối thêm vào các mã hàng của các biến thể. Ví dụ, nếu bạn viết tắt là ""SM"", và các mã hàng là ""T-shirt"", các mã hàng của các biến thể sẽ là ""T-shirt-SM"""
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Tiền thực phải trả (bằng chữ) sẽ hiện ra khi bạn lưu bảng lương
 DocType: Delivery Note,Is Return,Là trả lại
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,Cảnh cáo
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',Ngày bắt đầu lớn hơn ngày kết thúc trong tác vụ &#39;{0}&#39;
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,Trả về /Ghi chú nợ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,Trả về /Ghi chú nợ
 DocType: Price List Country,Price List Country,Giá Danh sách Country
 DocType: Item,UOMs,UOMs
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0} Các dãy số hợp lệ cho vật liệu {1}
@@ -1801,13 +1815,13 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,Cấp thông tin.
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Cơ sở dữ liệu nhà cung cấp.
 DocType: Contract Template,Contract Terms and Conditions,Điều khoản và điều kiện hợp đồng
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,Bạn không thể khởi động lại Đăng ký không bị hủy.
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,Bạn không thể khởi động lại Đăng ký không bị hủy.
 DocType: Account,Balance Sheet,Bảng Cân đối kế toán
 DocType: Leave Type,Is Earned Leave,Được nghỉ phép
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',Cost Center For Item with Item Code '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',Cost Center For Item with Item Code '
 DocType: Fee Validity,Valid Till,Hợp lệ đến
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Tổng số Phụ huynh Họp
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Chế độ thanh toán không đượcđịnh hình. Vui lòng kiểm tra, dù tài khoản đã được thiết lập trên chế độ thanh toán hoặc trên hồ sơ POS"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Chế độ thanh toán không đượcđịnh hình. Vui lòng kiểm tra, dù tài khoản đã được thiết lập trên chế độ thanh toán hoặc trên hồ sơ POS"
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Cùng mục không thể được nhập nhiều lần.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups","Các tài khoản khác có thể tiếp tục đượctạo ra theo nhóm, nhưng các bút toán có thể được thực hiện đối với các nhóm không tồn tại"
 DocType: Lead,Lead,Tiềm năng
@@ -1816,11 +1830,13 @@
 DocType: Amazon MWS Settings,MWS Auth Token,Mã xác thực MWS
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,Bút toán hàng tồn kho {0} đã tạo
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,Bạn không có Điểm trung thành đủ để đổi
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,Hàng # {0}: Bị từ chối Số lượng không thể được nhập vào Hàng trả lại
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},Vui lòng đặt tài khoản được liên kết trong Danh mục khấu trừ thuế {0} đối với Công ty {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,Hàng # {0}: Bị từ chối Số lượng không thể được nhập vào Hàng trả lại
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,Thay đổi Nhóm Khách hàng cho Khách hàng đã Chọn không được phép.
 ,Purchase Order Items To Be Billed,Các mẫu hóa đơn mua hàng được lập hóa đơn
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,Đang cập nhật thời gian đến dự kiến.
 DocType: Program Enrollment Tool,Enrollment Details,Chi tiết đăng ký
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,Không thể đặt nhiều Giá trị Mặc định cho một công ty.
 DocType: Purchase Invoice Item,Net Rate,Tỷ giá thuần
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,Vui lòng chọn một khách hàng
 DocType: Leave Policy,Leave Allocations,Để lại phân bổ
@@ -1851,7 +1867,7 @@
 DocType: Loan Application,Repayment Info,Thông tin thanh toán
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,"""Bút toán"" không thể để trống"
 DocType: Maintenance Team Member,Maintenance Role,Vai trò Bảo trì
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},Hàng trùng lặp {0} với cùng {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},Hàng trùng lặp {0} với cùng {1}
 DocType: Marketplace Settings,Disable Marketplace,Vô hiệu hóa Marketplace
 ,Trial Balance,số dư thử nghiệm
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,Năm tài chính {0} không tìm thấy
@@ -1862,9 +1878,9 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,Cài đặt đăng ký
 DocType: Purchase Invoice,Update Auto Repeat Reference,Cập nhật tham chiếu tự động lặp lại
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},Danh sách khách sạn tùy chọn không được đặt cho khoảng thời gian nghỉ {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},Danh sách khách sạn tùy chọn không được đặt cho khoảng thời gian nghỉ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,Nghiên cứu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,Đến địa chỉ 2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,Đến địa chỉ 2
 DocType: Maintenance Visit Purpose,Work Done,Xong công việc
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,Xin vui lòng ghi rõ ít nhất một thuộc tính trong bảng thuộc tính
 DocType: Announcement,All Students,Tất cả học sinh
@@ -1874,16 +1890,16 @@
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,Giao dịch hòa giải
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,Sớm nhất
 DocType: Crop Cycle,Linked Location,Vị trí được liên kết
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group","Một mục Nhóm tồn tại với cùng một tên, hãy thay đổi tên mục hoặc đổi tên nhóm mặt hàng"
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"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"
 DocType: Crop Cycle,Less than a year,Chưa đầy một năm
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Sinh viên Điện thoại di động số
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,Phần còn lại của Thế giới
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,Phần còn lại của Thế giới
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Mẫu hàng {0} không thể theo lô
 DocType: Crop,Yield UOM,Yield UOM
 ,Budget Variance Report,Báo cáo chênh lệch ngân sách
 DocType: Salary Slip,Gross Pay,Tổng trả
 DocType: Item,Is Item from Hub,Mục từ Hub
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,Nhận các mặt hàng từ dịch vụ chăm sóc sức khỏe
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,Nhận các mặt hàng từ dịch vụ chăm sóc sức khỏe
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,Dãy {0}: Loại hoạt động là bắt buộc.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,Cổ tức trả tiền
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,Sổ cái hạch toán
@@ -1898,6 +1914,7 @@
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,Chế độ thanh toán
 DocType: Purchase Invoice,Supplied Items,Hàng đã cung cấp
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},Vui lòng đặt một menu hoạt động cho Nhà hàng {0}
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,Tỷ lệ hoa hồng%
 DocType: Work Order,Qty To Manufacture,Số lượng Để sản xuất
 DocType: Email Digest,New Income,thu nhập mới
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,Duy trì tỷ giá giống nhau suốt chu kỳ mua bán
@@ -1912,12 +1929,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},Đinh giá phải có cho mục ở hàng {0}
 DocType: Supplier Scorecard,Scorecard Actions,Hành động Thẻ điểm
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,Ví dụ: Thạc sĩ Khoa học Máy tính
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},Nhà cung cấp {0} không được tìm thấy trong {1}
 DocType: Purchase Invoice,Rejected Warehouse,Kho chứa hàng mua bị từ chối
 DocType: GL Entry,Against Voucher,Chống lại Voucher
 DocType: Item Default,Default Buying Cost Center,Bộ phận Chi phí mua hàng mặc định
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Để dùng ERPNext một cách hiệu quả nhất, chúng tôi khuyên bạn nên bỏ chút thời gian xem những đoạn video này"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),Đối với Nhà cung cấp mặc định (tùy chọn)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,đến
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),Đối với Nhà cung cấp mặc định (tùy chọn)
 DocType: Supplier Quotation Item,Lead Time in days,Thời gian Tiềm năng theo ngày
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,Sơ lược các tài khoản phải trả
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},Không được phép chỉnh sửa tài khoản đóng băng {0}
@@ -1926,7 +1943,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,Cảnh báo cho Yêu cầu Báo giá Mới
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,đơn đặt hàng giúp bạn lập kế hoạch và theo dõi mua hàng của bạn
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,Lab Test Prescriptions
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",Tổng khối lượng phát hành / Chuyển {0} trong Chất liệu Yêu cầu {1} \ không thể nhiều hơn số lượng yêu cầu {2} cho mục {3}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,Nhỏ
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order","Nếu Shopify không chứa khách hàng trong Đơn đặt hàng, sau đó trong khi đồng bộ hóa Đơn đặt hàng, hệ thống sẽ xem xét khách hàng mặc định cho đơn đặt hàng"
@@ -1938,6 +1955,7 @@
 DocType: Project,% Completed,% Hoàn thành
 ,Invoiced Amount (Exculsive Tax),Số tiền ghi trên hóa đơn (thuế độc quyền )
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Khoản 2
+DocType: QuickBooks Migrator,Authorization Endpoint,Điểm cuối ủy quyền
 DocType: Travel Request,International,Quốc tế
 DocType: Training Event,Training Event,Sự kiện Đào tạo
 DocType: Item,Auto re-order,Auto lại trật tự
@@ -1946,24 +1964,24 @@
 DocType: Contract,Contract,hợp đồng
 DocType: Plant Analysis,Laboratory Testing Datetime,Thử nghiệm phòng thí nghiệm Datetime
 DocType: Email Digest,Add Quote,Thêm Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},Yếu tố cần thiết cho coversion UOM UOM: {0} trong Item: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},Yếu tố cần thiết cho coversion UOM UOM: {0} trong Item: {1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,Chi phí gián tiếp
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,Hàng {0}: Số lượng là bắt buộc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,Hàng {0}: Số lượng là bắt buộc
 DocType: Agriculture Analysis Criteria,Agriculture,Nông nghiệp
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,Tạo Đơn đặt hàng
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,Nhập kế toán cho tài sản
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,Chặn hóa đơn
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,Nhập kế toán cho tài sản
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,Chặn hóa đơn
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,Số lượng cần làm
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,Dữ liệu Sync Thạc sĩ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,Dữ liệu Sync Thạc sĩ
 DocType: Asset Repair,Repair Cost,chi phí sửa chữa
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,Sản phẩm hoặc dịch vụ của bạn
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,Đăng nhập thất bại
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,Đã tạo nội dung {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,Đã tạo nội dung {0}
 DocType: Special Test Items,Special Test Items,Các bài kiểm tra đặc biệt
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Bạn cần phải là người dùng có vai trò Quản lý hệ thống và Trình quản lý mặt hàng để đăng ký trên Marketplace.
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,Hình thức thanh toán
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,"Theo Cơ cấu tiền lương được chỉ định của bạn, bạn không thể nộp đơn xin trợ cấp"
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,Hình ảnh website phải là một tập tin công cộng hoặc URL của trang web
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,Hình ảnh website phải là một tập tin công cộng hoặc URL của trang web
 DocType: Purchase Invoice Item,BOM,BOM
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,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.
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,Hợp nhất
@@ -1972,7 +1990,8 @@
 DocType: Warehouse,Warehouse Contact Info,Kho Thông tin Liên hệ
 DocType: Payment Entry,Write Off Difference Amount,Viết Tắt Chênh lệch Số tiền
 DocType: Volunteer,Volunteer Name,Tên tình nguyện viên
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}: không tìm thấy email của nhân viên. do đó không gửi được email
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},Hàng có ngày hoàn thành trùng lặp trong các hàng khác đã được tìm thấy: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}: không tìm thấy email của nhân viên. do đó không gửi được email
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},Không có cấu trúc lương nào được giao cho nhân viên {0} vào ngày cụ thể {1}
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},Quy tắc gửi hàng không áp dụng cho quốc gia {0}
 DocType: Item,Foreign Trade Details,Chi tiết Ngoại thương
@@ -1980,17 +1999,17 @@
 DocType: Email Digest,Annual Income,Thu nhập hàng năm
 DocType: Serial No,Serial No Details,Không có chi tiết nối tiếp
 DocType: Purchase Invoice Item,Item Tax Rate,Tỷ giá thuế mẫu hàng
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,Từ Tên Bên
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,Từ Tên Bên
 DocType: Student Group Student,Group Roll Number,Số cuộn nhóm
 DocType: Student Group Student,Group Roll Number,Số cuộn nhóm
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry","Đối với {0}, tài khoản tín dụng chỉ có thể được liên kết chống lại mục nợ khác"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,Phiếu giao hàng {0} không được ghi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,Phiếu giao hàng {0} không được ghi
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,Mục {0} phải là một mục phụ ký hợp đồng
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,Thiết bị vốn
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Luật giá được lựa chọn đầu tiên dựa vào trường ""áp dụng vào"", có thể trở thành mẫu hàng, nhóm mẫu hàng, hoặc nhãn hiệu."
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,Vui lòng đặt mã mục đầu tiên
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,Loại doc
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,Tổng tỷ lệ phần trăm phân bổ cho đội ngũ bán hàng nên được 100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,Loại doc
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,Tổng tỷ lệ phần trăm phân bổ cho đội ngũ bán hàng nên được 100
 DocType: Subscription Plan,Billing Interval Count,Số lượng khoảng thời gian thanh toán
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,Các cuộc hẹn và cuộc gặp gỡ bệnh nhân
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,Thiếu giá trị
@@ -2004,6 +2023,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Tạo Format In
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,Phí tạo
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Không tìm thấy mục nào có tên là {0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,Bộ lọc mục
 DocType: Supplier Scorecard Criteria,Criteria Formula,Tiêu chuẩn Công thức
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Tổng số đầu ra
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"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"""
@@ -2012,14 +2032,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number","Đối với một mặt hàng {0}, số lượng phải là số dương"
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Lưu ý: Trung tâm chi phí này là 1 nhóm. Không thể tạo ra bút toán kế toán với các nhóm này
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,Ngày yêu cầu nghỉ phép không có ngày nghỉ hợp lệ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,kho con tồn tại cho nhà kho này. Bạn không thể xóa nhà kho này.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,kho con tồn tại cho nhà kho này. Bạn không thể xóa nhà kho này.
 DocType: Item,Website Item Groups,Các Nhóm mục website
 DocType: Purchase Invoice,Total (Company Currency),Tổng số (Tiền công ty )
 DocType: Daily Work Summary Group,Reminder,Nhắc nhở
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,Giá trị có thể truy cập
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,Giá trị có thể truy cập
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,Nối tiếp số {0} vào nhiều hơn một lần
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,Bút toán nhật ký
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,Từ GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,Từ GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,Số tiền chưa được xác nhận
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0} mục trong tiến trình
 DocType: Workstation,Workstation Name,Tên máy trạm
@@ -2027,7 +2047,7 @@
 DocType: POS Item Group,POS Item Group,Nhóm POS
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,Mục thay thế không được giống với mã mục
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0} không thuộc mục {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0} không thuộc mục {1}
 DocType: Sales Partner,Target Distribution,phân bổ mục tiêu
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-Tổng kết Đánh giá tạm thời
 DocType: Salary Slip,Bank Account No.,Tài khoản ngân hàng số
@@ -2036,7 +2056,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ","Các biến số thẻ điểm có thể được sử dụng, cũng như: {total_score} (tổng số điểm từ thời kỳ đó), {period_number} (số khoảng thời gian đến ngày nay)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,Thu gọn tất cả
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,Thu gọn tất cả
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,Tạo đơn đặt hàng
 DocType: Quality Inspection Reading,Reading 8,Đọc 8
 DocType: Inpatient Record,Discharge Note,Lưu ý xả
@@ -2053,7 +2073,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,Để lại đặc quyền
 DocType: Purchase Invoice,Supplier Invoice Date,Nhà cung cấp hóa đơn ngày
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,Giá trị này được sử dụng để tính tỷ lệ pro-rata temporis
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Bạn cần phải kích hoạt  mô đun Giỏ hàng
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,Bạn cần phải kích hoạt  mô đun Giỏ hàng
 DocType: Payment Entry,Writeoff,Xóa sổ
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,Đặt tên Tiền tố Dòng
@@ -2068,11 +2088,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,Điều kiện chồng chéo tìm thấy giữa:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,Chống Journal nhập {0} đã được điều chỉnh đối với một số chứng từ khác
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Tổng giá trị theo thứ tự
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Thực phẩm
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,Thực phẩm
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,Phạm vi Ageing 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Chi tiết phiếu thưởng đóng POS
 DocType: Shopify Log,Shopify Log,Nhật ký Shopify
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vui lòng đặt Hàng loạt Đặt tên cho {0} thông qua Thiết lập&gt; Cài đặt&gt; Hàng loạt Đặt tên
 DocType: Inpatient Occupancy,Check In,Đăng ký vào
 DocType: Maintenance Schedule Item,No of Visits,Số lần thăm
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Lịch bảo trì {0} tồn tại với {0}
@@ -2112,6 +2131,7 @@
 DocType: Salary Structure,Max Benefits (Amount),Lợi ích tối đa (Số tiền)
 DocType: Purchase Invoice,Contact Person,Người Liên hệ
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date','Ngày Bắt đầu Dự kiến' không a  thể sau 'Ngày Kết thúc Dự kiến'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,Không có dữ liệu cho giai đoạn này
 DocType: Course Scheduling Tool,Course End Date,Khóa học Ngày kết thúc
 DocType: Holiday List,Holidays,Ngày lễ
 DocType: Sales Order Item,Planned Quantity,Số lượng dự kiến
@@ -2123,7 +2143,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,Chênh lệch giá tịnh  trong Tài sản cố định
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,Reqd Qty
 DocType: Leave Control Panel,Leave blank if considered for all designations,Để trống nếu xem xét tất cả các chỉ định
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Phí của loại 'thực tế' {0} hàng không có thể được bao gồm trong mục Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Phí của loại 'thực tế' {0} hàng không có thể được bao gồm trong mục Rate
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},Tối đa: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Từ Datetime
 DocType: Shopify Settings,For Company,Đối với công ty
@@ -2136,9 +2156,9 @@
 DocType: Material Request,Terms and Conditions Content,Điều khoản và Điều kiện nội dung
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,Có lỗi khi tạo Lịch học
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,Người phê duyệt chi phí đầu tiên trong danh sách sẽ được đặt làm Công cụ phê duyệt chi phí mặc định.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,không có thể lớn hơn 100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,không có thể lớn hơn 100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,Bạn cần phải là người dùng không phải là Quản trị viên có vai trò Quản lý hệ thống và Trình quản lý mặt hàng để đăng ký trên Marketplace.
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,Mục {0} không phải là một cổ phiếu hàng
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,Mục {0} không phải là một cổ phiếu hàng
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,Đột xuất
 DocType: Employee,Owned,Sở hữu
@@ -2166,7 +2186,7 @@
 DocType: HR Settings,Employee Settings,Thiết lập nhân viên
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,Đang nạp hệ thống thanh toán
 ,Batch-Wise Balance History,lịch sử số dư theo từng đợt
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Hàng # {0}: Không thể đặt Tỷ lệ nếu số tiền lớn hơn số tiền được lập hóa đơn cho Mục {1}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,Hàng # {0}: Không thể đặt Tỷ lệ nếu số tiền lớn hơn số tiền được lập hóa đơn cho Mục {1}.
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,cài đặt máy in được cập nhật trong định dạng in tương ứng
 DocType: Package Code,Package Code,Mã gói
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,Người học việc
@@ -2174,7 +2194,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,Số lượng âm không được cho  phép
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",Bảng chi tiết thuế được lấy từ từ chủ mẫu hàng như một chuỗi và được lưu trữ tại mục này. Được sử dụng cho các loại thuế và chi phí
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,Nhân viên không thể báo cáo với chính mình.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,Nhân viên không thể báo cáo với chính mình.
 DocType: Leave Type,Max Leaves Allowed,Cho phép tối đa lá
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Nếu tài khoản bị đóng băng, các mục được phép sử dụng hạn chế."
 DocType: Email Digest,Bank Balance,số dư Ngân hàng
@@ -2200,6 +2220,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,Mục giao dịch ngân hàng
 DocType: Quality Inspection,Readings,Đọc
 DocType: Stock Entry,Total Additional Costs,Tổng chi phí bổ sung
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,Không có tương tác
 DocType: BOM,Scrap Material Cost(Company Currency),Phế liệu Chi phí (Công ty ngoại tệ)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,Phụ hội
 DocType: Asset,Asset Name,Tên tài sản
@@ -2207,10 +2228,10 @@
 DocType: Shipping Rule Condition,To Value,Tới giá trị
 DocType: Loyalty Program,Loyalty Program Type,Loại chương trình khách hàng thân thiết
 DocType: Asset Movement,Stock Manager,Quản lý kho hàng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},Kho nguồn là bắt buộc đối với hàng {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},Kho nguồn là bắt buộc đối với hàng {0}
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,Thời hạn thanh toán ở hàng {0} có thể trùng lặp.
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),Nông nghiệp (beta)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,Bảng đóng gói
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,Bảng đóng gói
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,Thuê văn phòng
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,Cài đặt thiết lập cổng SMS
 DocType: Disease,Common Name,Tên gọi chung
@@ -2242,20 +2263,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,Gửi mail bảng lương tới nhân viên
 DocType: Cost Center,Parent Cost Center,Trung tâm chi phí gốc
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,Chọn thể Nhà cung cấp
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,Chọn thể Nhà cung cấp
 DocType: Sales Invoice,Source,Nguồn
 DocType: Customer,"Select, to make the customer searchable with these fields","Chọn, để làm cho khách hàng tìm kiếm được với các trường này"
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Ghi chú giao hàng nhập khẩu từ Shopify về lô hàng
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Hiển thị đã đóng
 DocType: Leave Type,Is Leave Without Pay,là rời đi mà không trả
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,Asset loại là bắt buộc cho mục tài sản cố định
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,Asset loại là bắt buộc cho mục tài sản cố định
 DocType: Fee Validity,Fee Validity,Tính lệ phí
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,Không có bản ghi được tìm thấy trong bảng thanh toán
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},{0} xung đột với {1} cho {2} {3}
 DocType: Student Attendance Tool,Students HTML,Học sinh HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Vui lòng xóa nhân viên <a href=""#Form/Employee/{0}"">{0}</a> \ để hủy tài liệu này"
 DocType: POS Profile,Apply Discount,Áp dụng giảm giá
 DocType: GST HSN Code,GST HSN Code,mã GST HSN
 DocType: Employee External Work History,Total Experience,Kinh nghiệm tổng thể
@@ -2278,10 +2296,10 @@
 DocType: Maintenance Schedule,Schedules,Lịch
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,Cần phải có Hồ sơ POS để sử dụng Điểm bán hàng
 DocType: Cashier Closing,Net Amount,Số lượng tịnh
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
 DocType: Purchase Order Item Supplied,BOM Detail No,số hiệu BOM chi tiết
 DocType: Landed Cost Voucher,Additional Charges,Phí bổ sung
 DocType: Support Search Source,Result Route Field,Trường đường kết quả
@@ -2310,11 +2328,11 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,Hóa đơn mở
 DocType: Contract,Contract Details,Chi tiết hợp đồng
 DocType: Employee,Leave Details,Để lại chi tiết
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,Hãy thiết lập trường ID người dùng trong một hồ sơ nhân viên để thiết lập nhân viên Role
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,Hãy thiết lập trường ID người dùng trong một hồ sơ nhân viên để thiết lập nhân viên Role
 DocType: UOM,UOM Name,Tên Đơn vị tính
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,Để giải quyết 1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,Để giải quyết 1
 DocType: GST HSN Code,HSN Code,Mã HSN
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,Số tiền đóng góp
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,Số tiền đóng góp
 DocType: Inpatient Record,Patient Encounter,Bệnh nhân gặp
 DocType: Purchase Invoice,Shipping Address,Địa chỉ giao hàng
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Công cụ này sẽ giúp bạn cập nhật hoặc ấn định số lượng và giá trị của cổ phiếu trong hệ thống. Nó thường được sử dụng để đồng bộ hóa các giá trị hệ thống và những gì thực sự tồn tại trong kho của bạn.
@@ -2331,9 +2349,9 @@
 DocType: Travel Itinerary,Mode of Travel,Phương thức du lịch
 DocType: Sales Invoice Item,Brand Name,Tên nhãn hàng
 DocType: Purchase Receipt,Transporter Details,Chi tiết người vận chuyển
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,Mặc định kho là cần thiết cho mục đã chọn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,Mặc định kho là cần thiết cho mục đã chọn
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,hộp
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,Nhà cung cấp có thể
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,Nhà cung cấp có thể
 DocType: Budget,Monthly Distribution,Phân phối hàng tháng
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Danh sách người nhận có sản phẩm nào. Hãy tạo nhận Danh sách
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),Chăm sóc sức khoẻ (beta)
@@ -2355,6 +2373,7 @@
 ,Lead Name,Tên Tiềm năng
 ,POS,Điểm bán hàng
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,Khảo sát
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,Số dư tồn kho đầu kỳ
 DocType: Asset Category Account,Capital Work In Progress Account,Tài khoản tiến độ công việc
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,Điều chỉnh giá trị nội dung
@@ -2363,7 +2382,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Các di dời  được phân bổ thành công cho {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,Không có mẫu hàng để đóng gói
 DocType: Shipping Rule Condition,From Value,Từ giá trị gia tăng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,Số lượng sản xuất là bắt buộc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,Số lượng sản xuất là bắt buộc
 DocType: Loan,Repayment Method,Phương pháp trả nợ
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nếu được kiểm tra, trang chủ sẽ là mặc định mục Nhóm cho trang web"
 DocType: Quality Inspection Reading,Reading 4,Đọc 4
@@ -2388,7 +2407,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,Nhân viên giới thiệu
 DocType: Student Group,Set 0 for no limit,Đặt 0 để không giới hạn
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Ngày (s) mà bạn đang nộp đơn xin nghỉ phép là ngày nghỉ. Bạn không cần phải nộp đơn xin nghỉ phép.
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,Hàng {idx}: {field} là bắt buộc để tạo Hóa đơn mở {invoice_type}
 DocType: Customer,Primary Address and Contact Detail,Chi tiết Địa chỉ và Chi tiết Liên hệ chính
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,Gửi lại Email Thanh toán
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nhiệm vụ mới
@@ -2398,8 +2416,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,Vui lòng chọn ít nhất một tên miền.
 DocType: Dependent Task,Dependent Task,Nhiệm vụ phụ thuộc
 DocType: Shopify Settings,Shopify Tax Account,Shopify tài khoản thuế
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},Yếu tố chuyển đổi cho Đơn vị đo mặc định phải là 1 trong hàng {0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},Rời khỏi loại {0} không thể dài hơn {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},Yếu tố chuyển đổi cho Đơn vị đo mặc định phải là 1 trong hàng {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},Rời khỏi loại {0} không thể dài hơn {1}
 DocType: Delivery Trip,Optimize Route,Tuyến đường tối ưu hóa
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,Hãy thử lên kế hoạch hoạt động cho ngày X trước.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2408,14 +2426,14 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},Hãy thiết lập mặc định Account Payable lương tại Công ty {0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,Nhận phân tích tài chính về thuế và phí dữ liệu của Amazon
 DocType: SMS Center,Receiver List,Danh sách người nhận
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,Tìm hàng
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,Tìm hàng
 DocType: Payment Schedule,Payment Amount,Số tiền thanh toán
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,Ngày Nửa Ngày phải ở giữa Ngày Làm Việc Từ Ngày và Ngày Kết Thúc Công Việc
 DocType: Healthcare Settings,Healthcare Service Items,Dịch vụ chăm sóc sức khỏe
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,Số tiền được tiêu thụ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,Chênh lệch giá tịnh trong tiền mặt
 DocType: Assessment Plan,Grading Scale,Phân loại
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Đơn vị đo lường {0} đã được nhập vào nhiều hơn một lần trong Bảng yếu tổ chuyển đổi
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Đơn vị đo lường {0} đã được nhập vào nhiều hơn một lần trong Bảng yếu tổ chuyển đổi
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,Đã hoàn thành
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,Hàng có sẵn
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2438,25 +2456,25 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,Không nối tiếp {0} {1} số lượng không thể là một phần nhỏ
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,Vui lòng nhập URL của Máy chủ Woocommerce
 DocType: Purchase Order Item,Supplier Part Number,Mã số của Nhà cung cấp
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,Tỷ lệ chuyển đổi không thể là 0 hoặc 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,Tỷ lệ chuyển đổi không thể là 0 hoặc 1
 DocType: Share Balance,To No,Đến Không
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,Tất cả nhiệm vụ bắt buộc cho việc tạo nhân viên chưa được thực hiện.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1} đã huỷ bỏ hoặc đã dừng
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1} đã huỷ bỏ hoặc đã dừng
 DocType: Accounts Settings,Credit Controller,Bộ điều khiển tín dụng
 DocType: Loan,Applicant Type,Loại người nộp đơn
 DocType: Purchase Invoice,03-Deficiency in services,03-Thiếu dịch vụ
 DocType: Healthcare Settings,Default Medical Code Standard,Tiêu chuẩn Mã y tế Mặc định
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,Biên lai nhận hàng {0} chưa được gửi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,Biên lai nhận hàng {0} chưa được gửi
 DocType: Company,Default Payable Account,Mặc định Account Payable
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Cài đặt cho các giỏ hàng mua sắm trực tuyến chẳng hạn như các quy tắc vận chuyển, bảng giá, vv"
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% hóa đơn đã lập
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Số lượng dự trữ
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,Số lượng dự trữ
 DocType: Party Account,Party Account,Tài khoản của bên đối tác
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,Vui lòng chọn Công ty và Chỉ định
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,Nhân sự
-DocType: Lead,Upper Income,Thu nhập trên
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,Thu nhập trên
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,Từ chối
 DocType: Journal Entry Account,Debit in Company Currency,Nợ Công ty ngoại tệ
 DocType: BOM Item,BOM Item,Mục BOM
@@ -2473,7 +2491,7 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",Số lần mở công việc để chỉ định {0} đã mở \ hoặc thuê hoàn thành theo Kế hoạch nhân sự {1}
 DocType: Vital Signs,Constipated,Bị ràng buộc
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},Gắn với hóa đơn NCC {0} ngày {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},Gắn với hóa đơn NCC {0} ngày {1}
 DocType: Customer,Default Price List,Mặc định Giá liệt kê
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,kỷ lục Phong trào Asset {0} đã tạo
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,Không tìm thấy vật nào.
@@ -2489,17 +2507,18 @@
 DocType: Journal Entry,Entry Type,Loại mục
 ,Customer Credit Balance,số dư tín dụng của khách hàng
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,Chênh lệch giá tịnh trong tài khoản phải trả
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),Hạn mức tín dụng đã được gạch chéo cho khách hàng {0} ({1} / {2})
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vui lòng đặt Hàng loạt Đặt tên cho {0} thông qua Thiết lập&gt; Cài đặt&gt; Hàng loạt Đặt tên
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),Hạn mức tín dụng đã được gạch chéo cho khách hàng {0} ({1} / {2})
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Khách hàng phải có cho 'Giảm giá phù hợp KH """
 apps/erpnext/erpnext/config/accounts.py +163,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í.
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Vật giá
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,Vật giá
 DocType: Quotation,Term Details,Chi tiết điều khoản
 DocType: Employee Incentive,Employee Incentive,Khuyến khích nhân viên
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Không thể ghi danh hơn {0} sinh viên cho nhóm sinh viên này.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),Tổng (Không Thuế)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Đếm Tiềm năng
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Đếm Tiềm năng
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,Cổ phiếu có sẵn
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,Cổ phiếu có sẵn
 DocType: Manufacturing Settings,Capacity Planning For (Days),Năng lực Kế hoạch Đối với (Ngày)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Tạp vụ
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,Không có mẫu hàng nào thay đổi số lượng hoặc giá trị
@@ -2524,7 +2543,8 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Để lại và chấm công
 DocType: Asset,Comprehensive Insurance,Bảo hiểm toàn diện
 DocType: Maintenance Visit,Partially Completed,Một phần hoàn thành
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},Điểm trung thành: {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},Điểm trung thành: {0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,Thêm khách hàng tiềm năng
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,Độ nhạy trung bình
 DocType: Leave Type,Include holidays within leaves as leaves,Bao gồm các ngày lễ trong các lần nghỉ như là các lần nghỉ
 DocType: Loyalty Program,Redemption,chuộc lỗi
@@ -2558,7 +2578,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,Chi phí tiếp thị
 ,Item Shortage Report,Thiếu mục Báo cáo
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,Không thể tạo tiêu chuẩn chuẩn. Vui lòng đổi tên tiêu chí
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Trọng lượng được đề cập, \n Xin đề cập đến cả  ""Weight UOM"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Trọng lượng được đề cập, \n Xin đề cập đến cả  ""Weight UOM"""
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Phiếu NVL sử dụng để làm chứng từ nhập kho
 DocType: Hub User,Hub Password,Hub mật khẩu
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,Khóa học riêng biệt cho từng nhóm
@@ -2573,15 +2593,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),Thời gian bổ nhiệm (phút)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Thực hiện bút toán kế toán cho tất cả các chuyển động chứng khoán
 DocType: Leave Allocation,Total Leaves Allocated,Tổng số nghỉ phép được phân bố
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,Vui lòng nhập tài chính hợp lệ Năm Start và Ngày End
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,Vui lòng nhập tài chính hợp lệ Năm Start và Ngày End
 DocType: Employee,Date Of Retirement,Ngày nghỉ hưu
 DocType: Upload Attendance,Get Template,Nhận Mẫu
+,Sales Person Commission Summary,Tóm tắt Ủy ban Nhân viên bán hàng
 DocType: Additional Salary Component,Additional Salary Component,Thành phần lương bổ sung
 DocType: Material Request,Transferred,Đã được vận chuyển
 DocType: Vehicle,Doors,cửa ra vào
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext Hoàn tất thiết lập!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext Hoàn tất thiết lập!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,Thu Phí Đăng ký Bệnh nhân
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Không thể thay đổi Thuộc tính sau khi giao dịch chứng khoán. Tạo một khoản mới và chuyển cổ phiếu sang Mục mới
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,Không thể thay đổi Thuộc tính sau khi giao dịch chứng khoán. Tạo một khoản mới và chuyển cổ phiếu sang Mục mới
 DocType: Course Assessment Criteria,Weightage,Trọng lượng
 DocType: Purchase Invoice,Tax Breakup,Chia thuế
 DocType: Employee,Joining Details,Tham gia chi tiết
@@ -2609,14 +2630,15 @@
 DocType: Lead,Next Contact By,Liên hệ tiếp theo bằng
 DocType: Compensatory Leave Request,Compensatory Leave Request,Yêu cầu để lại đền bù
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},Số lượng cần thiết cho mục {0} trong hàng {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},Không xóa được Kho {0} vì vẫn còn {1} tồn kho
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Không xóa được Kho {0} vì vẫn còn {1} tồn kho
 DocType: Blanket Order,Order Type,Loại đặt hàng
 ,Item-wise Sales Register,Mẫu hàng - Đăng ký mua hàng thông minh
 DocType: Asset,Gross Purchase Amount,Tổng Chi phí mua hàng
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,Số dư mở
 DocType: Asset,Depreciation Method,Phương pháp Khấu hao
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Thuế này đã gồm trong giá gốc?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,Tổng số mục tiêu
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,Tổng số mục tiêu
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,Phân tích nhận thức
 DocType: Soil Texture,Sand Composition (%),Thành phần cát (%)
 DocType: Job Applicant,Applicant for a Job,Nộp đơn xin việc
 DocType: Production Plan Material Request,Production Plan Material Request,Sản xuất Kế hoạch Chất liệu Yêu cầu
@@ -2632,23 +2654,25 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),Đánh giá Đánh giá (Trong số 10)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Số di động Guardian2
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,Chính
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,Mục sau {0} không được đánh dấu là {1} mục. Bạn có thể bật chúng dưới dạng {1} mục từ chủ mục của nó
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,Biến thể
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number","Đối với một mặt hàng {0}, số lượng phải là số âm"
 DocType: Naming Series,Set prefix for numbering series on your transactions,Thiết lập tiền tố cho đánh số hàng loạt các giao dịch của bạn
 DocType: Employee Attendance Tool,Employees HTML,Nhân viên HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,BOM mặc định ({0}) phải được hoạt động cho mục này hoặc mẫu của mình
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,BOM mặc định ({0}) phải được hoạt động cho mục này hoặc mẫu của mình
 DocType: Employee,Leave Encashed?,Chi phiếu đã nhận ?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Cơ hội Từ lĩnh vực là bắt buộc
 DocType: Email Digest,Annual Expenses,Chi phí hàng năm
 DocType: Item,Variants,Biến thể
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,Đặt mua
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,Đặt mua
 DocType: SMS Center,Send To,Để gửi
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},Không có đủ số dư để lại cho Loại di dời {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},Không có đủ số dư để lại cho Loại di dời {0}
 DocType: Payment Reconciliation Payment,Allocated amount,Số lượng phân bổ
 DocType: Sales Team,Contribution to Net Total,Đóng góp cho tổng số
 DocType: Sales Invoice Item,Customer's Item Code,Mã hàng của khách hàng
 DocType: Stock Reconciliation,Stock Reconciliation,"Kiểm kê, chốt kho"
 DocType: Territory,Territory Name,Tên địa bàn
+DocType: Email Digest,Purchase Orders to Receive,Mua đơn đặt hàng để nhận
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,Kho xưởng đang trong tiến độ hoàn thành được là cần thiết trước khi duyệt
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,Bạn chỉ có thể có Gói với cùng chu kỳ thanh toán trong Đăng ký
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Dữ liệu được ánh xạ
@@ -2667,9 +2691,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},Trùng lặp số sê  ri đã nhập cho mẫu hàng {0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,Theo dõi theo Leads Nguồn.
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,1 điều kiện cho quy tắc giao hàng
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,Vui lòng nhập
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,Vui lòng nhập
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,Nhật ký bảo dưỡng
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,Xin hãy thiết lập bộ lọc dựa trên Item hoặc kho
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,Xin hãy thiết lập bộ lọc dựa trên Item hoặc kho
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Trọng lượng tịnh của gói này. (Tính toán tự động như tổng khối lượng tịnh của sản phẩm)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,Tạo mục nhập tạp chí của công ty Inter
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,Số tiền chiết khấu không được lớn hơn 100%
@@ -2678,15 +2702,15 @@
 DocType: Sales Order,To Deliver and Bill,Giao hàng và thanh toán
 DocType: Student Group,Instructors,Giảng viên
 DocType: GL Entry,Credit Amount in Account Currency,Số tiền trong tài khoản ngoại tệ tín dụng
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0} phải được đệ trình
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,Quản lý Chia sẻ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0} phải được đệ trình
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,Quản lý Chia sẻ
 DocType: Authorization Control,Authorization Control,Cho phép điều khiển
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Hàng  # {0}: Nhà Kho bị hủy là bắt buộc với mẫu hàng bị hủy {1}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,Thanh toán
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Hàng  # {0}: Nhà Kho bị hủy là bắt buộc với mẫu hàng bị hủy {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,Thanh toán
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.","Kho {0} không được liên kết tới bất kì tài khoản nào, vui lòng đề cập tới tài khoản trong bản ghi nhà kho hoặc thiết lập tài khoản kho mặc định trong công ty {1}"
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Quản lý đơn đặt hàng của bạn
 DocType: Work Order Operation,Actual Time and Cost,Thời gian và chi phí thực tế
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Phiếu đặt NVL  {0} có thể được thực hiện cho mục {1} đối với đơn đặt hàng {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Phiếu đặt NVL  {0} có thể được thực hiện cho mục {1} đối với đơn đặt hàng {2}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,Khoảng cách giữa cây trồng
 DocType: Course,Course Abbreviation,Tên viết tắt khóa học
@@ -2698,6 +2722,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},Tổng số giờ làm việc không nên lớn hơn so với giờ làm việc tối đa {0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Bật
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Gói mẫu hàng tại thời điểm bán.
+DocType: Delivery Settings,Dispatch Settings,Cài đặt công văn
 DocType: Material Request Plan Item,Actual Qty,Số lượng thực tế
 DocType: Sales Invoice Item,References,Tài liệu tham khảo
 DocType: Quality Inspection Reading,Reading 10,Đọc 10
@@ -2707,11 +2732,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Bạn đã nhập các mục trùng lặp. Xin khắc phục và thử lại.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,Liên kết
 DocType: Asset Movement,Asset Movement,Phong trào Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,Đơn hàng công việc {0} phải được nộp
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,Giỏ hàng mới
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,Đơn hàng công việc {0} phải được nộp
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,Giỏ hàng mới
 DocType: Taxable Salary Slab,From Amount,Từ số tiền
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Mục {0} không phải là một khoản đăng
 DocType: Leave Type,Encashment,Encashment
+DocType: Delivery Settings,Delivery Settings,Cài đặt phân phối
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,Tìm nạp dữ liệu
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},Thời gian nghỉ tối đa được phép trong loại nghỉ {0} là {1}
 DocType: SMS Center,Create Receiver List,Tạo ra nhận Danh sách
 DocType: Vehicle,Wheels,Các bánh xe
@@ -2727,7 +2754,7 @@
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,Đơn vị tiền tệ thanh toán phải bằng đơn vị tiền tệ của công ty mặc định hoặc tiền của tài khoản của bên thứ ba
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Chỉ ra rằng gói này một phần của việc phân phối (Chỉ bản nháp)
 DocType: Soil Texture,Loam,Tiếng ồn
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,Hàng {0}: Ngày hết hạn không thể trước ngày đăng
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,Hàng {0}: Ngày hết hạn không thể trước ngày đăng
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,Thực hiện thanh toán nhập
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},Số lượng cho hàng {0} phải nhỏ hơn {1}
 ,Sales Invoice Trends,Hóa đơn bán hàng Xu hướng
@@ -2735,12 +2762,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total'
 DocType: Sales Order Item,Delivery Warehouse,Kho nhận hàng
 DocType: Leave Type,Earned Leave Frequency,Tần suất rời đi
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,Cây biểu thị các trung tâm chi phí tài chính
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,Loại phụ
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,Cây biểu thị các trung tâm chi phí tài chính
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,Loại phụ
 DocType: Serial No,Delivery Document No,Giao văn bản số
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Đảm bảo phân phối dựa trên số sê-ri được sản xuất
 DocType: Vital Signs,Furry,Furry
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Hãy thiết lập &#39;Gain tài khoản / Mất Xử lý tài sản trong doanh nghiệp {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Hãy thiết lập &#39;Gain tài khoản / Mất Xử lý tài sản trong doanh nghiệp {0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Nhận mẫu hàng Từ biên nhận mua hàng
 DocType: Serial No,Creation Date,Ngày Khởi tạo
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},Vị trí mục tiêu là bắt buộc đối với nội dung {0}
@@ -2754,11 +2781,12 @@
 DocType: Item,Has Variants,Có biến thể
 DocType: Employee Benefit Claim,Claim Benefit For,Yêu cầu quyền lợi cho
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,Cập nhật phản hồi
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},Bạn đã chọn các mục từ {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},Bạn đã chọn các mục từ {0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,Tên phân phối hàng tháng
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ID hàng loạt là bắt buộc
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,ID hàng loạt là bắt buộc
 DocType: Sales Person,Parent Sales Person,Người bán hàng tổng
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,Không có mặt hàng nào được nhận là quá hạn
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,Người bán và người mua không thể giống nhau
 DocType: Project,Collect Progress,Thu thập tiến độ
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2774,7 +2802,7 @@
 DocType: Bank Guarantee,Margin Money,Tiền ký quỹ
 DocType: Budget,Budget,Ngân sách
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,Đặt Mở
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,Tài sản cố định mục phải là một mẫu hàng không tồn kho.
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,Tài sản cố định mục phải là một mẫu hàng không tồn kho.
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ngân sách không thể được chỉ định đối với {0}, vì nó không phải là một tài khoản thu nhập hoặc phí tổn"
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},Số tiền miễn tối đa cho {0} là {1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Đạt được
@@ -2792,9 +2820,9 @@
 ,Amount to Deliver,Số tiền để Cung cấp
 DocType: Asset,Insurance Start Date,Ngày bắt đầu bảo hiểm
 DocType: Salary Component,Flexible Benefits,Lợi ích linh hoạt
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},Cùng một mục đã được nhập nhiều lần. {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},Cùng một mục đã được nhập nhiều lần. {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Ngày bắt đầu hạn không thể sớm hơn Ngày Năm Bắt đầu của năm học mà điều khoản này được liên kết (Năm học{}). Xin vui lòng sửa ngày và thử lại.
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,Có một số lỗi.
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,Có một số lỗi.
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,Nhân viên {0} đã áp dụng cho {1} giữa {2} và {3}:
 DocType: Guardian,Guardian Interests,người giám hộ Sở thích
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,Cập nhật tên / số tài khoản
@@ -2834,9 +2862,9 @@
 ,Item-wise Purchase History,Mẫu hàng - lịch sử mua hàng thông minh
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,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 số seri  bổ sung cho hàng {0}
 DocType: Account,Frozen,Đông lạnh
-DocType: Delivery Note,Vehicle Type,Loại phương tiện
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,Loại phương tiện
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Số tiền cơ sở(Công ty ngoại tệ)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,Nguyên liệu thô
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,Nguyên liệu thô
 DocType: Payment Reconciliation Payment,Reference Row,dãy tham chiếu
 DocType: Installation Note,Installation Time,Thời gian cài đặt
 DocType: Sales Invoice,Accounting Details,Chi tiết hạch toán
@@ -2845,12 +2873,13 @@
 DocType: Inpatient Record,O Positive,O tích cực
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,Các khoản đầu tư
 DocType: Issue,Resolution Details,Chi tiết giải quyết
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,Loại giao dịch
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,Loại giao dịch
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Tiêu chí chấp nhận
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,Vui lòng nhập yêu cầu Chất liệu trong bảng trên
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,Không có khoản hoàn trả nào cho mục nhập nhật ký
 DocType: Hub Tracked Item,Image List,Danh sách hình ảnh
 DocType: Item Attribute,Attribute Name,Tên thuộc tính
+DocType: Subscription,Generate Invoice At Beginning Of Period,Tạo hóa đơn vào đầu kỳ
 DocType: BOM,Show In Website,Hiện Trong Website
 DocType: Loan Application,Total Payable Amount,Tổng số tiền phải nộp
 DocType: Task,Expected Time (in hours),Thời gian dự kiến (trong giờ)
@@ -2888,8 +2917,8 @@
 DocType: Employee,Resignation Letter Date,Ngày viết đơn nghỉ hưu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Nội quy định giá được tiếp tục lọc dựa trên số lượng.
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,Không đặt
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0}
 DocType: Inpatient Record,Discharge,Phóng điện
 DocType: Task,Total Billing Amount (via Time Sheet),Tổng số tiền thanh toán (thông qua Thời gian biểu)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Lặp lại Doanh thu khách hàng
@@ -2899,13 +2928,13 @@
 DocType: Chapter,Chapter,Chương
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,Đôi
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Tài khoản mặc định sẽ được tự động cập nhật trong Hóa đơn POS khi chế độ này được chọn.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,Chọn BOM và Số lượng cho sản xuất
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,Chọn BOM và Số lượng cho sản xuất
 DocType: Asset,Depreciation Schedule,Kế hoạch khấu hao
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Địa chỉ đối tác bán hàng và liên hệ
 DocType: Bank Reconciliation Detail,Against Account,Đối với tài khoản
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,"Kỳ hạn nửa ngày nên ở giữa mục ""từ ngày"" và ""tới ngày"""
 DocType: Maintenance Schedule Detail,Actual Date,Ngày thực tế
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,Vui lòng thiết lập Trung tâm chi phí mặc định trong {0} công ty.
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,Vui lòng thiết lập Trung tâm chi phí mặc định trong {0} công ty.
 DocType: Item,Has Batch No,Có hàng loạt Không
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},Thanh toán hàng năm: {0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Chi tiết
@@ -2917,7 +2946,7 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,Loại thay đổi
 DocType: Student,Personal Details,Thông tin chi tiết cá nhân
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},Hãy thiết lập &#39;Trung tâm Lưu Khấu hao chi phí trong doanh nghiệp {0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},Hãy thiết lập &#39;Trung tâm Lưu Khấu hao chi phí trong doanh nghiệp {0}
 ,Maintenance Schedules,Lịch bảo trì
 DocType: Task,Actual End Date (via Time Sheet),Ngày kết thúc thực tế (thông qua thời gian biểu)
 DocType: Soil Texture,Soil Type,Loại đất
@@ -2925,10 +2954,10 @@
 ,Quotation Trends,Các Xu hướng dự kê giá
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,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}
 DocType: GoCardless Mandate,GoCardless Mandate,Ủy quyền GoCard
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,tài khoản nợ phải nhận được tiền
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,tài khoản nợ phải nhận được tiền
 DocType: Shipping Rule,Shipping Amount,Số tiền vận chuyển
 DocType: Supplier Scorecard Period,Period Score,Điểm thời gian
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,Thêm khách hàng
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,Thêm khách hàng
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Số tiền cấp phát
 DocType: Lab Test Template,Special,Đặc biệt
 DocType: Loyalty Program,Conversion Factor,Yếu tố chuyển đổi
@@ -2945,7 +2974,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,Thêm Đầu giấy
 DocType: Program Enrollment,Self-Driving Vehicle,Phương tiện tự lái
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Nhà cung cấp thẻ điểm chấm điểm
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},Dãy {0}: Hóa đơn nguyên vật liệu không được tìm thấy cho mẫu hàng {1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},Dãy {0}: Hóa đơn nguyên vật liệu không được tìm thấy cho mẫu hàng {1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Tổng số di dời được phân bổ {0} không thể ít hơn so với  số di dời được phê duyệt {1} cho giai đoạn
 DocType: Contract Fulfilment Checklist,Requirement,Yêu cầu
 DocType: Journal Entry,Accounts Receivable,Tài khoản Phải thu
@@ -2962,16 +2991,16 @@
 DocType: Projects Settings,Timesheets,các bảng thời gian biẻu
 DocType: HR Settings,HR Settings,Thiết lập nhân sự
 DocType: Salary Slip,net pay info,thông tin tiền thực phải trả
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,Số tiền CESS
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,Số tiền CESS
 DocType: Woocommerce Settings,Enable Sync,Bật đồng bộ hóa
 DocType: Tax Withholding Rate,Single Transaction Threshold,Ngưỡng giao dịch đơn
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Giá trị này được cập nhật trong Bảng giá bán Mặc định.
 DocType: Email Digest,New Expenses,Chi phí mới
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,Số tiền PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,Số tiền PDC / LC
 DocType: Shareholder,Shareholder,Cổ đông
 DocType: Purchase Invoice,Additional Discount Amount,Thêm GIẢM Số tiền
 DocType: Cash Flow Mapper,Position,Chức vụ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,Nhận các mục từ Đơn thuốc
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,Nhận các mục từ Đơn thuốc
 DocType: Patient,Patient Details,Chi tiết Bệnh nhân
 DocType: Inpatient Record,B Positive,B dương tính
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2983,8 +3012,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,Nhóm Non-Group
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,Các môn thể thao
 DocType: Loan Type,Loan Name,Tên vay
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,Tổng số thực tế
-DocType: Lab Test UOM,Test UOM,Kiểm tra UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,Tổng số thực tế
 DocType: Student Siblings,Student Siblings,Anh chị em sinh viên
 DocType: Subscription Plan Detail,Subscription Plan Detail,Chi tiết gói đăng ký
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,Đơn vị
@@ -3012,7 +3040,6 @@
 DocType: Workstation,Wages per hour,Tiền lương mỗi giờ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Số tồn kho in Batch {0} sẽ bị âm {1} cho khoản mục {2} tại Kho {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Các yêu cầu về chất liệu dưới đây đã được nâng lên tự động dựa trên mức độ sắp xếp lại danh mục của
-DocType: Email Digest,Pending Sales Orders,Trong khi chờ hàng đơn đặt hàng
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},Tài khoản của {0} là không hợp lệ. Tài khoản ngắn hạn phải là {1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},Từ ngày {0} không thể sau ngày giảm lương của nhân viên {1}
 DocType: Supplier,Is Internal Supplier,Nhà cung cấp nội bộ
@@ -3021,13 +3048,14 @@
 DocType: Healthcare Settings,Remind Before,Nhắc trước
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Yếu tố UOM chuyển đổi là cần thiết trong hàng {0}
 DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Hàng # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong các đơn đặt hàng, hóa đơn hàng hóa, hoặc bút toán nhật ký"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Hàng # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong các đơn đặt hàng, hóa đơn hàng hóa, hoặc bút toán nhật ký"
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Điểm Thân Thiết = Bao nhiêu tiền gốc?
 DocType: Salary Component,Deduction,Khấu trừ
 DocType: Item,Retain Sample,Giữ mẫu
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,Hàng{0}: Từ Thời gian và Tới thời gin là bắt buộc.
 DocType: Stock Reconciliation Item,Amount Difference,Số tiền khác biệt
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},Giá mẫu hàng được thêm vào cho {0} trong danh sách giá {1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},Giá mẫu hàng được thêm vào cho {0} trong danh sách giá {1}
+DocType: Delivery Stop,Order Information,Thông tin đặt hàng
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vui lòng nhập Id nhân viên của người bán hàng này
 DocType: Territory,Classification of Customers by region,Phân loại khách hàng theo vùng
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,Trong sản xuất
@@ -3038,8 +3066,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Số dư trên bảng kê Ngân hàng tính ra
 DocType: Normal Test Template,Normal Test Template,Mẫu kiểm tra thông thường
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,đã vô hiệu hóa người dùng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,Báo giá
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,Không thể thiết lập một RFQ nhận được để Không có Trích dẫn
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,Báo giá
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,Không thể thiết lập một RFQ nhận được để Không có Trích dẫn
 DocType: Salary Slip,Total Deduction,Tổng số trích
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,Chọn tài khoản để in bằng tiền tệ của tài khoản
 ,Production Analytics,Analytics sản xuất
@@ -3052,14 +3080,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Cài đặt Thẻ điểm của nhà cung cấp
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,Tên Kế hoạch Đánh giá
 DocType: Work Order Operation,Work Order Operation,Hoạt động của lệnh làm việc
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},Cảnh báo: Chứng nhận SSL không hợp lệ đối với đính kèm {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},Cảnh báo: Chứng nhận SSL không hợp lệ đối với đính kèm {0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads","Đầu mối kinh doanh sẽ giúp bạn trong kinh doanh, hãy thêm tất cả các địa chỉ liên lạc của bạn và hơn thế nữa làm đầu mối kinh doanh"
 DocType: Work Order Operation,Actual Operation Time,Thời gian hoạt động thực tế
 DocType: Authorization Rule,Applicable To (User),Để áp dụng (Thành viên)
 DocType: Purchase Taxes and Charges,Deduct,Trích
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,Mô Tả Công Việc
 DocType: Student Applicant,Applied,Ứng dụng
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,Mở lại
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,Mở lại
 DocType: Sales Invoice Item,Qty as per Stock UOM,Số lượng theo như chứng khoán UOM
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Tên Guardian2
 DocType: Attendance,Attendance Request,Yêu cầu tham dự
@@ -3077,7 +3105,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Không nối tiếp {0} được bảo hành tối đa {1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Giá trị tối thiểu cho phép
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,Người dùng {0} đã tồn tại
-apps/erpnext/erpnext/hooks.py +114,Shipments,Lô hàng
+apps/erpnext/erpnext/hooks.py +115,Shipments,Lô hàng
 DocType: Payment Entry,Total Allocated Amount (Company Currency),Tổng số tiền được phân bổ (Công ty ngoại tệ)
 DocType: Purchase Order Item,To be delivered to customer,Sẽ được chuyển giao cho khách hàng
 DocType: BOM,Scrap Material Cost,Chi phí phế liệu
@@ -3085,11 +3113,12 @@
 DocType: Grant Application,Email Notification Sent,Đã Gửi Thông báo Email
 DocType: Purchase Invoice,In Words (Company Currency),Trong từ (Công ty tiền tệ)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,Công ty là manadatory cho tài khoản công ty
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row","Mã hàng, kho hàng, số lượng được yêu cầu trên hàng"
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row","Mã hàng, kho hàng, số lượng được yêu cầu trên hàng"
 DocType: Bank Guarantee,Supplier,Nhà cung cấp
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,Nhận Từ
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,Đây là một bộ phận gốc và không thể chỉnh sửa được.
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,Hiển thị chi tiết thanh toán
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,Thời lượng trong ngày
 DocType: C-Form,Quarter,Phần tư
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,Chi phí hỗn tạp
 DocType: Global Defaults,Default Company,Công ty mặc định
@@ -3097,7 +3126,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py +231,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
 DocType: Bank,Bank Name,Tên ngân hàng
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-Trên
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,Để trống trường để thực hiện đơn đặt hàng cho tất cả các nhà cung cấp
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,Để trống trường để thực hiện đơn đặt hàng cho tất cả các nhà cung cấp
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Mục phí truy cập nội trú
 DocType: Vital Signs,Fluid,Chất lỏng
 DocType: Leave Application,Total Leave Days,Tổng số ngày nghỉ phép
@@ -3107,7 +3136,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,Cài đặt Variant Item
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,Chọn Công ty ...
 DocType: Leave Control Panel,Leave blank if considered for all departments,Để trống nếu xem xét tất cả các phòng ban
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0} là bắt buộc đối với mục {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0} là bắt buộc đối với mục {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ","Mục {0}: {1} số lượng được sản xuất,"
 DocType: Payroll Entry,Fortnightly,mổi tháng hai lần
 DocType: Currency Exchange,From Currency,Từ tệ
@@ -3157,7 +3186,7 @@
 DocType: Account,Fixed Asset,Tài sản cố định
 DocType: Amazon MWS Settings,After Date,Sau ngày
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,Hàng tồn kho được tuần tự
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,{0} không hợp lệ cho Hóa đơn của công ty liên kết.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,{0} không hợp lệ cho Hóa đơn của công ty liên kết.
 ,Department Analytics,Phân tích phòng ban
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,Không tìm thấy email trong liên hệ mặc định
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,Tạo bí mật
@@ -3176,6 +3205,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Với việc thanh toán thuế
 DocType: Expense Claim Detail,Expense Claim Detail,Chi tiết Chi phí khiếu nại
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,Vui lòng thiết lập Hệ thống Đặt tên Hướng dẫn trong Giáo dục&gt; Cài đặt Giáo dục
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE CHO CUNG CẤP
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,Số dư mới bằng tiền gốc
 DocType: Location,Is Container,Là Container
@@ -3183,13 +3213,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,Vui lòng chọn đúng tài khoản
 DocType: Salary Structure Assignment,Salary Structure Assignment,Chuyển nhượng cấu trúc lương
 DocType: Purchase Invoice Item,Weight UOM,Trọng lượng UOM
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,Danh sách cổ đông có số lượng folio
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,Danh sách cổ đông có số lượng folio
 DocType: Salary Structure Employee,Salary Structure Employee,Cơ cấu tiền lương của nhân viên
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,Hiển thị Thuộc tính Variant
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,Hiển thị Thuộc tính Variant
 DocType: Student,Blood Group,Nhóm máu
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Tài khoản cổng thanh toán trong gói {0} khác với tài khoản cổng thanh toán trong yêu cầu thanh toán này
 DocType: Course,Course Name,Tên khóa học
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,Không tìm thấy dữ liệu khấu trừ thuế cho năm tài chính hiện tại.
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,Không tìm thấy dữ liệu khấu trừ thuế cho năm tài chính hiện tại.
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Người dùng có thể duyệt các ứng dụng nghỉ phép một nhân viên nào đó
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,Thiết bị văn phòng
 DocType: Purchase Invoice Item,Qty,Số lượng
@@ -3197,6 +3227,7 @@
 DocType: Supplier Scorecard,Scoring Setup,Thiết lập điểm số
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,Thiết bị điện tử
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),Nợ ({0})
+DocType: BOM,Allow Same Item Multiple Times,Cho phép cùng một mục nhiều lần
 DocType: Stock Settings,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
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,Toàn thời gian
 DocType: Payroll Entry,Employees,Nhân viên
@@ -3208,11 +3239,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,Xác nhận thanh toán
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Giá sẽ không được hiển thị nếu thực Giá liệt kê không được thiết lập
 DocType: Stock Entry,Total Incoming Value,Tổng giá trị tới
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,nợ được yêu cầu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,nợ được yêu cầu
 DocType: Clinical Procedure,Inpatient Record,Hồ sơ nội trú
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team","các bảng thời gian biểu giúp theo dõi thời gian, chi phí và thanh toán cho các hoạt động được thực hiện bởi nhóm của bạn"
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,Danh sách mua Giá
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,ngày giao dịch
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,Danh sách mua Giá
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,ngày giao dịch
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,Mẫu của các biến thẻ điểm của nhà cung cấp.
 DocType: Job Offer Term,Offer Term,Thời hạn Cung cấp
 DocType: Asset,Quality Manager,Quản lý chất lượng
@@ -3233,11 +3264,11 @@
 DocType: Cashier Closing,To Time,Giờ
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},) cho {0}
 DocType: Authorization Rule,Approving Role (above authorized value),Phê duyệt Role (trên giá trị ủy quyền)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,Để tín dụng tài khoản phải có một tài khoản phải trả
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,Để tín dụng tài khoản phải có một tài khoản phải trả
 DocType: Loan,Total Amount Paid,Tổng số tiền thanh toán
 DocType: Asset,Insurance End Date,Ngày kết thúc bảo hiểm
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,Vui lòng chọn Sinh viên nhập học là bắt buộc đối với sinh viên nộp phí
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM đệ quy: {0} khôg thể là loại tổng hoặc loại con của {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM đệ quy: {0} khôg thể là loại tổng hoặc loại con của {2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,Danh sách ngân sách
 DocType: Work Order Operation,Completed Qty,Số lượng hoàn thành
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry","Đối với {0}, chỉ tài khoản ghi nợ có thể được liên kết với mục tín dụng khác"
@@ -3245,7 +3276,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Không thể cập nhật hàng hóa {0} bằng cách sử dụng tính toán Hòa giải hàng hoá, vui lòng sử dụng Mục nhập chứng khoán"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Không thể cập nhật hàng hóa {0} bằng cách sử dụng tính toán Hòa giải hàng hoá, vui lòng sử dụng Mục nhập chứng khoán"
 DocType: Training Event Employee,Training Event Employee,Đào tạo nhân viên tổ chức sự kiện
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Các mẫu tối đa - {0} có thể được giữ lại cho Batch {1} và Item {2}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,Các mẫu tối đa - {0} có thể được giữ lại cho Batch {1} và Item {2}.
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,Thêm khe thời gian
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} những dãy số được yêu cầu cho vật liệu {1}. Bạn đã cung cấp {2}.
 DocType: Stock Reconciliation Item,Current Valuation Rate,Hiện tại Rate Định giá
@@ -3276,11 +3307,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Số thứ tự {0} không tìm thấy
 DocType: Fee Schedule Program,Fee Schedule Program,Chương trình Biểu phí
 DocType: Fee Schedule Program,Student Batch,hàng loạt sinh viên
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Vui lòng xóa nhân viên <a href=""#Form/Employee/{0}"">{0}</a> \ để hủy tài liệu này"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Tạo Sinh viên
 DocType: Supplier Scorecard Scoring Standing,Min Grade,Min Grade
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Loại đơn vị dịch vụ chăm sóc sức khỏe
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},Bạn được lời mời cộng tác trong dự án: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},Bạn được lời mời cộng tác trong dự án: {0}
 DocType: Supplier Group,Parent Supplier Group,Nhóm nhà cung cấp chính
+DocType: Email Digest,Purchase Orders to Bill,Mua đơn đặt hàng cho hóa đơn
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,Giá trị tích luỹ trong Công ty của Tập đoàn
 DocType: Leave Block List Date,Block Date,Khối kỳ hạn
 DocType: Crop,Crop,Mùa vụ
@@ -3293,6 +3327,7 @@
 DocType: Sales Order,Not Delivered,Không được vận chuyển
 ,Bank Clearance Summary,Bản tóm lược giải tỏa ngân hàng
 apps/erpnext/erpnext/config/setup.py +100,"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."
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,Điều này dựa trên các giao dịch đối với Người bán hàng này. Xem dòng thời gian bên dưới để biết chi tiết
 DocType: Appraisal Goal,Appraisal Goal,Thẩm định mục tiêu
 DocType: Stock Reconciliation Item,Current Amount,Số tiền hiện tại
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,Các tòa nhà
@@ -3319,7 +3354,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,phần mềm
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,Ngày Liên hệ Tiếp theo không thể  ở dạng quá khứ
 DocType: Company,For Reference Only.,Chỉ để tham khảo.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,Chọn Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,Chọn Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},Không hợp lệ {0}: {1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,Inv Inv
@@ -3337,16 +3372,16 @@
 DocType: Normal Test Items,Require Result Value,Yêu cầu Giá trị Kết quả
 DocType: Item,Show a slideshow at the top of the page,Hiển thị một slideshow ở trên cùng của trang
 DocType: Tax Withholding Rate,Tax Withholding Rate,Thuế khấu trừ thuế
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,Cửa hàng
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,Cửa hàng
 DocType: Project Type,Projects Manager,Quản lý dự án
 DocType: Serial No,Delivery Time,Thời gian giao hàng
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,Người cao tuổi Dựa trên
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,Huỷ bỏ cuộc
 DocType: Item,End of Life,Kết thúc của cuộc sống
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Du lịch
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,Du lịch
 DocType: Student Report Generation Tool,Include All Assessment Group,Bao gồm Tất cả Nhóm đánh giá
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,Không có cấu trúc lương có hiệu lực hoặc mặc định được tìm thấy cho nhân viên {0} với các kỳ hạn có sẵn
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,Không có cấu trúc lương có hiệu lực hoặc mặc định được tìm thấy cho nhân viên {0} với các kỳ hạn có sẵn
 DocType: Leave Block List,Allow Users,Cho phép người sử dụng
 DocType: Purchase Order,Customer Mobile No,Số điện thoại khách hàng
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Chi tiết Mẫu Bản đồ Tiền mặt
@@ -3355,15 +3390,16 @@
 DocType: Rename Tool,Rename Tool,Công cụ đổi tên
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,Cập nhật giá
 DocType: Item Reorder,Item Reorder,Mục Sắp xếp lại
+DocType: Delivery Note,Mode of Transport,Phương thức vận tải
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,Trượt Hiện Lương
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,Vật liệu chuyển
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,Vật liệu chuyển
 DocType: Fees,Send Payment Request,Gửi yêu cầu thanh toán
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Xác định các hoạt động, chi phí vận hành và số hiệu của  một hoạt động độc nhất tới các hoạt động của bạn"
 DocType: Travel Request,Any other details,Mọi chi tiết khác
 DocType: Water Analysis,Origin,Gốc
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tài liệu này bị quá giới hạn bởi {0} {1} cho mục {4}. bạn đang làm cho một {3} so với cùng {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,Xin hãy thiết lập định kỳ sau khi tiết kiệm
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,tài khoản số lượng Chọn thay đổi
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,Xin hãy thiết lập định kỳ sau khi tiết kiệm
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,tài khoản số lượng Chọn thay đổi
 DocType: Purchase Invoice,Price List Currency,Danh sách giá ngoại tệ
 DocType: Naming Series,User must always select,Người sử dụng phải luôn luôn chọn
 DocType: Stock Settings,Allow Negative Stock,Cho phép tồn kho âm
@@ -3384,9 +3420,10 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Truy xuất nguồn gốc
 DocType: Asset Maintenance Log,Actions performed,Tác vụ đã thực hiện
 DocType: Cash Flow Mapper,Section Leader,Lãnh đạo nhóm
+DocType: Delivery Note,Transport Receipt No,Biên lai vận chuyển Không
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),Nguồn vốn (nợ)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,Nguồn và Vị trí mục tiêu không được giống nhau
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,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}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Số lượng trong hàng {0} ({1}) phải được giống như số lượng sản xuất {2}
 DocType: Supplier Scorecard Scoring Standing,Employee,Nhân viên
 DocType: Bank Guarantee,Fixed Deposit Number,Số tiền gửi cố định
 DocType: Asset Repair,Failure Date,Ngày Thất bại
@@ -3400,16 +3437,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,Các khoản giảm trừ thanh toán hoặc mất
 DocType: Soil Analysis,Soil Analysis Criterias,Phân tích đất Phân loại
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Điều khoản hợp đồng tiêu chuẩn cho bán hàng hoặc mua hàng.
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,Bạn có chắc chắn muốn hủy cuộc hẹn này không?
+DocType: BOM Item,Item operation,Mục hoạt động
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,Bạn có chắc chắn muốn hủy cuộc hẹn này không?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,Gói giá phòng khách sạn
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Đường ống dẫn bán hàng
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,Đường ống dẫn bán hàng
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},Hãy thiết lập tài khoản mặc định trong phần Lương {0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Đã yêu cầu với
 DocType: Rename Tool,File to Rename,Đổi tên tệp tin
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},Vui lòng chọn BOM cho Item trong Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,Tìm nạp cập nhật đăng ký
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Tài khoảng {0} không phù hợp với Công ty {1} tại phương thức tài khoản: {2}
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},Quy định BOM {0} không tồn tại cho mục {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},Quy định BOM {0} không tồn tại cho mục {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,Khóa học:
 DocType: Soil Texture,Sandy Loam,Sandy Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,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
@@ -3418,7 +3456,7 @@
 DocType: Notification Control,Expense Claim Approved,Chi phí khiếu nại được phê duyệt
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Đặt tiến bộ và phân bổ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,Không có Đơn đặt hàng làm việc nào được tạo
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,Phiếu lương của nhân viên {0} đã được tạo ra trong giai đoạn này
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,Phiếu lương của nhân viên {0} đã được tạo ra trong giai đoạn này
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,Dược phẩm
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,Bạn chỉ có thể gửi Leave Encashment cho số tiền thanh toán hợp lệ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Chi phí Mua Items
@@ -3426,7 +3464,8 @@
 DocType: Selling Settings,Sales Order Required,Đơn đặt hàng đã yêu cầu
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,Trở thành người bán
 DocType: Purchase Invoice,Credit To,Để tín dụng
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Đầu mối kinh doanh / Khách hàng
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,Đầu mối kinh doanh / Khách hàng
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,Để trống để sử dụng định dạng Ghi chú phân phối bình thường
 DocType: Employee Education,Post Graduate,Sau đại học
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Lịch trình bảo dưỡng chi tiết
 DocType: Supplier Scorecard,Warn for new Purchase Orders,Cảnh báo đối với Đơn mua hàng mới
@@ -3440,14 +3479,14 @@
 DocType: Support Search Source,Post Title Key,Khóa tiêu đề bài đăng
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,Đối với thẻ công việc
 DocType: Warranty Claim,Raised By,đưa lên bởi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,Đơn thuốc
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,Đơn thuốc
 DocType: Payment Gateway Account,Payment Account,Tài khoản thanh toán
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,Vui lòng ghi rõ Công ty để tiến hành
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,Vui lòng ghi rõ Công ty để tiến hành
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,Chênh lệch giá tịnh trong tài khoản phải thu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,Đền bù Tắt
 DocType: Job Offer,Accepted,Chấp nhận
 DocType: POS Closing Voucher,Sales Invoices Summary,Tóm tắt hóa đơn bán hàng
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,Tên bên
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,Tên bên
 DocType: Grant Application,Organization,Cơ quan
 DocType: Grant Application,Organization,Cơ quan
 DocType: BOM Update Tool,BOM Update Tool,Công cụ cập nhật BOM
@@ -3457,7 +3496,7 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Hãy chắc chắn rằng bạn thực sự muốn xóa tất cả các giao dịch cho công ty này. Dữ liệu tổng thể của bạn vẫn được giữ nguyên. Thao tác này không thể được hoàn tác.
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,kết quả tìm kiếm
 DocType: Room,Room Number,Số phòng
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},Tham chiếu không hợp lệ {0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},Tham chiếu không hợp lệ {0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) không được lớn hơn số lượng trong kế hoạch ({2}) trong lệnh sản xuất {3}
 DocType: Shipping Rule,Shipping Rule Label,Quy tắc vận chuyển nhãn hàng
 DocType: Journal Entry Account,Payroll Entry,Mục nhập biên chế
@@ -3465,8 +3504,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,Tạo mẫu thuế
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Diễn đàn người dùng
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,Nguyên liệu thô không thể để trống.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,Hàng # {0} (Bảng thanh toán): Số tiền phải âm
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.","Không thể cập nhật tồn kho, hóa đơn chứa vật tư vận chuyển tận nơi."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,Hàng # {0} (Bảng thanh toán): Số tiền phải âm
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.","Không thể cập nhật tồn kho, hóa đơn chứa vật tư vận chuyển tận nơi."
 DocType: Contract,Fulfilment Status,Trạng thái thực hiện
 DocType: Lab Test Sample,Lab Test Sample,Mẫu thử nghiệm phòng thí nghiệm
 DocType: Item Variant Settings,Allow Rename Attribute Value,Cho phép Đổi tên Giá trị Thuộc tính
@@ -3508,11 +3547,11 @@
 DocType: BOM,Show Operations,Hiện Operations
 ,Minutes to First Response for Opportunity,Các phút tới phản hồi đầu tiên cho cơ hội
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,Tổng số Vắng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,Mục hoặc Kho cho hàng {0} không phù hợp với liệu Yêu cầu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,Mục hoặc Kho cho hàng {0} không phù hợp với liệu Yêu cầu
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,Đơn vị đo
 DocType: Fiscal Year,Year End Date,Ngày kết thúc năm
 DocType: Task Depends On,Task Depends On,Nhiệm vụ Phụ thuộc vào
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,Cơ hội
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,Cơ hội
 DocType: Operation,Default Workstation,Mặc định Workstation
 DocType: Notification Control,Expense Claim Approved Message,Thông báo yêu cầu bồi thường chi phí được chấp thuận
 DocType: Payment Entry,Deductions or Loss,Các khoản giảm trừ khả năng mất vốn
@@ -3550,21 +3589,21 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,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 để
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Tỷ giá cơ bản (trên mỗi đơn vị chuẩn của hàng hóa)
 DocType: SMS Log,No of Requested SMS,Số  SMS được yêu cầu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,Để lại Nếu không phải trả tiền không phù hợp với hồ sơ Để lại ứng dụng đã được phê duyệt
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,Để lại Nếu không phải trả tiền không phù hợp với hồ sơ Để lại ứng dụng đã được phê duyệt
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Những bước tiếp theo
 DocType: Travel Request,Domestic,Trong nước
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,Vui lòng cung cấp mục cụ thể với mức giá tốt nhất có thể
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,Vui lòng cung cấp mục cụ thể với mức giá tốt nhất có thể
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,Chuyển khoản nhân viên không thể được gửi trước ngày chuyển
 DocType: Certification Application,USD,đô la Mỹ
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,Làm cho hóa đơn
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,Số dư còn lại
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,Số dư còn lại
 DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Cơ hội gần thi hành sau 15 ngày
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,Đơn đặt hàng mua không được cho {0} do bảng điểm của điểm số {1}.
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,Mã vạch {0} không phải là {1} mã hợp lệ
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,Mã vạch {0} không phải là {1} mã hợp lệ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,cuối Năm
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Báo giá/Tiềm năng %
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Báo giá/Tiềm năng %
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,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 gia nhập
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,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 gia nhập
 DocType: Driver,Driver,Người lái xe
 DocType: Vital Signs,Nutrition Values,Giá trị dinh dưỡng
 DocType: Lab Test Template,Is billable,Có thể thanh toán
@@ -3575,7 +3614,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Đây là một trang web ví dụ tự động tạo ra từ ERPNext
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,Phạm vi Ageing 1
 DocType: Shopify Settings,Enable Shopify,Bật Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,Tổng số tiền tạm ứng không được lớn hơn tổng số tiền đã yêu cầu
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,Tổng số tiền tạm ứng không được lớn hơn tổng số tiền đã yêu cầu
 DocType: Purchase Taxes and Charges Template,"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
@@ -3602,12 +3641,12 @@
 DocType: Employee Separation,Employee Separation,Tách nhân viên
 DocType: BOM Item,Original Item,Mục gốc
 DocType: Purchase Receipt Item,Recd Quantity,số lượng REcd
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Ngày tài liệu
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Ngày tài liệu
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},Hồ sơ Phí Tạo - {0}
 DocType: Asset Category Account,Asset Category Account,Loại tài khoản tài sản
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,Hàng # {0} (Bảng Thanh toán): Số tiền phải là số dương
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,Hàng # {0} (Bảng Thanh toán): Số tiền phải là số dương
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},Không thể sản xuất {0} nhiều hơn số lượng trên đơn đặt hàng {1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,Chọn Giá trị Thuộc tính
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,Chọn Giá trị Thuộc tính
 DocType: Purchase Invoice,Reason For Issuing document,Lý do phát hành tài liệu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,Bút toán hàng tồn kho{0} không được đệ trình
 DocType: Payment Reconciliation,Bank / Cash Account,Tài khoản ngân hàng /Tiền mặt
@@ -3616,8 +3655,10 @@
 DocType: Asset,Manual,Hướng dẫn sử dụng
 DocType: Salary Component Account,Salary Component Account,Tài khoản phần lương
 DocType: Global Defaults,Hide Currency Symbol,Ẩn Ký hiệu tiền tệ
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,Cơ hội bán hàng theo nguồn
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,Thông tin về các nhà tài trợ.
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card","ví dụ như Ngân hàng, tiền mặt, thẻ tín dụng"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vui lòng thiết lập chuỗi đánh số để tham dự qua Thiết lập&gt; Chuỗi đánh số
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card","ví dụ như Ngân hàng, tiền mặt, thẻ tín dụng"
 DocType: Job Applicant,Source Name,Tên nguồn
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Huyết áp nghỉ ngơi bình thường ở người lớn là khoảng 120 mmHg tâm thu và huyết áp tâm trương 80 mmHg, viết tắt là &quot;120/80 mmHg&quot;"
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life","Đặt thời hạn sử dụng của các mặt hàng trong ngày, để đặt thời hạn sử dụng dựa trên số liệu sản xuất cùng với cuộc sống tự lập"
@@ -3647,7 +3688,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},Đối với Số lượng phải nhỏ hơn số lượng {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,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
 DocType: Salary Component,Max Benefit Amount (Yearly),Số tiền lợi ích tối đa (hàng năm)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,Tỷ lệ TDS%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,Tỷ lệ TDS%
 DocType: Crop,Planting Area,Diện tích trồng trọt
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Tổng số (SL)
 DocType: Installation Note Item,Installed Qty,Số lượng cài đặt
@@ -3669,8 +3710,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,Để lại thông báo phê duyệt
 DocType: Buying Settings,Default Buying Price List,Bảng giá mua hàng mặc định
 DocType: Payroll Entry,Salary Slip Based on Timesheet,Phiếu lương Dựa trên bảng thời gian
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,Tỷ lệ mua
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},Hàng {0}: Nhập vị trí cho mục nội dung {1}
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,Tỷ lệ mua
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},Hàng {0}: Nhập vị trí cho mục nội dung {1}
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,Về công ty
 DocType: Notification Control,Sales Order Message,Thông báo đơn đặt hàng
@@ -3737,10 +3778,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,Đối với hàng {0}: Nhập số lượng dự kiến
 DocType: Account,Income Account,Tài khoản thu nhập
 DocType: Payment Request,Amount in customer's currency,Tiền quy đổi theo ngoại tệ của khách
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,Giao hàng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,Giao hàng
 DocType: Volunteer,Weekdays,Ngày thường
 DocType: Stock Reconciliation Item,Current Qty,Số lượng hiện tại
 DocType: Restaurant Menu,Restaurant Menu,Thực đơn nhà hàng
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,Thêm nhà cung cấp
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
 DocType: Loyalty Program,Help Section,Phần trợ giúp
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,Trước đó
@@ -3752,19 +3794,20 @@
 												fullfill Sales Order {2}",Không thể phân phối Số sê-ri {0} của mặt hàng {1} vì nó được dành riêng cho \ fullfill Đơn đặt hàng {2}
 DocType: Item Reorder,Material Request Type,Loại nguyên liệu yêu cầu
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,Gửi Email đánh giá tài trợ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save","Lưu trữ Cục bộ là đầy đủ, không lưu"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,Hàng {0}: Nhân tố thay đổi UOM là bắt buộc
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save","Lưu trữ Cục bộ là đầy đủ, không lưu"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,Hàng {0}: Nhân tố thay đổi UOM là bắt buộc
 DocType: Employee Benefit Claim,Claim Date,Ngày yêu cầu
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,Dung tích phòng
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},Bản ghi đã tồn tại cho mục {0}
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,Tài liệu tham khảo
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,Bạn sẽ mất các bản ghi hóa đơn đã tạo trước đó. Bạn có chắc chắn muốn khởi động lại đăng ký này không?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,Phí đăng ký
 DocType: Loyalty Program Collection,Loyalty Program Collection,Bộ sưu tập chương trình khách hàng thân thiết
 DocType: Stock Entry Detail,Subcontracted Item,Mục hợp đồng phụ
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},Sinh viên {0} không thuộc nhóm {1}
 DocType: Budget,Cost Center,Bộ phận chi phí
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,Chứng từ #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,Chứng từ #
 DocType: Notification Control,Purchase Order Message,Thông báo Mua hàng
 DocType: Tax Rule,Shipping Country,Vận Chuyển quốc gia
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ẩn MST của khách hàng từ giao dịch bán hàng
@@ -3783,23 +3826,22 @@
 DocType: Subscription,Cancel At End Of Period,Hủy vào cuối kỳ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,Đã thêm thuộc tính
 DocType: Item Supplier,Item Supplier,Mục Nhà cung cấp
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,Vui lòng nhập Item Code để có được hàng loạt không
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},Vui lòng chọn một giá trị cho {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,Vui lòng nhập Item Code để có được hàng loạt không
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},Vui lòng chọn một giá trị cho {0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,Không có mục nào được chọn để chuyển
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tất cả các địa chỉ.
 DocType: Company,Stock Settings,Thiết lập thông số hàng tồn kho
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Kết hợp chỉ có hiệu lực nếu các tài sản dưới đây giống nhau trong cả hai bản ghi. Là nhóm, kiểu gốc, Công ty"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Kết hợp chỉ có hiệu lực nếu các tài sản dưới đây giống nhau trong cả hai bản ghi. Là nhóm, kiểu gốc, Công ty"
 DocType: Vehicle,Electric,Điện
 DocType: Task,% Progress,% đang xử lý
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,Lãi / lỗ khi nhượng lại tài sản
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",Chỉ học sinh có tình trạng &quot;Chấp nhận&quot; sẽ được chọn trong bảng dưới đây.
 DocType: Tax Withholding Category,Rates,Giá
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Số tài khoản cho tài khoản {0} không có sẵn. <br> Xin vui lòng thiết lập chính xác bảng xếp hạng của bạn.
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,Số tài khoản cho tài khoản {0} không có sẵn. <br> Xin vui lòng thiết lập chính xác bảng xếp hạng của bạn.
 DocType: Task,Depends on Tasks,Phụ thuộc vào nhiệm vụ
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Cây thư mục Quản lý Nhóm khách hàng
 DocType: Normal Test Items,Result Value,Giá trị Kết quả
 DocType: Hotel Room,Hotels,Khách sạn
-DocType: Delivery Note,Transporter Date,Ngày vận chuyển
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Tên Trung tâm chi phí mới
 DocType: Leave Control Panel,Leave Control Panel,Rời khỏi bảng điều khiển
 DocType: Project,Task Completion,nhiệm vụ hoàn thành
@@ -3846,11 +3888,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,Tất cả đánh giá Groups
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,tên kho mới
 DocType: Shopify Settings,App Type,Loại ứng dụng
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),Tổng số {0} ({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),Tổng số {0} ({1})
 DocType: C-Form Invoice Detail,Territory,Địa bàn
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Xin đề cập không có các yêu cầu thăm
 DocType: Stock Settings,Default Valuation Method,Phương pháp mặc định Định giá
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,Chi phí
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,Hiển thị số tiền tích luỹ
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,Đang cập nhật. Nó có thể mất một thời gian.
 DocType: Production Plan Item,Produced Qty,Số lượng sản xuất
 DocType: Vehicle Log,Fuel Qty,nhiên liệu Số lượng
@@ -3858,7 +3901,7 @@
 DocType: Work Order Operation,Planned Start Time,Planned Start Time
 DocType: Course,Assessment,"Thẩm định, lượng định, đánh giá"
 DocType: Payment Entry Reference,Allocated,Phân bổ
-apps/erpnext/erpnext/config/accounts.py +295,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.
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,Gần Cân đối kế toán và lợi nhuận cuốn sách hay mất.
 DocType: Student Applicant,Application Status,Tình trạng ứng dụng
 DocType: Additional Salary,Salary Component Type,Loại thành phần lương
 DocType: Sensitivity Test Items,Sensitivity Test Items,Các bài kiểm tra độ nhạy
@@ -3869,10 +3912,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,Tổng số tiền nợ
 DocType: Sales Partner,Targets,Mục tiêu
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,Vui lòng đăng ký số SIREN trong tệp thông tin công ty
+DocType: Email Digest,Sales Orders to Bill,Đơn đặt hàng bán hàng cho hóa đơn
 DocType: Price List,Price List Master,Giá Danh sách Thầy
 DocType: GST Account,CESS Account,Tài khoản CESS
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Tất cả các giao dịch bán hàng đều được gắn tag với nhiều **Nhân viên kd **  vì thế bạn có thể thiết lập và giám sát các mục tiêu kinh doanh
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,Liên kết đến yêu cầu tài liệu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,Liên kết đến yêu cầu tài liệu
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,Hoạt động diễn đàn
 ,S.O. No.,SO số
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,Mục cài đặt giao dịch báo cáo ngân hàng
@@ -3887,7 +3931,7 @@
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Đây là một nhóm khách hàng gốc và không thể được chỉnh sửa.
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Hành động nếu Ngân sách hàng tháng tích luỹ vượt quá PO
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,Để đặt
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,Để đặt
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Tỷ giá hối đoái
 DocType: POS Profile,Ignore Pricing Rule,Bỏ qua điều khoản giá
 DocType: Employee Education,Graduate,Tốt nghiệp
@@ -3936,6 +3980,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,Vui lòng đặt khách hàng mặc định trong Cài đặt nhà hàng
 ,Salary Register,Mức lương Đăng ký
 DocType: Warehouse,Parent Warehouse,Kho chính
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,Đồ thị
 DocType: Subscription,Net Total,Tổng thuần
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},Không tìm thấy BOM mặc định cho Mục {0} và Dự án {1}
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,Xác định các loại cho vay khác nhau
@@ -3968,24 +4013,26 @@
 DocType: Membership,Membership Status,Tư cách thành viên
 DocType: Travel Itinerary,Lodging Required,Yêu cầu nhà nghỉ
 ,Requested,Yêu cầu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,Không có lưu ý
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,Không có lưu ý
 DocType: Asset,In Maintenance,Trong bảo trì
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Nhấp vào nút này để lấy dữ liệu Đơn đặt hàng của bạn từ MWS của Amazon.
 DocType: Vital Signs,Abdomen,Bụng
 DocType: Purchase Invoice,Overdue,Quá hạn
 DocType: Account,Stock Received But Not Billed,Chứng khoán nhận Nhưng Không Được quảng cáo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,Tài khoản gốc phải là một nhóm
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,Tài khoản gốc phải là một nhóm
 DocType: Drug Prescription,Drug Prescription,Thuốc theo toa
 DocType: Loan,Repaid/Closed,Hoàn trả / đóng
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Tổng số lượng đã được lên dự án
 DocType: Monthly Distribution,Distribution Name,Tên phân phối
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,Bao gồm UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Tỷ lệ định giá không tìm thấy cho Mục {0}, yêu cầu phải làm các mục kế toán cho {1} {2}. Nếu mục đang giao dịch dưới dạng mục tỷ lệ không bằng giá trị trong {1}, vui lòng đề cập rằng trong mục {1} Bảng mục. Nếu không, vui lòng tạo một giao dịch chứng khoán đến cho mặt hàng hoặc đề cập đến tỷ lệ định giá trong bản ghi mục, và sau đó thử gửi / hủy mục nhập này"
 DocType: Course,Course Code,Mã khóa học
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},Duyệt chất lượng là cần thiết cho mục {0}
 DocType: Location,Parent Location,Vị trí gốc
 DocType: POS Settings,Use POS in Offline Mode,Sử dụng POS trong chế độ Ngoại tuyến
 DocType: Supplier Scorecard,Supplier Variables,Biến nhà cung cấp
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} là bắt buộc. Có thể bản ghi Tỷ giá hối đoái không được tạo cho {1} thành {2}
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tỷ Giá được quy đổi từ tỷ giá của khách hàng về tỷ giá chung công ty
 DocType: Purchase Invoice Item,Net Rate (Company Currency),Tỷ giá thuần (Tiền tệ công ty)
 DocType: Salary Detail,Condition and Formula Help,Điều kiện và Formula Trợ giúp
@@ -3994,19 +4041,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Hóa đơn bán hàng
 DocType: Journal Entry Account,Party Balance,Số dư đối tác
 DocType: Cash Flow Mapper,Section Subtotal,Phần Tổng phụ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,Vui lòng chọn Apply Discount On
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,Vui lòng chọn Apply Discount On
 DocType: Stock Settings,Sample Retention Warehouse,Kho lưu trữ mẫu
 DocType: Company,Default Receivable Account,Mặc định Tài khoản phải thu
 DocType: Purchase Invoice,Deemed Export,Xuất khẩu được cho là hợp pháp
 DocType: Stock Entry,Material Transfer for Manufacture,Vận chuyển nguyên liệu để sản xuất
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Tỷ lệ phần trăm giảm giá có thể được áp dụng hoặc chống lại một danh sách giá hay cho tất cả Bảng giá.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,Hạch toán kế toán cho hàng tồn kho
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,Hạch toán kế toán cho hàng tồn kho
 DocType: Lab Test,LabTest Approver,Người ước lượng LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Bạn đã đánh giá các tiêu chí đánh giá {}.
 DocType: Vehicle Service,Engine Oil,Dầu động cơ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},Đơn hàng Công việc Đã Được Tạo: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},Đơn hàng Công việc Đã Được Tạo: {0}
 DocType: Sales Invoice,Sales Team1,Team1 bán hàng
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,Mục {0} không tồn tại
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,Mục {0} không tồn tại
 DocType: Sales Invoice,Customer Address,Địa chỉ khách hàng
 DocType: Loan,Loan Details,Chi tiết vay
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,Không thể thiết lập đồ đạc của công ty bài đăng
@@ -4027,34 +4074,35 @@
 DocType: Item Group,Show this slideshow at the top of the page,Hiển thị slideshow này ở trên cùng của trang
 DocType: BOM,Item UOM,Đơn vị tính cho mục
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Số tiền thuế Sau khuyến mãi (Tiền công ty)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0}
 DocType: Cheque Print Template,Primary Settings,Cài đặt chính
 DocType: Attendance Request,Work From Home,Làm ở nhà
 DocType: Purchase Invoice,Select Supplier Address,Chọn nhà cung cấp Địa chỉ
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,Thêm nhân viên
 DocType: Purchase Invoice Item,Quality Inspection,Kiểm tra chất lượng
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,Tắm nhỏ
 DocType: Company,Standard Template,Mẫu chuẩn
 DocType: Training Event,Theory,Lý thuyết
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,Cảnh báo: vật tư yêu cầu có số lượng ít hơn mức tối thiểu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,Cảnh báo: vật tư yêu cầu có số lượng ít hơn mức tối thiểu
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,Tài khoản {0} bị đóng băng
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pháp nhân / Công ty con với một biểu đồ riêng của tài khoản thuộc Tổ chức.
 DocType: Payment Request,Mute Email,Tắt tiếng email
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco","Thực phẩm, đồ uống và thuốc lá"
 DocType: Account,Account Number,Số tài khoản
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},Chỉ có thể thực hiện thanh toán cho các phiếu chưa thanh toán {0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,Tỷ lệ hoa hồng không có thể lớn hơn 100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},Chỉ có thể thực hiện thanh toán cho các phiếu chưa thanh toán {0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,Tỷ lệ hoa hồng không có thể lớn hơn 100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),Phân bổ tiến bộ tự động (FIFO)
 DocType: Volunteer,Volunteer,Tình nguyện
 DocType: Buying Settings,Subcontract,Cho thầu lại
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,Vui lòng nhập {0} đầu tiên
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,Không có trả lời từ
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,Không có trả lời từ
 DocType: Work Order Operation,Actual End Time,Thời gian kết thúc thực tế
 DocType: Item,Manufacturer Part Number,Nhà sản xuất Phần số
 DocType: Taxable Salary Slab,Taxable Salary Slab,Bảng lương có thể tính thuế
 DocType: Work Order Operation,Estimated Time and Cost,Thời gian dự kiến và chi phí
 DocType: Bin,Bin,Thùng rác
 DocType: Crop,Crop Name,Tên Crop
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,Chỉ những người dùng có vai trò {0} mới có thể đăng ký trên Marketplace
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,Chỉ những người dùng có vai trò {0} mới có thể đăng ký trên Marketplace
 DocType: SMS Log,No of Sent SMS,Số các tin SMS đã gửi
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,Cuộc hẹn và cuộc gặp gỡ
@@ -4083,7 +4131,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,Thay đổi Mã
 DocType: Purchase Invoice Item,Valuation Rate,Định giá
 DocType: Vehicle,Diesel,Dầu diesel
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,Danh sách giá ngoại tệ không được chọn
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,Danh sách giá ngoại tệ không được chọn
 DocType: Purchase Invoice,Availed ITC Cess,Có sẵn ITC Cess
 ,Student Monthly Attendance Sheet,Sinh viên tham dự hàng tháng Bảng
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,Quy tắc vận chuyển chỉ áp dụng cho Bán hàng
@@ -4100,7 +4148,7 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Quản lý bán hàng đối tác.
 DocType: Quality Inspection,Inspection Type,Loại kiểm tra
 DocType: Fee Validity,Visited yet,Đã truy cập
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang nhóm.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang nhóm.
 DocType: Assessment Result Tool,Result HTML,kết quả HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Mức độ thường xuyên nên dự án và công ty được cập nhật dựa trên Giao dịch bán hàng.
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Hết hạn vào
@@ -4108,7 +4156,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},Vui lòng chọn {0}
 DocType: C-Form,C-Form No,C-Form số
 DocType: BOM,Exploded_items,mẫu hàng _ dễ nổ
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,Khoảng cách
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,Khoảng cách
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,Liệt kê các sản phẩm hoặc dịch vụ bạn mua hoặc bán.
 DocType: Water Analysis,Storage Temperature,Nhiệt độ lưu trữ
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4124,19 +4172,19 @@
 DocType: Shopify Settings,Delivery Note Series,Dòng lưu ý giao hàng
 DocType: Purchase Order Item,Returned Qty,Số lượng trả lại
 DocType: Student,Exit,Thoát
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,Loại gốc là bắt buộc
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,Loại gốc là bắt buộc
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,Không thể cài đặt các giá trị đặt trước
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Chuyển đổi UOM trong giờ
 DocType: Contract,Signee Details,Chi tiết người ký
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} hiện đang có {1} Bảng xếp hạng của Nhà cung cấp và các yêu cầu RFQ cho nhà cung cấp này phải được ban hành thận trọng.
 DocType: Certified Consultant,Non Profit Manager,Quản lý phi lợi nhuận
 DocType: BOM,Total Cost(Company Currency),Tổng chi phí (Công ty ngoại tệ)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,Không nối tiếp {0} tạo
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,Không nối tiếp {0} tạo
 DocType: Homepage,Company Description for website homepage,Công ty Mô tả cho trang chủ của trang web
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Để thuận tiện cho khách hàng, các mã này có thể được sử dụng trong các định dạng in hóa đơn và biên bản giao hàng"
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Tên suplier
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,Không thể truy xuất thông tin cho {0}.
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,Tạp chí mở đầu
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,Tạp chí mở đầu
 DocType: Contract,Fulfilment Terms,Điều khoản thực hiện
 DocType: Sales Invoice,Time Sheet List,Danh sách thời gian biểu
 DocType: Employee,You can enter any date manually,Bạn có thể nhập bất kỳ ngày bằng thủ công
@@ -4172,7 +4220,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,Tổ chức của bạn
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Bỏ qua Phân bổ lại cho các nhân viên sau đây, vì các bản ghi Phân bổ lại đã tồn tại đối với họ. {0}"
 DocType: Fee Component,Fees Category,phí Thể loại
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,Vui lòng nhập ngày giảm.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,Vui lòng nhập ngày giảm.
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
 DocType: Travel Request,"Details of Sponsor (Name, Location)","Thông tin chi tiết của nhà tài trợ (Tên, địa điểm)"
 DocType: Supplier Scorecard,Notify Employee,Thông báo cho nhân viên
@@ -4185,9 +4233,9 @@
 DocType: Company,Chart Of Accounts Template,Chart of Accounts Template
 DocType: Attendance,Attendance Date,Ngày có mặt
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},Cập nhật chứng khoán phải được bật cho hóa đơn mua hàng {0}
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},Giá mẫu hàng cập nhật cho {0} trong Danh sách  {1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},Giá mẫu hàng cập nhật cho {0} trong Danh sách  {1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Chia tiền lương dựa trên thu nhập và khấu trừ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,Tài khoản có các nút TK con không thể chuyển đổi sang sổ cái được
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,Tài khoản có các nút TK con không thể chuyển đổi sang sổ cái được
 DocType: Purchase Invoice Item,Accepted Warehouse,Xác nhận kho hàng
 DocType: Bank Reconciliation Detail,Posting Date,Báo cáo công đoàn
 DocType: Item,Valuation Method,Phương pháp định giá
@@ -4224,6 +4272,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,Vui lòng chọn một đợt
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,Khiếu nại về chi phí đi lại và chi tiêu
 DocType: Sales Invoice,Redemption Cost Center,Trung tâm chi phí mua lại
+DocType: QuickBooks Migrator,Scope,Phạm vi
 DocType: Assessment Group,Assessment Group Name,Tên Nhóm Đánh giá
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Nguyên liệu được chuyển giao cho sản xuất
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,Thêm vào chi tiết
@@ -4231,6 +4280,7 @@
 DocType: Shopify Settings,Last Sync Datetime,Đồng bộ hóa lần cuối cùng
 DocType: Landed Cost Item,Receipt Document Type,Loại chứng từ thư
 DocType: Daily Work Summary Settings,Select Companies,Chọn công ty
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,Báo giá đề xuất / giá
 DocType: Antibiotic,Healthcare,Chăm sóc sức khỏe
 DocType: Target Detail,Target Detail,Chi tiết mục tiêu
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,Biến thể đơn
@@ -4240,6 +4290,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,Bút toán kết thúc kỳ hạn
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,Chọn Sở ...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,Chi phí bộ phận với các phát sinh đang có không thể chuyển đổi sang nhóm
+DocType: QuickBooks Migrator,Authorization URL,URL ủy quyền
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},Số tiền {0} {1} {2} {3}
 DocType: Account,Depreciation,Khấu hao
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,Số cổ phần và số cổ phần không nhất quán
@@ -4262,13 +4313,14 @@
 DocType: Support Search Source,Source DocType,DocType nguồn
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,Mở một vé mới
 DocType: Training Event,Trainer Email,email người huấn luyện
+DocType: Driver,Transporter,Người vận chuyển
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,Các yêu cầu nguyên liệu {0} đã được tiến hành
 DocType: Restaurant Reservation,No of People,Số người
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Mẫu thời hạn hoặc hợp đồng.
 DocType: Bank Account,Address and Contact,Địa chỉ và Liên hệ
 DocType: Vital Signs,Hyper,Hyper
 DocType: Cheque Print Template,Is Account Payable,Là tài khoản phải trả
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},Hàng tồn kho không thể cập nhật từ biên lai nhận hàng {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},Hàng tồn kho không thể cập nhật từ biên lai nhận hàng {0}
 DocType: Support Settings,Auto close Issue after 7 days,Auto Issue gần sau 7 ngày
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Việc nghỉ không thể được phân bổ trước khi {0},  vì cân bằng nghỉ phép đã được chuyển tiếp trong bản ghi phân bổ nghỉ phép trong tương lai {1}"
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Lưu ý:  ngày tham chiếu/đến hạn vượt quá số ngày được phép của khách hàng là {0} ngày
@@ -4286,7 +4338,7 @@
 ,Qty to Deliver,Số lượng để Cung cấp
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon sẽ đồng bộ dữ liệu được cập nhật sau ngày này
 ,Stock Analytics,Phân tích hàng tồn kho
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,Hoạt động không thể để trống
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,Hoạt động không thể để trống
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,Xét nghiệm)
 DocType: Maintenance Visit Purpose,Against Document Detail No,Đối với tài liệu chi tiết Không
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},Không cho phép xóa quốc gia {0}
@@ -4294,13 +4346,12 @@
 DocType: Quality Inspection,Outgoing,Đi
 DocType: Material Request,Requested For,Đối với yêu cầu
 DocType: Quotation Item,Against Doctype,Chống lại DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} đã huỷ bỏ hoặc đã đóng
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} đã huỷ bỏ hoặc đã đóng
 DocType: Asset,Calculate Depreciation,Tính khấu hao
 DocType: Delivery Note,Track this Delivery Note against any Project,Theo dõi bản ghi chú giao hàng nào với bất kỳ dự án nào
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,Tiền thuần từ đầu tư
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Khách hàng&gt; Nhóm khách hàng&gt; Lãnh thổ
 DocType: Work Order,Work-in-Progress Warehouse,Kho đang trong tiến độ hoàn thành
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,Tài sản {0} phải được đệ trình
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,Tài sản {0} phải được đệ trình
 DocType: Fee Schedule Program,Total Students,Tổng số sinh viên
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Attendance Ghi {0} tồn tại đối với Sinh viên {1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},THam chiếu # {0} được đặt kỳ hạn {1}
@@ -4320,7 +4371,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,Không thể tạo Tiền thưởng giữ chân cho Nhân viên còn lại
 DocType: Lead,Market Segment,Phân khúc thị trường
 DocType: Agriculture Analysis Criteria,Agriculture Manager,Quản lý Nông nghiệp
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},Số tiền trả không có thể lớn hơn tổng số dư âm {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},Số tiền trả không có thể lớn hơn tổng số dư âm {0}
 DocType: Supplier Scorecard Period,Variables,Biến
 DocType: Employee Internal Work History,Employee Internal Work History,Lịch sử nhân viên nội bộ làm việc
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),Đóng cửa (Tiến sĩ)
@@ -4345,22 +4396,24 @@
 DocType: Amazon MWS Settings,Synch Products,Sản phẩm Synch
 DocType: Loyalty Point Entry,Loyalty Program,Chương trình khách hàng thân thiết
 DocType: Student Guardian,Father,Cha
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,Vé hỗ trợ
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,'Cập Nhật kho hàng' không thể được kiểm tra  việc buôn bán tài sản cố định
 DocType: Bank Reconciliation,Bank Reconciliation,Bảng đối chiếu tài khoản ngân hàng
 DocType: Attendance,On Leave,Nghỉ
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Nhận thông tin cập nhật
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Tài khoản {2} không thuộc về Công ty {3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,Chọn ít nhất một giá trị từ mỗi thuộc tính.
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,Chọn ít nhất một giá trị từ mỗi thuộc tính.
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,Yêu cầu nguyên liệu {0} được huỷ bỏ hoặc dừng lại
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,Dispatch State
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,Dispatch State
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,Rời khỏi quản lý
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,Nhóm
 DocType: Purchase Invoice,Hold Invoice,Giữ hóa đơn
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,Vui lòng chọn Nhân viên
 DocType: Sales Order,Fully Delivered,Giao đầy đủ
-DocType: Lead,Lower Income,Thu nhập thấp
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,Thu nhập thấp
 DocType: Restaurant Order Entry,Current Order,Đơn hàng hiện tại
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,Số lượng nos và số lượng nối tiếp phải giống nhau
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},Nguồn và kho đích không thể giống nhau tại hàng {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},Nguồn và kho đích không thể giống nhau tại hàng {0}
 DocType: Account,Asset Received But Not Billed,Tài sản đã nhận nhưng không được lập hoá đơn
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Tài khoản chênh lệch phải là một loại tài khoản tài sản / trách nhiệm pháp lý, kể từ khi hòa giải cổ này là một Entry Mở"
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},Số tiền giải ngân không thể lớn hơn Số tiền vay {0}
@@ -4369,7 +4422,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},Số mua hàng cần thiết cho mục {0}
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Từ Ngày' phải sau 'Đến Ngày'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,Không tìm thấy kế hoạch nhân sự nào cho chỉ định này
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,Lô {0} của mục {1} bị tắt.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,Lô {0} của mục {1} bị tắt.
 DocType: Leave Policy Detail,Annual Allocation,Phân bổ hàng năm
 DocType: Travel Request,Address of Organizer,Địa chỉ tổ chức
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,Chọn chuyên gia chăm sóc sức khỏe ...
@@ -4378,12 +4431,12 @@
 DocType: Asset,Fully Depreciated,khấu hao hết
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,Dự kiến số lượng tồn kho
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},Khách hàng {0} không thuộc về dự án {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},Khách hàng {0} không thuộc về dự án {1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,Đánh dấu có mặt HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers","Báo giá là đề xuất, giá thầu bạn đã gửi cho khách hàng"
 DocType: Sales Invoice,Customer's Purchase Order,Đơn Mua hàng của khách hàng
 DocType: Clinical Procedure,Patient,Bệnh nhân
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,Kiểm tra tín dụng Bypass tại Đặt hàng Bán hàng
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,Kiểm tra tín dụng Bypass tại Đặt hàng Bán hàng
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,Hoạt động giới thiệu nhân viên
 DocType: Location,Check if it is a hydroponic unit,Kiểm tra nếu nó là một đơn vị hydroponic
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Số thứ tự và hàng loạt
@@ -4393,7 +4446,7 @@
 DocType: Supplier Scorecard Period,Calculations,Tính toán
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,Giá trị hoặc lượng
 DocType: Payment Terms Template,Payment Terms,Điều khoản thanh toán
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,Đơn đặt hàng sản xuất không thể được nâng lên cho:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,Đơn đặt hàng sản xuất không thể được nâng lên cho:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,Phút
 DocType: Purchase Invoice,Purchase Taxes and Charges,Mua các loại thuế và các loại tiền công
 DocType: Chapter,Meetup Embed HTML,Nhúng HTML Meetup HTML
@@ -4401,7 +4454,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,Chuyển đến Nhà cung cấp
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS đóng thuế chứng từ
 ,Qty to Receive,Số lượng để nhận
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Ngày bắt đầu và ngày kết thúc không có trong Thời hạn biên chế hợp lệ, không thể tính toán {0}."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Ngày bắt đầu và ngày kết thúc không có trong Thời hạn biên chế hợp lệ, không thể tính toán {0}."
 DocType: Leave Block List,Leave Block List Allowed,Để lại danh sách chặn cho phép
 DocType: Grading Scale Interval,Grading Scale Interval,Phân loại khoảng thời gian
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Chi phí khiếu nại cho xe Log {0}
@@ -4409,10 +4462,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm giá (%) trên Bảng Giá Giá với giá lề
 DocType: Healthcare Service Unit Type,Rate / UOM,Tỷ lệ / UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tất cả các kho hàng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Không tìm thấy {0} nào cho Giao dịch của Công ty Inter.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Không tìm thấy {0} nào cho Giao dịch của Công ty Inter.
 DocType: Travel Itinerary,Rented Car,Xe thuê
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,Giới thiệu về công ty của bạn
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,Để tín dụng tài khoản phải có một tài khoản Cân đối kế toán
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,Để tín dụng tài khoản phải có một tài khoản Cân đối kế toán
 DocType: Donor,Donor,Nhà tài trợ
 DocType: Global Defaults,Disable In Words,"Vô hiệu hóa ""Số tiền bằng chữ"""
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,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ố
@@ -4424,14 +4477,15 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,Tài khoản thấu chi ngân hàng
 DocType: Patient,Patient ID,ID Bệnh nhân
 DocType: Practitioner Schedule,Schedule Name,Tên Lịch
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,Đường ống bán hàng theo giai đoạn
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,Làm cho lương trượt
 DocType: Currency Exchange,For Buying,Để mua
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,Thêm Tất cả Nhà cung cấp
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,Thêm Tất cả Nhà cung cấp
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Hàng # {0}: Khoản tiền phân bổ không thể lớn hơn số tiền chưa thanh toán.
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,duyệt BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,Các khoản cho vay được bảo đảm
 DocType: Purchase Invoice,Edit Posting Date and Time,Chỉnh sửa ngày và giờ đăng
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Hãy thiết lập tài khoản liên quan Khấu hao trong phân loại của cải {0} hoặc Công ty {1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Hãy thiết lập tài khoản liên quan Khấu hao trong phân loại của cải {0} hoặc Công ty {1}
 DocType: Lab Test Groups,Normal Range,Dãy thông thường
 DocType: Academic Term,Academic Year,Năm học
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,Bán có sẵn
@@ -4460,26 +4514,26 @@
 DocType: Patient Appointment,Patient Appointment,Bổ nhiệm Bệnh nhân
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Phê duyệt Vai trò không thể giống như vai trò của quy tắc là áp dụng để
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Hủy đăng ký từ Email phân hạng này
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,Nhận các nhà cung cấp theo
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,Nhận các nhà cung cấp theo
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},{0} không tìm thấy cho khoản {1}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,Đi tới các Khoá học
 DocType: Accounts Settings,Show Inclusive Tax In Print,Hiển thị Thuế Nhập Khẩu
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory","Tài khoản ngân hàng, Từ Ngày và Đến Ngày là bắt buộc"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,Gửi tin nhắn
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,Không thể thiết lập là sổ cái vì Tài khoản có các node TK con
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,Không thể thiết lập là sổ cái vì Tài khoản có các node TK con
 DocType: C-Form,II,II
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,tỷ giá mà báo giá được quy đổi về tỷ giá khách hàng chung
 DocType: Purchase Invoice Item,Net Amount (Company Currency),Số lượng tịnh(tiền tệ công ty)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,Tổng số tiền tạm ứng không được lớn hơn tổng số tiền bị xử phạt
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,Tổng số tiền tạm ứng không được lớn hơn tổng số tiền bị xử phạt
 DocType: Salary Slip,Hour Rate,Tỷ lệ giờ
 DocType: Stock Settings,Item Naming By,Mẫu hàng đặt tên bởi
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,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}
 DocType: Work Order,Material Transferred for Manufacturing,Chất liệu được chuyển giao cho sản xuất
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,Tài khoản {0} không tồn tại
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,Chọn Chương trình khách hàng thân thiết
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,Chọn Chương trình khách hàng thân thiết
 DocType: Project,Project Type,Loại dự án
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,Child Task tồn tại cho tác vụ này. Bạn không thể xóa Tác vụ này.
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,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.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,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.
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,Chi phí hoạt động khác nhau
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Thiết kiện để {0}, vì các nhân viên thuộc dưới Sales Người không có một ID người dùng {1}"
 DocType: Timesheet,Billing Details,Chi tiết Thanh toán
@@ -4537,13 +4591,13 @@
 DocType: Inpatient Record,A Negative,Âm bản
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Không có gì hơn để hiển thị.
 DocType: Lead,From Customer,Từ khách hàng
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Các Cuộc gọi
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,Các Cuộc gọi
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,Một sản phẩm
 DocType: Employee Tax Exemption Declaration,Declarations,Tuyên bố
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,Hàng loạt
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,Lập biểu phí
 DocType: Purchase Order Item Supplied,Stock UOM,Đơn vị tính Hàng tồn kho
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,Mua hàng {0} không nộp
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,Mua hàng {0} không nộp
 DocType: Account,Expenses Included In Asset Valuation,Chi phí bao gồm trong định giá tài sản
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),Phạm vi tham khảo thông thường dành cho người lớn là 16-20 hơi / phút (RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,Số thuế
@@ -4556,6 +4610,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,Xin lưu bệnh nhân đầu tiên
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,Tham dự đã được đánh dấu thành công.
 DocType: Program Enrollment,Public Transport,Phương tiện giao thông công cộng
+DocType: Delivery Note,GST Vehicle Type,GST Loại xe
 DocType: Soil Texture,Silt Composition (%),Thành phần Silt (%)
 DocType: Journal Entry,Remark,Nhận xét
 DocType: Healthcare Settings,Avoid Confirmation,Tránh Xác nhận
@@ -4565,11 +4620,10 @@
 DocType: Education Settings,Current Academic Term,Học thuật hiện tại
 DocType: Education Settings,Current Academic Term,Học thuật hiện tại
 DocType: Sales Order,Not Billed,Không lập được hóa đơn
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,Cả 2 Kho hàng phải thuộc cùng một công ty
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,Cả 2 Kho hàng phải thuộc cùng một công ty
 DocType: Employee Grade,Default Leave Policy,Chính sách Rời khỏi Mặc định
 DocType: Shopify Settings,Shop URL,URL cửa hàng
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Chưa có liên hệ nào được bổ sung.
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vui lòng thiết lập chuỗi đánh số để tham dự qua Thiết lập&gt; Chuỗi đánh số
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Lượng chứng thư chi phí hạ cánh
 ,Item Balance (Simple),Số dư mục (Đơn giản)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Hóa đơn từ NCC
@@ -4594,7 +4648,7 @@
 DocType: Shopping Cart Settings,Quotation Series,Báo giá seri
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"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"
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,Tiêu chuẩn phân tích đất
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,Vui lòng chọn của khách hàng
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,Vui lòng chọn của khách hàng
 DocType: C-Form,I,tôi
 DocType: Company,Asset Depreciation Cost Center,Chi phí bộ phận - khấu hao tài sản
 DocType: Production Plan Sales Order,Sales Order Date,Ngày đơn đặt hàng
@@ -4607,8 +4661,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,Hiện tại không có hàng hóa dự trữ nào trong nhà kho
 ,Payment Period Based On Invoice Date,Thời hạn thanh toán Dựa trên hóa đơn ngày
 DocType: Sample Collection,No. of print,Số lượng in
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,Lời nhắc sinh nhật
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Khách sạn Đặt phòng Mục
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Thiếu ngoại tệ Tỷ giá ngoại tệ cho {0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},Thiếu ngoại tệ Tỷ giá ngoại tệ cho {0}
 DocType: Employee Health Insurance,Health Insurance Name,Tên Bảo hiểm Y tế
 DocType: Assessment Plan,Examiner,giám khảo
 DocType: Student,Siblings,Anh chị em ruột
@@ -4625,19 +4680,20 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Khách hàng mới
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,Lợi nhuận gộp%
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,Cuộc hẹn {0} và Hóa đơn bán hàng {1} đã bị hủy
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,Cơ hội bằng nguồn khách hàng tiềm năng
 DocType: Appraisal Goal,Weightage (%),Trọng lượng(%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,Thay đổi Hồ sơ POS
 DocType: Bank Reconciliation Detail,Clearance Date,Ngày chốt sổ
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value","Nội dung đã tồn tại đối với mục {0}, bạn không thể thay đổi giá trị nối tiếp không có giá trị"
+DocType: Delivery Settings,Dispatch Notification Template,Mẫu thông báo công văn
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value","Nội dung đã tồn tại đối với mục {0}, bạn không thể thay đổi giá trị nối tiếp không có giá trị"
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,Báo cáo đánh giá
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,Nhận nhân viên
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,Tổng tiền mua hàng là bắt buộc
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,Tên công ty không giống nhau
 DocType: Lead,Address Desc,Giải quyết quyết định
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,Đối tác là bắt buộc
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},Đã tìm thấy các hàng trùng lặp trong các hàng khác: {list}
 DocType: Topic,Topic Name,Tên chủ đề
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,Vui lòng đặt mẫu mặc định cho Thông báo chấp thuận để lại trong Cài đặt nhân sự.
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,Vui lòng đặt mẫu mặc định cho Thông báo chấp thuận để lại trong Cài đặt nhân sự.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,Ít nhất bán hàng hoặc mua hàng phải được lựa chọn
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,Chọn một nhân viên để có được nhân viên trước.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,Vui lòng chọn ngày hợp lệ
@@ -4671,6 +4727,7 @@
 DocType: Stock Entry,Customer or Supplier Details,Chi tiết khách hàng hoặc nhà cung cấp
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,Giá trị tài sản hiện tại
+DocType: QuickBooks Migrator,Quickbooks Company ID,ID công ty Quickbooks
 DocType: Travel Request,Travel Funding,Tài trợ du lịch
 DocType: Loan Application,Required by Date,Theo yêu cầu của ngày
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Một liên kết đến tất cả các Vị trí mà Crop đang phát triển
@@ -4684,9 +4741,9 @@
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Số lượng có sẵn hàng loạt tại Từ kho
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Tổng trả- Tổng Trích - trả nợ
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,BOM BOM hiện tại và mới không thể giống nhau
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,BOM BOM hiện tại và mới không thể giống nhau
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,ID Phiếu lương
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,Ngày nghỉ hưu phải lớn hơn ngày gia nhập
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,Ngày nghỉ hưu phải lớn hơn ngày gia nhập
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,Nhiều biến thể
 DocType: Sales Invoice,Against Income Account,Đối với tài khoản thu nhập
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Đã giao hàng
@@ -4715,7 +4772,7 @@
 DocType: POS Profile,Update Stock,Cập nhật hàng tồn kho
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM khác nhau cho các hạng mục sẽ dẫn đến (Tổng) giá trị Trọng lượng Tịnh không chính xác. Hãy chắc chắn rằng Trọng lượng Tịnh của mỗi hạng mục là trong cùng một UOM.
 DocType: Certification Application,Payment Details,Chi tiết Thanh toán
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,Tỷ giá BOM
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,Tỷ giá BOM
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Đơn đặt hàng công việc đã ngừng làm việc không thể hủy, hãy dỡ bỏ nó trước để hủy bỏ"
 DocType: Asset,Journal Entry for Scrap,BÚt toán nhật ký cho hàng phế liệu
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Hãy kéo các mục từ phiếu giao hàng
@@ -4738,11 +4795,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,Tổng số tiền bị xử phạt
 ,Purchase Analytics,Phân tích mua hàng
 DocType: Sales Invoice Item,Delivery Note Item,Mục của Phiếu giao hàng
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,Hóa đơn hiện tại {0} bị thiếu
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,Hóa đơn hiện tại {0} bị thiếu
 DocType: Asset Maintenance Log,Task,Nhiệm vụ
 DocType: Purchase Taxes and Charges,Reference Row #,dãy tham chiếu #
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Số hiệu Lô là bắt buộc đối với mục {0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Đây là một người bán hàng gốc và không thể được chỉnh sửa.
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,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.
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nếu được chọn, giá trị được xác định hoặc tính trong thành phần này sẽ không đóng góp vào thu nhập hoặc khấu trừ. Tuy nhiên, giá trị của nó có thể được tham chiếu bởi các thành phần khác có thể được thêm vào hoặc khấu trừ."
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nếu được chọn, giá trị được xác định hoặc tính trong thành phần này sẽ không đóng góp vào thu nhập hoặc khấu trừ. Tuy nhiên, giá trị của nó có thể được tham chiếu bởi các thành phần khác có thể được thêm vào hoặc khấu trừ."
 DocType: Asset Settings,Number of Days in Fiscal Year,Số ngày trong năm tài chính
@@ -4751,7 +4808,7 @@
 DocType: Company,Exchange Gain / Loss Account,Trao đổi Gain / Tài khoản lỗ
 DocType: Amazon MWS Settings,MWS Credentials,Thông tin đăng nhập MWS
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,Nhân viên và chấm công
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},Mục đích phải là một trong {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},Mục đích phải là một trong {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,Điền vào mẫu và lưu nó
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Cộng đồng Diễn đàn
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,Số lượng thực tế trong kho
@@ -4767,7 +4824,7 @@
 DocType: Lab Test Template,Standard Selling Rate,Tỷ giá bán hàng tiêu chuẩn
 DocType: Account,Rate at which this tax is applied,Tỷ giá ở mức thuế này được áp dụng
 DocType: Cash Flow Mapper,Section Name,Tên phần
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,Sắp xếp lại Qty
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,Sắp xếp lại Qty
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},Hàng khấu hao {0}: Giá trị kỳ vọng sau khi sử dụng hữu ích phải lớn hơn hoặc bằng {1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,Hiện tại Hở Job
 DocType: Company,Stock Adjustment Account,Tài khoản Điều chỉnh Hàng tồn kho
@@ -4777,8 +4834,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Hệ thống người dùng (đăng nhập) ID. Nếu được thiết lập, nó sẽ trở thành mặc định cho tất cả các hình thức nhân sự."
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,Nhập chi tiết khấu hao
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Từ {1}
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},Để lại ứng dụng {0} đã tồn tại đối với sinh viên {1}
 DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Hàng đợi để cập nhật giá mới nhất trong tất cả Hóa đơn. Có thể mất vài phút.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Hàng đợi để cập nhật giá mới nhất trong tất cả Hóa đơn. Có thể mất vài phút.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Tên 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
 DocType: POS Profile,Display Items In Stock,Hiển thị các mục trong kho
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Nước khôn ngoan Địa chỉ mặc định Templates
@@ -4808,16 +4866,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,Các khe cho {0} không được thêm vào lịch biểu
 DocType: Product Bundle,List items that form the package.,Danh sách vật phẩm tạo thành các gói.
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,Không được phép. Vui lòng vô hiệu mẫu kiểm tra
+DocType: Delivery Note,Distance (in km),Khoảng cách (tính bằng km)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Tỷ lệ phần trăm phân bổ phải bằng 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,Vui lòng chọn ngày đăng bài trước khi lựa chọn đối tác
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,Vui lòng chọn ngày đăng bài trước khi lựa chọn đối tác
 DocType: Program Enrollment,School House,School House
 DocType: Serial No,Out of AMC,Của AMC
+DocType: Opportunity,Opportunity Amount,Số tiền cơ hội
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Số khấu hao Thẻ vàng không thể lớn hơn Tổng số khấu hao
 DocType: Purchase Order,Order Confirmation Date,Ngày Xác nhận Đơn hàng
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Thực hiện bảo trì đăng nhập
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","Ngày bắt đầu và ngày kết thúc trùng lặp với thẻ công việc <a href=""#Form/Job Card/{0}"">{1}</a>"
 DocType: Employee Transfer,Employee Transfer Details,Chi tiết chuyển tiền của nhân viên
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,Vui lòng liên hệ với người Quản lý Bán hàng Chính {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,Vui lòng liên hệ với người Quản lý Bán hàng Chính {0}
 DocType: Company,Default Cash Account,Tài khoản mặc định tiền
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,Quản trị Công ty (không phải khách hàng hoặc nhà cung cấp)
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Điều này được dựa trên sự tham gia của sinh viên này
@@ -4825,9 +4886,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,Thêm nhiều mặt hàng hoặc hình thức mở đầy đủ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Phiếu giao hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,Chuyển đến Người dùng
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,Số tiền thanh toán + Viết Tắt Số tiền không thể lớn hơn Tổng cộng
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,Số tiền thanh toán + Viết Tắt Số tiền không thể lớn hơn Tổng cộng
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} không phải là một dãy số hợp lệ với vật liệu  {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},Lưu ý: Không có đủ số dư để lại cho Loại di dời {0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},Lưu ý: Không có đủ số dư để lại cho Loại di dời {0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,Tài khoản GST không hợp lệ hoặc nhập Không hợp lệ cho Không đăng ký
 DocType: Training Event,Seminar,Hội thảo
 DocType: Program Enrollment Fee,Program Enrollment Fee,Chương trình Lệ phí đăng ký
@@ -4844,7 +4905,7 @@
 DocType: Fee Schedule,Fee Schedule,Biểu phí
 DocType: Company,Create Chart Of Accounts Based On,Tạo Chart of Accounts Dựa On
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,Không thể chuyển nó sang nhóm không. Nhiệm vụ trẻ em tồn tại.
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,Ngày sinh thể không được lớn hơn ngày hôm nay.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,Ngày sinh thể không được lớn hơn ngày hôm nay.
 ,Stock Ageing,Hàng tồn kho cũ dần
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Được tài trợ một phần, Yêu cầu tài trợ một phần"
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},Sinh viên {0} tồn tại đối với người nộp đơn sinh viên {1}
@@ -4891,11 +4952,11 @@
 DocType: Stock Reconciliation Item,Before reconciliation,Trước kiểm kê
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Để {0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Thuế và Phí bổ sung (tiền tệ công ty)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Dãy thuế mẫu hàng{0} phải có tài khoản của các loại thuế, thu nhập hoặc chi phí hoặc có thu phí"
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Dãy thuế mẫu hàng{0} phải có tài khoản của các loại thuế, thu nhập hoặc chi phí hoặc có thu phí"
 DocType: Sales Order,Partly Billed,Được quảng cáo một phần
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,Mục {0} phải là một tài sản cố định mục
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,Thực hiện các biến thể
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,Thực hiện các biến thể
 DocType: Item,Default BOM,BOM mặc định
 DocType: Project,Total Billed Amount (via Sales Invoices),Tổng số Khoản Thanh Toán (Thông qua Hóa Đơn Bán Hàng)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,khoản nợ tiền mặt
@@ -4924,14 +4985,14 @@
 DocType: Notification Control,Custom Message,Tùy chỉnh tin nhắn
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,Ngân hàng đầu tư
 DocType: Purchase Invoice,input,đầu vào
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,Tiền mặt hoặc tài khoản ngân hàng là bắt buộc đối với việc nhập cảnh thanh toán
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,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
 DocType: Loyalty Program,Multiple Tier Program,Chương trình nhiều cấp
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Địa chỉ của sinh viên
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Địa chỉ của sinh viên
 DocType: Purchase Invoice,Price List Exchange Rate,Danh sách Tỷ giá
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,Tất cả các nhóm nhà cung cấp
 DocType: Employee Boarding Activity,Required for Employee Creation,Bắt buộc để tạo nhân viên
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},Số tài khoản {0} đã được sử dụng trong tài khoản {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},Số tài khoản {0} đã được sử dụng trong tài khoản {1}
 DocType: GoCardless Mandate,Mandate,Uỷ nhiệm
 DocType: POS Profile,POS Profile Name,Tên Hồ sơ POS
 DocType: Hotel Room Reservation,Booked,Đã đặt trước
@@ -4947,18 +5008,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,Số tham khảo là bắt buộc nếu bạn đã nhập vào kỳ hạn tham khảo
 DocType: Bank Reconciliation Detail,Payment Document,Tài liệu Thanh toán
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,Lỗi khi đánh giá công thức tiêu chuẩn
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,Ngày gia nhập phải lớn hơn ngày sinh
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,Ngày gia nhập phải lớn hơn ngày sinh
 DocType: Subscription,Plans,Các kế hoạch
 DocType: Salary Slip,Salary Structure,Cơ cấu tiền lương
 DocType: Account,Bank,Ngân hàng
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,Hãng hàng không
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,Vấn đề liệu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,Vấn đề liệu
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,Kết nối Shopify với ERPNext
 DocType: Material Request Item,For Warehouse,Cho kho hàng
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,Ghi chú giao hàng {0} được cập nhật
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,Ghi chú giao hàng {0} được cập nhật
 DocType: Employee,Offer Date,Kỳ hạn Yêu cầu
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Các bản dự kê giá
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,Bạn đang ở chế độ offline. Bạn sẽ không thể để lại cho đến khi bạn có mạng.
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,Các bản dự kê giá
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,Bạn đang ở chế độ offline. Bạn sẽ không thể để lại cho đến khi bạn có mạng.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,Ban cho
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,Không có nhóm học sinh được tạo ra.
 DocType: Purchase Invoice Item,Serial No,Không nối tiếp
@@ -4970,24 +5031,26 @@
 DocType: Sales Invoice,Customer PO Details,Chi tiết khách hàng PO
 DocType: Stock Entry,Including items for sub assemblies,Bao gồm các mặt hàng cho các tiểu hội
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tài khoản Mở Tạm Thời
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,Nhập giá trị phải được tích cực
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,Nhập giá trị phải được tích cực
 DocType: Asset,Finance Books,Sách Tài chính
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Danh mục khai thuế miễn thuế cho nhân viên
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,Tất cả các vùng lãnh thổ
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,Vui lòng đặt chính sách nghỉ cho nhân viên {0} trong hồ sơ Nhân viên / Lớp
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,Thứ tự chăn không hợp lệ cho Khách hàng và mục đã chọn
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,Thứ tự chăn không hợp lệ cho Khách hàng và mục đã chọn
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,Thêm Nhiều Tác vụ
 DocType: Purchase Invoice,Items,Khoản mục
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,Ngày kết thúc không thể trước Ngày bắt đầu.
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,Sinh viên đã được ghi danh.
 DocType: Fiscal Year,Year Name,Tên năm
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,Có nhiều ngày lễ hơn ngày làm việc trong tháng này.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC Ref
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,Có nhiều ngày lễ hơn ngày làm việc trong tháng này.
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Các mục sau {0} không được đánh dấu là {1} mục. Bạn có thể bật chúng dưới dạng {1} mục từ chủ mục của nó
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC Ref
 DocType: Production Plan Item,Product Bundle Item,Gói sản phẩm hàng
 DocType: Sales Partner,Sales Partner Name,Tên đại lý
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,Yêu cầu Báo giá
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,Yêu cầu Báo giá
 DocType: Payment Reconciliation,Maximum Invoice Amount,Số tiền Hoá đơn tối đa
 DocType: Normal Test Items,Normal Test Items,Các bài kiểm tra thông thường
+DocType: QuickBooks Migrator,Company Settings,Thiết lập công ty
 DocType: Additional Salary,Overwrite Salary Structure Amount,Ghi đè số tiền cấu trúc lương
 DocType: Student Language,Student Language,Ngôn ngữ học
 apps/erpnext/erpnext/config/selling.py +23,Customers,các khách hàng
@@ -5000,22 +5063,24 @@
 DocType: Issue,Opening Time,Thời gian mở
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,"""Từ ngày đến ngày"" phải có"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,Chứng khoán và Sở Giao dịch hàng hóa
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Mặc định Đơn vị đo lường cho Variant &#39;{0}&#39; phải giống như trong Template &#39;{1}&#39;
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Mặc định Đơn vị đo lường cho Variant &#39;{0}&#39; phải giống như trong Template &#39;{1}&#39;
 DocType: Shipping Rule,Calculate Based On,Tính toán dựa trên
 DocType: Contract,Unfulfilled,Chưa hoàn thành
 DocType: Delivery Note Item,From Warehouse,Từ kho
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,Không có nhân viên nào cho các tiêu chí đã đề cập
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,Không có mẫu hàng với hóa đơn nguyên liệu để sản xuất
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,Không có mẫu hàng với hóa đơn nguyên liệu để sản xuất
 DocType: Shopify Settings,Default Customer,Khách hàng Mặc định
+DocType: Sales Stage,Stage Name,Tên giai đoạn
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,Tên Supervisor
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,Không xác nhận nếu cuộc hẹn được tạo ra cho cùng một ngày
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,Gửi đến trạng thái
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,Gửi đến trạng thái
 DocType: Program Enrollment Course,Program Enrollment Course,Khóa học ghi danh chương trình
 DocType: Program Enrollment Course,Program Enrollment Course,Khóa học ghi danh chương trình
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},Người dùng {0} đã được chỉ định cho nhân viên y tế {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,Đặt Mục nhập Lưu giữ Mẫu
 DocType: Purchase Taxes and Charges,Valuation and Total,Định giá và Tổng
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,Đàm phán / Đánh giá
 DocType: Leave Encashment,Encashment Amount,Số tiền Encashment
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,Thẻ điểm
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,Lô đã hết hạn
@@ -5025,7 +5090,7 @@
 DocType: Staffing Plan Detail,Current Openings,Mở hiện tại
 DocType: Notification Control,Customize the Notification,Tùy chỉnh thông báo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,Lưu chuyển tiền tệ từ hoạt động
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,Số tiền CGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,Số tiền CGST
 DocType: Purchase Invoice,Shipping Rule,Quy tắc giao hàng
 DocType: Patient Relation,Spouse,Vợ / chồng
 DocType: Lab Test Groups,Add Test,Thêm Thử nghiệm
@@ -5039,14 +5104,14 @@
 DocType: Payroll Entry,Payroll Frequency,Biên chế tần số
 DocType: Lab Test Template,Sensitivity,Nhạy cảm
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,Đồng bộ hóa đã tạm thời bị vô hiệu hóa vì đã vượt quá số lần thử lại tối đa
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,Nguyên liệu thô
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,Nguyên liệu thô
 DocType: Leave Application,Follow via Email,Theo qua email
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,Cây và Máy móc thiết bị
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Tiền thuế sau khi chiết khấu
 DocType: Patient,Inpatient Status,Tình trạng nội trú
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,Cài đặt Tóm tắt công việc hàng ngày
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,Danh sách giá đã chọn phải có các trường mua và bán được chọn.
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,Vui lòng nhập Reqd theo ngày
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,Danh sách giá đã chọn phải có các trường mua và bán được chọn.
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,Vui lòng nhập Reqd theo ngày
 DocType: Payment Entry,Internal Transfer,Chuyển nội bộ
 DocType: Asset Maintenance,Maintenance Tasks,Công việc bảo trì
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,số lượng mục tiêu là bắt buộc
@@ -5068,7 +5133,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Lần giao tiếp cuối
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Lần giao tiếp cuối
 ,TDS Payable Monthly,TDS phải trả hàng tháng
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,Xếp hàng để thay thế BOM. Có thể mất vài phút.
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,Xếp hàng để thay thế BOM. Có thể mất vài phút.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Không thể khấu trừ khi loại là 'định giá' hoặc 'Định giá và Total'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},Nối tiếp Nos Yêu cầu cho In nhiều mục {0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,Thanh toán phù hợp với hoá đơn
@@ -5081,7 +5146,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,Thêm vào giỏ hàng
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,Nhóm theo
 DocType: Guardian,Interests,Sở thích
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,Cho phép / vô hiệu hóa tiền tệ.
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,Cho phép / vô hiệu hóa tiền tệ.
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,Không thể gửi một số phiếu lương
 DocType: Exchange Rate Revaluation,Get Entries,Nhận mục nhập
 DocType: Production Plan,Get Material Request,Nhận Chất liệu Yêu cầu
@@ -5103,15 +5168,16 @@
 DocType: Lead,Lead Type,Loại Tiềm năng
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,Bạn không được uỷ quyền phê duyệt nghỉ trên Các khối kỳ hạn
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,Tất cả các mặt hàng này đã được lập hoá đơn
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,Đặt ngày phát hành mới
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,Đặt ngày phát hành mới
 DocType: Company,Monthly Sales Target,Mục tiêu bán hàng hàng tháng
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Có thể được duyệt bởi {0}
 DocType: Hotel Room,Hotel Room Type,Loại phòng khách sạn
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,Nhà cung cấp&gt; Loại nhà cung cấp
 DocType: Leave Allocation,Leave Period,Rời khỏi Khoảng thời gian
 DocType: Item,Default Material Request Type,Mặc định liệu yêu cầu Loại
 DocType: Supplier Scorecard,Evaluation Period,Thời gian thẩm định
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,không xác định
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,Đơn hàng công việc chưa tạo
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,Đơn hàng công việc chưa tạo
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}","Một số tiền {0} đã được xác nhận quyền sở hữu cho thành phần {1}, \ đặt số tiền bằng hoặc lớn hơn {2}"
 DocType: Shipping Rule,Shipping Rule Conditions,Các điều kiện cho quy tắc vận  chuyển
@@ -5146,15 +5212,15 @@
 DocType: Batch,Source Document Name,Tên tài liệu nguồn
 DocType: Production Plan,Get Raw Materials For Production,Lấy nguyên liệu thô để sản xuất
 DocType: Job Opening,Job Title,Chức vụ
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.","{0} cho biết rằng {1} sẽ không cung cấp báo giá, nhưng tất cả các mục \ đã được trích dẫn. Đang cập nhật trạng thái báo giá RFQ."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Các mẫu tối đa - {0} đã được giữ lại cho Batch {1} và Item {2} trong Batch {3}.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Các mẫu tối đa - {0} đã được giữ lại cho Batch {1} và Item {2} trong Batch {3}.
 DocType: Manufacturing Settings,Update BOM Cost Automatically,Cập nhật Tự động
 DocType: Lab Test,Test Name,Tên thử nghiệm
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,Thủ tục lâm sàng
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,tạo người dùng
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,Gram
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,Đăng ký
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,Đăng ký
 DocType: Supplier Scorecard,Per Month,Mỗi tháng
 DocType: Education Settings,Make Academic Term Mandatory,Bắt buộc từ học thuật
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,Số lượng để sản xuất phải lớn hơn 0.
@@ -5163,10 +5229,10 @@
 DocType: Stock Entry,Update Rate and Availability,Cập nhật tỷ giá và hiệu lực
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Tỷ lệ phần trăm bạn được phép nhận hoặc cung cấp nhiều so với số lượng đặt hàng. Ví dụ: Nếu bạn đã đặt mua 100 đơn vị. và Trợ cấp của bạn là 10% sau đó bạn được phép nhận 110 đơn vị.
 DocType: Loyalty Program,Customer Group,Nhóm khách hàng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Hàng # {0}: Hoạt động {1} không hoàn thành cho {2} số lượng hàng hoá thành phẩm trong Đơn hàng công việc # {3}. Vui lòng cập nhật trạng thái hoạt động qua Bản ghi Thời gian
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,Hàng # {0}: Hoạt động {1} không hoàn thành cho {2} số lượng hàng hoá thành phẩm trong Đơn hàng công việc # {3}. Vui lòng cập nhật trạng thái hoạt động qua Bản ghi Thời gian
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ID hàng loạt mới (Tùy chọn)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),ID hàng loạt mới (Tùy chọn)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},Tài khoản chi phí là bắt buộc đối với mục {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},Tài khoản chi phí là bắt buộc đối với mục {0}
 DocType: BOM,Website Description,Mô tả Website
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,Chênh lệch giá tịnh trong vốn sở hữu
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,Hãy hủy hóa đơn mua hàng {0} đầu tiên
@@ -5181,7 +5247,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,Không có gì phải chỉnh sửa.
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,Xem Mẫu
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Chi phí phê duyệt bắt buộc trong yêu cầu chi tiêu
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,Tóm tắt cho tháng này và các hoạt động cấp phát
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,Tóm tắt cho tháng này và các hoạt động cấp phát
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vui lòng đặt Tài khoản Lãi / lỗ chưa thực hiện trong Công ty {0}
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.","Thêm người dùng vào tổ chức của bạn, ngoài chính bạn."
 DocType: Customer Group,Customer Group Name,Tên Nhóm khách hàng
@@ -5191,14 +5257,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,Không có yêu cầu vật liệu được tạo
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Số tiền cho vay không thể vượt quá Số tiền cho vay tối đa của {0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,bằng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},Hãy loại bỏ hóa đơn này {0} từ C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},Hãy loại bỏ hóa đơn này {0} từ C-Form {1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vui lòng chọn Carry Forward nếu bạn cũng muốn bao gồm cân bằng tài chính của năm trước để lại cho năm tài chính này
 DocType: GL Entry,Against Voucher Type,Loại chống lại Voucher
 DocType: Healthcare Practitioner,Phone (R),Điện thoại (R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,Đã thêm khe thời gian
 DocType: Item,Attributes,Thuộc tính
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,Bật Mẫu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,Vui lòng nhập Viết Tắt tài khoản
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,Vui lòng nhập Viết Tắt tài khoản
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Kỳ hạn đặt cuối cùng
 DocType: Salary Component,Is Payable,Có thể trả
 DocType: Inpatient Record,B Negative,B Phủ định
@@ -5209,7 +5275,7 @@
 DocType: Hotel Room,Hotel Room,Phòng khách sạn
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},Tài khoản {0} không thuộc về công ty {1}
 DocType: Leave Type,Rounding,Làm tròn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,Số sê-ri trong hàng {0} không khớp với Lưu lượng giao hàng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,Số sê-ri trong hàng {0} không khớp với Lưu lượng giao hàng
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),Số tiền được phân phối (Được xếp hạng theo tỷ lệ)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.","Sau đó, Quy tắc đặt giá đượ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, Nhóm nhà cung cấp, Chiến dịch, Đối tác bán hàng, v.v."
 DocType: Student,Guardian Details,Chi tiết người giám hộ
@@ -5218,10 +5284,10 @@
 DocType: Vehicle,Chassis No,chassis Không
 DocType: Payment Request,Initiated,Được khởi xướng
 DocType: Production Plan Item,Planned Start Date,Ngày bắt đầu lên kế hoạch
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,Vui lòng chọn một BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,Vui lòng chọn một BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Thuế tích hợp ITC đã sử dụng
 DocType: Purchase Order Item,Blanket Order Rate,Tỷ lệ đặt hàng chăn
-apps/erpnext/erpnext/hooks.py +156,Certification,Chứng nhận
+apps/erpnext/erpnext/hooks.py +157,Certification,Chứng nhận
 DocType: Bank Guarantee,Clauses and Conditions,Điều khoản và điều kiện
 DocType: Serial No,Creation Document Type,Loại tài liệu sáng tạo
 DocType: Project Task,View Timesheet,Xem tờ báo
@@ -5246,6 +5312,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Mẫu gốc {0} không thể là mẫu tồn kho
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,Danh sách trang web
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tất cả sản phẩm hoặc dịch vụ.
+DocType: Email Digest,Open Quotations,Báo giá mở
 DocType: Expense Claim,More Details,Xem chi tiết
 DocType: Supplier Quotation,Supplier Address,Địa chỉ nhà cung cấp
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Ngân sách cho tài khoản {1} đối với {2} {3} là {4}. Nó sẽ vượt qua {5}
@@ -5260,12 +5327,11 @@
 DocType: Training Event,Exam,Thi
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,Lỗi thị trường
 DocType: Complaint,Complaint,Lời phàn nàn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},phải có kho cho vật tư {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},phải có kho cho vật tư {0}
 DocType: Leave Allocation,Unused leaves,Quyền nghỉ phép chưa sử dụng
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,Thực hiện mục trả nợ
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,Tất cả bộ ngành
 DocType: Healthcare Service Unit,Vacant,Trống
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,Nhà cung cấp&gt; Loại nhà cung cấp
 DocType: Patient,Alcohol Past Use,Uống rượu quá khứ
 DocType: Fertilizer Content,Fertilizer Content,Nội dung Phân bón
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,Cr
@@ -5273,7 +5339,7 @@
 DocType: Tax Rule,Billing State,Bang thanh toán
 DocType: Share Transfer,Transfer,Truyền
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,Đơn hàng công việc {0} phải được hủy bỏ trước khi hủy Lệnh bán hàng này
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),Lấy BOM nổ (bao gồm các cụm chi tiết)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),Lấy BOM nổ (bao gồm các cụm chi tiết)
 DocType: Authorization Rule,Applicable To (Employee),Để áp dụng (nhân viên)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,Ngày đến hạn là bắt buộc
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,Tăng cho thuộc tính  {0} không thể là 0
@@ -5289,7 +5355,7 @@
 DocType: Disease,Treatment Period,Thời gian điều trị
 DocType: Travel Itinerary,Travel Itinerary,Hành trình du lịch
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,Kết quả Đã gửi
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Kho dự trữ là bắt buộc đối với Khoản {0} trong Nguyên liệu được cung cấp
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,Kho dự trữ là bắt buộc đối với Khoản {0} trong Nguyên liệu được cung cấp
 ,Inactive Customers,Khách hàng không được kích hoạt
 DocType: Student Admission Program,Maximum Age,Tuổi tối đa
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,Vui lòng chờ 3 ngày trước khi gửi lại lời nhắc.
@@ -5298,7 +5364,6 @@
 DocType: Stock Entry,Delivery Note No,Số phiếu giao hàng
 DocType: Cheque Print Template,Message to show,Tin nhắn để hiển thị
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,Lĩnh vực bán lẻ
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,Quản lý hóa đơn cuộc hẹn tự động
 DocType: Student Attendance,Absent,Vắng mặt
 DocType: Staffing Plan,Staffing Plan Detail,Chi tiết kế hoạch nhân sự
 DocType: Employee Promotion,Promotion Date,Ngày khuyến mãi
@@ -5320,7 +5385,7 @@
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,Tạo đầu mối kinh doanh
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,In và Văn phòng phẩm
 DocType: Stock Settings,Show Barcode Field,Hiện Dòng mã vạch
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,Gửi email Nhà cung cấp
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,Gửi email Nhà cung cấp
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mức lương đã được xử lý cho giai đoạn giữa {0} và {1}, Giai đoạn bỏ ứng dụng không thể giữa khoảng kỳ hạn này"
 DocType: Fiscal Year,Auto Created,Tự động tạo
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,Gửi thông tin này để tạo hồ sơ Nhân viên
@@ -5329,7 +5394,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,Hoá đơn {0} không còn tồn tại
 DocType: Guardian Interest,Guardian Interest,người giám hộ lãi
 DocType: Volunteer,Availability,khả dụng
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,Thiết lập các giá trị mặc định cho các hoá đơn POS
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,Thiết lập các giá trị mặc định cho các hoá đơn POS
 apps/erpnext/erpnext/config/hr.py +248,Training,Đào tạo
 DocType: Project,Time to send,Thời gian gửi
 DocType: Timesheet,Employee Detail,Nhân viên chi tiết
@@ -5353,7 +5418,7 @@
 DocType: Training Event Employee,Optional,Không bắt buộc
 DocType: Salary Slip,Earning & Deduction,Thu nhập và khoản giảm trừ
 DocType: Agriculture Analysis Criteria,Water Analysis,Phân tích nước
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,Đã tạo {0} biến thể.
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,Đã tạo {0} biến thể.
 DocType: Amazon MWS Settings,Region,Vùng
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Tùy chọn. Thiết lập này sẽ được sử dụng để lọc xem các giao dịch khác nhau.
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,Tỷ lệ định giá âm không được cho phép
@@ -5372,7 +5437,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,Chi phí của tài sản Loại bỏ
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:Trung tâm chi phí là bắt buộc đối với vật liệu {2}
 DocType: Vehicle,Policy No,chính sách Không
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,Chọn mục từ Sản phẩm theo lô
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,Chọn mục từ Sản phẩm theo lô
 DocType: Asset,Straight Line,Đường thẳng
 DocType: Project User,Project User,Dự án tài
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,Chia
@@ -5381,7 +5446,7 @@
 DocType: GL Entry,Is Advance,Là Trước
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,Vòng đời của nhân viên
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,"""Có mặt từ ngày"" tham gia và ""có mặt đến ngày"" là bắt buộc"
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,Vui lòng nhập 'là hợp đồng phụ' như là Có hoặc Không
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,Vui lòng nhập 'là hợp đồng phụ' như là Có hoặc Không
 DocType: Item,Default Purchase Unit of Measure,Đơn vị mua hàng mặc định của biện pháp
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ngày Trao Đổi Cuối
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ngày Giao Tiếp Cuối
@@ -5391,7 +5456,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,Thiếu mã thông báo truy cập hoặc URL Shopify
 DocType: Location,Latitude,Latitude
 DocType: Work Order,Scrap Warehouse,phế liệu kho
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Kho yêu cầu tại Hàng số {0}, vui lòng đặt kho mặc định cho mặt hàng {1} cho công ty {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}","Kho yêu cầu tại Hàng số {0}, vui lòng đặt kho mặc định cho mặt hàng {1} cho công ty {2}"
 DocType: Work Order,Check if material transfer entry is not required,Kiểm tra xem mục nhập chuyển nhượng vật liệu không bắt buộc
 DocType: Work Order,Check if material transfer entry is not required,Kiểm tra xem mục nhập chuyển nhượng vật liệu không bắt buộc
 DocType: Program Enrollment Tool,Get Students From,Nhận Sinh viên Từ
@@ -5407,6 +5472,7 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,Số lượng hàng loạt mới
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,May mặc và phụ kiện
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,Không thể giải quyết chức năng điểm số trọng số. Đảm bảo công thức là hợp lệ.
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,Các mặt hàng mua hàng không nhận được đúng thời hạn
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Số thứ tự
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Tiêu đề đó sẽ hiển thị trên đầu danh sách sản phẩm.
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,Xác định điều kiện để tính toán tiền vận chuyển
@@ -5415,9 +5481,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,Con đường
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,Không thể chuyển đổi Chi phí bộ phận sổ cái vì nó có các nút con
 DocType: Production Plan,Total Planned Qty,Tổng số lượng dự kiến
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,Giá trị mở
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,Giá trị mở
 DocType: Salary Component,Formula,Công thức
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,Serial #
 DocType: Lab Test Template,Lab Test Template,Mẫu thử nghiệm Lab
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,Tài khoản bán hàng
 DocType: Purchase Invoice Item,Total Weight,Tổng khối lượng
@@ -5435,7 +5501,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,Hãy Chất liệu Yêu cầu
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Mở hàng {0}
 DocType: Asset Finance Book,Written Down Value,Giá trị viết xuống
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong nguồn nhân lực&gt; Cài đặt nhân sự
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,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
 DocType: Clinical Procedure,Age,Tuổi
 DocType: Sales Invoice Timesheet,Billing Amount,Lượng thanh toán
@@ -5444,11 +5509,11 @@
 DocType: Company,Default Employee Advance Account,Tài khoản Advance Employee mặc định
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),Tìm kiếm mục (Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,Không thể xóa TK vì vẫn còn giao dịch
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,Không thể xóa TK vì vẫn còn giao dịch
 DocType: Vehicle,Last Carbon Check,Kiểm tra Carbon lần cuối
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,Chi phí pháp lý
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,Vui lòng chọn số lượng trên hàng
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,Thực hiện mở hóa đơn bán hàng và mua hàng
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,Thực hiện mở hóa đơn bán hàng và mua hàng
 DocType: Purchase Invoice,Posting Time,Thời gian gửi bài
 DocType: Timesheet,% Amount Billed,% Số tiền đã ghi hóa đơn
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,Chi phí điện thoại
@@ -5463,14 +5528,14 @@
 DocType: Maintenance Visit,Breakdown,Hỏng
 DocType: Travel Itinerary,Vegetarian,Ăn chay
 DocType: Patient Encounter,Encounter Date,Ngày gặp
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,Không thể chọn được Tài khoản: {0} với loại tiền tệ: {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,Không thể chọn được Tài khoản: {0} với loại tiền tệ: {1}
 DocType: Bank Statement Transaction Settings Item,Bank Data,Dữ liệu ngân hàng
 DocType: Purchase Receipt Item,Sample Quantity,Số mẫu
 DocType: Bank Guarantee,Name of Beneficiary,Tên của người thụ hưởng
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Cập nhật BOM tự động thông qua Scheduler, dựa trên tỷ lệ định giá mới nhất / tỷ giá / tỷ lệ mua cuối cùng của nguyên vật liệu."
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,Séc ngày
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},Tài khoản {0}: tài khoản mẹ {1} không thuộc về công ty: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},Tài khoản {0}: tài khoản mẹ {1} không thuộc về công ty: {2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,Xóa thành công tất cả các giao dịch liên quan đến công ty này!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,vào ngày
 DocType: Additional Salary,HR,nhân sự
@@ -5478,7 +5543,7 @@
 DocType: Healthcare Settings,Out Patient SMS Alerts,Thông báo qua SMS của bệnh nhân
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,Quản chế
 DocType: Program Enrollment Tool,New Academic Year,Năm học mới
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,Trả về/Ghi chú tín dụng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,Trả về/Ghi chú tín dụng
 DocType: Stock Settings,Auto insert Price List rate if missing,Auto chèn tỷ Bảng giá nếu mất tích
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,Tổng số tiền trả
 DocType: GST Settings,B2C Limit,Giới hạn B2C
@@ -5496,10 +5561,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nút con chỉ có thể được tạo ra dưới &#39;Nhóm&#39; nút loại
 DocType: Attendance Request,Half Day Date,Kỳ hạn nửa ngày
 DocType: Academic Year,Academic Year Name,Tên Năm học
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,{0} không được phép giao dịch với {1}. Vui lòng thay đổi Công ty.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,{0} không được phép giao dịch với {1}. Vui lòng thay đổi Công ty.
 DocType: Sales Partner,Contact Desc,Mô tả Liên hệ
 DocType: Email Digest,Send regular summary reports via Email.,Gửi báo cáo tóm tắt thường xuyên qua Email.
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},Hãy thiết lập tài khoản mặc định trong Loại Chi phí khiếu nại {0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},Hãy thiết lập tài khoản mặc định trong Loại Chi phí khiếu nại {0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,Lá có sẵn
 DocType: Assessment Result,Student Name,Tên học sinh
 DocType: Hub Tracked Item,Item Manager,Quản lý mẫu hàng
@@ -5524,9 +5589,10 @@
 DocType: Subscription,Trial Period End Date,Ngày kết thúc giai đoạn dùng thử
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Không được phép từ {0} vượt qua các giới hạn
 DocType: Serial No,Asset Status,Trạng thái nội dung
+DocType: Delivery Note,Over Dimensional Cargo (ODC),Hàng hóa theo chiều (ODC)
 DocType: Restaurant Order Entry,Restaurant Table,Bàn ăn
 DocType: Hotel Room,Hotel Manager,Quản lý khách sạn
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Đặt Rule thuế cho giỏ hàng
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,Đặt Rule thuế cho giỏ hàng
 DocType: Purchase Invoice,Taxes and Charges Added,Thuế và phí bổ sung
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,Hàng khấu hao {0}: Ngày khấu hao tiếp theo không được trước ngày có sẵn để sử dụng
 ,Sales Funnel,Kênh bán hàng
@@ -5542,10 +5608,10 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,Tất cả các nhóm khách hàng
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,tích lũy hàng tháng
 DocType: Attendance Request,On Duty,Đang thi hành công vụ
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho {1} tới {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho {1} tới {2}.
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},Kế hoạch nhân sự {0} đã tồn tại để chỉ định {1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,Mẫu thuế là bắt buộc
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,Tài khoản {0}: tài khoản mẹ {1} không tồn tại
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,Tài khoản {0}: tài khoản mẹ {1} không tồn tại
 DocType: POS Closing Voucher,Period Start Date,Ngày bắt đầu kỳ
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),Danh sách giá Tỷ lệ (Công ty tiền tệ)
 DocType: Products Settings,Products Settings,Cài đặt sản phẩm
@@ -5565,7 +5631,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,Hành động này sẽ ngừng thanh toán trong tương lai. Bạn có chắc chắn muốn hủy đăng ký này không?
 DocType: Serial No,Distinct unit of an Item,Đơn vị riêng biệt của một khoản
 DocType: Supplier Scorecard Criteria,Criteria Name,Tên tiêu chí
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,Vui lòng thiết lập công ty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,Vui lòng thiết lập công ty
 DocType: Procedure Prescription,Procedure Created,Đã tạo thủ tục
 DocType: Pricing Rule,Buying,Mua hàng
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,Bệnh &amp; phân bón
@@ -5582,43 +5648,44 @@
 DocType: Employee Onboarding,Job Offer,Tuyển dụng
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,Viện Tên viết tắt
 ,Item-wise Price List Rate,Mẫu hàng - danh sách tỷ giá thông minh
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,Báo giá của NCC
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,Báo giá của NCC
 DocType: Quotation,In Words will be visible once you save the Quotation.,"""Bằng chữ"" sẽ được hiển thị ngay khi bạn lưu các báo giá."
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1}
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1}
 DocType: Contract,Unsigned,Chưa ký
 DocType: Selling Settings,Each Transaction,Mỗi giao dịch
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},Mã vạch {0} đã được sử dụng trong mục {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},Mã vạch {0} đã được sử dụng trong mục {1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Quy tắc để thêm chi phí vận chuyển.
 DocType: Hotel Room,Extra Bed Capacity,Dung lượng giường phụ
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Biến thể
 DocType: Item,Opening Stock,Cổ phiếu mở đầu
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Khách hàng phải có
 DocType: Lab Test,Result Date,Ngày kết quả
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,Ngày PDC / LC
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,Ngày PDC / LC
 DocType: Purchase Order,To Receive,Nhận
 DocType: Leave Period,Holiday List for Optional Leave,Danh sách kỳ nghỉ cho nghỉ phép tùy chọn
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,Chủ tài sản
 DocType: Purchase Invoice,Reason For Putting On Hold,Lý do để đưa vào giữ
 DocType: Employee,Personal Email,Email cá nhân
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,Tổng số phương sai
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,Tổng số phương sai
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nếu được kích hoạt, hệ thống sẽ tự động đăng sổ kế toán để kiểm kê hàng hóa."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,Môi giới
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,Attendance cho nhân viên {0} đã được đánh dấu ngày này
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,Attendance cho nhân viên {0} đã được đánh dấu ngày này
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",trong số phút đã cập nhật thông qua 'lần đăng nhập'
 DocType: Customer,From Lead,Từ  Tiềm năng
 DocType: Amazon MWS Settings,Synch Orders,Đồng bộ hóa đơn đặt hàng
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Đơn đặt hàng phát hành cho sản phẩm.
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,Chọn năm tài chính ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,POS hồ sơ cần thiết để làm cho POS nhập
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,POS hồ sơ cần thiết để làm cho POS nhập
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Điểm trung thành sẽ được tính từ chi tiêu đã thực hiện (thông qua Hóa đơn bán hàng), dựa trên yếu tố thu thập được đề cập."
 DocType: Program Enrollment Tool,Enroll Students,Ghi danh học sinh
 DocType: Company,HRA Settings,Cài đặt HRA
 DocType: Employee Transfer,Transfer Date,Ngày chuyển giao
 DocType: Lab Test,Approved Date,Ngày được chấp thuận
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Bán hàng tiêu chuẩn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,Ít nhất một kho là bắt buộc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,Ít nhất một kho là bắt buộc
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.","Định cấu hình các trường mục như UOM, Nhóm mặt hàng, Mô tả và Không có giờ."
 DocType: Certification Application,Certification Status,Trạng thái chứng nhận
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,Thương trường
@@ -5638,6 +5705,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,Hóa đơn khớp
 DocType: Work Order,Required Items,mục bắt buộc
 DocType: Stock Ledger Entry,Stock Value Difference,Giá trị cổ phiếu khác biệt
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,Mục hàng {0}: {1} {2} không tồn tại trong bảng &#39;{1}&#39; ở trên
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,Nguồn Nhân Lực
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Hòa giải thanh toán thanh toán
 DocType: Disease,Treatment Task,Nhiệm vụ điều trị
@@ -5655,7 +5723,8 @@
 DocType: Account,Debit,Thẻ ghi nợ
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,"Các di dời phải được phân bổ trong bội số của 0,5"
 DocType: Work Order,Operation Cost,Chi phí hoạt động
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,Amt nổi bật
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,Xác định các nhà hoạch định ra quyết định
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,Amt nổi bật
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Mục tiêu đề ra mục Nhóm-khôn ngoan cho người bán hàng này.
 DocType: Stock Settings,Freeze Stocks Older Than [Days],Đóng băng tồn kho cũ hơn [Ngày]
 DocType: Payment Request,Payment Ordered,Đã đặt hàng thanh toán
@@ -5667,14 +5736,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Cho phép người sử dụng sau phê duyệt ứng dụng Để lại cho khối ngày.
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,Vòng đời
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,Tạo BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tỷ lệ bán hàng cho mặt hàng {0} thấp hơn {1} của nó. Tỷ lệ bán hàng phải là ít nhất {2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tỷ lệ bán hàng cho mặt hàng {0} thấp hơn {1} của nó. Tỷ lệ bán hàng phải là ít nhất {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tỷ lệ bán hàng cho mặt hàng {0} thấp hơn {1} của nó. Tỷ lệ bán hàng phải là ít nhất {2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tỷ lệ bán hàng cho mặt hàng {0} thấp hơn {1} của nó. Tỷ lệ bán hàng phải là ít nhất {2}
 DocType: Subscription,Taxes,Các loại thuế
 DocType: Purchase Invoice,capital goods,hàng hóa vốn
 DocType: Purchase Invoice Item,Weight Per Unit,Trọng lượng trên mỗi đơn vị
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,đã trả và không chuyển
-DocType: Project,Default Cost Center,Bộ phận chi phí mặc định
-DocType: Delivery Note,Transporter Doc No,Transporter Doc No
+DocType: QuickBooks Migrator,Default Cost Center,Bộ phận chi phí mặc định
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Giao dịch hàng tồn kho
 DocType: Budget,Budget Accounts,Tài khoản ngân sách
 DocType: Employee,Internal Work History,Quá trình công tác nội bộ
@@ -5707,7 +5775,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},Nhân viên y tế không có mặt vào ngày {0}
 DocType: Stock Entry Detail,Additional Cost,Chi phí bổ sung
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher","Không thể lọc dựa trên số hiệu Voucher, nếu nhóm theo Voucher"
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,Tạo báo giá của NCC
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,Tạo báo giá của NCC
 DocType: Quality Inspection,Incoming,Đến
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,Mẫu thuế mặc định cho bán hàng và mua hàng được tạo.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,Bản ghi kết quả đánh giá {0} đã tồn tại.
@@ -5723,7 +5791,7 @@
 DocType: Batch,Batch ID,Căn cước của lô
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},Lưu ý: {0}
 ,Delivery Note Trends,Xu hướng phiếu giao hàng
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,Tóm tắt tuần này
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,Tóm tắt tuần này
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,Số lượng hàng trong kho
 ,Daily Work Summary Replies,Tóm tắt công việc hàng ngày
 DocType: Delivery Trip,Calculate Estimated Arrival Times,Tính thời gian đến dự kiến
@@ -5733,7 +5801,7 @@
 DocType: Bank Account,Party,Đối tác
 DocType: Healthcare Settings,Patient Name,Tên bệnh nhân
 DocType: Variant Field,Variant Field,Trường biến thể
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,Điểm đích
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,Điểm đích
 DocType: Sales Order,Delivery Date,Ngày Giao hàng
 DocType: Opportunity,Opportunity Date,Kỳ hạn tới cơ hội
 DocType: Employee,Health Insurance Provider,Nhà cung cấp Bảo hiểm Y tế
@@ -5752,7 +5820,7 @@
 DocType: Employee,History In Company,Lịch sử trong công ty
 DocType: Customer,Customer Primary Address,Địa chỉ Chính của Khách hàng
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,Bản tin
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,Tài liệu tham khảo số.
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,Tài liệu tham khảo số.
 DocType: Drug Prescription,Description/Strength,Mô tả / Sức mạnh
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,Tạo mục thanh toán mới / bài viết
 DocType: Certification Application,Certification Application,Ứng dụng chứng nhận
@@ -5763,10 +5831,11 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,Cùng mục đã được nhập nhiều lần
 DocType: Department,Leave Block List,Để lại danh sách chặn
 DocType: Purchase Invoice,Tax ID,Mã số thuế
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,Mục {0} không phải là thiết lập cho Serial Nos Cột phải bỏ trống
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,Mục {0} không phải là thiết lập cho Serial Nos Cột phải bỏ trống
 DocType: Accounts Settings,Accounts Settings,Thiết lập các Tài khoản
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,Tán thành
 DocType: Loyalty Program,Customer Territory,Lãnh thổ khách hàng
+DocType: Email Digest,Sales Orders to Deliver,Đơn đặt hàng để phân phối
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix","Số tài khoản mới, nó sẽ được bao gồm trong tên tài khoản như một tiền tố"
 DocType: Maintenance Team Member,Team Member,Thành viên của đội
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,Không có kết quả để gửi
@@ -5776,7 +5845,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Tổng số {0} cho tất cả các mặt hàng là số không, có thể bạn nên thay đổi 'Đóng góp cho các loại phí dựa vào '"
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,Cho đến nay không thể nhỏ hơn so với ngày tháng
 DocType: Opportunity,To Discuss,Để thảo luận
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,Điều này dựa trên các giao dịch đối với Người đăng ký này. Xem dòng thời gian bên dưới để biết chi tiết
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0} đơn vị của {1} cần thiết trong {2} để hoàn thành giao dịch này.
 DocType: Loan Type,Rate of Interest (%) Yearly,Lãi suất thị trường (%) hàng năm
 DocType: Support Settings,Forum URL,URL của diễn đàn
@@ -5791,7 +5859,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,Tìm hiểu thêm
 DocType: Cheque Print Template,Distance from top edge,Khoảng cách từ mép trên
 DocType: POS Closing Voucher Invoices,Quantity of Items,Số lượng mặt hàng
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,Danh sách Price {0} bị vô hiệu hóa hoặc không tồn tại
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,Danh sách Price {0} bị vô hiệu hóa hoặc không tồn tại
 DocType: Purchase Invoice,Return,Trả về
 DocType: Pricing Rule,Disable,Vô hiệu hóa
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,Phương thức thanh toán là cần thiết để thực hiện thanh toán
@@ -5799,18 +5867,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.","Chỉnh sửa trong trang đầy đủ để có thêm các tùy chọn như tài sản, hàng loạt, lô, vv"
 DocType: Leave Type,Maximum Continuous Days Applicable,Ngày liên tục tối đa áp dụng
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0} - {1} không được ghi danh trong Batch {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}","Tài sản {0} không thể được loại bỏ, vì nó đã được {1}"
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}","Tài sản {0} không thể được loại bỏ, vì nó đã được {1}"
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,Cần kiểm tra
 DocType: Task,Total Expense Claim (via Expense Claim),Tổng số yêu cầu bồi thường chi phí (thông qua số yêu cầu bồi thường chi phí )
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Đánh dấu vắng mặt
 DocType: Job Applicant Source,Job Applicant Source,Nguồn ứng viên công việc
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,Lượng IGST
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,Lượng IGST
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,Không thể thiết lập công ty
 DocType: Asset Repair,Asset Repair,Sửa chữa tài sản
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Hàng {0}: Tiền tệ của BOM # {1} phải bằng tiền mà bạn chọn {2}
 DocType: Journal Entry Account,Exchange Rate,Tỷ giá
 DocType: Patient,Additional information regarding the patient,Thông tin bổ sung về bệnh nhân
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,Đơn đặt hàng {0} chưa duyệt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,Đơn đặt hàng {0} chưa duyệt
 DocType: Homepage,Tag Line,Dòng đánh dấu
 DocType: Fee Component,Fee Component,phí Component
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,Quản lý đội tàu
@@ -5825,7 +5893,7 @@
 DocType: Healthcare Practitioner,Mobile,Điện thoại di độ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
 DocType: Training Event,Contact Number,Số Liên hệ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,Kho {0} không tồn tại
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,Kho {0} không tồn tại
 DocType: Cashier Closing,Custody,Lưu ký
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Chi tiết thông tin nộp thuế miễn thuế của nhân viên
 DocType: Monthly Distribution,Monthly Distribution Percentages,Tỷ lệ phân phối hàng tháng
@@ -5840,7 +5908,7 @@
 DocType: Payment Entry,Paid Amount,Số tiền thanh toán
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,Khám phá chu kỳ bán hàng
 DocType: Assessment Plan,Supervisor,Giám sát viên
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,Đăng ký
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,Đăng ký
 ,Available Stock for Packing Items,Có sẵn tồn kho để đóng gói sản phẩm
 DocType: Item Variant,Item Variant,Biến thể mẫu hàng
 ,Work Order Stock Report,Làm việc Báo cáo chứng khoán
@@ -5849,9 +5917,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,Làm giám sát viên
 DocType: Leave Policy Detail,Leave Policy Detail,Để lại chi tiết chính sách
 DocType: BOM Scrap Item,BOM Scrap Item,BOM mẫu hàng phế thải
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,đơn đặt hàng gửi không thể bị xóa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tài khoản đang dư Nợ, bạn không được phép thiết lập 'Số Dư TK phải' là 'Có'"
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,Quản lý chất lượng
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,đơn đặt hàng gửi không thể bị xóa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tài khoản đang dư Nợ, bạn không được phép thiết lập 'Số Dư TK phải' là 'Có'"
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,Quản lý chất lượng
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,Mục {0} đã bị vô hiệu hóa
 DocType: Project,Total Billable Amount (via Timesheets),Tổng số tiền Có thể Lập hoá đơn (thông qua Timesheets)
 DocType: Agriculture Task,Previous Business Day,Ngày làm việc trước
@@ -5874,15 +5942,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,Bộ phận chi phí
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,Khởi động lại đăng ký
 DocType: Linked Plant Analysis,Linked Plant Analysis,Phân tích thực vật liên kết
-DocType: Delivery Note,Transporter ID,ID người vận chuyển
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,ID người vận chuyển
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,Đề xuất giá trị
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tỷ giá ở mức mà tiền tệ của nhà cùng cấp được chuyển đổi tới mức giá tiền tệ cơ bản của công ty
-DocType: Sales Invoice Item,Service End Date,Ngày kết thúc dịch vụ
+DocType: Purchase Invoice Item,Service End Date,Ngày kết thúc dịch vụ
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: xung đột  thời gian với hàng {1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Cho phép Tỷ lệ Đánh giá Không
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Cho phép Tỷ lệ Đánh giá Không
 DocType: Bank Guarantee,Receiving,Đang nhận
 DocType: Training Event Employee,Invited,mời
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,Thiết lập các tài khoản Gateway.
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,Thiết lập các tài khoản Gateway.
 DocType: Employee,Employment Type,Loại việc làm
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,Tài sản cố định
 DocType: Payment Entry,Set Exchange Gain / Loss,Đặt khoán Lãi / lỗ
@@ -5898,7 +5967,7 @@
 DocType: Tax Rule,Sales Tax Template,Template Thuế bán hàng
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,Trả tiền chống khiếu nại phúc lợi
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,Cập nhật số chi phí trung tâm
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,Chọn mục để lưu các hoá đơn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,Chọn mục để lưu các hoá đơn
 DocType: Employee,Encashment Date,Encashment Date
 DocType: Training Event,Internet,Internet
 DocType: Special Test Template,Special Test Template,Mẫu Thử nghiệm Đặc biệt
@@ -5906,13 +5975,14 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},chi phí hoạt động mặc định tồn tại cho loại hoạt động - {0}
 DocType: Work Order,Planned Operating Cost,Chi phí điều hành kế hoạch
 DocType: Academic Term,Term Start Date,Ngày bắt đầu kỳ hạn
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,Danh sách tất cả giao dịch cổ phiếu
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,Danh sách tất cả giao dịch cổ phiếu
+DocType: Supplier,Is Transporter,Là người vận chuyển
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Nhập hóa đơn bán hàng từ Shopify nếu thanh toán được đánh dấu
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Đếm ngược
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Đếm ngược
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,Cả ngày bắt đầu giai đoạn dùng thử và ngày kết thúc giai đoạn dùng thử phải được đặt
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,Tỷ lệ trung bình
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Tổng số tiền thanh toán trong lịch thanh toán phải bằng tổng số tiền lớn / tròn
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Tổng số tiền thanh toán trong lịch thanh toán phải bằng tổng số tiền lớn / tròn
 DocType: Subscription Plan Detail,Plan,Kế hoạch
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Báo cáo số dư ngân hàng theo Sổ cái tổng
 DocType: Job Applicant,Applicant Name,Tên đơn
@@ -5940,7 +6010,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,Số lượng có sẵn tại Kho nguồn
 apps/erpnext/erpnext/config/support.py +22,Warranty,Bảo hành
 DocType: Purchase Invoice,Debit Note Issued,nợ tiền mặt được công nhận
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Bộ lọc dựa trên Trung tâm chi phí chỉ áp dụng nếu Budget Against được chọn làm Trung tâm chi phí
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Bộ lọc dựa trên Trung tâm chi phí chỉ áp dụng nếu Budget Against được chọn làm Trung tâm chi phí
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode","Tìm kiếm theo mã mặt hàng, số sê-ri, số lô hoặc mã vạch"
 DocType: Work Order,Warehouses,Kho
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0} tài sản không thể chuyển giao
@@ -5951,9 +6021,9 @@
 DocType: Workstation,per hour,mỗi giờ
 DocType: Blanket Order,Purchasing,Thu mua
 DocType: Announcement,Announcement,Thông báo
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,Khách hàng LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,Khách hàng LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Đối với nhóm sinh viên theo từng đợt, nhóm sinh viên sẽ được xác nhận cho mỗi sinh viên từ Chương trình đăng ký."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Không thể xóa kho vì có chứng từ kho phát sinh.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Không thể xóa kho vì có chứng từ kho phát sinh.
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,Gửi đến:
 DocType: Journal Entry Account,Loan,Tiền vay
 DocType: Expense Claim Advance,Expense Claim Advance,Yêu cầu bồi thường chi phí
@@ -5962,7 +6032,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,Giám đốc dự án
 ,Quoted Item Comparison,So sánh mẫu hàng đã được báo giá
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},Chồng chéo nhau trong việc ghi điểm giữa {0} và {1}
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,Công văn
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,Công văn
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,Tối đa cho phép giảm giá cho mặt hàng: {0} {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,GIá trị tài sản thuần như trên
 DocType: Crop,Produce,Sản xuất
@@ -5972,20 +6042,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,Tiêu hao vật liệu cho sản xuất
 DocType: Item Alternative,Alternative Item Code,Mã mục thay thế
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Vai trò được phép trình giao dịch vượt quá hạn mức tín dụng được thiết lập.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,Chọn mục để Sản xuất
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,Chọn mục để Sản xuất
 DocType: Delivery Stop,Delivery Stop,Giao hàng tận nơi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time","Thạc sĩ dữ liệu đồng bộ, nó có thể mất một thời gian"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time","Thạc sĩ dữ liệu đồng bộ, nó có thể mất một thời gian"
 DocType: Item,Material Issue,Nguyên vật liệu
 DocType: Employee Education,Qualification,Trình độ chuyên môn
 DocType: Item Price,Item Price,Giá mục
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,Xà phòng và chất tẩy rửa
 DocType: BOM,Show Items,Hiện Items
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Từ Thời gian không thể lớn hơn  Tới thời gian
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,Bạn có muốn thông báo cho tất cả khách hàng bằng email?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,Bạn có muốn thông báo cho tất cả khách hàng bằng email?
 DocType: Subscription Plan,Billing Interval,Khoảng thời gian thanh toán
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,Điện ảnh & Video
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Ra lệnh
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,Ngày bắt đầu thực tế và ngày kết thúc thực tế là bắt buộc
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,Khách hàng&gt; Nhóm khách hàng&gt; Lãnh thổ
 DocType: Salary Detail,Component,Hợp phần
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,Hàng {0}: {1} phải lớn hơn 0
 DocType: Assessment Criteria,Assessment Criteria Group,Các tiêu chí đánh giá Nhóm
@@ -6016,11 +6087,10 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,Nhập tên ngân hàng hoặc tổ chức cho vay trước khi gửi.
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,{0} phải được gửi
 DocType: POS Profile,Item Groups,Nhóm hàng
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,Hôm nay là sinh nhật của {0}!
 DocType: Sales Order Item,For Production,Cho sản xuất
 DocType: Payment Request,payment_url,thanh toán_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,Số dư bằng tiền tệ tài khoản
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,Vui lòng thêm một tài khoản Mở Tạm Thời trong Biểu đồ Tài khoản
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,Vui lòng thêm một tài khoản Mở Tạm Thời trong Biểu đồ Tài khoản
 DocType: Customer,Customer Primary Contact,Khách hàng chính Liên hệ
 DocType: Project Task,View Task,Xem Nhiệm vụ
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Cơ hội/Tiềm năng %
@@ -6034,11 +6104,11 @@
 DocType: Sales Invoice,Get Advances Received,Được nhận trước
 DocType: Email Digest,Add/Remove Recipients,Thêm/Xóa người nhận
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Thiết lập năm tài chính này như mặc định, nhấp vào 'Đặt như mặc định'"
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,Số tiền khấu trừ TDS
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,Số tiền khấu trừ TDS
 DocType: Production Plan,Include Subcontracted Items,Bao gồm các Sản phẩm được Ký Hợp đồng
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,Tham gia
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,Lượng thiếu hụt
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,Biến thể mẫu hàng {0} tồn tại với cùng một thuộc tính
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,Tham gia
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,Lượng thiếu hụt
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,Biến thể mẫu hàng {0} tồn tại với cùng một thuộc tính
 DocType: Loan,Repay from Salary,Trả nợ từ lương
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},Yêu cầu thanh toán đối với {0} {1} cho số tiền {2}
 DocType: Additional Salary,Salary Slip,phiếu lương
@@ -6054,7 +6124,7 @@
 DocType: Patient,Dormant,không hoạt động
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Thuế khấu trừ cho các quyền lợi của nhân viên chưa được xác nhận quyền sở hữu
 DocType: Salary Slip,Total Interest Amount,Tổng số tiền lãi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,Các kho hàng với các nút con không thể được chuyển đổi sang sổ cái
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,Các kho hàng với các nút con không thể được chuyển đổi sang sổ cái
 DocType: BOM,Manage cost of operations,Quản lý chi phí hoạt động
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Thời gian đến
@@ -6066,7 +6136,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,Đánh giá kết quả chi tiết
 DocType: Employee Education,Employee Education,Giáo dục nhân viên
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,Nhóm bút toán trùng lặp được tìm thấy trong bảng nhóm mẫu hàng
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,Nó là cần thiết để lấy hàng Chi tiết.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,Nó là cần thiết để lấy hàng Chi tiết.
 DocType: Fertilizer,Fertilizer Name,Tên phân bón
 DocType: Salary Slip,Net Pay,Tiền thực phải trả
 DocType: Cash Flow Mapping Accounts,Account,Tài khoản
@@ -6077,14 +6147,13 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,Tạo khoản thanh toán riêng biệt chống lại khiếu nại lợi ích
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),"Sự có mặt của sốt (nhiệt độ&gt; 38,5 ° C / 101,3 ° F hoặc nhiệt độ ổn định&gt; 38 ° C / 100,4 ° F)"
 DocType: Customer,Sales Team Details,Thông tin chi tiết Nhóm bán hàng
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,Xóa vĩnh viễn?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,Xóa vĩnh viễn?
 DocType: Expense Claim,Total Claimed Amount,Tổng số tiền được công bố
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Cơ hội tiềm năng bán hàng
 DocType: Shareholder,Folio no.,Folio no.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},Không hợp lệ {0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,nghỉ bệnh
 DocType: Email Digest,Email Digest,Email thông báo
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,không
 DocType: Delivery Note,Billing Address Name,Tên địa chỉ thanh toán
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,Cửa hàng bách
 ,Item Delivery Date,Ngày Giao hàng
@@ -6100,16 +6169,16 @@
 DocType: Account,Chargeable,Buộc tội
 DocType: Company,Change Abbreviation,Thay đổi Tên viết tắt
 DocType: Contract,Fulfilment Details,Chi tiết thực hiện
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},Thanh toán {0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},Thanh toán {0} {1}
 DocType: Employee Onboarding,Activities,Hoạt động
 DocType: Expense Claim Detail,Expense Date,Ngày Chi phí
 DocType: Item,No of Months,Không có tháng nào
 DocType: Item,Max Discount (%),Giảm giá tối đa (%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,Ngày tín dụng không được là số âm
-DocType: Sales Invoice Item,Service Stop Date,Ngày ngừng dịch vụ
+DocType: Purchase Invoice Item,Service Stop Date,Ngày ngừng dịch vụ
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,SỐ lượng đặt cuối cùng
 DocType: Cash Flow Mapper,e.g Adjustments for:,ví dụ như điều chỉnh cho:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retain Sample được dựa trên lô, hãy kiểm tra Có Batch No để giữ lại mẫu của mặt hàng"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Retain Sample được dựa trên lô, hãy kiểm tra Có Batch No để giữ lại mẫu của mặt hàng"
 DocType: Task,Is Milestone,Là cột mốc
 DocType: Certification Application,Yet to appear,Chưa xuất hiện
 DocType: Delivery Stop,Email Sent To,Thư điện tử đã được gửi đến
@@ -6117,16 +6186,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Cho phép Trung tâm chi phí trong mục nhập tài khoản bảng cân đối
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,Hợp nhất với tài khoản hiện tại
 DocType: Budget,Warn,Cảnh báo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,Tất cả các mục đã được chuyển giao cho Lệnh hoạt động này.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,Tất cả các mục đã được chuyển giao cho Lệnh hoạt động này.
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bất kỳ nhận xét khác, nỗ lực đáng chú ý mà nên đi vào biên bản."
 DocType: Asset Maintenance,Manufacturing User,Người dùng sản xuất
 DocType: Purchase Invoice,Raw Materials Supplied,Nguyên liệu thô đã được cung cấp
 DocType: Subscription Plan,Payment Plan,Kế hoạch chi tiêu
 DocType: Shopping Cart Settings,Enable purchase of items via the website,Cho phép mua các mặt hàng thông qua trang web
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},Đơn vị tiền tệ của bảng giá {0} phải là {1} hoặc {2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,Quản lý đăng ký
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,Quản lý đăng ký
 DocType: Appraisal,Appraisal Template,Thẩm định mẫu
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,Để mã pin
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,Để mã pin
 DocType: Soil Texture,Ternary Plot,Ternary Plot
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,Kiểm tra điều này để bật lịch trình đồng bộ hóa hàng ngày theo lịch thông qua bộ lập lịch
 DocType: Item Group,Item Classification,PHân loại mẫu hàng
@@ -6136,6 +6205,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,Đăng ký bệnh nhân hóa đơn
 DocType: Crop,Period,Thời gian
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,Sổ cái chung
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,Năm tài chính
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Xem Tiềm năng
 DocType: Program Enrollment Tool,New Program,Chương trình mới
 DocType: Item Attribute Value,Attribute Value,Attribute Value
@@ -6144,11 +6214,11 @@
 ,Itemwise Recommended Reorder Level,Mẫu hàng thông minh được gợi ý sắp xếp lại theo cấp độ
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,Nhân viên {0} cấp lớp {1} không có chính sách nghỉ mặc định
 DocType: Salary Detail,Salary Detail,Chi tiết lương
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,Vui lòng chọn {0} đầu tiên
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,Vui lòng chọn {0} đầu tiên
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,Đã thêm {0} người dùng
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent","Trong trường hợp chương trình nhiều tầng, Khách hàng sẽ được tự động chỉ định cho cấp có liên quan theo mức chi tiêu của họ"
 DocType: Appointment Type,Physician,Bác sĩ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,Lô {0} của mục {1} đã hết hạn.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,Lô {0} của mục {1} đã hết hạn.
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,Tham vấn
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,Hoàn thành tốt
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.","Giá mặt hàng xuất hiện nhiều lần dựa trên Bảng giá, Nhà cung cấp / Khách hàng, Tiền tệ, Mục, UOM, Số lượng và Ngày."
@@ -6157,22 +6227,21 @@
 DocType: Certification Application,Name of Applicant,Tên của người nộp đơn
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,thời gian biểu cho sản xuất.
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Không thể thay đổi các thuộc tính Biến thể sau giao dịch chứng khoán. Bạn sẽ phải tạo một Item mới để làm điều này.
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,Không thể thay đổi các thuộc tính Biến thể sau giao dịch chứng khoán. Bạn sẽ phải tạo một Item mới để làm điều này.
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,Giấy phép SEPA do GoCard
 DocType: Healthcare Practitioner,Charges,Phí
 DocType: Production Plan,Get Items For Work Order,Lấy hàng để làm việc Đặt hàng
 DocType: Salary Detail,Default Amount,Số tiền mặc định
 DocType: Lab Test Template,Descriptive,Mô tả
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,Không tìm thấy kho này trong hệ thống
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,Tóm tắt của tháng này
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,Tóm tắt của tháng này
 DocType: Quality Inspection Reading,Quality Inspection Reading,Đọc kiểm tra chất lượng
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,'Để cách li hàng tồn kho cũ' nên nhỏ hơn %d ngày
 DocType: Tax Rule,Purchase Tax Template,Mua  mẫu thuế
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,Đặt mục tiêu bán hàng bạn muốn đạt được cho công ty của bạn.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,Dịch vụ chăm sóc sức khỏe
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,Dịch vụ chăm sóc sức khỏe
 ,Project wise Stock Tracking,Theo dõi biến động vật tư theo dự án
 DocType: GST HSN Code,Regional,thuộc vùng
-DocType: Delivery Note,Transport Mode,Phương tiện giao thông
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,Phòng thí nghiệm
 DocType: UOM Category,UOM Category,Danh mục UOM
 DocType: Clinical Procedure Item,Actual Qty (at source/target),Số lượng thực tế (at source/target)
@@ -6195,17 +6264,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,Không thể tạo trang web
 DocType: Soil Analysis,Mg/K,Mg / K
 DocType: UOM Conversion Detail,UOM Conversion Detail,Xem chi tiết UOM Chuyển đổi
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,Tài khoản lưu giữ đã được tạo hoặc Số lượng mẫu không được cung cấp
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,Tài khoản lưu giữ đã được tạo hoặc Số lượng mẫu không được cung cấp
 DocType: Program,Program Abbreviation,Tên viết tắt chương trình
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,Đơn đặt sản phẩm không thể được tạo ra với một mẫu mặt hàng
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Cước phí được cập nhật trên Phiếu nhận hàng gắn với từng vật tư
 DocType: Warranty Claim,Resolved By,Giải quyết bởi
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,Lên lịch xả
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Chi phiếu và tiền gửi không đúng xóa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,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ó làm tài khoản mẹ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,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ó làm tài khoản mẹ
 DocType: Purchase Invoice Item,Price List Rate,bảng báo giá
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Tạo dấu ngoặc kép của khách hàng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,Ngày ngừng dịch vụ không thể sau ngày kết thúc dịch vụ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,Ngày ngừng dịch vụ không thể sau ngày kết thúc dịch vụ
 DocType: Item,"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."
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Hóa đơn vật liệu (BOM)
 DocType: Item,Average time taken by the supplier to deliver,Thời gian trung bình thực hiện bởi các nhà cung cấp để cung cấp
@@ -6217,11 +6286,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Giờ
 DocType: Project,Expected Start Date,Ngày Dự kiến sẽ bắt đầu
 DocType: Purchase Invoice,04-Correction in Invoice,04-Chỉnh sửa trong Hóa đơn
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,Đơn hàng công việc đã được tạo cho tất cả các mặt hàng có Hội đồng quản trị
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,Đơn hàng công việc đã được tạo cho tất cả các mặt hàng có Hội đồng quản trị
 DocType: Payment Request,Party Details,Đảng Chi tiết
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,Báo cáo chi tiết về biến thể
 DocType: Setup Progress Action,Setup Progress Action,Thiết lập Tiến hành Tiến bộ
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,Bảng giá mua
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,Bảng giá mua
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Xóa VTHH nếu chi phí là không áp dụng đối với VTHH đó
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,Hủy đăng ký
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,Vui lòng chọn Trạng thái Bảo trì đã hoàn thành hoặc xóa Ngày Hoàn thành
@@ -6239,7 +6308,7 @@
 DocType: Asset,Disposal Date,Ngày xử lý
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email sẽ được gửi đến tất cả các nhân viên tích cực của công ty tại các giờ nhất định, nếu họ không có ngày nghỉ. Tóm tắt phản hồi sẽ được gửi vào lúc nửa đêm."
 DocType: Employee Leave Approver,Employee Leave Approver,Nhân viên Để lại phê duyệt
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},Dãy {0}: Một mục Sắp xếp lại đã tồn tại cho nhà kho này {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},Dãy {0}: Một mục Sắp xếp lại đã tồn tại cho nhà kho này {1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.","Không thể khai báo mất, bởi vì báo giá đã được thực hiện."
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,Tài khoản CWIP
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,Đào tạo phản hồi
@@ -6251,7 +6320,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Cho đến ngày không có thể trước khi từ ngày
 DocType: Supplier Quotation Item,Prevdoc DocType,Dạng tài liệu prevdoc
 DocType: Cash Flow Mapper,Section Footer,Phần chân trang
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,Thêm / Sửa giá
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,Thêm / Sửa giá
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,Không thể gửi khuyến mãi cho nhân viên trước Ngày khuyến mại
 DocType: Batch,Parent Batch,Nhóm gốc
 DocType: Batch,Parent Batch,Nhóm gốc
@@ -6262,6 +6331,7 @@
 DocType: Clinical Procedure Template,Sample Collection,Bộ sưu tập mẫu
 ,Requested Items To Be Ordered,Mục yêu cầu để trở thứ tự
 DocType: Price List,Price List Name,Danh sách giá Tên
+DocType: Delivery Stop,Dispatch Information,Thông tin công văn
 DocType: Blanket Order,Manufacturing,Sản xuất
 ,Ordered Items To Be Delivered,Các mặt hàng đã đặt hàng phải được giao
 DocType: Account,Income,Thu nhập
@@ -6280,17 +6350,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} đơn vị của {1} cần thiết trong {2} trên {3} {4} cho {5} để hoàn thành giao dịch này.
 DocType: Fee Schedule,Student Category,sinh viên loại
 DocType: Announcement,Student,Sinh viên
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Số lượng cổ phiếu để bắt đầu quy trình không có sẵn trong kho. Bạn có muốn ghi lại Chuyển khoản Cổ phiếu không
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Số lượng cổ phiếu để bắt đầu quy trình không có sẵn trong kho. Bạn có muốn ghi lại Chuyển khoản Cổ phiếu không
 DocType: Shipping Rule,Shipping Rule Type,Loại quy tắc vận chuyển
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,Đi đến Phòng
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory","Công ty, Tài khoản thanh toán, từ ngày và đến ngày là bắt buộc"
 DocType: Company,Budget Detail,Ngân sách chi tiết
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vui lòng nhập tin nhắn trước khi gửi
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,NGƯỜI CUNG CẤP
-DocType: Email Digest,Pending Quotations,Báo giá cấp phát
-DocType: Delivery Note,Distance (KM),Khoảng cách (KM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,Nhà cung cấp&gt; Nhà cung cấp nhóm
 DocType: Asset,Custodian,Người giám hộ
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,Point-of-Sale hồ sơ
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,Point-of-Sale hồ sơ
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0} phải là một giá trị từ 0 đến 100
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},Thanh toán {0} từ {1} đến {2}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,Các khoản cho vay không có bảo đảm
@@ -6322,10 +6391,10 @@
 DocType: Lead,Converted,Chuyển đổi
 DocType: Item,Has Serial No,Có sê ri số
 DocType: Employee,Date of Issue,Ngày phát hành
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","THeo các cài đặt mua bán, nếu biên lai đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng, người dùng cần phải tạo lập biên lai mua hàng đầu tiên cho danh mục {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","THeo các cài đặt mua bán, nếu biên lai đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng, người dùng cần phải tạo lập biên lai mua hàng đầu tiên cho danh mục {0}"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},Hàng # {0}: Thiết lập Nhà cung cấp cho mặt hàng {1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,Hàng{0}: Giá trị giờ phải lớn hơn không.
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,Hình ảnh website {0} đính kèm vào mục {1} không tìm thấy
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,Hình ảnh website {0} đính kèm vào mục {1} không tìm thấy
 DocType: Issue,Content Type,Loại nội dung
 DocType: Asset,Assets,Tài sản
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,Máy tính
@@ -6336,7 +6405,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1} không tồn tại
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,Vui lòng kiểm tra chọn ngoại tệ để cho phép các tài khoản với loại tiền tệ khác
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Mẫu hàng: {0} không tồn tại trong hệ thống
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,Bạn không được phép để thiết lập giá trị đóng băng
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,Bạn không được phép để thiết lập giá trị đóng băng
 DocType: Payment Reconciliation,Get Unreconciled Entries,Nhận Bút toán không hài hòa
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},Nhân viên {0} vào Ngày khởi hành {1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,Không có khoản hoàn trả nào được chọn cho mục nhập nhật ký
@@ -6354,13 +6423,14 @@
 ,Average Commission Rate,Ủy ban trung bình Tỷ giá
 DocType: Share Balance,No of Shares,Số cổ phần
 DocType: Taxable Salary Slab,To Amount,Đến số tiền
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,'Có chuỗi số' không thể là 'Có' cho vật liệu không lưu kho
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,'Có chuỗi số' không thể là 'Có' cho vật liệu không lưu kho
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,Chọn Trạng thái
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,Không thể Chấm công cho những ngày tương lai
 DocType: Support Search Source,Post Description Key,Khóa mô tả bài đăng
 DocType: Pricing Rule,Pricing Rule Help,Quy tắc định giá giúp
 DocType: School House,House Name,Tên nhà
 DocType: Fee Schedule,Total Amount per Student,Tổng số tiền trên mỗi sinh viên
+DocType: Opportunity,Sales Stage,Giai đoạn bán hàng
 DocType: Purchase Taxes and Charges,Account Head,Tài khoản chính
 DocType: Company,HRA Component,Thành phần HRA
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,Hệ thống điện
@@ -6368,15 +6438,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),Tổng giá trị khác biệt (ra - vào)
 DocType: Grant Application,Requested Amount,Số tiền yêu cầu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,Hàng {0}: Tỷ giá là bắt buộc
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID người dùng không thiết lập cho nhân viên {0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},ID người dùng không thiết lập cho nhân viên {0}
 DocType: Vehicle,Vehicle Value,Giá trị phương tiện
 DocType: Crop Cycle,Detected Diseases,Phát hiện bệnh
 DocType: Stock Entry,Default Source Warehouse,Kho nguồn mặc định
 DocType: Item,Customer Code,Mã số khách hàng
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},Nhắc ngày sinh nhật cho {0}
 DocType: Asset Maintenance Task,Last Completion Date,Ngày Hoàn thành Mới
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ngày tính từ lần yêu cầu cuối cùng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,nợ tài khoản phải khớp với giấy tờ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,nợ tài khoản phải khớp với giấy tờ
 DocType: Asset,Naming Series,Đặt tên series
 DocType: Vital Signs,Coated,Tráng
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Hàng {0}: Giá trị mong đợi sau khi Cuộc sống hữu ích phải nhỏ hơn Tổng số tiền mua
@@ -6394,15 +6463,15 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,Phiếu giao hàng {0} không phải nộp
 DocType: Notification Control,Sales Invoice Message,Hóa đơn bán hàng nhắn
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Đóng tài khoản {0} phải được loại trách nhiệm pháp lý / Vốn chủ sở hữu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},Phiếu lương của nhân viên {0} đã được tạo ra cho bảng thời gian {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},Phiếu lương của nhân viên {0} đã được tạo ra cho bảng thời gian {1}
 DocType: Vehicle Log,Odometer,mét kế
 DocType: Production Plan Item,Ordered Qty,Số lượng đặt hàng
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,Mục {0} bị vô hiệu hóa
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,Mục {0} bị vô hiệu hóa
 DocType: Stock Settings,Stock Frozen Upto,Hàng tồn kho đóng băng cho tới
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM không chứa bất kỳ mẫu hàng tồn kho nào
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM không chứa bất kỳ mẫu hàng tồn kho nào
 DocType: Chapter,Chapter Head,Trưởng chương
 DocType: Payment Term,Month(s) after the end of the invoice month,Tháng sau ngày kết thúc tháng thanh toán
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Cơ cấu lương nên có các thành phần lợi ích linh hoạt để phân chia số tiền trợ cấp
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Cơ cấu lương nên có các thành phần lợi ích linh hoạt để phân chia số tiền trợ cấp
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,Hoạt động dự án / nhiệm vụ.
 DocType: Vital Signs,Very Coated,Rất Tráng
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Chỉ có tác động về thuế (không thể yêu cầu nhưng một phần thu nhập chịu thuế)
@@ -6420,7 +6489,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,Giờ Thanh toán
 DocType: Project,Total Sales Amount (via Sales Order),Tổng số tiền bán hàng (qua Lệnh bán hàng)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,BOM mặc định cho {0} không tìm thấy
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,Hàng # {0}: Hãy thiết lập số lượng đặt hàng
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,Hàng # {0}: Hãy thiết lập số lượng đặt hàng
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Chạm vào mục để thêm chúng vào đây
 DocType: Fees,Program Enrollment,chương trình tuyển sinh
 DocType: Share Transfer,To Folio No,Để Folio Không
@@ -6463,9 +6532,9 @@
 DocType: SG Creation Tool Course,Max Strength,Sức tối đa
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,Cài đặt các giá trị cài sẵn
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},Không có Lưu ý Phân phối nào được Chọn cho Khách hàng {}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},Không có Lưu ý Phân phối nào được Chọn cho Khách hàng {}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,Nhân viên {0} không có số tiền trợ cấp tối đa
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,Chọn các mục dựa trên ngày giao hàng
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,Chọn các mục dựa trên ngày giao hàng
 DocType: Grant Application,Has any past Grant Record,Có bất kỳ hồ sơ tài trợ nào trong quá khứ
 ,Sales Analytics,Bán hàng Analytics
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},Sẵn {0}
@@ -6474,12 +6543,12 @@
 DocType: Manufacturing Settings,Manufacturing Settings,Thiết lập sản xuất
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Thiết lập Email
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Số di động của Guardian1
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,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ĩ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,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ĩ
 DocType: Stock Entry Detail,Stock Entry Detail,Chi tiết phiếu nhập kho
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,Nhắc nhở hàng ngày
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,Nhắc nhở hàng ngày
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,Xem tất cả vé mở
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,Cây đơn vị dịch vụ chăm sóc sức khỏe
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,Sản phẩm
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,Sản phẩm
 DocType: Products Settings,Home Page is Products,Trang chủ là sản phẩm
 ,Asset Depreciation Ledger,Tài sản khấu hao Ledger
 DocType: Salary Structure,Leave Encashment Amount Per Day,Rời khỏi số tiền Encashment mỗi ngày
@@ -6489,8 +6558,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Chi phí nguyên liệu thô được cung cấp
 DocType: Selling Settings,Settings for Selling Module,Thiết lập module bán hàng
 DocType: Hotel Room Reservation,Hotel Room Reservation,Đặt phòng khách sạn
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,Dịch vụ chăm sóc khách hàng
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,Dịch vụ chăm sóc khách hàng
 DocType: BOM,Thumbnail,Hình đại diện
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,Không tìm thấy địa chỉ liên hệ nào có ID email.
 DocType: Item Customer Detail,Item Customer Detail,Mục chi tiết khách hàng
 DocType: Notification Control,Prompt for Email on Submission of,Nhắc nhở cho Email trên thông tin của
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},Số tiền lợi ích tối đa của nhân viên {0} vượt quá {1}
@@ -6500,7 +6570,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Mục {0} phải là một hàng tồn kho
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,Kho SP dở dang mặc định
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Lịch biểu cho {0} trùng lặp, bạn có muốn tiếp tục sau khi bỏ qua các vùng chồng chéo không?"
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,Thiết lập mặc định cho các giao dịch kế toán.
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,Thiết lập mặc định cho các giao dịch kế toán.
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,Cấp lá
 DocType: Restaurant,Default Tax Template,Mẫu Thuế Mặc định
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0} Học sinh đã ghi danh
@@ -6508,6 +6578,7 @@
 DocType: Purchase Invoice Item,Stock Qty,Số lượng cổ phiếu
 DocType: Purchase Invoice Item,Stock Qty,Số lượng cổ phiếu
 DocType: Contract,Requires Fulfilment,Yêu cầu thực hiện
+DocType: QuickBooks Migrator,Default Shipping Account,Tài khoản giao hàng mặc định
 DocType: Loan,Repayment Period in Months,Thời gian trả nợ trong tháng
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Lỗi: Không phải là một id hợp lệ?
 DocType: Naming Series,Update Series Number,Cập nhật số sê ri
@@ -6521,11 +6592,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,Số tiền tối đa
 DocType: Journal Entry,Total Amount Currency,Tổng tiền
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Assemblies Tìm kiếm Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},Mã mục bắt buộc khi Row Không có {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},Mã mục bắt buộc khi Row Không có {0}
 DocType: GST Account,SGST Account,Tài khoản SGST
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,Đi tới Mục
 DocType: Sales Partner,Partner Type,Loại đối tác
-DocType: Purchase Taxes and Charges,Actual,Dựa trên tiền thực tế
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,Dựa trên tiền thực tế
 DocType: Restaurant Menu,Restaurant Manager,Quản lý nhà hàng
 DocType: Authorization Rule,Customerwise Discount,Giảm giá 1 cách thông minh
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,thời gian biểu cho các công việc
@@ -6546,7 +6617,7 @@
 DocType: Employee,Cheque,Séc
 DocType: Training Event,Employee Emails,Email của nhân viên
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,Cập nhật hàng loạt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,Loại Báo cáo là bắt buộc
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,Loại Báo cáo là bắt buộc
 DocType: Item,Serial Number Series,Serial Number Dòng
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Phải có Kho cho vật tư {0} trong hàng {1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,Bán Lẻ & Bán
@@ -6577,7 +6648,7 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,Cập nhật số tiền đã lập hóa đơn trong đơn đặt hàng
 DocType: BOM,Materials,Nguyên liệu
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Nếu không kiểm tra, danh sách sẽ phải được thêm vào mỗi Bộ, nơi nó đã được áp dụng."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,Ngày đăng và gửi bài thời gian là bắt buộc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,Ngày đăng và gửi bài thời gian là bắt buộc
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,bản thiết lập mẫu đối với thuế cho giao dịch mua hàng
 ,Item Prices,Giá mục
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Trong từ sẽ được hiển thị khi bạn lưu các Yêu cầu Mua hàng.
@@ -6593,12 +6664,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Dòng nhập khẩu khấu hao tài sản (Entry tạp chí)
 DocType: Membership,Member Since,Thành viên từ
 DocType: Purchase Invoice,Advance Payments,Thanh toán trước
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,Vui lòng chọn dịch vụ chăm sóc sức khỏe
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,Vui lòng chọn dịch vụ chăm sóc sức khỏe
 DocType: Purchase Taxes and Charges,On Net Total,tính trên tổng tiền
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Giá trị thuộc tính {0} phải nằm trong phạm vi của {1} để {2} trong gia số của {3} cho mục {4}
 DocType: Restaurant Reservation,Waitlisted,Chờ đợi
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Danh mục miễn
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,Tiền tệ không thể thay đổi sau khi thực hiện các mục sử dụng một số loại tiền tệ khác
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,Tiền tệ không thể thay đổi sau khi thực hiện các mục sử dụng một số loại tiền tệ khác
 DocType: Shipping Rule,Fixed,đã sửa
 DocType: Vehicle Service,Clutch Plate,Clutch tấm
 DocType: Company,Round Off Account,tài khoản làm tròn số
@@ -6607,7 +6678,7 @@
 DocType: Subscription Plan,Based on price list,Dựa trên bảng giá
 DocType: Customer Group,Parent Customer Group,Nhóm mẹ của nhóm khách hàng
 DocType: Vehicle Service,Change,Thay đổi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,Đăng ký
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,Đăng ký
 DocType: Purchase Invoice,Contact Email,Email Liên hệ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,Đang Thực hiện Phí
 DocType: Appraisal Goal,Score Earned,Điểm số kiếm được
@@ -6635,23 +6706,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,Tài khoản phải thu/phải trả
 DocType: Delivery Note Item,Against Sales Order Item,Theo hàng hóa được đặt mua
 DocType: Company,Company Logo,Logo Công ty
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},Hãy xác định thuộc tính Giá trị thuộc tính {0}
-DocType: Item Default,Default Warehouse,Kho mặc định
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},Hãy xác định thuộc tính Giá trị thuộc tính {0}
+DocType: QuickBooks Migrator,Default Warehouse,Kho mặc định
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},Ngân sách không thể được chỉ định đối với tài khoản Nhóm {0}
 DocType: Shopping Cart Settings,Show Price,Hiển thị giá
 DocType: Healthcare Settings,Patient Registration,Đăng ký bệnh nhân
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,Vui lòng nhập trung tâm chi phí gốc
 DocType: Delivery Note,Print Without Amount,In không có số lượng
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,Khấu hao ngày
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,Khấu hao ngày
 ,Work Orders in Progress,Đơn đặt hàng đang tiến hành
 DocType: Issue,Support Team,Hỗ trợ trong team
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Hạn sử dụng (theo ngày)
 DocType: Appraisal,Total Score (Out of 5),Tổng số điểm ( trong số 5)
 DocType: Student Attendance Tool,Batch,Lô hàng
 DocType: Support Search Source,Query Route String,Chuỗi tuyến đường truy vấn
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,Tỷ lệ cập nhật theo lần mua hàng cuối cùng
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,Tỷ lệ cập nhật theo lần mua hàng cuối cùng
 DocType: Donor,Donor Type,Loại nhà tài trợ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,Tự động cập nhật tài liệu được cập nhật
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,Tự động cập nhật tài liệu được cập nhật
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,Số dư
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,Vui lòng chọn Công ty
 DocType: Job Card,Job Card,Thẻ công việc
@@ -6665,7 +6736,7 @@
 DocType: Assessment Result,Total Score,Tổng điểm
 DocType: Crop Cycle,ISO 8601 standard,Tiêu chuẩn ISO 8601
 DocType: Journal Entry,Debit Note,nợ tiền mặt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,Bạn chỉ có thể đổi tối đa {0} điểm trong đơn đặt hàng này.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,Bạn chỉ có thể đổi tối đa {0} điểm trong đơn đặt hàng này.
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,Vui lòng nhập Mật khẩu Người tiêu dùng API
 DocType: Stock Entry,As per Stock UOM,Theo Cổ UOM
@@ -6679,10 +6750,11 @@
 DocType: Journal Entry,Total Debit,Tổng số Nợ
 DocType: Travel Request Costing,Sponsored Amount,Số tiền được tài trợ
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,Kho chứa SP hoàn thành mặc định
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,Hãy chọn Bệnh nhân
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,Hãy chọn Bệnh nhân
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,Người bán hàng
 DocType: Hotel Room Package,Amenities,Tiện nghi
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,Ngân sách và Trung tâm chi phí
+DocType: QuickBooks Migrator,Undeposited Funds Account,Tài khoản tiền chưa ký gửi
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,Ngân sách và Trung tâm chi phí
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,Không cho phép nhiều chế độ mặc định
 DocType: Sales Invoice,Loyalty Points Redemption,Đổi điểm điểm thưởng
 ,Appointment Analytics,Analytics bổ nhiệm
@@ -6696,6 +6768,7 @@
 DocType: Batch,Manufacturing Date,Ngày sản xuất
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,Tạo Lệ phí Không thành công
 DocType: Opening Invoice Creation Tool,Create Missing Party,Tạo ra bên bị mất
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,Tổng ngân sách
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Để trống nếu bạn thực hiện nhóm sinh viên mỗi năm
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Để trống nếu bạn thực hiện nhóm sinh viên mỗi năm
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Nếu được kiểm tra, Tổng số. của ngày làm việc sẽ bao gồm các ngày lễ, và điều này sẽ làm giảm giá trị của Lương trung bình mỗi ngày"
@@ -6713,20 +6786,19 @@
 DocType: Opportunity Item,Basic Rate,Tỷ giá cơ bản
 DocType: GL Entry,Credit Amount,Số tiền tín dụng
 DocType: Cheque Print Template,Signatory Position,chức vụ người ký
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,Thiết lập như Lost
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,Thiết lập như Lost
 DocType: Timesheet,Total Billable Hours,Tổng số giờ được Lập hoá đơn
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Số ngày mà người đăng ký phải trả hóa đơn do đăng ký này tạo
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Chi tiết ứng dụng lợi ích nhân viên
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Phiếu tiếp nhận thanh toán
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Điều này được dựa trên các giao dịch với khách hàng này. Xem dòng thời gian dưới đây để biết chi tiết
-DocType: Delivery Note,ODC,ODC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Dãy {0}: Phân bổ số lượng {1} phải nhỏ hơn hoặc bằng số tiền thanh toán nhập {2}
 DocType: Program Enrollment Tool,New Academic Term,Kỳ học mới
 ,Course wise Assessment Report,Báo cáo đánh giá khôn ngoan
 DocType: Purchase Invoice,Availed ITC State/UT Tax,Thuế hiện tại của ITC / Thuế UT
 DocType: Tax Rule,Tax Rule,Luật thuế
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Duy trì cùng tỷ giá Trong suốt chu kỳ kinh doanh
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,Vui lòng đăng nhập với tư cách người dùng khác để đăng ký trên Marketplace
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,Vui lòng đăng nhập với tư cách người dùng khác để đăng ký trên Marketplace
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Lên kế hoạch cho các lần đăng nhập ngoài giờ làm việc của máy trạm
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,Khách hàng ở Queue
 DocType: Driver,Issuing Date,Ngày phát hành
@@ -6735,11 +6807,10 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,Gửi Đơn hàng công việc này để tiếp tục xử lý.
 ,Items To Be Requested,Các mục được yêu cầu
 DocType: Company,Company Info,Thông tin công ty
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,Chọn hoặc thêm khách hàng mới
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,Chọn hoặc thêm khách hàng mới
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,trung tâm chi phí là cần thiết để đặt yêu cầu bồi thường chi phí
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Ứng dụng của Quỹ (tài sản)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Điều này được dựa trên sự tham gia của nhân viên này
-DocType: Assessment Result,Summary,Tóm lược
 DocType: Payment Request,Payment Request Type,Loại yêu cầu thanh toán
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,Đăng ký tham dự
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,Nợ TK
@@ -6747,7 +6818,7 @@
 DocType: Additional Salary,Employee Name,Tên nhân viên
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,Nhà hàng Order Entry Item
 DocType: Purchase Invoice,Rounded Total (Company Currency),Tròn số (quy đổi theo tiền tệ của công ty )
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,Không thể bí mật với đoàn vì Loại tài khoản được chọn.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,Không thể bí mật với đoàn vì Loại tài khoản được chọn.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} đã được sửa đổi. Xin vui lòng làm mới.
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,Ngăn chặn người dùng từ việc để lai ứng dụng vào những ngày sau.
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Nếu hết hạn không giới hạn cho Điểm trung thành, hãy giữ khoảng thời gian hết hạn trống hoặc 0."
@@ -6768,11 +6839,12 @@
 DocType: Asset,Out of Order,Out of Order
 DocType: Purchase Receipt Item,Accepted Quantity,Số lượng chấp nhận
 DocType: Projects Settings,Ignore Workstation Time Overlap,Bỏ qua thời gian làm việc của chồng chéo
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},Hãy thiết lập mặc định Tốt Danh sách nhân viên với {0} hoặc Công ty {1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},Hãy thiết lập mặc định Tốt Danh sách nhân viên với {0} hoặc Công ty {1}
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} không tồn tại
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,Chọn Batch Numbers
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,Tới GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,Tới GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Hóa đơn đã đưa khách hàng
+DocType: Healthcare Settings,Invoice Appointments Automatically,Các cuộc hẹn hóa đơn tự động
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id dự án
 DocType: Salary Component,Variable Based On Taxable Salary,Biến dựa trên mức lương chịu thuế
 DocType: Company,Basic Component,Thành phần cơ bản
@@ -6785,10 +6857,10 @@
 DocType: Stock Entry,Source Warehouse Address,Địa chỉ nguồn nguồn
 DocType: GL Entry,Voucher Type,Loại chứng từ
 DocType: Amazon MWS Settings,Max Retry Limit,Giới hạn thử lại tối đa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,Danh sách giá không tìm thấy hoặc bị vô hiệu hóa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Danh sách giá không tìm thấy hoặc bị vô hiệu hóa
 DocType: Student Applicant,Approved,Đã được phê duyệt
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,Giá
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,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'
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',Nhân viên bớt căng thẳng trên {0} phải được thiết lập như là 'trái'
 DocType: Marketplace Settings,Last Sync On,Đồng bộ lần cuối cùng
 DocType: Guardian,Guardian,người bảo vệ
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,Tất cả các thông tin liên lạc bao gồm và trên đây sẽ được chuyển sang vấn đề mới
@@ -6811,14 +6883,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Danh sách các bệnh được phát hiện trên thực địa. Khi được chọn, nó sẽ tự động thêm một danh sách các tác vụ để đối phó với bệnh"
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,Đây là đơn vị dịch vụ chăm sóc sức khỏe gốc và không thể chỉnh sửa được.
 DocType: Asset Repair,Repair Status,Trạng thái Sửa chữa
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,Thêm đối tác bán hàng
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,Sổ nhật biên kế toán.
 DocType: Travel Request,Travel Request,Yêu cầu du lịch
 DocType: Delivery Note Item,Available Qty at From Warehouse,Số lượng có sẵn tại Từ kho
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,Vui lòng chọn nhân viên ghi đầu tiên.
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,Tham dự không được gửi cho {0} vì đây là ngày lễ.
 DocType: POS Profile,Account for Change Amount,Tài khoản giao dịch số Tiền
+DocType: QuickBooks Migrator,Connecting to QuickBooks,Kết nối với QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,Tổng lãi / lỗ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,Công ty không hợp lệ cho hóa đơn công ty liên công ty.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,Công ty không hợp lệ cho hóa đơn công ty liên công ty.
 DocType: Purchase Invoice,input service,dịch vụ đầu vào
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Hàng {0}: Đối tác / tài khoản không khớp với {1} / {2} trong {3} {4}
 DocType: Employee Promotion,Employee Promotion,Khuyến mãi nhân viên
@@ -6827,12 +6901,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,Mã khóa học:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,Vui lòng nhập tài khoản chi phí
 DocType: Account,Stock,Kho
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Hàng  # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong mua hàng đặt hàng, mua hóa đơn hoặc  bút toán nhật ký"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Hàng  # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong mua hàng đặt hàng, mua hóa đơn hoặc  bút toán nhật ký"
 DocType: Employee,Current Address,Địa chỉ hiện tại
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Nếu tài liệu là một biến thể của một item sau đó mô tả, hình ảnh, giá cả, thuế vv sẽ được thiết lập từ các mẫu trừ khi được quy định một cách rõ ràng"
 DocType: Serial No,Purchase / Manufacture Details,Thông tin chi tiết mua / Sản xuất
 DocType: Assessment Group,Assessment Group,Nhóm đánh giá
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,Kho hàng theo lô
+DocType: Supplier,GST Transporter ID,ID người vận chuyển GST
 DocType: Procedure Prescription,Procedure Name,Tên thủ tục
 DocType: Employee,Contract End Date,Ngày kết thúc hợp đồng
 DocType: Amazon MWS Settings,Seller ID,ID người bán
@@ -6852,12 +6927,12 @@
 DocType: Company,Date of Incorporation,Ngày thành lập
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Tổng số thuế
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,Giá mua cuối cùng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,Đối với lượng (số lượng sản xuất) là bắt buộc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,Đối với lượng (số lượng sản xuất) là bắt buộc
 DocType: Stock Entry,Default Target Warehouse,Mặc định mục tiêu kho
 DocType: Purchase Invoice,Net Total (Company Currency),Tổng thuần (tiền tệ công ty)
 DocType: Delivery Note,Air,Không khí
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Ngày kết thúc của năm không thể sớm hơn ngày bắt đầu năm. Xin vui lòng sửa ngày và thử lại.
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0} không có trong Danh Sách Ngày Nghỉ Tùy Chọn
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0} không có trong Danh Sách Ngày Nghỉ Tùy Chọn
 DocType: Notification Control,Purchase Receipt Message,Thông báo biên lai nhận hàng
 DocType: Amazon MWS Settings,JP,JP
 DocType: BOM,Scrap Items,phế liệu mục
@@ -6880,23 +6955,25 @@
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,Thực hiện
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Dựa trên lượng thô trước đó
 DocType: Item,Has Expiry Date,Ngày Hết Hạn
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,chuyển nhượng tài sản
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,chuyển nhượng tài sản
 DocType: POS Profile,POS Profile,Hồ sơ POS
 DocType: Training Event,Event Name,Tên tổ chức sự kiện
 DocType: Healthcare Practitioner,Phone (Office),Điện thoại (Văn phòng)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance","Không thể gửi, nhân viên còn lại để đánh dấu tham dự"
 DocType: Inpatient Record,Admission,Nhận vào
 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},Tuyển sinh cho {0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.","Tính mùa vụ để thiết lập ngân sách, mục tiêu, vv"
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.","Tính mùa vụ để thiết lập ngân sách, mục tiêu, vv"
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Tên biến
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants","Mục {0} là một mẫu, xin vui lòng chọn một trong các biến thể của nó"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong nguồn nhân lực&gt; Cài đặt nhân sự
+DocType: Purchase Invoice Item,Deferred Expense,Chi phí hoãn lại
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},Từ ngày {0} không thể trước ngày tham gia của nhân viên Ngày {1}
 DocType: Asset,Asset Category,Loại tài khoản tài sản
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,TIền thực trả không thể âm
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,TIền thực trả không thể âm
 DocType: Purchase Order,Advance Paid,Trước Paid
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Tỷ lệ phần trăm thừa cho đơn đặt hàng
 DocType: Item,Item Tax,Thuế mẫu hàng
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,Nguyên liệu tới nhà cung cấp
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,Nguyên liệu tới nhà cung cấp
 DocType: Soil Texture,Loamy Sand,Cát nhôm
 DocType: Production Plan,Material Request Planning,Lập kế hoạch Yêu cầu Vật liệu
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,Tiêu thụ đặc biệt Invoice
@@ -6918,11 +6995,11 @@
 DocType: Scheduling Tool,Scheduling Tool,Công cụ lập kế hoạch
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,Thẻ tín dụng
 DocType: BOM,Item to be manufactured or repacked,Mục được sản xuất hoặc đóng gói lại
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},Lỗi cú pháp trong điều kiện: {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},Lỗi cú pháp trong điều kiện: {0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,Chính / Đối tượng bắt buộc
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,Vui lòng Đặt Nhóm Nhà cung cấp trong Cài đặt Mua.
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,Vui lòng Đặt Nhóm Nhà cung cấp trong Cài đặt Mua.
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",Tổng số thành phần lợi ích linh hoạt {0} không được nhỏ hơn \ lợi ích tối đa {1}
 DocType: Sales Invoice Item,Drop Ship,Thả tàu
 DocType: Driver,Suspended,Đình chỉ
@@ -6942,7 +7019,7 @@
 DocType: Customer,Commission Rate,Tỷ lệ hoa hồng
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,Đã tạo thành công mục thanh toán
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,Đã tạo {0} phiếu ghi điểm cho {1} giữa:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,Tạo khác biệt
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,Tạo khác biệt
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer","Loại thanh toán phải là một trong nhận, trả  và chuyển giao nội bộ"
 DocType: Travel Itinerary,Preferred Area for Lodging,Khu vực ưa thích cho nhà nghỉ
 apps/erpnext/erpnext/config/selling.py +184,Analytics,phân tích
@@ -6953,7 +7030,7 @@
 DocType: Work Order,Actual Operating Cost,Chi phí hoạt động thực tế
 DocType: Payment Entry,Cheque/Reference No,Séc / Reference No
 DocType: Soil Texture,Clay Loam,Clay Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,Gốc không thể được chỉnh sửa.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,Gốc không thể được chỉnh sửa.
 DocType: Item,Units of Measure,Đơn vị đo lường
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Cho thuê tại thành phố Metro
 DocType: Supplier,Default Tax Withholding Config,Cấu hình khấu trừ thuế mặc định
@@ -6971,21 +7048,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Sau khi hoàn thành thanh toán chuyển hướng người dùng đến trang lựa chọn.
 DocType: Company,Existing Company,Công ty hiện có
 DocType: Healthcare Settings,Result Emailed,Kết quả Gửi Email
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Phân loại thuế được chuyển thành ""Tổng"" bởi tất cả các mẫu hàng đều là mẫu không nhập kho"
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Phân loại thuế được chuyển thành ""Tổng"" bởi tất cả các mẫu hàng đều là mẫu không nhập kho"
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,Đến ngày không thể bằng hoặc nhỏ hơn so với ngày tháng
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,Không có gì để thay đổi
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vui lòng chọn một tập tin csv
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,Vui lòng chọn một tập tin csv
 DocType: Holiday List,Total Holidays,Tổng số ngày lễ
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,Thiếu mẫu email để gửi đi. Vui lòng đặt một trong Cài đặt phân phối.
 DocType: Student Leave Application,Mark as Present,Đánh dấu như hiện tại
 DocType: Supplier Scorecard,Indicator Color,Màu chỉ thị
 DocType: Purchase Order,To Receive and Bill,Nhận và thanh toán
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,Hàng # {0}: Yêu cầu theo ngày không thể trước ngày giao dịch
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,Hàng # {0}: Yêu cầu theo ngày không thể trước ngày giao dịch
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Các sản phẩm
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,Chọn số sê-ri
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,Chọn số sê-ri
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,Nhà thiết kế
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Điều khoản và Điều kiện mẫu
 DocType: Serial No,Delivery Details,Chi tiết giao hàng
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},Phải có Chi phí bộ phận ở hàng {0} trong bảng Thuế cho loại {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},Phải có Chi phí bộ phận ở hàng {0} trong bảng Thuế cho loại {1}
 DocType: Program,Program Code,Mã chương trình
 DocType: Terms and Conditions,Terms and Conditions Help,Điều khoản và điều kiện giúp
 ,Item-wise Purchase Register,Mẫu hàng - đăng ký mua hàng thông minh
@@ -6998,15 +7076,16 @@
 DocType: Contract,Contract Terms,Điều khoản hợp đồng
 DocType: Global Defaults,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ệ.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},Số lượng lợi ích tối đa của thành phần {0} vượt quá {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(Nửa ngày)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(Nửa ngày)
 DocType: Payment Term,Credit Days,Ngày tín dụng
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,Vui lòng chọn Bệnh nhân để nhận Lab Tests
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Tạo đợt sinh viên
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,Cho phép chuyển giao cho sản xuất
 DocType: Leave Type,Is Carry Forward,Được truyền thẳng về phía trước
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,Được mục từ BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,Được mục từ BOM
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Các ngày Tiềm năng
 DocType: Cash Flow Mapping,Is Income Tax Expense,Chi phí Thuế Thu nhập
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,Đơn đặt hàng của bạn đã hết để giao hàng!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Hàng # {0}: Đăng ngày phải giống như ngày mua {1} tài sản {2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kiểm tra điều này nếu Sinh viên đang cư trú tại Nhà nghỉ của Viện.
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,Vui lòng nhập hàng đơn đặt hàng trong bảng trên
@@ -7014,10 +7093,10 @@
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,Chuyển tài sản từ kho này sang kho khác
 DocType: Vehicle,Petrol,xăng
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),Lợi ích còn lại (Hàng năm)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,Hóa đơn vật liệu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,Hóa đơn vật liệu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Hàng {0}: Loại đối tác và Đối tác là cần thiết cho tài khoản phải thu/phải trả {1}
 DocType: Employee,Leave Policy,Rời khỏi chính sách
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,Cập nhật mục
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,Cập nhật mục
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Kỳ hạn tham khảo
 DocType: Employee,Reason for Leaving,Lý do Rời đi
 DocType: BOM Operation,Operating Cost(Company Currency),Chi phí điều hành (Công ty ngoại tệ)
@@ -7028,7 +7107,7 @@
 DocType: Department,Expense Approvers,Chi phí giới thiệu
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},Hàng {0}: Nợ mục không thể được liên kết với một {1}
 DocType: Journal Entry,Subscription Section,Phần đăng ký
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,Tài khoản {0} không tồn tại
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,Tài khoản {0} không tồn tại
 DocType: Training Event,Training Program,Chương trình đào tạo
 DocType: Account,Cash,Tiền mặt
 DocType: Employee,Short biography for website and other publications.,Tiểu sử ngắn cho trang web và các ấn phẩm khác.
diff --git a/erpnext/translations/zh-TW.csv b/erpnext/translations/zh-TW.csv
index ee24c52..527d4e4 100644
--- a/erpnext/translations/zh-TW.csv
+++ b/erpnext/translations/zh-TW.csv
@@ -11,9 +11,10 @@
 DocType: Item,Customer Items,客戶項目
 DocType: Project,Costing and Billing,成本核算和計費
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},預付帳戶貨幣應與公司貨幣{0}相同
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,帳戶{0}:父帳戶{1}不能是總帳
+DocType: QuickBooks Migrator,Token Endpoint,令牌端點
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,帳戶{0}:父帳戶{1}不能是總帳
 DocType: Item,Publish Item to hub.erpnext.com,發布項目hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,找不到有效的休假期
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,找不到有效的休假期
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,評估
 DocType: Item,Default Unit of Measure,預設的計量單位
 DocType: SMS Center,All Sales Partner Contact,所有的銷售合作夥伴聯絡
@@ -22,15 +23,15 @@
 DocType: Patient Encounter,Investigations,調查
 DocType: Restaurant Order Entry,Click Enter To Add,點擊輸入要添加
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",缺少密碼,API密鑰或Shopify網址的值
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,所有帳戶
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,所有帳戶
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,無法轉移狀態為左的員工
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生產訂單無法取消,首先Unstop它取消
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,難道你真的想放棄這項資產?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,難道你真的想放棄這項資產?
 DocType: Drug Prescription,Update Schedule,更新時間表
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,選擇默認供應商
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,顯示員工
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,新匯率
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},價格表{0}需填入貨幣種類
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},價格表{0}需填入貨幣種類
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,*將被計算在該交易。
 DocType: Purchase Order,Customer Contact,客戶聯絡
 DocType: Patient Appointment,Check availability,檢查可用性
@@ -38,6 +39,7 @@
 DocType: Employee,Job Applicant,求職者
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,這是基於對這種供應商的交易。詳情請參閱以下時間表
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,工作訂單的生產率過高百分比
+DocType: Delivery Note,Transport Receipt Date,運輸收貨日期
 DocType: Shopify Settings,Sales Order Series,銷售訂單系列
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
 			allowed",對{0}的多個選擇不是\允許的
@@ -51,14 +53,15 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +41,Exchange Rate must be same as {0} {1} ({2}),匯率必須一致{0} {1}({2})
 DocType: Sales Invoice,Customer Name,客戶名稱
 DocType: Vehicle,Natural Gas,天然氣
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},銀行賬戶不能命名為{0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},銀行賬戶不能命名為{0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA根據薪資結構
 DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,頭(或組)針對其會計分錄是由和平衡得以維持。
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),傑出的{0}不能小於零( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,服務停止日期不能早於服務開始日期
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,服務停止日期不能早於服務開始日期
 DocType: Manufacturing Settings,Default 10 mins,預設為10分鐘
 DocType: Leave Type,Leave Type Name,休假類型名稱
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,公開顯示
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,公開顯示
+apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,查看
 DocType: Asset Finance Book,Depreciation Start Date,折舊開始日期
 DocType: Pricing Rule,Apply On,適用於
 DocType: Item Price,Multiple Item prices.,多個項目的價格。
@@ -67,7 +70,7 @@
 DocType: Support Settings,Support Settings,支持設置
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,預計結束日期不能小於預期開始日期
 DocType: Amazon MWS Settings,Amazon MWS Settings,亞馬遜MWS設置
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:速率必須與{1}:{2}({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:速率必須與{1}:{2}({3} / {4})
 ,Batch Item Expiry Status,批處理項到期狀態
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,銀行匯票
 DocType: Mode of Payment Account,Mode of Payment Account,支付帳戶模式
@@ -94,7 +97,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,主要聯繫方式
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,開放式問題
 DocType: Production Plan Item,Production Plan Item,生產計劃項目
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},用戶{0}已經被分配給員工{1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},用戶{0}已經被分配給員工{1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,保健
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),延遲支付(天)
 DocType: Payment Terms Template Detail,Payment Terms Template Detail,付款條款模板細節
@@ -102,12 +105,11 @@
 DocType: Lab Prescription,Lab Prescription,實驗室處方
 ,Delay Days,延遲天數
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,服務費用
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},序號:{0}已在銷售發票中引用:{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},序號:{0}已在銷售發票中引用:{1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,發票
 DocType: Purchase Invoice Item,Item Weight Details,項目重量細節
 DocType: Asset Maintenance Log,Periodicity,週期性
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,會計年度{0}是必需的
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,供應商&gt;供應商組
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,植株之間的最小距離,以獲得最佳生長
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,防禦
 DocType: Salary Component,Abbr,縮寫
@@ -122,11 +124,12 @@
 DocType: Finance Book,Finance Book,金融書
 DocType: Daily Work Summary Group,Holiday List,假日列表
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,會計人員
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,賣價格表
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,賣價格表
 DocType: Patient,Tobacco Current Use,煙草當前使用
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,賣出率
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,賣出率
 DocType: Cost Center,Stock User,庫存用戶
 DocType: Soil Analysis,(Ca+Mg)/K,(鈣+鎂)/ K
+DocType: Delivery Stop,Contact Information,聯繫信息
 DocType: Company,Phone No,電話號碼
 DocType: Delivery Trip,Initial Email Notification Sent,初始電子郵件通知已發送
 DocType: Bank Statement Settings,Statement Header Mapping,聲明標題映射
@@ -146,12 +149,11 @@
 DocType: Subscription,Subscription Start Date,訂閱開始日期
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,如果未在患者中設置預約費用,則使用默認應收帳戶。
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",附加.csv文件有兩列,一為舊名稱,一個用於新名稱
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,來自地址2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,商品代碼&gt;商品分組&gt;品牌
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,來自地址2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} 不在任何有效的會計年度
 DocType: Packed Item,Parent Detail docname,家長可採用DocName細節
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",參考:{0},商品編號:{1}和顧客:{2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,在母公司中不存在{0} {1}
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,在母公司中不存在{0} {1}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,試用期結束日期不能在試用期開始日期之前
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,公斤
 DocType: Tax Withholding Category,Tax Withholding Category,預扣稅類別
@@ -163,12 +165,12 @@
 apps/erpnext/erpnext/public/js/stock_analytics.js +58,Select Warehouse...,選擇倉庫...
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,廣告
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,同一家公司進入不止一次
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},不允許{0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},不允許{0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,取得項目來源
 DocType: Price List,Price Not UOM Dependant,價格不依賴於UOM
 DocType: Purchase Invoice,Apply Tax Withholding Amount,申請預扣稅金額
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},送貨單{0}不能更新庫存
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,總金額
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},送貨單{0}不能更新庫存
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,總金額
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},產品{0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,沒有列出項目
 DocType: Asset Repair,Error Description,錯誤說明
@@ -180,8 +182,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,使用自定義現金流量格式
 DocType: SMS Center,All Sales Person,所有的銷售人員
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**月度分配**幫助你分配預算/目標跨越幾個月,如果你在你的業務有季節性。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,未找到項目
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,薪酬結構缺失
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,未找到項目
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,薪酬結構缺失
 DocType: Lead,Person Name,人姓名
 DocType: Sales Invoice Item,Sales Invoice Item,銷售發票項目
 DocType: Account,Credit,信用
@@ -190,19 +192,19 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,庫存報告
 DocType: Warehouse,Warehouse Detail,倉庫的詳細資訊
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,該期限結束日期不能晚於學年年終日期到這個詞聯繫在一起(學年{})。請更正日期,然後再試一次。
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",“是固定的資產”不能選中,作為資產記錄存在對項目
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",“是固定的資產”不能選中,作為資產記錄存在對項目
 DocType: Delivery Trip,Departure Time,出發時間
 DocType: Vehicle Service,Brake Oil,剎車油
 DocType: Tax Rule,Tax Type,稅收類型
 ,Completed Work Orders,完成的工作訂單
 DocType: Support Settings,Forum Posts,論壇帖子
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,應稅金額
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,應稅金額
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},你無權添加或更新{0}之前的條目
 DocType: Leave Policy,Leave Policy Details,退出政策詳情
 DocType: BOM,Item Image (if not slideshow),產品圖片(如果不是幻燈片)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(工時率/ 60)*實際操作時間
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行#{0}:參考文檔類型必須是費用索賠或日記帳分錄之一
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,選擇BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行#{0}:參考文檔類型必須是費用索賠或日記帳分錄之一
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,選擇BOM
 DocType: SMS Log,SMS Log,短信日誌
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,交付項目成本
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,在{0}這個節日之間沒有從日期和結束日期
@@ -211,15 +213,14 @@
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,供應商榜單。
 DocType: Lead,Interested,有興趣
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,開盤
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},從{0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},從{0} {1}
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,無法設置稅收
 DocType: Item,Copy From Item Group,從項目群組複製
-DocType: Delivery Trip,Delivery Notification,送達通知
 DocType: Journal Entry,Opening Entry,開放報名
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,賬戶只需支付
 DocType: Loan,Repay Over Number of Periods,償還期的超過數
 DocType: Stock Entry,Additional Costs,額外費用
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,帳戶與現有的交易不能被轉換到群組。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,帳戶與現有的交易不能被轉換到群組。
 DocType: Lead,Product Enquiry,產品查詢
 DocType: Education Settings,Validate Batch for Students in Student Group,驗證學生組學生的批次
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},未找到員工的假期記錄{0} {1}
@@ -227,7 +228,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,請先輸入公司
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,請首先選擇公司
 DocType: Employee Education,Under Graduate,根據研究生
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,請在人力資源設置中設置離職狀態通知的默認模板。
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,請在人力資源設置中設置離職狀態通知的默認模板。
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,目標在
 DocType: BOM,Total Cost,總成本
 DocType: Soil Analysis,Ca/K,鈣/ K
@@ -239,7 +240,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,帳戶狀態
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,製藥
 DocType: Purchase Invoice Item,Is Fixed Asset,是固定的資產
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",可用數量是{0},則需要{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",可用數量是{0},則需要{1}
 DocType: Expense Claim Detail,Claim Amount,索賠金額
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},工單已{0}
 DocType: Budget,Applicable on Purchase Order,適用於採購訂單
@@ -267,12 +268,12 @@
 DocType: BOM,Quality Inspection Template,質量檢驗模板
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",你想更新考勤? <br>現任:{0} \ <br>缺席:{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},品項{0}的允收+批退的數量必須等於收到量
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},品項{0}的允收+批退的數量必須等於收到量
 DocType: Item,Supply Raw Materials for Purchase,供應原料採購
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",無法通過序列號確保交貨,因為\項目{0}是否添加了確保交貨\序列號
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,付款中的至少一個模式需要POS發票。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,付款中的至少一個模式需要POS發票。
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,銀行對賬單交易發票項目
 DocType: Products Settings,Show Products as a List,產品展示作為一個列表
 DocType: Salary Detail,Tax on flexible benefit,對靈活福利徵稅
@@ -282,13 +283,13 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,差異數量
 DocType: Production Plan,Material Request Detail,材料請求詳情
 DocType: Selling Settings,Default Quotation Validity Days,默認報價有效天數
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內
 DocType: Payroll Entry,Validate Attendance,驗證出席
 DocType: Sales Invoice,Change Amount,漲跌額
 DocType: Party Tax Withholding Config,Certificate Received,已收到證書
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,設置B2C的發票值。 B2CL和B2CS根據此發票值計算。
 DocType: BOM Update Tool,New BOM,新的物料清單
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,規定程序
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,規定程序
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,只顯示POS
 DocType: Supplier Group,Supplier Group Name,供應商集團名稱
 DocType: Driver,Driving License Categories,駕駛執照類別
@@ -302,7 +303,7 @@
 DocType: Payroll Period,Payroll Periods,工資期間
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,使員工
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,廣播
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS(在線/離線)的設置模式
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS(在線/離線)的設置模式
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,禁止根據工作訂單創建時間日誌。不得根據工作指令跟踪操作
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,執行
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,進行的作業細節。
@@ -334,7 +335,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),折扣價目表率(%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,項目模板
 DocType: Job Offer,Select Terms and Conditions,選擇條款和條件
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,輸出值
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,輸出值
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,銀行對賬單設置項目
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce設置
 DocType: Production Plan,Sales Orders,銷售訂單
@@ -347,20 +348,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,報價請求可以通過點擊以下鏈接進行訪問
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG創建工具課程
 DocType: Bank Statement Transaction Invoice Item,Payment Description,付款說明
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,庫存不足
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,庫存不足
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用產能規劃和時間跟踪
 DocType: Email Digest,New Sales Orders,新的銷售訂單
 DocType: Bank Account,Bank Account,銀行帳戶
 DocType: Travel Itinerary,Check-out Date,離開日期
 DocType: Leave Type,Allow Negative Balance,允許負平衡
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',您不能刪除項目類型“外部”
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,選擇備用項目
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,選擇備用項目
 DocType: Employee,Create User,創建用戶
 DocType: Selling Settings,Default Territory,預設地域
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,電視
 DocType: Work Order Operation,Updated via 'Time Log',經由“時間日誌”更新
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,選擇客戶或供應商。
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},提前量不能大於{0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},提前量不能大於{0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",時隙滑動,時隙{0}到{1}與現有時隙{2}重疊到{3}
 DocType: Naming Series,Series List for this Transaction,本交易系列表
 DocType: Company,Enable Perpetual Inventory,啟用永久庫存
@@ -380,7 +381,7 @@
 DocType: Delivery Note Item,Against Sales Invoice Item,對銷售發票項目
 DocType: Agriculture Analysis Criteria,Linked Doctype,鏈接的文檔類型
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,從融資淨現金
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save",localStorage的滿了,沒救
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save",localStorage的滿了,沒救
 DocType: Lead,Address & Contact,地址及聯絡方式
 DocType: Leave Allocation,Add unused leaves from previous allocations,從以前的分配添加未使用的休假
 DocType: Sales Partner,Partner website,合作夥伴網站
@@ -400,10 +401,10 @@
 ,Open Work Orders,打開工作訂單
 DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,出患者諮詢費用項目
 DocType: Payment Term,Credit Months,信貸月份
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,淨工資不能低於0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,淨工資不能低於0
 DocType: Contract,Fulfilled,達到
 DocType: Inpatient Record,Discharge Scheduled,出院預定
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,解除日期必須大於加入的日期
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,解除日期必須大於加入的日期
 DocType: POS Closing Voucher,Cashier,出納員
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,每年葉
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:請檢查'是推進'對帳戶{1},如果這是一個進步條目。
@@ -412,14 +413,14 @@
 DocType: Task,Total Costing Amount (via Time Sheet),總成本計算量(通過時間表)
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,請設置學生組的學生
 DocType: Item Website Specification,Item Website Specification,項目網站規格
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,禁假的
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},項{0}已達到其壽命結束於{1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,禁假的
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},項{0}已達到其壽命結束於{1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,銀行條目
 DocType: Customer,Is Internal Customer,是內部客戶
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",如果選中自動選擇,則客戶將自動與相關的忠誠度計劃鏈接(保存時)
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,庫存調整項目
 DocType: Stock Entry,Sales Invoice No,銷售發票號碼
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,供應類型
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,供應類型
 DocType: Material Request Item,Min Order Qty,最小訂貨量
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,學生組創建工具課程
 DocType: Lead,Do Not Contact,不要聯絡
@@ -433,13 +434,13 @@
 DocType: Item,Publish in Hub,在發布中心
 DocType: Student Admission,Student Admission,學生入學
 ,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,項{0}將被取消
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,項{0}將被取消
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,折舊行{0}:折舊開始日期作為過去的日期輸入
 DocType: Contract Template,Fulfilment Terms and Conditions,履行條款和條件
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,物料需求
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,物料需求
 DocType: Bank Reconciliation,Update Clearance Date,更新日期間隙
 DocType: Item,Purchase Details,採購詳情
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},項目{0}未發現“原材料提供&#39;表中的採購訂單{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},項目{0}未發現“原材料提供&#39;表中的採購訂單{1}
 DocType: Salary Slip,Total Principal Amount,本金總額
 DocType: Student Guardian,Relation,關係
 DocType: Student Guardian,Mother,母親
@@ -477,10 +478,11 @@
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,電子郵件工資單員工根據員工選擇首選的電子郵件
 DocType: Tax Rule,Shipping County,航運縣
 apps/erpnext/erpnext/config/desktop.py +159,Learn,學習
+DocType: Purchase Invoice Item,Enable Deferred Expense,啟用延期費用
 DocType: Asset,Next Depreciation Date,接下來折舊日期
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,每個員工活動費用
 DocType: Accounts Settings,Settings for Accounts,設置帳戶
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},供應商發票不存在採購發票{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},供應商發票不存在採購發票{0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,管理銷售人員樹。
 DocType: Job Applicant,Cover Letter,求職信
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,傑出的支票及存款清除
@@ -494,7 +496,7 @@
 DocType: Employee,External Work History,外部工作經歷
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,循環引用錯誤
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,學生報告卡
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,來自Pin Code
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,來自Pin Code
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1名稱
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,送貨單一被儲存,(Export)就會顯示出來。
 DocType: Cheque Print Template,Distance from left edge,從左側邊緣的距離
@@ -507,15 +509,15 @@
 DocType: Journal Entry,Multi Currency,多幣種
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,發票類型
 DocType: Employee Benefit Claim,Expense Proof,費用證明
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,送貨單
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,送貨單
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,建立稅
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,出售資產的成本
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,付款項被修改,你把它之後。請重新拉。
 DocType: Program Enrollment Tool,New Student Batch,新學生批次
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0}輸入兩次項目稅
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,本週和待活動總結
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0}輸入兩次項目稅
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,本週和待活動總結
 DocType: Student Applicant,Admitted,錄取
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,折舊金額後
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,折舊金額後
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,即將到來的日曆事件
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,變量屬性
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,請選擇年份和月份
@@ -534,7 +536,9 @@
 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,公司貨幣被換算成客戶基礎貨幣的匯率
 DocType: Course Scheduling Tool,Course Scheduling Tool,排課工具
 apps/erpnext/erpnext/controllers/accounts_controller.py +682,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:採購發票不能對現有資產進行{1}
+DocType: Crop Cycle,LInked Analysis,LInked分析
 DocType: POS Closing Voucher,POS Closing Voucher,POS關閉憑證
+DocType: Contract,Lapsed,失效
 DocType: Item Tax,Tax Rate,稅率
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +107,Application period cannot be across two allocation records,申請期限不能跨越兩個分配記錄
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +73,{0} already allocated for Employee {1} for period {2} to {3},{0}已分配給員工{1}週期為{2}到{3}
@@ -550,8 +554,8 @@
 apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},只能有每公司1帳戶{0} {1}
 DocType: Support Search Source,Response Result Key Path,響應結果關鍵路徑
 DocType: Journal Entry,Inter Company Journal Entry,Inter公司日記帳分錄
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},數量{0}不應超過工單數量{1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,請參閱附件
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},數量{0}不應超過工單數量{1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,請參閱附件
 DocType: Purchase Order,% Received,% 已收
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,創建挺起胸
 DocType: Volunteer,Weekends,週末
@@ -589,21 +593,22 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,總計傑出
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改現有系列的開始/當前的序列號。
 DocType: Dosage Strength,Strength,強度
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,創建一個新的客戶
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,創建一個新的客戶
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,即將到期
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果有多個定價規則繼續有效,用戶將被要求手動設定優先順序來解決衝突。
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,創建採購訂單
 ,Purchase Register,購買註冊
+DocType: Scheduling Tool,Rechedule,Rechedule
 DocType: Landed Cost Item,Applicable Charges,相關費用
 DocType: Purchase Receipt,Vehicle Date,車日期
 DocType: Student Log,Medical,醫療
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,原因丟失
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,請選擇藥物
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,原因丟失
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,請選擇藥物
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,主導所有人不能等同於主導者
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,分配的金額不能超過未調整的量更大
 DocType: Location,Area UOM,區域UOM
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},工作站在以下日期關閉按假日列表:{0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,機會
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,機會
 DocType: Lab Test Template,Single,單
 DocType: Compensatory Leave Request,Work From Date,從日期開始工作
 DocType: Salary Slip,Total Loan Repayment,總貸款還款
@@ -617,7 +622,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,數量和速率
 DocType: Delivery Note,% Installed,%已安裝
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/實驗室等在那裡的演講可以預定。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,兩家公司的公司貨幣應該符合Inter公司交易。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,兩家公司的公司貨幣應該符合Inter公司交易。
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,請先輸入公司名稱
 DocType: Travel Itinerary,Non-Vegetarian,非素食主義者
 DocType: Purchase Invoice,Supplier Name,供應商名稱
@@ -627,7 +632,6 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,暫時擱置
 DocType: Account,Is Group,是集團
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,信用票據{0}已自動創建
-DocType: Email Digest,Pending Purchase Orders,待採購訂單
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,自動設置序列號的基礎上FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,檢查供應商發票編號唯一性
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,主要地址詳情
@@ -645,12 +649,12 @@
 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,自定義去作為郵件的一部分的介紹文字。每筆交易都有一個單獨的介紹性文字。
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},行{0}:對原材料項{1}需要操作
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},請為公司{0}設置預設應付賬款
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},不允許對停止的工單{0}進行交易
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},不允許對停止的工單{0}進行交易
 DocType: Setup Progress Action,Min Doc Count,最小文件計數
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,所有製造過程中的全域設定。
 DocType: Accounts Settings,Accounts Frozen Upto,帳戶被凍結到
 DocType: SMS Log,Sent On,發送於
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,屬性{0}多次選擇在屬性表
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,屬性{0}多次選擇在屬性表
 DocType: HR Settings,Employee record is created using selected field. ,使用所選欄位創建員工記錄。
 DocType: Sales Order,Not Applicable,不適用
 DocType: Amazon MWS Settings,UK,聯合王國
@@ -677,20 +681,21 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,員工{0}已在{2}上申請{1}:
 DocType: Inpatient Record,AB Positive,AB積極
 DocType: Job Opening,Description of a Job Opening,一個空缺職位的說明
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,今天待定活動
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,今天待定活動
 DocType: Salary Structure,Salary Component for timesheet based payroll.,薪酬部分基於時間表工資。
+DocType: Driver,Applicable for external driver,適用於外部驅動器
 DocType: Sales Order Item,Used for Production Plan,用於生產計劃
 DocType: Loan,Total Payment,總付款
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,無法取消已完成工單的交易。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,無法取消已完成工單的交易。
 DocType: Manufacturing Settings,Time Between Operations (in mins),作業間隔時間(以分鐘計)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,已為所有銷售訂單項創建採購訂單
 DocType: Healthcare Service Unit,Occupied,佔據
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} 被取消,因此無法完成操作
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1} 被取消,因此無法完成操作
 DocType: Customer,Buyer of Goods and Services.,買家商品和服務。
 DocType: Journal Entry,Accounts Payable,應付帳款
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,此付款申請中設置的{0}金額與所有付款計劃的計算金額不同:{1}。在提交文檔之前確保這是正確的。
 DocType: Patient,Allergies,過敏
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,所選的材料清單並不同樣項目
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,所選的材料清單並不同樣項目
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,更改物料代碼
 DocType: Vital Signs,Blood Pressure (systolic),血壓(收縮期)
 DocType: Item Price,Valid Upto,到...為止有效
@@ -701,7 +706,7 @@
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,足夠的配件組裝
 DocType: POS Profile User,POS Profile User,POS配置文件用戶
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,行{0}:折舊開始日期是必需的
-DocType: Sales Invoice Item,Service Start Date,服務開始日期
+DocType: Purchase Invoice Item,Service Start Date,服務開始日期
 DocType: Subscription Invoice,Subscription Invoice,訂閱發票
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,直接收入
 DocType: Patient Appointment,Date TIme,約會時間
@@ -720,7 +725,7 @@
 DocType: Lab Test Template,Lab Routine,實驗室常規
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,化妝品
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,請選擇已完成資產維護日誌的完成日期
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",若要合併,以下屬性必須為這兩個項目是相同的
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",若要合併,以下屬性必須為這兩個項目是相同的
 DocType: Supplier,Block Supplier,塊供應商
 DocType: Shipping Rule,Net Weight,淨重
 DocType: Job Opening,Planned number of Positions,計劃的職位數量
@@ -742,17 +747,19 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,現金流量映射模板
 DocType: Travel Request,Costing Details,成本計算詳情
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,顯示返回條目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,序號項目不能是一個分數
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,序號項目不能是一個分數
 DocType: Journal Entry,Difference (Dr - Cr),差異(Dr - Cr)
 DocType: Account,Profit and Loss,損益
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",不允許,根據需要配置實驗室測試模板
 DocType: Patient,Risk Factors,風險因素
 DocType: Patient,Occupational Hazards and Environmental Factors,職業危害與環境因素
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,已為工單創建的庫存條目
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,已為工單創建的庫存條目
 DocType: Vital Signs,Respiratory rate,呼吸頻率
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,管理轉包
 DocType: Vital Signs,Body Temperature,體溫
 DocType: Project,Project will be accessible on the website to these users,項目將在網站向這些用戶上訪問
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},無法取消{0} {1},因為序列號{2}不屬於倉庫{3}
+DocType: Company,Default Deferred Expense Account,默認遞延費用帳戶
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,定義項目類型。
 DocType: Supplier Scorecard,Weighting Function,加權函數
 DocType: Healthcare Practitioner,OP Consulting Charge,OP諮詢費
@@ -768,7 +775,7 @@
 DocType: BOM,Operating Cost,營業成本
 DocType: Crop,Produced Items,生產物品
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,將交易與發票匹配
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,取消屏蔽發票
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,取消屏蔽發票
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,增量不能為0
 DocType: Company,Delete Company Transactions,刪除公司事務
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,參考編號和參考日期是強制性的銀行交易
@@ -786,23 +793,23 @@
 DocType: Production Plan Item,Pending Qty,待定數量
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1}是不活動
 DocType: Woocommerce Settings,Freight and Forwarding Account,貨運和轉運帳戶
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,設置檢查尺寸打印
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,設置檢查尺寸打印
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,創建工資單
 DocType: Vital Signs,Bloated,脹
 DocType: Salary Slip,Salary Slip Timesheet,工資單時間表
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,對於轉包的採購入庫單,供應商倉庫是強制性輸入的。
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,對於轉包的採購入庫單,供應商倉庫是強制性輸入的。
 DocType: Sales Invoice,Total Commission,佣金總計
 DocType: Tax Withholding Account,Tax Withholding Account,扣繳稅款賬戶
 DocType: Pricing Rule,Sales Partner,銷售合作夥伴
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,所有供應商記分卡。
 DocType: Buying Settings,Purchase Receipt Required,需要採購入庫單
 DocType: Delivery Note,Rail,軌
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,行{0}中的目標倉庫必須與工單相同
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,估價費用是強制性的,如果打開股票進入
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,行{0}中的目標倉庫必須與工單相同
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,估價費用是強制性的,如果打開股票進入
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,沒有在發票表中找到記錄
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,請選擇公司和黨的第一型
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",已經在用戶{1}的pos配置文件{0}中設置了默認值,請禁用默認值
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,財務/會計年度。
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,財務/會計年度。
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累積值
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",對不起,序列號無法合併
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,客戶組將在同步Shopify客戶的同時設置為選定的組
@@ -815,7 +822,7 @@
 ,Lead Id,潛在客戶標識
 DocType: C-Form Invoice Detail,Grand Total,累計
 DocType: Assessment Plan,Course,課程
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,部分代碼
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,部分代碼
 DocType: Timesheet,Payslip,工資單
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,半天的日期應該在從日期到日期之間
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,項目車
@@ -823,7 +830,8 @@
 DocType: Issue,Resolution,決議
 DocType: Employee,Personal Bio,個人生物
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,會員ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},交貨:{0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},交貨:{0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,連接到QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,應付帳款
 DocType: Payment Entry,Type of Payment,付款類型
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,半天日期是強制性的
@@ -834,7 +842,7 @@
 DocType: Sales Invoice,Shipping Bill Date,運費單日期
 DocType: Production Plan,Production Plan,生產計劃
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,打開發票創建工具
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,銷貨退回
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,銷貨退回
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:總分配葉{0}應不低於已核定葉{1}期間
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,根據序列號輸入設置交易數量
 ,Total Stock Summary,總庫存總結
@@ -848,7 +856,7 @@
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,客戶數據庫。
 DocType: Quotation,Quotation To,報價到
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),開啟(Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,測度項目的默認單位{0}不能直接改變,因為你已經做了一些交易(S)與其他計量單位。您將需要創建一個新的項目,以使用不同的默認計量單位。
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,測度項目的默認單位{0}不能直接改變,因為你已經做了一些交易(S)與其他計量單位。您將需要創建一個新的項目,以使用不同的默認計量單位。
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,分配金額不能為負
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,請設定公司
 DocType: Share Balance,Share Balance,份額平衡
@@ -863,15 +871,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,選擇付款賬戶,使銀行進入
 DocType: Hotel Settings,Default Invoice Naming Series,默認發票命名系列
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",建立員工檔案管理葉,報銷和工資
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,更新過程中發生錯誤
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,更新過程中發生錯誤
 DocType: Restaurant Reservation,Restaurant Reservation,餐廳預訂
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,提案寫作
 DocType: Payment Entry Deduction,Payment Entry Deduction,輸入付款扣除
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,包起來
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,通過電子郵件通知客戶
 DocType: Item,Batch Number Series,批號系列
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,另外銷售人員{0}存在具有相同員工ID
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,另外銷售人員{0}存在具有相同員工ID
 DocType: Employee Advance,Claimed Amount,聲明金額
+DocType: QuickBooks Migrator,Authorization Settings,授權設置
 DocType: Travel Itinerary,Departure Datetime,離開日期時間
 DocType: Travel Request Costing,Travel Request Costing,旅行請求成本計算
 apps/erpnext/erpnext/config/education.py +180,Masters,資料主檔
@@ -905,23 +914,25 @@
 DocType: Buying Settings,Supplier Naming By,供應商命名
 DocType: Activity Type,Default Costing Rate,默認成本核算率
 DocType: Maintenance Schedule,Maintenance Schedule,維護計劃
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",然後定價規則將被過濾掉基於客戶,客戶群組,領地,供應商,供應商類型,活動,銷售合作夥伴等。
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",然後定價規則將被過濾掉基於客戶,客戶群組,領地,供應商,供應商類型,活動,銷售合作夥伴等。
 DocType: Employee Promotion,Employee Promotion Details,員工促銷詳情
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,在庫存淨變動
 DocType: Employee,Passport Number,護照號碼
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,與關係Guardian2
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,經理
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,從財政年度開始
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新的信用額度小於當前餘額為客戶著想。信用額度是ATLEAST {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},請在倉庫{0}中設置帳戶
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},請在倉庫{0}中設置帳戶
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,“根據”和“分組依據”不能相同
 DocType: Sales Person,Sales Person Targets,銷售人員目標
 DocType: Work Order Operation,In minutes,在幾分鐘內
 DocType: Issue,Resolution Date,決議日期
 DocType: Lab Test Template,Compound,複合
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,發貨通知
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,選擇屬性
 DocType: Fee Validity,Max number of visit,最大訪問次數
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,創建時間表:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},請設定現金或銀行帳戶的預設付款方式{0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},請設定現金或銀行帳戶的預設付款方式{0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,註冊
 DocType: GST Settings,GST Settings,GST設置
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},貨幣應與價目表貨幣相同:{0}
@@ -959,7 +970,9 @@
 DocType: Loan,Total Interest Payable,合計應付利息
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,到岸成本稅費
 DocType: Work Order Operation,Actual Start Time,實際開始時間
+DocType: Purchase Invoice Item,Deferred Expense Account,遞延費用帳戶
 DocType: BOM Operation,Operation Time,操作時間
+apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,完
 DocType: Salary Structure Assignment,Base,基礎
 DocType: Timesheet,Total Billed Hours,帳單總時間
 DocType: Travel Itinerary,Travel To,前往
@@ -981,16 +994,16 @@
 DocType: Sales Invoice Timesheet,Time Sheet,時間表
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,倒沖原物料基於
 DocType: Sales Invoice,Port Code,港口代碼
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,儲備倉庫
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,儲備倉庫
 DocType: Lead,Lead is an Organization,領導是一個組織
-DocType: Guardian Interest,Interest,利益
 DocType: Instructor Log,Other Details,其他詳細資訊
+apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
 DocType: Lab Test,Test Template,測試模板
 apps/erpnext/erpnext/config/non_profit.py +13,Chapter information.,章節信息。
 DocType: Account,Accounts,會計
 DocType: Vehicle,Odometer Value (Last),里程表值(最後)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,供應商計分卡標準模板。
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,市場營銷
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,市場營銷
 DocType: Sales Invoice,Redeem Loyalty Points,兌換忠誠度積分
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,已創建付款輸入
 DocType: Request for Quotation,Get Suppliers,獲取供應商
@@ -1007,12 +1020,10 @@
 DocType: Crop,Crop Spacing UOM,裁剪間隔UOM
 DocType: Loyalty Program,Single Tier Program,單層計劃
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,只有在設置了“現金流量映射器”文檔時才能選擇
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,來自地址1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,來自地址1
 DocType: Email Digest,Next email will be sent on:,接下來的電子郵件將被發送:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",以下項{item} {verb}標記為{message}項。\您可以從其項目主文件中將其作為{message}項啟用
 DocType: Supplier Scorecard,Per Week,每個星期
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,項目已變種。
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,項目已變種。
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,學生總數
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,項{0}未找到
 DocType: Bin,Stock Value,庫存價值
@@ -1028,7 +1039,7 @@
 DocType: Request for Quotation,Link to material requests,鏈接到材料請求
 DocType: Journal Entry,Credit Card Entry,信用卡進入
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,公司與賬戶
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,在數值
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,在數值
 DocType: Asset Settings,Depreciation Options,折舊選項
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,必須要求地點或員工
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,發佈時間無效
@@ -1042,19 +1053,20 @@
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +86,The field From Shareholder cannot be blank,來自股東的字段不能為空
 DocType: Purchase Order,Supply Raw Materials,供應原料
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,流動資產
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0}不是庫存項目
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0}不是庫存項目
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',請通過點擊“培訓反饋”,然後點擊“新建”
 DocType: Mode of Payment Account,Default Account,預設帳戶
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,請先在庫存設置中選擇樣品保留倉庫
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,請先在庫存設置中選擇樣品保留倉庫
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,請為多個收集規則選擇多層程序類型。
 DocType: Payment Entry,Received Amount (Company Currency),收到的款項(公司幣種)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,如果機會是由前導而來,前導必須被設定
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,付款已取消。請檢查您的GoCardless帳戶以了解更多詳情
+DocType: Delivery Settings,Send with Attachment,發送附件
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,請選擇每週休息日
 DocType: Inpatient Record,O Negative,O負面
 DocType: Work Order Operation,Planned End Time,計劃結束時間
 ,Sales Person Target Variance Item Group-Wise,銷售人員跨項目群組間的目標差異
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,帳戶與現有的交易不能被轉換為總賬
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,帳戶與現有的交易不能被轉換為總賬
 apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership類型詳細信息
 DocType: Delivery Note,Customer's Purchase Order No,客戶的採購訂單編號
 DocType: Clinical Procedure,Consume Stock,消費股票
@@ -1065,25 +1077,25 @@
 DocType: Employee Benefit Application Detail,Max Benefit Amount,最大福利金額
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for manufacturing,預留製造
 DocType: Opportunity,Opportunity From,機會從
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,行{0}:{1}項目{2}所需的序列號。你已經提供{3}。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,行{0}:{1}項目{2}所需的序列號。你已經提供{3}。
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,請選擇一張桌子
 DocType: BOM,Website Specifications,網站規格
 DocType: Special Test Items,Particulars,細節
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}:從{0}類型{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,列#{0}:轉換係數是強制性的
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海報價格規則,同樣的標準存在,請通過分配優先解決衝突。價格規則:{0}
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,列#{0}:轉換係數是強制性的
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海報價格規則,同樣的標準存在,請通過分配優先解決衝突。價格規則:{0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,匯率重估賬戶
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,無法關閉或取消BOM,因為它是與其他材料明細表鏈接
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,無法關閉或取消BOM,因為它是與其他材料明細表鏈接
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,請選擇公司和發布日期以獲取條目
 DocType: Asset,Maintenance,維護
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,從患者遭遇中獲取
 DocType: Subscriber,Subscriber,訂戶
 DocType: Item Attribute Value,Item Attribute Value,項目屬性值
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,請更新您的項目狀態
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,請更新您的項目狀態
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,貨幣兌換必須適用於買入或賣出。
 DocType: Item,Maximum sample quantity that can be retained,可以保留的最大樣品數量
 DocType: Project Update,How is the Project Progressing Right Now?,項目現在進展如何?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},對於採購訂單{3},行{0}#項目{1}不能超過{2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},對於採購訂單{3},行{0}#項目{1}不能超過{2}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,銷售活動。
 DocType: Project Task,Make Timesheet,製作時間表
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1130,34 +1142,36 @@
 DocType: Lab Test,Lab Test,實驗室測試
 DocType: Student Report Generation Tool,Student Report Generation Tool,學生報告生成工具
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,醫療保健計劃時間槽
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,文件名稱
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,文件名稱
 DocType: Expense Claim Detail,Expense Claim Type,費用報銷型
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,對購物車的預設設定
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,添加時代
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},通過資產日記帳分錄報廢{0}
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},請在倉庫{0}中設置帳戶或在公司{1}中設置默認庫存帳戶
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},通過資產日記帳分錄報廢{0}
 DocType: Loan,Interest Income Account,利息收入賬戶
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,最大的好處應該大於零來分配好處
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,最大的好處應該大於零來分配好處
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,審核邀請已發送
 DocType: Shift Assignment,Shift Assignment,班次分配
 DocType: Employee Transfer Property,Employee Transfer Property,員工轉移財產
 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,從時間應該少於時間
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,生物技術
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
 						 to fullfill Sales Order {2}.",無法將項目{0}(序列號:{1})用作reserverd \以完成銷售訂單{2}。
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,Office維護費用
+apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,去
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,將Shopify更新到ERPNext價目表
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,設置電子郵件帳戶
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,請先輸入品項
 DocType: Asset Repair,Downtime,停機
 DocType: Account,Liability,責任
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,制裁金額不能大於索賠額行{0}。
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,制裁金額不能大於索賠額行{0}。
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,學術期限:
 DocType: Salary Component,Do not include in total,不包括在內
 DocType: Company,Default Cost of Goods Sold Account,銷貨帳戶的預設成本
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},採樣數量{0}不能超過接收數量{1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,未選擇價格列表
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},採樣數量{0}不能超過接收數量{1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,未選擇價格列表
 DocType: Request for Quotation Supplier,Send Email,發送電子郵件
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},警告:無效的附件{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},警告:無效的附件{0}
 DocType: Item,Max Sample Quantity,最大樣品量
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,無權限
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,合同履行清單
@@ -1189,15 +1203,14 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:成本中心{2}不屬於公司{3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),上傳你的信頭(保持網頁友好,900px乘100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}帳戶{2}不能是一個組
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,項目行的{idx} {文檔類型} {} DOCNAME上面不存在&#39;{}的文檔類型“表
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,時間表{0}已完成或取消
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,時間表{0}已完成或取消
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,沒有任務
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,銷售發票{0}已創建為已付款
 DocType: Item Variant Settings,Copy Fields to Variant,將字段複製到變式
 DocType: Asset,Opening Accumulated Depreciation,打開累計折舊
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,得分必須小於或等於5
 DocType: Program Enrollment Tool,Program Enrollment Tool,計劃註冊工具
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-往績紀錄
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-往績紀錄
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,股份已經存在
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,客戶和供應商
 DocType: Email Digest,Email Digest Settings,電子郵件摘要設定
@@ -1210,12 +1223,12 @@
 DocType: Production Plan,Select Items,選擇項目
 DocType: Share Transfer,To Shareholder,給股東
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0}針對帳單{1}日期{2}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,來自州
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,來自州
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,設置機構
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,分配葉子......
 DocType: Program Enrollment,Vehicle/Bus Number,車輛/巴士號碼
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,課程表
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",您必須在工資核算期的最後一個工資單上扣除未提交的免稅證明和無人認領的\員工福利稅
 DocType: Request for Quotation Supplier,Quote Status,報價狀態
 DocType: Maintenance Visit,Completion Status,完成狀態
@@ -1239,26 +1252,24 @@
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,預計數量
 DocType: Drug Prescription,Interval UOM,間隔UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",重新選擇,如果所選地址在保存後被編輯
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,項目變種{0}已經具有相同屬性的存在
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,項目變種{0}已經具有相同屬性的存在
 DocType: Item,Hub Publishing Details,Hub發布細節
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',“開放”
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',“開放”
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,開做
 DocType: Issue,Via Customer Portal,通過客戶門戶
 DocType: Notification Control,Delivery Note Message,送貨單留言
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST金額
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST金額
 DocType: Lab Test Template,Result Format,結果格式
 DocType: Expense Claim,Expenses,開支
 DocType: Item Variant Attribute,Item Variant Attribute,產品規格屬性
 ,Purchase Receipt Trends,採購入庫趨勢
 DocType: Vehicle Service,Brake Pad,剎車片
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,研究與發展
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,研究與發展
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,帳單數額
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","開始日期和結束日期與作業卡<a href=""#Form/Job Card/{0}"">{1}</a>重疊"
 DocType: Company,Registration Details,註冊細節
 DocType: Timesheet,Total Billed Amount,總開單金額
 DocType: Item Reorder,Re-Order Qty,重新排序數量
 DocType: Leave Block List Date,Leave Block List Date,休假區塊清單日期表
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,請在教育&gt;教育設置中設置教師命名系統
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,物料清單#{0}:原始材料與主要項目不能相同
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,在外購入庫單項目表總的相關費用必須是相同的總稅費
 DocType: Sales Team,Incentives,獎勵
@@ -1271,7 +1282,7 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,銷售點
 DocType: Fee Schedule,Fee Creation Status,費用創建狀態
 DocType: Vehicle Log,Odometer Reading,里程表讀數
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",帳戶餘額已歸為信用帳戶,不允許設為借方帳戶
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",帳戶餘額已歸為信用帳戶,不允許設為借方帳戶
 DocType: Account,Balance must be,餘額必須
 DocType: Notification Control,Expense Claim Rejected Message,報銷回絕訊息
 ,Available Qty,可用數量
@@ -1282,7 +1293,7 @@
 DocType: Healthcare Settings,Manage Customer,管理客戶
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,在同步訂單詳細信息之前,始終從亞馬遜MWS同步您的產品
 DocType: Delivery Trip,Delivery Stops,交貨停止
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},無法更改行{0}中項目的服務停止日期
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},無法更改行{0}中項目的服務停止日期
 DocType: Serial No,Incoming Rate,傳入速率
 DocType: Leave Type,Encashment Threshold Days,封存閾值天數
 ,Final Assessment Grades,最終評估等級
@@ -1297,31 +1308,33 @@
 DocType: Supplier Quotation,Is Subcontracted,轉包
 DocType: Item Attribute,Item Attribute Values,項目屬性值
 DocType: Examination Result,Examination Result,考試成績
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,採購入庫單
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,採購入庫單
 ,Received Items To Be Billed,待付款的收受品項
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,貨幣匯率的主人。
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,貨幣匯率的主人。
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},參考文檔類型必須是一個{0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,過濾器總計零數量
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},找不到時隙在未來{0}天操作{1}
 DocType: Work Order,Plan material for sub-assemblies,計劃材料為子組件
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,銷售合作夥伴和地區
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM {0}必須是積極的
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,BOM {0}必須是積極的
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,沒有可用於傳輸的項目
 DocType: Employee Boarding Activity,Activity Name,活動名稱
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,更改發布日期
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,成品數量<b>{0}</b>和數量<b>{1}</b>不能不同
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,更改發布日期
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,成品數量<b>{0}</b>和數量<b>{1}</b>不能不同
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),閉幕(開幕+總計)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,商品代碼&gt;商品分組&gt;品牌
+DocType: Delivery Settings,Dispatch Notification Attachment,發貨通知附件
 DocType: Payroll Entry,Number Of Employees,在職員工人數
 DocType: Journal Entry,Depreciation Entry,折舊分錄
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,請先選擇文檔類型
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,請先選擇文檔類型
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,取消取消此保養訪問之前,材質訪問{0}
 DocType: Pricing Rule,Rate or Discount,價格或折扣
 DocType: Vital Signs,One Sided,單面
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},序列號{0}不屬於項目{1}
 DocType: Purchase Receipt Item Supplied,Required Qty,所需數量
 DocType: Marketplace Settings,Custom Data,自定義數據
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,與現有的交易倉庫不能轉換到總帳。
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},序列號對於項目{0}是強制性的
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,與現有的交易倉庫不能轉換到總帳。
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},序列號對於項目{0}是強制性的
 DocType: Bank Reconciliation,Total Amount,總金額
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,從日期和到期日位於不同的財政年度
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,患者{0}沒有客戶參考發票
@@ -1331,9 +1344,9 @@
 DocType: Medical Code,Medical Code Standard,醫療代碼標準
 DocType: Item Group,Item Group Defaults,項目組默認值
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,在分配任務之前請保存。
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,餘額
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,餘額
 DocType: Lab Test,Lab Technician,實驗室技術員
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,銷售價格表
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,銷售價格表
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",如果選中,將創建一個客戶,映射到患者。將針對該客戶創建病人發票。您也可以在創建患者時選擇現有客戶。
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,客戶未加入任何忠誠度計劃
@@ -1347,16 +1360,17 @@
 DocType: Support Search Source,Search Term Param Name,搜索字詞Param Name
 DocType: Item Barcode,Item Barcode,商品條碼
 DocType: Woocommerce Settings,Endpoints,端點
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,項目變種{0}更新
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,項目變種{0}更新
 DocType: Quality Inspection Reading,Reading 6,6閱讀
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,無法{0} {1} {2}沒有任何負面的優秀發票
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,無法{0} {1} {2}沒有任何負面的優秀發票
 DocType: Share Transfer,From Folio No,來自Folio No
 DocType: Purchase Invoice Advance,Purchase Invoice Advance,購買發票提前
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},行{0}:信用記錄無法被鏈接的{1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,定義預算財政年度。
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,定義預算財政年度。
 DocType: Shopify Tax Account,ERPNext Account,ERPNext帳戶
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0}被阻止,所以此事務無法繼續
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,如果累計每月預算超過MR,則採取行動
+DocType: Work Order Operation,Operation completed for how many finished goods?,操作完成多少成品?
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +128,Healthcare Practitioner {0} not available on {1},{1}上沒有醫療從業者{0}
 DocType: Payment Terms Template,Payment Terms Template,付款條款模板
 apps/erpnext/erpnext/public/js/setup_wizard.js +51,The Brand,品牌
@@ -1366,34 +1380,36 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,採購發票
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,針對工作單允許多種材料消耗
 DocType: GL Entry,Voucher Detail No,券詳細說明暫無
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,新的銷售發票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,新的銷售發票
 DocType: Stock Entry,Total Outgoing Value,出貨總計值
 DocType: Healthcare Practitioner,Appointments,約會
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,開幕日期和截止日期應在同一會計年度
 DocType: Lead,Request for Information,索取資料
+,LeaderBoard,排行榜
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),利率保證金(公司貨幣)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,同步離線發票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,同步離線發票
 DocType: Payment Request,Paid,付費
 DocType: Program Fee,Program Fee,課程費用
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",替換使用所有其他BOM的特定BOM。它將替換舊的BOM鏈接,更新成本,並按照新的BOM重新生成“BOM爆炸項目”表。它還更新了所有BOM中的最新價格。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,以下工作訂單已創建:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,以下工作訂單已創建:
 DocType: Salary Slip,Total in words,總計大寫
+DocType: Inpatient Record,Discharged,出院
 DocType: Material Request Item,Lead Time Date,交貨時間日期
 ,Employee Advance Summary,員工提前總結
 DocType: Guardian,Guardian Name,監護人姓名
 DocType: Cheque Print Template,Has Print Format,擁有打印格式
 DocType: Support Settings,Get Started Sections,入門部分
 DocType: Loan,Sanctioned,制裁
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,是強制性的。也許外幣兌換記錄沒有創建
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},列#{0}:請為項目{1}指定序號
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},總貢獻金額:{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},列#{0}:請為項目{1}指定序號
 DocType: Payroll Entry,Salary Slips Submitted,提交工資單
 DocType: Crop Cycle,Crop Cycle,作物週期
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",對於“產品包”的物品,倉庫,序列號和批號將被從“裝箱單”表考慮。如果倉庫和批次號是相同的任何“產品包”項目的所有包裝物品,這些值可以在主項表中輸入,值將被複製到“裝箱單”表。
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,從地方
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,淨薪酬不能為負
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",對於“產品包”的物品,倉庫,序列號和批號將被從“裝箱單”表考慮。如果倉庫和批次號是相同的任何“產品包”項目的所有包裝物品,這些值可以在主項表中輸入,值將被複製到“裝箱單”表。
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,從地方
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,淨薪酬不能為負
 DocType: Student Admission,Publish on website,發布在網站上
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,供應商發票的日期不能超過過帳日期更大
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,供應商發票的日期不能超過過帳日期更大
 DocType: Purchase Invoice Item,Purchase Order Item,採購訂單項目
 DocType: Agriculture Task,Agriculture Task,農業任務
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +139,Indirect Income,間接收入
@@ -1428,7 +1444,6 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,不要送員工生日提醒
 DocType: Expense Claim,Total Advance Amount,總預付金額
 DocType: Delivery Stop,Estimated Arrival,預計抵達時間
-DocType: Delivery Stop,Notified by Email,通過電子郵件通知
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,走在
 DocType: Item,Inspection Criteria,檢驗標準
 apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,轉移
@@ -1436,22 +1451,21 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +52,Upload your letter head and logo. (you can edit them later).,上傳你的信頭和標誌。 (您可以在以後對其進行編輯)。
 DocType: Timesheet Detail,Bill,法案
 DocType: SMS Center,All Lead (Open),所有鉛(開放)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:數量不適用於{4}在倉庫{1}在發布條目的時間({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:數量不適用於{4}在倉庫{1}在發布條目的時間({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,您只能從復選框列表中選擇最多一個選項。
 DocType: Purchase Invoice,Get Advances Paid,獲取有償進展
 DocType: Item,Automatically Create New Batch,自動創建新批
 DocType: Item,Automatically Create New Batch,自動創建新批
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,使
 DocType: Student Admission,Admission Start Date,入學開始日期
 DocType: Journal Entry,Total Amount in Words,總金額大寫
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,新員工
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,有一個錯誤。一個可能的原因可能是因為您沒有保存的形式。請聯繫support@erpnext.com如果問題仍然存在。
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,我的購物車
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},訂單類型必須是一個{0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},訂單類型必須是一個{0}
 DocType: Lead,Next Contact Date,下次聯絡日期
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,開放數量
 DocType: Healthcare Settings,Appointment Reminder,預約提醒
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,對於漲跌額請輸入帳號
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,對於漲跌額請輸入帳號
 DocType: Program Enrollment Tool Student,Student Batch Name,學生批名
 DocType: Holiday List,Holiday List Name,假日列表名稱
 DocType: Repayment Schedule,Balance Loan Amount,平衡貸款額
@@ -1461,13 +1475,13 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,股票期權
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,沒有項目已添加到購物車
 DocType: Journal Entry Account,Expense Claim,報銷
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,難道你真的想恢復這個報廢的資產?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,難道你真的想恢復這個報廢的資產?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},數量為{0}
 DocType: Leave Application,Leave Application,休假申請
 DocType: Patient,Patient Relation,患者關係
 DocType: Item,Hub Category to Publish,集線器類別發布
 DocType: Leave Block List,Leave Block List Dates,休假區塊清單日期表
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",銷售訂單{0}對項目{1}有預留,您只能對{0}提供保留的{1}。序列號{2}無法發送
 DocType: Sales Invoice,Billing Address GSTIN,帳單地址GSTIN
@@ -1483,13 +1497,16 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},請指定{0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,刪除的項目在數量或價值沒有變化。
 DocType: Delivery Note,Delivery To,交貨給
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,變體創建已經排隊。
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,變體創建已經排隊。
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,列表中的第一個請假批准者將被設置為默認的批准批准者。
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,屬性表是強制性的
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,屬性表是強制性的
 DocType: Production Plan,Get Sales Orders,獲取銷售訂單
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0}不能為負數
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,連接到Quickbooks
 DocType: Training Event,Self-Study,自習
 DocType: POS Closing Voucher,Period End Date,期末結束日期
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,行{0}:{1}是創建開始{2}發票所必需的
+DocType: Membership,Membership,籍
 DocType: Asset,Total Number of Depreciations,折舊總數
 DocType: Sales Invoice Item,Rate With Margin,利率保證金
 DocType: Sales Invoice Item,Rate With Margin,利率保證金
@@ -1500,7 +1517,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},請指定行{0}在表中的有效行ID {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,無法找到變量:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,請選擇要從數字鍵盤編輯的字段
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,不能成為股票分類賬創建的固定資產項目。
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,不能成為股票分類賬創建的固定資產項目。
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,承認
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,轉到桌面和開始使用ERPNext
 apps/erpnext/erpnext/templates/pages/order.js +31,Pay Remaining,支付剩餘
@@ -1531,7 +1548,7 @@
 DocType: Tax Rule,Shipping State,運輸狀態
 ,Projected Quantity as Source,預計庫存量的來源
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,項目必須使用'從採購入庫“按鈕進行新增
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,送貨之旅
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,送貨之旅
 DocType: Student,A-,一個-
 DocType: Share Transfer,Transfer Type,轉移類型
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,銷售費用
@@ -1544,8 +1561,9 @@
 DocType: Item Default,Default Selling Cost Center,預設銷售成本中心
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,圓盤
 DocType: Buying Settings,Material Transferred for Subcontract,轉包材料轉讓
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,郵政編碼
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},銷售訂單{0} {1}
+DocType: Email Digest,Purchase Orders Items Overdue,採購訂單項目逾期
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,郵政編碼
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},銷售訂單{0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},選擇貸款{0}中的利息收入帳戶
 DocType: Opportunity,Contact Info,聯絡方式
 apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,製作Stock條目
@@ -1558,11 +1576,11 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,在零計費時間內無法開具發票
 DocType: Company,Date of Commencement,開始日期
 DocType: Sales Person,Select company name first.,先選擇公司名稱。
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},電子郵件發送到{0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},電子郵件發送到{0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,從供應商收到的報價。
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,更換BOM並更新所有BOM中的最新價格
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,這是一個根源供應商組,無法編輯。
-DocType: Delivery Trip,Driver Name,司機姓名
+DocType: Delivery Note,Driver Name,司機姓名
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,平均年齡
 DocType: Education Settings,Attendance Freeze Date,出勤凍結日期
 DocType: Education Settings,Attendance Freeze Date,出勤凍結日期
@@ -1574,7 +1592,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,所有的材料明細表
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},{0}類型的酒店客房不適用於{1}
 DocType: Healthcare Practitioner,Default Currency,預設貨幣
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,第{0}項的最大折扣為{1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,第{0}項的最大折扣為{1}%
 DocType: Asset Movement,From Employee,從員工
 DocType: Driver,Cellphone Number,手機號碼
 DocType: Project,Monitor Progress,監視進度
@@ -1589,18 +1607,19 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},量必須小於或等於{0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},符合組件{0}的最高金額超過{1}
 DocType: Department Approver,Department Approver,部門批准人
+DocType: QuickBooks Migrator,Application Settings,應用程序設置
 DocType: SMS Center,Total Characters,總字元數
 DocType: Employee Advance,Claimed,聲稱
 DocType: Crop,Row Spacing,行間距
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},請BOM字段中選擇BOM的項目{0}
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},請BOM字段中選擇BOM的項目{0}
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,所選項目沒有任何項目變體
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-表 發票詳細資訊
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款發票對帳
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,貢獻%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",根據購買設置,如果需要採購訂單==&#39;是&#39;,那麼為了創建採購發票,用戶需要首先為項目{0}創建採購訂單
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,貢獻%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",根據購買設置,如果需要採購訂單==&#39;是&#39;,那麼為了創建採購發票,用戶需要首先為項目{0}創建採購訂單
 ,HSN-wise-summary of outward supplies,HSN明智的向外供應摘要
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,公司註冊號碼,供大家參考。稅務號碼等
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,國家
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,國家
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,經銷商
 DocType: Asset Finance Book,Asset Finance Book,資產融資書
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,購物車運輸規則
@@ -1609,7 +1628,7 @@
 ,Ordered Items To Be Billed,預付款的訂購物品
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,從範圍必須小於要範圍
 DocType: Global Defaults,Global Defaults,全域預設值
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,項目合作邀請
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,項目合作邀請
 DocType: Salary Slip,Deductions,扣除
 DocType: Setup Progress Action,Action Name,動作名稱
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,開始年份
@@ -1622,25 +1641,27 @@
 DocType: Lead,Consultant,顧問
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,家長老師見面會
 DocType: Salary Slip,Earnings,收益
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,完成項目{0}必須為製造類條目進入
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,完成項目{0}必須為製造類條目進入
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,打開會計平衡
 ,GST Sales Register,消費稅銷售登記冊
 DocType: Sales Invoice Advance,Sales Invoice Advance,銷售發票提前
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,無需求
+DocType: Stock Settings,Default Return Warehouse,默認退貨倉庫
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,選擇您的域名
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify供應商
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,付款發票項目
 DocType: Payroll Entry,Employee Details,員工詳細信息
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,字段將僅在創建時復制。
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',“實際開始日期”不能大於“實際結束日期'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,管理
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,管理
 DocType: Cheque Print Template,Payer Settings,付款人設置
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,找不到針對給定項目鏈接的待處理物料請求。
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,首先選擇公司
 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",這將追加到變異的項目代碼。例如,如果你的英文縮寫為“SM”,而該項目的代碼是“T-SHIRT”,該變種的項目代碼將是“T-SHIRT-SM”
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,薪資單一被儲存,淨付款就會被顯示出來。
 DocType: Delivery Note,Is Return,退貨
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',開始日期大於任務“{0}”的結束日期
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,返回/借記注
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,返回/借記注
 DocType: Price List Country,Price List Country,價目表國家
 DocType: Item,UOMs,計量單位
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},{0}項目{1}的有效的序號
@@ -1652,24 +1673,27 @@
 DocType: Job Card,Time In Mins,分鐘時間
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,供應商數據庫。
 DocType: Contract Template,Contract Terms and Conditions,合同條款和條件
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,您無法重新啟動未取消的訂閱。
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,您無法重新啟動未取消的訂閱。
 DocType: Account,Balance Sheet,資產負債表
 DocType: Leave Type,Is Earned Leave,獲得休假
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',成本中心與項目代碼“項目
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',成本中心與項目代碼“項目
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,總計家長教師會議
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。請檢查是否帳戶已就付款方式或POS機配置文件中設置。
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。請檢查是否帳戶已就付款方式或POS機配置文件中設置。
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同一項目不能輸入多次。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",進一步帳戶可以根據組進行,但條目可針對非組進行
 DocType: Lead,Lead,潛在客戶
 DocType: Email Digest,Payables,應付賬款
 DocType: Course,Course Intro,課程介紹
+DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,股票輸入{0}創建
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,您沒有獲得忠誠度積分兌換
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:駁回採購退貨數量不能進入
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},請在針對公司{1}的預扣稅分類{0}中設置關聯帳戶
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:駁回採購退貨數量不能進入
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,不允許更改所選客戶的客戶組。
 ,Purchase Order Items To Be Billed,欲付款的採購訂單品項
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,更新預計到達時間。
 DocType: Program Enrollment Tool,Enrollment Details,註冊詳情
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,無法為公司設置多個項目默認值。
 DocType: Purchase Invoice Item,Net Rate,淨費率
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,請選擇一個客戶
 DocType: Leave Policy,Leave Allocations,離開分配
@@ -1699,7 +1723,7 @@
 DocType: Loan Application,Repayment Info,還款信息
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,“分錄”不能是空的
 DocType: Maintenance Team Member,Maintenance Role,維護角色
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},重複的行{0}同{1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},重複的行{0}同{1}
 DocType: Marketplace Settings,Disable Marketplace,禁用市場
 ,Trial Balance,試算表
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,會計年度{0}未找到
@@ -1708,7 +1732,7 @@
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +165,Please select prefix first,請先選擇前綴稱號
 DocType: Subscription Settings,Subscription Settings,訂閱設置
 DocType: Purchase Invoice,Update Auto Repeat Reference,更新自動重複參考
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},可選假期列表未設置為假期{0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},可選假期列表未設置為假期{0}
 DocType: Maintenance Visit Purpose,Work Done,工作完成
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,請指定屬性表中的至少一個屬性
 DocType: Announcement,All Students,所有學生
@@ -1717,20 +1741,21 @@
 DocType: Grading Scale,Intervals,間隔
 DocType: Bank Statement Transaction Entry,Reconciled Transactions,協調的事務
 DocType: Crop Cycle,Linked Location,鏈接位置
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",具有具有相同名稱的項目群組存在,請更改項目名稱或重新命名該項目群組
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",具有具有相同名稱的項目群組存在,請更改項目名稱或重新命名該項目群組
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,學生手機號碼
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,世界其他地區
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,世界其他地區
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,該項目{0}不能有批
 DocType: Crop,Yield UOM,產量UOM
 ,Budget Variance Report,預算差異報告
 DocType: Salary Slip,Gross Pay,工資總額
 DocType: Item,Is Item from Hub,是來自Hub的Item
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,從醫療保健服務獲取項目
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,從醫療保健服務獲取項目
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,行{0}:活動類型是強制性的。
 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,會計總帳
 DocType: Asset Value Adjustment,Difference Amount,差額
 DocType: Purchase Invoice,Reverse Charge,反向充電
 DocType: Job Card,Timing Detail,時間細節
+DocType: Purchase Invoice,05-Change in POS,05-更改POS
 DocType: Vehicle Log,Service Detail,服務細節
 DocType: BOM,Item Description,項目說明
 DocType: Student Sibling,Student Sibling,學生兄弟
@@ -1749,12 +1774,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},行對項目所需的估值速率{0}
 DocType: Supplier Scorecard,Scorecard Actions,記分卡操作
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,舉例:碩士計算機科學
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},在{1}中找不到供應商{0}
 DocType: Purchase Invoice,Rejected Warehouse,拒絕倉庫
 DocType: GL Entry,Against Voucher,對傳票
 DocType: Item Default,Default Buying Cost Center,預設採購成本中心
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",為得到最好的 ERPNext 教學,我們建議您花一些時間和觀看這些說明影片。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),對於默認供應商(可選)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,到
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),對於默認供應商(可選)
 DocType: Supplier Quotation Item,Lead Time in days,交貨天期
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,應付帳款摘要
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},無權修改凍結帳戶{0}
@@ -1763,7 +1788,7 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,警告新的報價請求
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,採購訂單幫助您規劃和跟進您的購買
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,實驗室測試處方
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
 							cannot be greater than requested quantity {2} for Item {3}",在材質要求總發行/傳輸量{0} {1} \不能超過請求的數量{2}的項目更大的{3}
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",如果Shopify不包含訂單中的客戶,則在同步訂單時,系統會考慮默認客戶訂單
 DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,打開發票創建工具項目
@@ -1774,6 +1799,7 @@
 DocType: Project,% Completed,%已完成
 ,Invoiced Amount (Exculsive Tax),發票金額(Exculsive稅)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,項目2
+DocType: QuickBooks Migrator,Authorization Endpoint,授權端點
 DocType: Travel Request,International,國際
 DocType: Training Event,Training Event,培訓活動
 DocType: Item,Auto re-order,自動重新排序
@@ -1781,23 +1807,23 @@
 DocType: Employee,Place of Issue,簽發地點
 DocType: Plant Analysis,Laboratory Testing Datetime,實驗室測試日期時間
 DocType: Email Digest,Add Quote,添加報價
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},所需的計量單位計量單位:丁文因素:{0}項:{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},所需的計量單位計量單位:丁文因素:{0}項:{1}
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,間接費用
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,列#{0}:數量是強制性的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,列#{0}:數量是強制性的
 DocType: Agriculture Analysis Criteria,Agriculture,農業
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,創建銷售訂單
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,資產會計分錄
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,阻止發票
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,資產會計分錄
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,阻止發票
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,數量
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,同步主數據
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,同步主數據
 DocType: Asset Repair,Repair Cost,修理費用
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,您的產品或服務
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,登錄失敗
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,資產{0}已創建
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,資產{0}已創建
 DocType: Special Test Items,Special Test Items,特殊測試項目
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,您需要是具有System Manager和Item Manager角色的用戶才能在Marketplace上註冊。
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,根據您指定的薪資結構,您無法申請福利
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,網站形象應該是一個公共文件或網站網址
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,網站形象應該是一個公共文件或網站網址
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,這是個根項目群組,且無法被編輯。
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,合併
 DocType: Journal Entry Account,Purchase Order,採購訂單
@@ -1805,24 +1831,25 @@
 DocType: Warehouse,Warehouse Contact Info,倉庫聯絡方式
 DocType: Payment Entry,Write Off Difference Amount,核銷金額差異
 DocType: Volunteer,Volunteer Name,志願者姓名
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}:未發現員工的電子郵件,因此,電子郵件未發
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},發現其他行中具有重複截止日期的行:{0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}:未發現員工的電子郵件,因此,電子郵件未發
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},給定日期{1}的員工{0}沒有分配薪金結構
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},運費規則不適用於國家/地區{0}
 DocType: Item,Foreign Trade Details,外貿詳細
 ,Assessment Plan Status,評估計劃狀態
 DocType: Serial No,Serial No Details,序列號詳細資訊
 DocType: Purchase Invoice Item,Item Tax Rate,項目稅率
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,來自黨名
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,來自黨名
 DocType: Student Group Student,Group Roll Number,組卷編號
 DocType: Student Group Student,Group Roll Number,組卷編號
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",{0},只有貸方帳戶可以連接另一個借方分錄
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,送貨單{0}未提交
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,送貨單{0}未提交
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,項{0}必須是一個小項目簽約
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,資本設備
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",基於“適用於”欄位是「項目」,「項目群組」或「品牌」,而選擇定價規則。
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,請先設定商品代碼
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,文件類型
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,對於銷售團隊總分配比例應為100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,文件類型
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,對於銷售團隊總分配比例應為100
 DocType: Subscription Plan,Billing Interval Count,計費間隔計數
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,預約和患者遭遇
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,價值缺失
@@ -1835,6 +1862,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,創建打印格式
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,創建費用
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},沒有找到所謂的任何項目{0}
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,物品過濾
 DocType: Supplier Scorecard Criteria,Criteria Formula,標準配方
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,出貨總計
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",只能有一個運輸規則條件為0或空值“ To值”
@@ -1842,13 +1870,14 @@
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",對於商品{0},數量必須是正數
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:該成本中心是一個集團。不能讓反對團體的會計分錄。
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,補休請求天不在有效假期
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,兒童倉庫存在這個倉庫。您不能刪除這個倉庫。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,兒童倉庫存在這個倉庫。您不能刪除這個倉庫。
 DocType: Item,Website Item Groups,網站項目群組
 DocType: Purchase Invoice,Total (Company Currency),總計(公司貨幣)
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,可訪問的價值
+DocType: Daily Work Summary Group,Reminder,提醒
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,可訪問的價值
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,序號{0}多次輸入
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,日記帳分錄
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,來自GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,來自GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,無人認領的金額
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,正在進行{0}項目
 DocType: Workstation,Workstation Name,工作站名稱
@@ -1856,7 +1885,7 @@
 DocType: POS Item Group,POS Item Group,POS項目組
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,電子郵件摘要:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,替代項目不能與項目代碼相同
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM {0}不屬於項目{1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},BOM {0}不屬於項目{1}
 DocType: Sales Partner,Target Distribution,目標分佈
 DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-定期評估
 DocType: Salary Slip,Bank Account No.,銀行賬號
@@ -1865,7 +1894,7 @@
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ",可以使用記分卡變量,以及:{total_score}(該期間的總分數),{period_number}(到當前時間段的數量)
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,全部收縮
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,全部收縮
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,創建採購訂單
 DocType: Quality Inspection Reading,Reading 8,閱讀8
 DocType: Inpatient Record,Discharge Note,卸貨說明
@@ -1880,7 +1909,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,特權休假
 DocType: Purchase Invoice,Supplier Invoice Date,供應商發票日期
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,該值用於按比例計算
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,您需要啟用購物車
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,您需要啟用購物車
 DocType: Payment Entry,Writeoff,註銷
 DocType: Stock Settings,Naming Series Prefix,命名系列前綴
 DocType: Appraisal Template Goal,Appraisal Template Goal,考核目標模板
@@ -1892,11 +1921,10 @@
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,存在重疊的條件:
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,對日記條目{0}已經調整一些其他的優惠券
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,總訂單價值
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,食物
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,食物
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,老齡範圍3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS關閉憑證詳細信息
 DocType: Shopify Log,Shopify Log,Shopify日誌
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,請通過設置&gt;設置&gt;命名系列為{0}設置命名系列
 DocType: Inpatient Occupancy,Check In,報到
 DocType: Maintenance Schedule Item,No of Visits,沒有訪問量的
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},針對{1}存在維護計劃{0}
@@ -1933,6 +1961,7 @@
 DocType: Salary Structure,Max Benefits (Amount),最大收益(金額)
 DocType: Purchase Invoice,Contact Person,聯絡人
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',“預計開始日期”不能大於“預計結束日期'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,此期間沒有數據
 DocType: Course Scheduling Tool,Course End Date,課程結束日期
 DocType: Sales Order Item,Planned Quantity,計劃數量
 DocType: Purchase Invoice Item,Item Tax Amount,項目稅額
@@ -1943,7 +1972,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,在固定資產淨變動
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,需要數量
 DocType: Leave Control Panel,Leave blank if considered for all designations,離開,如果考慮所有指定空白
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},最大數量:{0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,從日期時間
 DocType: Shopify Settings,For Company,對於公司
@@ -1955,9 +1984,9 @@
 DocType: Material Request,Terms and Conditions Content,條款及細則內容
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,創建課程表時出現錯誤
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,列表中的第一個費用審批人將被設置為默認的費用審批人。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,不能大於100
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,不能大於100
 apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,您需要是具有System Manager和Item Manager角色的Administrator以外的用戶才能在Marketplace上註冊。
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,項{0}不是缺貨登記
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,項{0}不是缺貨登記
 DocType: Maintenance Visit,Unscheduled,計劃外
 DocType: Employee,Owned,擁有的
 DocType: Salary Component,Depends on Leave Without Pay,依賴於無薪休假
@@ -1981,14 +2010,14 @@
 DocType: HR Settings,Employee Settings,員工設置
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,加載支付系統
 ,Batch-Wise Balance History,間歇式平衡歷史
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,行#{0}:如果金額大於項目{1}的開帳單金額,則無法設置費率。
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,行#{0}:如果金額大於項目{1}的開帳單金額,則無法設置費率。
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,打印設置在相應的打印格式更新
 DocType: Package Code,Package Code,封裝代碼
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,學徒
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,負數量是不允許
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",從項目主檔獲取的稅務詳細資訊表,成為字串並存儲在這欄位。用於稅賦及費用
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,員工不能報告自己。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,員工不能報告自己。
 DocType: Leave Type,Max Leaves Allowed,允許最大葉子
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",如果帳戶被凍結,條目被允許受限制的用戶。
 DocType: Email Digest,Bank Balance,銀行結餘
@@ -2013,16 +2042,17 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,銀行交易分錄
 DocType: Quality Inspection,Readings,閱讀
 DocType: Stock Entry,Total Additional Costs,總額外費用
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,沒有相互作用
 DocType: BOM,Scrap Material Cost(Company Currency),廢料成本(公司貨幣)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,子組件
 DocType: Asset,Asset Name,資產名稱
 DocType: Project,Task Weight,任務重
 DocType: Loyalty Program,Loyalty Program Type,忠誠度計劃類型
 DocType: Asset Movement,Stock Manager,庫存管理
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},列{0}的來源倉是必要的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},列{0}的來源倉是必要的
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,第{0}行的支付條款可能是重複的。
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),農業(測試版)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,包裝單
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,包裝單
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,辦公室租金
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,設置短信閘道設置
 DocType: Disease,Common Name,通用名稱
@@ -2050,19 +2080,17 @@
 apps/erpnext/erpnext/config/stock.py +312,Item Variants,項目變體
 apps/erpnext/erpnext/public/js/setup_wizard.js +29,Services,服務
 DocType: HR Settings,Email Salary Slip to Employee,電子郵件工資單給員工
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,選擇潛在供應商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,選擇潛在供應商
 DocType: Sales Invoice,Source,源
 DocType: Customer,"Select, to make the customer searchable with these fields",選擇,使客戶可以使用這些字段進行搜索
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,在發貨時從Shopify導入交貨單
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,顯示關閉
 DocType: Leave Type,Is Leave Without Pay,是無薪休假
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,資產類別是強制性的固定資產項目
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,資產類別是強制性的固定資產項目
 DocType: Fee Validity,Fee Validity,費用有效期
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,沒有在支付表中找到記錄
 apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},此{0}衝突{1}在{2} {3}
 DocType: Student Attendance Tool,Students HTML,學生HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","請刪除員工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文檔"
 DocType: POS Profile,Apply Discount,應用折扣
 DocType: GST HSN Code,GST HSN Code,GST HSN代碼
 DocType: Employee External Work History,Total Experience,總經驗
@@ -2084,7 +2112,7 @@
 DocType: Maintenance Schedule,Schedules,時間表
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS配置文件需要使用銷售點
 DocType: Cashier Closing,Net Amount,淨額
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} 尚未提交, 因此無法完成操作"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} 尚未提交, 因此無法完成操作"
 DocType: Purchase Order Item Supplied,BOM Detail No,BOM表詳細編號
 DocType: Landed Cost Voucher,Additional Charges,附加費用
 DocType: Support Search Source,Result Route Field,結果路由字段
@@ -2110,10 +2138,10 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,打開發票
 DocType: Contract,Contract Details,合同細節
 DocType: Employee,Leave Details,留下細節
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,請在員工記錄設定員工角色設置用戶ID字段
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,請在員工記錄設定員工角色設置用戶ID字段
 DocType: UOM,UOM Name,計量單位名稱
 DocType: GST HSN Code,HSN Code,HSN代碼
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,貢獻金額
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,貢獻金額
 DocType: Purchase Invoice,Shipping Address,送貨地址
 DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,此工具可幫助您更新或修復系統中的庫存數量和價值。它通常被用於同步系統值和實際存在於您的倉庫。
 DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,送貨單一被儲存,就會顯示出來。
@@ -2128,8 +2156,8 @@
 DocType: Travel Itinerary,Mode of Travel,旅行模式
 DocType: Sales Invoice Item,Brand Name,商標名稱
 DocType: Purchase Receipt,Transporter Details,貨運公司細節
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,默認倉庫需要選中的項目
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,可能的供應商
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,默認倉庫需要選中的項目
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,可能的供應商
 DocType: Budget,Monthly Distribution,月度分佈
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,收受方列表為空。請創建收受方列表
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),醫療保健(beta)
@@ -2147,6 +2175,7 @@
 ,Bank Reconciliation Statement,銀行對帳表
 DocType: Patient Encounter,Medical Coding,醫學編碼
 ,Lead Name,主導者名稱
+,POS,POS
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,期初存貨餘額
 DocType: Asset Category Account,Capital Work In Progress Account,資本工作進行中的帳戶
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,資產價值調整
@@ -2155,7 +2184,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0}的排假成功
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,無項目包裝
 DocType: Shipping Rule Condition,From Value,從價值
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,生產數量是必填的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,生產數量是必填的
 DocType: Loan,Repayment Method,還款方式
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",如果選中,主頁將是網站的默認項目組
 DocType: Quality Inspection Reading,Reading 4,4閱讀
@@ -2177,7 +2206,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,員工推薦
 DocType: Student Group,Set 0 for no limit,為不限制設為0
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,這一天(S)對你所申請休假的假期。你不需要申請許可。
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,需要行{idx}:{field}才能創建開票{invoice_type}發票
 DocType: Customer,Primary Address and Contact Detail,主要地址和聯繫人詳情
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,重新發送付款電子郵件
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,新任務
@@ -2187,8 +2215,8 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,請選擇至少一個域名。
 DocType: Dependent Task,Dependent Task,相關任務
 DocType: Shopify Settings,Shopify Tax Account,Shopify稅收帳戶
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},預設計量單位的轉換因子必須是1在行{0}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},請假類型{0}不能長於{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},預設計量單位的轉換因子必須是1在行{0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},請假類型{0}不能長於{1}
 DocType: Delivery Trip,Optimize Route,優化路線
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,嘗試提前X天規劃作業。
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
@@ -2196,13 +2224,13 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},請公司設定默認應付職工薪酬帳戶{0}
 DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,通過亞馬遜獲取稅收和收費數據的財務分解
 DocType: SMS Center,Receiver List,收受方列表
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,搜索項目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,搜索項目
 DocType: Payment Schedule,Payment Amount,付款金額
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,半天日期應在工作日期和工作結束日期之間
 DocType: Healthcare Settings,Healthcare Service Items,醫療服務項目
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,現金淨變動
 DocType: Assessment Plan,Grading Scale,分級量表
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,計量單位{0}已經進入不止一次在轉換係數表
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,計量單位{0}已經進入不止一次在轉換係數表
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,已經完成
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,庫存在手
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
@@ -2224,17 +2252,17 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,序列號{0}的數量量{1}不能是分數
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,請輸入Woocommerce服務器網址
 DocType: Purchase Order Item,Supplier Part Number,供應商零件編號
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,轉化率不能為0或1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,轉化率不能為0或1
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,所有員工創建的強制性任務尚未完成。
 DocType: Accounts Settings,Credit Controller,信用控制器
 DocType: Loan,Applicant Type,申請人類型
 DocType: Purchase Invoice,03-Deficiency in services,03-服務不足
 DocType: Healthcare Settings,Default Medical Code Standard,默認醫療代碼標準
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,採購入庫單{0}未提交
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,採購入庫單{0}未提交
 DocType: Company,Default Payable Account,預設應付賬款
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",設定線上購物車,如航運規則,價格表等
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}%已開立帳單
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,保留數量
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,保留數量
 DocType: Party Account,Party Account,黨的帳戶
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,請選擇公司和指定
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,人力資源
@@ -2252,13 +2280,14 @@
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",指定{0}的職位空缺已根據人員配置計劃{1}已打開或正在招聘
 DocType: Vital Signs,Constipated,大便乾燥
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},對供應商發票{0}日期{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},對供應商發票{0}日期{1}
 DocType: Customer,Default Price List,預設價格表
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,資產運動記錄{0}創建
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,未找到任何項目。
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,您不能刪除會計年度{0}。會計年度{0}設置為默認的全局設置
 DocType: Share Transfer,Equity/Liability Account,股票/負債賬戶
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,A customer with the same name already exists,一個同名的客戶已經存在
+DocType: Contract,Inactive,待用
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +224,This will submit Salary Slips and create accrual Journal Entry. Do you want to proceed?,這將提交工資單,並創建權責發生製日記賬分錄。你想繼續嗎?
 DocType: Purchase Invoice,Total Net Weight,總淨重
 DocType: Purchase Order,Order Confirmation No,訂單確認號
@@ -2266,17 +2295,18 @@
 DocType: Journal Entry,Entry Type,條目類型
 ,Customer Credit Balance,客戶信用平衡
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,應付賬款淨額變化
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),客戶{0}({1} / {2})的信用額度已超過
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,請通過設置&gt;設置&gt;命名系列為{0}設置命名系列
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),客戶{0}({1} / {2})的信用額度已超過
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',需要' Customerwise折扣“客戶
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,更新與日記帳之銀行付款日期。
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,價錢
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,價錢
 DocType: Quotation,Term Details,長期詳情
 DocType: Employee Incentive,Employee Incentive,員工激勵
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,不能註冊超過{0}學生該學生群體更多。
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),總計(不含稅)
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,鉛計數
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,鉛計數
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,現貨供應
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,現貨供應
 DocType: Manufacturing Settings,Capacity Planning For (Days),產能規劃的範圍(天)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,採購
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,沒有一個項目無論在數量或價值的任何變化。
@@ -2299,7 +2329,8 @@
 DocType: Shipping Rule Country,Shipping Rule Country,航運規則國家
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,假離和缺勤
 DocType: Asset,Comprehensive Insurance,綜合保險
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},忠誠度積分:{0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},忠誠度積分:{0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,添加潛在客戶
 DocType: Leave Type,Include holidays within leaves as leaves,休假中包含節日做休假
 DocType: Loyalty Program,Redemption,贖回
 DocType: Sales Invoice,Packed Items,盒裝項目
@@ -2330,7 +2361,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,市場推廣開支
 ,Item Shortage Report,商品短缺報告
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,無法創建標準條件。請重命名標準
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,請同時註明“重量計量單位”
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,請同時註明“重量計量單位”
 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,做此存貨分錄所需之物料需求
 DocType: Hub User,Hub Password,集線器密碼
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,為每個批次分離基於課程的組
@@ -2345,15 +2376,16 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),預約時間(分鐘)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,為每股份轉移做會計分錄
 DocType: Leave Allocation,Total Leaves Allocated,已安排的休假總計
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,請輸入有效的財政年度開始和結束日期
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,請輸入有效的財政年度開始和結束日期
 DocType: Employee,Date Of Retirement,退休日
 DocType: Upload Attendance,Get Template,獲取模板
+,Sales Person Commission Summary,銷售人員委員會摘要
 DocType: Additional Salary Component,Additional Salary Component,額外的薪資組件
 DocType: Material Request,Transferred,轉入
 DocType: Vehicle,Doors,門
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext設定完成!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext設定完成!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,收取病人登記費
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,股票交易後不能更改屬性。創建一個新項目並將庫存轉移到新項目
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,股票交易後不能更改屬性。創建一個新項目並將庫存轉移到新項目
 DocType: Course Assessment Criteria,Weightage,權重
 DocType: Purchase Invoice,Tax Breakup,稅收分解
 DocType: Employee,Joining Details,加入詳情
@@ -2378,14 +2410,14 @@
 DocType: Lead,Next Contact By,下一個聯絡人由
 DocType: Compensatory Leave Request,Compensatory Leave Request,補償請假
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},列{1}項目{0}必須有數量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},倉庫{0} 不能被刪除因為項目{1}還有庫存
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},倉庫{0} 不能被刪除因為項目{1}還有庫存
 DocType: Blanket Order,Order Type,訂單類型
 ,Item-wise Sales Register,項目明智的銷售登記
 DocType: Asset,Gross Purchase Amount,總購買金額
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,期初餘額
 DocType: Asset,Depreciation Method,折舊方法
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,包括在基本速率此稅?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,總目標
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,總目標
 DocType: Job Applicant,Applicant for a Job,申請人作業
 DocType: Production Plan Material Request,Production Plan Material Request,生產計劃申請材料
 DocType: Purchase Invoice,Release Date,發布日期
@@ -2400,22 +2432,24 @@
 DocType: Grant Application,Assessment  Mark (Out of 10),評估標記(滿分10分)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2手機號碼
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,主頁
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,項目{0}之後未標記為{1}項目。您可以從項目主文件中將它們作為{1}項啟用
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,變種
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",對於商品{0},數量必須是負數
 DocType: Naming Series,Set prefix for numbering series on your transactions,為你的交易編號序列設置的前綴
 DocType: Employee Attendance Tool,Employees HTML,員工HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,預設BOM({0})必須是活動的這個項目或者其模板
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,預設BOM({0})必須是活動的這個項目或者其模板
 DocType: Employee,Leave Encashed?,離開兌現?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,機會從字段是強制性的
 DocType: Item,Variants,變種
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,製作採購訂單
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,製作採購訂單
 DocType: SMS Center,Send To,發送到
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},沒有足夠的餘額休假請假類型{0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},沒有足夠的餘額休假請假類型{0}
 DocType: Payment Reconciliation Payment,Allocated amount,分配量
 DocType: Sales Team,Contribution to Net Total,貢獻淨合計
 DocType: Sales Invoice Item,Customer's Item Code,客戶的產品編號
 DocType: Stock Reconciliation,Stock Reconciliation,庫存調整
 DocType: Territory,Territory Name,地區名稱
+DocType: Email Digest,Purchase Orders to Receive,要收貨的採購訂單
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,提交之前,需要填入在製品倉庫
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,您只能在訂閱中擁有相同結算週期的計劃
 DocType: Bank Statement Transaction Settings Item,Mapped Data,映射數據
@@ -2434,9 +2468,9 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},重複的序列號輸入的項目{0}
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,通過鉛源追踪潛在客戶。
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,為運輸規則的條件
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,請輸入
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,請輸入
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,維護日誌
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,根據項目或倉庫請設置過濾器
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,根據項目或倉庫請設置過濾器
 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),淨重這個包。 (當項目的淨重量總和自動計算)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,使公司日記帳分錄
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,折扣金額不能大於100%
@@ -2444,13 +2478,13 @@
 DocType: Sales Order,To Deliver and Bill,準備交貨及開立發票
 DocType: Student Group,Instructors,教師
 DocType: GL Entry,Credit Amount in Account Currency,在賬戶幣金額
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM {0}必須提交
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM {0}必須提交
 DocType: Authorization Control,Authorization Control,授權控制
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒絕倉庫是強制性的反對否決項{1}
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒絕倉庫是強制性的反對否決項{1}
 apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",倉庫{0}未與任何帳戶關聯,請在倉庫記錄中提及該帳戶,或在公司{1}中設置默認庫存帳戶。
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,管理您的訂單
 DocType: Work Order Operation,Actual Time and Cost,實際時間和成本
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},針對銷售訂單{2}的項目{1},最多可以有 {0} 被完成。
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},針對銷售訂單{2}的項目{1},最多可以有 {0} 被完成。
 DocType: Crop,Crop Spacing,作物間距
 DocType: Course,Course Abbreviation,當然縮寫
 DocType: Budget,Action if Annual Budget Exceeded on PO,年度預算超出採購訂單時採取的行動
@@ -2461,6 +2495,7 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},總的工作時間不應超過最高工時更大{0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,開啟
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,在銷售時捆綁項目。
+DocType: Delivery Settings,Dispatch Settings,發貨設置
 DocType: Material Request Plan Item,Actual Qty,實際數量
 DocType: Sales Invoice Item,References,參考
 DocType: Quality Inspection Reading,Reading 10,閱讀10
@@ -2470,11 +2505,13 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,您輸入重複的項目。請糾正,然後再試一次。
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,關聯
 DocType: Asset Movement,Asset Movement,資產運動
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,必須提交工單{0}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,新的車
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,必須提交工單{0}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,新的車
 DocType: Taxable Salary Slab,From Amount,從金額
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,項{0}不是一個序列化的項目
 DocType: Leave Type,Encashment,兌現
+DocType: Delivery Settings,Delivery Settings,交貨設置
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,獲取數據
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},假期類型{0}允許的最大休假是{1}
 DocType: SMS Center,Create Receiver List,創建接收器列表
 DocType: Vehicle,Wheels,車輪
@@ -2488,7 +2525,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +52,Telecommunications,電信
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,帳單貨幣必須等於默認公司的貨幣或帳戶幣種
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),表示該包是這個交付的一部分(僅草案)
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,行{0}:到期日期不能在發布日期之前
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,行{0}:到期日期不能在發布日期之前
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,製作付款分錄
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},項目{0}的數量必須小於{1}
 ,Sales Invoice Trends,銷售發票趨勢
@@ -2496,11 +2533,11 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',可以參考的行只有在充電類型是“在上一行量'或'前行總計”
 DocType: Sales Order Item,Delivery Warehouse,交貨倉庫
 DocType: Leave Type,Earned Leave Frequency,獲得休假頻率
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,財務成本中心的樹。
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,子類型
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,財務成本中心的樹。
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,子類型
 DocType: Serial No,Delivery Document No,交貨證明文件號碼
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,確保基於生產的序列號的交貨
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},請公司制定“關於資產處置收益/損失帳戶”{0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},請公司制定“關於資產處置收益/損失帳戶”{0}
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,從採購入庫單取得項目
 DocType: Serial No,Creation Date,創建日期
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},目標位置是資產{0}所必需的
@@ -2513,11 +2550,12 @@
 DocType: Item,Has Variants,有變種
 DocType: Employee Benefit Claim,Claim Benefit For,索賠利益
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,更新響應
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},您已經選擇從項目{0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},您已經選擇從項目{0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,每月分配的名稱
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,批號是必需的
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,批號是必需的
 DocType: Sales Person,Parent Sales Person,母公司銷售人員
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,沒有收到的物品已逾期
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,賣方和買方不能相同
 DocType: Project,Collect Progress,收集進度
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +24,Select the program first,首先選擇程序
@@ -2532,7 +2570,7 @@
 DocType: Bank Guarantee,Margin Money,保證金
 DocType: Budget,Budget,預算
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,設置打開
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,固定資產項目必須是一個非庫存項目。
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,固定資產項目必須是一個非庫存項目。
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",財政預算案不能對{0}指定的,因為它不是一個收入或支出帳戶
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0}的最大免除金額為{1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,已實現
@@ -2549,9 +2587,9 @@
 ,Amount to Deliver,量交付
 DocType: Asset,Insurance Start Date,保險開始日期
 DocType: Salary Component,Flexible Benefits,靈活的好處
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},相同的物品已被多次輸入。 {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},相同的物品已被多次輸入。 {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,這個詞開始日期不能超過哪個術語鏈接學年的開學日期較早(學年{})。請更正日期,然後再試一次。
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,有錯誤。
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,有錯誤。
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,員工{0}已在{2}和{3}之間申請{1}:
 DocType: Guardian,Guardian Interests,守護興趣
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,更新帳戶名稱/號碼
@@ -2588,9 +2626,9 @@
 ,Item-wise Purchase History,全部項目的購買歷史
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},請點擊“生成表”來獲取序列號增加了對項目{0}
 DocType: Account,Frozen,凍結的
-DocType: Delivery Note,Vehicle Type,車輛類型
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,車輛類型
 DocType: Sales Invoice Payment,Base Amount (Company Currency),基本金額(公司幣種)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,原料
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,原料
 DocType: Installation Note,Installation Time,安裝時間
 DocType: Sales Invoice,Accounting Details,會計細節
 DocType: Shopify Settings,status html,狀態HTML
@@ -2598,12 +2636,13 @@
 DocType: Inpatient Record,O Positive,O積極
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,投資
 DocType: Issue,Resolution Details,詳細解析
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,交易類型
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,交易類型
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,驗收標準
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,請輸入在上表請求材料
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,沒有可用於日記帳分錄的還款
 DocType: Hub Tracked Item,Image List,圖像列表
 DocType: Item Attribute,Attribute Name,屬性名稱
+DocType: Subscription,Generate Invoice At Beginning Of Period,在期初生成發票
 DocType: BOM,Show In Website,顯示在網站
 DocType: Loan Application,Total Payable Amount,合計應付額
 DocType: Task,Expected Time (in hours),預期時間(以小時計)
@@ -2636,22 +2675,23 @@
 DocType: Employee,Resignation Letter Date,辭退信日期
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,定價規則進一步過濾基於數量。
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,沒有設置
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},請為員工{0}設置加入日期
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},請為員工{0}設置加入日期
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},請為員工{0}設置加入日期
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},請為員工{0}設置加入日期
 DocType: Inpatient Record,Discharge,卸貨
 DocType: Task,Total Billing Amount (via Time Sheet),總開票金額(通過時間表)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,重複客戶收入
 DocType: Bank Statement Settings,Mapped Items,映射項目
+DocType: Amazon MWS Settings,IT,它
 DocType: Chapter,Chapter,章節
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,對
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,選擇此模式後,默認帳戶將在POS發票中自動更新。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,選擇BOM和數量生產
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,選擇BOM和數量生產
 DocType: Asset,Depreciation Schedule,折舊計劃
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,銷售合作夥伴地址和聯繫人
 DocType: Bank Reconciliation Detail,Against Account,針對帳戶
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,半天時間應該是從之間的日期和終止日期
 DocType: Maintenance Schedule Detail,Actual Date,實際日期
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,請在{0}公司中設置默認成本中心。
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,請在{0}公司中設置默認成本中心。
 DocType: Item,Has Batch No,有批號
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},年度結算:{0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook詳細信息
@@ -2662,7 +2702,7 @@
 DocType: Volunteer,Volunteer Type,志願者類型
 DocType: Shift Assignment,Shift Type,班次類型
 DocType: Student,Personal Details,個人資料
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},請設置在公司的資產折舊成本中心“{0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},請設置在公司的資產折舊成本中心“{0}
 ,Maintenance Schedules,保養時間表
 DocType: Task,Actual End Date (via Time Sheet),實際結束日期(通過時間表)
 DocType: Soil Texture,Soil Type,土壤類型
@@ -2670,10 +2710,10 @@
 ,Quotation Trends,報價趨勢
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},項目{0}之項目主檔未提及之項目群組
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless任務
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,借方帳戶必須是應收帳款帳戶
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,借方帳戶必須是應收帳款帳戶
 DocType: Shipping Rule,Shipping Amount,航運量
 DocType: Supplier Scorecard Period,Period Score,期間得分
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,添加客戶
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,添加客戶
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,待審核金額
 DocType: Lab Test Template,Special,特別
 DocType: Loyalty Program,Conversion Factor,轉換因子
@@ -2689,7 +2729,7 @@
 DocType: Student Report Generation Tool,Add Letterhead,添加信頭
 DocType: Program Enrollment,Self-Driving Vehicle,自駕車
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,供應商記分卡站立
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清單未找到項目{1}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清單未找到項目{1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,共分配葉{0}不能小於已經批准葉{1}期間
 DocType: Journal Entry,Accounts Receivable,應收帳款
 ,Supplier-Wise Sales Analytics,供應商相關的銷售分析
@@ -2704,15 +2744,15 @@
 DocType: Projects Settings,Timesheets,時間表
 DocType: HR Settings,HR Settings,人力資源設置
 DocType: Salary Slip,net pay info,淨工資信息
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS金額
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS金額
 DocType: Woocommerce Settings,Enable Sync,啟用同步
 DocType: Tax Withholding Rate,Single Transaction Threshold,單一交易閾值
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,該值在默認銷售價格表中更新。
 DocType: Email Digest,New Expenses,新的費用
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,PDC / LC金額
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,PDC / LC金額
 DocType: Shareholder,Shareholder,股東
 DocType: Purchase Invoice,Additional Discount Amount,額外的折扣金額
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,從Prescriptions獲取物品
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,從Prescriptions獲取物品
 DocType: Patient,Patient Details,患者細節
 DocType: Inpatient Record,B Positive,B積極
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2724,8 +2764,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,集團以非組
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,體育
 DocType: Loan Type,Loan Name,貸款名稱
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,實際總計
-DocType: Lab Test UOM,Test UOM,測試UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,實際總計
 DocType: Student Siblings,Student Siblings,學生兄弟姐妹
 DocType: Subscription Plan Detail,Subscription Plan Detail,訂閱計劃詳情
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,單位
@@ -2742,6 +2781,7 @@
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}是現在預設的會計年度。請重新載入您的瀏覽器,以使更改生效。
 apps/erpnext/erpnext/projects/doctype/task/task.js +45,Expense Claims,報銷
 DocType: Employee Tax Exemption Declaration,Total Exemption Amount,免稅總額
+,BOM Search,BOM搜索
 DocType: Project,Total Consumed Material Cost  (via Stock Entry),總消耗材料成本(通過股票輸入)
 DocType: Subscription,Subscription Period,訂閱期
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.js +169,To Date cannot be less than From Date,迄今不能少於起始日期
@@ -2751,19 +2791,21 @@
 DocType: Workstation,Wages per hour,時薪
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},在批量庫存餘額{0}將成為負{1}的在倉庫項目{2} {3}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,下列資料的要求已自動根據項目的重新排序水平的提高
-DocType: Email Digest,Pending Sales Orders,待完成銷售訂單
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},帳戶{0}是無效的。帳戶貨幣必須是{1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},起始日期{0}不能在員工解除日期之後{1}
 DocType: Supplier,Is Internal Supplier,是內部供應商
 DocType: Employee,Create User Permission,創建用戶權限
 DocType: Employee Benefit Claim,Employee Benefit Claim,員工福利索賠
+DocType: Healthcare Settings,Remind Before,提醒之前
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},計量單位換算係數是必需的行{0}
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:參考文件類型必須是銷售訂單之一,銷售發票或日記帳分錄
+DocType: Production Plan Item,material_request_item,material_request_item
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:參考文件類型必須是銷售訂單之一,銷售發票或日記帳分錄
 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1忠誠度積分=多少基礎貨幣?
 DocType: Item,Retain Sample,保留樣品
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,行{0}:從時間和時間是強制性的。
 DocType: Stock Reconciliation Item,Amount Difference,金額差異
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},加入項目價格為{0}價格表{1}
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},加入項目價格為{0}價格表{1}
+DocType: Delivery Stop,Order Information,訂單信息
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,請輸入這個銷售人員的員工標識
 DocType: Territory,Classification of Customers by region,客戶按區域分類
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,在生產中
@@ -2773,8 +2815,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,計算的銀行對賬單餘額
 DocType: Normal Test Template,Normal Test Template,正常測試模板
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,禁用的用戶
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,報價
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,無法將收到的詢價單設置為無報價
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,報價
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,無法將收到的詢價單設置為無報價
 DocType: Salary Slip,Total Deduction,扣除總額
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,選擇一個賬戶以賬戶貨幣進行打印
 ,Production Analytics,生產Analytics(分析)
@@ -2785,13 +2827,13 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,供應商記分卡設置
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,評估計劃名稱
 DocType: Work Order Operation,Work Order Operation,工作訂單操作
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},警告:附件無效的SSL證書{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},警告:附件無效的SSL證書{0}
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",信息幫助你的業務,你所有的聯繫人和更添加為您的線索
 DocType: Work Order Operation,Actual Operation Time,實際操作時間
 DocType: Authorization Rule,Applicable To (User),適用於(用戶)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,職位描述
 DocType: Student Applicant,Applied,應用的
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,重新打開
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,重新打開
 DocType: Sales Invoice Item,Qty as per Stock UOM,數量按庫存計量單位
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2名稱
 DocType: Attendance,Attendance Request,出席請求
@@ -2808,7 +2850,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},序列號{0}在保修期內直到{1}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,最小允許值
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,用戶{0}已經存在
-apps/erpnext/erpnext/hooks.py +114,Shipments,發貨
+apps/erpnext/erpnext/hooks.py +115,Shipments,發貨
 DocType: Payment Entry,Total Allocated Amount (Company Currency),總撥款額(公司幣種)
 DocType: Purchase Order Item,To be delivered to customer,要傳送給客戶
 DocType: BOM,Scrap Material Cost,廢料成本
@@ -2816,17 +2858,18 @@
 DocType: Grant Application,Email Notification Sent,電子郵件通知已發送
 DocType: Purchase Invoice,In Words (Company Currency),大寫(Company Currency)
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,公司是公司賬戶的管理者
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",在行上需要項目代碼,倉庫,數量
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",在行上需要項目代碼,倉庫,數量
 DocType: Bank Guarantee,Supplier,供應商
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,這是根部門,無法編輯。
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,顯示付款詳情
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,持續時間天數
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,雜項開支
 DocType: Global Defaults,Default Company,預設公司
 DocType: Company,Transactions Annual History,交易年曆
 apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,對項目{0}而言, 費用或差異帳戶是強制必填的,因為它影響整個庫存總值。
 DocType: Bank,Bank Name,銀行名稱
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-以上
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,將該字段留空以為所有供應商下達採購訂單
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,將該字段留空以為所有供應商下達採購訂單
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,住院訪問費用項目
 DocType: Vital Signs,Fluid,流體
 DocType: Leave Application,Total Leave Days,總休假天數
@@ -2836,7 +2879,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,項目變式設置
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,選擇公司...
 DocType: Leave Control Panel,Leave blank if considered for all departments,保持空白如果考慮到全部部門
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0}是強制性的項目{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0}是強制性的項目{1}
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",項目{0}:{1}產生的數量,
 DocType: Currency Exchange,From Currency,從貨幣
 DocType: Vital Signs,Weight (In Kilogram),體重(公斤)
@@ -2882,7 +2925,7 @@
 DocType: Account,Fixed Asset,固定資產
 DocType: Amazon MWS Settings,After Date,日期之後
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,序列化庫存
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Inter公司發票無效的{0}。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Inter公司發票無效的{0}。
 ,Department Analytics,部門分析
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,在默認聯繫人中找不到電子郵件
 DocType: Loan,Account Info,帳戶信息
@@ -2898,18 +2941,19 @@
 apps/erpnext/erpnext/config/selling.py +327,Sales Order to Payment,銷售訂單到付款
 DocType: Purchase Invoice,With Payment of Tax,繳納稅款
 DocType: Expense Claim Detail,Expense Claim Detail,報銷詳情
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,請在教育&gt;教育設置中設置教師命名系統
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,供應商提供服務
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,基礎貨幣的新平衡
 DocType: Crop Cycle,This will be day 1 of the crop cycle,這將是作物週期的第一天
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,請選擇正確的帳戶
 DocType: Salary Structure Assignment,Salary Structure Assignment,薪酬結構分配
 DocType: Purchase Invoice Item,Weight UOM,重量計量單位
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,包含folio號碼的可用股東名單
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,包含folio號碼的可用股東名單
 DocType: Salary Structure Employee,Salary Structure Employee,薪資結構員工
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,顯示變體屬性
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,顯示變體屬性
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,計劃{0}中的支付網關帳戶與此付款請求中的支付網關帳戶不同
 DocType: Course,Course Name,課程名
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,未找到當前財年的預扣稅數據。
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,未找到當前財年的預扣稅數據。
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,用戶可以批准特定員工的休假申請
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,辦公設備
 DocType: Purchase Invoice Item,Qty,數量
@@ -2917,6 +2961,7 @@
 DocType: Supplier Scorecard,Scoring Setup,得分設置
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,電子
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),借記卡({0})
+DocType: BOM,Allow Same Item Multiple Times,多次允許相同的項目
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,當庫存到達需重新訂購水平時提高物料需求
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,全日制
 DocType: Payroll Entry,Employees,僱員
@@ -2928,10 +2973,10 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,付款確認
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,價格將不會顯示如果沒有設置價格
 DocType: Stock Entry,Total Incoming Value,總收入值
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,借方是必填項
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,借方是必填項
 DocType: Clinical Procedure,Inpatient Record,住院病歷
 apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",時間表幫助追踪的時間,費用和結算由你的團隊做activites
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,採購價格表
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,採購價格表
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,供應商記分卡變數模板。
 DocType: Job Offer Term,Offer Term,要約期限
 DocType: Asset,Quality Manager,質量經理
@@ -2951,11 +2996,11 @@
 DocType: Cashier Closing,To Time,要時間
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},)為{0}
 DocType: Authorization Rule,Approving Role (above authorized value),批准角色(上述授權值)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,信用帳戶必須是應付賬款
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,信用帳戶必須是應付賬款
 DocType: Loan,Total Amount Paid,總金額支付
 DocType: Asset,Insurance End Date,保險終止日期
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,請選擇付費學生申請者必須入學的學生
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM遞歸: {0}不能父母或兒童{2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},BOM遞歸: {0}不能父母或兒童{2}
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,預算清單
 DocType: Work Order Operation,Completed Qty,完成數量
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",{0},只有借方帳戶可以連接另一個貸方分錄
@@ -2963,10 +3008,11 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",序列化項目{0}無法使用庫存調節更新,請使用庫存條目
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",序列化項目{0}無法使用庫存調節更新,請使用庫存條目
 DocType: Training Event Employee,Training Event Employee,培訓活動的員工
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,可以為批次{1}和項目{2}保留最大樣本數量{0}。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,可以為批次{1}和項目{2}保留最大樣本數量{0}。
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,添加時間插槽
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0}產品{1}需要的序號。您已提供{2}。
 DocType: Stock Reconciliation Item,Current Valuation Rate,目前的估值價格
+DocType: Training Event,Advance,提前
 apps/erpnext/erpnext/config/integrations.py +13,GoCardless payment gateway settings,GoCardless支付網關設置
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +129,Exchange Gain/Loss,兌換收益/損失
 DocType: Opportunity,Lost Reason,失落的原因
@@ -2991,11 +3037,14 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,序列號{0}未找到
 DocType: Fee Schedule Program,Fee Schedule Program,費用計劃計劃
 DocType: Fee Schedule Program,Student Batch,學生批
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","請刪除員工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文檔"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,使學生
 DocType: Supplier Scorecard Scoring Standing,Min Grade,最小成績
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,醫療服務單位類型
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},您已被邀請在項目上進行合作:{0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},您已被邀請在項目上進行合作:{0}
 DocType: Supplier Group,Parent Supplier Group,父供應商組
+DocType: Email Digest,Purchase Orders to Bill,向比爾購買訂單
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,集團公司累計價值
 DocType: Leave Block List Date,Block Date,封鎖日期
 DocType: Purchase Receipt,Supplier Delivery Note,供應商交貨單
@@ -3006,6 +3055,7 @@
 DocType: Purchase Invoice,E-commerce GSTIN,電子商務GSTIN
 ,Bank Clearance Summary,銀行結算摘要
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",建立和管理每日,每週和每月的電子郵件摘要。
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,這是基於針對此銷售人員的交易。請參閱下面的時間表了解詳情
 DocType: Appraisal Goal,Appraisal Goal,考核目標
 DocType: Stock Reconciliation Item,Current Amount,電流量
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py +24,Tax Declaration of {0} for period {1} already submitted.,已提交期間{1}的稅務申報{0}。
@@ -3029,7 +3079,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,軟件
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,接下來跟日期不能過去
 DocType: Company,For Reference Only.,僅供參考。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,選擇批號
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,選擇批號
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},無效的{0}:{1}
 DocType: Fee Validity,Reference Inv,參考文獻
 DocType: Sales Invoice Advance,Advance Amount,提前量
@@ -3044,16 +3094,16 @@
 DocType: Normal Test Items,Require Result Value,需要結果值
 DocType: Item,Show a slideshow at the top of the page,顯示幻燈片在頁面頂部
 DocType: Tax Withholding Rate,Tax Withholding Rate,稅收預扣稅率
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,物料清單
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,商店
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,物料清單
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,商店
 DocType: Project Type,Projects Manager,項目經理
 DocType: Serial No,Delivery Time,交貨時間
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,老齡化基於
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,預約被取消
 DocType: Item,End of Life,壽命結束
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,旅遊
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,旅遊
 DocType: Student Report Generation Tool,Include All Assessment Group,包括所有評估小組
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,發現員工{0}對於給定的日期沒有活動或默認的薪酬結構
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,發現員工{0}對於給定的日期沒有活動或默認的薪酬結構
 DocType: Leave Block List,Allow Users,允許用戶
 DocType: Purchase Order,Customer Mobile No,客戶手機號碼
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,現金流量映射模板細節
@@ -3061,13 +3111,13 @@
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,跟踪獨立收入和支出進行產品垂直或部門。
 DocType: Item Reorder,Item Reorder,項目重新排序
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,顯示工資單
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,轉印材料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,轉印材料
 DocType: Fees,Send Payment Request,發送付款請求
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",指定作業、作業成本並給予該作業一個專屬的作業編號。
 DocType: Travel Request,Any other details,任何其他細節
 apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,這份文件是超過限制,通過{0} {1}項{4}。你在做另一個{3}對同一{2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,請設置保存後復發
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,選擇變化量賬戶
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,請設置保存後復發
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,選擇變化量賬戶
 DocType: Purchase Invoice,Price List Currency,價格表之貨幣
 DocType: Naming Series,User must always select,用戶必須始終選擇
 DocType: Stock Settings,Allow Negative Stock,允許負庫存
@@ -3086,9 +3136,10 @@
 DocType: Sales Invoice, Shipping Bill Number,裝運單編號
 DocType: Asset Maintenance Log,Actions performed,已執行的操作
 DocType: Cash Flow Mapper,Section Leader,科長
+DocType: Delivery Note,Transport Receipt No,運輸收據編號
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),資金來源(負債)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,源和目標位置不能相同
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},列{0}的數量({1})必須與生產量{2}相同
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},列{0}的數量({1})必須與生產量{2}相同
 DocType: Supplier Scorecard Scoring Standing,Employee,僱員
 DocType: Bank Guarantee,Fixed Deposit Number,定期存款編號
 DocType: Asset Repair,Failure Date,失敗日期
@@ -3102,21 +3153,21 @@
 DocType: Payment Entry,Payment Deductions or Loss,付款扣除或損失
 DocType: Soil Analysis,Soil Analysis Criterias,土壤分析標準
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,銷售或採購的標準合同條款。
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,你確定要取消這個預約嗎?
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,你確定要取消這個預約嗎?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,酒店房間價格套餐
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,銷售渠道
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,銷售渠道
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},請薪酬部分設置默認帳戶{0}
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},請行選擇BOM為項目{0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,獲取訂閱更新
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},帳戶{0}與帳戶模式{2}中的公司{1}不符
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},指定BOM {0}的項目不存在{1}
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},指定BOM {0}的項目不存在{1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,課程:
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,維護時間表{0}必須取消早於取消這個銷售訂單
 DocType: POS Profile,Applicable for Users,適用於用戶
 DocType: Notification Control,Expense Claim Approved,報銷批准
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),設置進度和分配(FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,沒有創建工作訂單
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,員工的工資單{0}已為這一時期創建
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,員工的工資單{0}已為這一時期創建
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,製藥
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,您只能提交離開封存以獲得有效的兌換金額
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,購買的物品成本
@@ -3124,7 +3175,8 @@
 DocType: Selling Settings,Sales Order Required,銷售訂單需求
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,成為賣家
 DocType: Purchase Invoice,Credit To,信貸
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,有效訊息/客戶
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,有效訊息/客戶
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,留空以使用標準的交貨單格式
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,維護計劃細節
 DocType: Supplier Scorecard,Warn for new Purchase Orders,警告新的採購訂單
 DocType: Quality Inspection Reading,Reading 9,9閱讀
@@ -3136,23 +3188,24 @@
 DocType: Request for Quotation Supplier,No Quote,沒有報價
 DocType: Support Search Source,Post Title Key,帖子標題密鑰
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,對於工作卡
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,處方
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,處方
 DocType: Payment Gateway Account,Payment Account,付款帳號
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,請註明公司以處理
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,請註明公司以處理
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,應收賬款淨額變化
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,補假
 DocType: Job Offer,Accepted,接受的
 DocType: POS Closing Voucher,Sales Invoices Summary,銷售發票摘要
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,到黨名
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,到黨名
 DocType: Grant Application,Organization,組織
 DocType: Grant Application,Organization,組織
+DocType: BOM Update Tool,BOM Update Tool,BOM更新工具
 DocType: SG Creation Tool Course,Student Group Name,學生組名稱
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +23,Show exploded view,顯示爆炸視圖
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +7,Creating Fees,創造費用
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,請確保你真的要刪除這家公司的所有交易。主數據將保持原樣。這個動作不能撤消。
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,搜索結果
 DocType: Room,Room Number,房間號
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},無效的參考{0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},無效的參考{0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1})不能大於計劃數量
 ({2})生產訂單的 {3}"
 DocType: Shipping Rule,Shipping Rule Label,送貨規則標籤
@@ -3161,8 +3214,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,使稅收模板
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,用戶論壇
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,原材料不能為空。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,行#{0}(付款表):金額必須為負數
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.",無法更新庫存,發票包含下降航運項目。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,行#{0}(付款表):金額必須為負數
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.",無法更新庫存,發票包含下降航運項目。
 DocType: Contract,Fulfilment Status,履行狀態
 DocType: Lab Test Sample,Lab Test Sample,實驗室測試樣品
 DocType: Item Variant Settings,Allow Rename Attribute Value,允許重命名屬性值
@@ -3175,6 +3228,7 @@
 DocType: Support Settings,Response Key List,響應密鑰列表
 DocType: Job Card,For Quantity,對於數量
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +205,Please enter Planned Qty for Item {0} at row {1},請輸入列{1}的品項{0}的計劃數量
+DocType: Support Search Source,API,API
 DocType: Support Search Source,Result Preview Field,結果預覽字段
 DocType: Item Price,Packing Unit,包裝單位
 DocType: Subscription,Trialling,試用
@@ -3201,11 +3255,11 @@
 DocType: BOM,Show Operations,顯示操作
 ,Minutes to First Response for Opportunity,分鐘的機會第一個反應
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,共缺席
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,行{0}的項目或倉庫不符合物料需求
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,行{0}的項目或倉庫不符合物料需求
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,計量單位
 DocType: Fiscal Year,Year End Date,年結結束日期
 DocType: Task Depends On,Task Depends On,任務取決於
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,機會
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,機會
 DocType: Operation,Default Workstation,預設工作站
 DocType: Notification Control,Expense Claim Approved Message,報銷批准的訊息
 DocType: Payment Entry,Deductions or Loss,扣除或損失
@@ -3239,19 +3293,19 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,批准用戶作為用戶的規則適用於不能相同
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),基本速率(按庫存計量單位)
 DocType: SMS Log,No of Requested SMS,無的請求短信
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,停薪留職不批准請假的記錄相匹配
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,停薪留職不批准請假的記錄相匹配
 DocType: Travel Request,Domestic,國內
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,請在提供最好的利率規定的項目
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,請在提供最好的利率規定的項目
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,員工轉移無法在轉移日期前提交
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,製作發票
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,保持平衡
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,保持平衡
 DocType: Selling Settings,Auto close Opportunity after 15 days,15天之後自動關閉商機
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,由於{1}的記分卡,{0}不允許採購訂單。
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,條形碼{0}不是有效的{1}代碼
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,條形碼{0}不是有效的{1}代碼
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,結束年份
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,報價/鉛%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,報價/鉛%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,合同結束日期必須大於加入的日期
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,合同結束日期必須大於加入的日期
 DocType: Driver,Driver,司機
 DocType: Vital Signs,Nutrition Values,營養價值觀
 DocType: Lab Test Template,Is billable,是可計費的
@@ -3262,7 +3316,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,這是一個由 ERPNext 自動產生的範例網站
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,老齡範圍1
 DocType: Shopify Settings,Enable Shopify,啟用Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,總預付金額不能超過索賠總額
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,總預付金額不能超過索賠總額
 DocType: Purchase Taxes and Charges Template,"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
@@ -3311,9 +3365,9 @@
 DocType: Purchase Receipt Item,Recd Quantity,到貨數量
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},費紀錄創造 -  {0}
 DocType: Asset Category Account,Asset Category Account,資產類別的帳戶
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,行#{0}(付款表):金額必須為正值
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,行#{0}(付款表):金額必須為正值
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},無法產生更多的項目{0}不是銷售訂單數量{1}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,選擇屬性值
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,選擇屬性值
 DocType: Purchase Invoice,Reason For Issuing document,簽發文件的原因
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,股票輸入{0}不提交
 DocType: Payment Reconciliation,Bank / Cash Account,銀行/現金帳戶
@@ -3322,7 +3376,9 @@
 DocType: Asset,Manual,手冊
 DocType: Salary Component Account,Salary Component Account,薪金部分賬戶
 DocType: Global Defaults,Hide Currency Symbol,隱藏貨幣符號
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card",例如:銀行,現金,信用卡
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,來源的銷售機會
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,請通過設置&gt;編號系列設置出席編號系列
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card",例如:銀行,現金,信用卡
 DocType: Job Applicant,Source Name,源名稱
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",成年人的正常靜息血壓約為收縮期120mmHg,舒張壓80mmHg,縮寫為“120 / 80mmHg”
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",以天為單位設置貨架保質期,根據manufacturer_date加上自我壽命設置到期日
@@ -3367,8 +3423,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,留下批准通知
 DocType: Buying Settings,Default Buying Price List,預設採購價格表
 DocType: Payroll Entry,Salary Slip Based on Timesheet,基於時間表工資單
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,購買率
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},行{0}:輸入資產項目{1}的位置
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,購買率
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},行{0}:輸入資產項目{1}的位置
 DocType: Company,About the Company,關於公司
 DocType: Notification Control,Sales Order Message,銷售訂單訊息
 apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",設定預設值如公司,貨幣,當前財政年度等
@@ -3423,6 +3479,7 @@
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +883,Please select an item in the cart,請在購物車中選擇一個項目
 DocType: Landed Cost Voucher,Purchase Receipt Items,採購入庫項目
 apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,自定義表單
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +77,Arrear,拖欠
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Depreciation Amount during the period,期間折舊額
 DocType: Sales Invoice,Is Return (Credit Note),是退貨(信用票據)
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +26,Start Job,開始工作
@@ -3431,9 +3488,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,對於行{0}:輸入計劃的數量
 DocType: Account,Income Account,收入帳戶
 DocType: Payment Request,Amount in customer's currency,量客戶的貨幣
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,交貨
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,交貨
+DocType: Volunteer,Weekdays,平日
 DocType: Stock Reconciliation Item,Current Qty,目前數量
 DocType: Restaurant Menu,Restaurant Menu,餐廳菜單
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,添加供應商
 DocType: Loyalty Program,Help Section,幫助科
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,上一頁
 DocType: Appraisal Goal,Key Responsibility Area,關鍵責任區
@@ -3444,8 +3503,8 @@
 												fullfill Sales Order {2}",無法提供項目{1}的序列號{0},因為它保留在\ fullfill銷售訂單{2}中
 DocType: Item Reorder,Material Request Type,材料需求類型
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,發送格蘭特回顧郵件
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",localStorage的是滿的,沒救
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,行{0}:計量單位轉換係數是必需的
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",localStorage的是滿的,沒救
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,行{0}:計量單位轉換係數是必需的
 DocType: Employee Benefit Claim,Claim Date,索賠日期
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,房間容量
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},已有記錄存在項目{0}
@@ -3455,7 +3514,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,忠誠度計劃集
 DocType: Stock Entry Detail,Subcontracted Item,轉包項目
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},學生{0}不屬於組{1}
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,憑證#
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,憑證#
 DocType: Notification Control,Purchase Order Message,採購訂單的訊息
 DocType: Tax Rule,Shipping Country,航運國家
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,從銷售交易隱藏客戶的稅號
@@ -3473,21 +3532,20 @@
 apps/erpnext/erpnext/utilities/user_progress.py +101,Go to Letterheads,去信頭
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,已添加屬性
 DocType: Item Supplier,Item Supplier,產品供應商
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,請輸入產品編號,以取得批號
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},請選擇一個值{0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,請輸入產品編號,以取得批號
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},請選擇一個值{0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,沒有選擇轉移項目
 DocType: Company,Stock Settings,庫存設定
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合併是唯一可能的,如果以下屬性中均有記載相同。是集團,根型,公司
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合併是唯一可能的,如果以下屬性中均有記載相同。是集團,根型,公司
 DocType: Vehicle,Electric,電動
 DocType: Task,% Progress,%進展
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,在資產處置收益/損失
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",下表中將只選擇狀態為“已批准”的學生申請人。
 DocType: Tax Withholding Category,Rates,價格
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,帳戶{0}的帳戶號碼不可用。 <br>請正確設置您的會計科目表。
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,帳戶{0}的帳戶號碼不可用。 <br>請正確設置您的會計科目表。
 DocType: Task,Depends on Tasks,取決於任務
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,管理客戶群組樹。
 DocType: Normal Test Items,Result Value,結果值
-DocType: Delivery Note,Transporter Date,運輸者日期
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,新的成本中心名稱
 DocType: Project,Task Completion,任務完成
 apps/erpnext/erpnext/templates/includes/product_page.js +31,Not in Stock,沒存貨
@@ -3532,11 +3590,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,所有評估組
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,新倉庫名稱
 DocType: Shopify Settings,App Type,應用類型
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),總{0}({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),總{0}({1})
 DocType: C-Form Invoice Detail,Territory,領土
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,請註明無需訪問
 DocType: Stock Settings,Default Valuation Method,預設的估值方法
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,費用
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,顯示累計金額
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,正在更新。它可能需要一段時間。
 DocType: Production Plan Item,Produced Qty,生產數量
 DocType: Vehicle Log,Fuel Qty,燃油數量
@@ -3544,7 +3603,7 @@
 DocType: Work Order Operation,Planned Start Time,計劃開始時間
 DocType: Course,Assessment,評定
 DocType: Payment Entry Reference,Allocated,分配
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,關閉資產負債表和賬面利潤或虧損。
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,關閉資產負債表和賬面利潤或虧損。
 DocType: Student Applicant,Application Status,應用現狀
 DocType: Additional Salary,Salary Component Type,薪資組件類型
 DocType: Sensitivity Test Items,Sensitivity Test Items,靈敏度測試項目
@@ -3555,10 +3614,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,未償還總額
 DocType: Sales Partner,Targets,目標
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,請在公司信息文件中註冊SIREN號碼
+DocType: Email Digest,Sales Orders to Bill,比爾的銷售訂單
 DocType: Price List,Price List Master,價格表主檔
 DocType: GST Account,CESS Account,CESS帳戶
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,所有的銷售交易,可以用來標記針對多個**銷售**的人,這樣你可以設置和監控目標。
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,鏈接到材料請求
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,鏈接到材料請求
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,論壇活動
 ,S.O. No.,SO號
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,銀行對賬單交易設置項目
@@ -3619,6 +3679,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,請在“餐廳設置”中設置默認客戶
 ,Salary Register,薪酬註冊
 DocType: Warehouse,Parent Warehouse,家長倉庫
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,圖表
 DocType: Subscription,Net Total,總淨值
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},項目{0}和項目{1}找不到默認BOM
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,定義不同的貸款類型
@@ -3645,21 +3706,23 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,ATLEAST一個項目應該負數量回報文檔中輸入
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",操作{0}比任何可用的工作時間更長工作站{1},分解成運行多個操作
 DocType: Membership,Membership Status,成員身份
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,暫無產品說明
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,暫無產品說明
 DocType: Asset,In Maintenance,在維護中
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,單擊此按鈕可從亞馬遜MWS中提取銷售訂單數據。
 DocType: Purchase Invoice,Overdue,過期的
 DocType: Account,Stock Received But Not Billed,庫存接收,但不付款
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,根帳戶必須是一組
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,根帳戶必須是一組
 DocType: Drug Prescription,Drug Prescription,藥物處方
 DocType: Loan,Repaid/Closed,償還/關閉
 DocType: Item,Total Projected Qty,預計總數量
 DocType: Monthly Distribution,Distribution Name,分配名稱
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,包括UOM
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",對於{1} {2}進行會計分錄所需的項目{0},找不到估值。如果該項目在{1}中作為零估值率項目進行交易,請在{1}項目表中提及。否則,請在項目記錄中創建貨物的進貨庫存交易或提交估值費率,然後嘗試提交/取消此條目
 DocType: Course,Course Code,課程代碼
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},項目{0}需要品質檢驗
 DocType: POS Settings,Use POS in Offline Mode,在離線模式下使用POS
 DocType: Supplier Scorecard,Supplier Variables,供應商變量
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0}是強制性的。可能沒有為{1}到{2}創建貨幣兌換記錄
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,客戶貨幣被換算成公司基礎貨幣的匯率
 DocType: Purchase Invoice Item,Net Rate (Company Currency),淨利率(公司貨幣)
 DocType: Salary Detail,Condition and Formula Help,條件和公式幫助
@@ -3668,19 +3731,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,銷售發票
 DocType: Journal Entry Account,Party Balance,黨平衡
 DocType: Cash Flow Mapper,Section Subtotal,部分小計
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,請選擇適用的折扣
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,請選擇適用的折扣
 DocType: Stock Settings,Sample Retention Warehouse,樣品保留倉庫
 DocType: Company,Default Receivable Account,預設應收帳款
 DocType: Purchase Invoice,Deemed Export,被視為出口
 DocType: Stock Entry,Material Transfer for Manufacture,物料轉倉用於製造
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,折扣百分比可以應用於單一價目表或所有價目表。
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,存貨的會計分錄
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,存貨的會計分錄
 DocType: Lab Test,LabTest Approver,LabTest審批者
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,您已經評估了評估標準{}。
 DocType: Vehicle Service,Engine Oil,機油
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},創建的工單:{0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},創建的工單:{0}
 DocType: Sales Invoice,Sales Team1,銷售團隊1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,項目{0}不存在
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,項目{0}不存在
 DocType: Sales Invoice,Customer Address,客戶地址
 DocType: Loan,Loan Details,貸款詳情
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,未能設置公司固定裝置
@@ -3700,32 +3763,33 @@
 DocType: Item Group,Show this slideshow at the top of the page,這顯示在幻燈片頁面頂部
 DocType: BOM,Item UOM,項目計量單位
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),稅額後,優惠金額(公司貨幣)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},目標倉庫是強制性的行{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},目標倉庫是強制性的行{0}
 DocType: Cheque Print Template,Primary Settings,主要設置
 DocType: Purchase Invoice,Select Supplier Address,選擇供應商地址
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,添加員工
 DocType: Purchase Invoice Item,Quality Inspection,品質檢驗
 DocType: Company,Standard Template,標準模板
 DocType: Training Event,Theory,理論
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料需求的數量低於最少訂購量
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料需求的數量低於最少訂購量
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,帳戶{0}被凍結
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,法人/子公司與帳戶的獨立走勢屬於該組織。
 DocType: Payment Request,Mute Email,靜音電子郵件
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco",食品、飲料&煙草
 DocType: Account,Account Number,帳號
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},只能使支付對未付款的{0}
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,佣金比率不能大於100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},只能使支付對未付款的{0}
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,佣金比率不能大於100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),自動分配進度(FIFO)
 DocType: Volunteer,Volunteer,志願者
 DocType: Buying Settings,Subcontract,轉包
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,請輸入{0}第一
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,從沒有回复
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,從沒有回复
 DocType: Work Order Operation,Actual End Time,實際結束時間
 DocType: Item,Manufacturer Part Number,製造商零件編號
 DocType: Taxable Salary Slab,Taxable Salary Slab,應納稅薪金平台
 DocType: Work Order Operation,Estimated Time and Cost,估計時間和成本
 DocType: Bin,Bin,箱子
 DocType: Crop,Crop Name,作物名稱
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,只有{0}角色的用戶才能在Marketplace上註冊
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,只有{0}角色的用戶才能在Marketplace上註冊
 DocType: SMS Log,No of Sent SMS,沒有發送短信
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,約會和遭遇
 DocType: Antibiotic,Healthcare Administrator,醫療管理員
@@ -3751,7 +3815,7 @@
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,更改代碼
 DocType: Purchase Invoice Item,Valuation Rate,估值率
 DocType: Vehicle,Diesel,柴油機
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,尚未選擇價格表之貨幣
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,尚未選擇價格表之貨幣
 DocType: Purchase Invoice,Availed ITC Cess,採用ITC Cess
 ,Student Monthly Attendance Sheet,學生每月考勤表
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,運費規則僅適用於銷售
@@ -3767,14 +3831,14 @@
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,管理銷售合作夥伴。
 DocType: Quality Inspection,Inspection Type,檢驗類型
 DocType: Fee Validity,Visited yet,已訪問
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,與現有的交易倉庫不能轉換為組。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,與現有的交易倉庫不能轉換為組。
 DocType: Assessment Result Tool,Result HTML,結果HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,項目和公司應根據銷售交易多久更新一次。
 apps/erpnext/erpnext/utilities/activation.py +117,Add Students,新增學生
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},請選擇{0}
 DocType: C-Form,C-Form No,C-表格編號
 DocType: BOM,Exploded_items,Exploded_items
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,距離
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,距離
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,列出您所購買或出售的產品或服務。
 DocType: Water Analysis,Storage Temperature,儲存溫度
 DocType: Employee Attendance Tool,Unmarked Attendance,無標記考勤
@@ -3789,19 +3853,19 @@
 DocType: Shopify Settings,Delivery Note Series,送貨單系列
 DocType: Purchase Order Item,Returned Qty,返回的數量
 DocType: Student,Exit,出口
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,root類型是強制性的
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,root類型是強制性的
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,無法安裝預設
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM按小時轉換
 DocType: Contract,Signee Details,簽名詳情
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0}目前擁有{1}供應商記分卡,並且謹慎地向該供應商發出詢價。
 DocType: Certified Consultant,Non Profit Manager,非營利經理
 DocType: BOM,Total Cost(Company Currency),總成本(公司貨幣)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,序列號{0}創建
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,序列號{0}創建
 DocType: Homepage,Company Description for website homepage,公司介紹了網站的首頁
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",為方便客戶,這些代碼可以在列印格式,如發票和送貨單使用
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier名稱
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,無法檢索{0}的信息。
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,開幕詞報
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,開幕詞報
 DocType: Contract,Fulfilment Terms,履行條款
 DocType: Sales Invoice,Time Sheet List,時間表列表
 DocType: Employee,You can enter any date manually,您可以手動輸入任何日期
@@ -3829,13 +3893,14 @@
 DocType: Item,Inspection Required before Purchase,購買前檢查所需
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,待活動
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test_list.js +41,Create Lab Test,創建實驗室測試
+DocType: Patient Appointment,Reminded,提醒
 apps/erpnext/erpnext/public/js/setup_wizard.js +126,View Chart of Accounts,查看會計科目表
 DocType: Chapter Member,Chapter Member,章會員
 DocType: Material Request Plan Item,Minimum Order Quantity,最小起訂量
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,你的組織
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",跳過以下員工的休假分配,因為已經存在針對他們的休假分配記錄。 {0}
 DocType: Fee Component,Fees Category,費用類別
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,請輸入解除日期。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,請輸入解除日期。
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
 DocType: Travel Request,"Details of Sponsor (Name, Location)",贊助商詳情(名稱,地點)
 DocType: Supplier Scorecard,Notify Employee,通知員工
@@ -3847,9 +3912,9 @@
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,重新排序級別
 DocType: Company,Chart Of Accounts Template,圖表帳戶模板
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},必須為購買發票{0}啟用更新庫存
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},項目價格更新{0}價格表{1}
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},項目價格更新{0}價格表{1}
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,工資分手基於盈利和演繹。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,有子節點的帳不能轉換到總帳
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,有子節點的帳不能轉換到總帳
 DocType: Purchase Invoice Item,Accepted Warehouse,收料倉庫
 DocType: Bank Reconciliation Detail,Posting Date,發布日期
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +30,One customer can be part of only single Loyalty Program.,一個客戶只能參與一個忠誠度計劃。
@@ -3881,6 +3946,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,請選擇一個批次
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,旅行和費用索賠
 DocType: Sales Invoice,Redemption Cost Center,贖回成本中心
+DocType: QuickBooks Migrator,Scope,範圍
 DocType: Assessment Group,Assessment Group Name,評估小組名稱
 DocType: Manufacturing Settings,Material Transferred for Manufacture,轉移至製造的物料
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,添加到詳細信息
@@ -3888,6 +3954,7 @@
 DocType: Shopify Settings,Last Sync Datetime,上次同步日期時間
 DocType: Landed Cost Item,Receipt Document Type,收據憑證類型
 DocType: Daily Work Summary Settings,Select Companies,選擇公司
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,提案/報價
 DocType: Antibiotic,Healthcare,衛生保健
 DocType: Target Detail,Target Detail,目標詳細資訊
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,單一變種
@@ -3897,6 +3964,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,期末進入
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,選擇部門...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,與現有的交易成本中心,不能轉化為組
+DocType: QuickBooks Migrator,Authorization URL,授權URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},金額{0} {1} {2} {3}
 DocType: Account,Depreciation,折舊
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,股份數量和股票數量不一致
@@ -3915,14 +3983,16 @@
 DocType: Amazon MWS Settings,Customer Type,客戶類型
 DocType: Compensatory Leave Request,Leave Allocation,排假
 DocType: Payment Request,Recipient Message And Payment Details,收件人郵件和付款細節
+DocType: Support Search Source,Source DocType,源DocType
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,打開一張新票
 DocType: Training Event,Trainer Email,教練電子郵件
+DocType: Driver,Transporter,運輸車
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,{0}物料需求已建立
 DocType: Restaurant Reservation,No of People,沒有人
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,模板條款或合同。
 DocType: Bank Account,Address and Contact,地址和聯絡方式
 DocType: Cheque Print Template,Is Account Payable,為應付賬款
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},股票不能對外購入庫單進行更新{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},股票不能對外購入庫單進行更新{0}
 DocType: Support Settings,Auto close Issue after 7 days,7天之後自動關閉問題
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",假,不是之前分配{0},因為休假餘額已經結轉轉發在未來的假期分配記錄{1}
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),註:由於/參考日期由{0}天超過了允許客戶的信用天數(S)
@@ -3946,13 +4016,12 @@
 DocType: Quality Inspection,Outgoing,發送
 DocType: Material Request,Requested For,要求
 DocType: Quotation Item,Against Doctype,針對文檔類型
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1} 被取消或結案
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1} 被取消或結案
 DocType: Asset,Calculate Depreciation,計算折舊
 DocType: Delivery Note,Track this Delivery Note against any Project,跟踪此送貨單反對任何項目
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,從投資淨現金
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,客戶&gt;客戶群&gt;地區
 DocType: Work Order,Work-in-Progress Warehouse,在製品倉庫
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,資產{0}必須提交
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,資產{0}必須提交
 DocType: Fee Schedule Program,Total Students,學生總數
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},考勤記錄{0}存在針對學生{1}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},參考# {0}於{1}
@@ -3969,7 +4038,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,無法為左員工創建保留獎金
 DocType: Lead,Market Segment,市場分類
 DocType: Agriculture Analysis Criteria,Agriculture Manager,農業經理
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金額不能超過總負餘額大於{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金額不能超過總負餘額大於{0}
 DocType: Supplier Scorecard Period,Variables,變量
 DocType: Employee Internal Work History,Employee Internal Work History,員工內部工作經歷
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),關閉(Dr)
@@ -3992,20 +4061,22 @@
 DocType: Amazon MWS Settings,Synch Products,同步產品
 DocType: Loyalty Point Entry,Loyalty Program,忠誠計劃
 DocType: Student Guardian,Father,父親
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,支持門票
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,"""更新庫存"" 無法檢查固定資產銷售"
 DocType: Bank Reconciliation,Bank Reconciliation,銀行對帳
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,獲取更新
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}帳戶{2}不屬於公司{3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,從每個屬性中至少選擇一個值。
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,從每個屬性中至少選擇一個值。
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,材料需求{0}被取消或停止
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,派遣國
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,派遣國
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,離開管理
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,組
 DocType: Purchase Invoice,Hold Invoice,保留發票
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,請選擇員工
-DocType: Lead,Lower Income,較低的收入
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,較低的收入
 DocType: Restaurant Order Entry,Current Order,當前訂單
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,序列號和數量必須相同
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},列{0}的來源和目標倉庫不可相同
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},列{0}的來源和目標倉庫不可相同
 DocType: Account,Asset Received But Not Billed,已收到但未收費的資產
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",差異帳戶必須是資產/負債類型的帳戶,因為此庫存調整是一個開始分錄
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},支付額不能超過貸款金額較大的{0}
@@ -4014,7 +4085,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},所需物品{0}的採購訂單號
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',“起始日期”必須經過'終止日期'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,本指定沒有發現人員配備計劃
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,項目{1}的批處理{0}已禁用。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,項目{1}的批處理{0}已禁用。
 DocType: Leave Policy Detail,Annual Allocation,年度分配
 DocType: Travel Request,Address of Organizer,主辦單位地址
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,選擇醫療從業者......
@@ -4022,11 +4093,11 @@
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +39,Cannot change status as student {0} is linked with student application {1},無法改變地位的學生{0}與學生申請鏈接{1}
 DocType: Asset,Fully Depreciated,已提足折舊
 ,Stock Projected Qty,存貨預計數量
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},客戶{0}不屬於項目{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},客戶{0}不屬於項目{1}
 DocType: Employee Attendance Tool,Marked Attendance HTML,顯著的考勤HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",語錄是建議,你已經發送到你的客戶提高出價
 DocType: Sales Invoice,Customer's Purchase Order,客戶採購訂單
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,在銷售訂單旁通過信用檢查
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,在銷售訂單旁通過信用檢查
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,員工入職活動
 DocType: Location,Check if it is a hydroponic unit,檢查它是否是水培單位
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,序列號和批次
@@ -4036,14 +4107,15 @@
 DocType: Supplier Scorecard Period,Calculations,計算
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,價值或數量
 DocType: Payment Terms Template,Payment Terms,付款條件
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,製作訂單不能上調:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,製作訂單不能上調:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,分鐘
 DocType: Purchase Invoice,Purchase Taxes and Charges,購置稅和費
+DocType: Chapter,Meetup Embed HTML,Meetup嵌入HTML
 DocType: Asset,Insured value,保價值
 apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,去供應商
 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS關閉憑證稅
 ,Qty to Receive,未到貨量
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",開始日期和結束日期不在有效的工資核算期間內,無法計算{0}。
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",開始日期和結束日期不在有效的工資核算期間內,無法計算{0}。
 DocType: Leave Block List,Leave Block List Allowed,准許的休假區塊清單
 DocType: Grading Scale Interval,Grading Scale Interval,分級分度值
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},報銷車輛登錄{0}
@@ -4051,10 +4123,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,價格上漲率與貼現率的折扣(%)
 DocType: Healthcare Service Unit Type,Rate / UOM,費率/ UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,所有倉庫
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Inter公司沒有找到{0}。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Inter公司沒有找到{0}。
 DocType: Travel Itinerary,Rented Car,租車
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,關於貴公司
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,信用帳戶必須是資產負債表科目
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,信用帳戶必須是資產負債表科目
 DocType: Donor,Donor,捐贈者
 DocType: Global Defaults,Disable In Words,禁用詞
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,產品編號是強制性的,因為項目沒有自動編號
@@ -4065,19 +4137,21 @@
 DocType: Patient,Medical History,醫學史
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,銀行透支戶口
 DocType: Practitioner Schedule,Schedule Name,計劃名稱
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,按階段劃分的銷售渠道
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,製作工資單
 DocType: Currency Exchange,For Buying,為了購買
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,添加所有供應商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,添加所有供應商
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行#{0}:分配金額不能大於未結算金額。
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,瀏覽BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,抵押貸款
 DocType: Purchase Invoice,Edit Posting Date and Time,編輯投稿時間
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},請設置在資產類別{0}或公司折舊相關帳戶{1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},請設置在資產類別{0}或公司折舊相關帳戶{1}
 DocType: Lab Test Groups,Normal Range,普通範圍
 DocType: Academic Term,Academic Year,學年
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,可用銷售
 DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,忠誠度積分兌換
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +179,Opening Balance Equity,期初餘額權益
+DocType: Purchase Invoice,N,ñ
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +175,Remaining,剩餘
 DocType: Appraisal,Appraisal,評價
 DocType: Loan,Loan Account,貸款帳戶
@@ -4099,25 +4173,25 @@
 DocType: Patient Appointment,Patient Appointment,患者預約
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,審批角色作為角色的規則適用於不能相同
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,從該電子郵件摘要退訂
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,獲得供應商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,獲得供應商
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},找不到項目{1} {0}
 apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,去課程
 DocType: Accounts Settings,Show Inclusive Tax In Print,在打印中顯示包含稅
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",銀行賬戶,從日期到日期是強制性的
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,發送訊息
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,帳戶與子節點不能被設置為分類帳
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,帳戶與子節點不能被設置為分類帳
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,價目表貨幣被換算成客戶基礎貨幣的匯率
 DocType: Purchase Invoice Item,Net Amount (Company Currency),淨金額(公司貨幣)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,總預付金額不得超過全部認可金額
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,總預付金額不得超過全部認可金額
 DocType: Salary Slip,Hour Rate,小時率
 DocType: Stock Settings,Item Naming By,產品命名規則
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},另一個期末錄入{0}作出後{1}
 DocType: Work Order,Material Transferred for Manufacturing,物料轉倉用於製造
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,帳戶{0}不存在
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,選擇忠誠度計劃
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,選擇忠誠度計劃
 DocType: Project,Project Type,專案類型
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,子任務存在這個任務。你不能刪除這個任務。
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,無論是數量目標或目標量是強制性的。
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,無論是數量目標或目標量是強制性的。
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,各種活動的費用
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",設置活動為{0},因為附連到下面的銷售者的僱員不具有用戶ID {1}
 DocType: Timesheet,Billing Details,結算明細
@@ -4156,6 +4230,7 @@
 DocType: Company,Default Income Account,預設之收入帳戶
 apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,客戶群組/客戶
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +39,Unclosed Fiscal Years Profit / Loss (Credit),未關閉的財年利潤/損失(信用)
+DocType: Sales Invoice,Time Sheets,考勤表
 DocType: Healthcare Service Unit Type,Change In Item,更改項目
 DocType: Payment Gateway Account,Default Payment Request Message,預設的付款請求訊息
 DocType: Retention Bonus,Bonus Amount,獎金金額
@@ -4171,12 +4246,12 @@
 DocType: Inpatient Record,A Negative,一個負面的
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,沒有更多的表現。
 DocType: Lead,From Customer,從客戶
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,電話
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,電話
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,一個產品
 DocType: Employee Tax Exemption Declaration,Declarations,聲明
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,製作費用表
 DocType: Purchase Order Item Supplied,Stock UOM,庫存計量單位
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,採購訂單{0}未提交
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,採購訂單{0}未提交
 DocType: Account,Expenses Included In Asset Valuation,資產評估中包含的費用
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),成人的正常參考範圍是16-20次呼吸/分鐘(RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,稅則號
@@ -4188,6 +4263,7 @@
 DocType: Issue,Opening Date,開幕日期
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,請先保存患者
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,出席已成功標記。
+DocType: Delivery Note,GST Vehicle Type,GST車型
 DocType: Soil Texture,Silt Composition (%),粉塵成分(%)
 DocType: Journal Entry,Remark,備註
 DocType: Healthcare Settings,Avoid Confirmation,避免確認
@@ -4197,11 +4273,10 @@
 DocType: Education Settings,Current Academic Term,當前學術期限
 DocType: Education Settings,Current Academic Term,當前學術期限
 DocType: Sales Order,Not Billed,不發單
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,這兩個倉庫必須屬於同一個公司
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,這兩個倉庫必須屬於同一個公司
 DocType: Employee Grade,Default Leave Policy,默認離開政策
 DocType: Shopify Settings,Shop URL,商店網址
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,尚未新增聯絡人。
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,請通過設置&gt;編號系列設置出席編號系列
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,到岸成本憑證金額
 ,Item Balance (Simple),物品餘額(簡單)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,由供應商提出的帳單。
@@ -4225,7 +4300,7 @@
 DocType: Shopping Cart Settings,Quotation Series,報價系列
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",具有相同名稱的項目存在( {0} ) ,請更改項目群組名或重新命名該項目
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,土壤分析標準
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,請選擇客戶
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,請選擇客戶
 DocType: C-Form,I,一世
 DocType: Company,Asset Depreciation Cost Center,資產折舊成本中心
 DocType: Production Plan Sales Order,Sales Order Date,銷售訂單日期
@@ -4238,7 +4313,7 @@
 ,Payment Period Based On Invoice Date,基於發票日的付款期
 DocType: Sample Collection,No. of print,打印數量
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,酒店房間預訂項目
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},缺少貨幣匯率{0}
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},缺少貨幣匯率{0}
 DocType: Employee Health Insurance,Health Insurance Name,健康保險名稱
 DocType: Assessment Plan,Examiner,檢查員
 DocType: Journal Entry,Stock Entry,存貨分錄
@@ -4252,17 +4327,17 @@
 DocType: Pricing Rule,Margin,餘量
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,新客戶
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,約會{0}和銷售發票{1}已取消
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,鉛來源的機會
 DocType: Appraisal Goal,Weightage (%),權重(%)
 DocType: Bank Reconciliation Detail,Clearance Date,清拆日期
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",資產已針對商品{0}存在,您無法更改已連續編號的值
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",資產已針對商品{0}存在,您無法更改已連續編號的值
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,評估報告
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,獲得員工
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,總消費金額是強制性
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,公司名稱不一樣
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,黨是強制性
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},在其他行中找到具有重複到期日的行:{list}
 DocType: Topic,Topic Name,主題名稱
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,請在人力資源設置中為離職審批通知設置默認模板。
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,請在人力資源設置中為離職審批通知設置默認模板。
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,至少需選擇銷售或購買
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,選擇一名員工以推進員工。
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,請選擇一個有效的日期
@@ -4286,6 +4361,7 @@
 apps/erpnext/erpnext/controllers/accounts_controller.py +661,Row #{0}: Asset {1} does not belong to company {2},行#{0}:資產{1}不屬於公司{2}
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +114,Sales Invoice {0} created,已創建銷售發票{0}
 DocType: Employee,Confirmation Date,確認日期
+DocType: Inpatient Occupancy,Check Out,查看
 DocType: C-Form,Total Invoiced Amount,發票總金額
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +51,Min Qty can not be greater than Max Qty,最小數量不能大於最大數量
 DocType: Account,Accumulated Depreciation,累計折舊
@@ -4303,9 +4379,9 @@
 DocType: Woocommerce Settings,API consumer secret,API消費者秘密
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,在從倉庫可用的批次數量
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,工資總額 - 扣除總額 - 貸款還款
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,當前BOM和新BOM不能相同
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,當前BOM和新BOM不能相同
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,工資單編號
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,日期退休必須大於加入的日期
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,日期退休必須大於加入的日期
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,多種變體
 DocType: Sales Invoice,Against Income Account,對收入帳戶
 DocType: Subscription,Trial Period Start Date,試用期開始日期
@@ -4331,7 +4407,7 @@
 DocType: POS Profile,Update Stock,庫存更新
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同計量單位的項目會導致不正確的(總)淨重值。確保每個項目的淨重是在同一個計量單位。
 DocType: Certification Application,Payment Details,付款詳情
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM率
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,BOM率
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",停止的工作訂單不能取消,先取消它
 DocType: Asset,Journal Entry for Scrap,日記帳分錄報廢
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,請送貨單拉項目
@@ -4353,11 +4429,11 @@
 DocType: Expense Claim,Total Sanctioned Amount,總被制裁金額
 ,Purchase Analytics,採購分析
 DocType: Sales Invoice Item,Delivery Note Item,送貨單項目
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,當前發票{0}缺失
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,當前發票{0}缺失
 DocType: Asset Maintenance Log,Task,任務
 DocType: Purchase Taxes and Charges,Reference Row #,參考列#
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},批號是強制性的項目{0}
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,您可以通過選擇備份頻率啟動和\
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,您可以通過選擇備份頻率啟動和\
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",如果選擇此項,則在此組件中指定或計算的值不會對收入或扣除貢獻。但是,它的值可以被添加或扣除的其他組件引用。
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",如果選擇此項,則在此組件中指定或計算的值不會對收入或扣除貢獻。但是,它的值可以被添加或扣除的其他組件引用。
 DocType: Asset Settings,Number of Days in Fiscal Year,會計年度的天數
@@ -4366,7 +4442,7 @@
 DocType: Company,Exchange Gain / Loss Account,兌換收益/損失帳戶
 DocType: Amazon MWS Settings,MWS Credentials,MWS憑證
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,員工考勤
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},目的必須是一個{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},目的必須是一個{0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,填寫表格,並將其保存
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,社區論壇
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,實際庫存數量
@@ -4382,7 +4458,7 @@
 DocType: Lab Test Template,Standard Selling Rate,標準銷售率
 DocType: Account,Rate at which this tax is applied,此稅適用的匯率
 DocType: Cash Flow Mapper,Section Name,部分名稱
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,再訂購數量
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,再訂購數量
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},折舊行{0}:使用壽命後的預期值必須大於或等於{1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,當前職位空缺
 DocType: Company,Stock Adjustment Account,庫存調整帳戶
@@ -4391,7 +4467,9 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",系統用戶(登錄)的標識。如果設定,這將成為的所有人力資源的預設形式。
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,輸入折舊明細
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}:從{1}
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,排隊更新所有材料清單中的最新價格。可能需要幾分鐘。
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},對學生{1}已經存在申請{0}
+DocType: Task,depends_on,depends_on
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,排隊更新所有材料清單中的最新價格。可能需要幾分鐘。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新帳戶的名稱。注:請不要創建帳戶的客戶和供應商
 DocType: POS Profile,Display Items In Stock,顯示庫存商品
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,依據國家別啟發式的預設地址模板
@@ -4419,15 +4497,18 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0}的插槽未添加到計劃中
 DocType: Product Bundle,List items that form the package.,形成包列表項。
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,不允許。請禁用測試模板
+DocType: Delivery Note,Distance (in km),距離(公里)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,百分比分配總和應該等於100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,在選擇之前,甲方請選擇發布日期
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,在選擇之前,甲方請選擇發布日期
 DocType: Program Enrollment,School House,學校議院
 DocType: Serial No,Out of AMC,出資產管理公司
+DocType: Opportunity,Opportunity Amount,機會金額
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,預訂折舊數不能超過折舊總數更大
 DocType: Purchase Order,Order Confirmation Date,訂單確認日期
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,使維護訪問
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","開始日期和結束日期與作業卡<a href=""#Form/Job Card/{0}"">{1}</a>重疊"
 DocType: Employee Transfer,Employee Transfer Details,員工轉移詳情
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,請聯絡,誰擁有碩士學位的銷售經理{0}角色的用戶
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,請聯絡,誰擁有碩士學位的銷售經理{0}角色的用戶
 DocType: Company,Default Cash Account,預設的現金帳戶
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,公司(不是客戶或供應商)的主人。
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,這是基於這名學生出席
@@ -4435,9 +4516,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,添加更多項目或全開放形式
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,送貨單{0}必須先取消才能取消銷貨訂單
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,轉到用戶
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金額+寫的抵銷金額不能大於總計
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金額+寫的抵銷金額不能大於總計
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}不是對項目的有效批號{1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},注:沒有足夠的休假餘額請假類型{0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},注:沒有足夠的休假餘額請假類型{0}
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,無效的GSTIN或輸入NA未註冊
 DocType: Training Event,Seminar,研討會
 DocType: Program Enrollment Fee,Program Enrollment Fee,計劃註冊費
@@ -4453,12 +4534,13 @@
 DocType: Fee Schedule,Fee Schedule,收費表
 DocType: Company,Create Chart Of Accounts Based On,創建圖表的帳戶根據
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,無法將其轉換為非組。子任務存在。
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,出生日期不能大於今天。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,出生日期不能大於今天。
 ,Stock Ageing,存貨帳齡分析表
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",部分贊助,需要部分資金
 apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},學生{0}存在針對學生申請{1}
 DocType: Purchase Invoice,Rounding Adjustment (Company Currency),四捨五入調整(公司貨幣)
 apps/erpnext/erpnext/projects/doctype/task/task.js +39,Timesheet,時間表
+apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +243,Batch: ,批量:
 DocType: Loyalty Program,Loyalty Program Help,忠誠度計劃幫助
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,設置為打開
 DocType: Cheque Print Template,Scanned Cheque,支票掃描
@@ -4496,10 +4578,10 @@
 apps/erpnext/erpnext/projects/doctype/task/task.py +54,Progress % for a task cannot be more than 100.,為任務進度百分比不能超過100個。
 DocType: Stock Reconciliation Item,Before reconciliation,調整前
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),稅收和收費上架(公司貨幣)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,商品稅行{0}必須有帳戶類型稅或收入或支出或課稅的
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,商品稅行{0}必須有帳戶類型稅或收入或支出或課稅的
 DocType: Sales Order,Partly Billed,天色帳單
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,項{0}必須是固定資產項目
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,變種
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,變種
 DocType: Item,Default BOM,預設的BOM
 DocType: Project,Total Billed Amount (via Sales Invoices),總開票金額(通過銷售發票)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,借方票據金額
@@ -4526,14 +4608,14 @@
 DocType: Notification Control,Custom Message,自定義訊息
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,投資銀行業務
 DocType: Purchase Invoice,input,輸入
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,製作付款分錄時,現金或銀行帳戶是強制性輸入的欄位。
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,製作付款分錄時,現金或銀行帳戶是強制性輸入的欄位。
 DocType: Loyalty Program,Multiple Tier Program,多層計劃
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,學生地址
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,學生地址
 DocType: Purchase Invoice,Price List Exchange Rate,價目表匯率
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,所有供應商組織
 DocType: Employee Boarding Activity,Required for Employee Creation,員工創建需要
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},已在帳戶{1}中使用的帳號{0}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},已在帳戶{1}中使用的帳號{0}
 DocType: POS Profile,POS Profile Name,POS配置文件名稱
 DocType: Hotel Room Reservation,Booked,預訂
 DocType: Detected Disease,Tasks Created,創建的任務
@@ -4548,17 +4630,17 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,如果你輸入的參考日期,參考編號是強制性的
 DocType: Bank Reconciliation Detail,Payment Document,付款單據
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,評估標準公式時出錯
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,加入日期必須大於出生日期
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,加入日期必須大於出生日期
 DocType: Subscription,Plans,計劃
 DocType: Salary Slip,Salary Structure,薪酬結構
 DocType: Account,Bank,銀行
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,發行材料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,發行材料
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,將Shopify與ERPNext連接
 DocType: Material Request Item,For Warehouse,對於倉庫
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,已更新交貨單{0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,已更新交貨單{0}
 DocType: Employee,Offer Date,到職日期
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,語錄
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,您在離線模式。您將無法重新加載,直到你有網絡。
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,語錄
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,您在離線模式。您將無法重新加載,直到你有網絡。
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,格蘭特
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,沒有學生團體創建的。
 DocType: Purchase Invoice Item,Serial No,序列號
@@ -4570,24 +4652,26 @@
 DocType: Sales Invoice,Customer PO Details,客戶PO詳細信息
 DocType: Stock Entry,Including items for sub assemblies,包括子組件項目
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,臨時開戶
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,輸入值必須為正
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,輸入值必須為正
 DocType: Asset,Finance Books,財務書籍
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,員工免稅申報類別
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,所有的領土
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,請在員工/成績記錄中為員工{0}設置休假政策
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,所選客戶和物料的無效總訂單
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,所選客戶和物料的無效總訂單
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,添加多個任務
 DocType: Purchase Invoice,Items,項目
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,結束日期不能在開始日期之前。
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,學生已經註冊。
 DocType: Fiscal Year,Year Name,年結名稱
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,還有比這個月工作日更多的假期。
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,PDC / LC參考
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,還有比這個月工作日更多的假期。
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,以下項{0}未標記為{1}項。您可以從項目主文件中將它們作為{1}項啟用
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,PDC / LC參考
 DocType: Production Plan Item,Product Bundle Item,產品包項目
 DocType: Sales Partner,Sales Partner Name,銷售合作夥伴名稱
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,索取報價
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,索取報價
 DocType: Payment Reconciliation,Maximum Invoice Amount,最大發票額
 DocType: Normal Test Items,Normal Test Items,正常測試項目
+DocType: QuickBooks Migrator,Company Settings,公司設置
 DocType: Additional Salary,Overwrite Salary Structure Amount,覆蓋薪資結構金額
 DocType: Student Language,Student Language,學生語言
 apps/erpnext/erpnext/config/selling.py +23,Customers,顧客
@@ -4600,12 +4684,14 @@
 DocType: Issue,Opening Time,開放時間
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,需要起始和到達日期
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,證券及商品交易所
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',測度變異的默認單位“{0}”必須是相同模板“{1}”
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',測度變異的默認單位“{0}”必須是相同模板“{1}”
 DocType: Shipping Rule,Calculate Based On,計算的基礎上
+DocType: Contract,Unfulfilled,秕
 DocType: Delivery Note Item,From Warehouse,從倉庫
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,沒有僱員提到的標準
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,不與物料清單的項目,以製造
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,不與物料清單的項目,以製造
 DocType: Shopify Settings,Default Customer,默認客戶
+DocType: Sales Stage,Stage Name,藝名
 DocType: Assessment Plan,Supervisor Name,主管名稱
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,不要確認是否在同一天創建約會
 DocType: Program Enrollment Course,Program Enrollment Course,課程註冊課程
@@ -4613,6 +4699,7 @@
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},用戶{0}已分配給Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,使樣品保留庫存條目
 DocType: Purchase Taxes and Charges,Valuation and Total,估值與總計
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,談判/評論
 DocType: Leave Encashment,Encashment Amount,填充量
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,記分卡
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,過期批次
@@ -4621,7 +4708,7 @@
 DocType: Staffing Plan Detail,Current Openings,當前空缺
 DocType: Notification Control,Customize the Notification,自定義通知
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,運營現金流
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST金額
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST金額
 DocType: Purchase Invoice,Shipping Rule,送貨規則
 DocType: Patient Relation,Spouse,伴侶
 DocType: Lab Test Groups,Add Test,添加測試
@@ -4635,14 +4722,14 @@
 DocType: Payroll Entry,Payroll Frequency,工資頻率
 DocType: Lab Test Template,Sensitivity,靈敏度
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,暫時禁用了同步,因為已超出最大重試次數
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,原料
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,原料
 DocType: Leave Application,Follow via Email,透過電子郵件追蹤
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,廠房和機械設備
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,稅額折後金額
 DocType: Patient,Inpatient Status,住院狀況
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,每日工作總結設置
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,選定價目表應該有買入和賣出的字段。
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,請輸入按日期請求
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,選定價目表應該有買入和賣出的字段。
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,請輸入按日期請求
 DocType: Payment Entry,Internal Transfer,內部轉賬
 DocType: Asset Maintenance,Maintenance Tasks,維護任務
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,無論是數量目標或目標量是必需的
@@ -4659,10 +4746,11 @@
 DocType: Item,Item Code for Suppliers,對於供應商產品編號
 DocType: Issue,Raised By (Email),由(電子郵件)提出
 DocType: Training Event,Trainer Name,培訓師姓名
+DocType: Mode of Payment,General,一般
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後溝通
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後溝通
 ,TDS Payable Monthly,TDS應付月度
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,排隊等待更換BOM。可能需要幾分鐘時間。
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,排隊等待更換BOM。可能需要幾分鐘時間。
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣當類別為“估值”或“估值及總'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},序列號為必填項序列為{0}
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,付款與發票對照
@@ -4673,7 +4761,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,添加到購物車
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,集團通過
 DocType: Guardian,Interests,興趣
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,啟用/禁用的貨幣。
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,啟用/禁用的貨幣。
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,無法提交一些薪資單
 DocType: Exchange Rate Revaluation,Get Entries,獲取條目
 DocType: Production Plan,Get Material Request,獲取材質要求
@@ -4693,14 +4781,15 @@
 DocType: Lead,Lead Type,主導類型
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,在限制的日期,您無權批准休假
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,所有這些項目已開具發票
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,設置新的發布日期
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,設置新的發布日期
 DocType: Company,Monthly Sales Target,每月銷售目標
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},可以通過{0}的批准
 DocType: Hotel Room,Hotel Room Type,酒店房間類型
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,供應商&gt;供應商類型
 DocType: Leave Allocation,Leave Period,休假期間
 DocType: Item,Default Material Request Type,默認材料請求類型
 DocType: Supplier Scorecard,Evaluation Period,評估期
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,工作訂單未創建
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,工作訂單未創建
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",已為組件{1}申請的金額{0},設置等於或大於{2}的金額
 DocType: Shipping Rule,Shipping Rule Conditions,送貨規則條件
@@ -4732,14 +4821,14 @@
 DocType: Batch,Source Document Name,源文檔名稱
 DocType: Production Plan,Get Raw Materials For Production,獲取生產原料
 DocType: Job Opening,Job Title,職位
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0}表示{1}不會提供報價,但所有項目都已被引用。更新詢價狀態。
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,批次{1}和批次{3}中的項目{2}已保留最大樣本數量{0}。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,批次{1}和批次{3}中的項目{2}已保留最大樣本數量{0}。
 DocType: Manufacturing Settings,Update BOM Cost Automatically,自動更新BOM成本
 DocType: Lab Test,Test Name,測試名稱
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,臨床程序消耗品
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,創建用戶
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,訂閱
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,訂閱
 DocType: Education Settings,Make Academic Term Mandatory,強制學術期限
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,量生產必須大於0。
 DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,根據會計年度計算折舊折舊計劃
@@ -4747,10 +4836,10 @@
 DocType: Stock Entry,Update Rate and Availability,更新率和可用性
 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,相對於訂單量允許接受或交付的變動百分比額度。例如:如果你下定100個單位量,而你的許可額度是10%,那麼你可以收到最多110個單位量。
 DocType: Loyalty Program,Customer Group,客戶群組
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,行#{0}:操作{1}未完成{2}工件訂單#{3}中成品的數量。請通過時間日誌更新操作狀態
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,行#{0}:操作{1}未完成{2}工件訂單#{3}中成品的數量。請通過時間日誌更新操作狀態
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),新批號(可選)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),新批號(可選)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},交際費是強制性的項目{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},交際費是強制性的項目{0}
 DocType: BOM,Website Description,網站簡介
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,在淨資產收益變化
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,請取消採購發票{0}第一
@@ -4765,7 +4854,7 @@
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,無內容可供編輯
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,表單視圖
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,費用審批人必須在費用索賠中
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,本月和待活動總結
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,本月和待活動總結
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},請在公司{0}中設置未實現的匯兌收益/損失帳戶
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",將用戶添加到您的組織,而不是您自己。
 DocType: Customer Group,Customer Group Name,客戶群組名稱
@@ -4775,14 +4864,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,沒有創建重要請求
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},貸款額不能超過最高貸款額度{0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,執照
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},請刪除此發票{0}從C-表格{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},請刪除此發票{0}從C-表格{1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,請選擇結轉,如果你還需要包括上一會計年度的資產負債葉本財年
 DocType: GL Entry,Against Voucher Type,對憑證類型
 DocType: Healthcare Practitioner,Phone (R),電話(R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,添加時隙
 DocType: Item,Attributes,屬性
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,啟用模板
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,請輸入核銷帳戶
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,請輸入核銷帳戶
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最後訂購日期
 DocType: Salary Component,Is Payable,應付
 DocType: Inpatient Record,B Negative,B負面
@@ -4793,7 +4882,7 @@
 DocType: Hotel Room,Hotel Room,旅館房間
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},帳戶{0}不屬於公司{1}
 DocType: Leave Type,Rounding,四捨五入
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列號與交貨單不匹配
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列號與交貨單不匹配
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),分配金額(按比例分配)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",然後根據客戶,客戶組,地區,供應商,供應商組織,市場活動,銷售合作夥伴等篩選定價規則。
 DocType: Student,Guardian Details,衛詳細
@@ -4801,10 +4890,10 @@
 DocType: Vehicle,Chassis No,底盤無
 DocType: Payment Request,Initiated,啟動
 DocType: Production Plan Item,Planned Start Date,計劃開始日期
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,請選擇一個物料清單
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,請選擇一個物料清單
 DocType: Purchase Invoice,Availed ITC Integrated Tax,有效的ITC綜合稅收
 DocType: Purchase Order Item,Blanket Order Rate,一攬子訂單費率
-apps/erpnext/erpnext/hooks.py +156,Certification,證明
+apps/erpnext/erpnext/hooks.py +157,Certification,證明
 DocType: Bank Guarantee,Clauses and Conditions,條款和條件
 DocType: Serial No,Creation Document Type,創建文件類型
 DocType: Project Task,View Timesheet,查看時間表
@@ -4828,6 +4917,7 @@
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,父項{0}不能是庫存產品
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,網站列表
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,所有的產品或服務。
+DocType: Email Digest,Open Quotations,打開報價單
 DocType: Expense Claim,More Details,更多詳情
 DocType: Supplier Quotation,Supplier Address,供應商地址
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0}預算帳戶{1}對{2} {3}是{4}。這將超過{5}
@@ -4841,17 +4931,16 @@
 DocType: Stock Entry Detail,Basic Amount,基本金額
 DocType: Training Event,Exam,考試
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,市場錯誤
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},倉庫需要現貨產品{0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},倉庫需要現貨產品{0}
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,進行還款分錄
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,所有部門
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,供應商&gt;供應商類型
 DocType: Patient,Alcohol Past Use,酒精過去使用
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,鉻
 DocType: Project Update,Problematic/Stuck,問題/卡住
 DocType: Tax Rule,Billing State,計費狀態
 DocType: Share Transfer,Transfer,轉讓
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,在取消此銷售訂單之前,必須先取消工單{0}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),取得爆炸BOM(包括子組件)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),取得爆炸BOM(包括子組件)
 DocType: Authorization Rule,Applicable To (Employee),適用於(員工)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,截止日期是強制性的
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,增量屬性{0}不能為0
@@ -4867,7 +4956,7 @@
 DocType: Disease,Treatment Period,治療期
 DocType: Travel Itinerary,Travel Itinerary,旅遊行程
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,結果已提交
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,保留倉庫對於提供的原材料中的項目{0}是強制性的
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,保留倉庫對於提供的原材料中的項目{0}是強制性的
 ,Inactive Customers,不活躍的客戶
 DocType: Student Admission Program,Maximum Age,最大年齡
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,請重新發送提醒之前請等待3天。
@@ -4875,7 +4964,6 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +29,How Pricing Rule is applied?,定價規則被如何應用?
 DocType: Stock Entry,Delivery Note No,送貨單號
 DocType: Cheque Print Template,Message to show,信息顯示
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,自動管理約會發票
 DocType: Student Attendance,Absent,缺席
 DocType: Staffing Plan,Staffing Plan Detail,人員配置計劃詳情
 DocType: Employee Promotion,Promotion Date,促銷日期
@@ -4894,7 +4982,7 @@
 DocType: Journal Entry,Write Off Based On,核銷的基礎上
 apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,使鉛
 DocType: Stock Settings,Show Barcode Field,顯示條形碼域
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,發送電子郵件供應商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,發送電子郵件供應商
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",工資已經處理了與{0}和{1},留下申請期之間不能在此日期範圍內的時期。
 DocType: Fiscal Year,Auto Created,自動創建
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,提交這個來創建員工記錄
@@ -4902,7 +4990,7 @@
 DocType: Chapter Member,Leave Reason,離開原因
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,發票{0}不再存在
 DocType: Guardian Interest,Guardian Interest,衛利息
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,設置POS發票的默認值
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,設置POS發票的默認值
 apps/erpnext/erpnext/config/hr.py +248,Training,訓練
 DocType: Project,Time to send,發送時間
 DocType: Timesheet,Employee Detail,員工詳細信息
@@ -4922,7 +5010,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py +25,Please select the assessment group other than 'All Assessment Groups',請選擇“所有評估組”以外的評估組
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +67,Row {0}: Cost center is required for an item {1},行{0}:項目{1}需要費用中心
 DocType: Training Event Employee,Optional,可選的
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,創建了{0}個變體。
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,創建了{0}個變體。
 DocType: Amazon MWS Settings,Region,區域
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,可選。此設置將被應用於過濾各種交易進行。
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,負面評價率是不允許的
@@ -4939,14 +5027,14 @@
 apps/erpnext/erpnext/hr/report/employee_advance_summary/employee_advance_summary.py +15,No record found,沒有資料
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,報廢資產成本
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是強制性的項目{2}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,從產品包取得項目
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,從產品包取得項目
 DocType: Asset,Straight Line,直線
 DocType: Project User,Project User,項目用戶
 DocType: Employee Transfer,Re-allocate Leaves,重新分配葉子
 DocType: GL Entry,Is Advance,為進
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,員工生命週期
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,考勤起始日期和出席的日期,是強制性的
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,請輸入'轉包' YES或NO
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,請輸入'轉包' YES或NO
 DocType: Item,Default Purchase Unit of Measure,默認採購單位
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,最後通訊日期
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,最後通訊日期
@@ -4956,7 +5044,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,訪問令牌或Shopify網址丟失
 DocType: Location,Latitude,緯度
 DocType: Work Order,Scrap Warehouse,廢料倉庫
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",在第{0}行,需要倉庫,請為公司{2}的物料{1}設置默認倉庫
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",在第{0}行,需要倉庫,請為公司{2}的物料{1}設置默認倉庫
 DocType: Work Order,Check if material transfer entry is not required,檢查是否不需要材料轉移條目
 DocType: Work Order,Check if material transfer entry is not required,檢查是否不需要材料轉移條目
 DocType: Program Enrollment Tool,Get Students From,讓學生從
@@ -4970,6 +5058,7 @@
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +70,Total (Credit),總(信用)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,服裝及配飾
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,無法解決加權分數函數。確保公式有效。
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,未按時收到採購訂單項目
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,訂購數量
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML/橫幅,將顯示在產品列表的頂部。
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,指定條件來計算運費金額
@@ -4978,9 +5067,9 @@
 DocType: Supplier Scorecard Scoring Variable,Path,路徑
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,不能成本中心轉換為總賬,因為它有子節點
 DocType: Production Plan,Total Planned Qty,總計劃數量
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,開度值
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,開度值
 DocType: Salary Component,Formula,式
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,序列號
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,序列號
 DocType: Lab Test Template,Lab Test Template,實驗室測試模板
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,銷售帳戶
 DocType: Purchase Invoice Item,Total Weight,總重量
@@ -4998,7 +5087,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,製作材料要求
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},打開項目{0}
 DocType: Asset Finance Book,Written Down Value,寫下價值
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,請在人力資源&gt;人力資源設置中設置員工命名系統
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,銷售發票{0}必須早於此銷售訂單之前取消
 DocType: Clinical Procedure,Age,年齡
 DocType: Sales Invoice Timesheet,Billing Amount,開票金額
@@ -5006,11 +5094,11 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,為項目指定了無效的數量{0} 。量應大於0 。
 DocType: Company,Default Employee Advance Account,默認員工高級帳戶
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),搜索項目(Ctrl + i)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,帳戶與現有的交易不能被刪除
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,帳戶與現有的交易不能被刪除
 DocType: Vehicle,Last Carbon Check,最後檢查炭
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,法律費用
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,請選擇行數量
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,打開銷售和購買發票
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,打開銷售和購買發票
 DocType: Purchase Invoice,Posting Time,登錄時間
 DocType: Timesheet,% Amount Billed,(%)金額已開立帳單
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,電話費
@@ -5023,18 +5111,19 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,新客戶收入
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Travel Expenses,差旅費
 DocType: Maintenance Visit,Breakdown,展開
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,帳號:{0}幣種:{1}不能選擇
+DocType: Travel Itinerary,Vegetarian,素
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,帳號:{0}幣種:{1}不能選擇
 DocType: Bank Statement Transaction Settings Item,Bank Data,銀行數據
 DocType: Purchase Receipt Item,Sample Quantity,樣品數量
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",根據最新的估值/價格清單率/最近的原材料採購率,通過計劃程序自動更新BOM成本。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},帳戶{0}:父帳戶{1}不屬於公司:{2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},帳戶{0}:父帳戶{1}不屬於公司:{2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,成功刪除與該公司相關的所有交易!
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,隨著對日
 DocType: Program Enrollment,Enrollment Date,報名日期
 DocType: Healthcare Settings,Out Patient SMS Alerts,輸出病人短信
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,緩刑
 DocType: Program Enrollment Tool,New Academic Year,新學年
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,返回/信用票據
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,返回/信用票據
 DocType: Stock Settings,Auto insert Price List rate if missing,自動插入價目表率,如果丟失
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,總支付金額
 DocType: Job Card,Transferred Qty,轉讓數量
@@ -5050,10 +5139,10 @@
 DocType: Journal Entry,Cash Entry,現金分錄
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子節點可以在&#39;集團&#39;類型的節點上創建
 DocType: Academic Year,Academic Year Name,學年名稱
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,不允許{0}與{1}進行交易。請更改公司。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,不允許{0}與{1}進行交易。請更改公司。
 DocType: Sales Partner,Contact Desc,聯絡倒序
 DocType: Email Digest,Send regular summary reports via Email.,使用電子郵件發送定期匯總報告。
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},請報銷類型設置默認帳戶{0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},請報銷類型設置默認帳戶{0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,可用的葉子
 DocType: Assessment Result,Student Name,學生姓名
 DocType: Hub Tracked Item,Item Manager,項目經理
@@ -5077,8 +5166,9 @@
 DocType: Subscription,Trial Period End Date,試用期結束日期
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,不允許因為{0}超出範圍
 DocType: Serial No,Asset Status,資產狀態
+DocType: Delivery Note,Over Dimensional Cargo (ODC),超尺寸貨物(ODC)
 DocType: Hotel Room,Hotel Manager,酒店經理
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,購物車稅收規則設定
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,購物車稅收規則設定
 DocType: Purchase Invoice,Taxes and Charges Added,稅費上架
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,折舊行{0}:下一個折舊日期不能在可供使用的日期之前
 ,Sales Funnel,銷售漏斗
@@ -5092,10 +5182,10 @@
 ,Territory Target Variance Item Group-Wise,地域內跨項目群組間的目標差異
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,所有客戶群組
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,每月累計
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是強制性的。也許外幣兌換記錄為{1}到{2}尚未建立。
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是強制性的。也許外幣兌換記錄為{1}到{2}尚未建立。
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},已存在人員配置計劃{0}以用於指定{1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,稅務模板是強制性的。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,帳戶{0}:父帳戶{1}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,帳戶{0}:父帳戶{1}不存在
 DocType: POS Closing Voucher,Period Start Date,期間開始日期
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),價格列表費率(公司貨幣)
 DocType: Products Settings,Products Settings,產品設置
@@ -5115,7 +5205,7 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,此操作將停止未來的結算。您確定要取消此訂閱嗎?
 DocType: Serial No,Distinct unit of an Item,一個項目的不同的單元
 DocType: Supplier Scorecard Criteria,Criteria Name,標準名稱
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,請設公司
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,請設公司
 DocType: Procedure Prescription,Procedure Created,程序已創建
 DocType: Pricing Rule,Buying,採購
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,疾病與肥料
@@ -5132,26 +5222,27 @@
 DocType: Employee Onboarding,Job Offer,工作機會
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,研究所縮寫
 ,Item-wise Price List Rate,全部項目的價格表
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,供應商報價
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,供應商報價
 DocType: Quotation,In Words will be visible once you save the Quotation.,報價一被儲存,就會顯示出來。
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數
 DocType: Contract,Unsigned,無符號
 DocType: Selling Settings,Each Transaction,每筆交易
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},條碼{0}已經用在項目{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},條碼{0}已經用在項目{1}
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,增加運輸成本的規則。
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,Varaiance
 DocType: Item,Opening Stock,打開股票
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,客戶是必需的
 DocType: Lab Test,Result Date,結果日期
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,PDC / LC日期
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,PDC / LC日期
 DocType: Purchase Order,To Receive,接受
 DocType: Leave Period,Holiday List for Optional Leave,可選假期的假期列表
 DocType: Asset,Asset Owner,資產所有者
 DocType: Purchase Invoice,Reason For Putting On Hold,擱置的理由
 DocType: Employee,Personal Email,個人電子郵件
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,總方差
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,總方差
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",如果啟用,系統將自動為發布庫存會計分錄。
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,考勤員工{0}已標記為這一天
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,考勤員工{0}已標記為這一天
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'","在分
 經由“時間日誌”更新"
@@ -5159,12 +5250,12 @@
 DocType: Amazon MWS Settings,Synch Orders,同步訂單
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,發布生產訂單。
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,選擇會計年度...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,所需的POS資料,使POS進入
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,所需的POS資料,使POS進入
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",忠誠度積分將根據所花費的完成量(通過銷售發票)計算得出。
 DocType: Company,HRA Settings,HRA設置
 DocType: Employee Transfer,Transfer Date,轉移日期
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,標準銷售
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,至少要有一間倉庫
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,至少要有一間倉庫
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.",配置項目字段,如UOM,項目組,描述和小時數。
 DocType: Certification Application,Certification Status,認證狀態
 DocType: Travel Itinerary,Travel Advance Required,需要旅行預付款
@@ -5182,6 +5273,7 @@
 DocType: Bank Statement Transaction Entry,Matching Invoices,匹配發票
 DocType: Work Order,Required Items,所需物品
 DocType: Stock Ledger Entry,Stock Value Difference,庫存價值差異
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,項目行{0}:{1} {2}在上面的“{1}”表格中不存在
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,人力資源
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,付款方式付款對賬
 DocType: Disease,Treatment Task,治療任務
@@ -5198,7 +5290,8 @@
 DocType: Asset,Maintenance Required,需要維護
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,休假必須安排成0.5倍的
 DocType: Work Order,Operation Cost,運營成本
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,優秀的金額
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,確定決策者
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,優秀的金額
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,為此銷售人員設定跨項目群組間的目標。
 DocType: Stock Settings,Freeze Stocks Older Than [Days],凍結早於[Days]的庫存
 DocType: Payment Request,Payment Ordered,付款訂購
@@ -5210,14 +5303,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,允許以下用戶批准許可申請的區塊天。
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,生命週期
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,製作BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},項目{0}的銷售價格低於其{1}。售價應至少為{2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},項目{0}的銷售價格低於其{1}。售價應至少為{2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},項目{0}的銷售價格低於其{1}。售價應至少為{2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},項目{0}的銷售價格低於其{1}。售價應至少為{2}
 DocType: Subscription,Taxes,稅
 DocType: Purchase Invoice,capital goods,資本貨物
 DocType: Purchase Invoice Item,Weight Per Unit,每單位重量
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,支付和未送達
-DocType: Project,Default Cost Center,預設的成本中心
-DocType: Delivery Note,Transporter Doc No,運輸者文件號
+DocType: QuickBooks Migrator,Default Cost Center,預設的成本中心
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,庫存交易明細
 DocType: Budget,Budget Accounts,預算科目
 DocType: Employee,Internal Work History,內部工作經歷
@@ -5248,7 +5340,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},醫療從業者在{0}上不可用
 DocType: Stock Entry Detail,Additional Cost,額外費用
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",是冷凍的帳戶。要禁止該帳戶創建/編輯事務,你需要角色
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,讓供應商報價
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,讓供應商報價
 DocType: Quality Inspection,Incoming,來
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,銷售和採購的默認稅收模板被創建。
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,評估結果記錄{0}已經存在。
@@ -5261,7 +5353,7 @@
 DocType: Stock Entry,Target Warehouse Address,目標倉庫地址
 DocType: Agriculture Task,End Day,結束的一天
 ,Delivery Note Trends,送貨單趨勢
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,本週的總結
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,本週的總結
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,庫存數量
 ,Daily Work Summary Replies,日常工作總結回复
 DocType: Delivery Trip,Calculate Estimated Arrival Times,計算預計到達時間
@@ -5270,7 +5362,7 @@
 DocType: Shopify Settings,Webhooks,網絡掛接
 DocType: Bank Account,Party,黨
 DocType: Variant Field,Variant Field,變種場
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,目標位置
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,目標位置
 DocType: Sales Order,Delivery Date,交貨日期
 DocType: Opportunity,Opportunity Date,機會日期
 DocType: Employee,Health Insurance Provider,健康保險提供者
@@ -5289,7 +5381,7 @@
 DocType: Employee,History In Company,公司歷史
 DocType: Customer,Customer Primary Address,客戶主要地址
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,簡訊
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,參考編號。
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,參考編號。
 DocType: Drug Prescription,Description/Strength,說明/力量
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,創建新的付款/日記賬分錄
 DocType: Certification Application,Certification Application,認證申請
@@ -5300,9 +5392,10 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,同一項目已進入多次
 DocType: Department,Leave Block List,休假區塊清單
 DocType: Purchase Invoice,Tax ID,稅號
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,項目{0}不是設定為序列號,此列必須為空白
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,項目{0}不是設定為序列號,此列必須為空白
 DocType: Accounts Settings,Accounts Settings,帳戶設定
 DocType: Loyalty Program,Customer Territory,客戶地區
+DocType: Email Digest,Sales Orders to Deliver,要交付的銷售訂單
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",新帳號的數量,將作為前綴包含在帳號名稱中
 DocType: Maintenance Team Member,Team Member,隊員
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,沒有結果提交
@@ -5310,7 +5403,6 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",共有{0}所有項目為零,可能是你應該“基於分佈式費用”改變
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,迄今為止不能少於起始日期
 DocType: Opportunity,To Discuss,為了討論
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,這是基於針對此訂閱者的交易。請參閱下面的時間表了解詳情
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0}單位{1}在{2}完成此交易所需。
 DocType: Support Settings,Forum URL,論壇URL
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +75,Temporary Accounts,臨時帳戶
@@ -5323,7 +5415,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,學到更多
 DocType: Cheque Print Template,Distance from top edge,從頂邊的距離
 DocType: POS Closing Voucher Invoices,Quantity of Items,項目數量
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,價格表{0}禁用或不存在
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,價格表{0}禁用或不存在
 DocType: Purchase Invoice,Return,退貨
 DocType: Pricing Rule,Disable,關閉
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,付款方式需要進行付款
@@ -5331,17 +5423,18 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.",在整頁上編輯更多選項,如資產,序列號,批次等。
 DocType: Leave Type,Maximum Continuous Days Applicable,最大持續天數適用
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0}  -  {1} 未在批次處理中註冊 {2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",資產{0}不能被廢棄,因為它已經是{1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",資產{0}不能被廢棄,因為它已經是{1}
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,需要檢查
 DocType: Task,Total Expense Claim (via Expense Claim),總費用報銷(通過費用報銷)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,馬克缺席
 DocType: Job Applicant Source,Job Applicant Source,求職者來源
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST金額
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST金額
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,未能成立公司
 DocType: Asset Repair,Asset Repair,資產修復
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的貨幣{1}應等於所選貨幣{2}
 DocType: Journal Entry Account,Exchange Rate,匯率
 DocType: Patient,Additional information regarding the patient,有關患者的其他信息
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,銷售訂單{0}未提交
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,銷售訂單{0}未提交
 DocType: Homepage,Tag Line,標語
 DocType: Fee Component,Fee Component,收費組件
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,車隊的管理
@@ -5354,7 +5447,7 @@
 DocType: Healthcare Practitioner,Mobile,移動
 ,Sales Person-wise Transaction Summary,銷售人員相關的交易匯總
 DocType: Training Event,Contact Number,聯繫電話
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,倉庫{0}不存在
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,倉庫{0}不存在
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,員工免稅證明提交細節
 DocType: Monthly Distribution,Monthly Distribution Percentages,每月分佈百分比
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +115,The selected item cannot have Batch,所選項目不能批
@@ -5368,7 +5461,7 @@
 DocType: Payment Entry,Paid Amount,支付的金額
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,探索銷售週期
 DocType: Assessment Plan,Supervisor,監
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,保留股票入場
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,保留股票入場
 ,Available Stock for Packing Items,可用庫存包裝項目
 DocType: Item Variant,Item Variant,項目變
 ,Work Order Stock Report,工單庫存報表
@@ -5377,9 +5470,9 @@
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,作為主管
 DocType: Leave Policy Detail,Leave Policy Detail,退出政策細節
 DocType: BOM Scrap Item,BOM Scrap Item,BOM項目廢料
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,提交的訂單不能被刪除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",帳戶餘額已歸為借方帳戶,不允許設為信用帳戶
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,品質管理
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,提交的訂單不能被刪除
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",帳戶餘額已歸為借方帳戶,不允許設為信用帳戶
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,品質管理
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,項{0}已被禁用
 DocType: Project,Total Billable Amount (via Timesheets),總計費用金額(通過時間表)
 DocType: Agriculture Task,Previous Business Day,前一個營業日
@@ -5401,14 +5494,15 @@
 DocType: Healthcare Settings,Valid number of days,有效天數
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,重新啟動訂閱
 DocType: Linked Plant Analysis,Linked Plant Analysis,鏈接的工廠分析
-DocType: Delivery Note,Transporter ID,運輸商ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,運輸商ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,價值主張
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,供應商貨幣被換算成公司基礎貨幣的匯率
-DocType: Sales Invoice Item,Service End Date,服務結束日期
+DocType: Purchase Invoice Item,Service End Date,服務結束日期
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},行#{0}:與排時序衝突{1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,允許零估值
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,允許零估值
 DocType: Training Event Employee,Invited,邀請
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,設置網關帳戶。
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,設置網關帳戶。
 DocType: Employee,Employment Type,就業類型
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,固定資產
 DocType: Payment Entry,Set Exchange Gain / Loss,設置兌換收益/損失
@@ -5422,7 +5516,7 @@
 DocType: Tax Rule,Sales Tax Template,銷售稅模板
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,支付利益索賠
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,更新成本中心編號
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,選取要保存發票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,選取要保存發票
 DocType: Employee,Encashment Date,兌現日期
 DocType: Training Event,Internet,互聯網
 DocType: Special Test Template,Special Test Template,特殊測試模板
@@ -5430,10 +5524,13 @@
 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},默認情況下存在作業成本的活動類型 -  {0}
 DocType: Work Order,Planned Operating Cost,計劃運營成本
 DocType: Academic Term,Term Start Date,期限起始日期
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,所有股份交易清單
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,所有股份交易清單
+DocType: Supplier,Is Transporter,是運輸車
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,如果付款已標記,則從Shopify導入銷售發票
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,必須設置試用期開始日期和試用期結束日期
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付計劃中的總付款金額必須等於大/圓
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付計劃中的總付款金額必須等於大/圓
 DocType: Subscription Plan Detail,Plan,計劃
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,銀行對賬單餘額按總帳
 DocType: Job Applicant,Applicant Name,申請人名稱
@@ -5461,7 +5558,7 @@
 DocType: Work Order Item,Available Qty at Source Warehouse,源倉庫可用數量
 apps/erpnext/erpnext/config/support.py +22,Warranty,保證
 DocType: Purchase Invoice,Debit Note Issued,借記發行說明
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,基於成本中心的過濾僅適用於選擇Budget Against作為成本中心的情況
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,基於成本中心的過濾僅適用於選擇Budget Against作為成本中心的情況
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",按項目代碼,序列號,批號或條碼進行搜索
 DocType: Work Order,Warehouses,倉庫
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0}資產不得轉讓
@@ -5470,9 +5567,9 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +82,This Item is a Variant of {0} (Template).,此項目是{0}(模板)的變體。
 DocType: Workstation,per hour,每小時
 DocType: Blanket Order,Purchasing,購買
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,客戶LPO
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,客戶LPO
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",對於基於批次的學生組,學生批次將由課程註冊中的每位學生進行驗證。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,這個倉庫不能被刪除,因為庫存分錄帳尚存在。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,這個倉庫不能被刪除,因為庫存分錄帳尚存在。
 DocType: Journal Entry Account,Loan,貸款
 DocType: Expense Claim Advance,Expense Claim Advance,費用索賠預付款
 DocType: Lab Test,Report Preference,報告偏好
@@ -5480,7 +5577,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,專案經理
 ,Quoted Item Comparison,項目報價比較
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0}和{1}之間的得分重疊
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,調度
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,調度
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,{0}允許的最大折扣:{1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,淨資產值作為
 DocType: Crop,Produce,生產
@@ -5490,20 +5587,21 @@
 DocType: Stock Entry,Material Consumption for Manufacture,材料消耗製造
 DocType: Item Alternative,Alternative Item Code,替代項目代碼
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,此角色是允許提交超過所設定信用額度的交易。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,選擇項目,以製造
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,選擇項目,以製造
 DocType: Delivery Stop,Delivery Stop,交貨停止
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間
 DocType: Item,Material Issue,發料
 DocType: Employee Education,Qualification,合格
 DocType: Item Price,Item Price,商品價格
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,肥皂和洗滌劑
 DocType: BOM,Show Items,顯示項目
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,從時間不能超過結束時間大。
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,你想通過電子郵件通知所有的客戶?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,你想通過電子郵件通知所有的客戶?
 DocType: Subscription Plan,Billing Interval,計費間隔
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,電影和視頻
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,已訂購
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,實際開始日期和實際結束日期是強制性的
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,客戶&gt;客戶群&gt;地區
 DocType: Salary Detail,Component,零件
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,行{0}:{1}必須大於0
 DocType: Assessment Criteria,Assessment Criteria Group,評估標準組
@@ -5533,8 +5631,9 @@
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,必須提交{0}
 DocType: POS Profile,Item Groups,項目組
 DocType: Sales Order Item,For Production,對於生產
+DocType: Payment Request,payment_url,payment_url
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,賬戶貨幣餘額
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,請在會計科目表中添加一個臨時開戶賬戶
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,請在會計科目表中添加一個臨時開戶賬戶
 DocType: Customer,Customer Primary Contact,客戶主要聯繫人
 DocType: Project Task,View Task,查看任務
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
@@ -5548,10 +5647,10 @@
 DocType: Sales Invoice,Get Advances Received,取得預先付款
 DocType: Email Digest,Add/Remove Recipients,添加/刪除收件人
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",要設定這個財政年度為預設值,點擊“設為預設”
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,扣除TDS的金額
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,扣除TDS的金額
 DocType: Production Plan,Include Subcontracted Items,包括轉包物料
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,短缺數量
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,短缺數量
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性
 DocType: Loan,Repay from Salary,從工資償還
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},請求對付款{0} {1}量{2}
 DocType: Additional Salary,Salary Slip,工資單
@@ -5566,7 +5665,7 @@
 DocType: Stock Settings,Convert Item Description to Clean HTML,將項目描述轉換為清理HTML
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,扣除未領取僱員福利的稅
 DocType: Salary Slip,Total Interest Amount,利息總額
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,與子節點倉庫不能轉換為分類賬
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,與子節點倉庫不能轉換為分類賬
 DocType: BOM,Manage cost of operations,管理作業成本
 DocType: Accounts Settings,Stale Days,陳舊的日子
 DocType: Travel Itinerary,Arrival Datetime,到達日期時間
@@ -5576,7 +5675,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,評價結果詳細
 DocType: Employee Education,Employee Education,員工教育
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,在項目組表中找到重複的項目組
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,需要獲取項目細節。
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,需要獲取項目細節。
 DocType: Fertilizer,Fertilizer Name,肥料名稱
 DocType: Salary Slip,Net Pay,淨收費
 DocType: Cash Flow Mapping Accounts,Account,帳戶
@@ -5587,9 +5686,10 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,針對福利申請創建單獨的付款條目
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),發燒(溫度&gt; 38.5°C / 101.3°F或持續溫度&gt; 38°C / 100.4°F)
 DocType: Customer,Sales Team Details,銷售團隊詳細
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,永久刪除?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,永久刪除?
 DocType: Expense Claim,Total Claimed Amount,總索賠額
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,潛在的銷售機會。
+DocType: Shareholder,Folio no.,Folio no。
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},無效的{0}
 DocType: Email Digest,Email Digest,電子郵件摘要
 DocType: Delivery Note,Billing Address Name,帳單地址名稱
@@ -5612,25 +5712,25 @@
 DocType: Item,No of Months,沒有幾個月
 DocType: Item,Max Discount (%),最大折讓(%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,信用日不能是負數
-DocType: Sales Invoice Item,Service Stop Date,服務停止日期
+DocType: Purchase Invoice Item,Service Stop Date,服務停止日期
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,最後訂單金額
 DocType: Cash Flow Mapper,e.g Adjustments for:,例如調整:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} 留樣品是基於批次, 請檢查是否有批次不保留專案的樣品"
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} 留樣品是基於批次, 請檢查是否有批次不保留專案的樣品"
 DocType: Certification Application,Yet to appear,尚未出現
 DocType: Delivery Stop,Email Sent To,電子郵件發送給
 DocType: Job Card Item,Job Card Item,工作卡項目
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,允許成本中心輸入資產負債表科目
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,與現有帳戶合併
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,所有項目已經為此工作單轉移。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,所有項目已經為此工作單轉移。
 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",任何其他言論,值得一提的努力,應該在記錄中。
 DocType: Asset Maintenance,Manufacturing User,製造業用戶
 DocType: Purchase Invoice,Raw Materials Supplied,提供供應商原物料
 DocType: Subscription Plan,Payment Plan,付款計劃
 DocType: Shopping Cart Settings,Enable purchase of items via the website,通過網站啟用購買項目
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},價目表{0}的貨幣必須是{1}或{2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,訂閱管理
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,訂閱管理
 DocType: Appraisal,Appraisal Template,評估模板
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,要密碼
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,要密碼
 DocType: Soil Texture,Ternary Plot,三元劇情
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,選中此選項可通過調度程序啟用計劃的每日同步例程
 DocType: Item Group,Item Classification,項目分類
@@ -5640,6 +5740,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,發票患者登記
 DocType: Crop,Period,期間
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,總帳
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,到財政年度
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,查看訊息
 DocType: Item Attribute Value,Attribute Value,屬性值
 DocType: POS Closing Voucher Details,Expected Amount,預期金額
@@ -5647,17 +5748,17 @@
 ,Itemwise Recommended Reorder Level,Itemwise推薦級別重新排序
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,{1}級員工{0}沒有默認離開政策
 DocType: Salary Detail,Salary Detail,薪酬詳細
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,請先選擇{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,請先選擇{0}
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,添加了{0}個用戶
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",在多層程序的情況下,客戶將根據其花費自動分配到相關層
 DocType: Appointment Type,Physician,醫師
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,一批項目的{0} {1}已過期。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,一批項目的{0} {1}已過期。
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",物料價格根據價格表,供應商/客戶,貨幣,物料,UOM,數量和日期多次出現。
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +203,{0} ({1}) cannot be greater than planned quantity ({2}) in Work Order {3},{0}({1})不能大於計畫數量 {3} 在工作訂單中({2})
 DocType: Certification Application,Name of Applicant,申請人名稱
 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,時間表製造。
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小計
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,股票交易後不能更改Variant屬性。你將不得不做一個新的項目來做到這一點。
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,股票交易後不能更改Variant屬性。你將不得不做一個新的項目來做到這一點。
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA授權
 DocType: Healthcare Practitioner,Charges,收費
 DocType: Production Plan,Get Items For Work Order,獲取工作訂單的物品
@@ -5667,10 +5768,9 @@
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`凍結股票早於`應該是少於%d天。
 DocType: Tax Rule,Purchase Tax Template,購置稅模板
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,為您的公司設定您想要實現的銷售目標。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,醫療服務
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,醫療服務
 ,Project wise Stock Tracking,項目明智的庫存跟踪
 DocType: GST HSN Code,Regional,區域性
-DocType: Delivery Note,Transport Mode,運輸方式
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,實驗室
 DocType: UOM Category,UOM Category,UOM類別
 DocType: Clinical Procedure Item,Actual Qty (at source/target),實際的數量(於 來源/目標)
@@ -5693,17 +5793,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,無法創建網站
 DocType: Soil Analysis,Mg/K,鎂/ K
 DocType: UOM Conversion Detail,UOM Conversion Detail,計量單位換算詳細
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,已創建保留庫存條目或未提供“樣本數量”
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,已創建保留庫存條目或未提供“樣本數量”
 DocType: Program,Program Abbreviation,計劃縮寫
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,生產訂單不能對一個項目提出的模板
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,費用對在採購入庫單內的每個項目更新
 DocType: Warranty Claim,Resolved By,議決
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,附表卸貨
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,支票及存款不正確清除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,帳戶{0}:你不能指定自己為父帳戶
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,帳戶{0}:你不能指定自己為父帳戶
 DocType: Purchase Invoice Item,Price List Rate,價格列表費率
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,創建客戶報價
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,服務停止日期不能在服務結束日期之後
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,服務停止日期不能在服務結束日期之後
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",基於倉庫內存貨的狀態顯示「有或」或「無貨」。
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),材料清單(BOM)
 DocType: Item,Average time taken by the supplier to deliver,採取供應商的平均時間交付
@@ -5712,11 +5812,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,小時
 DocType: Project,Expected Start Date,預計開始日期
 DocType: Purchase Invoice,04-Correction in Invoice,04-發票糾正
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,已經為包含物料清單的所有料品創建工單
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,已經為包含物料清單的所有料品創建工單
 DocType: Payment Request,Party Details,黨詳細
 apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,變體詳細信息報告
 DocType: Setup Progress Action,Setup Progress Action,設置進度動作
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,買價格表
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,買價格表
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,刪除項目,如果收費並不適用於該項目
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,取消訂閱
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,請選擇維護狀態為已完成或刪除完成日期
@@ -5734,7 +5834,7 @@
 DocType: Asset,Disposal Date,處置日期
 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",電子郵件將在指定的時間發送給公司的所有在職職工,如果他們沒有假期。回复摘要將在午夜被發送。
 DocType: Employee Leave Approver,Employee Leave Approver,員工請假審批
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一個重新排序條目已存在這個倉庫{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一個重新排序條目已存在這個倉庫{1}
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",不能聲明為丟失,因為報價已經取得進展。
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP賬戶
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,培訓反饋
@@ -5743,8 +5843,9 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},請選擇項目{0}的開始日期和結束日期
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +55,Course is mandatory in row {0},當然是行強制性{0}
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,無效的主名稱
+DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc的DocType
 DocType: Cash Flow Mapper,Section Footer,章節頁腳
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,新增 / 編輯價格
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,新增 / 編輯價格
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,員工晉升不能在晉升日期前提交
 DocType: Salary Component,Is Flexible Benefit,是靈活的好處
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +85,Chart of Cost Centers,成本中心的圖
@@ -5752,6 +5853,7 @@
 DocType: Clinical Procedure Template,Sample Collection,樣品收集
 ,Requested Items To Be Ordered,將要採購的需求項目
 DocType: Price List,Price List Name,價格列表名稱
+DocType: Delivery Stop,Dispatch Information,發貨信息
 DocType: Blanket Order,Manufacturing,製造
 ,Ordered Items To Be Delivered,未交貨的訂購項目
 DocType: Account,Income,收入
@@ -5767,16 +5869,15 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1}在需要{2}在{3} {4}:{5}來完成這一交易單位。
 DocType: Fee Schedule,Student Category,學生組
 DocType: Announcement,Student,學生
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,倉庫中不提供開始操作的庫存數量。你想記錄股票轉移嗎?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,倉庫中不提供開始操作的庫存數量。你想記錄股票轉移嗎?
 DocType: Shipping Rule,Shipping Rule Type,運輸規則類型
 apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,去房間
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory",公司,付款帳戶,從日期和日期是強制性的
 DocType: Company,Budget Detail,預算案詳情
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,在發送前,請填寫留言
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,供應商重複
-DocType: Email Digest,Pending Quotations,待語錄
-DocType: Delivery Note,Distance (KM),距離(KM)
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,簡介銷售點的
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,供應商&gt;供應商組
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,簡介銷售點的
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0}應該是0到100之間的一個值
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},從{1}到{2}的{0}付款
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,無抵押貸款
@@ -5805,10 +5906,10 @@
 DocType: Lead,Converted,轉換
 DocType: Item,Has Serial No,有序列號
 DocType: Employee,Date of Issue,發行日期
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根據購買設置,如果需要購買記錄==“是”,則為了創建採購發票,用戶需要首先為項目{0}創建採購憑證
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根據購買設置,如果需要購買記錄==“是”,則為了創建採購發票,用戶需要首先為項目{0}創建採購憑證
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},行#{0}:設置供應商項目{1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,行{0}:小時值必須大於零。
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,網站圖像{0}附加到物品{1}無法找到
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,網站圖像{0}附加到物品{1}無法找到
 DocType: Issue,Content Type,內容類型
 DocType: Asset,Assets,資產
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,電腦
@@ -5818,7 +5919,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py +82,Please set default customer group and territory in Selling Settings,請在“銷售設置”中設置默認客戶組和領域
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,請檢查多幣種選項,允許帳戶與其他貨幣
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,項:{0}不存在於系統中
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,您無權設定值凍結
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,您無權設定值凍結
 DocType: Payment Reconciliation,Get Unreconciled Entries,獲取未調節項
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},員工{0}暫停{1}
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,沒有為日記帳分錄選擇還款
@@ -5835,12 +5936,13 @@
 ,Average Commission Rate,平均佣金比率
 DocType: Share Balance,No of Shares,股份數目
 DocType: Taxable Salary Slab,To Amount,金額
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,非庫存項目不能有序號
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,非庫存項目不能有序號
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,選擇狀態
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,考勤不能標記為未來的日期
 DocType: Support Search Source,Post Description Key,發布說明密鑰
 DocType: Pricing Rule,Pricing Rule Help,定價規則說明
 DocType: Fee Schedule,Total Amount per Student,學生總數
+DocType: Opportunity,Sales Stage,銷售階段
 DocType: Purchase Taxes and Charges,Account Head,帳戶頭
 DocType: Company,HRA Component,HRA組件
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,電子的
@@ -5848,15 +5950,14 @@
 DocType: Stock Entry,Total Value Difference (Out - In),總價值差(輸出 - )
 DocType: Grant Application,Requested Amount,請求金額
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,行{0}:匯率是必須的
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},用戶ID不為員工設置{0}
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},用戶ID不為員工設置{0}
 DocType: Vehicle,Vehicle Value,汽車衡
 DocType: Crop Cycle,Detected Diseases,檢測到的疾病
 DocType: Stock Entry,Default Source Warehouse,預設來源倉庫
 DocType: Item,Customer Code,客戶代碼
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},生日提醒{0}
 DocType: Asset Maintenance Task,Last Completion Date,最後完成日期
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,天自上次訂購
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,借方帳戶必須是資產負債表科目
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,借方帳戶必須是資產負債表科目
 DocType: Vital Signs,Coated,塗
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,行{0}:使用壽命後的預期值必須小於總採購額
 DocType: GoCardless Settings,GoCardless Settings,GoCardless設置
@@ -5873,14 +5974,14 @@
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,送貨單{0}不能提交
 DocType: Notification Control,Sales Invoice Message,銷售發票訊息
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,關閉帳戶{0}的類型必須是負債/權益
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},員工的工資單{0}已為時間表創建{1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},員工的工資單{0}已為時間表創建{1}
 DocType: Production Plan Item,Ordered Qty,訂購數量
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,項目{0}無效
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,項目{0}無效
 DocType: Stock Settings,Stock Frozen Upto,存貨凍結到...為止
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM不包含任何庫存項目
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,BOM不包含任何庫存項目
 DocType: Chapter,Chapter Head,章主管
 DocType: Payment Term,Month(s) after the end of the invoice month,發票月份結束後的月份
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,薪酬結構應該有靈活的福利組成來分配福利金額
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,薪酬結構應該有靈活的福利組成來分配福利金額
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,專案活動/任務。
 DocType: Vital Signs,Very Coated,非常塗層
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),只有稅收影響(不能索取但應稅收入的一部分)
@@ -5897,7 +5998,7 @@
 DocType: Sales Invoice Timesheet,Billing Hours,結算時間
 DocType: Project,Total Sales Amount (via Sales Order),總銷售額(通過銷售訂單)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,默認BOM {0}未找到
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,行#{0}:請設置再訂購數量
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,行#{0}:請設置再訂購數量
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,點擊項目將其添加到此處
 DocType: Fees,Program Enrollment,招生計劃
 DocType: Share Transfer,To Folio No,對開本No
@@ -5936,9 +6037,9 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +640,BOM and Manufacturing Quantity are required,BOM和生產量是必需的
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +62,Ageing Range 2,老齡範圍2
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,安裝預置
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},沒有為客戶{}選擇送貨單
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},沒有為客戶{}選擇送貨單
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,員工{0}沒有最大福利金額
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,根據交付日期選擇項目
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,根據交付日期選擇項目
 DocType: Grant Application,Has any past Grant Record,有過去的贈款記錄嗎?
 ,Sales Analytics,銷售分析
 ,Prospects Engaged But Not Converted,展望未成熟
@@ -5946,11 +6047,11 @@
 DocType: Manufacturing Settings,Manufacturing Settings,製造設定
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,設定電子郵件
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1手機號碼
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,請在公司主檔輸入預設貨幣
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,請在公司主檔輸入預設貨幣
 DocType: Stock Entry Detail,Stock Entry Detail,存貨分錄明細
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,查看所有打開的門票
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,醫療服務單位樹
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,產品
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,產品
 DocType: Products Settings,Home Page is Products,首頁是產品頁
 ,Asset Depreciation Ledger,資產減值總帳
 DocType: Salary Structure,Leave Encashment Amount Per Day,每天離開沖泡量
@@ -5960,8 +6061,9 @@
 DocType: Purchase Invoice Item,Raw Materials Supplied Cost,原料供應成本
 DocType: Selling Settings,Settings for Selling Module,設置銷售模塊
 DocType: Hotel Room Reservation,Hotel Room Reservation,酒店房間預訂
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,顧客服務
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,顧客服務
 DocType: BOM,Thumbnail,縮略圖
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,找不到與電子郵件ID的聯繫人。
 DocType: Item Customer Detail,Item Customer Detail,項目客戶詳細
 DocType: Notification Control,Prompt for Email on Submission of,提示電子郵件的提交
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},員工{0}的最高福利金額超過{1}
@@ -5970,13 +6072,14 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,項{0}必須是一個缺貨登記
 DocType: Manufacturing Settings,Default Work In Progress Warehouse,預設在製品倉庫
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",{0}重疊的時間表,是否要在滑動重疊的插槽後繼續?
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,會計交易的預設設定。
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,會計交易的預設設定。
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,格蘭特葉子
 DocType: Restaurant,Default Tax Template,默認稅收模板
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0}學生已被註冊
 DocType: Fees,Student Details,學生細節
 DocType: Purchase Invoice Item,Stock Qty,庫存數量
 DocType: Purchase Invoice Item,Stock Qty,庫存數量
+DocType: QuickBooks Migrator,Default Shipping Account,默認運輸帳戶
 DocType: Loan,Repayment Period in Months,在月還款期
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,錯誤:沒有有效的身份證?
 DocType: Naming Series,Update Series Number,更新序列號
@@ -5990,11 +6093,11 @@
 DocType: Employee Tax Exemption Category,Max Amount,最大金額
 DocType: Journal Entry,Total Amount Currency,總金額幣種
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,搜索子組件
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},於列{0}需要產品編號
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},於列{0}需要產品編號
 DocType: GST Account,SGST Account,SGST賬戶
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,轉到項目
 DocType: Sales Partner,Partner Type,合作夥伴類型
-DocType: Purchase Taxes and Charges,Actual,實際
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,實際
 DocType: Restaurant Menu,Restaurant Manager,餐廳經理
 DocType: Authorization Rule,Customerwise Discount,Customerwise折扣
 apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,時間表的任務。
@@ -6012,7 +6115,7 @@
 DocType: Employee,Applicable Holiday List,適用假期表
 DocType: Training Event,Employee Emails,員工電子郵件
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,系列更新
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,報告類型是強制性的
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,報告類型是強制性的
 DocType: Item,Serial Number Series,序列號系列
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},倉庫是強制性的股票項目{0}行{1}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,零售及批發
@@ -6039,10 +6142,11 @@
 apps/erpnext/erpnext/public/js/pos/pos.html +115,Stock Items,庫存產品
 DocType: Sales Invoice,Update Billed Amount in Sales Order,更新銷售訂單中的結算金額
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",如果未選取,則該列表將被加到每個應被應用到的部門。
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,登錄日期和登錄時間是必需的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,登錄日期和登錄時間是必需的
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,稅務模板購買交易。
 ,Item Prices,產品價格
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,採購訂單一被儲存,就會顯示出來。
+DocType: Holiday List,Add to Holidays,加入假期
 DocType: Woocommerce Settings,Endpoint,端點
 DocType: Period Closing Voucher,Period Closing Voucher,期末券
 DocType: Patient Encounter,Review Details,評論細節
@@ -6054,12 +6158,12 @@
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),資產折舊條目系列(期刊條目)
 DocType: Membership,Member Since,成員自
 DocType: Purchase Invoice,Advance Payments,預付款
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,請選擇醫療保健服務
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,請選擇醫療保健服務
 DocType: Purchase Taxes and Charges,On Net Total,在總淨
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},為屬性{0}值必須的範圍內{1}到{2}中的增量{3}為項目{4}
 DocType: Restaurant Reservation,Waitlisted,輪候
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,豁免類別
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,貨幣不能使用其他貨幣進行輸入後更改
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,貨幣不能使用其他貨幣進行輸入後更改
 DocType: Vehicle Service,Clutch Plate,離合器壓盤
 DocType: Company,Round Off Account,四捨五入賬戶
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Administrative Expenses,行政開支
@@ -6067,7 +6171,7 @@
 DocType: Subscription Plan,Based on price list,基於價格表
 DocType: Customer Group,Parent Customer Group,母客戶群組
 DocType: Vehicle Service,Change,更改
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,訂閱
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,訂閱
 DocType: Purchase Invoice,Contact Email,聯絡電郵
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,費用創作待定
 DocType: Appraisal Goal,Score Earned,得分
@@ -6093,23 +6197,23 @@
 DocType: Payment Reconciliation,Receivable / Payable Account,應收/應付賬款
 DocType: Delivery Note Item,Against Sales Order Item,對銷售訂單項目
 DocType: Company,Company Logo,公司標誌
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},請指定屬性值的屬性{0}
-DocType: Item Default,Default Warehouse,預設倉庫
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},請指定屬性值的屬性{0}
+DocType: QuickBooks Migrator,Default Warehouse,預設倉庫
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},不能指定預算給群組帳目{0}
 DocType: Shopping Cart Settings,Show Price,顯示價格
 DocType: Healthcare Settings,Patient Registration,病人登記
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,請輸入父成本中心
 DocType: Delivery Note,Print Without Amount,列印表單時不印金額
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,折舊日期
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,折舊日期
 ,Work Orders in Progress,工作訂單正在進行中
 DocType: Issue,Support Team,支持團隊
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),到期(天數)
 DocType: Appraisal,Total Score (Out of 5),總分(滿分5分)
 DocType: Student Attendance Tool,Batch,批量
 DocType: Support Search Source,Query Route String,查詢路由字符串
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,根據上次購買更新率
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,根據上次購買更新率
 DocType: Donor,Donor Type,捐助者類型
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,自動重複文件更新
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,自動重複文件更新
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,餘額
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,請選擇公司
 DocType: Room,Seating Capacity,座位數
@@ -6121,10 +6225,11 @@
 DocType: Assessment Result,Total Score,總得分
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601標準
 DocType: Journal Entry,Debit Note,繳費單
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,您只能按此順序兌換最多{0}個積分。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,您只能按此順序兌換最多{0}個積分。
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,請輸入API消費者密碼
 DocType: Stock Entry,As per Stock UOM,按庫存計量單位
 apps/erpnext/erpnext/stock/doctype/batch/batch_list.js +7,Not Expired,沒有過期
+DocType: Student Log,Achievement,成就
 DocType: Asset,Insurer,保險公司
 DocType: Batch,Source Document Type,源文檔類型
 DocType: Batch,Source Document Type,源文檔類型
@@ -6133,10 +6238,11 @@
 DocType: Journal Entry,Total Debit,借方總額
 DocType: Travel Request Costing,Sponsored Amount,贊助金額
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,預設成品倉庫
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,請選擇患者
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,請選擇患者
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,銷售人員
 DocType: Hotel Room Package,Amenities,設施
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,預算和成本中心
+DocType: QuickBooks Migrator,Undeposited Funds Account,未存入資金賬戶
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,預算和成本中心
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,不允許多種默認付款方式
 DocType: Sales Invoice,Loyalty Points Redemption,忠誠積分兌換
 ,Appointment Analytics,預約分析
@@ -6148,6 +6254,7 @@
 DocType: Batch,Manufacturing Date,生產日期
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,費用創作失敗
 DocType: Opening Invoice Creation Tool,Create Missing Party,創建失踪派對
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,預算總額
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年製作學生團體,請留空
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年製作學生團體,請留空
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",如果選中,則總數。工作日將包括節假日,這將縮短每天的工資的價值
@@ -6164,7 +6271,7 @@
 DocType: Opportunity Item,Basic Rate,基礎匯率
 DocType: GL Entry,Credit Amount,信貸金額
 DocType: Cheque Print Template,Signatory Position,簽署的位置
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,設為失落
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,設為失落
 DocType: Timesheet,Total Billable Hours,總計費時間
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,用戶必須支付此訂閱生成的發票的天數
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,員工福利申請明細
@@ -6176,7 +6283,7 @@
 DocType: Purchase Invoice,Availed ITC State/UT Tax,有效的ITC州/ UT稅
 DocType: Tax Rule,Tax Rule,稅務規則
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,保持同樣的速度在整個銷售週期
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,請以另一個用戶身份登錄以在Marketplace上註冊
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,請以另一個用戶身份登錄以在Marketplace上註冊
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,在工作站的工作時間以外計畫時間日誌。
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,在排隊的客戶
 DocType: Driver,Issuing Date,發行日期
@@ -6185,7 +6292,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,提交此工單以進一步處理。
 ,Items To Be Requested,需求項目
 DocType: Company,Company Info,公司資訊
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,選擇或添加新客戶
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,選擇或添加新客戶
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,成本中心需要預訂費用報銷
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),基金中的應用(資產)
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,這是基於該員工的考勤
@@ -6195,7 +6302,7 @@
 DocType: Additional Salary,Employee Name,員工姓名
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,餐廳訂單錄入項目
 DocType: Purchase Invoice,Rounded Total (Company Currency),整數總計(公司貨幣)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,不能隱蔽到組,因為帳戶類型選擇的。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,不能隱蔽到組,因為帳戶類型選擇的。
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1} 已修改。請更新。
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,停止用戶在下面日期提出休假申請。
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",如果忠誠度積分無限期到期,請將到期時間保持為空或0。
@@ -6214,9 +6321,10 @@
 DocType: Asset,Out of Order,亂序
 DocType: Purchase Receipt Item,Accepted Quantity,允收數量
 DocType: Projects Settings,Ignore Workstation Time Overlap,忽略工作站時間重疊
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},請設置一個默認的假日列表為員工{0}或公司{1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},請設置一個默認的假日列表為員工{0}或公司{1}
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,選擇批號
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,客戶提出的賬單。
+DocType: Healthcare Settings,Invoice Appointments Automatically,自動發票約會
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,項目編號
 DocType: Salary Component,Variable Based On Taxable Salary,基於應納稅工資的變量
 DocType: Company,Basic Component,基本組件
@@ -6228,10 +6336,10 @@
 DocType: Stock Entry,Source Warehouse Address,來源倉庫地址
 DocType: GL Entry,Voucher Type,憑證類型
 DocType: Amazon MWS Settings,Max Retry Limit,最大重試限制
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,價格表未找到或被禁用
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,價格表未找到或被禁用
 DocType: Student Applicant,Approved,批准
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,價格
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',員工解除對{0}必須設定為“左”
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',員工解除對{0}必須設定為“左”
 DocType: Marketplace Settings,Last Sync On,上次同步開啟
 DocType: Guardian,Guardian,監護人
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,包括及以上的所有通信均應移至新發行中
@@ -6252,14 +6360,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,在現場檢測到的疾病清單。當選擇它會自動添加一個任務清單處理疾病
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,這是根醫療保健服務單位,不能編輯。
 DocType: Asset Repair,Repair Status,維修狀態
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,添加銷售合作夥伴
 apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,會計日記帳分錄。
 DocType: Travel Request,Travel Request,旅行要求
 DocType: Delivery Note Item,Available Qty at From Warehouse,可用數量從倉庫
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,請選擇員工記錄第一。
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,由於是假期,因此未出席{0}的考勤。
 DocType: POS Profile,Account for Change Amount,帳戶漲跌額
+DocType: QuickBooks Migrator,Connecting to QuickBooks,連接到QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,總收益/損失
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,公司發票無效公司。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,公司發票無效公司。
 DocType: Purchase Invoice,input service,輸入服務
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:甲方/客戶不與匹配{1} / {2} {3} {4}
 DocType: Employee Promotion,Employee Promotion,員工晉升
@@ -6267,12 +6377,13 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,課程編號:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,請輸入您的費用帳戶
 DocType: Account,Stock,庫存
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:參考文件類型必須是採購訂單之一,購買發票或日記帳分錄
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:參考文件類型必須是採購訂單之一,購買發票或日記帳分錄
 DocType: Employee,Current Address,當前地址
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",如果項目是另一項目,然後描述,圖像,定價,稅費等會從模板中設定的一個變體,除非明確指定
 DocType: Serial No,Purchase / Manufacture Details,採購/製造詳細資訊
 DocType: Assessment Group,Assessment Group,評估小組
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,批量庫存
+DocType: Supplier,GST Transporter ID,消費稅轉運ID
 DocType: Procedure Prescription,Procedure Name,程序名稱
 DocType: Employee,Contract End Date,合同結束日期
 DocType: Amazon MWS Settings,Seller ID,賣家ID
@@ -6289,12 +6400,12 @@
 DocType: Company,Date of Incorporation,註冊成立日期
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,總稅收
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,上次購買價格
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,對於數量(製造數量)是強制性的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,對於數量(製造數量)是強制性的
 DocType: Stock Entry,Default Target Warehouse,預設目標倉庫
 DocType: Purchase Invoice,Net Total (Company Currency),總淨值(公司貨幣)
 DocType: Delivery Note,Air,空氣
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,年末日期不能超過年度開始日期。請更正日期,然後再試一次。
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0}不在可選節日列表中
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0}不在可選節日列表中
 DocType: Notification Control,Purchase Receipt Message,採購入庫單訊息
 DocType: BOM,Scrap Items,廢物品
 DocType: Job Card,Actual Start Date,實際開始日期
@@ -6312,22 +6423,25 @@
 DocType: BOM Operation,BOM Operation,BOM的操作
 DocType: Purchase Taxes and Charges,On Previous Row Amount,在上一行金額
 DocType: Item,Has Expiry Date,有過期日期
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,轉讓資產
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,轉讓資產
 DocType: POS Profile,POS Profile,POS簡介
 DocType: Training Event,Event Name,事件名稱
 DocType: Healthcare Practitioner,Phone (Office),電話(辦公室)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance",無法提交,僱員留下來標記出席
 DocType: Inpatient Record,Admission,入場
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",季節性設置預算,目標等。
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},招生{0}
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",季節性設置預算,目標等。
 DocType: Supplier Scorecard Scoring Variable,Variable Name,變量名
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",項目{0}是一個模板,請選擇它的一個變體
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,請在人力資源&gt;人力資源設置中設置員工命名系統
+DocType: Purchase Invoice Item,Deferred Expense,遞延費用
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},起始日期{0}不能在員工加入日期之前{1}
 DocType: Asset,Asset Category,資產類別
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,淨工資不能為負
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,淨工資不能為負
 DocType: Purchase Order,Advance Paid,提前支付
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,銷售訂單超額生產百分比
 DocType: Item,Item Tax,產品稅
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,材料到供應商
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,材料到供應商
 DocType: Production Plan,Material Request Planning,物料請求計劃
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,消費稅發票
 apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}出現%不止一次
@@ -6346,10 +6460,10 @@
 DocType: Loan,Loan Type,貸款類型
 DocType: Scheduling Tool,Scheduling Tool,調度工具
 DocType: BOM,Item to be manufactured or repacked,產品被製造或重新包裝
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},條件中的語法錯誤:{0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},條件中的語法錯誤:{0}
 DocType: Employee Education,Major/Optional Subjects,大/選修課
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,請設置供應商組購買設置。
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,請設置供應商組購買設置。
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",靈活福利組件總額{0}不應低於最大福利{1}
 DocType: Sales Invoice Item,Drop Ship,直接發運給客戶
 DocType: Driver,Suspended,暫停
@@ -6369,7 +6483,7 @@
 DocType: Customer,Commission Rate,佣金比率
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,成功創建付款條目
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,為{1}創建{0}記分卡:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,在Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,在Variant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",付款方式必須是接收之一,收費和內部轉賬
 DocType: Travel Itinerary,Preferred Area for Lodging,住宿的首選地區
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +25,Cart is Empty,車是空的
@@ -6377,7 +6491,8 @@
 						can have delivery based on Serial No",項目{0}沒有序列號只有serilialized items \可以根據序列號進行交付
 DocType: Work Order,Actual Operating Cost,實際運行成本
 DocType: Payment Entry,Cheque/Reference No,支票/參考編號
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,root不能被編輯。
+DocType: Soil Texture,Clay Loam,粘土Loam
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,root不能被編輯。
 DocType: Item,Units of Measure,測量的單位
 DocType: Supplier,Default Tax Withholding Config,預設稅款預扣配置
 DocType: Manufacturing Settings,Allow Production on Holidays,允許假日生產
@@ -6392,21 +6507,22 @@
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,支付完成後重定向用戶選擇的頁面。
 DocType: Company,Existing Company,現有的公司
 DocType: Healthcare Settings,Result Emailed,電子郵件結果
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",稅項類別已更改為“合計”,因為所有物品均為非庫存物品
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",稅項類別已更改為“合計”,因為所有物品均為非庫存物品
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,迄今為止不能等於或少於日期
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,沒什麼可改變的
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,請選擇一個csv文件
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,請選擇一個csv文件
 DocType: Holiday List,Total Holidays,總假期
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,缺少發送的電子郵件模板。請在“傳遞設置”中設置一個。
 DocType: Student Leave Application,Mark as Present,標記為現
 DocType: Supplier Scorecard,Indicator Color,指示燈顏色
 DocType: Purchase Order,To Receive and Bill,準備收料及接收發票
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,行號{0}:按日期請求不能在交易日期之前
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,行號{0}:按日期請求不能在交易日期之前
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,特色產品
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,選擇序列號
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,選擇序列號
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,設計師
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,條款及細則範本
 DocType: Serial No,Delivery Details,交貨細節
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}稅表型{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}稅表型{1}
 DocType: Program,Program Code,程序代碼
 DocType: Terms and Conditions,Terms and Conditions Help,條款和條件幫助
 ,Item-wise Purchase Register,項目明智的購買登記
@@ -6424,19 +6540,20 @@
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,讓學生批
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,允許轉移製造
 DocType: Leave Type,Is Carry Forward,是弘揚
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,從物料清單取得項目
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,從物料清單取得項目
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,交貨期天
 DocType: Cash Flow Mapping,Is Income Tax Expense,是所得稅費用
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,您的訂單已發貨!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:過帳日期必須是相同的購買日期{1}資產的{2}
 DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,如果學生住在學院的旅館,請檢查。
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,請在上表中輸入銷售訂單
 ,Stock Summary,股票摘要
 apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,從一個倉庫轉移資產到另一
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),剩餘福利(每年)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,材料清單
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,材料清單
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},行{0}:黨的類型和黨的需要應收/應付帳戶{1}
 DocType: Employee,Leave Policy,離開政策
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,更新項目
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,更新項目
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,參考日期
 DocType: Employee,Reason for Leaving,離職原因
 DocType: BOM Operation,Operating Cost(Company Currency),營業成本(公司貨幣)
@@ -6446,7 +6563,7 @@
 DocType: Department,Expense Approvers,費用審批人
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},行{0}:借方條目不能與{1}連接
 DocType: Journal Entry,Subscription Section,認購科
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,帳戶{0}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,帳戶{0}不存在
 DocType: Training Event,Training Program,培訓計劃
 DocType: Account,Cash,現金
 DocType: Employee,Short biography for website and other publications.,網站和其他出版物的短的傳記。
diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv
index 5ec0aa6..0e7012c 100644
--- a/erpnext/translations/zh.csv
+++ b/erpnext/translations/zh.csv
@@ -12,28 +12,29 @@
 DocType: Item,Customer Items,客户物料
 DocType: Project,Costing and Billing,成本核算和计费
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +43,Advance account currency should be same as company currency {0},预付科目货币应与公司货币{0}相同
-apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: Parent account {1} can not be a ledger,科目{0}的上级科目{1}不能是分类账
-DocType: Item,Publish Item to hub.erpnext.com,发布项目hub.erpnext.com
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +271,Cannot find active Leave Period,找不到有效的休假期间
+DocType: QuickBooks Migrator,Token Endpoint,令牌端点
+apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} can not be a ledger,科目{0}的上级科目{1}不能是分类账
+DocType: Item,Publish Item to hub.erpnext.com,发布项目到hub.erpnext.com
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +270,Cannot find active Leave Period,找不到有效的休假期间
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,评估
 DocType: Item,Default Unit of Measure,默认计量单位
 DocType: SMS Center,All Sales Partner Contact,所有的销售合作伙伴联系人
 DocType: Department,Leave Approvers,休假审批人
 DocType: Employee,Bio / Cover Letter,履历/求职信
 DocType: Patient Encounter,Investigations,调查
-DocType: Restaurant Order Entry,Click Enter To Add,点击输入要添加
+DocType: Restaurant Order Entry,Click Enter To Add,点击输入以添加
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +29,"Missing value for Password, API Key or Shopify URL",缺少密码,API密钥或Shopify网址的值
 DocType: Employee,Rented,租
-apps/erpnext/erpnext/public/js/setup_wizard.js +231,All Accounts,所有科目
+apps/erpnext/erpnext/public/js/setup_wizard.js +243,All Accounts,所有科目
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +15,Cannot transfer Employee with status Left,状态为已离职的员工不能进行调动
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生产订单无法取消,首先Unstop它取消
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +216,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",已停止的生产订单无法取消,首先取消停止它再取消
 DocType: Vehicle Service,Mileage,里程
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +317,Do you really want to scrap this asset?,难道你真的想放弃这项资产?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +338,Do you really want to scrap this asset?,难道你真的想放弃这项资产?
 DocType: Drug Prescription,Update Schedule,更新时间排程
 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,选择默认供应商
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +26,Show Employee,显示员工
 DocType: Exchange Rate Revaluation Account,New Exchange Rate,新汇率
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},价格清单{0}需要制定货币
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +38,Currency is required for Price List {0},价格清单{0}需要设定货币
 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,*将被计算在该交易内。
 DocType: Delivery Trip,MAT-DT-.YYYY.-,MAT-DT-.YYYY.-
 DocType: Purchase Order,Customer Contact,客户联系
@@ -41,15 +42,16 @@
 DocType: Retention Bonus,Bonus Payment Date,奖金支付日期
 DocType: Employee,Job Applicant,求职者
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,本统计基于该供应商的过往交易。详情请参阅表单下方的时间线记录
-DocType: Manufacturing Settings,Overproduction Percentage For Work Order,最大允许超订单量入库百分比
+DocType: Manufacturing Settings,Overproduction Percentage For Work Order,工作订单的超订单生产量的百分比
 DocType: Landed Cost Voucher,MAT-LCV-.YYYY.-,MAT-LCV-.YYYY.-
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +332,Legal,法律
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +362,Legal,法律
+DocType: Delivery Note,Transport Receipt Date,运输收货日期
 DocType: Shopify Settings,Sales Order Series,销售订单系列
 DocType: Vital Signs,Tongue,舌
 apps/erpnext/erpnext/hr/utils.py +221,"More than one selection for {0} not \
 			allowed",对{0}的多个选择不是\允许的
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +204,Actual type tax cannot be included in Item rate in row {0},实际类型税不能被包含在商品率排{0}
-DocType: Allowed To Transact With,Allowed To Transact With,允许与
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +204,Actual type tax cannot be included in Item rate in row {0},实际类型税不能被包含在连续的物料等级中{0}
+DocType: Allowed To Transact With,Allowed To Transact With,允许与。。。交易
 DocType: Bank Guarantee,Customer,客户
 DocType: Purchase Receipt Item,Required By,必选
 DocType: Delivery Note,Return Against Delivery Note,基于销售出货单退货
@@ -59,17 +61,17 @@
 DocType: Employee Tax Exemption Declaration,HRA Exemption,HRA豁免
 DocType: Sales Invoice,Customer Name,客户名称
 DocType: Vehicle,Natural Gas,天然气
-apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +64,Bank account cannot be named as {0},银行账户不能命名为{0}
+apps/erpnext/erpnext/setup/setup_wizard/operations/company_setup.py +63,Bank account cannot be named as {0},银行账户不能命名为{0}
 DocType: Employee Tax Exemption Declaration,HRA as per Salary Structure,HRA根据薪资结构
-DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,会计分录和维护余额操作针对的组(头)
+DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,标题(或者组),以此会计分录建立和余额保存的
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +197,Outstanding for {0} cannot be less than zero ({1}),未付{0}不能小于零( {1} )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1581,Service Stop Date cannot be before Service Start Date,服务停止日期不能早于服务开始日期
+apps/erpnext/erpnext/public/js/controllers/transaction.js +810,Service Stop Date cannot be before Service Start Date,服务停止日期不能早于服务开始日期
 DocType: Manufacturing Settings,Default 10 mins,默认为10分钟
 DocType: Leave Type,Leave Type Name,休假类型名称
-apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,公开显示
+apps/erpnext/erpnext/templates/pages/projects.js +66,Show open,公开显示
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +163,Series Updated Successfully,系列已成功更新
-apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,查看
-apps/erpnext/erpnext/controllers/accounts_controller.py +770,{0} in row {1},{1}行中的{0}
+apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +6,Checkout,退出
+apps/erpnext/erpnext/controllers/accounts_controller.py +772,{0} in row {1},{1}行中的{0}
 DocType: Asset Finance Book,Depreciation Start Date,折旧开始日期
 DocType: Pricing Rule,Apply On,应用于
 DocType: Item Price,Multiple Item prices.,多个物料的价格。
@@ -78,7 +80,7 @@
 DocType: Support Settings,Support Settings,支持设置
 apps/erpnext/erpnext/projects/doctype/project/project.py +84,Expected End Date can not be less than Expected Start Date,预计结束日期不能小于预期开始日期
 DocType: Amazon MWS Settings,Amazon MWS Settings,亚马逊MWS设置
-apps/erpnext/erpnext/utilities/transaction_base.py +115,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:速率必须与{1}:{2}({3} / {4})
+apps/erpnext/erpnext/utilities/transaction_base.py +126,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:速率必须与{1}:{2}({3} / {4})
 ,Batch Item Expiry Status,物料批号到期状态
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +160,Bank Draft,银行汇票
 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.-
@@ -107,7 +109,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +16,Primary Contact Details,主要联系方式
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,开放式问题
 DocType: Production Plan Item,Production Plan Item,生产计划项
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +159,User {0} is already assigned to Employee {1},用户{0}已经被分配给员工{1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +166,User {0} is already assigned to Employee {1},用户{0}已经被分配给员工{1}
 DocType: Lab Test Groups,Add new line,添加新行
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +31,Health Care,医疗保健
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),延迟支付(天)
@@ -117,12 +119,11 @@
 DocType: Lab Prescription,Lab Prescription,实验室处方
 ,Delay Days,延迟天数
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,服务费用
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1010,Serial Number: {0} is already referenced in Sales Invoice: {1},序号:{0}已在销售发票中引用:{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1005,Serial Number: {0} is already referenced in Sales Invoice: {1},序号:{0}已在销售发票中引用:{1}
 DocType: Bank Statement Transaction Invoice Item,Invoice,发票
 DocType: Purchase Invoice Item,Item Weight Details,物料重量
 DocType: Asset Maintenance Log,Periodicity,周期性
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,会计年度{0}是必需的
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,供应商&gt;供应商组
 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,植株之间的最小距离,以获得最佳生长
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +21,Defense,Defense
 DocType: Salary Component,Abbr,缩写
@@ -141,11 +142,12 @@
 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.-
 DocType: Daily Work Summary Group,Holiday List,假期列表
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +115,Accountant,会计
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Selling Price List,销售价格清单
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +61,Selling Price List,销售价格清单
 DocType: Patient,Tobacco Current Use,烟草当前使用
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +62,Selling Rate,销售价
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +68,Selling Rate,销售价
 DocType: Cost Center,Stock User,库存用户
 DocType: Soil Analysis,(Ca+Mg)/K,(钙+镁)/ K
+DocType: Delivery Stop,Contact Information,联系信息
 DocType: Company,Phone No,电话号码
 DocType: Delivery Trip,Initial Email Notification Sent,初始电子邮件通知已发送
 DocType: Bank Statement Settings,Statement Header Mapping,对帐单抬头对照关系
@@ -156,7 +158,7 @@
 DocType: Amazon MWS Settings,AU,AU
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +7,Payment Request,付款申请
 apps/erpnext/erpnext/config/accounts.py +56,To view logs of Loyalty Points assigned to a Customer.,查看分配给客户的忠诚度积分的日志。
-DocType: Asset,Value After Depreciation,折旧后
+DocType: Asset,Value After Depreciation,折旧后值
 DocType: Student,O+,O +
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan_dashboard.py +8,Related,有关
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +46,Attendance date can not be less than employee's joining date,考勤日期不得早于员工入职日期
@@ -169,18 +171,17 @@
 DocType: Subscription,Subscription Start Date,订阅开始日期
 DocType: Healthcare Settings,Default receivable accounts to be used if not set in Patient to book Appointment charges.,如果未在患者中设置预约费用,则使用默认应收帐户。
 DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",附加.csv文件有两列,一为旧名称,一个用于新名称
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +192,From Address 2,来自地址2
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,商品代码&gt;商品分组&gt;品牌
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +195,From Address 2,来自地址2
 apps/erpnext/erpnext/accounts/utils.py +74,{0} {1} not in any active Fiscal Year.,{0} {1} 不在任一激活的财务年度中。
 DocType: Packed Item,Parent Detail docname,上级物料名
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",参考:{0},物料代号:{1}和顾客:{2}
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +357,{0} {1} is not present in the parent company,母公司中不存在{0} {1}
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +360,{0} {1} is not present in the parent company,母公司中不存在{0} {1}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +215,Trial Period End Date Cannot be before Trial Period Start Date,试用期结束日期不能在试用期开始日期之前
 apps/erpnext/erpnext/utilities/user_progress.py +146,Kg,千克
 DocType: Tax Withholding Category,Tax Withholding Category,预扣税类别
 apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py +23,Cancel the journal entry {0} first,首先取消日记条目{0}
 DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.-
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +113,BOM is not specified for subcontracting item {0} at row {1},没有为行{1}的转包商品{0}指定BOM
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +113,BOM is not specified for subcontracting item {0} at row {1},没有为行{1}的转包商品{0}指定物料清单
 DocType: Vital Signs,Reflexes,反射
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +149,{0} Result submittted,{0}结果提交
 DocType: Item Attribute,Increment,增量
@@ -190,12 +191,12 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +6,Advertising,广告
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,公司代码在另一行已输入过,重复了
 DocType: Patient,Married,已婚
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},不允许{0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},不允许{0}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +617,Get items from,从...获取物料
-DocType: Price List,Price Not UOM Dependant,价格不依赖于UOM
+DocType: Price List,Price Not UOM Dependant,价格不依赖于基本计量单位
 DocType: Purchase Invoice,Apply Tax Withholding Amount,申请预扣税金额
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +528,Stock cannot be updated against Delivery Note {0},销售出货单{0}不能更新库存
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +122,Total Amount Credited,总金额
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Stock cannot be updated against Delivery Note {0},销售出货单{0}不能更新库存
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +124,Total Amount Credited,记入贷方的总金额
 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},产品{0}
 apps/erpnext/erpnext/templates/generators/item_group.html +33,No items listed,没有物料
 DocType: Asset Repair,Error Description,错误说明
@@ -209,8 +210,8 @@
 DocType: Accounts Settings,Use Custom Cash Flow Format,使用自定义现金流量格式
 DocType: SMS Center,All Sales Person,所有的销售人员
 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**月度分配**帮助你分配预算/目标跨越几个月,如果你在你的业务有季节性。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1770,Not items found,未找到物料
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +265,Salary Structure Missing,未分配薪资结构
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1768,Not items found,未找到物料
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +267,Salary Structure Missing,未分配薪资结构
 DocType: Lead,Person Name,姓名
 DocType: Sales Invoice Item,Sales Invoice Item,销售发票物料
 DocType: Account,Credit,贷方
@@ -219,37 +220,36 @@
 apps/erpnext/erpnext/config/stock.py +28,Stock Reports,库存报表
 DocType: Warehouse,Warehouse Detail,仓库详细信息
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,该期限结束日期不能晚于学年年终日期到这个词联系在一起(学年{})。请更正日期,然后再试一次。
-apps/erpnext/erpnext/stock/doctype/item/item.py +284,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",是固定资产不能被反选,因为存在资产记录的项目
+apps/erpnext/erpnext/stock/doctype/item/item.py +285,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",是固定资产不能被反选,因为存在资产记录的项目
 DocType: Delivery Trip,Departure Time,出发时间
 DocType: Vehicle Service,Brake Oil,刹车油
 DocType: Tax Rule,Tax Type,税收类型
 ,Completed Work Orders,完成的工单
 DocType: Support Settings,Forum Posts,论坛帖子
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +598,Taxable Amount,应税金额
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +599,Taxable Amount,应税金额
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +161,You are not authorized to add or update entries before {0},你没有权限在{0}前添加或更改分录。
 DocType: Leave Policy,Leave Policy Details,休假政策信息
-DocType: BOM,Item Image (if not slideshow),物料图片(如果没有轮播图片)
+DocType: BOM,Item Image (if not slideshow),物料图片(如果没有演示文稿)
 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(小时率/ 60)*实际操作时间
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1119,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行#{0}:参考文档类型必须是费用报销或手工凭证之一
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1032,Select BOM,选择BOM
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1136,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行#{0}:参考文档类型必须是费用报销或手工凭证之一
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1050,Select BOM,选择BOM
 DocType: SMS Log,SMS Log,短信日志
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,出货物料成本
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +39,The holiday on {0} is not between From Date and To Date,在{0}这个节日之间没有从日期和结束日期
-DocType: Inpatient Record,Admission Scheduled,入学时间表
+DocType: Inpatient Record,Admission Scheduled,计划的准入时间
 DocType: Student Log,Student Log,学生登录
 apps/erpnext/erpnext/config/buying.py +165,Templates of supplier standings.,供应商榜单。
-DocType: Lead,Interested,有兴趣
+DocType: Lead,Interested,当事的
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Opening,开帐
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +37,From {0} to {1},从{0}至 {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +36,From {0} to {1},从{0}至 {1}
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +234,Program: ,程序:
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +50,Failed to setup taxes,无法设置税收
 DocType: Item,Copy From Item Group,从物料组复制
-DocType: Delivery Trip,Delivery Notification,送达通知
 DocType: Journal Entry,Opening Entry,开帐凭证
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,账户仅用于支付
 DocType: Loan,Repay Over Number of Periods,偿还期的超过数
 DocType: Stock Entry,Additional Costs,额外费用
-apps/erpnext/erpnext/accounts/doctype/account/account.py +140,Account with existing transaction can not be converted to group.,有交易的科目不能被转换为组。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +145,Account with existing transaction can not be converted to group.,有交易的科目不能被转换为组。
 DocType: Lead,Product Enquiry,产品查询
 DocType: Education Settings,Validate Batch for Students in Student Group,验证学生组学生的批次
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +38,No leave record found for employee {0} for {1},未找到员工的休假记录{0} {1}
@@ -257,7 +257,7 @@
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,请先输入公司
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +626,Please select Company first,请首先选择公司
 DocType: Employee Education,Under Graduate,本科
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +291,Please set default template for Leave Status Notification in HR Settings.,请在人力资源设置中设置离职状态通知的默认模板。
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +290,Please set default template for Leave Status Notification in HR Settings.,请在人力资源设置中设置离职状态通知的默认模板。
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,目标类型
 DocType: BOM,Total Cost,总成本
 DocType: Soil Analysis,Ca/K,钙/ K
@@ -270,7 +270,7 @@
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,对账单
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +41,Pharmaceuticals,制药
 DocType: Purchase Invoice Item,Is Fixed Asset,是固定的资产
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +359,"Available qty is {0}, you need {1}",可用数量:{0},需要:{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +351,"Available qty is {0}, you need {1}",可用数量:{0},需要:{1}
 DocType: Expense Claim Detail,Claim Amount,申报金额
 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.-
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +644,Work Order has been {0},工单已{0}
@@ -299,18 +299,18 @@
 apps/erpnext/erpnext/hr/doctype/employee/employee.js +87,Please enter Preferred Contact Email,请输入首选电子邮件联系
 DocType: Journal Entry,Contra Entry,对销分录
 DocType: Journal Entry Account,Credit in Company Currency,基于公司本货的信用额度
-DocType: Lab Test UOM,Lab Test UOM,实验室测试UOM
+DocType: Lab Test UOM,Lab Test UOM,实验室测试基础计量单位
 DocType: Delivery Note,Installation Status,安装状态
 DocType: BOM,Quality Inspection Template,质量检验模板
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +136,"Do you want to update attendance?<br>Present: {0}\
 					<br>Absent: {1}",你想更新考勤? <br>出勤:{0} \ <br>缺勤:{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +420,Accepted + Rejected Qty must be equal to Received quantity for Item {0},已接收+已拒收数量须等于物料{0}的已接收数量
+apps/erpnext/erpnext/controllers/buying_controller.py +421,Accepted + Rejected Qty must be equal to Received quantity for Item {0},已接收+已拒收数量须等于物料{0}的已接收数量
 DocType: Item,Supply Raw Materials for Purchase,采购时提供原材料给供应商
 DocType: Agriculture Analysis Criteria,Fertilizer,肥料
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +427,"Cannot ensure delivery by Serial No as \
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",无法通过序列号确保交货,因为\项目{0}是否添加了确保交货\序列号
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +193,At least one mode of payment is required for POS invoice.,需要为POS发票定义至少付款模式
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +203,At least one mode of payment is required for POS invoice.,需要为POS发票定义至少一种付款模式
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,银行对账单交易发票项目
 DocType: Products Settings,Show Products as a List,产品展示作为一个列表
 DocType: Salary Detail,Tax on flexible benefit,弹性福利计税
@@ -319,22 +319,22 @@
 apps/erpnext/erpnext/utilities/user_progress.py +190,Example: Basic Mathematics,例如:基础数学
 DocType: Customer,Primary Address,主要地址
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +39,Diff Qty,差异数量
-DocType: Production Plan,Material Request Detail,物料申请信息
+DocType: Production Plan,Material Request Detail,材料申请信息
 DocType: Selling Settings,Default Quotation Validity Days,默认报价有效天数
-apps/erpnext/erpnext/controllers/accounts_controller.py +869,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内
+apps/erpnext/erpnext/controllers/accounts_controller.py +870,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内
 DocType: SMS Center,SMS Center,短信中心
 DocType: Payroll Entry,Validate Attendance,验证考勤
 DocType: Sales Invoice,Change Amount,找零
 DocType: Party Tax Withholding Config,Certificate Received,已收到证书
 DocType: GST Settings,Set Invoice Value for B2C. B2CL and B2CS calculated based on this invoice value.,设置B2C的发票值。 B2CL和B2CS根据此发票值计算。
 DocType: BOM Update Tool,New BOM,新建物料清单
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +242,Prescribed Procedures,规定程序
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +243,Prescribed Procedures,规定程序
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +36,Show only POS,只显示POS
 DocType: Supplier Group,Supplier Group Name,供应商群组名称
 DocType: Driver,Driving License Categories,驾驶执照类别
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +123,Please enter Delivery Date,请输入交货日期
 DocType: Depreciation Schedule,Make Depreciation Entry,创建计算折旧凭证
-DocType: Closed Document,Closed Document,封闭文件
+DocType: Closed Document,Closed Document,已关闭文件
 DocType: HR Settings,Leave Settings,保留设置
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js +76,Number of positions cannot be less then current count of employees,职位数量不能少于当前员工人数
 DocType: Appraisal Template Goal,KRA,KRA
@@ -343,7 +343,7 @@
 DocType: Payroll Period,Payroll Periods,工资期间
 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js +18,Make Employee,创建员工
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +14,Broadcasting,广播
-apps/erpnext/erpnext/config/accounts.py +341,Setup mode of POS (Online / Offline),POS(在线/离线)的设置模式
+apps/erpnext/erpnext/config/accounts.py +351,Setup mode of POS (Online / Offline),POS(在线/离线)的设置模式
 DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,禁止根据工单创建时间日志。不得根据工作指令跟踪操作
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +167,Execution,执行
 apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,生产操作信息。
@@ -377,7 +377,7 @@
 DocType: Pricing Rule,Discount on Price List Rate (%),基于价格清单价格的折扣(%)
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +112,Item Template,物料模板
 DocType: Job Offer,Select Terms and Conditions,选择条款和条件
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +80,Out Value,输出值
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +87,Out Value,输出值
 DocType: Bank Statement Settings Item,Bank Statement Settings Item,银行对账单设置项
 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce设置
 DocType: Production Plan,Sales Orders,销售订单
@@ -390,20 +390,20 @@
 apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,报价请求可以通过点击以下链接进行访问
 DocType: SG Creation Tool Course,SG Creation Tool Course,SG创建工具课程
 DocType: Bank Statement Transaction Invoice Item,Payment Description,付款说明
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +361,Insufficient Stock,库存不足
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +353,Insufficient Stock,库存不足
 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用容量规划和时间跟踪
 DocType: Email Digest,New Sales Orders,新建销售订单
 DocType: Bank Account,Bank Account,银行科目
 DocType: Travel Itinerary,Check-out Date,离开日期
 DocType: Leave Type,Allow Negative Balance,允许负余额
 apps/erpnext/erpnext/projects/doctype/project_type/project_type.py +13,You cannot delete Project Type 'External',您不能删除“外部”类型的项目
-apps/erpnext/erpnext/public/js/utils.js +240,Select Alternate Item,选择替代物料
+apps/erpnext/erpnext/public/js/utils.js +254,Select Alternate Item,选择替代物料
 DocType: Employee,Create User,创建用户
 DocType: Selling Settings,Default Territory,默认地区
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +53,Television,电视
 DocType: Work Order Operation,Updated via 'Time Log',通过“时间日志”更新
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +13,Select the customer or supplier.,选择客户或供应商。
-apps/erpnext/erpnext/controllers/taxes_and_totals.py +444,Advance amount cannot be greater than {0} {1},预付金额不能大于{0} {1}
+apps/erpnext/erpnext/controllers/taxes_and_totals.py +445,Advance amount cannot be greater than {0} {1},预付金额不能大于{0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +55,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",时隙滑动,时隙{0}到{1}与现有时隙{2}重叠到{3}
 DocType: Naming Series,Series List for this Transaction,此交易的系列列表
 DocType: Company,Enable Perpetual Inventory,启用永续库存功能(每次库存移动实时生成会计凭证)
@@ -412,7 +412,7 @@
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js +51,Update Email Group,更新电子邮件组
 DocType: Sales Invoice,Is Opening Entry,是否期初分录
 DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoice, but can be used in group test creation. ",如果不勾选,该物料不会出现在销售发票中,但可用于创建组测试。
-DocType: Customer Group,Mention if non-standard receivable account applicable,何况,如果不规范应收账款适用
+DocType: Customer Group,Mention if non-standard receivable account applicable,如果不规范应收账款适用的话应提及
 DocType: Course Schedule,Instructor Name,导师姓名
 DocType: Company,Arrear Component,欠费组件
 DocType: Supplier Scorecard,Criteria Setup,条件设置
@@ -420,11 +420,11 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,收到的
 DocType: Codification Table,Medical Code,医疗法
 apps/erpnext/erpnext/config/integrations.py +37,Connect Amazon with ERPNext,将Amazon与ERPNext连接起来
-apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +20,Please enter Company,你不能输入行没有。大于或等于当前行没有。这种充电式
-DocType: Delivery Note Item,Against Sales Invoice Item,销售发票项
+apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +20,Please enter Company,请输入公司
+DocType: Delivery Note Item,Against Sales Invoice Item,针对的销售发票项
 DocType: Agriculture Analysis Criteria,Linked Doctype,链接的文档类型
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,从融资净现金
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,"LocalStorage is full , did not save",localStorage的满了,没救
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Cash from Financing,从融资产生的净现金
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2386,"LocalStorage is full , did not save",本地存储空间的满了,不要保存
 DocType: Lead,Address & Contact,地址及联系方式
 DocType: Leave Allocation,Add unused leaves from previous allocations,结转之前已分配未使用的休假
 DocType: Sales Partner,Partner website,合作伙伴网站
@@ -435,7 +435,7 @@
 DocType: Course Assessment Criteria,Course Assessment Criteria,课程评价标准
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Tax Id: ,纳税登记号:
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +216,Student ID: ,学生卡:
-DocType: POS Customer Group,POS Customer Group,POS客户群
+DocType: POS Customer Group,POS Customer Group,销售终端客户群
 DocType: Healthcare Practitioner,Practitioner Schedules,从业者时间表
 DocType: Cheque Print Template,Line spacing for amount in words,行距文字量
 DocType: Vehicle,Additional Details,额外细节
@@ -443,14 +443,14 @@
 apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,请求您的报价。
 DocType: POS Closing Voucher Details,Collected Amount,收集金额
 DocType: Lab Test,Submitted Date,提交日期
-apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,基于项目工时单
+apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,基于该项目产生的时间表
 ,Open Work Orders,打开工单
-DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,出患者咨询费用项目
+DocType: Healthcare Practitioner,Out Patient Consulting Charge Item,不住院患者咨询费用项目
 DocType: Payment Term,Credit Months,信贷月份
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +492,Net Pay cannot be less than 0,净工资不能低于0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +494,Net Pay cannot be less than 0,净工资不能低于0
 DocType: Contract,Fulfilled,达到
-DocType: Inpatient Record,Discharge Scheduled,出院预定
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +131,Relieving Date must be greater than Date of Joining,离职日期必须晚于入职日期
+DocType: Inpatient Record,Discharge Scheduled,预定的卸货
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +138,Relieving Date must be greater than Date of Joining,离职日期必须晚于入职日期
 DocType: POS Closing Voucher,Cashier,出纳员
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +221,Leaves per Year,每年休假(天)
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +162,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:如果预付凭证,请为科目{1}勾选'预付?'。
@@ -461,15 +461,15 @@
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py +76,Please setup Students under Student Groups,请设置学生组的学生
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +31,Complete Job,完成工作
 DocType: Item Website Specification,Item Website Specification,网站上显示的物料详细规格
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +546,Leave Blocked,已禁止请假
-apps/erpnext/erpnext/stock/doctype/item/item.py +798,Item {0} has reached its end of life on {1},物料{0}已经到达寿命终止日期{1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +543,Leave Blocked,已禁止请假
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Item {0} has reached its end of life on {1},物料{0}已经到达寿命终止日期{1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +82,Bank Entries,银行条目
 DocType: Customer,Is Internal Customer,是内部客户
 DocType: Crop,Annual,全年
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +27,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",如果选中自动选择,则客户将自动与相关的忠诚度计划链接(保存时)
 DocType: Stock Reconciliation Item,Stock Reconciliation Item,库存盘点物料
 DocType: Stock Entry,Sales Invoice No,销售发票编号
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +142,Supply Type,供应类型
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +145,Supply Type,供应类型
 DocType: Material Request Item,Min Order Qty,最小订货量
 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,学生组创建工具课程
 DocType: Lead,Do Not Contact,请勿打扰
@@ -479,28 +479,28 @@
 DocType: Supplier,Supplier Type,供应商类型
 DocType: Course Scheduling Tool,Course Start Date,课程开始日期
 ,Student Batch-Wise Attendance,学生按批考勤
-DocType: POS Profile,Allow user to edit Rate,允许用户编辑率
-DocType: Item,Publish in Hub,在发布中心
+DocType: POS Profile,Allow user to edit Rate,允许用户编辑级别
+DocType: Item,Publish in Hub,在集散中心发布
 DocType: Student Admission,Student Admission,学生入学
 ,Terretory,区域
-apps/erpnext/erpnext/stock/doctype/item/item.py +820,Item {0} is cancelled,物料{0}已取消
+apps/erpnext/erpnext/stock/doctype/item/item.py +827,Item {0} is cancelled,物料{0}已取消
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +206,Depreciation Row {0}: Depreciation Start Date is entered as past date,折旧行{0}:折旧开始日期作为过去的日期输入
 DocType: Contract Template,Fulfilment Terms and Conditions,履行条款和条件
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1067,Material Request,物料申请
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1130,Material Request,材料申请
 DocType: Bank Reconciliation,Update Clearance Date,更新清算日期
 ,GSTR-2,GSTR-2
 DocType: Item,Purchase Details,采购信息
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +498,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},物料{0}未定义在采购订单{1}发给供应商的原材料清单中
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +490,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},物料{0}未定义在采购订单{1}发给供应商的原材料清单中
 DocType: Salary Slip,Total Principal Amount,贷款本金总额
 DocType: Student Guardian,Relation,关系
 DocType: Student Guardian,Mother,母亲
 DocType: Restaurant Reservation,Reservation End Time,预订结束时间
 DocType: Crop,Biennial,双年展
-,BOM Variance Report,BOM差异报表
+,BOM Variance Report,物料清单差异报表
 apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,确认客户订单。
 DocType: Purchase Receipt Item,Rejected Quantity,拒收数量
 apps/erpnext/erpnext/education/doctype/fees/fees.py +80,Payment request {0} created,已创建付款申请{0}
-DocType: Inpatient Record,Admitted Datetime,承认日期时间
+DocType: Inpatient Record,Admitted Datetime,准入的日期时间
 DocType: Work Order,Backflush raw materials from work-in-progress warehouse,从在制品库中反冲原料
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Open Orders,开放订单
 apps/erpnext/erpnext/healthcare/setup.py +187,Low Sensitivity,低灵敏度
@@ -518,7 +518,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html +35,Mode of Payments,付款方式
 DocType: Maintenance Schedule,Generate Schedule,生成工时单
 DocType: Purchase Invoice Item,Expense Head,总支出
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +149,Please select Charge Type first,预计日期不能前材料申请日期
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +149,Please select Charge Type first,请先选择费用类型
 DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",你可以在这里定义所有需要进行的作业。日场是用来提及任务需要执行的日子,1日是第一天等。
 DocType: Student Group Student,Student Group Student,学生组学生
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Latest,最新
@@ -532,15 +532,16 @@
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +60,Attendance not submitted for {0} as {1} on leave.,因{1}尚在休假中,{0}的考勤未能提交。
 DocType: Journal Entry,Payment Order,付款单
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,电子邮件工资单员工根据员工选择首选的电子邮件
-DocType: Tax Rule,Shipping County,航运县
+DocType: Tax Rule,Shipping County,起运县
 DocType: Currency Exchange,For Selling,出售
 apps/erpnext/erpnext/config/desktop.py +159,Learn,学习
+DocType: Purchase Invoice Item,Enable Deferred Expense,启用延期费用
 DocType: Asset,Next Depreciation Date,接下来折旧日期
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,每个员工活动费用
 DocType: Accounts Settings,Settings for Accounts,科目设置
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +756,Supplier Invoice No exists in Purchase Invoice {0},供应商发票不存在采购发票{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +800,Supplier Invoice No exists in Purchase Invoice {0},供应商发票不存在采购发票{0}
 apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,管理销售人员。
-DocType: Job Applicant,Cover Letter,求职信
+DocType: Job Applicant,Cover Letter,附函
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,待清帐支票及存款
 DocType: Item,Synced With Hub,与Hub同步
 DocType: Driver,Fleet Manager,车队经理
@@ -553,7 +554,7 @@
 DocType: Employee,External Work History,外部就职经历
 apps/erpnext/erpnext/projects/doctype/task/task.py +111,Circular Reference Error,循环引用错误
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +206,Student Report Card,学生报表卡
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +204,From Pin Code,来自Pin Code
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +207,From Pin Code,来自Pin码
 DocType: Appointment Type,Is Inpatient,住院病人
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1名称
 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,大写金额(出口)将在销售出货单保存后显示。
@@ -561,25 +562,26 @@
 apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]的单位(#窗体/项目/ {1})在[{2}]研究发现(#窗体/仓储/ {2})
 DocType: Lead,Industry,行业
 DocType: BOM Item,Rate & Amount,价格和金额
-DocType: BOM,Transfer Material Against Job Card,转移材料反对工作卡
+DocType: BOM,Transfer Material Against Job Card,对工作卡转移材料
 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,自动创建物料申请时通过邮件通知
 apps/erpnext/erpnext/healthcare/setup.py +191,Resistant,耐
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +77,Please set Hotel Room Rate on {},请在{}上设置酒店房价
 DocType: Journal Entry,Multi Currency,多币种
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,发票类型
 DocType: Employee Benefit Claim,Expense Proof,费用证明
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +971,Delivery Note,销售出货
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py +318,Saving {0},保存{0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +990,Delivery Note,销售出货
 DocType: Patient Encounter,Encounter Impression,遇到印象
 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,设置税码及税务规则
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Cost of Sold Asset,出售资产的成本
 DocType: Volunteer,Morning,早上
 apps/erpnext/erpnext/accounts/utils.py +374,Payment Entry has been modified after you pulled it. Please pull it again.,获取付款凭证后有修改,请重新获取。
 DocType: Program Enrollment Tool,New Student Batch,新学生批次
-apps/erpnext/erpnext/stock/doctype/item/item.py +496,{0} entered twice in Item Tax,{0}输入了两次税项
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +115,Summary for this week and pending activities,本周和待活动总结
-DocType: Student Applicant,Admitted,录取
+apps/erpnext/erpnext/stock/doctype/item/item.py +497,{0} entered twice in Item Tax,{0}输入了两次税项
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +121,Summary for this week and pending activities,本周和待活动总结
+DocType: Student Applicant,Admitted,准入
 DocType: Workstation,Rent Cost,租金成本
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +89,Amount After Depreciation,折旧金额后
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +116,Amount After Depreciation,折旧金额后
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,即将到来的日历事件
 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html +1,Variant Attributes,变量属性
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +114,Please select month and year,请选择年份和月份
@@ -591,7 +593,7 @@
 DocType: Certified Consultant,Certified Consultant,认证顾问
 apps/erpnext/erpnext/config/accounts.py +27,Bank/Cash transactions against party or for internal transfer,针对往来单位或内部转帐的银行/现金交易
 DocType: Shipping Rule,Valid for Countries,有效的国家
-apps/erpnext/erpnext/stock/doctype/item/item.js +57,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,此物料为模板物料,不可在业务中直接使用。模板物料的属性会被复制到变式(变体)物料,可以设置“不允许复制”
+apps/erpnext/erpnext/stock/doctype/item/item.js +57,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,此项目为模板,不可用于交易。项目的属性会被复制到变量,除非设置“不允许复制”
 DocType: Grant Application,Grant Application,授予申请
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +69,Total Order Considered,总订货
 DocType: Certification Application,Not Certified,未认证
@@ -599,30 +601,30 @@
 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,客户货币转换为客户的本币后的单价
 DocType: Course Scheduling Tool,Course Scheduling Tool,排课工具
 apps/erpnext/erpnext/controllers/accounts_controller.py +682,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:采购发票不能对现有资产进行{1}
-DocType: Crop Cycle,LInked Analysis,LInked分析
-DocType: POS Closing Voucher,POS Closing Voucher,POS关闭凭证
-DocType: Contract,Lapsed,失效
+DocType: Crop Cycle,LInked Analysis,链接的分析
+DocType: POS Closing Voucher,POS Closing Voucher,销售终端关闭凭证
+DocType: Contract,Lapsed,间隔
 DocType: Item Tax,Tax Rate,税率
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +107,Application period cannot be across two allocation records,申请期限不能跨越两个分配记录
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +73,{0} already allocated for Employee {1} for period {2} to {3},{0}已分配给员工{1}的时期{2}到{3}
 DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,基于CRM的分包合同反向原材料
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +145,Purchase Invoice {0} is already submitted,采购发票{0}已经提交了
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +90,Row # {0}: Batch No must be same as {1} {2},行#{0}:批号必须与{1} {2}
-DocType: Material Request Plan Item,Material Request Plan Item,材料申请计划物料
+DocType: Material Request Plan Item,Material Request Plan Item,材料申请计划项目
 DocType: Leave Type,Allow Encashment,允许折算为现金
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +101,Convert to non-Group,转换为非群组
 DocType: Project Update,Good/Steady,好/稳定
 DocType: Bank Statement Transaction Invoice Item,Invoice Date,发票日期
 DocType: GL Entry,Debit Amount,借方金额
-apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},每个公司只能有1个科目(科目){0} {1}
+apps/erpnext/erpnext/accounts/party.py +277,There can only be 1 Account per Company in {0} {1},在{0} {1}中每个公司只能有1个帐户
 DocType: Support Search Source,Response Result Key Path,响应结果关键路径
 DocType: Journal Entry,Inter Company Journal Entry,Inter公司手工凭证
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +538,For quantity {0} should not be grater than work order quantity {1},数量{0}不应超过工单数量{1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +522,Please see attachment,请参阅附件
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +530,For quantity {0} should not be grater than work order quantity {1},数量{0}不应超过工单数量{1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +524,Please see attachment,请参阅附件
 DocType: Purchase Order,% Received,%已收货
-apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,创建挺起胸
+apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,创建学生组
 DocType: Volunteer,Weekends,周末
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Credit Note Amount,退款金额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Credit Note Amount,换货凭单金额
 DocType: Setup Progress Action,Action Document,行动文件
 DocType: Chapter Member,Website URL,网站网址
 ,Finished Goods,成品
@@ -644,7 +646,7 @@
 DocType: Packed Item,Packed Item,盒装产品
 DocType: Job Offer Term,Job Offer Term,招聘条件
 apps/erpnext/erpnext/config/buying.py +65,Default settings for buying transactions.,采购业务的默认设置。
-apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},存在活动费用为员工{0}对活动类型 -  {1}
+apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},显存员工活动费用{0}对应活动类型 -  {1}
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +20,Mandatory field - Get Students From,强制性领域 - 获得学生
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +20,Mandatory field - Get Students From,强制性领域 - 获得学生
 DocType: Program Enrollment,Enrolled courses,入学课程
@@ -660,28 +662,29 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +10,Total Outstanding,总未付
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改现有系列的起始/当前序列号。
 DocType: Dosage Strength,Strength,强度
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,创建一个新的客户
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1548,Create a new Customer,创建一个新的客户
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +17,Expiring On,即将到期
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果几条价格规则同时使用,系统将提醒用户设置优先级。
 apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,创建采购订单
 ,Purchase Register,采购台帐
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py +116,Patient not found,患者未找到
-DocType: Scheduling Tool,Rechedule,Rechedule
+DocType: Scheduling Tool,Rechedule,重新计划
 DocType: Landed Cost Item,Applicable Charges,适用费用
 DocType: Workstation,Consumable Cost,耗材成本
 DocType: Purchase Receipt,Vehicle Date,车日期
 DocType: Student Log,Medical,医药
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Reason for losing,原因丢失
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1765,Please select Drug,请选择药物
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +186,Reason for losing,原因丢失
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1751,Please select Drug,请选择药物
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Lead Owner cannot be same as the Lead,线索负责人不能是线索本身
 apps/erpnext/erpnext/accounts/utils.py +380,Allocated amount can not greater than unadjusted amount,已核销金额不能超过未调整金额
 DocType: Announcement,Receiver,接收器
-DocType: Location,Area UOM,区域UOM
+DocType: Location,Area UOM,区基础单位
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},工作站在以下假期关闭:{0}
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,机会
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +34,Opportunities,机会
 DocType: Lab Test Template,Single,单身
 DocType: Compensatory Leave Request,Work From Date,从日期开始工作
 DocType: Salary Slip,Total Loan Repayment,总贷款还款
+DocType: Project User,View attachments,查看附件
 DocType: Account,Cost of Goods Sold,销货成本
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +231,Please enter Cost Center,请输入成本中心
 DocType: Drug Prescription,Dosage,剂量
@@ -692,7 +695,7 @@
 DocType: Purchase Invoice Item,Quantity and Rate,数量和价格
 DocType: Delivery Note,% Installed,%已安装
 apps/erpnext/erpnext/utilities/user_progress.py +230,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/实验室等在那里的演讲可以预定。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1406,Company currencies of both the companies should match for Inter Company Transactions.,两家公司的公司货币应该符合Inter公司交易。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1304,Company currencies of both the companies should match for Inter Company Transactions.,两家公司的公司货币应该符合Inter公司交易。
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +95,Please enter company name first,请先输入公司名称
 DocType: Travel Itinerary,Non-Vegetarian,非素食主义者
 DocType: Purchase Invoice,Supplier Name,供应商名称
@@ -701,8 +704,7 @@
 DocType: Purchase Invoice,01-Sales Return,01-销售退货
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +15,Temporarily on Hold,暂时搁置
 DocType: Account,Is Group,是群组
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,信用票据{0}已自动创建
-DocType: Email Digest,Pending Purchase Orders,待采购订单
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +324,Credit Note {0} has been created automatically,换货凭单{0}已自动创建
 DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,自动设置序列号的基础上FIFO
 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,检查供应商发票编号唯一性
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js +34,Primary Address Details,主要地址信息
@@ -717,18 +719,18 @@
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +24,Mandatory field - Academic Year,必修课 - 学年
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +24,Mandatory field - Academic Year,必修课 - 学年
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +221,{0} {1} is not associated with {2} {3},{0} {1}与{2} {3}无关
-DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,自定义作为邮件一部分的简介文本,每个邮件的简介文本是独立的。
+DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,自定义作为邮件一部分的简介文本,每个交易有独立的的简介文本。
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +56,Row {0} : Operation is required against the raw material item {1},行{0}:对原材料项{1}需要操作
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +180,Please set default payable account for the company {0},请为公司{0}设置默认应付账款科目
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +612,Transaction not allowed against stopped Work Order {0},不允许对停止的工单{0}进行交易
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +604,Transaction not allowed against stopped Work Order {0},不允许对停止的工单{0}进行交易
 DocType: Setup Progress Action,Min Doc Count,最小文件计数
 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,所有生产流程的全局设置。
 DocType: Accounts Settings,Accounts Frozen Upto,科目被冻结截止日
 DocType: SMS Log,Sent On,发送日期
-apps/erpnext/erpnext/stock/doctype/item/item.py +758,Attribute {0} selected multiple times in Attributes Table,属性{0}多次选择在属性表
+apps/erpnext/erpnext/stock/doctype/item/item.py +765,Attribute {0} selected multiple times in Attributes Table,属性{0}多次选择在属性表
 DocType: HR Settings,Employee record is created using selected field. ,使用所选字段创建员工记录。
 DocType: Sales Order,Not Applicable,不适用
-DocType: Amazon MWS Settings,UK,联合王国
+DocType: Amazon MWS Settings,UK,英国
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +85,Opening Invoice Item,待处理发票项
 DocType: Request for Quotation Item,Required Date,需求日期
 DocType: Delivery Note,Billing Address,帐单地址
@@ -754,33 +756,34 @@
 apps/erpnext/erpnext/hr/doctype/shift_assignment/shift_assignment.py +39,Employee {0} has already applied for {1} on {2} : ,员工{0}已在{2}上申请{1}:
 DocType: Inpatient Record,AB Positive,AB积极
 DocType: Job Opening,Description of a Job Opening,空缺职位的说明
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +112,Pending activities for today,今天待定活动
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Pending activities for today,今天待定活动
 DocType: Salary Structure,Salary Component for timesheet based payroll.,薪资构成用于按工时单支付工资。
+DocType: Driver,Applicable for external driver,适用于外部驱动器
 DocType: Sales Order Item,Used for Production Plan,用于生产计划
 DocType: Loan,Total Payment,总付款
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +125,Cannot cancel transaction for Completed Work Order.,无法取消已完成工单的交易。
-DocType: Manufacturing Settings,Time Between Operations (in mins),时间操作之间(以分钟)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +117,Cannot cancel transaction for Completed Work Order.,无法取消已完成工单的交易。
+DocType: Manufacturing Settings,Time Between Operations (in mins),各操作之间的时间(以分钟)
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +823,PO already created for all sales order items,已为所有销售订单项创建采购订单
 DocType: Healthcare Service Unit,Occupied,占据
 DocType: Clinical Procedure,Consumables,耗材
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1}被取消,因此无法完成操作
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +130,{0} {1} is cancelled so the action cannot be completed,{0} {1}被取消,因此无法完成操作
 DocType: Customer,Buyer of Goods and Services.,产品和服务采购者。
 DocType: Journal Entry,Accounts Payable,应付帐款
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +55,The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.,此付款申请中设置的{0}金额与所有付款计划的计算金额不同:{1}。在提交文档之前确保这是正确的。
 DocType: Patient,Allergies,过敏
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +36,The selected BOMs are not for the same item,所选物料清单不能用于同一个物料
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +43,The selected BOMs are not for the same item,所选物料清单不能用于同一个物料
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +32,Change Item Code,更改物料代码
 DocType: Supplier Scorecard Standing,Notify Other,通知其他
 DocType: Vital Signs,Blood Pressure (systolic),血压(收缩期)
 DocType: Item Price,Valid Upto,有效期至
-DocType: Training Event,Workshop,研讨会
+DocType: Training Event,Workshop,车间
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,警告采购订单
 apps/erpnext/erpnext/utilities/user_progress.py +67,List a few of your customers. They could be organizations or individuals.,列出一些你的客户,他们可以是组织或个人。
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,从日期租用
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +23,Enough Parts to Build,足够的配件组装
 DocType: POS Profile User,POS Profile User,POS配置文件用户
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +185,Row {0}: Depreciation Start Date is required,行{0}:折旧开始日期是必需的
-DocType: Sales Invoice Item,Service Start Date,服务开始日期
+DocType: Purchase Invoice Item,Service Start Date,服务开始日期
 DocType: Subscription Invoice,Subscription Invoice,订阅发票
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Direct Income,直接收益
 DocType: Patient Appointment,Date TIme,约会时间
@@ -794,13 +797,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +410,Please select Company,请选择公司
 DocType: Stock Entry Detail,Difference Account,差异科目
 DocType: Purchase Invoice,Supplier GSTIN,供应商GSTIN
-apps/erpnext/erpnext/projects/doctype/task/task.py +47,Cannot close task as its dependant task {0} is not closed.,不能因为其依赖的任务{0}没有关闭关闭任务。
+apps/erpnext/erpnext/projects/doctype/task/task.py +47,Cannot close task as its dependant task {0} is not closed.,不能关闭任务因为其依赖的任务{0}没有关闭。
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +435,Please enter Warehouse for which Material Request will be raised,请重新拉。
 DocType: Work Order,Additional Operating Cost,额外的运营成本
 DocType: Lab Test Template,Lab Routine,实验室常规
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +20,Cosmetics,化妆品
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +18,Please select Completion Date for Completed Asset Maintenance Log,请选择已完成资产维护日志的完成日期
-apps/erpnext/erpnext/stock/doctype/item/item.py +569,"To merge, following properties must be same for both items",若要合并,两个物料的以下属性必须相同
+apps/erpnext/erpnext/stock/doctype/item/item.py +570,"To merge, following properties must be same for both items",若要合并,两个物料的以下属性必须相同
 DocType: Supplier,Block Supplier,块供应商
 DocType: Shipping Rule,Net Weight,净重
 DocType: Job Opening,Planned number of Positions,计划的职位数量
@@ -822,19 +825,21 @@
 DocType: Cash Flow Mapping Template,Cash Flow Mapping Template,现金流量映射模板
 DocType: Travel Request,Costing Details,成本计算信息
 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.js +64,Show Return Entries,显示返回条目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Serial no item cannot be a fraction,序号不能是一个分数
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2566,Serial no item cannot be a fraction,序号不能是一个分数
 DocType: Journal Entry,Difference (Dr - Cr),差异(借方-贷方)
 DocType: Bank Guarantee,Providing,提供
 DocType: Account,Profit and Loss,损益表
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +99,"Not permitted, configure Lab Test Template as required",不允许,根据需要配置实验室测试模板
 DocType: Patient,Risk Factors,风险因素
 DocType: Patient,Occupational Hazards and Environmental Factors,职业危害与环境因素
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +325,Stock Entries already created for Work Order ,已为工单创建的库存条目
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +317,Stock Entries already created for Work Order ,已为工单创建的库存条目
 DocType: Vital Signs,Respiratory rate,呼吸频率
 apps/erpnext/erpnext/config/stock.py +337,Managing Subcontracting,管理外包
 DocType: Vital Signs,Body Temperature,体温
 DocType: Project,Project will be accessible on the website to these users,这些用户可在网站上访问该项目
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +292,Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3},无法取消{0} {1},因为序列号{2}不属于仓库{3}
 DocType: Detected Disease,Disease,疾病
+DocType: Company,Default Deferred Expense Account,默认递延费用帐户
 apps/erpnext/erpnext/config/projects.py +29,Define Project type.,定义项目类型。
 DocType: Supplier Scorecard,Weighting Function,加权函数
 DocType: Healthcare Practitioner,OP Consulting Charge,OP咨询费
@@ -851,16 +856,16 @@
 DocType: Crop,Produced Items,生产物料
 DocType: Bank Statement Transaction Entry,Match Transaction to Invoices,将交易与发票匹配
 DocType: Sales Order Item,Gross Profit,毛利
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +802,Unblock Invoice,取消屏蔽发票
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +865,Unblock Invoice,取消屏蔽发票
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,增量不能为0
 DocType: Company,Delete Company Transactions,删除正式上线前的测试数据
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Reference No and Reference Date is mandatory for Bank transaction,银行交易中参考编号和参考日期必填
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,添加/编辑税金及费用
 DocType: Payment Entry Reference,Supplier Invoice No,供应商发票编号
 DocType: Territory,For reference,供参考
-DocType: Healthcare Settings,Appointment Confirmation,预约确认
+DocType: Healthcare Settings,Appointment Confirmation,约定确认
 DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Cannot delete Serial No {0}, as it is used in stock transactions",无法删除序列号{0},因为它采用的是现货交易
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Cannot delete Serial No {0}, as it is used in stock transactions",无法删除序列号{0},因为它采用的是库存交易
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +271,Closing (Cr),结算(信用)
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +1,Hello,你好
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +118,Move Item,移动物料
@@ -872,38 +877,38 @@
 DocType: Budget,Ignore,忽略
 apps/erpnext/erpnext/accounts/party.py +429,{0} {1} is not active,{0} {1} 未激活
 DocType: Woocommerce Settings,Freight and Forwarding Account,货运和转运科目
-apps/erpnext/erpnext/config/accounts.py +300,Setup cheque dimensions for printing,设置检查尺寸打印
+apps/erpnext/erpnext/config/accounts.py +310,Setup cheque dimensions for printing,设置检查尺寸打印
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +33,Create Salary Slips,创建工资单
 DocType: Vital Signs,Bloated,胀
 DocType: Salary Slip,Salary Slip Timesheet,工资单工时单
-apps/erpnext/erpnext/controllers/buying_controller.py +187,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,外包采购收货单必须指定供应商仓库
+apps/erpnext/erpnext/controllers/buying_controller.py +188,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,外包采购收货单必须指定供应商仓库
 DocType: Item Price,Valid From,有效期自
 DocType: Sales Invoice,Total Commission,总佣金
 DocType: Tax Withholding Account,Tax Withholding Account,代扣税款科目
 DocType: Pricing Rule,Sales Partner,销售合作伙伴
 apps/erpnext/erpnext/config/buying.py +150,All Supplier scorecards.,所有供应商记分卡。
-DocType: Buying Settings,Purchase Receipt Required,需要采购收货
+DocType: Buying Settings,Purchase Receipt Required,需要采购收据
 DocType: Delivery Note,Rail,轨
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Target warehouse in row {0} must be same as Work Order,行{0}中的目标仓库必须与工单相同
-apps/erpnext/erpnext/stock/doctype/item/item.py +169,Valuation Rate is mandatory if Opening Stock entered,库存开帐凭证中评估价字段必填
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +263,Target warehouse in row {0} must be same as Work Order,行{0}中的目标仓库必须与工单相同
+apps/erpnext/erpnext/stock/doctype/item/item.py +170,Valuation Rate is mandatory if Opening Stock entered,库存开帐凭证中评估价字段必填
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +143,No records found in the Invoice table,没有在发票表中找到记录
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +36,Please select Company and Party Type first,请先选择公司和往来单位类型
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +31,"Already set default in pos profile {0} for user {1}, kindly disabled default",已经在用户{1}的pos配置文件{0}中设置了默认值,请禁用默认值
-apps/erpnext/erpnext/config/accounts.py +321,Financial / accounting year.,财务/会计年度。
+apps/erpnext/erpnext/config/accounts.py +331,Financial / accounting year.,财务/会计年度。
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累积值
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +166,"Sorry, Serial Nos cannot be merged",抱歉,序列号无法合并
 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,客户组将在同步Shopify客户的同时设置为选定的组
-apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +72,Territory is Required in POS Profile,POS Profile中需要地域
+apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +72,Territory is Required in POS Profile,POS 配置中需要地域
 DocType: Supplier,Prevent RFQs,防止RFQ
-DocType: Hub User,Hub User,中心用户
+DocType: Hub User,Hub User,集线器用户
 apps/erpnext/erpnext/utilities/activation.py +83,Make Sales Order,创建销售订单
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +537,Salary Slip submitted for period from {0} to {1},从{0}到{1}
 DocType: Project Task,Project Task,项目任务
 DocType: Loyalty Point Entry Redemption,Redeemed Points,兑换积分
-,Lead Id,线索ID
+,Lead Id,商机ID
 DocType: C-Form Invoice Detail,Grand Total,总计
 DocType: Assessment Plan,Course,课程
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +103,Section Code,部分代码
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +105,Section Code,部分代码
 DocType: Timesheet,Payslip,工资单
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +18,Half day date should be in between from date and to date,半天的日期应该在从日期到日期之间
 apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,物料车
@@ -912,11 +917,12 @@
 DocType: Employee,Personal Bio,个人履历
 DocType: C-Form,IV,IV
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +15,Membership ID,会员ID
-apps/erpnext/erpnext/templates/pages/order.html +76,Delivered: {0},交货:{0}
+apps/erpnext/erpnext/templates/pages/order.html +77,Delivered: {0},交货:{0}
+DocType: QuickBooks Migrator,Connected to QuickBooks,连接到QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,应付科目
 DocType: Payment Entry,Type of Payment,付款类型
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +18,Half Day Date is mandatory,半天日期必填
-DocType: Sales Order,Billing and Delivery Status,结算和交货状态
+DocType: Sales Order,Billing and Delivery Status,账单和交货状态
 DocType: Job Applicant,Resume Attachment,简历附件
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,回头客
 DocType: Leave Control Panel,Allocate,分配
@@ -924,8 +930,8 @@
 DocType: Sales Invoice,Shipping Bill Date,运费单日期
 DocType: Production Plan,Production Plan,生产计划
 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,发票创建工具
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +878,Sales Return,销售退货
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:总分配叶{0}应不低于已核定叶{1}期间
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +906,Sales Return,销售退货
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +110,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:在此期间总分配假期{0}应不低于已批准的假期{1}
 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,根据序列号输入设置交易数量
 ,Total Stock Summary,总库存总结
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +68,"You can only plan for upto {0} vacancies and budget {1} \
@@ -937,9 +943,9 @@
 DocType: Authorization Rule,Customer or Item,客户或物料
 apps/erpnext/erpnext/config/selling.py +28,Customer database.,客户数据库。
 DocType: Quotation,Quotation To,报价对象
-DocType: Lead,Middle Income,中等收入
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +305,Middle Income,中等收入
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +243,Opening (Cr),期初(贷方 )
-apps/erpnext/erpnext/stock/doctype/item/item.py +930,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,因为该物料已经有使用别的计量单位的交易记录存在了,不再允许直接修改其默认单位{0}了。如果需要请创建一个新物料,以使用不同的默认计量单位。
+apps/erpnext/erpnext/stock/doctype/item/item.py +937,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,因为该物料已经有使用别的计量单位的交易记录存在了,不再允许直接修改其默认单位{0}了。如果需要请创建一个新物料,以使用不同的默认计量单位。
 apps/erpnext/erpnext/accounts/utils.py +378,Allocated amount can not be negative,分配数量不能为负
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,请设定公司
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +11,Please set the Company,请设定公司
@@ -947,8 +953,8 @@
 DocType: Amazon MWS Settings,AWS Access Key ID,AWS访问密钥ID
 DocType: Employee Tax Exemption Declaration,Monthly House Rent,每月房租
 DocType: Purchase Order Item,Billed Amt,已开票金额
-DocType: Training Result Employee,Training Result Employee,员工
-DocType: Warehouse,A logical Warehouse against which stock entries are made.,创建手工库存移动所依赖的逻辑仓库。
+DocType: Training Result Employee,Training Result Employee,培训结果员工
+DocType: Warehouse,A logical Warehouse against which stock entries are made.,库存进项记录对应的逻辑仓库。
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +134,Principal Amount,本金
 DocType: Loan Application,Total Payable Interest,合计应付利息
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js +58,Total Outstanding: {0},总未付:{0}
@@ -957,15 +963,16 @@
 DocType: Payroll Entry,Select Payment Account to make Bank Entry,选择付款科目生成银行凭证
 DocType: Hotel Settings,Default Invoice Naming Series,默认发票命名系列
 apps/erpnext/erpnext/utilities/activation.py +136,"Create Employee records to manage leaves, expense claims and payroll",建立员工档案管理叶,报销和工资
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +642,An error occurred during the update process,更新过程中发生错误
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +705,An error occurred during the update process,更新过程中发生错误
 DocType: Restaurant Reservation,Restaurant Reservation,餐厅预订
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +166,Proposal Writing,提案写作
 DocType: Payment Entry Deduction,Payment Entry Deduction,输入付款扣除
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +14,Wrapping up,包起来
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +43,Notify Customers via Email,通过电子邮件通知客户
 DocType: Item,Batch Number Series,批号系列
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,另外销售人员{0}存在具有相同员工ID
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +54,Another Sales Person {0} exists with the same Employee id,另外销售人员{0}存在具有相同员工ID
 DocType: Employee Advance,Claimed Amount,申报金额
+DocType: QuickBooks Migrator,Authorization Settings,授权设置
 DocType: Travel Itinerary,Departure Datetime,离开日期时间
 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-
 DocType: Travel Request Costing,Travel Request Costing,出差申请成本计算
@@ -974,7 +981,7 @@
 DocType: Assessment Plan,Maximum Assessment Score,最大考核评分
 apps/erpnext/erpnext/config/accounts.py +161,Update Bank Transaction Dates,更新银行交易日期
 apps/erpnext/erpnext/config/projects.py +41,Time Tracking,时间跟踪
-DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,输送机重复
+DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,运输方副本
 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py +57,Row {0}# Paid Amount cannot be greater than requested advance amount,第{0}行的付款金额不能大于预付申请金额
 DocType: Fiscal Year Company,Fiscal Year Company,公司财务年度
 DocType: Packing Slip Item,DN Detail,销售出货单信息
@@ -994,7 +1001,7 @@
 DocType: Vehicle Service,Vehicle Service,汽车服务
 apps/erpnext/erpnext/config/setup.py +95,Automatically triggers the feedback request based on conditions.,自动触发基于条件的反馈请求。
 DocType: Employee,Reason for Resignation,离职原因
-DocType: Sales Invoice,Credit Note Issued,退款单已发出
+DocType: Sales Invoice,Credit Note Issued,换货凭单已发出
 DocType: Project Task,Weight,重量
 DocType: Payment Reconciliation,Invoice/Journal Entry Details,发票/手工凭证详细信息
 apps/erpnext/erpnext/accounts/utils.py +84,{0} '{1}' not in Fiscal Year {2},{0}“ {1}”不属于{2}财年
@@ -1004,26 +1011,29 @@
 DocType: Buying Settings,Supplier Naming By,供应商命名方式
 DocType: Activity Type,Default Costing Rate,默认成本核算率
 DocType: Maintenance Schedule,Maintenance Schedule,维护计划
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +151,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",然后定价规则将基于客户,客户组,地区,供应商,供应商类型,活动,销售合作伙伴等条件过滤。
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +163,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",然后定价规则将基于客户,客户组,地区,供应商,供应商类型,活动,销售合作伙伴等条件过滤。
 DocType: Employee Promotion,Employee Promotion Details,员工升职信息
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,在库存净变动
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +83,Net Change in Inventory,库存净变动
 DocType: Employee,Passport Number,护照号码
-apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,与关系Guardian2
+apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,与监护人2的关系
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +112,Manager,经理
 DocType: Payment Entry,Payment From / To,支付自/至
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +8,From Fiscal Year,从财政年度开始
 apps/erpnext/erpnext/selling/doctype/customer/customer.py +185,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新的信用额度小于该客户未付总额。信用额度至少应该是 {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +439,Please set account in Warehouse {0},请在仓库{0}中设置科目
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +453,Please set account in Warehouse {0},请在仓库{0}中设置科目
 apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,“根据”和“分组依据”不能相同
 DocType: Sales Person,Sales Person Targets,销售人员目标
 DocType: Work Order Operation,In minutes,以分钟为单位
 DocType: Issue,Resolution Date,决议日期
 DocType: Lab Test Template,Compound,复合
+DocType: Opportunity,Probability (%),概率(%)
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +11,Dispatch Notification,发货通知
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +56,Select Property,选择属性
 DocType: Student Batch Name,Batch Name,批名
 DocType: Fee Validity,Max number of visit,最大访问次数
 ,Hotel Room Occupancy,酒店客房入住率
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,创建工时单:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1311,Please set default Cash or Bank account in Mode of Payment {0},请为付款方式{0}设置默认的现金或银行科目
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +339,Timesheet created:,创建时间表:
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1209,Please set default Cash or Bank account in Mode of Payment {0},请为付款方式{0}设置默认的现金或银行科目
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +24,Enroll,注册
 DocType: GST Settings,GST Settings,GST设置
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +81,Currency should be same as Price List Currency: {0},货币应与价格清单货币相同:{0}
@@ -1051,7 +1061,7 @@
 DocType: Asset,Asset Owner Company,资产所有者公司
 DocType: Company,Round Off Cost Center,四舍五入成本中心
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +252,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护访问{0}
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +14,Material Transfer,移库
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +14,Material Transfer,材料转移
 DocType: Cost Center,Cost Center Number,成本中心编号
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py +24,Could not find path for ,找不到路径
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +236,Opening (Dr),期初(借方)
@@ -1064,12 +1074,12 @@
 DocType: Loan,Total Interest Payable,合计应付利息
 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,到岸成本税费
 DocType: Work Order Operation,Actual Start Time,实际开始时间
+DocType: Purchase Invoice Item,Deferred Expense Account,递延费用帐户
 DocType: BOM Operation,Operation Time,操作时间
-apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,完
+apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +466,Finish,完成
 DocType: Salary Structure Assignment,Base,基础
 DocType: Timesheet,Total Billed Hours,帐单总时间
 DocType: Travel Itinerary,Travel To,目的地
-apps/erpnext/erpnext/controllers/buying_controller.py +759,is not,不是
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1659,Write Off Amount,销帐金额
 DocType: Leave Block List Allow,Allow User,允许用户
 DocType: Journal Entry,Bill No,账单编号
@@ -1085,22 +1095,21 @@
 DocType: BOM Item,Basic Rate (Company Currency),库存评估价(公司货币)
 apps/erpnext/erpnext/support/doctype/issue/issue.js +38,Split Issue,拆分问题
 DocType: Student Attendance,Student Attendance,学生出勤
-DocType: Sales Invoice Timesheet,Time Sheet,工时单
+DocType: Sales Invoice Timesheet,Time Sheet,时间表
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,基于..进行原物料倒扣账
 DocType: Sales Invoice,Port Code,港口代码
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +960,Reserve Warehouse,储备仓库
-DocType: Lead,Lead is an Organization,领导是一个组织
-DocType: Guardian Interest,Interest,利息
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1023,Reserve Warehouse,储备仓库
+DocType: Lead,Lead is an Organization,商机是一个组织
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,售前
 DocType: Instructor Log,Other Details,其他详细信息
-apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
+apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,供应商
 DocType: Lab Test,Test Template,测试模板
 DocType: Restaurant Order Entry Item,Served,曾任
 apps/erpnext/erpnext/config/non_profit.py +13,Chapter information.,章节信息。
 DocType: Account,Accounts,会计
 DocType: Vehicle,Odometer Value (Last),里程表值(最后)
 apps/erpnext/erpnext/config/buying.py +160,Templates of supplier scorecard criteria.,供应商计分卡标准模板。
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Marketing,市场营销
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +351,Marketing,市场营销
 DocType: Sales Invoice,Redeem Loyalty Points,兑换忠诚度积分
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +348,Payment Entry is already created,付款凭证已创建
 DocType: Request for Quotation,Get Suppliers,获取供应商
@@ -1117,16 +1126,14 @@
 DocType: Crop,Crop Spacing UOM,裁剪间隔UOM
 DocType: Loyalty Program,Single Tier Program,单层计划
 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,只有在设置了“现金流量映射器”文档时才能选择
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +186,From Address 1,来自地址1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +189,From Address 1,来自地址1
 DocType: Email Digest,Next email will be sent on:,下次邮件发送时间:
-apps/erpnext/erpnext/controllers/buying_controller.py +756,"Following item {items} {verb} marked as {message} item.\
-			You can enable them as {message} item from its Item master",以下物料{item} {verb}被标记为{message}项。\您可以从其物料主数据中将其作为{message}项启用
 DocType: Supplier Scorecard,Per Week,每个星期
-apps/erpnext/erpnext/stock/doctype/item/item.py +705,Item has variants.,物料有变体。
+apps/erpnext/erpnext/stock/doctype/item/item.py +712,Item has variants.,物料有变体。
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +154,Total Student,学生总数
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,物料{0}未找到
 DocType: Bin,Stock Value,库存值
-apps/erpnext/erpnext/accounts/doctype/account/account.py +197,Company {0} does not exist,公司{0}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +202,Company {0} does not exist,公司{0}不存在
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +43,{0} has fee validity till {1},{0}有效期至{1}
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +54,Tree Type,树类型
 DocType: BOM Explosion Item,Qty Consumed Per Unit,每单位消耗数量
@@ -1142,7 +1149,7 @@
 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC]
 DocType: Journal Entry,Credit Card Entry,信用卡分录
 apps/erpnext/erpnext/config/accounts.py +74,Company and Accounts,公司与科目
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +78,In Value,金额
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,In Value,金额
 DocType: Asset Settings,Depreciation Options,折旧选项
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +28,Either location or employee must be required,必须要求地点或员工
 apps/erpnext/erpnext/utilities/transaction_base.py +29,Invalid Posting Time,记帐时间无效
@@ -1159,52 +1166,53 @@
 DocType: Leave Allocation,Allocation,分配
 DocType: Purchase Order,Supply Raw Materials,供应原材料
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,流动资产
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,{0} is not a stock Item,{0}不是一个库存物料
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,{0} is not a stock Item,{0}不是一个库存物料
 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html +6,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',请点击“培训反馈”,再点击“新建”来分享你的培训反馈
 DocType: Mode of Payment Account,Default Account,默认科目
-apps/erpnext/erpnext/stock/doctype/item/item.py +288,Please select Sample Retention Warehouse in Stock Settings first,请先在库存设置中选择留存样品仓库
+apps/erpnext/erpnext/stock/doctype/item/item.py +289,Please select Sample Retention Warehouse in Stock Settings first,请先在库存设置中选择留存样品仓库
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +62,Please select the Multiple Tier Program type for more than one collection rules.,请为多个收集规则选择多层程序类型。
 DocType: Payment Entry,Received Amount (Company Currency),收到的款项(公司币种)
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +192,Lead must be set if Opportunity is made from Lead,如果商机的来源是“线索”的话,必须指定线索
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py +136,Payment Cancelled. Please check your GoCardless Account for more details,付款已取消。请检查您的GoCardless科目以了解更多信息
 DocType: Contract,N/A,N / A
+DocType: Delivery Settings,Send with Attachment,发送附件
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +30,Please select weekly off day,请选择每周休息日
 DocType: Inpatient Record,O Negative,O负面
 DocType: Work Order Operation,Planned End Time,计划结束时间
 ,Sales Person Target Variance Item Group-Wise,物料组的销售人员目标差异
-apps/erpnext/erpnext/accounts/doctype/account/account.py +95,Account with existing transaction cannot be converted to ledger,有交易的科目不能被转换为分类账
-apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,Memebership类型详细信息
+apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with existing transaction cannot be converted to ledger,有交易的科目不能被转换为分类账
+apps/erpnext/erpnext/config/non_profit.py +33,Memebership Type Details,会员类型详细信息
 DocType: Delivery Note,Customer's Purchase Order No,客户的采购订单号
 DocType: Clinical Procedure,Consume Stock,消费股票
 DocType: Budget,Budget Against,预算对象
 apps/erpnext/erpnext/stock/reorder_item.py +194,Auto Material Requests Generated,已自动生成材料需求
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +7,Lost,输
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +7,Lost,遗失
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +184,You can not enter current voucher in 'Against Journal Entry' column,您不能在“对日记账分录”列中选择此凭证。
 DocType: Employee Benefit Application Detail,Max Benefit Amount,最大福利金额
-apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for manufacturing,预留制造
+apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for manufacturing,预留用于制造
 DocType: Soil Texture,Sand,砂
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +25,Energy,能源
 DocType: Opportunity,Opportunity From,机会来源
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +998,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{1}请为第{0}行的物料{2}指定序列号。你已经提供{3}。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +993,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{1}请为第{0}行的物料{2}指定序列号。你已经提供{3}。
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +79,Please select a table,请选择一张桌子
 DocType: BOM,Website Specifications,网站规格
 DocType: Special Test Items,Particulars,细节
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +23,{0}: From {0} of type {1},{0}:申请者{0} 休假类型{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +386,Row {0}: Conversion Factor is mandatory,行{0}:转换系数必填
+apps/erpnext/erpnext/controllers/buying_controller.py +387,Row {0}: Conversion Factor is mandatory,行{0}:转换系数必填
 DocType: Student,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +351,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海报价格规则,同样的标准存在,请分配优先级解决冲突。价格规则:{0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +353,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海报价格规则,同样的标准存在,请分配优先级解决冲突。价格规则:{0}
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation Account,汇率重估科目
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +532,Cannot deactivate or cancel BOM as it is linked with other BOMs,无法停用或取消BOM,因为它被其他BOM引用。
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +534,Cannot deactivate or cancel BOM as it is linked with other BOMs,无法停用或取消BOM,因为它被其他BOM引用。
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +106,Please select Company and Posting Date to getting entries,请选择公司和发布日期以获取条目
 DocType: Asset,Maintenance,维护
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +28,Get from Patient Encounter,从患者遭遇中获取
 DocType: Subscriber,Subscriber,订户
 DocType: Item Attribute Value,Item Attribute Value,物料属性值
-apps/erpnext/erpnext/projects/doctype/project/project.py +471,Please Update your Project Status,请更新您的项目状态
+apps/erpnext/erpnext/projects/doctype/project/project.py +472,Please Update your Project Status,请更新您的项目状态
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +26,Currency Exchange must be applicable for Buying or for Selling.,外币汇率必须适用于买入或卖出。
 DocType: Item,Maximum sample quantity that can be retained,可以保留的最大样品数量
 DocType: Project Update,How is the Project Progressing Right Now?,项目现在进展如何?
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +509,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},对于采购订单{3},行{0}#项目{1}不能超过{2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +501,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},对于采购订单{3},行{0}#项目{1}不能超过{2}
 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,促销活动。
 DocType: Project Task,Make Timesheet,创建工时单
 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -1244,36 +1252,38 @@
 DocType: Lab Test,Lab Test,实验室测试
 DocType: Student Report Generation Tool,Student Report Generation Tool,学生报表生成工具
 DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,医疗保健计划时间槽
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +160,Doc Name,文档名称
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +163,Doc Name,文档名称
 DocType: Expense Claim Detail,Expense Claim Type,报销类型
 DocType: Shopping Cart Settings,Default settings for Shopping Cart,购物车的默认设置
-apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,添加时代
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +142,Asset scrapped via Journal Entry {0},通过资产手工凭证报废{0}
+apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +27,Add Timeslots,添加时间空挡
+apps/erpnext/erpnext/stock/__init__.py +57,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},请在仓库{0}中设置帐户或在公司{1}中设置默认库存帐户
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +143,Asset scrapped via Journal Entry {0},通过资产手工凭证报废{0}
 DocType: Loan,Interest Income Account,利息收入科目
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +54,Max benefits should be greater than zero to dispense benefits,最大的好处应该大于零来分配好处
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +61,Max benefits should be greater than zero to dispense benefits,最大的好处应该大于零来分配好处
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py +58,Review Invitation Sent,审核邀请已发送
 DocType: Shift Assignment,Shift Assignment,班别分配
 DocType: Employee Transfer Property,Employee Transfer Property,员工变动属性
-apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,从时间应该少于时间
+apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py +36,From Time Should Be Less Than To Time,从时间应该少于去时间
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +13,Biotechnology,生物技术
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1125,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
-						 to fullfill Sales Order {2}.",无法将项目{0}(序列号:{1})用作reserverd \以完成销售订单{2}。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1117,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\
+						 to fullfill Sales Order {2}.",物料{0}(序列号:{1})无法使用,因为已被保留 \用来完成销售订单{2}。
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Office Maintenance Expenses,办公维护费用
-apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,去
+apps/erpnext/erpnext/utilities/user_progress.py +54,Go to ,转到
 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,将Shopify更新到ERPNext价格清单
 apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,设置电子邮件科目
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +21,Please enter Item first,请先输入物料
-DocType: Asset Repair,Downtime,停机
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +316,Needs Analysis,需求分析
+DocType: Asset Repair,Downtime,停工期
 DocType: Account,Liability,负债
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +227,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,核准金额不能大于申报额行{0}。
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +228,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,核准金额不能大于申报额行{0}。
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +14,Academic Term: ,学术期限:
 DocType: Salary Component,Do not include in total,不包括在总金额内
 DocType: Company,Default Cost of Goods Sold Account,默认销货成本科目
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1291,Sample quantity {0} cannot be more than received quantity {1},采样数量{0}不能超过接收数量{1}
-apps/erpnext/erpnext/stock/get_item_details.py +519,Price List not selected,价格列表没有选择
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1283,Sample quantity {0} cannot be more than received quantity {1},采样数量{0}不能超过接收数量{1}
+apps/erpnext/erpnext/stock/get_item_details.py +523,Price List not selected,价格列表没有选择
 DocType: Employee,Family Background,家庭背景
 DocType: Request for Quotation Supplier,Send Email,发送电子邮件
-apps/erpnext/erpnext/stock/doctype/item/item.py +243,Warning: Invalid Attachment {0},警告:无效的附件{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +244,Warning: Invalid Attachment {0},警告:无效的附件{0}
 DocType: Item,Max Sample Quantity,最大样品量
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +810,No Permission,无此权限
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,合同履行清单
@@ -1283,7 +1293,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +46,'Update Stock' can not be checked because items are not delivered via {0},因为物料还未通过{0)交付,“库存更新'不能被勾选
 DocType: Vehicle,Acquisition Date,采集日期
 apps/erpnext/erpnext/utilities/user_progress.py +146,Nos,Nos
-DocType: Item,Items with higher weightage will be shown higher,具有较高权重的物料会优先显示在清单最上面
+DocType: Item,Items with higher weightage will be shown higher,具有较高权重的物料会优先显示在清单的上面
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +12,Lab Tests and Vital Signs,实验室测试和重要标志
 DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,银行对帐信息
 apps/erpnext/erpnext/controllers/accounts_controller.py +669,Row #{0}: Asset {1} must be submitted,行#{0}:资产{1}必须提交
@@ -1292,9 +1302,9 @@
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js +113,Student Group is already updated.,学生组已经更新。
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js +113,Student Group is already updated.,学生组已经更新。
 apps/erpnext/erpnext/config/projects.py +18,Project Update.,项目更新。
-DocType: SMS Center,All Customer Contact,所有的客户联系人
+DocType: SMS Center,All Customer Contact,所有客户联系方式
 DocType: Location,Tree Details,树详细信息
-DocType: Marketplace Settings,Registered,注册
+DocType: Marketplace Settings,Registered,已注册
 DocType: Training Event,Event Status,状态
 DocType: Volunteer,Availability Timeslot,可用时间段
 ,Support Analytics,客户支持分析
@@ -1305,33 +1315,33 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +112,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:成本中心{2}不属于公司{3}
 apps/erpnext/erpnext/utilities/user_progress.py +92,Upload your letter head (Keep it web friendly as 900px by 100px),上传你的信头(保持网页友好,900px乘100px)
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +89,{0} {1}: Account {2} cannot be a Group,{0} {1}科目{2}不能是一个组
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,项目行{idx}: {文档类型}上不存在'{文档类型}'表
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +356,Timesheet {0} is already completed or cancelled,工时单{0}已完成或取消
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +367,Timesheet {0} is already completed or cancelled,时间表{0}已完成或已取消
+DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator
 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,没有任务
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +81,Sales Invoice {0} created as paid,销售发票{0}已创建为已付款
-DocType: Item Variant Settings,Copy Fields to Variant,将字段复制到变式
-DocType: Asset,Opening Accumulated Depreciation,打开累计折旧
+DocType: Item Variant Settings,Copy Fields to Variant,将字段复制到变量
+DocType: Asset,Opening Accumulated Depreciation,期初累计折旧
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +50,Score must be less than or equal to 5,得分必须小于或等于5
 DocType: Program Enrollment Tool,Program Enrollment Tool,计划注册工具
-apps/erpnext/erpnext/config/accounts.py +363,C-Form records,C-表记录
+apps/erpnext/erpnext/config/accounts.py +373,C-Form records,C-表记录
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +74,The shares already exist,股份已经存在
 apps/erpnext/erpnext/config/selling.py +322,Customer and Supplier,客户和供应商
 DocType: Email Digest,Email Digest Settings,邮件摘要设置
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +412,Thank you for your business!,感谢您的业务!
 apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,回应客户咨询。
 DocType: Employee Property History,Employee Property History,员工属性历史
-DocType: Setup Progress Action,Action Doctype,行动Doctype
+DocType: Setup Progress Action,Action Doctype,行动的文档类型
 DocType: HR Settings,Retirement Age,退休年龄
 DocType: Bin,Moving Average Rate,移动平均价格
 DocType: Production Plan,Select Items,选择物料
 DocType: Share Transfer,To Shareholder,给股东
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +408,{0} against Bill {1} dated {2},{0}对日期为{2}的账单{1}
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +210,From State,来自州
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +213,From State,来自州
 apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Institution,设置机构
-apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,分配叶子......
+apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +73,Allocating leaves...,分配假期......
 DocType: Program Enrollment,Vehicle/Bus Number,车辆/巴士号码
 apps/erpnext/erpnext/education/doctype/course/course.js +17,Course Schedule,课程表
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +568,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +570,"You have to Deduct Tax for Unsubmitted Tax Exemption Proof and Unclaimed \
 					Employee Benefits in the last Salary Slip of Payroll Period",您必须在工资核算期最后一个工资单上扣除未提交免税证明和尚未申报员工福利对应的应纳税款
 DocType: Request for Quotation Supplier,Quote Status,报价状态
 DocType: GoCardless Settings,Webhooks Secret,Webhooks的秘密
@@ -1344,7 +1354,7 @@
 DocType: Payroll Employee Detail,Payroll Employee Detail,薪资员工详细信息
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +135,Please select a warehouse,请选择一个仓库
 DocType: Cheque Print Template,Starting location from left edge,从左边起始位置
-DocType: Item,Allow over delivery or receipt upto this percent,允许在交付或接收高达百分之这
+DocType: Item,Allow over delivery or receipt upto this percent,允许在交付或接收高达这个百分比
 DocType: Upload Attendance,Import Attendance,导入考勤记录
 apps/erpnext/erpnext/public/js/pos/pos.html +124,All Item Groups,所有物料群组
 DocType: Work Order,Item To Manufacture,待生产物料
@@ -1357,13 +1367,13 @@
 DocType: Sales Invoice,Payment Due Date,付款到期日
 DocType: Drug Prescription,Interval UOM,间隔UOM
 DocType: Customer,"Reselect, if the chosen address is edited after save",重新选择,如果所选地址在保存后被编辑
-apps/erpnext/erpnext/stock/doctype/item/item.js +583,Item Variant {0} already exists with same attributes,项目变体{0}已经具有相同属性的存在
-DocType: Item,Hub Publishing Details,Hub发布细节
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +135,'Opening',“打开”
-apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,开做
+apps/erpnext/erpnext/stock/doctype/item/item.js +601,Item Variant {0} already exists with same attributes,项目变体{0}已经具有相同属性的存在
+DocType: Item,Hub Publishing Details,集线器发布细节
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +153,'Opening',“打开”
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,打开代办事项
 DocType: Issue,Via Customer Portal,通过客户门户
 DocType: Notification Control,Delivery Note Message,销售出货单消息
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +319,SGST Amount,SGST金额
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +322,SGST Amount,SGST金额
 DocType: Lab Test Template,Result Format,结果格式
 DocType: Expense Claim,Expenses,费用
 DocType: Item Variant Attribute,Item Variant Attribute,产品规格属性
@@ -1371,17 +1381,15 @@
 DocType: Payroll Entry,Bimonthly,半月刊
 DocType: Vehicle Service,Brake Pad,刹车片
 DocType: Fertilizer,Fertilizer Contents,肥料含量
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +331,Research & Development,研究与发展
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +361,Research & Development,研究与发展
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,待开票金额
-apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","开始日期和结束日期与作业卡<a href=""#Form/Job Card/{0}"">{1}</a>重叠"
-DocType: Company,Registration Details,工商注册信息
-DocType: Timesheet,Total Billed Amount,总开单金额
+DocType: Company,Registration Details,注册详细信息
+DocType: Timesheet,Total Billed Amount,总可开单金额
 DocType: Item Reorder,Re-Order Qty,再订货数量
 DocType: Leave Block List Date,Leave Block List Date,禁离日日期
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,请在教育&gt;教育设置中设置教师命名系统
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +101,BOM #{0}: Raw material cannot be same as main Item,物料清单#{0}:原材料不能是BOM产出物料
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +92,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,基于采购收货单信息计算的总税费必须与采购单(单头)的总税费一致
-DocType: Sales Team,Incentives,提成
+DocType: Sales Team,Incentives,激励政策
 DocType: SMS Log,Requested Numbers,请求号码
 DocType: Volunteer,Evening,晚间
 DocType: Customer,Bypass credit limit check at Sales Order,不在销售订单做信用额度检查
@@ -1392,8 +1400,8 @@
 apps/erpnext/erpnext/config/selling.py +332,Point-of-Sale,销售点
 DocType: Fee Schedule,Fee Creation Status,费用创建状态
 DocType: Vehicle Log,Odometer Reading,里程表读数
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",科目余额已设置为'贷方',不能设置为'借方'
-DocType: Account,Balance must be,余额借贷方向属性
+apps/erpnext/erpnext/accounts/doctype/account/account.py +123,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",科目余额已设置为'贷方',不能设置为'借方'
+DocType: Account,Balance must be,余额必须是
 DocType: Notification Control,Expense Claim Rejected Message,报销被拒原因
 ,Available Qty,可用数量
 DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,默认仓库到创建销售订单和交货单
@@ -1404,7 +1412,7 @@
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,在同步订单详细信息之前,始终从亚马逊MWS同步您的产品
 DocType: Delivery Trip,Delivery Stops,交货站点
 DocType: Salary Slip,Working Days,工作日
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +577,Cannot change Service Stop Date for item in row {0},无法更改行{0}中项目的服务停止日期
+apps/erpnext/erpnext/accounts/deferred_revenue.py +33,Cannot change Service Stop Date for item in row {0},无法更改行{0}中项目的服务停止日期
 DocType: Serial No,Incoming Rate,入库库存评估价
 DocType: Packing Slip,Gross Weight,毛重
 DocType: Leave Type,Encashment Threshold Days,最大允许折现天数
@@ -1423,31 +1431,33 @@
 DocType: Restaurant Table,Minimum Seating,最小的座位
 DocType: Item Attribute,Item Attribute Values,物料属性值
 DocType: Examination Result,Examination Result,考试成绩
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +857,Purchase Receipt,采购收货单
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +921,Purchase Receipt,采购收货单
 ,Received Items To Be Billed,待开票已收货物料
-apps/erpnext/erpnext/config/accounts.py +331,Currency exchange rate master.,货币汇率主数据
+apps/erpnext/erpnext/config/accounts.py +341,Currency exchange rate master.,货币汇率主数据
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +210,Reference Doctype must be one of {0},参考文档类型必须是一个{0}
 apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js +46,Filter Total Zero Qty,过滤器总计零数量
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +322,Unable to find Time Slot in the next {0} days for Operation {1},在未来{0}天操作{1}无可用时间(档期)
 DocType: Work Order,Plan material for sub-assemblies,计划材料为子组件
 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,销售合作伙伴和地区
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +621,BOM {0} must be active,BOM{0}必须处于激活状态
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +623,BOM {0} must be active,物料清单{0}必须处于激活状态
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +427,No Items available for transfer,无可移转物料
 DocType: Employee Boarding Activity,Activity Name,活动名称
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +797,Change Release Date,更改审批日期
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +222,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,成品数量<b>{0}</b>和数量<b>{1}</b>不能不同
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +860,Change Release Date,更改审批日期
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +214,Finished product quantity <b>{0}</b> and For Quantity <b>{1}</b> cannot be different,成品数量<b>{0}</b>和数量<b>{1}</b>不能不同
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +250,Closing (Opening + Total),期末(期初+总计)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code &gt; Item Group &gt; Brand,商品代码&gt;商品分组&gt;品牌
+DocType: Delivery Settings,Dispatch Notification Attachment,发货通知附件
 DocType: Payroll Entry,Number Of Employees,在职员工人数
 DocType: Journal Entry,Depreciation Entry,折旧分录
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +33,Please select the document type first,请先选择文档类型
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +31,Please select the document type first,请先选择文档类型
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,取消此上门保养之前请先取消物料访问{0}
 DocType: Pricing Rule,Rate or Discount,价格或折扣
 DocType: Vital Signs,One Sided,单面
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Item {1},序列号{0}不属于物料{1}
 DocType: Purchase Receipt Item Supplied,Required Qty,需求数量
 DocType: Marketplace Settings,Custom Data,自定义数据
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Warehouses with existing transaction can not be converted to ledger.,与现有的交易仓库不能转换到总帐。
-apps/erpnext/erpnext/controllers/buying_controller.py +569,Serial no is mandatory for the item {0},物料{0}的序列号必填
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +127,Warehouses with existing transaction can not be converted to ledger.,有现有的交易的仓库不能转换到总帐。
+apps/erpnext/erpnext/controllers/buying_controller.py +570,Serial no is mandatory for the item {0},物料{0}的序列号必填
 DocType: Bank Reconciliation,Total Amount,总金额
 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +24,From Date and To Date lie in different Fiscal Year,从日期和到期日位于不同的财政年度
 apps/erpnext/erpnext/healthcare/utils.py +160,The Patient {0} do not have customer refrence to invoice,患者{0}没有客户参考发票
@@ -1458,15 +1468,15 @@
 DocType: Soil Texture,Clay Composition (%),粘土成分(%)
 DocType: Item Group,Item Group Defaults,项目组默认值
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +102,Please save before assigning task.,在分配任务之前请保存。
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +82,Balance Value,结余金额
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +89,Balance Value,结余金额
 DocType: Lab Test,Lab Technician,实验室技术员
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Sales Price List,销售价格清单
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Sales Price List,销售价格清单
 DocType: Healthcare Settings,"If checked, a customer will be created, mapped to Patient.
 Patient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.",如果选中,将创建一个客户,映射到患者。将针对该客户创建病人发票。您也可以在创建患者时选择现有客户。
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +63,Customer isn't enrolled in any Loyalty Program,客户未加入任何忠诚度计划
 DocType: Bank Reconciliation,Account Currency,科目币种
 DocType: Lab Test,Sample ID,样品编号
-apps/erpnext/erpnext/accounts/general_ledger.py +178,Please mention Round Off Account in Company,请注明舍入账户的公司
+apps/erpnext/erpnext/accounts/general_ledger.py +178,Please mention Round Off Account in Company,请在公司中提及圆整账户
 DocType: Purchase Receipt,Range,范围
 DocType: Supplier,Default Payable Accounts,默认应付账户(多个)
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +52,Employee {0} is not active or does not exist,员工{0}未激活或不存在
@@ -1474,18 +1484,18 @@
 DocType: Support Search Source,Search Term Param Name,搜索字词Param Name
 DocType: Item Barcode,Item Barcode,物料条码
 DocType: Woocommerce Settings,Endpoints,端点
-apps/erpnext/erpnext/stock/doctype/item/item.py +700,Item Variants {0} updated,物料变体{0}已更新
+apps/erpnext/erpnext/stock/doctype/item/item.py +707,Item Variants {0} updated,物料变体{0}已更新
 DocType: Quality Inspection Reading,Reading 6,检验结果6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +977,Cannot {0} {1} {2} without any negative outstanding invoice,没有未付发票(负数),无法{0} {1} {2}
-DocType: Share Transfer,From Folio No,来自Folio No
-DocType: Purchase Invoice Advance,Purchase Invoice Advance,采购发票
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +994,Cannot {0} {1} {2} without any negative outstanding invoice,没有负的未完成发票,无法{0} {1} {2}
+DocType: Share Transfer,From Folio No,来自对开本No.
+DocType: Purchase Invoice Advance,Purchase Invoice Advance,采购发票预付
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +231,Row {0}: Credit entry can not be linked with a {1},行{0}:信用记录无法被链接的{1}
-apps/erpnext/erpnext/config/accounts.py +274,Define budget for a financial year.,定义预算财务年度。
+apps/erpnext/erpnext/config/accounts.py +284,Define budget for a financial year.,定义预算财务年度。
 DocType: Shopify Tax Account,ERPNext Account,ERPNext科目
 apps/erpnext/erpnext/controllers/accounts_controller.py +57,{0} is blocked so this transaction cannot proceed,{0}被阻止,所以此事务无法继续
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,如果累计每月预算超过MR,则采取行动
 DocType: Employee,Permanent Address Is,永久地址
-DocType: Work Order Operation,Operation completed for how many finished goods?,操作完成多少成品?
+DocType: Work Order Operation,Operation completed for how many finished goods?,已为多少成品操作完成?
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +128,Healthcare Practitioner {0} not available on {1},{1}上没有医疗从业者{0}
 DocType: Payment Terms Template,Payment Terms Template,付款条款模板
 apps/erpnext/erpnext/public/js/setup_wizard.js +51,The Brand,你的品牌
@@ -1496,21 +1506,21 @@
 DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,采购发票
 DocType: Manufacturing Settings,Allow multiple Material Consumption against a Work Order,针对工作单允许多种材料消耗
 DocType: GL Entry,Voucher Detail No,凭证信息编号
-apps/erpnext/erpnext/accounts/page/pos/pos.js +798,New Sales Invoice,新的销售发票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +796,New Sales Invoice,新的销售发票
 DocType: Stock Entry,Total Outgoing Value,总待付款价值
 DocType: Healthcare Practitioner,Appointments,约会
 apps/erpnext/erpnext/public/js/account_tree_grid.js +223,Opening Date and Closing Date should be within same Fiscal Year,开帐日期和结帐日期应在同一会计年度
 DocType: Lead,Request for Information,索取资料
-,LeaderBoard,排行榜
+,LeaderBoard,选手积分榜
 DocType: Sales Invoice Item,Rate With Margin (Company Currency),利率保证金(公司货币)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +811,Sync Offline Invoices,同步离线发票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +809,Sync Offline Invoices,同步离线发票
 DocType: Payment Request,Paid,已付款
 DocType: Program Fee,Program Fee,课程费用
 DocType: BOM Update Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM.
 It also updates latest price in all the BOMs.",替换使用所有其他BOM的特定BOM。它将替换旧的BOM链接,更新成本,并按照新的BOM重新生成“BOM爆炸项目”表。它还更新了所有BOM中的最新价格。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +474,The following Work Orders were created:,以下工单已创建:
-DocType: Salary Slip,Total in words,总金额(文字)
-DocType: Inpatient Record,Discharged,出院
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +468,The following Work Orders were created:,以下工单已创建:
+DocType: Salary Slip,Total in words,大写的总金额
+DocType: Inpatient Record,Discharged,已卸货
 DocType: Material Request Item,Lead Time Date,交货时间日期
 ,Employee Advance Summary,员工预支汇总
 DocType: Asset,Available-for-use Date,可供使用的日期
@@ -1519,16 +1529,16 @@
 DocType: Support Settings,Get Started Sections,入门部分
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Loan,Sanctioned,核准
-apps/erpnext/erpnext/accounts/page/pos/pos.js +78, is mandatory. Maybe Currency Exchange record is not created for ,必填。也许外币汇率记录没有创建
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +187,Row #{0}: Please specify Serial No for Item {1},行#{0}:请为物料{1}指定序号
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +8,Total Contribution Amount: {0},总贡献金额:{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +179,Row #{0}: Please specify Serial No for Item {1},行#{0}:请为物料{1}指定序号
 DocType: Payroll Entry,Salary Slips Submitted,提交工资单
 DocType: Crop Cycle,Crop Cycle,作物周期
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +660,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",对于“产品包”的物料,仓库,序列号和批号将被从“装箱单”表考虑。如果仓库和批次号是相同的任何“产品包”项目的所有包装物料,这些值可以在主项表中输入,值将被复制到“装箱单”表。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +678,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",对于“产品包”的物料,仓库,序列号和批号将被从“装箱单”表考虑。如果仓库和批次号是相同的任何“产品包”项目的所有包装物料,这些值可以在主项表中输入,值将被复制到“装箱单”表。
 DocType: Amazon MWS Settings,BR,BR
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +198,From Place,从地方
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +458,Net Pay cannnot be negative,净薪酬不能为负
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +201,From Place,从地方
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +460,Net Pay cannnot be negative,净薪酬不能为负
 DocType: Student Admission,Publish on website,发布在网站上
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +734,Supplier Invoice Date cannot be greater than Posting Date,供应商发票的日期不能超过过帐日期更大
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +778,Supplier Invoice Date cannot be greater than Posting Date,供应商发票的日期不能超过过帐日期更大
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
 DocType: Subscription,Cancelation Date,取消日期
 DocType: Purchase Invoice Item,Purchase Order Item,采购订单项
@@ -1537,11 +1547,11 @@
 DocType: Student Attendance Tool,Student Attendance Tool,学生考勤工具
 DocType: Restaurant Menu,Price List (Auto created),价格清单(自动创建)
 DocType: Cheque Print Template,Date Settings,日期设定
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +58,Variance,方差
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +76,Variance,方差
 DocType: Employee Promotion,Employee Promotion Detail,员工升职信息
 ,Company Name,公司名称
 DocType: SMS Center,Total Message(s),总信息(s )
-DocType: Share Balance,Purchased,采购
+DocType: Share Balance,Purchased,已采购
 DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,在物料属性中重命名属性值。
 DocType: Purchase Invoice,Additional Discount Percentage,额外折扣百分比
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,查看所有帮助视频清单
@@ -1554,7 +1564,7 @@
 						Please enter a valid Invoice",行{0}:发票{1}是无效的,它可能会被取消/不存在。 \请输入有效的发票
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +164,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,行{0}:针对销售/采购订单收付款均须标记为预收/付
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +16,Chemical,化学品
-DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,默认银行/现金科目时,会选择此模式可以自动在工资日记条目更新。
+DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,选择此模式时默认银行/现金科目会自动在工资日记条目更新。
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Total leaves allocated is mandatory for Leave Type {0},请填写休假类型{0}的总已分配休假天数
 DocType: BOM,Raw Material Cost(Company Currency),原材料成本(公司货币)
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +86,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大于{1} {2}中使用的速率
@@ -1567,48 +1577,46 @@
 DocType: HR Settings,Don't send Employee Birthday Reminders,不要发送员工生日提醒
 DocType: Expense Claim,Total Advance Amount,总预付金额
 DocType: Delivery Stop,Estimated Arrival,预计抵达时间
-DocType: Delivery Stop,Notified by Email,通过电子邮件通知
 apps/erpnext/erpnext/templates/pages/help.html +29,See All Articles,查看所有文章
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +188,Walk In,主动上门
 DocType: Item,Inspection Criteria,检验标准
 apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,转移
-DocType: BOM Website Item,BOM Website Item,BOM网站项目
+DocType: BOM Website Item,BOM Website Item,物料清单网站项目
 apps/erpnext/erpnext/public/js/setup_wizard.js +52,Upload your letter head and logo. (you can edit them later).,上传你的信头和logo。(您可以在以后对其进行编辑)。
 DocType: Timesheet Detail,Bill,账单
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +183,White,白
 DocType: SMS Center,All Lead (Open),所有潜在客户(开放)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:数量不适用于{4}在仓库{1}在发布条目的时间({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +348,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:数量不适用于{4}在仓库{1}在发布条目的时间({2} {3})
 apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py +18,You can only select a maximum of one option from the list of check boxes.,您只能从复选框列表中选择最多一个选项。
 DocType: Purchase Invoice,Get Advances Paid,获取已付预付款
 DocType: Item,Automatically Create New Batch,自动创建新批
 DocType: Supplier,Represents Company,代表公司
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +71,Make ,生成
-DocType: Student Admission,Admission Start Date,入学开始日期
-DocType: Journal Entry,Total Amount in Words,总金额词
+DocType: Student Admission,Admission Start Date,准入开始日期
+DocType: Journal Entry,Total Amount in Words,大写的总金额
 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js +29,New Employee,新员工
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,发生了错误,一个可能的原因可能是您没有保存表单。如果问题仍然存在请联系管理员或support@erpnext.com。
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,发生了错误,一个可能的原因可能是您没有保存表单。如果问题仍然存在请联系support@erpnext.com。
 apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,我的购物车
-apps/erpnext/erpnext/controllers/selling_controller.py +138,Order Type must be one of {0},订单类型必须是一个{0}
+apps/erpnext/erpnext/controllers/selling_controller.py +139,Order Type must be one of {0},订单类型必须是一个{0}
 DocType: Lead,Next Contact Date,下次联络日期
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,期初数量
 DocType: Healthcare Settings,Appointment Reminder,预约提醒
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +539,Please enter Account for Change Amount,请输入零钱科目
-DocType: Program Enrollment Tool Student,Student Batch Name,学生批名
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +550,Please enter Account for Change Amount,请输入零钱科目
+DocType: Program Enrollment Tool Student,Student Batch Name,学生批次名
 DocType: Holiday List,Holiday List Name,假期列表名称
-DocType: Repayment Schedule,Balance Loan Amount,平衡贷款额
+DocType: Repayment Schedule,Balance Loan Amount,贷款额余额
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +132,Added to details,添加到细节
 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +14,Schedule Course,课程工时单
 DocType: Budget,Applicable on Material Request,适用于物料申请
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +217,Stock Options,库存选项
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +628,No Items added to cart,没有项目已添加到购物车
 DocType: Journal Entry Account,Expense Claim,费用报销
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +331,Do you really want to restore this scrapped asset?,难道你真的想恢复这个报废的资产?
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +352,Do you really want to restore this scrapped asset?,难道你真的想恢复这个报废的资产?
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +530,Qty for {0},{0}数量
 DocType: Leave Application,Leave Application,休假申请
 DocType: Patient,Patient Relation,患者关系
-DocType: Item,Hub Category to Publish,集线器类别发布
+DocType: Item,Hub Category to Publish,集线器类别的发布
 DocType: Leave Block List,Leave Block List Dates,禁离日列表日期
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +291,"Sales Order {0} has reservation for item {1}, you can
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +297,"Sales Order {0} has reservation for item {1}, you can
 		only deliver reserved {1} against {0}. Serial No {2} cannot
 		be delivered",销售订单{0}对项目{1}有预留,您只能对{0}提供保留的{1}。序列号{2}无法发送
 DocType: Sales Invoice,Billing Address GSTIN,帐单地址GSTIN
@@ -1626,17 +1634,19 @@
 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},请指定{0}
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +74,Removed items with no change in quantity or value.,删除的项目在数量或价值没有变化。
 DocType: Delivery Note,Delivery To,交货对象
-apps/erpnext/erpnext/stock/doctype/item/item.js +447,Variant creation has been queued.,变体创建已经排队。
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +99,Work Summary for {0},{0}的工作摘要
+apps/erpnext/erpnext/stock/doctype/item/item.js +465,Variant creation has been queued.,变量创建已经排队。
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +100,Work Summary for {0},{0}的工作摘要
 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,列表中的第一个将被设置为默认的休假审批人。
-apps/erpnext/erpnext/stock/doctype/item/item.py +754,Attribute table is mandatory,属性表中的信息必填
+apps/erpnext/erpnext/stock/doctype/item/item.py +761,Attribute table is mandatory,属性表中的信息必填
 DocType: Production Plan,Get Sales Orders,获取销售订单
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +69,{0} can not be negative,{0}不能为负
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +37,Connect to Quickbooks,连接到Quickbooks
 DocType: Training Event,Self-Study,自习
 DocType: POS Closing Voucher,Period End Date,期末结束日期
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +27,Soil compositions do not add up to 100,土壤成分不加100
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +623,Discount,折扣
-DocType: Membership,Membership,籍
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {0}: {1} is required to create the Opening {2} Invoices,行{0}:{1}是创建开始{2}发票所必需的
+DocType: Membership,Membership,会员身份
 DocType: Asset,Total Number of Depreciations,折旧总数
 DocType: Sales Invoice Item,Rate With Margin,利率保证金
 DocType: Sales Invoice Item,Rate With Margin,利率保证金
@@ -1647,9 +1657,9 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +187,Please specify a valid Row ID for row {0} in table {1},请指定行{0}在表中的有效行ID {1}
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +84,Unable to find variable: ,无法找到变量:
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +893,Please select a field to edit from numpad,请选择要从数字键盘编辑的字段
-apps/erpnext/erpnext/stock/doctype/item/item.py +279,Cannot be a fixed asset item as Stock Ledger is created.,不能成为股票分类账创建的固定资产项目。
+apps/erpnext/erpnext/stock/doctype/item/item.py +280,Cannot be a fixed asset item as Stock Ledger is created.,不能成为股票分类账创建的固定资产项目。
 DocType: Subscription Plan,Fixed rate,固定利率
-apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,承认
+apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.js +7,Admit,准入
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,转到桌面和开始使用ERPNext
 apps/erpnext/erpnext/templates/pages/order.js +31,Pay Remaining,支付剩余
 DocType: Item,Manufacturer,制造商
@@ -1660,7 +1670,7 @@
 DocType: Project,First Email,第一封邮件
 DocType: Company,Exception Budget Approver Role,例外预算审批人角色
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",一旦设置,该发票将被保留至设定的日期
-DocType: Production Plan Item,Reserved Warehouse in Sales Order / Finished Goods Warehouse,在销售订单/成品仓库保留仓库
+DocType: Production Plan Item,Reserved Warehouse in Sales Order / Finished Goods Warehouse,在销售订单/成品仓库项下的保留仓库
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +69,Selling Amount,销售金额
 DocType: Repayment Schedule,Interest Amount,利息总额
 DocType: Sales Invoice,Loyalty Amount,忠诚金额
@@ -1680,8 +1690,8 @@
 DocType: Additional Salary Component,ASC-,ASC-
 DocType: Tax Rule,Shipping State,运输状态
 ,Projected Quantity as Source,基于预期可用库存
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,项目必须要由“从采购收货单获取物料”添加
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +883,Delivery Trip,销售出货配送路线安排
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item must be added using 'Get Items from Purchase Receipts' button,项目必须要由“从采购收货单获取物料”按键添加
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +911,Delivery Trip,销售出货配送路线安排
 DocType: Student,A-,A-
 DocType: Share Transfer,Transfer Type,转移类型
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +124,Sales Expenses,销售费用
@@ -1693,12 +1703,13 @@
 DocType: Sales Order Item,Work Order Qty,工单数量
 DocType: Item Default,Default Selling Cost Center,默认销售成本中心
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Disc,圆盘
-DocType: Buying Settings,Material Transferred for Subcontract,转包材料转让
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,邮编
-apps/erpnext/erpnext/controllers/selling_controller.py +261,Sales Order {0} is {1},销售订单{0} {1}
+DocType: Buying Settings,Material Transferred for Subcontract,为转包合同材料转移
+DocType: Email Digest,Purchase Orders Items Overdue,采购订单项目逾期
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1638,ZIP Code,邮编
+apps/erpnext/erpnext/controllers/selling_controller.py +262,Sales Order {0} is {1},销售订单{0} {1}
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +256,Select interest income account in loan {0},选择贷款{0}中的利息收入科目
 DocType: Opportunity,Contact Info,联系方式
-apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,创建手工库存移动
+apps/erpnext/erpnext/config/stock.py +322,Making Stock Entries,创建手工入库
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +15,Cannot promote Employee with status Left,状态为已离职的员工不能晋升
 DocType: Packing Slip,Net Weight UOM,净重计量单位
 DocType: Item Default,Default Supplier,默认供应商
@@ -1708,25 +1719,25 @@
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +250,Invoice can't be made for zero billing hour,在零计费时间内无法开具发票
 DocType: Company,Date of Commencement,开始日期
 DocType: Sales Person,Select company name first.,请先选择公司名称。
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +212,Email sent to {0},邮件已发送到{0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +204,Email sent to {0},邮件已发送到{0}
 apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,从供应商收到的报价。
 apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,更换BOM并更新所有BOM中的最新价格
 apps/erpnext/erpnext/controllers/selling_controller.py +28,To {0} | {1} {2},{0} | {1} {2}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +13,This is a root supplier group and cannot be edited.,这是一个根源供应商组,无法编辑。
-DocType: Delivery Trip,Driver Name,司机姓名
+DocType: Delivery Note,Driver Name,司机姓名
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Average Age,平均库龄
 DocType: Education Settings,Attendance Freeze Date,出勤冻结日期
 DocType: Education Settings,Attendance Freeze Date,出勤冻结日期
 DocType: Payment Request,Inward,向内的
 apps/erpnext/erpnext/utilities/user_progress.py +110,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商,他们可以是组织或个人。
 apps/erpnext/erpnext/templates/pages/home.html +32,View All Products,查看所有产品
-apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低线索时长 天)
-apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低铅年龄(天)
+apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低交货期长 (天)
+apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低交货期(天)
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,全部物料清单
 DocType: Company,Parent Company,母公司
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +35,Hotel Rooms of type {0} are unavailable on {1},{0}类型的酒店客房不适用于{1}
 DocType: Healthcare Practitioner,Default Currency,默认货币
-apps/erpnext/erpnext/controllers/selling_controller.py +146,Maximum discount for Item {0} is {1}%,第{0}项的最大折扣为{1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +147,Maximum discount for Item {0} is {1}%,第{0}项的最大折扣为{1}%
 DocType: Asset Movement,From Employee,来自员工
 DocType: Driver,Cellphone Number,手机号码
 DocType: Project,Monitor Progress,监控进度
@@ -1742,30 +1753,31 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +159,Quantity must be less than or equal to {0},量必须小于或等于{0}
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +42,Maximum amount eligible for the component {0} exceeds {1},符合组件{0}的最高金额超过{1}
 DocType: Department Approver,Department Approver,部门批准人
+DocType: QuickBooks Migrator,Application Settings,应用程序设置
 DocType: SMS Center,Total Characters,总字符
 DocType: Employee Advance,Claimed,已申报
 DocType: Crop,Row Spacing,行间距
-apps/erpnext/erpnext/controllers/buying_controller.py +191,Please select BOM in BOM field for Item {0},请为物料{0}在主数据中设置BOM(字段)
+apps/erpnext/erpnext/controllers/buying_controller.py +192,Please select BOM in BOM field for Item {0},请为物料{0}在主数据中设置BOM(字段)
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +22,There isn't any item variant for the selected item,所选物料无相关变体物料
 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-形式发票详细信息
 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款发票对账
 DocType: Clinical Procedure,Procedure Template,程序模板
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +39,Contribution %,贡献%
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +239,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",根据采购设置,如果需要采购订单==&#39;是&#39;,那么为了创建采购发票,用户需要首先为项目{0}创建采购订单
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +75,Contribution %,贡献%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +245,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",根据采购设置,如果需要采购订单==&#39;是&#39;,那么为了创建采购发票,用户需要首先为项目{0}创建采购订单
 ,HSN-wise-summary of outward supplies,HSN明智的向外供应摘要
 DocType: Company,Company registration numbers for your reference. Tax numbers etc.,公司注册号码,供大家参考。税务号码等
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +258,To State,国家
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +261,To State,国家
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +145,Distributor,经销商
-DocType: Asset Finance Book,Asset Finance Book,账簿
+DocType: Asset Finance Book,Asset Finance Book,资产资金账簿
 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,购物车配送规则
 apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',请设置“额外折扣基于”
 DocType: Party Tax Withholding Config,Applicable Percent,适用百分比
 ,Ordered Items To Be Billed,待开票已订货物料
-apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,从范围必须小于要范围
+apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,从范围必须小于去范围
 DocType: Global Defaults,Global Defaults,全局默认值
-apps/erpnext/erpnext/projects/doctype/project/project.py +290,Project Collaboration Invitation,项目合作邀请
+apps/erpnext/erpnext/projects/doctype/project/project.py +291,Project Collaboration Invitation,项目合作邀请
 DocType: Salary Slip,Deductions,扣除列表
-DocType: Setup Progress Action,Action Name,动作名称
+DocType: Setup Progress Action,Action Name,行动名称
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +17,Start Year,开始年份
 apps/erpnext/erpnext/regional/india/utils.py +28,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位数字应与状态号{0}匹配
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +81,PDC/LC,部分支付
@@ -1777,11 +1789,12 @@
 DocType: Lead,Consultant,顾问
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +356,Parents Teacher Meeting Attendance,家长老师见面会
 DocType: Salary Slip,Earnings,收入
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +542,Finished Item {0} must be entered for Manufacture type entry,生产制造类库存移动,请输入生产入库物料{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Finished Item {0} must be entered for Manufacture type entry,生产制造类库存移动,请输入生产入库物料{0}
 apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,初始科目余额
 ,GST Sales Register,销售台账(GST)
 DocType: Sales Invoice Advance,Sales Invoice Advance,销售发票预付款
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +552,Nothing to request,没有申请内容
+DocType: Stock Settings,Default Return Warehouse,默认退货仓库
 apps/erpnext/erpnext/public/js/setup_wizard.js +18,Select your Domains,选择您的域名
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py +228,Shopify Supplier,Shopify供应商
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,付款发票项
@@ -1790,15 +1803,16 @@
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,字段将仅在创建时复制。
 DocType: Setup Progress Action,Domains,域
 apps/erpnext/erpnext/projects/doctype/task/task.py +41,'Actual Start Date' can not be greater than 'Actual End Date',“实际开始日期”不能大于“实际结束日期'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +329,Management,管理人员
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +359,Management,管理人员
 DocType: Cheque Print Template,Payer Settings,付款人设置
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +644,No pending Material Requests found to link for the given items.,找不到针对给定项目链接的待处理物料请求。
 apps/erpnext/erpnext/public/js/utils/party.js +193,Select company first,首先选择公司
-DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",这将追加到物料变式。例如,如果你的英文缩写为“SM”,而该物料代码是“T-SHIRT”,该变式的物料代码将是“T-SHIRT-SM”
+DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",这将追加到物料代码变量。例如,如果你的英文缩写为“SM”,而该物料代码是“T-SHIRT”,该变式的物料代码将是“T-SHIRT-SM”
 DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,保存工资单后会显示净支付金额(大写)。
 DocType: Delivery Note,Is Return,退货?
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +89,Caution,警告
 apps/erpnext/erpnext/agriculture/doctype/disease/disease.py +17,Start day is greater than end day in task '{0}',开始日期大于任务“{0}”的结束日期
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +823,Return / Debit Note,退货/借记单
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +886,Return / Debit Note,退货/借记单
 DocType: Price List Country,Price List Country,价格清单国家
 DocType: Item,UOMs,计量单位
 apps/erpnext/erpnext/stock/utils.py +236,{0} valid serial nos for Item {1},物料{1}有{0}个有效序列号
@@ -1811,26 +1825,28 @@
 apps/erpnext/erpnext/config/non_profit.py +93,Grant information.,授予信息。
 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,供应商数据库。
 DocType: Contract Template,Contract Terms and Conditions,合同条款和条件
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +415,You cannot restart a Subscription that is not cancelled.,您无法重新启动未取消的订阅。
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +425,You cannot restart a Subscription that is not cancelled.,您无法重新启动未取消的订阅。
 DocType: Account,Balance Sheet,资产负债表
 DocType: Leave Type,Is Earned Leave,是年假?有薪假
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +779,Cost Center For Item with Item Code ',成本中心:物料代码‘
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +797,Cost Center For Item with Item Code ',成本中心:物料代码‘
 DocType: Fee Validity,Valid Till,有效期至
 DocType: Student Report Generation Tool,Total Parents Teacher Meeting,总计家长教师会议
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2529,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。请检查付款方式或POS配置中是否设置了科目。
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2527,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。请检查付款方式或POS配置中是否设置了科目。
 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同一物料不能输入多次。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +30,"Further accounts can be made under Groups, but entries can be made against non-Groups",更多的科目可以归属到一个群组类的科目下,但会计凭证中只能使用非群组类的科目
-DocType: Lead,Lead,线索
+DocType: Lead,Lead,商机
 DocType: Email Digest,Payables,应付账款
 DocType: Course,Course Intro,课程介绍
-DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
+DocType: Amazon MWS Settings,MWS Auth Token,MWS 验证令牌
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +105,Stock Entry {0} created,手工库存移动{0}已创建
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py +110,You don't have enought Loyalty Points to redeem,您没有获得忠诚度积分兑换
-apps/erpnext/erpnext/controllers/buying_controller.py +392,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:拒收数量不能包含在采购退货数量中
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +23,Please set associated account in Tax Withholding Category {0} against Company {1},请在针对公司{1}的预扣税分类{0}中设置关联帐户
+apps/erpnext/erpnext/controllers/buying_controller.py +393,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:拒收数量不能包含在采购退货数量中
 apps/erpnext/erpnext/stock/doctype/item/item.js +197,Changing Customer Group for the selected Customer is not allowed.,不允许更改所选客户的客户组。
 ,Purchase Order Items To Be Billed,待开票采购订单项
 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +71,Updating estimated arrival times.,更新预计到达时间。
 DocType: Program Enrollment Tool,Enrollment Details,注册信息
+apps/erpnext/erpnext/stock/doctype/item/item.py +671,Cannot set multiple Item Defaults for a company.,无法为公司设置多个项目默认值。
 DocType: Purchase Invoice Item,Net Rate,净单价
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +194,Please select a customer,请选择一个客户
 DocType: Leave Policy,Leave Allocations,离开分配
@@ -1851,8 +1867,8 @@
 DocType: Certified Consultant,Name of Consultant,顾问的名字
 DocType: Payment Reconciliation,Unreconciled Payment Details,未核销付款信息
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py +6,Member Activity,会员活动
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +20,Order Count,订单数量
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +20,Order Count,订单数量
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +20,Order Count,订单计数
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +20,Order Count,订单计数
 DocType: Global Defaults,Current Fiscal Year,当前财年
 DocType: Purchase Invoice,Group same items,合并相同物料
 DocType: Purchase Invoice,Disable Rounded Total,禁用圆整后金额
@@ -1861,7 +1877,7 @@
 DocType: Loan Application,Repayment Info,还款信息
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +486,'Entries' cannot be empty,“分录”不能为空
 DocType: Maintenance Team Member,Maintenance Role,维护角色
-apps/erpnext/erpnext/utilities/transaction_base.py +86,Duplicate row {0} with same {1},重复的行{0}同{1}
+apps/erpnext/erpnext/utilities/transaction_base.py +97,Duplicate row {0} with same {1},重复的行{0}同{1}
 DocType: Marketplace Settings,Disable Marketplace,禁用市场
 ,Trial Balance,试算平衡表
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +463,Fiscal Year {0} not found,会计年度{0}未找到
@@ -1872,42 +1888,43 @@
 DocType: Student,O-,O-
 DocType: Subscription Settings,Subscription Settings,订阅设置
 DocType: Purchase Invoice,Update Auto Repeat Reference,更新自动重复参考
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +274,Optional Holiday List not set for leave period {0},可选假期列表未设置为假期{0}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +273,Optional Holiday List not set for leave period {0},可选假期列表未设置为假期{0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +165,Research,研究
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +240,To Address 2,致地址2
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +243,To Address 2,致地址2
 DocType: Maintenance Visit Purpose,Work Done,已完成工作
 apps/erpnext/erpnext/controllers/item_variant.py +35,Please specify at least one attribute in the Attributes table,请指定属性表中的至少一个属性
 DocType: Announcement,All Students,所有学生
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +56,Item {0} must be a non-stock item,物料{0}必须是一个非库存物料
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,查看总帐
 DocType: Grading Scale,Intervals,间隔
-DocType: Bank Statement Transaction Entry,Reconciled Transactions,协调的事务
+DocType: Bank Statement Transaction Entry,Reconciled Transactions,协调后的交易
 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +42,Earliest,最早
 DocType: Crop Cycle,Linked Location,链接位置
-apps/erpnext/erpnext/stock/doctype/item/item.py +543,"An Item Group exists with same name, please change the item name or rename the item group",同名物料群组已存在,请修改物料名或群组名
+apps/erpnext/erpnext/stock/doctype/item/item.py +544,"An Item Group exists with same name, please change the item name or rename the item group",同名物料群组已存在,请修改物料名或群组名
 DocType: Crop Cycle,Less than a year,不到一年
 apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,学生手机号码
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +102,Rest Of The World,世界其他地区
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +106,Rest Of The World,世界其他地区
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,物料{0}不能有批次
 DocType: Crop,Yield UOM,产量UOM
 ,Budget Variance Report,预算差异报表
 DocType: Salary Slip,Gross Pay,工资总额
-DocType: Item,Is Item from Hub,是来自Hub的Item
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1652,Get Items from Healthcare Services,从医疗保健服务获取项目
+DocType: Item,Is Item from Hub,是来自集线器的组件
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1638,Get Items from Healthcare Services,从医疗保健服务获取项目
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: Activity Type is mandatory.,行{0}:活动类型是强制性的。
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +176,Dividends Paid,股利支付
-apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,会计总帐
+apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +39,Accounting Ledger,会计分类帐
 DocType: Asset Value Adjustment,Difference Amount,差额
 DocType: Purchase Invoice,Reverse Charge,反向充电
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +182,Retained Earnings,留存收益
 DocType: Job Card,Timing Detail,时间细节
-DocType: Purchase Invoice,05-Change in POS,05-更改POS
+DocType: Purchase Invoice,05-Change in POS,05-POS中的修改
 DocType: Vehicle Log,Service Detail,服务细节
 DocType: BOM,Item Description,物料描述
 DocType: Student Sibling,Student Sibling,学生兄弟
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py +20,Payment Mode,付款方式
 DocType: Purchase Invoice,Supplied Items,供应的物料
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +85,Please set an active menu for Restaurant {0},请设置餐馆{0}的有效菜单
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +81,Commission Rate %,佣金率%
 DocType: Work Order,Qty To Manufacture,生产数量
 DocType: Email Digest,New Income,新的收入
 DocType: Buying Settings,Maintain same rate throughout purchase cycle,在整个采购周期使用同一价格
@@ -1922,12 +1939,12 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +181,Valuation Rate required for Item in row {0},请为第{0}行的物料维护评估价
 DocType: Supplier Scorecard,Scorecard Actions,记分卡操作
 apps/erpnext/erpnext/utilities/user_progress.py +169,Example: Masters in Computer Science,举例:硕士计算机科学
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +67,Supplier {0} not found in {1},在{1}中找不到供应商{0}
 DocType: Purchase Invoice,Rejected Warehouse,拒收仓库
-DocType: GL Entry,Against Voucher,凭证
+DocType: GL Entry,Against Voucher,针对的凭证
 DocType: Item Default,Default Buying Cost Center,默认采购成本中心
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",为了用好ERPNext,我们建议您花一些时间来观看这些帮助视频。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +970,For Default Supplier (optional),对于默认供应商(可选)
-apps/erpnext/erpnext/accounts/page/pos/pos.js +79, to ,至
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1033,For Default Supplier (optional),对于默认供应商(可选)
 DocType: Supplier Quotation Item,Lead Time in days,交期(天)
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +82,Accounts Payable Summary,应付帐款摘要
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +214,Not authorized to edit frozen Account {0},无权修改冻结科目{0}
@@ -1936,8 +1953,8 @@
 DocType: Supplier Scorecard,Warn for new Request for Quotations,警告新的报价请求
 apps/erpnext/erpnext/utilities/activation.py +91,Purchase orders help you plan and follow up on your purchases,采购订单帮助您规划和跟进您的采购
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +146,Lab Test Prescriptions,实验室测试处方
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +170,"The total Issue / Transfer quantity {0} in Material Request {1}  \
-							cannot be greater than requested quantity {2} for Item {3}",在材质要求总发行/传输量{0} {1} \不能超过请求的数量{2}的项目更大的{3}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +164,"The total Issue / Transfer quantity {0} in Material Request {1}  \
+							cannot be greater than requested quantity {2} for Item {3}",对于物料{3}在材料申请{1} 中的总发行/传送量{0} \不能超过申请的数量{2}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +172,Small,小
 DocType: Shopify Settings,"If Shopify not contains a customer in Order, then while syncing Orders, the system will consider default customer for order",如果Shopify不包含订单中的客户,则在同步订单时,系统会考虑默认客户订单
 DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,发票创建工具项
@@ -1948,41 +1965,43 @@
 DocType: Project,% Completed,% 已完成
 ,Invoiced Amount (Exculsive Tax),发票金额(未含税)
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,物料2
+DocType: QuickBooks Migrator,Authorization Endpoint,授权端点
 DocType: Travel Request,International,国际
-DocType: Training Event,Training Event,培训
+DocType: Training Event,Training Event,培训项目
 DocType: Item,Auto re-order,自动重订货
-apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,总体上实现
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,总体上实现的
 DocType: Employee,Place of Issue,签发地点
 DocType: Contract,Contract,合同
 DocType: Plant Analysis,Laboratory Testing Datetime,实验室测试日期时间
 DocType: Email Digest,Add Quote,添加报价
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1250,UOM coversion factor required for UOM: {0} in Item: {1},物料{1}的计量单位{0}需要单位换算系数
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1242,UOM coversion factor required for UOM: {0} in Item: {1},物料{1}的计量单位{0}需要单位换算系数
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Indirect Expenses,间接支出
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +136,Row {0}: Qty is mandatory,第{0}行的数量字段必填
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +128,Row {0}: Qty is mandatory,第{0}行的数量字段必填
 DocType: Agriculture Analysis Criteria,Agriculture,农业
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +15,Create Sales Order,创建销售订单
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +502,Accounting Entry for Asset,资产会计分录
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +808,Block Invoice,阻止发票
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +516,Accounting Entry for Asset,资产会计分录
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +871,Block Invoice,阻止发票
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +16,Quantity to Make,待生产数量
-apps/erpnext/erpnext/accounts/page/pos/pos.js +803,Sync Master Data,同步主数据
+apps/erpnext/erpnext/accounts/page/pos/pos.js +801,Sync Master Data,同步主数据
 DocType: Asset Repair,Repair Cost,修理费用
 apps/erpnext/erpnext/utilities/user_progress.py +138,Your Products or Services,您的产品或服务
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +15,Failed to login,登录失败
-apps/erpnext/erpnext/controllers/buying_controller.py +616,Asset {0} created,资产{0}已创建
+apps/erpnext/erpnext/controllers/buying_controller.py +617,Asset {0} created,资产{0}已创建
 DocType: Special Test Items,Special Test Items,特殊测试项目
 apps/erpnext/erpnext/public/js/hub/marketplace.js +102,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,您需要是具有System Manager和Item Manager角色的用户才能在Marketplace上注册。
 DocType: Bank Statement Transaction Payment Item,Mode of Payment,付款方式
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +25,As per your assigned Salary Structure you cannot apply for benefits,根据您指定的薪资结构,您无法申请福利
-apps/erpnext/erpnext/stock/doctype/item/item.py +217,Website Image should be a public file or website URL,网站形象应该是一个公共文件或网站网址
+apps/erpnext/erpnext/stock/doctype/item/item.py +218,Website Image should be a public file or website URL,网站形象应该是一个公共文件或网站网址
 DocType: Purchase Invoice Item,BOM,BOM
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,这是一个root群组,无法被编辑。
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +71,This is a root item group and cannot be edited.,这是一个根物料群组,无法被编辑。
 apps/erpnext/erpnext/accounts/doctype/account/account.js +133,Merge,合并
 DocType: Journal Entry Account,Purchase Order,采购订单
 DocType: Vehicle,Fuel UOM,燃油计量单位
 DocType: Warehouse,Warehouse Contact Info,仓库联系方式
 DocType: Payment Entry,Write Off Difference Amount,销帐差异金额
 DocType: Volunteer,Volunteer Name,志愿者姓名
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +533,"{0}: Employee email not found, hence email not sent",{0}:未发现员工的电子邮件,因此,电子邮件未发
+apps/erpnext/erpnext/controllers/accounts_controller.py +777,Rows with duplicate due dates in other rows were found: {0},发现其他行中具有重复截止日期的行:{0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +535,"{0}: Employee email not found, hence email not sent",{0}:未发现员工的电子邮件,因此,电子邮件未发
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +55,No Salary Structure assigned for Employee {0} on given date {1},给定日期{1}的员工{0}没有分配薪金结构
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +85,Shipping rule not applicable for country {0},运费规则不适用于国家/地区{0}
 DocType: Item,Foreign Trade Details,外贸详细
@@ -1990,17 +2009,17 @@
 DocType: Email Digest,Annual Income,年收入
 DocType: Serial No,Serial No Details,序列号信息
 DocType: Purchase Invoice Item,Item Tax Rate,物料税率
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +173,From Party Name,来自党名
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +176,From Party Name,来自某方的名字
 DocType: Student Group Student,Group Roll Number,组卷编号
 DocType: Student Group Student,Group Roll Number,组卷编号
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",对于{0},贷方分录只能选择贷方科目
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +667,Delivery Note {0} is not submitted,销售出货单{0}未提交
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +177,"For {0}, only credit accounts can be linked against another debit entry",对于{0},只有贷方分录可以与另一个贷方科目链接
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +660,Delivery Note {0} is not submitted,销售出货单{0}未提交
 apps/erpnext/erpnext/stock/get_item_details.py +167,Item {0} must be a Sub-contracted Item,项目{0}必须是外包项目
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Capital Equipments,资本设备
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",定价规则是第一选择是基于“应用在”字段,可以是项目,项目组或品牌。
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",定价规则是基于“应用在”字段,可以是项目,项目组或品牌首先被选择的。
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +372,Please set the Item Code first,请先设定商品代码
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +154,Doc Type,文档类型
-apps/erpnext/erpnext/controllers/selling_controller.py +131,Total allocated percentage for sales team should be 100,对于销售团队总分配比例应为100
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +157,Doc Type,文档类型
+apps/erpnext/erpnext/controllers/selling_controller.py +132,Total allocated percentage for sales team should be 100,对于销售团队总分配比例应为100
 DocType: Subscription Plan,Billing Interval Count,计费间隔计数
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py +10,Appointments and Patient Encounters,预约和患者遭遇
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +135,Value missing,栏位值缺失
@@ -2014,6 +2033,7 @@
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,创建打印格式
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +5,Fee Created,创建费用
 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},没有找到名字为{0}的物料
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.js +8,Items Filter,物品过滤
 DocType: Supplier Scorecard Criteria,Criteria Formula,标准配方
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,总待付款
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +39,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",“至值”为0或为空的运输规则条件最多只能有一个
@@ -2021,32 +2041,32 @@
 DocType: Patient Appointment,Duration,持续时间
 apps/erpnext/erpnext/controllers/status_updater.py +160,"For an item {0}, quantity must be positive number",对于商品{0},数量必须是正数
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +76,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:此成本中心是一个组,会计分录不能对组录入。
-apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,补休假申请日不是有效假期内
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +53,Child warehouse exists for this warehouse. You can not delete this warehouse.,儿童仓库存在这个仓库。您不能删除这个仓库。
+apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +44,Compensatory leave request days not in valid holidays,补休假申请日不是在有效假期内
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,子仓库存在于这个仓库。您不能删除这个仓库。
 DocType: Item,Website Item Groups,网站物料组
 DocType: Purchase Invoice,Total (Company Currency),总金额(公司货币)
-DocType: Daily Work Summary Group,Reminder,提醒
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +301,Accessable Value,可访问的价值
+DocType: Daily Work Summary Group,Reminder,提醒器
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +304,Accessable Value,可访问的值
 apps/erpnext/erpnext/stock/utils.py +231,Serial number {0} entered more than once,序列号{0}已多次输入
 DocType: Bank Statement Transaction Invoice Item,Journal Entry,手工凭证
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +180,From GSTIN,来自GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +183,From GSTIN,来自GSTIN
 DocType: Expense Claim Advance,Unclaimed amount,未申报金额
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +269,{0} items in progress,{0}处理项
 DocType: Workstation,Workstation Name,工作站名称
 DocType: Grading Scale Interval,Grade Code,等级代码
-DocType: POS Item Group,POS Item Group,POS物料组
+DocType: POS Item Group,POS Item Group,销售终端物料组
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,邮件摘要:
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +23,Alternative item must not be same as item code,替代物料不能与物料代码相同
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +637,BOM {0} does not belong to Item {1},BOM{0}不属于物料{1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +639,BOM {0} does not belong to Item {1},物料清单{0}不属于物料{1}
 DocType: Sales Partner,Target Distribution,目标分布
-DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-定期评估
+DocType: Purchase Invoice,06-Finalization of Provisional assessment,06-临时评估完成
 DocType: Salary Slip,Bank Account No.,银行账号
 DocType: Naming Series,This is the number of the last created transaction with this prefix,这就是以这个前缀的最后一个创建的事务数
 DocType: Supplier Scorecard,"Scorecard variables can be used, as well as:
 {total_score} (the total score from that period),
 {period_number} (the number of periods to present day)
 ",可以使用记分卡变量,以及:{total_score}(该期间的总分数),{period_number}(到当前时间段的数量)
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Collapse All,全部收缩
+apps/erpnext/erpnext/public/js/setup_wizard.js +254,Collapse All,全部收缩
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +27,Create Purchase Order,创建采购订单
 DocType: Quality Inspection Reading,Reading 8,检验结果8
 DocType: Inpatient Record,Discharge Note,卸货说明
@@ -2063,7 +2083,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +95,Privilege Leave,特权休假
 DocType: Purchase Invoice,Supplier Invoice Date,供应商发票日期
 DocType: Asset Settings,This value is used for pro-rata temporis calculation,该值用于按比例计算
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,您需要启用购物车
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +91,You need to enable Shopping Cart,您需要启用购物车
 DocType: Payment Entry,Writeoff,注销
 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.-
 DocType: Stock Settings,Naming Series Prefix,命名系列前缀
@@ -2071,18 +2091,17 @@
 DocType: Salary Component,Earning,收入
 DocType: Supplier Scorecard,Scoring Criteria,评分标准
 DocType: Purchase Invoice,Party Account Currency,往来单位科目币种
-,BOM Browser,BOM浏览器
-apps/erpnext/erpnext/templates/emails/training_event.html +13,Please update your status for this training event,请更新此培训的状态
+,BOM Browser,物料清单浏览器
+apps/erpnext/erpnext/templates/emails/training_event.html +13,Please update your status for this training event,请更新你在此培训的状态
 DocType: Item Barcode,EAN,EAN
 DocType: Purchase Taxes and Charges,Add or Deduct,添加或扣除
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +148,Overlapping conditions found between:,之间存在重叠的条件:
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,手工凭证{0}已经被其他凭证调整
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +188,Against Journal Entry {0} is already adjusted against some other voucher,针对的手工凭证{0}已经被其他凭证调整
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,总订单价值
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,食品
+apps/erpnext/erpnext/demo/setup/setup_data.py +341,Food,食品
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +69,Ageing Range 3,账龄范围3
-DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS关闭凭证详细信息
+DocType: POS Closing Voucher Details,POS Closing Voucher Details,销售终端关闭凭证详细信息
 DocType: Shopify Log,Shopify Log,Shopify日志
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +213,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,请通过设置&gt;设置&gt;命名系列为{0}设置命名系列
 DocType: Inpatient Occupancy,Check In,报到
 DocType: Maintenance Schedule Item,No of Visits,访问数量
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},针对{1}存在维护计划{0}
@@ -2092,8 +2111,8 @@
 DocType: Project,Start and End Dates,开始和结束日期
 DocType: Contract Template Fulfilment Terms,Contract Template Fulfilment Terms,合同模板履行条款
 ,Delivered Items To Be Billed,待开票已出货物料
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +16,Open BOM {0},开放BOM {0}
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +64,Warehouse cannot be changed for Serial No.,仓库不能为序列号变更
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +16,Open BOM {0},开放物料清单 {0}
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +64,Warehouse cannot be changed for Serial No.,仓库不能因为序列号变更
 DocType: Authorization Rule,Average Discount,平均折扣
 DocType: Project Update,Great/Quickly,大/快速
 DocType: Purchase Invoice Item,UOM,计量单位
@@ -2117,11 +2136,12 @@
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,平均每日出货
 DocType: POS Profile,Campaign,促销活动
 DocType: Supplier,Name and Type,名称和类型
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +64,Approval Status must be 'Approved' or 'Rejected',审批状态必须被“已批准”或“已拒绝”
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +64,Approval Status must be 'Approved' or 'Rejected',审批状态必须是“已批准”或“已拒绝”
 DocType: Healthcare Practitioner,Contacts and Address,联系人和地址
 DocType: Salary Structure,Max Benefits (Amount),最大收益(金额)
 DocType: Purchase Invoice,Contact Person,联络人
 apps/erpnext/erpnext/projects/doctype/task/task.py +38,'Expected Start Date' can not be greater than 'Expected End Date',“预计开始日期”不能大于“预计结束日期'
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +107,No data for this period,此期间没有数据
 DocType: Course Scheduling Tool,Course End Date,课程结束日期
 DocType: Holiday List,Holidays,假期
 DocType: Sales Order Item,Planned Quantity,计划数量
@@ -2130,13 +2150,13 @@
 DocType: Item,Maintain Stock,管理库存
 DocType: Employee,Prefered Email,首选电子邮件
 DocType: Student Admission,Eligibility and Details,资格和细节
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,在固定资产净变动
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +92,Net Change in Fixed Asset,固定资产净变动
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +38,Reqd Qty,需要数量
 DocType: Leave Control Panel,Leave blank if considered for all designations,如果针对所有 职位请留空
-apps/erpnext/erpnext/controllers/accounts_controller.py +875,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的收取类型“实际”不能有“物料税率”
+apps/erpnext/erpnext/controllers/accounts_controller.py +876,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的收取类型“实际”不能包含在“物料税率”
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +531,Max: {0},最大值:{0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,起始时间日期
-DocType: Shopify Settings,For Company,公司
+DocType: Shopify Settings,For Company,对公司
 apps/erpnext/erpnext/config/support.py +17,Communication log.,通信日志。
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +195,"Request for Quotation is disabled to access from portal, for more check portal settings.",询价被禁止访问门脉,为更多的检查门户设置。
 DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,供应商记分卡评分变量
@@ -2144,14 +2164,14 @@
 DocType: POS Closing Voucher,Modes of Payment,付款方式
 DocType: Sales Invoice,Shipping Address Name,销售出货地址
 DocType: Material Request,Terms and Conditions Content,条款和条件内容
-apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,创建课程表时出现错误
+apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js +18,There were errors creating Course Schedule,创建课程表时曾出现错误
 DocType: Department,The first Expense Approver in the list will be set as the default Expense Approver.,列表中的第一个费用审批人将被设置为默认的费用审批人。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +602,cannot be greater than 100,不能大于100
-apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,您需要是具有System Manager和Item Manager角色的Administrator以外的用户才能在Marketplace上注册。
-apps/erpnext/erpnext/stock/doctype/item/item.py +810,Item {0} is not a stock Item,物料{0}不是库存物料
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +611,cannot be greater than 100,不能大于100
+apps/erpnext/erpnext/public/js/hub/marketplace.js +97,You need to be a user other than Administrator with System Manager and Item Manager roles to register on Marketplace.,您需要是Administrator以外的System Manager和Item Manager角色的用户才能在Marketplace上注册。
+apps/erpnext/erpnext/stock/doctype/item/item.py +817,Item {0} is not a stock Item,物料{0}不是库存物料
 DocType: Packing Slip,MAT-PAC-.YYYY.-,MAT-PAC-.YYYY.-
 DocType: Maintenance Visit,Unscheduled,计划外
-DocType: Employee,Owned,资
+DocType: Employee,Owned,已有所有者
 DocType: Salary Component,Depends on Leave Without Pay,基于无薪休假
 DocType: Pricing Rule,"Higher the number, higher the priority",数字越大,优先级越高
 ,Purchase Invoice Trends,采购发票趋势
@@ -2176,15 +2196,15 @@
 DocType: HR Settings,Employee Settings,员工设置
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html +13,Loading Payment System,加载支付系统
 ,Batch-Wise Balance History,物料批号结余数量历史记录
-apps/erpnext/erpnext/controllers/accounts_controller.py +1063,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,行#{0}:如果金额大于项目{1}的开帐单金额,则无法设置费率。
+apps/erpnext/erpnext/controllers/accounts_controller.py +1064,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,行#{0}:如果金额大于项目{1}的开帐单金额,则无法设置费率。
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,打印设置在相应的打印格式更新
-DocType: Package Code,Package Code,封装代码
+DocType: Package Code,Package Code,包装代码
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +108,Apprentice,学徒
 DocType: Purchase Invoice,Company GSTIN,公司GSTIN
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,负数量是不允许的
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +106,Negative Quantity is not allowed,不允许负数量
 DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
 Used for Taxes and Charges",从物料主数据中取得税项详细信息表并转换为字符串存入此字段内。用作税金和费用。
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +164,Employee cannot report to himself.,员工不能向自己报表。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +171,Employee cannot report to himself.,员工不能向自己报表。
 DocType: Leave Type,Max Leaves Allowed,允许最大休假
 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",如果科目被冻结,则只有特定用户才能创建分录。
 DocType: Email Digest,Bank Balance,银行存款余额
@@ -2210,6 +2230,7 @@
 DocType: Bank Statement Transaction Entry,Bank Transaction Entries,银行交易分录
 DocType: Quality Inspection,Readings,检验结果
 DocType: Stock Entry,Total Additional Costs,总额外费用
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +47,No of Interactions,交互数
 DocType: BOM,Scrap Material Cost(Company Currency),废料成本(公司货币)
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +69,Sub Assemblies,半成品
 DocType: Asset,Asset Name,资产名称
@@ -2217,10 +2238,10 @@
 DocType: Shipping Rule Condition,To Value,To值
 DocType: Loyalty Program,Loyalty Program Type,忠诚度计划类型
 DocType: Asset Movement,Stock Manager,库存管理
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +254,Source warehouse is mandatory for row {0},行{0}中源仓库为必须项
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +246,Source warehouse is mandatory for row {0},行{0}中源仓库为必须项
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +38,The Payment Term at row {0} is possibly a duplicate.,第{0}行的支付条款可能是重复的。
 apps/erpnext/erpnext/public/js/setup_wizard.js +30,Agriculture (beta),农业(测试版)
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +888,Packing Slip,装箱单
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +916,Packing Slip,装箱单
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Office Rent,办公室租金
 apps/erpnext/erpnext/config/setup.py +105,Setup SMS gateway settings,短信网关的设置
 DocType: Disease,Common Name,通用名称
@@ -2236,7 +2257,7 @@
 DocType: Item,Sales Details,销售信息
 DocType: Opportunity,With Items,物料
 DocType: Asset Maintenance,Maintenance Team,维修队
-DocType: Salary Component,Is Additional Component,是额外薪资?
+DocType: Salary Component,Is Additional Component,是额外组件?
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,数量
 DocType: Education Settings,Validate Enrolled Course for Students in Student Group,验证学生组学生入学课程
 DocType: Notification Control,Expense Claim Rejected,报销被拒
@@ -2252,20 +2273,17 @@
 DocType: Payment Order,PMO-,PMO-
 DocType: HR Settings,Email Salary Slip to Employee,通过电子邮件发送工资单给员工
 DocType: Cost Center,Parent Cost Center,父成本中心
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1028,Select Possible Supplier,选择潜在供应商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1091,Select Possible Supplier,选择潜在供应商
 DocType: Sales Invoice,Source,订单来源
 DocType: Customer,"Select, to make the customer searchable with these fields",选择,使客户可以使用这些字段进行搜索
 DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,在发货时从Shopify导入交货单
 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,显示关闭
 DocType: Leave Type,Is Leave Without Pay,是无薪休假
-DocType: Lab Test,HLC-LT-.YYYY.-,HLC-LT-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/item/item.py +276,Asset Category is mandatory for Fixed Asset item,固定资产类的物料其资产类别字段是必填的
+apps/erpnext/erpnext/stock/doctype/item/item.py +277,Asset Category is mandatory for Fixed Asset item,固定资产类的物料其资产类别字段是必填的
 DocType: Fee Validity,Fee Validity,费用有效期
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +146,No records found in the Payment table,没有在支付表中找到记录
-apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},此{0}冲突{1}在{2} {3}
+apps/erpnext/erpnext/education/utils.py +19,This {0} conflicts with {1} for {2} {3},此{0}与在{2} {3}的{1}冲突
 DocType: Student Attendance Tool,Students HTML,学生HTML
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","请删除员工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文档"
 DocType: POS Profile,Apply Discount,应用折扣
 DocType: GST HSN Code,GST HSN Code,GST HSN代码
 DocType: Employee External Work History,Total Experience,总经验
@@ -2273,7 +2291,7 @@
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +297,Packing Slip(s) cancelled,装箱单( S)取消
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +90,Cash Flow from Investing,投资现金流
 DocType: Program Course,Program Course,课程计划
-DocType: Healthcare Service Unit,Allow Appointments,允许约会
+DocType: Healthcare Service Unit,Allow Appointments,允许任命
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Freight and Forwarding Charges,货运及转运费用
 DocType: Homepage,Company Tagline for website homepage,公司标语的网站主页
 DocType: Item Group,Item Group Name,物料群组名称
@@ -2286,10 +2304,10 @@
 DocType: Loyalty Program,Auto Opt In (For all customers),自动选择(适用于所有客户)
 apps/erpnext/erpnext/utilities/activation.py +63,Create Leads,建立潜在客户
 DocType: Maintenance Schedule,Schedules,计划任务
-apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,POS配置文件需要使用销售点
+apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +515,POS Profile is required to use Point-of-Sale,销售终端配置文件需要使用销售点
 DocType: Cashier Closing,Net Amount,净额
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1}尚未提交,因此无法完成此操作
-DocType: Purchase Order Item Supplied,BOM Detail No,BOM信息编号
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +139,{0} {1} has not been submitted so the action cannot be completed,{0} {1}尚未提交,因此无法完成此操作
+DocType: Purchase Order Item Supplied,BOM Detail No,物料清单信息编号
 DocType: Landed Cost Voucher,Additional Charges,附加费用
 DocType: Support Search Source,Result Route Field,结果路由字段
 DocType: Supplier,PAN,泛
@@ -2299,8 +2317,8 @@
 ,Support Hour Distribution,支持小时分配
 DocType: Maintenance Visit,Maintenance Visit,维护访问
 DocType: Student,Leaving Certificate Number,毕业证书号码
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +100,"Appointment cancelled, Please review and cancel the invoice {0}",预约已取消,请查看并取消发票{0}
-DocType: Sales Invoice Item,Available Batch Qty at Warehouse,可用的批次数量在仓库
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +100,"Appointment cancelled, Please review and cancel the invoice {0}",约定已取消,请查看并取消发票{0}
+DocType: Sales Invoice Item,Available Batch Qty at Warehouse,仓库中可用的批次数量
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Update Print Format,更新打印格式
 DocType: Bank Account,Is Company Account,是公司帐户
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +58,Leave Type {0} is not encashable,休假类型{0}不可折现
@@ -2308,7 +2326,7 @@
 DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG,.YYYY.-
 DocType: Purchase Invoice,Select Shipping Address,选择销售出货地址
 DocType: Timesheet Detail,Expected Hrs,预计的小时数
-apps/erpnext/erpnext/config/non_profit.py +28,Memebership Details,Memebership细节
+apps/erpnext/erpnext/config/non_profit.py +28,Memebership Details,会员细节
 DocType: Leave Block List,Block Holidays on important days.,禁止将重要日期设为假期。
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +194,Please input all required Result Value(s),请输入所有必需的结果值(s)
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +119,Accounts Receivable Summary,应收账款汇总
@@ -2317,14 +2335,14 @@
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html +9,Opening Invoices,待创建发票
 DocType: Contract,Contract Details,合同细节
 DocType: Employee,Leave Details,休假信息
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +211,Please set User ID field in an Employee record to set Employee Role,请在员工主数据里设置用户ID字段来分派员工角色
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +218,Please set User ID field in an Employee record to set Employee Role,请在员工主数据里设置用户ID字段来分派员工角色
 DocType: UOM,UOM Name,计量单位名称
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +234,To Address 1,致地址1
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +237,To Address 1,致地址1
 DocType: GST HSN Code,HSN Code,HSN代码
-apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +40,Contribution Amount,贡献金额
+apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py +87,Contribution Amount,贡献金额
 DocType: Inpatient Record,Patient Encounter,患者遭遇
 DocType: Purchase Invoice,Shipping Address,销售出货地址
-DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,此工具可帮助您更新或修复系统中的库存数量和价值。它通常被用于同步系统值和实际存在于您的仓库。
+DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,此工具可帮助您更新或修复系统中的库存数量和价值。它通常被用于同步系统值和实际存在于您的仓库的库存。
 DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,大写金额将在销售出货单保存后显示。
 apps/erpnext/erpnext/erpnext_integrations/utils.py +22,Unverified Webhook Data,未经验证的Webhook数据
 DocType: Water Analysis,Container,容器
@@ -2338,9 +2356,9 @@
 DocType: Travel Itinerary,Mode of Travel,出差方式
 DocType: Sales Invoice Item,Brand Name,品牌名称
 DocType: Purchase Receipt,Transporter Details,运输信息
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2713,Default warehouse is required for selected item,没有为选中的物料定义默认仓库
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2711,Default warehouse is required for selected item,没有为选中的物料定义默认仓库
 apps/erpnext/erpnext/utilities/user_progress.py +146,Box,箱
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1025,Possible Supplier,可能的供应商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1088,Possible Supplier,可能的供应商
 DocType: Budget,Monthly Distribution,月度分布
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,接收人列表为空。请创建接收人列表
 apps/erpnext/erpnext/public/js/setup_wizard.js +31,Healthcare (beta),医疗保健(beta)
@@ -2352,7 +2370,7 @@
 DocType: Pricing Rule,Pricing Rule,定价规则
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +58,Duplicate roll number for student {0},学生{0}的重复卷号
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +58,Duplicate roll number for student {0},学生{0}的重复卷号
-apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,从物料需求到采购订单
+apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,给采购订单的材料申请
 DocType: Shopping Cart Settings,Payment Success URL,付款成功URL
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +79,Row # {0}: Returned Item {1} does not exists in {2} {3},行#{0}:被退货物料{1}在{2} {3} 中不存在
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +16,Bank Accounts,银行账户
@@ -2360,8 +2378,9 @@
 DocType: Patient Encounter,Medical Coding,医学编码
 DocType: Healthcare Settings,Reminder Message,提醒信息
 ,Lead Name,线索姓名
-,POS,POS
+,POS,销售终端
 DocType: C-Form,III,III
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +314,Prospecting,勘探
 apps/erpnext/erpnext/config/stock.py +317,Opening Stock Balance,期初存货余额
 DocType: Asset Category Account,Capital Work In Progress Account,在途资本科目
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +92,Asset Value Adjustment,资产价值调整
@@ -2370,11 +2389,11 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},已成功为{0}分配假期
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +42,No Items to pack,未选择需打包物料
 DocType: Shipping Rule Condition,From Value,起始值
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +721,Manufacturing Quantity is mandatory,生产数量为必须项
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +713,Manufacturing Quantity is mandatory,生产数量为必须项
 DocType: Loan,Repayment Method,还款方式
 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",如果选中,主页将是网站的默认项目组
 DocType: Quality Inspection Reading,Reading 4,检验结果4
-apps/erpnext/erpnext/utilities/activation.py +118,"Students are at the heart of the system, add all your students",学生在系统的心脏,添加所有的学生
+apps/erpnext/erpnext/utilities/activation.py +118,"Students are at the heart of the system, add all your students",学生是系统的核心,添加所有的学生
 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py +16,Member ID,会员ID
 DocType: Employee Tax Exemption Proof Submission,Monthly Eligible Amount,每月合格金额
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +97,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},行#{0}:清除日期{1}无法支票日期前{2}
@@ -2387,7 +2406,7 @@
 DocType: Purchase Invoice,Supplier Warehouse,供应商仓库
 DocType: Opportunity,Contact Mobile No,联系人手机号码
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +53,Select Company,选择公司
-,Material Requests for which Supplier Quotations are not created,无供应商报价的物料申请
+,Material Requests for which Supplier Quotations are not created,无供应商报价的材料申请
 DocType: Student Report Generation Tool,Print Section,打印部分
 DocType: Staffing Plan Detail,Estimated Cost Per Position,预估单人成本
 DocType: Employee,HR-EMP-,HR-EMP-
@@ -2395,7 +2414,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +189,Employee Referral,员工推荐
 DocType: Student Group,Set 0 for no limit,为不限制设为0
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +191,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,您申请的休假日期是节假日,无需申请休假。
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +64,Row {idx}: {field} is required to create the Opening {invoice_type} Invoices,需要行{idx}:{field}才能创建开票{invoice_type}发票
 DocType: Customer,Primary Address and Contact Detail,主要地址和联系人信息
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +21,Resend Payment Email,重新发送付款电子邮件
 apps/erpnext/erpnext/templates/pages/projects.html +27,New task,新任务
@@ -2405,26 +2423,26 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js +39,Please select at least one domain.,请选择至少一个域名。
 DocType: Dependent Task,Dependent Task,相关任务
 DocType: Shopify Settings,Shopify Tax Account,Shopify税收科目
-apps/erpnext/erpnext/stock/doctype/item/item.py +461,Conversion factor for default Unit of Measure must be 1 in row {0},行{0}中默认计量单位的转换系数必须是1
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +258,Leave of type {0} cannot be longer than {1},类型为{0}的假期不能长于{1}天
+apps/erpnext/erpnext/stock/doctype/item/item.py +462,Conversion factor for default Unit of Measure must be 1 in row {0},行{0}中默认计量单位的转换系数必须是1
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +257,Leave of type {0} cannot be longer than {1},类型为{0}的假期不能长于{1}天
 DocType: Delivery Trip,Optimize Route,优化路线
 DocType: Manufacturing Settings,Try planning operations for X days in advance.,尝试计划将操作提前X天。
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +90,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \
-				You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",已为{3}的子公司计划{2}的{0}空缺和{1}预算。 \根据母公司{3}的员工计划{6},您只能计划最多{4}个职位空缺和预算{5}。
+				You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",已为{3}的子公司计划{2}了{0}空缺和{1}预算。 \你只能根据母公司{3}的员工计划{6},最多{4}个职位空缺和预算{5}。
 DocType: HR Settings,Stop Birthday Reminders,停止生日提醒
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +203,Please set Default Payroll Payable Account in Company {0},请公司设定默认应付职工薪资科目{0}
-DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,通过亚马逊获取税收和收费数据的财务分解
+DocType: Amazon MWS Settings,Get financial breakup of Taxes and charges data by Amazon ,获取亚马逊的税收和收费数据的财务细分
 DocType: SMS Center,Receiver List,接收人列表
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1110,Search Item,搜索物料
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1108,Search Item,搜索物料
 DocType: Payment Schedule,Payment Amount,付款金额
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +20,Half Day Date should be in between Work From Date and Work End Date,半天日期应在工作日期和工作结束日期之间
 DocType: Healthcare Settings,Healthcare Service Items,医疗服务项目
 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Consumed Amount,消耗量
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +69,Net Change in Cash,现金净变动
 DocType: Assessment Plan,Grading Scale,分级量表
-apps/erpnext/erpnext/stock/doctype/item/item.py +455,Unit of Measure {0} has been entered more than once in Conversion Factor Table,计量单位{0}已经在换算系数表内
+apps/erpnext/erpnext/stock/doctype/item/item.py +456,Unit of Measure {0} has been entered more than once in Conversion Factor Table,计量单位{0}已经在换算系数表内
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Already completed,已经完成
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,库存在手
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +34,Stock In Hand,在手库存
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +68,"Please add the remaining benefits {0} to the application as \
 				pro-rata component",请将剩余的权益{0}作为\ pro-rata组件添加到应用程序中
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +64,Import Successful!,导入成功!
@@ -2445,28 +2463,28 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +203,Serial No {0} quantity {1} cannot be a fraction,序列号{0}的数量{1}不能是分数
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +96,Please enter Woocommerce Server URL,请输入Woocommerce服务器网址
 DocType: Purchase Order Item,Supplier Part Number,供应商零件编号
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +132,Conversion rate cannot be 0 or 1,汇率不能为0或1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +137,Conversion rate cannot be 0 or 1,汇率不能为0或1
 DocType: Share Balance,To No,至No
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +27,All the mandatory Task for employee creation hasn't been done yet.,尚未全部完成创建新员工时必要任务。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +233,{0} {1} is cancelled or stopped,{0} {1}被取消或停止
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +227,{0} {1} is cancelled or stopped,{0} {1}被取消或停止
 DocType: Accounts Settings,Credit Controller,信用控制人
 DocType: Loan,Applicant Type,申请人类型
 DocType: Purchase Invoice,03-Deficiency in services,03-服务不足
 DocType: Healthcare Settings,Default Medical Code Standard,默认医疗代码标准
 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +261,Purchase Receipt {0} is not submitted,采购收货单{0}未提交
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +267,Purchase Receipt {0} is not submitted,采购收货单{0}未提交
 DocType: Company,Default Payable Account,默认应付科目
 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",网上购物车,如配送规则,价格清单等的设置
 DocType: Purchase Receipt,MAT-PRE-.YYYY.-,MAT-PRE-.YYYY.-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}%帐单
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,预留数量
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +73,Reserved Qty,预留数量
 DocType: Party Account,Party Account,往来单位科目
-apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,请选择公司和指定
+apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +142,Please select Company and Designation,请选择公司和任命
 apps/erpnext/erpnext/config/setup.py +116,Human Resources,人力资源
-DocType: Lead,Upper Income,高收入
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +306,Upper Income,高收入
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +17,Reject,拒绝
 DocType: Journal Entry Account,Debit in Company Currency,借记卡在公司货币
-DocType: BOM Item,BOM Item,BOM物料
+DocType: BOM Item,BOM Item,物料清单项目
 DocType: Appraisal,For Employee,员工
 DocType: Vital Signs,Full,充分
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +69,Make Disbursement Entry,请输入支付
@@ -2474,20 +2492,20 @@
 DocType: Company,Default Values,默认值
 DocType: Certification Application,INR,INR
 DocType: Expense Claim,Total Amount Reimbursed,报销金额合计
-apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,基于车辆日志。信息请参阅表单下方的时间线记录
+apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,这是基于该车辆日志。请看以下时间轴记录的详细内容
 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py +21,Payroll date can not be less than employee's joining date,工资日期不能低于员工的加入日期
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py +87,{0} {1} created,{0} {1} 已被创建
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +46,"Job Openings for designation {0} already open \
 					or hiring completed as per Staffing Plan {1}",指定{0}的职位空缺已根据人员配置计划{1}已打开或正在招聘
-DocType: Vital Signs,Constipated,大便干燥
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Against Supplier Invoice {0} dated {1},对日期为{1}的供应商发票{0}
+DocType: Vital Signs,Constipated,便秘
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +118,Against Supplier Invoice {0} dated {1},针对的日期为{1}的供应商发票{0}
 DocType: Customer,Default Price List,默认价格清单
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +483,Asset Movement record {0} created,资产移动记录{0}创建
 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js +175,No items found.,未找到任何项目。
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,您不能删除会计年度{0}。会计年度{0}被设置为默认的全局设置
 DocType: Share Transfer,Equity/Liability Account,权益/负债科目
 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,A customer with the same name already exists,已存在同名客户
-DocType: Contract,Inactive,待用
+DocType: Contract,Inactive,非活动的
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +224,This will submit Salary Slips and create accrual Journal Entry. Do you want to proceed?,这将提交工资单,并创建权责发生制日记账分录。你想继续吗?
 DocType: Purchase Invoice,Total Net Weight,总净重
 DocType: Purchase Order,Order Confirmation No,订单确认号
@@ -2496,17 +2514,18 @@
 DocType: Journal Entry,Entry Type,凭证类型
 ,Customer Credit Balance,客户贷方余额
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +82,Net Change in Accounts Payable,应付账款净额变化
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +256,Credit limit has been crossed for customer {0} ({1}/{2}),客户{0}({1} / {2})的信用额度已超过
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +212,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,请通过设置&gt;设置&gt;命名系列为{0}设置命名系列
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +257,Credit limit has been crossed for customer {0} ({1}/{2}),客户{0}({1} / {2})的信用额度已超过
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',”客户折扣“需要指定客户
 apps/erpnext/erpnext/config/accounts.py +163,Update bank payment dates with journals.,用日记账更新银行付款时间
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,价钱
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +26,Pricing,价钱
 DocType: Quotation,Term Details,条款信息
 DocType: Employee Incentive,Employee Incentive,员工激励
-apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,不能注册超过{0}学生该学生群体更多。
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,不能注册超过{0}学生到该学生群体。
 apps/erpnext/erpnext/templates/print_formats/includes/total.html +4,Total (Without Tax),总计(不含税)
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,铅计数
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,线索数量
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +36,Stock Available,可用库存
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,商机计数
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,商机数量
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Stock Available,可用库存
 DocType: Manufacturing Settings,Capacity Planning For (Days),容量规划的期限(天)
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,采购
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +67,None of the items have any change in quantity or value.,没有一个项目无论在数量或价值的任何变化。
@@ -2514,7 +2533,7 @@
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +22,Mandatory field - Program,强制性字段 - 计划
 DocType: Special Test Template,Result Component,结果组件
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.js +46,Warranty Claim,保修申请
-,Lead Details,线索信息
+,Lead Details,商机信息
 DocType: Volunteer,Availability and Skills,可用性和技能
 DocType: Salary Slip,Loan repayment,偿还借款
 DocType: Share Transfer,Asset Account,资产科目
@@ -2525,13 +2544,14 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",无法通过序列号确保交货,因为\项目{0}是否添加了确保交货\序列号
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,取消发票时去掉关联的付款
-apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +16,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},进入当前的里程表读数应该比最初的车辆里程表更大的{0}
+apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +16,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},当前的里程表读数应该比最初的车辆里程表更大的{0}
 DocType: Restaurant Reservation,No Show,没有出现
 DocType: Shipping Rule Country,Shipping Rule Country,航运规则国家
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,休假和考勤
 DocType: Asset,Comprehensive Insurance,综合保险
 DocType: Maintenance Visit,Partially Completed,部分完成
-apps/erpnext/erpnext/selling/doctype/customer/customer.js +114,Loyalty Point: {0},忠诚度积分:{0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.js +118,Loyalty Point: {0},忠诚度积分:{0}
+apps/erpnext/erpnext/public/js/event.js +15,Add Leads,添加潜在客户
 apps/erpnext/erpnext/healthcare/setup.py +189,Moderate Sensitivity,中等敏感度
 DocType: Leave Type,Include holidays within leaves as leaves,包括休假期间的节假日
 DocType: Loyalty Program,Redemption,赎回
@@ -2553,7 +2573,7 @@
 DocType: Leave Type,Earned Leave,年假
 DocType: Employee,Salary Details,薪资信息
 DocType: Territory,Territory Manager,区域经理
-DocType: Packed Item,To Warehouse (Optional),仓库(可选)
+DocType: Packed Item,To Warehouse (Optional),至仓库(可选)
 DocType: GST Settings,GST Accounts,GST科目
 DocType: Payment Entry,Paid Amount (Company Currency),支付的金额(公司货币)
 DocType: Purchase Invoice,Additional Discount,额外折扣
@@ -2565,8 +2585,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Marketing Expenses,市场营销费用
 ,Item Shortage Report,缺料报表
 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py +15,Can't create standard criteria. Please rename the criteria,无法创建标准条件。请重命名标准
-apps/erpnext/erpnext/stock/doctype/item/item.js +342,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,\n请注明“重量计量单位”
-DocType: Stock Entry Detail,Material Request used to make this Stock Entry,创建此手工库存移动的物料申请
+apps/erpnext/erpnext/stock/doctype/item/item.js +360,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,\n请注明“重量计量单位”
+DocType: Stock Entry Detail,Material Request used to make this Stock Entry,创建此手工库存移动的材料申请
 DocType: Hub User,Hub Password,集线器密码
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,为每个批次分离基于课程的组
 DocType: Student Group Creation Tool,Separate course based Group for every Batch,为每个批次分离基于课程的组
@@ -2577,18 +2597,19 @@
 DocType: Drug Prescription,Dosage by time interval,剂量按时间间隔
 DocType: Cash Flow Mapper,Section Header,章节标题
 ,Student Fee Collection,学生费征收
-apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),预约时间(分钟)
+apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +24,Appointment Duration (mins),约定持续时间(分钟)
 DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,为每个库存变动创建会计分录
 DocType: Leave Allocation,Total Leaves Allocated,总已分配休假
-apps/erpnext/erpnext/public/js/setup_wizard.js +146,Please enter valid Financial Year Start and End Dates,请输入有效的财务年度开始和结束日期
+apps/erpnext/erpnext/public/js/setup_wizard.js +178,Please enter valid Financial Year Start and End Dates,请输入有效的财务年度开始和结束日期
 DocType: Employee,Date Of Retirement,退休日期
 DocType: Upload Attendance,Get Template,获取模板
+,Sales Person Commission Summary,销售人员委员会摘要
 DocType: Additional Salary Component,Additional Salary Component,额外的薪资组件
-DocType: Material Request,Transferred,转入
+DocType: Material Request,Transferred,已转移
 DocType: Vehicle,Doors,门
-apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +114,ERPNext Setup Complete!,ERPNext设置完成!
+apps/erpnext/erpnext/setup/setup_wizard/operations/defaults_setup.py +118,ERPNext Setup Complete!,ERPNext设置完成!
 DocType: Healthcare Settings,Collect Fee for Patient Registration,收取病人登记费
-apps/erpnext/erpnext/stock/doctype/item/item.py +717,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,股票交易后不能更改属性。创建一个新项目并将库存转移到新项目
+apps/erpnext/erpnext/stock/doctype/item/item.py +724,Cannot change Attributes after stock transaction. Make a new Item and transfer stock to the new Item,股票交易后不能更改属性。创建一个新项目并将库存转移到新项目
 DocType: Course Assessment Criteria,Weightage,权重
 DocType: Purchase Invoice,Tax Breakup,税收分解
 DocType: Employee,Joining Details,入职信息
@@ -2603,7 +2624,7 @@
 DocType: Purchase Invoice,Place of Supply,供货地点
 DocType: Quality Inspection Reading,Reading 2,检验结果2
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +101,Employee {0} already submited an apllication {1} for the payroll period {2},员工{0}已经在工资期间{2}提交了申请{1}
-DocType: Stock Entry,Material Receipt,入库
+DocType: Stock Entry,Material Receipt,材料收讫
 DocType: Bank Statement Transaction Entry,Submit/Reconcile Payments,提交/核销付款
 DocType: Campaign,SAL-CAM-.YYYY.-,SAL-CAM-.YYYY.-
 DocType: Homepage,Products,产品展示
@@ -2616,86 +2637,89 @@
 DocType: Lead,Next Contact By,下次联络人
 DocType: Compensatory Leave Request,Compensatory Leave Request,补休(假)申请
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +334,Quantity required for Item {0} in row {1},行{1}中的物料{0}必须指定数量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +45,Warehouse {0} can not be deleted as quantity exists for Item {1},仓库{0}无法删除,因为产品{1}有库存量
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},仓库{0}无法删除,因为产品{1}有库存量
 DocType: Blanket Order,Order Type,订单类型
 ,Item-wise Sales Register,物料销售台帐
 DocType: Asset,Gross Purchase Amount,总采购金额
 apps/erpnext/erpnext/utilities/user_progress.py +39,Opening Balances,期初余额
 DocType: Asset,Depreciation Method,折旧方法
 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,此税项是否包含在基本价格中?
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Target,总目标
+apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Target,总目标
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +319,Perception Analysis,感知分析
 DocType: Soil Texture,Sand Composition (%),沙成分(%)
-DocType: Job Applicant,Applicant for a Job,求职申请
+DocType: Job Applicant,Applicant for a Job,求职申请人
 DocType: Production Plan Material Request,Production Plan Material Request,生产计划申请材料
-DocType: Purchase Invoice,Release Date,审批日期
+DocType: Purchase Invoice,Release Date,发布日期
 DocType: Stock Reconciliation,Reconciliation JSON,基于JSON格式对账
 apps/erpnext/erpnext/accounts/report/financial_statements.html +5,Too many columns. Export the report and print it using a spreadsheet application.,太多的列。导出报表,并使用电子表格应用程序进行打印。
 DocType: Purchase Invoice Item,Batch No,批号
 DocType: Marketplace Settings,Hub Seller Name,集线器卖家名称
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +27,Employee Advances,员工预支
 DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,允许多个销售订单对客户的采购订单
-DocType: Student Group Instructor,Student Group Instructor,学生组教练
+DocType: Student Group Instructor,Student Group Instructor,学生组教导
 DocType: Grant Application,Assessment  Mark (Out of 10),评估标记(满分10分)
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2手机号码
 apps/erpnext/erpnext/setup/doctype/company/company.py +263,Main,主
+apps/erpnext/erpnext/controllers/buying_controller.py +762,Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master,下列项目{0}未标记为{1}项目。您可以从项目主文件中将它们作为{1}项启用
 apps/erpnext/erpnext/stock/doctype/item/item.js +74,Variant,变体
 apps/erpnext/erpnext/controllers/status_updater.py +163,"For an item {0}, quantity must be negative number",对于商品{0},数量必须是负数
 DocType: Naming Series,Set prefix for numbering series on your transactions,为交易设置编号系列的前缀
 DocType: Employee Attendance Tool,Employees HTML,HTML员工
-apps/erpnext/erpnext/stock/doctype/item/item.py +475,Default BOM ({0}) must be active for this item or its template,该物料或其模板物料的默认物料清单状态必须是激活的
+apps/erpnext/erpnext/stock/doctype/item/item.py +476,Default BOM ({0}) must be active for this item or its template,该物料或其模板物料的默认物料清单状态必须是激活的
 DocType: Employee,Leave Encashed?,假期已折现?
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,机会来源是必填字段
 DocType: Email Digest,Annual Expenses,年度支出
 DocType: Item,Variants,变种
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1208,Make Purchase Order,创建采购订单
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1226,Make Purchase Order,创建采购订单
 DocType: SMS Center,Send To,发送到
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +202,There is not enough leave balance for Leave Type {0},假期类型{0}的剩余天数不足了
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +201,There is not enough leave balance for Leave Type {0},假期类型{0}的剩余天数不足了
 DocType: Payment Reconciliation Payment,Allocated amount,已核销金额
 DocType: Sales Team,Contribution to Net Total,贡献净总计
 DocType: Sales Invoice Item,Customer's Item Code,客户的物料代码
 DocType: Stock Reconciliation,Stock Reconciliation,库存盘点
 DocType: Territory,Territory Name,区域名称
+DocType: Email Digest,Purchase Orders to Receive,要收货的采购订单
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +197,Work-in-Progress Warehouse is required before Submit,提交前需要指定在制品仓库
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +71,You can only have Plans with the same billing cycle in a Subscription,您只能在订阅中拥有相同结算周期的计划
-DocType: Bank Statement Transaction Settings Item,Mapped Data,映射数据
+DocType: Bank Statement Transaction Settings Item,Mapped Data,已映射数据
 DocType: Purchase Order Item,Warehouse and Reference,仓库及参考
 DocType: Payroll Period Date,Payroll Period Date,工资期间日期
 DocType: Supplier,Statutory info and other general information about your Supplier,供应商的注册信息和其他一般信息
 DocType: Item,Serial Nos and Batches,序列号和批号
 DocType: Item,Serial Nos and Batches,序列号和批号
-apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生群体力量
-apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生群体力量
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +262,Against Journal Entry {0} does not have any unmatched {1} entry,手工凭证{0}没有不符合的{1}分录
+apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生组强度
+apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生组强度
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +262,Against Journal Entry {0} does not have any unmatched {1} entry,针对的手工凭证{0}没有不符合的{1}分录
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +113,"Subsidiary companies have already planned for {1} vacancies at a budget of {2}. \
 				Staffing Plan for {0} should allocate more vacancies and budget for {3} than planned for its subsidiary companies",子公司已经计划{2}的预算{1}空缺。 \ {0}的人员需求计划应为其子公司分配更多空缺和预算{3}
 apps/erpnext/erpnext/config/hr.py +166,Appraisals,绩效评估
-apps/erpnext/erpnext/hr/doctype/training_program/training_program_dashboard.py +8,Training Events,培训
+apps/erpnext/erpnext/hr/doctype/training_program/training_program_dashboard.py +8,Training Events,培训项目
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +210,Duplicate Serial No entered for Item {0},物料{0}的序列号重复
 apps/erpnext/erpnext/config/selling.py +179,Track Leads by Lead Source.,通过线索来源进行追踪。
 DocType: Shipping Rule Condition,A condition for a Shipping Rule,发货规则的一个条件
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +175,Please enter ,请输入
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +182,Please enter ,请输入
 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js +64,Maintenance Log,维护日志
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +242,Please set filter based on Item or Warehouse,根据项目或仓库请设置过滤器
-DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),此打包的净重。(根据内容物料的净重自动计算)
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,创建公司间业务手工凭证
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +256,Please set filter based on Item or Warehouse,根据项目或仓库请设置过滤器
+DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),此包装的净重。(根据内容物料的净重自动计算)
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +43,Make Inter Company Journal Entry,创建公司间业务日志输入
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +901,Discount amount cannot be greater than 100%,折扣金额不能大于100%
 DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.-
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +26,"Number of new Cost Center, it will be included in the cost center name as a prefix",新成本中心的数量,它将作为前缀包含在成本中心名称中
 DocType: Sales Order,To Deliver and Bill,待出货与开票
 DocType: Student Group,Instructors,教师
 DocType: GL Entry,Credit Amount in Account Currency,科目币别贷方金额
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +624,BOM {0} must be submitted,BOM{0}未提交
-apps/erpnext/erpnext/config/accounts.py +494,Share Management,股份管理
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +626,BOM {0} must be submitted,BOM{0}未提交
+apps/erpnext/erpnext/config/accounts.py +504,Share Management,股份管理
 DocType: Authorization Control,Authorization Control,授权控制
-apps/erpnext/erpnext/controllers/buying_controller.py +403,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},第{0}行物料{1}被拒收,其拒收仓库字段必填
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Payment,付款
-apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",仓库{0}未与任何科目关联,请在仓库或公司{1}主数据中设置默认库存科目。
+apps/erpnext/erpnext/controllers/buying_controller.py +404,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},第{0}行物料{1}被拒收,其拒收仓库字段必填
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Payment,付款
+apps/erpnext/erpnext/controllers/stock_controller.py +96,"Warehouse {0} is not linked to any account, please mention the account in  the warehouse record or set default inventory account in company {1}.",仓库{0}未与任何科目关联,请在仓库记录提及科目或在公司{1}设置默认库存科目。
 apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,管理您的订单
 DocType: Work Order Operation,Actual Time and Cost,实际时间和成本
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +58,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},销售订单{2}中物料{1}的最大物流申请量为{0}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +57,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},销售订单{2}中物料{1}的最大材料申请量为{0}
 DocType: Amazon MWS Settings,DE,DE
 DocType: Crop,Crop Spacing,作物间距
-DocType: Course,Course Abbreviation,当然缩写
+DocType: Course,Course Abbreviation,课程缩写
 DocType: Budget,Action if Annual Budget Exceeded on PO,年度预算超出采购订单时采取的行动
 DocType: Student Leave Application,Student Leave Application,学生请假申请
 DocType: Item,Will also apply for variants,会同时应用于变体
@@ -2704,36 +2728,39 @@
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +59,Total working hours should not be greater than max working hours {0},总的工作时间不应超过最高工时更大{0}
 apps/erpnext/erpnext/templates/pages/task_info.html +90,On,于
 apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,用于销售的产品组合。
+DocType: Delivery Settings,Dispatch Settings,发货设置
 DocType: Material Request Plan Item,Actual Qty,实际数量
 DocType: Sales Invoice Item,References,参考
 DocType: Quality Inspection Reading,Reading 10,检验结果10
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +48,Serial nos {0} does not belongs to the location {1},序列号{0}不属于位置{1}
 DocType: Item,Barcodes,条形码
-DocType: Hub Tracked Item,Hub Node,Hub节点
+DocType: Hub Tracked Item,Hub Node,集线器节点
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,您输入了重复的条目。请纠正然后重试。
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +117,Associate,协理
 DocType: Asset Movement,Asset Movement,资产移动
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +609,Work Order {0} must be submitted,必须提交工单{0}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2227,New Cart,新的车
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +601,Work Order {0} must be submitted,必须提交工单{0}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2225,New Cart,新的车
 DocType: Taxable Salary Slab,From Amount,金额(起)
-apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,物料{0}未启用序列好管理
+apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,物料{0}不是有序列号的物料
 DocType: Leave Type,Encashment,休假折现
+DocType: Delivery Settings,Delivery Settings,交货设置
+apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js +50,Fetch Data,获取数据
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py +16,Maximum leave allowed in the leave type {0} is {1},假期类型{0}允许的最大休假是{1}
 DocType: SMS Center,Create Receiver List,创建接收人列表
 DocType: Vehicle,Wheels,车轮
 DocType: Packing Slip,To Package No.,以包号
 DocType: Patient Relation,Family,家庭
 DocType: Sales Invoice Item,Deferred Revenue Account,递延收入科目
-DocType: Production Plan,Material Requests,物料需求
+DocType: Production Plan,Material Requests,材料需求
 DocType: Warranty Claim,Issue Date,问题日期
 DocType: Activity Cost,Activity Cost,活动费用
-DocType: Sales Invoice Timesheet,Timesheet Detail,详细工时单
+DocType: Sales Invoice Timesheet,Timesheet Detail,时间表详细信息
 DocType: Purchase Receipt Item Supplied,Consumed Qty,已消耗数量
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +52,Telecommunications,电信
 apps/erpnext/erpnext/accounts/party.py +292,Billing currency must be equal to either default company's currency or party account currency,帐单货币必须等于默认公司的货币或科目币种
 DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),表示该打包是这个交付的一部分(仅草稿)
 DocType: Soil Texture,Loam,壤土
-apps/erpnext/erpnext/controllers/accounts_controller.py +768,Row {0}: Due Date cannot be before posting date,行{0}:到期日不能在记帐日之前
+apps/erpnext/erpnext/controllers/accounts_controller.py +770,Row {0}: Due Date cannot be before posting date,行{0}:到期日不能在记帐日之前
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +37,Make Payment Entry,创建付款分录
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +129,Quantity for Item {0} must be less than {1},物料{0}的数量必须小于{1}
 ,Sales Invoice Trends,销售发票趋势
@@ -2741,12 +2768,12 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +180,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',收取类型类型必须是“基于上一行的金额”或者“前一行的总计”才能引用组
 DocType: Sales Order Item,Delivery Warehouse,交货仓库
 DocType: Leave Type,Earned Leave Frequency,年假频率
-apps/erpnext/erpnext/config/accounts.py +269,Tree of financial Cost Centers.,财务成本中心的树。
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +148,Sub Type,子类型
+apps/erpnext/erpnext/config/accounts.py +279,Tree of financial Cost Centers.,财务成本中心的树。
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +151,Sub Type,子类型
 DocType: Serial No,Delivery Document No,交货文档编号
 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,确保基于生产的序列号的交货
 DocType: Vital Signs,Furry,毛茸茸
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +196,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},请公司制定“关于资产处置收益/损失科目”{0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +197,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},请在公司{0}制定“关于资产处置收益/损失科目”
 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,从采购收货单获取物料
 DocType: Serial No,Creation Date,创建日期
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +55,Target Location is required for the asset {0},目标位置是资产{0}所必需的
@@ -2760,11 +2787,12 @@
 DocType: Item,Has Variants,有变体
 DocType: Employee Benefit Claim,Claim Benefit For,福利类型(薪资构成)
 apps/erpnext/erpnext/templates/emails/training_event.html +11,Update Response,更新响应
-apps/erpnext/erpnext/public/js/utils.js +498,You have already selected items from {0} {1},您已经选择从项目{0} {1}
+apps/erpnext/erpnext/public/js/utils.js +512,You have already selected items from {0} {1},您已经选择从项目{0} {1}
 DocType: Monthly Distribution,Name of the Monthly Distribution,月度分布名称
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,批号是必需的
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +100,Batch ID is mandatory,批号是必需的
 DocType: Sales Person,Parent Sales Person,母公司销售人员
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +102,No items to be received are overdue,没有收到的物品已逾期
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +101,The seller and the buyer cannot be the same,卖方和买方不能相同
 DocType: Project,Collect Progress,收集进度
 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.-
@@ -2780,7 +2808,7 @@
 DocType: Bank Guarantee,Margin Money,保证金
 DocType: Budget,Budget,预算
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +79,Set Open,设置打开
-apps/erpnext/erpnext/stock/doctype/item/item.py +273,Fixed Asset Item must be a non-stock item.,固定资产物料必须是一个非库存物料。
+apps/erpnext/erpnext/stock/doctype/item/item.py +274,Fixed Asset Item must be a non-stock item.,固定资产物料必须是一个非库存物料。
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +60,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",财务预算案不能对{0}指定的,因为它不是一个收入或支出科目
 apps/erpnext/erpnext/hr/utils.py +227,Max exemption amount for {0} is {1},{0}的最大免除金额为{1}
 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,已实现
@@ -2798,18 +2826,18 @@
 ,Amount to Deliver,待出货金额
 DocType: Asset,Insurance Start Date,保险开始日期
 DocType: Salary Component,Flexible Benefits,弹性福利
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +344,Same item has been entered multiple times. {0},相同的物料已被多次输入。 {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +345,Same item has been entered multiple times. {0},相同的物料已被多次输入。 {0}
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,这个词开始日期不能超过哪个术语链接学年的开学日期较早(学年{})。请更正日期,然后再试一次。
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +199,There were errors.,有错误发生。
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +201,There were errors.,曾有错误发生。
 apps/erpnext/erpnext/hr/doctype/shift_request/shift_request.py +68,Employee {0} has already applied for {1} between {2} and {3} : ,员工{0}已在{2}和{3}之间申请{1}:
-DocType: Guardian,Guardian Interests,守护兴趣
+DocType: Guardian,Guardian Interests,监护人利益
 apps/erpnext/erpnext/accounts/doctype/account/account.js +45,Update Account Name / Number,更新帐户名称/号码
 DocType: Naming Series,Current Value,当前值
 apps/erpnext/erpnext/controllers/accounts_controller.py +321,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,多个会计年度的日期{0}存在。请设置公司财年
 DocType: Education Settings,Instructor Records to be created by,导师记录由
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +229,{0} created,{0}已创建
 DocType: GST Account,GST Account,GST科目
-DocType: Delivery Note Item,Against Sales Order,销售订单
+DocType: Delivery Note Item,Against Sales Order,针对的销售订单
 ,Serial No Status,序列号状态
 DocType: Payment Entry Reference,Outstanding,未付
 DocType: Supplier,Warn POs,警告PO
@@ -2817,21 +2845,21 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +137,"Row {0}: To set {1} periodicity, difference between from and to date \
 						must be greater than or equal to {2}","行{0}:设置{1}的周期性,从和到日期\
 之间差必须大于或等于{2}"
-apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,这是基于库存移动。见{0}信息
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,这是基于库存变动。见{0}信息
 DocType: Pricing Rule,Selling,销售
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +394,Amount {0} {1} deducted against {2},金额{0} {1}抵扣{2}
 DocType: Sales Person,Name and Employee ID,姓名和员工ID
 apps/erpnext/erpnext/accounts/party.py +338,Due Date cannot be before Posting Date,到期日不能前于过账日期
 DocType: Website Item Group,Website Item Group,网站物料组
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +546,No salary slip found to submit for the above selected criteria OR salary slip already submitted,没有发现提交上述选定标准或已提交工资单的工资单
+apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +546,No salary slip found to submit for the above selected criteria OR salary slip already submitted,按以上选择的条件没有发现需提交的工资单或工资单已提交
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +160,Duties and Taxes,关税与税项
 DocType: Projects Settings,Projects Settings,项目设置
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +392,Please enter Reference date,参考日期请输入
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0}付款凭证不能由{1}过滤
 DocType: Item Website Specification,Table for Item that will be shown in Web Site,将在网站显示的物料表
-DocType: Purchase Order Item Supplied,Supplied Qty,附送数量
+DocType: Purchase Order Item Supplied,Supplied Qty,供应的数量
 DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.-
-DocType: Purchase Order Item,Material Request Item,物料申请物料
+DocType: Purchase Order Item,Material Request Item,材料申请项目
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +294,Please cancel Purchase Receipt {0} first,请先取消采购收货{0}
 apps/erpnext/erpnext/config/selling.py +75,Tree of Item Groups.,物料群组树。
 DocType: Production Plan,Total Produced Qty,总生产数量
@@ -2839,10 +2867,10 @@
 DocType: Asset,Sold,出售
 ,Item-wise Purchase History,物料采购历史
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},请点击“生成表”来获取序列号增加了对项目{0}
-DocType: Account,Frozen,已冻结?
-DocType: Delivery Note,Vehicle Type,车辆类型
+DocType: Account,Frozen,已冻结
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +382,Vehicle Type,车辆类型
 DocType: Sales Invoice Payment,Base Amount (Company Currency),基本金额(公司币种)
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +931,Raw Materials,原材料
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +994,Raw Materials,原材料
 DocType: Payment Reconciliation Payment,Reference Row,引用行
 DocType: Installation Note,Installation Time,安装时间
 DocType: Sales Invoice,Accounting Details,会计细节
@@ -2851,12 +2879,13 @@
 DocType: Inpatient Record,O Positive,O积极
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Investments,投资
 DocType: Issue,Resolution Details,详细解析
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +167,Transaction Type,交易类型
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +170,Transaction Type,交易类型
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,验收标准
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +159,Please enter Material Requests in the above table,请输入在上表请求材料
-apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,没有可用于手工凭证的还款
+apps/erpnext/erpnext/hr/doctype/loan/loan.py +154,No repayments available for Journal Entry,没有为日志输入可选的二次付款
 DocType: Hub Tracked Item,Image List,图像列表
 DocType: Item Attribute,Attribute Name,属性名称
+DocType: Subscription,Generate Invoice At Beginning Of Period,在期初生成发票
 DocType: BOM,Show In Website,在网站上展示
 DocType: Loan Application,Total Payable Amount,合计应付额
 DocType: Task,Expected Time (in hours),预期时间(以小时计)
@@ -2890,28 +2919,28 @@
 DocType: Bank Account,Bank Account No,银行帐号
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,员工免税证明提交
 DocType: Patient,Surgical History,手术史
-DocType: Bank Statement Settings Item,Mapped Header,映射的标题
+DocType: Bank Statement Settings Item,Mapped Header,已映射的标题
 DocType: Employee,Resignation Letter Date,辞职信日期
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,定价规则进一步过滤基于数量。
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +115,Not Set,未设置
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},请为员工{0}设置加入日期
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +415,Please set the Date Of Joining for employee {0},请为员工{0}设置加入日期
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},请为员工{0}设置加入日期
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +417,Please set the Date Of Joining for employee {0},请为员工{0}设置加入日期
 DocType: Inpatient Record,Discharge,卸货
 DocType: Task,Total Billing Amount (via Time Sheet),总开票金额(通过工时单)
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,重复客户收入
 DocType: Soil Texture,Silty Clay Loam,泥土粘土
-DocType: Bank Statement Settings,Mapped Items,对照关系
-DocType: Amazon MWS Settings,IT,它
+DocType: Bank Statement Settings,Mapped Items,已映射的项目
+DocType: Amazon MWS Settings,IT,IT
 DocType: Chapter,Chapter,章节
 apps/erpnext/erpnext/utilities/user_progress.py +146,Pair,对
 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,选择此模式后,默认科目将在POS发票中自动更新。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1027,Select BOM and Qty for Production,选择BOM和数量生产
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1045,Select BOM and Qty for Production,选择BOM和数量生产
 DocType: Asset,Depreciation Schedule,折旧计划
 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,销售合作伙伴地址和联系人
-DocType: Bank Reconciliation Detail,Against Account,科目
+DocType: Bank Reconciliation Detail,Against Account,针对的科目
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +84,Half Day Date should be between From Date and To Date,半天时间应该是从之间的日期和终止日期
 DocType: Maintenance Schedule Detail,Actual Date,实际日期
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +139,Please set the Default Cost Center in {0} company.,请在{0}公司中设置默认成本中心。
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +135,Please set the Default Cost Center in {0} company.,请在{0}公司中设置默认成本中心。
 DocType: Item,Has Batch No,有批号
 apps/erpnext/erpnext/public/js/utils.js +107,Annual Billing: {0},本年总发票金额:{0}
 DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook详细信息
@@ -2923,18 +2952,18 @@
 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.-
 DocType: Shift Assignment,Shift Type,班别
 DocType: Student,Personal Details,个人资料
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +198,Please set 'Asset Depreciation Cost Center' in Company {0},请设置在公司的资产折旧成本中心“{0}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +199,Please set 'Asset Depreciation Cost Center' in Company {0},请在公司{0}设置“资产折旧成本中心“
 ,Maintenance Schedules,维护计划
 DocType: Task,Actual End Date (via Time Sheet),实际结束日期(通过工时单)
 DocType: Soil Texture,Soil Type,土壤类型
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +389,Amount {0} {1} against {2} {3},数量 {0}{1} 对应 {2}{3}
 ,Quotation Trends,报价趋势
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},物料{0}的物料群组没有设置
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +166,Item Group not mentioned in item master for item {0},物料{0}的所属的物料群组没有在物料主表中提及
 DocType: GoCardless Mandate,GoCardless Mandate,GoCardless任务
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +429,Debit To account must be a Receivable account,借记科目必须是应收账款科目
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Debit To account must be a Receivable account,借记科目必须是应收账款科目
 DocType: Shipping Rule,Shipping Amount,发货金额
 DocType: Supplier Scorecard Period,Period Score,期间得分
-apps/erpnext/erpnext/utilities/user_progress.py +66,Add Customers,添加客户
+apps/erpnext/erpnext/public/js/event.js +19,Add Customers,添加客户
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,待审核金额
 DocType: Lab Test Template,Special,特别
 DocType: Loyalty Program,Conversion Factor,转换系数
@@ -2944,15 +2973,15 @@
 DocType: Serial No,Invoice Details,发票信息
 DocType: Grant Application,Show on Website,在网站上显示
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html +29,Start on,开始
-DocType: Hub Tracked Item,Hub Category,中心类别
+DocType: Hub Tracked Item,Hub Category,集线器类别
 DocType: Purchase Invoice,SEZ,SEZ
 DocType: Purchase Receipt,Vehicle Number,车号
 DocType: Loan,Loan Amount,贷款额度
 DocType: Student Report Generation Tool,Add Letterhead,添加信头
 DocType: Program Enrollment,Self-Driving Vehicle,自驾车
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,供应商记分卡当前评分
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清单未找到物料{1}
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,共分配叶{0}不能小于已经批准叶{1}期间
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +464,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清单未找到物料{1}
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +112,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,在此期间合计分配的假期{0}不能小于已经批准的假期{1}
 DocType: Contract Fulfilment Checklist,Requirement,需求
 DocType: Journal Entry,Accounts Receivable,应收帐款
 DocType: Travel Itinerary,Meal Preference,餐食偏好
@@ -2965,19 +2994,19 @@
 DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",家长课程(如果不是家长课程的一部分,请留空)
 DocType: Leave Control Panel,Leave blank if considered for all employee types,如果针对所有员工类型请留空
 DocType: Landed Cost Voucher,Distribute Charges Based On,费用分配基于
-DocType: Projects Settings,Timesheets,工时单
+DocType: Projects Settings,Timesheets,时间表
 DocType: HR Settings,HR Settings,人力资源设置
 DocType: Salary Slip,net pay info,净工资信息
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +331,CESS Amount,CESS金额
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +334,CESS Amount,CESS金额
 DocType: Woocommerce Settings,Enable Sync,启用同步
 DocType: Tax Withholding Rate,Single Transaction Threshold,单一交易阈值
 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,该值在默认销售价格清单中更新。
 DocType: Email Digest,New Expenses,新的费用
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Amount,部分支付金额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,PDC/LC Amount,部分支付金额
 DocType: Shareholder,Shareholder,股东
 DocType: Purchase Invoice,Additional Discount Amount,额外的折扣金额
 DocType: Cash Flow Mapper,Position,位置
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1811,Get Items from Prescriptions,从Prescriptions获取物品
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1797,Get Items from Prescriptions,从处方获取物品
 DocType: Patient,Patient Details,患者细节
 DocType: Inpatient Record,B Positive,B积极
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +31,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\
@@ -2989,8 +3018,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.js +67,Group to Non-Group,群组转换为非群组
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +50,Sports,体育
 DocType: Loan Type,Loan Name,贷款名称
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +66,Total Actual,实际总
-DocType: Lab Test UOM,Test UOM,测试UOM
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Actual,实际总和
 DocType: Student Siblings,Student Siblings,学生兄弟姐妹
 DocType: Subscription Plan Detail,Subscription Plan Detail,订阅计划信息
 apps/erpnext/erpnext/utilities/user_progress.py +146,Unit,单位
@@ -3008,32 +3036,32 @@
 apps/erpnext/erpnext/projects/doctype/task/task.js +45,Expense Claims,报销
 DocType: Issue,Support,支持
 DocType: Employee Tax Exemption Declaration,Total Exemption Amount,免税总额
-,BOM Search,BOM搜索
+,BOM Search,物料清单搜索
 DocType: Project,Total Consumed Material Cost  (via Stock Entry),总物料消耗成本(通过手工库存移动)
 DocType: Subscription,Subscription Period,订阅期
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.js +169,To Date cannot be less than From Date,迄今不能少于起始日期
-DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock available in this warehouse.",基于仓库中的库存,在Hub上发布“库存”或“库存”。
+DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock available in this warehouse.",基于仓库中的库存,在Hub上发布“库存”或“不在库存”。
 DocType: Vehicle,Fuel Type,燃料类型
 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +27,Please specify currency in Company,请公司指定的货币
 DocType: Workstation,Wages per hour,时薪
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},批次{0}中,仓库{3}中物料{2}的库存余额将变为{1}
 apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,以下物料需求数量已自动根据重订货水平相应增加了
-DocType: Email Digest,Pending Sales Orders,待完成销售订单
 apps/erpnext/erpnext/controllers/accounts_controller.py +361,Account {0} is invalid. Account Currency must be {1},科目{0}状态为非激活。科目货币必须是{1}
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +31,From Date {0} cannot be after employee's relieving Date {1},起始日期{0}不能在员工离职日期之后{1}
 DocType: Supplier,Is Internal Supplier,是内部供应商
 DocType: Employee,Create User Permission,创建用户权限
 DocType: Employee Benefit Claim,Employee Benefit Claim,员工福利申报
-DocType: Healthcare Settings,Remind Before,提醒之前
+DocType: Healthcare Settings,Remind Before,在...之前提醒
 apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},行{0}计量单位换算系数是必须项
-DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:参考文件类型必须是销售订单之一,销售发票或手工凭证
-DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1忠诚度积分=多少本币?
+DocType: Production Plan Item,material_request_item,材料_需求_物料
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1120,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:参考文件类型必须是销售订单之一,销售发票或手工凭证
+DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1忠诚度积分=多少基本币?
 DocType: Salary Component,Deduction,扣除
 DocType: Item,Retain Sample,保留样品
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +109,Row {0}: From Time and To Time is mandatory.,行{0}:开始时间和结束时间必填。
 DocType: Stock Reconciliation Item,Amount Difference,金额差异
-apps/erpnext/erpnext/stock/get_item_details.py +412,Item Price added for {0} in Price List {1},物料价格{0}自动添加到价格清单{1}中了,以备以后订单使用
+apps/erpnext/erpnext/stock/get_item_details.py +416,Item Price added for {0} in Price List {1},物料价格{0}自动添加到价格清单{1}中了,以备以后订单使用
+DocType: Delivery Stop,Order Information,订单信息
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,请输入这个销售人员的员工标识
 DocType: Territory,Classification of Customers by region,客户按区域分类
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +78,In Production,在生产中
@@ -3044,8 +3072,8 @@
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,计算的银行对账单余额
 DocType: Normal Test Template,Normal Test Template,正常测试模板
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,已禁用用户
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +951,Quotation,报价
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +971,Cannot set a received RFQ to No Quote,无法将收到的询价单设置为无报价
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +970,Quotation,报价
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1034,Cannot set a received RFQ to No Quote,无法将收到的询价单设置为无报价
 DocType: Salary Slip,Total Deduction,扣除总额
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +22,Select an account to print in account currency,选择一个科目以科目币别进行打印
 ,Production Analytics,生产Analytics(分析)
@@ -3058,14 +3086,14 @@
 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,供应商记分卡设置
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +133,Assessment Plan Name,评估计划名称
 DocType: Work Order Operation,Work Order Operation,工单操作
-apps/erpnext/erpnext/stock/doctype/item/item.py +248,Warning: Invalid SSL certificate on attachment {0},警告:附件{0}中存在无效的SSL证书
+apps/erpnext/erpnext/stock/doctype/item/item.py +249,Warning: Invalid SSL certificate on attachment {0},警告:附件{0}中存在无效的SSL证书
 apps/erpnext/erpnext/utilities/activation.py +64,"Leads help you get business, add all your contacts and more as your leads",信息帮助你的业务,你所有的联系人和更添加为您的线索
 DocType: Work Order Operation,Actual Operation Time,实际操作时间
 DocType: Authorization Rule,Applicable To (User),适用于(用户)
 DocType: Purchase Taxes and Charges,Deduct,扣除
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +219,Job Description,职位描述
 DocType: Student Applicant,Applied,应用的
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +871,Re-open,重新打开
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +934,Re-open,重新打开
 DocType: Sales Invoice Item,Qty as per Stock UOM,按库存计量单位数量
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2名称
 DocType: Attendance,Attendance Request,考勤申请
@@ -3083,27 +3111,28 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},序列号{0}截至至{1}之前在保修内。
 DocType: Plant Analysis Criteria,Minimum Permissible Value,最小允许值
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +41,User {0} already exists,用户{0}已经存在
-apps/erpnext/erpnext/hooks.py +114,Shipments,发货
+apps/erpnext/erpnext/hooks.py +115,Shipments,发货
 DocType: Payment Entry,Total Allocated Amount (Company Currency),总拨款额(公司币种)
-DocType: Purchase Order Item,To be delivered to customer,由供应商直接出货给客户(直接发运)
+DocType: Purchase Order Item,To be delivered to customer,将出货给客户
 DocType: BOM,Scrap Material Cost,废料成本
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +243,Serial No {0} does not belong to any Warehouse,序列号{0}不属于任何仓库
 DocType: Grant Application,Email Notification Sent,电子邮件通知已发送
 DocType: Purchase Invoice,In Words (Company Currency),大写金额(公司货币)
-apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,公司是公司账户的管理者
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1021,"Item Code, warehouse, quantity are required on row",在行上需要物料代码,仓库,数量
+apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py +24,Company is manadatory for company account,公司是公司账户的强制项
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1084,"Item Code, warehouse, quantity are required on row",在该行上需要物料代码,仓库,数量
 DocType: Bank Guarantee,Supplier,供应商
 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +9,Get From,得到
 apps/erpnext/erpnext/hr/doctype/department/department.js +9,This is a root department and cannot be edited.,这是根部门,无法编辑。
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js +41,Show Payment Details,显示付款信息
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +53,Duration in Days,持续时间天数
 DocType: C-Form,Quarter,季
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +113,Miscellaneous Expenses,杂项费用
 DocType: Global Defaults,Default Company,默认公司
 DocType: Company,Transactions Annual History,交易年历
-apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,必须为物料{0}指定费用/差异科目。
+apps/erpnext/erpnext/controllers/stock_controller.py +231,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,必须为物料{0}指定费用/差异科目,因为会影响整个库存的价值。
 DocType: Bank,Bank Name,银行名称
 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +33,-Above,-天以上
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1200,Leave the field empty to make purchase orders for all suppliers,将该字段留空以为所有供应商下达采购订单
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1218,Leave the field empty to make purchase orders for all suppliers,将该字段留空以为所有供应商下达采购订单
 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,住院访问费用项目
 DocType: Vital Signs,Fluid,流体
 DocType: Leave Application,Total Leave Days,总休假天数
@@ -3113,13 +3142,13 @@
 apps/erpnext/erpnext/stock/doctype/item/item.js +107,Item Variant Settings,物料变式设置
 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +37,Select Company...,选择公司...
 DocType: Leave Control Panel,Leave blank if considered for all departments,如果针对所有部门请留空
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +495,{0} is mandatory for Item {1},{0}是{1}的必填项
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +506,{0} is mandatory for Item {1},{0}是{1}的必填项
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js +136,"Item {0}: {1} qty produced, ",项目{0}:{1}产生的数量,
 DocType: Payroll Entry,Fortnightly,半月刊
 DocType: Currency Exchange,From Currency,源货币
 DocType: Vital Signs,Weight (In Kilogram),体重(公斤)
 DocType: Chapter,"chapters/chapter_name
-leave blank automatically set after saving chapter.",保存章节后自动设置章节/章节名称。
+leave blank automatically set after saving chapter.",保留空白的章节/章节名称在保存章节后会自动设置。
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py +218,Please set GST Accounts in GST Settings,请在GST设置中设置GST科目
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js +46,Type of Business,业务类型
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +171,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",请ATLEAST一行选择分配金额,发票类型和发票号码
@@ -3163,7 +3192,7 @@
 DocType: Account,Fixed Asset,固定资产
 DocType: Amazon MWS Settings,After Date,日期之后
 apps/erpnext/erpnext/config/stock.py +327,Serialized Inventory,序列化库存
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1271,Invalid {0} for Inter Company Invoice.,Inter公司发票无效的{0}。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1169,Invalid {0} for Inter Company Invoice.,Inter公司发票无效的{0}。
 ,Department Analytics,部门分析
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +74,Email not found in default contact,在默认联系人中找不到电子邮件
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +23,Generate Secret,生成秘密
@@ -3182,6 +3211,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +111,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,缴纳税款
 DocType: Expense Claim Detail,Expense Claim Detail,报销信息
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py +15,Please setup Instructor Naming System in Education &gt; Education Settings,请在教育&gt;教育设置中设置教师命名系统
 DocType: Purchase Invoice,TRIPLICATE FOR SUPPLIER,供应商提供服务
 DocType: Exchange Rate Revaluation Account,New Balance In Base Currency,本币新余额
 DocType: Location,Is Container,是容器
@@ -3189,13 +3219,13 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +915,Please select correct account,请选择正确的科目
 DocType: Salary Structure Assignment,Salary Structure Assignment,薪资结构分配
 DocType: Purchase Invoice Item,Weight UOM,重量计量单位
-apps/erpnext/erpnext/config/accounts.py +500,List of available Shareholders with folio numbers,包含folio号码的可用股东名单
+apps/erpnext/erpnext/config/accounts.py +510,List of available Shareholders with folio numbers,包含folio号码的可用股东名单
 DocType: Salary Structure Employee,Salary Structure Employee,薪资结构员工
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Show Variant Attributes,显示变体属性
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +62,Show Variant Attributes,显示变体属性
 DocType: Student,Blood Group,血型
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +48,The payment gateway account in plan {0} is different from the payment gateway account in this payment request,计划{0}中的支付网关帐户与此付款请求中的支付网关帐户不同
 DocType: Course,Course Name,课程名
-apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +47,No Tax Withholding data found for the current Fiscal Year.,未找到当前财年的预扣税数据。
+apps/erpnext/erpnext/accounts/doctype/tax_withholding_category/tax_withholding_category.py +50,No Tax Withholding data found for the current Fiscal Year.,未找到当前财年的预扣税数据。
 DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,可以为特定用户批准假期的用户
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Office Equipments,办公设备
 DocType: Purchase Invoice Item,Qty,数量
@@ -3203,6 +3233,7 @@
 DocType: Supplier Scorecard,Scoring Setup,得分设置
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +24,Electronics,电子
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +359,Debit ({0}),借记卡({0})
+DocType: BOM,Allow Same Item Multiple Times,多次允许相同的项目
 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,当库存达到重订货点时提出物料申请
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +101,Full-time,全职
 DocType: Payroll Entry,Employees,员工
@@ -3214,11 +3245,11 @@
 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html +13,Payment Confirmation,付款确认
 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,价格将不会显示如果没有设置价格
 DocType: Stock Entry,Total Incoming Value,总收到金额
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +423,Debit To is required,借记是必需的
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +434,Debit To is required,借记是必需的
 DocType: Clinical Procedure,Inpatient Record,住院病历
-apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",工时单帮助追踪的时间,费用和结算由你的团队做activites
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,Purchase Price List,采购价格清单
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +161,Date of Transaction,交易日期
+apps/erpnext/erpnext/utilities/activation.py +109,"Timesheets help keep track of time, cost and billing for activites done by your team",工时单帮助追踪记录你的团队完成的时间,费用和活动的账单
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,Purchase Price List,采购价格清单
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +164,Date of Transaction,交易日期
 apps/erpnext/erpnext/config/buying.py +155,Templates of supplier scorecard variables.,供应商记分卡变数模板。
 DocType: Job Offer Term,Offer Term,录用通知条款
 DocType: Asset,Quality Manager,质量经理
@@ -3227,7 +3258,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,请选择Incharge人的名字
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +51,Technology,技术
 apps/erpnext/erpnext/public/js/utils.js +109,Total Unpaid: {0},总未付:{0}
-DocType: BOM Website Operation,BOM Website Operation,BOM网站运营
+DocType: BOM Website Operation,BOM Website Operation,物料清单网站运营
 DocType: Bank Statement Transaction Payment Item,outstanding_amount,未付金额
 DocType: Supplier Scorecard,Supplier Score,供应商分数
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +37,Schedule Admission,安排入场
@@ -3239,26 +3270,26 @@
 DocType: Cashier Closing,To Time,要时间
 apps/erpnext/erpnext/hr/utils.py +201,) for {0},)为{0}
 DocType: Authorization Rule,Approving Role (above authorized value),批准角色(上述授权值)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +142,Credit To account must be a Payable account,入贷科目必须是一个“应付”科目
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +147,Credit To account must be a Payable account,入贷科目必须是一个“应付”科目
 DocType: Loan,Total Amount Paid,总金额支付
 DocType: Asset,Insurance End Date,保险终止日期
-apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,请选择付费学生申请者必须入学的学生
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +364,BOM recursion: {0} cannot be parent or child of {2},BOM {0}不能是{2}的上级或下级
+apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +43,Please select Student Admission which is mandatory for the paid student applicant,请选择学生报到,这是对已付费学生申请者是强制性的
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +365,BOM recursion: {0} cannot be parent or child of {2},物料清单递归:{0}不能是{2}的上级或下级
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +40,Budget List,预算清单
 DocType: Work Order Operation,Completed Qty,已完成数量
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",对于{0},借方分录只能选择借方科目
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +180,"For {0}, only debit accounts can be linked against another credit entry",对于{0},只有借方分录可以与另一个借方科目链接
 DocType: Manufacturing Settings,Allow Overtime,允许加班
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",序列化项目{0}无法使用库存调节更新,请使用库存条目
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +149,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",序列化项目{0}无法使用库存调节更新,请使用库存条目
-DocType: Training Event Employee,Training Event Employee,员工
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1303,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,可以为批次{1}和物料{2}保留最大样本数量{0}。
-apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,添加时间插槽
+DocType: Training Event Employee,Training Event Employee,培训项目员工
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1295,Maximum Samples - {0} can be retained for Batch {1} and Item {2}.,可以为批次{1}和物料{2}保留最大样本数量{0}。
+apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +7,Add Time Slots,添加时间空挡
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +206,{0} Serial Numbers required for Item {1}. You have provided {2}.,物料{1}需要{0}的序列号。您已提供{2}。
 DocType: Stock Reconciliation Item,Current Valuation Rate,当前评估价
-DocType: Training Event,Advance,提前
+DocType: Training Event,Advance,预支
 apps/erpnext/erpnext/config/integrations.py +13,GoCardless payment gateway settings,GoCardless支付网关设置
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +129,Exchange Gain/Loss,汇兑损益
-DocType: Opportunity,Lost Reason,输的原因
+DocType: Opportunity,Lost Reason,遗失的原因
 DocType: Amazon MWS Settings,Enable Amazon,启用亚马逊
 apps/erpnext/erpnext/controllers/accounts_controller.py +312,Row #{0}: Account {1} does not belong to company {2},行#{0}:科目{1}不属于公司{2}
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +30,Unable to find DocType {0},无法找到DocType {0}
@@ -3268,7 +3299,7 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +411,All items have already been invoiced,所有物料已开具发票
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +49,Please specify a valid 'From Case No.',请指定一个有效的“从案号”
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,进一步的成本中心可以根据组进行,但项可以对非组进行
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +40,Total allocated leaves are more days than maximum allocation of {0} leave type for employee {1} in the period,在此期间,总分配的离职时间超过员工{1}的最大分配{0}离职类型的天数
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +40,Total allocated leaves are more days than maximum allocation of {0} leave type for employee {1} in the period,在此期间,合计分配的假期大于员工{1}的最大分配{0}离职类型的天数
 apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,用户和权限
 DocType: Branch,Branch,分支机构(分公司)
 DocType: Soil Analysis,Ca/(K+Ca+Mg),的Ca /(K +钙+镁)
@@ -3281,12 +3312,15 @@
 DocType: Shipping Rule,example: Next Day Shipping,例如:次日发货
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,序列号{0}未找到
 DocType: Fee Schedule Program,Fee Schedule Program,费用计划计划
-DocType: Fee Schedule Program,Student Batch,学生批
+DocType: Fee Schedule Program,Student Batch,学生批次
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +53,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","请删除员工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文档"
 apps/erpnext/erpnext/utilities/activation.py +119,Make Student,创建学生
 DocType: Supplier Scorecard Scoring Standing,Min Grade,最小成绩
 DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,医疗服务单位类型
-apps/erpnext/erpnext/projects/doctype/project/project.py +278,You have been invited to collaborate on the project: {0},您已被邀请在项目上进行合作:{0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +279,You have been invited to collaborate on the project: {0},您已被邀请在项目上进行合作:{0}
 DocType: Supplier Group,Parent Supplier Group,父供应商组
+DocType: Email Digest,Purchase Orders to Bill,需要开具账单的采购订单
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +47,Accumulated Values in Group Company,集团公司累计价值
 DocType: Leave Block List Date,Block Date,禁离日期
 DocType: Crop,Crop,作物
@@ -3299,6 +3333,7 @@
 DocType: Sales Order,Not Delivered,未交付
 ,Bank Clearance Summary,银行清帐汇总报表
 apps/erpnext/erpnext/config/setup.py +100,"Create and manage daily, weekly and monthly email digests.",创建和管理每日,每周和每月的电子邮件摘要。
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_dashboard.py +6,This is based on transactions against this Sales Person. See timeline below for details,这是基于针对此销售人员的交易。请参阅下面的时间表了解详情
 DocType: Appraisal Goal,Appraisal Goal,绩效评估指标
 DocType: Stock Reconciliation Item,Current Amount,电流量
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Buildings,房屋
@@ -3325,7 +3360,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +62,Softwares,软件
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +53,Next Contact Date cannot be in the past,接下来跟日期不能过去
 DocType: Company,For Reference Only.,仅供参考。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2594,Select Batch No,选择批号
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2592,Select Batch No,选择批号
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +79,Invalid {0}: {1},无效的{0}:{1}
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,参考发票
@@ -3343,16 +3378,16 @@
 DocType: Normal Test Items,Require Result Value,需要结果值
 DocType: Item,Show a slideshow at the top of the page,在页面顶部显示幻灯片
 DocType: Tax Withholding Rate,Tax Withholding Rate,税收预扣税率
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +545,Boms,物料清单
-apps/erpnext/erpnext/stock/doctype/item/item.py +177,Stores,仓库
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,Boms,物料清单
+apps/erpnext/erpnext/stock/doctype/item/item.py +178,Stores,仓库
 DocType: Project Type,Projects Manager,项目经理
 DocType: Serial No,Delivery Time,交货时间
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +45,Ageing Based On,账龄基于
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,预约被取消
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +103,Appointment cancelled,约定被取消
 DocType: Item,End of Life,寿命结束
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,出差
+apps/erpnext/erpnext/demo/setup/setup_data.py +344,Travel,出差
 DocType: Student Report Generation Tool,Include All Assessment Group,包括所有评估小组
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +264,No active or default Salary Structure found for employee {0} for the given dates,发现员工{0}对于给定的日期没有活动或默认的薪资结构
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +266,No active or default Salary Structure found for employee {0} for the given dates,发现员工{0}对于给定的日期没有活动或默认的薪资结构
 DocType: Leave Block List,Allow Users,允许用户(多个)
 DocType: Purchase Order,Customer Mobile No,客户手机号码
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,现金流量映射模板细节
@@ -3361,15 +3396,16 @@
 DocType: Rename Tool,Rename Tool,重命名工具
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +81,Update Cost,更新成本
 DocType: Item Reorder,Item Reorder,物料重新排序
+DocType: Delivery Note,Mode of Transport,交通方式
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +448,Show Salary Slip,显示工资单
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +810,Transfer Material,转印材料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +873,Transfer Material,转移材料
 DocType: Fees,Send Payment Request,发送付款申请
 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",设定流程,操作成本及向流程指定唯一的流程编号
 DocType: Travel Request,Any other details,任何其他细节
 DocType: Water Analysis,Origin,起源
-apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,这份文件是超过限制,通过{0} {1}项{4}。你在做另一个{3}对同一{2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1189,Please set recurring after saving,请设置保存后复发
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +879,Select change amount account,选择零钱科目
+apps/erpnext/erpnext/controllers/status_updater.py +207,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,这份文件超过对于项{4}的{0} {1}的限制。你在做针对同一的{2}另一个{3}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1216,Please set recurring after saving,请设置保存后复发
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +874,Select change amount account,选择零钱科目
 DocType: Purchase Invoice,Price List Currency,价格清单货币
 DocType: Naming Series,User must always select,用户必须始终选择
 DocType: Stock Settings,Allow Negative Stock,允许负库存
@@ -3378,21 +3414,22 @@
 DocType: Topic,Topic,话题
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +99,Cash Flow from Financing,融资现金流
 DocType: Budget Account,Budget Account,预算科目
-DocType: Quality Inspection,Verified By,认证机构
+DocType: Quality Inspection,Verified By,由...认证
 DocType: Travel Request,Name of Organizer,主办单位名称
 apps/erpnext/erpnext/setup/doctype/company/company.py +84,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",因为已有交易不能改变公司的默认货币,请先取消交易。
 DocType: Cash Flow Mapping,Is Income Tax Liability,是所得税责任
 DocType: Grading Scale Interval,Grade Description,等级说明
 DocType: Clinical Procedure,Is Invoiced,已开票
-DocType: Stock Entry,Purchase Receipt No,采购收货号码
+DocType: Stock Entry,Purchase Receipt No,采购收据号码
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +31,Earnest Money,保证金
 DocType: Sales Invoice, Shipping Bill Number,运费清单号码
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,可追溯性
 DocType: Asset Maintenance Log,Actions performed,已执行的操作
 DocType: Cash Flow Mapper,Section Leader,科长
+DocType: Delivery Note,Transport Receipt No,运输收据编号
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +144,Source of Funds (Liabilities),资金来源(负债)
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +52,Source and Target Location cannot be same,源和目标位置不能相同
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +526,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行{0}中的数量({1})必须等于生产数量{2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +518,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行{0}中的数量({1})必须等于生产数量{2}
 DocType: Supplier Scorecard Scoring Standing,Employee,员工
 DocType: Bank Guarantee,Fixed Deposit Number,定期存款编号
 DocType: Asset Repair,Failure Date,失败日期
@@ -3406,16 +3443,17 @@
 DocType: Payment Entry,Payment Deductions or Loss,付款扣除或损失
 DocType: Soil Analysis,Soil Analysis Criterias,土壤分析标准
 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,销售或采购的标准合同条款。
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +326,Are you sure you want to cancel this appointment?,你确定要取消这个预约吗?
+DocType: BOM Item,Item operation,物品操作
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +327,Are you sure you want to cancel this appointment?,你确定要取消这个预约吗?
 DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,酒店房间价格套餐
-apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,销售渠道
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},请薪资部分设置默认科目{0}
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +42,Sales Pipeline,销售渠道
+apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +163,Please set default account in Salary Component {0},请在薪资组件设置默认科目{0}
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,要求在
 DocType: Rename Tool,File to Rename,文件重命名
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +200,Please select BOM for Item in Row {0},请为第{0}行的物料指定物料清单
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +13,Fetch Subscription Updates,获取订阅更新
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},科目{0}与科目模式{2}中的公司{1}不符
-apps/erpnext/erpnext/controllers/buying_controller.py +706,Specified BOM {0} does not exist for Item {1},物料{1}指定的BOM{0}不存在
+apps/erpnext/erpnext/controllers/buying_controller.py +707,Specified BOM {0} does not exist for Item {1},物料{1}指定的BOM{0}不存在
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +301,Course: ,课程:
 DocType: Soil Texture,Sandy Loam,桑迪Loam
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +242,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护计划{0}
@@ -3424,15 +3462,16 @@
 DocType: Notification Control,Expense Claim Approved,费用报销已批准
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),设置进度和分配(FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +231,No Work Orders created,没有创建工单
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,Salary Slip of employee {0} already created for this period,员工的工资单{0}已为这一时期创建
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +403,Salary Slip of employee {0} already created for this period,员工的工资单{0}已为这一时期创建
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +144,Pharmaceutical,医药
 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py +24,You can only submit Leave Encashment for a valid encashment amount,假期折现的折现金额不正确
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,采购物料成本
 DocType: Employee Separation,Employee Separation Template,员工离职模板
 DocType: Selling Settings,Sales Order Required,销售订单为必须项
 apps/erpnext/erpnext/public/js/hub/marketplace.js +107,Become a Seller,成为卖家
-DocType: Purchase Invoice,Credit To,入贷
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,活动信息/客户
+DocType: Purchase Invoice,Credit To,贷记
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Active Leads / Customers,活动信息/客户
+DocType: Delivery Settings,Leave blank to use the standard Delivery Note format,留空以使用标准的交货单格式
 DocType: Employee Education,Post Graduate,研究生
 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,维护计划细节
 DocType: Supplier Scorecard,Warn for new Purchase Orders,警告新的采购订单
@@ -3440,29 +3479,29 @@
 DocType: Supplier,Is Frozen,被冻结
 apps/erpnext/erpnext/stock/utils.py +248,Group node warehouse is not allowed to select for transactions,组节点仓库不允许选择用于交易
 DocType: Buying Settings,Buying Settings,采购设置
-DocType: Stock Entry Detail,BOM No. for a Finished Good Item,成品物料的BOM编号
+DocType: Stock Entry Detail,BOM No. for a Finished Good Item,成品物料的物料清单编号
 DocType: Upload Attendance,Attendance To Date,考勤结束日期
 DocType: Request for Quotation Supplier,No Quote,没有报价
 DocType: Support Search Source,Post Title Key,帖子标题密钥
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +232,For Job Card,对于工作卡
 DocType: Warranty Claim,Raised By,提出
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1533,Prescriptions,处方
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1552,Prescriptions,处方
 DocType: Payment Gateway Account,Payment Account,付款帐号
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1041,Please specify Company to proceed,请注明公司进行
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1105,Please specify Company to proceed,请注明公司进行
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +81,Net Change in Accounts Receivable,应收账款净额变化
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +91,Compensatory Off,补假
 DocType: Job Offer,Accepted,已接受
 DocType: POS Closing Voucher,Sales Invoices Summary,销售发票摘要
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +222,To Party Name,到党名
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +225,To Party Name,到党名
 DocType: Grant Application,Organization,组织
-DocType: BOM Update Tool,BOM Update Tool,BOM更新工具
+DocType: BOM Update Tool,BOM Update Tool,物料清单更新工具
 DocType: SG Creation Tool Course,Student Group Name,学生组名称
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js +23,Show exploded view,显示爆炸视图
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +7,Creating Fees,创造费用
 apps/erpnext/erpnext/setup/doctype/company/company.js +111,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,请确保你真的要删除这家公司的所有交易。主数据将保持原样。这个动作不能撤消。
 apps/erpnext/erpnext/templates/pages/product_search.html +21,Search Results,搜索结果
 DocType: Room,Room Number,房间号
-apps/erpnext/erpnext/utilities/transaction_base.py +101,Invalid reference {0} {1},无效的参考{0} {1}
+apps/erpnext/erpnext/utilities/transaction_base.py +112,Invalid reference {0} {1},无效的参考{0} {1}
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +187,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} {1}不能大于生产订单{3}的计划数量({2})
 DocType: Shipping Rule,Shipping Rule Label,配送规则标签
 DocType: Journal Entry Account,Payroll Entry,工资计算
@@ -3470,8 +3509,8 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +55,Make Tax Template,创建税收模板
 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,用户论坛
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +328,Raw Materials cannot be blank.,原材料不能为空。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1030,Row #{0} (Payment Table): Amount must be negative,行#{0}(付款表):金额必须为负数
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,"Could not update stock, invoice contains drop shipping item.",无法更新库存,发票包含由供应商交货(直接发运)项目。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be negative,行#{0}(付款表):金额必须为负数
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +570,"Could not update stock, invoice contains drop shipping item.",无法更新库存,发票包含由供应商交货(直接发运)项目。
 DocType: Contract,Fulfilment Status,履行状态
 DocType: Lab Test Sample,Lab Test Sample,实验室测试样品
 DocType: Item Variant Settings,Allow Rename Attribute Value,允许重命名属性值
@@ -3484,7 +3523,7 @@
 DocType: Support Settings,Response Key List,响应密钥列表
 DocType: Job Card,For Quantity,数量
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +205,Please enter Planned Qty for Item {0} at row {1},请输入计划数量的项目{0}在行{1}
-DocType: Support Search Source,API,API
+DocType: Support Search Source,API,应用程序界面
 DocType: Support Search Source,Result Preview Field,结果预览字段
 DocType: Item Price,Packing Unit,包装单位
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +273,{0} {1} is not submitted,{0} {1}未提交
@@ -3498,9 +3537,9 @@
 DocType: Employee Tax Exemption Proof Submission,Submission Date,提交日期
 ,Minutes to First Response for Issues,问题首次响应(分钟)
 DocType: Purchase Invoice,Terms and Conditions1,条款和条件1
-apps/erpnext/erpnext/public/js/setup_wizard.js +109,The name of the institute for which you are setting up this system.,该机构的名称要为其建立这个系统。
-DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",会计凭证冻结截止至此日期,除了以下角色外,其它用户被禁止录入/修改。
-apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,9 。考虑税收或支出:在本部分中,您可以指定,如果税务/充电仅适用于估值(总共不一部分) ,或只为总(不增加价值的项目) ,或两者兼有。
+apps/erpnext/erpnext/public/js/setup_wizard.js +109,The name of the institute for which you are setting up this system.,对于要为其建立这个系统的该机构的名称。
+DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",会计凭证冻结截止至此日期,除了以下用户外,其它用户被禁止录入/修改。
+apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,请在生成维护计划前保存文件
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js +45,Latest price updated in all BOMs,最新价格在所有BOM中更新
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,项目状态
 DocType: UOM,Check this to disallow fractions. (for Nos),要对编号禁止分数,请勾选此项。
@@ -3513,16 +3552,16 @@
 DocType: BOM,Show Operations,显示操作
 ,Minutes to First Response for Opportunity,机会首次响应(分钟)
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +97,Total Absent,共缺勤
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1068,Item or Warehouse for row {0} does not match Material Request,行{0}中的项目或仓库与物料申请不符合
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1060,Item or Warehouse for row {0} does not match Material Request,行{0}中的项目或仓库与物料申请不符合
 apps/erpnext/erpnext/config/stock.py +194,Unit of Measure,计量单位
 DocType: Fiscal Year,Year End Date,年度结束日期
 DocType: Task Depends On,Task Depends On,前置任务
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1013,Opportunity,机会
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +1076,Opportunity,机会
 DocType: Operation,Default Workstation,默认工作台
 DocType: Notification Control,Expense Claim Approved Message,报销批准消息
 DocType: Payment Entry,Deductions or Loss,扣除或损失
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +279,{0} {1} is closed,{0} {1} 已关闭
-DocType: Email Digest,How frequently?,频率?
+DocType: Email Digest,How frequently?,多快的频率?
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js +56,Total Collected: {0},总计:{0}
 DocType: Purchase Receipt,Get Current Stock,获取当前库存
 DocType: Purchase Invoice,ineligible,不合格
@@ -3535,7 +3574,7 @@
 DocType: Share Transfer,From Shareholder,来自股东
 DocType: Project,% Complete Method,完成百分比法
 apps/erpnext/erpnext/healthcare/setup.py +180,Drug,药物
-apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +200,Maintenance start date can not be before delivery date for Serial No {0},序列号为{0}的开始日期不能早于交付日期
+apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +200,Maintenance start date can not be before delivery date for Serial No {0},维护的开始日期不能早于序列号为{0}的交付日期
 DocType: Job Card,Actual End Date,实际结束日期
 DocType: Cash Flow Mapping,Is Finance Cost Adjustment,财务成本调整
 DocType: BOM,Operating Cost (Company Currency),营业成本(公司货币)
@@ -3549,38 +3588,38 @@
 DocType: Company,Fixed Asset Depreciation Settings,固定资产折旧设置
 DocType: Item,Will also apply for variants unless overrridden,除非手动指定,否则会同时应用于变体
 DocType: Purchase Invoice,Advances,进展
-DocType: Work Order,Manufacture against Material Request,为物料需求生产
+DocType: Work Order,Manufacture against Material Request,针对材料需求的生产
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +17,Assessment Group: ,评估组:
 DocType: Item Reorder,Request for,需求目的
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,审批与被审批用户不能相同
 DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),库存评估价(按库存计量单位)
 DocType: SMS Log,No of Requested SMS,请求短信数量
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +326,Leave Without Pay does not match with approved Leave Application records,停薪留职不批准请假的记录相匹配
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +328,Leave Without Pay does not match with approved Leave Application records,停薪留职不批准请假的记录相匹配
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,下一步
 DocType: Travel Request,Domestic,国内
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,Please supply the specified items at the best possible rates,请在提供最好的利率规定的项目
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +846,Please supply the specified items at the best possible rates,请在提供最好的利率规定的项目
 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py +19,Employee Transfer cannot be submitted before Transfer Date ,员工变动无法在变动日期前提交
 DocType: Certification Application,USD,美元
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js +7,Make Invoice,创建发票
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +103,Remaining Balance,余额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +104,Remaining Balance,余额
 DocType: Selling Settings,Auto close Opportunity after 15 days,15天之后自动关闭商机
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,由于{1}的记分卡,{0}不允许采购订单。
-apps/erpnext/erpnext/stock/doctype/item/item.py +515,Barcode {0} is not a valid {1} code,条形码{0}不是有效的{1}代码
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +83,Purchase Orders are not allowed for {0} due to a scorecard standing of {1}.,由于{1}的记分卡状态,{0}不允许采购订单。
+apps/erpnext/erpnext/stock/doctype/item/item.py +516,Barcode {0} is not a valid {1} code,条形码{0}不是有效的{1}代码
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +25,End Year,结束年份
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,报价/铅%
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,报价/线索%
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +134,Contract End Date must be greater than Date of Joining,合同结束日期必须大于加入的日期
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +141,Contract End Date must be greater than Date of Joining,合同结束日期必须大于加入的日期
 DocType: Driver,Driver,司机
 DocType: Vital Signs,Nutrition Values,营养价值观
 DocType: Lab Test Template,Is billable,是可计费的
-DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,授权销售公司产品的第三方分销商/经销商/授权代理商/分支机构/转销商
+DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,被授权销售公司产品以赚取佣金的第三方分销商/经销商/授权代理商/分支机构/转销商
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +412,{0} against Purchase Order {1},{0}不允许采购订单{1}
 DocType: Patient,Patient Demographics,患者人口统计学
 DocType: Task,Actual Start Date (via Time Sheet),实际开始日期(通过工时单)
-apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,这是一个示例网站从ERPNext自动生成
+apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,这是一个从ERPNext自动生成的示例网站
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +55,Ageing Range 1,账龄范围1
 DocType: Shopify Settings,Enable Shopify,启用Shopify
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +219,Total advance amount cannot be greater than total claimed amount,总预付金额不能超过申报总额
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +220,Total advance amount cannot be greater than total claimed amount,总预付金额不能超过申报总额
 DocType: Purchase Taxes and Charges Template,"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
@@ -3618,13 +3657,13 @@
 DocType: Grant Application,Grant Application Details ,授予申请细节
 DocType: Employee Separation,Employee Separation,员工离职
 DocType: BOM Item,Original Item,原物料
-DocType: Purchase Receipt Item,Recd Quantity,记录数量
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +167,Doc Date,Doc Date
-apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},费纪录创造 -  {0}
+DocType: Purchase Receipt Item,Recd Quantity,收到的数量
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +170,Doc Date,Doc Date
+apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +64,Fee Records Created - {0},费纪录已建立 -  {0}
 DocType: Asset Category Account,Asset Category Account,资产类别的科目
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1025,Row #{0} (Payment Table): Amount must be positive,行#{0}(付款表):金额必须为正值
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1020,Row #{0} (Payment Table): Amount must be positive,行#{0}(付款表):金额必须为正值
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +137,Cannot produce more Item {0} than Sales Order quantity {1},不能生产超过销售订单数量{1}的物料{0}
-apps/erpnext/erpnext/stock/doctype/item/item.js +422,Select Attribute Values,选择属性值
+apps/erpnext/erpnext/stock/doctype/item/item.js +440,Select Attribute Values,选择属性值
 DocType: Purchase Invoice,Reason For Issuing document,签发文件的原因
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +583,Stock Entry {0} is not submitted,手工库存移动{0}不提交
 DocType: Payment Reconciliation,Bank / Cash Account,银行/现金账户
@@ -3633,12 +3672,14 @@
 DocType: Asset,Manual,手册
 DocType: Salary Component Account,Salary Component Account,薪资构成科目
 DocType: Global Defaults,Hide Currency Symbol,隐藏货币符号
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +281,Sales Opportunities by Source,来源的销售机会
 apps/erpnext/erpnext/config/non_profit.py +58,Donor information.,捐助者信息。
-apps/erpnext/erpnext/config/accounts.py +358,"e.g. Bank, Cash, Credit Card",例如:银行,现金,信用卡
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +89,Please setup numbering series for Attendance via Setup &gt; Numbering Series,请通过设置&gt;编号系列设置出席编号系列
+apps/erpnext/erpnext/config/accounts.py +368,"e.g. Bank, Cash, Credit Card",例如:银行,现金,信用卡
 DocType: Job Applicant,Source Name,源名称
 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",成年人的正常静息血压约为收缩期120mmHg,舒张压80mmHg,缩写为“120 / 80mmHg”
 apps/erpnext/erpnext/stock/doctype/batch/batch.py +124,"Set items shelf life in days, to set expiry based on manufacturing_date plus self life",以天为单位设置货架保质期,根据manufacturing_date加上自我生命设置到期日
-DocType: Journal Entry,Credit Note,退款单
+DocType: Journal Entry,Credit Note,换货凭单
 DocType: Projects Settings,Ignore Employee Time Overlap,忽略员工时间重叠
 DocType: Warranty Claim,Service Address,服务地址
 DocType: Asset Maintenance Task,Calibration,校准
@@ -3649,7 +3690,7 @@
 DocType: Travel Request,Travel Type,出差类型
 DocType: Item,Manufacture,生产
 DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.-
-apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Company,安装公司
+apps/erpnext/erpnext/utilities/user_progress.py +27,Setup Company,设置公司
 ,Lab Test Report,实验室测试报表
 DocType: Employee Benefit Application,Employee Benefit Application,员工福利申请
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,请先选择销售出货单
@@ -3660,11 +3701,11 @@
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +115,Clearance Date not mentioned,请填写清帐日期
 DocType: Payroll Period,Taxable Salary Slabs,应税工资累进税率表
 apps/erpnext/erpnext/config/manufacturing.py +7,Production,生产
-DocType: Guardian,Occupation,占用
+DocType: Guardian,Occupation,职业
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +210,For Quantity must be less than quantity {0},对于数量必须小于数量{0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,行{0} :开始日期必须是之前结束日期
 DocType: Salary Component,Max Benefit Amount (Yearly),最大福利金额(每年)
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +116,TDS Rate %,TDS率%
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +118,TDS Rate %,TDS率%
 DocType: Crop,Planting Area,种植面积
 apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),总计(数量)
 DocType: Installation Note Item,Installed Qty,已安装数量
@@ -3686,8 +3727,8 @@
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py +7,Leave Approval Notification,休假已批准通知
 DocType: Buying Settings,Default Buying Price List,默认采购价格清单
 DocType: Payroll Entry,Salary Slip Based on Timesheet,基于工时单
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +49,Buying Rate,采购价
-apps/erpnext/erpnext/controllers/buying_controller.py +589,Row {0}: Enter location for the asset item {1},行{0}:请为第{0}行的资产,即物料号{1}输入位置信息
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +55,Buying Rate,采购价
+apps/erpnext/erpnext/controllers/buying_controller.py +590,Row {0}: Enter location for the asset item {1},行{0}:请为第{0}行的资产,即物料号{1}输入位置信息
 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.-
 DocType: Company,About the Company,关于公司
 DocType: Notification Control,Sales Order Message,销售订单信息
@@ -3718,7 +3759,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +24,Duplicate Entry. Please check Authorization Rule {0},重复的条目,请检查授权规则{0}
 DocType: Journal Entry Account,Reference Due Date,参考到期日
 DocType: Purchase Order,Ref SQ,参考SQ
-DocType: Leave Type,Applicable After (Working Days),申请休假前最少工作天数
+DocType: Leave Type,Applicable After (Working Days),(最少工作天数)后适用
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +55,Receipt document must be submitted,收到文件必须提交
 DocType: Purchase Invoice Item,Received Qty,收到数量
 DocType: Stock Entry Detail,Serial No / Batch,序列号/批次
@@ -3732,7 +3773,7 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +215,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',维护计划没有为所有物料生成,请点击“生产计划”
 ,To Produce,以生产
 DocType: Leave Encashment,Payroll,工资表
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +209,"For row {0} in {1}. To include {2} in Item rate, rows {3} must also be included",对于行{0} {1}。以包括{2}中的档案速率,行{3}也必须包括
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +209,"For row {0} in {1}. To include {2} in Item rate, rows {3} must also be included",对于{1}中的行{0}。要包括物料率中{2},行{3}也必须包括
 DocType: Healthcare Service Unit,Parent Service Unit,家长服务单位
 apps/erpnext/erpnext/utilities/activation.py +101,Make User,创建用户
 DocType: Packing Slip,Identification of the package for the delivery (for print),打包物料的标志(用于打印)
@@ -3743,9 +3784,9 @@
 DocType: Bank Reconciliation,Include POS Transactions,包括POS交易
 DocType: Purchase Invoice,Inter Company Invoice Reference,Inter公司发票参考
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +883,Please select an item in the cart,请在购物车中选择一个项目
-DocType: Landed Cost Voucher,Purchase Receipt Items,采购入库项
+DocType: Landed Cost Voucher,Purchase Receipt Items,采购收据项
 apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,自定义表单
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +77,Arrear,拖欠
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +77,Arrear,欠款
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Depreciation Amount during the period,期间折旧额
 DocType: Sales Invoice,Is Return (Credit Note),是退货?(退款单)
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js +26,Start Job,开始工作
@@ -3754,41 +3795,43 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +290,For row {0}: Enter planned qty,对于行{0}:输入计划的数量
 DocType: Account,Income Account,收入科目
 DocType: Payment Request,Amount in customer's currency,量客户的货币
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery,交货
-DocType: Volunteer,Weekdays,平日
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +880,Delivery,交货
+DocType: Volunteer,Weekdays,工作日
 DocType: Stock Reconciliation Item,Current Qty,目前数量
 DocType: Restaurant Menu,Restaurant Menu,餐厅菜单
+apps/erpnext/erpnext/public/js/event.js +23,Add Suppliers,添加供应商
 DocType: Sales Invoice,ACC-SINV-.YYYY.-,ACC-SINV-.YYYY.-
-DocType: Loyalty Program,Help Section,帮助科
+DocType: Loyalty Program,Help Section,帮助部分
 apps/erpnext/erpnext/templates/generators/item_group.html +26,Prev,上一页
 DocType: Appraisal Goal,Key Responsibility Area,关键责任范围
-apps/erpnext/erpnext/utilities/activation.py +127,"Student Batches help you track attendance, assessments and fees for students",学生批帮助您跟踪学生的出勤,评估和费用
+apps/erpnext/erpnext/utilities/activation.py +127,"Student Batches help you track attendance, assessments and fees for students",学生批次帮助您跟踪学生的出勤,评估和费用
 DocType: Payment Entry,Total Allocated Amount,总已分配金额
 apps/erpnext/erpnext/setup/doctype/company/company.py +163,Set default inventory account for perpetual inventory,设置永续库存模式下的默认库存科目
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +261,"Cannot deliver Serial No {0} of item {1} as it is reserved to \
-												fullfill Sales Order {2}",无法提供项目{1}的序列号{0},因为它保留在\ fullfill销售订单{2}中
-DocType: Item Reorder,Material Request Type,物料申请类型
+												fullfill Sales Order {2}",无法提供项目{1}的序列号{0},因为它保留在\ 以满足销售订单{2}中
+DocType: Item Reorder,Material Request Type,材料申请类型
 apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.js +17,Send Grant Review Email,发送格兰特回顾邮件
-apps/erpnext/erpnext/accounts/page/pos/pos.js +861,"LocalStorage is full, did not save",存储空间已满,未保存
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Row {0}: UOM Conversion Factor is mandatory,行{0}:计量单位转换系数是必需的
+apps/erpnext/erpnext/accounts/page/pos/pos.js +859,"LocalStorage is full, did not save",本地存储空间已满,未保存
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +130,Row {0}: UOM Conversion Factor is mandatory,行{0}:计量单位转换系数是必需的
 DocType: Employee Benefit Claim,Claim Date,申报日期
 apps/erpnext/erpnext/utilities/user_progress.py +235,Room Capacity,房间容量
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +28,Already record exists for the item {0},物料{0}已存在
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +28,Ref,参考
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +48,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,您将失去先前生成的发票记录。您确定要重新启用此订阅吗?
+DocType: Lab Test,LP-,LP-
 DocType: Healthcare Settings,Registration Fee,注册费用
 DocType: Loyalty Program Collection,Loyalty Program Collection,忠诚度计划集
 DocType: Stock Entry Detail,Subcontracted Item,外包物料
 apps/erpnext/erpnext/education/__init__.py +9,Student {0} does not belong to group {1},学生{0}不属于组{1}
 DocType: Budget,Cost Center,成本中心
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +45,Voucher #,凭证 #
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +57,Voucher #,凭证 #
 DocType: Notification Control,Purchase Order Message,采购订单的消息
-DocType: Tax Rule,Shipping Country,航运国家
+DocType: Tax Rule,Shipping Country,起运国家
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,从销售交易隐藏客户的纳税登记号
 DocType: Upload Attendance,Upload HTML,上传HTML
 DocType: Employee,Relieving Date,离职日期
 DocType: Purchase Invoice,Total Quantity,总数量
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",定价规则是由覆盖价格清单/定义折扣百分比,基于某些条件。
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",定价规则是由覆盖价格清单/定义折扣百分比,基于某些条件制定的。
 DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,仓库信息只能通过手工库存移动/销售出货/采购收货来修改
 DocType: Employee Education,Class / Percentage,类/百分比
 DocType: Shopify Settings,Shopify Settings,Shopify设置
@@ -3796,31 +3839,30 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +122,Head of Marketing and Sales,营销和销售主管
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +75,Income Tax,所得税
 apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,轨道信息通过行业类型。
-apps/erpnext/erpnext/utilities/user_progress.py +101,Go to Letterheads,去信头
+apps/erpnext/erpnext/utilities/user_progress.py +101,Go to Letterheads,转到信头
 DocType: Subscription,Cancel At End Of Period,在期末取消
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +114,Property already added,已添加属性
 DocType: Item Supplier,Item Supplier,物料供应商
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1290,Please enter Item Code to get batch no,请输入物料代码,以获得批号
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +910,Please select a value for {0} quotation_to {1},请选择一个值{0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1317,Please enter Item Code to get batch no,请输入物料代码,以获得批号
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +928,Please select a value for {0} quotation_to {1},请选择一个值{0} quotation_to {1}
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +432,No Items selected for transfer,请选择物料
 apps/erpnext/erpnext/config/selling.py +46,All Addresses.,所有地址。
 DocType: Company,Stock Settings,库存设置
-apps/erpnext/erpnext/accounts/doctype/account/account.py +239,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合并是唯一可能的,如果以下属性中均有记载相同。是群组,根类型,公司
+apps/erpnext/erpnext/accounts/doctype/account/account.py +244,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合并只能在以下属性中在两个记录中相同。是群组,根类型,公司
 DocType: Vehicle,Electric,电动
 DocType: Task,% Progress,%进展
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Gain/Loss on Asset Disposal,在资产处置收益/损失
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js +24,"Only the Student Applicant with the status ""Approved"" will be selected in the table below.",下表中将只选择状态为“已批准”的学生申请人。
 DocType: Tax Withholding Category,Rates,价格
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +118,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,科目{0}的科目号码不可用。 <br>请正确设置您的会计科目表。
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +121,Account number for account {0} is not available.<br> Please setup your Chart of Accounts correctly.,科目{0}的科目号码不可用。 <br>请正确设置您的会计科目表。
 DocType: Task,Depends on Tasks,前置任务
 apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,管理客户群组
 DocType: Normal Test Items,Result Value,结果值
 DocType: Hotel Room,Hotels,酒店
-DocType: Delivery Note,Transporter Date,运输者日期
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,新建成本中心名称
 DocType: Leave Control Panel,Leave Control Panel,休假控制面板
 DocType: Project,Task Completion,任务完成
-apps/erpnext/erpnext/templates/includes/product_page.js +31,Not in Stock,断货
+apps/erpnext/erpnext/templates/includes/product_page.js +31,Not in Stock,仓库无货
 DocType: Volunteer,Volunteer Skills,志愿者技能
 DocType: Additional Salary,HR User,HR用户
 DocType: Bank Guarantee,Reference Document Name,参考文件名称
@@ -3863,19 +3905,20 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +229,All Assessment Groups,所有评估组
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,新仓库名称
 DocType: Shopify Settings,App Type,应用类型
-apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +381,Total {0} ({1}),总{0}({1})
+apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +384,Total {0} ({1}),总{0}({1})
 DocType: C-Form Invoice Detail,Territory,区域
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,请注明无需访问
 DocType: Stock Settings,Default Valuation Method,默认估值方法
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +26,Fee,费用
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +59,Show Cumulative Amount,显示累计金额
 apps/erpnext/erpnext/setup/doctype/company/company.js +174,Update in progress. It might take a while.,正在更新。请稍等。
 DocType: Production Plan Item,Produced Qty,生产数量
 DocType: Vehicle Log,Fuel Qty,燃油数量
 DocType: Stock Entry,Target Warehouse Name,目标仓库名称
 DocType: Work Order Operation,Planned Start Time,计划开始时间
-DocType: Course,Assessment,评定
+DocType: Course,Assessment,评估
 DocType: Payment Entry Reference,Allocated,已分配
-apps/erpnext/erpnext/config/accounts.py +295,Close Balance Sheet and book Profit or Loss.,关闭资产负债表,记帐到损益表。
+apps/erpnext/erpnext/config/accounts.py +305,Close Balance Sheet and book Profit or Loss.,关闭资产负债表,记帐到损益表。
 DocType: Student Applicant,Application Status,应用现状
 DocType: Additional Salary,Salary Component Type,薪资组件类型
 DocType: Sensitivity Test Items,Sensitivity Test Items,灵敏度测试项目
@@ -3886,10 +3929,11 @@
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +132,Total Outstanding Amount,总待处理金额
 DocType: Sales Partner,Targets,目标
 apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].js +40,Please register the SIREN number in the company information file,请在公司信息文件中注册SIREN号码
+DocType: Email Digest,Sales Orders to Bill,比尔的销售订单
 DocType: Price List,Price List Master,价格清单主数据
 DocType: GST Account,CESS Account,CESS科目
 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,所有的销售交易都可以标记多个**销售人员**,方便你设置和监控目标。
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1114,Link to Material Request,链接到材料请求
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1177,Link to Material Request,链接到材料请求
 apps/erpnext/erpnext/templates/pages/help.html +35,Forum Activity,论坛活动
 ,S.O. No.,销售订单号
 DocType: Bank Statement Transaction Settings Item,Bank Statement Transaction Settings Item,银行对账单交易设置项目
@@ -3901,10 +3945,10 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +46,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,仅可以提交状态为“已批准”和“已拒绝”的休假申请
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +52,Student Group Name is mandatory in row {0},学生组名称是强制性的行{0}
 DocType: Homepage,Products to be shown on website homepage,在网站首页中显示的产品
-apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,ERPNext是一个开源的基于Web的ERP系统通过网络注技术私人有限公司向提供集成的工具,在一个小的组织管理大多数进程。有关Web注释,或采购托管楝更多信息,请访问
+apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,这是一个根客户组,并且不能编辑。
 DocType: Student,AB-,AB-
 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,采购订单上累计每月预算超出时的操作
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +246,To Place,放置
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +249,To Place,放置
 DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,汇率重估
 DocType: POS Profile,Ignore Pricing Rule,忽略定价规则
 DocType: Employee Education,Graduate,研究生
@@ -3941,6 +3985,7 @@
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py +27,Please set default customer in Restaurant Settings,请在“餐厅设置”中设置默认客户
 ,Salary Register,工资台账
 DocType: Warehouse,Parent Warehouse,父仓库
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +41,Chart,图表
 DocType: Subscription,Net Total,总净
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +527,Default BOM not found for Item {0} and Project {1},物料{0}和物料{1}找不到默认BOM
 apps/erpnext/erpnext/config/non_profit.py +74,Define various loan types,定义不同的贷款类型
@@ -3954,7 +3999,7 @@
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +66,Could not solve criteria score function for {0}. Make sure the formula is valid.,无法解决{0}的标准分数函数。确保公式有效。
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost as on,成本上
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +34,Repayment amount {} should be greater than monthly interest amount {},还款金额{}应大于每月的利息金额{}
-DocType: Healthcare Settings,Out Patient Settings,出患者设置
+DocType: Healthcare Settings,Out Patient Settings,不住院患者设置
 DocType: Account,Round Off,四舍五入
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +305,Quantity must be positive,数量必须是正数
 DocType: Material Request Plan Item,Requested Qty,需求数量
@@ -3969,28 +4014,30 @@
 DocType: Maintenance Visit,Purposes,用途
 DocType: Stock Entry,MAT-STE-.YYYY.-,MAT-STE-.YYYY.-
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,在退货凭证中至少一个物料的数量应该是负数
-apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",操作{0}比任何可用的工作时间更长工作站{1},分解成运行多个操作
+apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",在工作站,操作{0}比任何可用的工作时间更长{1},分解成运行多个操作
 DocType: Membership,Membership Status,成员身份
 DocType: Travel Itinerary,Lodging Required,需要住宿
 ,Requested,要求
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +117,No Remarks,暂无说明
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +121,No Remarks,暂无说明
 DocType: Asset,In Maintenance,在维护中
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,单击此按钮可从亚马逊MWS中提取销售订单数据。
 DocType: Vital Signs,Abdomen,腹部
 DocType: Purchase Invoice,Overdue,逾期
 DocType: Account,Stock Received But Not Billed,已收货未开票/在途物资:/GR/IR
-apps/erpnext/erpnext/accounts/doctype/account/account.py +86,Root Account must be a group,根科目必须是一组
+apps/erpnext/erpnext/accounts/doctype/account/account.py +91,Root Account must be a group,根科目必须是一组
 DocType: Drug Prescription,Drug Prescription,药物处方
 DocType: Loan,Repaid/Closed,偿还/关闭
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,预计总数量
 DocType: Monthly Distribution,Distribution Name,分配名称
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js +56,Include UOM,包括基本计量单位
 apps/erpnext/erpnext/stock/stock_ledger.py +478,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",对于{1} {2}进行会计分录所需的项目{0},找不到估值。如果该项目在{1}中作为零评估价项目进行交易,请在{1}项目表中提及。否则,请在项目记录中创建货物的进货库存交易或提交估值费率,然后尝试提交/取消此条目
 DocType: Course,Course Code,课程代码
 apps/erpnext/erpnext/controllers/stock_controller.py +341,Quality Inspection required for Item {0},物料{0}要求质量检验
 DocType: Location,Parent Location,父位置
 DocType: POS Settings,Use POS in Offline Mode,在离线模式下使用POS
 DocType: Supplier Scorecard,Supplier Variables,供应商变量
+apps/erpnext/erpnext/accounts/page/pos/pos.js +77,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0}是强制性的。可能没有为{1}到{2}创建货币兑换记录
 DocType: Quotation,Rate at which customer's currency is converted to company's base currency,客户的货币转换为公司的本币后的单价
 DocType: Purchase Invoice Item,Net Rate (Company Currency),净单价(公司货币)
 DocType: Salary Detail,Condition and Formula Help,条件和公式帮助
@@ -3999,19 +4046,19 @@
 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,销售发票
 DocType: Journal Entry Account,Party Balance,往来单位余额
 DocType: Cash Flow Mapper,Section Subtotal,部分小计
-apps/erpnext/erpnext/accounts/page/pos/pos.js +502,Please select Apply Discount On,请选择适用的折扣
+apps/erpnext/erpnext/accounts/page/pos/pos.js +500,Please select Apply Discount On,请选择适用的折扣
 DocType: Stock Settings,Sample Retention Warehouse,样品保留仓库
 DocType: Company,Default Receivable Account,默认应收科目
 DocType: Purchase Invoice,Deemed Export,被视为出口
-DocType: Stock Entry,Material Transfer for Manufacture,移库-生产
+DocType: Stock Entry,Material Transfer for Manufacture,材料移送用于制造
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,折扣百分比可以应用于一个或所有的价格清单。
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +418,Accounting Entry for Stock,库存的会计分录
-DocType: Lab Test,LabTest Approver,LabTest审批者
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +432,Accounting Entry for Stock,库存的会计分录
+DocType: Lab Test,LabTest Approver,实验室检测审批者
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,您已经评估了评估标准{}。
 DocType: Vehicle Service,Engine Oil,机油
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1063,Work Orders Created: {0},创建的工单:{0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1081,Work Orders Created: {0},创建的工单:{0}
 DocType: Sales Invoice,Sales Team1,销售团队1
-apps/erpnext/erpnext/stock/doctype/item/item.py +564,Item {0} does not exist,物料{0}不存在
+apps/erpnext/erpnext/stock/doctype/item/item.py +565,Item {0} does not exist,物料{0}不存在
 DocType: Sales Invoice,Customer Address,客户地址
 DocType: Loan,Loan Details,贷款信息
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +61,Failed to setup post company fixtures,未能设置公司固定装置
@@ -4021,7 +4068,7 @@
 DocType: Item Barcode,Barcode Type,条码类型
 DocType: Antibiotic,Antibiotic Name,抗生素名称
 apps/erpnext/erpnext/config/buying.py +43,Supplier Group master.,供应商组主数据。
-DocType: Healthcare Service Unit,Occupancy Status,占用状况
+DocType: Healthcare Service Unit,Occupancy Status,职业状况
 DocType: Purchase Invoice,Apply Additional Discount On,额外折扣基于
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +66,Select Type...,选择类型...
 apps/erpnext/erpnext/templates/pages/help.html +52,Your tickets,你的票
@@ -4032,37 +4079,38 @@
 DocType: Item Group,Show this slideshow at the top of the page,在页面顶部显示此幻灯片
 DocType: BOM,Item UOM,物料计量单位
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),扣除折扣后税额(公司货币)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +260,Target warehouse is mandatory for row {0},行{0}必须指定目标仓库
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +252,Target warehouse is mandatory for row {0},行{0}必须指定目标仓库
 DocType: Cheque Print Template,Primary Settings,主要设置
 DocType: Attendance Request,Work From Home,在家工作
 DocType: Purchase Invoice,Select Supplier Address,选择供应商地址
+apps/erpnext/erpnext/public/js/event.js +27,Add Employees,添加员工
 DocType: Purchase Invoice Item,Quality Inspection,质量检验
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +171,Extra Small,超小
 DocType: Company,Standard Template,标准模板
 DocType: Training Event,Theory,理论学习
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1024,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料需求数量低于最小起订量
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1087,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料需求数量低于最小起订量
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +212,Account {0} is frozen,科目{0}已冻结
 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,属于本机构的,带独立科目表的法人/附属机构。
 DocType: Payment Request,Mute Email,静音电子邮件
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +29,"Food, Beverage & Tobacco",食品,饮料与烟草
 DocType: Account,Account Number,帐号
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +795,Can only make payment against unbilled {0},只能为未开票{0}付款
-apps/erpnext/erpnext/controllers/selling_controller.py +110,Commission rate cannot be greater than 100,佣金率不能大于100
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +794,Can only make payment against unbilled {0},只能为未开票{0}付款
+apps/erpnext/erpnext/controllers/selling_controller.py +111,Commission rate cannot be greater than 100,佣金率不能大于100
 DocType: Sales Invoice,Allocate Advances Automatically (FIFO),自动分配进度(FIFO)
 DocType: Volunteer,Volunteer,志愿者
 DocType: Buying Settings,Subcontract,外包
 apps/erpnext/erpnext/public/js/utils/party.js +167,Please enter {0} first,请先输入{0}
-apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +103,No replies from,从没有回复
+apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +104,No replies from,从没有回复
 DocType: Work Order Operation,Actual End Time,实际结束时间
 DocType: Item,Manufacturer Part Number,制造商零件编号
 DocType: Taxable Salary Slab,Taxable Salary Slab,应税工资累进税率表
 DocType: Work Order Operation,Estimated Time and Cost,预计时间和成本
 DocType: Bin,Bin,储位
 DocType: Crop,Crop Name,作物名称
-apps/erpnext/erpnext/hub_node/api.py +55,Only users with {0} role can register on Marketplace,只有{0}角色的用户才能在Marketplace上注册
+apps/erpnext/erpnext/hub_node/api.py +54,Only users with {0} role can register on Marketplace,只有{0}角色的用户才能在市场上注册
 DocType: SMS Log,No of Sent SMS,发送短信数量
 DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.-
-apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,约会和遭遇
+apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py +8,Appointments and Encounters,约会和偶遇
 DocType: Antibiotic,Healthcare Administrator,医疗管理员
 apps/erpnext/erpnext/utilities/user_progress.py +47,Set a Target,设定目标
 DocType: Dosage Strength,Dosage Strength,剂量强度
@@ -4082,14 +4130,14 @@
 DocType: Student Log,Academic,学术的
 DocType: Patient,Personal and Social History,个人和社会史
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py +51,User {0} created,用户{0}已创建
-DocType: Fee Schedule,Fee Breakup for each student,每名学生的费用分手
-apps/erpnext/erpnext/controllers/accounts_controller.py +601,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),总的超前({0})对二阶{1}不能大于总计({2})
+DocType: Fee Schedule,Fee Breakup for each student,每名学生的费用细分
+apps/erpnext/erpnext/controllers/accounts_controller.py +601,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),对订单{1}的合计的预付款({0})不能大于总计({2})
 DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,如果要不规则的按月分配,请选择“月度分布”。
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +88,Change Code,更改代码
 DocType: Purchase Invoice Item,Valuation Rate,库存评估价
 DocType: Vehicle,Diesel,柴油机
-apps/erpnext/erpnext/stock/get_item_details.py +542,Price List Currency not selected,价格清单货币没有选择
-DocType: Purchase Invoice,Availed ITC Cess,采用ITC Cess
+apps/erpnext/erpnext/stock/get_item_details.py +546,Price List Currency not selected,价格清单货币没有选择
+DocType: Purchase Invoice,Availed ITC Cess,有效的ITC 地方税
 ,Student Monthly Attendance Sheet,学生每月考勤表
 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +96,Shipping rule only applicable for Selling,运费规则仅适用于销售
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +210,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,折旧行{0}:下一个折旧日期不能在采购日期之前
@@ -4099,13 +4147,13 @@
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,学生组或课程表是强制性的
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,学生组或课程表是强制性的
 DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,维护发票时间和工作时间的工时单相同
-DocType: Maintenance Visit Purpose,Against Document No,文档编号
+DocType: Maintenance Visit Purpose,Against Document No,针对的文档编号
 DocType: BOM,Scrap,废料
-apps/erpnext/erpnext/utilities/user_progress.py +217,Go to Instructors,去教练
+apps/erpnext/erpnext/utilities/user_progress.py +217,Go to Instructors,转到教练
 apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,管理销售合作伙伴。
 DocType: Quality Inspection,Inspection Type,检验类型
 DocType: Fee Validity,Visited yet,已访问
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +134,Warehouses with existing transaction can not be converted to group.,与现有的交易仓库不能转换为组。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +135,Warehouses with existing transaction can not be converted to group.,有现有交易的仓库不能转换为组。
 DocType: Assessment Result Tool,Result HTML,结果HTML
 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,项目和公司应根据销售交易多久更新一次。
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,到期
@@ -4113,7 +4161,7 @@
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js +18,Please select {0},请选择{0}
 DocType: C-Form,C-Form No,C-表编号
 DocType: BOM,Exploded_items,展开物料
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +343,Distance,距离
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +346,Distance,距离
 apps/erpnext/erpnext/utilities/user_progress.py +139,List your products or services that you buy or sell.,列出您所采购或出售的产品或服务。
 DocType: Water Analysis,Storage Temperature,储存温度
 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.-
@@ -4129,21 +4177,21 @@
 DocType: Shopify Settings,Delivery Note Series,销售出货单系列
 DocType: Purchase Order Item,Returned Qty,退货数量
 DocType: Student,Exit,离职
-apps/erpnext/erpnext/accounts/doctype/account/account.py +158,Root Type is mandatory,根类型是强制性的
+apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Root Type is mandatory,根类型是强制性的
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +29,Failed to install presets,无法安装预设
 DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM按小时转换
 DocType: Contract,Signee Details,签名信息
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +44,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0}目前拥有{1}供应商记分卡,并且谨慎地向该供应商发出询价。
 DocType: Certified Consultant,Non Profit Manager,非营利经理
 DocType: BOM,Total Cost(Company Currency),总成本(公司货币)
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +392,Serial No {0} created,序列号{0}已创建
-DocType: Homepage,Company Description for website homepage,公司介绍了网站的首页
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +398,Serial No {0} created,序列号{0}已创建
+DocType: Homepage,Company Description for website homepage,在网站的首页公司介绍
 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",为方便客户,这些代码可以在打印格式(如发票和销售出货单)中使用
 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,供应商名称
 apps/erpnext/erpnext/accounts/report/financial_statements.py +175,Could not retrieve information for {0}.,无法检索{0}的信息。
-apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +138,Opening Entry Journal,开帐凭证
+apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +141,Opening Entry Journal,开帐凭证
 DocType: Contract,Fulfilment Terms,履行条款
-DocType: Sales Invoice,Time Sheet List,工时单列表
+DocType: Sales Invoice,Time Sheet List,时间表列表
 DocType: Employee,You can enter any date manually,您可以手动输入日期
 DocType: Healthcare Settings,Result Printed,结果打印
 DocType: Asset Category Account,Depreciation Expense Account,折旧费用科目
@@ -4157,7 +4205,7 @@
 DocType: Project,Hourly,每小时
 apps/erpnext/erpnext/accounts/doctype/account/account.js +88,Non-Group to Group,非群组转为群组
 DocType: Employee,ERPNext User,ERPNext用户
-apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +58,Batch is mandatory in row {0},在{0}行中必须使用批处理
+apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +58,Batch is mandatory in row {0},在{0}行中必须使用批次号
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +58,Batch is mandatory in row {0},在{0}行中必须使用批处理
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,外包订单外发物料
 DocType: Amazon MWS Settings,Enable Scheduled Synch,启用预定同步
@@ -4170,14 +4218,14 @@
 DocType: Item,Inspection Required before Purchase,需进行来料检验
 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,待活动
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test_list.js +41,Create Lab Test,创建实验室测试
-DocType: Patient Appointment,Reminded,提醒
+DocType: Patient Appointment,Reminded,已提醒
 apps/erpnext/erpnext/public/js/setup_wizard.js +126,View Chart of Accounts,查看会计科目表
 DocType: Chapter Member,Chapter Member,章会员
 DocType: Material Request Plan Item,Minimum Order Quantity,最小起订量
 apps/erpnext/erpnext/public/js/setup_wizard.js +106,Your Organization,你的组织
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +84,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",跳过以下员工的休假分配,因为已经存在针对他们的休假分配记录。 {0}
 DocType: Fee Component,Fees Category,费用类别
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,Please enter relieving date.,请输入离职日期。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +151,Please enter relieving date.,请输入离职日期。
 apps/erpnext/erpnext/controllers/trends.py +149,Amt,金额
 DocType: Travel Request,"Details of Sponsor (Name, Location)",赞助商信息(名称,地点)
 DocType: Supplier Scorecard,Notify Employee,通知员工
@@ -4190,14 +4238,14 @@
 DocType: Company,Chart Of Accounts Template,科目表模板
 DocType: Attendance,Attendance Date,考勤日期
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +80,Update stock must be enable for the purchase invoice {0},必须为采购发票{0}启用更新库存
-apps/erpnext/erpnext/stock/get_item_details.py +401,Item Price updated for {0} in Price List {1},物料价格{0}更新到价格清单{1}中了,之后的订单会使用新价格
+apps/erpnext/erpnext/stock/get_item_details.py +405,Item Price updated for {0} in Price List {1},物料价格{0}更新到价格清单{1}中了,之后的订单会使用新价格
 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,基于收入和扣除的工资信息。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +130,Account with child nodes cannot be converted to ledger,科目与子节点不能转换为分类账
-DocType: Purchase Invoice Item,Accepted Warehouse,仓库
+apps/erpnext/erpnext/accounts/doctype/account/account.py +135,Account with child nodes cannot be converted to ledger,科目与子节点不能转换为分类账
+DocType: Purchase Invoice Item,Accepted Warehouse,已确认的仓库
 DocType: Bank Reconciliation Detail,Posting Date,记帐日期
 DocType: Item,Valuation Method,估值方法
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +30,One customer can be part of only single Loyalty Program.,一个客户只能参与一个忠诚度计划。
-apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +203,Mark Half Day,半天
+apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +203,Mark Half Day,标记半天
 DocType: Sales Invoice,Sales Team,销售团队
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +88,Duplicate entry,重复的条目
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +19,Enter the name of the Beneficiary before submittting.,在提交之前输入受益人的姓名。
@@ -4207,7 +4255,7 @@
 DocType: Sales Order,In Words will be visible once you save the Sales Order.,大写金额将在销售订单保存后显示。
 ,Employee Birthday,员工生日
 apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py +14,Please select Completion Date for Completed Repair,请选择完成修复的完成日期
-DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,学生考勤批处理工具
+DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,学生批次考勤批处理工具
 apps/erpnext/erpnext/controllers/status_updater.py +216,Limit Crossed,限制交叉
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js +22,Scheduled Upto,计划的高级
 DocType: Woocommerce Settings,Secret,秘密
@@ -4219,7 +4267,7 @@
 DocType: Purchase Invoice,Invoice Copy,发票副本
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,序列号{0}不存在
 DocType: Sales Invoice Item,Customer Warehouse (Optional),客户仓库(可选)
-DocType: Blanket Order Item,Blanket Order Item,一揽子订单项目
+DocType: Blanket Order Item,Blanket Order Item,总括订单项目
 DocType: Pricing Rule,Discount Percentage,折扣百分比
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +51,Reserved for sub contracting,留作分包合同
 DocType: Payment Reconciliation Invoice,Invoice Number,发票号码
@@ -4229,13 +4277,15 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +316,Please select a batch,请选择一个批次
 apps/erpnext/erpnext/config/hr.py +145,Travel and Expense Claim,出差和费用申报
 DocType: Sales Invoice,Redemption Cost Center,赎回成本中心
+DocType: QuickBooks Migrator,Scope,范围
 DocType: Assessment Group,Assessment Group Name,评估小组名称
-DocType: Manufacturing Settings,Material Transferred for Manufacture,材料移送制造
+DocType: Manufacturing Settings,Material Transferred for Manufacture,材料移送用于制造
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +60,Add to Details,添加到详细信息
 DocType: Travel Itinerary,Taxi,出租车
 DocType: Shopify Settings,Last Sync Datetime,上次同步日期时间
 DocType: Landed Cost Item,Receipt Document Type,收据凭证类型
 DocType: Daily Work Summary Settings,Select Companies,选择公司
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +320,Proposal/Price Quote,提案/报价
 DocType: Antibiotic,Healthcare,卫生保健
 DocType: Target Detail,Target Detail,目标详细信息
 apps/erpnext/erpnext/stock/doctype/item/item.js +67,Single Variant,单一变种
@@ -4245,6 +4295,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +65,Period Closing Entry,期末结帐凭证
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +72,Select Department...,选择部门...
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +40,Cost Center with existing transactions can not be converted to group,有交易的成本中心不能转化为组
+DocType: QuickBooks Migrator,Authorization URL,授权URL
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +376,Amount {0} {1} {2} {3},金额{0} {1} {2} {3}
 DocType: Account,Depreciation,折旧
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +103,The number of shares and the share numbers are inconsistent,股份数量和股票数量不一致
@@ -4264,21 +4315,22 @@
 DocType: Amazon MWS Settings,Customer Type,客户类型
 DocType: Compensatory Leave Request,Leave Allocation,分配休假天数
 DocType: Payment Request,Recipient Message And Payment Details,收件人邮件和付款细节
-DocType: Support Search Source,Source DocType,源DocType
+DocType: Support Search Source,Source DocType,源文件类型
 apps/erpnext/erpnext/templates/pages/help.html +60,Open a new ticket,打开一张新票
 DocType: Training Event,Trainer Email,讲师电子邮件
-apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,物料申请{0}已创建
-DocType: Restaurant Reservation,No of People,没有人
+DocType: Driver,Transporter,承运商
+apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +550,Material Requests {0} created,材料申请{0}已创建
+DocType: Restaurant Reservation,No of People,人数
 apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,条款或合同模板。
 DocType: Bank Account,Address and Contact,地址和联系方式
 DocType: Vital Signs,Hyper,超
 DocType: Cheque Print Template,Is Account Payable,为应付账款
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +300,Stock cannot be updated against Purchase Receipt {0},库存不能对采购收货单进行更新{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +306,Stock cannot be updated against Purchase Receipt {0},库存不能对采购收货单进行更新{0}
 DocType: Support Settings,Auto close Issue after 7 days,7天之后自动关闭问题
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +85,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",假,不是之前分配{0},因为休假余额已经结转转发在未来的假期分配记录{1}
 apps/erpnext/erpnext/accounts/party.py +350,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注意:到期日/计入日已超过客户信用日期{0}天。
 apps/erpnext/erpnext/education/doctype/program/program.js +8,Student Applicant,学生申请
-DocType: Hub Tracked Item,Hub Tracked Item,Hub跟踪物料
+DocType: Hub Tracked Item,Hub Tracked Item,集线器跟踪的物料
 DocType: Purchase Invoice,ORIGINAL FOR RECIPIENT,收件人原件
 DocType: Asset Category Account,Accumulated Depreciation Account,累计折旧科目
 DocType: Certified Consultant,Discuss ID,讨论ID
@@ -4291,21 +4343,20 @@
 ,Qty to Deliver,交付数量
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,亚马逊将同步在此日期之后更新的数据
 ,Stock Analytics,库存分析
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +536,Operations cannot be left blank,操作不能留空
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +538,Operations cannot be left blank,操作不能留空
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +72,Lab Test(s) ,实验室测试
-DocType: Maintenance Visit Purpose,Against Document Detail No,对文档信息编号
+DocType: Maintenance Visit Purpose,Against Document Detail No,针对的对文档信息编号
 apps/erpnext/erpnext/regional/__init__.py +11,Deletion is not permitted for country {0},国家{0}不允许删除
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +111,Party Type is mandatory,请输入往来单位类型
 DocType: Quality Inspection,Outgoing,出货检验
 DocType: Material Request,Requested For,需求目的
-DocType: Quotation Item,Against Doctype,文档类型
-apps/erpnext/erpnext/controllers/buying_controller.py +490,{0} {1} is cancelled or closed,{0} {1}被取消或关闭
+DocType: Quotation Item,Against Doctype,针对的文档类型
+apps/erpnext/erpnext/controllers/buying_controller.py +491,{0} {1} is cancelled or closed,{0} {1}被取消或关闭
 DocType: Asset,Calculate Depreciation,计算折旧
-DocType: Delivery Note,Track this Delivery Note against any Project,跟踪此销售出货单的项目
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,从投资净现金
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,客户&gt;客户群&gt;地区
+DocType: Delivery Note,Track this Delivery Note against any Project,对任何工程跟踪此销售出货单
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +89,Net Cash from Investing,从投资产生的净现金
 DocType: Work Order,Work-in-Progress Warehouse,在制品仓库
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +115,Asset {0} must be submitted,资产{0}必须提交
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +116,Asset {0} must be submitted,资产{0}必须提交
 DocType: Fee Schedule Program,Total Students,学生总数
 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},学生{1}已有考勤记录{0}
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +390,Reference #{0} dated {1},参考# {0}记载日期为{1}
@@ -4324,7 +4375,7 @@
 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py +14,Cannot create Retention Bonus for left Employees,无法为已离职员工创建持续服务奖
 DocType: Lead,Market Segment,市场分类
 DocType: Agriculture Analysis Criteria,Agriculture Manager,农业经理
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +982,Paid Amount cannot be greater than total negative outstanding amount {0},支付金额不能大于总未付金额{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +999,Paid Amount cannot be greater than total negative outstanding amount {0},支付金额不能大于总未付金额{0}
 DocType: Supplier Scorecard Period,Variables,变量
 DocType: Employee Internal Work History,Employee Internal Work History,员工内部就职经历
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +264,Closing (Dr),结算(借记)
@@ -4343,27 +4394,29 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,已开票金额
 DocType: Share Transfer,(including),(包含)
 DocType: Asset,Double Declining Balance,双倍余额递减
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +187,Closed order cannot be cancelled. Unclose to cancel.,关闭的定单不能被取消。 Unclose取消。
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +187,Closed order cannot be cancelled. Unclose to cancel.,关闭的定单不能被取消。 打开关闭再取消。
 apps/erpnext/erpnext/config/hr.py +120,Payroll Setup,工资单设置
 DocType: Amazon MWS Settings,Synch Products,同步产品
 DocType: Loyalty Point Entry,Loyalty Program,忠诚计划
 DocType: Student Guardian,Father,父亲
+apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +59,Support Tickets,支持门票
 apps/erpnext/erpnext/controllers/accounts_controller.py +687,'Update Stock' cannot be checked for fixed asset sale,固定资产销售不能选择“更新库存”
 DocType: Bank Reconciliation,Bank Reconciliation,银行对帐
 DocType: Attendance,On Leave,休假
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,获取更新
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +97,{0} {1}: Account {2} does not belong to Company {3},{0} {1}科目{2}不属于公司{3}
-apps/erpnext/erpnext/stock/doctype/item/item.js +428,Select at least one value from each of the attributes.,从每个属性中至少选择一个值。
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,物料申请{0}已取消或已停止
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +216,Dispatch State,派遣国
+apps/erpnext/erpnext/stock/doctype/item/item.js +446,Select at least one value from each of the attributes.,从每个属性中至少选择一个值。
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +164,Material Request {0} is cancelled or stopped,材料申请{0}已取消或已停止
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +219,Dispatch State,派遣国
 apps/erpnext/erpnext/config/hr.py +399,Leave Management,休假管理
+apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +17,Groups,组
 DocType: Purchase Invoice,Hold Invoice,暂缓处理发票
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +37,Please select Employee,请选择员工
 DocType: Sales Order,Fully Delivered,完全交付
-DocType: Lead,Lower Income,较低收益
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +304,Lower Income,较低收益
 DocType: Restaurant Order Entry,Current Order,当前订单
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +25,Number of serial nos and quantity must be the same,序列号和数量必须相同
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +279,Source and target warehouse cannot be same for row {0},行{0}中的源和目标仓库不能相同
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +271,Source and target warehouse cannot be same for row {0},行{0}中的源和目标仓库不能相同
 DocType: Account,Asset Received But Not Billed,在途资产科目(已收到,未开票)
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +244,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",差异科目必须是资产/负债类型的科目,因为此库存盘点在期初进行
 apps/erpnext/erpnext/hr/doctype/loan/loan.py +116,Disbursed Amount cannot be greater than Loan Amount {0},支付额不能超过贷款金额较大的{0}
@@ -4372,21 +4425,21 @@
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +91,Purchase Order number required for Item {0},请为物料{0}指定采购订单号
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',“起始日期”必须早于'终止日期'
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js +32,No Staffing Plans found for this Designation,无此职位的人力需求计划
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1083,Batch {0} of Item {1} is disabled.,项目{1}的批处理{0}已禁用。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1075,Batch {0} of Item {1} is disabled.,项目{1}的批处理{0}已禁用。
 DocType: Leave Policy Detail,Annual Allocation,年度配额
 DocType: Travel Request,Address of Organizer,主办单位地址
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +68,Select Healthcare Practitioner...,选择医疗从业者......
 DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,适用于员工入职
-apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +39,Cannot change status as student {0} is linked with student application {1},无法改变地位的学生{0}与学生申请链接{1}
+apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py +39,Cannot change status as student {0} is linked with student application {1},无法改变状态,因为学生{0}与学生的申请相链接{1}
 DocType: Asset,Fully Depreciated,已提足折旧
 DocType: Item Barcode,UPC-A,UPC-A
 ,Stock Projected Qty,预期可用库存
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +505,Customer {0} does not belong to project {1},客户{0}不属于项目{1}
-DocType: Employee Attendance Tool,Marked Attendance HTML,显着的考勤HTML
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +516,Customer {0} does not belong to project {1},客户{0}不属于项目{1}
+DocType: Employee Attendance Tool,Marked Attendance HTML,标记的考勤HTML
 apps/erpnext/erpnext/utilities/activation.py +73,"Quotations are proposals, bids you have sent to your customers",报价是你发送给客户的建议或出价
 DocType: Sales Invoice,Customer's Purchase Order,客户采购订单
 DocType: Clinical Procedure,Patient,患者
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Bypass credit check at Sales Order ,在销售订单旁通过信用检查
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +49,Bypass credit check at Sales Order ,在销售订单绕过信用检查
 DocType: Employee Onboarding Activity,Employee Onboarding Activity,员工入职活动
 DocType: Location,Check if it is a hydroponic unit,检查它是否是水培单位
 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,序列号和批次
@@ -4396,15 +4449,15 @@
 DocType: Supplier Scorecard Period,Calculations,计算
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +86,Value or Qty,价值或数量
 DocType: Payment Terms Template,Payment Terms,付款条件
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +476,Productions Orders cannot be raised for:,不能为...生成生产订单:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +470,Productions Orders cannot be raised for:,不能为...提升生产订单:
 apps/erpnext/erpnext/utilities/user_progress.py +147,Minute,分钟
 DocType: Purchase Invoice,Purchase Taxes and Charges,购置税/费
-DocType: Chapter,Meetup Embed HTML,Meetup嵌入HTML
-DocType: Asset,Insured value,保价值
-apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,去供应商
-DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS关闭凭证税
+DocType: Chapter,Meetup Embed HTML,Meetup嵌入的HTML
+DocType: Asset,Insured value,保险价值
+apps/erpnext/erpnext/utilities/user_progress.py +121,Go to Suppliers,转到供应商
+DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,销售终端关闭凭证税
 ,Qty to Receive,接收数量
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +562,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",开始日期和结束日期不在有效的工资核算期间内,无法计算{0}。
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +564,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",开始日期和结束日期不在有效的工资核算期间内,无法计算{0}。
 DocType: Leave Block List,Leave Block List Allowed,禁离日例外用户
 DocType: Grading Scale Interval,Grading Scale Interval,分级分度值
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},报销车辆登录{0}
@@ -4412,10 +4465,10 @@
 DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,价格上涨率与贴现率的折扣(%)
 DocType: Healthcare Service Unit Type,Rate / UOM,费率/ UOM
 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,所有仓库
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1401,No {0} found for Inter Company Transactions.,Inter公司没有找到{0}。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1299,No {0} found for Inter Company Transactions.,Inter公司没有找到{0}。
 DocType: Travel Itinerary,Rented Car,租车
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js +15,About your Company,关于贵公司
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +139,Credit To account must be a Balance Sheet account,信用科目必须是资产负债表科目
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +144,Credit To account must be a Balance Sheet account,信用科目必须是资产负债表科目
 DocType: Donor,Donor,捐赠者
 DocType: Global Defaults,Disable In Words,禁用词
 apps/erpnext/erpnext/stock/doctype/item/item.py +70,Item Code is mandatory because Item is not automatically numbered,物料代码是必须项,因为项目没有自动编号
@@ -4427,21 +4480,22 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Bank Overdraft Account,银行透支账户
 DocType: Patient,Patient ID,病人ID
 DocType: Practitioner Schedule,Schedule Name,计划名称
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +302,Sales Pipeline by Stage,按阶段划分的销售渠道
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +49,Make Salary Slip,创建工资单
 DocType: Currency Exchange,For Buying,待采购
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +827,Add All Suppliers,添加所有供应商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +890,Add All Suppliers,添加所有供应商
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +95,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行#{0}:已分配金额不能大于未付金额。
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +84,Browse BOM,浏览BOM
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +165,Secured Loans,抵押贷款
 DocType: Purchase Invoice,Edit Posting Date and Time,修改记帐日期与时间
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +105,Please set Depreciation related Accounts in Asset Category {0} or Company {1},请设置在资产类别{0}或公司折旧相关科目{1}
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +106,Please set Depreciation related Accounts in Asset Category {0} or Company {1},请在资产类别{0}或公司{1}设置折旧相关科目
 DocType: Lab Test Groups,Normal Range,普通范围
 DocType: Academic Term,Academic Year,学年
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +79,Available Selling,可用销售
 DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,忠诚度积分兑换
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +179,Opening Balance Equity,期初余额权益
 DocType: Contract,CRM,CRM
-DocType: Purchase Invoice,N,ñ
+DocType: Purchase Invoice,N,N
 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py +175,Remaining,剩余
 DocType: Appraisal,Appraisal,绩效评估
 DocType: Loan,Loan Account,贷款科目
@@ -4450,7 +4504,7 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +156,Email sent to supplier {0},电子邮件发送到供应商{0}
 DocType: Item,Default Sales Unit of Measure,默认销售单位
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +12,Academic Year: ,学年:
-DocType: Inpatient Record,Admission Schedule Date,入学时间表日期
+DocType: Inpatient Record,Admission Schedule Date,准入时间表日期
 DocType: Subscription,Past Due Date,过去的截止日期
 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py +19,Not allow to set alternative item for the item {0},不允许为项目{0}设置替代项目
 apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,日期重复
@@ -4463,26 +4517,26 @@
 DocType: Patient Appointment,Patient Appointment,患者预约
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,审批与被审批角色不能相同
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,从该电子邮件摘要退订
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +817,Get Suppliers By,获得供应商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +880,Get Suppliers By,获得供应商
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +182,{0} not found for Item {1},在{0}中找不到物料{1}
-apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,去课程
+apps/erpnext/erpnext/utilities/user_progress.py +197,Go to Courses,转到课程
 DocType: Accounts Settings,Show Inclusive Tax In Print,在打印中显示包含税
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +17,"Bank Account, From Date and To Date are Mandatory",银行账户,开始日期和截止日期必填
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +29,Message Sent,消息已发送
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Account with child nodes cannot be set as ledger,科目与子节点不能被设置为分类帐
+apps/erpnext/erpnext/accounts/doctype/account/account.py +105,Account with child nodes cannot be set as ledger,科目与子节点不能被设置为分类帐
 DocType: C-Form,II,二
 DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,价格清单货币转换成客户的本币后的单价
 DocType: Purchase Invoice Item,Net Amount (Company Currency),净金额(公司货币)
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +222,Total advance amount cannot be greater than total sanctioned amount,总预付金额不得超过总核准金额
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +223,Total advance amount cannot be greater than total sanctioned amount,总预付金额不得超过总核准金额
 DocType: Salary Slip,Hour Rate,时薪
 DocType: Stock Settings,Item Naming By,物料命名字段
-apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},在{1}之后另一个年终结束分录{0}已经被录入
-DocType: Work Order,Material Transferred for Manufacturing,材料移送制造
+apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},在{1}之后另一个期间结束分录{0}已经被录入
+DocType: Work Order,Material Transferred for Manufacturing,材料移送用于制造
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +49,Account {0} does not exists,科目{0}不存在
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1618,Select Loyalty Program,选择忠诚度计划
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1604,Select Loyalty Program,选择忠诚度计划
 DocType: Project,Project Type,项目类型
 apps/erpnext/erpnext/projects/doctype/task/task.py +154,Child Task exists for this Task. You can not delete this Task.,子任务存在这个任务。你不能删除这个任务。
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,需要指定目标数量和金额。
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +17,Either target qty or target amount is mandatory.,需要指定目标数量和金额。
 apps/erpnext/erpnext/config/projects.py +56,Cost of various activities,各种活动的费用
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",设置活动为{0},因为附连到下面的销售者的员工不具有用户ID {1}
 DocType: Timesheet,Billing Details,开票(帐单)信息
@@ -4499,7 +4553,7 @@
 DocType: Vital Signs,BMI,BMI
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,现款
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +142,Delivery warehouse required for stock item {0},物料{0}为库存管理物料,且在主数据中未定义默认仓库,请在销售订单行填写出货仓库信息
-DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),包的总重量,通常是净重+包装材料的重量。 (用于打印)
+DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),包装的毛重。通常是净重+包装材料的重量。 (用于打印)
 DocType: Assessment Plan,Program,程序
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,拥有此角色的用户可以设置冻结科目,创建/修改冻结科目的会计凭证
 DocType: Vital Signs,Cuts,削减
@@ -4507,25 +4561,25 @@
 DocType: Student Group,Group Based On,基于组
 DocType: Student Group,Group Based On,基于组
 DocType: Journal Entry,Bill Date,账单日期
-DocType: Healthcare Settings,Laboratory SMS Alerts,实验室短信
+DocType: Healthcare Settings,Laboratory SMS Alerts,实验室短信提醒
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",服务项目,类型,频率和消费金额要求
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",有多个最高优先级定价规则时使用以下的内部优先级:
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",即使有多个最高优先级定价规则,使用以下的内部优先级:
 DocType: Plant Analysis Criteria,Plant Analysis Criteria,植物分析标准
 DocType: Cheque Print Template,Cheque Height,支票高度
 DocType: Supplier,Supplier Details,供应商信息
 DocType: Setup Progress,Setup Progress,设置进度
 DocType: Expense Claim,Approval Status,审批状态
-apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +35,From value must be less than to value in row {0},行{0}的起始值必须更小
+apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +35,From value must be less than to value in row {0},行{0}的起始值必须小于去值
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +158,Wire Transfer,电汇
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +93,Check all,全选
 ,Issued Items Against Work Order,发料到工单
-,BOM Stock Calculated,BOM库存计算
+,BOM Stock Calculated,物料清单库存计算
 DocType: Vehicle Log,Invoice Ref,发票编号
 DocType: Company,Default Income Account,默认收入科目
 apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,客户群组/客户
 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +39,Unclosed Fiscal Years Profit / Loss (Credit),未关闭的财年利润/损失
-DocType: Sales Invoice,Time Sheets,考勤表
-DocType: Healthcare Service Unit Type,Change In Item,更改项目
+DocType: Sales Invoice,Time Sheets,时间表
+DocType: Healthcare Service Unit Type,Change In Item,项目的更改
 DocType: Payment Gateway Account,Default Payment Request Message,默认的付款申请消息
 DocType: Retention Bonus,Bonus Amount,奖金金额
 DocType: Item Group,Check this if you want to show in website,要在网站上展示,请勾选此项。
@@ -4540,13 +4594,13 @@
 DocType: Inpatient Record,A Negative,一个负面的
 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,没有更多内容。
 DocType: Lead,From Customer,源客户
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,电话
+apps/erpnext/erpnext/demo/setup/setup_data.py +340,Calls,电话
 apps/erpnext/erpnext/utilities/user_progress.py +143,A Product,一个产品
 DocType: Employee Tax Exemption Declaration,Declarations,声明
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +235,Batches,批
 apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js +34,Make Fee Schedule,创建收费计划表
 DocType: Purchase Order Item Supplied,Stock UOM,库存计量单位
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +257,Purchase Order {0} is not submitted,采购订单{0}未提交
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +263,Purchase Order {0} is not submitted,采购订单{0}未提交
 DocType: Account,Expenses Included In Asset Valuation,包含在资产评估价中的费用科目
 DocType: Vital Signs,Normal reference range for an adult is 16–20 breaths/minute (RCP 2012),成人的正常参考范围是16-20次呼吸/分钟(RCP 2012)
 DocType: Customs Tariff Number,Tariff Number,税则号
@@ -4559,6 +4613,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +89,Please save the patient first,请先保存患者
 apps/erpnext/erpnext/education/api.py +80,Attendance has been marked successfully.,考勤登记成功。
 DocType: Program Enrollment,Public Transport,公共交通
+DocType: Delivery Note,GST Vehicle Type,GST车型
 DocType: Soil Texture,Silt Composition (%),粉尘成分(%)
 DocType: Journal Entry,Remark,备注
 DocType: Healthcare Settings,Avoid Confirmation,避免确认
@@ -4568,36 +4623,35 @@
 DocType: Education Settings,Current Academic Term,当前学术期限
 DocType: Education Settings,Current Academic Term,当前学术期限
 DocType: Sales Order,Not Billed,未开票
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +76,Both Warehouse must belong to same Company,两个仓库必须属于同一公司
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +77,Both Warehouse must belong to same Company,两个仓库必须属于同一公司
 DocType: Employee Grade,Default Leave Policy,默认休假政策
 DocType: Shopify Settings,Shop URL,商店网址
 apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,暂无联系人。
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup &gt; Numbering Series,请通过设置&gt;编号系列设置出席编号系列
 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,到岸成本凭证金额
 ,Item Balance (Simple),物料余额(简单)
 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,供应商开出的账单
 DocType: POS Profile,Write Off Account,销帐科目
 DocType: Patient Appointment,Get prescribed procedures,获取规定的程序
 DocType: Sales Invoice,Redemption Account,赎回账户
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Debit Note Amt,借方票据
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Debit Note Amt,借项金额
 DocType: Purchase Invoice Item,Discount Amount,折扣金额
 DocType: Purchase Invoice,Return Against Purchase Invoice,基于采购发票退货
 DocType: Item,Warranty Period (in days),保修期限(天数)
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +66,Failed to set defaults,无法设置默认值
-apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,与关系Guardian1
+apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,与监护人1的关系
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +865,Please select BOM against item {0},请选择物料{0}的物料清单
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js +18,Make Invoices,创建发票
 DocType: Shopping Cart Settings,Show Stock Quantity,显示库存数量
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +77,Net Cash from Operations,从运营的净现金
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +77,Net Cash from Operations,从运营产生的净现金
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,物料4
-DocType: Student Admission,Admission End Date,录取结束日期
+DocType: Student Admission,Admission End Date,准入结束日期
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +30,Sub-contracting,分包
 DocType: Journal Entry Account,Journal Entry Account,手工凭证帐号
 apps/erpnext/erpnext/education/doctype/academic_year/academic_year.js +3,Student Group,学生组
 DocType: Shopping Cart Settings,Quotation Series,报价系列
 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +60,"An item exists with same name ({0}), please change the item group name or rename the item",具有名称 {0} 的物料已存在,请更名
 DocType: Soil Analysis Criteria,Soil Analysis Criteria,土壤分析标准
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2054,Please select customer,请选择客户
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2052,Please select customer,请选择客户
 DocType: C-Form,I,我
 DocType: Company,Asset Depreciation Cost Center,资产折旧成本中心
 DocType: Production Plan Sales Order,Sales Order Date,销售订单日期
@@ -4610,8 +4664,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +82, Currently no stock available in any warehouse,目前没有任何仓库可用的库存
 ,Payment Period Based On Invoice Date,付款期间基于发票日
 DocType: Sample Collection,No. of print,打印数量
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Birthday Reminder,生日提醒
 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,酒店房间预订项目
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0}没有货币汇率
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +59,Missing Currency Exchange Rates for {0},{0}没有货币汇率
 DocType: Employee Health Insurance,Health Insurance Name,医保名称
 DocType: Assessment Plan,Examiner,检查员
 DocType: Student,Siblings,兄弟姐妹
@@ -4627,20 +4682,21 @@
 DocType: Pricing Rule,Margin,利润
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,新客户
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Gross Profit %,毛利%
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,约会{0}和销售发票{1}已取消
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +90,Appointment {0} and Sales Invoice {1} cancelled,约定{0}和销售发票{1}已取消
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js +43,Opportunities by lead source,商机来源的机会
 DocType: Appraisal Goal,Weightage (%),权重(%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +555,Change POS Profile,更改POS配置文件
 DocType: Bank Reconciliation Detail,Clearance Date,清帐日期
-apps/erpnext/erpnext/stock/doctype/item/item.py +722,"Asset is already exists against the item {0}, you cannot change the has serial no value",资产已针对商品{0}存在,您无法更改已连续编号的值
+DocType: Delivery Settings,Dispatch Notification Template,派遣通知模板
+apps/erpnext/erpnext/stock/doctype/item/item.py +729,"Asset is already exists against the item {0}, you cannot change the has serial no value",资产已针对商品{0}存在,您无法更改已连续编号的值
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +10,Assessment Report,评估报表
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +26,Get Employees,获得员工
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +72,Gross Purchase Amount is mandatory,总消费金额字段必填
 apps/erpnext/erpnext/setup/doctype/company/company.js +115,Company name not same,公司名称不一样
 DocType: Lead,Address Desc,地址倒序
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +114,Party is mandatory,请输入往来单位
-apps/erpnext/erpnext/controllers/accounts_controller.py +775,Rows with duplicate due dates in other rows were found: {list},在其他行中找到具有重复到期日的行:{list}
 DocType: Topic,Topic Name,主题名称
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +312,Please set default template for Leave Approval Notification in HR Settings.,请在人力资源设置中为离职审批通知设置默认模板。
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +311,Please set default template for Leave Approval Notification in HR Settings.,请在人力资源设置中为离职审批通知设置默认模板。
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +38,Atleast one of the Selling or Buying must be selected,必须至少选择'销售'或'采购'其中的一项
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +308,Select an employee to get the employee advance.,请选择员工,再选择员工预支。
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +56,Please select a valid Date,请选择一个有效的日期
@@ -4665,7 +4721,7 @@
 apps/erpnext/erpnext/controllers/accounts_controller.py +661,Row #{0}: Asset {1} does not belong to company {2},行#{0}:资产{1}不属于公司{2}
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +114,Sales Invoice {0} created,已创建销售发票{0}
 DocType: Employee,Confirmation Date,确认日期
-DocType: Inpatient Occupancy,Check Out,查看
+DocType: Inpatient Occupancy,Check Out,退出
 DocType: C-Form,Total Invoiced Amount,发票金额
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +51,Min Qty can not be greater than Max Qty,最小数量不能大于最大数量
 DocType: Soil Texture,Silty Clay,粉泥
@@ -4674,6 +4730,7 @@
 DocType: Stock Entry,Customer or Supplier Details,客户或供应商详细信息
 DocType: Payment Entry,ACC-PAY-.YYYY.-,ACC-PAY-.YYYY.-
 DocType: Asset Value Adjustment,Current Asset Value,流动资产价值
+DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks公司ID
 DocType: Travel Request,Travel Funding,出差经费来源
 DocType: Loan Application,Required by Date,按日期必填
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,指向作物生长的所有位置的链接
@@ -4683,15 +4740,15 @@
 DocType: Fees,EDU-FEE-.YYYY.-,EDU-收费.YYYY.-
 DocType: Patient,Marital Status,婚姻状况
 DocType: Stock Settings,Auto Material Request,自动材料需求
-DocType: Woocommerce Settings,API consumer secret,API消费者秘密
+DocType: Woocommerce Settings,API consumer secret,应用程序界面消费者秘密
 DocType: Delivery Note Item,Available Batch Qty at From Warehouse,源仓库可用的批次数量
 DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,工资总额 - 扣除总额 - 贷款还款
 DocType: Bank Account,IBAN,IBAN
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +32,Current BOM and New BOM can not be same,当前BOM和新BOM不能相同
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +39,Current BOM and New BOM can not be same,当前BOM和新BOM不能相同
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +47,Salary Slip ID,工资单编号
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +128,Date Of Retirement must be greater than Date of Joining,退休日期必须大于入职日期
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +135,Date Of Retirement must be greater than Date of Joining,退休日期必须大于入职日期
 apps/erpnext/erpnext/stock/doctype/item/item.js +70,Multiple Variants,多种变体
-DocType: Sales Invoice,Against Income Account,对收益账目
+DocType: Sales Invoice,Against Income Account,针对的收益账目
 apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}%交付
 DocType: Subscription,Trial Period Start Date,试用期开始日期
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +106,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,物料{0}的订单数量{1}不能小于最低订货量{2}(物料主数据中定义)。
@@ -4701,7 +4758,7 @@
 DocType: Territory,Territory Targets,区域目标
 DocType: Soil Analysis,Ca/Mg,钙/镁
 DocType: Delivery Note,Transporter Info,承运商信息
-apps/erpnext/erpnext/accounts/utils.py +526,Please set default {0} in Company {1},请设置在默认情况下公司{0} {1}
+apps/erpnext/erpnext/accounts/utils.py +526,Please set default {0} in Company {1},请在公司 {1}下设置在默认值{0}
 DocType: Cheque Print Template,Starting position from top edge,起价顶边位置
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +33,Same supplier has been entered multiple times,同一个供应商已多次输入
 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,总利润/亏损
@@ -4718,7 +4775,7 @@
 DocType: POS Profile,Update Stock,更新库存
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同计量单位的项目会导致不正确的(总)净重值。请确保每个物料的净重使用同一个计量单位。
 DocType: Certification Application,Payment Details,付款信息
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +40,BOM Rate,BOM税率
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +41,BOM Rate,物料清单税率
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +249,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",停止的工单不能取消,先取消停止
 DocType: Asset,Journal Entry for Scrap,手工凭证报废
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,请从销售出货单获取物料
@@ -4728,7 +4785,7 @@
 apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",包含电子邮件,电话,聊天,访问等所有通信记录
 DocType: Supplier Scorecard Scoring Standing,Supplier Scorecard Scoring Standing,供应商记分卡
 DocType: Manufacturer,Manufacturers used in Items,在项目中使用制造商
-apps/erpnext/erpnext/accounts/general_ledger.py +181,Please mention Round Off Cost Center in Company,请提及公司舍入成本中心
+apps/erpnext/erpnext/accounts/general_ledger.py +181,Please mention Round Off Cost Center in Company,请在公司中提及圆整成本中心
 DocType: Purchase Invoice,Terms,条款
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +10,Select Days,选择天数
 DocType: Academic Term,Term Name,术语名称
@@ -4739,14 +4796,14 @@
 apps/erpnext/erpnext/public/js/projects/timer.js +5,Timer,计时器
 ,Item-wise Sales History,物料销售历史
 DocType: Expense Claim,Total Sanctioned Amount,总核准金额
-,Purchase Analytics,采购Analytics(分析)
+,Purchase Analytics,采购分析
 DocType: Sales Invoice Item,Delivery Note Item,销售出货单项
-apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +363,Current invoice {0} is missing,当前发票{0}缺失
+apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +373,Current invoice {0} is missing,当前发票{0}缺失
 DocType: Asset Maintenance Log,Task,任务
 DocType: Purchase Taxes and Charges,Reference Row #,参考行#
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},物料{0}必须指定批次号
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,这是一个root销售人员,无法被编辑。
-DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",如果选择此项,则在此组件中指定或计算的值不会对收入或扣除贡献。但是,它的值可以被添加或扣除的其他组件引用。
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +22,This is a root sales person and cannot be edited.,这是一个根销售人员,无法被编辑。
+DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",如果选择此项,则在此组件中指定或计算的值不会对收入或扣除作出贡献。但是,它的值可以被添加或扣除的其他组件引用。
 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",勾选此项,指定或计算的值不影响收入和扣除,但可被其他收入或扣除项引用。
 DocType: Asset Settings,Number of Days in Fiscal Year,会计年度的天数
 ,Stock Ledger,库存总帐
@@ -4754,7 +4811,7 @@
 DocType: Company,Exchange Gain / Loss Account,汇兑损益科目
 DocType: Amazon MWS Settings,MWS Credentials,MWS凭证
 apps/erpnext/erpnext/config/hr.py +7,Employee and Attendance,员工考勤
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +131,Purpose must be one of {0},目的必须是一个{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +123,Purpose must be one of {0},目的必须是一个{0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +99,Fill the form and save it,填写表格并保存
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,社区论坛
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +52,Actual qty in stock,实际库存数量
@@ -4770,7 +4827,7 @@
 DocType: Lab Test Template,Standard Selling Rate,标准售价
 DocType: Account,Rate at which this tax is applied,应用此税率的单价
 DocType: Cash Flow Mapper,Section Name,部分名称
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +85,Reorder Qty,再订购数量
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +92,Reorder Qty,再订购数量
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +283,Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1},折旧行{0}:使用寿命后的预期值必须大于或等于{1}
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +55,Current Job Openings,当前职位空缺
 DocType: Company,Stock Adjustment Account,库存调整科目
@@ -4780,13 +4837,14 @@
 DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",系统用户的(登录)ID,将作为人力资源表单的默认ID。
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +86,Enter depreciation details,输入折旧信息
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}:来自{1}
-DocType: Task,depends_on,depends_on
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +71,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,排队更新所有材料清单中的最新价格。可能需要几分钟。
+apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py +31,Leave application {0} already exists against the student {1},对学生{1}已经存在申请{0}
+DocType: Task,depends_on,依赖项
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +78,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,排队更新所有材料清单中的最新价格。可能需要几分钟。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新科目的名称。注:请不要创建科目的客户和供应商
 DocType: POS Profile,Display Items In Stock,显示库存商品
 apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,国家的默认地址模板
 DocType: Payment Order,Payment Order Reference,付款订单参考
-DocType: Water Analysis,Appearance,出现
+DocType: Water Analysis,Appearance,外观
 DocType: HR Settings,Leave Status Notification Template,离开状态通知模板
 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py +77,Avg. Buying Price List Rate,平均采购价格清单价格
 DocType: Sales Order Item,Supplier delivers to Customer,供应商直接出货给客户
@@ -4796,7 +4854,7 @@
 apps/erpnext/erpnext/assets/doctype/asset/asset.js +87,Asset Maintenance,资产维护
 ,Sales Payment Summary,销售付款摘要
 DocType: Restaurant,Restaurant,餐厅
-DocType: Woocommerce Settings,API consumer key,API消费者密钥
+DocType: Woocommerce Settings,API consumer key,应用程序界面消费者密钥
 apps/erpnext/erpnext/accounts/party.py +353,Due / Reference Date cannot be after {0},到期/参照日期不能迟于{0}
 apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,数据导入和导出
 DocType: Tax Withholding Category,Account Details,科目信息
@@ -4811,16 +4869,19 @@
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +91,Slots for {0} are not added to the schedule,{0}的插槽未添加到计划中
 DocType: Product Bundle,List items that form the package.,本包装内的物料列表。
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +42,Not permitted. Please disable the Test Template,不允许。请禁用测试模板
+DocType: Delivery Note,Distance (in km),距离(公里)
 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,百分比分配应该等于100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +593,Please select Posting Date before selecting Party,在选择往来单位之前请先选择记帐日期
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +611,Please select Posting Date before selecting Party,在选择往来单位之前请先选择记帐日期
 DocType: Program Enrollment,School House,学校议院
 DocType: Serial No,Out of AMC,出资产管理公司
-apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,预订折旧数不能超过折旧总数更大
+DocType: Opportunity,Opportunity Amount,机会金额
+apps/erpnext/erpnext/assets/doctype/asset/asset.py +203,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,预订折旧数不能超过折旧总数
 DocType: Purchase Order,Order Confirmation Date,订单确认日期
 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.-
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,创建维护访问
+apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +39,"Start date and end date is overlapping with the job card <a href=""#Form/Job Card/{0}"">{1}</a>","开始日期和结束日期与作业卡<a href=""#Form/Job Card/{0}"">{1}</a>重叠"
 DocType: Employee Transfer,Employee Transfer Details,员工转移信息
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +262,Please contact to the user who have Sales Master Manager {0} role,请联系,谁拥有硕士学位的销售经理{0}角色的用户
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +263,Please contact to the user who have Sales Master Manager {0} role,请联系,谁拥有硕士学位的销售经理{0}角色的用户
 DocType: Company,Default Cash Account,默认现金科目
 apps/erpnext/erpnext/config/accounts.py +79,Company (not Customer or Supplier) master.,公司(非客户或供应商)主数据。
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,基于该学生的考勤
@@ -4828,9 +4889,9 @@
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +180,Add more items or open full form,添加更多项目或全开放形式
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +222,Delivery Notes {0} must be cancelled before cancelling this Sales Order,取消这个销售订单之前必须取消销售出货单{0}
 apps/erpnext/erpnext/utilities/user_progress.py +259,Go to Users,转到用户
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +109,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金额+销帐金额不能大于总金额
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +113,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金额+销帐金额不能大于总金额
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}不是物料{1}的有效批次号
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +199,Note: There is not enough leave balance for Leave Type {0},注意:休假期类型{0}的剩余天数不够
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +198,Note: There is not enough leave balance for Leave Type {0},注意:休假期类型{0}的剩余天数不够
 apps/erpnext/erpnext/regional/india/utils.py +19,Invalid GSTIN or Enter NA for Unregistered,无效的GSTIN或输入NA未注册
 DocType: Training Event,Seminar,研讨会
 DocType: Program Enrollment Fee,Program Enrollment Fee,计划注册费
@@ -4843,24 +4904,24 @@
 apps/erpnext/erpnext/accounts/general_ledger.py +21,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,总帐分录发现错误数字,可能是选择了错误的科目。
 DocType: Employee,Prefered Contact Email,首选联系邮箱
 DocType: Cheque Print Template,Cheque Width,支票宽度
-DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,比对物料销售价,采购价与库存评估价
+DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,比对物料采购价或库存评估价以验证物料的销售价格
 DocType: Fee Schedule,Fee Schedule,收费表
 DocType: Company,Create Chart Of Accounts Based On,基于...创建科目表
 apps/erpnext/erpnext/projects/doctype/task/task.js +91,Cannot convert it to non-group. Child Tasks exist.,无法将其转换为非组。子任务存在。
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +122,Date of Birth cannot be greater than today.,出生日期不能大于今天。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Date of Birth cannot be greater than today.,出生日期不能大于今天。
 ,Stock Ageing,库存账龄
 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",部分赞助,需要部分资金
-apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},学生{0}存在针对学生申请{1}
+apps/erpnext/erpnext/education/doctype/student/student.py +40,Student {0} exist against student applicant {1},学生{0}已存在学生申请{1}中
 DocType: Purchase Invoice,Rounding Adjustment (Company Currency),四舍五入调整(公司货币)
-apps/erpnext/erpnext/projects/doctype/task/task.js +39,Timesheet,工时单
-apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +243,Batch: ,批量:
+apps/erpnext/erpnext/projects/doctype/task/task.js +39,Timesheet,时间表
+apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html +243,Batch: ,批次:
 DocType: Volunteer,Afternoon,下午
 DocType: Loyalty Program,Loyalty Program Help,忠诚度计划帮助
 apps/erpnext/erpnext/controllers/accounts_controller.py +305,{0} '{1}' is disabled,{0}“{1}”被禁用
 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,设置为打开
 DocType: Cheque Print Template,Scanned Cheque,支票扫描
 DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,交易提交时自动向联系人发送电子邮件。
-DocType: Timesheet,Total Billable Amount,总结算金额
+DocType: Timesheet,Total Billable Amount,总可结算金额
 DocType: Customer,Credit Limit and Payment Terms,信用额度和付款条款
 DocType: Loyalty Program,Collection Rules,收集规则
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,物料3
@@ -4881,7 +4942,7 @@
 DocType: Account,Capital Work in Progress,在途资本
 DocType: Accounts Settings,Allow Stale Exchange Rates,允许使用历史汇率
 DocType: Sales Person,Sales Person Name,销售人员姓名
-apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,请在表中输入ATLEAST 1发票
+apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,请在表中至少输入1个发票
 apps/erpnext/erpnext/utilities/user_progress.py +247,Add Users,添加用户
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py +74,No Lab Test created,没有创建实验室测试
 DocType: POS Item Group,Item Group,物料群组
@@ -4889,19 +4950,19 @@
 DocType: Depreciation Schedule,Finance Book Id,账簿ID
 DocType: Item,Safety Stock,安全库存
 DocType: Healthcare Settings,Healthcare Settings,医疗设置
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +8,Total Allocated Leaves,总已分配休假天数
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +8,Total Allocated Leaves,合计已分配休假天数
 apps/erpnext/erpnext/projects/doctype/task/task.py +54,Progress % for a task cannot be more than 100.,为任务进度百分比不能超过100个。
 DocType: Stock Reconciliation Item,Before reconciliation,在对账前
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),税/费已添加(公司货币)
-apps/erpnext/erpnext/stock/doctype/item/item.py +493,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,物料税项行{0}中必须指定类型为税项/收益/支出/应课的科目。
+apps/erpnext/erpnext/stock/doctype/item/item.py +494,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,物料税项行{0}中必须指定类型为税项/收益/支出/应课的科目。
 DocType: Sales Order,Partly Billed,部分开票
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +54,Item {0} must be a Fixed Asset Item,物料{0}必须被定义为是固定资产
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +283,HSN,HSN
-apps/erpnext/erpnext/stock/doctype/item/item.js +403,Make Variants,创建物料变式
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +286,HSN,HSN
+apps/erpnext/erpnext/stock/doctype/item/item.js +421,Make Variants,创建变量
 DocType: Item,Default BOM,默认的BOM
-DocType: Project,Total Billed Amount (via Sales Invoices),总开票金额(通过销售发票)
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,退款金额
+DocType: Project,Total Billed Amount (via Sales Invoices),总可开票金额(通过销售发票)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +131,Debit Note Amount,借项金额
 DocType: Project Update,Not Updated,未更新
 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +107,"There are inconsistencies between the rate, no of shares and the amount calculated",费率,股份数量和计算的金额之间不一致
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py +39,You are not present all day(s) between compensatory leave request days,您在补休请求日之间不是全天
@@ -4920,29 +4981,29 @@
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,源销售出货单
 DocType: Chapter,Members,会员
 DocType: Student,Student Email Address,学生的电子邮件地址
-DocType: Item,Hub Warehouse,Hub仓库
+DocType: Item,Hub Warehouse,中心仓库
 DocType: Cashier Closing,From Time,起始时间
 DocType: Hotel Settings,Hotel Settings,酒店设置
 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,有现货
 DocType: Notification Control,Custom Message,自定义消息
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +33,Investment Banking,投资银行业务
 DocType: Purchase Invoice,input,输入
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +103,Cash or Bank Account is mandatory for making payment entry,“现金”或“银行账户”是付款分录的必须项
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Cash or Bank Account is mandatory for making payment entry,“现金”或“银行账户”是付款分录的必须项
 DocType: Loyalty Program,Multiple Tier Program,多层计划
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,学生地址
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,学生地址
 DocType: Purchase Invoice,Price List Exchange Rate,价格清单汇率
 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +116,All Supplier Groups,所有供应商组织
 DocType: Employee Boarding Activity,Required for Employee Creation,用于创建员工时
-apps/erpnext/erpnext/accounts/doctype/account/account.py +209,Account Number {0} already used in account {1},已在帐户{1}中使用的帐号{0}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +214,Account Number {0} already used in account {1},已在帐户{1}中使用的帐号{0}
 DocType: GoCardless Mandate,Mandate,要求
 DocType: POS Profile,POS Profile Name,POS配置文件名称
-DocType: Hotel Room Reservation,Booked,预订
+DocType: Hotel Room Reservation,Booked,已预订
 DocType: Detected Disease,Tasks Created,创建的任务
 DocType: Purchase Invoice Item,Rate,单价
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +107,Intern,实习生
 DocType: Delivery Stop,Address Name,地址名称
-DocType: Stock Entry,From BOM,展BOM
+DocType: Stock Entry,From BOM,来自物料清单
 DocType: Assessment Code,Assessment Code,评估准则
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +76,Basic,基本
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,早于{0}的库存事务已冻结
@@ -4950,18 +5011,18 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +154,Reference No is mandatory if you entered Reference Date,如果输入参考日期,参考编号是强制输入的
 DocType: Bank Reconciliation Detail,Payment Document,付款单据
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py +37,Error evaluating the criteria formula,评估标准公式时出错
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +125,Date of Joining must be greater than Date of Birth,入职日期必须大于出生日期
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +132,Date of Joining must be greater than Date of Birth,入职日期必须大于出生日期
 DocType: Subscription,Plans,计划
 DocType: Salary Slip,Salary Structure,薪资结构
 DocType: Account,Bank,银行
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +9,Airline,航空公司
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +815,Issue Material,发料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +878,Issue Material,发料
 apps/erpnext/erpnext/config/integrations.py +32,Connect Shopify with ERPNext,将Shopify与ERPNext连接
 DocType: Material Request Item,For Warehouse,仓库
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +47,Delivery Notes {0} updated,已更新交货单{0}
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +45,Delivery Notes {0} updated,已更新交货单{0}
 DocType: Employee,Offer Date,录用日期
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,报价
-apps/erpnext/erpnext/accounts/page/pos/pos.js +744,You are in offline mode. You will not be able to reload until you have network.,您在离线模式。您将无法重新加载,直到你有网络。
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +35,Quotations,报价
+apps/erpnext/erpnext/accounts/page/pos/pos.js +742,You are in offline mode. You will not be able to reload until you have network.,您在离线模式。您将无法重新加载,直到你有网络。
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +90,Grant,格兰特
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +47,No Student Groups created.,没有学生团体创建的。
 DocType: Purchase Invoice Item,Serial No,序列号
@@ -4973,24 +5034,26 @@
 DocType: Sales Invoice,Customer PO Details,客户PO详细信息
 DocType: Stock Entry,Including items for sub assemblies,包括下层组件物料
 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,临时开账科目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1981,Enter value must be positive,输入值必须为正
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1979,Enter value must be positive,输入值必须为正
 DocType: Asset,Finance Books,账簿
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,员工免税申报类别
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +448,All Territories,所有的区域
 apps/erpnext/erpnext/hr/utils.py +215,Please set leave policy for employee {0} in Employee / Grade record,请在员工/成绩记录中为员工{0}设置休假政策
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1373,Invalid Blanket Order for the selected Customer and Item,无效框架订单对所选客户和物料无效
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1400,Invalid Blanket Order for the selected Customer and Item,无效框架订单对所选客户和物料无效
 apps/erpnext/erpnext/projects/doctype/task/task_tree.js +49,Add Multiple Tasks,添加多个任务
 DocType: Purchase Invoice,Items,物料
 apps/erpnext/erpnext/crm/doctype/contract/contract.py +38,End Date cannot be before Start Date.,结束日期不能在开始日期之前。
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py +33,Student is already enrolled.,学生已经注册。
 DocType: Fiscal Year,Year Name,年度名称
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +321,There are more holidays than working days this month.,本月假期比工作日多。
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Ref,部分支付参考号码
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,There are more holidays than working days this month.,本月假期比工作日多。
+apps/erpnext/erpnext/controllers/buying_controller.py +760,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,以下项{0}未标记为{1}项。您可以从项目主文件中将它们作为{1}项启用
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +102,PDC/LC Ref,部分支付参考号码
 DocType: Production Plan Item,Product Bundle Item,产品包物料
 DocType: Sales Partner,Sales Partner Name,销售合作伙伴名称
-apps/erpnext/erpnext/hooks.py +140,Request for Quotations,索取报价
+apps/erpnext/erpnext/hooks.py +141,Request for Quotations,索取报价
 DocType: Payment Reconciliation,Maximum Invoice Amount,最大发票额
 DocType: Normal Test Items,Normal Test Items,正常测试项目
+DocType: QuickBooks Migrator,Company Settings,公司设置
 DocType: Additional Salary,Overwrite Salary Structure Amount,覆盖薪资结构金额
 DocType: Student Language,Student Language,学生语言
 apps/erpnext/erpnext/config/selling.py +23,Customers,客户
@@ -5003,38 +5066,40 @@
 DocType: Issue,Opening Time,开放时间
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +97,From and To dates required,必须指定起始和结束日期
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +46,Securities & Commodity Exchanges,证券及商品交易
-apps/erpnext/erpnext/stock/doctype/item/item.py +740,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',物料变体的默认单位“{0}”必须与模板默认单位一致“{1}”
-DocType: Shipping Rule,Calculate Based On,计算基于
-DocType: Contract,Unfulfilled,秕
+apps/erpnext/erpnext/stock/doctype/item/item.py +747,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',物料变体的默认单位“{0}”必须与模板默认单位一致“{1}”
+DocType: Shipping Rule,Calculate Based On,基于...的计算
+DocType: Contract,Unfulfilled,未完成的
 DocType: Delivery Note Item,From Warehouse,源仓库
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +64,No employees for the mentioned criteria,没有员工提到的标准
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1012,No Items with Bill of Materials to Manufacture,待生产物料没有物料清单
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1030,No Items with Bill of Materials to Manufacture,待生产物料没有物料清单
 DocType: Shopify Settings,Default Customer,默认客户
+DocType: Sales Stage,Stage Name,艺名
 DocType: Warranty Claim,SER-WRN-.YYYY.-,SER-WRN-.YYYY.-
 DocType: Assessment Plan,Supervisor Name,主管名称
 DocType: Healthcare Settings,Do not confirm if appointment is created for the same day,不要确认是否在同一天创建约会
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +264,Ship To State,送到州
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +267,Ship To State,送到州
 DocType: Program Enrollment Course,Program Enrollment Course,课程注册课程
 DocType: Program Enrollment Course,Program Enrollment Course,课程注册课程
 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner.py +59,User {0} is already assigned to Healthcare Practitioner {1},用户{0}已分配给Healthcare Practitioner {1}
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +187,Make Sample Retention Stock Entry,创建留存样品手工库存移动记录
 DocType: Purchase Taxes and Charges,Valuation and Total,库存评估价与总计
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +321,Negotiation/Review,谈判/评论
 DocType: Leave Encashment,Encashment Amount,折现金额
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py +11,Scorecards,记分卡
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +159,Expired Batches,过期批次
 DocType: Employee,This will restrict user access to other employee records,这将限制用户访问其他员工记录
-DocType: Tax Rule,Shipping City,航运市
+DocType: Tax Rule,Shipping City,起运市
 DocType: Delivery Note,Ship,船
 DocType: Staffing Plan Detail,Current Openings,当前空缺
 DocType: Notification Control,Customize the Notification,自定义通知
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +78,Cash Flow from Operations,运营现金流
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +313,CGST Amount,CGST金额
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +316,CGST Amount,CGST金额
 DocType: Purchase Invoice,Shipping Rule,配送规则
-DocType: Patient Relation,Spouse,伴侣
+DocType: Patient Relation,Spouse,配偶
 DocType: Lab Test Groups,Add Test,添加测试
 DocType: Manufacturer,Limited to 12 characters,限12个字符
 DocType: Journal Entry,Print Heading,打印标题
-apps/erpnext/erpnext/config/stock.py +149,Delivery Trip service tours to customers.,配送顾客。
+apps/erpnext/erpnext/config/stock.py +149,Delivery Trip service tours to customers.,对客户的销售出货配送路线服务行程。
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,总分数不能为零
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,“ 最后的订单到目前的天数”必须大于或等于零
 DocType: Plant Analysis Criteria,Maximum Permissible Value,最大允许值
@@ -5042,20 +5107,20 @@
 DocType: Payroll Entry,Payroll Frequency,工资发放频率
 DocType: Lab Test Template,Sensitivity,灵敏度
 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +132,Sync has been temporarily disabled because maximum retries have been exceeded,暂时禁用了同步,因为已超出最大重试次数
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +944,Raw Material,原材料
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1007,Raw Material,原材料
 DocType: Leave Application,Follow via Email,通过电子邮件关注
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Plants and Machineries,植物和机械设备
 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,税额折后金额
 DocType: Patient,Inpatient Status,住院状况
 DocType: Daily Work Summary Settings,Daily Work Summary Settings,每日工作总结设置
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1396,Selected Price List should have buying and selling fields checked.,选定价格清单应该有买入和卖出的字段。
-apps/erpnext/erpnext/controllers/buying_controller.py +680,Please enter Reqd by Date,请输入按日期请求
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1294,Selected Price List should have buying and selling fields checked.,选定价格清单应该有买入和卖出的字段。
+apps/erpnext/erpnext/controllers/buying_controller.py +681,Please enter Reqd by Date,请输入按日期请求
 DocType: Payment Entry,Internal Transfer,内部转账
 DocType: Asset Maintenance,Maintenance Tasks,维护任务
 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,需要指定目标数量和金额
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +627,Please select Posting Date first,请先选择记帐日期
 apps/erpnext/erpnext/public/js/account_tree_grid.js +209,Opening Date should be before Closing Date,开业日期应该是截止日期之前,
-DocType: Travel Itinerary,Flight,飞行
+DocType: Travel Itinerary,Flight,航班
 DocType: Leave Control Panel,Carry Forward,顺延
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +32,Cost Center with existing transactions can not be converted to ledger,有交易的成本中心不能转化为总账
 DocType: Budget,Applicable on booking actual expenses,适用于预订实际费用
@@ -5067,11 +5132,11 @@
 DocType: Item,Item Code for Suppliers,对于供应商物料代码
 DocType: Issue,Raised By (Email),提出(电子邮件)
 DocType: Training Event,Trainer Name,讲师姓名
-DocType: Mode of Payment,General,一般
+DocType: Mode of Payment,General,总的
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最后沟通
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最后沟通
 ,TDS Payable Monthly,TDS应付月度
-apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +66,Queued for replacing the BOM. It may take a few minutes.,排队等待更换BOM。可能需要几分钟时间。
+apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +73,Queued for replacing the BOM. It may take a few minutes.,排队等待更换BOM。可能需要几分钟时间。
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +385,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',分类是“估值”或“估值和总计”的时候不能扣税。
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +286,Serial Nos Required for Serialized Item {0},序列化的物料{0}必须指定序列号
 apps/erpnext/erpnext/config/accounts.py +167,Match Payments with Invoices,匹配付款与发票
@@ -5084,7 +5149,7 @@
 apps/erpnext/erpnext/templates/generators/item.html +96,Add to Cart,加入购物车
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +197,Group By,分组基于
 DocType: Guardian,Interests,兴趣
-apps/erpnext/erpnext/config/accounts.py +326,Enable / disable currencies.,启用/禁用货币。
+apps/erpnext/erpnext/config/accounts.py +336,Enable / disable currencies.,启用/禁用货币。
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +549,Could not submit some Salary Slips,无法提交一些薪资单
 DocType: Exchange Rate Revaluation,Get Entries,获取条目
 DocType: Production Plan,Get Material Request,获取物料需求
@@ -5106,21 +5171,22 @@
 DocType: Lead,Lead Type,线索类型
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +183,You are not authorized to approve leaves on Block Dates,您无权批准锁定日期内的休假
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +405,All these items have already been invoiced,这些物料都已开具发票
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +953,Set New Release Date,设置新的审批日期
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +1017,Set New Release Date,设置新的审批日期
 DocType: Company,Monthly Sales Target,每月销售目标
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},可以被{0}的批准
 DocType: Hotel Room,Hotel Room Type,酒店房间类型
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +181,Supplier &gt; Supplier Type,供应商&gt;供应商类型
 DocType: Leave Allocation,Leave Period,休假期间
 DocType: Item,Default Material Request Type,默认物料申请类型
 DocType: Supplier Scorecard,Evaluation Period,评估期
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,未知
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1011,Work Order not created,工单未创建
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1029,Work Order not created,工单未创建
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +36,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",已为组件{1}申请的金额{0},设置等于或大于{2}的金额
 DocType: Shipping Rule,Shipping Rule Conditions,配送规则条件
 DocType: Purchase Invoice,Export Type,导出类型
 DocType: Salary Slip Loan,Salary Slip Loan,工资单贷款
-DocType: BOM Update Tool,The new BOM after replacement,更换后的物料清单
+DocType: BOM Update Tool,The new BOM after replacement,更换后的新物料清单
 ,Point of Sale,销售点
 DocType: Payment Entry,Received Amount,收到的金额
 DocType: Patient,Widow,寡妇
@@ -5128,7 +5194,7 @@
 DocType: Program Enrollment,Pick/Drop by Guardian,由守护者选择
 DocType: Bank Account,SWIFT number,SWIFT号码
 DocType: Payment Entry,Party Name,往来单位名称
-DocType: Employee Benefit Application,Benefits Applied,应用的好处
+DocType: Employee Benefit Application,Benefits Applied,已实施的福利
 DocType: Crop,Planting UOM,种植UOM
 DocType: Account,Tax,税项
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,未标记
@@ -5149,29 +5215,29 @@
 DocType: Batch,Source Document Name,源文档名称
 DocType: Production Plan,Get Raw Materials For Production,获取生产用原材料
 DocType: Job Opening,Job Title,职位
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +84,"{0} indicates that {1} will not provide a quotation, but all items \
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +89,"{0} indicates that {1} will not provide a quotation, but all items \
 					have been quoted. Updating the RFQ quote status.",{0}表示{1}不会提供报价,但所有项目都已被引用。更新询价状态。
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1298,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,批次{1}和批次{3}中的项目{2}已保留最大样本数量{0}。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1290,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,批次{1}和批次{3}中的项目{2}已保留最大样本数量{0}。
 DocType: Manufacturing Settings,Update BOM Cost Automatically,自动更新BOM成本
 DocType: Lab Test,Test Name,测试名称
 DocType: Healthcare Settings,Clinical Procedure Consumable Item,临床程序消耗品
 apps/erpnext/erpnext/utilities/activation.py +99,Create Users,创建用户
 apps/erpnext/erpnext/utilities/user_progress.py +147,Gram,公克
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +10,Subscriptions,订阅
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +30,Subscriptions,订阅
 DocType: Supplier Scorecard,Per Month,每月
-DocType: Education Settings,Make Academic Term Mandatory,强制学术期限
+DocType: Education Settings,Make Academic Term Mandatory,使学术期限为强制项
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +414,Quantity to Manufacture must be greater than 0.,量生产必须大于0。
-DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,根据会计年度计算折旧折旧计划
-apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,保养电话的现场报表。
+DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,根据会计年度计算比例分配的折旧计划
+apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,保修电话的回访报表。
 DocType: Stock Entry,Update Rate and Availability,更新存货评估价和可用数量
-DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,百分比你被允许接收或传递更多针对订购的数量。例如:如果您订购100个单位。和你的津贴是10%,那么你被允许接收110个单位。
+DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,对应订购的数量,你被允许接收或发送更多的百分比。例如:如果您订购100个单位。和你的允许范围是10%,那么你被允许接收110个单位。
 DocType: Loyalty Program,Customer Group,客户群组
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +304,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,行#{0}:操作{1}未完成{2}工件订单#{3}中成品的数量。请通过时间日志更新操作状态
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +296,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order # {3}. Please update operation status via Time Logs,行#{0}:操作{1}未完成{2}工件订单#{3}中成品的数量。请通过时间日志更新操作状态
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),新批号(可选)
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +128,New Batch ID (Optional),新批号(可选)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Expense account is mandatory for item {0},必须为物料{0}指定费用科目
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +231,Expense account is mandatory for item {0},必须为物料{0}指定费用科目
 DocType: BOM,Website Description,显示在网站商的详细说明,可文字,图文,多媒体混排
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,在净资产收益变化
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +101,Net Change in Equity,净资产收益变化
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +291,Please cancel Purchase Invoice {0} first,请先取消采购发票{0}
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +25,Not permitted. Please disable the Service Unit Type,不允许。请禁用服务单位类型
 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",电子邮件地址必须是唯一的,已经存在了{0}
@@ -5179,12 +5245,12 @@
 DocType: Asset,Receipt,收据
 ,Sales Register,销售台帐
 DocType: Daily Work Summary Group,Send Emails At,电子邮件发送时机
-DocType: Quotation,Quotation Lost Reason,报价输了的原因
+DocType: Quotation,Quotation Lost Reason,报价遗失原因
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +383,Transaction reference no {0} dated {1},交易参考编号{0}日{1}
 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js +5,There is nothing to edit.,无需编辑。
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +542,Form View,表单视图
 DocType: HR Settings,Expense Approver Mandatory In Expense Claim,请选择报销审批人
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +118,Summary for this month and pending activities,本月和待活动总结
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +124,Summary for this month and pending activities,本月和待活动总结
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +91,Please set Unrealized Exchange Gain/Loss Account in Company {0},请在公司{0}中设置未实现汇兑损益科目
 apps/erpnext/erpnext/utilities/user_progress.py +248,"Add users to your organization, other than yourself.",将用户添加到您的组织,而不是您自己。
 DocType: Customer Group,Customer Group Name,客户群组名称
@@ -5194,14 +5260,14 @@
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py +467,No material request created,没有创建重要请求
 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},贷款额不能超过最高贷款额度{0}
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,执照
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +552,Please remove this Invoice {0} from C-Form {1},请删除此发票{0}从C-表格{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Please remove this Invoice {0} from C-Form {1},请删除此发票{0}从C-表格{1}
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,请选择结转,如果你还需要包括上一会计年度的资产负债叶本财年
-DocType: GL Entry,Against Voucher Type,凭证类型
+DocType: GL Entry,Against Voucher Type,针对的凭证类型
 DocType: Healthcare Practitioner,Phone (R),电话(R)
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +104,Time slots added,添加时隙
 DocType: Item,Attributes,属性
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +36,Enable Template,启用模板
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +250,Please enter Write Off Account,请输入销帐科目
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +256,Please enter Write Off Account,请输入销帐科目
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最后订购日期
 DocType: Salary Component,Is Payable,应付
 DocType: Inpatient Record,B Negative,B负面
@@ -5212,24 +5278,24 @@
 DocType: Hotel Room,Hotel Room,旅馆房间
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +57,Account {0} does not belongs to company {1},科目{0}不属于公司{1}
 DocType: Leave Type,Rounding,四舍五入
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +995,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列号与交货单不匹配
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +990,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列号与交货单不匹配
 DocType: Employee Benefit Application,Dispensed Amount (Pro-rated),分配金额(按比例分配)
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Group, Campaign, Sales Partner etc.",然后根据客户,客户组,地区,供应商,供应商组织,市场活动,销售合作伙伴等筛选定价规则。
-DocType: Student,Guardian Details,卫详细
+DocType: Student,Guardian Details,监护人详细信息
 DocType: C-Form,C-Form,C-表
 DocType: Agriculture Task,Start Day,开始日
-DocType: Vehicle,Chassis No,底盘无
+DocType: Vehicle,Chassis No,底盘号
 DocType: Payment Request,Initiated,已初始化
 DocType: Production Plan Item,Planned Start Date,计划开始日期
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +642,Please select a BOM,请选择一个物料清单
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +644,Please select a BOM,请选择一个物料清单
 DocType: Purchase Invoice,Availed ITC Integrated Tax,有效的ITC综合税收
-DocType: Purchase Order Item,Blanket Order Rate,一揽子订单单价
-apps/erpnext/erpnext/hooks.py +156,Certification,证明
+DocType: Purchase Order Item,Blanket Order Rate,总括订单单价
+apps/erpnext/erpnext/hooks.py +157,Certification,证明
 DocType: Bank Guarantee,Clauses and Conditions,条款和条件
 DocType: Serial No,Creation Document Type,创建文件类型
 DocType: Project Task,View Timesheet,查看工时单
 DocType: Amazon MWS Settings,ES,ES
-apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +24,Make Journal Entry,创建手工凭证
+apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +24,Make Journal Entry,创建日志录入
 DocType: Leave Allocation,New Leaves Allocated,新分配的休假(天数)
 apps/erpnext/erpnext/controllers/trends.py +269,Project-wise data is not available for Quotation,无项目数据,无法报价
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html +30,End on,结束
@@ -5243,12 +5309,13 @@
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,房屋租金付款金额
 DocType: Student Admission Program,Student Admission Program,学生入学计划
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,免税类别
-DocType: Payment Entry,Account Paid To,收款科目
+DocType: Payment Entry,Account Paid To,付款科目
 DocType: Subscription Settings,Grace Period,宽限期
 DocType: Item Alternative,Alternative Item Name,替代物料名称
 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,父项{0}不能是库存产品
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +187,Website Listing,网站列表
 apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,所有的产品或服务。
+DocType: Email Digest,Open Quotations,打开报价单
 DocType: Expense Claim,More Details,更多信息
 DocType: Supplier Quotation,Supplier Address,供应商地址
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +168,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} 账户{1}对于{2}{3}的预算是{4}. 预期增加{5}
@@ -5263,27 +5330,26 @@
 DocType: Training Event,Exam,考试
 apps/erpnext/erpnext/public/js/hub/hub_call.js +46,Marketplace Error,市场错误
 DocType: Complaint,Complaint,抱怨
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +523,Warehouse required for stock Item {0},物料{0}需要指定仓库
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +534,Warehouse required for stock Item {0},物料{0}需要指定仓库
 DocType: Leave Allocation,Unused leaves,未使用的休假
 apps/erpnext/erpnext/hr/doctype/loan/loan.js +83,Make Repayment Entry,进行还款分录
 apps/erpnext/erpnext/patches/v11_0/update_department_lft_rgt.py +8,All Departments,所有部门
 DocType: Healthcare Service Unit,Vacant,空的
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +169,Supplier &gt; Supplier Type,供应商&gt;供应商类型
 DocType: Patient,Alcohol Past Use,酒精过去使用
 DocType: Fertilizer Content,Fertilizer Content,肥料含量
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +248,Cr,信用
 DocType: Project Update,Problematic/Stuck,问题/卡住
 DocType: Tax Rule,Billing State,计费状态
-DocType: Share Transfer,Transfer,转让
+DocType: Share Transfer,Transfer,转移
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +262,Work Order {0} must be cancelled before cancelling this Sales Order,在取消此销售订单之前,必须先取消工单{0}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +932,Fetch exploded BOM (including sub-assemblies),获取展开BOM(包括子物料)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +995,Fetch exploded BOM (including sub-assemblies),获取展开BOM(包括子物料)
 DocType: Authorization Rule,Applicable To (Employee),适用于(员工)
 apps/erpnext/erpnext/controllers/accounts_controller.py +170,Due Date is mandatory,截止日期字段必填
 apps/erpnext/erpnext/controllers/item_variant.py +82,Increment for Attribute {0} cannot be 0,增量属性{0}不能为0
 DocType: Employee Benefit Claim,Benefit Type and Amount,福利类型和金额
 apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py +19,Rooms Booked,客房预订
 apps/erpnext/erpnext/crm/doctype/lead/lead.py +57,Ends On date cannot be before Next Contact Date.,结束日期不能在下一次联系日期之前。
-DocType: Journal Entry,Pay To / Recd From,支付/ RECD从
+DocType: Journal Entry,Pay To / Recd From,支付/ 收款自
 DocType: Naming Series,Setup Series,设置系列
 DocType: Payment Reconciliation,To Invoice Date,要发票日期
 DocType: Bank Account,Contact HTML,联系HTML
@@ -5292,7 +5358,7 @@
 DocType: Disease,Treatment Period,治疗期
 DocType: Travel Itinerary,Travel Itinerary,出差行程
 apps/erpnext/erpnext/education/api.py +336,Result already Submitted,结果已提交
-apps/erpnext/erpnext/controllers/buying_controller.py +196,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,发给供应供应商的原物料{0}其保留仓库字段必填
+apps/erpnext/erpnext/controllers/buying_controller.py +197,Reserved Warehouse is mandatory for Item {0} in Raw Materials supplied,发给供应供应商的原物料{0}其保留仓库字段必填
 ,Inactive Customers,非活跃客户
 DocType: Student Admission Program,Maximum Age,最大年龄
 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py +28,Please wait 3 days before resending the reminder.,请重新发送提醒之前请等待3天。
@@ -5301,7 +5367,6 @@
 DocType: Stock Entry,Delivery Note No,销售出货单编号
 DocType: Cheque Print Template,Message to show,信息显示
 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Retail,零售
-DocType: Healthcare Settings,Manage Appointment Invoice Automatically,自动管理约会发票
 DocType: Student Attendance,Absent,缺勤
 DocType: Staffing Plan,Staffing Plan Detail,人员配置计划信息
 DocType: Employee Promotion,Promotion Date,升职日期
@@ -5316,23 +5381,23 @@
 DocType: GL Entry,Remarks,备注
 DocType: Hotel Room Amenity,Hotel Room Amenity,酒店客房舒适
 DocType: Budget,Action if Annual Budget Exceeded on MR,年度预算超出MR的行动
-DocType: Payment Entry,Account Paid From,付款科目
+DocType: Payment Entry,Account Paid From,收款科目
 DocType: Purchase Order Item Supplied,Raw Material Item Code,原材料物料编号
 DocType: Task,Parent Task,父任务
 DocType: Journal Entry,Write Off Based On,销帐基于
-apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,创建线索
+apps/erpnext/erpnext/utilities/activation.py +65,Make Lead,创建商机
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Print and Stationery,打印和文具
 DocType: Stock Settings,Show Barcode Field,显示条形码字段
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Send Supplier Emails,发送电子邮件供应商
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +859,Send Supplier Emails,发送电子邮件供应商
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +165,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",工资已经结算了与{0}和{1},不可在此期间再申请休假。
 DocType: Fiscal Year,Auto Created,自动创建
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py +19,Submit this to create the Employee record,提交这个来创建员工记录
 DocType: Item Default,Item Default,物料默认值
 DocType: Chapter Member,Leave Reason,离开原因
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +197,Invoice {0} no longer exists,发票{0}不再存在
-DocType: Guardian Interest,Guardian Interest,卫利息
+DocType: Guardian Interest,Guardian Interest,监护人利益
 DocType: Volunteer,Availability,可用性
-apps/erpnext/erpnext/config/accounts.py +347,Setup default values for POS Invoices,设置POS发票的默认值
+apps/erpnext/erpnext/config/accounts.py +357,Setup default values for POS Invoices,设置POS发票的默认值
 apps/erpnext/erpnext/config/hr.py +248,Training,培训
 DocType: Project,Time to send,发送时间
 DocType: Timesheet,Employee Detail,员工详细信息
@@ -5350,13 +5415,13 @@
 DocType: Support Search Source,Link Options,链接选项
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1557,Total Amount {0},总金额{0}
 apps/erpnext/erpnext/controllers/item_variant.py +323,Invalid attribute {0} {1},无效的属性{0} {1}
-DocType: Supplier,Mention if non-standard payable account,如使用非标准应付科目,请在这里指定
+DocType: Supplier,Mention if non-standard payable account,如使用非标准应付科目,应提及
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py +25,Please select the assessment group other than 'All Assessment Groups',请选择“所有评估组”以外的评估组
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +67,Row {0}: Cost center is required for an item {1},行{0}:项目{1}需要费用中心
 DocType: Training Event Employee,Optional,可选的
 DocType: Salary Slip,Earning & Deduction,收入及扣除
 DocType: Agriculture Analysis Criteria,Water Analysis,水分析
-apps/erpnext/erpnext/stock/doctype/item/item.js +452,{0} variants created.,创建了{0}个变体。
+apps/erpnext/erpnext/stock/doctype/item/item.js +470,{0} variants created.,{0}变量已创建
 DocType: Amazon MWS Settings,Region,区域
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,可选。此设置将被应用于各种交易进行过滤。
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +111,Negative Valuation Rate is not allowed,评估价不可以为负数
@@ -5375,7 +5440,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Cost of Scrapped Asset,报废资产成本
 apps/erpnext/erpnext/controllers/stock_controller.py +240,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是物料{2}的必须项
 DocType: Vehicle,Policy No,政策:
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +673,Get Items from Product Bundle,从产品包获取物料
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +736,Get Items from Product Bundle,从产品包获取物料
 DocType: Asset,Straight Line,直线
 DocType: Project User,Project User,项目用户
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +72,Split,分裂
@@ -5384,7 +5449,7 @@
 DocType: GL Entry,Is Advance,是否预付款
 apps/erpnext/erpnext/config/hr.py +202,Employee Lifecycle,员工生命周期
 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,必须指定考勤起始日期和结束日期
-apps/erpnext/erpnext/controllers/buying_controller.py +183,Please enter 'Is Subcontracted' as Yes or No,请输入'转包' YES或NO
+apps/erpnext/erpnext/controllers/buying_controller.py +184,Please enter 'Is Subcontracted' as Yes or No,请输入'转包' YES或NO
 DocType: Item,Default Purchase Unit of Measure,默认采购单位
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,最后通讯日期
 DocType: Clinical Procedure Item,Clinical Procedure Item,临床流程项目
@@ -5393,10 +5458,10 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py +33,Access token or Shopify URL missing,访问令牌或Shopify网址丢失
 DocType: Location,Latitude,纬度
 DocType: Work Order,Scrap Warehouse,废料仓库
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +187,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",在第{0}行,需要仓库,请为公司{2}的物料{1}设置默认仓库
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +192,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",在第{0}行需要仓库,请为公司{2}的物料{1}设置默认仓库
 DocType: Work Order,Check if material transfer entry is not required,检查是否不需要材料转移条目
 DocType: Work Order,Check if material transfer entry is not required,检查是否不需要材料转移条目
-DocType: Program Enrollment Tool,Get Students From,让学生从
+DocType: Program Enrollment Tool,Get Students From,从... 选择学生
 apps/erpnext/erpnext/config/learn.py +263,Publish Items on Website,发布物料到网站上
 apps/erpnext/erpnext/utilities/activation.py +126,Group your students in batches,一群学生在分批
 DocType: Authorization Rule,Authorization Rule,授权规则
@@ -5410,17 +5475,18 @@
 apps/erpnext/erpnext/stock/doctype/batch/batch.js +122,New Batch Qty,新批量
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +10,Apparel & Accessories,服装及配饰
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +91,Could not solve weighted score function. Make sure the formula is valid.,无法解决加权分数函数。确保公式有效。
+apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +186,Purchase Order Items not received on time,未按时收到采购订单项目
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,订购次数
 DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML或横幅,将显示在产品列表的顶部。
 DocType: Shipping Rule,Specify conditions to calculate shipping amount,指定用来计算运费金额的条件
 DocType: Program Enrollment,Institute's Bus,学院的巴士
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,允许设置冻结科目和编辑冻结凭证的角色
 DocType: Supplier Scorecard Scoring Variable,Path,路径
-apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,不能将成本中心转换为总账,因为它有子项。
+apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cannot convert Cost Center to ledger as it has child nodes,不能将成本中心转换为分类账,因为它有子项。
 DocType: Production Plan,Total Planned Qty,总计划数量
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +76,Opening Value,期初金额
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +83,Opening Value,期初金额
 DocType: Salary Component,Formula,公式
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,序列号
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +59,Serial #,序列号
 DocType: Lab Test Template,Lab Test Template,实验室测试模板
 apps/erpnext/erpnext/setup/doctype/company/company.py +196,Sales Account,销售科目
 DocType: Purchase Invoice Item,Total Weight,总重量
@@ -5435,10 +5501,9 @@
 DocType: Budget,Control Action,控制行动
 DocType: Asset Maintenance Task,Assign To Name,分配到名称
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +105,Entertainment Expenses,娱乐费用
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,创建物料需求
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +98,Make Material Request,创建材料需求
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},打开物料{0}
 DocType: Asset Finance Book,Written Down Value,账面净值
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,请在人力资源&gt;人力资源设置中设置员工命名系统
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,Sales Invoice {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消销售发票{0}
 DocType: Clinical Procedure,Age,账龄
 DocType: Sales Invoice Timesheet,Billing Amount,开票金额
@@ -5447,15 +5512,15 @@
 DocType: Company,Default Employee Advance Account,默认员工预支科目
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1181,Search Item (Ctrl + i),搜索项目(Ctrl + i)
 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Account with existing transaction can not be deleted,有交易的科目不能被删除
-DocType: Vehicle,Last Carbon Check,最后检查炭
+apps/erpnext/erpnext/accounts/doctype/account/account.py +171,Account with existing transaction can not be deleted,有交易的科目不能被删除
+DocType: Vehicle,Last Carbon Check,最后炭检查
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Legal Expenses,法律费用
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +147,Please select quantity on row ,请选择行数量
-apps/erpnext/erpnext/config/accounts.py +305,Make Opening Sales and Purchase Invoices,打开销售和采购发票
+apps/erpnext/erpnext/config/accounts.py +315,Make Opening Sales and Purchase Invoices,创建开放的销售和采购发票
 DocType: Purchase Invoice,Posting Time,记帐时间
 DocType: Timesheet,% Amount Billed,(%)金额帐单
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +125,Telephone Expenses,电话费
-DocType: Sales Partner,Logo,Logo
+DocType: Sales Partner,Logo,徽标
 DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,要用户手动选择序列的话请勾选。勾选此项后将不会选择默认序列。
 apps/erpnext/erpnext/stock/get_item_details.py +150,No Item with Serial No {0},没有序列号为{0}的物料
 DocType: Email Digest,Open Notifications,打开通知
@@ -5464,26 +5529,26 @@
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,新客户收入
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Travel Expenses,差旅费
 DocType: Maintenance Visit,Breakdown,细目
-DocType: Travel Itinerary,Vegetarian,素
+DocType: Travel Itinerary,Vegetarian,素食者
 DocType: Patient Encounter,Encounter Date,遇到日期
-apps/erpnext/erpnext/controllers/accounts_controller.py +890,Account: {0} with currency: {1} can not be selected,帐号:{0}币种:{1}不能选择
+apps/erpnext/erpnext/controllers/accounts_controller.py +891,Account: {0} with currency: {1} can not be selected,帐号:{0}币种:{1}不能选择
 DocType: Bank Statement Transaction Settings Item,Bank Data,银行数据
 DocType: Purchase Receipt Item,Sample Quantity,样品数量
 DocType: Bank Guarantee,Name of Beneficiary,受益人姓名
 DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.",通过后台排程程序基于最新的存货评估价/价格清单单价/最近的原材料采购单价自动更新BOM成本。
 DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.-
 DocType: Bank Reconciliation Detail,Cheque Date,支票日期
-apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} does not belong to company: {2},科目{0}的上级科目{1}不属于公司{2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +57,Account {0}: Parent account {1} does not belong to company: {2},科目{0}的上级科目{1}不属于公司{2}
 apps/erpnext/erpnext/setup/doctype/company/company.js +126,Successfully deleted all transactions related to this company!,成功删除与该公司相关的所有交易!
-apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,随着对日
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +39,As on Date,截至日期
 DocType: Additional Salary,HR,HR
 DocType: Program Enrollment,Enrollment Date,报名日期
-DocType: Healthcare Settings,Out Patient SMS Alerts,输出病人短信
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,缓刑
+DocType: Healthcare Settings,Out Patient SMS Alerts,不住院病人短信
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +103,Probation,试用
 DocType: Program Enrollment Tool,New Academic Year,新学年
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +847,Return / Credit Note,退货/退款单
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +866,Return / Credit Note,退货/退款单
 DocType: Stock Settings,Auto insert Price List rate if missing,如果价格清单中不存在该单价则自动插入
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,总支付金额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +130,Total Paid Amount,已支付总金额
 DocType: GST Settings,B2C Limit,B2C限制
 DocType: Job Card,Transferred Qty,已发料数量
 apps/erpnext/erpnext/config/learn.py +11,Navigating,导航
@@ -5499,10 +5564,10 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子节点只可创建在群组类节点下
 DocType: Attendance Request,Half Day Date,半天日期
 DocType: Academic Year,Academic Year Name,学年名称
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1280,{0} not allowed to transact with {1}. Please change the Company.,不允许{0}与{1}进行交易。请更改公司。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1178,{0} not allowed to transact with {1}. Please change the Company.,不允许{0}与{1}进行交易。请更改公司。
 DocType: Sales Partner,Contact Desc,联系人倒序
 DocType: Email Digest,Send regular summary reports via Email.,通过电子邮件发送定期汇总报表。
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +288,Please set default account in Expense Claim Type {0},请为报销类型设置默认科目{0}
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +289,Please set default account in Expense Claim Type {0},请在报销申请类型设置默认科目{0}
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html +11,Available Leaves,可用休假天数
 DocType: Assessment Result,Student Name,学生姓名
 DocType: Hub Tracked Item,Item Manager,物料经理
@@ -5512,7 +5577,7 @@
 DocType: Work Order,Total Operating Cost,总营运成本
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +172,Note: Item {0} entered multiple times,注意:物料{0}已多次输入
 apps/erpnext/erpnext/config/selling.py +41,All Contacts.,所有联系人。
-DocType: Accounting Period,Closed Documents,关闭的文件
+DocType: Accounting Period,Closed Documents,已关闭的文件
 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,管理约会发票提交并自动取消患者遭遇
 DocType: Patient Appointment,Referring Practitioner,转介医生
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Company Abbreviation,公司缩写
@@ -5527,9 +5592,10 @@
 DocType: Subscription,Trial Period End Date,试用期结束日期
 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,不允许,因为{0}超出范围
 DocType: Serial No,Asset Status,资产状态
+DocType: Delivery Note,Over Dimensional Cargo (ODC),超尺寸货物(ODC)
 DocType: Restaurant Order Entry,Restaurant Table,餐桌
 DocType: Hotel Room,Hotel Manager,酒店经理
-apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,购物车设置税收规则
+apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +64,Set Tax Rule for shopping cart,购物车设置税收规则
 DocType: Purchase Invoice,Taxes and Charges Added,已添加的税费
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +214,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,折旧行{0}:下一个折旧日期不能在可供使用的日期之前
 ,Sales Funnel,销售漏斗
@@ -5540,15 +5606,15 @@
 DocType: Staffing Plan,Total Estimated Budget,预计总预算
 ,Qty to Transfer,转移数量
 apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,向潜在客户或客户发出的报价。
-DocType: Stock Settings,Role Allowed to edit frozen stock,角色可以编辑冻结库存
+DocType: Stock Settings,Role Allowed to edit frozen stock,可以编辑冻结库存的角色
 ,Territory Target Variance Item Group-Wise,按物料组的区域目标差异
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +131,All Customer Groups,所有客户群组
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +155,Accumulated Monthly,每月累计
 DocType: Attendance Request,On Duty,值班
-apps/erpnext/erpnext/controllers/accounts_controller.py +847,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是必填项。{1}和{2}的货币转换记录可能还未生成。
+apps/erpnext/erpnext/controllers/accounts_controller.py +848,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是必填项。{1}和{2}的货币转换记录可能还未生成。
 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py +51,Staffing Plan {0} already exist for designation {1},已存在人员配置计划{0}以用于指定{1}
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +46,Tax Template is mandatory.,税务模板字段必填。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +46,Account {0}: Parent account {1} does not exist,科目{0}的上级科目{1}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: Parent account {1} does not exist,科目{0}的上级科目{1}不存在
 DocType: POS Closing Voucher,Period Start Date,期间开始日期
 DocType: Purchase Invoice Item,Price List Rate (Company Currency),价格清单单价(公司货币)
 DocType: Products Settings,Products Settings,产品设置
@@ -5559,16 +5625,16 @@
 DocType: Account,Temporary,临时
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +120,Customer LPO No.,客户采购订单号
 DocType: Amazon MWS Settings,Market Place Account Group,市场账户组
-apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +14,Make Payment Entries,付款条目
-DocType: Program,Courses,培训班
+apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js +14,Make Payment Entries,创建付款条目
+DocType: Program,Courses,课程
 DocType: Monthly Distribution Percentage,Percentage Allocation,核销百分比
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +116,Secretary,秘书
-apps/erpnext/erpnext/regional/india/utils.py +177,House rented dates required for exemption calculation,房子租用日期计算免责
+apps/erpnext/erpnext/regional/india/utils.py +177,House rented dates required for exemption calculation,用于豁免计算的房子租用天数
 DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",如果禁用“,在词”字段不会在任何交易可见
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +29,This action will stop future billing. Are you sure you want to cancel this subscription?,此操作将停止未来的结算。您确定要取消此订阅吗?
-DocType: Serial No,Distinct unit of an Item,物料的属性
+DocType: Serial No,Distinct unit of an Item,物料的不同的计量单位
 DocType: Supplier Scorecard Criteria,Criteria Name,标准名称
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1368,Please set Company,请设公司
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1387,Please set Company,请设公司
 DocType: Procedure Prescription,Procedure Created,程序已创建
 DocType: Pricing Rule,Buying,采购
 apps/erpnext/erpnext/config/agriculture.py +24,Diseases & Fertilizers,疾病与肥料
@@ -5585,71 +5651,73 @@
 DocType: Employee Onboarding,Job Offer,工作机会
 apps/erpnext/erpnext/public/js/setup_wizard.js +71,Institute Abbreviation,机构缩写
 ,Item-wise Price List Rate,物料价格清单单价
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1086,Supplier Quotation,供应商报价
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1149,Supplier Quotation,供应商报价
 DocType: Quotation,In Words will be visible once you save the Quotation.,大写金额将在报价单保存后显示。
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},数量({0})不能是行{1}中的分数
-apps/erpnext/erpnext/utilities/transaction_base.py +158,Quantity ({0}) cannot be a fraction in row {1},数量({0})不能是行{1}中的分数
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},数量({0})不能是行{1}中的分数
+apps/erpnext/erpnext/utilities/transaction_base.py +169,Quantity ({0}) cannot be a fraction in row {1},数量({0})不能是行{1}中的分数
 DocType: Contract,Unsigned,无符号
 DocType: Selling Settings,Each Transaction,每笔交易
-apps/erpnext/erpnext/stock/doctype/item/item.py +509,Barcode {0} already used in Item {1},条码{0}已被物料{1}使用
+apps/erpnext/erpnext/stock/doctype/item/item.py +510,Barcode {0} already used in Item {1},条码{0}已被物料{1}使用
 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,规则增加运输成本。
 DocType: Hotel Room,Extra Bed Capacity,加床容量
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Varaiance ,变量
 DocType: Item,Opening Stock,期初库存
 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,客户是必须项
 DocType: Lab Test,Result Date,结果日期
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +100,PDC/LC Date,部分支付日期
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +101,PDC/LC Date,部分支付日期
 DocType: Purchase Order,To Receive,等收货
 DocType: Leave Period,Holiday List for Optional Leave,可选假期的假期列表
 apps/erpnext/erpnext/utilities/user_progress.py +252,user@example.com,user@example.com
 DocType: Asset,Asset Owner,资产所有者
 DocType: Purchase Invoice,Reason For Putting On Hold,搁置的理由
 DocType: Employee,Personal Email,个人电子邮件
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +67,Total Variance,总差异
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +86,Total Variance,总差异
 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",如果启用,系统将自动为库存创建会计分录。
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +15,Brokerage,佣金
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +265,Attendance for employee {0} is already marked for this day,考勤员工{0}已标记为这一天
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +264,Attendance for employee {0} is already marked for this day,考勤员工{0}已标记为这一天
 DocType: Work Order Operation,"in Minutes
 Updated via 'Time Log'",单位为分钟,通过“时间日志”更新
 DocType: Customer,From Lead,来自潜在客户
 DocType: Amazon MWS Settings,Synch Orders,同步订单
 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,工单已审批可开始生产。
 apps/erpnext/erpnext/public/js/account_tree_grid.js +65,Select Fiscal Year...,选择财务年度...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +646,POS Profile required to make POS Entry,请创建POS配置记录
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +639,POS Profile required to make POS Entry,请创建POS配置记录
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +15,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",忠诚度积分将根据所花费的完成量(通过销售发票)计算得出。
 DocType: Program Enrollment Tool,Enroll Students,招生
 DocType: Company,HRA Settings,HRA设置
-DocType: Employee Transfer,Transfer Date,变动日期
+DocType: Employee Transfer,Transfer Date,转移日期
 DocType: Lab Test,Approved Date,批准日期
 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,标准销售
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +248,Atleast one warehouse is mandatory,必须选择至少一个仓库
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +240,Atleast one warehouse is mandatory,必须选择至少一个仓库
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +14,"Configure Item Fields like UOM, Item Group, Description and No of Hours.",配置项目字段,如UOM,项目组,描述和小时数。
 DocType: Certification Application,Certification Status,认证状态
 apps/erpnext/erpnext/public/js/hub/marketplace.js +45,Marketplace,市井
 DocType: Travel Itinerary,Travel Advance Required,需预支出差费用
 DocType: Subscriber,Subscriber Name,订户名称
 DocType: Serial No,Out of Warranty,超出保修期
-DocType: Cashier Closing,Cashier-closing-,收银员闭合体
-DocType: Bank Statement Transaction Settings Item,Mapped Data Type,映射数据类型
+DocType: Cashier Closing,Cashier-closing-,收银员-关闭-
+DocType: Bank Statement Transaction Settings Item,Mapped Data Type,已映射数据类型
 DocType: BOM Update Tool,Replace,更换
 apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,找不到产品。
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +396,{0} against Sales Invoice {1},{0}不允许销售发票{1}
 DocType: Antibiotic,Laboratory User,实验室用户
 DocType: Request for Quotation Item,Project Name,项目名称
-DocType: Customer,Mention if non-standard receivable account,如需记账到非标准应收账款科目
+DocType: Customer,Mention if non-standard receivable account,如需记账到非标准应收账款科目应提及
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +63,Please add the remaining benefits {0} to any of the existing component,请将其余好处{0}添加到任何现有组件
 DocType: Journal Entry Account,If Income or Expense,收入或支出
 DocType: Bank Statement Transaction Entry,Matching Invoices,匹配发票
 DocType: Work Order,Required Items,所需物料
 DocType: Stock Ledger Entry,Stock Value Difference,库存值差异
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +63,Item Row {0}: {1} {2} does not exist in above '{1}' table,项目行{0}:{1} {2}在上面的“{1}”表格中不存在
 apps/erpnext/erpnext/config/learn.py +229,Human Resource,人力资源
 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,付款方式付款对账
 DocType: Disease,Treatment Task,治疗任务
 DocType: Payment Order Reference,Bank Account Details,银行账户明细
-DocType: Purchase Order Item,Blanket Order,框架订单
+DocType: Purchase Order Item,Blanket Order,总括订单
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +39,Tax Assets,所得税资产
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +631,Production Order has been {0},生产订单已经{0}
 apps/erpnext/erpnext/regional/india/utils.py +186,House rent paid days overlap with {0},房租支付天数与{0}重叠
-DocType: BOM Item,BOM No,BOM编号
+DocType: BOM Item,BOM No,物料清单编号
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +192,Journal Entry {0} does not have account {1} or already matched against other voucher,手工凭证{0}没有科目{1}或已经匹配其他凭证
 DocType: Item,Moving Average,移动平均
 DocType: BOM Update Tool,The BOM which will be replaced,此物料清单将被替换
@@ -5658,9 +5726,10 @@
 DocType: Account,Debit,借方
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +63,Leaves must be allocated in multiples of 0.5,假期天数必须为0.5的倍数
 DocType: Work Order,Operation Cost,运营成本
-apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +45,Outstanding Amt,未付金额
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +318,Identifying Decision Makers,确定决策者
+apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +47,Outstanding Amt,未付金额
 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,为销售人员设置品次群组特定的目标
-DocType: Stock Settings,Freeze Stocks Older Than [Days],冻结超出此天数的库存
+DocType: Stock Settings,Freeze Stocks Older Than [Days],冻结库存超出此天数的
 DocType: Payment Request,Payment Ordered,付款订购
 DocType: Asset Maintenance Team,Maintenance Team Name,维护组名称
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果存在多个价格规则,则会用优先级来区分。优先级是一个介于0到20的数字,默认值是零(或留空)。数字越大,意味着优先级别越高。
@@ -5670,14 +5739,13 @@
 DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,允许以下用户批准在禁离日请假的申请。
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +30,Lifecycle,生命周期
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +142,Make BOM,制作BOM
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},项目{0}的销售价格低于其{1}。售价应至少为{2}
-apps/erpnext/erpnext/controllers/selling_controller.py +157,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},项目{0}的销售价格低于其{1}。售价应至少为{2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},项目{0}的销售价格低于其{1}。售价应至少为{2}
+apps/erpnext/erpnext/controllers/selling_controller.py +158,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},项目{0}的销售价格低于其{1}。售价应至少为{2}
 DocType: Subscription,Taxes,税
 DocType: Purchase Invoice,capital goods,资本货物
 DocType: Purchase Invoice Item,Weight Per Unit,每单位重量
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +355,Paid and Not Delivered,支付和未送达
-DocType: Project,Default Cost Center,默认成本中心
-DocType: Delivery Note,Transporter Doc No,运输者文件号
+DocType: QuickBooks Migrator,Default Cost Center,默认成本中心
 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,库存交易
 DocType: Budget,Budget Accounts,预算科目
 DocType: Employee,Internal Work History,内部工作经历
@@ -5710,23 +5778,23 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +242,Healthcare Practitioner not available on {0},医疗从业者在{0}上不可用
 DocType: Stock Entry Detail,Additional Cost,额外费用
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +56,"Can not filter based on Voucher No, if grouped by Voucher",按凭证分类后不能根据凭证编号过滤
-apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +905,Make Supplier Quotation,创建供应商报价
+apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +968,Make Supplier Quotation,创建供应商报价
 DocType: Quality Inspection,Incoming,来料检验
 apps/erpnext/erpnext/setup/doctype/company/company.js +90,Default tax templates for sales and purchase are created.,销售和采购的默认税收模板被创建。
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py +44,Assessment Result record {0} already exists.,评估结果记录{0}已经存在。
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例如:ABCD。#####。如果系列已设置且交易中未输入批号,则将根据此系列创建自动批号。如果您始终想要明确提及此料品的批号,请将此留为空白。注意:此设置将优先于库存设置中的命名系列前缀。
 DocType: BOM,Materials Required (Exploded),所需物料(正展开)
 DocType: Contract,Party User,往来单位用户
-apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',如果Group By是“Company”,请设置公司过滤器空白
+apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',如果按什么分组是“Company”,请设置公司过滤器空白
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +68,Posting Date cannot be future date,记帐日期不能是未来的日期
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +100,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列号{1}不相匹配{2} {3}
 DocType: Stock Entry,Target Warehouse Address,目标仓库地址
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +89,Casual Leave,事假
-DocType: Agriculture Task,End Day,结束的一天
+DocType: Agriculture Task,End Day,结束日期
 DocType: Batch,Batch ID,批次ID
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +386,Note: {0},注: {0}
 ,Delivery Note Trends,销售出货趋势
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,This Week's Summary,本周总结
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +120,This Week's Summary,本周总结
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +22,In Stock Qty,库存量
 ,Daily Work Summary Replies,每日工作总结回复
 DocType: Delivery Trip,Calculate Estimated Arrival Times,计算预计到达时间
@@ -5735,8 +5803,8 @@
 DocType: Shopify Settings,Webhooks,网络挂接
 DocType: Bank Account,Party,往来单位
 DocType: Healthcare Settings,Patient Name,患者姓名
-DocType: Variant Field,Variant Field,变种场
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +349,Target Location,目标位置
+DocType: Variant Field,Variant Field,变种字段
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +370,Target Location,目标位置
 DocType: Sales Order,Delivery Date,交货日期
 DocType: Opportunity,Opportunity Date,日期机会
 DocType: Employee,Health Insurance Provider,保险公司
@@ -5755,7 +5823,7 @@
 DocType: Employee,History In Company,公司内履历
 DocType: Customer,Customer Primary Address,客户主要地址
 apps/erpnext/erpnext/config/learn.py +107,Newsletters,内部通讯
-apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +172,Reference No.,参考编号。
+apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py +175,Reference No.,参考编号。
 DocType: Drug Prescription,Description/Strength,说明/力量
 DocType: Bank Statement Transaction Entry,Create New Payment/Journal Entry,创建新的付款/日记账分录
 DocType: Certification Application,Certification Application,认证申请
@@ -5766,20 +5834,20 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +86,Same item has been entered multiple times,同一物料重复输入了多次(不同的行)
 DocType: Department,Leave Block List,禁止休假日列表
 DocType: Purchase Invoice,Tax ID,纳税登记号
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,Item {0} is not setup for Serial Nos. Column must be blank,项目{0}没有启用序列好管理功能,序列号必须留空
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Item {0} is not setup for Serial Nos. Column must be blank,项目{0}没有启用序列好管理功能,序列号必须留空
 DocType: Accounts Settings,Accounts Settings,会计设置
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js +11,Approve,批准
 DocType: Loyalty Program,Customer Territory,客户地区
+DocType: Email Digest,Sales Orders to Deliver,要交付的销售订单
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Number of new Account, it will be included in the account name as a prefix",新帐号的数量,将作为前缀包含在帐号名称中
 DocType: Maintenance Team Member,Team Member,队员
 apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js +151,No Result to submit,没有结果提交
 DocType: Customer,Sales Partner and Commission,销售合作伙伴及佣金
 DocType: Loan,Rate of Interest (%) / Year,利息(%)/年的速率
 ,Project Quantity,工程量
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",共有{0}所有项目为零,可能是你应该“基于分布式费用”改变
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +79,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",所有项目合计{0}为零,可能你应该改变“基于分布式费用”
 apps/erpnext/erpnext/hr/utils.py +152,To date can not be less than from date,迄今为止不能少于起始日期
 DocType: Opportunity,To Discuss,待讨论
-apps/erpnext/erpnext/accounts/doctype/subscriber/subscriber_dashboard.py +6,This is based on transactions against this Subscriber. See timeline below for details,这是基于针对此订阅者的交易。请参阅下面的时间表了解详情
 apps/erpnext/erpnext/stock/stock_ledger.py +378,{0} units of {1} needed in {2} to complete this transaction.,{0}单位{1}在{2}完成此交易所需。
 DocType: Loan Type,Rate of Interest (%) Yearly,利息率的比例(%)年
 DocType: Support Settings,Forum URL,论坛URL
@@ -5794,7 +5862,7 @@
 apps/erpnext/erpnext/utilities/user_progress.py +58,Learn More,学到更多
 DocType: Cheque Print Template,Distance from top edge,从顶边的距离
 DocType: POS Closing Voucher Invoices,Quantity of Items,物料数量
-apps/erpnext/erpnext/stock/get_item_details.py +517,Price List {0} is disabled or does not exist,价格清单{0}禁用或不存在
+apps/erpnext/erpnext/stock/get_item_details.py +521,Price List {0} is disabled or does not exist,价格清单{0}禁用或不存在
 DocType: Purchase Invoice,Return,回报
 DocType: Pricing Rule,Disable,禁用
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +184,Mode of payment is required to make a payment,付款方式需要进行付款
@@ -5802,24 +5870,24 @@
 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js +14,"Edit in full page for more options like assets, serial nos, batches etc.",在整页上编辑更多的选项,如资产,序列号,批次等。
 DocType: Leave Type,Maximum Continuous Days Applicable,单次最长连续休假天数
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +41,{0} - {1} is not enrolled in the Batch {2},{0}  -  {1}未注册批次{2}
-apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +117,"Asset {0} cannot be scrapped, as it is already {1}",资产{0}不能被废弃,因为它已经是{1}
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,需要检查
+apps/erpnext/erpnext/assets/doctype/asset/depreciation.py +118,"Asset {0} cannot be scrapped, as it is already {1}",资产{0}不能被废弃,因为它已经是{1}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +90,Cheques Required,需要的支票
 DocType: Task,Total Expense Claim (via Expense Claim),总费用报销(通过费用报销)
 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,标记为缺勤
 DocType: Job Applicant Source,Job Applicant Source,求职者来源
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +325,IGST Amount,IGST金额
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,未能成立公司
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +328,IGST Amount,IGST金额
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +40,Failed to setup company,未能设立公司
 DocType: Asset Repair,Asset Repair,资产修复
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +152,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的货币{1}应等于所选货币{2}
 DocType: Journal Entry Account,Exchange Rate,汇率
 DocType: Patient,Additional information regarding the patient,有关患者的其他信息
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +664,Sales Order {0} is not submitted,销售订单{0}未提交
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +657,Sales Order {0} is not submitted,销售订单{0}未提交
 DocType: Homepage,Tag Line,标语
 DocType: Fee Component,Fee Component,收费组件
 apps/erpnext/erpnext/config/hr.py +286,Fleet Management,车队的管理
 apps/erpnext/erpnext/config/agriculture.py +7,Crops & Lands,作物和土地
 DocType: Cheque Print Template,Regular,定期
-DocType: Fertilizer,Density (if liquid),密度(如果液体)
+DocType: Fertilizer,Density (if liquid),密度(如果是液体)
 apps/erpnext/erpnext/education/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,所有评估标准的权重总数要达到100%
 DocType: Purchase Order Item,Last Purchase Rate,最后采购价格
 DocType: Account,Asset,资产
@@ -5828,7 +5896,7 @@
 DocType: Healthcare Practitioner,Mobile,手机号
 ,Sales Person-wise Transaction Summary,销售人员业务汇总
 DocType: Training Event,Contact Number,联系电话
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +73,Warehouse {0} does not exist,仓库{0}不存在
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +74,Warehouse {0} does not exist,仓库{0}不存在
 DocType: Cashier Closing,Custody,保管
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,员工免税证明提交细节
 DocType: Monthly Distribution,Monthly Distribution Percentages,月度分布比例
@@ -5842,8 +5910,8 @@
 ,Unpaid Expense Claim,未付费用报销
 DocType: Payment Entry,Paid Amount,已付金额
 apps/erpnext/erpnext/utilities/user_progress.py +158,Explore Sales Cycle,探索销售周期
-DocType: Assessment Plan,Supervisor,监
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Retention Stock Entry,留存样品手工库存移动
+DocType: Assessment Plan,Supervisor,监工
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +944,Retention Stock Entry,留存样品手工库存移动
 ,Available Stock for Packing Items,库存可用打包物料
 DocType: Item Variant,Item Variant,物料变体
 ,Work Order Stock Report,工单库存报表
@@ -5851,18 +5919,18 @@
 DocType: Assessment Result Tool,Assessment Result Tool,评价结果工具
 apps/erpnext/erpnext/education/doctype/instructor/instructor.js +45,As Supervisor,作为主管
 DocType: Leave Policy Detail,Leave Policy Detail,休假政策信息
-DocType: BOM Scrap Item,BOM Scrap Item,BOM废料
-apps/erpnext/erpnext/accounts/page/pos/pos.js +908,Submitted orders can not be deleted,提交的订单不能被删除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +116,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",账户余额已设置为'借方',不能设置为'贷方'
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +330,Quality Management,质量管理
+DocType: BOM Scrap Item,BOM Scrap Item,物料清单废料
+apps/erpnext/erpnext/accounts/page/pos/pos.js +906,Submitted orders can not be deleted,提交的订单不能被删除
+apps/erpnext/erpnext/accounts/doctype/account/account.py +121,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",账户余额已设置为'借方',不能设置为'贷方'
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +360,Quality Management,质量管理
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +52,Item {0} has been disabled,物料{0}已被禁用
-DocType: Project,Total Billable Amount (via Timesheets),总计费用金额(通过工时单)
+DocType: Project,Total Billable Amount (via Timesheets),总可计费用金额(通过工时单)
 DocType: Agriculture Task,Previous Business Day,前一个营业日
 DocType: Loan,Repay Fixed Amount per Period,偿还每期固定金额
 DocType: Employee,Health Insurance No,保单号
 DocType: Employee Tax Exemption Proof Submission,Tax Exemption Proofs,免税证明
 apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},请输入物料{0}数量
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Credit Note Amt,信用证
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +233,Credit Note Amt,换货凭单金额
 apps/erpnext/erpnext/regional/report/hsn_wise_summary_of_outward_supplies/hsn_wise_summary_of_outward_supplies.py +78,Total Taxable Amount,应纳税总额
 DocType: Employee External Work History,Employee External Work History,员工外部就职经历
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +689,Job card {0} created,已创建作业卡{0}
@@ -5877,15 +5945,16 @@
 apps/erpnext/erpnext/setup/doctype/company/company.js +59,Cost Centers,成本中心
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +19,Restart Subscription,重新启动订阅
 DocType: Linked Plant Analysis,Linked Plant Analysis,链接的工厂分析
-DocType: Delivery Note,Transporter ID,运输商ID
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +358,Transporter ID,承运商ID
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +317,Value Proposition,价值主张
 DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,供应商的货币转换为公司的本币后的单价
-DocType: Sales Invoice Item,Service End Date,服务结束日期
+DocType: Purchase Invoice Item,Service End Date,服务结束日期
 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},行#{0}:与排时序冲突{1}
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,允许零估值
 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,允许评估价为0
 DocType: Bank Guarantee,Receiving,接收
-DocType: Training Event Employee,Invited,邀请
-apps/erpnext/erpnext/config/accounts.py +336,Setup Gateway accounts.,设置网关科目。
+DocType: Training Event Employee,Invited,已邀请
+apps/erpnext/erpnext/config/accounts.py +346,Setup Gateway accounts.,设置网关科目。
 DocType: Employee,Employment Type,员工类别
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Fixed Assets,固定资产
 DocType: Payment Entry,Set Exchange Gain / Loss,设置汇兑损益
@@ -5897,25 +5966,26 @@
 DocType: GST Account,CGST Account,CGST账户
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,学生的电子邮件ID
 DocType: Employee,Notice (days),通告(天)
-DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS关闭凭证发票
+DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,销售终端关闭凭证发票
 DocType: Tax Rule,Sales Tax Template,销售税模板
 DocType: Employee Benefit Application Detail,Pay Against Benefit Claim,支付福利申报
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +21,Update Cost Center Number,更新成本中心编号
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2523,Select items to save the invoice,选取物料以保存发票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2521,Select items to save the invoice,选取物料以保存发票
 DocType: Employee,Encashment Date,折现日期
 DocType: Training Event,Internet,互联网
 DocType: Special Test Template,Special Test Template,特殊测试模板
 DocType: Account,Stock Adjustment,库存调整
-apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},默认情况下存在作业成本的活动类型 -  {0}
+apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},默认情况下存在的活动类型的作业成本活动类型 -  {0}
 DocType: Work Order,Planned Operating Cost,计划运营成本
-DocType: Academic Term,Term Start Date,合同起始日期
-apps/erpnext/erpnext/config/accounts.py +505,List of all share transactions,所有股份交易清单
+DocType: Academic Term,Term Start Date,条款起始日期
+apps/erpnext/erpnext/config/accounts.py +515,List of all share transactions,所有股份交易清单
+DocType: Supplier,Is Transporter,是运输方
 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,如果付款已标记,则从Shopify导入销售发票
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,机会数量
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,商机计数
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,商机计数
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py +218,Both Trial Period Start Date and Trial Period End Date must be set,必须设置试用期开始日期和试用期结束日期
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py +52,Average Rate,平均率
-apps/erpnext/erpnext/controllers/accounts_controller.py +791,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付计划中的总付款金额必须等于大/圆
+apps/erpnext/erpnext/controllers/accounts_controller.py +792,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付计划中的总付款金额必须等于总计/圆整的总计
 DocType: Subscription Plan Detail,Plan,计划
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,基于总帐的银行对账单余额
 DocType: Job Applicant,Applicant Name,申请人姓名
@@ -5931,32 +6001,32 @@
 DocType: Item Variant Attribute,Attribute,属性
 DocType: Staffing Plan Detail,Current Count,当前计数
 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +43,Please specify from/to range,请从指定/至范围
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js +28,Opening {0} Invoice created,打开{0}已创建发票
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js +28,Opening {0} Invoice created,期初{0}已创建发票
 DocType: Serial No,Under AMC,在年度保养合同中
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +55,Item valuation rate is recalculated considering landed cost voucher amount,物料评估价将基于到岸成本凭证金额重新计算
 apps/erpnext/erpnext/config/selling.py +153,Default settings for selling transactions.,销售业务的默认设置。
-DocType: Guardian,Guardian Of ,守护者
-DocType: Grading Scale Interval,Threshold,阈
+DocType: Guardian,Guardian Of ,...的监护人
+DocType: Grading Scale Interval,Threshold,阈值
 DocType: BOM Update Tool,Current BOM,当前BOM
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +32,Balance (Dr - Cr),结余(Dr  -  Cr)
 apps/erpnext/erpnext/public/js/utils.js +56,Add Serial No,添加序列号
 DocType: Work Order Item,Available Qty at Source Warehouse,源仓库可用数量
 apps/erpnext/erpnext/config/support.py +22,Warranty,质量保证
-DocType: Purchase Invoice,Debit Note Issued,借记发行说明
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +50,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,基于成本中心的过滤仅适用于选择Budget Against作为成本中心的情况
+DocType: Purchase Invoice,Debit Note Issued,借项通知已发送
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +60,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,基于成本中心的过滤仅适用于选择Budget Against作为成本中心的情况
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1182,"Search by item code, serial number, batch no or barcode",按物料代码,序列号,批号或条码进行搜索
 DocType: Work Order,Warehouses,仓库
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py +19,{0} asset cannot be transferred,{0}资产不得转让
 DocType: Hotel Room Pricing,Hotel Room Pricing,酒店房间价格
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py +121,"Can not mark Inpatient Record Discharged, there are Unbilled Invoices {0}",无法标记出院的住院病历,有未开单的发票{0}
 DocType: Subscription,Days Until Due,天至期限
-apps/erpnext/erpnext/stock/doctype/item/item.js +82,This Item is a Variant of {0} (Template).,此物料是模板物料{0}的一个变体。
+apps/erpnext/erpnext/stock/doctype/item/item.js +82,This Item is a Variant of {0} (Template).,此项目是{0}(模板)的一个变量。
 DocType: Workstation,per hour,每小时
 DocType: Blanket Order,Purchasing,采购
 DocType: Announcement,Announcement,公告
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +107,Customer LPO,客户采购订单号
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +109,Customer LPO,客户采购订单号
 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",对于基于批次的学生组,学生批次将由课程注册中的每位学生进行验证。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +50,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,无法删除,因为此仓库有库存分类账分录。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,无法删除,因为此仓库有库存分类账分录。
 apps/erpnext/erpnext/public/js/setup_wizard.js +25,Distribution,分配
 DocType: Journal Entry Account,Loan,贷款
 DocType: Expense Claim Advance,Expense Claim Advance,费用报销预付款
@@ -5965,37 +6035,38 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +121,Project Manager,项目经理
 ,Quoted Item Comparison,项目报价比较
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +34,Overlap in scoring between {0} and {1},{0}和{1}之间的得分重叠
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +326,Dispatch,调度
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +356,Dispatch,调度
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +75,Max discount allowed for item: {0} is {1}%,物料{0}的最大折扣为 {1}%
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +191,Net Asset value as on,净资产值作为
 DocType: Crop,Produce,生产
 DocType: Hotel Settings,Default Taxes and Charges,默认税费
 DocType: Account,Receivable,应收账款
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +319,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供应商的采购订单已经存在
-DocType: Stock Entry,Material Consumption for Manufacture,出库-生产
+DocType: Stock Entry,Material Consumption for Manufacture,生产所需的材料消耗
 DocType: Item Alternative,Alternative Item Code,替代物料代码
 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,允许提交超过设定信用额度的交易的角色。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1047,Select Items to Manufacture,选择待生产物料
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1065,Select Items to Manufacture,选择待生产物料
 DocType: Delivery Stop,Delivery Stop,交付停止
-apps/erpnext/erpnext/accounts/page/pos/pos.js +976,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间
+apps/erpnext/erpnext/accounts/page/pos/pos.js +974,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间
 DocType: Item,Material Issue,发料
-DocType: Employee Education,Qualification,学历
+DocType: Employee Education,Qualification,资历
 DocType: Item Price,Item Price,物料价格
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +48,Soap & Detergent,肥皂和洗涤剂
 DocType: BOM,Show Items,显示物料
 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,从时间不能超过结束时间大。
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +110,Do you want to notify all the customers by email?,你想通过电子邮件通知所有的客户?
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +111,Do you want to notify all the customers by email?,你想通过电子邮件通知所有的客户?
 DocType: Subscription Plan,Billing Interval,计费间隔
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +36,Motion Picture & Video,影视业
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,已下单
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +76,Actual start date and actual end date is mandatory,实际开始日期和实际结束日期是强制性的
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer &gt; Customer Group &gt; Territory,客户&gt;客户群&gt;地区
 DocType: Salary Detail,Component,薪资构成
 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py +16,Row {0}: {1} must be greater than 0,行{0}:{1}必须大于0
 DocType: Assessment Criteria,Assessment Criteria Group,评估标准组
 DocType: Healthcare Settings,Patient Name By,病人姓名By
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +220,Accrual Journal Entry for salaries from {0} to {1},从{0}到{1}的薪金的应计手工凭证
 DocType: Sales Invoice Item,Enable Deferred Revenue,启用延期收入
-apps/erpnext/erpnext/assets/doctype/asset/asset.py +193,Opening Accumulated Depreciation must be less than equal to {0},打开累计折旧必须小于等于{0}
+apps/erpnext/erpnext/assets/doctype/asset/asset.py +193,Opening Accumulated Depreciation must be less than equal to {0},期初累计折旧必须小于等于{0}
 DocType: Warehouse,Warehouse Name,仓库名称
 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py +20,Actual start date must be less than actual end date,实际开始日期必须小于实际结束日期
 DocType: Naming Series,Select Transaction,选择交易
@@ -6008,7 +6079,7 @@
 DocType: POS Profile,Terms and Conditions,条款和条件
 DocType: Asset,Booked Fixed Asset,预订的固定资产
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},日期应该是在财务年度内。假设终止日期= {0}
-DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",可以记录身高,体重,是否对某药物过敏等
+DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",这里可以保存身高,体重,是否对某药物过敏等
 DocType: Leave Block List,Applies to Company,适用于公司
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +222,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因为提交的仓储记录{0}已经存在
 DocType: Loan,Disbursement Date,支付日期
@@ -6019,34 +6090,33 @@
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py +21,Enter the name of the bank or lending institution before submittting.,在提交之前输入银行或贷款机构的名称。
 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +15,{0} must be submitted,必须提交{0}
 DocType: POS Profile,Item Groups,物料组
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Today is {0}'s birthday!,今天是{0}的生日!
 DocType: Sales Order Item,For Production,生产
-DocType: Payment Request,payment_url,payment_url
+DocType: Payment Request,payment_url,支付_链接
 DocType: Exchange Rate Revaluation Account,Balance In Account Currency,科目币别余额
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +192,Please add a Temporary Opening account in Chart of Accounts,请在会计科目表中添加一个临时开帐科目
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +188,Please add a Temporary Opening account in Chart of Accounts,请在会计科目表中添加一个临时开帐科目
 DocType: Customer,Customer Primary Contact,客户主要联系人
 DocType: Project Task,View Task,查看任务
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,机会 / 线索%
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,机会 / 商机%
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,机会 / 商机%
 DocType: Bank Guarantee,Bank Account Info,银行账户信息
 DocType: Bank Guarantee,Bank Guarantee Type,银行担保类型
 DocType: Payment Schedule,Invoice Portion,发票占比
 ,Asset Depreciations and Balances,资产折旧和余额
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +372,Amount {0} {1} transferred from {2} to {3},金额{0} {1}从转移{2}到{3}
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +200,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0}没有医疗从业者时间表。将其添加到Healthcare Practitioner master中
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +200,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0}没有医疗从业者时间表。将其添加到医疗从业者主表中
 DocType: Sales Invoice,Get Advances Received,获取已收预付款
 DocType: Email Digest,Add/Remove Recipients,添加/删除收件人
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",要设置这个财务年度为默认值,点击“设为默认”
-apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +128,Amount of TDS Deducted,扣除TDS的金额
+apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py +130,Amount of TDS Deducted,扣除TDS的金额
 DocType: Production Plan,Include Subcontracted Items,包括转包物料
-apps/erpnext/erpnext/projects/doctype/project/project.py +280,Join,加入
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +21,Shortage Qty,短缺数量
-apps/erpnext/erpnext/stock/doctype/item/item.py +772,Item variant {0} exists with same attributes,相同属性物料变体{0}已存在
+apps/erpnext/erpnext/projects/doctype/project/project.py +281,Join,加入
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +81,Shortage Qty,短缺数量
+apps/erpnext/erpnext/stock/doctype/item/item.py +779,Item variant {0} exists with same attributes,相同属性物料变体{0}已存在
 DocType: Loan,Repay from Salary,从工资偿还
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +405,Requesting payment against {0} {1} for amount {2},请求对付款{0} {1}量{2}
 DocType: Additional Salary,Salary Slip,工资单
-DocType: Lead,Lost Quotation,输掉的报价
-apps/erpnext/erpnext/utilities/user_progress.py +221,Student Batches,学生批
+DocType: Lead,Lost Quotation,遗失的报价
+apps/erpnext/erpnext/utilities/user_progress.py +221,Student Batches,学生批次
 DocType: Pricing Rule,Margin Rate or Amount,保证金税率或税额
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,“结束日期”必需设置
 DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",生成要发货物料的装箱单,包括包号,内容和重量。
@@ -6057,11 +6127,11 @@
 DocType: Patient,Dormant,休眠
 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,代扣未领取员工福利应纳税款
 DocType: Salary Slip,Total Interest Amount,利息总额
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +124,Warehouses with child nodes cannot be converted to ledger,与子节点仓库不能转换为分类账
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +125,Warehouses with child nodes cannot be converted to ledger,与子节点仓库不能转换为分类账
 DocType: BOM,Manage cost of operations,管理成本
 DocType: Accounts Settings,Stale Days,信用证有效期天数
 DocType: Travel Itinerary,Arrival Datetime,到达日期时间
-DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",当所选的业务状态更改为“已提交”时,自动打开一个弹出窗口向有关的联系人编写邮件,业务将作为附件添加。用户可以选择发送或者不发送邮件。
+DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",当所选的业务为“已提交”时,会自动打开一个弹出窗口向有关的联系人发送邮件,交易将作为附件添加。用户可以选择发送或者不发送邮件。
 DocType: Tax Rule,Billing Zipcode,计费邮编
 DocType: Attendance,HR-ATT-.YYYY.-,HR-ATT-.YYYY.-
 apps/erpnext/erpnext/config/setup.py +14,Global Settings,全局设置
@@ -6069,7 +6139,7 @@
 DocType: Assessment Result Detail,Assessment Result Detail,评价结果详细
 DocType: Employee Education,Employee Education,员工教育
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +53,Duplicate item group found in the item group table,在物料组中有重复物料组
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1148,It is needed to fetch Item Details.,需要获取物料详细信息。
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1175,It is needed to fetch Item Details.,需要获取物料详细信息。
 DocType: Fertilizer,Fertilizer Name,肥料名称
 DocType: Salary Slip,Net Pay,净支付金额
 DocType: Cash Flow Mapping Accounts,Account,科目
@@ -6080,39 +6150,38 @@
 DocType: Salary Component,Create Separate Payment Entry Against Benefit Claim,为福利申请创建单独付款凭证
 DocType: Vital Signs,Presence of a fever (temp &gt; 38.5 °C/101.3 °F or sustained temp &gt; 38 °C/100.4 °F),发烧(温度&gt; 38.5°C / 101.3°F或持续温度&gt; 38°C / 100.4°F)
 DocType: Customer,Sales Team Details,销售团队信息
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1368,Delete permanently?,永久删除?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1366,Delete permanently?,永久删除?
 DocType: Expense Claim,Total Claimed Amount,总申报金额
 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,销售的潜在机会
-DocType: Shareholder,Folio no.,Folio no。
+DocType: Shareholder,Folio no.,对开本页码.
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +251,Invalid {0},无效的{0}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +93,Sick Leave,病假
 DocType: Email Digest,Email Digest,邮件摘要
-apps/erpnext/erpnext/controllers/buying_controller.py +759,are not,不是
 DocType: Delivery Note,Billing Address Name,帐单地址名称
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +22,Department Stores,百货
 ,Item Delivery Date,物料交货日期
 DocType: Selling Settings,Sales Update Frequency,销售更新频率
-DocType: Production Plan,Material Requested,需求的物料
+DocType: Production Plan,Material Requested,需要的材料
 DocType: Warehouse,PIN,销
-DocType: Bin,Reserved Qty for sub contract,外包预留数量
+DocType: Bin,Reserved Qty for sub contract,用于外包的预留数量
 DocType: Patient Service Unit,Patinet Service Unit,Patinet服务单位
 DocType: Sales Invoice,Base Change Amount (Company Currency),基地涨跌额(公司币种)
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,没有以下仓库的会计分录
 apps/erpnext/erpnext/projects/doctype/project/project.js +98,Save the document first.,首先保存文档。
 apps/erpnext/erpnext/shopping_cart/cart.py +74,Only {0} in stock for item {1},物料{1}的库存仅为{0}
-DocType: Account,Chargeable,应课
+DocType: Account,Chargeable,可记账的
 DocType: Company,Change Abbreviation,更改缩写
 DocType: Contract,Fulfilment Details,履行细节
-apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +66,Pay {0} {1},支付{0} {1}
+apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py +68,Pay {0} {1},支付{0} {1}
 DocType: Employee Onboarding,Activities,活动
 DocType: Expense Claim Detail,Expense Date,报销日期
 DocType: Item,No of Months,没有几个月
 DocType: Item,Max Discount (%),最大折扣(%)
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py +30,Credit Days cannot be a negative number,信用日不能是负数
-DocType: Sales Invoice Item,Service Stop Date,服务停止日期
+DocType: Purchase Invoice Item,Service Stop Date,服务停止日期
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,最后订单金额
 DocType: Cash Flow Mapper,e.g Adjustments for:,例如调整:
-apps/erpnext/erpnext/stock/doctype/item/item.py +290," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0}保留样品基于批次,请检查有批次否保留样品
+apps/erpnext/erpnext/stock/doctype/item/item.py +291," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item",{0}保留样品基于批次,请检查有批次否保留样品
 DocType: Task,Is Milestone,是里程碑
 DocType: Certification Application,Yet to appear,尚未出现
 DocType: Delivery Stop,Email Sent To,电子邮件发送给
@@ -6120,16 +6189,16 @@
 DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,允许成本中心输入资产负债表科目
 apps/erpnext/erpnext/accounts/doctype/account/account.js +102,Merge with Existing Account,与现有帐户合并
 DocType: Budget,Warn,警告
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +996,All items have already been transferred for this Work Order.,所有物料已发料到该工单。
-DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",任何其他言论,值得一提的努力,应该在记录中。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +988,All items have already been transferred for this Work Order.,所有物料已发料到该工单。
+DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",任何其他注释,值得一提的努力,应该记录下来。
 DocType: Asset Maintenance,Manufacturing User,生产用户
-DocType: Purchase Invoice,Raw Materials Supplied,发给供应商的原材料
+DocType: Purchase Invoice,Raw Materials Supplied,已提供的原材料
 DocType: Subscription Plan,Payment Plan,付款计划
 DocType: Shopping Cart Settings,Enable purchase of items via the website,通过网站启用采购项目
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Currency of the price list {0} must be {1} or {2},价格清单{0}的货币必须是{1}或{2}
-apps/erpnext/erpnext/config/accounts.py +522,Subscription Management,订阅管理
+apps/erpnext/erpnext/config/accounts.py +532,Subscription Management,订阅管理
 DocType: Appraisal,Appraisal Template,评估模板
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +252,To Pin Code,要密码
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +255,To Pin Code,要密码
 DocType: Soil Texture,Ternary Plot,三元剧情
 DocType: Amazon MWS Settings,Check this to enable a scheduled Daily synchronization routine via scheduler,选中此选项可通过调度程序启用计划的每日同步例程
 DocType: Item Group,Item Classification,物料分类
@@ -6139,6 +6208,7 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js +19,Invoice Patient Registration,发票患者登记
 DocType: Crop,Period,期
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +27,General Ledger,总帐
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,To Fiscal Year,到财政年度
 apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,查看(销售)线索
 DocType: Program Enrollment Tool,New Program,新程序
 DocType: Item Attribute Value,Attribute Value,属性值
@@ -6147,35 +6217,34 @@
 ,Itemwise Recommended Reorder Level,建议的物料重订货点
 apps/erpnext/erpnext/hr/utils.py +211,Employee {0} of grade {1} have no default leave policy,{1}职级员工{0}没有默认休假政策
 DocType: Salary Detail,Salary Detail,薪资详细
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1086,Please select {0} first,请先选择{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1103,Please select {0} first,请先选择{0}
 apps/erpnext/erpnext/public/js/hub/marketplace.js +177,Added {0} users,添加了{0}个用户
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +21,"In the case of multi-tier program, Customers will be auto assigned to the concerned tier as per their spent",在多层程序的情况下,客户将根据其花费自动分配到相关层
 DocType: Appointment Type,Physician,医师
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1080,Batch {0} of Item {1} has expired.,物料{1}的批号{0} 已过期。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +1072,Batch {0} of Item {1} has expired.,物料{1}的批号{0} 已过期。
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py +11,Consultations,磋商
 apps/erpnext/erpnext/manufacturing/report/bom_variance_report/bom_variance_report.py +36,Finished Good,成品
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +56,"Item Price appears multiple times based on Price List, Supplier/Customer, Currency, Item, UOM, Qty and Dates.",物料价格根据价格表,供应商/客户,货币,物料,UOM,数量和日期多次出现。
 DocType: Sales Invoice,Commission,佣金
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py +203,{0} ({1}) cannot be greater than planned quantity ({2}) in Work Order {3},{0}({1})不能大于工单{3}中的计划数量({2})
 DocType: Certification Application,Name of Applicant,申请人名称
-apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,工时单制造。
+apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,制造方面的时间表。
 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小计
-apps/erpnext/erpnext/stock/doctype/item/item.py +711,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,存货业务发生后不能更改变体物料的属性。需要新建新物料。
+apps/erpnext/erpnext/stock/doctype/item/item.py +718,Cannot change Variant properties after stock transaction. You will have to make a new Item to do this.,存货业务发生后不能更改变体物料的属性。需要新建新物料。
 apps/erpnext/erpnext/config/integrations.py +18,GoCardless SEPA Mandate,GoCardless SEPA授权
-DocType: Healthcare Practitioner,Charges,收费
+DocType: Healthcare Practitioner,Charges,费用
 DocType: Production Plan,Get Items For Work Order,为工单获取物料
 DocType: Salary Detail,Default Amount,默认金额
 DocType: Lab Test Template,Descriptive,描述的
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +96,Warehouse not found in the system,仓库在系统中未找到
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,This Month's Summary,本月摘要
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +123,This Month's Summary,本月摘要
 DocType: Quality Inspection Reading,Quality Inspection Reading,质量检验报表
 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +26,`Freeze Stocks Older Than` should be smaller than %d days.,`冻结老于此天数的库存`应该比%d天小。
 DocType: Tax Rule,Purchase Tax Template,进项税模板
 apps/erpnext/erpnext/utilities/user_progress.py +48,Set a sales goal you'd like to achieve for your company.,为您的公司设定您想要实现的销售目标。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1530,Healthcare Services,医疗服务
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1549,Healthcare Services,医疗服务
 ,Project wise Stock Tracking,项目级库存追踪
 DocType: GST HSN Code,Regional,区域性
-DocType: Delivery Note,Transport Mode,运输方式
 apps/erpnext/erpnext/config/healthcare.py +50,Laboratory,实验室
 DocType: UOM Category,UOM Category,UOM类别
 DocType: Clinical Procedure Item,Actual Qty (at source/target),实际数量(源/目标)
@@ -6198,17 +6267,17 @@
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +72,Failed to create website,无法创建网站
 DocType: Soil Analysis,Mg/K,镁/ K
 DocType: UOM Conversion Detail,UOM Conversion Detail,计量单位换算信息
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +936,Retention Stock Entry already created or Sample Quantity not provided,留存样品手工库存移动已创建或未提供“样品数量”
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +999,Retention Stock Entry already created or Sample Quantity not provided,留存样品手工库存移动已创建或未提供“样品数量”
 DocType: Program,Program Abbreviation,计划缩写
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,生产订单不能对一个项目提出的模板
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +407,Production Order cannot be raised against a Item Template,生产订单不能对一个项目模板提升
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,费用会在每个物料的采购收货单中更新
 DocType: Warranty Claim,Resolved By,议决
 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +32,Schedule Discharge,附表卸货
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,支票及存款非正常清账
-apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: You can not assign itself as parent account,科目{0}不能是自己的上级科目
+apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: You can not assign itself as parent account,科目{0}不能是自己的上级科目
 DocType: Purchase Invoice Item,Price List Rate,价格清单单价
 apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,创建客户报价
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1584,Service Stop Date cannot be after Service End Date,服务停止日期不能在服务结束日期之后
+apps/erpnext/erpnext/public/js/controllers/transaction.js +813,Service Stop Date cannot be after Service End Date,服务停止日期不能在服务结束日期之后
 DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",根据此仓库显示“有库存”或“无库存”状态。
 apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),物料清单(BOM)
 DocType: Item,Average time taken by the supplier to deliver,供应商交货时间的平均值
@@ -6220,11 +6289,11 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,小时
 DocType: Project,Expected Start Date,预计开始日期
 DocType: Purchase Invoice,04-Correction in Invoice,04-发票纠正
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1020,Work Order already created for all items with BOM,已经为包含物料清单的所有料品创建工单
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1038,Work Order already created for all items with BOM,已经为包含物料清单的所有料品创建工单
 DocType: Payment Request,Party Details,党详细
-apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,变体详细信息报表
+apps/erpnext/erpnext/stock/doctype/item/item.js +62,Variant Details Report,变量详细信息报表
 DocType: Setup Progress Action,Setup Progress Action,设置进度动作
-apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +42,Buying Price List,采购价格清单
+apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py +48,Buying Price List,采购价格清单
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,如果费用不适用某物料,请删除它
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js +9,Cancel Subscription,取消订阅
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py +21,Please select Maintenance Status as Completed or remove Completion Date,请选择维护状态为已完成或删除完成日期
@@ -6240,10 +6309,10 @@
 DocType: Workstation,Operating Costs,运营成本
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +487,Currency for {0} must be {1},货币{0}必须{1}
 DocType: Asset,Disposal Date,处置日期
-DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",电子邮件将在指定的时间发送给公司的所有在职员工,如果他们没有假期。回复摘要将在午夜被发送。
+DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",如果他们没有假期,电子邮件将在指定的时间发送给公司的所有在职员工。回复摘要将在午夜被发送。
 DocType: Employee Leave Approver,Employee Leave Approver,员工休假审批者
-apps/erpnext/erpnext/stock/doctype/item/item.py +527,Row {0}: An Reorder entry already exists for this warehouse {1},第{0}行:仓库{1}中已存在重订货记录
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",已有报价的情况下,不能更改状态为输。
+apps/erpnext/erpnext/stock/doctype/item/item.py +528,Row {0}: An Reorder entry already exists for this warehouse {1},第{0}行:仓库{1}中已存在重订货记录
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +99,"Cannot declare as lost, because Quotation has been made.",已有报价的情况下,不能更改状态为遗失。
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,CWIP Account,CWIP账户
 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +16,Training Feedback,培训反馈
 apps/erpnext/erpnext/config/accounts.py +211,Tax Withholding rates to be applied on transactions.,税收预扣税率适用于交易。
@@ -6252,24 +6321,25 @@
 DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.-
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +55,Course is mandatory in row {0},第{0}行中的课程信息必填
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,无效的主名称
-DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc的DocType
+DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc的文件类型
 DocType: Cash Flow Mapper,Section Footer,章节页脚
-apps/erpnext/erpnext/stock/doctype/item/item.js +335,Add / Edit Prices,添加/编辑价格
+apps/erpnext/erpnext/stock/doctype/item/item.js +353,Add / Edit Prices,添加/编辑价格
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py +19,Employee Promotion cannot be submitted before Promotion Date ,员工晋升不能在晋升日期前提交
 DocType: Batch,Parent Batch,父母批
 DocType: Batch,Parent Batch,父母批
 DocType: Cheque Print Template,Cheque Print Template,支票打印模板
 DocType: Salary Component,Is Flexible Benefit,是弹性福利?
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +85,Chart of Cost Centers,成本中心表
-DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,在取消订阅或将订阅标记为未付之前,发票日期之后的天数已过
+DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,在取消循环凭证或将循环凭证标记为未付之前,发票日期之后的天数已过
 DocType: Clinical Procedure Template,Sample Collection,样品收集
 ,Requested Items To Be Ordered,已申请待采购物料
 DocType: Price List,Price List Name,价格列表名称
+DocType: Delivery Stop,Dispatch Information,发货信息
 DocType: Blanket Order,Manufacturing,生产
 ,Ordered Items To Be Delivered,已订货未交付物料
 DocType: Account,Income,收益
 DocType: Industry Type,Industry Type,行业类型
-apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,发现错误!
+apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,发生错误!
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +174,Warning: Leave application contains following block dates,警告:申请的假期含有以下的禁离日
 DocType: Bank Statement Settings,Transaction Data Mapping,交易数据映射
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +277,Sales Invoice {0} has already been submitted,销售发票{0}已提交过
@@ -6283,17 +6353,16 @@
 apps/erpnext/erpnext/stock/stock_ledger.py +382,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1}在需要{2}在{3} {4}:{5}来完成这一交易单位。
 DocType: Fee Schedule,Student Category,学生组
 DocType: Announcement,Student,学生
-apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +91,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,仓库中不提供开始操作的库存数量。你想记录股票转移吗?
+apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js +98,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,仓库中不提供开始操作的库存数量。你想记录股票转移吗?
 DocType: Shipping Rule,Shipping Rule Type,运输规则类型
-apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,去房间
+apps/erpnext/erpnext/utilities/user_progress.py +239,Go to Rooms,转到房间
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js +259,"Company, Payment Account, From Date and To Date is mandatory",公司,付款科目,开始日期和截止日期字段都是必填的
 DocType: Company,Budget Detail,预算信息
 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,在发送前,请填写留言
-DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,供应商重复
-DocType: Email Digest,Pending Quotations,待处理报价
-DocType: Delivery Note,Distance (KM),距离(KM)
+DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,供应商副本
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier &gt; Supplier Group,供应商&gt;供应商组
 DocType: Asset,Custodian,保管人
-apps/erpnext/erpnext/config/accounts.py +346,Point-of-Sale Profile,POS配置
+apps/erpnext/erpnext/config/accounts.py +356,Point-of-Sale Profile,POS配置
 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py +25,{0} should be a value between 0 and 100,{0}应该是0到100之间的一个值
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +319,Payment of {0} from {1} to {2},从{1}到{2}的{0}付款
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Unsecured Loans,无担保贷款
@@ -6309,15 +6378,15 @@
 DocType: Soil Texture,Silt Loam,淤泥粘土
 ,Serial No Service Contract Expiry,序列号/年度保养合同过期
 DocType: Employee Health Insurance,Employee Health Insurance,员工医保
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +331,You cannot credit and debit same account at the same time,一个科目不可以同时为借方和贷方。
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +331,You cannot credit and debit same account at the same time,你不能同时借机和贷记同一账户。
 DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,成年人的脉率在每分钟50到80次之间。
 DocType: Naming Series,Help HTML,HTML帮助
 DocType: Student Group Creation Tool,Student Group Creation Tool,学生组创建工具
-DocType: Item,Variant Based On,基于变异对
+DocType: Item,Variant Based On,基于。。。的变量
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},分配的总权重应为100 % 。这是{0}
 DocType: Loyalty Point Entry,Loyalty Program Tier,忠诚度计划层级
 apps/erpnext/erpnext/utilities/user_progress.py +109,Your Suppliers,您的供应商
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +80,Cannot set as Lost as Sales Order is made.,已有销售订单的情况下,不能更改状态为输。
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +80,Cannot set as Lost as Sales Order is made.,已有销售订单的情况下,不能更改状态为遗失。
 DocType: Request for Quotation Item,Supplier Part No,供应商部件号
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +395,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',当类是“估值”或“Vaulation和总&#39;不能扣除
 apps/erpnext/erpnext/public/js/hub/components/reviews.js +2,Anonymous,匿名
@@ -6325,10 +6394,10 @@
 DocType: Lead,Converted,已转换
 DocType: Item,Has Serial No,有序列号
 DocType: Employee,Date of Issue,签发日期
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +246,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根据采购设置,如果需要采购记录==“是”,则为了创建采购发票,用户需要首先为项目{0}创建采购凭证
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +252,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根据采购设置,如果需要采购记录==“是”,则为了创建采购发票,用户需要首先为项目{0}创建采购凭证
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +172,Row #{0}: Set Supplier for item {1},行#{0}:设置供应商项目{1}
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Hours value must be greater than zero.,行{0}:小时值必须大于零。
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Website Image {0} attached to Item {1} cannot be found,网站图像{0}附加到物料{1}无法找到
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Website Image {0} attached to Item {1} cannot be found,网站图像{0}附加到物料{1}无法找到
 DocType: Issue,Content Type,内容类型
 DocType: Asset,Assets,资产
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +17,Computer,电脑
@@ -6337,12 +6406,12 @@
 DocType: Payment Term,Due Date Based On,到期日基于
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py +82,Please set default customer group and territory in Selling Settings,请在“销售设置”中设置默认客户组和地域
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +215,{0} {1} does not exist,{0} {1}不存在
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,请检查多币种选项,允许科目与其他货币
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +355,Please check Multi Currency option to allow accounts with other currency,请选择多币种选项以允许账户有其他货币
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,项目{0}不存在
-apps/erpnext/erpnext/accounts/doctype/account/account.py +108,You are not authorized to set Frozen value,您没有权限设定冻结值
+apps/erpnext/erpnext/accounts/doctype/account/account.py +113,You are not authorized to set Frozen value,您没有权限设定冻结值
 DocType: Payment Reconciliation,Get Unreconciled Entries,获取未对帐/结清分录
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,Employee {0} is on Leave on {1},员工{0}暂停{1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,没有为手工凭证选择还款
+apps/erpnext/erpnext/hr/doctype/loan/loan.py +159,No repayments selected for Journal Entry,没有为日志输入选择二次付款
 DocType: Payment Reconciliation,From Invoice Date,从发票日期
 DocType: Loan,Disbursed,支付
 DocType: Healthcare Settings,Laboratory Settings,实验室设置
@@ -6357,31 +6426,31 @@
 ,Average Commission Rate,平均佣金率
 DocType: Share Balance,No of Shares,股份数目
 DocType: Taxable Salary Slab,To Amount,金额(止)
-apps/erpnext/erpnext/stock/doctype/item/item.py +465,'Has Serial No' can not be 'Yes' for non-stock item,不能为非库存物料勾选'是否有序列号'
+apps/erpnext/erpnext/stock/doctype/item/item.py +466,'Has Serial No' can not be 'Yes' for non-stock item,不能为非库存物料勾选'是否有序列号'
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js +59,Select Status,选择状态
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +44,Attendance can not be marked for future dates,考勤不能选未来的日期
 DocType: Support Search Source,Post Description Key,发布说明密钥
 DocType: Pricing Rule,Pricing Rule Help,定价规则说明
 DocType: School House,House Name,房名
-DocType: Fee Schedule,Total Amount per Student,学生总数
-DocType: Purchase Taxes and Charges,Account Head,科目
+DocType: Fee Schedule,Total Amount per Student,每个学生的总金额
+DocType: Opportunity,Sales Stage,销售阶段
+DocType: Purchase Taxes and Charges,Account Head,帐号头
 DocType: Company,HRA Component,HRA组件
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +142,Electrical,电气
 apps/erpnext/erpnext/utilities/activation.py +100,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,添加您的组织的其余部分用户。您还可以添加邀请客户到您的门户网站通过从联系人中添加它们
 DocType: Stock Entry,Total Value Difference (Out - In),总价值差(输出 - )
 DocType: Grant Application,Requested Amount,请求金额
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Row {0}: Exchange Rate is mandatory,行{0}:汇率是必须的
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},员工设置{0}为设置用户ID
-DocType: Vehicle,Vehicle Value,汽车衡
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +46,User ID not set for Employee {0},员工设置{0}为设置用户ID
+DocType: Vehicle,Vehicle Value,汽车价值
 DocType: Crop Cycle,Detected Diseases,检测到的疾病
 DocType: Stock Entry,Default Source Warehouse,默认源仓库
 DocType: Item,Customer Code,客户代码
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +237,Birthday Reminder for {0},{0}的生日提醒
 DocType: Asset Maintenance Task,Last Completion Date,最后完成日期
 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,自上次订购天数
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +426,Debit To account must be a Balance Sheet account,借记科目必须是资产负债表科目
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Debit To account must be a Balance Sheet account,借记科目必须是资产负债表科目
 DocType: Asset,Naming Series,命名系列
-DocType: Vital Signs,Coated,涂
+DocType: Vital Signs,Coated,有涂层的
 apps/erpnext/erpnext/assets/doctype/asset/asset.py +181,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,行{0}:使用寿命后的预期值必须小于总采购额
 DocType: GoCardless Settings,GoCardless Settings,GoCardless设置
 DocType: Leave Block List,Leave Block List Name,禁离日列表名称
@@ -6391,21 +6460,21 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock Assets,库存资产
 DocType: Restaurant,Active Menu,活动菜单
 DocType: Target Detail,Target Qty,目标数量
-apps/erpnext/erpnext/hr/doctype/loan/loan.py +37,Against Loan: {0},贷款:{0}
+apps/erpnext/erpnext/hr/doctype/loan/loan.py +37,Against Loan: {0},针对的贷款:{0}
 DocType: Shopping Cart Settings,Checkout Settings,结帐设置
 DocType: Student Attendance,Present,出勤
-apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,销售出货单{0}不能提交
+apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +37,Delivery Note {0} must not be submitted,销售出货单{0}不应该被提交
 DocType: Notification Control,Sales Invoice Message,销售发票信息
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,关闭科目{0}的类型必须是负债/权益
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +405,Salary Slip of employee {0} already created for time sheet {1},员工的工资单{0}已为工时单创建{1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +407,Salary Slip of employee {0} already created for time sheet {1},员工的工资单{0}已为工时单创建{1}
 DocType: Vehicle Log,Odometer,里程表
 DocType: Production Plan Item,Ordered Qty,订单数量
-apps/erpnext/erpnext/stock/doctype/item/item.py +802,Item {0} is disabled,物料{0}已被禁用
+apps/erpnext/erpnext/stock/doctype/item/item.py +809,Item {0} is disabled,物料{0}已被禁用
 DocType: Stock Settings,Stock Frozen Upto,库存冻结止
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +945,BOM does not contain any stock item,BOM不包含任何库存物料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +1008,BOM does not contain any stock item,物料清单不包含任何库存物料
 DocType: Chapter,Chapter Head,章节开头
 DocType: Payment Term,Month(s) after the end of the invoice month,发票月份结束后的月份
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +59,Salary Structure should have flexible benefit component(s) to dispense benefit amount,薪资结构应该有灵活的福利组成来分配福利金额
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +66,Salary Structure should have flexible benefit component(s) to dispense benefit amount,薪资结构应该有灵活的福利组成来分配福利金额
 apps/erpnext/erpnext/config/projects.py +24,Project activity / task.,项目活动/任务。
 DocType: Vital Signs,Very Coated,非常涂层
 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),只影响计税起征点(不能从起征点内扣除)
@@ -6420,10 +6489,10 @@
 DocType: Shopify Settings,Shared secret,共享秘密
 DocType: Amazon MWS Settings,Synch Taxes and Charges,同步税和费用
 DocType: Purchase Invoice,Write Off Amount (Company Currency),销帐金额(公司货币)
-DocType: Sales Invoice Timesheet,Billing Hours,结算时间
+DocType: Sales Invoice Timesheet,Billing Hours,计入账单的小时
 DocType: Project,Total Sales Amount (via Sales Order),总销售额(通过销售订单)
 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +529,Default BOM for {0} not found,默认BOM {0}未找到
-apps/erpnext/erpnext/stock/doctype/item/item.py +531,Row #{0}: Please set reorder quantity,行#{0}:请设置再订购数量
+apps/erpnext/erpnext/stock/doctype/item/item.py +532,Row #{0}: Please set reorder quantity,行#{0}:请设置再订购数量
 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,点击项目将其添加到此处
 DocType: Fees,Program Enrollment,招生计划
 DocType: Share Transfer,To Folio No,对开本No
@@ -6433,8 +6502,8 @@
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py +37,{0} - {1} is inactive student,{0}  -  {1}是非活跃学生
 DocType: Employee,Health Details,健康信息
 DocType: Leave Encashment,Encashable days,可折现天数
-apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +30,To create a Payment Request reference document is required,付款申请中参考文档信息必填
-apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +30,To create a Payment Request reference document is required,要创建付款请求参考文档是必需的
+apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +30,To create a Payment Request reference document is required,必须生成一个付款申请参考文档
+apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +30,To create a Payment Request reference document is required,必须生成一个付款申请参考文档
 DocType: Soil Texture,Sandy Clay,桑迪粘土
 DocType: Grant Application,Assessment  Manager,评估经理
 DocType: Payment Entry,Allocate Payment Amount,分配付款金额
@@ -6450,7 +6519,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,"{0} {1} is associated with {2}, but Party Account is {3}",{0} {1}与{2}相关联,但业务伙伴科目为{3}
 DocType: Bank Statement Settings Item,Bank Header,银行标题
 apps/erpnext/erpnext/healthcare/doctype/sample_collection/sample_collection.js +7,View Lab Tests,查看实验室测试
-DocType: Hub Users,Hub Users,Hub用户
+DocType: Hub Users,Hub Users,集线器用户
 DocType: Purchase Invoice,Y,Y
 DocType: Maintenance Visit,Maintenance Date,维护日期
 DocType: Purchase Invoice Item,Rejected Serial No,拒收序列号
@@ -6461,14 +6530,14 @@
 If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","例如:ABCD ##### 
 如果设置了序列但是没有在交易中输入序列号,那么系统会根据序列自动生产序列号。如果要强制手动输入序列号,请不要勾选此项。"
 DocType: Upload Attendance,Upload Attendance,上传考勤记录
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +640,BOM and Manufacturing Quantity are required,BOM和生产量是必需的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +640,BOM and Manufacturing Quantity are required,物料清单和生产量是必需的
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +62,Ageing Range 2,账龄范围2
 DocType: SG Creation Tool Course,Max Strength,最大力量
 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +28,Installing presets,安装预置
 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.-
-apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +103,No Delivery Note selected for Customer {},没有为客户{}选择销售出货单
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +99,No Delivery Note selected for Customer {},没有为客户{}选择销售出货单
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +17,Employee {0} has no maximum benefit amount,员工{0}没有最大福利金额
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1110,Select Items based on Delivery Date,根据交货日期选择物料
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1128,Select Items based on Delivery Date,根据交货日期选择物料
 DocType: Grant Application,Has any past Grant Record,有过去的赠款记录吗?
 ,Sales Analytics,销售分析
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +127,Available {0},可用{0}
@@ -6477,40 +6546,42 @@
 DocType: Manufacturing Settings,Manufacturing Settings,生产设置
 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,设置电子邮件
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1手机号码
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +130,Please enter default currency in Company Master,请在公司设置中维护默认货币
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +135,Please enter default currency in Company Master,请在公司设置中维护默认货币
 DocType: Stock Entry Detail,Stock Entry Detail,手工库存移动信息
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Daily Reminders,每日提醒
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Daily Reminders,每日提醒
 apps/erpnext/erpnext/templates/pages/help.html +56,See all open tickets,查看所有打开的门票
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +21,Healthcare Service Unit Tree,医疗服务单位树
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +270,Product,产品
-DocType: Products Settings,Home Page is Products,首页显示产品
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +273,Product,产品
+DocType: Products Settings,Home Page is Products,首页是产品
 ,Asset Depreciation Ledger,资产折旧总帐
 DocType: Salary Structure,Leave Encashment Amount Per Day,休假单日折现金额
 DocType: Loyalty Program Collection,For how much spent = 1 Loyalty Point,花费多少= 1忠诚点
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +97,Tax Rule Conflicts with {0},税收规则与{0}冲突
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,新建科目名称
-DocType: Purchase Invoice Item,Raw Materials Supplied Cost,发给供应商的原材料成本
+DocType: Purchase Invoice Item,Raw Materials Supplied Cost,已提供的原材料成本
 DocType: Selling Settings,Settings for Selling Module,销售模块的设置
 DocType: Hotel Room Reservation,Hotel Room Reservation,酒店房间预订
-apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +327,Customer Service,顾客服务
+apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +357,Customer Service,顾客服务
 DocType: BOM,Thumbnail,缩略图
-DocType: Item Customer Detail,Item Customer Detail,客户物料信息
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.py +207,No contacts with email IDs found.,找不到与电子邮件ID的联系人。
+DocType: Item Customer Detail,Item Customer Detail,物料客户信息
 DocType: Notification Control,Prompt for Email on Submission of,提示电子邮件的提交
 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +36,Maximum benefit amount of employee {0} exceeds {1},员工{0}的最高福利金额超过{1}
 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +102,Total allocated leaves are more than days in the period,总已分配休假天数大于此期间天数
 DocType: Linked Soil Analysis,Linked Soil Analysis,连接的土壤分析
 DocType: Pricing Rule,Percentage,百分比
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,物料{0}必须是库存物料
-DocType: Manufacturing Settings,Default Work In Progress Warehouse,默认工作正在进行仓库
+DocType: Manufacturing Settings,Default Work In Progress Warehouse,默认运行中的仓库
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js +83,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?",{0}重叠的工时单,是否要在滑动重叠的插槽后继续?
-apps/erpnext/erpnext/config/accounts.py +316,Default settings for accounting transactions.,业务会计的默认设置。
-apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,格兰特叶子
+apps/erpnext/erpnext/config/accounts.py +326,Default settings for accounting transactions.,业务会计的默认设置。
+apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js +8,Grant Leaves,准予假期
 DocType: Restaurant,Default Tax Template,默认税收模板
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py +71,{0} Students have been enrolled,{0}学生已被注册
 DocType: Fees,Student Details,学生细节
 DocType: Purchase Invoice Item,Stock Qty,库存数量
 DocType: Purchase Invoice Item,Stock Qty,库存数量
 DocType: Contract,Requires Fulfilment,需要履行
+DocType: QuickBooks Migrator,Default Shipping Account,默认运输帐户
 DocType: Loan,Repayment Period in Months,在月还款期
 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,错误:没有有效的身份证?
 DocType: Naming Series,Update Series Number,更新序列号
@@ -6524,18 +6595,18 @@
 DocType: Employee Tax Exemption Category,Max Amount,最大金额
 DocType: Journal Entry,Total Amount Currency,总金额币种
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,搜索子组件
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +195,Item Code required at Row No {0},行{0}中的物料代码是必须项
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +200,Item Code required at Row No {0},行{0}中的物料代码是必须项
 DocType: GST Account,SGST Account,SGST账户
 apps/erpnext/erpnext/utilities/user_progress.py +154,Go to Items,转到物料主数据
 DocType: Sales Partner,Partner Type,合作伙伴类型
-DocType: Purchase Taxes and Charges,Actual,实际
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +72,Actual,实际数据
 DocType: Restaurant Menu,Restaurant Manager,餐厅经理
 DocType: Authorization Rule,Customerwise Discount,客户折扣
-apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,工时单的任务。
-DocType: Purchase Invoice,Against Expense Account,费用账目
+apps/erpnext/erpnext/config/projects.py +46,Timesheet for tasks.,任务方面的时间表。
+DocType: Purchase Invoice,Against Expense Account,针对的费用账目
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +284,Installation Note {0} has already been submitted,安装单{0}已经提交了
 DocType: Bank Reconciliation,Get Payment Entries,获取付款项
-DocType: Quotation Item,Against Docname,文档名称
+DocType: Quotation Item,Against Docname,针对的文档名称
 DocType: SMS Center,All Employee (Active),所有员工(活动)
 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +9,View Now,立即查看
 DocType: BOM,Raw Material Cost,原材料成本
@@ -6549,7 +6620,7 @@
 DocType: Employee,Cheque,支票
 DocType: Training Event,Employee Emails,员工电子邮件
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +67,Series Updated,系列已更新
-apps/erpnext/erpnext/accounts/doctype/account/account.py +161,Report Type is mandatory,报表类型必填
+apps/erpnext/erpnext/accounts/doctype/account/account.py +166,Report Type is mandatory,报表类型必填
 DocType: Item,Serial Number Series,序列号系列
 apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},行{1}中的物料{0}必须指定仓库
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py +45,Retail & Wholesale,零售及批发
@@ -6565,7 +6636,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +132,Successfully Reconciled,核消/对账成功
 DocType: Request for Quotation Supplier,Download PDF,下载PDF
 DocType: Work Order,Planned End Date,计划的结束日期
-DocType: Shareholder,Hidden list maintaining the list of contacts linked to Shareholder,隐藏列表维护链接到股东的联系人列表
+DocType: Shareholder,Hidden list maintaining the list of contacts linked to Shareholder,保存链接到股东的联系人列表的隐藏的列表
 DocType: Exchange Rate Revaluation Account,Current Exchange Rate,当前汇率
 DocType: Item,"Sales, Purchase, Accounting Defaults",销售,采购,会计违约
 apps/erpnext/erpnext/config/non_profit.py +63,Donor Type information.,捐助者类型信息。
@@ -6580,28 +6651,28 @@
 DocType: Sales Invoice,Update Billed Amount in Sales Order,更新销售订单中的结算金额
 DocType: BOM,Materials,物料
 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",如果未选中,此列表将需要手动添加到部门。
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +693,Posting date and posting time is mandatory,记帐日期和记帐时间必填
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +685,Posting date and posting time is mandatory,记帐日期和记帐时间必填
 apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,采购业务的税项模板。
 ,Item Prices,物料价格
 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,大写金额将在采购订单保存后显示。
-DocType: Holiday List,Add to Holidays,加入假期
+DocType: Holiday List,Add to Holidays,加入到假期
 DocType: Woocommerce Settings,Endpoint,端点
 DocType: Period Closing Voucher,Period Closing Voucher,期末结帐凭证
 DocType: Patient Encounter,Review Details,评论细节
-apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +186,The shareholder does not belong to this company,股东不属于这家公司
+apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py +186,The shareholder does not belong to this company,该股东不属于这家公司
 DocType: Dosage Form,Dosage Form,剂型
 apps/erpnext/erpnext/config/selling.py +67,Price List master.,价格清单主数据。
 DocType: Task,Review Date,评论日期
 DocType: BOM,Allow Alternative Item,允许替代物料
 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),固定资产折旧凭证命名序列(手工凭证)
-DocType: Membership,Member Since,成员自
+DocType: Membership,Member Since,自...成为会员
 DocType: Purchase Invoice,Advance Payments,预付款
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1762,Please select Healthcare Service,请选择医疗保健服务
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1748,Please select Healthcare Service,请选择医疗保健服务
 DocType: Purchase Taxes and Charges,On Net Total,基于净总计
 apps/erpnext/erpnext/controllers/item_variant.py +92,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},物料{4}的属性{0}其属性值必须{1}到{2}范围内,且增量{3}
 DocType: Restaurant Reservation,Waitlisted,轮候
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,豁免类别
-apps/erpnext/erpnext/accounts/doctype/account/account.py +126,Currency can not be changed after making entries using some other currency,货币不能使用其他货币进行输入后更改
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Currency can not be changed after making entries using some other currency,货币不能使用其他货币进行输入后更改
 DocType: Shipping Rule,Fixed,固定
 DocType: Vehicle Service,Clutch Plate,离合器压盘
 DocType: Company,Round Off Account,四舍五入科目
@@ -6610,23 +6681,23 @@
 DocType: Subscription Plan,Based on price list,基于价格表
 DocType: Customer Group,Parent Customer Group,父(上级)客户群组
 DocType: Vehicle Service,Change,变化
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +828,Subscription,订阅
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +891,Subscription,循环分录系列/循环凭证
 DocType: Purchase Invoice,Contact Email,联络人电邮
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +11,Fee Creation Pending,费用创作待定
 DocType: Appraisal Goal,Score Earned,已得分数
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +222,Notice Period,通知期
 DocType: Asset Category,Asset Category Name,资产类别名称
-apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,这是一个root区域,无法被编辑。
+apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,这是一个根区域,无法被编辑。
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,新销售人员的姓名
 DocType: Packing Slip,Gross Weight UOM,毛重计量单位
 DocType: Employee Transfer,Create New Employee Id,创建新的员工ID
 apps/erpnext/erpnext/public/js/hub/components/item_publish_dialog.js +26,Set Details,设置细节
 DocType: Travel Itinerary,Travel From,出差出发地
 DocType: Asset Maintenance Task,Preventive Maintenance,预防性的维护
-DocType: Delivery Note Item,Against Sales Invoice,销售发票
+DocType: Delivery Note Item,Against Sales Invoice,针对的销售发票
 DocType: Purchase Invoice,07-Others,07,其他
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +158,Please enter serial numbers for serialized item ,请输入序列号序列号
-DocType: Bin,Reserved Qty for Production,生产预留数量
+DocType: Bin,Reserved Qty for Production,用于生产的预留数量
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在制作基于课程的组时考虑批量,请不要选中。
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果在创建基于组的课程时不考虑批(号),请不要勾选。
 DocType: Asset,Frequency of Depreciation (Months),折旧率(月)
@@ -6636,25 +6707,25 @@
 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,原材料被生产/重新打包后得到的物料数量
 DocType: Lab Test,Test Group,测试组
 DocType: Payment Reconciliation,Receivable / Payable Account,应收/应付账款
-DocType: Delivery Note Item,Against Sales Order Item,销售订单项
+DocType: Delivery Note Item,Against Sales Order Item,针对的销售订单项
 DocType: Company,Company Logo,公司标志
-apps/erpnext/erpnext/stock/doctype/item/item.py +767,Please specify Attribute Value for attribute {0},请指定属性值的属性{0}
-DocType: Item Default,Default Warehouse,默认仓库
+apps/erpnext/erpnext/stock/doctype/item/item.py +774,Please specify Attribute Value for attribute {0},请指定属性值的属性{0}
+DocType: QuickBooks Migrator,Default Warehouse,默认仓库
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +55,Budget cannot be assigned against Group Account {0},预算不能分派给群组类科目{0}
 DocType: Shopping Cart Settings,Show Price,显示价格
 DocType: Healthcare Settings,Patient Registration,病人登记
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Please enter parent cost center,请输入父成本中心
 DocType: Delivery Note,Print Without Amount,打印量不
-apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +65,Depreciation Date,折旧日期
+apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +92,Depreciation Date,折旧日期
 ,Work Orders in Progress,工单正在进行中
 DocType: Issue,Support Team,支持团队
 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),过期(按天计算)
 DocType: Appraisal,Total Score (Out of 5),总分(满分5分)
 DocType: Student Attendance Tool,Batch,批次
 DocType: Support Search Source,Query Route String,查询路由字符串
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1102,Update rate as per last purchase,根据上次购买更新率
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +1165,Update rate as per last purchase,根据上次购买更新率
 DocType: Donor,Donor Type,捐助者类型
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +640,Auto repeat document updated,自动重复文件更新
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +703,Auto repeat document updated,自动重复文件更新
 apps/erpnext/erpnext/stock/doctype/item/item.js +29,Balance,余额
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +66,Please select the Company,请选择公司
 DocType: Job Card,Job Card,工作卡
@@ -6668,12 +6739,12 @@
 DocType: Assessment Result,Total Score,总得分
 DocType: Crop Cycle,ISO 8601 standard,ISO 8601标准
 DocType: Journal Entry,Debit Note,借项通知单
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1494,You can only redeem max {0} points in this order.,您只能按此顺序兑换最多{0}个积分。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1513,You can only redeem max {0} points in this order.,您只能按此顺序兑换最多{0}个积分。
 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.-
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py +102,Please enter API Consumer Secret,请输入API消费者密码
-DocType: Stock Entry,As per Stock UOM,按库存计量单位
+DocType: Stock Entry,As per Stock UOM,按库存的基础单位
 apps/erpnext/erpnext/stock/doctype/batch/batch_list.js +7,Not Expired,未过期
-DocType: Student Log,Achievement,成就
+DocType: Student Log,Achievement,已完成的
 DocType: Asset,Insurer,保险公司
 DocType: Batch,Source Document Type,源文档类型
 DocType: Batch,Source Document Type,源文档类型
@@ -6682,13 +6753,14 @@
 DocType: Journal Entry,Total Debit,总借方金额
 DocType: Travel Request Costing,Sponsored Amount,赞助金额
 DocType: Manufacturing Settings,Default Finished Goods Warehouse,默认成品仓库
-apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +315,Please select Patient,请选择患者
+apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +316,Please select Patient,请选择患者
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Sales Person,销售人员
 DocType: Hotel Room Package,Amenities,设施
-apps/erpnext/erpnext/config/accounts.py +261,Budget and Cost Center,预算和成本中心
+DocType: QuickBooks Migrator,Undeposited Funds Account,未存入资金账户
+apps/erpnext/erpnext/config/accounts.py +271,Budget and Cost Center,预算和成本中心
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +65,Multiple default mode of payment is not allowed,不允许多种默认付款方式
 DocType: Sales Invoice,Loyalty Points Redemption,忠诚积分兑换
-,Appointment Analytics,预约分析
+,Appointment Analytics,约定分析
 DocType: Vehicle Service,Half Yearly,半年度
 DocType: Lead,Blog Subscriber,博客订阅者
 DocType: Guardian,Alternate Number,备用号码
@@ -6698,59 +6770,58 @@
 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,组卷号
 DocType: Batch,Manufacturing Date,生产日期
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js +9,Fee Creation Failed,费用创作失败
-DocType: Opening Invoice Creation Tool,Create Missing Party,创建往来单位(供应商或客户)
+DocType: Opening Invoice Creation Tool,Create Missing Party,创建丢失的单位
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +85,Total Budget,预算总额
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年制作学生团体,请留空
 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年创建学生团体,请留空
 DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",如果勾选,工作日总数将包含假期,“日工资”值会相应降低。
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js +25,"Apps using current key won't be able to access, are you sure?",使用当前密钥的应用程序将无法访问,您确定吗?
 DocType: Subscription Settings,Prorate,按比例分配
-DocType: Purchase Invoice,Total Advance,总预收/付
+DocType: Purchase Invoice,Total Advance,总预收额
 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js +78,Change Template Code,更改模板代码
 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py +23,The Term End Date cannot be earlier than the Term Start Date. Please correct the dates and try again.,该期限结束日期不能超过期限开始日期。请更正日期,然后再试一次。
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,报价计数
 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,报价计数
 DocType: Bank Statement Transaction Entry,Bank Statement,银行对帐单
 DocType: Employee Benefit Claim,Max Amount Eligible,最高金额合格
-,BOM Stock Report,BOM库存报表
+,BOM Stock Report,物料清单库存报表
 DocType: Stock Reconciliation Item,Quantity Difference,数量差异
 DocType: Opportunity Item,Basic Rate,标准售价
 DocType: GL Entry,Credit Amount,信贷金额
 DocType: Cheque Print Template,Signatory Position,签署的位置
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +182,Set as Lost,设置为输
-DocType: Timesheet,Total Billable Hours,总计费时间
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +184,Set as Lost,设置为输
+DocType: Timesheet,Total Billable Hours,总可计费时间
 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,用户必须支付此订阅生成的发票的天数
 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,员工福利申请信息
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,付款收据
-apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,本统计信息基于该客户的过往交易。详情请参阅表单下方的时间线记录
-DocType: Delivery Note,ODC,ODC
+apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,本统计信息基于该客户的过往交易。详情请参阅表单下方的时间轴记录
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +162,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},行{0}:分配金额{1}必须小于或等于输入付款金额{2}
 DocType: Program Enrollment Tool,New Academic Term,新学期
 ,Course wise Assessment Report,课程明智的评估报表
 DocType: Purchase Invoice,Availed ITC State/UT Tax,有效的ITC州/ UT税
 DocType: Tax Rule,Tax Rule,税务规则
 DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,在整个销售周期使用同一价格
-apps/erpnext/erpnext/hub_node/api.py +50,Please login as another user to register on Marketplace,请以另一个用户身份登录以在Marketplace上注册
+apps/erpnext/erpnext/hub_node/api.py +49,Please login as another user to register on Marketplace,请以另一个用户身份登录以在Marketplace上注册
 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,规划工作站工作时间以外的时间日志。
 apps/erpnext/erpnext/public/js/pos/pos.html +98,Customers in Queue,在排队的客户
 DocType: Driver,Issuing Date,发行日期
-DocType: Procedure Prescription,Appointment Booked,预约预约
+DocType: Procedure Prescription,Appointment Booked,约定已设定
 DocType: Student,Nationality,国籍
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js +108,Submit this Work Order for further processing.,提交此工单以进一步处理。
 ,Items To Be Requested,待申请物料
-DocType: Company,Company Info,公司简介
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1401,Select or add new customer,选择或添加新客户
+DocType: Company,Company Info,公司信息
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1399,Select or add new customer,选择或添加新客户
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +177,Cost center is required to book an expense claim,成本中心需要预订费用报销
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),资金(资产)申请
 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,基于该员工的考勤
-DocType: Assessment Result,Summary,概要
 DocType: Payment Request,Payment Request Type,付款申请类型
-apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,考勤
+apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js +113,Mark Attendance,标记考勤
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +536,Debit Account,借方科目
 DocType: Fiscal Year,Year Start Date,年度起始日期
 DocType: Additional Salary,Employee Name,员工姓名
 DocType: Restaurant Order Entry Item,Restaurant Order Entry Item,餐厅订单录入项目
 DocType: Purchase Invoice,Rounded Total (Company Currency),圆整后金额(公司货币)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +98,Cannot covert to Group because Account Type is selected.,不能转换到组,因为你选择的是科目类型。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +103,Cannot covert to Group because Account Type is selected.,不能转换到组,因为已选择账户类型。
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +270,{0} {1} has been modified. Please refresh.,{0} {1}已被修改过,请刷新。
 DocType: Leave Block List,Stop users from making Leave Applications on following days.,禁止用户在以下日期提交假期申请。
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js +24,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",如果忠诚度积分无限期到期,请将到期时间保持为空或0。
@@ -6771,11 +6842,12 @@
 DocType: Asset,Out of Order,乱序
 DocType: Purchase Receipt Item,Accepted Quantity,已接受数量
 DocType: Projects Settings,Ignore Workstation Time Overlap,忽略工作站时间重叠
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +259,Please set a default Holiday List for Employee {0} or Company {1},请设置一个默认的假日列表为员工{0}或公司{1}
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +302,Please set a default Holiday List for Employee {0} or Company {1},请为员工{0}或公司{1}设置一个默认的假日列表
 apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}:{1}不存在
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Batch Numbers,选择批号
-apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +228,To GSTIN,到GSTIN
+apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py +231,To GSTIN,到GSTIN
 apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,对客户开出的账单。
+DocType: Healthcare Settings,Invoice Appointments Automatically,发票自动约定
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,项目编号
 DocType: Salary Component,Variable Based On Taxable Salary,基于应纳税工资的变量
 DocType: Company,Basic Component,基本组件
@@ -6788,22 +6860,22 @@
 DocType: Stock Entry,Source Warehouse Address,来源仓库地址
 DocType: GL Entry,Voucher Type,凭证类型
 DocType: Amazon MWS Settings,Max Retry Limit,最大重试限制
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1733,Price List not found or disabled,价格清单未找到或禁用
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,价格清单未找到或禁用
 DocType: Student Applicant,Approved,已批准
 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +15,Price,价格
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +347,Employee relieved on {0} must be set as 'Left',员工自{0}离职后,其状态必须设置为“已离职”
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +349,Employee relieved on {0} must be set as 'Left',员工自{0}离职后,其状态必须设置为“已离职”
 DocType: Marketplace Settings,Last Sync On,上次同步开启
 DocType: Guardian,Guardian,监护人
 apps/erpnext/erpnext/support/doctype/issue/issue.js +48,All communications including and above this shall be moved into the new Issue,包括及以上的所有通信均应移至新发行中
 DocType: Salary Detail,Tax on additional salary,额外薪资税
 DocType: Item Alternative,Item Alternative,替换物料
 DocType: Healthcare Settings,Default income accounts to be used if not set in Healthcare Practitioner to book Appointment charges.,如果未在医生执业者中设置预约费用,则使用默认收入帐户。
-DocType: Opening Invoice Creation Tool,Create missing customer or supplier.,如果客户或供应商不存在,则创建对应主数据
+DocType: Opening Invoice Creation Tool,Create missing customer or supplier.,创建已丢失的客户或供应商
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,员工{1}的限期评估{0}已经创建
 DocType: Academic Term,Education,教育
 DocType: Payroll Entry,Salary Slips Created,工资单创建
-DocType: Inpatient Record,Expected Discharge,预期解雇
-apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Del,德尔
+DocType: Inpatient Record,Expected Discharge,预期的卸货
+apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +594,Del,删除
 DocType: Selling Settings,Campaign Naming By,活动命名:
 DocType: Employee,Current Address Is,当前地址性质
 apps/erpnext/erpnext/utilities/user_progress.py +51,Monthly Sales Target (,每月销售目标(
@@ -6814,14 +6886,16 @@
 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,在现场检测到的疾病清单。当选择它会自动添加一个任务清单处理疾病
 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js +30,This is a root healthcare service unit and cannot be edited.,这是根医疗保健服务单位,不能编辑。
 DocType: Asset Repair,Repair Status,维修状态
-apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,会计记账分录。
+apps/erpnext/erpnext/public/js/event.js +31,Add Sales Partners,添加销售合作伙伴
+apps/erpnext/erpnext/config/accounts.py +84,Accounting journal entries.,会计记账日历分录。
 DocType: Travel Request,Travel Request,出差申请
 DocType: Delivery Note Item,Available Qty at From Warehouse,源仓库可用数量
 apps/erpnext/erpnext/hr/doctype/department_approver/department_approver.py +17,Please select Employee Record first.,请先选择员工记录
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py +52,Attendance not submitted for {0} as it is a Holiday.,由于是假期,{0}的考勤未提交。
 DocType: POS Profile,Account for Change Amount,零钱科目
+DocType: QuickBooks Migrator,Connecting to QuickBooks,连接到QuickBooks
 DocType: Exchange Rate Revaluation,Total Gain/Loss,总收益/损失
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1273,Invalid Company for Inter Company Invoice.,公司发票无效公司。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +1171,Invalid Company for Inter Company Invoice.,公司发票无效公司。
 DocType: Purchase Invoice,input service,输入服务
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +249,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:往来单位/科目{1} / {2}与{3} {4}不匹配
 DocType: Employee Promotion,Employee Promotion,员工晋升
@@ -6830,16 +6904,17 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html +16,Course Code: ,课程编号:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,Please enter Expense Account,请输入您的费用科目
 DocType: Account,Stock,库存
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1111,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参考文件类型必须是采购订单之一,采购发票或手工凭证
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1128,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参考文件类型必须是采购订单之一,采购发票或手工凭证
 DocType: Employee,Current Address,当前地址
 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",如果物料为另一物料的变体,那么它的描述,图片,价格,税率等将从模板自动设置。你也可以手动设置。
 DocType: Serial No,Purchase / Manufacture Details,采购/制造详细信息
 DocType: Assessment Group,Assessment Group,评估小组
 apps/erpnext/erpnext/config/stock.py +332,Batch Inventory,批号库存
+DocType: Supplier,GST Transporter ID,消费税转运ID
 DocType: Procedure Prescription,Procedure Name,程序名称
 DocType: Employee,Contract End Date,合同结束日期
 DocType: Amazon MWS Settings,Seller ID,卖家ID
-DocType: Sales Order,Track this Sales Order against any Project,选择一个项目以追踪该销售订单
+DocType: Sales Order,Track this Sales Order against any Project,对任何工程追踪该销售订单
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,银行对账单交易分录
 DocType: Sales Invoice Item,Discount and Margin,折扣与边际利润
 DocType: Lab Test,Prescription,处方
@@ -6855,13 +6930,13 @@
 DocType: Company,Date of Incorporation,注册成立日期
 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,总税额
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py +40,Last Purchase Price,上次采购价格
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +288,For Quantity (Manufactured Qty) is mandatory,数量(制造数量)字段必填
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +280,For Quantity (Manufactured Qty) is mandatory,数量(制造数量)字段必填
 DocType: Stock Entry,Default Target Warehouse,默认目标仓库
 DocType: Purchase Invoice,Net Total (Company Currency),总净金额(公司货币)
 DocType: Delivery Note,Air,空气
-apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,年末日期不能超过年度开始日期。请更正日期,然后再试一次。
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +278,{0} is not in Optional Holiday List,{0}不在可选节日列表中
-DocType: Notification Control,Purchase Receipt Message,采购收货单信息
+apps/erpnext/erpnext/education/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,年度结束日期不能早于年度开始日期。请更正日期,然后再试一次。
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +277,{0} is not in Optional Holiday List,{0}不在可选节日列表中
+DocType: Notification Control,Purchase Receipt Message,采购收据单信息
 DocType: Amazon MWS Settings,JP,J.P
 DocType: BOM,Scrap Items,废品
 DocType: Job Card,Actual Start Date,实际开始日期
@@ -6879,29 +6954,31 @@
 DocType: Salary Component,Statistical Component,统计项
 DocType: Warranty Claim,If different than customer address,如果客户地址不同的话
 DocType: Purchase Invoice,Without Payment of Tax,不缴纳税款
-DocType: BOM Operation,BOM Operation,BOM操作
+DocType: BOM Operation,BOM Operation,物料清单操作
 apps/erpnext/erpnext/config/stock.py +144,Fulfilment,履行
 DocType: Purchase Taxes and Charges,On Previous Row Amount,基于前一行的金额
 DocType: Item,Has Expiry Date,有过期日期
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +346,Transfer Asset,转让资产
-DocType: POS Profile,POS Profile,POS简介
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +367,Transfer Asset,转移资产
+DocType: POS Profile,POS Profile,销售终端配置
 DocType: Training Event,Event Name,培训名称
 DocType: Healthcare Practitioner,Phone (Office),电话(办公室)
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py +21,"Cannot Submit, Employees left to mark attendance",无法提交,不能为已离职员工登记考勤
-DocType: Inpatient Record,Admission,入场
-apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},招生{0}
-apps/erpnext/erpnext/config/accounts.py +285,"Seasonality for setting budgets, targets etc.",设置季节性的预算,目标等。
+DocType: Inpatient Record,Admission,准入
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py +29,Admissions for {0},对...的准入{0}
+apps/erpnext/erpnext/config/accounts.py +295,"Seasonality for setting budgets, targets etc.",设置季节性的预算,目标等。
 DocType: Supplier Scorecard Scoring Variable,Variable Name,变量名
 apps/erpnext/erpnext/stock/get_item_details.py +163,"Item {0} is a template, please select one of its variants",物料{0}是一个模板,请选择它的一个变体
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +25,Please setup Employee Naming System in Human Resource &gt; HR Settings,请在人力资源&gt;人力资源设置中设置员工命名系统
+DocType: Purchase Invoice Item,Deferred Expense,递延费用
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py +26,From Date {0} cannot be before employee's joining Date {1},起始日期{0}不能在员工加入日期之前{1}
 DocType: Asset,Asset Category,资产类别
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +32,Net pay cannot be negative,净支付金额不能为负数
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +39,Net pay cannot be negative,净支付金额不能为负数
 DocType: Purchase Order,Advance Paid,已支付的预付款
 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,销售订单超额生产百分比
 DocType: Item,Item Tax,物料税项
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +880,Material to Supplier,材料到供应商
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +943,Material to Supplier,给供应商的材料
 DocType: Soil Texture,Loamy Sand,泥沙
-DocType: Production Plan,Material Request Planning,物料申请计划
+DocType: Production Plan,Material Request Planning,材料申请计划
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +700,Excise Invoice,消费税发票
 apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}出现%不止一次
 DocType: Expense Claim,Employees Email Id,员工的邮件地址
@@ -6921,16 +6998,16 @@
 DocType: Scheduling Tool,Scheduling Tool,调度工具
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +156,Credit Card,信用卡
 DocType: BOM,Item to be manufactured or repacked,待生产或者重新包装的物料
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +764,Syntax error in condition: {0},条件中的语法错误:{0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +766,Syntax error in condition: {0},条件中的语法错误:{0}
 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.-
 DocType: Employee Education,Major/Optional Subjects,主修/选修科目
-apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +125,Please Set Supplier Group in Buying Settings.,请设置供应商组采购设置。
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +56,"Total flexible benefit component amount {0} should not be less \
+apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py +121,Please Set Supplier Group in Buying Settings.,请在采购设置中设置供应商组。
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +63,"Total flexible benefit component amount {0} should not be less \
 				than max benefits {1}",灵活福利组件总额{0}不应低于最大福利{1}
 DocType: Sales Invoice Item,Drop Ship,由供应商交货(直接发运)
 DocType: Driver,Suspended,暂停
 DocType: Training Event,Attendees,受训学员
-DocType: Employee,"Here you can maintain family details like name and occupation of parent, spouse and children",可以登记家庭详细信息,如姓名,父母、配偶及子女的职业等
+DocType: Employee,"Here you can maintain family details like name and occupation of parent, spouse and children",这里可以保存家庭详细信息,如姓名,父母、配偶及子女的职业等
 DocType: Academic Term,Term End Date,合同结束日期
 DocType: Purchase Invoice,Taxes and Charges Deducted (Company Currency),已扣除税费(公司货币)
 DocType: Item Group,General Settings,常规设置
@@ -6945,18 +7022,18 @@
 DocType: Customer,Commission Rate,佣金率
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +240,Successfully created payment entries,成功创建付款条目
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py +187,Created {0} scorecards for {1} between: ,为{1}创建{0}记分卡:
-apps/erpnext/erpnext/stock/doctype/item/item.js +566,Make Variant,创建物料变式
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",付款方式必须收、付或转
+apps/erpnext/erpnext/stock/doctype/item/item.js +584,Make Variant,创建变量
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +156,"Payment Type must be one of Receive, Pay and Internal Transfer",付款方式必须是收、付或内部转结之一
 DocType: Travel Itinerary,Preferred Area for Lodging,住宿的首选地区
 apps/erpnext/erpnext/config/selling.py +184,Analytics,Analytics(分析)
 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +25,Cart is Empty,购物车是空的
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +416,"Item {0} has no Serial No. Only serilialized items \
-						can have delivery based on Serial No",项目{0}没有序列号只有serilialized items \可以根据序列号进行交付
+						can have delivery based on Serial No",物料{0}没有序列号。只有有序列号的物料 \可以根据序列号进行交付
 DocType: Vehicle,Model,模型
 DocType: Work Order,Actual Operating Cost,实际运行成本
 DocType: Payment Entry,Cheque/Reference No,支票/参考编号
-DocType: Soil Texture,Clay Loam,粘土Loam
-apps/erpnext/erpnext/accounts/doctype/account/account.py +83,Root cannot be edited.,根不能被编辑。
+DocType: Soil Texture,Clay Loam,粘土沃土
+apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root cannot be edited.,根不能被编辑。
 DocType: Item,Units of Measure,计量单位
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,在Metro City租用
 DocType: Supplier,Default Tax Withholding Config,预设税款预扣配置
@@ -6973,54 +7050,56 @@
 DocType: Payment Gateway Account,Payment Gateway Account,支付网关账户
 DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,支付完成后将用户转到所选网页。
 DocType: Company,Existing Company,现有的公司
-DocType: Healthcare Settings,Result Emailed,电子邮件结果
-apps/erpnext/erpnext/controllers/buying_controller.py +98,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",税项类别已更改为“合计”,因为所有物料均为非库存物料
+DocType: Healthcare Settings,Result Emailed,结果已发邮件
+apps/erpnext/erpnext/controllers/buying_controller.py +99,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",税项类别已更改为“合计”,因为所有物料均为非库存物料
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py +35,To date can not be equal or less than from date,迄今为止不能等于或少于日期
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js +118,Nothing to change,没什么可改变的
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,请选择一个csv文件
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +104,Please select a csv file,请选择一个csv文件
 DocType: Holiday List,Total Holidays,总假期
+apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js +109,Missing email template for dispatch. Please set one in Delivery Settings.,缺少发送的电子邮件模板。请在“发送设置”中设置一个。
 DocType: Student Leave Application,Mark as Present,标记为现
 DocType: Supplier Scorecard,Indicator Color,指示灯颜色
 DocType: Purchase Order,To Receive and Bill,接收和比尔
-apps/erpnext/erpnext/controllers/buying_controller.py +678,Row #{0}: Reqd by Date cannot be before Transaction Date,行号{0}:按日期请求不能在交易日期之前
+apps/erpnext/erpnext/controllers/buying_controller.py +679,Row #{0}: Reqd by Date cannot be before Transaction Date,行号{0}:按日期请求不能在交易日期之前
 apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,特色产品
-apps/erpnext/erpnext/assets/doctype/asset/asset.js +363,Select Serial No,选择序列号
+apps/erpnext/erpnext/assets/doctype/asset/asset.js +384,Select Serial No,选择序列号
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py +124,Designer,设计师
 apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,条款和条件模板
 DocType: Serial No,Delivery Details,交货细节
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +574,Cost Center is required in row {0} in Taxes table for type {1},类型{1}税费表的行{0}必须有成本中心
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +618,Cost Center is required in row {0} in Taxes table for type {1},类型{1}税费表的行{0}必须有成本中心
 DocType: Program,Program Code,程序代码
 DocType: Terms and Conditions,Terms and Conditions Help,条款和条件帮助
 ,Item-wise Purchase Register,物料采购台帐
 DocType: Loyalty Point Entry,Expiry Date,到期时间
 DocType: Healthcare Settings,Employee name and designation in print,打印出来显示的员工姓名和职位
 ,accounts-browser,账户浏览器
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +381,Please select Category first,属性是相同的两个记录。
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +381,Please select Category first,请先选择类别。
 apps/erpnext/erpnext/config/projects.py +13,Project master.,项目主数据。
 apps/erpnext/erpnext/controllers/status_updater.py +215,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",要允许超额开票或订货,请在库存设置或物料主数据中更新“允许的超额”。
 DocType: Contract,Contract Terms,合同条款
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,不要在货币旁显示货币代号,例如$等。
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py +89,Maximum benefit amount of component {0} exceeds {1},组件{0}的最大受益金额超过{1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +529, (Half Day),(半天)
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +526, (Half Day),(半天)
 DocType: Payment Term,Credit Days,信用期
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js +140,Please select Patient to get Lab Tests,请选择患者以获得实验室测试
 apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,创建学生批
 DocType: BOM Explosion Item,Allow Transfer for Manufacture,允许转移制造
 DocType: Leave Type,Is Carry Forward,是结转?
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +921,Get Items from BOM,从物料清单获取物料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +984,Get Items from BOM,从物料清单获取物料
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,交货天数
 DocType: Cash Flow Mapping,Is Income Tax Expense,是所得税费用?
+apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py +19,Your order is out for delivery!,您的订单已发货!
 apps/erpnext/erpnext/controllers/accounts_controller.py +677,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:过帐日期必须是相同的采购日期{1}资产的{2}
-DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,如果学生住在学院的旅馆,请检查。
+DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,如果学生住在学院的旅馆,勾选此项。
 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +125,Please enter Sales Orders in the above table,请在上表中输入销售订单
 ,Stock Summary,库存摘要
-apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,从一个仓库转移资产到另一
+apps/erpnext/erpnext/config/assets.py +62,Transfer an asset from one warehouse to another,从一个仓库转移资产到另一仓库
 DocType: Vehicle,Petrol,汽油
 DocType: Employee Benefit Application,Remaining Benefits (Yearly),剩余福利(每年)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +802,Bill of Materials,材料清单
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +865,Bill of Materials,材料清单
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +137,Row {0}: Party Type and Party is required for Receivable / Payable account {1},行{0}:请为应收/应付科目输入{1}往来单位类型和往来单位
 DocType: Employee,Leave Policy,休假政策
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +795,Update Items,更新项目
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +858,Update Items,更新项目
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,参考日期
 DocType: Employee,Reason for Leaving,离职原因
 DocType: BOM Operation,Operating Cost(Company Currency),营业成本(公司货币)
@@ -7031,7 +7110,7 @@
 DocType: Department,Expense Approvers,费用审批人
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +228,Row {0}: Debit entry can not be linked with a {1},行{0}:借记分录不能与连接的{1}
 DocType: Journal Entry,Subscription Section,重复
-apps/erpnext/erpnext/accounts/doctype/account/account.py +233,Account {0} does not exist,科目{0}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +238,Account {0} does not exist,科目{0}不存在
 DocType: Training Event,Training Program,培训计划
 DocType: Account,Cash,现金
 DocType: Employee,Short biography for website and other publications.,在网站或其他出版物使用的个人简介
diff --git a/test_sites/test_site/site_config.json b/test_sites/test_site/site_config.json
index 48b330b..7a4d106 100644
--- a/test_sites/test_site/site_config.json
+++ b/test_sites/test_site/site_config.json
@@ -7,6 +7,7 @@
  "mail_password": "test",
  "admin_password": "admin",
  "run_selenium_tests": 1,
+ "root_password": "travis",
  "host_name": "http://localhost:8000",
  "install_apps": ["erpnext"]
 }
\ No newline at end of file